Merge pull request #9538 from sagarvora/fix-bom-issue
[minor] fix bom price resetting on validation
diff --git a/.eslintrc b/.eslintrc
index 452f3ec..c9cd552 100644
--- a/.eslintrc
+++ b/.eslintrc
@@ -131,6 +131,7 @@
"getCookies": true,
"get_url_arg": true,
"get_server_fields": true,
- "set_multiple": true
+ "set_multiple": true,
+ "QUnit": true
}
}
diff --git a/CODE_OF_CONDUCT.md b/CODE_OF_CONDUCT.md
new file mode 100644
index 0000000..4a97d8b
--- /dev/null
+++ b/CODE_OF_CONDUCT.md
@@ -0,0 +1,46 @@
+# Contributor Covenant Code of Conduct
+
+## Our Pledge
+
+In the interest of fostering an open and welcoming environment, we as contributors and maintainers pledge to making participation in our project and our community a harassment-free experience for everyone, regardless of age, body size, disability, ethnicity, gender identity and expression, level of experience, nationality, personal appearance, race, religion, or sexual identity and orientation.
+
+## Our Standards
+
+Examples of behavior that contributes to creating a positive environment include:
+
+* Using welcoming and inclusive language
+* Being respectful of differing viewpoints and experiences
+* Gracefully accepting constructive criticism
+* Focusing on what is best for the community
+* Showing empathy towards other community members
+
+Examples of unacceptable behavior by participants include:
+
+* The use of sexualized language or imagery and unwelcome sexual attention or advances
+* Trolling, insulting/derogatory comments, and personal or political attacks
+* Public or private harassment
+* Publishing others' private information, such as a physical or electronic address, without explicit permission
+* Other conduct which could reasonably be considered inappropriate in a professional setting
+
+## Our Responsibilities
+
+Project maintainers are responsible for clarifying the standards of acceptable behavior and are expected to take appropriate and fair corrective action in response to any instances of unacceptable behavior.
+
+Project maintainers have the right and responsibility to remove, edit, or reject comments, commits, code, wiki edits, issues, and other contributions that are not aligned to this Code of Conduct, or to ban temporarily or permanently any contributor for other behaviors that they deem inappropriate, threatening, offensive, or harmful.
+
+## Scope
+
+This Code of Conduct applies both within project spaces and in public spaces when an individual is representing the project or its community. Examples of representing a project or community include using an official project e-mail address, posting via an official social media account, or acting as an appointed representative at an online or offline event. Representation of a project may be further defined and clarified by project maintainers.
+
+## Enforcement
+
+Instances of abusive, harassing, or otherwise unacceptable behavior may be reported by contacting the project team at hello@frappe.io. The project team will review and investigate all complaints, and will respond in a way that it deems appropriate to the circumstances. The project team is obligated to maintain confidentiality with regard to the reporter of an incident. Further details of specific enforcement policies may be posted separately.
+
+Project maintainers who do not follow or enforce the Code of Conduct in good faith may face temporary or permanent repercussions as determined by other members of the project's leadership.
+
+## Attribution
+
+This Code of Conduct is adapted from the [Contributor Covenant][homepage], version 1.4, available at [http://contributor-covenant.org/version/1/4][version]
+
+[homepage]: http://contributor-covenant.org
+[version]: http://contributor-covenant.org/version/1/4/
diff --git a/erpnext/__init__.py b/erpnext/__init__.py
index 8c387dd..a8a8055 100644
--- a/erpnext/__init__.py
+++ b/erpnext/__init__.py
@@ -2,8 +2,7 @@
from __future__ import unicode_literals
import frappe
-__version__ = '8.1.7'
-
+__version__ = '8.3.5'
def get_default_company(user=None):
'''Get default company for user'''
diff --git a/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py b/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py
index 11dcfe7..0aaed8f 100644
--- a/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py
+++ b/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py
@@ -62,13 +62,13 @@
for d in entries:
row = self.append('payment_entries', {})
-
- d.amount = fmt_money(d.debit if d.debit else d.credit, 2, d.account_currency) + " " + (_("Dr") if d.debit else _("Cr"))
+ amount = d.debit if d.debit else d.credit
+ d.amount = fmt_money(amount, 2, d.account_currency) + " " + (_("Dr") if d.debit else _("Cr"))
d.pop("credit")
d.pop("debit")
d.pop("account_currency")
row.update(d)
- self.total_amount += flt(d.amount)
+ self.total_amount += flt(amount)
def update_clearance_date(self):
clearance_date_updated = False
diff --git a/erpnext/accounts/doctype/budget/budget.py b/erpnext/accounts/doctype/budget/budget.py
index a6348f1..f99d0bb 100644
--- a/erpnext/accounts/doctype/budget/budget.py
+++ b/erpnext/accounts/doctype/budget/budget.py
@@ -83,7 +83,7 @@
budget_records = frappe.db.sql("""
select
- b.{budget_against_field}, ba.budget_amount, b.monthly_distribution,
+ b.{budget_against_field} as budget_against, ba.budget_amount, b.monthly_distribution,
b.action_if_annual_budget_exceeded,
b.action_if_accumulated_monthly_budget_exceeded
from
@@ -111,15 +111,15 @@
args["month_end_date"] = get_last_day(args.posting_date)
compare_expense_with_budget(args, budget_amount,
- _("Accumulated Monthly"), monthly_action)
+ _("Accumulated Monthly"), monthly_action, budget.budget_against)
if yearly_action in ("Stop", "Warn") and monthly_action != "Stop" \
and yearly_action != monthly_action:
compare_expense_with_budget(args, flt(budget.budget_amount),
- _("Annual"), yearly_action)
+ _("Annual"), yearly_action, budget.budget_against)
-def compare_expense_with_budget(args, budget_amount, action_for, action):
+def compare_expense_with_budget(args, budget_amount, action_for, action, budget_against):
actual_expense = get_actual_expense(args)
if actual_expense > budget_amount:
diff = actual_expense - budget_amount
@@ -127,7 +127,7 @@
msg = _("{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5}").format(
_(action_for), frappe.bold(args.account), args.budget_against_field,
- frappe.bold(args.budget_against),
+ frappe.bold(budget_against),
frappe.bold(fmt_money(budget_amount, currency=currency)),
frappe.bold(fmt_money(diff, currency=currency)))
diff --git a/erpnext/accounts/doctype/budget/test_budget.py b/erpnext/accounts/doctype/budget/test_budget.py
index 15895dc..f6849ba 100644
--- a/erpnext/accounts/doctype/budget/test_budget.py
+++ b/erpnext/accounts/doctype/budget/test_budget.py
@@ -140,6 +140,33 @@
budget.load_from_db()
budget.cancel()
+ def test_monthly_budget_against_parent_group_cost_center(self):
+ cost_center = "_Test Cost Center 3 - _TC"
+
+ if not frappe.db.exists("Cost Center", cost_center):
+ frappe.get_doc({
+ 'doctype': 'Cost Center',
+ 'cost_center_name': '_Test Cost Center 3',
+ 'parent_cost_center': "_Test Company - _TC",
+ 'company': '_Test Company',
+ 'is_group': 0
+ }).insert(ignore_permissions=True)
+
+ budget = make_budget("Cost Center", cost_center)
+ frappe.db.set_value("Budget", budget.name, "action_if_accumulated_monthly_budget_exceeded", "Stop")
+
+ jv = make_journal_entry("_Test Account Cost for Goods Sold - _TC",
+ "_Test Bank - _TC", 40000, cost_center)
+
+ self.assertRaises(BudgetError, jv.submit)
+
+ budget.load_from_db()
+ budget.cancel()
+ jv.cancel()
+
+ frappe.delete_doc('Journal Entry', jv.name)
+ frappe.delete_doc('Cost Center', cost_center)
+
def set_total_expense_zero(posting_date, budget_against_field=None, budget_against_CC=None):
if budget_against_field == "Project":
budget_against = "_Test Project"
@@ -167,7 +194,8 @@
if budget_against == "Project":
budget_list = frappe.get_all("Budget", fields=["name"], filters = {"name": ("like", "_Test Project/_Test Fiscal Year 2013%")})
else:
- budget_list = frappe.get_all("Budget", fields=["name"], filters = {"name": ("like", "_Test Cost Center - _TC/_Test Fiscal Year 2013%")})
+ cost_center_name = "{0}%".format(cost_center or "_Test Cost Center - _TC/_Test Fiscal Year 2013")
+ budget_list = frappe.get_all("Budget", fields=["name"], filters = {"name": ("like", cost_center_name)})
for d in budget_list:
frappe.db.sql("delete from `tabBudget` where name = %(name)s", d)
frappe.db.sql("delete from `tabBudget Account` where parent = %(name)s", d)
diff --git a/erpnext/accounts/doctype/journal_entry/journal_entry.py b/erpnext/accounts/doctype/journal_entry/journal_entry.py
index a3de8da..375d85d 100644
--- a/erpnext/accounts/doctype/journal_entry/journal_entry.py
+++ b/erpnext/accounts/doctype/journal_entry/journal_entry.py
@@ -733,11 +733,10 @@
accounts = frappe.db.sql_list("""select
name from tabAccount
where
- is_group=0 and
- report_type='Balance Sheet' and
- ifnull(warehouse, '') = '' and
- company=%s
- order by name asc""", company)
+ is_group=0 and report_type='Balance Sheet' and company=%s and
+ name not in(select distinct account from tabWarehouse where
+ account is not null and account != '')
+ order by name asc""", frappe.db.escape(company))
return [{"account": a, "balance": get_balance_on(a)} for a in accounts]
diff --git a/erpnext/accounts/doctype/payment_entry/payment_entry.js b/erpnext/accounts/doctype/payment_entry/payment_entry.js
index 5bfd4d9..63832fa 100644
--- a/erpnext/accounts/doctype/payment_entry/payment_entry.js
+++ b/erpnext/accounts/doctype/payment_entry/payment_entry.js
@@ -291,37 +291,39 @@
set_account_currency_and_balance: function(frm, account, currency_field,
balance_field, callback_function) {
- frappe.call({
- method: "erpnext.accounts.doctype.payment_entry.payment_entry.get_account_details",
- args: {
- "account": account,
- "date": frm.doc.posting_date
- },
- callback: function(r, rt) {
- if(r.message) {
- frm.set_value(currency_field, r.message['account_currency']);
- frm.set_value(balance_field, r.message['account_balance']);
+ if (frm.doc.posting_date) {
+ frappe.call({
+ method: "erpnext.accounts.doctype.payment_entry.payment_entry.get_account_details",
+ args: {
+ "account": account,
+ "date": frm.doc.posting_date
+ },
+ callback: function(r, rt) {
+ if(r.message) {
+ frm.set_value(currency_field, r.message['account_currency']);
+ frm.set_value(balance_field, r.message['account_balance']);
- if(frm.doc.payment_type=="Receive" && currency_field=="paid_to_account_currency") {
- frm.toggle_reqd(["reference_no", "reference_date"],
- (r.message['account_type'] == "Bank" ? 1 : 0));
- if(!frm.doc.received_amount && frm.doc.paid_amount)
- frm.events.paid_amount(frm);
- } else if(frm.doc.payment_type=="Pay" && currency_field=="paid_from_account_currency") {
- frm.toggle_reqd(["reference_no", "reference_date"],
- (r.message['account_type'] == "Bank" ? 1 : 0));
+ if(frm.doc.payment_type=="Receive" && currency_field=="paid_to_account_currency") {
+ frm.toggle_reqd(["reference_no", "reference_date"],
+ (r.message['account_type'] == "Bank" ? 1 : 0));
+ if(!frm.doc.received_amount && frm.doc.paid_amount)
+ frm.events.paid_amount(frm);
+ } else if(frm.doc.payment_type=="Pay" && currency_field=="paid_from_account_currency") {
+ frm.toggle_reqd(["reference_no", "reference_date"],
+ (r.message['account_type'] == "Bank" ? 1 : 0));
- if(!frm.doc.paid_amount && frm.doc.received_amount)
- frm.events.received_amount(frm);
+ if(!frm.doc.paid_amount && frm.doc.received_amount)
+ frm.events.received_amount(frm);
+ }
+
+ if(callback_function) callback_function(frm);
+
+ frm.events.hide_unhide_fields(frm);
+ frm.events.set_dynamic_labels(frm);
}
-
- if(callback_function) callback_function(frm);
-
- frm.events.hide_unhide_fields(frm);
- frm.events.set_dynamic_labels(frm);
}
- }
- });
+ });
+ }
},
paid_from_account_currency: function(frm) {
diff --git a/erpnext/accounts/doctype/payment_entry/payment_entry.py b/erpnext/accounts/doctype/payment_entry/payment_entry.py
index c6559f8..e9471b7 100644
--- a/erpnext/accounts/doctype/payment_entry/payment_entry.py
+++ b/erpnext/accounts/doctype/payment_entry/payment_entry.py
@@ -492,9 +492,13 @@
for d in outstanding_invoices:
d["exchange_rate"] = 1
- if party_account_currency != company_currency \
- and d.voucher_type in ("Sales Invoice", "Purchase Invoice"):
+ if party_account_currency != company_currency:
+ if d.voucher_type in ("Sales Invoice", "Purchase Invoice"):
d["exchange_rate"] = frappe.db.get_value(d.voucher_type, d.voucher_no, "conversion_rate")
+ elif d.voucher_type == "Journal Entry":
+ d["exchange_rate"] = get_exchange_rate(
+ party_account_currency, company_currency, d.posting_date
+ )
# Get all SO / PO which are not fully billed or aginst which full advance not paid
orders_to_be_billed = get_orders_to_be_billed(args.get("posting_date"),args.get("party_type"), args.get("party"),
diff --git a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json
index 36db684..8015fb7 100755
--- a/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json
+++ b/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.json
@@ -3238,7 +3238,7 @@
"in_filter": 0,
"in_global_search": 0,
"in_list_view": 0,
- "in_standard_filter": 0,
+ "in_standard_filter": 1,
"label": "Status",
"length": 0,
"no_copy": 0,
@@ -3767,10 +3767,11 @@
"istable": 0,
"max_attachments": 0,
"menu_index": 0,
- "modified": "2017-06-13 14:28:57.930167",
+ "modified": "2017-06-29 10:48:09.707735",
"modified_by": "Administrator",
"module": "Accounts",
"name": "Purchase Invoice",
+ "name_case": "Title Case",
"owner": "Administrator",
"permissions": [
{
diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.js b/erpnext/accounts/doctype/sales_invoice/sales_invoice.js
index 4a1685b..68b5d46 100644
--- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.js
+++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.js
@@ -71,17 +71,19 @@
});
if(!from_delivery_note && !is_delivered_by_supplier) {
- cur_frm.add_custom_button(__('Delivery'), cur_frm.cscript['Make Delivery Note'],
- __("Make"));
+ cur_frm.add_custom_button(__('Delivery'),
+ cur_frm.cscript['Make Delivery Note'], __("Make"));
}
}
if(doc.outstanding_amount!=0 && !cint(doc.is_return)) {
- cur_frm.add_custom_button(__('Payment'), this.make_payment_entry, __("Make"));
+ cur_frm.add_custom_button(__('Payment'),
+ this.make_payment_entry, __("Make"));
}
if(doc.outstanding_amount>0 && !cint(doc.is_return)) {
- cur_frm.add_custom_button(__('Payment Request'), this.make_payment_request, __("Make"));
+ cur_frm.add_custom_button(__('Payment Request'),
+ this.make_payment_request, __("Make"));
}
@@ -303,6 +305,23 @@
}
this.frm.refresh_fields();
+ },
+
+ company_address: function() {
+ var me = this;
+ if(this.frm.doc.company_address) {
+ frappe.call({
+ method: "frappe.contacts.doctype.address.address.get_address_display",
+ args: {"address_dict": this.frm.doc.company_address },
+ callback: function(r) {
+ if(r.message) {
+ me.frm.set_value("company_address_display", r.message)
+ }
+ }
+ })
+ } else {
+ this.frm.set_value("company_address_display", "");
+ }
}
});
@@ -324,11 +343,13 @@
}
}
+
var item_fields_stock = ['batch_no', 'actual_batch_qty', 'actual_qty', 'expense_account',
'warehouse', 'expense_account', 'quality_inspection']
cur_frm.fields_dict['items'].grid.set_column_disp(item_fields_stock,
(cint(doc.update_stock)==1 || cint(doc.is_return)==1 ? true : false));
+
// India related fields
if (frappe.boot.sysdefaults.country == 'India') unhide_field(['c_form_applicable', 'c_form_no']);
else hide_field(['c_form_applicable', 'c_form_no']);
@@ -481,7 +502,7 @@
'Delivery Note': 'Delivery',
'Sales Invoice': 'Sales Return',
'Payment Request': 'Payment Request',
- 'Payment': 'Payment Entry'
+ 'Payment Entry': 'Payment'
},
frm.fields_dict["timesheets"].grid.get_field("time_sheet").get_query = function(doc, cdt, cdn){
return{
diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json
index 36a66c6..260c05e 100644
--- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.json
+++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.json
@@ -12,6 +12,7 @@
"doctype": "DocType",
"document_type": "",
"editable_grid": 0,
+ "engine": "InnoDB",
"fields": [
{
"allow_bulk_edit": 0,
@@ -190,7 +191,7 @@
"no_copy": 0,
"permlevel": 0,
"precision": "",
- "print_hide": 0,
+ "print_hide": 1,
"print_hide_if_no_value": 0,
"read_only": 1,
"remember_last_selected_value": 0,
@@ -206,37 +207,6 @@
"bold": 0,
"collapsible": 0,
"columns": 0,
- "fieldname": "due_date",
- "fieldtype": "Date",
- "hidden": 0,
- "ignore_user_permissions": 0,
- "ignore_xss_filter": 0,
- "in_filter": 0,
- "in_global_search": 0,
- "in_list_view": 0,
- "in_standard_filter": 0,
- "label": "Payment Due Date",
- "length": 0,
- "no_copy": 1,
- "oldfieldname": "due_date",
- "oldfieldtype": "Date",
- "permlevel": 0,
- "print_hide": 0,
- "print_hide_if_no_value": 0,
- "read_only": 0,
- "remember_last_selected_value": 0,
- "report_hide": 0,
- "reqd": 0,
- "search_index": 0,
- "set_only_once": 0,
- "unique": 0
- },
- {
- "allow_bulk_edit": 0,
- "allow_on_submit": 0,
- "bold": 0,
- "collapsible": 0,
- "columns": 0,
"fieldname": "project",
"fieldtype": "Link",
"hidden": 0,
@@ -253,7 +223,7 @@
"oldfieldtype": "Link",
"options": "Project",
"permlevel": 0,
- "print_hide": 0,
+ "print_hide": 1,
"print_hide_if_no_value": 0,
"read_only": 0,
"remember_last_selected_value": 0,
@@ -314,7 +284,7 @@
"no_copy": 0,
"permlevel": 0,
"precision": "",
- "print_hide": 0,
+ "print_hide": 1,
"print_hide_if_no_value": 0,
"read_only": 1,
"remember_last_selected_value": 0,
@@ -345,7 +315,7 @@
"options": "POS Profile",
"permlevel": 0,
"precision": "",
- "print_hide": 0,
+ "print_hide": 1,
"print_hide_if_no_value": 0,
"read_only": 0,
"remember_last_selected_value": 0,
@@ -516,6 +486,37 @@
"bold": 0,
"collapsible": 0,
"columns": 0,
+ "fieldname": "due_date",
+ "fieldtype": "Date",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 0,
+ "in_standard_filter": 0,
+ "label": "Payment Due Date",
+ "length": 0,
+ "no_copy": 1,
+ "oldfieldname": "due_date",
+ "oldfieldtype": "Date",
+ "permlevel": 0,
+ "print_hide": 1,
+ "print_hide_if_no_value": 0,
+ "read_only": 0,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
+ "collapsible": 0,
+ "columns": 0,
"fieldname": "amended_from",
"fieldtype": "Link",
"hidden": 0,
@@ -850,6 +851,37 @@
"bold": 0,
"collapsible": 0,
"columns": 0,
+ "fieldname": "territory",
+ "fieldtype": "Link",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 0,
+ "in_standard_filter": 0,
+ "label": "Territory",
+ "length": 0,
+ "no_copy": 0,
+ "options": "Territory",
+ "permlevel": 0,
+ "precision": "",
+ "print_hide": 1,
+ "print_hide_if_no_value": 0,
+ "read_only": 0,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
+ "collapsible": 0,
+ "columns": 0,
"fieldname": "col_break4",
"fieldtype": "Column Break",
"hidden": 0,
@@ -949,13 +981,13 @@
"in_global_search": 0,
"in_list_view": 0,
"in_standard_filter": 0,
- "label": "Company Address",
+ "label": "Company Address Name",
"length": 0,
"no_copy": 0,
"options": "Address",
"permlevel": 0,
"precision": "",
- "print_hide": 0,
+ "print_hide": 1,
"print_hide_if_no_value": 0,
"read_only": 0,
"remember_last_selected_value": 0,
@@ -971,24 +1003,23 @@
"bold": 0,
"collapsible": 0,
"columns": 0,
- "fieldname": "territory",
- "fieldtype": "Link",
- "hidden": 0,
+ "fieldname": "company_address_display",
+ "fieldtype": "Small Text",
+ "hidden": 1,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
"in_global_search": 0,
"in_list_view": 0,
"in_standard_filter": 0,
- "label": "Territory",
+ "label": "Company Address",
"length": 0,
"no_copy": 0,
- "options": "Territory",
"permlevel": 0,
"precision": "",
"print_hide": 1,
"print_hide_if_no_value": 0,
- "read_only": 0,
+ "read_only": 1,
"remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
@@ -1479,7 +1510,7 @@
"options": "Sales Invoice Timesheet",
"permlevel": 0,
"precision": "",
- "print_hide": 0,
+ "print_hide": 1,
"print_hide_if_no_value": 0,
"read_only": 0,
"remember_last_selected_value": 0,
@@ -1886,10 +1917,40 @@
"allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
+ "collapsible": 1,
+ "columns": 0,
+ "fieldname": "sec_tax_breakup",
+ "fieldtype": "Section Break",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 0,
+ "in_standard_filter": 0,
+ "label": "Tax Breakup",
+ "length": 0,
+ "no_copy": 0,
+ "permlevel": 0,
+ "precision": "",
+ "print_hide": 0,
+ "print_hide_if_no_value": 0,
+ "read_only": 0,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
"collapsible": 0,
"columns": 0,
"fieldname": "other_charges_calculation",
- "fieldtype": "HTML",
+ "fieldtype": "Text",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
@@ -1899,12 +1960,12 @@
"in_standard_filter": 0,
"label": "Taxes and Charges Calculation",
"length": 0,
- "no_copy": 0,
+ "no_copy": 1,
"oldfieldtype": "HTML",
"permlevel": 0,
"print_hide": 1,
"print_hide_if_no_value": 0,
- "read_only": 0,
+ "read_only": 1,
"remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
@@ -2511,7 +2572,7 @@
"in_filter": 0,
"in_global_search": 0,
"in_list_view": 0,
- "in_standard_filter": 1,
+ "in_standard_filter": 0,
"label": "Outstanding Amount",
"length": 0,
"no_copy": 1,
@@ -2984,7 +3045,7 @@
"options": "Account",
"permlevel": 0,
"precision": "",
- "print_hide": 0,
+ "print_hide": 1,
"print_hide_if_no_value": 0,
"read_only": 0,
"remember_last_selected_value": 0,
@@ -3597,7 +3658,7 @@
"in_filter": 0,
"in_global_search": 0,
"in_list_view": 0,
- "in_standard_filter": 0,
+ "in_standard_filter": 1,
"label": "Status",
"length": 0,
"no_copy": 1,
@@ -4450,7 +4511,7 @@
"options": "Print Format",
"permlevel": 0,
"precision": "",
- "print_hide": 0,
+ "print_hide": 1,
"print_hide_if_no_value": 0,
"read_only": 0,
"remember_last_selected_value": 0,
@@ -4511,7 +4572,7 @@
"length": 0,
"no_copy": 1,
"permlevel": 0,
- "print_hide": 0,
+ "print_hide": 1,
"print_hide_if_no_value": 0,
"read_only": 0,
"remember_last_selected_value": 0,
@@ -4542,7 +4603,7 @@
"length": 0,
"no_copy": 1,
"permlevel": 0,
- "print_hide": 0,
+ "print_hide": 1,
"print_hide_if_no_value": 0,
"read_only": 0,
"remember_last_selected_value": 0,
@@ -4627,10 +4688,11 @@
"istable": 0,
"max_attachments": 0,
"menu_index": 0,
- "modified": "2017-06-22 14:45:35.257640",
+ "modified": "2017-07-07 13:05:37.469682",
"modified_by": "Administrator",
"module": "Accounts",
"name": "Sales Invoice",
+ "name_case": "Title Case",
"owner": "Administrator",
"permissions": [
{
diff --git a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py
index fd4598c..2dd4e7a 100644
--- a/erpnext/accounts/doctype/sales_invoice/sales_invoice.py
+++ b/erpnext/accounts/doctype/sales_invoice/sales_invoice.py
@@ -131,7 +131,8 @@
if not self.is_return:
self.update_billing_status_for_zero_amount_refdoc("Sales Order")
self.check_credit_limit()
- self.update_serial_no()
+
+ self.update_serial_no()
if not cint(self.is_pos) == 1 and not self.is_return:
self.update_against_document_in_jv()
@@ -793,19 +794,19 @@
def update_serial_no(self, in_cancel=False):
""" update Sales Invoice refrence in Serial No """
+ invoice = None if (in_cancel or self.is_return) else self.name
+ if in_cancel and self.is_return:
+ invoice = self.return_against
for item in self.items:
if not item.serial_no:
continue
- serial_nos = ["'%s'"%serial_no for serial_no in item.serial_no.split("\n")]
-
- frappe.db.sql(""" update `tabSerial No` set sales_invoice='{invoice}'
- where name in ({serial_nos})""".format(
- invoice='' if in_cancel else self.name,
- serial_nos=",".join(serial_nos)
- )
- )
+ for serial_no in item.serial_no.split("\n"):
+ if serial_no and frappe.db.exists('Serial No', serial_no):
+ sno = frappe.get_doc('Serial No', serial_no)
+ sno.sales_invoice = invoice
+ sno.db_update()
def validate_serial_numbers(self):
"""
diff --git a/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py b/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py
index 2e044cc..6f1c2c9 100644
--- a/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py
+++ b/erpnext/accounts/doctype/sales_invoice/test_sales_invoice.py
@@ -1105,6 +1105,22 @@
for i, k in enumerate(expected_values["keys"]):
self.assertEquals(d.get(k), expected_values[d.item_code][i])
+ def test_item_wise_tax_breakup(self):
+ si = create_sales_invoice(qty=100, rate=50, do_not_save=True)
+ si.append("taxes", {
+ "charge_type": "On Net Total",
+ "account_head": "_Test Account Service Tax - _TC",
+ "cost_center": "_Test Cost Center - _TC",
+ "description": "Service Tax",
+ "rate": 10
+ })
+ si.insert()
+
+ tax_breakup_html = '''\n<div class="tax-break-up" style="overflow-x: auto;">\n\t<table class="table table-bordered table-hover">\n\t\t<thead><tr><th class="text-left" style="min-width: 120px;">Item Name</th><th class="text-right" style="min-width: 80px;">Taxable Amount</th><th class="text-right" style="min-width: 80px;">_Test Account Service Tax - _TC</th></tr></thead>\n\t\t<tbody><tr><td>_Test Item</td><td class="text-right">\u20b9 5,000.00</td><td class="text-right">(10.0%) \u20b9 500.00</td></tr></tbody>\n\t</table>\n</div>'''
+
+ self.assertEqual(si.other_charges_calculation, tax_breakup_html)
+
+
def create_sales_invoice(**args):
si = frappe.new_doc("Sales Invoice")
args = frappe._dict(args)
diff --git a/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json b/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json
index 9f7085a..5810c69 100644
--- a/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json
+++ b/erpnext/accounts/doctype/sales_invoice_item/sales_invoice_item.json
@@ -11,6 +11,7 @@
"doctype": "DocType",
"document_type": "Document",
"editable_grid": 1,
+ "engine": "InnoDB",
"fields": [
{
"allow_bulk_edit": 0,
@@ -2165,7 +2166,7 @@
"issingle": 0,
"istable": 1,
"max_attachments": 0,
- "modified": "2017-05-10 17:14:42.681757",
+ "modified": "2017-07-06 17:54:03.347700",
"modified_by": "Administrator",
"module": "Accounts",
"name": "Sales Invoice Item",
diff --git a/erpnext/accounts/report/accounts_receivable/accounts_receivable.html b/erpnext/accounts/report/accounts_receivable/accounts_receivable.html
index b798d2b..853b805 100644
--- a/erpnext/accounts/report/accounts_receivable/accounts_receivable.html
+++ b/erpnext/accounts/report/accounts_receivable/accounts_receivable.html
@@ -1,9 +1,3 @@
-{% var letterhead= filters.letter_head || (frappe.get_doc(":Company", filters.company) && frappe.get_doc(":Company", filters.company).default_letter_head) || frappe.defaults.get_default("letter_head"); %}
-{% if(letterhead) { %}
-<div style="margin-bottom: 7px;" class="text-center">
- {%= frappe.boot.letter_heads[letterhead].header %}
-</div>
-{% } %}
<h2 class="text-center">{%= __(report.report_name) %}</h2>
<h4 class="text-center">{%= filters.customer || filters.supplier %} </h4>
<h5 class="text-center">
diff --git a/erpnext/accounts/report/financial_statements.py b/erpnext/accounts/report/financial_statements.py
index 270ad53..b6c4fd2 100644
--- a/erpnext/accounts/report/financial_statements.py
+++ b/erpnext/accounts/report/financial_statements.py
@@ -10,7 +10,7 @@
from erpnext.accounts.utils import get_fiscal_year
-def get_period_list(from_fiscal_year, to_fiscal_year, periodicity, accumulated_values=False,
+def get_period_list(from_fiscal_year, to_fiscal_year, periodicity, accumulated_values=False,
company=None, reset_period_on_fy_change=True):
"""Get a list of dict {"from_date": from_date, "to_date": to_date, "key": key, "label": label}
Periodicity can be (Yearly, Quarterly, Monthly)"""
@@ -85,8 +85,8 @@
return period_list
def get_fiscal_year_data(from_fiscal_year, to_fiscal_year):
- fiscal_year = frappe.db.sql("""select min(year_start_date) as year_start_date,
- max(year_end_date) as year_end_date from `tabFiscal Year` where
+ fiscal_year = frappe.db.sql("""select min(year_start_date) as year_start_date,
+ max(year_end_date) as year_end_date from `tabFiscal Year` where
name between %(from_fiscal_year)s and %(to_fiscal_year)s""",
{'from_fiscal_year': from_fiscal_year, 'to_fiscal_year': to_fiscal_year}, as_dict=1)
@@ -110,7 +110,7 @@
label = formatdate(from_date, "MMM YY") + "-" + formatdate(to_date, "MMM YY")
return label
-
+
def get_data(company, root_type, balance_must_be, period_list, filters=None,
accumulated_values=1, only_current_fiscal_year=True, ignore_closing_entries=False,
ignore_accumulated_values_for_fy=False):
@@ -119,16 +119,16 @@
return None
accounts, accounts_by_name, parent_children_map = filter_accounts(accounts)
-
+
company_currency = frappe.db.get_value("Company", company, "default_currency")
gl_entries_by_account = {}
for root in frappe.db.sql("""select lft, rgt from tabAccount
where root_type=%s and ifnull(parent_account, '') = ''""", root_type, as_dict=1):
-
- set_gl_entries_by_account(company,
+
+ set_gl_entries_by_account(company,
period_list[0]["year_start_date"] if only_current_fiscal_year else None,
- period_list[-1]["to_date"],
+ period_list[-1]["to_date"],
root.lft, root.rgt, filters,
gl_entries_by_account, ignore_closing_entries=ignore_closing_entries)
@@ -136,7 +136,7 @@
accumulate_values_into_parents(accounts, accounts_by_name, period_list, accumulated_values)
out = prepare_data(accounts, balance_must_be, period_list, company_currency)
out = filter_out_zero_value_rows(out, parent_children_map)
-
+
if out:
add_total_row(out, root_type, balance_must_be, period_list, company_currency)
@@ -151,13 +151,13 @@
if entry.posting_date <= period.to_date:
if (accumulated_values or entry.posting_date >= period.from_date) and \
- (not ignore_accumulated_values_for_fy or
+ (not ignore_accumulated_values_for_fy or
entry.fiscal_year == period.to_date_fiscal_year):
d[period.key] = d.get(period.key, 0.0) + flt(entry.debit) - flt(entry.credit)
if entry.posting_date < period_list[0].year_start_date:
d["opening_balance"] = d.get("opening_balance", 0.0) + flt(entry.debit) - flt(entry.credit)
-
+
def accumulate_values_into_parents(accounts, accounts_by_name, period_list, accumulated_values):
"""accumulate children's values in parent accounts"""
for d in reversed(accounts):
@@ -165,7 +165,7 @@
for period in period_list:
accounts_by_name[d.parent_account][period.key] = \
accounts_by_name[d.parent_account].get(period.key, 0.0) + d.get(period.key, 0.0)
-
+
accounts_by_name[d.parent_account]["opening_balance"] = \
accounts_by_name[d.parent_account].get("opening_balance", 0.0) + d.get("opening_balance", 0.0)
@@ -173,15 +173,15 @@
data = []
year_start_date = period_list[0]["year_start_date"].strftime("%Y-%m-%d")
year_end_date = period_list[-1]["year_end_date"].strftime("%Y-%m-%d")
-
+
for d in accounts:
# add to output
has_value = False
total = 0
row = frappe._dict({
- "account_name": d.account_name,
- "account": d.name,
- "parent_account": d.parent_account,
+ "account_name": _(d.account_name),
+ "account": _(d.name),
+ "parent_account": _(d.parent_account),
"indent": flt(d.indent),
"year_start_date": year_start_date,
"year_end_date": year_end_date,
@@ -192,7 +192,7 @@
if d.get(period.key) and balance_must_be=="Credit":
# change sign based on Debit or Credit, since calculation is done using (debit - credit)
d[period.key] *= -1
-
+
row[period.key] = flt(d.get(period.key, 0.0), 3)
if abs(row[period.key]) >= 0.005:
@@ -203,9 +203,9 @@
row["has_value"] = has_value
row["total"] = total
data.append(row)
-
+
return data
-
+
def filter_out_zero_value_rows(data, parent_children_map, show_zero_values=False):
data_with_value = []
for d in data:
@@ -224,8 +224,8 @@
def add_total_row(out, root_type, balance_must_be, period_list, company_currency):
total_row = {
- "account_name": "'" + _("Total {0} ({1})").format(root_type, balance_must_be) + "'",
- "account": "'" + _("Total {0} ({1})").format(root_type, balance_must_be) + "'",
+ "account_name": "'" + _("Total {0} ({1})").format(_(root_type), _(balance_must_be)) + "'",
+ "account": "'" + _("Total {0} ({1})").format(_(root_type), _(balance_must_be)) + "'",
"currency": company_currency
}
@@ -235,11 +235,11 @@
total_row.setdefault(period.key, 0.0)
total_row[period.key] += row.get(period.key, 0.0)
row[period.key] = ""
-
+
total_row.setdefault("total", 0.0)
total_row["total"] += flt(row["total"])
row["total"] = ""
-
+
if total_row.has_key("total"):
out.append(total_row)
diff --git a/erpnext/accounts/report/general_ledger/general_ledger.html b/erpnext/accounts/report/general_ledger/general_ledger.html
index 0a25225..91cc3c9 100644
--- a/erpnext/accounts/report/general_ledger/general_ledger.html
+++ b/erpnext/accounts/report/general_ledger/general_ledger.html
@@ -1,9 +1,3 @@
-{% var letterhead= filters.letter_head || (frappe.get_doc(":Company", filters.company) && frappe.get_doc(":Company", filters.company).default_letter_head) || frappe.defaults.get_default("letter_head"); %}
-{% if(letterhead) { %}
-<div style="margin-bottom: 7px;" class="text-center">
- {%= frappe.boot.letter_heads[letterhead].header %}
-</div>
-{% } %}
<h2 class="text-center">{%= __("Statement of Account") %}</h2>
<h4 class="text-center">
{% if (filters.party_name) { %}
diff --git a/erpnext/accounts/report/gross_profit/gross_profit.py b/erpnext/accounts/report/gross_profit/gross_profit.py
index bb5a82d..20939bd 100644
--- a/erpnext/accounts/report/gross_profit/gross_profit.py
+++ b/erpnext/accounts/report/gross_profit/gross_profit.py
@@ -278,7 +278,7 @@
inner join `tabSales Invoice Item` on `tabSales Invoice Item`.parent = `tabSales Invoice`.name
{sales_team_table}
where
- `tabSales Invoice`.docstatus = 1 and `tabSales Invoice`.is_return != 1 {conditions} {match_cond}
+ `tabSales Invoice`.docstatus = 1 {conditions} {match_cond}
order by
`tabSales Invoice`.posting_date desc, `tabSales Invoice`.posting_time desc"""
.format(conditions=conditions, sales_person_cols=sales_person_cols,
diff --git a/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py b/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py
index 19f74a6..7d10b19 100644
--- a/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py
+++ b/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py
@@ -24,7 +24,7 @@
"fieldtype": "Data",
"width": 80
})
- company_currency = frappe.db.get_value("Company", filters.company, "default_currency")
+ company_currency = frappe.db.get_value("Company", filters.get("company"), "default_currency")
mode_of_payments = get_mode_of_payments(set([d.parent for d in item_list]))
data = []
diff --git a/erpnext/accounts/report/sales_register/sales_register.py b/erpnext/accounts/report/sales_register/sales_register.py
index 49f6471..c471b8b 100644
--- a/erpnext/accounts/report/sales_register/sales_register.py
+++ b/erpnext/accounts/report/sales_register/sales_register.py
@@ -26,7 +26,7 @@
invoice_so_dn_map = get_invoice_so_dn_map(invoice_list)
customers = list(set([inv.customer for inv in invoice_list]))
customer_map = get_customer_details(customers)
- company_currency = frappe.db.get_value("Company", filters.company, "default_currency")
+ company_currency = frappe.db.get_value("Company", filters.get("company"), "default_currency")
mode_of_payments = get_mode_of_payments([inv.name for inv in invoice_list])
data = []
diff --git a/erpnext/buying/doctype/purchase_order/purchase_order.py b/erpnext/buying/doctype/purchase_order/purchase_order.py
index b3bbb92..7e5020a 100644
--- a/erpnext/buying/doctype/purchase_order/purchase_order.py
+++ b/erpnext/buying/doctype/purchase_order/purchase_order.py
@@ -270,6 +270,9 @@
doc = get_mapped_doc("Purchase Order", source_name, {
"Purchase Order": {
"doctype": "Purchase Receipt",
+ "field_map": {
+ "per_billed": "per_billed"
+ },
"validation": {
"docstatus": ["=", 1],
}
diff --git a/erpnext/buying/doctype/request_for_quotation/test_request_for_quotation.py b/erpnext/buying/doctype/request_for_quotation/test_request_for_quotation.py
index 4f205c5..2e8b946 100644
--- a/erpnext/buying/doctype/request_for_quotation/test_request_for_quotation.py
+++ b/erpnext/buying/doctype/request_for_quotation/test_request_for_quotation.py
@@ -3,8 +3,10 @@
# See license.txt
from __future__ import unicode_literals
-import frappe
import unittest
+
+import frappe
+from erpnext.templates.pages.rfq import check_supplier_has_docname_access
from frappe.utils import nowdate
class TestRequestforQuotation(unittest.TestCase):
@@ -28,6 +30,31 @@
self.assertEquals(sq1.get('items')[0].item_code, "_Test Item")
self.assertEquals(sq1.get('items')[0].qty, 5)
+ def test_make_supplier_quotation_with_special_characters(self):
+ from erpnext.buying.doctype.request_for_quotation.request_for_quotation import make_supplier_quotation
+
+ frappe.delete_doc_if_exists("Supplier", "_Test Supplier '1", force=1)
+ supplier = frappe.new_doc("Supplier")
+ supplier.supplier_name = "_Test Supplier '1"
+ supplier.supplier_type = "_Test Supplier Type"
+ supplier.insert()
+
+ rfq = make_request_for_quotation(supplier_wt_appos)
+
+ sq = make_supplier_quotation(rfq.name, supplier_wt_appos[0].get("supplier"))
+ sq.submit()
+
+ frappe.form_dict = frappe.local("form_dict")
+ frappe.form_dict.name = rfq.name
+
+ self.assertEqual(
+ check_supplier_has_docname_access(supplier_wt_appos[0].get('supplier')),
+ True
+ )
+
+ # reset form_dict
+ frappe.form_dict.name = None
+
def test_make_supplier_quotation_from_portal(self):
from erpnext.buying.doctype.request_for_quotation.request_for_quotation import create_supplier_quotation
rfq = make_request_for_quotation()
@@ -44,8 +71,11 @@
self.assertEquals(supplier_quotation_doc.get('items')[0].amount, 500)
-def make_request_for_quotation():
- supplier_data = get_supplier_data()
+def make_request_for_quotation(supplier_data=None):
+ """
+ :param supplier_data: List containing supplier data
+ """
+ supplier_data = supplier_data if supplier_data else get_supplier_data()
rfq = frappe.new_doc('Request for Quotation')
rfq.transaction_date = nowdate()
rfq.status = 'Draft'
@@ -77,3 +107,8 @@
"supplier": "_Test Supplier 1",
"supplier_name": "_Test Supplier 1"
}]
+
+supplier_wt_appos = [{
+ "supplier": "_Test Supplier '1",
+ "supplier_name": "_Test Supplier '1",
+}]
diff --git a/erpnext/change_log/v8/v8_3_0.md b/erpnext/change_log/v8/v8_3_0.md
new file mode 100644
index 0000000..bd8162d
--- /dev/null
+++ b/erpnext/change_log/v8/v8_3_0.md
@@ -0,0 +1,8 @@
+### Production Order Enahancement
+ - Show required items child table.
+ - Source warehouse for each Raw Materials, in Production Order Item and BOM Item table.
+ - Group warehouse allowed for Source and WIP warehouse.
+### GST Tax Invoice Print Format
+ - Added print format to show tax(GST) breakup.
+- Total Stock Summary report.
+- Include Search Fields in Customer Query.
\ No newline at end of file
diff --git a/erpnext/config/schools.py b/erpnext/config/schools.py
index c54f808..b984578 100644
--- a/erpnext/config/schools.py
+++ b/erpnext/config/schools.py
@@ -137,7 +137,14 @@
{
"type": "doctype",
"name": "Assessment Result Tool"
- }
+ },
+ {
+ "type": "report",
+ "is_query_report": True,
+ "name": "Course wise Assessment Report",
+ "doctype": "Assessment Result"
+ },
+
]
},
{
diff --git a/erpnext/controllers/item_variant.py b/erpnext/controllers/item_variant.py
index 3349303..226b17f 100644
--- a/erpnext/controllers/item_variant.py
+++ b/erpnext/controllers/item_variant.py
@@ -169,6 +169,7 @@
return variant
+
def copy_attributes_to_variant(item, variant):
from frappe.model import no_value_fields
@@ -181,8 +182,9 @@
exclude_fields += ['manufacturer', 'manufacturer_part_no']
for field in item.meta.fields:
- if field.fieldtype not in no_value_fields and (not field.no_copy)\
- and field.fieldname not in exclude_fields:
+ # "Table" is part of `no_value_field` but we shouldn't ignore tables
+ if (field.fieldtype == 'Table' or field.fieldtype not in no_value_fields) \
+ and (not field.no_copy) and field.fieldname not in exclude_fields:
if variant.get(field.fieldname) != item.get(field.fieldname):
variant.set(field.fieldname, item.get(field.fieldname))
variant.variant_of = item.name
diff --git a/erpnext/controllers/queries.py b/erpnext/controllers/queries.py
index 0fc08c1..8130af9 100644
--- a/erpnext/controllers/queries.py
+++ b/erpnext/controllers/queries.py
@@ -68,14 +68,17 @@
fields = ["name", "customer_name", "customer_group", "territory"]
meta = frappe.get_meta("Customer")
- fields = fields + [f for f in meta.get_search_fields() if not f in fields]
+ searchfields = meta.get_search_fields()
+ searchfields = searchfields + [f for f in [searchfield or "name", "customer_name"] \
+ if not f in searchfields]
+ fields = fields + [f for f in searchfields if not f in fields]
fields = ", ".join(fields)
+ searchfields = " or ".join([field + " like %(txt)s" for field in searchfields])
return frappe.db.sql("""select {fields} from `tabCustomer`
where docstatus < 2
- and ({key} like %(txt)s
- or customer_name like %(txt)s) and disabled=0
+ and ({scond}) and disabled=0
{mcond}
order by
if(locate(%(_txt)s, name), locate(%(_txt)s, name), 99999),
@@ -84,7 +87,7 @@
name, customer_name
limit %(start)s, %(page_len)s""".format(**{
"fields": fields,
- "key": searchfield,
+ "scond": searchfields,
"mcond": get_match_cond(doctype)
}), {
'txt': "%%%s%%" % txt,
diff --git a/erpnext/controllers/taxes_and_totals.py b/erpnext/controllers/taxes_and_totals.py
index 50f6b61..8eb83af 100644
--- a/erpnext/controllers/taxes_and_totals.py
+++ b/erpnext/controllers/taxes_and_totals.py
@@ -5,7 +5,7 @@
import json
import frappe, erpnext
from frappe import _, scrub
-from frappe.utils import cint, flt, round_based_on_smallest_currency_fraction
+from frappe.utils import cint, flt, cstr, fmt_money, round_based_on_smallest_currency_fraction
from erpnext.controllers.accounts_controller import validate_conversion_rate, \
validate_taxes_and_charges, validate_inclusive_tax
@@ -24,6 +24,9 @@
if self.doc.doctype in ["Sales Invoice", "Purchase Invoice"]:
self.calculate_total_advance()
+
+ if self.doc.meta.get_field("other_charges_calculation"):
+ self.set_item_wise_tax_breakup()
def _calculate(self):
self.calculate_item_values()
@@ -504,3 +507,105 @@
rate_with_margin = flt(item.price_list_rate) + flt(margin_value)
return rate_with_margin
+
+ def set_item_wise_tax_breakup(self):
+ item_tax = {}
+ tax_accounts = []
+ company_currency = erpnext.get_company_currency(self.doc.company)
+
+ item_tax, tax_accounts = self.get_item_tax(item_tax, tax_accounts, company_currency)
+
+ headings = get_table_column_headings(tax_accounts)
+
+ distinct_items = self.get_distinct_items()
+
+ rows = get_table_rows(distinct_items, item_tax, tax_accounts, company_currency)
+
+ if not rows:
+ self.doc.other_charges_calculation = ""
+ else:
+ self.doc.other_charges_calculation = '''
+<div class="tax-break-up" style="overflow-x: auto;">
+ <table class="table table-bordered table-hover">
+ <thead><tr>{headings}</tr></thead>
+ <tbody>{rows}</tbody>
+ </table>
+</div>'''.format(**{
+ "headings": "".join(headings),
+ "rows": "".join(rows)
+})
+
+ def get_item_tax(self, item_tax, tax_accounts, company_currency):
+ for tax in self.doc.taxes:
+ tax_amount_precision = tax.precision("tax_amount")
+ tax_rate_precision = tax.precision("rate");
+
+ item_tax_map = self._load_item_tax_rate(tax.item_wise_tax_detail)
+ for item_code, tax_data in item_tax_map.items():
+ if not item_tax.get(item_code):
+ item_tax[item_code] = {}
+
+ if isinstance(tax_data, list):
+ tax_rate = ""
+ if tax_data[0]:
+ if tax.charge_type == "Actual":
+ tax_rate = fmt_money(flt(tax_data[0], tax_amount_precision),
+ tax_amount_precision, company_currency)
+ else:
+ tax_rate = cstr(flt(tax_data[0], tax_rate_precision)) + "%"
+
+ tax_amount = fmt_money(flt(tax_data[1], tax_amount_precision),
+ tax_amount_precision, company_currency)
+
+ item_tax[item_code][tax.name] = [tax_rate, tax_amount]
+ else:
+ item_tax[item_code][tax.name] = [cstr(flt(tax_data, tax_rate_precision)) + "%", ""]
+ tax_accounts.append([tax.name, tax.account_head])
+
+ return item_tax, tax_accounts
+
+
+ def get_distinct_items(self):
+ distinct_item_names = []
+ distinct_items = []
+ for item in self.doc.items:
+ item_code = item.item_code or item.item_name
+ if item_code not in distinct_item_names:
+ distinct_item_names.append(item_code)
+ distinct_items.append(item)
+
+ return distinct_items
+
+def get_table_column_headings(tax_accounts):
+ headings_name = [_("Item Name"), _("Taxable Amount")] + [d[1] for d in tax_accounts]
+ headings = []
+ for head in headings_name:
+ if head == _("Item Name"):
+ headings.append('<th style="min-width: 120px;" class="text-left">' + (head or "") + "</th>")
+ else:
+ headings.append('<th style="min-width: 80px;" class="text-right">' + (head or "") + "</th>")
+
+ return headings
+
+def get_table_rows(distinct_items, item_tax, tax_accounts, company_currency):
+ rows = []
+ for item in distinct_items:
+ item_tax_record = item_tax.get(item.item_code or item.item_name)
+ if not item_tax_record:
+ continue
+
+ taxes = []
+ for head in tax_accounts:
+ if item_tax_record[head[0]]:
+ taxes.append("<td class='text-right'>(" + item_tax_record[head[0]][0] + ") "
+ + item_tax_record[head[0]][1] + "</td>")
+ else:
+ taxes.append("<td></td>")
+
+ rows.append("<tr><td>{item_name}</td><td class='text-right'>{taxable_amount}</td>{taxes}</tr>".format(**{
+ "item_name": item.item_name,
+ "taxable_amount": fmt_money(item.net_amount, item.precision("net_amount"), company_currency),
+ "taxes": "".join(taxes)
+ }))
+
+ return rows
\ No newline at end of file
diff --git a/erpnext/controllers/tests/test_item_variant.py b/erpnext/controllers/tests/test_item_variant.py
new file mode 100644
index 0000000..9fc45d2
--- /dev/null
+++ b/erpnext/controllers/tests/test_item_variant.py
@@ -0,0 +1,58 @@
+from __future__ import unicode_literals
+
+import frappe
+import json
+import unittest
+
+from erpnext.controllers.item_variant import copy_attributes_to_variant, make_variant_item_code
+
+# python 3 compatibility stuff
+try:
+ unicode = unicode
+except NameError:
+ # Python 3
+ basestring = (str, bytes)
+else:
+ # Python 2
+ basestring = basestring
+
+
+def create_variant_with_tables(item, args):
+ if isinstance(args, basestring):
+ args = json.loads(args)
+
+ template = frappe.get_doc("Item", item)
+ template.quality_parameters.append({
+ "specification": "Moisture",
+ "value": "< 5%",
+ })
+ variant = frappe.new_doc("Item")
+ variant.variant_based_on = 'Item Attribute'
+ variant_attributes = []
+
+ for d in template.attributes:
+ variant_attributes.append({
+ "attribute": d.attribute,
+ "attribute_value": args.get(d.attribute)
+ })
+
+ variant.set("attributes", variant_attributes)
+ copy_attributes_to_variant(template, variant)
+ make_variant_item_code(template.item_code, template.item_name, variant)
+
+ return variant
+
+
+def make_item_variant():
+ frappe.delete_doc_if_exists("Item", "_Test Variant Item-S", force=1)
+ variant = create_variant_with_tables("_Test Variant Item", '{"Test Size": "Small"}')
+ variant.item_code = "_Test Variant Item-S"
+ variant.item_name = "_Test Variant Item-S"
+ variant.save()
+ return variant
+
+
+class TestItemVariant(unittest.TestCase):
+ def test_tables_in_template_copied_to_variant(self):
+ variant = make_item_variant()
+ self.assertNotEqual(variant.get("quality_parameters"), [])
diff --git a/erpnext/docs/assets/img/manufacturing/production-order.png b/erpnext/docs/assets/img/manufacturing/production-order.png
index fb552f3..fc71943 100644
--- a/erpnext/docs/assets/img/manufacturing/production-order.png
+++ b/erpnext/docs/assets/img/manufacturing/production-order.png
Binary files differ
diff --git a/erpnext/docs/assets/img/regional/__init__.py b/erpnext/docs/assets/img/regional/__init__.py
new file mode 100644
index 0000000..e69de29
--- /dev/null
+++ b/erpnext/docs/assets/img/regional/__init__.py
diff --git a/erpnext/docs/assets/img/regional/india/__init__.py b/erpnext/docs/assets/img/regional/india/__init__.py
new file mode 100644
index 0000000..e69de29
--- /dev/null
+++ b/erpnext/docs/assets/img/regional/india/__init__.py
diff --git a/erpnext/docs/assets/img/regional/india/address-template-gstin.png b/erpnext/docs/assets/img/regional/india/address-template-gstin.png
new file mode 100644
index 0000000..5862c54
--- /dev/null
+++ b/erpnext/docs/assets/img/regional/india/address-template-gstin.png
Binary files differ
diff --git a/erpnext/docs/assets/img/regional/india/sample-gst-tax-invoice.png b/erpnext/docs/assets/img/regional/india/sample-gst-tax-invoice.png
new file mode 100644
index 0000000..cb65724
--- /dev/null
+++ b/erpnext/docs/assets/img/regional/india/sample-gst-tax-invoice.png
Binary files differ
diff --git a/erpnext/docs/assets/img/setup/email/email-alert-set-property.png b/erpnext/docs/assets/img/setup/email/email-alert-set-property.png
new file mode 100644
index 0000000..658b149
--- /dev/null
+++ b/erpnext/docs/assets/img/setup/email/email-alert-set-property.png
Binary files differ
diff --git a/erpnext/docs/assets/old_images/erpnext/overview.png b/erpnext/docs/assets/img/setup/overview.png
similarity index 100%
rename from erpnext/docs/assets/old_images/erpnext/overview.png
rename to erpnext/docs/assets/img/setup/overview.png
Binary files differ
diff --git a/erpnext/docs/assets/img/setup/sms-setting2.jpg b/erpnext/docs/assets/img/setup/sms-settings2.jpg
similarity index 100%
rename from erpnext/docs/assets/img/setup/sms-setting2.jpg
rename to erpnext/docs/assets/img/setup/sms-settings2.jpg
Binary files differ
diff --git a/erpnext/docs/assets/img/setup/stock-reco-data.png b/erpnext/docs/assets/img/setup/stock-reco-data.png
new file mode 100644
index 0000000..98338e1
--- /dev/null
+++ b/erpnext/docs/assets/img/setup/stock-reco-data.png
Binary files differ
diff --git a/erpnext/docs/assets/img/setup/stock-reco-ledger.png b/erpnext/docs/assets/img/setup/stock-reco-ledger.png
new file mode 100644
index 0000000..aa4be32
--- /dev/null
+++ b/erpnext/docs/assets/img/setup/stock-reco-ledger.png
Binary files differ
diff --git a/erpnext/docs/assets/img/setup/stock-reco-upload.gif b/erpnext/docs/assets/img/setup/stock-reco-upload.gif
new file mode 100644
index 0000000..20ff7bb
--- /dev/null
+++ b/erpnext/docs/assets/img/setup/stock-reco-upload.gif
Binary files differ
diff --git a/erpnext/docs/assets/img/setup/workflow-1.png b/erpnext/docs/assets/img/setup/workflow-1.png
index 7fd6f17..9a7283f 100644
--- a/erpnext/docs/assets/img/setup/workflow-1.png
+++ b/erpnext/docs/assets/img/setup/workflow-1.png
Binary files differ
diff --git a/erpnext/docs/assets/img/setup/workflow-4.png b/erpnext/docs/assets/img/setup/workflow-4.png
index ee991f9..9faf4dd 100644
--- a/erpnext/docs/assets/img/setup/workflow-4.png
+++ b/erpnext/docs/assets/img/setup/workflow-4.png
Binary files differ
diff --git a/erpnext/docs/assets/img/setup/workflow-5.png b/erpnext/docs/assets/img/setup/workflow-5.png
index ad360c6..8bf2cbf 100644
--- a/erpnext/docs/assets/img/setup/workflow-5.png
+++ b/erpnext/docs/assets/img/setup/workflow-5.png
Binary files differ
diff --git a/erpnext/docs/assets/old_images/erpnext/workflow-leave-fl.jpg b/erpnext/docs/assets/img/setup/workflow-leave-fl.jpg
similarity index 100%
rename from erpnext/docs/assets/old_images/erpnext/workflow-leave-fl.jpg
rename to erpnext/docs/assets/img/setup/workflow-leave-fl.jpg
Binary files differ
diff --git a/erpnext/docs/assets/img/stock/item-manufacturing-and-website.png b/erpnext/docs/assets/img/stock/item-manufacturing-and-website.png
deleted file mode 100644
index 5fc5606..0000000
--- a/erpnext/docs/assets/img/stock/item-manufacturing-and-website.png
+++ /dev/null
Binary files differ
diff --git a/erpnext/docs/assets/old_images/erpnext/email-digest.png b/erpnext/docs/assets/old_images/erpnext/email-digest.png
deleted file mode 100644
index ac26e94..0000000
--- a/erpnext/docs/assets/old_images/erpnext/email-digest.png
+++ /dev/null
Binary files differ
diff --git a/erpnext/docs/assets/old_images/erpnext/opening-entry-1.png b/erpnext/docs/assets/old_images/erpnext/opening-entry-1.png
deleted file mode 100644
index 42fbe57..0000000
--- a/erpnext/docs/assets/old_images/erpnext/opening-entry-1.png
+++ /dev/null
Binary files differ
diff --git a/erpnext/docs/assets/old_images/erpnext/stock-reco-data.png b/erpnext/docs/assets/old_images/erpnext/stock-reco-data.png
deleted file mode 100644
index 50c027e..0000000
--- a/erpnext/docs/assets/old_images/erpnext/stock-reco-data.png
+++ /dev/null
Binary files differ
diff --git a/erpnext/docs/assets/old_images/erpnext/stock-reco-ledger.png b/erpnext/docs/assets/old_images/erpnext/stock-reco-ledger.png
deleted file mode 100644
index 811689f..0000000
--- a/erpnext/docs/assets/old_images/erpnext/stock-reco-ledger.png
+++ /dev/null
Binary files differ
diff --git a/erpnext/docs/assets/old_images/erpnext/stock-reco-upload.png b/erpnext/docs/assets/old_images/erpnext/stock-reco-upload.png
deleted file mode 100644
index 1c6d7d0..0000000
--- a/erpnext/docs/assets/old_images/erpnext/stock-reco-upload.png
+++ /dev/null
Binary files differ
diff --git a/erpnext/docs/assets/old_images/erpnext/supplier-quotation-f.jpg b/erpnext/docs/assets/old_images/erpnext/supplier-quotation-f.jpg
deleted file mode 100644
index 03c50de..0000000
--- a/erpnext/docs/assets/old_images/erpnext/supplier-quotation-f.jpg
+++ /dev/null
Binary files differ
diff --git a/erpnext/docs/assets/old_images/erpnext/third-party-backups.png b/erpnext/docs/assets/old_images/erpnext/third-party-backups.png
deleted file mode 100644
index 3bd10c8..0000000
--- a/erpnext/docs/assets/old_images/erpnext/third-party-backups.png
+++ /dev/null
Binary files differ
diff --git a/erpnext/docs/assets/old_images/erpnext/workflow-employee-la.png b/erpnext/docs/assets/old_images/erpnext/workflow-employee-la.png
deleted file mode 100644
index e0878a3..0000000
--- a/erpnext/docs/assets/old_images/erpnext/workflow-employee-la.png
+++ /dev/null
Binary files differ
diff --git a/erpnext/docs/assets/old_images/erpnext/workflow-hr-user-la.png b/erpnext/docs/assets/old_images/erpnext/workflow-hr-user-la.png
deleted file mode 100644
index 80f3ecc..0000000
--- a/erpnext/docs/assets/old_images/erpnext/workflow-hr-user-la.png
+++ /dev/null
Binary files differ
diff --git a/erpnext/docs/assets/old_images/erpnext/workflow-leave-approver-la.png b/erpnext/docs/assets/old_images/erpnext/workflow-leave-approver-la.png
deleted file mode 100644
index 26ff3e6..0000000
--- a/erpnext/docs/assets/old_images/erpnext/workflow-leave-approver-la.png
+++ /dev/null
Binary files differ
diff --git a/erpnext/docs/license.html b/erpnext/docs/license.html
index 4740c5c..1d50b78 100644
--- a/erpnext/docs/license.html
+++ b/erpnext/docs/license.html
@@ -640,8 +640,8 @@
the exclusion of warranty; and each file should have at least the
"copyright" line and a pointer to where the full notice is found.</p>
-<pre><code> <one line to give the program's name and a brief idea of what it does.>
- Copyright (C) <year> <name of author>
+<pre><code> <one line="" to="" give="" the="" program's="" name="" and="" a="" brief="" idea="" of="" what="" it="" does.="">
+ Copyright (C) <year> <name of="" author="">
This program is free software: you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
diff --git a/erpnext/docs/user/manual/de/accounts/opening-accounts.md b/erpnext/docs/user/manual/de/accounts/opening-accounts.md
index 47acaca..f264fc8 100644
--- a/erpnext/docs/user/manual/de/accounts/opening-accounts.md
+++ b/erpnext/docs/user/manual/de/accounts/opening-accounts.md
@@ -38,15 +38,13 @@
Vervollständigen Sie die Buchungssätze auf der Soll- und Haben-Seite.
-
+<img class="screenshot" alt="Opening Account" src="{{docs_base_url}}/assets/img/accounts/opening-6.png">
Um einen Eröffnungsstand einzupflegen, erstellen Sie einen Buchungssatz für ein Konto oder eine Gruppe von Konten.
Beispiel: Wenn Sie die Kontenstände von drei Bankkonten einpflegen möchten, dann erstellen Sie Buchungssätze der folgenden Art und Weise:
-
-
-
+<img class="screenshot" alt="Opening Account" src="{{docs_base_url}}/assets/img/accounts/opening-3.png">
Um einen Ausgleich herzustellen, wird ein temporäres Konto für Vermögen und Verbindlichkeiten verwendet. Wenn Sie einen Anfangsbestand in einem Verbindlichkeitenkonto einpflegen, können Sie zum Ausgleich ein temporäres Vermögenskonto verwenden.
@@ -61,7 +59,8 @@
Wenn Sie die Buchungen erstellt haben, schaut der Bericht zur Probebilanz in etwa wie folgt aus:
-
+<img class="screenshot" alt="Probebilanz" src="{{docs_base_url}}/assets/img/accounts/opening-4.png">
+
### Offene Rechnungen
diff --git a/erpnext/docs/user/manual/de/introduction/key-workflows.md b/erpnext/docs/user/manual/de/introduction/key-workflows.md
index 7edd47b..ac5392c 100644
--- a/erpnext/docs/user/manual/de/introduction/key-workflows.md
+++ b/erpnext/docs/user/manual/de/introduction/key-workflows.md
@@ -3,10 +3,9 @@
Dieses Diagramm stellt dar, wie ERPNext die Informationen und Vorgänge in Ihrem Unternehmen über Schlüsselfunktionen nachverfolgt. Dieses Diagramm gibt nicht alle Funktionalitäten von ERPNext wieder.
-
+<img class="screenshot" alt="Hohe Auflösung" src="{{docs_base_url}}/assets/img/setup/overview.png">
-[Hohe Auflösung]({{docs_base_url}}/assets/old_images/erpnext/overview.png)
_Anmerkung: Nicht alle Schritte sind zwingend erforderlich. ERPNext erlaubt es Ihnen nach eigenem Gutdünken Schritte auszulassen, wenn Sie den Prozess vereinfachen wollen._
diff --git a/erpnext/docs/user/manual/de/manufacturing/subcontracting.md b/erpnext/docs/user/manual/de/manufacturing/subcontracting.md
index 28fa3cd..2796610 100644
--- a/erpnext/docs/user/manual/de/manufacturing/subcontracting.md
+++ b/erpnext/docs/user/manual/de/manufacturing/subcontracting.md
@@ -11,7 +11,8 @@
2. Erstellen Sie ein Lager für den Lieferanten, damit Sie die übergebenen Artikel nachverfolgen können (möglicherweise geben Sie ja Artikel im Wert einer Monatslieferung außer Haus).
3. Stellen Sie für den bearbeiteten Artikel und der Artikelvorlage den Punkt "Ist Fremdvergabe" auf JA ein.
-
+<img class="screenshot" alt="Fremdvergabe" src="{{docs_base_url}}/assets/img/manufacturing/subcontract.png">
+
**Schritt 1:** Erstellen Sie für den bearbeiteten Artikel eine Stückliste, die den unbearbeiteten Artikel als Unterartikel enthält. Beispiel: Wenn Sie einen Stift herstellen, wird der bearbeitete Stift mit der Stückliste benannt, wbei der Tintentank, der Knopf und andere Artikel, die in die Fertigung eingehen als Unterartikel verwaltet werden.
diff --git a/erpnext/docs/user/manual/de/setting-up/stock-reconciliation-for-non-serialized-item.md b/erpnext/docs/user/manual/de/setting-up/stock-reconciliation-for-non-serialized-item.md
index 55f86ab..01f2281 100644
--- a/erpnext/docs/user/manual/de/setting-up/stock-reconciliation-for-non-serialized-item.md
+++ b/erpnext/docs/user/manual/de/setting-up/stock-reconciliation-for-non-serialized-item.md
@@ -27,7 +27,7 @@
#### Schritt 2: Geben Sie Daten in die CSV-Datei ein.
-
+<img class="screenshot" alt="Bestandsabgleich" src="{{docs_base_url}}/assets/img/setup/stock-reco-data.png">
Das CSV-Format beachtet Groß- und Kleinschreibung. Verändern Sie nicht die Kopfbezeichnungen, die in der Vorlage vordefiniert wurden. In den Spalten "Artikelnummer" und "Lager" geben Sie bitte die richtige Artikelnummer und das Lager ein, so wie es in ERPNext bezeichnet wird. Für die Menge geben Sie den Lagerbestand, den Sie für diesen Artikel erfassen wollen, in einem bestimmten Lager ein. Wenn Sie die Menge oder den wertmäßigen Betrag eines Artikels nicht ändern wollen, dann lassen Sie den Eintrag leer.
Anmerkung: Geben Sie keine "0" ein, wenn sie die Menge oder den wertmäßigen Betrag nicht ändern wollen. Sonst kalkuliert das System eine Menge von "0". Lassen Sie also das Feld leer!
@@ -52,11 +52,12 @@
#### Schritt 4: Überprüfen Sie die Daten zum Bestandsabgleich
-
+<img class="screenshot" alt="Bestandsabgleich Überprüfung" src="{{docs_base_url}}/assets/img/setup/stock-reco-upload.gif">
### Bericht zum Lagerbuch
-
+<img class="screenshot" alt="Bestandsabgleich" src="{{docs_base_url}}/assets/img/setup/stock-reco-ledger.png">
+
##### So arbeitet der Bestandsabgleich
diff --git a/erpnext/docs/user/manual/de/setting-up/workflows.md b/erpnext/docs/user/manual/de/setting-up/workflows.md
index 5af2a07..7879a0a 100644
--- a/erpnext/docs/user/manual/de/setting-up/workflows.md
+++ b/erpnext/docs/user/manual/de/setting-up/workflows.md
@@ -7,7 +7,7 @@
Wenn ein Benutzer einen Urlaub beantragt, dann wird seine Anfrage an die Personalabteilung weiter geleitet. Die Personalabteilung, repräsentiert durch einen Mitarbeiter der Personalabteilung, wird diese Anfrage dann entweder genehmigen oder ablehnen. Wenn dieser Prozess abgeschlossen ist, dann bekommt der Vorgesetzte des Benutzers (der Urlaubsgenehmiger) eine Mitteilung, dass die Personalabteilung den Antrag genehmigt oder abgelehnt hat. Der Vorgesetzte, der die genehmigende Instanz ist, wird dann den Antrag entweder genehmigen oder ablehnen. Dementsprechend bekommt der Benutzer dann eine Genehmigung oder eine Ablehnung.
-
+<img class="screenshot" alt="Workflow" src="{{docs_base_url}}/assets/img/setup/workflow-leave-fl.jpg">
Um einen Workflow und Übergangsregeln zu erstellen, gehen Sie zu:
@@ -37,14 +37,14 @@
Wenn ein Urlaubsantrag übertragen wird, steht der Status in der Ecke der rechten Seite auf "Beantragt".
-
+<img class="screenshot" alt="Workflow" src="{{docs_base_url}}/assets/img/setup/workflow-3.png">
Wenn sich ein Mitarbeiter der Personalabteilung anmeldet, dann kann er den Antrag genehmigen oder ablehnen. Wenn eine Genehmigung erfolgt, wechselt der Status in der rechten Ecke zu "Genehmigt". Es wird jedoch ein blaues Informationssymbol angezeigt, welches aussagt, dass der Urlaubsantrag noch anhängig ist.
-
+<img class="screenshot" alt="Workflow" src="{{docs_base_url}}/assets/img/setup/workflow-4.png">
Wenn der Urlaubsgenehmiger die Seite mit den Urlaubsanträgen öffnet, kann er den Status von "Genehmigt" auf "Abgelehnt" ändern.
-
+<img class="screenshot" alt="Workflow" src="{{docs_base_url}}/assets/img/setup/workflow-5.png">
{next}
diff --git a/erpnext/docs/user/manual/en/introduction/key-workflows.md b/erpnext/docs/user/manual/en/introduction/key-workflows.md
index 8c8d6ec..bb03269 100644
--- a/erpnext/docs/user/manual/en/introduction/key-workflows.md
+++ b/erpnext/docs/user/manual/en/introduction/key-workflows.md
@@ -6,7 +6,7 @@

-[Full Resolution]({{docs_base_url}}/assets/old_images/erpnext/overview.png)
+<img class="screenshot" alt="Workflow" src="{{docs_base_url}}/assets/img/setup/overview.png">
_Note: Not all of the steps are mandatory. ERPNext allows you to freely skip
steps if you want to simplify the process._
diff --git a/erpnext/docs/user/manual/en/manufacturing/production-order.md b/erpnext/docs/user/manual/en/manufacturing/production-order.md
index 685a2ca..a19c510 100644
--- a/erpnext/docs/user/manual/en/manufacturing/production-order.md
+++ b/erpnext/docs/user/manual/en/manufacturing/production-order.md
@@ -17,9 +17,15 @@
* Select the Item to be produced.
* The default BOM for that item will be fetched by the system. You can also change BOM.
+ * Enter the Qty to manufacture.
* If the selected BOM has operartion mentioned in it, the system shall fetch all operations from BOM.
* Mention the Planned Start Date (an Estimated Date at which you want the Production to begin.)
- * Select Warehouses. Work-in-Progress Warehouse is where your Items will be transferred when you begin production and Target Warehouse is where you store finished Items before they are shipped.
+ * Select Warehouses:
+ * Source Warehouses: The warehouse where you store your raw materials. Each required item can have separate source warehouse. Group warehouse also can be selected as source warehouse. On submission of Production Order, the raw mateirals will be reserved in these warehouses for production usage.
+ * Work-in-Progress Warehouse: The warehouse where your Items will be transferred when you begin production. Group Warehouse can also be selected as Work-in-Progress warehouse.
+ * Target Warehouse: The warehouse where you store finished Items before they are shipped.
+ * Scrap Warehouse: Scrap Items will be stored in this warehouse.
+ * Required Items: All the required items (raw materials) will be fetched from BOM and populated in this table. Here you can also change the default source warehouse for any item. And during the production, you can track transferred raw materials from this table.
> Note : You can save a Production Order without selecting the warehouses, but warehouses are mandatory for submitting a Production Order
diff --git a/erpnext/docs/user/manual/en/regional/__init__.py b/erpnext/docs/user/manual/en/regional/__init__.py
new file mode 100644
index 0000000..e69de29
--- /dev/null
+++ b/erpnext/docs/user/manual/en/regional/__init__.py
diff --git a/erpnext/docs/user/manual/en/regional/india/__init__.py b/erpnext/docs/user/manual/en/regional/india/__init__.py
new file mode 100644
index 0000000..e69de29
--- /dev/null
+++ b/erpnext/docs/user/manual/en/regional/india/__init__.py
diff --git a/erpnext/docs/user/manual/en/regional/india/gst-setup.md b/erpnext/docs/user/manual/en/regional/india/gst-setup.md
index 48e5066..49d75b1 100644
--- a/erpnext/docs/user/manual/en/regional/india/gst-setup.md
+++ b/erpnext/docs/user/manual/en/regional/india/gst-setup.md
@@ -14,6 +14,13 @@
<img class="screenshot" alt="GST in Company" src="{{docs_base_url}}/assets/img/regional/india/gstin-company.gif">
+**Include GSTIN number in the Address Template**
+
+Open Address Template record for India, add GSTIN number and State Code there if not exists.
+
+<img class="screenshot" alt="GST in Company" src="{{docs_base_url}}/assets/img/regional/india/address-template-gstin.png">
+
+
### 2. Setting up HSN Codes
According to the GST Law, your itemised invoices must contain the HSN Code related to that Item. ERPNext comes pre-installed with all 12,000+ HSN Codes so that you can easily select the relevant HSN Code in your Item
@@ -54,6 +61,12 @@
<img class="screenshot" alt="GST Invoice" src="{{docs_base_url}}/assets/img/regional/india/gst-invoice.gif">
+### 6. Print GST Tax Invoice
+
+To print Tax Invoice as per GSTN guidelines, please select **GST Tax Invoice** print format. This print format includes company address, GSTIN numbers, HSN/SAC Code and item-wise tax breakup. And while printing select correct value of Invoice Copy field, to mention whether it is for the Customer, Supplier or Transporter.
+
+<img class="screenshot" alt="Sample GST Tax Invoice" src="{{docs_base_url}}/assets/img/regional/india/sample-gst-tax-invoice.png">
+
### Reports
ERPNext comes with most of your reports you need to prepare your GST Returns. Go to Accounts > GST India head for the list.
diff --git a/erpnext/docs/user/manual/en/setting-up/email/.md b/erpnext/docs/user/manual/en/setting-up/email/.md
index feb724f..5e024b0 100644
--- a/erpnext/docs/user/manual/en/setting-up/email/.md
+++ b/erpnext/docs/user/manual/en/setting-up/email/.md
@@ -91,5 +91,5 @@
#### Figure 4: Set up Email Digest
-
+<img class="screenshot" alt="Email Digest" src="{{docs_base_url}}/assets/img/setup/email/email-digest.png">
diff --git a/erpnext/docs/user/manual/en/setting-up/email/email-alerts.md b/erpnext/docs/user/manual/en/setting-up/email/email-alerts.md
index 9ec3073..8d239ea 100644
--- a/erpnext/docs/user/manual/en/setting-up/email/email-alerts.md
+++ b/erpnext/docs/user/manual/en/setting-up/email/email-alerts.md
@@ -42,6 +42,7 @@
The above example will send an Email Alert when a Task is saved with the status "Open" and the Expected End Date for the Task is the date on or before the date on which it was saved on.
+
### Setting a Message
You can use both Jinja Tags (`{% raw %}{{ doc.[field_name] }}{% endraw %}`) and HTML tags in the message textbox.
@@ -64,6 +65,17 @@
---
+### Setting a Value after the Alert is Set
+
+Sometimes to make sure that the email alert is not sent multiple times, you can
+define a custom property (via Customize Form) like "Email Alert Sent" and then
+set this property after the alert is sent by setting the **Set Property After Alert**
+field.
+
+Then you can use that as a condition in the **Condition** rules to ensure emails are not sent multiple times
+
+<img class="screenshot" alt="Setting Property in Email Alert" src="{{docs_base_url}}/assets/img/setup/email/email-alert-subject.png">
+
### Example
1. Defining the Criteria
diff --git a/erpnext/docs/user/manual/en/setting-up/stock-reconciliation-for-non-serialized-item.md b/erpnext/docs/user/manual/en/setting-up/stock-reconciliation-for-non-serialized-item.md
index 630e247..743f398 100644
--- a/erpnext/docs/user/manual/en/setting-up/stock-reconciliation-for-non-serialized-item.md
+++ b/erpnext/docs/user/manual/en/setting-up/stock-reconciliation-for-non-serialized-item.md
@@ -31,7 +31,7 @@
#### Step 2: Enter Data in csv file.
-
+<img class="screenshot" alt="Stock Reconciliation" src="{{docs_base_url}}/assets/img/setup/stock-reco-data.png">
The csv format is case-sensitive. Do not edit the headers which are preset in the template. In the Item Code and Warehouse column, enter exact Item Code and Warehouse as created in your ERPNext account. For quatity, enter stock level you wish to set for that item, in a specific warehouse.
@@ -59,11 +59,12 @@
#### Step 4: Review the reconciliation data
-
+<img class="screenshot" alt="Stock Reconciliation" src="{{docs_base_url}}/assets/img/setup/stock-reco-upload.gif">
### Stock Ledger Report
-
+<img class="screenshot" alt="Stock Reconciliation" src="{{docs_base_url}}/assets/img/setup//stock-reco-ledger.png">
+
**How Stock Reconciliation Works**
diff --git a/erpnext/docs/user/manual/en/setting-up/workflows.md b/erpnext/docs/user/manual/en/setting-up/workflows.md
index 5593a53..bedb6db 100644
--- a/erpnext/docs/user/manual/en/setting-up/workflows.md
+++ b/erpnext/docs/user/manual/en/setting-up/workflows.md
@@ -11,7 +11,7 @@
Manager, who is the approving authority, will either Approve or Reject this
request. Accordingly,the user will get his Approved or Rejected status.
-
+<img class="screenshot" alt="Workflow" src="{{docs_base_url}}/assets/img/setup/workflow-leave-fl.jpg">
To make this Workflow and transition rules go to :
@@ -46,15 +46,15 @@
When a Leave Application is saved by Employee, the status of the document changes to "Applied"
-
+<img class="screenshot" alt="Workflow" src="{{docs_base_url}}/assets/img/setup/workflow-3.png">
When the HR User logs in, he can either Approve or Reject. If approved the
status of the document changes to "Approved by HR". However, it is yet to be approved by Leave Approver.
-
+<img class="screenshot" alt="Workflow" src="{{docs_base_url}}/assets/img/setup/workflow-4.png">
When the Leave Approver opens the Leave Application page, he can finally "Approve" or "Reject" the Leave Application.
-
+<img class="screenshot" alt="Workflow" src="{{docs_base_url}}/assets/img/setup/workflow-5.png">
{next}
diff --git a/erpnext/docs/user/manual/en/stock/item/index.md b/erpnext/docs/user/manual/en/stock/item/index.md
index c0a96df..aea38f5 100644
--- a/erpnext/docs/user/manual/en/stock/item/index.md
+++ b/erpnext/docs/user/manual/en/stock/item/index.md
@@ -37,9 +37,9 @@
### Re Ordering
- * **Re-order level** suggests the amount of stock balance in the Warehouse.
- * **Re-order Qty** suggests the amount of stock to be ordered to maintain minimum stock levels.
- * **Minimum Order Qty** is the minimum quantity for which a Material Request / Purchase Order must be made.
+ ***Re-order level** suggests the amount of stock balance in the Warehouse.
+ ***Re-order Qty** suggests the amount of stock to be ordered to maintain minimum stock levels.
+ ***Minimum Order Qty** is the minimum quantity for which a Material Request / Purchase Order must be made.
### Item Tax
@@ -55,6 +55,8 @@
### Purchase Details
+<img alt="Item Purchase Details" class="screenshot" src="{{docs_base_url}}/assets/img/stock/item-purchase.png">
+
<img class="screenshot" alt="Purchase details" src="{{docs_base_url}}/assets/img/stock/item-purchase.png">
* **Lead time days:** Lead time days are the number of days required for the Item to reach the warehouse.
@@ -79,9 +81,13 @@
* **Default Income Account:** Income account selected here will be fetched automatically in sales invoice for this item.
-* **Cost Centre:** Cost center selected here will be fetched automatically in sales invoice for this item.
+<img class="screenshot" alt="Sales details" src="{{docs_base_url}}/assets/img/stock/item-sales.png)">
-* **Customer Codes:** Track Item Code assigned by the Customers for this Item. This will help you in searching item while creating Sales Order based on the Item Code in the Customer's Purchase Order.
+<img class="screenshot" alt="Sales details" src="{{docs_base_url}}/assets/img/stock/item-sales.png">
+
+***Cost Centre:** Cost center selected here will be fetched automatically in sales invoice for this item.
+
+***Customer Codes:** Track Item Code assigned by the Customers for this Item. This will help you in searching item while creating Sales Order based on the Item Code in the Customer's Purchase Order.
<img class="screenshot" alt="Sales details" src="{{docs_base_url}}/assets/img/stock/item-sales.png)">
diff --git a/erpnext/docs/user/manual/en/using-erpnext/articles/Global-search.md b/erpnext/docs/user/manual/en/using-erpnext/articles/Global-search.md
new file mode 100644
index 0000000..776c6e8
--- /dev/null
+++ b/erpnext/docs/user/manual/en/using-erpnext/articles/Global-search.md
@@ -0,0 +1,16 @@
+Global-search.md
+
+
+Global search is a word-processing operation in which a complete computer file or set of files is searched for every occurrence of a particular word or other sequence of characters.
+
+We have made the Awesome Bar of ERPNext lot more powerful by adding Global Search feature.
+Global Search helps users find information quickly. It’s located in the upper right-hand corner in ERPNext. Simply entering a few characters in the Search will show results from several different record types (Contact, Customer, Issues etc.) related to that keyword. You can also customise the fields based on which search will be shown.
+
+### Using Awesome bar for Global Search.
+
+<img alt="Global Search" class="screenshot" src="{{docs_base_url}}/assets/img/articles/Global Search .gif">
+
+### Enable Global Search for fields in a Doctype.
+
+<img alt="Global Search" class="screenshot" src="{{docs_base_url}}/assets/img/articles/Enable Global Search .gif">
+
diff --git a/erpnext/hooks.py b/erpnext/hooks.py
index ec93f62..0966485 100644
--- a/erpnext/hooks.py
+++ b/erpnext/hooks.py
@@ -80,6 +80,13 @@
"parents": [{"title": _("Supplier Quotation"), "name": "quotations"}]
}
},
+ {"from_route": "/quotes", "to_route": "Quotation"},
+ {"from_route": "/quotes/<path:name>", "to_route": "order",
+ "defaults": {
+ "doctype": "Quotation",
+ "parents": [{"title": _("Quotes"), "name": "quotes"}]
+ }
+ },
{"from_route": "/shipments", "to_route": "Delivery Note"},
{"from_route": "/shipments/<path:name>", "to_route": "order",
"defaults": {
@@ -110,6 +117,7 @@
{"title": _("Projects"), "route": "/project", "reference_doctype": "Project"},
{"title": _("Request for Quotations"), "route": "/rfq", "reference_doctype": "Request for Quotation", "role": "Supplier"},
{"title": _("Supplier Quotation"), "route": "/quotations", "reference_doctype": "Supplier Quotation", "role": "Supplier"},
+ {"title": _("Quotes"), "route": "/quotes", "reference_doctype": "Quotation", "role":"Customer"},
{"title": _("Orders"), "route": "/orders", "reference_doctype": "Sales Order", "role":"Customer"},
{"title": _("Invoices"), "route": "/invoices", "reference_doctype": "Sales Invoice", "role":"Customer"},
{"title": _("Shipments"), "route": "/shipments", "reference_doctype": "Delivery Note", "role":"Customer"},
diff --git a/erpnext/manufacturing/doctype/bom/bom.js b/erpnext/manufacturing/doctype/bom/bom.js
index 87dd565..347314b 100644
--- a/erpnext/manufacturing/doctype/bom/bom.js
+++ b/erpnext/manufacturing/doctype/bom/bom.js
@@ -5,12 +5,24 @@
frappe.ui.form.on("BOM", {
setup: function(frm) {
- frm.add_fetch('buying_price_list', 'currency', 'currency');
- frm.fields_dict["items"].grid.get_field("bom_no").get_query = function(doc, cdt, cdn){
+ frm.add_fetch('buying_price_list', 'currency', 'currency')
+
+ frm.set_query("bom_no", "items", function() {
return {
- filters: {'currency': frm.doc.currency}
+ filters: {
+ 'currency': frm.doc.currency,
+ 'company': frm.doc.company
+ }
}
- }
+ });
+
+ frm.set_query("source_warehouse", "items", function() {
+ return {
+ filters: {
+ 'company': frm.doc.company,
+ }
+ }
+ });
},
onload_post_render: function(frm) {
diff --git a/erpnext/manufacturing/doctype/bom/bom.py b/erpnext/manufacturing/doctype/bom/bom.py
index 218a5f9..681b62f 100644
--- a/erpnext/manufacturing/doctype/bom/bom.py
+++ b/erpnext/manufacturing/doctype/bom/bom.py
@@ -405,6 +405,7 @@
self.add_to_cur_exploded_items(frappe._dict({
'item_code' : d.item_code,
'item_name' : d.item_name,
+ 'source_warehouse': d.source_warehouse,
'description' : d.description,
'image' : d.image,
'stock_uom' : d.stock_uom,
@@ -424,7 +425,8 @@
def get_child_exploded_items(self, bom_no, stock_qty):
""" Add all items from Flat BOM of child BOM"""
# Did not use qty_consumed_per_unit in the query, as it leads to rounding loss
- child_fb_items = frappe.db.sql("""select bom_item.item_code, bom_item.item_name, bom_item.description,
+ child_fb_items = frappe.db.sql("""select bom_item.item_code, bom_item.item_name,
+ bom_item.description, bom_item.source_warehouse,
bom_item.stock_uom, bom_item.stock_qty, bom_item.rate,
bom_item.stock_qty / ifnull(bom.quantity, 1) as qty_consumed_per_unit
from `tabBOM Explosion Item` bom_item, tabBOM bom
@@ -434,9 +436,10 @@
self.add_to_cur_exploded_items(frappe._dict({
'item_code' : d['item_code'],
'item_name' : d['item_name'],
+ 'source_warehouse' : d['source_warehouse'],
'description' : d['description'],
'stock_uom' : d['stock_uom'],
- 'stock_qty' : d['qty_consumed_per_unit']*stock_qty,
+ 'stock_qty' : d['qty_consumed_per_unit'] * stock_qty,
'rate' : flt(d['rate']),
}))
@@ -490,6 +493,7 @@
item.default_warehouse,
item.expense_account as expense_account,
item.buying_cost_center as cost_center
+ {select_columns}
from
`tab{table}` bom_item, `tabBOM` bom, `tabItem` item
where
@@ -498,18 +502,20 @@
and bom_item.parent = bom.name
and item.name = bom_item.item_code
and is_stock_item = 1
- {conditions}
- group by item_code, stock_uom"""
+ {where_conditions}
+ group by item_code, stock_uom"""
if fetch_exploded:
query = query.format(table="BOM Explosion Item",
- conditions="""and item.is_sub_contracted_item = 0""")
+ where_conditions="""and item.is_sub_contracted_item = 0""",
+ select_columns = ", bom_item.source_warehouse")
items = frappe.db.sql(query, { "qty": qty, "bom": bom }, as_dict=True)
elif fetch_scrap_items:
- query = query.format(table="BOM Scrap Item", conditions="")
+ query = query.format(table="BOM Scrap Item", where_conditions="", select_columns="")
items = frappe.db.sql(query, { "qty": qty, "bom": bom }, as_dict=True)
else:
- query = query.format(table="BOM Item", conditions="")
+ query = query.format(table="BOM Item", where_conditions="",
+ select_columns = ", bom_item.source_warehouse")
items = frappe.db.sql(query, { "qty": qty, "bom": bom }, as_dict=True)
for item in items:
diff --git a/erpnext/manufacturing/doctype/bom/test_records.json b/erpnext/manufacturing/doctype/bom/test_records.json
index 0f1143e..6c24871 100644
--- a/erpnext/manufacturing/doctype/bom/test_records.json
+++ b/erpnext/manufacturing/doctype/bom/test_records.json
@@ -8,7 +8,8 @@
"parentfield": "items",
"stock_qty": 1.0,
"rate": 5000.0,
- "stock_uom": "_Test UOM"
+ "stock_uom": "_Test UOM",
+ "source_warehouse": "_Test Warehouse - _TC"
},
{
"amount": 2000.0,
@@ -17,7 +18,8 @@
"parentfield": "items",
"stock_qty": 2.0,
"rate": 1000.0,
- "stock_uom": "_Test UOM"
+ "stock_uom": "_Test UOM",
+ "source_warehouse": "_Test Warehouse - _TC"
}
],
"docstatus": 1,
@@ -48,7 +50,8 @@
"parentfield": "items",
"stock_qty": 1.0,
"rate": 5000.0,
- "stock_uom": "_Test UOM"
+ "stock_uom": "_Test UOM",
+ "source_warehouse": "_Test Warehouse - _TC"
},
{
"amount": 2000.0,
@@ -57,7 +60,8 @@
"parentfield": "items",
"stock_qty": 2.0,
"rate": 1000.0,
- "stock_uom": "_Test UOM"
+ "stock_uom": "_Test UOM",
+ "source_warehouse": "_Test Warehouse - _TC"
}
],
"docstatus": 1,
@@ -86,7 +90,8 @@
"parentfield": "items",
"stock_qty": 1.0,
"rate": 5000.0,
- "stock_uom": "_Test UOM"
+ "stock_uom": "_Test UOM",
+ "source_warehouse": "_Test Warehouse - _TC"
},
{
"amount": 2000.0,
@@ -96,7 +101,8 @@
"parentfield": "items",
"stock_qty": 3.0,
"rate": 1000.0,
- "stock_uom": "_Test UOM"
+ "stock_uom": "_Test UOM",
+ "source_warehouse": "_Test Warehouse - _TC"
}
],
"docstatus": 1,
@@ -126,7 +132,8 @@
"parentfield": "items",
"stock_qty": 2.0,
"rate": 3000.0,
- "stock_uom": "_Test UOM"
+ "stock_uom": "_Test UOM",
+ "source_warehouse": "_Test Warehouse - _TC"
}
],
"docstatus": 1,
diff --git a/erpnext/manufacturing/doctype/bom_explosion_item/bom_explosion_item.json b/erpnext/manufacturing/doctype/bom_explosion_item/bom_explosion_item.json
index e1a3d4d..16cba0c 100644
--- a/erpnext/manufacturing/doctype/bom_explosion_item/bom_explosion_item.json
+++ b/erpnext/manufacturing/doctype/bom_explosion_item/bom_explosion_item.json
@@ -7,9 +7,9 @@
"beta": 0,
"creation": "2013-03-07 11:42:57",
"custom": 0,
- "default_print_format": "Standard",
"docstatus": 0,
"doctype": "DocType",
+ "document_type": "Setup",
"editable_grid": 1,
"engine": "InnoDB",
"fields": [
@@ -110,6 +110,37 @@
"bold": 0,
"collapsible": 0,
"columns": 0,
+ "fieldname": "source_warehouse",
+ "fieldtype": "Link",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 0,
+ "in_standard_filter": 0,
+ "label": "Source Warehouse",
+ "length": 0,
+ "no_copy": 0,
+ "options": "Warehouse",
+ "permlevel": 0,
+ "precision": "",
+ "print_hide": 0,
+ "print_hide_if_no_value": 0,
+ "read_only": 1,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
+ "collapsible": 0,
+ "columns": 0,
"fieldname": "section_break_3",
"fieldtype": "Section Break",
"hidden": 0,
@@ -481,7 +512,7 @@
"issingle": 0,
"istable": 1,
"max_attachments": 0,
- "modified": "2017-06-02 19:29:34.498719",
+ "modified": "2017-07-04 17:51:18.151002",
"modified_by": "Administrator",
"module": "Manufacturing",
"name": "BOM Explosion Item",
diff --git a/erpnext/manufacturing/doctype/bom_item/bom_item.json b/erpnext/manufacturing/doctype/bom_item/bom_item.json
index 966b89b..e0c4bab 100644
--- a/erpnext/manufacturing/doctype/bom_item/bom_item.json
+++ b/erpnext/manufacturing/doctype/bom_item/bom_item.json
@@ -22,7 +22,7 @@
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
- "in_filter": 0,
+ "in_filter": 1,
"in_global_search": 0,
"in_list_view": 1,
"in_standard_filter": 0,
@@ -113,7 +113,7 @@
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
- "in_filter": 0,
+ "in_filter": 1,
"in_global_search": 0,
"in_list_view": 0,
"in_standard_filter": 0,
@@ -142,6 +142,37 @@
"bold": 0,
"collapsible": 0,
"columns": 0,
+ "fieldname": "source_warehouse",
+ "fieldtype": "Link",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 0,
+ "in_standard_filter": 0,
+ "label": "Source Warehouse",
+ "length": 0,
+ "no_copy": 0,
+ "options": "Warehouse",
+ "permlevel": 0,
+ "precision": "",
+ "print_hide": 0,
+ "print_hide_if_no_value": 0,
+ "read_only": 0,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
+ "collapsible": 0,
+ "columns": 0,
"fieldname": "section_break_5",
"fieldtype": "Section Break",
"hidden": 0,
@@ -729,7 +760,7 @@
"issingle": 0,
"istable": 1,
"max_attachments": 0,
- "modified": "2017-05-23 15:59:37.946963",
+ "modified": "2017-07-04 17:42:37.218408",
"modified_by": "Administrator",
"module": "Manufacturing",
"name": "BOM Item",
diff --git a/erpnext/manufacturing/doctype/bom_scrap_item/bom_scrap_item.json b/erpnext/manufacturing/doctype/bom_scrap_item/bom_scrap_item.json
index e9aebfe..9f7091d 100644
--- a/erpnext/manufacturing/doctype/bom_scrap_item/bom_scrap_item.json
+++ b/erpnext/manufacturing/doctype/bom_scrap_item/bom_scrap_item.json
@@ -327,7 +327,7 @@
"issingle": 0,
"istable": 1,
"max_attachments": 0,
- "modified": "2017-05-23 16:04:32.442287",
+ "modified": "2017-07-04 16:04:32.442287",
"modified_by": "Administrator",
"module": "Manufacturing",
"name": "BOM Scrap Item",
diff --git a/erpnext/manufacturing/doctype/production_order/production_order.js b/erpnext/manufacturing/doctype/production_order/production_order.js
index 6465cec..f6d9eaf 100644
--- a/erpnext/manufacturing/doctype/production_order/production_order.js
+++ b/erpnext/manufacturing/doctype/production_order/production_order.js
@@ -7,7 +7,72 @@
'Timesheet': 'Make Timesheet',
'Stock Entry': 'Make Stock Entry',
}
+
+ // Set query for warehouses
+ frm.set_query("wip_warehouse", function(doc) {
+ return {
+ filters: {
+ 'company': frm.doc.company,
+ }
+ }
+ });
+
+ frm.set_query("source_warehouse", "required_items", function() {
+ return {
+ filters: {
+ 'company': frm.doc.company,
+ }
+ }
+ });
+
+ frm.set_query("fg_warehouse", function() {
+ return {
+ filters: {
+ 'company': frm.doc.company,
+ 'is_group': 0
+ }
+ }
+ });
+
+ frm.set_query("scrap_warehouse", function() {
+ return {
+ filters: {
+ 'company': frm.doc.company,
+ 'is_group': 0
+ }
+ }
+ });
+
+ // Set query for BOM
+ frm.set_query("bom_no", function() {
+ if (frm.doc.production_item) {
+ return{
+ query: "erpnext.controllers.queries.bom",
+ filters: {item: cstr(frm.doc.production_item)}
+ }
+ } else msgprint(__("Please enter Production Item first"));
+ });
+
+ // Set query for FG Item
+ frm.set_query("production_item", function() {
+ return {
+ query: "erpnext.controllers.queries.item_query",
+ filters:{
+ 'is_stock_item': 1,
+ }
+ }
+ });
+
+ // Set query for FG Item
+ frm.set_query("project", function() {
+ return{
+ filters:[
+ ['Project', 'status', 'not in', 'Completed, Cancelled']
+ ]
+ }
+ });
},
+
onload: function(frm) {
if (!frm.doc.status)
frm.doc.status = 'Draft';
@@ -25,12 +90,9 @@
// formatter for production order operation
frm.set_indicator_formatter('operation',
- function(doc) { return (frm.doc.qty==doc.completed_qty) ? "green" : "orange" })
-
- erpnext.production_order.set_custom_buttons(frm);
- erpnext.production_order.setup_company_filter(frm);
- erpnext.production_order.setup_bom_filter(frm);
+ function(doc) { return (frm.doc.qty==doc.completed_qty) ? "green" : "orange" });
},
+
refresh: function(frm) {
erpnext.toggle_naming_series();
erpnext.production_order.set_custom_buttons(frm);
@@ -53,6 +115,7 @@
})
}
},
+
show_progress: function(frm) {
var bars = [];
var message = '';
@@ -85,10 +148,85 @@
}
}
frm.dashboard.add_progress(__('Status'), bars, message);
+ },
+
+ production_item: function(frm) {
+ if (frm.doc.production_item) {
+ frappe.call({
+ method: "erpnext.manufacturing.doctype.production_order.production_order.get_item_details",
+ args: {
+ item: frm.doc.production_item,
+ project: frm.doc.project
+ },
+ callback: function(r) {
+ if(r.message) {
+ erpnext.in_production_item_onchange = true;
+ $.each(["description", "stock_uom", "project", "bom_no"], function(i, field) {
+ frm.set_value(field, r.message[field]);
+ });
+
+ if(r.message["set_scrap_wh_mandatory"]){
+ frm.toggle_reqd("scrap_warehouse", true);
+ }
+ erpnext.in_production_item_onchange = false;
+ }
+ }
+ });
+ }
+ },
+
+ project: function(frm) {
+ if(!erpnext.in_production_item_onchange) {
+ frm.trigger("production_item");
+ }
+ },
+
+ bom_no: function(frm) {
+ return frm.call({
+ doc: frm.doc,
+ method: "get_items_and_operations_from_bom",
+ callback: function(r) {
+ if(r.message["set_scrap_wh_mandatory"]){
+ frm.toggle_reqd("scrap_warehouse", true);
+ }
+ }
+ });
+ },
+
+ use_multi_level_bom: function(frm) {
+ if(frm.doc.bom_no) {
+ frm.trigger("bom_no");
+ }
+ },
+
+ qty: function(frm) {
+ frm.trigger('bom_no');
+ },
+
+ before_submit: function(frm) {
+ frm.toggle_reqd(["fg_warehouse", "wip_warehouse"], true);
+ frm.fields_dict.required_items.grid.toggle_reqd("source_warehouse", true);
}
});
-
+frappe.ui.form.on("Production Order Item", {
+ source_warehouse: function(frm, cdt, cdn) {
+ var row = locals[cdt][cdn];
+ if(row.source_warehouse) {
+ frappe.call({
+ "method": "erpnext.stock.utils.get_latest_stock_qty",
+ args: {
+ item_code: row.item_code,
+ warehouse: row.source_warehouse
+ },
+ callback: function (r) {
+ frappe.model.set_value(row.doctype, row.name,
+ "available_qty_at_source_warehouse", r.message);
+ }
+ })
+ }
+ }
+})
frappe.ui.form.on("Production Order Operation", {
workstation: function(frm, cdt, cdn) {
@@ -119,38 +257,46 @@
var doc = frm.doc;
if (doc.docstatus === 1) {
if (doc.status != 'Stopped' && doc.status != 'Completed') {
- frm.add_custom_button(__('Stop'), cur_frm.cscript['Stop Production Order'], __("Status"));
+ frm.add_custom_button(__('Stop'), function() {
+ erpnext.production_order.stop_production_order(frm, "Stopped");
+ }, __("Status"));
} else if (doc.status == 'Stopped') {
- frm.add_custom_button(__('Re-open'), cur_frm.cscript['Unstop Production Order'], __("Status"));
+ frm.add_custom_button(__('Re-open'), function() {
+ erpnext.production_order.stop_production_order(frm, "Resumed");
+ }, __("Status"));
}
if(!frm.doc.skip_transfer){
- if ((flt(doc.material_transferred_for_manufacturing) < flt(doc.qty)) && frm.doc.status != 'Stopped') {
+ if ((flt(doc.material_transferred_for_manufacturing) < flt(doc.qty))
+ && frm.doc.status != 'Stopped') {
frm.has_start_btn = true;
- var btn = frm.add_custom_button(__('Start'),
- cur_frm.cscript['Transfer Raw Materials']);
- btn.addClass('btn-primary');
+ var start_btn = frm.add_custom_button(__('Start'), function() {
+ erpnext.production_order.make_se(frm, 'Material Transfer for Manufacture');
+ });
+ start_btn.addClass('btn-primary');
}
}
if(!frm.doc.skip_transfer){
- if ((flt(doc.produced_qty) < flt(doc.material_transferred_for_manufacturing)) && frm.doc.status != 'Stopped') {
+ if ((flt(doc.produced_qty) < flt(doc.material_transferred_for_manufacturing))
+ && frm.doc.status != 'Stopped') {
frm.has_finish_btn = true;
- var btn = frm.add_custom_button(__('Finish'),
- cur_frm.cscript['Update Finished Goods']);
+ var finish_btn = frm.add_custom_button(__('Finish'), function() {
+ erpnext.production_order.make_se(frm, 'Manufacture');
+ });
if(doc.material_transferred_for_manufacturing==doc.qty) {
- // all materials transferred for manufacturing,
- // make this primary
- btn.addClass('btn-primary');
+ // all materials transferred for manufacturing, make this primary
+ finish_btn.addClass('btn-primary');
}
}
} else {
if ((flt(doc.produced_qty) < flt(doc.qty)) && frm.doc.status != 'Stopped') {
frm.has_finish_btn = true;
- var btn = frm.add_custom_button(__('Finish'),
- cur_frm.cscript['Update Finished Goods']);
- btn.addClass('btn-primary');
+ var finish_btn = frm.add_custom_button(__('Finish'), function() {
+ erpnext.production_order.make_se(frm, 'Manufacture');
+ });
+ finish_btn.addClass('btn-primary');
}
}
}
@@ -162,8 +308,8 @@
doc.planned_operating_cost = 0.0;
for(var i=0;i<op.length;i++) {
var planned_operating_cost = flt(flt(op[i].hour_rate) * flt(op[i].time_in_mins) / 60, 2);
- frappe.model.set_value('Production Order Operation',op[i].name, "planned_operating_cost", planned_operating_cost);
-
+ frappe.model.set_value('Production Order Operation', op[i].name,
+ "planned_operating_cost", planned_operating_cost);
doc.planned_operating_cost += planned_operating_cost;
}
refresh_field('planned_operating_cost');
@@ -176,37 +322,10 @@
frm.set_value("total_operating_cost", (flt(frm.doc.additional_operating_cost) + variable_cost))
},
- setup_company_filter: function(frm) {
- var company_filter = function(doc) {
- return {
- filters: {
- 'company': frm.doc.company,
- 'is_group': 0
- }
- }
- }
-
- frm.fields_dict.source_warehouse.get_query = company_filter;
- frm.fields_dict.fg_warehouse.get_query = company_filter;
- frm.fields_dict.wip_warehouse.get_query = company_filter;
- },
-
- setup_bom_filter: function(frm) {
- frm.set_query("bom_no", function(doc) {
- if (doc.production_item) {
- return{
- query: "erpnext.controllers.queries.bom",
- filters: {item: cstr(doc.production_item)}
- }
- } else frappe.msgprint(__("Please enter Production Item first"));
- });
- },
-
set_default_warehouse: function(frm) {
if (!(frm.doc.wip_warehouse || frm.doc.fg_warehouse)) {
frappe.call({
method: "erpnext.manufacturing.doctype.production_order.production_order.get_default_warehouse",
-
callback: function(r) {
if(!r.exe) {
frm.set_value("wip_warehouse", r.message.wip_warehouse);
@@ -215,45 +334,15 @@
}
});
}
- }
-}
-
-$.extend(cur_frm.cscript, {
- before_submit: function() {
- cur_frm.toggle_reqd(["fg_warehouse", "wip_warehouse"], true);
},
-
- production_item: function(doc) {
- frappe.call({
- method: "erpnext.manufacturing.doctype.production_order.production_order.get_item_details",
- args: {
- item: doc.production_item,
- project: doc.project
- },
- callback: function(r) {
- $.each(["description", "stock_uom", "project", "bom_no"], function(i, field) {
- cur_frm.set_value(field, r.message[field]);
- });
-
- if(r.message["set_scrap_wh_mandatory"]){
- cur_frm.toggle_reqd("scrap_warehouse", true);
- }
- }
- });
- },
-
- project: function(doc) {
- cur_frm.cscript.production_item(doc)
- },
-
- make_se: function(purpose) {
- var me = this;
- if(!this.frm.doc.skip_transfer){
+
+ make_se: function(frm, purpose) {
+ if(!frm.doc.skip_transfer){
var max = (purpose === "Manufacture") ?
- flt(this.frm.doc.material_transferred_for_manufacturing) - flt(this.frm.doc.produced_qty) :
- flt(this.frm.doc.qty) - flt(this.frm.doc.material_transferred_for_manufacturing);
+ flt(frm.doc.material_transferred_for_manufacturing) - flt(frm.doc.produced_qty) :
+ flt(frm.doc.qty) - flt(frm.doc.material_transferred_for_manufacturing);
} else {
- var max = flt(this.frm.doc.qty) - flt(this.frm.doc.produced_qty);
+ var max = flt(frm.doc.qty) - flt(frm.doc.produced_qty);
}
frappe.prompt({fieldtype:"Float", label: __("Qty for {0}", [purpose]), fieldname:"qty",
@@ -266,7 +355,7 @@
frappe.call({
method:"erpnext.manufacturing.doctype.production_order.production_order.make_stock_entry",
args: {
- "production_order_id": me.frm.doc.name,
+ "production_order_id": frm.doc.name,
"purpose": purpose,
"qty": data.qty
},
@@ -277,59 +366,20 @@
});
}, __("Select Quantity"), __("Make"));
},
-
- bom_no: function() {
- return this.frm.call({
- doc: this.frm.doc,
- method: "set_production_order_operations",
+
+ stop_production_order: function(frm, status) {
+ frappe.call({
+ method: "erpnext.manufacturing.doctype.production_order.production_order.stop_unstop",
+ args: {
+ production_order: frm.doc.name,
+ status: status
+ },
callback: function(r) {
- if(r.message["set_scrap_wh_mandatory"]){
- cur_frm.toggle_reqd("scrap_warehouse", true);
+ if(r.message) {
+ frm.set_value("status", r.message);
+ frm.reload_doc();
}
}
- });
- },
-
- use_multi_level_bom: function() {
- if(this.frm.doc.bom_no) {
- this.frm.trigger("bom_no");
- }
- },
-
- qty: function() {
- frappe.ui.form.trigger("Production Order", 'bom_no')
- },
-});
-
-cur_frm.cscript['Stop Production Order'] = function() {
- $c_obj(cur_frm.doc, 'stop_unstop', 'Stopped', function(r, rt) {cur_frm.refresh();});
-}
-
-cur_frm.cscript['Unstop Production Order'] = function() {
- $c_obj(cur_frm.doc, 'stop_unstop', 'Unstopped', function(r, rt) {cur_frm.refresh();});
-}
-
-cur_frm.cscript['Transfer Raw Materials'] = function() {
- cur_frm.cscript.make_se('Material Transfer for Manufacture');
-}
-
-cur_frm.cscript['Update Finished Goods'] = function() {
- cur_frm.cscript.make_se('Manufacture');
-}
-
-cur_frm.fields_dict['production_item'].get_query = function(doc) {
- return {
- query: "erpnext.controllers.queries.item_query",
- filters:{
- 'is_stock_item': 1,
- }
+ })
}
}
-
-cur_frm.fields_dict['project'].get_query = function(doc, dt, dn) {
- return{
- filters:[
- ['Project', 'status', 'not in', 'Completed, Cancelled']
- ]
- }
-}
\ No newline at end of file
diff --git a/erpnext/manufacturing/doctype/production_order/production_order.json b/erpnext/manufacturing/doctype/production_order/production_order.json
index 94b6b95..e56e5a1 100644
--- a/erpnext/manufacturing/doctype/production_order/production_order.json
+++ b/erpnext/manufacturing/doctype/production_order/production_order.json
@@ -95,7 +95,7 @@
"no_copy": 1,
"oldfieldname": "status",
"oldfieldtype": "Select",
- "options": "\nDraft\nSubmitted\nNot Started\nStopped\nUnstopped\nIn Process\nCompleted\nCancelled",
+ "options": "\nDraft\nSubmitted\nNot Started\nIn Process\nCompleted\nStopped\nCancelled",
"permlevel": 0,
"print_hide": 0,
"print_hide_if_no_value": 0,
@@ -145,38 +145,6 @@
"bold": 0,
"collapsible": 0,
"columns": 0,
- "fieldname": "project",
- "fieldtype": "Link",
- "hidden": 0,
- "ignore_user_permissions": 0,
- "ignore_xss_filter": 0,
- "in_filter": 0,
- "in_global_search": 0,
- "in_list_view": 0,
- "in_standard_filter": 0,
- "label": "Project",
- "length": 0,
- "no_copy": 0,
- "oldfieldname": "project",
- "oldfieldtype": "Link",
- "options": "Project",
- "permlevel": 0,
- "print_hide": 0,
- "print_hide_if_no_value": 0,
- "read_only": 0,
- "remember_last_selected_value": 0,
- "report_hide": 0,
- "reqd": 0,
- "search_index": 0,
- "set_only_once": 0,
- "unique": 0
- },
- {
- "allow_bulk_edit": 0,
- "allow_on_submit": 0,
- "bold": 0,
- "collapsible": 0,
- "columns": 0,
"depends_on": "",
"description": "",
"fieldname": "bom_no",
@@ -272,37 +240,6 @@
"bold": 0,
"collapsible": 0,
"columns": 0,
- "description": "",
- "fieldname": "sales_order",
- "fieldtype": "Link",
- "hidden": 0,
- "ignore_user_permissions": 0,
- "ignore_xss_filter": 0,
- "in_filter": 0,
- "in_global_search": 1,
- "in_list_view": 0,
- "in_standard_filter": 0,
- "label": "Sales Order",
- "length": 0,
- "no_copy": 0,
- "options": "Sales Order",
- "permlevel": 0,
- "print_hide": 0,
- "print_hide_if_no_value": 0,
- "read_only": 0,
- "remember_last_selected_value": 0,
- "report_hide": 0,
- "reqd": 0,
- "search_index": 0,
- "set_only_once": 0,
- "unique": 0
- },
- {
- "allow_bulk_edit": 0,
- "allow_on_submit": 0,
- "bold": 0,
- "collapsible": 0,
- "columns": 0,
"depends_on": "",
"fieldname": "qty",
"fieldtype": "Float",
@@ -335,37 +272,6 @@
"bold": 0,
"collapsible": 0,
"columns": 0,
- "description": "Check if material transfer entry is not required",
- "fieldname": "skip_transfer",
- "fieldtype": "Check",
- "hidden": 0,
- "ignore_user_permissions": 0,
- "ignore_xss_filter": 0,
- "in_filter": 0,
- "in_global_search": 0,
- "in_list_view": 0,
- "in_standard_filter": 0,
- "label": "Skip Material Transfer",
- "length": 0,
- "no_copy": 0,
- "permlevel": 0,
- "precision": "",
- "print_hide": 0,
- "print_hide_if_no_value": 0,
- "read_only": 0,
- "remember_last_selected_value": 0,
- "report_hide": 0,
- "reqd": 0,
- "search_index": 0,
- "set_only_once": 0,
- "unique": 0
- },
- {
- "allow_bulk_edit": 0,
- "allow_on_submit": 0,
- "bold": 0,
- "collapsible": 0,
- "columns": 0,
"default": "0",
"depends_on": "eval:doc.docstatus==1 && doc.skip_transfer==0",
"description": "",
@@ -433,6 +339,100 @@
"bold": 0,
"collapsible": 0,
"columns": 0,
+ "description": "",
+ "fieldname": "sales_order",
+ "fieldtype": "Link",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 1,
+ "in_list_view": 0,
+ "in_standard_filter": 0,
+ "label": "Sales Order",
+ "length": 0,
+ "no_copy": 0,
+ "options": "Sales Order",
+ "permlevel": 0,
+ "print_hide": 0,
+ "print_hide_if_no_value": 0,
+ "read_only": 0,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
+ "collapsible": 0,
+ "columns": 0,
+ "fieldname": "project",
+ "fieldtype": "Link",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 0,
+ "in_standard_filter": 0,
+ "label": "Project",
+ "length": 0,
+ "no_copy": 0,
+ "oldfieldname": "project",
+ "oldfieldtype": "Link",
+ "options": "Project",
+ "permlevel": 0,
+ "print_hide": 0,
+ "print_hide_if_no_value": 0,
+ "read_only": 0,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
+ "collapsible": 0,
+ "columns": 0,
+ "description": "Check if material transfer entry is not required",
+ "fieldname": "skip_transfer",
+ "fieldtype": "Check",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 0,
+ "in_standard_filter": 0,
+ "label": "Skip Material Transfer",
+ "length": 0,
+ "no_copy": 0,
+ "permlevel": 0,
+ "precision": "",
+ "print_hide": 0,
+ "print_hide_if_no_value": 0,
+ "read_only": 0,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
+ "collapsible": 0,
+ "columns": 0,
"fieldname": "warehouses",
"fieldtype": "Section Break",
"hidden": 0,
@@ -463,38 +463,6 @@
"bold": 0,
"collapsible": 0,
"columns": 0,
- "description": "",
- "fieldname": "source_warehouse",
- "fieldtype": "Link",
- "hidden": 0,
- "ignore_user_permissions": 0,
- "ignore_xss_filter": 0,
- "in_filter": 0,
- "in_global_search": 0,
- "in_list_view": 0,
- "in_standard_filter": 0,
- "label": "Source Warehouse (for reserving Items)",
- "length": 0,
- "no_copy": 0,
- "options": "Warehouse",
- "permlevel": 0,
- "precision": "",
- "print_hide": 0,
- "print_hide_if_no_value": 0,
- "read_only": 0,
- "remember_last_selected_value": 0,
- "report_hide": 0,
- "reqd": 0,
- "search_index": 0,
- "set_only_once": 0,
- "unique": 0
- },
- {
- "allow_bulk_edit": 0,
- "allow_on_submit": 0,
- "bold": 0,
- "collapsible": 0,
- "columns": 0,
"fieldname": "wip_warehouse",
"fieldtype": "Link",
"hidden": 0,
@@ -525,34 +493,6 @@
"bold": 0,
"collapsible": 0,
"columns": 0,
- "fieldname": "column_break_12",
- "fieldtype": "Column Break",
- "hidden": 0,
- "ignore_user_permissions": 0,
- "ignore_xss_filter": 0,
- "in_filter": 0,
- "in_global_search": 0,
- "in_list_view": 0,
- "in_standard_filter": 0,
- "length": 0,
- "no_copy": 0,
- "permlevel": 0,
- "print_hide": 0,
- "print_hide_if_no_value": 0,
- "read_only": 0,
- "remember_last_selected_value": 0,
- "report_hide": 0,
- "reqd": 0,
- "search_index": 0,
- "set_only_once": 0,
- "unique": 0
- },
- {
- "allow_bulk_edit": 0,
- "allow_on_submit": 0,
- "bold": 0,
- "collapsible": 0,
- "columns": 0,
"depends_on": "",
"description": "",
"fieldname": "fg_warehouse",
@@ -585,6 +525,34 @@
"bold": 0,
"collapsible": 0,
"columns": 0,
+ "fieldname": "column_break_12",
+ "fieldtype": "Column Break",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 0,
+ "in_standard_filter": 0,
+ "length": 0,
+ "no_copy": 0,
+ "permlevel": 0,
+ "print_hide": 0,
+ "print_hide_if_no_value": 0,
+ "read_only": 0,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
+ "collapsible": 0,
+ "columns": 0,
"fieldname": "scrap_warehouse",
"fieldtype": "Link",
"hidden": 0,
@@ -616,7 +584,7 @@
"bold": 0,
"collapsible": 0,
"columns": 0,
- "fieldname": "time",
+ "fieldname": "required_items_section",
"fieldtype": "Section Break",
"hidden": 0,
"ignore_user_permissions": 0,
@@ -625,10 +593,9 @@
"in_global_search": 0,
"in_list_view": 0,
"in_standard_filter": 0,
- "label": "Time",
+ "label": "Required Items",
"length": 0,
"no_copy": 0,
- "options": "fa fa-time",
"permlevel": 0,
"precision": "",
"print_hide": 0,
@@ -647,9 +614,8 @@
"bold": 0,
"collapsible": 0,
"columns": 0,
- "depends_on": "",
- "fieldname": "expected_delivery_date",
- "fieldtype": "Date",
+ "fieldname": "required_items",
+ "fieldtype": "Table",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
@@ -657,10 +623,43 @@
"in_global_search": 0,
"in_list_view": 0,
"in_standard_filter": 0,
- "label": "Expected Delivery Date",
+ "label": "Required Items",
+ "length": 0,
+ "no_copy": 1,
+ "options": "Production Order Item",
+ "permlevel": 0,
+ "precision": "",
+ "print_hide": 1,
+ "print_hide_if_no_value": 0,
+ "read_only": 0,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
+ "collapsible": 0,
+ "columns": 0,
+ "fieldname": "time",
+ "fieldtype": "Section Break",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 0,
+ "in_standard_filter": 0,
+ "label": "Time",
"length": 0,
"no_copy": 0,
+ "options": "fa fa-time",
"permlevel": 0,
+ "precision": "",
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
@@ -708,7 +707,7 @@
"bold": 0,
"collapsible": 0,
"columns": 0,
- "fieldname": "planned_end_date",
+ "fieldname": "actual_start_date",
"fieldtype": "Datetime",
"hidden": 0,
"ignore_user_permissions": 0,
@@ -717,9 +716,9 @@
"in_global_search": 0,
"in_list_view": 0,
"in_standard_filter": 0,
- "label": "Planned End Date",
+ "label": "Actual Start Date",
"length": 0,
- "no_copy": 1,
+ "no_copy": 0,
"permlevel": 0,
"precision": "",
"print_hide": 0,
@@ -767,7 +766,7 @@
"bold": 0,
"collapsible": 0,
"columns": 0,
- "fieldname": "actual_start_date",
+ "fieldname": "planned_end_date",
"fieldtype": "Datetime",
"hidden": 0,
"ignore_user_permissions": 0,
@@ -776,9 +775,9 @@
"in_global_search": 0,
"in_list_view": 0,
"in_standard_filter": 0,
- "label": "Actual Start Date",
+ "label": "Planned End Date",
"length": 0,
- "no_copy": 0,
+ "no_copy": 1,
"permlevel": 0,
"precision": "",
"print_hide": 0,
@@ -828,6 +827,36 @@
"collapsible": 0,
"columns": 0,
"depends_on": "",
+ "fieldname": "expected_delivery_date",
+ "fieldtype": "Date",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 0,
+ "in_standard_filter": 0,
+ "label": "Expected Delivery Date",
+ "length": 0,
+ "no_copy": 0,
+ "permlevel": 0,
+ "print_hide": 0,
+ "print_hide_if_no_value": 0,
+ "read_only": 0,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
+ "collapsible": 0,
+ "columns": 0,
+ "depends_on": "",
"fieldname": "operations_section",
"fieldtype": "Section Break",
"hidden": 0,
@@ -1076,67 +1105,6 @@
"bold": 0,
"collapsible": 1,
"columns": 0,
- "fieldname": "required_items_section",
- "fieldtype": "Section Break",
- "hidden": 0,
- "ignore_user_permissions": 0,
- "ignore_xss_filter": 0,
- "in_filter": 0,
- "in_global_search": 0,
- "in_list_view": 0,
- "in_standard_filter": 0,
- "label": "Required Items",
- "length": 0,
- "no_copy": 0,
- "permlevel": 0,
- "precision": "",
- "print_hide": 0,
- "print_hide_if_no_value": 0,
- "read_only": 0,
- "remember_last_selected_value": 0,
- "report_hide": 0,
- "reqd": 0,
- "search_index": 0,
- "set_only_once": 0,
- "unique": 0
- },
- {
- "allow_bulk_edit": 0,
- "allow_on_submit": 0,
- "bold": 0,
- "collapsible": 0,
- "columns": 0,
- "fieldname": "required_items",
- "fieldtype": "Table",
- "hidden": 0,
- "ignore_user_permissions": 0,
- "ignore_xss_filter": 0,
- "in_filter": 0,
- "in_global_search": 0,
- "in_list_view": 0,
- "in_standard_filter": 0,
- "label": "Required Items",
- "length": 0,
- "no_copy": 1,
- "options": "Production Order Item",
- "permlevel": 0,
- "precision": "",
- "print_hide": 1,
- "print_hide_if_no_value": 0,
- "read_only": 1,
- "remember_last_selected_value": 0,
- "report_hide": 0,
- "reqd": 0,
- "search_index": 0,
- "set_only_once": 0,
- "unique": 0
- },
- {
- "allow_bulk_edit": 0,
- "allow_on_submit": 0,
- "bold": 0,
- "collapsible": 1,
- "columns": 0,
"fieldname": "more_info",
"fieldtype": "Section Break",
"hidden": 0,
@@ -1390,7 +1358,7 @@
"issingle": 0,
"istable": 0,
"max_attachments": 0,
- "modified": "2017-06-13 14:29:00.457874",
+ "modified": "2017-07-10 14:29:00.457874",
"modified_by": "Administrator",
"module": "Manufacturing",
"name": "Production Order",
diff --git a/erpnext/manufacturing/doctype/production_order/production_order.py b/erpnext/manufacturing/doctype/production_order/production_order.py
index 68da336..040a559 100644
--- a/erpnext/manufacturing/doctype/production_order/production_order.py
+++ b/erpnext/manufacturing/doctype/production_order/production_order.py
@@ -3,24 +3,21 @@
from __future__ import unicode_literals
import frappe
-
import json
-from frappe.utils import flt, get_datetime, getdate, date_diff, cint, nowdate
from frappe import _
-from frappe.utils import time_diff_in_seconds
+from frappe.utils import flt, get_datetime, getdate, date_diff, cint, nowdate
from frappe.model.document import Document
-from frappe.model.mapper import get_mapped_doc
-from erpnext.manufacturing.doctype.bom.bom import validate_bom_no
+from erpnext.manufacturing.doctype.bom.bom import validate_bom_no, get_bom_items_as_dict
from dateutil.relativedelta import relativedelta
from erpnext.stock.doctype.item.item import validate_end_of_life
-from erpnext.manufacturing.doctype.workstation.workstation import WorkstationHolidayError, NotInWorkingHoursError
+from erpnext.manufacturing.doctype.workstation.workstation import WorkstationHolidayError
from erpnext.projects.doctype.timesheet.timesheet import OverlapError
from erpnext.stock.doctype.stock_entry.stock_entry import get_additional_costs
from erpnext.manufacturing.doctype.manufacturing_settings.manufacturing_settings import get_mins_between_operations
from erpnext.stock.stock_balance import get_planned_qty, update_bin_qty
-from erpnext.manufacturing.doctype.bom.bom import get_bom_items_as_dict
-from erpnext.stock.utils import get_bin
from frappe.utils.csvutils import getlink
+from erpnext.stock.utils import get_bin, validate_warehouse_company, get_latest_stock_qty
+from erpnext.utilities.transaction_base import validate_uom_is_integer
class OverProductionError(frappe.ValidationError): pass
class StockOverProductionError(frappe.ValidationError): pass
@@ -38,15 +35,19 @@
validate_bom_no(self.production_item, self.bom_no)
self.validate_sales_order()
- self.validate_warehouse()
+ self.validate_warehouse_belongs_to_company()
self.calculate_operating_cost()
self.validate_qty()
self.validate_operation_time()
self.status = self.get_status()
- from erpnext.utilities.transaction_base import validate_uom_is_integer
validate_uom_is_integer(self, "stock_uom", ["qty", "produced_qty"])
+ if not self.get("required_items"):
+ self.set_required_items()
+ else:
+ self.set_available_qty()
+
def validate_sales_order(self):
if self.sales_order:
so = frappe.db.sql("""select name, delivery_date, project from `tabSales Order`
@@ -64,11 +65,14 @@
else:
frappe.throw(_("Sales Order {0} is not valid").format(self.sales_order))
- def validate_warehouse(self):
- from erpnext.stock.utils import validate_warehouse_company
+ def validate_warehouse_belongs_to_company(self):
+ warehouses = [self.fg_warehouse, self.wip_warehouse]
+ for d in self.get("required_items"):
+ if d.source_warehouse not in warehouses:
+ warehouses.append(d.source_warehouse)
- for w in [self.source_warehouse, self.fg_warehouse, self.wip_warehouse]:
- validate_warehouse_company(w, self.company)
+ for wh in warehouses:
+ validate_warehouse_company(wh, self.company)
def calculate_operating_cost(self):
self.planned_operating_cost, self.actual_operating_cost = 0.0, 0.0
@@ -79,7 +83,8 @@
self.planned_operating_cost += flt(d.planned_operating_cost)
self.actual_operating_cost += flt(d.actual_operating_cost)
- variable_cost = self.actual_operating_cost if self.actual_operating_cost else self.planned_operating_cost
+ variable_cost = self.actual_operating_cost if self.actual_operating_cost \
+ else self.planned_operating_cost
self.total_operating_cost = flt(self.additional_operating_cost) + flt(variable_cost)
def validate_production_order_against_so(self):
@@ -101,22 +106,16 @@
# total qty in SO
so_qty = flt(so_item_qty) + flt(dnpi_qty)
- allowance_percentage = flt(frappe.db.get_single_value("Manufacturing Settings", "over_production_allowance_percentage"))
+ allowance_percentage = flt(frappe.db.get_single_value("Manufacturing Settings",
+ "over_production_allowance_percentage"))
+
if total_qty > so_qty + (allowance_percentage/100 * so_qty):
- frappe.throw(_("Cannot produce more Item {0} than Sales Order quantity {1}").format(self.production_item,
- so_qty), OverProductionError)
-
- def stop_unstop(self, status):
- """ Called from client side on Stop/Unstop event"""
- status = self.update_status(status)
- self.update_planned_qty()
- frappe.msgprint(_("Production Order status is {0}").format(status))
- self.notify_update()
-
+ frappe.throw(_("Cannot produce more Item {0} than Sales Order quantity {1}")
+ .format(self.production_item, so_qty), OverProductionError)
def update_status(self, status=None):
'''Update status of production order if unknown'''
- if not status:
+ if status != "Stopped":
status = self.get_status(status)
if status != self.status:
@@ -167,7 +166,6 @@
self.db_set(fieldname, qty)
def before_submit(self):
- self.set_required_items()
self.make_time_logs()
def on_submit(self):
@@ -184,10 +182,10 @@
self.validate_cancel()
frappe.db.set(self,'status', 'Cancelled')
- self.clear_required_items()
self.delete_timesheet()
self.update_completed_qty_in_material_request()
self.update_planned_qty()
+ self.update_reserved_qty_for_production()
def validate_cancel(self):
if self.status == "Stopped":
@@ -214,12 +212,11 @@
def set_production_order_operations(self):
"""Fetch operations from BOM and set in 'Production Order'"""
+ self.set('operations', [])
if not self.bom_no \
or cint(frappe.db.get_single_value("Manufacturing Settings", "disable_capacity_planning")):
return
-
- self.set('operations', [])
if self.use_multi_level_bom:
bom_list = frappe.get_doc("BOM", self.bom_no).traverse_tree()
@@ -240,8 +237,6 @@
self.set('operations', operations)
self.calculate_time()
- return check_if_scrap_warehouse_mandatory(self.bom_no)
-
def calculate_time(self):
bom_qty = frappe.db.get_value("BOM", self.bom_no, "quantity")
@@ -403,62 +398,60 @@
update bin reserved_qty_for_production
called from Stock Entry for production, after submit, cancel
'''
- if self.docstatus==1 and self.source_warehouse:
- if self.material_transferred_for_manufacturing == self.produced_qty:
- # clear required items table and save document
- self.clear_required_items()
- else:
- # calculate transferred qty based on submitted
- # stock entries
- self.update_transaferred_qty_for_required_items()
+ if self.docstatus==1:
+ # calculate transferred qty based on submitted stock entries
+ self.update_transaferred_qty_for_required_items()
- # update in bin
- self.update_reserved_qty_for_production()
-
- def clear_required_items(self):
- '''Remove the required_items table and update the bins'''
- items = [d.item_code for d in self.required_items]
- self.required_items = []
-
- self.update_child_table('required_items')
-
- # completed, update reserved qty in bin
- self.update_reserved_qty_for_production(items)
+ # update in bin
+ self.update_reserved_qty_for_production()
def update_reserved_qty_for_production(self, items=None):
'''update reserved_qty_for_production in bins'''
- if not self.source_warehouse:
- return
-
- if not items:
- items = [d.item_code for d in self.required_items]
-
- for item in items:
- stock_bin = get_bin(item, self.source_warehouse)
- stock_bin.update_reserved_qty_for_production()
+ for d in self.required_items:
+ if d.source_warehouse:
+ stock_bin = get_bin(d.item_code, d.source_warehouse)
+ stock_bin.update_reserved_qty_for_production()
+
+ def get_items_and_operations_from_bom(self):
+ self.set_required_items()
+ self.set_production_order_operations()
+
+ return check_if_scrap_warehouse_mandatory(self.bom_no)
+
+ def set_available_qty(self):
+ for d in self.get("required_items"):
+ if d.source_warehouse:
+ d.available_qty_at_source_warehouse = get_latest_stock_qty(d.item_code, d.source_warehouse)
+
+ if self.wip_warehouse:
+ d.available_qty_at_wip_warehouse = get_latest_stock_qty(d.item_code, self.wip_warehouse)
def set_required_items(self):
'''set required_items for production to keep track of reserved qty'''
- if self.source_warehouse:
+ self.required_items = []
+ if self.bom_no and self.qty:
item_dict = get_bom_items_as_dict(self.bom_no, self.company, qty=self.qty,
fetch_exploded = self.use_multi_level_bom)
for item in item_dict.values():
- self.append('required_items', {'item_code': item.item_code,
- 'required_qty': item.qty})
-
- #print frappe.as_json(self.required_items)
+ self.append('required_items', {
+ 'item_code': item.item_code,
+ 'required_qty': item.qty,
+ 'source_warehouse': item.source_warehouse or item.default_warehouse
+ })
+
+ self.set_available_qty()
def update_transaferred_qty_for_required_items(self):
'''update transferred qty from submitted stock entries for that item against
the production order'''
for d in self.required_items:
- transferred_qty = frappe.db.sql('''select count(qty)
+ transferred_qty = frappe.db.sql('''select sum(qty)
from `tabStock Entry` entry, `tabStock Entry Detail` detail
where
entry.production_order = %s
- entry.purpose = "Material Transfer for Manufacture"
+ and entry.purpose = "Material Transfer for Manufacture"
and entry.docstatus = 1
and detail.parent = entry.name
and detail.item_code = %s''', (self.name, d.item_code))[0][0]
@@ -496,10 +489,12 @@
if not res["bom_no"]:
if project:
- frappe.throw(_("Default BOM for {0} not found for Project {1}").format(item, project))
- frappe.throw(_("Default BOM for {0} not found").format(item))
+ res = get_item_details(item)
+ frappe.msgprint(_("Default BOM not found for Item {0} and Project {1}").format(item, project))
+ else:
+ frappe.throw(_("Default BOM for {0} not found").format(item))
- res['project'] = frappe.db.get_value('BOM', res['bom_no'], 'project')
+ res['project'] = project or frappe.db.get_value('BOM', res['bom_no'], 'project')
res.update(check_if_scrap_warehouse_mandatory(res["bom_no"]))
return res
@@ -507,16 +502,21 @@
@frappe.whitelist()
def check_if_scrap_warehouse_mandatory(bom_no):
res = {"set_scrap_wh_mandatory": False }
- bom = frappe.get_doc("BOM", bom_no)
+ if bom_no:
+ bom = frappe.get_doc("BOM", bom_no)
- if len(bom.scrap_items) > 0:
- res["set_scrap_wh_mandatory"] = True
+ if len(bom.scrap_items) > 0:
+ res["set_scrap_wh_mandatory"] = True
return res
@frappe.whitelist()
def make_stock_entry(production_order_id, purpose, qty=None):
production_order = frappe.get_doc("Production Order", production_order_id)
+ if not frappe.db.get_value("Warehouse", production_order.wip_warehouse, "is_group"):
+ wip_warehouse = production_order.wip_warehouse
+ else:
+ wip_warehouse = None
stock_entry = frappe.new_doc("Stock Entry")
stock_entry.purpose = purpose
@@ -528,12 +528,10 @@
stock_entry.fg_completed_qty = qty or (flt(production_order.qty) - flt(production_order.produced_qty))
if purpose=="Material Transfer for Manufacture":
- if production_order.source_warehouse:
- stock_entry.from_warehouse = production_order.source_warehouse
- stock_entry.to_warehouse = production_order.wip_warehouse
+ stock_entry.to_warehouse = wip_warehouse
stock_entry.project = production_order.project
else:
- stock_entry.from_warehouse = production_order.wip_warehouse
+ stock_entry.from_warehouse = wip_warehouse
stock_entry.to_warehouse = production_order.fg_warehouse
additional_costs = get_additional_costs(production_order, fg_qty=stock_entry.fg_completed_qty)
stock_entry.project = production_order.project
@@ -601,3 +599,18 @@
frappe.throw(_("Already completed"))
return ts
+
+@frappe.whitelist()
+def stop_unstop(production_order, status):
+ """ Called from client side on Stop/Unstop event"""
+
+ if not frappe.has_permission("Production Order", "write"):
+ frappe.throw(_("Not permitted"), frappe.PermissionError)
+
+ pro_order = frappe.get_doc("Production Order", production_order)
+ pro_order.update_status(status)
+ pro_order.update_planned_qty()
+ frappe.msgprint(_("Production Order has been {0}").format(status))
+ pro_order.notify_update()
+
+ return pro_order.status
\ No newline at end of file
diff --git a/erpnext/manufacturing/doctype/production_order/test_production_order.py b/erpnext/manufacturing/doctype/production_order/test_production_order.py
index cdadba4..18aa51d 100644
--- a/erpnext/manufacturing/doctype/production_order/test_production_order.py
+++ b/erpnext/manufacturing/doctype/production_order/test_production_order.py
@@ -8,7 +8,7 @@
from frappe.utils import flt, time_diff_in_hours, now, add_days, cint
from erpnext.stock.doctype.purchase_receipt.test_purchase_receipt import set_perpetual_inventory
from erpnext.manufacturing.doctype.production_order.production_order \
- import make_stock_entry, ItemHasVariantError
+ import make_stock_entry, ItemHasVariantError, stop_unstop
from erpnext.stock.doctype.stock_entry import test_stock_entry
from erpnext.stock.doctype.item.test_item import get_total_projected_qty
from erpnext.stock.utils import get_bin
@@ -228,10 +228,46 @@
cint(bin1_on_start_production.reserved_qty_for_production))
self.assertEqual(cint(bin1_on_end_production.projected_qty),
cint(bin1_on_end_production.projected_qty))
+
+ def test_reserved_qty_for_stopped_production(self):
+ test_stock_entry.make_stock_entry(item_code="_Test Item",
+ target= self.warehouse, qty=100, basic_rate=100)
+ test_stock_entry.make_stock_entry(item_code="_Test Item Home Desktop 100",
+ target= self.warehouse, qty=100, basic_rate=100)
- # required_items removed
- self.pro_order.reload()
- self.assertEqual(len(self.pro_order.required_items), 0)
+ # 0 0 0
+
+ self.test_reserved_qty_for_production_submit()
+
+ #2 0 -2
+
+ s = frappe.get_doc(make_stock_entry(self.pro_order.name,
+ "Material Transfer for Manufacture", 1))
+
+ s.submit()
+
+ #1 -1 0
+
+ bin1_on_start_production = get_bin(self.item, self.warehouse)
+
+ # reserved_qty_for_producion updated
+ self.assertEqual(cint(self.bin1_at_start.reserved_qty_for_production) + 1,
+ cint(bin1_on_start_production.reserved_qty_for_production))
+
+ # projected qty will now be 2 less (becuase of item movement)
+ self.assertEqual(cint(self.bin1_at_start.projected_qty),
+ cint(bin1_on_start_production.projected_qty) + 2)
+
+ # STOP
+ stop_unstop(self.pro_order.name, "Stopped")
+
+ bin1_on_stop_production = get_bin(self.item, self.warehouse)
+
+ # no change in reserved / projected
+ self.assertEqual(cint(bin1_on_stop_production.reserved_qty_for_production),
+ cint(self.bin1_at_start.reserved_qty_for_production))
+ self.assertEqual(cint(bin1_on_stop_production.projected_qty) + 1,
+ cint(self.bin1_at_start.projected_qty))
def test_scrap_material_qty(self):
prod_order = make_prod_order_test_record(planned_start_date=now(), qty=2)
@@ -286,10 +322,11 @@
pro_order.company = args.company or "_Test Company"
pro_order.stock_uom = args.stock_uom or "_Test UOM"
pro_order.use_multi_level_bom=0
- pro_order.set_production_order_operations()
-
+ pro_order.get_items_and_operations_from_bom()
+
if args.source_warehouse:
- pro_order.source_warehouse = args.source_warehouse
+ for item in pro_order.get("required_items"):
+ item.source_warehouse = args.source_warehouse
if args.planned_start_date:
pro_order.planned_start_date = args.planned_start_date
diff --git a/erpnext/manufacturing/doctype/production_order_item/production_order_item.json b/erpnext/manufacturing/doctype/production_order_item/production_order_item.json
index a0fe7ab..00e3adf 100644
--- a/erpnext/manufacturing/doctype/production_order_item/production_order_item.json
+++ b/erpnext/manufacturing/doctype/production_order_item/production_order_item.json
@@ -13,6 +13,7 @@
"engine": "InnoDB",
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -43,6 +44,157 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
+ "collapsible": 0,
+ "columns": 0,
+ "fieldname": "source_warehouse",
+ "fieldtype": "Link",
+ "hidden": 0,
+ "ignore_user_permissions": 1,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 1,
+ "in_standard_filter": 0,
+ "label": "Source Warehouse",
+ "length": 0,
+ "no_copy": 0,
+ "options": "Warehouse",
+ "permlevel": 0,
+ "precision": "",
+ "print_hide": 0,
+ "print_hide_if_no_value": 0,
+ "read_only": 0,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
+ "collapsible": 0,
+ "columns": 0,
+ "fieldname": "column_break_3",
+ "fieldtype": "Column Break",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 0,
+ "in_standard_filter": 0,
+ "length": 0,
+ "no_copy": 0,
+ "permlevel": 0,
+ "precision": "",
+ "print_hide": 0,
+ "print_hide_if_no_value": 0,
+ "read_only": 0,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
+ "collapsible": 0,
+ "columns": 0,
+ "fieldname": "item_name",
+ "fieldtype": "Data",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 0,
+ "in_standard_filter": 0,
+ "label": "Item Name",
+ "length": 0,
+ "no_copy": 0,
+ "permlevel": 0,
+ "precision": "",
+ "print_hide": 0,
+ "print_hide_if_no_value": 0,
+ "read_only": 1,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
+ "collapsible": 0,
+ "columns": 0,
+ "fieldname": "description",
+ "fieldtype": "Text",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 0,
+ "in_standard_filter": 0,
+ "label": "Description",
+ "length": 0,
+ "no_copy": 0,
+ "permlevel": 0,
+ "precision": "",
+ "print_hide": 0,
+ "print_hide_if_no_value": 0,
+ "read_only": 1,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
+ "collapsible": 0,
+ "columns": 0,
+ "fieldname": "qty_section",
+ "fieldtype": "Section Break",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 0,
+ "in_standard_filter": 0,
+ "label": "Qty",
+ "length": 0,
+ "no_copy": 0,
+ "permlevel": 0,
+ "precision": "",
+ "print_hide": 0,
+ "print_hide_if_no_value": 0,
+ "read_only": 0,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -72,6 +224,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -99,6 +252,95 @@
"search_index": 0,
"set_only_once": 0,
"unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
+ "collapsible": 0,
+ "columns": 0,
+ "fieldname": "column_break_9",
+ "fieldtype": "Column Break",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 0,
+ "in_standard_filter": 0,
+ "length": 0,
+ "no_copy": 0,
+ "permlevel": 0,
+ "precision": "",
+ "print_hide": 0,
+ "print_hide_if_no_value": 0,
+ "read_only": 0,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
+ "collapsible": 0,
+ "columns": 0,
+ "fieldname": "available_qty_at_source_warehouse",
+ "fieldtype": "Float",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 0,
+ "in_standard_filter": 0,
+ "label": "Available Qty at Source Warehouse",
+ "length": 0,
+ "no_copy": 0,
+ "permlevel": 0,
+ "precision": "",
+ "print_hide": 0,
+ "print_hide_if_no_value": 0,
+ "read_only": 1,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
+ "collapsible": 0,
+ "columns": 0,
+ "fieldname": "available_qty_at_wip_warehouse",
+ "fieldtype": "Float",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 0,
+ "in_standard_filter": 0,
+ "label": "Available Qty at WIP Warehouse",
+ "length": 0,
+ "no_copy": 0,
+ "permlevel": 0,
+ "precision": "",
+ "print_hide": 0,
+ "print_hide_if_no_value": 0,
+ "read_only": 1,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
}
],
"has_web_view": 0,
@@ -111,7 +353,7 @@
"issingle": 0,
"istable": 1,
"max_attachments": 0,
- "modified": "2017-03-28 14:18:36.342161",
+ "modified": "2017-07-10 17:37:20.212361",
"modified_by": "Administrator",
"module": "Manufacturing",
"name": "Production Order Item",
diff --git a/erpnext/manufacturing/doctype/production_order_operation/production_order_operation.json b/erpnext/manufacturing/doctype/production_order_operation/production_order_operation.json
index 618235f..89306c4 100644
--- a/erpnext/manufacturing/doctype/production_order_operation/production_order_operation.json
+++ b/erpnext/manufacturing/doctype/production_order_operation/production_order_operation.json
@@ -13,6 +13,7 @@
"engine": "InnoDB",
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -42,6 +43,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -74,6 +76,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -85,7 +88,7 @@
"ignore_xss_filter": 0,
"in_filter": 0,
"in_global_search": 0,
- "in_list_view": 1,
+ "in_list_view": 0,
"in_standard_filter": 0,
"label": "BOM",
"length": 0,
@@ -104,6 +107,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -135,6 +139,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -163,6 +168,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -193,6 +199,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -224,6 +231,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -256,6 +264,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -285,6 +294,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -314,6 +324,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -343,6 +354,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -371,6 +383,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -403,6 +416,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -434,6 +448,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -464,6 +479,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -493,6 +509,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -522,6 +539,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -552,6 +570,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -580,6 +599,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -610,6 +630,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -651,7 +672,7 @@
"issingle": 0,
"istable": 1,
"max_attachments": 0,
- "modified": "2017-03-27 15:56:29.010336",
+ "modified": "2017-05-29 18:02:04.252419",
"modified_by": "Administrator",
"module": "Manufacturing",
"name": "Production Order Operation",
diff --git a/erpnext/patches.txt b/erpnext/patches.txt
index 130554f..80d64e8 100644
--- a/erpnext/patches.txt
+++ b/erpnext/patches.txt
@@ -409,3 +409,9 @@
erpnext.patches.v8_0.save_system_settings
erpnext.patches.v8_1.delete_deprecated_reports
erpnext.patches.v8_1.setup_gst_india #2017-06-27
+execute:frappe.reload_doc('regional', 'doctype', 'gst_hsn_code')
+erpnext.patches.v8_1.removed_roles_from_gst_report_non_indian_account
+erpnext.patches.v8_1.gst_fixes #2017-07-06
+erpnext.patches.v8_0.update_production_orders
+erpnext.patches.v8_1.remove_sales_invoice_from_returned_serial_no
+erpnext.patches.v8_1.allow_invoice_copy_to_edit_after_submit
\ No newline at end of file
diff --git a/erpnext/patches/v7_0/create_warehouse_nestedset.py b/erpnext/patches/v7_0/create_warehouse_nestedset.py
index 06766b9..dbf1241 100644
--- a/erpnext/patches/v7_0/create_warehouse_nestedset.py
+++ b/erpnext/patches/v7_0/create_warehouse_nestedset.py
@@ -73,7 +73,7 @@
if not company:
return
- if cint(erpnext.is_perpetual_inventory_enabled(company)):
+ if cint(erpnext.is_perpetual_inventory_enabled(company.name)):
parent_account = frappe.db.sql("""select name from tabAccount
where account_type='Stock' and company=%s and is_group=1
and (warehouse is null or warehouse = '')""", company.name)
diff --git a/erpnext/patches/v8_0/merge_student_batch_and_student_group.py b/erpnext/patches/v8_0/merge_student_batch_and_student_group.py
index 7cfdf60..c5654eb 100644
--- a/erpnext/patches/v8_0/merge_student_batch_and_student_group.py
+++ b/erpnext/patches/v8_0/merge_student_batch_and_student_group.py
@@ -9,8 +9,8 @@
def execute():
# for converting student batch into student group
- for doctype in ["Student Group", "Student Group Student", "Student Group Instructor", "Student Attendance"]:
- frappe.reload_doc("schools", "doctype", doctype)
+ for doctype in ["Student Group", "Student Group Student", "Student Group Instructor", "Student Attendance", "Student"]:
+ frappe.reload_doc("schools", "doctype", frappe.scrub(doctype))
if frappe.db.table_exists("Student Batch"):
student_batches = frappe.db.sql('''select name as student_group_name, student_batch_name as batch,
diff --git a/erpnext/patches/v8_0/update_production_orders.py b/erpnext/patches/v8_0/update_production_orders.py
new file mode 100644
index 0000000..06b8ce7
--- /dev/null
+++ b/erpnext/patches/v8_0/update_production_orders.py
@@ -0,0 +1,46 @@
+# Copyright (c) 2013, Web Notes Technologies Pvt. Ltd. and Contributors
+# License: GNU General Public License v3. See license.txt
+
+from __future__ import unicode_literals
+import frappe
+
+def execute():
+ # reload schema
+ for doctype in ("Production Order", "Production Order Item", "Production Order Operation",
+ "BOM Item", "BOM Explosion Item", "BOM"):
+ frappe.reload_doctype(doctype)
+
+ # fetch all draft and submitted production orders
+ fields = ["name"]
+ if "source_warehouse" in frappe.db.get_table_columns("Production Order"):
+ fields.append("source_warehouse")
+
+ pro_orders = frappe.get_all("Production Order", filters={"docstatus": ["!=", 2]}, fields=fields)
+
+ count = 0
+ for p in pro_orders:
+ pro_order = frappe.get_doc("Production Order", p.name)
+ count += 1
+
+ # set required items table
+ pro_order.set_required_items()
+
+ for item in pro_order.get("required_items"):
+ # set source warehouse based on parent
+ if not item.source_warehouse and "source_warehouse" in fields:
+ item.source_warehouse = pro_order.get("source_warehouse")
+ item.db_update()
+
+ if pro_order.docstatus == 1:
+ # update transferred qty based on Stock Entry, it also updates db
+ pro_order.update_transaferred_qty_for_required_items()
+
+ # Set status where it was 'Unstopped', as it is deprecated
+ if pro_order.status == "Unstopped":
+ status = pro_order.get_status()
+ pro_order.db_set("status", status)
+ elif pro_order.status == "Stopped":
+ pro_order.update_reserved_qty_for_production()
+
+ if count % 200 == 0:
+ frappe.db.commit()
\ No newline at end of file
diff --git a/erpnext/patches/v8_1/allow_invoice_copy_to_edit_after_submit.py b/erpnext/patches/v8_1/allow_invoice_copy_to_edit_after_submit.py
new file mode 100644
index 0000000..1fb297f
--- /dev/null
+++ b/erpnext/patches/v8_1/allow_invoice_copy_to_edit_after_submit.py
@@ -0,0 +1,12 @@
+import frappe
+
+def execute():
+ inv_copy_options = "ORIGINAL FOR RECIPIENT\nDUPLICATE FOR TRANSPORTER\nDUPLICATE FOR SUPPLIER\nTRIPLICATE FOR SUPPLIER"
+
+ frappe.db.sql("""update `tabCustom Field` set allow_on_submit=1, options=%s
+ where fieldname='invoice_copy' and dt = 'Sales Invoice'
+ """, inv_copy_options)
+
+ frappe.db.sql("""update `tabCustom Field` set read_only=1
+ where fieldname='gst_state_number' and dt = 'Address'
+ """)
diff --git a/erpnext/patches/v8_1/delete_deprecated_reports.py b/erpnext/patches/v8_1/delete_deprecated_reports.py
index 9047d84..887277a 100644
--- a/erpnext/patches/v8_1/delete_deprecated_reports.py
+++ b/erpnext/patches/v8_1/delete_deprecated_reports.py
@@ -35,7 +35,7 @@
elif report in ["Customer Addresses And Contacts", "Supplier Addresses And Contacts"]:
frappe.db.sql("""update `tabDesktop Icon` set _report='{value}'
where name in ({docnames})""".format(
- value=report,
+ value="Addresses And Contacts",
docnames=",".join(["'%s'"%icon for icon in desktop_icons])
)
)
diff --git a/erpnext/patches/v8_1/gst_fixes.py b/erpnext/patches/v8_1/gst_fixes.py
new file mode 100644
index 0000000..b47879c
--- /dev/null
+++ b/erpnext/patches/v8_1/gst_fixes.py
@@ -0,0 +1,58 @@
+import frappe
+from frappe.custom.doctype.custom_field.custom_field import create_custom_field
+from erpnext.regional.india.setup import update_address_template
+
+def execute():
+ company = frappe.get_all('Company', filters = {'country': 'India'})
+ if not company:
+ return
+
+ update_existing_custom_fields()
+ add_custom_fields()
+ update_address_template()
+ frappe.reload_doc("regional", "print_format", "gst_tax_invoice")
+
+def update_existing_custom_fields():
+ frappe.db.sql("""update `tabCustom Field` set label = 'HSN/SAC'
+ where fieldname='gst_hsn_code' and label='GST HSN Code'
+ """)
+
+ frappe.db.sql("""update `tabCustom Field` set print_hide = 1
+ where fieldname in ('customer_gstin', 'supplier_gstin', 'company_gstin')
+ """)
+
+ frappe.db.sql("""update `tabCustom Field` set insert_after = 'address_display'
+ where fieldname in ('customer_gstin', 'supplier_gstin')
+ """)
+
+ frappe.db.sql("""update `tabCustom Field` set insert_after = 'company_address_display'
+ where fieldname = 'company_gstin'
+ """)
+
+ frappe.db.sql("""update `tabCustom Field` set insert_after = 'description'
+ where fieldname='gst_hsn_code' and dt in ('Sales Invoice Item', 'Purchase Invoice Item')
+ """)
+
+def add_custom_fields():
+ hsn_sac_field = dict(fieldname='gst_hsn_code', label='HSN/SAC',
+ fieldtype='Data', options='item_code.gst_hsn_code', insert_after='description')
+
+ custom_fields = {
+ 'Address': [
+ dict(fieldname='gst_state_number', label='GST State Number',
+ fieldtype='Int', insert_after='gst_state'),
+ ],
+ 'Sales Invoice': [
+ dict(fieldname='invoice_copy', label='Invoice Copy',
+ fieldtype='Select', insert_after='project', print_hide=1, allow_on_submit=1,
+ options='ORIGINAL FOR RECIPIENT\nDUPLICATE FOR TRANSPORTER\nTRIPLICATE FOR SUPPLIER'),
+ ],
+ 'Sales Order Item': [hsn_sac_field],
+ 'Delivery Note Item': [hsn_sac_field],
+ 'Purchase Order Item': [hsn_sac_field],
+ 'Purchase Receipt Item': [hsn_sac_field]
+ }
+
+ for doctype, fields in custom_fields.items():
+ for df in fields:
+ create_custom_field(doctype, df)
diff --git a/erpnext/patches/v8_1/remove_sales_invoice_from_returned_serial_no.py b/erpnext/patches/v8_1/remove_sales_invoice_from_returned_serial_no.py
new file mode 100644
index 0000000..3962f8f
--- /dev/null
+++ b/erpnext/patches/v8_1/remove_sales_invoice_from_returned_serial_no.py
@@ -0,0 +1,18 @@
+# Copyright (c) 2017, Frappe and Contributors
+# License: GNU General Public License v3. See license.txt
+
+from __future__ import unicode_literals
+import frappe
+
+def execute():
+ frappe.reload_doctype("Serial No")
+
+ frappe.db.sql("""
+ update
+ `tabSerial No`
+ set
+ sales_invoice = NULL
+ where
+ sales_invoice in (select return_against from
+ `tabSales Invoice` where docstatus =1 and is_return=1)
+ and sales_invoice is not null and sales_invoice !='' """)
\ No newline at end of file
diff --git a/erpnext/patches/v8_1/removed_roles_from_gst_report_non_indian_account.py b/erpnext/patches/v8_1/removed_roles_from_gst_report_non_indian_account.py
new file mode 100644
index 0000000..2feb483
--- /dev/null
+++ b/erpnext/patches/v8_1/removed_roles_from_gst_report_non_indian_account.py
@@ -0,0 +1,18 @@
+# Copyright (c) 2017, Frappe and Contributors
+# License: GNU General Public License v3. See license.txt
+
+from __future__ import unicode_literals
+import frappe
+
+def execute():
+ frappe.reload_doc('core', 'doctype', 'has_role')
+ company = frappe.get_all('Company', filters = {'country': 'India'})
+
+ if not company:
+ frappe.db.sql("""
+ delete from
+ `tabHas Role`
+ where
+ parenttype = 'Report' and parent in('GST Sales Register',
+ 'GST Purchase Register', 'GST Itemised Sales Register',
+ 'GST Itemised Purchase Register')""")
\ No newline at end of file
diff --git a/erpnext/patches/v8_1/setup_gst_india.py b/erpnext/patches/v8_1/setup_gst_india.py
index 1b319f9..5660693 100644
--- a/erpnext/patches/v8_1/setup_gst_india.py
+++ b/erpnext/patches/v8_1/setup_gst_india.py
@@ -4,6 +4,8 @@
def execute():
frappe.reload_doc('regional', 'doctype', 'gst_settings')
frappe.reload_doc('regional', 'doctype', 'gst_hsn_code')
+ frappe.reload_doc('stock', 'doctype', 'item')
+ frappe.reload_doc("stock", "doctype", "customs_tariff_number")
for report_name in ('GST Sales Register', 'GST Purchase Register',
'GST Itemised Sales Register', 'GST Itemised Purchase Register'):
diff --git a/erpnext/public/js/controllers/accounts.js b/erpnext/public/js/controllers/accounts.js
index 644f0f5..aefc212 100644
--- a/erpnext/public/js/controllers/accounts.js
+++ b/erpnext/public/js/controllers/accounts.js
@@ -215,7 +215,7 @@
erpnext.taxes.set_conditional_mandatory_rate_or_amount(open_form);
} else {
// apply in current row
- erpnext.taxes.set_conditional_mandatory_rate_or_amount(frm.get_field('taxes').grid.get_grid_row(cdn));
+ erpnext.taxes.set_conditional_mandatory_rate_or_amount(frm.get_field('taxes').grid.get_row(cdn));
}
});
diff --git a/erpnext/public/js/controllers/taxes_and_totals.js b/erpnext/public/js/controllers/taxes_and_totals.js
index c4d8155..e917a75 100644
--- a/erpnext/public/js/controllers/taxes_and_totals.js
+++ b/erpnext/public/js/controllers/taxes_and_totals.js
@@ -634,5 +634,92 @@
}
this.calculate_outstanding_amount(false)
+ },
+
+ show_item_wise_taxes: function() {
+ if(this.frm.fields_dict.other_charges_calculation) {
+ this.frm.toggle_display("other_charges_calculation", this.frm.doc.other_charges_calculation);
+ }
+ },
+
+ set_item_wise_tax_breakup: function() {
+ if(this.frm.fields_dict.other_charges_calculation) {
+ var html = this.get_item_wise_taxes_html();
+ // console.log(html);
+ this.frm.set_value("other_charges_calculation", html);
+ this.show_item_wise_taxes();
+ }
+ },
+
+ get_item_wise_taxes_html: function() {
+ var item_tax = {};
+ var tax_accounts = [];
+ var company_currency = this.get_company_currency();
+
+ $.each(this.frm.doc["taxes"] || [], function(i, tax) {
+ var tax_amount_precision = precision("tax_amount", tax);
+ var tax_rate_precision = precision("rate", tax);
+ $.each(JSON.parse(tax.item_wise_tax_detail || '{}'),
+ function(item_code, tax_data) {
+ if(!item_tax[item_code]) item_tax[item_code] = {};
+ if($.isArray(tax_data)) {
+ var tax_rate = "";
+ if(tax_data[0] != null) {
+ tax_rate = (tax.charge_type === "Actual") ?
+ format_currency(flt(tax_data[0], tax_amount_precision),
+ company_currency, tax_amount_precision) :
+ (flt(tax_data[0], tax_rate_precision) + "%");
+ }
+ var tax_amount = format_currency(flt(tax_data[1], tax_amount_precision),
+ company_currency, tax_amount_precision);
+
+ item_tax[item_code][tax.name] = [tax_rate, tax_amount];
+ } else {
+ item_tax[item_code][tax.name] = [flt(tax_data, tax_rate_precision) + "%", ""];
+ }
+ });
+ tax_accounts.push([tax.name, tax.account_head]);
+ });
+
+ var headings = $.map([__("Item Name"), __("Taxable Amount")].concat($.map(tax_accounts,
+ function(head) { return head[1]; })), function(head) {
+ if(head==__("Item Name")) {
+ return '<th style="min-width: 100px;" class="text-left">' + (head || "") + "</th>";
+ } else {
+ return '<th style="min-width: 80px;" class="text-right">' + (head || "") + "</th>";
+ }
+ }
+ ).join("");
+
+ var distinct_item_names = [];
+ var distinct_items = [];
+ $.each(this.frm.doc["items"] || [], function(i, item) {
+ if(distinct_item_names.indexOf(item.item_code || item.item_name)===-1) {
+ distinct_item_names.push(item.item_code || item.item_name);
+ distinct_items.push(item);
+ }
+ });
+
+ var rows = $.map(distinct_items, function(item) {
+ var item_tax_record = item_tax[item.item_code || item.item_name];
+ if(!item_tax_record) { return null; }
+ return repl("<tr><td>%(item_name)s</td><td class='text-right'>%(taxable_amount)s</td>%(taxes)s</tr>", {
+ item_name: item.item_name,
+ taxable_amount: format_currency(item.net_amount,
+ company_currency, precision("net_amount", item)),
+ taxes: $.map(tax_accounts, function(head) {
+ return item_tax_record[head[0]] ?
+ "<td class='text-right'>(" + item_tax_record[head[0]][0] + ") " + item_tax_record[head[0]][1] + "</td>" :
+ "<td></td>";
+ }).join("")
+ });
+ }).join("");
+
+ if(!rows) return "";
+ return '<div class="tax-break-up" style="overflow-x: auto;">\
+ <table class="table table-bordered table-hover">\
+ <thead><tr>' + headings + '</tr></thead> \
+ <tbody>' + rows + '</tbody> \
+ </table></div>';
}
})
diff --git a/erpnext/public/js/controllers/transaction.js b/erpnext/public/js/controllers/transaction.js
index cd8e7bd..fd91227 100644
--- a/erpnext/public/js/controllers/transaction.js
+++ b/erpnext/public/js/controllers/transaction.js
@@ -63,37 +63,32 @@
});
frappe.ui.form.on(this.frm.doctype, "additional_discount_percentage", function(frm) {
- if (frm.via_discount_amount) {
- return;
- }
-
if(!frm.doc.apply_discount_on) {
frappe.msgprint(__("Please set 'Apply Additional Discount On'"));
- return
+ return;
}
frm.via_discount_percentage = true;
if(frm.doc.additional_discount_percentage && frm.doc.discount_amount) {
// Reset discount amount and net / grand total
- frm.set_value("discount_amount", 0);
+ frm.doc.discount_amount = 0;
+ frm.cscript.calculate_taxes_and_totals();
}
var total = flt(frm.doc[frappe.model.scrub(frm.doc.apply_discount_on)]);
var discount_amount = flt(total*flt(frm.doc.additional_discount_percentage) / 100,
precision("discount_amount"));
- frm.set_value("discount_amount", discount_amount);
- delete frm.via_discount_percentage;
+ frm.set_value("discount_amount", discount_amount)
+ .then(() => delete frm.via_discount_percentage);
});
frappe.ui.form.on(this.frm.doctype, "discount_amount", function(frm) {
frm.cscript.set_dynamic_labels();
if (!frm.via_discount_percentage) {
- frm.via_discount_amount = true;
- frm.set_value("additional_discount_percentage", 0);
- delete frm.via_discount_amount;
+ frm.doc.additional_discount_percentage = 0;
}
frm.cscript.calculate_taxes_and_totals();
@@ -374,6 +369,7 @@
validate: function() {
this.calculate_taxes_and_totals(false);
+ this.set_item_wise_tax_breakup();
},
company: function() {
@@ -936,69 +932,6 @@
});
},
- get_item_wise_taxes_html: function() {
- var item_tax = {};
- var tax_accounts = [];
- var company_currency = this.get_company_currency();
-
- $.each(this.frm.doc["taxes"] || [], function(i, tax) {
- var tax_amount_precision = precision("tax_amount", tax);
- var tax_rate_precision = precision("rate", tax);
- $.each(JSON.parse(tax.item_wise_tax_detail || '{}'),
- function(item_code, tax_data) {
- if(!item_tax[item_code]) item_tax[item_code] = {};
- if($.isArray(tax_data)) {
- var tax_rate = "";
- if(tax_data[0] != null) {
- tax_rate = (tax.charge_type === "Actual") ?
- format_currency(flt(tax_data[0], tax_amount_precision), company_currency, tax_amount_precision) :
- (flt(tax_data[0], tax_rate_precision) + "%");
- }
- var tax_amount = format_currency(flt(tax_data[1], tax_amount_precision), company_currency,
- tax_amount_precision);
-
- item_tax[item_code][tax.name] = [tax_rate, tax_amount];
- } else {
- item_tax[item_code][tax.name] = [flt(tax_data, tax_rate_precision) + "%", ""];
- }
- });
- tax_accounts.push([tax.name, tax.account_head]);
- });
-
- var headings = $.map([__("Item Name")].concat($.map(tax_accounts, function(head) { return head[1]; })),
- function(head) { return '<th style="min-width: 100px;">' + (head || "") + "</th>" }).join("\n");
-
- var distinct_item_names = [];
- var distinct_items = [];
- $.each(this.frm.doc["items"] || [], function(i, item) {
- if(distinct_item_names.indexOf(item.item_code || item.item_name)===-1) {
- distinct_item_names.push(item.item_code || item.item_name);
- distinct_items.push(item);
- }
- });
-
- var rows = $.map(distinct_items, function(item) {
- var item_tax_record = item_tax[item.item_code || item.item_name];
- if(!item_tax_record) { return null; }
- return repl("<tr><td>%(item_name)s</td>%(taxes)s</tr>", {
- item_name: item.item_name,
- taxes: $.map(tax_accounts, function(head) {
- return item_tax_record[head[0]] ?
- "<td>(" + item_tax_record[head[0]][0] + ") " + item_tax_record[head[0]][1] + "</td>" :
- "<td></td>";
- }).join("\n")
- });
- }).join("\n");
-
- if(!rows) return "";
- return '<p><a class="h6 text-muted" href="#" onclick="$(\'.tax-break-up\').toggleClass(\'hide\'); return false;">'
- + __("Show tax break-up") + '</a></p>\
- <div class="tax-break-up hide" style="overflow-x: auto;"><table class="table table-bordered table-hover">\
- <thead><tr>' + headings + '</tr></thead> \
- <tbody>' + rows + '</tbody> \
- </table></div>';
- },
-
validate_company_and_party: function() {
var me = this;
var valid = true;
@@ -1046,18 +979,6 @@
}
},
- show_item_wise_taxes: function() {
- if(this.frm.fields_dict.other_charges_calculation) {
- var html = this.get_item_wise_taxes_html();
- if (html) {
- this.frm.toggle_display("other_charges_calculation", true);
- $(this.frm.fields_dict.other_charges_calculation.wrapper).html(html);
- } else {
- this.frm.toggle_display("other_charges_calculation", false);
- }
- }
- },
-
is_recurring: function() {
// set default values for recurring documents
if(this.frm.doc.is_recurring && this.frm.doc.__islocal) {
diff --git a/erpnext/public/js/setup_wizard.js b/erpnext/public/js/setup_wizard.js
index 488d3c4..43b45d9 100644
--- a/erpnext/public/js/setup_wizard.js
+++ b/erpnext/public/js/setup_wizard.js
@@ -1,4 +1,4 @@
-frappe.provide("erpnext.wiz");
+frappe.provide("erpnext.setup");
frappe.pages['setup-wizard'].on_page_load = function(wrapper) {
if(frappe.sys_defaults.company) {
@@ -7,459 +7,398 @@
}
};
-function load_erpnext_slides() {
- $.extend(erpnext.wiz, {
- select_domain: {
- domains: ["all"],
- title: __('Select your Domain'),
- fields: [
- {fieldname:'domain', label: __('Domain'), fieldtype:'Select',
- options: [
- {"label": __("Distribution"), "value": "Distribution"},
- {"label": __("Education"), "value": "Education"},
- {"label": __("Manufacturing"), "value": "Manufacturing"},
- {"label": __("Retail"), "value": "Retail"},
- {"label": __("Services"), "value": "Services"}
- ], reqd:1},
- ],
- help: __('Select the nature of your business.'),
- onload: function(slide) {
- slide.get_input("domain").on("change", function() {
- frappe.wiz.domain = $(this).val();
- frappe.wizard.refresh_slides();
- });
+var erpnext_slides = [
+ {
+ // Domain
+ name: 'domain',
+ domains: ["all"],
+ title: __('Select your Domain'),
+ fields: [
+ {
+ fieldname: 'domain', label: __('Domain'), fieldtype: 'Select',
+ options: [
+ { "label": __("Distribution"), "value": "Distribution" },
+ { "label": __("Education"), "value": "Education" },
+ { "label": __("Manufacturing"), "value": "Manufacturing" },
+ { "label": __("Retail"), "value": "Retail" },
+ { "label": __("Services"), "value": "Services" }
+ ], reqd: 1
},
- css_class: "single-column"
+ ],
+ help: __('Select the nature of your business.'),
+ onload: function (slide) {
+ slide.get_input("domain").on("change", function () {
+ frappe.setup.domain = $(this).val();
+ frappe.wizard.refresh_slides();
+ });
},
- org: {
- domains: ["all"],
- title: __("The Organization"),
- icon: "fa fa-building",
- fields: [
- {fieldname:'company_name',
- label: frappe.wiz.domain==='Education' ?
- __('Institute Name') : __('Company Name'),
- fieldtype:'Data', reqd:1},
- {fieldname:'company_abbr',
- label: frappe.wiz.domain==='Education' ?
- __('Institute Abbreviation') : __('Company Abbreviation'),
- fieldtype:'Data'},
- {fieldname:'company_tagline',
- label: __('What does it do?'),
- fieldtype:'Data',
- placeholder: frappe.wiz.domain==='Education' ?
- __('e.g. "Primary School" or "University"') :
- __('e.g. "Build tools for builders"'),
- reqd:1},
- {fieldname:'bank_account', label: __('Bank Name'), fieldtype:'Data', reqd:1},
- {fieldname:'chart_of_accounts', label: __('Chart of Accounts'),
- options: "", fieldtype: 'Select'},
+ },
- // TODO remove this
- {fieldtype: "Section Break"},
- {fieldname:'fy_start_date', label:__('Financial Year Start Date'), fieldtype:'Date',
- description: __('Your financial year begins on'), reqd:1},
- {fieldname:'fy_end_date', label:__('Financial Year End Date'), fieldtype:'Date',
- description: __('Your financial year ends on'), reqd:1},
- ],
- help: (frappe.wiz.domain==='Education' ?
- __('The name of the institute for which you are setting up this system.'):
- __('The name of your company for which you are setting up this system.')),
+ {
+ // Brand
+ name: 'brand',
+ domains: ["all"],
+ icon: "fa fa-bookmark",
+ title: __("The Brand"),
+ help: __('Upload your letter head and logo. (you can edit them later).'),
+ fields: [
+ {
+ fieldtype: "Attach Image", fieldname: "attach_logo",
+ label: __("Attach Logo"),
+ description: __("100px by 100px"),
+ is_private: 0
+ },
+ {
+ fieldname: 'company_name',
+ label: frappe.setup.domain === 'Education' ?
+ __('Institute Name') : __('Company Name'),
+ fieldtype: 'Data', reqd: 1
+ },
+ {
+ fieldname: 'company_abbr',
+ label: frappe.setup.domain === 'Education' ?
+ __('Institute Abbreviation') : __('Company Abbreviation'),
+ fieldtype: 'Data'
+ }
+ ],
+ onload: function(slide) {
+ this.bind_events(slide);
+ },
+ bind_events: function (slide) {
+ slide.get_input("company_name").on("change", function () {
+ var parts = slide.get_input("company_name").val().split(" ");
+ var abbr = $.map(parts, function (p) { return p ? p.substr(0, 1) : null }).join("");
+ slide.get_field("company_abbr").set_input(abbr.slice(0, 5).toUpperCase());
+ }).val(frappe.boot.sysdefaults.company_name || "").trigger("change");
- onload: function(slide) {
- erpnext.wiz.org.load_chart_of_accounts(slide);
- erpnext.wiz.org.bind_events(slide);
- erpnext.wiz.org.set_fy_dates(slide);
+ slide.get_input("company_abbr").on("change", function () {
+ if (slide.get_input("company_abbr").val().length > 5) {
+ frappe.msgprint("Company Abbreviation cannot have more than 5 characters");
+ slide.get_field("company_abbr").set_input("");
+ }
+ });
+ }
+ },
+ {
+ // Organisation
+ name: 'organisation',
+ domains: ["all"],
+ title: __("Your Organization"),
+ icon: "fa fa-building",
+ help: (frappe.setup.domain === 'Education' ?
+ __('The name of the institute for which you are setting up this system.') :
+ __('The name of your company for which you are setting up this system.')),
+ fields: [
+ {
+ fieldname: 'company_tagline',
+ label: __('What does it do?'),
+ fieldtype: 'Data',
+ placeholder: frappe.setup.domain === 'Education' ?
+ __('e.g. "Primary School" or "University"') :
+ __('e.g. "Build tools for builders"'),
+ reqd: 1
+ },
+ { fieldname: 'bank_account', label: __('Bank Name'), fieldtype: 'Data', reqd: 1 },
+ {
+ fieldname: 'chart_of_accounts', label: __('Chart of Accounts'),
+ options: "", fieldtype: 'Select'
},
- validate: function() {
- // validate fiscal year start and end dates
- if (this.values.fy_start_date=='Invalid date' || this.values.fy_end_date=='Invalid date') {
- frappe.msgprint(__("Please enter valid Financial Year Start and End Dates"));
- return false;
+ { fieldtype: "Section Break", label: "Financial Year" },
+ { fieldname: 'fy_start_date', label: __('Start Date'), fieldtype: 'Date', reqd: 1 },
+ { fieldtype: "Column Break" },
+ { fieldname: 'fy_end_date', label: __('End Date'), fieldtype: 'Date', reqd: 1 },
+ ],
+
+ onload: function (slide) {
+ this.load_chart_of_accounts(slide);
+ this.bind_events(slide);
+ this.set_fy_dates(slide);
+ },
+
+ validate: function () {
+ // validate fiscal year start and end dates
+ if (this.values.fy_start_date == 'Invalid date' || this.values.fy_end_date == 'Invalid date') {
+ frappe.msgprint(__("Please enter valid Financial Year Start and End Dates"));
+ return false;
+ }
+
+ if ((this.values.company_name || "").toLowerCase() == "company") {
+ frappe.msgprint(__("Company Name cannot be Company"));
+ return false;
+ }
+
+ return true;
+ },
+
+ set_fy_dates: function (slide) {
+ var country = frappe.wizard.values.country;
+
+ if (country) {
+ var fy = erpnext.setup.fiscal_years[country];
+ var current_year = moment(new Date()).year();
+ var next_year = current_year + 1;
+ if (!fy) {
+ fy = ["01-01", "12-31"];
+ next_year = current_year;
}
- if ((this.values.company_name || "").toLowerCase() == "company") {
- frappe.msgprint(__("Company Name cannot be Company"));
- return false;
+ var year_start_date = current_year + "-" + fy[0];
+ if (year_start_date > frappe.datetime.get_today()) {
+ next_year = current_year;
+ current_year -= 1;
}
+ slide.get_field("fy_start_date").set_value(current_year + '-' + fy[0]);
+ slide.get_field("fy_end_date").set_value(next_year + '-' + fy[1]);
+ }
- return true;
- },
+ },
- css_class: "single-column",
- set_fy_dates: function(slide) {
- var country = frappe.wizard.values.country;
+ load_chart_of_accounts: function (slide) {
+ var country = frappe.wizard.values.country;
- if(country) {
- var fy = erpnext.wiz.fiscal_years[country];
- var current_year = moment(new Date()).year();
- var next_year = current_year + 1;
- if(!fy) {
- fy = ["01-01", "12-31"];
- next_year = current_year;
- }
-
- var year_start_date = current_year + "-" + fy[0];
- if(year_start_date > frappe.datetime.get_today()) {
- next_year = current_year
- current_year -= 1;
- }
- slide.get_field("fy_start_date").set_input(current_year + "-" + fy[0]);
- slide.get_field("fy_end_date").set_input(next_year + "-" + fy[1]);
- }
+ if (country) {
+ frappe.call({
+ method: "erpnext.accounts.doctype.account.chart_of_accounts.chart_of_accounts.get_charts_for_country",
+ args: { "country": country },
+ callback: function (r) {
+ if (r.message) {
+ slide.get_input("chart_of_accounts").empty()
+ .add_options(r.message);
- },
-
- load_chart_of_accounts: function(slide) {
- var country = frappe.wizard.values.country;
-
- if(country) {
- frappe.call({
- method: "erpnext.accounts.doctype.account.chart_of_accounts.chart_of_accounts.get_charts_for_country",
- args: {"country": country},
- callback: function(r) {
- if(r.message) {
- slide.get_input("chart_of_accounts").empty()
- .add_options(r.message);
-
- if (r.message.length===1) {
- var field = slide.get_field("chart_of_accounts");
- field.set_value(r.message[0]);
- field.df.hidden = 1;
- field.refresh();
- }
+ if (r.message.length === 1) {
+ var field = slide.get_field("chart_of_accounts");
+ field.set_value(r.message[0]);
+ field.df.hidden = 1;
+ field.refresh();
}
}
- })
- }
- },
-
- bind_events: function(slide) {
- slide.get_input("company_name").on("change", function() {
- var parts = slide.get_input("company_name").val().split(" ");
- var abbr = $.map(parts, function(p) { return p ? p.substr(0,1) : null }).join("");
- slide.get_field("company_abbr").set_input(abbr.slice(0, 5).toUpperCase());
- }).val(frappe.boot.sysdefaults.company_name || "").trigger("change");
-
- slide.get_input("company_abbr").on("change", function() {
- if(slide.get_input("company_abbr").val().length > 5) {
- frappe.msgprint("Company Abbreviation cannot have more than 5 characters");
- slide.get_field("company_abbr").set_input("");
}
- });
-
- // TODO remove this
- slide.get_input("fy_start_date").on("change", function() {
- var year_end_date =
- frappe.datetime.add_days(frappe.datetime.add_months(
- frappe.datetime.user_to_obj(slide.get_input("fy_start_date").val()), 12), -1);
- slide.get_input("fy_end_date").val(frappe.datetime.obj_to_user(year_end_date));
-
- });
+ })
}
},
- branding: {
- domains: ["all"],
- icon: "fa fa-bookmark",
- title: __("The Brand"),
- help: __('Upload your letter head and logo. (you can edit them later).'),
- fields: [
- {fieldtype:"Attach Image", fieldname:"attach_letterhead",
- label: __("Attach Letterhead"),
- description: __("Keep it web friendly 900px (w) by 100px (h)"),
- is_private: 0
- },
- {fieldtype: "Column Break"},
- {fieldtype:"Attach Image", fieldname:"attach_logo",
- label:__("Attach Logo"),
- description: __("100px by 100px"),
- is_private: 0
- },
- ],
-
- css_class: "two-column"
- },
-
- users: {
- domains: ["all"],
- icon: "fa fa-money",
- title: __("Add Users"),
- help: __("Add users to your organization, other than yourself"),
- fields: [],
- before_load: function(slide) {
- slide.fields = [];
- for(var i=1; i<5; i++) {
- slide.fields = slide.fields.concat([
- {fieldtype:"Section Break"},
- {fieldtype:"Data", fieldname:"user_fullname_"+ i,
- label:__("Full Name")},
- {fieldtype:"Data", fieldname:"user_email_" + i,
- label:__("Email Address"), placeholder:__("user@example.com"),
- options: "Email"},
- {fieldtype:"Column Break"},
- {fieldtype: "Check", fieldname: "user_sales_" + i,
- label:__("Sales"), "default": 1,
- hidden: frappe.wiz.domain==='Education' ? 1 : 0},
- {fieldtype: "Check", fieldname: "user_purchaser_" + i,
- label:__("Purchaser"), "default": 1,
- hidden: frappe.wiz.domain==='Education' ? 1 : 0},
- {fieldtype: "Check", fieldname: "user_accountant_" + i,
- label:__("Accountant"), "default": 1,
- hidden: frappe.wiz.domain==='Education' ? 1 : 0},
- ]);
- }
- },
- css_class: "two-column"
- },
-
- taxes: {
- domains: ['manufacturing', 'services', 'retail', 'distribution'],
- icon: "fa fa-money",
- title: __("Add Taxes"),
- help: __("List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later."),
- "fields": [],
- before_load: function(slide) {
- slide.fields = [];
- for(var i=1; i<4; i++) {
- slide.fields = slide.fields.concat([
- {fieldtype:"Section Break"},
- {fieldtype:"Data", fieldname:"tax_"+ i, label:__("Tax") + " " + i,
- placeholder:__("e.g. VAT") + " " + i},
- {fieldtype:"Column Break"},
- {fieldtype:"Float", fieldname:"tax_rate_" + i, label:__("Rate (%)"), placeholder:__("e.g. 5")},
- ]);
- }
- },
- css_class: "two-column"
- },
-
- customers: {
- domains: ['manufacturing', 'services', 'retail', 'distribution'],
- icon: "fa fa-group",
- title: __("Your Customers"),
- help: __("List a few of your customers. They could be organizations or individuals."),
- fields: [],
- before_load: function(slide) {
- slide.fields = [];
- for(var i=1; i<6; i++) {
- slide.fields = slide.fields.concat([
- {fieldtype:"Section Break"},
- {fieldtype:"Data", fieldname:"customer_" + i, label:__("Customer") + " " + i,
- placeholder:__("Customer Name")},
- {fieldtype:"Column Break"},
- {fieldtype:"Data", fieldname:"customer_contact_" + i,
- label:__("Contact Name") + " " + i, placeholder:__("Contact Name")}
- ])
- }
- slide.fields[1].reqd = 1;
- },
- css_class: "two-column"
- },
-
- suppliers: {
- domains: ['manufacturing', 'services', 'retail', 'distribution'],
- icon: "fa fa-group",
- title: __("Your Suppliers"),
- help: __("List a few of your suppliers. They could be organizations or individuals."),
- fields: [],
- before_load: function(slide) {
- slide.fields = [];
- for(var i=1; i<6; i++) {
- slide.fields = slide.fields.concat([
- {fieldtype:"Section Break"},
- {fieldtype:"Data", fieldname:"supplier_" + i, label:__("Supplier")+" " + i,
- placeholder:__("Supplier Name")},
- {fieldtype:"Column Break"},
- {fieldtype:"Data", fieldname:"supplier_contact_" + i,
- label:__("Contact Name") + " " + i, placeholder:__("Contact Name")},
- ])
- }
- slide.fields[1].reqd = 1;
- },
- css_class: "two-column"
- },
-
- items: {
- domains: ['manufacturing', 'services', 'retail', 'distribution'],
- icon: "fa fa-barcode",
- title: __("Your Products or Services"),
- help: __("List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start."),
- fields: [],
- before_load: function(slide) {
- slide.fields = [];
- for(var i=1; i<6; i++) {
- slide.fields = slide.fields.concat([
- {fieldtype:"Section Break", show_section_border: true},
- {fieldtype:"Data", fieldname:"item_" + i, label:__("Item") + " " + i,
- placeholder:__("A Product or Service")},
- {fieldtype:"Select", label:__("Group"), fieldname:"item_group_" + i,
- options:[__("Products"), __("Services"),
- __("Raw Material"), __("Consumable"), __("Sub Assemblies")],
- "default": __("Products")},
- {fieldtype:"Select", fieldname:"item_uom_" + i, label:__("UOM"),
- options:[__("Unit"), __("Nos"), __("Box"), __("Pair"), __("Kg"), __("Set"),
- __("Hour"), __("Minute"), __("Litre"), __("Meter"), __("Gram")],
- "default": __("Unit")},
- {fieldtype: "Check", fieldname: "is_sales_item_" + i, label:__("We sell this Item"), default: 1},
- {fieldtype: "Check", fieldname: "is_purchase_item_" + i, label:__("We buy this Item")},
- {fieldtype:"Column Break"},
- {fieldtype:"Currency", fieldname:"item_price_" + i, label:__("Rate")},
- {fieldtype:"Attach Image", fieldname:"item_img_" + i, label:__("Attach Image"), is_private: 0},
- ])
- }
- slide.fields[1].reqd = 1;
-
- // dummy data
- slide.fields.push({fieldtype: "Section Break"});
- slide.fields.push({fieldtype: "Check", fieldname: "add_sample_data",
- label: __("Add a few sample records"), "default": 1});
- slide.fields.push({fieldtype: "Check", fieldname: "setup_website",
- label: __("Setup a simple website for my organization"), "default": 1});
- },
- css_class: "two-column"
- },
-
- program: {
- domains: ["education"],
- title: __("Program"),
- help: __("Example: Masters in Computer Science"),
- fields: [],
- before_load: function(slide) {
- slide.fields = [];
- for(var i=1; i<6; i++) {
- slide.fields = slide.fields.concat([
- {fieldtype:"Section Break", show_section_border: true},
- {fieldtype:"Data", fieldname:"program_" + i, label:__("Program") + " " + i, placeholder: __("Program Name")},
- ])
- }
- slide.fields[1].reqd = 1;
- },
- css_class: "single-column"
- },
-
- course: {
- domains: ["education"],
- title: __("Course"),
- help: __("Example: Basic Mathematics"),
- fields: [],
- before_load: function(slide) {
- slide.fields = [];
- for(var i=1; i<6; i++) {
- slide.fields = slide.fields.concat([
- {fieldtype:"Section Break", show_section_border: true},
- {fieldtype:"Data", fieldname:"course_" + i, label:__("Course") + " " + i, placeholder: __("Course Name")},
- ])
- }
- slide.fields[1].reqd = 1;
- },
- css_class: "single-column"
- },
+ bind_events: function (slide) {
+ slide.get_input("fy_start_date").on("change", function () {
+ var start_date = slide.form.fields_dict.fy_start_date.get_value();
+ var year_end_date =
+ frappe.datetime.add_days(frappe.datetime.add_months(start_date, 12), -1);
+ slide.form.fields_dict.fy_end_date.set_value(year_end_date);
+ });
+ }
+ },
- instructor: {
- domains: ["education"],
- title: __("Instructor"),
- help: __("People who teach at your organisation"),
- fields: [],
- before_load: function(slide) {
- slide.fields = [];
- for(var i=1; i<6; i++) {
- slide.fields = slide.fields.concat([
- {fieldtype:"Section Break", show_section_border: true},
- {fieldtype:"Data", fieldname:"instructor_" + i, label:__("Instructor") + " " + i, placeholder: __("Instructor Name")},
- ])
- }
- slide.fields[1].reqd = 1;
- },
- css_class: "single-column"
- },
+ {
+ // Taxes
+ name: 'taxes',
+ domains: ['manufacturing', 'services', 'retail', 'distribution'],
+ icon: "fa fa-money",
+ title: __("Add Taxes"),
+ help: __("List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later."),
+ add_more: 1,
+ max_count: 4,
+ fields: [
+ {fieldtype:"Section Break"},
+ {fieldtype:"Data", fieldname:"tax", label:__("Tax"),
+ placeholder:__("e.g. VAT")},
+ {fieldtype:"Column Break"},
+ {fieldtype:"Float", fieldname:"tax_rate", label:__("Rate (%)"), placeholder:__("e.g. 5")}
+ ]
+ },
- room: {
- domains: ["education"],
- title: __("Room"),
- help: __("Classrooms/ Laboratories etc where lectures can be scheduled."),
- fields: [],
- before_load: function(slide) {
- slide.fields = [];
- for(var i=1; i<4; i++) {
- slide.fields = slide.fields.concat([
- {fieldtype:"Section Break", show_section_border: true},
- {fieldtype:"Data", fieldname:"room_" + i, label:__("Room") + " " + i},
- {fieldtype:"Column Break"},
- {fieldtype:"Int", fieldname:"room_capacity_" + i, label:__("Room") + " " + i + " Capacity"},
- ])
- }
- slide.fields[1].reqd = 1;
- },
- css_class: "two-column"
- },
- });
+ {
+ // Customers
+ name: 'customers',
+ domains: ['manufacturing', 'services', 'retail', 'distribution'],
+ icon: "fa fa-group",
+ title: __("Add Customers"),
+ help: __("List a few of your customers. They could be organizations or individuals."),
+ add_more: 1,
+ max_count: 6,
+ fields: [
+ {fieldtype:"Section Break"},
+ {fieldtype:"Data", fieldname:"customer", label:__("Customer"),
+ placeholder:__("Customer Name")},
+ {fieldtype:"Column Break"},
+ {fieldtype:"Data", fieldname:"customer_contact",
+ label:__("Contact Name"), placeholder:__("Contact Name")}
+ ],
+ },
- // Source: https://en.wikipedia.org/wiki/Fiscal_year
- // default 1st Jan - 31st Dec
+ {
+ // Suppliers
+ name: 'suppliers',
+ domains: ['manufacturing', 'services', 'retail', 'distribution'],
+ icon: "fa fa-group",
+ title: __("Your Suppliers"),
+ help: __("List a few of your suppliers. They could be organizations or individuals."),
+ add_more: 1,
+ max_count: 6,
+ fields: [
+ {fieldtype:"Section Break"},
+ {fieldtype:"Data", fieldname:"supplier", label:__("Supplier"),
+ placeholder:__("Supplier Name")},
+ {fieldtype:"Column Break"},
+ {fieldtype:"Data", fieldname:"supplier_contact",
+ label:__("Contact Name"), placeholder:__("Contact Name")},
+ ]
+ },
- erpnext.wiz.fiscal_years = {
- "Afghanistan": ["12-20", "12-21"],
- "Australia": ["07-01", "06-30"],
- "Bangladesh": ["07-01", "06-30"],
- "Canada": ["04-01", "03-31"],
- "Costa Rica": ["10-01", "09-30"],
- "Egypt": ["07-01", "06-30"],
- "Hong Kong": ["04-01", "03-31"],
- "India": ["04-01", "03-31"],
- "Iran": ["06-23", "06-22"],
- "Italy": ["07-01", "06-30"],
- "Myanmar": ["04-01", "03-31"],
- "New Zealand": ["04-01", "03-31"],
- "Pakistan": ["07-01", "06-30"],
- "Singapore": ["04-01", "03-31"],
- "South Africa": ["03-01", "02-28"],
- "Thailand": ["10-01", "09-30"],
- "United Kingdom": ["04-01", "03-31"],
- };
-}
+ {
+ // Products
+ name: 'products',
+ domains: ['manufacturing', 'services', 'retail', 'distribution'],
+ icon: "fa fa-barcode",
+ title: __("Your Products or Services"),
+ help: __("List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start."),
+ add_more: 1,
+ max_count: 6,
+ fields: [
+ {fieldtype:"Section Break", show_section_border: true},
+ {fieldtype:"Data", fieldname:"item", label:__("Item"),
+ placeholder:__("A Product or Service")},
+ {fieldtype:"Select", label:__("Group"), fieldname:"item_group",
+ options:[__("Products"), __("Services"),
+ __("Raw Material"), __("Consumable"), __("Sub Assemblies")],
+ "default": __("Products")},
+ {fieldtype:"Select", fieldname:"item_uom", label:__("UOM"),
+ options:[__("Unit"), __("Nos"), __("Box"), __("Pair"), __("Kg"), __("Set"),
+ __("Hour"), __("Minute"), __("Litre"), __("Meter"), __("Gram")],
+ "default": __("Unit")},
+ {fieldtype: "Check", fieldname: "is_sales_item", label:__("We sell this Item"), default: 1},
+ {fieldtype: "Check", fieldname: "is_purchase_item", label:__("We buy this Item")},
+ {fieldtype:"Column Break"},
+ {fieldtype:"Currency", fieldname:"item_price", label:__("Rate")},
+ {fieldtype:"Attach Image", fieldname:"item_img", label:__("Attach Image"), is_private: 0},
+ ],
+ get_item_count: function() {
+ return this.item_count;
+ }
+ },
-frappe.wiz.on("before_load", function() {
- load_erpnext_slides();
+ {
+ // Program
+ name: 'program',
+ domains: ["education"],
+ title: __("Program"),
+ help: __("Example: Masters in Computer Science"),
+ add_more: 1,
+ max_count: 6,
+ fields: [
+ {fieldtype:"Section Break", show_section_border: true},
+ {fieldtype:"Data", fieldname:"program", label:__("Program"), placeholder: __("Program Name")},
+ ],
+ },
- frappe.wiz.add_slide(erpnext.wiz.select_domain);
- frappe.wiz.add_slide(erpnext.wiz.org);
- frappe.wiz.add_slide(erpnext.wiz.branding);
+ {
+ // Course
+ name: 'course',
+ domains: ["education"],
+ title: __("Course"),
+ help: __("Example: Basic Mathematics"),
+ add_more: 1,
+ max_count: 6,
+ fields: [
+ {fieldtype:"Section Break", show_section_border: true},
+ {fieldtype:"Data", fieldname:"course", label:__("Course"), placeholder: __("Course Name")},
+ ]
+ },
- if (!(frappe.boot.limits && frappe.boot.limits.users===1)) {
- frappe.wiz.add_slide(erpnext.wiz.users);
+ {
+ // Instructor
+ name: 'instructor',
+ domains: ["education"],
+ title: __("Instructor"),
+ help: __("People who teach at your organisation"),
+ add_more: 1,
+ max_count: 6,
+ fields: [
+ {fieldtype:"Section Break", show_section_border: true},
+ {fieldtype:"Data", fieldname:"instructor", label:__("Instructor"), placeholder: __("Instructor Name")},
+ ]
+ },
+
+ {
+ // Room
+ name: 'room',
+ domains: ["education"],
+ title: __("Room"),
+ help: __("Classrooms/ Laboratories etc where lectures can be scheduled."),
+ add_more: 1,
+ max_count: 4,
+ fields: [
+ {fieldtype:"Section Break", show_section_border: true},
+ {fieldtype:"Data", fieldname:"room", label:__("Room")},
+ {fieldtype:"Column Break"},
+ {fieldtype:"Int", fieldname:"room_capacity", label:__("Room") + " Capacity"},
+ ]
+ },
+
+ {
+ // last slide: Bootstrap
+ name: 'bootstrap',
+ domains: ["all"],
+ title: __("Bootstrap"),
+ fields: [{fieldtype: "Section Break"},
+ {fieldtype: "Check", fieldname: "add_sample_data",
+ label: __("Add a few sample records"), "default": 1},
+ {fieldtype: "Check", fieldname: "setup_website",
+ label: __("Setup a simple website for my organization"), "default": 1}
+ ]
}
+];
- frappe.wiz.add_slide(erpnext.wiz.taxes);
- frappe.wiz.add_slide(erpnext.wiz.customers);
- frappe.wiz.add_slide(erpnext.wiz.suppliers);
- frappe.wiz.add_slide(erpnext.wiz.items);
- frappe.wiz.add_slide(erpnext.wiz.program);
- frappe.wiz.add_slide(erpnext.wiz.course);
- frappe.wiz.add_slide(erpnext.wiz.instructor);
- frappe.wiz.add_slide(erpnext.wiz.room);
+// Source: https://en.wikipedia.org/wiki/Fiscal_year
+// default 1st Jan - 31st Dec
- if(frappe.wizard && frappe.wizard.domain && frappe.wizard.domain !== 'Education') {
- frappe.wiz.welcome_page = "#welcome-to-erpnext";
+erpnext.setup.fiscal_years = {
+ "Afghanistan": ["12-20", "12-21"],
+ "Australia": ["07-01", "06-30"],
+ "Bangladesh": ["07-01", "06-30"],
+ "Canada": ["04-01", "03-31"],
+ "Costa Rica": ["10-01", "09-30"],
+ "Egypt": ["07-01", "06-30"],
+ "Hong Kong": ["04-01", "03-31"],
+ "India": ["04-01", "03-31"],
+ "Iran": ["06-23", "06-22"],
+ "Italy": ["07-01", "06-30"],
+ "Myanmar": ["04-01", "03-31"],
+ "New Zealand": ["04-01", "03-31"],
+ "Pakistan": ["07-01", "06-30"],
+ "Singapore": ["04-01", "03-31"],
+ "South Africa": ["03-01", "02-28"],
+ "Thailand": ["10-01", "09-30"],
+ "United Kingdom": ["04-01", "03-31"],
+};
+
+frappe.setup.on("before_load", function () {
+ erpnext_slides.map(frappe.setup.add_slide);
+
+ // change header brand
+ let $brand = $('header .setup-wizard-brand');
+ if($brand.find('.erpnext-icon').length === 0) {
+ $brand.find('.frappe-icon').hide();
+ $brand.append(`<span>
+ <img src="/assets/erpnext/images/erp-icon.svg" class="brand-icon erpnext-icon"
+ style="width:36px;"><span class="brand-name">ERPNext</span></span>`);
}
});
var test_values_edu = {
- "language":"english",
- "domain":"Education",
- "country":"India",
- "timezone":"Asia/Kolkata",
- "currency":"INR",
- "first_name":"Tester",
- "email":"test@example.com",
- "password":"test",
- "company_name":"Hogwarts",
- "company_abbr":"HS",
- "company_tagline":"School for magicians",
- "bank_account":"Gringotts Wizarding Bank",
- "fy_start_date":"2016-04-01",
- "fy_end_date":"2017-03-31"
+ "language": "english",
+ "domain": "Education",
+ "country": "India",
+ "timezone": "Asia/Kolkata",
+ "currency": "INR",
+ "first_name": "Tester",
+ "email": "test@example.com",
+ "password": "test",
+ "company_name": "Hogwarts",
+ "company_abbr": "HS",
+ "company_tagline": "School for magicians",
+ "bank_account": "Gringotts Wizarding Bank",
+ "fy_start_date": "2016-04-01",
+ "fy_end_date": "2017-03-31"
}
diff --git a/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.json b/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.json
index 9aad1bf..23cf082 100644
--- a/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.json
+++ b/erpnext/regional/doctype/gst_hsn_code/gst_hsn_code.json
@@ -3,7 +3,7 @@
"allow_guest_to_view": 0,
"allow_import": 0,
"allow_rename": 0,
- "autoname": "fieldname:hsn_code",
+ "autoname": "field:hsn_code",
"beta": 0,
"creation": "2017-06-21 10:48:56.422086",
"custom": 0,
@@ -84,7 +84,7 @@
"issingle": 0,
"istable": 0,
"max_attachments": 0,
- "modified": "2017-06-21 13:27:59.149202",
+ "modified": "2017-06-30 20:12:57.903983",
"modified_by": "Administrator",
"module": "Regional",
"name": "GST HSN Code",
@@ -94,10 +94,11 @@
"quick_entry": 1,
"read_only": 0,
"read_only_onload": 0,
- "search_fields": "description",
+ "search_fields": "hsn_code, description",
"show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
+ "title_field": "hsn_code",
"track_changes": 1,
"track_seen": 0
}
\ No newline at end of file
diff --git a/erpnext/regional/india/__init__.py b/erpnext/regional/india/__init__.py
index 0b1b163..9a6c376 100644
--- a/erpnext/regional/india/__init__.py
+++ b/erpnext/regional/india/__init__.py
@@ -72,5 +72,5 @@
"Tripura": "16",
"Uttar Pradesh": "35",
"Uttarakhand": "36",
- "West Bengal": "37"
+ "West Bengal": "19"
}
\ No newline at end of file
diff --git a/erpnext/regional/india/address_template.html b/erpnext/regional/india/address_template.html
index 706c7a4..1bcc5ad 100644
--- a/erpnext/regional/india/address_template.html
+++ b/erpnext/regional/india/address_template.html
@@ -1,8 +1,9 @@
{{ address_line1 }}<br>{% if address_line2 %}{{ address_line2 }}<br>{% endif -%}{{ city }}<br>
-{% if state %}{{ state }}<br>{% endif -%}
-{% if pincode %}{{ pincode }}<br>{% endif -%}
+{% if gst_state %}{{ gst_state }}{% endif -%},
+{% if gst_state_number %}State Code: {{ gst_state_number }}<br>{% endif -%}
+{% if pincode %}PIN: {{ pincode }}<br>{% endif -%}
{{ country }}<br>
-{% if gstin %}GSTIN: {{ gstin }}<br>{% endif -%}
{% if phone %}Phone: {{ phone }}<br>{% endif -%}
{% if fax %}Fax: {{ fax }}<br>{% endif -%}
-{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
\ No newline at end of file
+{% if email_id %}Email: {{ email_id }}<br>{% endif -%}
+{% if gstin %}GSTIN: {{ gstin }}<br>{% endif -%}
\ No newline at end of file
diff --git a/erpnext/regional/india/gst_state_code_data.json b/erpnext/regional/india/gst_state_code_data.json
index 89dc193..196f8d0 100644
--- a/erpnext/regional/india/gst_state_code_data.json
+++ b/erpnext/regional/india/gst_state_code_data.json
@@ -15,7 +15,7 @@
"state_name": "Uttarakhand"
},
{
- "state_number": "37",
+ "state_number": "19",
"state_code": "WB",
"state_name": "West Bengal"
},
diff --git a/erpnext/regional/india/setup.py b/erpnext/regional/india/setup.py
index a9f3a30..93aea0d 100644
--- a/erpnext/regional/india/setup.py
+++ b/erpnext/regional/india/setup.py
@@ -14,6 +14,7 @@
add_custom_roles_for_reports()
add_hsn_codes()
update_address_template()
+ add_print_formats()
if not patch:
make_fixtures()
@@ -69,50 +70,57 @@
add_permission(doctype, 'Accounts Manager', 0)
add_permission(doctype, 'All', 0)
+def add_print_formats():
+ frappe.reload_doc("regional", "print_format", "gst_tax_invoice")
+
def make_custom_fields():
+ hsn_sac_field = dict(fieldname='gst_hsn_code', label='HSN/SAC',
+ fieldtype='Data', options='item_code.gst_hsn_code', insert_after='description')
+
custom_fields = {
'Address': [
dict(fieldname='gstin', label='Party GSTIN', fieldtype='Data',
insert_after='fax'),
dict(fieldname='gst_state', label='GST State', fieldtype='Select',
- options='\n'.join(states), insert_after='gstin')
+ options='\n'.join(states), insert_after='gstin'),
+ dict(fieldname='gst_state_number', label='GST State Number',
+ fieldtype='Int', insert_after='gst_state', read_only=1),
],
'Purchase Invoice': [
dict(fieldname='supplier_gstin', label='Supplier GSTIN',
fieldtype='Data', insert_after='supplier_address',
- options='supplier_address.gstin'),
+ options='supplier_address.gstin', print_hide=1),
dict(fieldname='company_gstin', label='Company GSTIN',
fieldtype='Data', insert_after='shipping_address',
- options='shipping_address.gstin'),
+ options='shipping_address.gstin', print_hide=1),
],
'Sales Invoice': [
dict(fieldname='customer_gstin', label='Customer GSTIN',
fieldtype='Data', insert_after='shipping_address',
- options='shipping_address_name.gstin'),
+ options='shipping_address_name.gstin', print_hide=1),
dict(fieldname='company_gstin', label='Company GSTIN',
fieldtype='Data', insert_after='company_address',
- options='company_address.gstin'),
+ options='company_address.gstin', print_hide=1),
+ dict(fieldname='invoice_copy', label='Invoice Copy',
+ fieldtype='Select', insert_after='project', print_hide=1, allow_on_submit=1,
+ options='ORIGINAL FOR RECIPIENT\nDUPLICATE FOR TRANSPORTER\nDUPLICATE FOR SUPPLIER\nTRIPLICATE FOR SUPPLIER')
],
'Item': [
- dict(fieldname='gst_hsn_code', label='GST HSN Code',
+ dict(fieldname='gst_hsn_code', label='HSN/SAC',
fieldtype='Link', options='GST HSN Code', insert_after='item_group'),
],
- 'Sales Invoice Item': [
- dict(fieldname='gst_hsn_code', label='GST HSN Code',
- fieldtype='Data', options='item_code.gst_hsn_code',
- insert_after='income_account'),
- ],
- 'Purchase Invoice Item': [
- dict(fieldname='gst_hsn_code', label='GST HSN Code',
- fieldtype='Data', options='item_code.gst_hsn_code',
- insert_after='expense_account'),
- ]
+ 'Sales Order Item': [hsn_sac_field],
+ 'Delivery Note Item': [hsn_sac_field],
+ 'Sales Invoice Item': [hsn_sac_field],
+ 'Purchase Order Item': [hsn_sac_field],
+ 'Purchase Receipt Item': [hsn_sac_field],
+ 'Purchase Invoice Item': [hsn_sac_field]
}
for doctype, fields in custom_fields.items():
for df in fields:
create_custom_field(doctype, df)
-
+
def make_fixtures():
docs = [
{'doctype': 'Salary Component', 'salary_component': 'Professional Tax', 'description': 'Professional Tax', 'type': 'Deduction'},
diff --git a/erpnext/regional/india/utils.py b/erpnext/regional/india/utils.py
index 26c5794..84e5f3e 100644
--- a/erpnext/regional/india/utils.py
+++ b/erpnext/regional/india/utils.py
@@ -7,15 +7,18 @@
return
if doc.gstin:
- p = re.compile("[0-9]{2}[a-zA-Z]{5}[0-9]{4}[a-zA-Z]{1}[1-9A-Za-z]{1}[Z]{1}[0-9a-zA-Z]{1}")
- if not p.match(doc.gstin):
- frappe.throw(_("Invalid GSTIN"))
+ doc.gstin = doc.gstin.upper()
+ if doc.gstin != "NA":
+ p = re.compile("[0-9]{2}[a-zA-Z]{5}[0-9]{4}[a-zA-Z]{1}[1-9A-Za-z]{1}[Z]{1}[0-9a-zA-Z]{1}")
+ if not p.match(doc.gstin):
+ frappe.throw(_("Invalid GSTIN or Enter NA for Unregistered"))
if not doc.gst_state:
if doc.state in states:
doc.gst_state = doc.state
- if doc.gst_state:
- state_number = state_numbers[doc.gst_state]
- if state_number != doc.gstin[:2]:
- frappe.throw(_("First 2 digits of GSTIN should match with State number {0}").format(state_number))
+ if doc.gst_state:
+ doc.gst_state_number = state_numbers[doc.gst_state]
+ if doc.gstin != "NA" and doc.gst_state_number != doc.gstin[:2]:
+ frappe.throw(_("First 2 digits of GSTIN should match with State number {0}")
+ .format(doc.gst_state_number))
diff --git a/erpnext/regional/print_format/__init__.py b/erpnext/regional/print_format/__init__.py
new file mode 100644
index 0000000..e69de29
--- /dev/null
+++ b/erpnext/regional/print_format/__init__.py
diff --git a/erpnext/regional/print_format/gst_tax_invoice/__init__.py b/erpnext/regional/print_format/gst_tax_invoice/__init__.py
new file mode 100644
index 0000000..e69de29
--- /dev/null
+++ b/erpnext/regional/print_format/gst_tax_invoice/__init__.py
diff --git a/erpnext/regional/print_format/gst_tax_invoice/gst_tax_invoice.json b/erpnext/regional/print_format/gst_tax_invoice/gst_tax_invoice.json
new file mode 100644
index 0000000..3850847
--- /dev/null
+++ b/erpnext/regional/print_format/gst_tax_invoice/gst_tax_invoice.json
@@ -0,0 +1,22 @@
+{
+ "align_labels_left": 0,
+ "creation": "2017-07-04 16:26:21.120187",
+ "custom_format": 0,
+ "disabled": 0,
+ "doc_type": "Sales Invoice",
+ "docstatus": 0,
+ "doctype": "Print Format",
+ "font": "Default",
+ "format_data": "[{\"fieldname\": \"print_heading_template\", \"fieldtype\": \"Custom HTML\", \"options\": \"<div class=\\\"print-heading\\\">\\n\\t<h2>\\n\\t\\tTAX INVOICE<br>\\n\\t\\t<small>{{ doc.name }}</small>\\n\\t</h2>\\n</div>\\n<h2 class=\\\"text-center\\\">\\n\\t{% if doc.invoice_copy -%}\\n\\t\\t<small>{{ doc.invoice_copy }}</small>\\n\\t{% endif -%}\\n</h2>\"}, {\"fieldtype\": \"Section Break\", \"label\": \"\"}, {\"fieldtype\": \"Column Break\"}, {\"print_hide\": 0, \"fieldname\": \"company\", \"label\": \"Company\"}, {\"print_hide\": 0, \"fieldname\": \"company_address_display\", \"label\": \"Company Address\"}, {\"fieldtype\": \"Column Break\"}, {\"print_hide\": 0, \"fieldname\": \"posting_date\", \"label\": \"Date\"}, {\"print_hide\": 0, \"fieldname\": \"due_date\", \"label\": \"Payment Due Date\"}, {\"fieldtype\": \"Section Break\", \"label\": \"\"}, {\"fieldtype\": \"Column Break\"}, {\"print_hide\": 0, \"options\": \"<hr>\", \"fieldname\": \"_custom_html\", \"fieldtype\": \"HTML\", \"label\": \"Custom HTML\"}, {\"fieldtype\": \"Section Break\", \"label\": \"Address\"}, {\"fieldtype\": \"Column Break\"}, {\"print_hide\": 0, \"fieldname\": \"customer_name\", \"label\": \"Customer Name\"}, {\"print_hide\": 0, \"fieldname\": \"address_display\", \"label\": \"Address\"}, {\"print_hide\": 0, \"fieldname\": \"contact_display\", \"label\": \"Contact\"}, {\"fieldtype\": \"Column Break\"}, {\"print_hide\": 0, \"fieldname\": \"shipping_address\", \"label\": \"Shipping Address\"}, {\"fieldtype\": \"Section Break\", \"label\": \"\"}, {\"fieldtype\": \"Column Break\"}, {\"visible_columns\": [{\"print_hide\": 0, \"fieldname\": \"item_code\", \"print_width\": \"\"}, {\"print_hide\": 0, \"fieldname\": \"description\", \"print_width\": \"200px\"}, {\"print_hide\": 0, \"fieldname\": \"gst_hsn_code\", \"print_width\": \"\"}, {\"print_hide\": 0, \"fieldname\": \"qty\", \"print_width\": \"\"}, {\"print_hide\": 0, \"fieldname\": \"uom\", \"print_width\": \"\"}, {\"print_hide\": 0, \"fieldname\": \"rate\", \"print_width\": \"\"}, {\"print_hide\": 0, \"fieldname\": \"amount\", \"print_width\": \"\"}], \"print_hide\": 0, \"fieldname\": \"items\", \"label\": \"Items\"}, {\"fieldtype\": \"Section Break\", \"label\": \"\"}, {\"fieldtype\": \"Column Break\"}, {\"fieldtype\": \"Column Break\"}, {\"print_hide\": 0, \"fieldname\": \"total\", \"label\": \"Total\"}, {\"fieldtype\": \"Section Break\", \"label\": \"\"}, {\"fieldtype\": \"Column Break\"}, {\"visible_columns\": [{\"print_hide\": 0, \"fieldname\": \"description\", \"print_width\": \"300px\"}], \"print_hide\": 0, \"fieldname\": \"taxes\", \"label\": \"Sales Taxes and Charges\"}, {\"fieldtype\": \"Section Break\", \"label\": \"\"}, {\"fieldtype\": \"Column Break\"}, {\"fieldtype\": \"Column Break\"}, {\"print_hide\": 0, \"fieldname\": \"grand_total\", \"label\": \"Grand Total\"}, {\"print_hide\": 0, \"fieldname\": \"rounded_total\", \"label\": \"Rounded Total\"}, {\"print_hide\": 0, \"fieldname\": \"in_words\", \"label\": \"In Words\"}, {\"fieldtype\": \"Section Break\", \"label\": \"\"}, {\"fieldtype\": \"Column Break\"}, {\"print_hide\": 0, \"fieldname\": \"other_charges_calculation\", \"align\": \"left\", \"label\": \"Tax Breakup\"}, {\"fieldtype\": \"Section Break\", \"label\": \"Terms\"}, {\"fieldtype\": \"Column Break\"}, {\"print_hide\": 0, \"fieldname\": \"terms\", \"label\": \"Terms and Conditions Details\"}]",
+ "idx": 0,
+ "line_breaks": 0,
+ "modified": "2017-07-07 13:06:20.042807",
+ "modified_by": "Administrator",
+ "module": "Regional",
+ "name": "GST Tax Invoice",
+ "owner": "Administrator",
+ "print_format_builder": 1,
+ "print_format_type": "Server",
+ "show_section_headings": 0,
+ "standard": "Yes"
+}
\ No newline at end of file
diff --git a/erpnext/schools/api.py b/erpnext/schools/api.py
index db65a69..c613c8c 100644
--- a/erpnext/schools/api.py
+++ b/erpnext/schools/api.py
@@ -114,13 +114,17 @@
return guardians
@frappe.whitelist()
-def get_student_group_students(student_group):
+def get_student_group_students(student_group, include_inactive=0):
"""Returns List of student, student_name in Student Group.
:param student_group: Student Group.
"""
- students = frappe.get_list("Student Group Student", fields=["student", "student_name"] ,
- filters={"parent": student_group, "active": 1}, order_by= "group_roll_number")
+ if include_inactive:
+ students = frappe.get_list("Student Group Student", fields=["student", "student_name"] ,
+ filters={"parent": student_group}, order_by= "group_roll_number")
+ else:
+ students = frappe.get_list("Student Group Student", fields=["student", "student_name"] ,
+ filters={"parent": student_group, "active": 1}, order_by= "group_roll_number")
return students
@frappe.whitelist()
diff --git a/erpnext/schools/doctype/academic_term/academic_term.json b/erpnext/schools/doctype/academic_term/academic_term.json
index e15d5d6..b4eb83d 100644
--- a/erpnext/schools/doctype/academic_term/academic_term.json
+++ b/erpnext/schools/doctype/academic_term/academic_term.json
@@ -1,5 +1,6 @@
{
"allow_copy": 0,
+ "allow_guest_to_view": 0,
"allow_import": 1,
"allow_rename": 1,
"autoname": "field:title",
@@ -13,6 +14,7 @@
"engine": "InnoDB",
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -23,6 +25,7 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 0,
"in_standard_filter": 1,
"label": "Academic Year",
@@ -42,6 +45,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -52,6 +56,7 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 0,
"in_standard_filter": 0,
"label": "Term Name",
@@ -70,6 +75,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -80,6 +86,7 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 1,
"in_standard_filter": 0,
"label": "Term Start Date",
@@ -98,6 +105,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -108,6 +116,7 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 1,
"in_standard_filter": 0,
"label": "Term End Date",
@@ -126,6 +135,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -136,6 +146,7 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 0,
"in_standard_filter": 0,
"label": "Title",
@@ -154,17 +165,17 @@
"unique": 0
}
],
+ "has_web_view": 0,
"hide_heading": 0,
"hide_toolbar": 0,
"idx": 0,
"image_view": 0,
"in_create": 0,
- "in_dialog": 0,
"is_submittable": 0,
"issingle": 0,
"istable": 0,
"max_attachments": 0,
- "modified": "2016-11-07 05:45:48.577744",
+ "modified": "2017-06-30 08:21:45.897056",
"modified_by": "Administrator",
"module": "Schools",
"name": "Academic Term",
@@ -181,7 +192,6 @@
"export": 1,
"if_owner": 0,
"import": 0,
- "is_custom": 0,
"permlevel": 0,
"print": 1,
"read": 1,
@@ -196,8 +206,11 @@
"quick_entry": 1,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
+ "show_name_in_global_search": 0,
"sort_field": "name",
"sort_order": "DESC",
"title_field": "title",
+ "track_changes": 0,
"track_seen": 0
}
\ No newline at end of file
diff --git a/erpnext/schools/doctype/academic_year/academic_year.json b/erpnext/schools/doctype/academic_year/academic_year.json
index 1e7474d..3d8c4f8 100644
--- a/erpnext/schools/doctype/academic_year/academic_year.json
+++ b/erpnext/schools/doctype/academic_year/academic_year.json
@@ -1,5 +1,6 @@
{
"allow_copy": 0,
+ "allow_guest_to_view": 0,
"allow_import": 1,
"allow_rename": 0,
"autoname": "field:academic_year_name",
@@ -12,16 +13,20 @@
"editable_grid": 0,
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
+ "columns": 0,
"fieldname": "academic_year_name",
"fieldtype": "Data",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 0,
+ "in_standard_filter": 0,
"label": "Academic Year Name",
"length": 0,
"no_copy": 0,
@@ -30,6 +35,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 1,
"search_index": 0,
@@ -37,16 +43,20 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
+ "columns": 0,
"fieldname": "year_start_date",
"fieldtype": "Date",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 1,
+ "in_standard_filter": 0,
"label": "Year Start Date",
"length": 0,
"no_copy": 0,
@@ -55,6 +65,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"search_index": 0,
@@ -62,16 +73,20 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
+ "columns": 0,
"fieldname": "year_end_date",
"fieldtype": "Date",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 1,
+ "in_standard_filter": 0,
"label": "Year End Date",
"length": 0,
"no_copy": 0,
@@ -80,6 +95,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"search_index": 0,
@@ -87,17 +103,17 @@
"unique": 0
}
],
+ "has_web_view": 0,
"hide_heading": 0,
"hide_toolbar": 0,
"idx": 0,
"image_view": 0,
"in_create": 0,
- "in_dialog": 0,
"is_submittable": 0,
"issingle": 0,
"istable": 0,
"max_attachments": 0,
- "modified": "2016-07-25 05:24:23.090530",
+ "modified": "2017-06-30 08:21:46.121105",
"modified_by": "Administrator",
"module": "Schools",
"name": "Academic Year",
@@ -128,8 +144,11 @@
"quick_entry": 1,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
+ "show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
"title_field": "",
+ "track_changes": 0,
"track_seen": 0
}
\ No newline at end of file
diff --git a/erpnext/schools/doctype/assessment_criteria/assessment_criteria.json b/erpnext/schools/doctype/assessment_criteria/assessment_criteria.json
index 990b22b..2bbd2ef 100644
--- a/erpnext/schools/doctype/assessment_criteria/assessment_criteria.json
+++ b/erpnext/schools/doctype/assessment_criteria/assessment_criteria.json
@@ -1,5 +1,6 @@
{
"allow_copy": 0,
+ "allow_guest_to_view": 0,
"allow_import": 1,
"allow_rename": 0,
"autoname": "field:assessment_criteria",
@@ -13,6 +14,7 @@
"engine": "InnoDB",
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -22,7 +24,9 @@
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
- "in_list_view": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 1,
"in_standard_filter": 0,
"label": "Assessment Criteria",
"length": 0,
@@ -40,6 +44,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 1,
"collapsible": 0,
@@ -49,6 +54,8 @@
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 0,
"in_standard_filter": 0,
"label": "Assessment Criteria Group",
@@ -68,17 +75,17 @@
"unique": 0
}
],
+ "has_web_view": 0,
"hide_heading": 0,
"hide_toolbar": 0,
"idx": 0,
"image_view": 0,
"in_create": 0,
- "in_dialog": 0,
"is_submittable": 0,
"issingle": 0,
"istable": 0,
"max_attachments": 0,
- "modified": "2017-02-03 05:53:39.248759",
+ "modified": "2017-06-30 08:21:46.211641",
"modified_by": "Administrator",
"module": "Schools",
"name": "Assessment Criteria",
@@ -109,6 +116,8 @@
"quick_entry": 1,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
+ "show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
"track_changes": 0,
diff --git a/erpnext/schools/doctype/assessment_criteria_group/assessment_criteria_group.json b/erpnext/schools/doctype/assessment_criteria_group/assessment_criteria_group.json
index 0319868..7aa417f 100644
--- a/erpnext/schools/doctype/assessment_criteria_group/assessment_criteria_group.json
+++ b/erpnext/schools/doctype/assessment_criteria_group/assessment_criteria_group.json
@@ -1,5 +1,6 @@
{
"allow_copy": 0,
+ "allow_guest_to_view": 0,
"allow_import": 1,
"allow_rename": 1,
"autoname": "field:assessment_criteria_group",
@@ -13,6 +14,7 @@
"engine": "InnoDB",
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -23,7 +25,8 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
- "in_list_view": 0,
+ "in_global_search": 0,
+ "in_list_view": 1,
"in_standard_filter": 0,
"label": "Assessment Criteria Group",
"length": 0,
@@ -41,17 +44,17 @@
"unique": 0
}
],
+ "has_web_view": 0,
"hide_heading": 0,
"hide_toolbar": 0,
"idx": 0,
"image_view": 0,
"in_create": 0,
- "in_dialog": 0,
"is_submittable": 0,
"issingle": 0,
"istable": 0,
"max_attachments": 0,
- "modified": "2017-02-01 17:39:12.453618",
+ "modified": "2017-06-30 08:21:46.323964",
"modified_by": "Administrator",
"module": "Schools",
"name": "Assessment Criteria Group",
@@ -82,6 +85,8 @@
"quick_entry": 1,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
+ "show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
"track_changes": 0,
diff --git a/erpnext/schools/doctype/assessment_group/assessment_group.json b/erpnext/schools/doctype/assessment_group/assessment_group.json
index 3235120..7eeab20 100644
--- a/erpnext/schools/doctype/assessment_group/assessment_group.json
+++ b/erpnext/schools/doctype/assessment_group/assessment_group.json
@@ -1,5 +1,6 @@
{
"allow_copy": 0,
+ "allow_guest_to_view": 0,
"allow_import": 1,
"allow_rename": 1,
"autoname": "field:assessment_group_name",
@@ -12,6 +13,7 @@
"editable_grid": 1,
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -23,7 +25,7 @@
"ignore_xss_filter": 0,
"in_filter": 0,
"in_global_search": 0,
- "in_list_view": 0,
+ "in_list_view": 1,
"in_standard_filter": 0,
"label": "Assessment Group Name",
"length": 0,
@@ -41,6 +43,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -70,6 +73,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -98,6 +102,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -109,7 +114,7 @@
"ignore_xss_filter": 0,
"in_filter": 0,
"in_global_search": 0,
- "in_list_view": 0,
+ "in_list_view": 1,
"in_standard_filter": 0,
"label": "Parent Assessment Group",
"length": 0,
@@ -128,6 +133,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -157,6 +163,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -186,6 +193,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -216,17 +224,17 @@
"unique": 0
}
],
+ "has_web_view": 0,
"hide_heading": 0,
"hide_toolbar": 0,
"idx": 0,
"image_view": 0,
"in_create": 0,
- "in_dialog": 0,
"is_submittable": 0,
"issingle": 0,
"istable": 0,
"max_attachments": 0,
- "modified": "2017-02-24 15:18:54.725368",
+ "modified": "2017-06-30 08:21:46.411222",
"modified_by": "Administrator",
"module": "Schools",
"name": "Assessment Group",
@@ -257,6 +265,7 @@
"quick_entry": 1,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
diff --git a/erpnext/schools/doctype/assessment_plan/assessment_plan.json b/erpnext/schools/doctype/assessment_plan/assessment_plan.json
index e2ac321..265612b 100644
--- a/erpnext/schools/doctype/assessment_plan/assessment_plan.json
+++ b/erpnext/schools/doctype/assessment_plan/assessment_plan.json
@@ -633,7 +633,7 @@
"istable": 0,
"max_attachments": 0,
"menu_index": 0,
- "modified": "2017-06-05 23:40:30.434741",
+ "modified": "2017-06-30 08:21:46.535547",
"modified_by": "Administrator",
"module": "Schools",
"name": "Assessment Plan",
@@ -664,6 +664,7 @@
"quick_entry": 0,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
diff --git a/erpnext/schools/doctype/assessment_plan/assessment_plan.py b/erpnext/schools/doctype/assessment_plan/assessment_plan.py
index f988886..a09f3ee 100644
--- a/erpnext/schools/doctype/assessment_plan/assessment_plan.py
+++ b/erpnext/schools/doctype/assessment_plan/assessment_plan.py
@@ -11,6 +11,7 @@
def validate(self):
self.validate_overlap()
self.validate_max_score()
+ self.validate_assessment_criteria()
def validate_overlap(self):
"""Validates overlap for Student Group, Instructor, Room"""
@@ -37,3 +38,13 @@
max_score += d.maximum_score
if self.maximum_assessment_score != max_score:
frappe.throw(_("Sum of Scores of Assessment Criteria needs to be {0}.".format(self.maximum_assessment_score)))
+
+ def validate_assessment_criteria(self):
+ assessment_criteria_list = frappe.db.sql_list(''' select apc.assessment_criteria
+ from `tabAssessment Plan` ap , `tabAssessment Plan Criteria` apc
+ where ap.name = apc.parent and ap.course=%s and ap.student_group=%s and ap.assessment_group=%s
+ and ap.name != %s''', (self.course, self.student_group, self.assessment_group, self.name))
+ for d in self.assessment_criteria:
+ if d.assessment_criteria in assessment_criteria_list:
+ frappe.throw(_("You have already assessed for the assessment criteria {}.")
+ .format(frappe.bold(d.assessment_criteria)))
diff --git a/erpnext/schools/doctype/assessment_plan_criteria/assessment_plan_criteria.json b/erpnext/schools/doctype/assessment_plan_criteria/assessment_plan_criteria.json
index 2ba5ca7..cf985f6 100644
--- a/erpnext/schools/doctype/assessment_plan_criteria/assessment_plan_criteria.json
+++ b/erpnext/schools/doctype/assessment_plan_criteria/assessment_plan_criteria.json
@@ -1,5 +1,6 @@
{
"allow_copy": 0,
+ "allow_guest_to_view": 0,
"allow_import": 0,
"allow_rename": 0,
"autoname": "",
@@ -13,6 +14,7 @@
"engine": "InnoDB",
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -23,6 +25,7 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 1,
"in_standard_filter": 0,
"label": "Assessment Criteria",
@@ -42,6 +45,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -52,6 +56,7 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 0,
"in_standard_filter": 0,
"label": "",
@@ -70,6 +75,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -80,6 +86,7 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 1,
"in_standard_filter": 0,
"label": "Maximum Score",
@@ -98,17 +105,17 @@
"unique": 0
}
],
+ "has_web_view": 0,
"hide_heading": 0,
"hide_toolbar": 0,
"idx": 0,
"image_view": 0,
"in_create": 0,
- "in_dialog": 0,
"is_submittable": 0,
"issingle": 0,
"istable": 1,
"max_attachments": 0,
- "modified": "2017-02-01 17:11:47.164623",
+ "modified": "2017-06-30 08:21:46.732666",
"modified_by": "Administrator",
"module": "Schools",
"name": "Assessment Plan Criteria",
@@ -118,6 +125,8 @@
"quick_entry": 1,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
+ "show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
"track_changes": 0,
diff --git a/erpnext/schools/doctype/assessment_result/assessment_result.json b/erpnext/schools/doctype/assessment_result/assessment_result.json
index d56c941..c6b3c44 100644
--- a/erpnext/schools/doctype/assessment_result/assessment_result.json
+++ b/erpnext/schools/doctype/assessment_result/assessment_result.json
@@ -1,5 +1,6 @@
{
"allow_copy": 0,
+ "allow_guest_to_view": 0,
"allow_import": 0,
"allow_rename": 0,
"autoname": "RES.######",
@@ -13,6 +14,7 @@
"engine": "InnoDB",
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -43,6 +45,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -72,6 +75,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -100,6 +104,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -130,6 +135,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -160,6 +166,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -188,6 +195,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -219,6 +227,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -247,6 +256,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -276,6 +286,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -305,6 +316,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -333,6 +345,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -362,6 +375,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -390,6 +404,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -419,6 +434,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -448,17 +464,17 @@
"unique": 0
}
],
+ "has_web_view": 0,
"hide_heading": 0,
"hide_toolbar": 0,
"idx": 0,
"image_view": 0,
"in_create": 0,
- "in_dialog": 0,
"is_submittable": 1,
"issingle": 0,
"istable": 0,
"max_attachments": 0,
- "modified": "2017-02-21 08:03:46.054604",
+ "modified": "2017-06-30 08:21:46.875594",
"modified_by": "Administrator",
"module": "Schools",
"name": "Assessment Result",
@@ -489,6 +505,7 @@
"quick_entry": 0,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"show_name_in_global_search": 1,
"sort_field": "modified",
"sort_order": "DESC",
diff --git a/erpnext/schools/doctype/assessment_result_detail/assessment_result_detail.json b/erpnext/schools/doctype/assessment_result_detail/assessment_result_detail.json
index 7956a32..e7076bc 100644
--- a/erpnext/schools/doctype/assessment_result_detail/assessment_result_detail.json
+++ b/erpnext/schools/doctype/assessment_result_detail/assessment_result_detail.json
@@ -1,5 +1,6 @@
{
"allow_copy": 0,
+ "allow_guest_to_view": 0,
"allow_import": 0,
"allow_rename": 0,
"autoname": "",
@@ -13,6 +14,7 @@
"engine": "InnoDB",
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -23,6 +25,7 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 1,
"in_standard_filter": 0,
"label": "Assessment Criteria",
@@ -42,6 +45,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -52,6 +56,7 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 1,
"in_standard_filter": 0,
"label": "Maximum Score",
@@ -70,6 +75,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -80,6 +86,7 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 0,
"in_standard_filter": 0,
"label": "",
@@ -98,6 +105,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -108,6 +116,7 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 1,
"in_standard_filter": 0,
"label": "Score",
@@ -126,6 +135,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -136,6 +146,7 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 1,
"in_standard_filter": 0,
"label": "Grade",
@@ -154,17 +165,17 @@
"unique": 0
}
],
+ "has_web_view": 0,
"hide_heading": 0,
"hide_toolbar": 0,
"idx": 0,
"image_view": 0,
"in_create": 0,
- "in_dialog": 0,
"is_submittable": 0,
"issingle": 0,
"istable": 1,
"max_attachments": 0,
- "modified": "2017-02-01 18:33:06.006040",
+ "modified": "2017-06-30 08:21:47.068704",
"modified_by": "Administrator",
"module": "Schools",
"name": "Assessment Result Detail",
@@ -174,6 +185,8 @@
"quick_entry": 1,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
+ "show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
"track_changes": 0,
diff --git a/erpnext/schools/doctype/assessment_result_tool/assessment_result_tool.json b/erpnext/schools/doctype/assessment_result_tool/assessment_result_tool.json
index d82aaf5..a62a4d5 100644
--- a/erpnext/schools/doctype/assessment_result_tool/assessment_result_tool.json
+++ b/erpnext/schools/doctype/assessment_result_tool/assessment_result_tool.json
@@ -26,7 +26,7 @@
"ignore_xss_filter": 0,
"in_filter": 0,
"in_global_search": 0,
- "in_list_view": 0,
+ "in_list_view": 1,
"in_standard_filter": 0,
"label": "Assessment Plan",
"length": 0,
@@ -86,7 +86,7 @@
"ignore_xss_filter": 0,
"in_filter": 0,
"in_global_search": 0,
- "in_list_view": 0,
+ "in_list_view": 1,
"in_standard_filter": 0,
"label": "Student Group",
"length": 0,
@@ -175,7 +175,7 @@
"issingle": 1,
"istable": 0,
"max_attachments": 0,
- "modified": "2017-05-02 15:12:30.953036",
+ "modified": "2017-06-30 08:21:47.184562",
"modified_by": "Administrator",
"module": "Schools",
"name": "Assessment Result Tool",
@@ -206,6 +206,7 @@
"quick_entry": 1,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
diff --git a/erpnext/schools/doctype/course/course.json b/erpnext/schools/doctype/course/course.json
index b6eda12..d2f1722 100644
--- a/erpnext/schools/doctype/course/course.json
+++ b/erpnext/schools/doctype/course/course.json
@@ -14,6 +14,7 @@
"engine": "InnoDB",
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -43,6 +44,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -73,6 +75,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -102,6 +105,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -130,6 +134,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -159,6 +164,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -188,6 +194,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -216,6 +223,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -245,6 +253,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -274,6 +283,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -304,6 +314,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -345,7 +356,7 @@
"istable": 0,
"max_attachments": 0,
"menu_index": 0,
- "modified": "2017-04-12 20:44:42.048564",
+ "modified": "2017-06-30 08:21:47.260549",
"modified_by": "Administrator",
"module": "Schools",
"name": "Course",
@@ -396,6 +407,7 @@
"quick_entry": 0,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"search_fields": "course_name",
"show_name_in_global_search": 1,
"sort_field": "modified",
diff --git a/erpnext/schools/doctype/course_assessment_criteria/course_assessment_criteria.json b/erpnext/schools/doctype/course_assessment_criteria/course_assessment_criteria.json
index 652aa0d..73d0487 100644
--- a/erpnext/schools/doctype/course_assessment_criteria/course_assessment_criteria.json
+++ b/erpnext/schools/doctype/course_assessment_criteria/course_assessment_criteria.json
@@ -14,6 +14,7 @@
"engine": "InnoDB",
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -44,6 +45,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -73,6 +75,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -112,7 +115,7 @@
"issingle": 0,
"istable": 1,
"max_attachments": 0,
- "modified": "2017-04-21 20:04:26.621419",
+ "modified": "2017-06-30 08:21:47.420656",
"modified_by": "Administrator",
"module": "Schools",
"name": "Course Assessment Criteria",
@@ -122,6 +125,7 @@
"quick_entry": 1,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
diff --git a/erpnext/schools/doctype/course_schedule/course_schedule.json b/erpnext/schools/doctype/course_schedule/course_schedule.json
index 117a321..68ef233 100644
--- a/erpnext/schools/doctype/course_schedule/course_schedule.json
+++ b/erpnext/schools/doctype/course_schedule/course_schedule.json
@@ -420,7 +420,7 @@
"istable": 0,
"max_attachments": 0,
"menu_index": 0,
- "modified": "2017-06-13 14:29:02.531695",
+ "modified": "2017-06-30 08:21:47.516781",
"modified_by": "Administrator",
"module": "Schools",
"name": "Course Schedule",
@@ -451,6 +451,7 @@
"quick_entry": 0,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"show_name_in_global_search": 0,
"sort_field": "schedule_date",
"sort_order": "DESC",
diff --git a/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.json b/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.json
index 944b3d5..e0fc1e2 100644
--- a/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.json
+++ b/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.json
@@ -25,7 +25,7 @@
"ignore_xss_filter": 0,
"in_filter": 0,
"in_global_search": 0,
- "in_list_view": 0,
+ "in_list_view": 1,
"in_standard_filter": 0,
"label": "Student Group",
"length": 0,
@@ -56,7 +56,7 @@
"ignore_xss_filter": 0,
"in_filter": 0,
"in_global_search": 0,
- "in_list_view": 0,
+ "in_list_view": 1,
"in_standard_filter": 0,
"label": "Course",
"length": 0,
@@ -238,7 +238,7 @@
"ignore_xss_filter": 0,
"in_filter": 0,
"in_global_search": 0,
- "in_list_view": 0,
+ "in_list_view": 1,
"in_standard_filter": 0,
"label": "Instructor",
"length": 0,
@@ -329,7 +329,7 @@
"ignore_xss_filter": 0,
"in_filter": 0,
"in_global_search": 0,
- "in_list_view": 0,
+ "in_list_view": 1,
"in_standard_filter": 0,
"label": "Room",
"length": 0,
@@ -602,7 +602,7 @@
"istable": 0,
"max_attachments": 0,
"menu_index": 0,
- "modified": "2017-05-02 12:25:35.428490",
+ "modified": "2017-06-30 08:21:47.696063",
"modified_by": "Administrator",
"module": "Schools",
"name": "Course Scheduling Tool",
@@ -633,6 +633,7 @@
"quick_entry": 0,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
diff --git a/erpnext/schools/doctype/fee_category/fee_category.json b/erpnext/schools/doctype/fee_category/fee_category.json
index cf2eb06..c51027a 100644
--- a/erpnext/schools/doctype/fee_category/fee_category.json
+++ b/erpnext/schools/doctype/fee_category/fee_category.json
@@ -1,5 +1,6 @@
{
"allow_copy": 0,
+ "allow_guest_to_view": 0,
"allow_import": 1,
"allow_rename": 1,
"autoname": "field:category_name",
@@ -12,6 +13,7 @@
"editable_grid": 0,
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -43,6 +45,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -75,19 +78,19 @@
"width": "300px"
}
],
+ "has_web_view": 0,
"hide_heading": 0,
"hide_toolbar": 0,
"icon": "fa fa-flag",
"idx": 0,
"image_view": 0,
"in_create": 0,
- "in_dialog": 0,
"is_submittable": 0,
"issingle": 0,
"istable": 0,
"max_attachments": 0,
"menu_index": 0,
- "modified": "2017-02-20 13:18:30.034466",
+ "modified": "2017-06-30 08:21:47.851347",
"modified_by": "Administrator",
"module": "Schools",
"name": "Fee Category",
@@ -118,6 +121,7 @@
"quick_entry": 1,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"search_fields": "description",
"show_name_in_global_search": 1,
"sort_field": "modified",
diff --git a/erpnext/schools/doctype/fee_component/fee_component.json b/erpnext/schools/doctype/fee_component/fee_component.json
index ecf3314..2b4e002 100644
--- a/erpnext/schools/doctype/fee_component/fee_component.json
+++ b/erpnext/schools/doctype/fee_component/fee_component.json
@@ -1,5 +1,6 @@
{
"allow_copy": 0,
+ "allow_guest_to_view": 0,
"allow_import": 0,
"allow_rename": 1,
"autoname": "",
@@ -12,16 +13,20 @@
"editable_grid": 1,
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
+ "columns": 0,
"fieldname": "fees_category",
"fieldtype": "Link",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 1,
+ "in_standard_filter": 0,
"label": "Fees Category",
"length": 0,
"no_copy": 0,
@@ -33,6 +38,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 1,
"search_index": 0,
@@ -40,16 +46,20 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
+ "columns": 0,
"fieldname": "column_break_2",
"fieldtype": "Column Break",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 0,
+ "in_standard_filter": 0,
"length": 0,
"no_copy": 0,
"permlevel": 0,
@@ -57,6 +67,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"search_index": 0,
@@ -64,16 +75,20 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
+ "columns": 0,
"fieldname": "amount",
"fieldtype": "Currency",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 1,
+ "in_standard_filter": 0,
"label": "Amount",
"length": 0,
"no_copy": 0,
@@ -85,6 +100,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 1,
"search_index": 0,
@@ -93,18 +109,18 @@
"width": "300px"
}
],
+ "has_web_view": 0,
"hide_heading": 0,
"hide_toolbar": 0,
"icon": "fa fa-flag",
"idx": 0,
"image_view": 0,
"in_create": 0,
- "in_dialog": 0,
"is_submittable": 0,
"issingle": 0,
"istable": 1,
"max_attachments": 0,
- "modified": "2016-07-25 08:43:25.405166",
+ "modified": "2017-06-30 08:21:47.947269",
"modified_by": "Administrator",
"module": "Schools",
"name": "Fee Component",
@@ -114,7 +130,10 @@
"quick_entry": 0,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
+ "show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
+ "track_changes": 0,
"track_seen": 0
}
\ No newline at end of file
diff --git a/erpnext/schools/doctype/fee_structure/fee_structure.json b/erpnext/schools/doctype/fee_structure/fee_structure.json
index c0c6969..79d48cf 100644
--- a/erpnext/schools/doctype/fee_structure/fee_structure.json
+++ b/erpnext/schools/doctype/fee_structure/fee_structure.json
@@ -303,7 +303,7 @@
"istable": 0,
"max_attachments": 0,
"menu_index": 0,
- "modified": "2017-06-13 14:28:53.153233",
+ "modified": "2017-06-30 08:21:48.057298",
"modified_by": "Administrator",
"module": "Schools",
"name": "Fee Structure",
@@ -334,6 +334,7 @@
"quick_entry": 0,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
diff --git a/erpnext/schools/doctype/fees/fees.json b/erpnext/schools/doctype/fees/fees.json
index 5d69242..67c06f7 100644
--- a/erpnext/schools/doctype/fees/fees.json
+++ b/erpnext/schools/doctype/fees/fees.json
@@ -603,7 +603,7 @@
"istable": 0,
"max_attachments": 0,
"menu_index": 0,
- "modified": "2017-06-13 14:29:07.744289",
+ "modified": "2017-06-30 08:21:48.199858",
"modified_by": "Administrator",
"module": "Schools",
"name": "Fees",
@@ -634,6 +634,7 @@
"quick_entry": 0,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
diff --git a/erpnext/schools/doctype/grading_scale/grading_scale.json b/erpnext/schools/doctype/grading_scale/grading_scale.json
index 99c6948..fdaa8c6 100644
--- a/erpnext/schools/doctype/grading_scale/grading_scale.json
+++ b/erpnext/schools/doctype/grading_scale/grading_scale.json
@@ -1,5 +1,6 @@
{
"allow_copy": 0,
+ "allow_guest_to_view": 0,
"allow_import": 0,
"allow_rename": 1,
"autoname": "field:grading_scale_name",
@@ -13,6 +14,7 @@
"engine": "InnoDB",
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -23,6 +25,7 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 0,
"in_standard_filter": 0,
"label": "Grading Scale Name",
@@ -41,6 +44,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -51,6 +55,7 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 1,
"in_standard_filter": 0,
"label": "Description",
@@ -69,6 +74,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -79,6 +85,7 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 0,
"in_standard_filter": 0,
"label": "Grading Scale Intervals",
@@ -97,6 +104,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -107,6 +115,7 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 0,
"in_standard_filter": 0,
"label": "Intervals",
@@ -126,6 +135,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -136,6 +146,7 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 0,
"in_standard_filter": 0,
"label": "Amended From",
@@ -154,17 +165,17 @@
"unique": 0
}
],
+ "has_web_view": 0,
"hide_heading": 0,
"hide_toolbar": 0,
"idx": 0,
"image_view": 0,
"in_create": 0,
- "in_dialog": 0,
"is_submittable": 1,
"issingle": 0,
"istable": 0,
"max_attachments": 0,
- "modified": "2016-12-14 14:35:22.907023",
+ "modified": "2017-06-30 08:21:48.413400",
"modified_by": "Administrator",
"module": "Schools",
"name": "Grading Scale",
@@ -181,7 +192,6 @@
"export": 1,
"if_owner": 0,
"import": 0,
- "is_custom": 0,
"permlevel": 0,
"print": 1,
"read": 1,
@@ -196,8 +206,11 @@
"quick_entry": 1,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
+ "show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
"title_field": "",
+ "track_changes": 0,
"track_seen": 0
}
\ No newline at end of file
diff --git a/erpnext/schools/doctype/grading_scale_interval/grading_scale_interval.json b/erpnext/schools/doctype/grading_scale_interval/grading_scale_interval.json
index 10b229c..cee83e3 100644
--- a/erpnext/schools/doctype/grading_scale_interval/grading_scale_interval.json
+++ b/erpnext/schools/doctype/grading_scale_interval/grading_scale_interval.json
@@ -1,5 +1,6 @@
{
"allow_copy": 0,
+ "allow_guest_to_view": 0,
"allow_import": 0,
"allow_rename": 0,
"beta": 0,
@@ -12,6 +13,7 @@
"engine": "InnoDB",
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -22,6 +24,7 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 1,
"in_standard_filter": 0,
"label": "Grade Code",
@@ -40,6 +43,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -51,6 +55,7 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 1,
"in_standard_filter": 0,
"label": "Threshold",
@@ -69,6 +74,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -79,6 +85,7 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 1,
"in_standard_filter": 0,
"label": "Grade Description",
@@ -97,17 +104,17 @@
"unique": 0
}
],
+ "has_web_view": 0,
"hide_heading": 0,
"hide_toolbar": 0,
"idx": 0,
"image_view": 0,
"in_create": 0,
- "in_dialog": 0,
"is_submittable": 0,
"issingle": 0,
"istable": 1,
"max_attachments": 0,
- "modified": "2017-01-04 15:27:56.729286",
+ "modified": "2017-06-30 08:21:48.532524",
"modified_by": "Administrator",
"module": "Schools",
"name": "Grading Scale Interval",
@@ -117,6 +124,8 @@
"quick_entry": 1,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
+ "show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
"track_changes": 1,
diff --git a/erpnext/schools/doctype/guardian/guardian.json b/erpnext/schools/doctype/guardian/guardian.json
index ba56c9d..bc4cf4f 100644
--- a/erpnext/schools/doctype/guardian/guardian.json
+++ b/erpnext/schools/doctype/guardian/guardian.json
@@ -14,6 +14,7 @@
"engine": "InnoDB",
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -43,6 +44,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -72,6 +74,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -101,6 +104,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -130,6 +134,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -159,6 +164,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -187,6 +193,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -216,6 +223,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -245,6 +253,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -274,6 +283,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -303,6 +313,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -332,6 +343,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -361,6 +373,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -391,6 +404,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -420,6 +434,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -461,7 +476,7 @@
"issingle": 0,
"istable": 0,
"max_attachments": 0,
- "modified": "2017-03-15 17:48:11.739730",
+ "modified": "2017-06-30 08:21:48.630678",
"modified_by": "Administrator",
"module": "Schools",
"name": "Guardian",
@@ -492,6 +507,7 @@
"quick_entry": 1,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"show_name_in_global_search": 1,
"sort_field": "modified",
"sort_order": "DESC",
diff --git a/erpnext/schools/doctype/guardian_interest/guardian_interest.json b/erpnext/schools/doctype/guardian_interest/guardian_interest.json
index 39f0059..aae2c55 100644
--- a/erpnext/schools/doctype/guardian_interest/guardian_interest.json
+++ b/erpnext/schools/doctype/guardian_interest/guardian_interest.json
@@ -1,5 +1,6 @@
{
"allow_copy": 0,
+ "allow_guest_to_view": 0,
"allow_import": 0,
"allow_rename": 0,
"beta": 0,
@@ -11,16 +12,20 @@
"editable_grid": 1,
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
+ "columns": 0,
"fieldname": "interest",
"fieldtype": "Link",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 1,
+ "in_standard_filter": 0,
"label": "Interest",
"length": 0,
"no_copy": 0,
@@ -30,6 +35,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 1,
"search_index": 0,
@@ -37,17 +43,17 @@
"unique": 0
}
],
+ "has_web_view": 0,
"hide_heading": 0,
"hide_toolbar": 0,
"idx": 0,
"image_view": 0,
"in_create": 0,
- "in_dialog": 0,
"is_submittable": 0,
"issingle": 0,
"istable": 1,
"max_attachments": 0,
- "modified": "2016-07-25 07:20:32.837356",
+ "modified": "2017-06-30 08:21:48.827806",
"modified_by": "Administrator",
"module": "Schools",
"name": "Guardian Interest",
@@ -57,7 +63,10 @@
"quick_entry": 1,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
+ "show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
+ "track_changes": 0,
"track_seen": 0
}
\ No newline at end of file
diff --git a/erpnext/schools/doctype/guardian_student/guardian_student.json b/erpnext/schools/doctype/guardian_student/guardian_student.json
index 598b868..4242c9d 100644
--- a/erpnext/schools/doctype/guardian_student/guardian_student.json
+++ b/erpnext/schools/doctype/guardian_student/guardian_student.json
@@ -1,5 +1,6 @@
{
"allow_copy": 0,
+ "allow_guest_to_view": 0,
"allow_import": 0,
"allow_rename": 0,
"beta": 0,
@@ -12,6 +13,7 @@
"engine": "InnoDB",
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -42,6 +44,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -70,6 +73,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -99,17 +103,17 @@
"unique": 0
}
],
+ "has_web_view": 0,
"hide_heading": 0,
"hide_toolbar": 0,
"idx": 0,
"image_view": 0,
"in_create": 0,
- "in_dialog": 0,
"is_submittable": 0,
"issingle": 0,
"istable": 1,
"max_attachments": 0,
- "modified": "2017-02-17 17:14:03.795718",
+ "modified": "2017-06-30 08:21:48.957516",
"modified_by": "Administrator",
"module": "Schools",
"name": "Guardian Student",
@@ -119,6 +123,7 @@
"quick_entry": 1,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
diff --git a/erpnext/schools/doctype/instructor/instructor.json b/erpnext/schools/doctype/instructor/instructor.json
index db31668..a98fe69 100644
--- a/erpnext/schools/doctype/instructor/instructor.json
+++ b/erpnext/schools/doctype/instructor/instructor.json
@@ -208,7 +208,7 @@
"istable": 0,
"max_attachments": 0,
"menu_index": 0,
- "modified": "2017-06-13 14:29:20.102059",
+ "modified": "2017-06-30 08:21:49.055531",
"modified_by": "Administrator",
"module": "Schools",
"name": "Instructor",
@@ -239,6 +239,7 @@
"quick_entry": 0,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"show_name_in_global_search": 1,
"sort_field": "modified",
"sort_order": "DESC",
diff --git a/erpnext/schools/doctype/program/program.json b/erpnext/schools/doctype/program/program.json
index 672994b..95ef166 100644
--- a/erpnext/schools/doctype/program/program.json
+++ b/erpnext/schools/doctype/program/program.json
@@ -297,7 +297,7 @@
"istable": 0,
"max_attachments": 0,
"menu_index": 0,
- "modified": "2017-05-12 15:39:15.542274",
+ "modified": "2017-06-30 08:21:49.176708",
"modified_by": "Administrator",
"module": "Schools",
"name": "Program",
@@ -328,6 +328,7 @@
"quick_entry": 0,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"search_fields": "program_name",
"show_name_in_global_search": 1,
"sort_field": "modified",
diff --git a/erpnext/schools/doctype/program_course/program_course.json b/erpnext/schools/doctype/program_course/program_course.json
index cfe167d..4922a95 100644
--- a/erpnext/schools/doctype/program_course/program_course.json
+++ b/erpnext/schools/doctype/program_course/program_course.json
@@ -145,7 +145,7 @@
"istable": 1,
"max_attachments": 0,
"menu_index": 0,
- "modified": "2017-06-12 18:20:59.255302",
+ "modified": "2017-06-30 08:21:49.313349",
"modified_by": "Administrator",
"module": "Schools",
"name": "Program Course",
@@ -155,6 +155,7 @@
"quick_entry": 0,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
diff --git a/erpnext/schools/doctype/program_enrollment/program_enrollment.json b/erpnext/schools/doctype/program_enrollment/program_enrollment.json
index d8c6861..f8a3b9e 100644
--- a/erpnext/schools/doctype/program_enrollment/program_enrollment.json
+++ b/erpnext/schools/doctype/program_enrollment/program_enrollment.json
@@ -143,9 +143,10 @@
"bold": 0,
"collapsible": 0,
"columns": 0,
- "default": "Today",
- "fieldname": "enrollment_date",
- "fieldtype": "Date",
+ "default": "0",
+ "description": "Check this if the Student is residing at the Institute's Hostel.",
+ "fieldname": "boarding_student",
+ "fieldtype": "Check",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
@@ -153,9 +154,10 @@
"in_global_search": 0,
"in_list_view": 0,
"in_standard_filter": 0,
- "label": "Enrollment Date",
+ "label": "Boarding Student",
"length": 0,
"no_copy": 0,
+ "options": "",
"permlevel": 0,
"precision": "",
"print_hide": 0,
@@ -163,7 +165,7 @@
"read_only": 0,
"remember_last_selected_value": 0,
"report_hide": 0,
- "reqd": 1,
+ "reqd": 0,
"search_index": 0,
"set_only_once": 0,
"unique": 0
@@ -325,6 +327,37 @@
"allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
+ "collapsible": 0,
+ "columns": 0,
+ "default": "Today",
+ "fieldname": "enrollment_date",
+ "fieldtype": "Date",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 0,
+ "in_standard_filter": 0,
+ "label": "Enrollment Date",
+ "length": 0,
+ "no_copy": 0,
+ "permlevel": 0,
+ "precision": "",
+ "print_hide": 0,
+ "print_hide_if_no_value": 0,
+ "read_only": 0,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 1,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
"collapsible": 1,
"collapsible_depends_on": "vehicle_no",
"columns": 0,
@@ -370,7 +403,7 @@
"label": "Mode of Transportation",
"length": 0,
"no_copy": 0,
- "options": "\nSchool Bus\nPublic Transport\nSelf-Driving Vehicle\nPick/Drop by Guardian",
+ "options": "\nWalking\nSchool Bus\nPublic Transport\nSelf-Driving Vehicle\nPick/Drop by Guardian",
"permlevel": 0,
"precision": "",
"print_hide": 0,
@@ -638,7 +671,7 @@
"istable": 0,
"max_attachments": 0,
"menu_index": 0,
- "modified": "2017-06-12 18:14:35.875103",
+ "modified": "2017-07-10 18:16:15.810616",
"modified_by": "Administrator",
"module": "Schools",
"name": "Program Enrollment",
@@ -669,6 +702,7 @@
"quick_entry": 0,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"show_name_in_global_search": 1,
"sort_field": "modified",
"sort_order": "DESC",
diff --git a/erpnext/schools/doctype/program_enrollment_course/program_enrollment_course.json b/erpnext/schools/doctype/program_enrollment_course/program_enrollment_course.json
index 5c5e220..a5a26ab 100644
--- a/erpnext/schools/doctype/program_enrollment_course/program_enrollment_course.json
+++ b/erpnext/schools/doctype/program_enrollment_course/program_enrollment_course.json
@@ -13,6 +13,7 @@
"engine": "InnoDB",
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -43,6 +44,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -83,7 +85,7 @@
"issingle": 0,
"istable": 1,
"max_attachments": 0,
- "modified": "2017-04-12 11:49:50.433280",
+ "modified": "2017-06-30 08:21:49.637920",
"modified_by": "Administrator",
"module": "Schools",
"name": "Program Enrollment Course",
@@ -93,6 +95,7 @@
"quick_entry": 1,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
diff --git a/erpnext/schools/doctype/program_enrollment_fee/program_enrollment_fee.json b/erpnext/schools/doctype/program_enrollment_fee/program_enrollment_fee.json
index 17d740e..8d2202a 100644
--- a/erpnext/schools/doctype/program_enrollment_fee/program_enrollment_fee.json
+++ b/erpnext/schools/doctype/program_enrollment_fee/program_enrollment_fee.json
@@ -1,5 +1,6 @@
{
"allow_copy": 0,
+ "allow_guest_to_view": 0,
"allow_import": 0,
"allow_rename": 0,
"beta": 0,
@@ -11,6 +12,7 @@
"editable_grid": 1,
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -21,7 +23,9 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 1,
+ "in_standard_filter": 0,
"label": "Academic Term",
"length": 0,
"no_copy": 0,
@@ -31,6 +35,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"search_index": 0,
@@ -38,6 +43,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -48,7 +54,9 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 0,
+ "in_standard_filter": 0,
"label": "Fee Structure",
"length": 0,
"no_copy": 0,
@@ -58,6 +66,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"search_index": 0,
@@ -65,6 +74,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -75,7 +85,9 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 0,
+ "in_standard_filter": 0,
"length": 0,
"no_copy": 0,
"permlevel": 0,
@@ -83,6 +95,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"search_index": 0,
@@ -90,6 +103,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -100,7 +114,9 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 1,
+ "in_standard_filter": 0,
"label": "Due Date",
"length": 0,
"no_copy": 0,
@@ -109,6 +125,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"search_index": 0,
@@ -116,6 +133,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -126,7 +144,9 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 1,
+ "in_standard_filter": 0,
"label": "Amount",
"length": 0,
"no_copy": 0,
@@ -135,6 +155,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 1,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"search_index": 0,
@@ -142,17 +163,17 @@
"unique": 0
}
],
+ "has_web_view": 0,
"hide_heading": 0,
"hide_toolbar": 0,
"idx": 0,
"image_view": 0,
"in_create": 0,
- "in_dialog": 0,
"is_submittable": 0,
"issingle": 0,
"istable": 1,
"max_attachments": 0,
- "modified": "2016-09-05 07:05:20.118119",
+ "modified": "2017-06-30 08:21:49.718726",
"modified_by": "Administrator",
"module": "Schools",
"name": "Program Enrollment Fee",
@@ -162,7 +183,10 @@
"quick_entry": 1,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
+ "show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
+ "track_changes": 0,
"track_seen": 0
}
\ No newline at end of file
diff --git a/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.json b/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.json
index b5547d3..8f32df7 100644
--- a/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.json
+++ b/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.json
@@ -1,5 +1,6 @@
{
"allow_copy": 1,
+ "allow_guest_to_view": 0,
"allow_import": 0,
"allow_rename": 0,
"beta": 0,
@@ -11,16 +12,20 @@
"editable_grid": 0,
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
+ "columns": 0,
"fieldname": "get_students_from",
"fieldtype": "Select",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
- "in_list_view": 0,
+ "in_global_search": 0,
+ "in_list_view": 1,
+ "in_standard_filter": 0,
"label": "Get Students From",
"length": 0,
"no_copy": 0,
@@ -30,6 +35,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 1,
"search_index": 0,
@@ -37,16 +43,20 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
+ "columns": 0,
"fieldname": "program",
"fieldtype": "Link",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
- "in_list_view": 0,
+ "in_global_search": 0,
+ "in_list_view": 1,
+ "in_standard_filter": 0,
"label": "Program",
"length": 0,
"no_copy": 0,
@@ -56,6 +66,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 1,
"search_index": 0,
@@ -63,16 +74,20 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
+ "columns": 0,
"fieldname": "academic_year",
"fieldtype": "Link",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
- "in_list_view": 0,
+ "in_global_search": 0,
+ "in_list_view": 1,
+ "in_standard_filter": 0,
"label": "Academic Year",
"length": 0,
"no_copy": 0,
@@ -82,6 +97,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 1,
"search_index": 0,
@@ -89,16 +105,20 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
+ "columns": 0,
"fieldname": "get_students",
"fieldtype": "Button",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 0,
+ "in_standard_filter": 0,
"label": "Get Students",
"length": 0,
"no_copy": 0,
@@ -107,6 +127,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"search_index": 0,
@@ -114,16 +135,20 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
+ "columns": 0,
"fieldname": "section_break_5",
"fieldtype": "Section Break",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 0,
+ "in_standard_filter": 0,
"length": 0,
"no_copy": 0,
"permlevel": 0,
@@ -131,6 +156,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"search_index": 0,
@@ -138,16 +164,20 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
+ "columns": 0,
"fieldname": "students",
"fieldtype": "Table",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 0,
+ "in_standard_filter": 0,
"label": "Students",
"length": 0,
"no_copy": 0,
@@ -157,6 +187,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"search_index": 0,
@@ -164,16 +195,20 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
+ "columns": 0,
"fieldname": "section_break_7",
"fieldtype": "Section Break",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 0,
+ "in_standard_filter": 0,
"length": 0,
"no_copy": 0,
"permlevel": 0,
@@ -181,6 +216,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"search_index": 0,
@@ -188,9 +224,11 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
+ "columns": 0,
"depends_on": "eval:doc.get_students_from==\"Program Enrollments\"",
"fieldname": "new_program",
"fieldtype": "Link",
@@ -198,7 +236,9 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 0,
+ "in_standard_filter": 0,
"label": "New Program",
"length": 0,
"no_copy": 0,
@@ -208,6 +248,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"search_index": 0,
@@ -215,9 +256,11 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
+ "columns": 0,
"depends_on": "eval:doc.get_students_from==\"Program Enrollments\"",
"fieldname": "new_academic_year",
"fieldtype": "Link",
@@ -225,7 +268,9 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 0,
+ "in_standard_filter": 0,
"label": "New Academic Year",
"length": 0,
"no_copy": 0,
@@ -235,6 +280,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"search_index": 0,
@@ -242,16 +288,20 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
+ "columns": 0,
"fieldname": "enroll_students",
"fieldtype": "Button",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 0,
+ "in_standard_filter": 0,
"label": "Enroll Students",
"length": 0,
"no_copy": 0,
@@ -260,6 +310,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"search_index": 0,
@@ -267,17 +318,17 @@
"unique": 0
}
],
+ "has_web_view": 0,
"hide_heading": 1,
"hide_toolbar": 1,
"idx": 0,
"image_view": 0,
"in_create": 0,
- "in_dialog": 0,
"is_submittable": 0,
"issingle": 1,
"istable": 0,
"max_attachments": 0,
- "modified": "2016-08-17 07:50:40.399492",
+ "modified": "2017-06-30 08:21:49.826296",
"modified_by": "Administrator",
"module": "Schools",
"name": "Program Enrollment Tool",
@@ -308,7 +359,10 @@
"quick_entry": 0,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
+ "show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
+ "track_changes": 0,
"track_seen": 0
}
\ No newline at end of file
diff --git a/erpnext/schools/doctype/program_enrollment_tool_student/program_enrollment_tool_student.json b/erpnext/schools/doctype/program_enrollment_tool_student/program_enrollment_tool_student.json
index 9e200d7..50c9ac7 100644
--- a/erpnext/schools/doctype/program_enrollment_tool_student/program_enrollment_tool_student.json
+++ b/erpnext/schools/doctype/program_enrollment_tool_student/program_enrollment_tool_student.json
@@ -1,5 +1,6 @@
{
"allow_copy": 0,
+ "allow_guest_to_view": 0,
"allow_import": 0,
"allow_rename": 0,
"beta": 0,
@@ -11,9 +12,11 @@
"editable_grid": 1,
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
+ "columns": 0,
"depends_on": "",
"fieldname": "student_applicant",
"fieldtype": "Link",
@@ -21,7 +24,9 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 1,
+ "in_standard_filter": 0,
"label": "Student Applicant",
"length": 0,
"no_copy": 0,
@@ -31,6 +36,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"search_index": 0,
@@ -38,9 +44,11 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
+ "columns": 0,
"depends_on": "",
"fieldname": "student",
"fieldtype": "Link",
@@ -48,7 +56,9 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 1,
+ "in_standard_filter": 0,
"label": "Student",
"length": 0,
"no_copy": 0,
@@ -58,6 +68,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"search_index": 0,
@@ -65,16 +76,20 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
+ "columns": 0,
"fieldname": "column_break_3",
"fieldtype": "Column Break",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 0,
+ "in_standard_filter": 0,
"length": 0,
"no_copy": 0,
"permlevel": 0,
@@ -82,6 +97,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"search_index": 0,
@@ -89,16 +105,20 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
+ "columns": 0,
"fieldname": "student_name",
"fieldtype": "Data",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 1,
+ "in_standard_filter": 0,
"label": "Student Name",
"length": 0,
"no_copy": 0,
@@ -107,6 +127,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 1,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"search_index": 0,
@@ -114,18 +135,18 @@
"unique": 0
}
],
+ "has_web_view": 0,
"hide_heading": 0,
"hide_toolbar": 0,
"idx": 0,
"image_view": 0,
"in_create": 0,
- "in_dialog": 0,
"is_submittable": 0,
"issingle": 0,
"istable": 1,
"max_attachments": 0,
- "modified": "2016-07-21 12:32:12.784608",
- "modified_by": "r@r.com",
+ "modified": "2017-06-30 08:21:49.928790",
+ "modified_by": "Administrator",
"module": "Schools",
"name": "Program Enrollment Tool Student",
"name_case": "",
@@ -134,7 +155,10 @@
"quick_entry": 1,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
+ "show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
+ "track_changes": 0,
"track_seen": 0
}
\ No newline at end of file
diff --git a/erpnext/schools/doctype/program_fee/program_fee.json b/erpnext/schools/doctype/program_fee/program_fee.json
index 9e2aa61..673959a 100644
--- a/erpnext/schools/doctype/program_fee/program_fee.json
+++ b/erpnext/schools/doctype/program_fee/program_fee.json
@@ -1,5 +1,6 @@
{
"allow_copy": 0,
+ "allow_guest_to_view": 0,
"allow_import": 0,
"allow_rename": 0,
"beta": 0,
@@ -12,6 +13,7 @@
"engine": "InnoDB",
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -42,6 +44,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -72,6 +75,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -102,6 +106,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -130,6 +135,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -159,6 +165,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -188,17 +195,17 @@
"unique": 0
}
],
+ "has_web_view": 0,
"hide_heading": 0,
"hide_toolbar": 0,
"idx": 0,
"image_view": 0,
"in_create": 0,
- "in_dialog": 0,
"is_submittable": 0,
"issingle": 0,
"istable": 1,
"max_attachments": 0,
- "modified": "2017-02-17 17:18:33.899938",
+ "modified": "2017-06-30 08:21:50.034899",
"modified_by": "Administrator",
"module": "Schools",
"name": "Program Fee",
@@ -208,6 +215,7 @@
"quick_entry": 1,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
diff --git a/erpnext/schools/doctype/room/room.json b/erpnext/schools/doctype/room/room.json
index 584ebe2..8e672cc 100644
--- a/erpnext/schools/doctype/room/room.json
+++ b/erpnext/schools/doctype/room/room.json
@@ -1,5 +1,6 @@
{
"allow_copy": 0,
+ "allow_guest_to_view": 0,
"allow_import": 1,
"allow_rename": 0,
"autoname": "RM.####",
@@ -12,16 +13,20 @@
"editable_grid": 0,
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
+ "columns": 0,
"fieldname": "room_name",
"fieldtype": "Data",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 0,
+ "in_standard_filter": 0,
"label": "Room Name",
"length": 0,
"no_copy": 0,
@@ -30,6 +35,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 1,
"search_index": 0,
@@ -37,16 +43,20 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
+ "columns": 0,
"fieldname": "room_number",
"fieldtype": "Data",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 1,
+ "in_standard_filter": 0,
"label": "Room Number",
"length": 0,
"no_copy": 0,
@@ -55,6 +65,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"search_index": 0,
@@ -62,16 +73,20 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
+ "columns": 0,
"fieldname": "seating_capacity",
"fieldtype": "Data",
"hidden": 0,
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
+ "in_global_search": 0,
"in_list_view": 1,
+ "in_standard_filter": 0,
"label": "Seating Capacity",
"length": 0,
"no_copy": 0,
@@ -80,6 +95,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 0,
"search_index": 0,
@@ -87,18 +103,18 @@
"unique": 0
}
],
+ "has_web_view": 0,
"hide_heading": 0,
"hide_toolbar": 0,
"idx": 0,
"image_view": 0,
"in_create": 0,
- "in_dialog": 0,
"is_submittable": 0,
"issingle": 0,
"istable": 0,
"max_attachments": 0,
"menu_index": 0,
- "modified": "2016-07-25 05:24:22.881854",
+ "modified": "2017-06-30 08:21:50.145058",
"modified_by": "Administrator",
"module": "Schools",
"name": "Room",
@@ -129,8 +145,11 @@
"quick_entry": 1,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
+ "show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
"title_field": "room_name",
+ "track_changes": 0,
"track_seen": 0
}
\ No newline at end of file
diff --git a/erpnext/schools/doctype/school_house/school_house.json b/erpnext/schools/doctype/school_house/school_house.json
index 60d0976..e777939 100644
--- a/erpnext/schools/doctype/school_house/school_house.json
+++ b/erpnext/schools/doctype/school_house/school_house.json
@@ -14,6 +14,7 @@
"engine": "InnoDB",
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -25,7 +26,7 @@
"ignore_xss_filter": 0,
"in_filter": 0,
"in_global_search": 0,
- "in_list_view": 0,
+ "in_list_view": 1,
"in_standard_filter": 0,
"label": "House Name",
"length": 0,
@@ -53,7 +54,7 @@
"issingle": 0,
"istable": 0,
"max_attachments": 0,
- "modified": "2017-03-29 15:33:15.757309",
+ "modified": "2017-06-30 08:21:50.250616",
"modified_by": "Administrator",
"module": "Schools",
"name": "School House",
@@ -84,6 +85,7 @@
"quick_entry": 1,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
diff --git a/erpnext/schools/doctype/school_settings/school_settings.json b/erpnext/schools/doctype/school_settings/school_settings.json
index 8d4d4f5..3b5aae6 100644
--- a/erpnext/schools/doctype/school_settings/school_settings.json
+++ b/erpnext/schools/doctype/school_settings/school_settings.json
@@ -206,7 +206,7 @@
"issingle": 1,
"istable": 0,
"max_attachments": 0,
- "modified": "2017-06-26 14:07:36.542314",
+ "modified": "2017-06-30 08:21:50.339169",
"modified_by": "Administrator",
"module": "Schools",
"name": "School Settings",
@@ -237,6 +237,7 @@
"quick_entry": 1,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
diff --git a/erpnext/schools/doctype/student/student.json b/erpnext/schools/doctype/student/student.json
index 8806817..75cb758 100644
--- a/erpnext/schools/doctype/student/student.json
+++ b/erpnext/schools/doctype/student/student.json
@@ -595,67 +595,6 @@
"bold": 0,
"collapsible": 0,
"columns": 0,
- "fieldname": "section_break_18",
- "fieldtype": "Section Break",
- "hidden": 0,
- "ignore_user_permissions": 0,
- "ignore_xss_filter": 0,
- "in_filter": 0,
- "in_global_search": 0,
- "in_list_view": 0,
- "in_standard_filter": 0,
- "label": "Guardian Details",
- "length": 0,
- "no_copy": 0,
- "permlevel": 0,
- "precision": "",
- "print_hide": 0,
- "print_hide_if_no_value": 0,
- "read_only": 0,
- "remember_last_selected_value": 0,
- "report_hide": 0,
- "reqd": 0,
- "search_index": 0,
- "set_only_once": 0,
- "unique": 0
- },
- {
- "allow_bulk_edit": 0,
- "allow_on_submit": 0,
- "bold": 0,
- "collapsible": 0,
- "columns": 0,
- "fieldname": "guardians",
- "fieldtype": "Table",
- "hidden": 0,
- "ignore_user_permissions": 0,
- "ignore_xss_filter": 0,
- "in_filter": 0,
- "in_global_search": 0,
- "in_list_view": 0,
- "in_standard_filter": 0,
- "label": "Guardians",
- "length": 0,
- "no_copy": 0,
- "options": "Student Guardian",
- "permlevel": 0,
- "precision": "",
- "print_hide": 0,
- "print_hide_if_no_value": 0,
- "read_only": 0,
- "remember_last_selected_value": 0,
- "report_hide": 0,
- "reqd": 0,
- "search_index": 0,
- "set_only_once": 0,
- "unique": 0
- },
- {
- "allow_bulk_edit": 0,
- "allow_on_submit": 0,
- "bold": 0,
- "collapsible": 0,
- "columns": 0,
"fieldname": "section_break_22",
"fieldtype": "Section Break",
"hidden": 0,
@@ -863,6 +802,67 @@
"allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
+ "collapsible": 0,
+ "columns": 0,
+ "fieldname": "section_break_18",
+ "fieldtype": "Section Break",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 0,
+ "in_standard_filter": 0,
+ "label": "Guardian Details",
+ "length": 0,
+ "no_copy": 0,
+ "permlevel": 0,
+ "precision": "",
+ "print_hide": 0,
+ "print_hide_if_no_value": 0,
+ "read_only": 0,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
+ "collapsible": 0,
+ "columns": 0,
+ "fieldname": "guardians",
+ "fieldtype": "Table",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 0,
+ "in_standard_filter": 0,
+ "label": "Guardians",
+ "length": 0,
+ "no_copy": 0,
+ "options": "Student Guardian",
+ "permlevel": 0,
+ "precision": "",
+ "print_hide": 0,
+ "print_hide_if_no_value": 0,
+ "read_only": 0,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
"collapsible": 1,
"columns": 0,
"fieldname": "section_break_20",
@@ -1114,7 +1114,7 @@
"istable": 0,
"max_attachments": 0,
"menu_index": 0,
- "modified": "2017-06-13 14:28:57.189648",
+ "modified": "2017-07-07 16:30:08.930882",
"modified_by": "Administrator",
"module": "Schools",
"name": "Student",
@@ -1165,6 +1165,7 @@
"quick_entry": 0,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"show_name_in_global_search": 1,
"sort_field": "modified",
"sort_order": "DESC",
diff --git a/erpnext/schools/doctype/student/student_dashboard.py b/erpnext/schools/doctype/student/student_dashboard.py
index cd2314e..b36599c 100644
--- a/erpnext/schools/doctype/student/student_dashboard.py
+++ b/erpnext/schools/doctype/student/student_dashboard.py
@@ -7,10 +7,24 @@
'fieldname': 'student',
'transactions': [
{
- 'items': ['Student Log', 'Student Group', 'Program Enrollment']
+ 'label': _('Admission'),
+ 'items': ['Program Enrollment']
},
{
- 'items': ['Fees', 'Assessment Result', 'Student Attendance', 'Student Leave Application']
+ 'label': _('Student Activity'),
+ 'items': ['Student Log', 'Student Group', ]
+ },
+ {
+ 'label': _('Assessment'),
+ 'items': ['Assessment Result']
+ },
+ {
+ 'label': _('Attendance'),
+ 'items': ['Student Attendance', 'Student Leave Application']
+ },
+ {
+ 'label': _('Fee'),
+ 'items': ['Fees']
}
]
}
\ No newline at end of file
diff --git a/erpnext/schools/doctype/student_admission/student_admission.json b/erpnext/schools/doctype/student_admission/student_admission.json
index bf76d0d..4801e51 100644
--- a/erpnext/schools/doctype/student_admission/student_admission.json
+++ b/erpnext/schools/doctype/student_admission/student_admission.json
@@ -1,5 +1,6 @@
{
"allow_copy": 0,
+ "allow_guest_to_view": 0,
"allow_import": 0,
"allow_rename": 1,
"autoname": "",
@@ -12,6 +13,7 @@
"editable_grid": 1,
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -42,6 +44,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -71,6 +74,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -100,6 +104,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -129,6 +134,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -158,6 +164,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -187,6 +194,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -215,6 +223,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -245,6 +254,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -275,6 +285,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -305,6 +316,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -335,6 +347,7 @@
"unique": 1
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -364,6 +377,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -392,6 +406,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -421,6 +436,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -450,17 +466,17 @@
"unique": 0
}
],
+ "has_web_view": 0,
"hide_heading": 0,
"hide_toolbar": 0,
"idx": 0,
"image_view": 0,
"in_create": 0,
- "in_dialog": 0,
"is_submittable": 0,
"issingle": 0,
"istable": 0,
"max_attachments": 0,
- "modified": "2017-02-20 13:20:31.273514",
+ "modified": "2017-06-30 08:21:50.722286",
"modified_by": "Administrator",
"module": "Schools",
"name": "Student Admission",
@@ -491,6 +507,7 @@
"quick_entry": 1,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"show_name_in_global_search": 1,
"sort_field": "modified",
"sort_order": "DESC",
diff --git a/erpnext/schools/doctype/student_applicant/student_applicant.json b/erpnext/schools/doctype/student_applicant/student_applicant.json
index 4ad3858..271f873 100644
--- a/erpnext/schools/doctype/student_applicant/student_applicant.json
+++ b/erpnext/schools/doctype/student_applicant/student_applicant.json
@@ -1058,7 +1058,7 @@
"istable": 0,
"max_attachments": 0,
"menu_index": 0,
- "modified": "2017-06-13 14:29:22.461344",
+ "modified": "2017-06-30 08:21:50.917086",
"modified_by": "Administrator",
"module": "Schools",
"name": "Student Applicant",
@@ -1089,6 +1089,7 @@
"quick_entry": 0,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"show_name_in_global_search": 1,
"sort_field": "modified",
"sort_order": "DESC",
diff --git a/erpnext/schools/doctype/student_attendance/student_attendance.json b/erpnext/schools/doctype/student_attendance/student_attendance.json
index 83a07d5..aa084cc 100644
--- a/erpnext/schools/doctype/student_attendance/student_attendance.json
+++ b/erpnext/schools/doctype/student_attendance/student_attendance.json
@@ -239,7 +239,7 @@
"issingle": 0,
"istable": 0,
"max_attachments": 0,
- "modified": "2017-05-01 12:02:01.116733",
+ "modified": "2017-06-30 08:21:51.223266",
"modified_by": "Administrator",
"module": "Schools",
"name": "Student Attendance",
@@ -270,6 +270,7 @@
"quick_entry": 0,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
diff --git a/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js b/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js
index 93c83f3..c5ff917 100644
--- a/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js
+++ b/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js
@@ -135,22 +135,24 @@
frappe.confirm(__("Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}", [students_present.length, students_absent.length]),
function() { //ifyes
- frappe.call({
- method: "erpnext.schools.api.mark_attendance",
- freeze: true,
- freeze_message: "Marking attendance",
- args: {
- "students_present": students_present,
- "students_absent": students_absent,
- "student_group": frm.doc.student_group,
- "course_schedule": frm.doc.course_schedule,
- "date": frm.doc.date
- },
- callback: function(r) {
- $(me.wrapper.find(".btn-mark-att")).attr("disabled", false);
- frm.trigger("student_group");
- }
- });
+ if(!frappe.request.ajax_count) {
+ frappe.call({
+ method: "erpnext.schools.api.mark_attendance",
+ freeze: true,
+ freeze_message: "Marking attendance",
+ args: {
+ "students_present": students_present,
+ "students_absent": students_absent,
+ "student_group": frm.doc.student_group,
+ "course_schedule": frm.doc.course_schedule,
+ "date": frm.doc.date
+ },
+ callback: function(r) {
+ $(me.wrapper.find(".btn-mark-att")).attr("disabled", false);
+ frm.trigger("student_group");
+ }
+ });
+ }
},
function() { //ifno
$(me.wrapper.find(".btn-mark-att")).attr("disabled", false);
diff --git a/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.json b/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.json
index 265ac8c..59c1a84 100644
--- a/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.json
+++ b/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.json
@@ -120,7 +120,7 @@
"ignore_xss_filter": 0,
"in_filter": 0,
"in_global_search": 0,
- "in_list_view": 0,
+ "in_list_view": 1,
"in_standard_filter": 0,
"label": "Student Group",
"length": 0,
@@ -152,7 +152,7 @@
"ignore_xss_filter": 0,
"in_filter": 0,
"in_global_search": 0,
- "in_list_view": 0,
+ "in_list_view": 1,
"in_standard_filter": 0,
"label": "Course Schedule",
"length": 0,
@@ -184,7 +184,7 @@
"ignore_xss_filter": 0,
"in_filter": 0,
"in_global_search": 0,
- "in_list_view": 0,
+ "in_list_view": 1,
"in_standard_filter": 0,
"label": "Date",
"length": 0,
@@ -273,7 +273,7 @@
"issingle": 1,
"istable": 0,
"max_attachments": 0,
- "modified": "2017-06-05 23:16:43.127216",
+ "modified": "2017-06-30 08:21:51.390809",
"modified_by": "Administrator",
"module": "Schools",
"name": "Student Attendance Tool",
@@ -324,6 +324,7 @@
"quick_entry": 0,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
diff --git a/erpnext/schools/doctype/student_batch_name/student_batch_name.json b/erpnext/schools/doctype/student_batch_name/student_batch_name.json
index 7f5f16d..6b08487 100644
--- a/erpnext/schools/doctype/student_batch_name/student_batch_name.json
+++ b/erpnext/schools/doctype/student_batch_name/student_batch_name.json
@@ -1,5 +1,6 @@
{
"allow_copy": 0,
+ "allow_guest_to_view": 0,
"allow_import": 0,
"allow_rename": 0,
"autoname": "field:batch_name",
@@ -13,6 +14,7 @@
"engine": "InnoDB",
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -23,7 +25,8 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
- "in_list_view": 0,
+ "in_global_search": 0,
+ "in_list_view": 1,
"in_standard_filter": 0,
"label": "Batch Name",
"length": 0,
@@ -41,17 +44,17 @@
"unique": 0
}
],
+ "has_web_view": 0,
"hide_heading": 0,
"hide_toolbar": 0,
"idx": 0,
"image_view": 0,
"in_create": 0,
- "in_dialog": 0,
"is_submittable": 0,
"issingle": 0,
"istable": 0,
"max_attachments": 0,
- "modified": "2016-11-21 16:31:50.775958",
+ "modified": "2017-06-30 08:21:51.545155",
"modified_by": "Administrator",
"module": "Schools",
"name": "Student Batch Name",
@@ -68,7 +71,6 @@
"export": 1,
"if_owner": 0,
"import": 0,
- "is_custom": 0,
"permlevel": 0,
"print": 1,
"read": 1,
@@ -83,7 +85,10 @@
"quick_entry": 1,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
+ "show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
+ "track_changes": 0,
"track_seen": 0
}
\ No newline at end of file
diff --git a/erpnext/schools/doctype/student_category/student_category.json b/erpnext/schools/doctype/student_category/student_category.json
index 03ec0d1..ce4cb4e 100644
--- a/erpnext/schools/doctype/student_category/student_category.json
+++ b/erpnext/schools/doctype/student_category/student_category.json
@@ -1,5 +1,6 @@
{
"allow_copy": 0,
+ "allow_guest_to_view": 0,
"allow_import": 0,
"allow_rename": 0,
"autoname": "field:category",
@@ -12,6 +13,7 @@
"editable_grid": 1,
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -22,7 +24,9 @@
"ignore_user_permissions": 0,
"ignore_xss_filter": 0,
"in_filter": 0,
- "in_list_view": 0,
+ "in_global_search": 0,
+ "in_list_view": 1,
+ "in_standard_filter": 0,
"label": "Category",
"length": 0,
"no_copy": 0,
@@ -31,6 +35,7 @@
"print_hide": 0,
"print_hide_if_no_value": 0,
"read_only": 0,
+ "remember_last_selected_value": 0,
"report_hide": 0,
"reqd": 1,
"search_index": 0,
@@ -38,17 +43,17 @@
"unique": 0
}
],
+ "has_web_view": 0,
"hide_heading": 0,
"hide_toolbar": 0,
"idx": 0,
"image_view": 0,
"in_create": 0,
- "in_dialog": 0,
"is_submittable": 0,
"issingle": 0,
"istable": 0,
"max_attachments": 0,
- "modified": "2016-09-05 06:28:33.679415",
+ "modified": "2017-06-30 08:21:51.652539",
"modified_by": "Administrator",
"module": "Schools",
"name": "Student Category",
@@ -79,7 +84,10 @@
"quick_entry": 1,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
+ "show_name_in_global_search": 0,
"sort_field": "modified",
"sort_order": "DESC",
+ "track_changes": 0,
"track_seen": 0
}
\ No newline at end of file
diff --git a/erpnext/schools/doctype/student_group/student_group.json b/erpnext/schools/doctype/student_group/student_group.json
index a82ac0f..0a9b41a 100644
--- a/erpnext/schools/doctype/student_group/student_group.json
+++ b/erpnext/schools/doctype/student_group/student_group.json
@@ -459,7 +459,7 @@
"istable": 0,
"max_attachments": 0,
"menu_index": 0,
- "modified": "2017-04-28 11:46:51.946103",
+ "modified": "2017-06-30 08:21:51.755519",
"modified_by": "Administrator",
"module": "Schools",
"name": "Student Group",
@@ -510,6 +510,7 @@
"quick_entry": 0,
"read_only": 0,
"read_only_onload": 0,
+ "restrict_to_domain": "Education",
"search_fields": "program, batch, course",
"show_name_in_global_search": 0,
"sort_field": "modified",
diff --git a/erpnext/schools/doctype/student_log/student_log.json b/erpnext/schools/doctype/student_log/student_log.json
index 43ac134..6c9d4b0 100644
--- a/erpnext/schools/doctype/student_log/student_log.json
+++ b/erpnext/schools/doctype/student_log/student_log.json
@@ -1,5 +1,6 @@
{
"allow_copy": 0,
+ "allow_guest_to_view": 0,
"allow_import": 0,
"allow_rename": 0,
"autoname": "SLog.####",
@@ -13,6 +14,7 @@
"engine": "InnoDB",
"fields": [
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -43,64 +45,7 @@
"unique": 0
},
{
- "allow_on_submit": 0,
- "bold": 0,
- "collapsible": 0,
- "columns": 0,
- "fieldname": "type",
- "fieldtype": "Select",
- "hidden": 0,
- "ignore_user_permissions": 0,
- "ignore_xss_filter": 0,
- "in_filter": 0,
- "in_global_search": 0,
- "in_list_view": 1,
- "in_standard_filter": 1,
- "label": "Type",
- "length": 0,
- "no_copy": 0,
- "options": "General\nAcademic\nMedical\nAchievement",
- "permlevel": 0,
- "precision": "",
- "print_hide": 0,
- "print_hide_if_no_value": 0,
- "read_only": 0,
- "remember_last_selected_value": 0,
- "report_hide": 0,
- "reqd": 0,
- "search_index": 0,
- "set_only_once": 0,
- "unique": 0
- },
- {
- "allow_on_submit": 0,
- "bold": 0,
- "collapsible": 0,
- "columns": 0,
- "fieldname": "column_break_3",
- "fieldtype": "Column Break",
- "hidden": 0,
- "ignore_user_permissions": 0,
- "ignore_xss_filter": 0,
- "in_filter": 0,
- "in_global_search": 0,
- "in_list_view": 0,
- "in_standard_filter": 0,
- "length": 0,
- "no_copy": 0,
- "permlevel": 0,
- "precision": "",
- "print_hide": 0,
- "print_hide_if_no_value": 0,
- "read_only": 0,
- "remember_last_selected_value": 0,
- "report_hide": 0,
- "reqd": 0,
- "search_index": 0,
- "set_only_once": 0,
- "unique": 0
- },
- {
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -131,6 +76,38 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
+ "collapsible": 0,
+ "columns": 0,
+ "fieldname": "type",
+ "fieldtype": "Select",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 1,
+ "in_standard_filter": 1,
+ "label": "Type",
+ "length": 0,
+ "no_copy": 0,
+ "options": "General\nAcademic\nMedical\nAchievement",
+ "permlevel": 0,
+ "precision": "",
+ "print_hide": 0,
+ "print_hide_if_no_value": 0,
+ "read_only": 0,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -160,6 +137,160 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
+ "collapsible": 0,
+ "columns": 0,
+ "fieldname": "column_break_3",
+ "fieldtype": "Column Break",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 0,
+ "in_standard_filter": 0,
+ "length": 0,
+ "no_copy": 0,
+ "permlevel": 0,
+ "precision": "",
+ "print_hide": 0,
+ "print_hide_if_no_value": 0,
+ "read_only": 0,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
+ "collapsible": 0,
+ "columns": 0,
+ "fieldname": "academic_year",
+ "fieldtype": "Link",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 0,
+ "in_standard_filter": 0,
+ "label": "Academic Year",
+ "length": 0,
+ "no_copy": 0,
+ "options": "Academic Year",
+ "permlevel": 0,
+ "precision": "",
+ "print_hide": 0,
+ "print_hide_if_no_value": 0,
+ "read_only": 0,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
+ "collapsible": 0,
+ "columns": 0,
+ "fieldname": "academic_term",
+ "fieldtype": "Link",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 0,
+ "in_standard_filter": 0,
+ "label": "Academic Term",
+ "length": 0,
+ "no_copy": 0,
+ "options": "Academic Term",
+ "permlevel": 0,
+ "precision": "",
+ "print_hide": 0,
+ "print_hide_if_no_value": 0,
+ "read_only": 0,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
+ "collapsible": 0,
+ "columns": 0,
+ "fieldname": "program",
+ "fieldtype": "Link",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 0,
+ "in_standard_filter": 0,
+ "label": "Program",
+ "length": 0,
+ "no_copy": 0,
+ "options": "Program",
+ "permlevel": 0,
+ "precision": "",
+ "print_hide": 0,
+ "print_hide_if_no_value": 0,
+ "read_only": 0,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
+ "allow_on_submit": 0,
+ "bold": 0,
+ "collapsible": 0,
+ "columns": 0,
+ "fieldname": "student_batch",
+ "fieldtype": "Link",
+ "hidden": 0,
+ "ignore_user_permissions": 0,
+ "ignore_xss_filter": 0,
+ "in_filter": 0,
+ "in_global_search": 0,
+ "in_list_view": 0,
+ "in_standard_filter": 0,
+ "label": "Student Batch",
+ "length": 0,
+ "no_copy": 0,
+ "options": "Student Batch Name",
+ "permlevel": 0,
+ "precision": "",
+ "print_hide": 0,
+ "print_hide_if_no_value": 0,
+ "read_only": 0,
+ "remember_last_selected_value": 0,
+ "report_hide": 0,
+ "reqd": 0,
+ "search_index": 0,
+ "set_only_once": 0,
+ "unique": 0
+ },
+ {
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -188,6 +319,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
@@ -217,17 +349,17 @@
"unique": 0
}
],
+ "has_web_view": 0,
"hide_heading": 0,
"hide_toolbar": 0,
"idx": 0,
"image_view": 0,
"in_create": 0,
- "in_dialog": 0,
"is_submittable": 0,
"issingle": 0,
"istable": 0,
"max_attachments": 0,
- "modified": "2017-02-17 17:18:19.596892",
+ "modified": "2017-07-06 12:42:05.777673",
"modified_by": "Administrator",
"module": "Schools",
"name": "Student Log",
diff --git a/erpnext/schools/report/course_wise_assessment_report/__init__.py b/erpnext/schools/report/course_wise_assessment_report/__init__.py
new file mode 100644
index 0000000..e69de29
--- /dev/null
+++ b/erpnext/schools/report/course_wise_assessment_report/__init__.py
diff --git a/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.js b/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.js
new file mode 100644
index 0000000..42b19eb
--- /dev/null
+++ b/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.js
@@ -0,0 +1,34 @@
+// Copyright (c) 2016, Frappe Technologies Pvt. Ltd. and contributors
+// For license information, please see license.txt
+
+frappe.query_reports["Course wise Assessment Report"] = {
+ "filters": [
+ {
+ "fieldname":"assessment_group",
+ "label": __("Assessment Group"),
+ "fieldtype": "Link",
+ "options": "Assessment Group",
+ "reqd": 1,
+ "get_query": function() {
+ return{
+ filters: {
+ 'is_group': 0
+ }
+ };
+ }
+ },
+ {
+ "fieldname":"course",
+ "label": __("Course"),
+ "fieldtype": "Link",
+ "options": "Course",
+ "reqd": 1
+ },
+ {
+ "fieldname":"student_group",
+ "label": __("Student Group"),
+ "fieldtype": "Link",
+ "options": "Student Group"
+ }
+ ]
+};
diff --git a/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.json b/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.json
new file mode 100644
index 0000000..6b089d2
--- /dev/null
+++ b/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.json
@@ -0,0 +1,23 @@
+{
+ "add_total_row": 0,
+ "apply_user_permissions": 1,
+ "creation": "2017-05-05 14:46:13.776133",
+ "disabled": 0,
+ "docstatus": 0,
+ "doctype": "Report",
+ "idx": 0,
+ "is_standard": "Yes",
+ "modified": "2017-05-05 14:47:18.080385",
+ "modified_by": "Administrator",
+ "module": "Schools",
+ "name": "Course wise Assessment Report",
+ "owner": "Administrator",
+ "ref_doctype": "Assessment Result",
+ "report_name": "Course wise Assessment Report",
+ "report_type": "Script Report",
+ "roles": [
+ {
+ "role": "Academics User"
+ }
+ ]
+}
\ No newline at end of file
diff --git a/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py b/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py
new file mode 100644
index 0000000..b5a2fc1
--- /dev/null
+++ b/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py
@@ -0,0 +1,122 @@
+# Copyright (c) 2013, Frappe Technologies Pvt. Ltd. and contributors
+# For license information, please see license.txt
+
+from __future__ import unicode_literals
+import frappe
+from frappe import _
+from collections import defaultdict
+
+def execute(filters=None):
+ args = frappe._dict()
+ args["assessment_group"] = filters.get("assessment_group")
+ if args["assessment_group"] == "All Assessment Groups":
+ frappe.throw(_("Please select the assessment group other than 'All Assessment Groups'"))
+
+ args["course"] = filters.get("course")
+ args["student_group"] = filters.get("student_group")
+ if args["student_group"]:
+ cond = "and ap.student_group=%(student_group)s"
+ else:
+ cond = ''
+
+ # find all assessment plan linked with the filters provided
+ assessment_plan = frappe.db.sql('''
+ select
+ ap.name, ap.student_group, apc.assessment_criteria, apc.maximum_score as max_score
+ from
+ `tabAssessment Plan` ap, `tabAssessment Plan Criteria` apc
+ where
+ ap.assessment_group=%(assessment_group)s and ap.course=%(course)s and
+ ap.name=apc.parent and ap.docstatus=1 {0}
+ order by
+ apc.assessment_criteria'''.format(cond), (args), as_dict=1)
+
+ assessment_plan_list = set([d["name"] for d in assessment_plan])
+ if not assessment_plan_list:
+ frappe.throw(_("No assessment plan linked with this assessment group"))
+
+ student_group_list = set([d["student_group"] for d in assessment_plan])
+ assessment_result = frappe.db.sql('''select ar.student, ard.assessment_criteria, ard.grade, ard.score
+ from `tabAssessment Result` ar, `tabAssessment Result Detail` ard
+ where ar.assessment_plan in (%s) and ar.name=ard.parent and ar.docstatus=1
+ order by ard.assessment_criteria''' %', '.join(['%s']*len(assessment_plan_list)),
+ tuple(assessment_plan_list), as_dict=1)
+
+ result_dict = defaultdict(dict)
+ kounter = defaultdict(dict)
+ for result in assessment_result:
+ result_dict[result.student].update({frappe.scrub(result.assessment_criteria): result.grade,
+ frappe.scrub(result.assessment_criteria)+"_score": result.score})
+ if result.grade in kounter[result.assessment_criteria]:
+ kounter[result.assessment_criteria][result.grade] += 1
+ else:
+ kounter[result.assessment_criteria].update({result.grade: 1})
+
+ student_list = frappe.db.sql('''select sgs.student, sgs.student_name
+ from `tabStudent Group` sg, `tabStudent Group Student` sgs
+ where sg.name = sgs.parent and sg.name in (%s)
+ order by sgs.group_roll_number asc''' %', '.join(['%s']*len(student_group_list)),
+ tuple(student_group_list), as_dict=1)
+
+ for student in student_list:
+ student.update(result_dict[student.student])
+ data = student_list
+
+ columns = get_column(list(set([(d["assessment_criteria"],d["max_score"]) for d in assessment_plan])))
+
+ grading_scale = frappe.db.get_value("Assessment Plan", list(assessment_plan_list)[0], "grading_scale")
+ grades = frappe.db.sql_list('''select grade_code from `tabGrading Scale Interval` where parent=%s''',
+ (grading_scale))
+ assessment_criteria_list = list(set([d["assessment_criteria"] for d in assessment_plan]))
+ chart = get_chart_data(grades, assessment_criteria_list, kounter)
+
+ return columns, data, None, chart
+
+def get_column(assessment_criteria):
+ columns = [{
+ "fieldname": "student",
+ "label": _("Student ID"),
+ "fieldtype": "Link",
+ "options": "Student",
+ "width": 90
+ },
+ {
+ "fieldname": "student_name",
+ "label": _("Student Name"),
+ "fieldtype": "Data",
+ "width": 160
+ }]
+ for d in assessment_criteria:
+ columns.append({
+ "fieldname": frappe.scrub(d[0]),
+ "label": d[0],
+ "fieldtype": "Data",
+ "width": 110
+ })
+ columns.append({
+ "fieldname": frappe.scrub(d[0]) +"_score",
+ "label": "Score(" + str(int(d[1])) + ")",
+ "fieldtype": "Float",
+ "width": 100
+ })
+ return columns
+
+def get_chart_data(grades, assessment_criteria_list, kounter):
+ grades = sorted(grades)
+ chart_data = []
+ chart_data.append(["x"] + assessment_criteria_list)
+ for grade in grades:
+ tmp = [grade]
+ for ac in assessment_criteria_list:
+ if grade in kounter[ac]:
+ tmp.append(kounter[ac][grade])
+ else:
+ tmp.append(0)
+ chart_data.append(tmp)
+ return {
+ "data": {
+ "x": "x",
+ "columns": chart_data
+ },
+ "chart_type": 'bar',
+ }
diff --git a/erpnext/schools/report/student_monthly_attendance_sheet/student_monthly_attendance_sheet.py b/erpnext/schools/report/student_monthly_attendance_sheet/student_monthly_attendance_sheet.py
index 1e79a93..d869cec 100644
--- a/erpnext/schools/report/student_monthly_attendance_sheet/student_monthly_attendance_sheet.py
+++ b/erpnext/schools/report/student_monthly_attendance_sheet/student_monthly_attendance_sheet.py
@@ -15,19 +15,24 @@
to_date = get_last_day(filters["month"] + '-' + filters["year"])
total_days_in_month = date_diff(to_date, from_date) +1
columns = get_columns(total_days_in_month)
- students = get_student_group_students(filters.get("student_group"))
+ students = get_student_group_students(filters.get("student_group"),1)
students_list = get_students_list(students)
att_map = get_attendance_list(from_date, to_date, filters.get("student_group"), students_list)
data = []
for stud in students:
row = [stud.student, stud.student_name]
+ student_status = frappe.db.get_value("Student", stud.student, "enabled")
date = from_date
total_p = total_a = 0.0
for day in range(total_days_in_month):
status="None"
if att_map.get(stud.student):
status = att_map.get(stud.student).get(date, "None")
- status_map = {"Present": "P", "Absent": "A", "None": ""}
+ elif not student_status:
+ status = "Inactive"
+ else:
+ status = "None"
+ status_map = {"Present": "P", "Absent": "A", "None": "", "Inactive":"-"}
row.append(status_map[status])
if status == "Present":
total_p += 1
diff --git a/erpnext/selling/doctype/customer/customer.json b/erpnext/selling/doctype/customer/customer.json
index 989dfbc..1b77418 100644
--- a/erpnext/selling/doctype/customer/customer.json
+++ b/erpnext/selling/doctype/customer/customer.json
@@ -107,6 +107,7 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 1,
"collapsible": 0,
@@ -168,10 +169,12 @@
"unique": 0
},
{
+ "allow_bulk_edit": 0,
"allow_on_submit": 0,
"bold": 0,
"collapsible": 0,
"columns": 0,
+ "default": "Company",
"fieldname": "customer_type",
"fieldtype": "Select",
"hidden": 0,
@@ -186,7 +189,7 @@
"no_copy": 0,
"oldfieldname": "customer_type",
"oldfieldtype": "Select",
- "options": "\nCompany\nIndividual",
+ "options": "Company\nIndividual",
"permlevel": 0,
"print_hide": 0,
"print_hide_if_no_value": 0,
@@ -1197,7 +1200,7 @@
"issingle": 0,
"istable": 0,
"max_attachments": 0,
- "modified": "2017-06-13 14:29:11.114613",
+ "modified": "2017-06-28 14:55:39.910819",
"modified_by": "Administrator",
"module": "Selling",
"name": "Customer",
diff --git a/erpnext/selling/doctype/installation_note/installation_note.js b/erpnext/selling/doctype/installation_note/installation_note.js
index ab35574..9f0c050 100644
--- a/erpnext/selling/doctype/installation_note/installation_note.js
+++ b/erpnext/selling/doctype/installation_note/installation_note.js
@@ -30,12 +30,8 @@
setup_queries: function() {
var me = this;
- this.frm.set_query("customer_address", function() {
- return {
- filters: {'customer': me.frm.doc.customer }
- }
- });
-
+ frappe.dynamic_link = {doc: this.frm.doc, fieldname: 'customer', doctype: 'Customer'}
+ frm.set_query('customer_address', erpnext.queries.address_query);
this.frm.set_query('contact_person', erpnext.queries.contact_query);
this.frm.set_query("customer", function() {
diff --git a/erpnext/selling/doctype/quotation/quotation.py b/erpnext/selling/doctype/quotation/quotation.py
index b102e1d..a4d4bf9 100644
--- a/erpnext/selling/doctype/quotation/quotation.py
+++ b/erpnext/selling/doctype/quotation/quotation.py
@@ -86,6 +86,17 @@
print_lst.append(lst1)
return print_lst
+def get_list_context(context=None):
+ from erpnext.controllers.website_list_for_contact import get_list_context
+ list_context = get_list_context(context)
+ list_context.update({
+ 'show_sidebar': True,
+ 'show_search': True,
+ 'no_breadcrumbs': True,
+ 'title': _('Quotes'),
+ })
+
+ return list_context
@frappe.whitelist()
def make_sales_order(source_name, target_doc=None):
diff --git a/erpnext/setup/doctype/item_group/item_group.py b/erpnext/setup/doctype/item_group/item_group.py
index 9c2a400..8d027b3 100644
--- a/erpnext/setup/doctype/item_group/item_group.py
+++ b/erpnext/setup/doctype/item_group/item_group.py
@@ -56,7 +56,7 @@
def validate_name_with_item(self):
if frappe.db.exists("Item", self.name):
- frappe.throw(frappe._("An item exists with same name ({0}), please change the item group name or rename the item").format(self.name))
+ frappe.throw(frappe._("An item exists with same name ({0}), please change the item group name or rename the item").format(self.name), frappe.NameError)
def get_context(self, context):
context.show_search=True
@@ -69,7 +69,7 @@
context.update({
"items": get_product_list_for_group(product_group = self.name, start=start,
limit=context.page_length + 1, search=frappe.form_dict.get("search")),
- "parent_groups": get_parent_item_groups(self.name),
+ "parents": get_parent_item_groups(self.parent_item_group),
"title": self.name,
"products_as_list": cint(frappe.db.get_single_value('Website Settings', 'products_as_list'))
})
@@ -136,7 +136,8 @@
def get_parent_item_groups(item_group_name):
item_group = frappe.get_doc("Item Group", item_group_name)
- return frappe.db.sql("""select name, route from `tabItem Group`
+ return [{"name": frappe._("Home"),"route":"/"}]+\
+ frappe.db.sql("""select name, route from `tabItem Group`
where lft <= %s and rgt >= %s
and show_in_website=1
order by lft asc""", (item_group.lft, item_group.rgt), as_dict=True)
@@ -146,6 +147,7 @@
item_group = doc.name
for d in get_parent_item_groups(item_group):
- d = frappe.get_doc("Item Group", d.name)
- if d.route:
- clear_cache(d.route)
+ if frappe.db.exists("Item Group", d.get("name")):
+ d = frappe.get_doc("Item Group", d.get("name"))
+ if d.route:
+ clear_cache(d.route)
diff --git a/erpnext/setup/setup_wizard/setup_wizard.py b/erpnext/setup/setup_wizard/setup_wizard.py
index 5c7697e..5134ee1 100644
--- a/erpnext/setup/setup_wizard/setup_wizard.py
+++ b/erpnext/setup/setup_wizard/setup_wizard.py
@@ -36,7 +36,7 @@
create_customers(args)
create_suppliers(args)
- if args.domain.lower() == 'education':
+ if args.get('domain').lower() == 'education':
create_academic_year()
create_academic_term()
create_program(args)
@@ -73,10 +73,10 @@
if (args.get('fy_start_date')):
curr_fiscal_year = get_fy_details(args.get('fy_start_date'), args.get('fy_end_date'))
frappe.get_doc({
- "doctype":"Fiscal Year",
- 'year': curr_fiscal_year,
- 'year_start_date': args.get('fy_start_date'),
- 'year_end_date': args.get('fy_end_date'),
+ "doctype":"Fiscal Year",
+ 'year': curr_fiscal_year,
+ 'year_start_date': args.get('fy_start_date'),
+ 'year_end_date': args.get('fy_end_date'),
}).insert()
args["curr_fiscal_year"] = curr_fiscal_year
@@ -150,7 +150,7 @@
global_defaults = frappe.get_doc("Global Defaults", "Global Defaults")
global_defaults.update({
- 'current_fiscal_year': args.curr_fiscal_year,
+ 'current_fiscal_year': args.get('curr_fiscal_year'),
'default_currency': args.get('currency'),
'default_company':args.get('company_name') ,
"country": args.get("country"),
@@ -196,7 +196,7 @@
hr_settings.save()
domain_settings = frappe.get_doc("Domain Settings")
- domain_settings.append('active_domains', dict(domain=_(args.domain)))
+ domain_settings.append('active_domains', dict(domain=_(args.get('domain'))))
domain_settings.save()
def create_feed_and_todo():
@@ -351,7 +351,7 @@
for i in xrange(1,6):
item = args.get("item_" + str(i))
if item:
- item_group = args.get("item_group_" + str(i))
+ item_group = _(args.get("item_group_" + str(i)))
is_sales_item = args.get("is_sales_item_" + str(i))
is_purchase_item = args.get("is_purchase_item_" + str(i))
is_stock_item = item_group!=_("Services")
@@ -373,7 +373,7 @@
"is_purchase_item": is_purchase_item,
"is_stock_item": is_stock_item and 1 or 0,
"item_group": item_group,
- "stock_uom": args.get("item_uom_" + str(i)),
+ "stock_uom": _(args.get("item_uom_" + str(i))),
"default_warehouse": default_warehouse
}).insert()
diff --git a/erpnext/setup/utils.py b/erpnext/setup/utils.py
index 46e4d5c..93dad16 100644
--- a/erpnext/setup/utils.py
+++ b/erpnext/setup/utils.py
@@ -41,8 +41,7 @@
"email" :"test@erpnext.com",
"password" :"test",
"chart_of_accounts" : "Standard",
- "domain" : "Manufacturing",
-
+ "domain" : "Manufacturing"
})
frappe.db.sql("delete from `tabLeave Allocation`")
@@ -94,4 +93,4 @@
return flt(value)
except:
frappe.msgprint(_("Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually").format(from_currency, to_currency, transaction_date))
- return 0.0
\ No newline at end of file
+ return 0.0
diff --git a/erpnext/startup/boot.py b/erpnext/startup/boot.py
index 80a7834..ceeceaa 100644
--- a/erpnext/startup/boot.py
+++ b/erpnext/startup/boot.py
@@ -4,10 +4,10 @@
from __future__ import unicode_literals
import frappe
+from frappe.utils.nestedset import get_root_of
def boot_session(bootinfo):
"""boot session - send website info if guest"""
- import frappe
bootinfo.custom_css = frappe.db.get_value('Style Settings', None, 'custom_css') or ''
bootinfo.website_settings = frappe.get_doc('Website Settings')
@@ -16,6 +16,8 @@
update_page_info(bootinfo)
load_country_and_currency(bootinfo)
+ bootinfo.sysdefaults.territory = get_root_of('Territory')
+ bootinfo.sysdefaults.customer_group = get_root_of('Customer Group')
bootinfo.notification_settings = frappe.get_doc("Notification Control",
"Notification Control")
diff --git a/erpnext/stock/doctype/bin/bin.py b/erpnext/stock/doctype/bin/bin.py
index 75510de..9b49b69 100644
--- a/erpnext/stock/doctype/bin/bin.py
+++ b/erpnext/stock/doctype/bin/bin.py
@@ -3,7 +3,6 @@
from __future__ import unicode_literals
import frappe
-from frappe import _
from frappe.utils import flt, nowdate
import frappe.defaults
from frappe.model.document import Document
@@ -15,7 +14,6 @@
self.validate_mandatory()
self.set_projected_qty()
- self.block_transactions_against_group_warehouse()
def on_update(self):
update_item_projected_qty(self.item_code)
@@ -26,10 +24,6 @@
if (not getattr(self, f, None)) or (not self.get(f)):
self.set(f, 0.0)
- def block_transactions_against_group_warehouse(self):
- from erpnext.stock.utils import is_group_warehouse
- is_group_warehouse(self.warehouse)
-
def update_stock(self, args, allow_negative_stock=False, via_landed_cost_voucher=False):
'''Called from erpnext.stock.utils.update_bin'''
self.update_qty(args)
@@ -91,7 +85,8 @@
item.item_code = %s
and item.parent = pro.name
and pro.docstatus = 1
- and pro.source_warehouse = %s''', (self.item_code, self.warehouse))[0][0]
+ and item.source_warehouse = %s
+ and pro.status not in ("Stopped", "Completed")''', (self.item_code, self.warehouse))[0][0]
self.set_projected_qty()
diff --git a/erpnext/stock/doctype/item/item.json b/erpnext/stock/doctype/item/item.json
index 19d3f47..b168631 100644
--- a/erpnext/stock/doctype/item/item.json
+++ b/erpnext/stock/doctype/item/item.json
@@ -1138,7 +1138,7 @@
"in_standard_filter": 0,
"label": "Has Batch No",
"length": 0,
- "no_copy": 0,
+ "no_copy": 1,
"oldfieldname": "has_batch_no",
"oldfieldtype": "Select",
"options": "",
@@ -1234,7 +1234,7 @@
"in_standard_filter": 0,
"label": "Has Serial No",
"length": 0,
- "no_copy": 0,
+ "no_copy": 1,
"oldfieldname": "has_serial_no",
"oldfieldtype": "Select",
"options": "",
@@ -3143,7 +3143,7 @@
"issingle": 0,
"istable": 0,
"max_attachments": 1,
- "modified": "2017-06-13 14:29:03.003680",
+ "modified": "2017-07-06 18:28:36.645217",
"modified_by": "Administrator",
"module": "Stock",
"name": "Item",
@@ -3320,4 +3320,4 @@
"title_field": "item_name",
"track_changes": 1,
"track_seen": 0
-}
+}
\ No newline at end of file
diff --git a/erpnext/stock/doctype/item/item.py b/erpnext/stock/doctype/item/item.py
index f5f3493..2c6aab5 100644
--- a/erpnext/stock/doctype/item/item.py
+++ b/erpnext/stock/doctype/item/item.py
@@ -146,10 +146,6 @@
return cstr(frappe.db.get_value('Item Group', self.item_group,
'route')) + '/' + self.scrub(self.item_name + '-' + random_string(5))
- def get_parents(self, context):
- item_group, route = frappe.db.get_value('Item Group', self.item_group, ['name', 'route'])
- context.parents = [{'name': route, 'label': item_group}]
-
def validate_website_image(self):
"""Validate if the website image is a public file"""
auto_set_website_image = False
@@ -242,15 +238,12 @@
context.show_search=True
context.search_link = '/product_search'
- context.parent_groups = get_parent_item_groups(self.item_group) + \
- [{"name": self.name}]
+ context.parents = get_parent_item_groups(self.item_group)
self.set_variant_context(context)
self.set_attribute_context(context)
self.set_disabled_attributes(context)
- self.get_parents(context)
-
return context
def set_variant_context(self, context):
@@ -524,7 +517,7 @@
def before_rename(self, old_name, new_name, merge=False):
if self.item_name==old_name:
- self.item_name=new_name
+ frappe.db.set_value("Item", old_name, "item_name", new_name)
if merge:
# Validate properties before merging
diff --git a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py
index 647eb67..f60eb6a 100644
--- a/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py
+++ b/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py
@@ -119,7 +119,8 @@
frappe.db.set(self, 'status', 'Submitted')
self.update_prevdoc_status()
- self.update_billing_status()
+ if self.per_billed < 100:
+ self.update_billing_status()
if not self.is_return:
update_last_purchase_rate(self, 1)
diff --git a/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json b/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json
index 5f1e944..aca77a5 100755
--- a/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json
+++ b/erpnext/stock/doctype/purchase_receipt_item/purchase_receipt_item.json
@@ -1597,7 +1597,7 @@
"collapsible": 0,
"columns": 0,
"default": ":Company",
- "depends_on": "eval:cint(sys_defaults.auto_accounting_for_stock)",
+ "depends_on": "eval:cint(erpnext.is_perpetual_inventory_enabled(parent.company))",
"fieldname": "cost_center",
"fieldtype": "Link",
"hidden": 0,
@@ -2044,7 +2044,7 @@
"issingle": 0,
"istable": 1,
"max_attachments": 0,
- "modified": "2017-06-16 17:23:01.404744",
+ "modified": "2017-07-10 06:31:31.457497",
"modified_by": "Administrator",
"module": "Stock",
"name": "Purchase Receipt Item",
diff --git a/erpnext/stock/doctype/serial_no/serial_no.py b/erpnext/stock/doctype/serial_no/serial_no.py
index 8420c9b..fe158c9 100644
--- a/erpnext/stock/doctype/serial_no/serial_no.py
+++ b/erpnext/stock/doctype/serial_no/serial_no.py
@@ -85,6 +85,10 @@
self.supplier, self.supplier_name = \
frappe.db.get_value("Purchase Receipt", purchase_sle.voucher_no,
["supplier", "supplier_name"])
+
+ # If sales return entry
+ if self.purchase_document_type == 'Delivery Note':
+ self.sales_invoice = None
else:
for fieldname in ("purchase_document_type", "purchase_document_no",
"purchase_date", "purchase_time", "purchase_rate", "supplier", "supplier_name"):
diff --git a/erpnext/stock/doctype/stock_entry/stock_entry.py b/erpnext/stock/doctype/stock_entry/stock_entry.py
index b74be39..7c7e630 100644
--- a/erpnext/stock/doctype/stock_entry/stock_entry.py
+++ b/erpnext/stock/doctype/stock_entry/stock_entry.py
@@ -708,13 +708,11 @@
issue (item quantity) that is pending to issue or desire to transfer,
whichever is less
"""
- item_dict = self.get_bom_raw_materials(1)
- issued_item_qty = self.get_issued_qty()
-
+ item_dict = self.get_pro_order_required_items()
max_qty = flt(self.pro_doc.qty)
- for item in item_dict:
- pending_to_issue = (max_qty * item_dict[item]["qty"]) - issued_item_qty.get(item, 0)
- desire_to_transfer = flt(self.fg_completed_qty) * item_dict[item]["qty"]
+ for item, item_details in item_dict.items():
+ pending_to_issue = flt(item_details.required_qty) - flt(item_details.transferred_qty)
+ desire_to_transfer = flt(self.fg_completed_qty) * flt(item_details.required_qty) / max_qty
if desire_to_transfer <= pending_to_issue:
item_dict[item]["qty"] = desire_to_transfer
@@ -734,34 +732,43 @@
return item_dict
- def get_issued_qty(self):
- issued_item_qty = {}
- result = frappe.db.sql("""select t1.item_code, sum(t1.qty)
- from `tabStock Entry Detail` t1, `tabStock Entry` t2
- where t1.parent = t2.name and t2.production_order = %s and t2.docstatus = 1
- and t2.purpose = 'Material Transfer for Manufacture'
- group by t1.item_code""", self.production_order)
- for t in result:
- issued_item_qty[t[0]] = flt(t[1])
-
- return issued_item_qty
+ def get_pro_order_required_items(self):
+ item_dict = frappe._dict()
+ pro_order = frappe.get_doc("Production Order", self.production_order)
+ if not frappe.db.get_value("Warehouse", pro_order.wip_warehouse, "is_group"):
+ wip_warehouse = pro_order.wip_warehouse
+ else:
+ wip_warehouse = None
+
+ for d in pro_order.get("required_items"):
+ if flt(d.required_qty) > flt(d.transferred_qty):
+ item_row = d.as_dict()
+ if d.source_warehouse and not frappe.db.get_value("Warehouse", d.source_warehouse, "is_group"):
+ item_row["from_warehouse"] = d.source_warehouse
+
+ item_row["to_warehouse"] = wip_warehouse
+ item_dict.setdefault(d.item_code, item_row)
+
+ return item_dict
def add_to_stock_entry_detail(self, item_dict, bom_no=None):
expense_account, cost_center = frappe.db.get_values("Company", self.company, \
["default_expense_account", "cost_center"])[0]
-
+
for d in item_dict:
+ stock_uom = item_dict[d].get("stock_uom") or frappe.db.get_value("Item", d, "stock_uom")
+
se_child = self.append('items')
se_child.s_warehouse = item_dict[d].get("from_warehouse")
se_child.t_warehouse = item_dict[d].get("to_warehouse")
se_child.item_code = cstr(d)
se_child.item_name = item_dict[d]["item_name"]
se_child.description = item_dict[d]["description"]
- se_child.uom = item_dict[d]["stock_uom"]
- se_child.stock_uom = item_dict[d]["stock_uom"]
+ se_child.uom = stock_uom
+ se_child.stock_uom = stock_uom
se_child.qty = flt(item_dict[d]["qty"])
- se_child.expense_account = item_dict[d]["expense_account"] or expense_account
- se_child.cost_center = item_dict[d]["cost_center"] or cost_center
+ se_child.expense_account = item_dict[d].get("expense_account") or expense_account
+ se_child.cost_center = item_dict[d].get("cost_center") or cost_center
if se_child.s_warehouse==None:
se_child.s_warehouse = self.from_warehouse
diff --git a/erpnext/stock/doctype/stock_entry/test_stock_entry.py b/erpnext/stock/doctype/stock_entry/test_stock_entry.py
index 8670f73..fdb65cd 100644
--- a/erpnext/stock/doctype/stock_entry/test_stock_entry.py
+++ b/erpnext/stock/doctype/stock_entry/test_stock_entry.py
@@ -85,12 +85,7 @@
self._test_auto_material_request("_Test Item Warehouse Group Wise Reorder", warehouse="_Test Warehouse Group-C1 - _TC")
def _test_auto_material_request(self, item_code, material_request_type="Purchase", warehouse="_Test Warehouse - _TC"):
- item = frappe.get_doc("Item", item_code)
-
- if item.variant_of:
- template = frappe.get_doc("Item", item.variant_of)
- else:
- template = item
+ variant = frappe.get_doc("Item", item_code)
projected_qty, actual_qty = frappe.db.get_value("Bin", {"item_code": item_code,
"warehouse": warehouse}, ["projected_qty", "actual_qty"]) or [0, 0]
@@ -105,10 +100,10 @@
frappe.db.set_value("Stock Settings", None, "auto_indent", 1)
# update re-level qty so that it is more than projected_qty
- if projected_qty >= template.reorder_levels[0].warehouse_reorder_level:
- template.reorder_levels[0].warehouse_reorder_level += projected_qty
- template.reorder_levels[0].material_request_type = material_request_type
- template.save()
+ if projected_qty >= variant.reorder_levels[0].warehouse_reorder_level:
+ variant.reorder_levels[0].warehouse_reorder_level += projected_qty
+ variant.reorder_levels[0].material_request_type = material_request_type
+ variant.save()
from erpnext.stock.reorder_item import reorder_item
mr_list = reorder_item()
diff --git a/erpnext/stock/doctype/stock_entry_detail/stock_entry_detail.json b/erpnext/stock/doctype/stock_entry_detail/stock_entry_detail.json
index ec14aab..6afb54e 100644
--- a/erpnext/stock/doctype/stock_entry_detail/stock_entry_detail.json
+++ b/erpnext/stock/doctype/stock_entry_detail/stock_entry_detail.json
@@ -960,7 +960,7 @@
"bold": 0,
"collapsible": 0,
"columns": 0,
- "depends_on": "eval:cint(frappe.sys_defaults.auto_accounting_for_stock)",
+ "depends_on": "eval:cint(erpnext.is_perpetual_inventory_enabled(parent.company))",
"fieldname": "expense_account",
"fieldtype": "Link",
"hidden": 0,
@@ -1020,7 +1020,7 @@
"collapsible": 0,
"columns": 0,
"default": ":Company",
- "depends_on": "eval:cint(frappe.sys_defaults.auto_accounting_for_stock)",
+ "depends_on": "eval:cint(erpnext.is_perpetual_inventory_enabled(parent.company))",
"fieldname": "cost_center",
"fieldtype": "Link",
"hidden": 0,
@@ -1266,7 +1266,7 @@
"issingle": 0,
"istable": 1,
"max_attachments": 0,
- "modified": "2017-06-16 17:32:56.989049",
+ "modified": "2017-07-10 06:29:22.805345",
"modified_by": "Administrator",
"module": "Stock",
"name": "Stock Entry Detail",
diff --git a/erpnext/stock/report/total_stock_summary/__init__.py b/erpnext/stock/report/total_stock_summary/__init__.py
new file mode 100644
index 0000000..e69de29
--- /dev/null
+++ b/erpnext/stock/report/total_stock_summary/__init__.py
diff --git a/erpnext/stock/report/total_stock_summary/total_stock_summary.js b/erpnext/stock/report/total_stock_summary/total_stock_summary.js
new file mode 100644
index 0000000..223a603
--- /dev/null
+++ b/erpnext/stock/report/total_stock_summary/total_stock_summary.js
@@ -0,0 +1,24 @@
+// Copyright (c) 2016, Frappe Technologies Pvt. Ltd. and contributors
+// For license information, please see license.txt
+/* eslint-disable */
+
+frappe.query_reports["Total Stock Summary"] = {
+ "filters": [
+ {
+ "fieldname":"group_by",
+ "label": __("Group By"),
+ "fieldtype": "Select",
+ "width": "80",
+ "reqd": 1,
+ "options": ["","Warehouse", "Company"],
+ "default": "Warehouse"
+ },
+ {
+ "fieldname": "company",
+ "label": __("Company"),
+ "fieldtype": "Link",
+ "width": "80",
+ "options": "Company"
+ },
+ ]
+}
diff --git a/erpnext/stock/report/total_stock_summary/total_stock_summary.json b/erpnext/stock/report/total_stock_summary/total_stock_summary.json
new file mode 100644
index 0000000..e675fe4
--- /dev/null
+++ b/erpnext/stock/report/total_stock_summary/total_stock_summary.json
@@ -0,0 +1,32 @@
+{
+ "add_total_row": 0,
+ "apply_user_permissions": 1,
+ "creation": "2017-06-26 14:05:50.256693",
+ "disabled": 0,
+ "docstatus": 0,
+ "doctype": "Report",
+ "idx": 0,
+ "is_standard": "Yes",
+ "modified": "2017-06-26 14:05:50.256693",
+ "modified_by": "Administrator",
+ "module": "Stock",
+ "name": "Total Stock Summary",
+ "owner": "Administrator",
+ "ref_doctype": "Stock Entry",
+ "report_name": "Total Stock Summary",
+ "report_type": "Script Report",
+ "roles": [
+ {
+ "role": "Stock User"
+ },
+ {
+ "role": "Manufacturing User"
+ },
+ {
+ "role": "Manufacturing Manager"
+ },
+ {
+ "role": "Stock Manager"
+ }
+ ]
+}
\ No newline at end of file
diff --git a/erpnext/stock/report/total_stock_summary/total_stock_summary.py b/erpnext/stock/report/total_stock_summary/total_stock_summary.py
new file mode 100644
index 0000000..fafc169
--- /dev/null
+++ b/erpnext/stock/report/total_stock_summary/total_stock_summary.py
@@ -0,0 +1,60 @@
+# Copyright (c) 2013, Frappe Technologies Pvt. Ltd. and contributors
+# For license information, please see license.txt
+
+from __future__ import unicode_literals
+import frappe
+from frappe import _
+
+def execute(filters=None):
+ if not filters: filters = {}
+ validate_filters(filters)
+ columns = get_columns()
+ stock = get_total_stock(filters)
+
+ return columns, stock
+
+def get_columns():
+ columns = [
+ _("Company") + ":Link/Item:250",
+ _("Warehouse") + ":Link/Item:150",
+ _("Item") + ":Link/Item:150",
+ _("Description") + "::300",
+ _("Current Qty") + ":Float:100",
+ ]
+
+ return columns
+
+def get_total_stock(filters):
+ conditions = ""
+ columns = ""
+
+ if filters.get("group_by") == "Warehouse":
+ if filters.get("company"):
+ conditions += " AND warehouse.company = '%s'" % frappe.db.escape(filters.get("company"), percent=False)
+
+ conditions += " GROUP BY ledger.warehouse, item.item_code"
+ columns += "'' as company, ledger.warehouse"
+ else:
+ conditions += " GROUP BY warehouse.company, item.item_code"
+ columns += " warehouse.company, '' as warehouse"
+
+ return frappe.db.sql("""
+ SELECT
+ %s,
+ item.item_code,
+ item.description,
+ sum(ledger.actual_qty) as actual_qty
+ FROM
+ `tabBin` AS ledger
+ INNER JOIN `tabItem` AS item
+ ON ledger.item_code = item.item_code
+ INNER JOIN `tabWarehouse` warehouse
+ ON warehouse.name = ledger.warehouse
+ WHERE
+ actual_qty != 0 %s""" % (columns, conditions))
+
+def validate_filters(filters):
+ if filters.get("group_by") == 'Company' and \
+ filters.get("company"):
+
+ frappe.throw(_("Please set Company filter blank if Group By is 'Company'"))
diff --git a/erpnext/stock/stock_balance.py b/erpnext/stock/stock_balance.py
index a9d0522..403d5cb 100644
--- a/erpnext/stock/stock_balance.py
+++ b/erpnext/stock/stock_balance.py
@@ -132,7 +132,7 @@
def get_planned_qty(item_code, warehouse):
planned_qty = frappe.db.sql("""
select sum(qty - produced_qty) from `tabProduction Order`
- where production_item = %s and fg_warehouse = %s and status != "Stopped"
+ where production_item = %s and fg_warehouse = %s and status not in ("Stopped", "Completed")
and docstatus=1 and qty > produced_qty""", (item_code, warehouse))
return flt(planned_qty[0][0]) if planned_qty else 0
diff --git a/erpnext/stock/utils.py b/erpnext/stock/utils.py
index 2b9def3..01a18b9 100644
--- a/erpnext/stock/utils.py
+++ b/erpnext/stock/utils.py
@@ -41,7 +41,8 @@
sle_map = {}
for sle in stock_ledger_entries:
- sle_map[sle.item_code] = sle_map.get(sle.item_code, 0.0) + flt(sle.stock_value)
+ if not sle_map.has_key((sle.item_code, sle.warehouse)):
+ sle_map[(sle.item_code, sle.warehouse)] = flt(sle.stock_value)
return sum(sle_map.values())
@@ -67,6 +68,28 @@
else:
return last_entry.qty_after_transaction if last_entry else 0.0
+@frappe.whitelist()
+def get_latest_stock_qty(item_code, warehouse=None):
+ values, condition = [item_code], ""
+ if warehouse:
+ lft, rgt, is_group = frappe.db.get_value("Warehouse", warehouse, ["lft", "rgt", "is_group"])
+
+ if is_group:
+ values.extend([lft, rgt])
+ condition += "and exists (\
+ select name from `tabWarehouse` wh where wh.name = tabBin.warehouse\
+ and wh.lft >= %s and wh.rgt <= %s)"
+
+ else:
+ values.append(warehouse)
+ condition += " AND warehouse = %s"
+
+ actual_qty = frappe.db.sql("""select sum(actual_qty) from tabBin
+ where item_code=%s {0}""".format(condition), values)[0][0]
+
+ return actual_qty
+
+
def get_latest_stock_balance():
bin_map = {}
for d in frappe.db.sql("""SELECT item_code, warehouse, stock_value as stock_value
diff --git a/erpnext/templates/pages/rfq.py b/erpnext/templates/pages/rfq.py
index abc2890..aaf4110 100644
--- a/erpnext/templates/pages/rfq.py
+++ b/erpnext/templates/pages/rfq.py
@@ -29,7 +29,7 @@
def check_supplier_has_docname_access(supplier):
status = True
if frappe.form_dict.name not in frappe.db.sql_list("""select parent from `tabRequest for Quotation Supplier`
- where supplier = '{supplier}'""".format(supplier=supplier)):
+ where supplier = %s""", (supplier,)):
status = False
return status
diff --git a/erpnext/tests/sel_tests.py b/erpnext/tests/sel_tests.py
deleted file mode 100644
index 174e9c2..0000000
--- a/erpnext/tests/sel_tests.py
+++ /dev/null
@@ -1,106 +0,0 @@
-# Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and Contributors
-# License: GNU General Public License v3. See license.txt
-
-"""
-Run Selenium Tests
-
-Requires a clean install. After reinstalling fresh db, call
-
- frappe --execute erpnext.tests.sel_tests.start
-
-"""
-
-from __future__ import unicode_literals
-import frappe
-
-from frappe.utils import sel
-import time
-
-def start():
- try:
- run()
- finally:
- sel.close()
-
-def run():
- def next_slide(idx, selector="next-btn"):
- sel.find('[data-slide-id="{0}"] .{1}'.format(idx, selector))[0].click()
- sel.wait_for_ajax()
-
-
- sel.start(verbose=True, driver="Firefox")
- sel.input_wait = 0.2
- sel.login("#page-setup-wizard")
-
- # slide 1
- next_slide("0")
-
- sel.set_field("first_name", "Test")
- sel.set_field("last_name", "User")
- sel.set_field("email", "test@erpnext.com")
- sel.set_field("password", "test")
-
- next_slide("1")
-
- sel.set_select("country", "India")
-
- next_slide("2")
-
- sel.set_field("company_name", "Wind Power LLC")
- sel.set_field("fy_start_date", "01-04-2014")
- sel.set_field("company_tagline", "Wind Power For Everyone")
-
- next_slide("3")
- next_slide("4")
-
- sel.set_field("tax_1", "VAT")
- sel.set_field("tax_rate_1", "12.5")
-
- sel.set_field("tax_2", "Service Tax")
- sel.set_field("tax_rate_2", "10.36")
-
- next_slide("5")
-
- sel.set_field("customer_1", "Asian Junction")
- sel.set_field("customer_contact_1", "January Vaclavik")
- sel.set_field("customer_2", "Life Plan Counselling")
- sel.set_field("customer_contact_2", "Jana Tobeolisa")
- sel.set_field("customer_3", "Two Pesos")
- sel.set_field("customer_contact_3", "Satomi Shigeki")
- sel.set_field("customer_4", "Intelacard")
- sel.set_field("customer_contact_4", "Hans Rasmussen")
-
- next_slide("6")
-
- sel.set_field("item_1", "Wind Turbine A")
- sel.set_field("item_2", "Wind Turbine B")
- sel.set_field("item_3", "Wind Turbine C")
-
- next_slide("7")
-
- sel.set_field("supplier_1", "Helios Air")
- sel.set_field("supplier_contact_1", "Quimey Osorio")
- sel.set_field("supplier_2", "Ks Merchandise")
- sel.set_field("supplier_contact_2", "Edgarda Salcedo")
- sel.set_field("supplier_3", "Eagle Hardware")
- sel.set_field("supplier_contact_3", "Hafsteinn Bjarnarsonar")
-
- next_slide("8")
-
- sel.set_field("item_buy_1", "Bearing Pipe")
- sel.set_field("item_buy_2", "Bearing Assembly")
- sel.set_field("item_buy_3", "Base Plate")
- sel.set_field("item_buy_4", "Coil")
-
- next_slide("9", "complete-btn")
-
- sel.wait('[data-state="setup-complete"]')
-
- w = raw_input("quit?")
-
-# complete setup
-# new customer
-# new supplier
-# new item
-# sales cycle
-# purchase cycle
diff --git a/erpnext/tests/test_client.py b/erpnext/tests/test_client.py
deleted file mode 100644
index bf88341..0000000
--- a/erpnext/tests/test_client.py
+++ /dev/null
@@ -1,25 +0,0 @@
-# Copyright (c) 2015, Frappe Technologies Pvt. Ltd. and Contributors
-# License: GNU General Public License v3. See license.txt
-from __future__ import unicode_literals
-
-import unittest, frappe
-from frappe.utils import sel
-from frappe.utils import formatdate
-
-#selenium_tests = True
-
-# class TestLogin(unittest.TestCase):
-# def setUp(self):
-# sel.login()
-#
-# def test_material_request(self):
-# sel.new_doc("Stock", "Material Request")
-# sel.set_field("company", "_Test Company")
-# sel.add_child("items")
-# sel.set_field("item_code", "_Test Item")
-# sel.set_field("qty", "1")
-# sel.set_field("warehouse", "_Test Warehouse - _TC")
-# sel.set_field("schedule_date", formatdate())
-# sel.done_add_child("items")
-# sel.primary_action()
-# sel.wait_for_state("clean")
diff --git a/erpnext/tests/test_init.py b/erpnext/tests/test_init.py
index 2baea97..43340ce 100644
--- a/erpnext/tests/test_init.py
+++ b/erpnext/tests/test_init.py
@@ -6,7 +6,6 @@
test_records = frappe.get_test_records('Company')
-
class TestInit(unittest.TestCase):
def test_encode_company_abbr(self):
company = frappe.new_doc("Company")
diff --git a/erpnext/tests/ui/setup_wizard.js b/erpnext/tests/ui/setup_wizard.js
new file mode 100644
index 0000000..aeb8d2a
--- /dev/null
+++ b/erpnext/tests/ui/setup_wizard.js
@@ -0,0 +1,47 @@
+const path = require('path');
+const path_join = path.resolve;
+const apps_path = path_join(__dirname, '..', '..', '..', '..');
+const frappe_ui_tests_path = path_join(apps_path, 'frappe', 'frappe', 'tests', 'ui');
+
+const login = require(frappe_ui_tests_path + "/login.js")['Login'];
+const welcome = require(frappe_ui_tests_path + "/setup_wizard.js")['Welcome'];
+const region = require(frappe_ui_tests_path + "/setup_wizard.js")['Region'];
+const user = require(frappe_ui_tests_path + "/setup_wizard.js")['User'];
+
+module.exports = {
+ before: browser => {
+ browser
+ .url(browser.launch_url + '/login')
+ .waitForElementVisible('body', 5000);
+ },
+ 'Login': login,
+ 'Welcome': welcome,
+ 'Region': region,
+ 'User': user,
+ 'Domain': browser => {
+ let slide_selector = '[data-slide-name="domain"]';
+ browser
+ .waitForElementVisible(slide_selector, 2000)
+ .setValue('select[data-fieldname="domain"]', "Manufacturing")
+ .click(slide_selector + ' .next-btn');
+ },
+ 'Brand': browser => {
+ let slide_selector = '[data-slide-name="brand"]';
+ browser
+ .waitForElementVisible(slide_selector, 2000)
+ .setValue('input[data-fieldname="company_name"]', "Acme")
+ .click(slide_selector + " .next-btn");
+ },
+ 'Organisation': browser => {
+ let slide_selector = '[data-slide-name="organisation"]';
+ browser
+ .waitForElementVisible(slide_selector, 2000)
+ .setValue('input[data-fieldname="company_tagline"]', "Build tools for Builders")
+ .setValue('input[data-fieldname="bank_account"]', "YNG")
+ .click(slide_selector + " .next-btn");
+ },
+
+ after: browser => {
+ browser.end();
+ },
+};
\ No newline at end of file
diff --git a/erpnext/tests/ui/test_fixtures.js b/erpnext/tests/ui/test_fixtures.js
new file mode 100644
index 0000000..e4ee664
--- /dev/null
+++ b/erpnext/tests/ui/test_fixtures.js
@@ -0,0 +1,48 @@
+$.extend(frappe.test_data, {
+ 'Customer': {
+ 'Test Customer 1': [
+ {customer_name: 'Test Customer 1'}
+ ],
+ 'Test Customer 2': [
+ {customer_name: 'Test Customer 2'}
+ ],
+ 'Test Customer 3': [
+ {customer_name: 'Test Customer 3'}
+ ],
+ },
+ 'Item': {
+ 'Test Product 1': [
+ {item_code: 'Test Product 1'},
+ {item_group: 'Products'},
+ {is_stock_item: 1},
+ {standard_rate: 100},
+ {opening_stock: 100},
+ ],
+ 'Test Product 2': [
+ {item_code: 'Test Product 2'},
+ {item_group: 'Products'},
+ {is_stock_item: 1},
+ {standard_rate: 150},
+ {opening_stock: 200},
+ ],
+ 'Test Product 3': [
+ {item_code: 'Test Product 3'},
+ {item_group: 'Products'},
+ {is_stock_item: 1},
+ {standard_rate: 250},
+ {opening_stock: 100},
+ ],
+ 'Test Service 1': [
+ {item_code: 'Test Service 1'},
+ {item_group: 'Services'},
+ {is_stock_item: 0},
+ {standard_rate: 200}
+ ],
+ 'Test Service 2': [
+ {item_code: 'Test Service 2'},
+ {item_group: 'Services'},
+ {is_stock_item: 0},
+ {standard_rate: 300}
+ ]
+ }
+});
\ No newline at end of file
diff --git a/erpnext/tests/ui/test_sellling.js b/erpnext/tests/ui/test_sellling.js
new file mode 100644
index 0000000..5543a67
--- /dev/null
+++ b/erpnext/tests/ui/test_sellling.js
@@ -0,0 +1,29 @@
+QUnit.module('sales');
+
+QUnit.test("test quotation", function(assert) {
+ assert.expect(2);
+ let done = assert.async();
+ frappe.run_serially([
+ () => frappe.tests.setup_doctype('Customer'),
+ () => frappe.tests.setup_doctype('Item'),
+ () => {
+ return frappe.tests.make('Quotation', [
+ {customer: 'Test Customer 1'},
+ {items: [
+ [
+ {'item_code': 'Test Product 1'},
+ {'qty': 5}
+ ]
+ ]}
+ ]);
+ },
+ () => {
+ // get_item_details
+ assert.ok(cur_frm.doc.items[0].item_name=='Test Product 1');
+
+ // calculate_taxes_and_totals
+ assert.ok(cur_frm.doc.grand_total==500);
+ },
+ () => done()
+ ]);
+});
diff --git a/erpnext/translations/am.csv b/erpnext/translations/am.csv
index a134658..80b1d2f 100644
--- a/erpnext/translations/am.csv
+++ b/erpnext/translations/am.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,የሸማቾች ምርቶች
DocType: Item,Customer Items,የደንበኛ ንጥሎች
DocType: Project,Costing and Billing,ዋጋና አከፋፈል
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,መለያ {0}: የወላጅ መለያ {1} ያሰኘንን ሊሆን አይችልም
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,መለያ {0}: የወላጅ መለያ {1} ያሰኘንን ሊሆን አይችልም
DocType: Item,Publish Item to hub.erpnext.com,hub.erpnext.com ወደ ንጥል አትም
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,የኢሜይል ማሳወቂያዎች
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,ግምገማ
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,ግምገማ
DocType: Item,Default Unit of Measure,ይለኩ ነባሪ ክፍል
DocType: SMS Center,All Sales Partner Contact,ሁሉም የሽያጭ ባልደረባ ያግኙን
DocType: Employee,Leave Approvers,Approvers ውጣ
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),የውጭ ምንዛሪ ተመን ጋር ተመሳሳይ መሆን አለበት {0} {1} ({2})
DocType: Sales Invoice,Customer Name,የደንበኛ ስም
DocType: Vehicle,Natural Gas,የተፈጥሮ ጋዝ
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},የባንክ ሂሳብ እንደ የሚባል አይችልም {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},የባንክ ሂሳብ እንደ የሚባል አይችልም {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,ኃላፊዎች (ወይም ቡድኖች) ይህም ላይ አካውንቲንግ ግቤቶችን ናቸው እና ሚዛን ጠብቆ ነው.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),ያልተከፈሉ {0} ሊሆን አይችልም ከ ዜሮ ({1})
DocType: Manufacturing Settings,Default 10 mins,10 ደቂቃ ነባሪ
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,ሁሉም አቅራቢው ያግኙን
DocType: Support Settings,Support Settings,የድጋፍ ቅንብሮች
DocType: SMS Parameter,Parameter,የልኬት
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,የሚጠበቀው የማብቂያ ቀን የተጠበቀው የመጀመሪያ ቀን ያነሰ መሆን አይችልም
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,የሚጠበቀው የማብቂያ ቀን የተጠበቀው የመጀመሪያ ቀን ያነሰ መሆን አይችልም
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,የረድፍ # {0}: ተመን ጋር ተመሳሳይ መሆን አለበት {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,አዲስ ፈቃድ ማመልከቻ
,Batch Item Expiry Status,ባች ንጥል የሚቃጠልበት ሁኔታ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,ባንክ ረቂቅ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,ባንክ ረቂቅ
DocType: Mode of Payment Account,Mode of Payment Account,የክፍያ መለያ ሁነታ
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,አሳይ አይነቶች
DocType: Academic Term,Academic Term,ትምህርታዊ የሚቆይበት ጊዜ
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,ቁሳዊ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,ብዛት
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,መለያዎች ሰንጠረዥ ባዶ መሆን አይችልም.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),ብድር (ተጠያቂነቶች)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),ብድር (ተጠያቂነቶች)
DocType: Employee Education,Year of Passing,ያለፉት ዓመት
DocType: Item,Country of Origin,የትውልድ ቦታ
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,ለሽያጭ የቀረበ እቃ
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,ለሽያጭ የቀረበ እቃ
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,ክፍት ጉዳዮች
DocType: Production Plan Item,Production Plan Item,የምርት ዕቅድ ንጥል
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},አባል {0} አስቀድሞ ሰራተኛ ተመድቧል {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,የጤና ጥበቃ
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ክፍያ መዘግየት (ቀኖች)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,የአገልግሎት የወጪ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},መለያ ቁጥር: {0} አስቀድሞ የሽያጭ ደረሰኝ ውስጥ የተጠቆመው ነው: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},መለያ ቁጥር: {0} አስቀድሞ የሽያጭ ደረሰኝ ውስጥ የተጠቆመው ነው: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,የዋጋ ዝርዝር
DocType: Maintenance Schedule Item,Periodicity,PERIODICITY
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,በጀት ዓመት {0} ያስፈልጋል
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,የረድፍ # {0}:
DocType: Timesheet,Total Costing Amount,ጠቅላላ የኳንቲቲ መጠን
DocType: Delivery Note,Vehicle No,የተሽከርካሪ ምንም
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,የዋጋ ዝርዝር እባክዎ ይምረጡ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,የዋጋ ዝርዝር እባክዎ ይምረጡ
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,የረድፍ # {0}: የክፍያ ሰነዱን trasaction ለማጠናቀቅ ያስፈልጋል
DocType: Production Order Operation,Work In Progress,ገና በሂደት ላይ ያለ ስራ
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,ቀን ይምረጡ
DocType: Employee,Holiday List,የበዓል ዝርዝር
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,ሒሳብ ሠራተኛ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,ሒሳብ ሠራተኛ
DocType: Cost Center,Stock User,የአክሲዮን ተጠቃሚ
DocType: Company,Phone No,ስልክ የለም
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,እርግጥ ነው መርሐግብሮች ተፈጥሯል:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},አዲስ {0}: # {1}
,Sales Partners Commission,የሽያጭ አጋሮች ኮሚሽን
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,ከ 5 በላይ ቁምፊዎች ሊኖሩት አይችልም ምህጻረ ቃል
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,ከ 5 በላይ ቁምፊዎች ሊኖሩት አይችልም ምህጻረ ቃል
DocType: Payment Request,Payment Request,ክፍያ ጥያቄ
DocType: Asset,Value After Depreciation,የእርጅና በኋላ እሴት
DocType: Employee,O+,ሆይ; +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,የትምህርት ክትትል የቀን ሠራተኛ ዎቹ በመቀላቀል ቀን ያነሰ መሆን አይችልም
DocType: Grading Scale,Grading Scale Name,አሰጣጥ በስምምነት ስም
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,ይህ ሥር መለያ ነው እና አርትዕ ሊደረግ አይችልም.
+DocType: Sales Invoice,Company Address,የኩባንያ አድራሻ
DocType: BOM,Operations,ክወናዎች
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},ለ ቅናሽ ላይ የተመሠረተ ፈቃድ ማዘጋጀት አይቻልም {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","ሁለት ዓምዶች, አሮጌውን ስም አንዱ አዲስ ስም አንድ ጋር .csv ፋይል አያይዝ"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} እንጂ ማንኛውም ገባሪ በጀት ዓመት ውስጥ.
DocType: Packed Item,Parent Detail docname,የወላጅ ዝርዝር DOCNAME
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","ማጣቀሻ: {0}, የእቃ ኮድ: {1} እና የደንበኞች: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,ኪግ
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,ኪግ
DocType: Student Log,Log,ምዝግብ ማስታወሻ
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,የሥራ ዕድል።
DocType: Item Attribute,Increment,ጨምር
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,ማስታወቂያ
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,በዚሁ ኩባንያ ከአንድ ጊዜ በላይ ገባ ነው
DocType: Employee,Married,ያገባ
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},አይፈቀድም {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},አይፈቀድም {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,ከ ንጥሎችን ያግኙ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},የአክሲዮን አሰጣጥ ማስታወሻ ላይ መዘመን አይችልም {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},የአክሲዮን አሰጣጥ ማስታወሻ ላይ መዘመን አይችልም {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},የምርት {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,የተዘረዘሩት ምንም ንጥሎች የሉም
DocType: Payment Reconciliation,Reconcile,ያስታርቅ
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,ቀጣይ የእርጅና ቀን ግዢ ቀን በፊት ሊሆን አይችልም
DocType: SMS Center,All Sales Person,ሁሉም ሽያጭ ሰው
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** ወርሃዊ ስርጭት ** የእርስዎን ንግድ ውስጥ ወቅታዊ ቢኖራችሁ ወራት በመላ በጀት / ዒላማ ለማሰራጨት ይረዳል.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,ንጥሎች አልተገኘም
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,ንጥሎች አልተገኘም
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,ደመወዝ መዋቅር ይጎድላል
DocType: Lead,Person Name,ሰው ስም
DocType: Sales Invoice Item,Sales Invoice Item,የሽያጭ ደረሰኝ ንጥል
DocType: Account,Credit,የሥዕል
DocType: POS Profile,Write Off Cost Center,ወጪ ማዕከል ጠፍቷል ይጻፉ
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",ለምሳሌ "አንደኛ ደረጃ ትምህርት ቤት" ወይም "ዩኒቨርሲቲ"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",ለምሳሌ "አንደኛ ደረጃ ትምህርት ቤት" ወይም "ዩኒቨርሲቲ"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,የክምችት ሪፖርቶች
DocType: Warehouse,Warehouse Detail,የመጋዘን ዝርዝር
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},የክሬዲት ገደብ ደንበኛ ተሻገሩ ተደርጓል {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},የክሬዲት ገደብ ደንበኛ ተሻገሩ ተደርጓል {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,የሚለው ቃል መጨረሻ ቀን በኋላ የሚለው ቃል ጋር የተያያዘ ነው ይህም ወደ የትምህርት ዓመት ዓመት መጨረሻ ቀን በላይ መሆን አይችልም (የትምህርት ዓመት {}). ቀናት ለማረም እና እንደገና ይሞክሩ.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",የንብረት ዘገባ ንጥል ላይ አለ እንደ ካልተደረገበት ሊሆን አይችልም "ቋሚ ንብረት ነው"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",የንብረት ዘገባ ንጥል ላይ አለ እንደ ካልተደረገበት ሊሆን አይችልም "ቋሚ ንብረት ነው"
DocType: Vehicle Service,Brake Oil,ፍሬን ኦይል
DocType: Tax Rule,Tax Type,የግብር አይነት
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},ከእናንተ በፊት ግቤቶችን ማከል ወይም ዝማኔ ስልጣን አይደለም {0}
DocType: BOM,Item Image (if not slideshow),ንጥል ምስል (የተንሸራታች አይደለም ከሆነ)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,አንድ የደንበኛ በተመሳሳይ ስም አለ
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(ሰዓት ተመን / 60) * ትክክለኛ ኦፕሬሽን ሰዓት
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,ይምረጡ BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,ይምረጡ BOM
DocType: SMS Log,SMS Log,ኤስ ኤም ኤስ ምዝግብ ማስታወሻ
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,የደረሱ ንጥሎች መካከል ወጪ
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,{0} ላይ ያለው የበዓል ቀን ጀምሮ እና ቀን ወደ መካከል አይደለም
@@ -159,13 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},ከ {0} ወደ {1}
DocType: Item,Copy From Item Group,ንጥል ቡድን ከ ቅዳ
DocType: Journal Entry,Opening Entry,በመክፈት ላይ የሚመዘገብ መረጃ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,የደንበኛ> የደንበኛ ቡድን> ግዛት
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,መለያ ክፍያ ብቻ
DocType: Employee Loan,Repay Over Number of Periods,ጊዜዎች በላይ ቁጥር ብድራትን
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} ውስጥ ተመዝግቧል አይደለም የተሰጠውን {2}
DocType: Stock Entry,Additional Costs,ተጨማሪ ወጪዎች
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,አሁን ያሉ ግብይት ጋር መለያ ቡድን ሊቀየር አይችልም.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,አሁን ያሉ ግብይት ጋር መለያ ቡድን ሊቀየር አይችልም.
DocType: Lead,Product Enquiry,የምርት Enquiry
DocType: Academic Term,Schools,ትምህርት ቤቶች
+DocType: School Settings,Validate Batch for Students in Student Group,የተማሪ ቡድን ውስጥ ተማሪዎች ለ ባች Validate
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},ሠራተኛ አልተገኘም ምንም ፈቃድ መዝገብ {0} ለ {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,መጀመሪያ ኩባንያ ያስገቡ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,መጀመሪያ ኩባንያ እባክዎ ይምረጡ
@@ -174,48 +176,48 @@
DocType: BOM,Total Cost,ጠቅላላ ወጪ
DocType: Journal Entry Account,Employee Loan,የሰራተኛ ብድር
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,የእንቅስቃሴ ምዝግብ ማስታወሻ:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,{0} ንጥል ሥርዓት ውስጥ የለም ወይም ጊዜው አልፎበታል
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,{0} ንጥል ሥርዓት ውስጥ የለም ወይም ጊዜው አልፎበታል
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,መጠነሰፊ የቤት ግንባታ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,መለያ መግለጫ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,ፋርማሱቲካልስ
DocType: Purchase Invoice Item,Is Fixed Asset,ቋሚ ንብረት ነው
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}",ይገኛል ብዛት {0}: የሚያስፈልግህ ነው {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}",ይገኛል ብዛት {0}: የሚያስፈልግህ ነው {1}
DocType: Expense Claim Detail,Claim Amount,የይገባኛል መጠን
-DocType: Employee,Mr,አቶ
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,የ cutomer ቡድን ሠንጠረዥ ውስጥ አልተገኘም አባዛ ደንበኛ ቡድን
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,አቅራቢው አይነት / አቅራቢዎች
DocType: Naming Series,Prefix,ባዕድ መነሻ
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Consumable
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Consumable
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,አስመጣ ምዝግብ ማስታወሻ
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,ከላይ መስፈርቶች ላይ የተመሠረቱ አይነት ማምረት በቁሳዊ ረገድ ጥያቄ ይጎትቱ
DocType: Training Result Employee,Grade,ደረጃ
DocType: Sales Invoice Item,Delivered By Supplier,አቅራቢ በ ደርሷል
DocType: SMS Center,All Contact,ሁሉም እውቂያ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,የምርት ትዕዛዝ አስቀድሞ BOM ጋር ሁሉም ንጥሎች የተፈጠሩ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,ዓመታዊ ደመወዝ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,የምርት ትዕዛዝ አስቀድሞ BOM ጋር ሁሉም ንጥሎች የተፈጠሩ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,ዓመታዊ ደመወዝ
DocType: Daily Work Summary,Daily Work Summary,ዕለታዊ የስራ ማጠቃለያ
DocType: Period Closing Voucher,Closing Fiscal Year,በጀት ዓመት መዝጊያ
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} የታሰሩ ነው
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,መለያዎች ገበታ ለመፍጠር የወቅቱ ኩባንያ ይምረጡ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,የክምችት ወጪ
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} የታሰሩ ነው
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,መለያዎች ገበታ ለመፍጠር የወቅቱ ኩባንያ ይምረጡ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,የክምችት ወጪ
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,ዒላማ መጋዘን ይምረጡ
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,ተመራጭ የእውቂያ ኢሜይል ያስገቡ
+DocType: Program Enrollment,School Bus,የትምህርት ቤት አውቶቡስ
DocType: Journal Entry,Contra Entry,Contra የሚመዘገብ መረጃ
DocType: Journal Entry Account,Credit in Company Currency,ኩባንያ የምንዛሬ ውስጥ የብድር
DocType: Delivery Note,Installation Status,መጫን ሁኔታ
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",እናንተ በስብሰባው ማዘመን ይፈልጋሉ? <br> አቅርብ: {0} \ <br> ብርቅ: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},ብዛት ተቀባይነት አላገኘም ተቀባይነት + ንጥል ለማግኘት የተቀበልከው ብዛት ጋር እኩል መሆን አለባቸው {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},ብዛት ተቀባይነት አላገኘም ተቀባይነት + ንጥል ለማግኘት የተቀበልከው ብዛት ጋር እኩል መሆን አለባቸው {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,አቅርቦት ጥሬ እቃዎች ግዢ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,የክፍያ ቢያንስ አንድ ሁነታ POS መጠየቂያ ያስፈልጋል.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,የክፍያ ቢያንስ አንድ ሁነታ POS መጠየቂያ ያስፈልጋል.
DocType: Products Settings,Show Products as a List,አሳይ ምርቶች አንድ እንደ ዝርዝር
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","ወደ መለጠፊያ አውርድ ተገቢ የውሂብ መሙላት እና የተሻሻለው ፋይል ማያያዝ. በተመረጠው ክፍለ ጊዜ ውስጥ ሁሉም ቀኖች እና ሠራተኛ ጥምረት አሁን ያሉ ክትትል መዛግብት ጋር, በአብነት ውስጥ ይመጣል"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,{0} ንጥል ንቁ አይደለም ወይም የሕይወት መጨረሻ ደርሷል
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,ምሳሌ: መሰረታዊ የሂሳብ ትምህርት
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","ንጥል መጠን ረድፍ {0} ውስጥ ግብርን ማካተት, ረድፎች ውስጥ ቀረጥ {1} ደግሞ መካተት አለበት"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,{0} ንጥል ንቁ አይደለም ወይም የሕይወት መጨረሻ ደርሷል
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,ምሳሌ: መሰረታዊ የሂሳብ ትምህርት
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","ንጥል መጠን ረድፍ {0} ውስጥ ግብርን ማካተት, ረድፎች ውስጥ ቀረጥ {1} ደግሞ መካተት አለበት"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,የሰው ሀይል ሞዱል ቅንብሮች
DocType: SMS Center,SMS Center,ኤስ ኤም ኤስ ማዕከል
DocType: Sales Invoice,Change Amount,ለውጥ መጠን
@@ -225,7 +227,7 @@
DocType: Lead,Request Type,ጥያቄ አይነት
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,የሰራተኛ አድርግ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,ብሮድካስቲንግ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,ማስፈጸም
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,ማስፈጸም
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,ስለ ስራዎች ዝርዝሮች ፈጽሟል.
DocType: Serial No,Maintenance Status,ጥገና ሁኔታ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: አቅራቢው ተከፋይ ሂሳብ ላይ ያስፈልጋል {2}
@@ -253,7 +255,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,ጥቅስ ለማግኘት ጥያቄው በሚከተለው አገናኝ ላይ ጠቅ በማድረግ ሊደረስባቸው ይችላሉ
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,ዓመት ያህል ቅጠል ይመድባሉ.
DocType: SG Creation Tool Course,SG Creation Tool Course,ሹጋ የፈጠራ መሣሪያ ኮርስ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,በቂ ያልሆነ የአክሲዮን
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,በቂ ያልሆነ የአክሲዮን
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,አሰናክል አቅም የእቅዴ እና ሰዓት መከታተያ
DocType: Email Digest,New Sales Orders,አዲስ የሽያጭ ትዕዛዞች
DocType: Bank Guarantee,Bank Account,የባንክ ሒሳብ
@@ -264,8 +266,9 @@
DocType: Production Order Operation,Updated via 'Time Log',«ጊዜ Log" በኩል Updated
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},አስቀድሞ መጠን መብለጥ አይችልም {0} {1}
DocType: Naming Series,Series List for this Transaction,ለዚህ ግብይት ተከታታይ ዝርዝር
+DocType: Company,Enable Perpetual Inventory,ለተመራ ቆጠራ አንቃ
DocType: Company,Default Payroll Payable Account,ነባሪ የደመወዝ ክፍያ የሚከፈል መለያ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,አዘምን የኢሜይል ቡድን
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,አዘምን የኢሜይል ቡድን
DocType: Sales Invoice,Is Opening Entry,Entry በመክፈት ላይ ነው
DocType: Customer Group,Mention if non-standard receivable account applicable,ጥቀስ መደበኛ ያልሆነ እንደተቀበለ መለያ ተገቢነት ካለው
DocType: Course Schedule,Instructor Name,አስተማሪ ስም
@@ -277,13 +280,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,የሽያጭ ደረሰኝ ንጥል ላይ
,Production Orders in Progress,በሂደት ላይ የምርት ትዕዛዞች
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,በገንዘብ ከ የተጣራ ገንዘብ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","የአካባቢ ማከማቻ ሙሉ ነው, ሊያድን አይችልም ነበር"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","የአካባቢ ማከማቻ ሙሉ ነው, ሊያድን አይችልም ነበር"
DocType: Lead,Address & Contact,አድራሻ እና ዕውቂያ
DocType: Leave Allocation,Add unused leaves from previous allocations,ወደ ቀዳሚው አመዳደብ ጀምሮ ጥቅም ላይ ያልዋለ ቅጠሎችን አክል
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},ቀጣይ ተደጋጋሚ {0} ላይ ይፈጠራል {1}
DocType: Sales Partner,Partner website,የአጋር ድር ጣቢያ
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,ንጥል አክል
-,Contact Name,የዕውቂያ ስም
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,የዕውቂያ ስም
DocType: Course Assessment Criteria,Course Assessment Criteria,የኮርስ ግምገማ መስፈርት
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,ከላይ የተጠቀሱትን መስፈርት የደመወዝ ወረቀት ይፈጥራል.
DocType: POS Customer Group,POS Customer Group,POS የደንበኛ ቡድን
@@ -292,18 +295,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,የተሰጠው መግለጫ የለም
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,ግዢ ይጠይቁ.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,ይሄ በዚህ ፕሮጀክት ላይ የተፈጠረውን ጊዜ ሉሆች ላይ የተመሠረተ ነው
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,የተጣራ ክፍያ ከ 0 መሆን አይችልም
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,የተጣራ ክፍያ ከ 0 መሆን አይችልም
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,ብቻ የተመረጠው ፈቃድ አጽዳቂ ይህ ፈቃድ ማመልከቻ ማስገባት ይችላሉ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,ቀን የሚያስታግሱ በመቀላቀል ቀን የበለጠ መሆን አለበት
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,ዓመት በአንድ ማምለኩን
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,ዓመት በአንድ ማምለኩን
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ረድፍ {0}: ያረጋግጡ መለያ ላይ 'Advance ነው' {1} ይህን የቅድሚያ ግቤት ከሆነ.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},{0} የመጋዘን ኩባንያ የእርሱ ወገን አይደለም {1}
DocType: Email Digest,Profit & Loss,ትርፍ እና ኪሳራ
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Litre
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Litre
DocType: Task,Total Costing Amount (via Time Sheet),(ጊዜ ሉህ በኩል) ጠቅላላ ዋጋና መጠን
DocType: Item Website Specification,Item Website Specification,ንጥል የድር ጣቢያ ዝርዝር
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,ውጣ የታገዱ
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},ንጥል {0} ላይ ሕይወት ፍጻሜው ላይ ደርሷል {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},ንጥል {0} ላይ ሕይወት ፍጻሜው ላይ ደርሷል {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,ባንክ ግቤቶችን
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,ዓመታዊ
DocType: Stock Reconciliation Item,Stock Reconciliation Item,የክምችት ማስታረቅ ንጥል
@@ -311,9 +314,9 @@
DocType: Material Request Item,Min Order Qty,ዝቅተኛ ትዕዛዝ ብዛት
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,የተማሪ ቡድን የፈጠራ መሣሪያ ኮርስ
DocType: Lead,Do Not Contact,ያነጋግሩ አትበል
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,በእርስዎ ድርጅት ውስጥ የሚያስተምሩ ሰዎች
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,በእርስዎ ድርጅት ውስጥ የሚያስተምሩ ሰዎች
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,ሁሉም ተደጋጋሚ ደረሰኞችን መከታተያ የ ልዩ መታወቂያ. ማስገባት ላይ የመነጨ ነው.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,ሶፍትዌር ገንቢ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,ሶፍትዌር ገንቢ
DocType: Item,Minimum Order Qty,የስራ ልምድ ትዕዛዝ ብዛት
DocType: Pricing Rule,Supplier Type,አቅራቢው አይነት
DocType: Course Scheduling Tool,Course Start Date,የኮርስ መጀመሪያ ቀን
@@ -322,11 +325,11 @@
DocType: Item,Publish in Hub,ማዕከል ውስጥ አትም
DocType: Student Admission,Student Admission,የተማሪ ምዝገባ
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,{0} ንጥል ተሰርዟል
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,{0} ንጥል ተሰርዟል
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,ቁሳዊ ጥያቄ
DocType: Bank Reconciliation,Update Clearance Date,አዘምን መልቀቂያ ቀን
DocType: Item,Purchase Details,የግዢ ዝርዝሮች
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},የግዥ ትዕዛዝ ውስጥ 'ጥሬ እቃዎች አቅርቦት' ሠንጠረዥ ውስጥ አልተገኘም ንጥል {0} {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},የግዥ ትዕዛዝ ውስጥ 'ጥሬ እቃዎች አቅርቦት' ሠንጠረዥ ውስጥ አልተገኘም ንጥል {0} {1}
DocType: Employee,Relation,ዘመድ
DocType: Shipping Rule,Worldwide Shipping,ዓለም አቀፍ መላኪያ
DocType: Student Guardian,Mother,እናት
@@ -345,6 +348,7 @@
DocType: Student Group Student,Student Group Student,የተማሪ ቡድን ተማሪ
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,የቅርብ ጊዜ
DocType: Vehicle Service,Inspection,ተቆጣጣሪነት
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,ዝርዝር
DocType: Email Digest,New Quotations,አዲስ ጥቅሶች
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,የተቀጣሪ ውስጥ የተመረጡ ተመራጭ ኢሜይል ላይ የተመሠረተ ሰራተኛ ኢሜይሎች የደመወዝ ወረቀት
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,በዝርዝሩ ውስጥ የመጀመሪያው ፈቃድ አጽዳቂ ነባሪ ፈቃድ አጽዳቂ ተዘጋጅቷል ይሆናል
@@ -353,20 +357,20 @@
DocType: Asset,Next Depreciation Date,ቀጣይ የእርጅና ቀን
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,የተቀጣሪ በአንድ እንቅስቃሴ ወጪ
DocType: Accounts Settings,Settings for Accounts,መለያዎች ቅንብሮች
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},አቅራቢው ደረሰኝ ምንም የግዢ ደረሰኝ ውስጥ አለ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},አቅራቢው ደረሰኝ ምንም የግዢ ደረሰኝ ውስጥ አለ {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,የሽያጭ ሰው ዛፍ ያቀናብሩ.
DocType: Job Applicant,Cover Letter,የፊት ገፅ ደብዳቤ
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,ያልተከፈሉ Cheques እና ማጽዳት ተቀማጭ
DocType: Item,Synced With Hub,ማዕከል ጋር ተመሳስሏል
DocType: Vehicle,Fleet Manager,መርከቦች ሥራ አስኪያጅ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},የረድፍ # {0}: {1} ንጥል አሉታዊ ሊሆን አይችልም {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,የተሳሳተ የይለፍ ቃል
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,የተሳሳተ የይለፍ ቃል
DocType: Item,Variant Of,ነው ተለዋጭ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',ይልቅ 'ብዛት ለማምረት' ተጠናቋል ብዛት የበለጠ መሆን አይችልም
DocType: Period Closing Voucher,Closing Account Head,የመለያ ኃላፊ በመዝጋት ላይ
DocType: Employee,External Work History,ውጫዊ የስራ ታሪክ
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,ክብ ማጣቀሻ ስህተት
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1 ስም
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 ስም
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,የ የመላኪያ ማስታወሻ ማስቀመጥ አንዴ ቃላት (ላክ) ውስጥ የሚታይ ይሆናል.
DocType: Cheque Print Template,Distance from left edge,ግራ ጠርዝ ያለው ርቀት
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{1}] ክፍሎች (# ፎርም / ንጥል / {1}) [{2}] ውስጥ ይገኛል (# ፎርም / መጋዘን / {2})
@@ -375,11 +379,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,ራስ-ሰር የቁስ ጥያቄ መፍጠር ላይ በኢሜይል አሳውቅ
DocType: Journal Entry,Multi Currency,ባለብዙ ምንዛሬ
DocType: Payment Reconciliation Invoice,Invoice Type,የደረሰኝ አይነት
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,የመላኪያ ማስታወሻ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,የመላኪያ ማስታወሻ
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,ግብሮች በማቀናበር ላይ
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,የተሸጠ ንብረት ዋጋ
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,አንተም አፈረሰ በኋላ የክፍያ Entry ተቀይሯል. እንደገና ጎትተው እባክህ.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} ንጥል ግብር ውስጥ ሁለት ጊዜ ገብቶ
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,አንተም አፈረሰ በኋላ የክፍያ Entry ተቀይሯል. እንደገና ጎትተው እባክህ.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} ንጥል ግብር ውስጥ ሁለት ጊዜ ገብቶ
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,በዚህ ሳምንት እና በመጠባበቅ ላይ ያሉ እንቅስቃሴዎች ማጠቃለያ
DocType: Student Applicant,Admitted,አምኗል
DocType: Workstation,Rent Cost,የቤት ኪራይ ወጪ
@@ -397,25 +401,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,ያስገቡ የመስክ እሴት «ቀን ቀን ወር መካከል ላይ ድገም 'እባክህ
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,የደንበኛ ምንዛሬ ደንበኛ መሰረታዊ ምንዛሬ በመለወጥ ነው በ ተመን
DocType: Course Scheduling Tool,Course Scheduling Tool,የኮርስ ዕቅድ መሣሪያ
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},የረድፍ # {0}: የግዢ ደረሰኝ አንድ ነባር ንብረት ላይ ማድረግ አይቻልም {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},የረድፍ # {0}: የግዢ ደረሰኝ አንድ ነባር ንብረት ላይ ማድረግ አይቻልም {1}
DocType: Item Tax,Tax Rate,የግብር ተመን
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} አስቀድሞ የሰራተኛ የተመደበው {1} ወደ ጊዜ {2} ለ {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,ንጥል ምረጥ
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,የደረሰኝ {0} አስቀድሞ ገብቷል ነው ይግዙ
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,የደረሰኝ {0} አስቀድሞ ገብቷል ነው ይግዙ
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},የረድፍ # {0}: የጅምላ ምንም እንደ አንድ አይነት መሆን አለበት {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,ያልሆኑ ቡድን መቀየር
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,አንድ ንጥል ባች (ዕጣ).
DocType: C-Form Invoice Detail,Invoice Date,የደረሰኝ ቀን
DocType: GL Entry,Debit Amount,ዴት መጠን
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},ብቻ በ ኩባንያ በአንድ 1 መለያ ሊኖር ይችላል {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,አባሪ ይመልከቱ
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},ብቻ በ ኩባንያ በአንድ 1 መለያ ሊኖር ይችላል {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,አባሪ ይመልከቱ
DocType: Purchase Order,% Received,% ደርሷል
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,የተማሪ ቡድኖች ይፍጠሩ
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,ማዋቀር አስቀድሞ ሙሉ !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,የብድር ማስታወሻ መጠን
,Finished Goods,ጨርሷል ምርቶች
DocType: Delivery Note,Instructions,መመሪያዎች
DocType: Quality Inspection,Inspected By,በ ለመመርመር
DocType: Maintenance Visit,Maintenance Type,ጥገና አይነት
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} የቀየረ ውስጥ አልተመዘገበም ነው {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},ተከታታይ አይ {0} የመላኪያ ማስታወሻ የእርሱ ወገን አይደለም {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext ማሳያ
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,ንጥሎች አክል
@@ -436,7 +442,7 @@
DocType: Request for Quotation,Request for Quotation,ትዕምርተ ጥያቄ
DocType: Salary Slip Timesheet,Working Hours,የስራ ሰዓት
DocType: Naming Series,Change the starting / current sequence number of an existing series.,አንድ ነባር ተከታታይ ጀምሮ / የአሁኑ ቅደም ተከተል ቁጥር ለውጥ.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,አዲስ ደንበኛ ይፍጠሩ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,አዲስ ደንበኛ ይፍጠሩ
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","በርካታ የዋጋ ደንቦች አይችሉአትም የሚቀጥሉ ከሆነ, ተጠቃሚዎች ግጭት ለመፍታት በእጅ ቅድሚያ ለማዘጋጀት ይጠየቃሉ."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,የግዢ ትዕዛዞች ፍጠር
,Purchase Register,የግዢ ይመዝገቡ
@@ -448,7 +454,7 @@
DocType: Student Log,Medical,የሕክምና
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,ማጣት ለ ምክንያት
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,በእርሳስ ባለቤቱ ግንባር ጋር ተመሳሳይ ሊሆን አይችልም
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,የተመደበ መጠን ያልተስተካከለ መጠን አይበልጥም ይችላል
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,የተመደበ መጠን ያልተስተካከለ መጠን አይበልጥም ይችላል
DocType: Announcement,Receiver,ተቀባይ
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},ከገቢር በአል ዝርዝር መሰረት በሚከተሉት ቀናት ላይ ዝግ ነው: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,ዕድሎች
@@ -462,8 +468,7 @@
DocType: Assessment Plan,Examiner Name,መርማሪ ስም
DocType: Purchase Invoice Item,Quantity and Rate,ብዛት እና ደረጃ ይስጡ
DocType: Delivery Note,% Installed,% ተጭኗል
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,ክፍሎች / ንግግሮች መርሐግብር ይቻላል የት ቤተ ሙከራ ወዘተ.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,አቅራቢው> አቅራቢ አይነት
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,ክፍሎች / ንግግሮች መርሐግብር ይቻላል የት ቤተ ሙከራ ወዘተ.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,የመጀመሪያ የኩባንያ ስም ያስገቡ
DocType: Purchase Invoice,Supplier Name,አቅራቢው ስም
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,የ ERPNext መመሪያ ያንብቡ
@@ -473,7 +478,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,ማጣሪያ አቅራቢው የደረሰኝ ቁጥር ልዩ
DocType: Vehicle Service,Oil Change,የነዳጅ ለውጥ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','ወደ የጉዳይ ቁጥር' 'የጉዳይ ቁጥር ከ' ያነሰ መሆን አይችልም
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,ትርፍ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,ትርፍ
DocType: Production Order,Not Started,የተጀመረ አይደለም
DocType: Lead,Channel Partner,የሰርጥ ባልደረባ
DocType: Account,Old Parent,የድሮ ወላጅ
@@ -483,19 +488,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,"በሙሉ አቅማቸው ባለማምረታቸው, ሂደቶች ዓለም አቀፍ ቅንብሮች."
DocType: Accounts Settings,Accounts Frozen Upto,Frozen እስከሁለት መለያዎች
DocType: SMS Log,Sent On,ላይ የተላከ
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,አይነታ {0} አይነታዎች ሠንጠረዥ ውስጥ በርካታ ጊዜ ተመርጠዋል
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,አይነታ {0} አይነታዎች ሠንጠረዥ ውስጥ በርካታ ጊዜ ተመርጠዋል
DocType: HR Settings,Employee record is created using selected field. ,የተቀጣሪ መዝገብ የተመረጠው መስክ በመጠቀም የተፈጠረ ነው.
DocType: Sales Order,Not Applicable,ተፈፃሚ የማይሆን
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,የበዓል ጌታ.
DocType: Request for Quotation Item,Required Date,ተፈላጊ ቀን
DocType: Delivery Note,Billing Address,የመክፈያ አድራሻ
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,ንጥል ኮድ ያስገቡ.
DocType: BOM,Costing,ዋጋና
DocType: Tax Rule,Billing County,አከፋፈል ካውንቲ
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","ከተመረጠ ቀደም አትም ተመን / አትም መጠን ውስጥ የተካተተ ሆኖ, ቀረጥ መጠን እንመረምራለን"
DocType: Request for Quotation,Message for Supplier,አቅራቢ ለ መልዕክት
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,ጠቅላላ ብዛት
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 ኢሜይል መታወቂያ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 ኢሜይል መታወቂያ
DocType: Item,Show in Website (Variant),የድር ጣቢያ ውስጥ አሳይ (ተለዋጭ)
DocType: Employee,Health Concerns,የጤና ሰጋት
DocType: Process Payroll,Select Payroll Period,የደመወዝ ክፍያ ክፍለ ይምረጡ
@@ -513,25 +517,27 @@
DocType: Sales Order Item,Used for Production Plan,የምርት ዕቅድ ላይ ውሏል
DocType: Employee Loan,Total Payment,ጠቅላላ ክፍያ
DocType: Manufacturing Settings,Time Between Operations (in mins),(ደቂቃዎች ውስጥ) ክወናዎች መካከል ሰዓት
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} እርምጃ ሊጠናቀቅ አልቻለም, ስለዚህ ተሰርዟል"
DocType: Customer,Buyer of Goods and Services.,ዕቃዎችና አገልግሎቶች የገዢ.
DocType: Journal Entry,Accounts Payable,ተከፋይ መለያዎች
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,የተመረጡት BOMs ተመሳሳይ ንጥል አይደሉም
DocType: Pricing Rule,Valid Upto,ልክ እስከሁለት
DocType: Training Event,Workshop,መሥሪያ
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,የእርስዎ ደንበኞች መካከል ጥቂቶቹን ዘርዝር. እነዚህ ድርጅቶች ወይም ግለሰቦች ሊሆን ይችላል.
-,Enough Parts to Build,በቂ ክፍሎች መመሥረት የሚቻለው
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,ቀጥታ ገቢ
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,የእርስዎ ደንበኞች መካከል ጥቂቶቹን ዘርዝር. እነዚህ ድርጅቶች ወይም ግለሰቦች ሊሆን ይችላል.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,በቂ ክፍሎች መመሥረት የሚቻለው
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,ቀጥታ ገቢ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","መለያ ተመድበው ከሆነ, መለያ ላይ የተመሠረተ ማጣሪያ አይቻልም"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,አስተዳደር ክፍል ኃላፊ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,ኮርስ ይምረጡ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,አስተዳደር ክፍል ኃላፊ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,ኮርስ ይምረጡ
DocType: Timesheet Detail,Hrs,ሰዓቶች
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,ኩባንያ ይምረጡ
DocType: Stock Entry Detail,Difference Account,ልዩነት መለያ
+DocType: Purchase Invoice,Supplier GSTIN,አቅራቢ GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,በሥሯ ተግባር {0} ዝግ አይደለም የቅርብ ተግባር አይችሉም.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,የቁስ ጥያቄ ይነሣል ለዚህም መጋዘን ያስገቡ
DocType: Production Order,Additional Operating Cost,ተጨማሪ ስርዓተ ወጪ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,መዋቢያዎች
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","ማዋሃድ, የሚከተሉትን ንብረቶች ሁለቱም ንጥሎች ጋር ተመሳሳይ መሆን አለበት"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","ማዋሃድ, የሚከተሉትን ንብረቶች ሁለቱም ንጥሎች ጋር ተመሳሳይ መሆን አለበት"
DocType: Shipping Rule,Net Weight,የተጣራ ክብደት
DocType: Employee,Emergency Phone,የአደጋ ጊዜ ስልክ
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,ግዛ
@@ -540,14 +546,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,ገደብ 0% የሚሆን ክፍል ለመወሰን እባክዎ
DocType: Sales Order,To Deliver,ለማዳን
DocType: Purchase Invoice Item,Item,ንጥል
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,ተከታታይ ምንም ንጥል ክፍልፋይ ሊሆን አይችልም
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,ተከታታይ ምንም ንጥል ክፍልፋይ ሊሆን አይችልም
DocType: Journal Entry,Difference (Dr - Cr),ልዩነት (ዶክተር - CR)
DocType: Account,Profit and Loss,ትርፍ ማጣት
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,ማኔጂንግ Subcontracting
DocType: Project,Project will be accessible on the website to these users,ፕሮጀክት በእነዚህ ተጠቃሚዎች ወደ ድረ ገጽ ላይ ተደራሽ ይሆናል
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,ፍጥነት ዋጋ ዝርዝር ምንዛሬ ላይ ኩባንያ መሰረት ከሆነው ምንዛሬ በመለወጥ ላይ ነው
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},{0} መለያ ኩባንያ የእርሱ ወገን አይደለም: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,በምህፃረ ቃል አስቀድሞ ለሌላ ኩባንያ ጥቅም ላይ
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},{0} መለያ ኩባንያ የእርሱ ወገን አይደለም: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,በምህፃረ ቃል አስቀድሞ ለሌላ ኩባንያ ጥቅም ላይ
DocType: Selling Settings,Default Customer Group,ነባሪ የደንበኛ ቡድን
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","አቦዝን ከሆነ, «ክብ ጠቅላላ 'መስክ በማንኛውም ግብይት ውስጥ የሚታይ አይሆንም"
DocType: BOM,Operating Cost,የክወና ወጪ
@@ -555,7 +561,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,ጭማሬ 0 መሆን አይችልም
DocType: Production Planning Tool,Material Requirement,ቁሳዊ ተፈላጊ
DocType: Company,Delete Company Transactions,ኩባንያ ግብይቶች ሰርዝ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,ማጣቀሻ የለም እና የማጣቀሻ ቀን ባንክ ግብይት ግዴታ ነው
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,ማጣቀሻ የለም እና የማጣቀሻ ቀን ባንክ ግብይት ግዴታ ነው
DocType: Purchase Receipt,Add / Edit Taxes and Charges,/ አርትዕ ግብሮች እና ክፍያዎች ያክሉ
DocType: Purchase Invoice,Supplier Invoice No,አቅራቢ ደረሰኝ የለም
DocType: Territory,For reference,ለማጣቀሻ
@@ -566,22 +572,22 @@
DocType: Installation Note Item,Installation Note Item,የአጫጫን ማስታወሻ ንጥል
DocType: Production Plan Item,Pending Qty,በመጠባበቅ ላይ ብዛት
DocType: Budget,Ignore,ችላ
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} ንቁ አይደለም
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} ንቁ አይደለም
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},ኤስ ኤም ኤስ የሚከተሉትን ቁጥሮች ላከ: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,የህትመት ማዋቀር ቼክ ልኬቶችን
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,የህትመት ማዋቀር ቼክ ልኬቶችን
DocType: Salary Slip,Salary Slip Timesheet,የቀጣሪ Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,ንዑስ-በኮንትራት የግዢ ደረሰኝ ለማግኘት የግዴታ በአቅራቢዎች መጋዘን
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,ንዑስ-በኮንትራት የግዢ ደረሰኝ ለማግኘት የግዴታ በአቅራቢዎች መጋዘን
DocType: Pricing Rule,Valid From,ከ የሚሰራ
DocType: Sales Invoice,Total Commission,ጠቅላላ ኮሚሽን
DocType: Pricing Rule,Sales Partner,የሽያጭ አጋር
DocType: Buying Settings,Purchase Receipt Required,የግዢ ደረሰኝ ያስፈልጋል
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,የመክፈቻ የአክሲዮን ገብቶ ከሆነ ግምቱ ተመን የግዴታ ነው
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,የመክፈቻ የአክሲዮን ገብቶ ከሆነ ግምቱ ተመን የግዴታ ነው
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,በ የደረሰኝ ሠንጠረዥ ውስጥ አልተገኘም ምንም መዝገቦች
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,በመጀመሪያ ኩባንያ እና የፓርቲ አይነት ይምረጡ
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,የፋይናንስ / የሂሳብ ዓመት ነው.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,የፋይናንስ / የሂሳብ ዓመት ነው.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,ሲጠራቀሙ እሴቶች
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","ይቅርታ, ተከታታይ ቁጥሮች ሊዋሃዱ አይችሉም"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,የሽያጭ ትዕዛዝ አድርግ
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,የሽያጭ ትዕዛዝ አድርግ
DocType: Project Task,Project Task,ፕሮጀክት ተግባር
,Lead Id,ቀዳሚ መታወቂያ
DocType: C-Form Invoice Detail,Grand Total,አጠቃላይ ድምር
@@ -598,7 +604,7 @@
DocType: Job Applicant,Resume Attachment,ከቆመበት ቀጥል አባሪ
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,ተደጋጋሚ ደንበኞች
DocType: Leave Control Panel,Allocate,አካፈለ
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,የሽያጭ ተመለስ
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,የሽያጭ ተመለስ
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,ማስታወሻ: ጠቅላላ የተመደበ ቅጠሎች {0} አስቀድሞ ተቀባይነት ቅጠሎች ያነሰ መሆን የለበትም {1} ወደ ጊዜ
DocType: Announcement,Posted By,በ ተለጥፏል
DocType: Item,Delivered by Supplier (Drop Ship),አቅራቢው ደርሷል (ጣል መርከብ)
@@ -608,8 +614,8 @@
DocType: Quotation,Quotation To,ወደ ጥቅስ
DocType: Lead,Middle Income,የመካከለኛ ገቢ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),በመክፈት ላይ (CR)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,እናንተ አስቀድሞ ከሌላ UOM አንዳንድ ግብይት (ዎች) ምክንያቱም ንጥል ለ ይለኩ ነባሪ ክፍል {0} በቀጥታ ሊቀየር አይችልም. የተለየ ነባሪ UOM ለመጠቀም አዲስ ንጥል መፍጠር አለብዎት.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,የተመደበ መጠን አሉታዊ መሆን አይችልም
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,እናንተ አስቀድሞ ከሌላ UOM አንዳንድ ግብይት (ዎች) ምክንያቱም ንጥል ለ ይለኩ ነባሪ ክፍል {0} በቀጥታ ሊቀየር አይችልም. የተለየ ነባሪ UOM ለመጠቀም አዲስ ንጥል መፍጠር አለብዎት.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,የተመደበ መጠን አሉታዊ መሆን አይችልም
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,ካምፓኒው ማዘጋጀት እባክዎ
DocType: Purchase Order Item,Billed Amt,የሚከፈል Amt
DocType: Training Result Employee,Training Result Employee,ስልጠና ውጤት ሰራተኛ
@@ -621,7 +627,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,ይምረጡ የክፍያ መለያ ባንክ የሚመዘገብ ለማድረግ
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","ቅጠሎች, ወጪዎች እና የመክፈል ዝርዝር ለማስተዳደር የሰራተኛ መዝገብ ይፍጠሩ"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,እውቀት ቤዝን ወደ አክል
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,ሐሳብ መጻፍ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,ሐሳብ መጻፍ
DocType: Payment Entry Deduction,Payment Entry Deduction,የክፍያ Entry ተቀናሽ
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,ሌላው የሽያጭ ሰው {0} ተመሳሳይ የሰራተኛ መታወቂያ ጋር አለ
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","የቁሳዊ ጥያቄዎች ውስጥ ይካተታል ንዑስ-ኮንትራት የሆኑ እቃዎች, ጥሬ ዕቃዎች ከተመረጠ"
@@ -635,7 +641,7 @@
DocType: Timesheet,Billed,የሚከፈል
DocType: Batch,Batch Description,ባች መግለጫ
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,የተማሪ ቡድኖችን መፍጠር
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","ክፍያ ማስተናገጃ መለያ አልተፈጠረም, በእጅ አንድ ፍጠር."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","ክፍያ ማስተናገጃ መለያ አልተፈጠረም, በእጅ አንድ ፍጠር."
DocType: Sales Invoice,Sales Taxes and Charges,የሽያጭ ግብሮች እና ክፍያዎች
DocType: Employee,Organization Profile,ድርጅት መገለጫ
DocType: Student,Sibling Details,እህትህ ዝርዝሮች
@@ -657,11 +663,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,ቆጠራ ውስጥ የተጣራ ለውጥ
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,የሰራተኛ የብድር አስተዳደር
DocType: Employee,Passport Number,የፓስፖርት ቁጥር
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Guardian2 ጋር በተያያዘ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,አስተዳዳሪ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2 ጋር በተያያዘ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,አስተዳዳሪ
DocType: Payment Entry,Payment From / To,/ ከ ወደ ክፍያ
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},አዲስ የክሬዲት ገደብ ለደንበኛው ከአሁኑ የላቀ መጠን ያነሰ ነው. የክሬዲት ገደብ ላይ ቢያንስ መሆን አለበት {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,ብዙ ጊዜ ተመሳሳይ ንጥል ገብቶ ነበር.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},አዲስ የክሬዲት ገደብ ለደንበኛው ከአሁኑ የላቀ መጠን ያነሰ ነው. የክሬዲት ገደብ ላይ ቢያንስ መሆን አለበት {0}
DocType: SMS Settings,Receiver Parameter,ተቀባይ መለኪያ
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,እና 'የቡድን በ' 'ላይ የተመሠረተ »ጋር ተመሳሳይ መሆን አይችልም
DocType: Sales Person,Sales Person Targets,የሽያጭ ሰው ዒላማዎች
@@ -670,8 +675,9 @@
DocType: Issue,Resolution Date,ጥራት ቀን
DocType: Student Batch Name,Batch Name,ባች ስም
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timesheet ተፈጥሯል:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},የክፍያ ሁነታ ላይ ነባሪ በጥሬ ገንዘብ ወይም በባንክ መለያ ማዘጋጀት እባክዎ {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},የክፍያ ሁነታ ላይ ነባሪ በጥሬ ገንዘብ ወይም በባንክ መለያ ማዘጋጀት እባክዎ {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,ይመዝገቡ
+DocType: GST Settings,GST Settings,GST ቅንብሮች
DocType: Selling Settings,Customer Naming By,በ የደንበኛ አሰያየም
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,የተማሪ ወርሃዊ ክትትል ሪፖርት ውስጥ ያቅርቡ ተማሪው ያሳያል
DocType: Depreciation Schedule,Depreciation Amount,የእርጅና መጠን
@@ -693,6 +699,7 @@
DocType: Item,Material Transfer,ቁሳዊ ማስተላለፍ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),በመክፈት ላይ (ዶክተር)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},መለጠፍ ማህተም በኋላ መሆን አለበት {0}
+,GST Itemised Purchase Register,GST የተሰሉ ግዢ ይመዝገቡ
DocType: Employee Loan,Total Interest Payable,ተከፋይ ጠቅላላ የወለድ
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ደረስን ወጪ ግብሮች እና ክፍያዎች
DocType: Production Order Operation,Actual Start Time,ትክክለኛው የማስጀመሪያ ሰዓት
@@ -719,10 +726,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
DocType: Account,Accounts,መለያዎች
DocType: Vehicle,Odometer Value (Last),ቆጣሪው ዋጋ (የመጨረሻ)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,ማርኬቲንግ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,ማርኬቲንግ
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,የክፍያ Entry አስቀድሞ የተፈጠረ ነው
DocType: Purchase Receipt Item Supplied,Current Stock,የአሁኑ የአክሲዮን
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},የረድፍ # {0}: {1} የንብረት ንጥል ጋር የተገናኘ አይደለም {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},የረድፍ # {0}: {1} የንብረት ንጥል ጋር የተገናኘ አይደለም {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,ቅድመ-የቀጣሪ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,መለያ {0} በርካታ ጊዜ ገብቷል ታይቷል
DocType: Account,Expenses Included In Valuation,ወጪዎች ግምቱ ውስጥ ተካቷል
@@ -730,7 +737,7 @@
,Absent Student Report,ብርቅ የተማሪ ሪፖርት
DocType: Email Digest,Next email will be sent on:,ቀጣይ ኢሜይል ላይ ይላካል:
DocType: Offer Letter Term,Offer Letter Term,ደብዳቤ የሚቆይበት ጊዜ ሊያቀርብ
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,ንጥል ተለዋጮች አለው.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,ንጥል ተለዋጮች አለው.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,ንጥል {0} አልተገኘም
DocType: Bin,Stock Value,የክምችት እሴት
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,ኩባንያ {0} የለም
@@ -739,7 +746,7 @@
DocType: Serial No,Warranty Expiry Date,የዋስትና የሚቃጠልበት ቀን
DocType: Material Request Item,Quantity and Warehouse,ብዛት እና መጋዘን
DocType: Sales Invoice,Commission Rate (%),ኮሚሽን ተመን (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,እባክዎ ይምረጡ ፕሮግራም
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,እባክዎ ይምረጡ ፕሮግራም
DocType: Project,Estimated Cost,የተገመተው ወጪ
DocType: Purchase Order,Link to material requests,ቁሳዊ ጥያቄዎች አገናኝ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,ኤሮስፔስ
@@ -753,14 +760,14 @@
DocType: Purchase Order,Supply Raw Materials,አቅርቦት ጥሬ እቃዎች
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,ቀጣዩ የክፍያ መጠየቂያ ይፈጠራል ከተደረገባቸው ቀን. ማስገባት ላይ የመነጨ ነው.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,የአሁኑ ንብረቶች
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} አንድ የአክሲዮን ንጥል አይደለም
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} አንድ የአክሲዮን ንጥል አይደለም
DocType: Mode of Payment Account,Default Account,ነባሪ መለያ
DocType: Payment Entry,Received Amount (Company Currency),ተቀብሏል መጠን (የኩባንያ የምንዛሬ)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,ዕድል አመራር የተሰራ ከሆነ ግንባር መዘጋጀት አለበት
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,ሳምንታዊ ጠፍቷል ቀን ይምረጡ
DocType: Production Order Operation,Planned End Time,የታቀደ መጨረሻ ሰዓት
,Sales Person Target Variance Item Group-Wise,የሽያጭ ሰው ዒላማ ልዩነት ንጥል ቡድን ጥበበኛ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,ነባር የግብይት ጋር መለያ ያሰኘንን ወደ ሊቀየር አይችልም
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,ነባር የግብይት ጋር መለያ ያሰኘንን ወደ ሊቀየር አይችልም
DocType: Delivery Note,Customer's Purchase Order No,ደንበኛ የግዢ ትዕዛዝ ምንም
DocType: Budget,Budget Against,በጀት ላይ
DocType: Employee,Cell Number,የእጅ ስልክ
@@ -772,15 +779,13 @@
DocType: Opportunity,Opportunity From,ከ አጋጣሚ
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,ወርሃዊ ደመወዝ መግለጫ.
DocType: BOM,Website Specifications,የድር ጣቢያ ዝርዝር
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,ማዋቀር ቁጥር ተከታታይ> Setup በኩል ክትትል ተከታታይ ቁጥር እባክዎ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: ከ {0} አይነት {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,ረድፍ {0}: የልወጣ ምክንያት የግዴታ ነው
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,ረድፍ {0}: የልወጣ ምክንያት የግዴታ ነው
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","በርካታ ዋጋ ደንቦች ተመሳሳይ መስፈርት ጋር አለ, ቅድሚያ ሰጥቷቸዋል ግጭት ለመፍታት ይሞክሩ. ዋጋ: ሕጎች: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,አቦዝን ወይም ሌሎች BOMs ጋር የተያያዘ ነው እንደ BOM ማስቀረት አይቻልም
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","በርካታ ዋጋ ደንቦች ተመሳሳይ መስፈርት ጋር አለ, ቅድሚያ ሰጥቷቸዋል ግጭት ለመፍታት ይሞክሩ. ዋጋ: ሕጎች: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,አቦዝን ወይም ሌሎች BOMs ጋር የተያያዘ ነው እንደ BOM ማስቀረት አይቻልም
DocType: Opportunity,Maintenance,ጥገና
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},ንጥል ያስፈልጋል የግዢ ደረሰኝ ቁጥር {0}
DocType: Item Attribute Value,Item Attribute Value,ንጥል ዋጋ የአይነት
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,የሽያጭ ዘመቻዎች.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Timesheet አድርግ
@@ -813,29 +818,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},ጆርናል Entry በኩል በመዛጉ ንብረት {0}
DocType: Employee Loan,Interest Income Account,የወለድ ገቢ መለያ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,ባዮቴክኖሎጂ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,ቢሮ ጥገና ወጪዎች
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,ቢሮ ጥገና ወጪዎች
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,የኢሜይል መለያ በማቀናበር ላይ
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,መጀመሪያ ንጥል ያስገቡ
DocType: Account,Liability,ኃላፊነት
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ማዕቀብ መጠን ረድፍ ውስጥ የይገባኛል ጥያቄ መጠን መብለጥ አይችልም {0}.
DocType: Company,Default Cost of Goods Sold Account,ጥሪታቸውንም እየሸጡ መለያ ነባሪ ዋጋ
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,የዋጋ ዝርዝር አልተመረጠም
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,የዋጋ ዝርዝር አልተመረጠም
DocType: Employee,Family Background,የቤተሰብ ዳራ
DocType: Request for Quotation Supplier,Send Email,ኢሜይል ይላኩ
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},ማስጠንቀቂያ: ልክ ያልሆነ አባሪ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},ማስጠንቀቂያ: ልክ ያልሆነ አባሪ {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,ምንም ፍቃድ
DocType: Company,Default Bank Account,ነባሪ የባንክ ሂሳብ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",የድግስ ላይ የተመሠረተ ለማጣራት ይምረጡ ፓርቲ በመጀመሪያ ይተይቡ
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},ንጥሎች በኩል ነፃ አይደለም; ምክንያቱም 'ያዘምኑ Stock' ሊረጋገጥ አልቻለም {0}
DocType: Vehicle,Acquisition Date,ማግኛ ቀን
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,ቁጥሮች
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,ቁጥሮች
DocType: Item,Items with higher weightage will be shown higher,ከፍተኛ weightage ጋር ንጥሎች ከፍተኛ ይታያል
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,ባንክ ማስታረቅ ዝርዝር
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,የረድፍ # {0}: የንብረት {1} መቅረብ አለበት
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,የረድፍ # {0}: የንብረት {1} መቅረብ አለበት
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,ምንም ሰራተኛ አልተገኘም
DocType: Supplier Quotation,Stopped,አቁሟል
DocType: Item,If subcontracted to a vendor,አንድ አቅራቢው subcontracted ከሆነ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,የተማሪ ቡድን አስቀድሞ የዘመነ ነው.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,የተማሪ ቡድን አስቀድሞ የዘመነ ነው.
DocType: SMS Center,All Customer Contact,ሁሉም የደንበኛ ያግኙን
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,CSV በኩል የአክሲዮን ቀሪ ይስቀሉ.
DocType: Warehouse,Tree Details,ዛፍ ዝርዝሮች
@@ -847,13 +852,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: የወጪ ማዕከል {2} ኩባንያ የእርሱ ወገን አይደለም {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: መለያ {2} አንድ ቡድን ሊሆን አይችልም
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,ንጥል ረድፍ {idx}: {doctype} {DOCNAME} ከላይ ውስጥ የለም '{doctype} »ሰንጠረዥ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Timesheet {0} አስቀድሞ የተጠናቀቁ ወይም ተሰርዟል
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} አስቀድሞ የተጠናቀቁ ወይም ተሰርዟል
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ምንም ተግባራት
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","ራስ መጠየቂያ 05, 28, ወዘተ ለምሳሌ ይፈጠራል ይህም ላይ ያለው ወር ቀን"
DocType: Asset,Opening Accumulated Depreciation,ክምችት መቀነስ በመክፈት ላይ
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,ነጥብ 5 ያነሰ ወይም እኩል መሆን አለበት
DocType: Program Enrollment Tool,Program Enrollment Tool,ፕሮግራም ምዝገባ መሣሪያ
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,ሲ-ቅጽ መዝገቦች
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,ሲ-ቅጽ መዝገቦች
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,የደንበኛ እና አቅራቢው
DocType: Email Digest,Email Digest Settings,የኢሜይል ጥንቅር ቅንብሮች
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,የእርስዎን ንግድ እናመሰግናለን!
@@ -863,17 +868,19 @@
DocType: Bin,Moving Average Rate,አማካኝ ደረጃ በመውሰድ ላይ
DocType: Production Planning Tool,Select Items,ይምረጡ ንጥሎች
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} ቢል ላይ {1} የተዘጋጀው {2}
+DocType: Program Enrollment,Vehicle/Bus Number,ተሽከርካሪ / የአውቶቡስ ቁጥር
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,የኮርስ ፕሮግራም
DocType: Maintenance Visit,Completion Status,የማጠናቀቂያ ሁኔታ
DocType: HR Settings,Enter retirement age in years,ዓመታት ውስጥ ጡረታ ዕድሜ ያስገቡ
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,ዒላማ መጋዘን
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,አንድ መጋዘን ይምረጡ
DocType: Cheque Print Template,Starting location from left edge,ግራ ጠርዝ አካባቢ በመጀመር ላይ
DocType: Item,Allow over delivery or receipt upto this percent,ይህ በመቶ እስከሁለት ርክክብ ወይም ደረሰኝ ላይ ፍቀድ
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,አስመጣ ክትትል
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,ሁሉም ንጥል ቡድኖች
DocType: Process Payroll,Activity Log,የእንቅስቃሴ ምዝግብ ማስታወሻ
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,የተጣራ ትርፍ / ማጣት
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,የተጣራ ትርፍ / ማጣት
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,በራስ-ሰር ግብይቶች ማቅረቢያ ላይ መልዕክት ያዘጋጁ.
DocType: Production Order,Item To Manufacture,ንጥል ለማምረት
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} ሁኔታ {2} ነው
@@ -882,16 +889,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,ክፍያ ትዕዛዝ መግዛት
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,ፕሮጀክት ብዛት
DocType: Sales Invoice,Payment Due Date,ክፍያ መጠናቀቅ ያለበት ቀን
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,ንጥል ተለዋጭ {0} ቀድሞውኑ ተመሳሳይ ባሕርያት ጋር አለ
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,ንጥል ተለዋጭ {0} ቀድሞውኑ ተመሳሳይ ባሕርያት ጋር አለ
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','በመክፈት ላይ'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,ማድረግ ወደ ክፈት
DocType: Notification Control,Delivery Note Message,የመላኪያ ማስታወሻ መልዕክት
DocType: Expense Claim,Expenses,ወጪ
+,Support Hours,ድጋፍ ሰዓቶች
DocType: Item Variant Attribute,Item Variant Attribute,ንጥል ተለዋጭ መገለጫ ባህሪ
,Purchase Receipt Trends,የግዢ ደረሰኝ በመታየት ላይ ያሉ
DocType: Process Payroll,Bimonthly,በሚካሄዴ
DocType: Vehicle Service,Brake Pad,የብሬክ ፓድ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,የጥናት ምርምር እና ልማት
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,የጥናት ምርምር እና ልማት
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,ቢል የገንዘብ መጠን
DocType: Company,Registration Details,ምዝገባ ዝርዝሮች
DocType: Timesheet,Total Billed Amount,ጠቅላላ የሚከፈል መጠን
@@ -904,12 +912,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,ብቻ ጥሬ እቃዎች ያግኙ
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,የአፈጻጸም መርምር.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",ማንቃት ወደ ግዢ ሳጥን ጨመር የነቃ ነው እንደ 'ወደ ግዢ ሳጥን ጨመር ተጠቀም' እና ወደ ግዢ ሳጥን ጨመር ቢያንስ አንድ የግብር ሕግ ሊኖር ይገባል
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",የክፍያ Entry {0} ትዕዛዝ በዚህ መጠየቂያ ውስጥ አስቀድሞ እንደ አፈረሰ ያለበት ከሆነ {1} ፈትሽ ላይ የተያያዘ ነው.
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",የክፍያ Entry {0} ትዕዛዝ በዚህ መጠየቂያ ውስጥ አስቀድሞ እንደ አፈረሰ ያለበት ከሆነ {1} ፈትሽ ላይ የተያያዘ ነው.
DocType: Sales Invoice Item,Stock Details,የክምችት ዝርዝሮች
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,የፕሮጀክት ዋጋ
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,ነጥብ-መካከል-ሽያጭ
DocType: Vehicle Log,Odometer Reading,ቆጣሪው ንባብ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","አስቀድሞ የሥዕል ውስጥ ቀሪ ሒሳብ, አንተ 'ዴቢት' እንደ 'ሚዛናዊነት መሆን አለበት' እንዲያዘጋጁ ያልተፈቀደላቸው ነው"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","አስቀድሞ የሥዕል ውስጥ ቀሪ ሒሳብ, አንተ 'ዴቢት' እንደ 'ሚዛናዊነት መሆን አለበት' እንዲያዘጋጁ ያልተፈቀደላቸው ነው"
DocType: Account,Balance must be,ቀሪ መሆን አለበት
DocType: Hub Settings,Publish Pricing,የዋጋ አትም
DocType: Notification Control,Expense Claim Rejected Message,ወጪ የይገባኛል ጥያቄ ውድቅ መልዕክት
@@ -919,7 +927,7 @@
DocType: Salary Slip,Working Days,ተከታታይ የስራ ቀናት
DocType: Serial No,Incoming Rate,ገቢ ተመን
DocType: Packing Slip,Gross Weight,ጠቅላላ ክብደት
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,የእርስዎን ኩባንያ ስም ስለ እናንተ ይህ ሥርዓት ማዋቀር ነው.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,የእርስዎን ኩባንያ ስም ስለ እናንተ ይህ ሥርዓት ማዋቀር ነው.
DocType: HR Settings,Include holidays in Total no. of Working Days,ምንም ጠቅላላ በዓላት ያካትቱ. የስራ ቀናት
DocType: Job Applicant,Hold,ያዝ
DocType: Employee,Date of Joining,በመቀላቀል ቀን
@@ -930,20 +938,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,የግዢ ደረሰኝ
,Received Items To Be Billed,ተቀብሏል ንጥሎች እንዲከፍሉ ለማድረግ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,ገብቷል ደመወዝ ቡቃያ
-DocType: Employee,Ms,ወይዘሪት
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,ምንዛሬ ተመን ጌታቸው.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},ማጣቀሻ Doctype ውስጥ አንዱ መሆን አለበት {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,ምንዛሬ ተመን ጌታቸው.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},ማጣቀሻ Doctype ውስጥ አንዱ መሆን አለበት {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},ድርጊቱ ለ ቀጣዩ {0} ቀናት ውስጥ ጊዜ ማስገቢያ ማግኘት አልተቻለም {1}
DocType: Production Order,Plan material for sub-assemblies,ንዑስ-አብያተ ክርስቲያናት ለ እቅድ ቁሳዊ
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,የሽያጭ አጋሮች እና ግዛት
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,አስቀድሞ መለያ ውስጥ የአክሲዮን ሚዛን አለ እንደ በራስ-ሰር መለያ መፍጠር አይችሉም. በዚህ መጋዘን ላይ አንድ ግቤት ማድረግ ከመቻልዎ በፊት የ የሚዛመድ መለያ መፍጠር አለብዎት
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} ገባሪ መሆን አለበት
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} ገባሪ መሆን አለበት
DocType: Journal Entry,Depreciation Entry,የእርጅና Entry
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,በመጀመሪያ ስለ ሰነዱ አይነት ይምረጡ
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,ይህ ጥገና ይጎብኙ በመሰረዝ በፊት ይቅር ቁሳዊ ጥገናዎች {0}
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},ተከታታይ አይ {0} ንጥል የእርሱ ወገን አይደለም {1}
DocType: Purchase Receipt Item Supplied,Required Qty,ያስፈልጋል ብዛት
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,አሁን ያሉ ግብይት ጋር መጋዘኖችን የመቁጠር ወደ ሊቀየር አይችልም.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,አሁን ያሉ ግብይት ጋር መጋዘኖችን የመቁጠር ወደ ሊቀየር አይችልም.
DocType: Bank Reconciliation,Total Amount,አጠቃላይ ድምሩ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,የኢንተርኔት ህትመት
DocType: Production Planning Tool,Production Orders,የምርት ትዕዛዞች
@@ -958,25 +964,26 @@
DocType: Fee Structure,Components,ክፍሎች
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},ንጥል ውስጥ የንብረት ምድብ ያስገቡ {0}
DocType: Quality Inspection Reading,Reading 6,6 ማንበብ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,አይደለም {0} {1} {2} ያለ ማንኛውም አሉታዊ ግሩም መጠየቂያ ማድረግ ይችላል
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,አይደለም {0} {1} {2} ያለ ማንኛውም አሉታዊ ግሩም መጠየቂያ ማድረግ ይችላል
DocType: Purchase Invoice Advance,Purchase Invoice Advance,የደረሰኝ የቅድሚያ ግዢ
DocType: Hub Settings,Sync Now,አሁን አመሳስል
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},ረድፍ {0}: የሥዕል ግቤት ጋር ሊገናኝ አይችልም አንድ {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,አንድ የገንዘብ ዓመት በጀት ይግለጹ.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,አንድ የገንዘብ ዓመት በጀት ይግለጹ.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,ይህ ሁነታ በሚመረጥ ጊዜ ነባሪ ባንክ / በጥሬ ገንዘብ መለያ በራስ-ሰር POS ደረሰኝ ውስጥ ይዘምናል.
DocType: Lead,LEAD-,LEAD-
DocType: Employee,Permanent Address Is,ቋሚ አድራሻ ነው
DocType: Production Order Operation,Operation completed for how many finished goods?,ድርጊቱ ምን ያህል ያለቀላቸው ሸቀጦች ሥራ ከተጠናቀቀ?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,የምርት
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,የምርት
DocType: Employee,Exit Interview Details,መውጫ ቃለ ዝርዝሮች
DocType: Item,Is Purchase Item,የግዢ ንጥል ነው
DocType: Asset,Purchase Invoice,የግዢ ደረሰኝ
DocType: Stock Ledger Entry,Voucher Detail No,የቫውቸር ዝርዝር የለም
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,አዲስ የሽያጭ ደረሰኝ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,አዲስ የሽያጭ ደረሰኝ
DocType: Stock Entry,Total Outgoing Value,ጠቅላላ የወጪ ዋጋ
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,ቀን እና መዝጊያ ቀን በመክፈት ተመሳሳይ በጀት ዓመት ውስጥ መሆን አለበት
DocType: Lead,Request for Information,መረጃ ጥያቄ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,አመሳስል ከመስመር ደረሰኞች
+,LeaderBoard,የመሪዎች ሰሌዳ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,አመሳስል ከመስመር ደረሰኞች
DocType: Payment Request,Paid,የሚከፈልበት
DocType: Program Fee,Program Fee,ፕሮግራም ክፍያ
DocType: Salary Slip,Total in words,ቃላት ውስጥ አጠቃላይ
@@ -985,13 +992,13 @@
DocType: Cheque Print Template,Has Print Format,አትም ቅርጸት አለው
DocType: Employee Loan,Sanctioned,ማዕቀብ
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,የግዴታ ነው. ምናልባት የገንዘብ ምንዛሪ መዝገብ አልተፈጠረም ነው
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},የረድፍ # {0}: ንጥል ምንም መለያ ይግለጹ {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","«የምርት ጥቅል 'ንጥሎች, መጋዘን, መለያ የለም እና ባች ምንም የ« ማሸጊያ ዝርዝር »ማዕድ ይብራራል. መጋዘን እና የጅምላ የለም ማንኛውም 'የምርት ጥቅል' ንጥል ሁሉ ማሸጊያ ንጥሎች ተመሳሳይ ከሆነ, እነዚህ እሴቶች በዋናው ንጥል ሰንጠረዥ ውስጥ ገብቶ ሊሆን ይችላል, እሴቶች ማዕድ 'ዝርዝር ማሸግ' ይገለበጣሉ."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},የረድፍ # {0}: ንጥል ምንም መለያ ይግለጹ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","«የምርት ጥቅል 'ንጥሎች, መጋዘን, መለያ የለም እና ባች ምንም የ« ማሸጊያ ዝርዝር »ማዕድ ይብራራል. መጋዘን እና የጅምላ የለም ማንኛውም 'የምርት ጥቅል' ንጥል ሁሉ ማሸጊያ ንጥሎች ተመሳሳይ ከሆነ, እነዚህ እሴቶች በዋናው ንጥል ሰንጠረዥ ውስጥ ገብቶ ሊሆን ይችላል, እሴቶች ማዕድ 'ዝርዝር ማሸግ' ይገለበጣሉ."
DocType: Job Opening,Publish on website,ድር ላይ ያትሙ
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,ደንበኞች ወደ ላኩ.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,አቅራቢው ደረሰኝ ቀን መለጠፍ ቀን በላይ ሊሆን አይችልም
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,አቅራቢው ደረሰኝ ቀን መለጠፍ ቀን በላይ ሊሆን አይችልም
DocType: Purchase Invoice Item,Purchase Order Item,ትዕዛዝ ንጥል ይግዙ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,ቀጥተኛ ያልሆነ ገቢ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,ቀጥተኛ ያልሆነ ገቢ
DocType: Student Attendance Tool,Student Attendance Tool,የተማሪ የትምህርት ክትትል መሣሪያ
DocType: Cheque Print Template,Date Settings,ቀን ቅንብሮች
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,ልዩነት
@@ -1009,20 +1016,20 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,ኬሚካል
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,ይህ ሁነታ በሚመረጥ ጊዜ ነባሪ ባንክ / በጥሬ ገንዘብ መለያ በራስ-ሰር ደመወዝ ጆርናል የሚመዘገብ ውስጥ ይዘምናል.
DocType: BOM,Raw Material Cost(Company Currency),ጥሬ ሐሳብ ወጪ (የኩባንያ የምንዛሬ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,ሁሉም ንጥሎች አስቀድሞ በዚህ የምርት ትዕዛዝ ለ ተላልፈዋል.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,ሁሉም ንጥሎች አስቀድሞ በዚህ የምርት ትዕዛዝ ለ ተላልፈዋል.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},የረድፍ # {0}: ተመን ላይ የዋለውን መጠን መብለጥ አይችልም {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,መቁጠሪያ
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,መቁጠሪያ
DocType: Workstation,Electricity Cost,ኤሌክትሪክ ወጪ
DocType: HR Settings,Don't send Employee Birthday Reminders,የተቀጣሪ የልደት አስታዋሾች አትላክ
DocType: Item,Inspection Criteria,የምርመራ መስፈርት
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,ተዘዋውሯል
DocType: BOM Website Item,BOM Website Item,BOM የድር ጣቢያ ንጥል
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,የእርስዎን ደብዳቤ ራስ እና አርማ ይስቀሉ. (ቆይተው አርትዕ ማድረግ ይችላሉ).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,የእርስዎን ደብዳቤ ራስ እና አርማ ይስቀሉ. (ቆይተው አርትዕ ማድረግ ይችላሉ).
DocType: Timesheet Detail,Bill,ቢል
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,ቀጣይ የእርጅና ቀን ባለፈው ቀን እንደ ገባ ነው
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,ነጭ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,ነጭ
DocType: SMS Center,All Lead (Open),ሁሉም ቀዳሚ (ክፈት)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ረድፍ {0}: ለ ብዛት አይገኝም {4} መጋዘን ውስጥ {1} መግቢያ ጊዜ መለጠፍ (በ {2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ረድፍ {0}: ለ ብዛት አይገኝም {4} መጋዘን ውስጥ {1} መግቢያ ጊዜ መለጠፍ (በ {2} {3})
DocType: Purchase Invoice,Get Advances Paid,እድገት የሚከፈልበት ያግኙ
DocType: Item,Automatically Create New Batch,በራስ-ሰር አዲስ ባች ፍጠር
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,አድርግ
@@ -1032,13 +1039,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,የእኔ ጨመር
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},ትዕዛዝ አይነት ውስጥ አንዱ መሆን አለበት {0}
DocType: Lead,Next Contact Date,ቀጣይ የእውቂያ ቀን
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,ብዛት በመክፈት ላይ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,ለውጥ መጠን ለ መለያ ያስገቡ
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,ብዛት በመክፈት ላይ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,ለውጥ መጠን ለ መለያ ያስገቡ
DocType: Student Batch Name,Student Batch Name,የተማሪ የቡድን ስም
DocType: Holiday List,Holiday List Name,የበዓል ዝርዝር ስም
DocType: Repayment Schedule,Balance Loan Amount,ቀሪ የብድር መጠን
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,መርሐግብር ኮርስ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,የክምችት አማራጮች
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,የክምችት አማራጮች
DocType: Journal Entry Account,Expense Claim,የወጪ የይገባኛል ጥያቄ
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,በእርግጥ ይህን በመዛጉ ንብረት እነበረበት መመለስ ትፈልጋለህ?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},ለ ብዛት {0}
@@ -1050,12 +1057,12 @@
DocType: Company,Default Terms,ነባሪ ውል
DocType: Packing Slip Item,Packing Slip Item,ማሸጊያ የማያፈስ ንጥል
DocType: Purchase Invoice,Cash/Bank Account,በጥሬ ገንዘብ / የባንክ መለያ
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},ይጥቀሱ እባክዎ {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},ይጥቀሱ እባክዎ {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,ብዛት ወይም ዋጋ ላይ ምንም ለውጥ ጋር የተወገዱ ንጥሎች.
DocType: Delivery Note,Delivery To,ወደ መላኪያ
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,አይነታ ሠንጠረዥ የግዴታ ነው
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,አይነታ ሠንጠረዥ የግዴታ ነው
DocType: Production Planning Tool,Get Sales Orders,የሽያጭ ትዕዛዞች ያግኙ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} አሉታዊ መሆን አይችልም
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} አሉታዊ መሆን አይችልም
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,የዋጋ ቅናሽ
DocType: Asset,Total Number of Depreciations,Depreciations አጠቃላይ ብዛት
DocType: Sales Invoice Item,Rate With Margin,ኅዳግ ጋር ፍጥነት
@@ -1075,7 +1082,6 @@
DocType: Serial No,Creation Document No,ፍጥረት ሰነድ የለም
DocType: Issue,Issue,ርዕሰ ጉዳይ
DocType: Asset,Scrapped,በመዛጉ
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,መለያ ኩባንያ ጋር አይዛመድም
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","ንጥል አይነቶች ለ ባህርያት. ለምሳሌ መጠን, ቀለም ወዘተ"
DocType: Purchase Invoice,Returns,ይመልሳል
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP መጋዘን
@@ -1087,12 +1093,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,ንጥል አዝራር 'የግዢ ደረሰኞች ከ ንጥሎች ያግኙ' በመጠቀም መታከል አለበት
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,ያልሆኑ-የአክሲዮን ንጥሎችን አካትት
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,የሽያጭ ወጪዎች
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,የሽያጭ ወጪዎች
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,መደበኛ ሊገዙ
DocType: GL Entry,Against,ላይ
DocType: Item,Default Selling Cost Center,ነባሪ ሽያጭ ወጪ ማዕከል
DocType: Sales Partner,Implementation Partner,የትግበራ አጋር
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,አካባቢያዊ መለያ ቁጥር
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,አካባቢያዊ መለያ ቁጥር
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},የሽያጭ ትዕዛዝ {0} ነው {1}
DocType: Opportunity,Contact Info,የመገኛ አድራሻ
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,የክምችት ግቤቶችን ማድረግ
@@ -1105,31 +1111,31 @@
DocType: Holiday List,Get Weekly Off Dates,ሳምንታዊ ጠፍቷል ቀኖች ያግኙ
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,የማብቂያ ቀን ከመጀመሪያ ቀን ያነሰ መሆን አይችልም
DocType: Sales Person,Select company name first.,በመጀመሪያ ይምረጡ የኩባንያ ስም.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,ዶ
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,ጥቅሶች አቅራቢዎች ደርሷል.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},ወደ {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,አማካይ ዕድሜ
DocType: School Settings,Attendance Freeze Date,በስብሰባው እሰር ቀን
DocType: Opportunity,Your sales person who will contact the customer in future,ወደፊት ደንበኛው ማነጋገር ማን የእርስዎ የሽያጭ ሰው
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,የእርስዎ አቅራቢዎች መካከል ጥቂቶቹን ዘርዝር. እነዚህ ድርጅቶች ወይም ግለሰቦች ሊሆን ይችላል.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,የእርስዎ አቅራቢዎች መካከል ጥቂቶቹን ዘርዝር. እነዚህ ድርጅቶች ወይም ግለሰቦች ሊሆን ይችላል.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,ሁሉም ምርቶች ይመልከቱ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),ዝቅተኛው ሊድ ዕድሜ (ቀኖች)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,ሁሉም BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,ሁሉም BOMs
DocType: Company,Default Currency,ነባሪ ምንዛሬ
DocType: Expense Claim,From Employee,የሰራተኛ ከ
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,ማስጠንቀቂያ: የስርዓት ንጥል ለ መጠን ጀምሮ overbilling ይመልከቱ በ {0} ውስጥ {1} ዜሮ ነው
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,ማስጠንቀቂያ: የስርዓት ንጥል ለ መጠን ጀምሮ overbilling ይመልከቱ በ {0} ውስጥ {1} ዜሮ ነው
DocType: Journal Entry,Make Difference Entry,ለችግሮችህ Entry አድርግ
DocType: Upload Attendance,Attendance From Date,ቀን ጀምሮ በስብሰባው
DocType: Appraisal Template Goal,Key Performance Area,ቁልፍ አፈጻጸም አካባቢ
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,መጓጓዣ
+DocType: Program Enrollment,Transportation,መጓጓዣ
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,ልክ ያልሆነ መገለጫ ባህሪ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} መቅረብ አለበት
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} መቅረብ አለበት
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},ብዛት ይልቅ ያነሰ ወይም እኩል መሆን አለበት {0}
DocType: SMS Center,Total Characters,ጠቅላላ ቁምፊዎች
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},ንጥል ለ BOM መስክ ውስጥ BOM ይምረጡ {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},ንጥል ለ BOM መስክ ውስጥ BOM ይምረጡ {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,ሲ-ቅጽ የደረሰኝ ዝርዝር
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ክፍያ እርቅ ደረሰኝ
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,አስተዋጽዖ%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","የ ሊገዙ ቅንብሮች መሠረት የግዢ ትዕዛዝ ያስፈልጋል ከሆነ == 'አዎ' ከዚያም የግዥ ደረሰኝ ለመፍጠር, የተጠቃሚ ንጥል መጀመሪያ የግዢ ትዕዛዝ መፍጠር አለብዎት {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,የእርስዎ ማጣቀሻ የኩባንያ ምዝገባ ቁጥሮች. የግብር ቁጥሮች ወዘተ
DocType: Sales Partner,Distributor,አከፋፋይ
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ወደ ግዢ ሳጥን ጨመር መላኪያ ደንብ
@@ -1138,23 +1144,25 @@
,Ordered Items To Be Billed,የዕቃው ንጥሎች እንዲከፍሉ ለማድረግ
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,ክልል ያነሰ መሆን አለበት ከ ይልቅ ወደ ክልል
DocType: Global Defaults,Global Defaults,ዓለም አቀፍ ነባሪዎች
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,ፕሮጀክት ትብብር ማስታወቂያ
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,ፕሮጀክት ትብብር ማስታወቂያ
DocType: Salary Slip,Deductions,ቅናሽ
DocType: Leave Allocation,LAL/,ሱንደር /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,የጀመረበት ዓመት
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},GSTIN የመጀመሪያው 2 አሃዞች ስቴት ቁጥር ጋር መዛመድ አለበት {0}
DocType: Purchase Invoice,Start date of current invoice's period,የአሁኑ መጠየቂያ ያለው ጊዜ የመጀመሪያ ቀን
DocType: Salary Slip,Leave Without Pay,Pay ያለ ውጣ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,የአቅም ዕቅድ ስህተት
,Trial Balance for Party,ፓርቲው በችሎት ባላንስ
DocType: Lead,Consultant,አማካሪ
DocType: Salary Slip,Earnings,ገቢዎች
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,ተጠናቅቋል ንጥል {0} ማምረት አይነት መግቢያ መግባት አለበት
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,ተጠናቅቋል ንጥል {0} ማምረት አይነት መግቢያ መግባት አለበት
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,የመክፈቻ ዲግሪ ቀሪ
+,GST Sales Register,GST የሽያጭ መመዝገቢያ
DocType: Sales Invoice Advance,Sales Invoice Advance,የሽያጭ ደረሰኝ የቅድሚያ
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,ምንም ነገር መጠየቅ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},ሌላው የበጀት መዝገብ «{0}» አስቀድሞ ላይ አለ {1} «{2}» በጀት ዓመት ለ {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date','ትክክለኛው የማስጀመሪያ ቀን' 'ትክክለኛው መጨረሻ ቀን' በላይ ሊሆን አይችልም
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,አስተዳደር
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,አስተዳደር
DocType: Cheque Print Template,Payer Settings,ከፋዩ ቅንብሮች
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","ይህ ተለዋጭ ያለውን ንጥል ኮድ ተጨምሯል ይሆናል. የእርስዎ በምህፃረ ቃል "SM" ነው; ለምሳሌ ያህል, ንጥል ኮድ "ቲሸርት", "ቲሸርት-SM" ይሆናል ተለዋጭ ያለውን ንጥል ኮድ ነው"
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,የ የቀጣሪ ለማዳን አንዴ (ቃላት) የተጣራ ክፍያ የሚታይ ይሆናል.
@@ -1171,8 +1179,8 @@
DocType: Employee Loan,Partially Disbursed,በከፊል በመገኘቱ
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,አቅራቢው ጎታ.
DocType: Account,Balance Sheet,ወጭና ገቢ ሂሳብ መመዝገቢያ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ','ንጥል ኮድ ጋር ንጥል ለማግኘት ማዕከል ያስከፍላል
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","የክፍያ ሁነታ አልተዋቀረም. የመለያ ክፍያዎች ሁነታ ላይ ወይም POS መገለጫ ላይ ተዘጋጅቷል እንደሆነ, ያረጋግጡ."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ','ንጥል ኮድ ጋር ንጥል ለማግኘት ማዕከል ያስከፍላል
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","የክፍያ ሁነታ አልተዋቀረም. የመለያ ክፍያዎች ሁነታ ላይ ወይም POS መገለጫ ላይ ተዘጋጅቷል እንደሆነ, ያረጋግጡ."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,የእርስዎ የሽያጭ ሰው የደንበኛ ለማነጋገር በዚህ ቀን ላይ አስታዋሽ ያገኛሉ
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,ብዙ ጊዜ ተመሳሳይ ንጥል ሊገቡ አይችሉም.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","ተጨማሪ መለያዎች ቡድኖች ስር ሊሆን ይችላል, ነገር ግን ግቤቶች ያልሆኑ ቡድኖች ላይ ሊሆን ይችላል"
@@ -1180,7 +1188,7 @@
DocType: Email Digest,Payables,Payables
DocType: Course,Course Intro,የኮርስ መግቢያ
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,የክምችት Entry {0} ተፈጥሯል
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,የረድፍ # {0}: ብዛት ግዢ መመለስ ውስጥ ገብቶ ሊሆን አይችልም ተቀባይነት አላገኘም
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,የረድፍ # {0}: ብዛት ግዢ መመለስ ውስጥ ገብቶ ሊሆን አይችልም ተቀባይነት አላገኘም
,Purchase Order Items To Be Billed,የግዢ ትዕዛዝ ንጥሎች እንዲከፍሉ ለማድረግ
DocType: Purchase Invoice Item,Net Rate,የተጣራ ተመን
DocType: Purchase Invoice Item,Purchase Invoice Item,የደረሰኝ ንጥል ይግዙ
@@ -1205,7 +1213,7 @@
DocType: Sales Order,SO-,ነቅሸ
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,መጀመሪያ ቅድመ ቅጥያ ይምረጡ
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,ምርምር
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,ምርምር
DocType: Maintenance Visit Purpose,Work Done,ሥራ ተከናውኗል
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,በ አይነታዎች ሰንጠረዥ ውስጥ ቢያንስ አንድ መገለጫ ባህሪ ይግለጹ
DocType: Announcement,All Students,ሁሉም ተማሪዎች
@@ -1213,17 +1221,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,ይመልከቱ የሒሳብ መዝገብ
DocType: Grading Scale,Intervals,ክፍተቶች
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,የጥንቶቹ
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","አንድ ንጥል ቡድን በተመሳሳይ ስም አለ, ወደ ንጥል ስም መቀየር ወይም ንጥል ቡድን ዳግም መሰየም እባክዎ"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,የተማሪ የተንቀሳቃሽ ስልክ ቁጥር
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,ወደ ተቀረው ዓለም
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","አንድ ንጥል ቡድን በተመሳሳይ ስም አለ, ወደ ንጥል ስም መቀየር ወይም ንጥል ቡድን ዳግም መሰየም እባክዎ"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,የተማሪ የተንቀሳቃሽ ስልክ ቁጥር
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,ወደ ተቀረው ዓለም
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,የ ንጥል {0} ባች ሊኖረው አይችልም
,Budget Variance Report,በጀት ልዩነት ሪፖርት
DocType: Salary Slip,Gross Pay,አጠቃላይ ክፍያ
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,ረድፍ {0}: የእንቅስቃሴ አይነት የግዴታ ነው.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,ትርፍ የሚከፈልበት
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,ትርፍ የሚከፈልበት
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,አካውንቲንግ የሒሳብ መዝገብ
DocType: Stock Reconciliation,Difference Amount,ልዩነት መጠን
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,የያዛችሁባቸው ተይዞባቸዋል ገቢዎች
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,የያዛችሁባቸው ተይዞባቸዋል ገቢዎች
DocType: Vehicle Log,Service Detail,የአገልግሎት ዝርዝር
DocType: BOM,Item Description,ንጥል መግለጫ
DocType: Student Sibling,Student Sibling,የተማሪ ወይም እህቴ
@@ -1237,11 +1245,11 @@
DocType: Opportunity Item,Opportunity Item,አጋጣሚ ንጥል
,Student and Guardian Contact Details,የተማሪ እና አሳዳጊ ያግኙን ዝርዝሮች
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,ረድፍ {0}: አቅራቢ ለማግኘት {0} የኢሜይል አድራሻ ኢሜይል መላክ ያስፈልጋል
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,ጊዜያዊ በመክፈት ላይ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,ጊዜያዊ በመክፈት ላይ
,Employee Leave Balance,የሰራተኛ ፈቃድ ሒሳብ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},መለያ ቀሪ {0} ሁልጊዜ መሆን አለበት {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},ረድፍ ውስጥ ንጥል ያስፈልጋል ከግምቱ ተመን {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,ምሳሌ: የኮምፒውተር ሳይንስ ሊቃውንት
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,ምሳሌ: የኮምፒውተር ሳይንስ ሊቃውንት
DocType: Purchase Invoice,Rejected Warehouse,ውድቅ መጋዘን
DocType: GL Entry,Against Voucher,ቫውቸር ላይ
DocType: Item,Default Buying Cost Center,ነባሪ መግዛትና ወጪ ማዕከል
@@ -1254,31 +1262,30 @@
DocType: Journal Entry,Get Outstanding Invoices,ያልተከፈሉ ደረሰኞች ያግኙ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,የሽያጭ ትዕዛዝ {0} ልክ ያልሆነ ነው
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,የግዢ ትዕዛዞች ዕቅድ ለማገዝ እና ግዢዎች ላይ መከታተል
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","ይቅርታ, ኩባንያዎች ይዋሃዳሉ አይችልም"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","ይቅርታ, ኩባንያዎች ይዋሃዳሉ አይችልም"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",ሐሳብ ጥያቄ ውስጥ ጠቅላላ እትም / ማስተላለፍ ብዛት {0} {1} \ ንጥል ለ የተጠየቀው ብዛት {2} በላይ ሊሆን አይችልም {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,ትንሽ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,ትንሽ
DocType: Employee,Employee Number,የሰራተኛ ቁጥር
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},የጉዳይ አይ (ዎች) አስቀድሞ ስራ ላይ ነው. መያዣ ማንም ከ ይሞክሩ {0}
DocType: Project,% Completed,% ተጠናቋል
,Invoiced Amount (Exculsive Tax),በደረሰኝ የተቀመጠው መጠን (Exculsive ታክስ)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,ንጥል 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,የመለያ ራስ {0} ተፈጥሯል
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,ስልጠና ክስተት
DocType: Item,Auto re-order,ራስ-ዳግም-ትዕዛዝ
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,ጠቅላላ አሳክቷል
DocType: Employee,Place of Issue,ችግር ስፍራ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,ስምምነት
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,ስምምነት
DocType: Email Digest,Add Quote,Quote አክል
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},UOM ያስፈልጋል UOM coversion ምክንያት: {0} ንጥል ውስጥ: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,በተዘዋዋሪ ወጪዎች
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM ያስፈልጋል UOM coversion ምክንያት: {0} ንጥል ውስጥ: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,በተዘዋዋሪ ወጪዎች
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,ረድፍ {0}: ብዛት የግዴታ ነው
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,ግብርና
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,አመሳስል መምህር ውሂብ
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,የእርስዎ ምርቶች ወይም አገልግሎቶች
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,አመሳስል መምህር ውሂብ
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,የእርስዎ ምርቶች ወይም አገልግሎቶች
DocType: Mode of Payment,Mode of Payment,የክፍያ ሁነታ
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,የድር ጣቢያ ምስል ይፋዊ ፋይል ወይም ድር ጣቢያ ዩ አር ኤል መሆን አለበት
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,የድር ጣቢያ ምስል ይፋዊ ፋይል ወይም ድር ጣቢያ ዩ አር ኤል መሆን አለበት
DocType: Student Applicant,AP,የ AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,ይህ ሥር ንጥል ቡድን ነው እና አርትዕ ሊደረግ አይችልም.
@@ -1287,17 +1294,17 @@
DocType: Warehouse,Warehouse Contact Info,መጋዘን የእውቂያ መረጃ
DocType: Payment Entry,Write Off Difference Amount,ለችግሮችህ መጠን ጠፍቷል ይጻፉ
DocType: Purchase Invoice,Recurring Type,ተደጋጋሚ አይነት
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent",{0}: የሰራተኛ ኢሜይል አልተገኘም: ከዚህ አልተላከም ኢሜይል
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent",{0}: የሰራተኛ ኢሜይል አልተገኘም: ከዚህ አልተላከም ኢሜይል
DocType: Item,Foreign Trade Details,የውጭ ንግድ ዝርዝሮች
DocType: Email Digest,Annual Income,አመታዊ ገቢ
DocType: Serial No,Serial No Details,ተከታታይ ምንም ዝርዝሮች
DocType: Purchase Invoice Item,Item Tax Rate,ንጥል የግብር ተመን
DocType: Student Group Student,Group Roll Number,የቡድን ጥቅል ቁጥር
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",{0}: ብቻ የክሬዲት መለያዎች ሌላ ዴቢት ግቤት ላይ የተገናኘ ሊሆን ይችላል
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,ሁሉ ተግባር ክብደት ጠቅላላ 1. መሰረት በሁሉም የፕሮጀክቱ ተግባራት ክብደት ለማስተካከል እባክዎ መሆን አለበት
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,የመላኪያ ማስታወሻ {0} ማቅረብ አይደለም
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,ንጥል {0} አንድ ንዑስ-ኮንትራት ንጥል መሆን አለበት
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,የካፒታል ዕቃዎች
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,ሁሉ ተግባር ክብደት ጠቅላላ 1. መሰረት በሁሉም የፕሮጀክቱ ተግባራት ክብደት ለማስተካከል እባክዎ መሆን አለበት
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,የመላኪያ ማስታወሻ {0} ማቅረብ አይደለም
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,ንጥል {0} አንድ ንዑስ-ኮንትራት ንጥል መሆን አለበት
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,የካፒታል ዕቃዎች
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","የዋጋ ደ መጀመሪያ ላይ በመመስረት ነው ንጥል, ንጥል ቡድን ወይም የምርት ስም ሊሆን ይችላል, ይህም መስክ ላይ ተግብር. '"
DocType: Hub Settings,Seller Website,ሻጭ ድር ጣቢያ
DocType: Item,ITEM-,ITEM-
@@ -1315,7 +1322,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",ብቻ "እሴት« 0 ወይም ባዶ ዋጋ ጋር አንድ መላኪያ አገዛዝ ሁኔታ ሊኖር ይችላል
DocType: Authorization Rule,Transaction,ግብይት
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,ማስታወሻ: ይህ ወጪ ማዕከል ቡድን ነው. ቡድኖች ላይ የሂሳብ ግቤቶችን ማድረግ አይቻልም.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,የልጅ መጋዘን ይህን መጋዘን የለም. ይህን መጋዘን መሰረዝ አይችሉም.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,የልጅ መጋዘን ይህን መጋዘን የለም. ይህን መጋዘን መሰረዝ አይችሉም.
DocType: Item,Website Item Groups,የድር ጣቢያ ንጥል ቡድኖች
DocType: Purchase Invoice,Total (Company Currency),ጠቅላላ (የኩባንያ የምንዛሬ)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,{0} መለያ ቁጥር ከአንድ ጊዜ በላይ ገባ
@@ -1325,7 +1332,7 @@
DocType: Grading Scale Interval,Grade Code,ኛ ክፍል ኮድ
DocType: POS Item Group,POS Item Group,POS ንጥል ቡድን
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ጥንቅር ኢሜይል:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} ንጥል የእርሱ ወገን አይደለም {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} ንጥል የእርሱ ወገን አይደለም {1}
DocType: Sales Partner,Target Distribution,ዒላማ ስርጭት
DocType: Salary Slip,Bank Account No.,የባንክ ሂሳብ ቁጥር
DocType: Naming Series,This is the number of the last created transaction with this prefix,ይህ የዚህ ቅጥያ ጋር የመጨረሻ የፈጠረው የግብይት ቁጥር ነው
@@ -1335,12 +1342,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,መጽሐፍ የንብረት ዋጋ መቀነስ Entry ሰር
DocType: BOM Operation,Workstation,ከገቢር
DocType: Request for Quotation Supplier,Request for Quotation Supplier,ትዕምርተ አቅራቢ ጥያቄ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,ሃርድዌር
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,ሃርድዌር
DocType: Sales Order,Recurring Upto,ተደጋጋሚ እስከሁለት
DocType: Attendance,HR Manager,የሰው ሀይል አስተዳደር
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,አንድ ኩባንያ እባክዎ ይምረጡ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,መብት ውጣ
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,አንድ ኩባንያ እባክዎ ይምረጡ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,መብት ውጣ
DocType: Purchase Invoice,Supplier Invoice Date,አቅራቢው ደረሰኝ ቀን
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,በሰዓት
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,አንተ ወደ ግዢ ሳጥን ጨመር ማንቃት አለብዎት
DocType: Payment Entry,Writeoff,ሰረዘ
DocType: Appraisal Template Goal,Appraisal Template Goal,ግምገማ አብነት ግብ
@@ -1351,10 +1359,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,መካከል ተገኝቷል ከተደራቢ ሁኔታ:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,ጆርናል ላይ የሚመዘገብ {0} አስቀድሞ አንዳንድ ሌሎች ቫውቸር ላይ ማስተካከያ ነው
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,ጠቅላላ ትዕዛዝ እሴት
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,ምግብ
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,ምግብ
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,ጥበቃና ክልል 3
DocType: Maintenance Schedule Item,No of Visits,ጉብኝቶች አይ
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,ማርቆስ Attendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,ማርቆስ Attendence
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},ጥገና ፕሮግራም {0} ላይ አለ {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,የተመዝጋቢው ተማሪ
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},የ በመዝጋት መለያ ምንዛሬ መሆን አለበት {0}
@@ -1368,6 +1376,7 @@
DocType: Rename Tool,Utilities,መገልገያዎች
DocType: Purchase Invoice Item,Accounting,አካውንቲንግ
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,በስብስብ ንጥል ቡድኖች ይምረጡ
DocType: Asset,Depreciation Schedules,የእርጅና መርሐግብሮች
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,የማመልከቻው ወቅት ውጪ ፈቃድ አመዳደብ ጊዜ ሊሆን አይችልም
DocType: Activity Cost,Projects,ፕሮጀክቶች
@@ -1381,6 +1390,7 @@
DocType: POS Profile,Campaign,ዘመቻ
DocType: Supplier,Name and Type,ስም እና አይነት
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',የማጽደቅ ሁኔታ 'የጸደቀ' ወይም 'ተቀባይነት አላገኘም »መሆን አለበት
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,የማስነሻ
DocType: Purchase Invoice,Contact Person,የሚያነጋግሩት ሰው
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','የሚጠበቀው መጀመሪያ ቀን' ከዜሮ በላይ 'የሚጠበቀው መጨረሻ ቀን' ሊሆን አይችልም
DocType: Course Scheduling Tool,Course End Date,የኮርስ መጨረሻ ቀን
@@ -1388,12 +1398,11 @@
DocType: Sales Order Item,Planned Quantity,የታቀደ ብዛት
DocType: Purchase Invoice Item,Item Tax Amount,ንጥል የግብር መጠን
DocType: Item,Maintain Stock,የአክሲዮን ይኑራችሁ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,ቀደም ሲል የምርት ትዕዛዝ የተፈጠሩ ስቶክ ግቤቶችን
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,ቀደም ሲል የምርት ትዕዛዝ የተፈጠሩ ስቶክ ግቤቶችን
DocType: Employee,Prefered Email,Prefered ኢሜይል
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,ቋሚ ንብረት ውስጥ የተጣራ ለውጥ
DocType: Leave Control Panel,Leave blank if considered for all designations,ሁሉንም ስያሜዎች እየታሰቡ ከሆነ ባዶውን ይተው
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,የመጋዘን አይነት የአክሲዮን የማይመለስ ቡድን መለያዎች ግዴታ ነው
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,አይነት 'ትክክለኛው' ረድፍ ውስጥ ኃላፊነት {0} ንጥል ተመን ውስጥ ሊካተቱ አይችሉም
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,አይነት 'ትክክለኛው' ረድፍ ውስጥ ኃላፊነት {0} ንጥል ተመን ውስጥ ሊካተቱ አይችሉም
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},ከፍተኛ: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,ከ DATETIME
DocType: Email Digest,For Company,ኩባንያ ለ
@@ -1403,15 +1412,15 @@
DocType: Sales Invoice,Shipping Address Name,የሚላክበት አድራሻ ስም
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,መለያዎች ገበታ
DocType: Material Request,Terms and Conditions Content,ውል እና ሁኔታዎች ይዘት
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,የበለጠ ከ 100 በላይ ሊሆን አይችልም
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,{0} ንጥል ከአክሲዮን ንጥል አይደለም
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,የበለጠ ከ 100 በላይ ሊሆን አይችልም
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,{0} ንጥል ከአክሲዮን ንጥል አይደለም
DocType: Maintenance Visit,Unscheduled,E ሶችን
DocType: Employee,Owned,ባለቤትነት የተያዘ
DocType: Salary Detail,Depends on Leave Without Pay,ይክፈሉ ያለ ፈቃድ ላይ የተመካ ነው
DocType: Pricing Rule,"Higher the number, higher the priority",ቁጥሩ ከፍ ከፍ ቅድሚያ
,Purchase Invoice Trends,የደረሰኝ በመታየት ላይ ይግዙ
DocType: Employee,Better Prospects,የተሻለ ተስፋ
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","የረድፍ # {0}: የ ስብስብ {1} ብቻ {2} ብዛት አለው. የሚገኙ {3} ብዛት ያለው ሌላ ስብስብ ለመምረጥ ወይም በርካታ ቡድኖች ከ / ጉዳይ ለማድረስ, በርካታ ረድፎች ወደ ረድፍ ተከፋፍለው እባክዎ"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","የረድፍ # {0}: የ ስብስብ {1} ብቻ {2} ብዛት አለው. የሚገኙ {3} ብዛት ያለው ሌላ ስብስብ ለመምረጥ ወይም በርካታ ቡድኖች ከ / ጉዳይ ለማድረስ, በርካታ ረድፎች ወደ ረድፍ ተከፋፍለው እባክዎ"
DocType: Vehicle,License Plate,ታርጋ ቁጥር
DocType: Appraisal,Goals,ግቦች
DocType: Warranty Claim,Warranty / AMC Status,የዋስትና / AMC ሁኔታ
@@ -1422,19 +1431,20 @@
,Batch-Wise Balance History,ባች-ጥበበኛ ባላንስ ታሪክ
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,የህትመት ቅንብሮች በሚመለከታቸው የህትመት ቅርጸት ዘምኗል
DocType: Package Code,Package Code,ጥቅል ኮድ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,ሞያ ተማሪ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,ሞያ ተማሪ
+DocType: Purchase Invoice,Company GSTIN,የኩባንያ GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,አሉታዊ ብዛት አይፈቀድም
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",እንደ ሕብረቁምፊ ንጥል ከጌታው አልተሰበሰበም እና በዚህ መስክ ውስጥ የተከማቸ ግብር ዝርዝር ሰንጠረዥ. ግብር እና ክፍያዎች ጥቅም ላይ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,የተቀጣሪ ራሱን ሪፖርት አይችልም.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","መለያ የታሰሩ ከሆነ, ግቤቶች የተገደቡ ተጠቃሚዎች ይፈቀዳል."
DocType: Email Digest,Bank Balance,ባንክ ሒሳብ
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},{1} ብቻ ነው ምንዛሬ ውስጥ ሊደረጉ ይችላሉ: {0} ለ በኢኮኖሚክስ የሚመዘገብ {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},{1} ብቻ ነው ምንዛሬ ውስጥ ሊደረጉ ይችላሉ: {0} ለ በኢኮኖሚክስ የሚመዘገብ {2}
DocType: Job Opening,"Job profile, qualifications required etc.","ኢዮብ መገለጫ, ብቃት ያስፈልጋል ወዘተ"
DocType: Journal Entry Account,Account Balance,የመለያ ቀሪ ሂሳብ
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,ግብይቶች ለ የግብር ሕግ.
DocType: Rename Tool,Type of document to rename.,ሰነድ አይነት ስም አወጡላቸው.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,ይህ ንጥል ለመግዛት
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,ይህ ንጥል ለመግዛት
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: የደንበኛ የሚሰበሰብ መለያ ላይ ያስፈልጋል {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),ጠቅላላ ግብሮች እና ክፍያዎች (ኩባንያ ምንዛሬ)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,ያልተዘጋ በጀት ዓመት አ & ኤል ሚዛን አሳይ
@@ -1445,29 +1455,30 @@
DocType: Stock Entry,Total Additional Costs,ጠቅላላ ተጨማሪ ወጪዎች
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),ቁራጭ የቁስ ዋጋ (የኩባንያ የምንዛሬ)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,ንዑስ ትላልቅ
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,ንዑስ ትላልቅ
DocType: Asset,Asset Name,የንብረት ስም
DocType: Project,Task Weight,ተግባር ክብደት
DocType: Shipping Rule Condition,To Value,እሴት ወደ
DocType: Asset Movement,Stock Manager,የክምችት አስተዳዳሪ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},ምንጭ መጋዘን ረድፍ ግዴታ ነው {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,ማሸጊያ የማያፈስ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,የቢሮ ኪራይ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},ምንጭ መጋዘን ረድፍ ግዴታ ነው {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,ማሸጊያ የማያፈስ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,የቢሮ ኪራይ
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,አዋቅር ኤስ ፍኖት ቅንብሮች
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,ማስመጣት አልተሳካም!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,ምንም አድራሻ ገና ታክሏል.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,ምንም አድራሻ ገና ታክሏል.
DocType: Workstation Working Hour,Workstation Working Hour,ከገቢር የሥራ ሰዓት
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,ተንታኝ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,ተንታኝ
DocType: Item,Inventory,ንብረት ቆጠራ
DocType: Item,Sales Details,የሽያጭ ዝርዝሮች
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,ንጥሎች ጋር
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,ብዛት ውስጥ
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,ብዛት ውስጥ
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,የተማሪ ቡድን ውስጥ ተማሪዎች ለ ቡ ኮርስ Validate
DocType: Notification Control,Expense Claim Rejected,የወጪ የይገባኛል ጥያቄ ተቀባይነት አላገኘም
DocType: Item,Item Attribute,ንጥል መገለጫ ባህሪ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,መንግሥት
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,መንግሥት
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,ወጪ የይገባኛል ጥያቄ {0} ቀደም የተሽከርካሪ ምዝግብ ማስታወሻ ለ አለ
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,ተቋም ስም
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,ተቋም ስም
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,ብድር መክፈል መጠን ያስገቡ
apps/erpnext/erpnext/config/stock.py +300,Item Variants,ንጥል አይነቶች
DocType: Company,Services,አገልግሎቶች
@@ -1477,18 +1488,18 @@
DocType: Sales Invoice,Source,ምንጭ
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,አሳይ ተዘግቷል
DocType: Leave Type,Is Leave Without Pay,ይክፈሉ ያለ ውጣ ነው
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,የንብረት ምድብ ቋሚ ንብረት ንጥል ግዴታ ነው
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,የንብረት ምድብ ቋሚ ንብረት ንጥል ግዴታ ነው
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,በክፍያ ሠንጠረዥ ውስጥ አልተገኘም ምንም መዝገቦች
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},ይህን {0} ግጭቶች {1} ለ {2} {3}
DocType: Student Attendance Tool,Students HTML,ተማሪዎች ኤችቲኤምኤል
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,የፋይናንስ ዓመት መጀመሪያ ቀን
DocType: POS Profile,Apply Discount,ቅናሽ ተግብር
+DocType: Purchase Invoice Item,GST HSN Code,GST HSN ኮድ
DocType: Employee External Work History,Total Experience,ጠቅላላ የሥራ ልምድ
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,ክፍት ፕሮጀክቶች
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,ተሰርዟል ማሸጊያ የማያፈስ (ዎች)
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,ንዋይ ከ የገንዘብ ፍሰት
DocType: Program Course,Program Course,ፕሮግራም ኮርስ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,ጭነት እና ማስተላለፍ ክፍያዎች
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,ጭነት እና ማስተላለፍ ክፍያዎች
DocType: Homepage,Company Tagline for website homepage,ድር መነሻ ገጽ ለ ኩባንያ መጻፊያ
DocType: Item Group,Item Group Name,ንጥል የቡድን ስም
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,የተወሰደ
@@ -1498,6 +1509,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,እርሳሶች ፍጠር
DocType: Maintenance Schedule,Schedules,መርሐግብሮች
DocType: Purchase Invoice Item,Net Amount,የተጣራ መጠን
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} እርምጃ ሊጠናቀቅ አልቻለም, ስለዚህ ገብቷል አልተደረገም"
DocType: Purchase Order Item Supplied,BOM Detail No,BOM ዝርዝር የለም
DocType: Landed Cost Voucher,Additional Charges,ተጨማሪ ክፍያዎች
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),ተጨማሪ የቅናሽ መጠን (የኩባንያ ምንዛሬ)
@@ -1513,6 +1525,7 @@
DocType: Employee Loan,Monthly Repayment Amount,ወርሃዊ የሚያየን መጠን
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,የተቀጣሪ ሚና ለማዘጋጀት አንድ ሰራተኛ መዝገብ ውስጥ የተጠቃሚ መታወቂያ መስኩን እባክዎ
DocType: UOM,UOM Name,UOM ስም
+DocType: GST HSN Code,HSN Code,HSN ኮድ
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,አስተዋጽዖ መጠን
DocType: Purchase Invoice,Shipping Address,የመላኪያ አድራሻ
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,ይህ መሳሪያ ለማዘመን ወይም ሥርዓት ውስጥ የአክሲዮን ብዛትና ግምቱ ለማስተካከል ይረዳናል. በተለምዶ ሥርዓት እሴቶች እና ምን በትክክል መጋዘኖችን ውስጥ አለ ለማመሳሰል ጥቅም ላይ ይውላል.
@@ -1523,17 +1536,16 @@
DocType: Program Enrollment Tool,Program Enrollments,ፕሮግራም የመመዝገቢያ
DocType: Sales Invoice Item,Brand Name,የምርት ስም
DocType: Purchase Receipt,Transporter Details,አጓጓዥ ዝርዝሮች
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,ነባሪ መጋዘን የተመረጠው ንጥል ያስፈልጋል
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,ሳጥን
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,ነባሪ መጋዘን የተመረጠው ንጥል ያስፈልጋል
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,ሳጥን
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,በተቻለ አቅራቢ
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,ድርጅቱ
DocType: Budget,Monthly Distribution,ወርሃዊ ስርጭት
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,ተቀባይ ዝርዝር ባዶ ነው. ተቀባይ ዝርዝር ይፍጠሩ
DocType: Production Plan Sales Order,Production Plan Sales Order,የምርት ዕቅድ የሽያጭ ትዕዛዝ
DocType: Sales Partner,Sales Partner Target,የሽያጭ ባልደረባ ዒላማ
DocType: Loan Type,Maximum Loan Amount,ከፍተኛ የብድር መጠን
DocType: Pricing Rule,Pricing Rule,የዋጋ አሰጣጥ ደንብ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},ተማሪ የተባዙ ጥቅል ቁጥር {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},ተማሪ የተባዙ ጥቅል ቁጥር {0}
DocType: Budget,Action if Annual Budget Exceeded,እርምጃ ዓመታዊ በጀት የታለፈው ከሆነ
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,ትዕዛዝ ግዢ ቁሳዊ ጥያቄ
DocType: Shopping Cart Settings,Payment Success URL,ክፍያ ስኬት ዩ አር ኤል
@@ -1546,11 +1558,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,በመክፈት ላይ የአክሲዮን ቀሪ
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} ጊዜ ብቻ ነው ሊታይ ይገባል
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},ተጨማሪ ይተላለፍ የማይፈቀድላቸው {0} ከ {1} የግዥ ትዕዛዝ ላይ {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},ተጨማሪ ይተላለፍ የማይፈቀድላቸው {0} ከ {1} የግዥ ትዕዛዝ ላይ {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},ለ በተሳካ ሁኔታ የተመደበ ማምለኩን {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,ምንም ንጥሎች ለመሸከፍ
DocType: Shipping Rule Condition,From Value,እሴት ከ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,ከማኑፋክቸሪንግ ብዛት የግዴታ ነው
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,ከማኑፋክቸሪንግ ብዛት የግዴታ ነው
DocType: Employee Loan,Repayment Method,ብድር መክፈል ስልት
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","ከተመረጠ, መነሻ ገጽ ድር ነባሪ ንጥል ቡድን ይሆናል"
DocType: Quality Inspection Reading,Reading 4,4 ማንበብ
@@ -1560,7 +1572,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},የረድፍ # {0}: የከፈሉ ቀን {1} ቼክ ቀን በፊት ሊሆን አይችልም {2}
DocType: Company,Default Holiday List,የበዓል ዝርዝር ነባሪ
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},ረድፍ {0}: ታይም እና ወደ ጊዜ ጀምሮ {1} ጋር ተደራቢ ነው {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,የክምችት ተጠያቂነቶች
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,የክምችት ተጠያቂነቶች
DocType: Purchase Invoice,Supplier Warehouse,አቅራቢው መጋዘን
DocType: Opportunity,Contact Mobile No,የእውቂያ ሞባይል የለም
,Material Requests for which Supplier Quotations are not created,አቅራቢው ጥቅሶች የተፈጠሩ አይደሉም ይህም ቁሳዊ ጥያቄዎች
@@ -1571,35 +1583,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,ትዕምርተ አድርግ
apps/erpnext/erpnext/config/selling.py +216,Other Reports,ሌሎች ሪፖርቶች
DocType: Dependent Task,Dependent Task,ጥገኛ ተግባር
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},የመለኪያ ነባሪ ክፍል ለ ልወጣ ምክንያቶች ረድፍ ውስጥ 1 መሆን አለበት {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},የመለኪያ ነባሪ ክፍል ለ ልወጣ ምክንያቶች ረድፍ ውስጥ 1 መሆን አለበት {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},አይነት ፈቃድ {0} በላይ ሊሆን አይችልም {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,አስቀድሞ X ቀኖች ለ ቀዶ ዕቅድ ይሞክሩ.
DocType: HR Settings,Stop Birthday Reminders,አቁም የልደት ቀን አስታዋሾች
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},ኩባንያ ውስጥ ነባሪ የደመወዝ ክፍያ ሊከፈል መለያ ማዘጋጀት እባክዎ {0}
DocType: SMS Center,Receiver List,ተቀባይ ዝርዝር
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,የፍለጋ ንጥል
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,የፍለጋ ንጥል
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,ፍጆታ መጠን
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,በጥሬ ገንዘብ ውስጥ የተጣራ ለውጥ
DocType: Assessment Plan,Grading Scale,አሰጣጥ በስምምነት
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,ይለኩ {0} መለኪያ የልወጣ ምክንያቶች የርዕስ ማውጫ ውስጥ ከአንድ ጊዜ በላይ ገባ ተደርጓል
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,ይለኩ {0} መለኪያ የልወጣ ምክንያቶች የርዕስ ማውጫ ውስጥ ከአንድ ጊዜ በላይ ገባ ተደርጓል
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,ቀድሞውኑ ተጠናቋል
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,የእጅ ውስጥ የአክሲዮን
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},የክፍያ መጠየቂያ አስቀድሞ አለ {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,የተሰጠው ንጥሎች መካከል ወጪ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},ብዛት የበለጠ መሆን አለበት {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,ቀዳሚ የፋይናንስ ዓመት ዝግ ነው
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),የእድሜ (ቀኖች)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),የእድሜ (ቀኖች)
DocType: Quotation Item,Quotation Item,ትዕምርተ ንጥል
+DocType: Customer,Customer POS Id,የደንበኛ POS መታወቂያ
DocType: Account,Account Name,የአድራሻ ስም
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,ቀን ቀን ወደ በላይ ሊሆን አይችልም ከ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,ተከታታይ አይ {0} ብዛት {1} ክፍልፋይ ሊሆን አይችልም
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,አቅራቢው አይነት ጌታቸው.
DocType: Purchase Order Item,Supplier Part Number,አቅራቢው ክፍል ቁጥር
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,የልወጣ ተመን 0 ወይም 1 መሆን አይችልም
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,የልወጣ ተመን 0 ወይም 1 መሆን አይችልም
DocType: Sales Invoice,Reference Document,የማጣቀሻ ሰነድ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} ተሰርዟል ወይም አቁሟል ነው
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} ተሰርዟል ወይም አቁሟል ነው
DocType: Accounts Settings,Credit Controller,የብድር መቆጣጠሪያ
DocType: Delivery Note,Vehicle Dispatch Date,የተሽከርካሪ አስወገደ ቀን
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,የግዢ ደረሰኝ {0} ማቅረብ አይደለም
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,የግዢ ደረሰኝ {0} ማቅረብ አይደለም
DocType: Company,Default Payable Account,ነባሪ ተከፋይ መለያ
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","እንደ የመላኪያ ደንቦች, የዋጋ ዝርዝር ወዘተ እንደ በመስመር ላይ ግዢ ጋሪ ቅንብሮች"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% የሚከፈል
@@ -1618,11 +1632,12 @@
DocType: Expense Claim,Total Amount Reimbursed,ጠቅላላ መጠን ይመለስላቸዋል
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,ይሄ በዚህ ተሽከርካሪ ላይ መዝገቦች ላይ የተመሠረተ ነው. ዝርዝሮችን ለማግኘት ከታች ያለውን የጊዜ ይመልከቱ
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,ይሰብስቡ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},አቅራቢው ላይ የደረሰኝ {0} የተዘጋጀው {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},አቅራቢው ላይ የደረሰኝ {0} የተዘጋጀው {1}
DocType: Customer,Default Price List,ነባሪ ዋጋ ዝርዝር
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,የንብረት እንቅስቃሴ መዝገብ {0} ተፈጥሯል
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,አንተ መሰረዝ አይችሉም በጀት ዓመት {0}. በጀት ዓመት {0} አቀፍ ቅንብሮች ውስጥ እንደ ነባሪ ተዘጋጅቷል
DocType: Journal Entry,Entry Type,ግቤት አይነት
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,በዚህ ግምገማ ቡድን ጋር የተያያዘ ምንም ምዘና ዕቅድ
,Customer Credit Balance,የደንበኛ የሥዕል ቀሪ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,ተከፋይ መለያዎች ውስጥ የተጣራ ለውጥ
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount','Customerwise ቅናሽ »ያስፈልጋል የደንበኛ
@@ -1630,7 +1645,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,የዋጋ
DocType: Quotation,Term Details,የሚለው ቃል ዝርዝሮች
DocType: Project,Total Sales Cost (via Sales Order),ጠቅላላ የሽያጭ ዋጋ (የሽያጭ ትዕዛዝ በኩል)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,ይህ ተማሪ ቡድን {0} ተማሪዎች በላይ መመዝገብ አይችልም.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,ይህ ተማሪ ቡድን {0} ተማሪዎች በላይ መመዝገብ አይችልም.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,በእርሳስ ቆጠራ
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} 0 የበለጠ መሆን አለበት
DocType: Manufacturing Settings,Capacity Planning For (Days),(ቀኖች) ያህል አቅም ዕቅድ
@@ -1651,7 +1666,7 @@
DocType: Sales Invoice,Packed Items,የታሸጉ ንጥሎች
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,መለያ ቁጥር ላይ የዋስትና የይገባኛል ጥያቄ
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","ጥቅም ነው ስፍራ ሁሉ በሌሎች BOMs ውስጥ አንድ የተወሰነ BOM ተካ. ይህ, አሮጌውን BOM አገናኝ መተካት ወጪ ማዘመን እና አዲስ BOM መሰረት "BOM ፍንዳታ ንጥል" ሰንጠረዥ እናመነጫቸዋለን"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','ጠቅላላ'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','ጠቅላላ'
DocType: Shopping Cart Settings,Enable Shopping Cart,ወደ ግዢ ሳጥን ጨመር አንቃ
DocType: Employee,Permanent Address,ቀዋሚ አድራሻ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1667,9 +1682,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,ብዛት ወይም ዋጋ ትመና Rate ወይም ሁለቱንም ይግለጹ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,መፈጸም
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,ጨመር ውስጥ ይመልከቱ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,የገበያ ወጪ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,የገበያ ወጪ
,Item Shortage Report,ንጥል እጥረት ሪፖርት
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","የክብደት \ n ደግሞ "የክብደት UOM" አውሳ, ተጠቅሷል"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","የክብደት \ n ደግሞ "የክብደት UOM" አውሳ, ተጠቅሷል"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,ቁሳዊ ጥያቄ ይህ የአክሲዮን የሚመዘገብ ለማድረግ ስራ ላይ የሚውለው
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,ቀጣይ የእርጅና ቀን አዲስ ንብረት ግዴታ ነው
DocType: Student Group Creation Tool,Separate course based Group for every Batch,እያንዳንዱ ባች ለ የተለየ አካሄድ የተመሠረተ ቡድን
@@ -1678,17 +1693,18 @@
,Student Fee Collection,የተማሪ ክፍያ ስብስብ
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,እያንዳንዱ የአክሲዮን ንቅናቄ ለ በአካውንቲንግ የሚመዘገብ አድርግ
DocType: Leave Allocation,Total Leaves Allocated,ጠቅላላ ቅጠሎች የተመደበ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},ረድፍ ምንም ያስፈልጋል መጋዘን {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,ልክ የፋይናንስ ዓመት የመጀመሪያ እና መጨረሻ ቀኖች ያስገቡ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},ረድፍ ምንም ያስፈልጋል መጋዘን {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,ልክ የፋይናንስ ዓመት የመጀመሪያ እና መጨረሻ ቀኖች ያስገቡ
DocType: Employee,Date Of Retirement,ጡረታ ነው ቀን
DocType: Upload Attendance,Get Template,አብነት ያግኙ
+DocType: Material Request,Transferred,ተላልፈዋል
DocType: Vehicle,Doors,በሮች
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext ማዋቀር ተጠናቋል!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext ማዋቀር ተጠናቋል!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: የወጪ ማዕከል 'ትርፍ እና ኪሳራ' መለያ ያስፈልጋል {2}. ካምፓኒው ነባሪ ዋጋ ማዕከል ያዘጋጁ.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,አንድ የደንበኛ ቡድን በተመሳሳይ ስም አለ ያለውን የደንበኛ ስም መቀየር ወይም የደንበኛ ቡድን ዳግም መሰየም እባክዎ
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,አዲስ እውቂያ
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,አንድ የደንበኛ ቡድን በተመሳሳይ ስም አለ ያለውን የደንበኛ ስም መቀየር ወይም የደንበኛ ቡድን ዳግም መሰየም እባክዎ
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,አዲስ እውቂያ
DocType: Territory,Parent Territory,የወላጅ ግዛት
DocType: Quality Inspection Reading,Reading 2,2 ማንበብ
DocType: Stock Entry,Material Receipt,ቁሳዊ ደረሰኝ
@@ -1697,17 +1713,16 @@
DocType: Employee,AB+,ኤቢ +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","ይህ ንጥል ተለዋጮች ያለው ከሆነ, ከዚያም የሽያጭ ትዕዛዞች ወዘተ መመረጥ አይችልም"
DocType: Lead,Next Contact By,በ ቀጣይ እውቂያ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},ረድፍ ውስጥ ንጥል {0} ያስፈልጋል ብዛት {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},የብዛት ንጥል የለም እንደ መጋዘን {0} ሊሰረዝ አይችልም {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},ረድፍ ውስጥ ንጥል {0} ያስፈልጋል ብዛት {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},የብዛት ንጥል የለም እንደ መጋዘን {0} ሊሰረዝ አይችልም {1}
DocType: Quotation,Order Type,ትዕዛዝ አይነት
DocType: Purchase Invoice,Notification Email Address,ማሳወቂያ ኢሜይል አድራሻ
,Item-wise Sales Register,ንጥል-ጥበብ የሽያጭ መመዝገቢያ
DocType: Asset,Gross Purchase Amount,አጠቃላይ የግዢ መጠን
DocType: Asset,Depreciation Method,የእርጅና ስልት
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,ከመስመር ውጭ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,ከመስመር ውጭ
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,መሰረታዊ ተመን ውስጥ ተካትቷል ይህ ታክስ ነው?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,ጠቅላላ ዒላማ
-DocType: Program Course,Required,የሚያስፈልግ
DocType: Job Applicant,Applicant for a Job,ሥራ አመልካች
DocType: Production Plan Material Request,Production Plan Material Request,የምርት ዕቅድ የቁሳዊ ጥያቄ
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,የተፈጠረ ምንም የምርት ትዕዛዞች
@@ -1716,17 +1731,17 @@
DocType: Purchase Invoice Item,Batch No,የጅምላ የለም
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,አንድ የደንበኛ የግዢ ትዕዛዝ ላይ በርካታ የሽያጭ ትዕዛዞች ፍቀድ
DocType: Student Group Instructor,Student Group Instructor,የተማሪ ቡድን አስተማሪ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 ተንቀሳቃሽ አይ
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,ዋና
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 ተንቀሳቃሽ አይ
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,ዋና
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,ተለዋጭ
DocType: Naming Series,Set prefix for numbering series on your transactions,በእርስዎ ግብይቶች ላይ ተከታታይ ቁጥር አዘጋጅ ቅድመ ቅጥያ
DocType: Employee Attendance Tool,Employees HTML,ተቀጣሪዎች ኤችቲኤምኤል
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,ነባሪ BOM ({0}) ይህ ንጥል ወይም አብነት ገባሪ መሆን አለበት
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,ነባሪ BOM ({0}) ይህ ንጥል ወይም አብነት ገባሪ መሆን አለበት
DocType: Employee,Leave Encashed?,Encashed ይውጡ?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,መስክ ከ አጋጣሚ የግዴታ ነው
DocType: Email Digest,Annual Expenses,ዓመታዊ ወጪዎች
DocType: Item,Variants,ተለዋጮች
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,የግዢ ትዕዛዝ አድርግ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,የግዢ ትዕዛዝ አድርግ
DocType: SMS Center,Send To,ወደ ላክ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},አይተውህም አይነት የሚበቃ ፈቃድ ቀሪ የለም {0}
DocType: Payment Reconciliation Payment,Allocated amount,በጀት መጠን
@@ -1740,26 +1755,25 @@
DocType: Supplier,Statutory info and other general information about your Supplier,የእርስዎ አቅራቢው ስለ ህጋዊ መረጃ እና ሌሎች አጠቃላይ መረጃ
DocType: Item,Serial Nos and Batches,ተከታታይ ቁጥሮች እና ቡድኖች
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,የተማሪ ቡድን ጥንካሬ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,ጆርናል ላይ የሚመዘገብ {0} ማንኛውም ያላገኘውን {1} ግቤት የለውም
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,ጆርናል ላይ የሚመዘገብ {0} ማንኛውም ያላገኘውን {1} ግቤት የለውም
apps/erpnext/erpnext/config/hr.py +137,Appraisals,ማስተመኖች
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},ተከታታይ ምንም ንጥል ገባ አባዛ {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,አንድ መላኪያ አገዛዝ አንድ ሁኔታ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,ያስገቡ
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ረድፍ ውስጥ ንጥል {0} ለ overbill አይቻልም {1} ይልቅ {2}. በላይ-አከፋፈል መፍቀድ, ቅንብሮች መግዛት ውስጥ ለማዘጋጀት እባክዎ"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,ንጥል ወይም መጋዘን ላይ የተመሠረተ ማጣሪያ ማዘጋጀት እባክዎ
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ረድፍ ውስጥ ንጥል {0} ለ overbill አይቻልም {1} ይልቅ {2}. በላይ-አከፋፈል መፍቀድ, ቅንብሮች መግዛት ውስጥ ለማዘጋጀት እባክዎ"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,ንጥል ወይም መጋዘን ላይ የተመሠረተ ማጣሪያ ማዘጋጀት እባክዎ
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),በዚህ ጥቅል የተጣራ ክብደት. (ንጥሎች ውስጥ የተጣራ ክብደት ድምር እንደ ሰር የሚሰላው)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,ይህ መጋዘን አንድ መለያ መፍጠር እና ማገናኘት እባክህ. ይህ {0} አስቀድሞ አለ ስም ጋር አንድ መለያ እንደ ሰር ሊከናወን አይችልም
DocType: Sales Order,To Deliver and Bill,አድርስ እና ቢል
DocType: Student Group,Instructors,መምህራን
DocType: GL Entry,Credit Amount in Account Currency,መለያ ምንዛሬ ውስጥ የብድር መጠን
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} መቅረብ አለበት
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} መቅረብ አለበት
DocType: Authorization Control,Authorization Control,ፈቀዳ ቁጥጥር
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},የረድፍ # {0}: መጋዘን አላገኘም ውድቅ ንጥል ላይ ግዴታ ነው {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},የረድፍ # {0}: መጋዘን አላገኘም ውድቅ ንጥል ላይ ግዴታ ነው {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,ክፍያ
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","መጋዘን {0} ማንኛውም መለያ የተገናኘ አይደለም, ኩባንያ ውስጥ በመጋዘን መዝገብ ውስጥ መለያ ወይም ማዘጋጀት ነባሪ ቆጠራ መለያ መጥቀስ እባክዎ {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,የእርስዎን ትዕዛዞች ያቀናብሩ
DocType: Production Order Operation,Actual Time and Cost,ትክክለኛው ጊዜ እና ወጪ
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},ከፍተኛው {0} ቁሳዊ ጥያቄ {1} የሽያጭ ትዕዛዝ ላይ ንጥል የተሰራ ሊሆን ይችላል {2}
-DocType: Employee,Salutation,ሰላምታ
DocType: Course,Course Abbreviation,የኮርስ ምህፃረ ቃል
DocType: Student Leave Application,Student Leave Application,የተማሪ ፈቃድ ማመልከቻ
DocType: Item,Will also apply for variants,በተጨማሪም ተለዋጮች ማመልከት ይሆን
@@ -1771,12 +1785,12 @@
DocType: Quotation Item,Actual Qty,ትክክለኛ ብዛት
DocType: Sales Invoice Item,References,ማጣቀሻዎች
DocType: Quality Inspection Reading,Reading 10,10 ማንበብ
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","እርስዎ ሊገዛ ወይም ሊሸጥ የእርስዎን ምርቶች ወይም አገልግሎቶች ዘርዝር. ከመጀመርዎ ጊዜ ይለኩ እና ሌሎች ንብረቶች ላይ ንጥል ቡድን, ክፍል ለመመልከት እርግጠኛ ይሁኑ."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","እርስዎ ሊገዛ ወይም ሊሸጥ የእርስዎን ምርቶች ወይም አገልግሎቶች ዘርዝር. ከመጀመርዎ ጊዜ ይለኩ እና ሌሎች ንብረቶች ላይ ንጥል ቡድን, ክፍል ለመመልከት እርግጠኛ ይሁኑ."
DocType: Hub Settings,Hub Node,ማዕከል መስቀለኛ መንገድ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,አንተ የተባዙ ንጥሎች አስገብተዋል. ለማስተካከል እና እንደገና ይሞክሩ.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,የሥራ ጓደኛ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,የሥራ ጓደኛ
DocType: Asset Movement,Asset Movement,የንብረት ንቅናቄ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,አዲስ ጨመር
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,አዲስ ጨመር
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,{0} ንጥል አንድ serialized ንጥል አይደለም
DocType: SMS Center,Create Receiver List,ተቀባይ ዝርዝር ፍጠር
DocType: Vehicle,Wheels,መንኮራኩሮች
@@ -1796,19 +1810,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',ወይም 'ቀዳሚ ረድፍ ጠቅላላ' 'ቀዳሚ የረድፍ መጠን ላይ' ክፍያ አይነት ከሆነ ብቻ ነው ረድፍ ሊያመለክት ይችላል
DocType: Sales Order Item,Delivery Warehouse,የመላኪያ መጋዘን
DocType: SMS Settings,Message Parameter,መልዕክት ልኬት
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,የገንዘብ ወጪ ማዕከላት ዛፍ.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,የገንዘብ ወጪ ማዕከላት ዛፍ.
DocType: Serial No,Delivery Document No,ማቅረቢያ ሰነድ የለም
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},ኩባንያ ውስጥ 'የንብረት ማስወገድ ላይ ቅሰም / ኪሳራ ሒሳብ' ለማዘጋጀት እባክዎ {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,የግዢ ደረሰኞች ከ ንጥሎች ያግኙ
DocType: Serial No,Creation Date,የተፈጠረበት ቀን
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},{0} ንጥል ዋጋ ዝርዝር ውስጥ ብዙ ጊዜ ይገኛል {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","የሚመለከታቸው ያህል ሆኖ ተመርጧል ከሆነ መሸጥ, ምልክት መደረግ አለበት {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","የሚመለከታቸው ያህል ሆኖ ተመርጧል ከሆነ መሸጥ, ምልክት መደረግ አለበት {0}"
DocType: Production Plan Material Request,Material Request Date,ቁሳዊ ጥያቄ ቀን
DocType: Purchase Order Item,Supplier Quotation Item,አቅራቢው ትዕምርተ ንጥል
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,የምርት ትዕዛዞች ላይ ጊዜ ምዝግብ መፍጠር ያሰናክላል. ክወናዎች የምርት ትዕዛዝ ላይ ክትትል የለበትም
DocType: Student,Student Mobile Number,የተማሪ የተንቀሳቃሽ ስልክ ቁጥር
DocType: Item,Has Variants,ተለዋጮች አለው
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},ከዚህ ቀደም ከ ንጥሎች ተመርጠዋል ሊሆን {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},ከዚህ ቀደም ከ ንጥሎች ተመርጠዋል ሊሆን {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,ወደ ወርሃዊ ስርጭት ስም
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,ባች መታወቂያ ግዴታ ነው
DocType: Sales Person,Parent Sales Person,የወላጅ ሽያጭ ሰው
@@ -1818,12 +1832,12 @@
DocType: Budget,Fiscal Year,በጀት ዓመት
DocType: Vehicle Log,Fuel Price,የነዳጅ ዋጋ
DocType: Budget,Budget,ባጀት
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,የተወሰነ የንብረት ንጥል ያልሆነ-የአክሲዮን ንጥል መሆን አለበት.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,የተወሰነ የንብረት ንጥል ያልሆነ-የአክሲዮን ንጥል መሆን አለበት.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","ይህ የገቢ ወይም የወጪ መለያ አይደለም እንደ በጀት, ላይ {0} ሊመደብ አይችልም"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,አሳክቷል
DocType: Student Admission,Application Form Route,ማመልከቻ ቅጽ መስመር
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,ግዛት / የደንበኛ
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,ለምሳሌ: 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,ለምሳሌ: 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,ይህ ክፍያ ያለ መተው ነው ጀምሮ ዓይነት {0} ይመደባል አይችልም ይነሱ
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},ረድፍ {0}: የተመደበ መጠን {1} ከ ያነሰ መሆን ወይም የላቀ መጠን ደረሰኝ ጋር እኩል መሆን አለበት {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,አንተ ወደ የሽያጭ ደረሰኝ ማስቀመጥ አንዴ ቃላት ውስጥ የሚታይ ይሆናል.
@@ -1832,7 +1846,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,{0} ንጥል መለያ ቁጥሮች ለ ማዋቀር አይደለም. ንጥል ጌታ ይመልከቱ
DocType: Maintenance Visit,Maintenance Time,ጥገና ሰዓት
,Amount to Deliver,መጠን ለማዳን
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,አንድ ምርት ወይም አገልግሎት
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,አንድ ምርት ወይም አገልግሎት
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,የሚለው ቃል መጀመሪያ ቀን የሚለው ቃል ጋር የተያያዘ ነው ይህም ወደ የትምህርት ዓመት ዓመት የመጀመሪያ ቀን ከ ቀደም ሊሆን አይችልም (የትምህርት ዓመት {}). ቀናት ለማረም እና እንደገና ይሞክሩ.
DocType: Guardian,Guardian Interests,አሳዳጊ ፍላጎቶች
DocType: Naming Series,Current Value,የአሁኑ ዋጋ
@@ -1846,12 +1860,12 @@
must be greater than or equal to {2}","ረድፍ {0}: ለማቀናበር {1} PERIODICITY, እንዲሁም ቀን \ ወደ መካከል ልዩነት ይልቅ የበለጠ ወይም እኩል መሆን አለበት {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,ይህ የአክሲዮን እንቅስቃሴ ላይ የተመሠረተ ነው. ይመልከቱ {0} ዝርዝር መረጃ ለማግኘት
DocType: Pricing Rule,Selling,ሽያጭ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},የገንዘብ መጠን {0} {1} ላይ የሚቀነስ {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},የገንዘብ መጠን {0} {1} ላይ የሚቀነስ {2}
DocType: Employee,Salary Information,ደመወዝ መረጃ
DocType: Sales Person,Name and Employee ID,ስም እና የሰራተኛ መታወቂያ
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,መጠናቀቅ ያለበት ቀን ቀን መለጠፍ በፊት ሊሆን አይችልም
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,መጠናቀቅ ያለበት ቀን ቀን መለጠፍ በፊት ሊሆን አይችልም
DocType: Website Item Group,Website Item Group,የድር ጣቢያ ንጥል ቡድን
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,ተግባርና ግብሮች
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,ተግባርና ግብሮች
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,የማጣቀሻ ቀን ያስገቡ
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} የክፍያ ግቤቶች ተጣርተው ሊሆን አይችልም {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,በድረ ገጻችን ላይ ይታያል ይህ ንጥል ለ ሰንጠረዥ
@@ -1868,9 +1882,9 @@
DocType: Payment Reconciliation Payment,Reference Row,ማጣቀሻ ረድፍ
DocType: Installation Note,Installation Time,መጫን ሰዓት
DocType: Sales Invoice,Accounting Details,አካውንቲንግ ዝርዝሮች
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,ይህ ኩባንያ ሁሉም ግብይቶች ሰርዝ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,የረድፍ # {0}: ክወና {1} በምርት ላይ ሲጨርስ ሸቀጦች {2} ብዛት ይሞላል አይደለም ትዕዛዝ # {3}. ጊዜ ምዝግብ በኩል ክወና ሁኔታ ያዘምኑ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,ኢንቨስትመንት
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,ይህ ኩባንያ ሁሉም ግብይቶች ሰርዝ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,የረድፍ # {0}: ክወና {1} በምርት ላይ ሲጨርስ ሸቀጦች {2} ብዛት ይሞላል አይደለም ትዕዛዝ # {3}. ጊዜ ምዝግብ በኩል ክወና ሁኔታ ያዘምኑ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,ኢንቨስትመንት
DocType: Issue,Resolution Details,ጥራት ዝርዝሮች
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,አመዳደብ
DocType: Item Quality Inspection Parameter,Acceptance Criteria,ቅበላ መስፈርቶች
@@ -1895,7 +1909,7 @@
DocType: Room,Room Name,ክፍል ስም
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",ፈቃድ ቀሪ አስቀድሞ የማስቀመጫ-በሚተላለፈው ወደፊት ፈቃድ አመዳደብ መዝገብ ውስጥ ቆይቷል እንደ በፊት {0} ቀርቷል / መተግበር አይችልም ተወው {1}
DocType: Activity Cost,Costing Rate,ዋጋና የዋጋ ተመን
-,Customer Addresses And Contacts,የደንበኛ አድራሻዎች እና እውቂያዎች
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,የደንበኛ አድራሻዎች እና እውቂያዎች
,Campaign Efficiency,የዘመቻ ቅልጥፍና
DocType: Discussion,Discussion,ዉይይት
DocType: Payment Entry,Transaction ID,የግብይት መታወቂያ
@@ -1905,14 +1919,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),ጠቅላላ የሂሳብ አከፋፈል መጠን (ጊዜ ሉህ በኩል)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,ድገም የደንበኛ ገቢ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) ሚና 'የወጪ አጽዳቂ' ሊኖረው ይገባል
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,ሁለት
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,ለምርት BOM እና ብዛት ይምረጡ
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,ሁለት
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,ለምርት BOM እና ብዛት ይምረጡ
DocType: Asset,Depreciation Schedule,የእርጅና ፕሮግራም
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,የሽያጭ አጋር አድራሻዎች እና እውቂያዎች
DocType: Bank Reconciliation Detail,Against Account,መለያ ላይ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,ግማሽ ቀን ቀን ቀን ጀምሮ እና ቀን ወደ መካከል መሆን አለበት
DocType: Maintenance Schedule Detail,Actual Date,ትክክለኛ ቀን
DocType: Item,Has Batch No,የጅምላ አይ አለው
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},ዓመታዊ አከፋፈል: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},ዓመታዊ አከፋፈል: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),የቁሳቁስና የአገለግሎት ቀረጥ (GST ህንድ)
DocType: Delivery Note,Excise Page Number,ኤክሳይስ የገጽ ቁጥር
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","ኩባንያ, ቀን ጀምሮ እና ቀን ወደ የግዴታ ነው"
DocType: Asset,Purchase Date,የተገዛበት ቀን
@@ -1920,11 +1936,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},ኩባንያ ውስጥ 'የንብረት የእርጅና ወጪ ማዕከል' ለማዘጋጀት እባክዎ {0}
,Maintenance Schedules,ጥገና ፕሮግራም
DocType: Task,Actual End Date (via Time Sheet),ትክክለኛው መጨረሻ ቀን (ሰዓት ሉህ በኩል)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},የገንዘብ መጠን {0} {1} ላይ {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},የገንዘብ መጠን {0} {1} ላይ {2} {3}
,Quotation Trends,በትዕምርተ ጥቅስ አዝማሚያዎች
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},ንጥል ቡድን ንጥል ንጥል ጌታ ውስጥ የተጠቀሰው አይደለም {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,መለያ ወደ ዴቢት አንድ የሚሰበሰብ መለያ መሆን አለበት
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},ንጥል ቡድን ንጥል ንጥል ጌታ ውስጥ የተጠቀሰው አይደለም {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,መለያ ወደ ዴቢት አንድ የሚሰበሰብ መለያ መሆን አለበት
DocType: Shipping Rule Condition,Shipping Amount,መላኪያ መጠን
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,ደንበኞች ያክሉ
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,በመጠባበቅ ላይ ያለ መጠን
DocType: Purchase Invoice Item,Conversion Factor,የልወጣ መንስኤ
DocType: Purchase Order,Delivered,ደርሷል
@@ -1934,7 +1951,8 @@
DocType: Purchase Receipt,Vehicle Number,የተሽከርካሪ ቁጥር
DocType: Purchase Invoice,The date on which recurring invoice will be stop,ተደጋጋሚ መጠየቂያ ማቆም ይሆናል ከተደረገባቸው ቀን
DocType: Employee Loan,Loan Amount,የብድር መጠን
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},ረድፍ {0}: ቁሳቁሶች መካከል ቢል ንጥል አልተገኘም {1}
+DocType: Program Enrollment,Self-Driving Vehicle,የራስ-መንዳት ተሽከርካሪ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},ረድፍ {0}: ቁሳቁሶች መካከል ቢል ንጥል አልተገኘም {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,ጠቅላላ የተመደበ ቅጠሎች {0} ያነሰ ሊሆን አይችልም ጊዜ ቀድሞውኑ ጸድቀዋል ቅጠሎች {1} ከ
DocType: Journal Entry,Accounts Receivable,ለመቀበል የሚቻሉ አካውንቶች
,Supplier-Wise Sales Analytics,አቅራቢው-ጥበበኛ የሽያጭ ትንታኔ
@@ -1951,21 +1969,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,ወጪ የይገባኛል ጥያቄ ተቀባይነት በመጠባበቅ ላይ ነው. ብቻ ኪሳራውን አጽዳቂ ሁኔታ ማዘመን ይችላሉ.
DocType: Email Digest,New Expenses,አዲስ ወጪዎች
DocType: Purchase Invoice,Additional Discount Amount,ተጨማሪ የቅናሽ መጠን
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",የረድፍ # {0}: ንጥል ቋሚ ንብረት ነው እንደ ብዛት: 1 መሆን አለበት. በርካታ ብዛት የተለያየ ረድፍ ይጠቀሙ.
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",የረድፍ # {0}: ንጥል ቋሚ ንብረት ነው እንደ ብዛት: 1 መሆን አለበት. በርካታ ብዛት የተለያየ ረድፍ ይጠቀሙ.
DocType: Leave Block List Allow,Leave Block List Allow,አግድ ዝርዝር ፍቀድ ይነሱ
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Abbr ባዶ ወይም ባዶ መሆን አይችልም
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr ባዶ ወይም ባዶ መሆን አይችልም
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,ያልሆኑ ቡድን ቡድን
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,ስፖርት
DocType: Loan Type,Loan Name,ብድር ስም
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,ትክክለኛ ጠቅላላ
DocType: Student Siblings,Student Siblings,የተማሪ እህቶቼ
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,መለኪያ
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,ኩባንያ እባክዎን ይግለጹ
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,መለኪያ
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,ኩባንያ እባክዎን ይግለጹ
,Customer Acquisition and Loyalty,የደንበኛ ማግኛ እና ታማኝነት
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,እናንተ ተቀባይነት ንጥሎች የአክሲዮን ጠብቆ የት መጋዘን
DocType: Production Order,Skip Material Transfer,የቁስ ማስተላለፍ ዝለል
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,ለ ምንዛሬ ተመን ማግኘት አልተቻለም {0} ወደ {1} ቁልፍ ቀን {2}. እራስዎ ምንዛሪ ልውውጥ መዝገብ ለመፍጠር እባክዎ
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,የፋይናንስ ዓመት ላይ ያበቃል
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,ለ ምንዛሬ ተመን ማግኘት አልተቻለም {0} ወደ {1} ቁልፍ ቀን {2}. እራስዎ ምንዛሪ ልውውጥ መዝገብ ለመፍጠር እባክዎ
DocType: POS Profile,Price List,የዋጋ ዝርዝር
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} ነባሪ በጀት ዓመት አሁን ነው. ለውጡ ተግባራዊ ለማግኘት እባክዎ አሳሽዎን ያድሱ.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,የወጪ የይገባኛል ጥያቄዎች
@@ -1978,14 +1995,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},ባች ውስጥ የአክሲዮን ቀሪ {0} ይሆናል አሉታዊ {1} መጋዘን ላይ ንጥል {2} ለ {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,ቁሳዊ ጥያቄዎች የሚከተሉት ንጥል ዳግም-ትዕዛዝ ደረጃ ላይ ተመስርቶ በራስ-ሰር ከፍ ተደርጓል
DocType: Email Digest,Pending Sales Orders,የሽያጭ ትዕዛዞች በመጠባበቅ ላይ
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},መለያ {0} ልክ ያልሆነ ነው. መለያ ምንዛሬ መሆን አለበት {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},መለያ {0} ልክ ያልሆነ ነው. መለያ ምንዛሬ መሆን አለበት {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM የመለወጥ ምክንያት ረድፍ ውስጥ ያስፈልጋል {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",የረድፍ # {0}: የማጣቀሻ ሰነድ ዓይነት የሽያጭ ትዕዛዝ አንዱ ሽያጭ ደረሰኝ ወይም ጆርናል የሚመዘገብ መሆን አለበት
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",የረድፍ # {0}: የማጣቀሻ ሰነድ ዓይነት የሽያጭ ትዕዛዝ አንዱ ሽያጭ ደረሰኝ ወይም ጆርናል የሚመዘገብ መሆን አለበት
DocType: Salary Component,Deduction,ቅናሽ
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,ረድፍ {0}: ሰዓት ጀምሮ እና ሰዓት ወደ የግዴታ ነው.
DocType: Stock Reconciliation Item,Amount Difference,መጠን ያለው ልዩነት
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},ንጥል ዋጋ ለ ታክሏል {0} የዋጋ ዝርዝር ውስጥ {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},ንጥል ዋጋ ለ ታክሏል {0} የዋጋ ዝርዝር ውስጥ {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,ይህ የሽያጭ ሰው የሰራተኛ መታወቂያ ያስገቡ
DocType: Territory,Classification of Customers by region,ክልል በ ደንበኞች መካከል ምደባ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,ልዩነት መጠን ዜሮ መሆን አለበት
@@ -1997,21 +2014,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,ጠቅላላ ተቀናሽ
,Production Analytics,የምርት ትንታኔ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,ወጪ ዘምኗል
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,ወጪ ዘምኗል
DocType: Employee,Date of Birth,የትውልድ ቀን
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,ንጥል {0} አስቀድሞ ተመለሱ ተደርጓል
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,ንጥል {0} አስቀድሞ ተመለሱ ተደርጓል
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** በጀት ዓመት ** አንድ የፋይናንስ ዓመት ይወክላል. ሁሉም የሂሳብ ግቤቶች እና ሌሎች ዋና ዋና ግብይቶች ** ** በጀት ዓመት ላይ ክትትል ነው.
DocType: Opportunity,Customer / Lead Address,ደንበኛ / በእርሳስ አድራሻ
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},ማስጠንቀቂያ: አባሪ ላይ ልክ ያልሆነ SSL ሰርቲፊኬት {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},ማስጠንቀቂያ: አባሪ ላይ ልክ ያልሆነ SSL ሰርቲፊኬት {0}
DocType: Student Admission,Eligibility,የብቁነት
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","እርሳሶች የንግድ, ሁሉም እውቂያዎች እና ተጨማሪ ይመራል እንደ ለማከል ለማገዝ"
DocType: Production Order Operation,Actual Operation Time,ትክክለኛው ኦፕሬሽን ሰዓት
DocType: Authorization Rule,Applicable To (User),የሚመለከታቸው ለማድረግ (ተጠቃሚ)
DocType: Purchase Taxes and Charges,Deduct,ቀነሰ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,የሥራው ዝርዝር
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,የሥራው ዝርዝር
DocType: Student Applicant,Applied,የተተገበረ
DocType: Sales Invoice Item,Qty as per Stock UOM,ብዛት የአክሲዮን UOM መሰረት
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2 ስም
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 ስም
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","በስተቀር ልዩ ቁምፊዎች "-" ".", "#" እና "/" ተከታታይ እየሰየሙ ውስጥ አይፈቀድም"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","የሽያጭ ዘመቻዎች ይከታተሉ. እርሳሶች, ጥቅሶች ተከታተል, የሽያጭ ትዕዛዝ ወዘተ ዘመቻዎች ከ ኢንቨስትመንት ላይ ተመለስ ለመለካት."
DocType: Expense Claim,Approver,አጽዳቂ
@@ -2022,7 +2039,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},ተከታታይ አይ {0} እስከሁለት ዋስትና ስር ነው {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,ጥቅሎች ወደ ክፈል ማቅረቢያ ማስታወሻ.
apps/erpnext/erpnext/hooks.py +87,Shipments,ማዕድኑን
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,የመለያ ቀሪ ሂሳብ ({0}) {1} እና የአክሲዮን ዋጋ ለ ({2}) መጋዘን ለ {3} ተመሳሳይ መሆን አለበት
DocType: Payment Entry,Total Allocated Amount (Company Currency),ጠቅላላ የተመደበ መጠን (የኩባንያ የምንዛሬ)
DocType: Purchase Order Item,To be delivered to customer,የደንበኛ እስኪደርስ ድረስ
DocType: BOM,Scrap Material Cost,ቁራጭ ቁሳዊ ወጪ
@@ -2030,20 +2046,21 @@
DocType: Purchase Invoice,In Words (Company Currency),ቃላት ውስጥ (የኩባንያ የምንዛሬ)
DocType: Asset,Supplier,አቅራቢ
DocType: C-Form,Quarter,ሩብ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,ልዩ ልዩ ወጪዎች
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,ልዩ ልዩ ወጪዎች
DocType: Global Defaults,Default Company,ነባሪ ኩባንያ
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ወይም ወጪ ያለው ልዩነት መለያ ንጥል {0} እንደ ተፅዕኖዎች በአጠቃላይ የአክሲዮን ዋጋ ግዴታ ነው
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ወይም ወጪ ያለው ልዩነት መለያ ንጥል {0} እንደ ተፅዕኖዎች በአጠቃላይ የአክሲዮን ዋጋ ግዴታ ነው
DocType: Payment Request,PR,የህዝብ ግንኙነት
DocType: Cheque Print Template,Bank Name,የባንክ ስም
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Above
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Above
DocType: Employee Loan,Employee Loan Account,የሰራተኛ የብድር መለያ
DocType: Leave Application,Total Leave Days,ጠቅላላ ፈቃድ ቀናት
DocType: Email Digest,Note: Email will not be sent to disabled users,ማስታወሻ: የኢሜይል ተሰናክሏል ተጠቃሚዎች አይላክም
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,ምንጭጌ ብዛት
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,ንጥል ኮድ> ንጥል ቡድን> ብራንድ
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,ኩባንያ ይምረጡ ...
DocType: Leave Control Panel,Leave blank if considered for all departments,ሁሉም ክፍሎች እየታሰቡ ከሆነ ባዶውን ይተው
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","የሥራ ዓይነቶች (ቋሚ, ውል, እሥረኛ ወዘተ)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} ንጥል ግዴታ ነው {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} ንጥል ግዴታ ነው {1}
DocType: Process Payroll,Fortnightly,በየሁለት ሳምንቱ
DocType: Currency Exchange,From Currency,ምንዛሬ ከ
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","ቢያንስ አንድ ረድፍ ውስጥ የተመደበ መጠን, የደረሰኝ አይነት እና የደረሰኝ ቁጥር እባክዎ ይምረጡ"
@@ -2065,7 +2082,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,ፕሮግራም ለማግኘት 'ፍጠር ፕሮግራም »ላይ ጠቅ ያድርጉ
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,የሚከተሉትን መርሐግብሮችን በመሰረዝ ላይ ሳለ ስህተቶች ነበሩ:
DocType: Bin,Ordered Quantity,የዕቃው መረጃ ብዛት
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",ለምሳሌ "ግንበኞች ለ መሣሪያዎች ገንባ"
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",ለምሳሌ "ግንበኞች ለ መሣሪያዎች ገንባ"
DocType: Grading Scale,Grading Scale Intervals,አሰጣጥ በስምምነት ጣልቃ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: {2} ለ ዲግሪ Entry ብቻ ምንዛሬ ውስጥ ሊደረጉ ይችላሉ: {3}
DocType: Production Order,In Process,በሂደት ላይ
@@ -2079,12 +2096,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} የተማሪ ቡድኖች ተፈጥሯል.
DocType: Sales Invoice,Total Billing Amount,ጠቅላላ የሂሳብ አከፋፈል መጠን
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,ለዚህ እንዲሰራ ነቅቷል ነባሪ ገቢ የኢሜይል መለያ መኖር አለበት. እባክዎ ማዋቀር ነባሪ ገቢ የኢሜይል መለያ (POP / IMAP) እና እንደገና ይሞክሩ.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,የሚሰበሰብ መለያ
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},የረድፍ # {0}: የንብረት {1} አስቀድሞ ነው; {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,የሚሰበሰብ መለያ
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},የረድፍ # {0}: የንብረት {1} አስቀድሞ ነው; {2}
DocType: Quotation Item,Stock Balance,የአክሲዮን ቀሪ
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,ክፍያ የሽያጭ ትዕዛዝ
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} ውቅረት> በቅንብሮች> የስያሜ ተከታታይ ለ ተከታታይ የስያሜ ለማዘጋጀት እባክዎ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,ዋና ሥራ አስኪያጅ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,ዋና ሥራ አስኪያጅ
DocType: Expense Claim Detail,Expense Claim Detail,የወጪ የይገባኛል ጥያቄ ዝርዝር
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,ትክክለኛውን መለያ ይምረጡ
DocType: Item,Weight UOM,የክብደት UOM
@@ -2093,12 +2109,12 @@
DocType: Production Order Operation,Pending,በመጠባበቅ ላይ
DocType: Course,Course Name,የኮርሱ ስም
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,በአንድ የተወሰነ ሠራተኛ ፈቃድ መተግበሪያዎች ማጽደቅ የሚችሉ ተጠቃሚዎች
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,ቢሮ ዕቃዎች
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,ቢሮ ዕቃዎች
DocType: Purchase Invoice Item,Qty,ብዛት
DocType: Fiscal Year,Companies,ኩባንያዎች
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,ኤሌክትሮኒክስ
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,የአክሲዮን ዳግም-ትዕዛዝ ደረጃ ላይ ሲደርስ የቁሳዊ ጥያቄ ላይ አንሥታችሁ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,ሙሉ ሰአት
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,ሙሉ ሰአት
DocType: Salary Structure,Employees,ተቀጣሪዎች
DocType: Employee,Contact Details,የእውቅያ ዝርዝሮች
DocType: C-Form,Received Date,የተቀበልከው ቀን
@@ -2108,7 +2124,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,የዋጋ ዝርዝር ካልተዋቀረ ዋጋዎች አይታይም
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,ለዚህ መላኪያ አገዛዝ አንድ አገር መግለጽ ወይም ዓለም አቀፍ መላኪያ ያረጋግጡ
DocType: Stock Entry,Total Incoming Value,ጠቅላላ ገቢ ዋጋ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,ዴት ወደ ያስፈልጋል
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,ዴት ወደ ያስፈልጋል
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets በእርስዎ ቡድን እንዳደረገ activites ጊዜ, ወጪ እና የማስከፈያ እንዲከታተሉ ለመርዳት"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,የግዢ ዋጋ ዝርዝር
DocType: Offer Letter Term,Offer Term,ቅናሽ የሚቆይበት ጊዜ
@@ -2117,17 +2133,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,የክፍያ ማስታረቅ
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,Incharge ሰው ስም ይምረጡ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,ቴክኖሎጂ
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},ጠቅላላ የማይከፈላቸው: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},ጠቅላላ የማይከፈላቸው: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM ድር ጣቢያ ኦፕሬሽን
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,ደብዳቤ አበርክቱ
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,ቁሳዊ ጥያቄዎች (MRP) እና የምርት ትዕዛዞች ፍጠር.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,ጠቅላላ የተጠየቀበት Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,ጠቅላላ የተጠየቀበት Amt
DocType: BOM,Conversion Rate,የልወጣ ተመን
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,የምርት ፍለጋ
DocType: Timesheet Detail,To Time,ጊዜ ወደ
DocType: Authorization Rule,Approving Role (above authorized value),(ፍቃድ ዋጋ በላይ) ሚና ማጽደቅ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,መለያ ወደ ብድር የሚከፈል መለያ መሆን አለበት
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM Recursion: {0} መካከል ወላጅ ወይም ልጅ ሊሆን አይችልም {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,መለያ ወደ ብድር የሚከፈል መለያ መሆን አለበት
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM Recursion: {0} መካከል ወላጅ ወይም ልጅ ሊሆን አይችልም {2}
DocType: Production Order Operation,Completed Qty,ተጠናቋል ብዛት
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",{0}: ብቻ ዴቢት መለያዎች ሌላ ክሬዲት ግቤት ላይ የተገናኘ ሊሆን ይችላል
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,የዋጋ ዝርዝር {0} ተሰናክሏል
@@ -2138,28 +2154,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} ንጥል ያስፈልጋል መለያ ቁጥር {1}. ያቀረቡት {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,የአሁኑ ግምቱ ተመን
DocType: Item,Customer Item Codes,የደንበኛ ንጥል ኮዶች
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,የ Exchange ቅሰም / ማጣት
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,የ Exchange ቅሰም / ማጣት
DocType: Opportunity,Lost Reason,የጠፋ ምክንያት
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,አዲስ አድራሻ
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,አዲስ አድራሻ
DocType: Quality Inspection,Sample Size,የናሙና መጠን
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,ደረሰኝ ሰነድ ያስገቡ
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,ሁሉም ንጥሎች ቀደም ሲል ደረሰኝ ተደርጓል
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,ሁሉም ንጥሎች ቀደም ሲል ደረሰኝ ተደርጓል
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.','የጉዳይ ቁጥር ከ' አንድ ልክ ይግለጹ
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,ተጨማሪ ወጪ ማዕከላት ቡድኖች ስር ሊሆን ይችላል ነገር ግን ግቤቶች ያልሆኑ ቡድኖች ላይ ሊሆን ይችላል
DocType: Project,External,ውጫዊ
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,ተጠቃሚዎች እና ፈቃዶች
DocType: Vehicle Log,VLOG.,Vlog.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},የምርት ትዕዛዞች ተፈጠረ: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},የምርት ትዕዛዞች ተፈጠረ: {0}
DocType: Branch,Branch,ቅርንጫፍ
DocType: Guardian,Mobile Number,ስልክ ቁጥር
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,ፕሪንቲንግ እና የምርት
DocType: Bin,Actual Quantity,ትክክለኛ ብዛት
DocType: Shipping Rule,example: Next Day Shipping,ለምሳሌ: ቀጣይ ቀን መላኪያ
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,አልተገኘም ተከታታይ ምንም {0}
-DocType: Scheduling Tool,Student Batch,የተማሪ ባች
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,የእርስዎ ደንበኞች
+DocType: Program Enrollment,Student Batch,የተማሪ ባች
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,የተማሪ አድርግ
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},እርስዎ ፕሮጀክት ላይ ተባበር ተጋብዘዋል: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},እርስዎ ፕሮጀክት ላይ ተባበር ተጋብዘዋል: {0}
DocType: Leave Block List Date,Block Date,አግድ ቀን
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,አሁኑኑ ያመልክቱ
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},ትክክለኛው ብዛት {0} / መጠበቅ ብዛት {1}
@@ -2168,7 +2183,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","ይፍጠሩ እና, ዕለታዊ ሳምንታዊ እና ወርሃዊ የኢሜይል ዜናዎች ያስተዳድሩ."
DocType: Appraisal Goal,Appraisal Goal,ግምገማ ግብ
DocType: Stock Reconciliation Item,Current Amount,የአሁኑ መጠን
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,ሕንፃዎች
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,ሕንፃዎች
DocType: Fee Structure,Fee Structure,ክፍያ መዋቅር
DocType: Timesheet Detail,Costing Amount,ዋጋና የዋጋ መጠን
DocType: Student Admission,Application Fee,የመተግበሪያ ክፍያ
@@ -2180,10 +2195,10 @@
DocType: POS Profile,[Select],[ምረጥ]
DocType: SMS Log,Sent To,ወደ ተልኳል
DocType: Payment Request,Make Sales Invoice,የሽያጭ ደረሰኝ አድርግ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,ሶፍትዌሮችን
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,ሶፍትዌሮችን
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,ቀጣይ የእውቂያ ቀን ያለፈ መሆን አይችልም
DocType: Company,For Reference Only.,ማጣቀሻ ያህል ብቻ.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,ምረጥ የጅምላ አይ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,ምረጥ የጅምላ አይ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},ልክ ያልሆነ {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,የቅድሚያ ክፍያ መጠን
@@ -2193,15 +2208,15 @@
DocType: Employee,Employment Details,የቅጥር ዝርዝሮች
DocType: Employee,New Workplace,አዲስ በሥራ ቦታ
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,ተዘግቷል እንደ አዘጋጅ
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},ባር ኮድ ጋር ምንም ንጥል {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},ባር ኮድ ጋር ምንም ንጥል {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,የጉዳይ ቁጥር 0 መሆን አይችልም
DocType: Item,Show a slideshow at the top of the page,በገጹ ላይኛው ክፍል ላይ አንድ ስላይድ ትዕይንት አሳይ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,መደብሮች
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,መደብሮች
DocType: Serial No,Delivery Time,የማስረከቢያ ቀን ገደብ
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,ላይ የተመሠረተ ጥበቃና
DocType: Item,End of Life,የሕይወት መጨረሻ
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,ጉዞ
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,ጉዞ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,ለተሰጠው ቀናት ሠራተኛ {0} አልተገኘም ምንም ንቁ ወይም ነባሪ ደመወዝ መዋቅር
DocType: Leave Block List,Allow Users,ተጠቃሚዎች ፍቀድ
DocType: Purchase Order,Customer Mobile No,የደንበኛ ተንቀሳቃሽ ምንም
@@ -2210,29 +2225,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,አዘምን ወጪ
DocType: Item Reorder,Item Reorder,ንጥል አስይዝ
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,አሳይ የቀጣሪ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,አስተላልፍ ሐሳብ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,አስተላልፍ ሐሳብ
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","የ ክወናዎች, የክወና ወጪ ይጥቀሱ እና ቀዶ ሕክምና ምንም ልዩ ክወና መስጠት."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,ይህ ሰነድ በ ገደብ በላይ ነው {0} {1} ንጥል {4}. እናንተ እያደረግን ነው በዚያው ላይ ሌላ {3} {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,በማስቀመጥ ላይ በኋላ ተደጋጋሚ ማዘጋጀት እባክዎ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,ይምረጡ ለውጥ መጠን መለያ
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,ይህ ሰነድ በ ገደብ በላይ ነው {0} {1} ንጥል {4}. እናንተ እያደረግን ነው በዚያው ላይ ሌላ {3} {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,በማስቀመጥ ላይ በኋላ ተደጋጋሚ ማዘጋጀት እባክዎ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,ይምረጡ ለውጥ መጠን መለያ
DocType: Purchase Invoice,Price List Currency,የዋጋ ዝርዝር ምንዛሬ
DocType: Naming Series,User must always select,ተጠቃሚው ሁልጊዜ መምረጥ አለብዎ
DocType: Stock Settings,Allow Negative Stock,አሉታዊ የአክሲዮን ፍቀድ
DocType: Installation Note,Installation Note,የአጫጫን ማስታወሻ
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,ግብሮች ያክሉ
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,ግብሮች ያክሉ
DocType: Topic,Topic,አርእስት
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,በገንዘብ ከ የገንዘብ ፍሰት
DocType: Budget Account,Budget Account,የበጀት መለያ
DocType: Quality Inspection,Verified By,በ የተረጋገጡ
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","ነባር ግብይቶች አሉ ምክንያቱም, ኩባንያ ነባሪ ምንዛሬ መለወጥ አይቻልም. ግብይቶች ነባሪውን ምንዛሬ ለመቀየር ተሰርዟል አለበት."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","ነባር ግብይቶች አሉ ምክንያቱም, ኩባንያ ነባሪ ምንዛሬ መለወጥ አይቻልም. ግብይቶች ነባሪውን ምንዛሬ ለመቀየር ተሰርዟል አለበት."
DocType: Grading Scale Interval,Grade Description,ኛ መግለጫ
DocType: Stock Entry,Purchase Receipt No,የግዢ ደረሰኝ የለም
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,ልባዊ ገንዘብ
DocType: Process Payroll,Create Salary Slip,የቀጣሪ ፍጠር
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Traceability
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),የገንዘብ ምንጭ (ተጠያቂነቶች)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},ረድፍ ውስጥ ብዛት {0} ({1}) የሚመረተው ብዛት እንደ አንድ አይነት መሆን አለበት {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),የገንዘብ ምንጭ (ተጠያቂነቶች)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},ረድፍ ውስጥ ብዛት {0} ({1}) የሚመረተው ብዛት እንደ አንድ አይነት መሆን አለበት {2}
DocType: Appraisal,Employee,ተቀጣሪ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,ምረጥ ባች
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} ሙሉ በሙሉ እንዲከፍሉ ነው
DocType: Training Event,End Time,መጨረሻ ሰዓት
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,ለተሰጠው ቀኖች ሰራተኛ {1} አልተገኘም ገባሪ ደመወዝ መዋቅር {0}
@@ -2244,11 +2260,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,ያስፈልጋል ላይ
DocType: Rename Tool,File to Rename,ዳግም ሰይም ፋይል
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},ረድፍ ውስጥ ንጥል ለማግኘት BOM ይምረጡ {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},ንጥል ለማግኘት የለም የተጠቀሰዉ BOM {0} {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},መለያ {0} {1} መለያ ሁነታ ውስጥ ኩባንያ ጋር አይዛመድም: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},ንጥል ለማግኘት የለም የተጠቀሰዉ BOM {0} {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,ጥገና ፕሮግራም {0} ይህን የሽያጭ ትዕዛዝ በመሰረዝ በፊት ተሰርዟል አለበት
DocType: Notification Control,Expense Claim Approved,የወጪ የይገባኛል ጥያቄ ተፈቅዷል
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,ሠራተኛ የቀጣሪ {0} አስቀድሞ በዚህ ጊዜ የተፈጠሩ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,የህክምና
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,የህክምና
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,የተገዙ ንጥሎች መካከል ወጪ
DocType: Selling Settings,Sales Order Required,የሽያጭ ትዕዛዝ ያስፈልጋል
DocType: Purchase Invoice,Credit To,ወደ ክሬዲት
@@ -2265,42 +2282,42 @@
DocType: Payment Gateway Account,Payment Account,የክፍያ መለያ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,ለመቀጠል ኩባንያ ይግለጹ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,መለያዎች የሚሰበሰብ ሂሳብ ውስጥ የተጣራ ለውጥ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,የማካካሻ አጥፋ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,የማካካሻ አጥፋ
DocType: Offer Letter,Accepted,ተቀባይነት አግኝቷል
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,ድርጅት
DocType: SG Creation Tool Course,Student Group Name,የተማሪ የቡድን ስም
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,በእርግጥ ይህ ኩባንያ ሁሉንም ግብይቶችን መሰረዝ ይፈልጋሉ እርግጠኛ ይሁኑ. ነው እንደ ዋና ውሂብ ይቆያል. ይህ እርምጃ ሊቀለበስ አይችልም.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,በእርግጥ ይህ ኩባንያ ሁሉንም ግብይቶችን መሰረዝ ይፈልጋሉ እርግጠኛ ይሁኑ. ነው እንደ ዋና ውሂብ ይቆያል. ይህ እርምጃ ሊቀለበስ አይችልም.
DocType: Room,Room Number,የክፍል ቁጥር
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},ልክ ያልሆነ ማጣቀሻ {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ታቅዶ quanitity መብለጥ አይችልም ({2}) በምርት ላይ ትእዛዝ {3}
DocType: Shipping Rule,Shipping Rule Label,መላኪያ ደንብ መሰየሚያ
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,የተጠቃሚ መድረክ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,ጥሬ እቃዎች ባዶ መሆን አይችልም.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","የአክሲዮን ማዘመን አልተቻለም, መጠየቂያ ጠብታ መላኪያ ንጥል ይዟል."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,ጥሬ እቃዎች ባዶ መሆን አይችልም.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","የአክሲዮን ማዘመን አልተቻለም, መጠየቂያ ጠብታ መላኪያ ንጥል ይዟል."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,ፈጣን ጆርናል የሚመዘገብ መረጃ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,BOM ማንኛውም ንጥል agianst የተጠቀሰው ከሆነ መጠን መቀየር አይችሉም
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,BOM ማንኛውም ንጥል agianst የተጠቀሰው ከሆነ መጠን መቀየር አይችሉም
DocType: Employee,Previous Work Experience,ቀዳሚ የሥራ ልምድ
DocType: Stock Entry,For Quantity,ብዛት ለ
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},ረድፍ ላይ ንጥል {0} ለማግኘት የታቀደ ብዛት ያስገቡ {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} ማቅረብ አይደለም
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,ንጥሎች ጥያቄዎች.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,መለየት ምርት ትዕዛዝ እያንዳንዱ በተፈጸመ ጥሩ ንጥል ይፈጠራል.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} መመለሻ ሰነድ ላይ አሉታዊ መሆን አለበት
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} መመለሻ ሰነድ ላይ አሉታዊ መሆን አለበት
,Minutes to First Response for Issues,ጉዳዮች የመጀመርያ ምላሽ ደቂቃ
DocType: Purchase Invoice,Terms and Conditions1,ውል እና Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,ተቋሙ ስም ስለ እናንተ ይህ ሥርዓት ማዋቀር ነው.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,ተቋሙ ስም ስለ እናንተ ይህ ሥርዓት ማዋቀር ነው.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","ከዚህ ቀን ድረስ በበረዶ ዲግሪ ግቤት, ማንም / ማድረግ ከዚህ በታች በተጠቀሰው ሚና በስተቀር ግቤት መቀየር ይችላል."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,የጥገና ፕሮግራም ለማመንጨት በፊት ሰነዱን ያስቀምጡ
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,የፕሮጀክት ሁኔታ
DocType: UOM,Check this to disallow fractions. (for Nos),ክፍልፋዮች እንዲከለክል ይህን ይመልከቱ. (ቁጥሮች ለ)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,የሚከተሉት የምርት ትዕዛዞች ተፈጥረው ነበር:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,የሚከተሉት የምርት ትዕዛዞች ተፈጥረው ነበር:
DocType: Student Admission,Naming Series (for Student Applicant),ተከታታይ እየሰየሙ (የተማሪ አመልካች ለ)
DocType: Delivery Note,Transporter Name,አጓጓዥ ስም
DocType: Authorization Rule,Authorized Value,የተፈቀደላቸው እሴት
DocType: BOM,Show Operations,አሳይ ክወናዎች
,Minutes to First Response for Opportunity,አጋጣሚ ለማግኘት በመጀመሪያ ምላሽ ደቂቃ
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,ጠቅላላ የተዉ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,ረድፍ {0} አይዛመድም ሐሳብ ጥያቄ ለ ንጥል ወይም መጋዘን
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,ረድፍ {0} አይዛመድም ሐሳብ ጥያቄ ለ ንጥል ወይም መጋዘን
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,የመለኪያ አሃድ
DocType: Fiscal Year,Year End Date,ዓመት መጨረሻ ቀን
DocType: Task Depends On,Task Depends On,ተግባር ላይ ይመረኮዛል
@@ -2379,11 +2396,11 @@
DocType: Asset,Manual,መምሪያ መጽሐፍ
DocType: Salary Component Account,Salary Component Account,ደመወዝ አካል መለያ
DocType: Global Defaults,Hide Currency Symbol,የምንዛሬ ምልክት ደብቅ
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","ለምሳሌ ባንክ, በጥሬ ገንዘብ, ክሬዲት ካርድ"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","ለምሳሌ ባንክ, በጥሬ ገንዘብ, ክሬዲት ካርድ"
DocType: Lead Source,Source Name,ምንጭ ስም
DocType: Journal Entry,Credit Note,የተሸጠ ዕቃ ሲመለስ የሚሰጥ ወረቀት
DocType: Warranty Claim,Service Address,የአገልግሎት አድራሻ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Furnitures እና አለማድረስ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Furnitures እና አለማድረስ
DocType: Item,Manufacture,ማምረት
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,እባክዎ የመላኪያ ማስታወሻ መጀመሪያ
DocType: Student Applicant,Application Date,የመተግበሪያ ቀን
@@ -2393,7 +2410,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,መልቀቂያ ቀን የተጠቀሰው አይደለም
apps/erpnext/erpnext/config/manufacturing.py +7,Production,ፕሮዳክሽን
DocType: Guardian,Occupation,ሞያ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,እባክዎ> የሰው ሀብት ውስጥ HR ቅንብሮች ስርዓት እየሰየሙ ማዋቀር የሰራተኛ
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,ረድፍ {0}: የመጀመሪያ ቀን ከመጨረሻ ቀን በፊት መሆን አለበት
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),ጠቅላላ (ብዛት)
DocType: Sales Invoice,This Document,ይህ ሰነድ
@@ -2405,19 +2421,19 @@
DocType: Purchase Receipt,Time at which materials were received,ቁሳቁስ ተሰጥቷቸዋል ነበር ይህም በ ጊዜ
DocType: Stock Ledger Entry,Outgoing Rate,የወጪ ተመን
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,ድርጅት ቅርንጫፍ ጌታቸው.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,ወይም
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,ወይም
DocType: Sales Order,Billing Status,አከፋፈል ሁኔታ
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,ችግር ሪፖርት ያድርጉ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,መገልገያ ወጪ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,መገልገያ ወጪ
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-በላይ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,የረድፍ # {0}: ጆርናል የሚመዘገብ {1} መለያ የለውም {2} ወይም አስቀድሞ በሌላ ቫውቸር ጋር ይዛመዳሉ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,የረድፍ # {0}: ጆርናል የሚመዘገብ {1} መለያ የለውም {2} ወይም አስቀድሞ በሌላ ቫውቸር ጋር ይዛመዳሉ
DocType: Buying Settings,Default Buying Price List,ነባሪ መግዛትና ዋጋ ዝርዝር
DocType: Process Payroll,Salary Slip Based on Timesheet,Timesheet ላይ የተመሠረተ የቀጣሪ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,ከላይ የተመረጡ መመዘኛዎች ወይም የቀጣሪ ምንም ሠራተኛ አስቀድሞ የተፈጠረ
DocType: Notification Control,Sales Order Message,የሽያጭ ትዕዛዝ መልዕክት
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","ወዘተ ኩባንያ, የምንዛሬ, የአሁኑ የበጀት ዓመት, እንደ አዘጋጅ ነባሪ እሴቶች"
DocType: Payment Entry,Payment Type,የክፍያ አይነት
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,ንጥል አንድ ባች ይምረጡ {0}. ይህን መስፈርት በሚያሟላ አንድ ነጠላ ባች ማግኘት አልተቻለም
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,ንጥል አንድ ባች ይምረጡ {0}. ይህን መስፈርት በሚያሟላ አንድ ነጠላ ባች ማግኘት አልተቻለም
DocType: Process Payroll,Select Employees,ይምረጡ ሰራተኞች
DocType: Opportunity,Potential Sales Deal,እምቅ የሽያጭ የስምምነት
DocType: Payment Entry,Cheque/Reference Date,ቼክ / የማጣቀሻ ቀን
@@ -2437,7 +2453,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,ደረሰኝ ሰነድ ማቅረብ ይኖርባቸዋል
DocType: Purchase Invoice Item,Received Qty,ተቀብሏል ብዛት
DocType: Stock Entry Detail,Serial No / Batch,ተከታታይ አይ / ባች
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,አይደለም የሚከፈልበት እና ደርሷል አይደለም
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,አይደለም የሚከፈልበት እና ደርሷል አይደለም
DocType: Product Bundle,Parent Item,የወላጅ ንጥል
DocType: Account,Account Type,የመለያ አይነት
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2451,24 +2467,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),የማቅረብ ያለውን ጥቅል መታወቂያ (የህትመት ለ)
DocType: Bin,Reserved Quantity,የተያዘ ብዛት
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,ልክ የሆነ የኢሜይል አድራሻ ያስገቡ
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},ፕሮግራሙ ምንም አስገዳጅ አካሄድ የለም {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,የግዢ ደረሰኝ ንጥሎች
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,ማበጀት ቅጾች
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,Arrear
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,Arrear
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,በነበረበት ወቅት ዋጋ መቀነስ መጠን
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,የተሰናከለ አብነት ነባሪ አብነት መሆን የለበትም
DocType: Account,Income Account,የገቢ መለያ
DocType: Payment Request,Amount in customer's currency,ደንበኛ ምንዛሬ መጠን
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,ርክክብ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,ርክክብ
DocType: Stock Reconciliation Item,Current Qty,የአሁኑ ብዛት
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",ተመልከት የኳንቲቲ ክፍል ውስጥ "ቁሳቁሶች መሰረት ያደረገ ላይ ነው ይስጡት"
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,የቀድሞው
DocType: Appraisal Goal,Key Responsibility Area,ቁልፍ ኃላፊነት አካባቢ
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","የተማሪ ቡድኖች እናንተ ተማሪዎች ክትትልን, ግምገማዎች እና ክፍያዎች ይከታተሉ ለመርዳት"
DocType: Payment Entry,Total Allocated Amount,ጠቅላላ የተመደበ መጠን
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,ዘላቂ በመጋዘኑ አዘጋጅ ነባሪ ቆጠራ መለያ
DocType: Item Reorder,Material Request Type,ቁሳዊ ጥያቄ አይነት
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},{0} ከ ደምወዝ ለ Accural ጆርናል የሚመዘገብ {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage ሙሉ ነው, ሊያድን አይችልም ነበር"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage ሙሉ ነው, ሊያድን አይችልም ነበር"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,ረድፍ {0}: UOM የልወጣ ምክንያት የግዴታ ነው
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,ማጣቀሻ
DocType: Budget,Cost Center,የወጭ ማዕከል
@@ -2481,19 +2497,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","የዋጋ ደ በአንዳንድ መስፈርቶች ላይ የተመሠረቱ, / ዋጋ ዝርዝር እንዲተኩ ቅናሽ መቶኛ ለመግለጽ ነው."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,መጋዘን ብቻ የክምችት Entry በኩል ሊቀየር ይችላል / የመላኪያ ማስታወሻ / የግዢ ደረሰኝ
DocType: Employee Education,Class / Percentage,ክፍል / መቶኛ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,ማርኬቲንግ እና ሽያጭ ክፍል ኃላፊ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,የገቢ ግብር
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,ማርኬቲንግ እና ሽያጭ ክፍል ኃላፊ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,የገቢ ግብር
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","የተመረጠውን የዋጋ ደ 'ዋጋ ለ' ነው ከሆነ, የዋጋ ዝርዝር እንዲተኩ ያደርጋል. የዋጋ አሰጣጥ ደንብ ዋጋ የመጨረሻው ዋጋ ነው, ስለዚህ ምንም ተጨማሪ ቅናሽ የሚሠራ መሆን ይኖርበታል. በመሆኑም, ወዘተ የሽያጭ ትዕዛዝ, የግዥ ትዕዛዝ እንደ ግብይቶችን, ይልቁን 'የዋጋ ዝርዝር ተመን' እርሻ ይልቅ 'ደረጃ »መስክ ውስጥ ማምጣት ይሆናል."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,የትራክ ኢንዱስትሪ ዓይነት ይመራል.
DocType: Item Supplier,Item Supplier,ንጥል አቅራቢ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,ባች ምንም ለማግኘት ንጥል ኮድ ያስገቡ
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},{0} quotation_to እሴት ይምረጡ {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,ባች ምንም ለማግኘት ንጥል ኮድ ያስገቡ
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},{0} quotation_to እሴት ይምረጡ {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,ሁሉም አድራሻዎች.
DocType: Company,Stock Settings,የክምችት ቅንብሮች
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","የሚከተሉትን ባሕሪያት በሁለቱም መዝገቦች ላይ ተመሳሳይ ከሆነ ሕዋሶችን ብቻ ነው. ቡድን, ሥር ዓይነት, ኩባንያ ነው?"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","የሚከተሉትን ባሕሪያት በሁለቱም መዝገቦች ላይ ተመሳሳይ ከሆነ ሕዋሶችን ብቻ ነው. ቡድን, ሥር ዓይነት, ኩባንያ ነው?"
DocType: Vehicle,Electric,የኤሌክትሪክ
DocType: Task,% Progress,% ሂደት
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,የንብረት ማስወገድ ላይ ረብ / ማጣት
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,የንብረት ማስወገድ ላይ ረብ / ማጣት
DocType: Training Event,Will send an email about the event to employees with status 'Open',ሁኔታ ጋር ሠራተኞች ክስተት ኢሜይል ይልካል 'Open'
DocType: Task,Depends on Tasks,ተግባራት ላይ ይመረኮዛል
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,የደንበኛ ቡድን ዛፍ ያቀናብሩ.
@@ -2502,7 +2518,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,አዲስ የወጪ ማዕከል ስም
DocType: Leave Control Panel,Leave Control Panel,የመቆጣጠሪያ ፓነል ውጣ
DocType: Project,Task Completion,ተግባር ማጠናቀቂያ
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,አይደለም የክምችት ውስጥ
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,አይደለም የክምችት ውስጥ
DocType: Appraisal,HR User,የሰው ሀይል ተጠቃሚ
DocType: Purchase Invoice,Taxes and Charges Deducted,ግብሮች እና ክፍያዎች ይቀነሳል
apps/erpnext/erpnext/hooks.py +116,Issues,ችግሮች
@@ -2513,22 +2529,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},መካከል ምንም ደመወዝ ወረቀት {0} እና {1}
,Pending SO Items For Purchase Request,የግዢ ጥያቄ ስለዚህ ንጥሎች በመጠባበቅ ላይ
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,የተማሪ ምዝገባ
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} ተሰናክሏል
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} ተሰናክሏል
DocType: Supplier,Billing Currency,አከፋፈል ምንዛሬ
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,በጣም ትልቅ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,በጣም ትልቅ
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,ጠቅላላ ቅጠሎች
,Profit and Loss Statement,የትርፍና ኪሳራ መግለጫ
DocType: Bank Reconciliation Detail,Cheque Number,ቼክ ቁጥር
,Sales Browser,የሽያጭ አሳሽ
DocType: Journal Entry,Total Credit,ጠቅላላ ክሬዲት
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},ማስጠንቀቂያ: ሌላው {0} # {1} የአክሲዮን ግቤት ላይ አለ {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,አካባቢያዊ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,አካባቢያዊ
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),ብድር እና እድገት (እሴቶች)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,ተበዳሪዎች
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,ትልቅ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,ትልቅ
DocType: Homepage Featured Product,Homepage Featured Product,መነሻ ገጽ ተለይተው የቀረቡ ምርት
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,ሁሉም የግምገማ ቡድኖች
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,ሁሉም የግምገማ ቡድኖች
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,አዲስ መጋዘን ስም
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),ጠቅላላ {0} ({1})
DocType: C-Form Invoice Detail,Territory,ግዛት
@@ -2538,12 +2554,12 @@
DocType: Production Order Operation,Planned Start Time,የታቀደ መጀመሪያ ጊዜ
DocType: Course,Assessment,ግምገማ
DocType: Payment Entry Reference,Allocated,የተመደበ
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,ዝጋ ሚዛን ሉህ እና መጽሐፍ ትርፍ ወይም ማጣት.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,ዝጋ ሚዛን ሉህ እና መጽሐፍ ትርፍ ወይም ማጣት.
DocType: Student Applicant,Application Status,የመተግበሪያ ሁኔታ
DocType: Fees,Fees,ክፍያዎች
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ምንዛሪ ተመን ወደ ሌላ በአንድ ምንዛሬ መለወጥ ግለፅ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,ጥቅስ {0} ተሰርዟል
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,ጠቅላላ ያልተወራረደ መጠን
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,ጠቅላላ ያልተወራረደ መጠን
DocType: Sales Partner,Targets,ዒላማዎች
DocType: Price List,Price List Master,የዋጋ ዝርዝር መምህር
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,ማዘጋጀት እና ዒላማዎች ለመከታተል እንዲችሉ ሁሉም የሽያጭ ግብይቶች በርካታ ** የሽያጭ አካላት ** ላይ መለያ ተሰጥተዋቸዋል ይችላል.
@@ -2575,11 +2591,11 @@
1. Address and Contact of your Company.","መደበኛ ውሎች እና ሽያጭ እና ግዢዎች ሊታከሉ የሚችሉ ሁኔታዎች. ምሳሌዎች: ቅናሽ 1. ስለሚቆይበት. 1. የክፍያ ውል (ምንጭ ላይ የቅድሚያ ውስጥ, ክፍል አስቀድመህ ወዘተ). 1. ተጨማሪ (ወይም የደንበኛ የሚከፈል) ምንድን ነው. 1. ደህንነት / የአጠቃቀም ማስጠንቀቂያ. 1. ዋስትና ካለ. 1. መመሪያ ያወጣል. መላኪያ 1. ውል, የሚመለከተው ከሆነ. ክርክሮችን ለመፍታት, ጥቅማጥቅም, ተጠያቂነት 1. መንገዶች, ወዘተ 1. አድራሻ እና የእርስዎ ኩባንያ ያግኙን."
DocType: Attendance,Leave Type,ፈቃድ አይነት
DocType: Purchase Invoice,Supplier Invoice Details,አቅራቢ የደረሰኝ ዝርዝሮች
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,ወጪ / መማሩ መለያ ({0}) አንድ 'ትርፍ ወይም ኪሳራ' መለያ መሆን አለበት
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,ወጪ / መማሩ መለያ ({0}) አንድ 'ትርፍ ወይም ኪሳራ' መለያ መሆን አለበት
DocType: Project,Copied From,ከ ተገልብጧል
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},ስም ስህተት: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,እጦት
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} ጋር የተያያዘ አይደለም {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} ጋር የተያያዘ አይደለም {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,ሠራተኛ {0} ክትትልን አስቀድሞ ምልክት ነው
DocType: Packing Slip,If more than one package of the same type (for print),ከሆነ ተመሳሳይ ዓይነት ከአንድ በላይ ጥቅል (የህትመት ለ)
,Salary Register,ደመወዝ ይመዝገቡ
@@ -2597,22 +2613,23 @@
,Requested Qty,የተጠየቀው ብዛት
DocType: Tax Rule,Use for Shopping Cart,ወደ ግዢ ሳጥን ጨመር ተጠቀም
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},እሴት {0} አይነታ {1} ንጥል ለ እሴቶች የአይነት ልክ ንጥል ዝርዝር ውስጥ የለም {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,መለያ ቁጥር ይምረጡ
DocType: BOM Item,Scrap %,ቁራጭ%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","ክፍያዎች ተመጣጣኝ መጠን በእርስዎ ምርጫ መሠረት, ንጥል ብዛት ወይም መጠን ላይ በመመርኮዝ መሰራጨት ይሆናል"
DocType: Maintenance Visit,Purposes,ዓላማዎች
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,ቢያንስ አንድ ንጥል መመለሻ ሰነድ ላይ አሉታዊ ብዛት ጋር መግባት አለበት
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,ቢያንስ አንድ ንጥል መመለሻ ሰነድ ላይ አሉታዊ ብዛት ጋር መግባት አለበት
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","ድርጊቱ {0} ከገቢር ውስጥ ማንኛውም የሚገኙ የሥራ ሰዓት በላይ {1}, በርካታ ስራዎች ወደ ቀዶ አፈርሳለሁ"
,Requested,ተጠይቋል
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,ምንም መግለጫዎች
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,ምንም መግለጫዎች
DocType: Purchase Invoice,Overdue,በጊዜዉ ያልተከፈለ
DocType: Account,Stock Received But Not Billed,የክምችት ተቀብሏል ነገር ግን የሚከፈል አይደለም
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,ሥር መለያ ቡድን መሆን አለበት
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,ሥር መለያ ቡድን መሆን አለበት
DocType: Fees,FEE.,ክፍያ.
DocType: Employee Loan,Repaid/Closed,/ ይመልስ ተዘግቷል
DocType: Item,Total Projected Qty,ጠቅላላ ፕሮጀክት ብዛት
DocType: Monthly Distribution,Distribution Name,የስርጭት ስም
DocType: Course,Course Code,የኮርስ ኮድ
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},ንጥል ያስፈልጋል ጥራት ምርመራ {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},ንጥል ያስፈልጋል ጥራት ምርመራ {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,ይህም ደንበኛ ምንዛሬ ላይ ተመን ኩባንያ መሰረታዊ ምንዛሬ በመለወጥ ላይ ነው
DocType: Purchase Invoice Item,Net Rate (Company Currency),የተጣራ ተመን (የኩባንያ የምንዛሬ)
DocType: Salary Detail,Condition and Formula Help,ሁኔታ እና የቀመር እገዛ
@@ -2625,27 +2642,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,ማምረት ቁሳዊ ማስተላለፍ
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,የቅናሽ መቶኛ አንድ ዋጋ ዝርዝር ላይ ወይም ሁሉንም የዋጋ ዝርዝር ለማግኘት ወይም ተግባራዊ ሊሆኑ ይችላሉ.
DocType: Purchase Invoice,Half-yearly,ግማሽ-ዓመታዊ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,የአክሲዮን ለ አካውንቲንግ Entry
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,የአክሲዮን ለ አካውንቲንግ Entry
DocType: Vehicle Service,Engine Oil,የሞተር ዘይት
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,እባክዎ> የሰው ሀብት ውስጥ HR ቅንብሮች ስርዓት እየሰየሙ ማዋቀር የሰራተኛ
DocType: Sales Invoice,Sales Team1,የሽያጭ Team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,ንጥል {0} የለም
DocType: Sales Invoice,Customer Address,የደንበኛ አድራሻ
DocType: Employee Loan,Loan Details,ብድር ዝርዝሮች
+DocType: Company,Default Inventory Account,ነባሪ ቆጠራ መለያ
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,ረድፍ {0}: ተጠናቋል ብዛት ከዜሮ በላይ መሆን አለበት.
DocType: Purchase Invoice,Apply Additional Discount On,ተጨማሪ የቅናሽ ላይ ተግብር
DocType: Account,Root Type,ስርወ አይነት
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},የረድፍ # {0}: በላይ መመለስ አይቻልም {1} ንጥል ለ {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},የረድፍ # {0}: በላይ መመለስ አይቻልም {1} ንጥል ለ {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,ሴራ
DocType: Item Group,Show this slideshow at the top of the page,በገጹ ላይኛው ክፍል ላይ ይህን ተንሸራታች ትዕይንት አሳይ
DocType: BOM,Item UOM,ንጥል UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),የቅናሽ መጠን በኋላ የግብር መጠን (የኩባንያ የምንዛሬ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},የዒላማ የመጋዘን ረድፍ ግዴታ ነው {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},የዒላማ የመጋዘን ረድፍ ግዴታ ነው {0}
DocType: Cheque Print Template,Primary Settings,ዋና ቅንብሮች
DocType: Purchase Invoice,Select Supplier Address,ይምረጡ አቅራቢው አድራሻ
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,ሰራተኞችን አክል
DocType: Purchase Invoice Item,Quality Inspection,የጥራት ምርመራ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,የበለጠ አነስተኛ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,የበለጠ አነስተኛ
DocType: Company,Standard Template,መደበኛ አብነት
DocType: Training Event,Theory,ፍልስፍና
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,ማስጠንቀቂያ: ብዛት ጠይቀዋል ሐሳብ ያለው አነስተኛ ትዕዛዝ ብዛት ያነሰ ነው
@@ -2653,7 +2672,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,ወደ ድርጅት ንብረት መለያዎች የተለየ ሰንጠረዥ ጋር ሕጋዊ አካሌ / ንዑስ.
DocType: Payment Request,Mute Email,ድምጸ-ኢሜይል
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","የምግብ, መጠጥ እና ትንባሆ"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},ብቻ ላይ ክፍያ ማድረግ ትችላለህ ያለተጠየቀበት {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},ብቻ ላይ ክፍያ ማድረግ ትችላለህ ያለተጠየቀበት {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,ኮሚሽን መጠን ከዜሮ በላይ 100 ሊሆን አይችልም
DocType: Stock Entry,Subcontract,በሰብ
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,በመጀመሪያ {0} ያስገቡ
@@ -2666,18 +2685,18 @@
DocType: SMS Log,No of Sent SMS,የተላከ ኤስ የለም
DocType: Account,Expense Account,የወጪ መለያ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,ሶፍትዌር
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,ቀለም
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,ቀለም
DocType: Assessment Plan Criteria,Assessment Plan Criteria,ግምገማ ዕቅድ መስፈርት
DocType: Training Event,Scheduled,የተያዘለት
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,ጥቅስ ለማግኘት ይጠይቁ.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","አይ" እና "የሽያጭ ንጥል ነው" "የአክሲዮን ንጥል ነው" የት "አዎ" ነው ንጥል ይምረጡ እና ሌላ የምርት ጥቅል አለ እባክህ
DocType: Student Log,Academic,የቀለም
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ጠቅላላ የቅድሚያ ({0}) ትዕዛዝ ላይ {1} ግራንድ ጠቅላላ መብለጥ አይችልም ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ጠቅላላ የቅድሚያ ({0}) ትዕዛዝ ላይ {1} ግራንድ ጠቅላላ መብለጥ አይችልም ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,ከማያምኑ ወራት በመላ ዒላማ ማሰራጨት ወርሃዊ ስርጭት ይምረጡ.
DocType: Purchase Invoice Item,Valuation Rate,ግምቱ ተመን
DocType: Stock Reconciliation,SR/,ድራይቨር /
DocType: Vehicle,Diesel,በናፍጣ
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,የዋጋ ዝርዝር ምንዛሬ አልተመረጠም
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,የዋጋ ዝርዝር ምንዛሬ አልተመረጠም
,Student Monthly Attendance Sheet,የተማሪ ወርሃዊ ክትትል ሉህ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},የተቀጣሪ {0} ቀድሞውኑ A መልክተው አድርጓል {1} መካከል {2} እና {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,ፕሮጀክት መጀመሪያ ቀን
@@ -2689,7 +2708,7 @@
DocType: BOM,Scrap,ቁራጭ
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,የሽያጭ አጋሮች ያቀናብሩ.
DocType: Quality Inspection,Inspection Type,የምርመራ አይነት
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,አሁን ያሉ ግብይት ጋር መጋዘኖችን ቡድን ሊቀየር አይችልም.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,አሁን ያሉ ግብይት ጋር መጋዘኖችን ቡድን ሊቀየር አይችልም.
DocType: Assessment Result Tool,Result HTML,ውጤት ኤችቲኤምኤል
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,ጊዜው የሚያልፍበት
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,ተማሪዎች ያክሉ
@@ -2697,13 +2716,13 @@
DocType: C-Form,C-Form No,ሲ-ቅጽ የለም
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,ምልክታቸው ክትትል
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,ተመራማሪ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,ተመራማሪ
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,ፕሮግራም ምዝገባ መሣሪያ ተማሪ
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,ስም ወይም ኢሜይል የግዴታ ነው
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,ገቢ ጥራት ፍተሻ.
DocType: Purchase Order Item,Returned Qty,ተመለሱ ብዛት
DocType: Employee,Exit,ውጣ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,ስርወ አይነት ግዴታ ነው
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,ስርወ አይነት ግዴታ ነው
DocType: BOM,Total Cost(Company Currency),ጠቅላላ ወጪ (የኩባንያ የምንዛሬ)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,{0} የተፈጠረ ተከታታይ የለም
DocType: Homepage,Company Description for website homepage,ድር መነሻ ገጽ ለ ኩባንያ መግለጫ
@@ -2712,7 +2731,7 @@
DocType: Sales Invoice,Time Sheet List,የጊዜ ሉህ ዝርዝር
DocType: Employee,You can enter any date manually,እራስዎ ማንኛውንም ቀን ያስገቡ ይችላሉ
DocType: Asset Category Account,Depreciation Expense Account,የእርጅና የወጪ መለያ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,የሙከራ ጊዜ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,የሙከራ ጊዜ
DocType: Customer Group,Only leaf nodes are allowed in transaction,ብቻ ቅጠል እባጮች ግብይት ውስጥ ይፈቀዳሉ
DocType: Expense Claim,Expense Approver,የወጪ አጽዳቂ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,ረድፍ {0}: የደንበኛ ላይ በቅድሚያ ክሬዲት መሆን አለበት
@@ -2725,10 +2744,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,እርግጥ ነው መርሐግብሮች ተሰርዟል:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,ኤስኤምኤስ የመላኪያ ሁኔታ የመጠበቅ ምዝግብ ማስታወሻዎች
DocType: Accounts Settings,Make Payment via Journal Entry,ጆርናል Entry በኩል ክፍያ አድርግ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Printed ላይ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Printed ላይ
DocType: Item,Inspection Required before Delivery,የምርመራው አሰጣጥ በፊት የሚያስፈልግ
DocType: Item,Inspection Required before Purchase,የምርመራው ግዢ በፊት የሚያስፈልግ
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,በመጠባበቅ ላይ እንቅስቃሴዎች
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,የእርስዎ ድርጅት
DocType: Fee Component,Fees Category,ክፍያዎች ምድብ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,ቀን ማስታገሻ ያስገቡ.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
@@ -2738,9 +2758,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,አስይዝ ደረጃ
DocType: Company,Chart Of Accounts Template,መለያዎች አብነት ነው ገበታ
DocType: Attendance,Attendance Date,በስብሰባው ቀን
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},የእቃ ዋጋ {0} ውስጥ የዋጋ ዝርዝር ዘምኗል {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},የእቃ ዋጋ {0} ውስጥ የዋጋ ዝርዝር ዘምኗል {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,ማግኘት እና ተቀናሽ ላይ የተመሠረተ ደመወዝ መፈረካከስ.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,ልጅ እንደ አንጓዎች ጋር መለያ ያሰኘንን ወደ ሊቀየር አይችልም
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,ልጅ እንደ አንጓዎች ጋር መለያ ያሰኘንን ወደ ሊቀየር አይችልም
DocType: Purchase Invoice Item,Accepted Warehouse,ተቀባይነት መጋዘን
DocType: Bank Reconciliation Detail,Posting Date,መለጠፍ ቀን
DocType: Item,Valuation Method,ግምቱ ስልት
@@ -2749,14 +2769,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,የተባዛ ግቤት
DocType: Program Enrollment Tool,Get Students,ተማሪዎች ያግኙ
DocType: Serial No,Under Warranty,የዋስትና በታች
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[ስህተት]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[ስህተት]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,አንተ ወደ የሽያጭ ትዕዛዝ ለማዳን አንዴ ቃላት ውስጥ የሚታይ ይሆናል.
,Employee Birthday,የሰራተኛ የልደት ቀን
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,የተማሪ ባች ክትትል መሣሪያ
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,ገደብ የምታገናኝ
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,ገደብ የምታገናኝ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,ቬንቸር ካፒታል
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,ይህ 'የትምህርት ዓመት' ጋር አንድ የትምህርት ቃል {0} እና 'ተርም ስም «{1} አስቀድሞ አለ. እነዚህ ግቤቶችን ይቀይሩ እና እንደገና ይሞክሩ.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}",ንጥል {0} ላይ ነባር ግብይቶች አሉ እንደ አንተ ያለውን ዋጋ መለወጥ አይችሉም {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}",ንጥል {0} ላይ ነባር ግብይቶች አሉ እንደ አንተ ያለውን ዋጋ መለወጥ አይችሉም {1}
DocType: UOM,Must be Whole Number,ሙሉ ቁጥር መሆን አለበት
DocType: Leave Control Panel,New Leaves Allocated (In Days),(ቀኖች ውስጥ) የተመደበ አዲስ ቅጠሎች
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,ተከታታይ አይ {0} የለም
@@ -2765,6 +2785,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,የክፍያ መጠየቂያ ቁጥር
DocType: Shopping Cart Settings,Orders,ትዕዛዞች
DocType: Employee Leave Approver,Leave Approver,አጽዳቂ ውጣ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,ስብስብ ይምረጡ
DocType: Assessment Group,Assessment Group Name,ግምገማ ቡድን ስም
DocType: Manufacturing Settings,Material Transferred for Manufacture,ቁሳዊ ማምረት ለ ተላልፈዋል
DocType: Expense Claim,"A user with ""Expense Approver"" role","የወጪ አጽዳቂ" ሚና ጋር አንድ ተጠቃሚ
@@ -2774,9 +2795,10 @@
DocType: Target Detail,Target Detail,ዒላማ ዝርዝር
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,ሁሉም ስራዎች
DocType: Sales Order,% of materials billed against this Sales Order,ቁሳቁሶችን% ይህን የሽያጭ ትዕዛዝ ላይ እንዲከፍሉ
+DocType: Program Enrollment,Mode of Transportation,የመጓጓዣ ሁነታ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,ክፍለ ጊዜ መዝጊያ Entry
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,አሁን ያሉ ግብይቶችን ጋር ወጪ ማዕከል ቡድን ሊቀየር አይችልም
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},የገንዘብ መጠን {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},የገንዘብ መጠን {0} {1} {2} {3}
DocType: Account,Depreciation,የእርጅና
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),አቅራቢው (ዎች)
DocType: Employee Attendance Tool,Employee Attendance Tool,የሰራተኛ ክትትል መሣሪያ
@@ -2784,7 +2806,7 @@
DocType: Supplier,Credit Limit,የብድር ገደብ
DocType: Production Plan Sales Order,Salse Order Date,Salse ትዕዛዝ ቀን
DocType: Salary Component,Salary Component,ደመወዝ ክፍለ አካል
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,የክፍያ ምዝግቦችን {0}-un ጋር የተገናኘ ነው
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,የክፍያ ምዝግቦችን {0}-un ጋር የተገናኘ ነው
DocType: GL Entry,Voucher No,ቫውቸር ምንም
,Lead Owner Efficiency,ቀዳሚ ባለቤት ቅልጥፍና
DocType: Leave Allocation,Leave Allocation,ምደባዎች ውጣ
@@ -2795,11 +2817,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,ውሎች ወይም ውል አብነት.
DocType: Purchase Invoice,Address and Contact,አድራሻ እና ዕውቂያ
DocType: Cheque Print Template,Is Account Payable,ተከፋይ መለያ ነው
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},የአክሲዮን ግዢ ደረሰኝ ላይ መዘመን አይችልም {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},የአክሲዮን ግዢ ደረሰኝ ላይ መዘመን አይችልም {0}
DocType: Supplier,Last Day of the Next Month,ወደ ቀጣዩ ወር የመጨረሻ ቀን
DocType: Support Settings,Auto close Issue after 7 days,7 ቀናት በኋላ ራስ የቅርብ እትም
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","በፊት የተመደበ አይችልም ይተዉት {0}, ፈቃድ ቀሪ አስቀድሞ የማስቀመጫ-በሚተላለፈው ወደፊት ፈቃድ አመዳደብ መዝገብ ውስጥ ቆይቷል እንደ {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),ማስታወሻ: የፍትህ / ማጣቀሻ ቀን {0} ቀን አይፈቀድም የደንበኛ ክሬዲት ቀናት አልፏል (ዎች)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),ማስታወሻ: የፍትህ / ማጣቀሻ ቀን {0} ቀን አይፈቀድም የደንበኛ ክሬዲት ቀናት አልፏል (ዎች)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,የተማሪ ማመልከቻ
DocType: Asset Category Account,Accumulated Depreciation Account,ሲጠራቀሙ የእርጅና መለያ
DocType: Stock Settings,Freeze Stock Entries,አርጋ Stock ግቤቶችን
@@ -2808,35 +2830,35 @@
DocType: Activity Cost,Billing Rate,አከፋፈል ተመን
,Qty to Deliver,ለማዳን ብዛት
,Stock Analytics,የክምችት ትንታኔ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,ክወናዎች ባዶ ሊተው አይችልም
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,ክወናዎች ባዶ ሊተው አይችልም
DocType: Maintenance Visit Purpose,Against Document Detail No,የሰነድ ዝርዝር ላይ የለም
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,የድግስ አይነት ግዴታ ነው
DocType: Quality Inspection,Outgoing,የወጪ
DocType: Material Request,Requested For,ለ ተጠይቋል
DocType: Quotation Item,Against Doctype,Doctype ላይ
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} ተሰርዟል ወይም ዝግ ነው
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} ተሰርዟል ወይም ዝግ ነው
DocType: Delivery Note,Track this Delivery Note against any Project,ማንኛውም ፕሮጀክት ላይ ይህን የመላኪያ ማስታወሻ ይከታተሉ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,ንዋይ ከ የተጣራ ገንዘብ
-,Is Primary Address,ዋና አድራሻ ነው
DocType: Production Order,Work-in-Progress Warehouse,የስራ-በ-በሂደት ላይ መጋዘን
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,የንብረት {0} መቅረብ አለበት
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},በስብሰባው ሪከርድ {0} የተማሪ ላይ አለ {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},በስብሰባው ሪከርድ {0} የተማሪ ላይ አለ {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},የማጣቀሻ # {0} የተዘጋጀው {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,የእርጅና ምክንያት ንብረቶች አወጋገድ ላይ ተሰናብቷል
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,አድራሻዎች ያቀናብሩ
DocType: Asset,Item Code,ንጥል ኮድ
DocType: Production Planning Tool,Create Production Orders,የምርት ትዕዛዞች ፍጠር
DocType: Serial No,Warranty / AMC Details,የዋስትና / AMC ዝርዝሮች
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,የ እንቅስቃሴ ላይ የተመሠረተ ቡድን በእጅ ይምረጡ ተማሪዎች
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,የ እንቅስቃሴ ላይ የተመሠረተ ቡድን በእጅ ይምረጡ ተማሪዎች
DocType: Journal Entry,User Remark,የተጠቃሚ አስተያየት
DocType: Lead,Market Segment,ገበያ ክፍሉ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},የሚከፈልበት መጠን ጠቅላላ አሉታዊ የላቀ መጠን መብለጥ አይችልም {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},የሚከፈልበት መጠን ጠቅላላ አሉታዊ የላቀ መጠን መብለጥ አይችልም {0}
DocType: Employee Internal Work History,Employee Internal Work History,የተቀጣሪ ውስጣዊ የስራ ታሪክ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),የመመዝገቢያ ጊዜ (ዶክተር)
DocType: Cheque Print Template,Cheque Size,ቼክ መጠን
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,አይደለም አክሲዮን ውስጥ ተከታታይ አይ {0}
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,ግብይቶች ለመሸጥ የግብር አብነት.
DocType: Sales Invoice,Write Off Outstanding Amount,ያልተከፈሉ መጠን ጠፍቷል ይጻፉ
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},መለያ {0} ኩባንያ ጋር አይዛመድም {1}
DocType: School Settings,Current Academic Year,የአሁኑ ትምህርታዊ ዓመት
DocType: Stock Settings,Default Stock UOM,ነባሪ የክምችት UOM
DocType: Asset,Number of Depreciations Booked,Depreciations ብዛት የተመዘገበ
@@ -2851,27 +2873,27 @@
DocType: Asset,Double Declining Balance,ድርብ ካልተቀበሉት ቀሪ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,ዝግ ትዕዛዝ ተሰርዟል አይችልም. ለመሰረዝ Unclose.
DocType: Student Guardian,Father,አባት
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'አዘምን Stock' ቋሚ ንብረት ለሽያጭ ሊረጋገጥ አልቻለም
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'አዘምን Stock' ቋሚ ንብረት ለሽያጭ ሊረጋገጥ አልቻለም
DocType: Bank Reconciliation,Bank Reconciliation,ባንክ ማስታረቅ
DocType: Attendance,On Leave,አረፍት ላይ
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,ዝማኔዎች አግኝ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: መለያ {2} ኩባንያ የእርሱ ወገን አይደለም {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,ቁሳዊ ጥያቄ {0} ተሰርዟል ወይም አቁሟል ነው
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,ጥቂት ናሙና መዝገቦች ያክሉ
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,ጥቂት ናሙና መዝገቦች ያክሉ
apps/erpnext/erpnext/config/hr.py +301,Leave Management,አስተዳደር ውጣ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,መለያ ቡድን
DocType: Sales Order,Fully Delivered,ሙሉ በሙሉ ደርሷል
DocType: Lead,Lower Income,የታችኛው ገቢ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},የመነሻ እና የመድረሻ መጋዘን ረድፍ ጋር ተመሳሳይ መሆን አይችልም {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},የመነሻ እና የመድረሻ መጋዘን ረድፍ ጋር ተመሳሳይ መሆን አይችልም {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","ይህ የክምችት ማስታረቅ አንድ በመክፈት Entry በመሆኑ ልዩነት መለያ, አንድ ንብረት / የተጠያቂነት ዓይነት መለያ መሆን አለበት"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},በመገኘቱ መጠን የብድር መጠን መብለጥ አይችልም {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},ንጥል ያስፈልጋል ትዕዛዝ ቁጥር ይግዙ {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,የምርት ትዕዛዝ አልተፈጠረም
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},ንጥል ያስፈልጋል ትዕዛዝ ቁጥር ይግዙ {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,የምርት ትዕዛዝ አልተፈጠረም
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','ቀን ጀምሮ' በኋላ 'እስከ ቀን' መሆን አለበት
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},ተማሪ ሁኔታ መለወጥ አይቻልም {0} የተማሪ ማመልከቻ ጋር የተያያዘ ነው {1}
DocType: Asset,Fully Depreciated,ሙሉ በሙሉ የቀነሰበት
,Stock Projected Qty,የክምችት ብዛት የታቀደበት
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},ይኸው የእርሱ ወገን አይደለም {0} የደንበኛ ፕሮጀክት ወደ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},ይኸው የእርሱ ወገን አይደለም {0} የደንበኛ ፕሮጀክት ወደ {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,ምልክት ተደርጎበታል ክትትል ኤችቲኤምኤል
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","ጥቅሶች, የእርስዎ ደንበኞች ልከዋል ተጫራቾች ሀሳቦች ናቸው"
DocType: Sales Order,Customer's Purchase Order,ደንበኛ የግዢ ትዕዛዝ
@@ -2880,33 +2902,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,ግምገማ መስፈርት በበርካታ ድምር {0} መሆን አለበት.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Depreciations ብዛት የተመዘገበ ማዘጋጀት እባክዎ
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,እሴት ወይም ብዛት
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,ፕሮዳክሽን ትዕዛዞች ስለ ማጽደቅም የተነሣውን አይችልም:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,ደቂቃ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,ፕሮዳክሽን ትዕዛዞች ስለ ማጽደቅም የተነሣውን አይችልም:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,ደቂቃ
DocType: Purchase Invoice,Purchase Taxes and Charges,ግብሮች እና ክፍያዎች ይግዙ
,Qty to Receive,ይቀበሉ ዘንድ ብዛት
DocType: Leave Block List,Leave Block List Allowed,አግድ ዝርዝር ተፈቅዷል ይነሱ
DocType: Grading Scale Interval,Grading Scale Interval,አሰጣጥ ደረጃ ክፍተት
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},የተሽከርካሪ ምዝግብ ለ ወጪ የይገባኛል ጥያቄ {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ኅዳግ ጋር የዋጋ ዝርዝር ተመን ላይ ቅናሽ (%)
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,ሁሉም መጋዘኖችን
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,ሁሉም መጋዘኖችን
DocType: Sales Partner,Retailer,ቸርቻሪ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,መለያ ወደ ክሬዲት ሚዛን ሉህ መለያ መሆን አለበት
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,መለያ ወደ ክሬዲት ሚዛን ሉህ መለያ መሆን አለበት
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,ሁሉም አቅራቢው አይነቶች
DocType: Global Defaults,Disable In Words,ቃላት ውስጥ አሰናክል
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,"ንጥል በራስ-ሰር ቁጥር አይደለም, ምክንያቱም ንጥል ኮድ የግዴታ ነው"
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"ንጥል በራስ-ሰር ቁጥር አይደለም, ምክንያቱም ንጥል ኮድ የግዴታ ነው"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},ጥቅስ {0} ሳይሆን አይነት {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,ጥገና ፕሮግራም ንጥል
DocType: Sales Order,% Delivered,% ደርሷል
DocType: Production Order,PRO-,የተገኙና
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,ባንክ ኦቨርድራፍት መለያ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,ባንክ ኦቨርድራፍት መለያ
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,የቀጣሪ አድርግ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,የረድፍ # {0}: የተመደበ መጠን የላቀ መጠን የበለጠ ሊሆን አይችልም.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,አስስ BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,ደህንነቱ የተጠበቀ ብድሮች
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,ደህንነቱ የተጠበቀ ብድሮች
DocType: Purchase Invoice,Edit Posting Date and Time,አርትዕ የመለጠፍ ቀን እና ሰዓት
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},የንብረት ምድብ {0} ወይም ኩባንያ ውስጥ መቀነስ ጋር የተያያዙ መለያዎች ማዘጋጀት እባክዎ {1}
DocType: Academic Term,Academic Year,የትምህርት ዘመን
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,በመክፈት ላይ ቀሪ ፍትህ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,በመክፈት ላይ ቀሪ ፍትህ
DocType: Lead,CRM,ሲ
DocType: Appraisal,Appraisal,ግምት
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},አቅራቢ ተልኳል ኢሜይል ወደ {0}
@@ -2922,7 +2944,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,ሚና ማጽደቅ ያለውን አገዛዝ ወደ የሚመለከታቸው ነው ሚና ጋር ተመሳሳይ ሊሆን አይችልም
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,ይህን የኢሜይል ጥንቅር ምዝገባ ይውጡ
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,መልዕክት ተልኳል
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,ልጅ እንደ አንጓዎች ጋር መለያ የመቁጠር ሊዘጋጅ አይችልም
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,ልጅ እንደ አንጓዎች ጋር መለያ የመቁጠር ሊዘጋጅ አይችልም
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,ፍጥነት ዋጋ ዝርዝር ምንዛሬ ላይ የደንበኛ መሰረት ከሆነው ምንዛሬ በመለወጥ ላይ ነው
DocType: Purchase Invoice Item,Net Amount (Company Currency),የተጣራ መጠን (የኩባንያ የምንዛሬ)
@@ -2956,7 +2978,7 @@
DocType: Expense Claim,Approval Status,የማጽደቅ ሁኔታ
DocType: Hub Settings,Publish Items to Hub,ማዕከል ንጥሎች አትም
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},እሴት ረድፍ ውስጥ እሴት ያነሰ መሆን አለበት ከ {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,የሃዋላ ገንዘብ መላኪያ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,የሃዋላ ገንዘብ መላኪያ
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,ሁሉንም ይመልከቱ
DocType: Vehicle Log,Invoice Ref,የደረሰኝ ዳኛ
DocType: Purchase Order,Recurring Order,ተደጋጋሚ ትዕዛዝ
@@ -2969,51 +2991,54 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,ባንክ እና ክፍያዎች
,Welcome to ERPNext,ERPNext ወደ እንኳን ደህና መጡ
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,ትዕምርተ የሚያደርሱ
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,የበለጠ ምንም ነገር ለማሳየት.
DocType: Lead,From Customer,የደንበኛ ከ
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,ጊዜ ጥሪዎች
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,ጊዜ ጥሪዎች
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,ቡድኖች
DocType: Project,Total Costing Amount (via Time Logs),ጠቅላላ የኳንቲቲ መጠን (ጊዜ ምዝግብ ማስታወሻዎች በኩል)
DocType: Purchase Order Item Supplied,Stock UOM,የክምችት UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,ትዕዛዝ {0} አልተካተተም ነው ይግዙ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,ትዕዛዝ {0} አልተካተተም ነው ይግዙ
DocType: Customs Tariff Number,Tariff Number,ታሪፍ ቁጥር
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,ፕሮጀክት
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},ተከታታይ አይ {0} መጋዘን የእርሱ ወገን አይደለም {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,ማስታወሻ: {0} ብዛት ወይም መጠን 0 ነው እንደ የመላኪያ-ደጋግሞ-ማስያዣ ንጥል ለ ስርዓት ይመልከቱ አይደለም
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,ማስታወሻ: {0} ብዛት ወይም መጠን 0 ነው እንደ የመላኪያ-ደጋግሞ-ማስያዣ ንጥል ለ ስርዓት ይመልከቱ አይደለም
DocType: Notification Control,Quotation Message,ትዕምርተ መልዕክት
DocType: Employee Loan,Employee Loan Application,የሰራተኛ ብድር ማመልከቻ
DocType: Issue,Opening Date,መክፈቻ ቀን
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,በስብሰባው ላይ በተሳካ ሁኔታ ምልክት ተደርጎበታል.
+DocType: Program Enrollment,Public Transport,የሕዝብ ማመላለሻ
DocType: Journal Entry,Remark,አመለከተ
DocType: Purchase Receipt Item,Rate and Amount,ደረጃ ይስጡ እና መጠን
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},የመለያ አይነት {0} ይህ ሊሆን ግድ ነውና {1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,ቅጠሎች እና የበዓል
DocType: School Settings,Current Academic Term,የአሁኑ የትምህርት የሚቆይበት ጊዜ
DocType: Sales Order,Not Billed,የሚከፈል አይደለም
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,ሁለቱም መጋዘን ተመሳሳይ ኩባንያ አባል መሆን
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,ምንም እውቂያዎች ገና ታክሏል.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,ሁለቱም መጋዘን ተመሳሳይ ኩባንያ አባል መሆን
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,ምንም እውቂያዎች ገና ታክሏል.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,አርፏል ወጪ ቫውቸር መጠን
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,አቅራቢዎች ያሳደጉት ደረሰኞች.
DocType: POS Profile,Write Off Account,መለያ ጠፍቷል ይጻፉ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Amt ማስታወሻ ዴቢት
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,የቅናሽ መጠን
DocType: Purchase Invoice,Return Against Purchase Invoice,ላይ የግዢ ደረሰኝ ይመለሱ
DocType: Item,Warranty Period (in days),(ቀናት ውስጥ) የዋስትና ክፍለ ጊዜ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Guardian1 ጋር በተያያዘ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1 ጋር በተያያዘ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,ክወናዎች ከ የተጣራ ገንዘብ
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,ለምሳሌ ቫት
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,ለምሳሌ ቫት
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,ንጥል 4
DocType: Student Admission,Admission End Date,የመግቢያ መጨረሻ ቀን
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,ንዑስ-የኮንትራት
DocType: Journal Entry Account,Journal Entry Account,ጆርናል Entry መለያ
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,የተማሪ ቡድን
DocType: Shopping Cart Settings,Quotation Series,በትዕምርተ ጥቅስ ተከታታይ
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","አንድ ንጥል በተመሳሳይ ስም አለ ({0}), ወደ ንጥል የቡድን ስም መቀየር ወይም ንጥል ዳግም መሰየም እባክዎ"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,የደንበኛ ይምረጡ
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","አንድ ንጥል በተመሳሳይ ስም አለ ({0}), ወደ ንጥል የቡድን ስም መቀየር ወይም ንጥል ዳግም መሰየም እባክዎ"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,የደንበኛ ይምረጡ
DocType: C-Form,I,እኔ
DocType: Company,Asset Depreciation Cost Center,የንብረት ዋጋ መቀነስ ወጪ ማዕከል
DocType: Sales Order Item,Sales Order Date,የሽያጭ ትዕዛዝ ቀን
DocType: Sales Invoice Item,Delivered Qty,ደርሷል ብዛት
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","ከተመረጠ, እያንዳንዱ ምርት ንጥል ልጆች ሁሉ የቁሳዊ ጥያቄዎች ውስጥ ይካተታል."
DocType: Assessment Plan,Assessment Plan,ግምገማ ዕቅድ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,መጋዘን {0}: ኩባንያ የግዴታ ነው
DocType: Stock Settings,Limit Percent,ገድብ መቶኛ
,Payment Period Based On Invoice Date,ደረሰኝ ቀን ላይ የተመሠረተ የክፍያ ክፍለ ጊዜ
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},ለ የጠፋ የገንዘብ ምንዛሪ ተመኖች {0}
@@ -3025,7 +3050,7 @@
DocType: Vehicle,Insurance Details,ኢንሹራንስ ዝርዝሮች
DocType: Account,Payable,ትርፍ የሚያስገኝ
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,የሚያየን ክፍለ ጊዜዎች ያስገቡ
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),ተበዳሪዎች ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),ተበዳሪዎች ({0})
DocType: Pricing Rule,Margin,ህዳግ
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,አዲስ ደንበኞች
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,አጠቃላይ ትርፍ%
@@ -3036,16 +3061,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,ፓርቲ የግዴታ ነው
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,ርዕስ ስም
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,የ መሸጥ ወይም መግዛትና ውስጥ ቢያንስ አንድ መመረጥ አለበት
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,የንግድ ተፈጥሮ ይምረጡ.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,የ መሸጥ ወይም መግዛትና ውስጥ ቢያንስ አንድ መመረጥ አለበት
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,የንግድ ተፈጥሮ ይምረጡ.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},የረድፍ # {0}: ማጣቀሻዎች ውስጥ ግቤት አባዛ {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,"ባለማምረታቸው, ቀዶ የት ተሸክመው ነው."
DocType: Asset Movement,Source Warehouse,ምንጭ መጋዘን
DocType: Installation Note,Installation Date,መጫን ቀን
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},የረድፍ # {0}: የንብረት {1} ኩባንያ የእርሱ ወገን አይደለም {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},የረድፍ # {0}: የንብረት {1} ኩባንያ የእርሱ ወገን አይደለም {2}
DocType: Employee,Confirmation Date,ማረጋገጫ ቀን
DocType: C-Form,Total Invoiced Amount,ጠቅላላ በደረሰኝ የተቀመጠው መጠን
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,ዝቅተኛ ብዛት ማክስ ብዛት በላይ ሊሆን አይችልም
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,ዝቅተኛ ብዛት ማክስ ብዛት በላይ ሊሆን አይችልም
DocType: Account,Accumulated Depreciation,ሲጠራቀሙ መቀነስ
DocType: Stock Entry,Customer or Supplier Details,የደንበኛ ወይም አቅራቢ ዝርዝሮች
DocType: Employee Loan Application,Required by Date,ቀን በሚጠይቀው
@@ -3066,22 +3091,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,ወርሃዊ ስርጭት መቶኛ
DocType: Territory,Territory Targets,ግዛት ዒላማዎች
DocType: Delivery Note,Transporter Info,አጓጓዥ መረጃ
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},ኩባንያ ውስጥ ነባሪ {0} ለማዘጋጀት እባክዎ {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},ኩባንያ ውስጥ ነባሪ {0} ለማዘጋጀት እባክዎ {1}
DocType: Cheque Print Template,Starting position from top edge,ከላይ ጠርዝ እስከ ቦታ በመጀመር ላይ
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,ተመሳሳይ አቅራቢ በርካታ ጊዜ ገብቷል ታይቷል
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,አጠቃላይ ትርፍ / ማጣት
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,ትዕዛዝ ንጥል አቅርቦት ይግዙ
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,የኩባንያ ስም ኩባንያ ሊሆን አይችልም
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,የኩባንያ ስም ኩባንያ ሊሆን አይችልም
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,የህትመት አብነቶች ለ ደብዳቤ ኃላፊዎች.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,የህትመት አብነቶች ለ የማዕረግ Proforma የደረሰኝ ምህበርን.
DocType: Student Guardian,Student Guardian,የተማሪ አሳዳጊ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,ግምቱ አይነት ክፍያዎች ያካተተ ምልክት ተደርጎበታል አይችልም
DocType: POS Profile,Update Stock,አዘምን Stock
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,አቅራቢው> አቅራቢ አይነት
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,ንጥሎች በተለያዩ UOM ትክክል (ጠቅላላ) የተጣራ ክብደት ዋጋ ሊመራ ይችላል. እያንዳንዱ ንጥል የተጣራ ክብደት ተመሳሳይ UOM ውስጥ መሆኑን እርግጠኛ ይሁኑ.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM ተመን
DocType: Asset,Journal Entry for Scrap,ቁራጭ ለ ጆርናል የሚመዘገብ መረጃ
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,የመላኪያ ማስታወሻ የመጡ ንጥሎችን ለመንቀል እባክዎ
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,ጆርናል ግቤቶች {0}-un ጋር የተገናኘ ነው
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,ጆርናል ግቤቶች {0}-un ጋር የተገናኘ ነው
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","አይነት ኢሜይል, ስልክ, ውይይት, ጉብኝት, ወዘተ ሁሉ ግንኙነት መዝገብ"
DocType: Manufacturer,Manufacturers used in Items,ንጥሎች ውስጥ ጥቅም ላይ አምራቾች
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,ኩባንያ ውስጥ ዙር ጠፍቷል ወጪ ማዕከል መጥቀስ እባክዎ
@@ -3128,33 +3154,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,አቅራቢው የደንበኛ ወደ ያድነዋል
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ፎርም / ንጥል / {0}) የአክሲዮን ውጭ ነው
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,ቀጣይ ቀን መለጠፍ ቀን የበለጠ መሆን አለበት
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,አሳይ የግብር ከፋይ-ምትኬ
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},ምክንያት / ማጣቀሻ ቀን በኋላ መሆን አይችልም {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,አሳይ የግብር ከፋይ-ምትኬ
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},ምክንያት / ማጣቀሻ ቀን በኋላ መሆን አይችልም {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,የውሂብ ያስመጡ እና ወደ ውጪ ላክ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","የአክሲዮን ግቤቶች በመሆኑም ዳግም መመደብ ወይም መቀየር አይችሉም, {0} መጋዘን ላይ የለም"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,ምንም ተማሪዎች አልተገኙም
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,ምንም ተማሪዎች አልተገኙም
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,የደረሰኝ መለጠፍ ቀን
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,ይሽጡ
DocType: Sales Invoice,Rounded Total,የከበበ ጠቅላላ
DocType: Product Bundle,List items that form the package.,የጥቅል እንድናቋቁም ዝርዝር ንጥሎች.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,መቶኛ ምደባዎች 100% ጋር እኩል መሆን አለበት
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,ፓርቲ በመምረጥ በፊት መለጠፍ ቀን ይምረጡ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,ፓርቲ በመምረጥ በፊት መለጠፍ ቀን ይምረጡ
DocType: Program Enrollment,School House,ትምህርት ቤት
DocType: Serial No,Out of AMC,AMC ውጪ
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,ጥቅሶች ይምረጡ
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,ጥቅሶች ይምረጡ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,የተመዘገበ Depreciations ቁጥር Depreciations አጠቃላይ ብዛት በላይ ሊሆን አይችልም
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,የጥገና ጉብኝት አድርግ
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,የሽያጭ መምህር አስተዳዳሪ {0} ሚና ያላቸው ተጠቃሚው ወደ ያነጋግሩ
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,የሽያጭ መምህር አስተዳዳሪ {0} ሚና ያላቸው ተጠቃሚው ወደ ያነጋግሩ
DocType: Company,Default Cash Account,ነባሪ በጥሬ ገንዘብ መለያ
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,ኩባንያ (አይደለም የደንበኛ ወይም አቅራቢው) ጌታው.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,ይህ የዚህ ተማሪ በስብሰባው ላይ የተመሠረተ ነው
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,ምንም ተማሪዎች ውስጥ
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,ምንም ተማሪዎች ውስጥ
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,ተጨማሪ ንጥሎች ወይም ክፍት ሙሉ ቅጽ ያክሉ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date','የሚጠበቀው የመላኪያ ቀን' ያስገቡ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,የመላኪያ ማስታወሻዎች {0} ይህን የሽያጭ ትዕዛዝ በመሰረዝ በፊት ተሰርዟል አለበት
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,የሚከፈልበት መጠን መጠን ግራንድ ጠቅላላ በላይ ሊሆን አይችልም ጠፍቷል ጻፍ; +
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,የሚከፈልበት መጠን መጠን ግራንድ ጠቅላላ በላይ ሊሆን አይችልም ጠፍቷል ጻፍ; +
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ንጥል ትክክለኛ ባች ቁጥር አይደለም {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},ማስታወሻ: አይተውህም ዓይነት በቂ ፈቃድ ቀሪ የለም {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,ልክ ያልሆነ GSTIN ወይም ያልተመዘገበ ለ NA ያስገቡ
DocType: Training Event,Seminar,ሴሚናሩ
DocType: Program Enrollment Fee,Program Enrollment Fee,ፕሮግራም ምዝገባ ክፍያ
DocType: Item,Supplier Items,አቅራቢው ንጥሎች
@@ -3180,27 +3206,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,ንጥል 3
DocType: Purchase Order,Customer Contact Email,የደንበኛ የዕውቂያ ኢሜይል
DocType: Warranty Claim,Item and Warranty Details,ንጥል እና ዋስትና መረጃ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,ንጥል ኮድ> ንጥል ቡድን> ብራንድ
DocType: Sales Team,Contribution (%),መዋጮ (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,ማስታወሻ: የክፍያ Entry ጀምሮ አይፈጠርም 'በጥሬ ገንዘብ ወይም በባንክ አካውንት' አልተገለጸም
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,የግዴታ ኮርሶች ለማምጣት የሚያስችል ፕሮግራም ይምረጡ.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,ሃላፊነቶች
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,ሃላፊነቶች
DocType: Expense Claim Account,Expense Claim Account,የወጪ የይገባኛል ጥያቄ መለያ
DocType: Sales Person,Sales Person Name,የሽያጭ ሰው ስም
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,በሰንጠረዡ ላይ ቢያንስ 1 መጠየቂያ ያስገቡ
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,ተጠቃሚዎችን ያክሉ
DocType: POS Item Group,Item Group,ንጥል ቡድን
DocType: Item,Safety Stock,የደህንነት Stock
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,አንድ ተግባር በሂደት ላይ ለ% ከ 100 በላይ ሊሆን አይችልም.
DocType: Stock Reconciliation Item,Before reconciliation,እርቅ በፊት
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},ወደ {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),ግብሮች እና ክፍያዎች ታክሏል (የኩባንያ የምንዛሬ)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ንጥል ግብር ረድፍ {0} አይነት ታክስ ወይም ገቢ ወይም የወጪ ወይም እንዳንከብድበት ምክንያት ሊኖረው ይገባል
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ንጥል ግብር ረድፍ {0} አይነት ታክስ ወይም ገቢ ወይም የወጪ ወይም እንዳንከብድበት ምክንያት ሊኖረው ይገባል
DocType: Sales Order,Partly Billed,በከፊል የሚከፈል
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,ንጥል {0} አንድ ቋሚ የንብረት ንጥል መሆን አለበት
DocType: Item,Default BOM,ነባሪ BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,ዳግም-ዓይነት ኩባንያ ስም ለማረጋገጥ እባክዎ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,ጠቅላላ ያልተወራረደ Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,ዴቢት ማስታወሻ መጠን
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,ዳግም-ዓይነት ኩባንያ ስም ለማረጋገጥ እባክዎ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,ጠቅላላ ያልተወራረደ Amt
DocType: Journal Entry,Printing Settings,ማተም ቅንብሮች
DocType: Sales Invoice,Include Payment (POS),የክፍያ አካትት (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},ጠቅላላ ዴቢት ጠቅላላ ምንጭ ጋር እኩል መሆን አለባቸው. ልዩነቱ ነው {0}
@@ -3214,15 +3238,16 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,ለሽያጭ የቀረበ እቃ:
DocType: Notification Control,Custom Message,ብጁ መልዕክት
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,የኢንቨስትመንት ባንኪንግ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,በጥሬ ገንዘብ ወይም የባንክ ሂሳብ ክፍያ ግቤት ለማድረግ ግዴታ ነው
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,የተማሪ አድራሻ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,በጥሬ ገንዘብ ወይም የባንክ ሂሳብ ክፍያ ግቤት ለማድረግ ግዴታ ነው
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,ማዋቀር ቁጥር ተከታታይ> Setup በኩል ክትትል ተከታታይ ቁጥር እባክዎ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,የተማሪ አድራሻ
DocType: Purchase Invoice,Price List Exchange Rate,የዋጋ ዝርዝር ምንዛሪ ተመን
DocType: Purchase Invoice Item,Rate,ደረጃ ይስጡ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,እሥረኛ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,አድራሻ ስም
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,እሥረኛ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,አድራሻ ስም
DocType: Stock Entry,From BOM,BOM ከ
DocType: Assessment Code,Assessment Code,ግምገማ ኮድ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,መሠረታዊ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,መሠረታዊ
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,{0} በበረዶ በፊት የአክሲዮን ዝውውሮች
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule','አመንጭ ፕሮግራም »ላይ ጠቅ ያድርጉ
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","ለምሳሌ ኪግ, ክፍል, ቁጥሮች, ሜ"
@@ -3232,11 +3257,11 @@
DocType: Salary Slip,Salary Structure,ደመወዝ መዋቅር
DocType: Account,Bank,ባንክ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,የአየር መንገድ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,እትም ይዘት
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,እትም ይዘት
DocType: Material Request Item,For Warehouse,መጋዘን ለ
DocType: Employee,Offer Date,ቅናሽ ቀን
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,ጥቅሶች
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,ከመስመር ውጪ ሁነታ ላይ ነው ያሉት. እርስዎ መረብ ድረስ ዳግም አይችሉም.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,ከመስመር ውጪ ሁነታ ላይ ነው ያሉት. እርስዎ መረብ ድረስ ዳግም አይችሉም.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,ምንም የተማሪ ቡድኖች ተፈጥሯል.
DocType: Purchase Invoice Item,Serial No,መለያ ቁጥር
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,ወርሃዊ የሚያየን መጠን ብድር መጠን በላይ ሊሆን አይችልም
@@ -3244,8 +3269,8 @@
DocType: Purchase Invoice,Print Language,የህትመት ቋንቋ
DocType: Salary Slip,Total Working Hours,ጠቅላላ የሥራ ሰዓቶች
DocType: Stock Entry,Including items for sub assemblies,ንዑስ አብያተ ክርስቲያናት ለ ንጥሎችን በማካተት ላይ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,ያስገቡ እሴት አዎንታዊ መሆን አለበት
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,ሁሉም ግዛቶች
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,ያስገቡ እሴት አዎንታዊ መሆን አለበት
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,ሁሉም ግዛቶች
DocType: Purchase Invoice,Items,ንጥሎች
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,ተማሪው አስቀድሞ ተመዝግቧል.
DocType: Fiscal Year,Year Name,ዓመት ስም
@@ -3263,10 +3288,10 @@
DocType: Issue,Opening Time,የመክፈቻ ሰዓት
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,እንዲሁም ያስፈልጋል ቀናት ወደ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,ዋስትና እና ምርት ልውውጥ
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ተለዋጭ ለ ይለኩ ነባሪ ክፍል «{0}» መለጠፊያ ውስጥ እንደ አንድ አይነት መሆን አለበት '{1} »
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ተለዋጭ ለ ይለኩ ነባሪ ክፍል «{0}» መለጠፊያ ውስጥ እንደ አንድ አይነት መሆን አለበት '{1} »
DocType: Shipping Rule,Calculate Based On,የተመረኮዘ ላይ ማስላት
DocType: Delivery Note Item,From Warehouse,መጋዘን ከ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,ዕቃዎች መካከል ቢል ጋር ምንም ንጥሎች ለማምረት
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,ዕቃዎች መካከል ቢል ጋር ምንም ንጥሎች ለማምረት
DocType: Assessment Plan,Supervisor Name,ሱፐርቫይዘር ስም
DocType: Program Enrollment Course,Program Enrollment Course,ፕሮግራም ምዝገባ ኮርስ
DocType: Purchase Taxes and Charges,Valuation and Total,ግምቱ እና ጠቅላላ
@@ -3281,18 +3306,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'የመጨረሻ ትዕዛዝ ጀምሮ ዘመን' ዜሮ ይበልጣል ወይም እኩል መሆን አለበት
DocType: Process Payroll,Payroll Frequency,የመክፈል ዝርዝር ድግግሞሽ
DocType: Asset,Amended From,ከ እንደተሻሻለው
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,ጥሬ ሐሳብ
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,ጥሬ ሐሳብ
DocType: Leave Application,Follow via Email,በኢሜይል በኩል ተከተል
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,እጽዋት እና መሳሪያዎች
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,እጽዋት እና መሳሪያዎች
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,የቅናሽ መጠን በኋላ የግብር መጠን
DocType: Daily Work Summary Settings,Daily Work Summary Settings,ዕለታዊ የስራ ማጠቃለያ ቅንብሮች
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},የዋጋ ዝርዝር {0} ምንዛሬ በተመረጠው ምንዛሬ ጋር ተመሳሳይ ነው {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},የዋጋ ዝርዝር {0} ምንዛሬ በተመረጠው ምንዛሬ ጋር ተመሳሳይ ነው {1}
DocType: Payment Entry,Internal Transfer,ውስጣዊ ማስተላለፍ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,የልጅ መለያ ለዚህ መለያ አለ. ይህን መለያ መሰረዝ አይችሉም.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,የልጅ መለያ ለዚህ መለያ አለ. ይህን መለያ መሰረዝ አይችሉም.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ወይ የዒላማ ብዛት ወይም የዒላማ መጠን የግዴታ ነው
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},ምንም ነባሪ BOM ንጥል የለም {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},ምንም ነባሪ BOM ንጥል የለም {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,በመጀመሪያ መለጠፍ ቀን ይምረጡ
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,ቀን በመክፈት ቀን መዝጋት በፊት መሆን አለበት
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} ውቅረት> በቅንብሮች> የስያሜ ተከታታይ ለ ተከታታይ የስያሜ ለማዘጋጀት እባክዎ
DocType: Leave Control Panel,Carry Forward,አስተላልፍ መሸከም
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,አሁን ያሉ ግብይቶችን ጋር ወጪ ማዕከል የሒሳብ መዝገብ ላይ ሊቀየር አይችልም
DocType: Department,Days for which Holidays are blocked for this department.,ቀኖች ስለ በዓላት በዚህ ክፍል ታግደዋል.
@@ -3302,10 +3328,9 @@
DocType: Issue,Raised By (Email),በ አስነስቷል (ኢሜይል)
DocType: Training Event,Trainer Name,አሰልጣኝ ስም
DocType: Mode of Payment,General,ጠቅላላ
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,የደብዳቤ አባሪ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,የመጨረሻው ኮሙኒኬሽን
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',በምድብ «ግምቱ 'ወይም' ግምቱ እና ጠቅላላ 'ነው ጊዜ ቀነሰ አይቻልም
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","የግብር ራሶች ዘርዝር (ለምሳሌ የተጨማሪ እሴት ታክስ, የጉምሩክ ወዘተ; እነዚህ ልዩ ስሞች ሊኖራቸው ይገባል) እና መደበኛ ተመኖች. ይህ ማርትዕ እና ተጨማሪ በኋላ ላይ ማከል ይችላሉ ይህም መደበኛ አብነት, ይፈጥራል."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","የግብር ራሶች ዘርዝር (ለምሳሌ የተጨማሪ እሴት ታክስ, የጉምሩክ ወዘተ; እነዚህ ልዩ ስሞች ሊኖራቸው ይገባል) እና መደበኛ ተመኖች. ይህ ማርትዕ እና ተጨማሪ በኋላ ላይ ማከል ይችላሉ ይህም መደበኛ አብነት, ይፈጥራል."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Serialized ንጥል ሲሪያል ቁጥሮች ያስፈልጋል {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,ደረሰኞች ጋር አዛምድ ክፍያዎች
DocType: Journal Entry,Bank Entry,ባንክ የሚመዘገብ መረጃ
@@ -3314,16 +3339,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,ወደ ግዢው ቅርጫት ጨምር
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,ቡድን በ
DocType: Guardian,Interests,ፍላጎቶች
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,/ አቦዝን ምንዛሬዎች ያንቁ.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,/ አቦዝን ምንዛሬዎች ያንቁ.
DocType: Production Planning Tool,Get Material Request,የቁስ ጥያቄ ያግኙ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,የፖስታ ወጪዎች
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,የፖስታ ወጪዎች
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),ጠቅላላ (Amt)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,መዝናኛ እና መዝናኛዎች
DocType: Quality Inspection,Item Serial No,ንጥል ተከታታይ ምንም
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,የሰራተኛ መዛግብት ፍጠር
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,ጠቅላላ አቅርብ
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,አካውንቲንግ መግለጫ
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,ሰአት
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,ሰአት
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,አዲስ መለያ ምንም መጋዘን ሊኖረው አይችልም. መጋዘን የክምችት Entry ወይም የግዢ ደረሰኝ በ መዘጋጀት አለበት
DocType: Lead,Lead Type,በእርሳስ አይነት
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,አንተ አግድ ቀኖች ላይ ቅጠል ለማፅደቅ ስልጣን አይደለም
@@ -3335,6 +3360,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,ምትክ በኋላ ወደ አዲሱ BOM
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,የሽያጭ ነጥብ
DocType: Payment Entry,Received Amount,የተቀበልከው መጠን
+DocType: GST Settings,GSTIN Email Sent On,GSTIN ኢሜይል ላይ የተላከ
+DocType: Program Enrollment,Pick/Drop by Guardian,አሳዳጊ በ / ጣል ይምረጡ
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order",ሙሉ ብዛት ይፍጠሩ ለ ትዕዛዝ ላይ አስቀድሞ ብዛት ችላ
DocType: Account,Tax,ግብር
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,ምልክት ተደርጎበታል አይደለም
@@ -3346,14 +3373,14 @@
DocType: Batch,Source Document Name,ምንጭ ሰነድ ስም
DocType: Job Opening,Job Title,የስራ መደቡ መጠሪያ
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,ተጠቃሚዎች ፍጠር
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,ግራም
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,ግራም
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,ለማምረት ብዛት 0 የበለጠ መሆን አለበት.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,የጥገና ጥሪ ሪፖርት ይጎብኙ.
DocType: Stock Entry,Update Rate and Availability,አዘምን ደረጃ እና ተገኝነት
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,መቶኛ መቀበል ወይም አዘዘ መጠን ላይ ተጨማሪ ማድረስ ይፈቀዳል. ለምሳሌ: 100 ቤቶች ትእዛዝ ከሆነ. እና በል ከዚያም 110 ቤቶች ለመቀበል የተፈቀደላቸው 10% ነው.
DocType: POS Customer Group,Customer Group,የደንበኛ ቡድን
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),አዲስ ባች መታወቂያ (አማራጭ)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},ወጪ መለያ ንጥል ግዴታ ነው {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},ወጪ መለያ ንጥል ግዴታ ነው {0}
DocType: BOM,Website Description,የድር ጣቢያ መግለጫ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,ፍትህ ውስጥ የተጣራ ለውጥ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,በመጀመሪያ የግዢ ደረሰኝ {0} ይቅር እባክዎ
@@ -3363,8 +3390,8 @@
,Sales Register,የሽያጭ መመዝገቢያ
DocType: Daily Work Summary Settings Company,Send Emails At,ላይ ኢሜይሎች ላክ
DocType: Quotation,Quotation Lost Reason,ጥቅስ የጠፋ ምክንያት
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,የጎራ ይምረጡ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},የግብይት ማጣቀሻ ምንም {0} የተዘጋጀው {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,የጎራ ይምረጡ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},የግብይት ማጣቀሻ ምንም {0} የተዘጋጀው {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,አርትዕ ለማድረግ ምንም ነገር የለም.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,በዚህ ወር እና በመጠባበቅ ላይ ያሉ እንቅስቃሴዎች ማጠቃለያ
DocType: Customer Group,Customer Group Name,የደንበኛ የቡድን ስም
@@ -3372,14 +3399,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,የገንዘብ ፍሰት መግለጫ
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},የብድር መጠን ከፍተኛ የብድር መጠን መብለጥ አይችልም {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,ፈቃድ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},ሲ-ቅጽ ይህን የደረሰኝ {0} ያስወግዱ እባክዎ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},ሲ-ቅጽ ይህን የደረሰኝ {0} ያስወግዱ እባክዎ {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,እናንተ ደግሞ ካለፈው በጀት ዓመት ሚዛን በዚህ የበጀት ዓመት ወደ ቅጠሎች ማካተት የሚፈልጉ ከሆነ ወደፊት አኗኗራችሁ እባክዎ ይምረጡ
DocType: GL Entry,Against Voucher Type,ቫውቸር አይነት ላይ
DocType: Item,Attributes,ባህሪያት
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,መለያ ጠፍቷል ይጻፉ ያስገቡ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,መለያ ጠፍቷል ይጻፉ ያስገቡ
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,የመጨረሻ ትዕዛዝ ቀን
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},መለያ {0} ነው ኩባንያ ንብረት አይደለም {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,{0} ረድፍ ላይ መለያ ቁጥር አሰጣጥ ማስታወሻ ጋር አይዛመድም
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,{0} ረድፍ ላይ መለያ ቁጥር አሰጣጥ ማስታወሻ ጋር አይዛመድም
DocType: Student,Guardian Details,አሳዳጊ ዝርዝሮች
DocType: C-Form,C-Form,ሲ-ቅጽ
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,በርካታ ሠራተኞች ምልክት ክትትል
@@ -3394,16 +3421,16 @@
DocType: Budget Account,Budget Amount,የበጀት መጠን
DocType: Appraisal Template,Appraisal Template Title,ግምገማ አብነት ርዕስ
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},ቀን ከ {0} ለ የሰራተኛ {1} ሠራተኛ የአምላክ በመቀላቀል ቀን በፊት ሊሆን አይችልም {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,ንግድ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,ንግድ
DocType: Payment Entry,Account Paid To,መለያ ወደ የሚከፈልበት
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,የወላጅ ንጥል {0} አንድ የአክሲዮን ንጥል መሆን የለበትም
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,ሁሉም ምርቶች ወይም አገልግሎቶች.
DocType: Expense Claim,More Details,ተጨማሪ ዝርዝሮች
DocType: Supplier Quotation,Supplier Address,አቅራቢው አድራሻ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},መለያ {0} በጀት {1} ላይ {2} {3} ነው {4}. ይህ በ መብለጥ ይሆናል {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',ረድፍ {0} # መለያ አይነት መሆን አለበት 'ቋሚ ንብረት'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,ብዛት ውጪ
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,ደንቦች አንድ የሚሸጥ የመላኪያ መጠን ለማስላት
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',ረድፍ {0} # መለያ አይነት መሆን አለበት 'ቋሚ ንብረት'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,ብዛት ውጪ
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,ደንቦች አንድ የሚሸጥ የመላኪያ መጠን ለማስላት
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,ተከታታይ ግዴታ ነው
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,የፋይናንስ አገልግሎቶች
DocType: Student Sibling,Student ID,የተማሪ መታወቂያ
@@ -3411,13 +3438,13 @@
DocType: Tax Rule,Sales,የሽያጭ
DocType: Stock Entry Detail,Basic Amount,መሰረታዊ መጠን
DocType: Training Event,Exam,ፈተና
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},የመጋዘን የአክሲዮን ንጥል ያስፈልጋል {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},የመጋዘን የአክሲዮን ንጥል ያስፈልጋል {0}
DocType: Leave Allocation,Unused leaves,ያልዋለ ቅጠሎች
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,CR
DocType: Tax Rule,Billing State,አከፋፈል መንግስት
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,ያስተላልፉ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} ፓርቲ መለያዎ ጋር የሚዛመድ አይደለም {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),(ንዑስ-አብያተ ክርስቲያናት ጨምሮ) ፈንድቶ BOM ሰብስብ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} ፓርቲ መለያዎ ጋር የሚዛመድ አይደለም {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),(ንዑስ-አብያተ ክርስቲያናት ጨምሮ) ፈንድቶ BOM ሰብስብ
DocType: Authorization Rule,Applicable To (Employee),የሚመለከታቸው ለማድረግ (ሰራተኛ)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,መጠናቀቅ ያለበት ቀን የግዴታ ነው
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,አይነታ ጭማሬ {0} 0 መሆን አይችልም
@@ -3445,7 +3472,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,ጥሬ ሐሳብ ያለው ንጥል ኮድ
DocType: Journal Entry,Write Off Based On,ላይ የተመሠረተ ላይ ጠፍቷል ይጻፉ
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,ሊድ አድርግ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,አትም የጽህፈት
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,አትም የጽህፈት
DocType: Stock Settings,Show Barcode Field,አሳይ ባርኮድ መስክ
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,አቅራቢው ኢሜይሎች ላክ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","ደመወዝ አስቀድሞ {0} እና {1}, ለዚህ የቀን ክልል መካከል ሊሆን አይችልም የማመልከቻ ጊዜ ተወው መካከል ለተወሰነ ጊዜ በሂደት ላይ."
@@ -3453,13 +3480,15 @@
DocType: Guardian Interest,Guardian Interest,አሳዳጊ የወለድ
apps/erpnext/erpnext/config/hr.py +177,Training,ልምምድ
DocType: Timesheet,Employee Detail,የሰራተኛ ዝርዝር
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 ኢሜይል መታወቂያ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 ኢሜይል መታወቂያ
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,በሚቀጥለው ቀን ቀን እና እኩል መሆን አለበት ወር ቀን ላይ ይድገሙ
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,ድር መነሻ ገጽ ቅንብሮች
DocType: Offer Letter,Awaiting Response,ምላሽ በመጠባበቅ ላይ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,ከላይ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,ከላይ
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},ልክ ያልሆነ አይነታ {0} {1}
DocType: Supplier,Mention if non-standard payable account,መጥቀስ መደበኛ ያልሆኑ ተከፋይ ሂሳብ ከሆነ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},ተመሳሳይ ንጥል በርካታ ጊዜ ገብቷል ተደርጓል. {ዝርዝር}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups','ሁሉም ግምገማ ቡድኖች' ይልቅ ሌላ ግምገማ ቡድን ይምረጡ
DocType: Salary Slip,Earning & Deduction,ገቢ እና ተቀናሽ
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,ከተፈለገ. ይህ ቅንብር በተለያዩ ግብይቶችን ለማጣራት ጥቅም ላይ ይውላል.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,አሉታዊ ግምቱ ተመን አይፈቀድም
@@ -3473,9 +3502,9 @@
DocType: Sales Invoice,Product Bundle Help,የምርት ጥቅል እገዛ
,Monthly Attendance Sheet,ወርሃዊ ክትትል ሉህ
DocType: Production Order Item,Production Order Item,የምርት ትዕዛዝ ንጥል
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,ምንም መዝገብ
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,ምንም መዝገብ
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,በመዛጉ ንብረት ዋጋ
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: ወጪ ማዕከል ንጥል ግዴታ ነው; {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: ወጪ ማዕከል ንጥል ግዴታ ነው; {2}
DocType: Vehicle,Policy No,መመሪያ የለም
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,የምርት ጥቅል ከ ንጥሎች ያግኙ
DocType: Asset,Straight Line,ቀጥተኛ መስመር
@@ -3483,7 +3512,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,ሰነጠቀ
DocType: GL Entry,Is Advance,የቅድሚያ ነው
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,ቀን ወደ ቀን እና የትምህርት ክትትል ጀምሮ በስብሰባው የግዴታ ነው
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,አዎ ወይም አይ እንደ 'Subcontracted ነው' ያስገቡ
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,አዎ ወይም አይ እንደ 'Subcontracted ነው' ያስገቡ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,የመጨረሻው ኮሙኒኬሽን ቀን
DocType: Sales Team,Contact No.,የእውቂያ ቁጥር
DocType: Bank Reconciliation,Payment Entries,የክፍያ ግቤቶች
@@ -3509,60 +3538,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,በመክፈት ላይ እሴት
DocType: Salary Detail,Formula,ፎርሙላ
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,ተከታታይ #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,የሽያጭ ላይ ኮሚሽን
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,የሽያጭ ላይ ኮሚሽን
DocType: Offer Letter Term,Value / Description,እሴት / መግለጫ
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","የረድፍ # {0}: የንብረት {1} ማስገባት አይችልም, ቀድሞውንም ነው {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","የረድፍ # {0}: የንብረት {1} ማስገባት አይችልም, ቀድሞውንም ነው {2}"
DocType: Tax Rule,Billing Country,አከፋፈል አገር
DocType: Purchase Order Item,Expected Delivery Date,የሚጠበቀው የመላኪያ ቀን
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,ዴቢት እና የብድር {0} ለ # እኩል አይደለም {1}. ልዩነት ነው; {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,መዝናኛ ወጪ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,የቁስ ጥያቄ አድርግ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,መዝናኛ ወጪ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,የቁስ ጥያቄ አድርግ
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},ክፍት ንጥል {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,ይህን የሽያጭ ትዕዛዝ በመሰረዝ በፊት የደረሰኝ {0} ተሰርዟል አለበት የሽያጭ
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,ዕድሜ
DocType: Sales Invoice Timesheet,Billing Amount,አከፋፈል መጠን
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,ንጥል የተጠቀሰው ልክ ያልሆነ ብዛት {0}. ብዛት 0 የበለጠ መሆን አለበት.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,ፈቃድን መተግበሪያዎች.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,ነባር የግብይት ጋር መለያ ሊሰረዝ አይችልም
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,ነባር የግብይት ጋር መለያ ሊሰረዝ አይችልም
DocType: Vehicle,Last Carbon Check,የመጨረሻው ካርቦን ፈትሽ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,የህግ ወጪዎች
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,የህግ ወጪዎች
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,ረድፍ ላይ ብዛት ይምረጡ
DocType: Purchase Invoice,Posting Time,መለጠፍ ሰዓት
DocType: Timesheet,% Amount Billed,% መጠን የሚከፈል
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,የስልክ ወጪ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,የስልክ ወጪ
DocType: Sales Partner,Logo,አርማ
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,ሳያስቀምጡ በፊት ተከታታይ ለመምረጥ ተጠቃሚው ለማስገደድ የሚፈልጉ ከሆነ ይህን ምልክት ያድርጉ. ይህን ለማረጋገጥ ከሆነ ምንም ነባሪ ይሆናል.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},ተከታታይ ምንም ጋር ምንም ንጥል {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},ተከታታይ ምንም ጋር ምንም ንጥል {0}
DocType: Email Digest,Open Notifications,ክፍት ማሳወቂያዎች
DocType: Payment Entry,Difference Amount (Company Currency),ልዩነት መጠን (የኩባንያ የምንዛሬ)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,ቀጥተኛ ወጪዎች
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,ቀጥተኛ ወጪዎች
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} »ማሳወቂያ \ የኢሜይል አድራሻ» ውስጥ ያለ ልክ ያልሆነ የኢሜይል አድራሻ ነው
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,አዲስ ደንበኛ ገቢ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,የጉዞ ወጪ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,የጉዞ ወጪ
DocType: Maintenance Visit,Breakdown,መሰባበር
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,መለያ: {0} ምንዛሬ ጋር: {1} መመረጥ አይችልም
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,መለያ: {0} ምንዛሬ ጋር: {1} መመረጥ አይችልም
DocType: Bank Reconciliation Detail,Cheque Date,ቼክ ቀን
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},መለያ {0}: የወላጅ መለያ {1} ኩባንያ የእርሱ ወገን አይደለም: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},መለያ {0}: የወላጅ መለያ {1} ኩባንያ የእርሱ ወገን አይደለም: {2}
DocType: Program Enrollment Tool,Student Applicants,የተማሪ አመልካቾች
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,በተሳካ ሁኔታ ከዚህ ድርጅት ጋር የተያያዙ ሁሉም ግብይቶች ተሰርዟል!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,በተሳካ ሁኔታ ከዚህ ድርጅት ጋር የተያያዙ ሁሉም ግብይቶች ተሰርዟል!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,ቀን ላይ እንደ
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,የምዝገባ ቀን
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,የሥራ ልማድ የሚፈትን ጊዜ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,የሥራ ልማድ የሚፈትን ጊዜ
apps/erpnext/erpnext/config/hr.py +115,Salary Components,ደመወዝ ክፍሎች
DocType: Program Enrollment Tool,New Academic Year,አዲስ የትምህርት ዓመት
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,ተመለስ / ክሬዲት ማስታወሻ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,ተመለስ / ክሬዲት ማስታወሻ
DocType: Stock Settings,Auto insert Price List rate if missing,ራስ-ያስገቡ ዋጋ ዝርዝር መጠን ይጎድለዋል ከሆነ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,ጠቅላላ የሚከፈልበት መጠን
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,ጠቅላላ የሚከፈልበት መጠን
DocType: Production Order Item,Transferred Qty,ተላልፈዋል ብዛት
apps/erpnext/erpnext/config/learn.py +11,Navigating,በመዳሰስ ላይ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,ማቀድ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,የተሰጠበት
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,ማቀድ
+DocType: Material Request,Issued,የተሰጠበት
DocType: Project,Total Billing Amount (via Time Logs),ጠቅላላ የሂሳብ አከፋፈል መጠን (ጊዜ ምዝግብ ማስታወሻዎች በኩል)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,ይህ ንጥል መሸጥ
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,አቅራቢ መታወቂያ
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,ይህ ንጥል መሸጥ
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,አቅራቢ መታወቂያ
DocType: Payment Request,Payment Gateway Details,ክፍያ ፍኖት ዝርዝሮች
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,ብዛት 0 የበለጠ መሆን አለበት
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,ብዛት 0 የበለጠ መሆን አለበት
DocType: Journal Entry,Cash Entry,ጥሬ ገንዘብ የሚመዘገብ መረጃ
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,የልጆች እባጮች ብቻ 'ቡድን' አይነት አንጓዎች ስር ሊፈጠር ይችላል
DocType: Leave Application,Half Day Date,ግማሾቹ ቀን ቀን
@@ -3574,14 +3604,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},የወጪ የይገባኛል ጥያቄ አይነት ውስጥ ነባሪ መለያ ማዘጋጀት እባክዎ {0}
DocType: Assessment Result,Student Name,የተማሪ ስም
DocType: Brand,Item Manager,ንጥል አስተዳዳሪ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,ተከፋይ የመክፈል ዝርዝር
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,ተከፋይ የመክፈል ዝርዝር
DocType: Buying Settings,Default Supplier Type,ነባሪ አቅራቢ አይነት
DocType: Production Order,Total Operating Cost,ጠቅላላ ማስኬጃ ወጪ
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,ማስታወሻ: ንጥል {0} በርካታ ጊዜ ገብቷል
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,ሁሉም እውቅያዎች.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,ኩባንያ ምህፃረ ቃል
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,ኩባንያ ምህፃረ ቃል
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,አባል {0} የለም
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,ጥሬ ዋና ንጥል ጋር ተመሳሳይ ሊሆን አይችልም
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,ጥሬ ዋና ንጥል ጋር ተመሳሳይ ሊሆን አይችልም
DocType: Item Attribute Value,Abbreviation,ማላጠር
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,የክፍያ Entry አስቀድሞ አለ
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} ገደብ አልፏል ጀምሮ authroized አይደለም
@@ -3590,49 +3620,49 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,ወደ ግዢ ሳጥን ጨመር ያዘጋጁ ግብር ደንብ
DocType: Purchase Invoice,Taxes and Charges Added,ግብሮች እና ክፍያዎች ታክሏል
,Sales Funnel,የሽያጭ ማጥለያ
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,ምህጻረ ቃል የግዴታ ነው
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,ምህጻረ ቃል የግዴታ ነው
DocType: Project,Task Progress,ተግባር ሂደት
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,ጋሪ
,Qty to Transfer,ያስተላልፉ ዘንድ ብዛት
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,የሚመራ ወይም ደንበኞች ወደ በመጥቀስ.
DocType: Stock Settings,Role Allowed to edit frozen stock,ሚና የታሰረው የአክሲዮን አርትዕ ማድረግ ተፈቅዷል
,Territory Target Variance Item Group-Wise,ክልል ዒላማ ልዩነት ንጥል ቡድን ጥበበኛ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,ሁሉም የደንበኛ ቡድኖች
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,ሁሉም የደንበኛ ቡድኖች
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,ሲጠራቀሙ ወርሃዊ
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} የግዴታ ነው. ምናልባት የገንዘብ ምንዛሪ ዘገባ {1} {2} ዘንድ አልተፈጠረም ነው.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} የግዴታ ነው. ምናልባት የገንዘብ ምንዛሪ ዘገባ {1} {2} ዘንድ አልተፈጠረም ነው.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,የግብር መለጠፊያ የግዴታ ነው.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,መለያ {0}: የወላጅ መለያ {1} የለም
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,መለያ {0}: የወላጅ መለያ {1} የለም
DocType: Purchase Invoice Item,Price List Rate (Company Currency),ዋጋ ዝርዝር ተመን (የኩባንያ የምንዛሬ)
DocType: Products Settings,Products Settings,ምርቶች ቅንብሮች
DocType: Account,Temporary,ጊዜያዊ
DocType: Program,Courses,ኮርሶች
DocType: Monthly Distribution Percentage,Percentage Allocation,መቶኛ ምደባዎች
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,ጸሐፊ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,ጸሐፊ
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","አቦዝን ከሆነ, መስክ ቃላት ውስጥ 'ምንም ግብይት ውስጥ የሚታይ አይሆንም"
DocType: Serial No,Distinct unit of an Item,አንድ ንጥል ላይ የተለዩ አሃድ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,ኩባንያ ማዘጋጀት እባክዎ
DocType: Pricing Rule,Buying,ሊገዙ
DocType: HR Settings,Employee Records to be created by,ሠራተኛ መዛግብት መፈጠር አለበት
DocType: POS Profile,Apply Discount On,ቅናሽ ላይ ተግብር
,Reqd By Date,Reqd ቀን በ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,አበዳሪዎች
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,አበዳሪዎች
DocType: Assessment Plan,Assessment Name,ግምገማ ስም
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,የረድፍ # {0}: መለያ ምንም ግዴታ ነው
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,ንጥል ጥበበኛ የግብር ዝርዝር
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,ተቋም ምህፃረ ቃል
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,ተቋም ምህፃረ ቃል
,Item-wise Price List Rate,ንጥል-ጥበብ ዋጋ ዝርዝር ተመን
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,አቅራቢው ትዕምርተ
DocType: Quotation,In Words will be visible once you save the Quotation.,የ ትዕምርተ ማስቀመጥ አንዴ ቃላት ውስጥ የሚታይ ይሆናል.
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},ብዛት ({0}) ረድፍ ውስጥ ክፍልፋይ ሊሆን አይችልም {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,ክፍያዎች ሰብስብ
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},የአሞሌ {0} አስቀድሞ ንጥል ውስጥ ጥቅም ላይ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},የአሞሌ {0} አስቀድሞ ንጥል ውስጥ ጥቅም ላይ {1}
DocType: Lead,Add to calendar on this date,በዚህ ቀን ላይ ወደ ቀን መቁጠሪያ አክል
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,የመላኪያ ወጪዎች ለማከል ደንቦች.
DocType: Item,Opening Stock,በመክፈት ላይ የአክሲዮን
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,ደንበኛ ያስፈልጋል
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} መመለስ ግዴታ ነው
DocType: Purchase Order,To Receive,መቀበል
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,የግል ኢሜይል
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,ጠቅላላ ልዩነት
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","የነቃ ከሆነ, ስርዓት በራስ ሰር ክምችት ለ የሂሳብ ግቤቶች መለጠፍ ነው."
@@ -3643,13 +3673,14 @@
DocType: Customer,From Lead,ሊድ ከ
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ትዕዛዞች ምርት ከእስር.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,በጀት ዓመት ይምረጡ ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS መገለጫ POS የሚመዘገብ ለማድረግ ያስፈልጋል
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS መገለጫ POS የሚመዘገብ ለማድረግ ያስፈልጋል
DocType: Program Enrollment Tool,Enroll Students,ተማሪዎች ይመዝገቡ
DocType: Hub Settings,Name Token,ስም ማስመሰያ
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,መደበኛ ሽያጭ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,ቢያንስ አንድ መጋዘን የግዴታ ነው
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,ቢያንስ አንድ መጋዘን የግዴታ ነው
DocType: Serial No,Out of Warranty,የዋስትና ውጪ
DocType: BOM Replace Tool,Replace,ተካ
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,ምንም ምርቶች አልተገኙም.
DocType: Production Order,Unstopped,ይከፈታሉ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} የሽያጭ ደረሰኝ ላይ {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3660,13 +3691,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,የአክሲዮን ዋጋ ያለው ልዩነት
apps/erpnext/erpnext/config/learn.py +234,Human Resource,የሰው ኃይል
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,የክፍያ ማስታረቅ ክፍያ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,የግብር ንብረቶች
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,የግብር ንብረቶች
DocType: BOM Item,BOM No,BOM ምንም
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,ጆርናል Entry {0} {1} ወይም አስቀድመው በሌሎች ቫውቸር ጋር የሚዛመድ መለያ የለውም
DocType: Item,Moving Average,በመውሰድ ላይ አማካኝ
DocType: BOM Replace Tool,The BOM which will be replaced,የሚተካ የ BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,የኤሌክትሮኒክ ዕቃዎች
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,የኤሌክትሮኒክ ዕቃዎች
DocType: Account,Debit,ዴቢት
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,ቅጠሎች 0.5 ላይ ብዜት ውስጥ ይመደባል አለበት
DocType: Production Order,Operation Cost,ክወና ወጪ
@@ -3674,7 +3705,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,ያልተከፈሉ Amt
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,አዘጋጅ ግቦች ንጥል ቡድን-ጥበብ ይህን የሽያጭ ሰው ነውና.
DocType: Stock Settings,Freeze Stocks Older Than [Days],እሰር አክሲዮኖች የቆየ ይልቅ [ቀኖች]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,የረድፍ # {0}: ንብረት ቋሚ ንብረት ግዢ / ለሽያጭ ግዴታ ነው
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,የረድፍ # {0}: ንብረት ቋሚ ንብረት ግዢ / ለሽያጭ ግዴታ ነው
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","ሁለት ወይም ከዚያ በላይ የዋጋ ደንቦች ከላይ ሁኔታዎች ላይ ተመስርቶ አልተገኙም ከሆነ, ቅድሚያ ተፈጻሚ ነው. ነባሪ እሴት ዜሮ (ባዶ) ነው እያለ ቅድሚያ 20 0 መካከል ያለ ቁጥር ነው. ከፍተኛ ቁጥር ተመሳሳይ ሁኔታዎች ጋር በርካታ የዋጋ ደንቦች አሉ ከሆነ የበላይነቱን የሚወስዱ ይሆናል ማለት ነው."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,በጀት ዓመት: {0} ነው አይደለም አለ
DocType: Currency Exchange,To Currency,ምንዛሬ ወደ
@@ -3682,7 +3713,7 @@
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,የወጪ የይገባኛል ዓይነቶች.
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ንጥል ፍጥነት መሸጥ {0} ያነሰ ነው ያለው {1}. ተመን መሸጥ መሆን አለበት atleast {2}
DocType: Item,Taxes,ግብሮች
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,የሚከፈልበት እና ደርሷል አይደለም
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,የሚከፈልበት እና ደርሷል አይደለም
DocType: Project,Default Cost Center,ነባሪ ዋጋ ማዕከል
DocType: Bank Guarantee,End Date,የመጨረሻ ቀን
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,የክምችት ግብይቶች
@@ -3707,24 +3738,22 @@
DocType: Employee,Held On,የተያዙ ላይ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,የምርት ንጥል
,Employee Information,የሰራተኛ መረጃ
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),መጠን (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),መጠን (%)
DocType: Stock Entry Detail,Additional Cost,ተጨማሪ ወጪ
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,የፋይናንስ ዓመት መጨረሻ ቀን
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","ቫውቸር ምንም ላይ የተመሠረተ ማጣሪያ አይችሉም, ቫውቸር በ ተመድበው ከሆነ"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,አቅራቢው ትዕምርተ አድርግ
DocType: Quality Inspection,Incoming,ገቢ
DocType: BOM,Materials Required (Exploded),ቁሳቁሶች (የፈነዳ) ያስፈልጋል
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","ራስህን ሌላ, የእርስዎ ድርጅት ተጠቃሚዎችን ያክሉ"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,መለጠፍ ቀን ወደፊት ቀን ሊሆን አይችልም
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},የረድፍ # {0}: መለያ አይ {1} ጋር አይዛመድም {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,ተራ ፈቃድ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,ተራ ፈቃድ
DocType: Batch,Batch ID,ባች መታወቂያ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},ማስታወሻ: {0}
,Delivery Note Trends,የመላኪያ ማስታወሻ በመታየት ላይ ያሉ
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,ይህ ሳምንት ማጠቃለያ
-,In Stock Qty,የክምችት ብዛት ውስጥ
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,የክምችት ብዛት ውስጥ
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,መለያ: {0} ብቻ የአክሲዮን ግብይቶች በኩል መዘመን ይችላሉ
-DocType: Program Enrollment,Get Courses,ኮርሶች ያግኙ
+DocType: Student Group Creation Tool,Get Courses,ኮርሶች ያግኙ
DocType: GL Entry,Party,ግብዣ
DocType: Sales Order,Delivery Date,መላኪያ ቀን
DocType: Opportunity,Opportunity Date,አጋጣሚ ቀን
@@ -3732,14 +3761,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,ትዕምርተ ንጥል ጥያቄ
DocType: Purchase Order,To Bill,ቢል
DocType: Material Request,% Ordered,% የዕቃው መረጃ
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","የትምህርት የተመሠረተ የተማሪዎች ቡድን, የቀየረ ፕሮግራም ምዝገባ ውስጥ የተመዘገቡ ኮርሶች ጀምሮ ለእያንዳንዱ ተማሪ ሊረጋገጥ ይሆናል."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","በኮማ የተለዩ ያስገቡ የኢሜይል አድራሻ, የክፍያ መጠየቂያ የተወሰነ ቀን ላይ በራስ-ሰር በፖስታ ቤት ይሆናል"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,ጭማቂዎች
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,ጭማቂዎች
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,አማካኝ. ሊገዙ ተመን
DocType: Task,Actual Time (in Hours),(ሰዓቶች ውስጥ) ትክክለኛ ሰዓት
DocType: Employee,History In Company,ኩባንያ ውስጥ ታሪክ
apps/erpnext/erpnext/config/learn.py +107,Newsletters,ጋዜጣዎች
DocType: Stock Ledger Entry,Stock Ledger Entry,የክምችት የሒሳብ መዝገብ የሚመዘገብ መረጃ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,የደንበኛ> የደንበኛ ቡድን> ግዛት
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,ተመሳሳይ ንጥል በርካታ ጊዜ ገብቷል ታይቷል
DocType: Department,Leave Block List,አግድ ዝርዝር ውጣ
DocType: Sales Invoice,Tax ID,የግብር መታወቂያ
@@ -3754,30 +3783,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} ክፍሎች {1} {2} ይህን ግብይት ለማጠናቀቅ ያስፈልጋል.
DocType: Loan Type,Rate of Interest (%) Yearly,የወለድ ምጣኔ (%) ዓመታዊ
DocType: SMS Settings,SMS Settings,ኤስ ኤም ኤስ ቅንብሮች
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,ጊዜያዊ መለያዎች
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,ጥቁር
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,ጊዜያዊ መለያዎች
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,ጥቁር
DocType: BOM Explosion Item,BOM Explosion Item,BOM ፍንዳታ ንጥል
DocType: Account,Auditor,ኦዲተር
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,ምርት {0} ንጥሎች
DocType: Cheque Print Template,Distance from top edge,ከላይ ጠርዝ ያለው ርቀት
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,የዋጋ ዝርዝር {0} ተሰናክሏል ወይም የለም
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,የዋጋ ዝርዝር {0} ተሰናክሏል ወይም የለም
DocType: Purchase Invoice,Return,ተመለስ
DocType: Production Order Operation,Production Order Operation,የምርት ትዕዛዝ ኦፕሬሽን
DocType: Pricing Rule,Disable,አሰናክል
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,የክፍያ ሁነታ ክፍያ ለመሥራት የግድ አስፈላጊ ነው
DocType: Project Task,Pending Review,በመጠባበቅ ላይ ያለ ክለሳ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} በ ባች ውስጥ አልተመዘገበም ነው {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}",አስቀድሞ እንደ የንብረት {0} በመዛጉ አይችልም {1}
DocType: Task,Total Expense Claim (via Expense Claim),(የወጪ የይገባኛል በኩል) ጠቅላላ የወጪ የይገባኛል ጥያቄ
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,የደንበኛ መታወቂያ
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,ማርቆስ የተዉ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ረድፍ {0}: ወደ BOM # ምንዛሬ {1} በተመረጠው ምንዛሬ እኩል መሆን አለበት {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ረድፍ {0}: ወደ BOM # ምንዛሬ {1} በተመረጠው ምንዛሬ እኩል መሆን አለበት {2}
DocType: Journal Entry Account,Exchange Rate,የመለወጫ ተመን
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,የሽያጭ ትዕዛዝ {0} ማቅረብ አይደለም
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,የሽያጭ ትዕዛዝ {0} ማቅረብ አይደለም
DocType: Homepage,Tag Line,መለያ መስመር
DocType: Fee Component,Fee Component,የክፍያ ክፍለ አካል
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,መርከቦች አስተዳደር
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,ከ ንጥሎችን ያክሉ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},መጋዘን {0}: የወላጅ መለያ {1} ኩባንያው bolong አይደለም {2}
DocType: Cheque Print Template,Regular,መደበኛ
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,ሁሉም የግምገማ መስፈርት ጠቅላላ Weightage 100% መሆን አለበት
DocType: BOM,Last Purchase Rate,የመጨረሻው የግዢ ተመን
@@ -3786,11 +3814,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,ንጥል ለማግኘት መኖር አይችሉም የአክሲዮን {0} ጀምሮ ተለዋጮች አለው
,Sales Person-wise Transaction Summary,የሽያጭ ሰው-ጥበብ የግብይት ማጠቃለያ
DocType: Training Event,Contact Number,የእውቂያ ቁጥር
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,መጋዘን {0} የለም
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,መጋዘን {0} የለም
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,ERPNext ማዕከል ለማግኘት ይመዝገቡ
DocType: Monthly Distribution,Monthly Distribution Percentages,ወርሃዊ የስርጭት መቶኛ
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,የተመረጠው ንጥል ባች ሊኖረው አይችልም
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","ግምቱ መጠን ለ የሂሳብ ግቤቶች ማድረግ ያስፈልጋል ይህም ንጥል {0}, ለ አልተገኘም {1} {2}. ንጥል ውስጥ ናሙና ንጥል እንደ ልውውጥ ከሆነ {1} ን, {1} ንጥል ሠንጠረዥ ውስጥ መጥቀስ እባክህ. አለበለዚያ, / ካስረከቡ ይሞክሩ ይህን ግቤት በመሰረዝ ከዚያም ንጥል መዝገብ ውስጥ ንጥል ወይም የተጠቀሰ ነገር ግምቱ መጠን አንድ ገቢ የአክሲዮን ግብይት መፍጠር, እና እባክህ"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","ግምቱ መጠን ለ የሂሳብ ግቤቶች ማድረግ ያስፈልጋል ይህም ንጥል {0}, ለ አልተገኘም {1} {2}. ንጥል ውስጥ ናሙና ንጥል እንደ ልውውጥ ከሆነ {1} ን, {1} ንጥል ሠንጠረዥ ውስጥ መጥቀስ እባክህ. አለበለዚያ, / ካስረከቡ ይሞክሩ ይህን ግቤት በመሰረዝ ከዚያም ንጥል መዝገብ ውስጥ ንጥል ወይም የተጠቀሰ ነገር ግምቱ መጠን አንድ ገቢ የአክሲዮን ግብይት መፍጠር, እና እባክህ"
DocType: Delivery Note,% of materials delivered against this Delivery Note,ቁሳቁሶችን% ይህን የመላኪያ ማስታወሻ ላይ አሳልፎ
DocType: Project,Customer Details,የደንበኛ ዝርዝሮች
DocType: Employee,Reports to,ወደ ሪፖርቶች
@@ -3798,41 +3826,43 @@
DocType: SMS Settings,Enter url parameter for receiver nos,ተቀባይ ቁጥሮች ለ አር ኤል ግቤት ያስገቡ
DocType: Payment Entry,Paid Amount,የሚከፈልበት መጠን
DocType: Assessment Plan,Supervisor,ተቆጣጣሪ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,የመስመር ላይ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,የመስመር ላይ
,Available Stock for Packing Items,ማሸግ ንጥሎች አይገኝም የአክሲዮን
DocType: Item Variant,Item Variant,ንጥል ተለዋጭ
DocType: Assessment Result Tool,Assessment Result Tool,ግምገማ ውጤት መሣሪያ
DocType: BOM Scrap Item,BOM Scrap Item,BOM ቁራጭ ንጥል
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,የተረከቡት ትዕዛዞች ሊሰረዝ አይችልም
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","አስቀድሞ ዴቢት ውስጥ ቀሪ ሒሳብ, አንተ 'ምንጭ' እንደ 'ሚዛናዊ መሆን አለብህ' እንዲያዘጋጁ ያልተፈቀደላቸው ነው"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,የጥራት ሥራ አመራር
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,የተረከቡት ትዕዛዞች ሊሰረዝ አይችልም
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","አስቀድሞ ዴቢት ውስጥ ቀሪ ሒሳብ, አንተ 'ምንጭ' እንደ 'ሚዛናዊ መሆን አለብህ' እንዲያዘጋጁ ያልተፈቀደላቸው ነው"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,የጥራት ሥራ አመራር
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,{0} ንጥል ተሰናክሏል
DocType: Employee Loan,Repay Fixed Amount per Period,ክፍለ ጊዜ በአንድ ቋሚ መጠን ብድራትን
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},ንጥል ለ ብዛት ያስገቡ {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,የብድር ማስታወሻ Amt
DocType: Employee External Work History,Employee External Work History,የተቀጣሪ ውጫዊ የስራ ታሪክ
DocType: Tax Rule,Purchase,የግዢ
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,ሒሳብ ብዛት
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,ሒሳብ ብዛት
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,ግቦች ባዶ መሆን አይችልም
DocType: Item Group,Parent Item Group,የወላጅ ንጥል ቡድን
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} ለ {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,የወጭ ማዕከላት
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,የወጭ ማዕከላት
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,ይህም አቅራቢ ምንዛሬ ላይ ተመን ኩባንያ መሰረታዊ ምንዛሬ በመለወጥ ላይ ነው
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},የረድፍ # {0}: ረድፍ ጋር ጊዜዎች ግጭቶች {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,ዜሮ ከግምቱ ተመን ፍቀድ
DocType: Training Event Employee,Invited,የተጋበዙ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,ለተሰጠው ቀናት ሠራተኛ {0} አልተገኘም በርካታ ገባሪ ደመወዝ መዋቅሮች
DocType: Opportunity,Next Contact,ቀጣይ እውቂያ
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,አዋቅር ጌትዌይ መለያዎች.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,አዋቅር ጌትዌይ መለያዎች.
DocType: Employee,Employment Type,የቅጥር ዓይነት
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,ቋሚ ንብረት
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,ቋሚ ንብረት
DocType: Payment Entry,Set Exchange Gain / Loss,የ Exchange ቅሰም አዘጋጅ / ማጣት
+,GST Purchase Register,GST ግዢ ይመዝገቡ
,Cash Flow,የገንዘብ ፍሰት
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,የመተግበሪያ ክፍለ ጊዜ ሁለት alocation መዝገቦች ላይ መሆን አይችልም
DocType: Item Group,Default Expense Account,ነባሪ የወጪ መለያ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,የተማሪ የኢሜይል መታወቂያ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,የተማሪ የኢሜይል መታወቂያ
DocType: Employee,Notice (days),ማስታወቂያ (ቀናት)
DocType: Tax Rule,Sales Tax Template,የሽያጭ ግብር አብነት
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,ወደ መጠየቂያ ለማስቀመጥ ንጥሎችን ምረጥ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,ወደ መጠየቂያ ለማስቀመጥ ንጥሎችን ምረጥ
DocType: Employee,Encashment Date,Encashment ቀን
DocType: Training Event,Internet,በይነመረብ
DocType: Account,Stock Adjustment,የአክሲዮን ማስተካከያ
@@ -3860,7 +3890,7 @@
DocType: Guardian,Guardian Of ,ነው አሳዳጊ
DocType: Grading Scale Interval,Threshold,ምድራክ
DocType: BOM Replace Tool,Current BOM,የአሁኑ BOM
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,ተከታታይ ምንም አክል
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,ተከታታይ ምንም አክል
apps/erpnext/erpnext/config/support.py +22,Warranty,ዋስ
DocType: Purchase Invoice,Debit Note Issued,ዴት ማስታወሻ ቀርቧል
DocType: Production Order,Warehouses,መጋዘኖችን
@@ -3869,20 +3899,20 @@
DocType: Workstation,per hour,በ ሰዓት
apps/erpnext/erpnext/config/buying.py +7,Purchasing,የግዥ
DocType: Announcement,Announcement,ማስታወቂያ
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,ወደ መጋዘን (ለተመራ ቆጠራ) መለያ በዚህ መለያ ስር ይፈጠራል.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,የአክሲዮን የመቁጠር ግቤት ይህን መጋዘን የለም እንደ መጋዘን ሊሰረዝ አይችልም.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","ባች የተመሠረተ የተማሪዎች ቡድን ለማግኘት, የተማሪዎች ባች በ ፕሮግራም ምዝገባ ከ እያንዳንዱ ተማሪ ሊረጋገጥ ይሆናል."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,የአክሲዮን የመቁጠር ግቤት ይህን መጋዘን የለም እንደ መጋዘን ሊሰረዝ አይችልም.
DocType: Company,Distribution,ስርጭት
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,መጠን የሚከፈልበት
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,ፕሮጀክት ሥራ አስኪያጅ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,ፕሮጀክት ሥራ አስኪያጅ
,Quoted Item Comparison,የተጠቀሰ ንጥል ንጽጽር
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,የደንበኞች አገልግሎት
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,ንጥል የሚፈቀደው ከፍተኛ ቅናሽ: {0} {1}% ነው
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,የደንበኞች አገልግሎት
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,ንጥል የሚፈቀደው ከፍተኛ ቅናሽ: {0} {1}% ነው
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,የተጣራ የንብረት እሴት ላይ
DocType: Account,Receivable,የሚሰበሰብ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,የረድፍ # {0}: የግዢ ትዕዛዝ አስቀድሞ አለ እንደ አቅራቢው ለመለወጥ አይፈቀድም
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,የረድፍ # {0}: የግዢ ትዕዛዝ አስቀድሞ አለ እንደ አቅራቢው ለመለወጥ አይፈቀድም
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,ካልተዋቀረ የብድር ገደብ መብለጥ መሆኑን ግብይቶችን ማቅረብ አይፈቀድም ነው ሚና.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,ለማምረት ንጥሎች ይምረጡ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","መምህር ውሂብ ማመሳሰል, ይህ የተወሰነ ጊዜ ሊወስድ ይችላል"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,ለማምረት ንጥሎች ይምረጡ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","መምህር ውሂብ ማመሳሰል, ይህ የተወሰነ ጊዜ ሊወስድ ይችላል"
DocType: Item,Material Issue,ቁሳዊ ችግር
DocType: Hub Settings,Seller Description,ሻጭ መግለጫ
DocType: Employee Education,Qualification,እዉቀት
@@ -3902,7 +3932,6 @@
DocType: BOM,Rate Of Materials Based On,ደረጃ ይስጡ እቃዎች ላይ የተመረኮዘ ላይ
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,የድጋፍ Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,ሁሉንም አታመልክት
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},ኩባንያ መጋዘኖችን ውስጥ ጠፍቷል {0}
DocType: POS Profile,Terms and Conditions,አተገባበሩና መመሪያው
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},ቀን ወደ የበጀት ዓመት ውስጥ መሆን አለበት. = ቀን ወደ ከወሰድን {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","እዚህ ወዘተ ቁመት, ክብደት, አለርጂ, የሕክምና ጉዳዮች ጠብቀን መኖር እንችላለን"
@@ -3917,18 +3946,17 @@
DocType: Sales Order Item,For Production,ለምርት
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,ይመልከቱ ተግባር
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,የፋይናንስ ዓመት ላይ ይጀምራል
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / በእርሳስ%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,የንብረት Depreciations እና ሚዛን
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},የገንዘብ መጠን {0} {1} ይተላለፋል {2} ወደ {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},የገንዘብ መጠን {0} {1} ይተላለፋል {2} ወደ {3}
DocType: Sales Invoice,Get Advances Received,እድገት ተቀብሏል ያግኙ
DocType: Email Digest,Add/Remove Recipients,ተቀባዮች አክል / አስወግድ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},ግብይት ቆሟል ምርት ላይ አይፈቀድም ትዕዛዝ {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},ግብይት ቆሟል ምርት ላይ አይፈቀድም ትዕዛዝ {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",", ነባሪ በዚህ በጀት ዓመት ለማዘጋጀት 'ነባሪ አዘጋጅ »ላይ ጠቅ ያድርጉ"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,ተቀላቀል
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,ተቀላቀል
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,እጥረት ብዛት
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,ንጥል ተለዋጭ {0} ተመሳሳይ ባሕርያት ጋር አለ
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,ንጥል ተለዋጭ {0} ተመሳሳይ ባሕርያት ጋር አለ
DocType: Employee Loan,Repay from Salary,ደመወዝ ከ ልከፍለው
DocType: Leave Application,LAP/,ጭን /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},ላይ ክፍያ በመጠየቅ ላይ {0} {1} መጠን ለ {2}
@@ -3939,34 +3967,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","ጥቅሎች እስኪደርስ ድረስ ለ ቡቃያዎች ጓዟን ማመንጨት. ጥቅል ቁጥር, የጥቅል ይዘቶችን እና ክብደት ማሳወቅ ነበር."
DocType: Sales Invoice Item,Sales Order Item,የሽያጭ ትዕዛዝ ንጥል
DocType: Salary Slip,Payment Days,የክፍያ ቀኖች
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,ልጅ እንደ አንጓዎች ጋር መጋዘኖችን ያሰኘንን ወደ ሊቀየር አይችልም
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,ልጅ እንደ አንጓዎች ጋር መጋዘኖችን ያሰኘንን ወደ ሊቀየር አይችልም
DocType: BOM,Manage cost of operations,ስራዎች ወጪ ያቀናብሩ
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","በተደረገባቸው ግብይቶች ማንኛውም "ገብቷል" ጊዜ, የኢሜይል ብቅ-ባይ በራስ-ሰር አባሪ እንደ ግብይት ጋር, በግብይቱ ውስጥ ተያይዞ "እውቅያ" ኢሜይል ለመላክ ይከፈታል. ተጠቃሚው ይችላል ወይም ኢሜይል መላክ ይችላል."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,ዓለም አቀፍ ቅንብሮች
DocType: Assessment Result Detail,Assessment Result Detail,ግምገማ ውጤት ዝርዝር
DocType: Employee Education,Employee Education,የሰራተኛ ትምህርት
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,ንጥል ቡድን ሠንጠረዥ ውስጥ አልተገኘም አባዛ ንጥል ቡድን
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,ይህ የዕቃው መረጃ ማምጣት ያስፈልጋል.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,ይህ የዕቃው መረጃ ማምጣት ያስፈልጋል.
DocType: Salary Slip,Net Pay,የተጣራ ክፍያ
DocType: Account,Account,ሒሳብ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,ተከታታይ አይ {0} አስቀድሞ ደርሷል
,Requested Items To Be Transferred,ተጠይቋል ንጥሎች መወሰድ
DocType: Expense Claim,Vehicle Log,የተሽከርካሪ ምዝግብ ማስታወሻ
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.",መጋዘን {0} ማንኛውም መለያ ጋር የተገናኘ አይደለም; / መጋዘን ለ ተጓዳኝ (ንብረት) መለያ አገናኝ ፍጠር.
DocType: Purchase Invoice,Recurring Id,ተደጋጋሚ መታወቂያ
DocType: Customer,Sales Team Details,የሽያጭ ቡድን ዝርዝሮች
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,እስከመጨረሻው ይሰረዝ?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,እስከመጨረሻው ይሰረዝ?
DocType: Expense Claim,Total Claimed Amount,ጠቅላላ የቀረበበት የገንዘብ መጠን
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,መሸጥ የሚሆን እምቅ ዕድል.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},ልክ ያልሆነ {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,የህመም ጊዜ የስራ ዕረፍት ፍቃድ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},ልክ ያልሆነ {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,የህመም ጊዜ የስራ ዕረፍት ፍቃድ
DocType: Email Digest,Email Digest,የኢሜይል ጥንቅር
DocType: Delivery Note,Billing Address Name,አከፋፈል አድራሻ ስም
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,መምሪያ መደብሮች
DocType: Warehouse,PIN,ፒን
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,ERPNext ውስጥ ማዋቀር ትምህርት ቤት
DocType: Sales Invoice,Base Change Amount (Company Currency),የመሠረት ለውጥ መጠን (የኩባንያ የምንዛሬ)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,የሚከተሉትን መጋዘኖችን ምንም የሂሳብ ግቤቶች
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,የሚከተሉትን መጋዘኖችን ምንም የሂሳብ ግቤቶች
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,በመጀመሪያ ሰነዱን አስቀምጥ.
DocType: Account,Chargeable,እንዳንከብድበት
DocType: Company,Change Abbreviation,ለውጥ ምህፃረ ቃል
@@ -3984,7 +4011,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,የሚጠበቀው የመላኪያ ቀን የግዢ ትዕዛዝ ቀን በፊት ሊሆን አይችልም
DocType: Appraisal,Appraisal Template,ግምገማ አብነት
DocType: Item Group,Item Classification,ንጥል ምደባ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,የንግድ ልማት ሥራ አስኪያጅ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,የንግድ ልማት ሥራ አስኪያጅ
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,ጥገና ይጎብኙ ዓላማ
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,ወቅት
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,አጠቃላይ የሒሳብ መዝገብ
@@ -3994,8 +4021,8 @@
DocType: Item Attribute Value,Attribute Value,ዋጋ ይስጡ
,Itemwise Recommended Reorder Level,Itemwise አስይዝ ደረጃ የሚመከር
DocType: Salary Detail,Salary Detail,ደመወዝ ዝርዝር
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,በመጀመሪያ {0} እባክዎ ይምረጡ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,ንጥል ባች {0} {1} ጊዜው አልፎበታል.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,በመጀመሪያ {0} እባክዎ ይምረጡ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,ንጥል ባች {0} {1} ጊዜው አልፎበታል.
DocType: Sales Invoice,Commission,ኮሚሽን
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,የአምራች ሰዓት ሉህ.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,ድምር
@@ -4006,6 +4033,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`እሰር አክሲዮኖች የቆየ Than`% d ቀኖች ያነሰ መሆን ይኖርበታል.
DocType: Tax Rule,Purchase Tax Template,የግብር አብነት ግዢ
,Project wise Stock Tracking,ፕሮጀክት ጥበበኛ የአክሲዮን ክትትል
+DocType: GST HSN Code,Regional,ክልላዊ
DocType: Stock Entry Detail,Actual Qty (at source/target),(ምንጭ / ዒላማ ላይ) ትክክለኛ ብዛት
DocType: Item Customer Detail,Ref Code,ማጣቀሻ ኮድ
apps/erpnext/erpnext/config/hr.py +12,Employee records.,የሰራተኛ መዝገቦች.
@@ -4016,13 +4044,13 @@
DocType: Email Digest,New Purchase Orders,አዲስ የግዢ ትዕዛዞች
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,ሥር አንድ ወላጅ የወጪ ማዕከል ሊኖረው አይችልም
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,ይምረጡ የምርት ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,ክስተቶች / ውጤቶች ማሠልጠን
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,እንደ ላይ የእርጅና ሲጠራቀሙ
DocType: Sales Invoice,C-Form Applicable,ሲ-ቅጽ የሚመለከታቸው
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},ኦፕሬሽን ጊዜ ክወና ለ ከ 0 በላይ መሆን አለበት {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,መጋዘን የግዴታ ነው
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,መጋዘን የግዴታ ነው
DocType: Supplier,Address and Contacts,አድራሻ እና እውቂያዎች
DocType: UOM Conversion Detail,UOM Conversion Detail,UOM ልወጣ ዝርዝር
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),100px በማድረግ (ዋ) ድር ተስማሚ 900px ያቆዩት (ሸ)
DocType: Program,Program Abbreviation,ፕሮግራም ምህፃረ ቃል
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,የምርት ትዕዛዝ አንድ ንጥል መለጠፊያ ላይ ይነሣሉ አይችልም
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,ክፍያዎች እያንዳንዱ ንጥል ላይ የግዢ ደረሰኝ ውስጥ መዘመን ነው
@@ -4030,13 +4058,13 @@
DocType: Bank Guarantee,Start Date,ቀን ጀምር
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,ለተወሰነ ጊዜ ቅጠል ይመድባሉ.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Cheques እና ተቀማጭ ትክክል ጸድቷል
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,መለያ {0}: አንተ ወላጅ መለያ ራሱን እንደ መመደብ አይችሉም
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,መለያ {0}: አንተ ወላጅ መለያ ራሱን እንደ መመደብ አይችሉም
DocType: Purchase Invoice Item,Price List Rate,የዋጋ ዝርዝር ተመን
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,የደንበኛ ጥቅሶችን ፍጠር
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","ክምችት ላይ አለ" ወይም በዚህ መጋዘን ውስጥ ይገኛል በክምችት ላይ የተመሠረተ "አይደለም የአክሲዮን ውስጥ" አሳይ.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),ዕቃዎች መካከል ቢል (BOM)
DocType: Item,Average time taken by the supplier to deliver,አቅራቢው የተወሰደው አማካይ ጊዜ ለማቅረብ
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,ግምገማ ውጤት
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,ግምገማ ውጤት
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,ሰዓቶች
DocType: Project,Expected Start Date,የሚጠበቀው መጀመሪያ ቀን
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,ክስ ይህ ንጥል ተገቢነት አይደለም ከሆነ ንጥል አስወግድ
@@ -4050,24 +4078,23 @@
DocType: Workstation,Operating Costs,ማስኬጃ ወጪዎች
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,እርምጃ ወርኃዊ በጀት የታለፈው ሲጠራቀሙ ከሆነ
DocType: Purchase Invoice,Submit on creation,ፍጥረት ላይ አስገባ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},የመገበያያ ገንዘብ {0} ይህ ሊሆን ግድ ነውና {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},የመገበያያ ገንዘብ {0} ይህ ሊሆን ግድ ነውና {1}
DocType: Asset,Disposal Date,ማስወገድ ቀን
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","እነርሱ በዓል ከሌለዎት ኢሜይሎችን, በተሰጠው ሰዓት ላይ ኩባንያ ሁሉ ንቁ ሠራተኞች ይላካል. ምላሾች ማጠቃለያ እኩለ ሌሊት ላይ ይላካል."
DocType: Employee Leave Approver,Employee Leave Approver,የሰራተኛ ፈቃድ አጽዳቂ
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},ረድፍ {0}: አንድ አስይዝ ግቤት አስቀድመው የዚህ መጋዘን ለ አለ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},ረድፍ {0}: አንድ አስይዝ ግቤት አስቀድመው የዚህ መጋዘን ለ አለ {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","ትዕምርተ ተደርጓል ምክንያቱም, እንደ የጠፋ ማወጅ አይቻልም."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,ስልጠና ግብረ መልስ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,ትዕዛዝ {0} መቅረብ አለበት ፕሮዳክሽን
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,ትዕዛዝ {0} መቅረብ አለበት ፕሮዳክሽን
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},ንጥል ለ የመጀመሪያ ቀን እና ማብቂያ ቀን ይምረጡ {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},ኮርስ ረድፍ ላይ ግዴታ ነው {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,ቀን ወደ ቀን ጀምሮ በፊት መሆን አይችልም
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,/ አርትዕ ዋጋዎች አክል
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,/ አርትዕ ዋጋዎች አክል
DocType: Batch,Parent Batch,የወላጅ ባች
DocType: Cheque Print Template,Cheque Print Template,ቼክ የህትመት አብነት
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,ወጪ ማዕከላት ገበታ
,Requested Items To Be Ordered,ተጠይቋል ንጥሎች ሊደረደር ወደ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,የመጋዘን ኩባንያ መለያ ኩባንያ ጋር ተመሳሳይ መሆን አለበት
DocType: Price List,Price List Name,የዋጋ ዝርዝር ስም
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},ለ ዕለታዊ የሥራ ማጠቃለያ {0}
DocType: Employee Loan,Totals,ድምሮች
@@ -4089,55 +4116,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,የሚሰራ የተንቀሳቃሽ ስልክ ቁጥሮች ያስገቡ
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,ከመላክዎ በፊት መልዕክት ያስገቡ
DocType: Email Digest,Pending Quotations,ጥቅሶች በመጠባበቅ ላይ
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,ነጥብ-መካከል-ሽያጭ መገለጫ
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,ነጥብ-መካከል-ሽያጭ መገለጫ
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,ኤስ ኤም ኤስ ቅንብሮች ያዘምኑ እባክዎ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,ደህንነቱ ያልተጠበቀ ብድሮች
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,ደህንነቱ ያልተጠበቀ ብድሮች
DocType: Cost Center,Cost Center Name,ኪሳራ ማዕከል ስም
DocType: Employee,B+,ለ +
DocType: HR Settings,Max working hours against Timesheet,ከፍተኛ Timesheet ላይ ሰዓት መስራት
DocType: Maintenance Schedule Detail,Scheduled Date,የተያዘለት ቀን
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,ጠቅላላ የክፍያ Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,ጠቅላላ የክፍያ Amt
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 ቁምፊዎች በላይ መልዕክቶች በርካታ መልዕክቶች ይከፋፈላሉ
DocType: Purchase Receipt Item,Received and Accepted,ተቀብሏል እና ተቀባይነት
+,GST Itemised Sales Register,GST የተሰሉ የሽያጭ መመዝገቢያ
,Serial No Service Contract Expiry,ተከታታይ ምንም አገልግሎት ኮንትራት የሚቃጠልበት
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,አንተ ክሬዲት እና በተመሳሳይ ጊዜ ተመሳሳይ መለያ ዘዴዎ አይችልም
DocType: Naming Series,Help HTML,የእገዛ ኤችቲኤምኤል
DocType: Student Group Creation Tool,Student Group Creation Tool,የተማሪ ቡድን የፈጠራ መሣሪያ
DocType: Item,Variant Based On,ተለዋጭ የተመረኮዘ ላይ
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},100% መሆን አለበት የተመደበ ጠቅላላ weightage. ይህ ነው {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,የእርስዎ አቅራቢዎች
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,የእርስዎ አቅራቢዎች
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,የሽያጭ ትዕዛዝ ነው እንደ የጠፋ እንደ ማዘጋጀት አልተቻለም.
DocType: Request for Quotation Item,Supplier Part No,አቅራቢው ክፍል የለም
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',በምድብ «ግምቱ 'ወይም' Vaulation እና ጠቅላላ 'ነው ጊዜ ቀነሰ አይቻልም
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,ከ ተቀብሏል
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,ከ ተቀብሏል
DocType: Lead,Converted,የተቀየሩ
DocType: Item,Has Serial No,ተከታታይ ምንም አለው
DocType: Employee,Date of Issue,የተሰጠበት ቀን
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: ከ {0} ለ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","የ ሊገዙ ቅንብሮች መሰረት የግዥ Reciept ያስፈልጋል == 'አዎ' ከዚያም የግዥ ደረሰኝ ለመፍጠር, የተጠቃሚ ንጥል መጀመሪያ የግዢ ደረሰኝ መፍጠር አለብዎት ከሆነ {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},የረድፍ # {0}: ንጥል አዘጋጅ አቅራቢው {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,ረድፍ {0}: ሰዓቶች ዋጋ ከዜሮ በላይ መሆን አለበት.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,ንጥል {1} ጋር ተያይዞ ድር ጣቢያ ምስል {0} ሊገኝ አልቻለም
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,ንጥል {1} ጋር ተያይዞ ድር ጣቢያ ምስል {0} ሊገኝ አልቻለም
DocType: Issue,Content Type,የይዘት አይነት
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,ኮምፕዩተር
DocType: Item,List this Item in multiple groups on the website.,ድር ላይ በርካታ ቡድኖች ውስጥ ይህን ንጥል ዘርዝር.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,ሌሎች የምንዛሬ ጋር መለያዎች አትፍቀድ ወደ ባለብዙ የምንዛሬ አማራጭ ያረጋግጡ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,ንጥል: {0} ሥርዓት ውስጥ የለም
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,አንተ ቀጥ እሴት ለማዘጋጀት ፍቃድ አይደለም
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,ንጥል: {0} ሥርዓት ውስጥ የለም
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,አንተ ቀጥ እሴት ለማዘጋጀት ፍቃድ አይደለም
DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled ግቤቶችን ያግኙ
DocType: Payment Reconciliation,From Invoice Date,የደረሰኝ ቀን ጀምሮ
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,አከፋፈል ምንዛሬ ወይም ነባሪ comapany ምንዛሬ ወይም ወገን መለያ ምንዛሬ ጋር እኩል መሆን አለባቸው
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Encashment ውጣ
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,ምን ያደርጋል?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,አከፋፈል ምንዛሬ ወይም ነባሪ comapany ምንዛሬ ወይም ወገን መለያ ምንዛሬ ጋር እኩል መሆን አለባቸው
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Encashment ውጣ
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,ምን ያደርጋል?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,መጋዘን ወደ
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,ሁሉም የተማሪ ምዝገባ
,Average Commission Rate,አማካኝ ኮሚሽን ተመን
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,'አዎ' መሆን ያልሆኑ-የአክሲዮን ንጥል አይችልም 'መለያ ምንም አለው'
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'አዎ' መሆን ያልሆኑ-የአክሲዮን ንጥል አይችልም 'መለያ ምንም አለው'
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,በስብሰባው ወደፊት ቀናት ምልክት ሊሆን አይችልም
DocType: Pricing Rule,Pricing Rule Help,የዋጋ አሰጣጥ ደንብ እገዛ
DocType: School House,House Name,ቤት ስም
DocType: Purchase Taxes and Charges,Account Head,መለያ ኃላፊ
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,ንጥሎች አርፏል ወጪ ማስላት ተጨማሪ ወጪዎች ያዘምኑ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,ኤሌክትሪክ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,ኤሌክትሪክ
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,የእርስዎ ተጠቃሚዎች እንደ ድርጅት የቀረውን ያክሉ. በተጨማሪም አድራሻዎች ከእነርሱ በማከል ፖርታል ወደ ደንበኞች መጋበዝ ማከል ይችላሉ
DocType: Stock Entry,Total Value Difference (Out - In),ጠቅላላ ዋጋ ያለው ልዩነት (ውጭ - ውስጥ)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,ረድፍ {0}: ምንዛሪ ተመን የግዴታ ነው
@@ -4147,7 +4176,7 @@
DocType: Item,Customer Code,የደንበኛ ኮድ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},ለ የልደት አስታዋሽ {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,የመጨረሻ ትዕዛዝ ጀምሮ ቀናት
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,መለያ ወደ ዴቢት አንድ ሚዛን ሉህ መለያ መሆን አለበት
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,መለያ ወደ ዴቢት አንድ ሚዛን ሉህ መለያ መሆን አለበት
DocType: Buying Settings,Naming Series,መሰየምን ተከታታይ
DocType: Leave Block List,Leave Block List Name,አግድ ዝርዝር ስም ውጣ
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,ኢንሹራንስ የመጀመሪያ ቀን መድን የመጨረሻ ቀን ያነሰ መሆን አለበት
@@ -4162,26 +4191,26 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},ሠራተኛ ደመወዝ ማዘዥ {0} አስቀድሞ ጊዜ ወረቀት የተፈጠሩ {1}
DocType: Vehicle Log,Odometer,ቆጣሪው
DocType: Sales Order Item,Ordered Qty,የዕቃው መረጃ ብዛት
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,ንጥል {0} ተሰናክሏል
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,ንጥል {0} ተሰናክሏል
DocType: Stock Settings,Stock Frozen Upto,የክምችት Frozen እስከሁለት
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM ማንኛውም የአክሲዮን ንጥል አልያዘም
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM ማንኛውም የአክሲዮን ንጥል አልያዘም
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},ጀምሮ እና ክፍለ ጊዜ ተደጋጋሚ ግዴታ ቀናት ወደ ጊዜ {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,የፕሮጀክት እንቅስቃሴ / ተግባር.
DocType: Vehicle Log,Refuelling Details,Refuelling ዝርዝሮች
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,ደመወዝ ቡቃያ አመንጭ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","የሚመለከታቸው ያህል ሆኖ ተመርጧል ከሆነ መግዛትና, ምልክት መደረግ አለበት {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","የሚመለከታቸው ያህል ሆኖ ተመርጧል ከሆነ መግዛትና, ምልክት መደረግ አለበት {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,ቅናሽ ከ 100 መሆን አለበት
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,የመጨረሻው የግዢ መጠን አልተገኘም
DocType: Purchase Invoice,Write Off Amount (Company Currency),መጠን ጠፍቷል ጻፍ (የኩባንያ የምንዛሬ)
DocType: Sales Invoice Timesheet,Billing Hours,አከፋፈል ሰዓቶች
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,{0} አልተገኘም ነባሪ BOM
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,የረድፍ # {0}: ዳግምስርዓትአስይዝ ብዛት ማዘጋጀት እባክዎ
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,የረድፍ # {0}: ዳግምስርዓትአስይዝ ብዛት ማዘጋጀት እባክዎ
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,እዚህ ላይ ማከል ንጥሎችን መታ
DocType: Fees,Program Enrollment,ፕሮግራም ምዝገባ
DocType: Landed Cost Voucher,Landed Cost Voucher,አረፈ ወጪ ቫውቸር
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},ማዘጋጀት እባክዎ {0}
DocType: Purchase Invoice,Repeat on Day of Month,የወር ቀን ላይ ይድገሙ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} የቦዘነ ተማሪ ነው
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} የቦዘነ ተማሪ ነው
DocType: Employee,Health Details,የጤና ዝርዝሮች
DocType: Offer Letter,Offer Letter Terms,ደብዳቤ ውል አበርክቱ
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,"የማጣቀሻ ሰነድ ያስፈልጋል ክፍያ ጥያቄ ለመፍጠር,"
@@ -4202,7 +4231,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","ምሳሌ:. ተከታታይ ከተዋቀረ እና ተከታታይ ምንም ግብይቶች ላይ የተጠቀሰው አይደለም ከሆነ ለልጆች #####, ከዚያም ራስ-ሰር መለያ ቁጥር በዚህ ተከታታይ ላይ የተመሠረተ ይፈጠራል. ሁልጊዜ በግልጽ ለዚህ ንጥል መለያ ቁጥሮች መጥቀስ የሚፈልጉ ከሆነ. ይህንን ባዶ ይተዉት."
DocType: Upload Attendance,Upload Attendance,ስቀል ክትትል
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM እና ማኑፋክቸሪንግ ብዛት ያስፈልጋሉ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM እና ማኑፋክቸሪንግ ብዛት ያስፈልጋሉ
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,ጥበቃና ክልል 2
DocType: SG Creation Tool Course,Max Strength,ከፍተኛ ጥንካሬ
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM ተተክቷል
@@ -4211,8 +4240,8 @@
,Prospects Engaged But Not Converted,ተስፋ ታጭተዋል ግን አይለወጡም
DocType: Manufacturing Settings,Manufacturing Settings,ማኑፋክቸሪንግ ቅንብሮች
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,ኢሜይል በማቀናበር ላይ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 ተንቀሳቃሽ አይ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,የኩባንያ መምህር ውስጥ ነባሪ ምንዛሬ ያስገቡ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 ተንቀሳቃሽ አይ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,የኩባንያ መምህር ውስጥ ነባሪ ምንዛሬ ያስገቡ
DocType: Stock Entry Detail,Stock Entry Detail,የክምችት Entry ዝርዝር
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,ዕለታዊ አስታዋሾች
DocType: Products Settings,Home Page is Products,መነሻ ገጽ ምርቶች ነው
@@ -4221,7 +4250,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,አዲስ መለያ ስም
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,ጥሬ እቃዎች አቅርቦት ወጪ
DocType: Selling Settings,Settings for Selling Module,ሞዱል መሸጥ ቅንብሮች
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,የደንበኞች ግልጋሎት
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,የደንበኞች ግልጋሎት
DocType: BOM,Thumbnail,ድንክዬ
DocType: Item Customer Detail,Item Customer Detail,ንጥል የደንበኛ ዝርዝር
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,ቅናሽ እጩ አንድ ኢዮብ.
@@ -4230,7 +4259,7 @@
DocType: Pricing Rule,Percentage,በመቶ
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,ንጥል {0} ከአክሲዮን ንጥል መሆን አለበት
DocType: Manufacturing Settings,Default Work In Progress Warehouse,የሂደት መጋዘን ውስጥ ነባሪ ሥራ
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,የሂሳብ ግብይቶች ነባሪ ቅንብሮች.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,የሂሳብ ግብይቶች ነባሪ ቅንብሮች.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,የሚጠበቀው ቀን የቁስ ጥያቄ ቀን በፊት ሊሆን አይችልም
DocType: Purchase Invoice Item,Stock Qty,የአክሲዮን ብዛት
@@ -4243,10 +4272,10 @@
DocType: Sales Order,Printing Details,ማተሚያ ዝርዝሮች
DocType: Task,Closing Date,መዝጊያ ቀን
DocType: Sales Order Item,Produced Quantity,ምርት ብዛት
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,መሀንዲስ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,መሀንዲስ
DocType: Journal Entry,Total Amount Currency,ጠቅላላ መጠን ምንዛሬ
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,የፍለጋ ንዑስ ትላልቅ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},ንጥል ኮድ ረድፍ ምንም ያስፈልጋል {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},ንጥል ኮድ ረድፍ ምንም ያስፈልጋል {0}
DocType: Sales Partner,Partner Type,የአጋርነት አይነት
DocType: Purchase Taxes and Charges,Actual,ትክክለኛ
DocType: Authorization Rule,Customerwise Discount,Customerwise ቅናሽ
@@ -4263,11 +4292,11 @@
DocType: Item Reorder,Re-Order Level,ዳግም-ትዕዛዝ ደረጃ
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,እርስዎ የምርት ትዕዛዞችን ማሳደግ ወይም ትንተና ጥሬ ዕቃዎች ማውረድ ይፈልጋሉ ለዚህም ንጥሎች እና የታቀዱ ብዛት ያስገቡ.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt ገበታ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,ትርፍ ጊዜ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,ትርፍ ጊዜ
DocType: Employee,Applicable Holiday List,አግባብነት ያለው የበዓል ዝርዝር
DocType: Employee,Cheque,ቼክ
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,ተከታታይ የዘመነ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,ሪፖርት አይነት ግዴታ ነው
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,ሪፖርት አይነት ግዴታ ነው
DocType: Item,Serial Number Series,መለያ ቁጥር ተከታታይ
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},የመጋዘን ረድፍ ውስጥ የአክሲዮን ንጥል {0} ግዴታ ነው {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,በችርቻሮ እና የጅምላ
@@ -4288,7 +4317,7 @@
DocType: BOM,Materials,እቃዎች
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","ምልክት አልተደረገበትም ከሆነ, ዝርዝር ተግባራዊ መሆን አለበት የት እያንዳንዱ ክፍል መታከል አለባቸው."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,ምንጭ እና ዒላማ መጋዘን ተመሳሳይ መሆን አይችልም
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,ቀን በመለጠፍ እና ሰዓት መለጠፍ ግዴታ ነው
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,ቀን በመለጠፍ እና ሰዓት መለጠፍ ግዴታ ነው
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,ግብይቶች ለመግዛት የግብር አብነት.
,Item Prices,ንጥል ዋጋዎች
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,የ የግዢ ትዕዛዝ ማስቀመጥ አንዴ ቃላት ውስጥ የሚታይ ይሆናል.
@@ -4298,22 +4327,23 @@
DocType: Purchase Invoice,Advance Payments,የቅድሚያ ክፍያዎች
DocType: Purchase Taxes and Charges,On Net Total,የተጣራ ጠቅላላ ላይ
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},{0} አይነታ እሴት ክልል ውስጥ መሆን አለበት {1} ወደ {2} ላይ በመጨመር {3} ንጥል ለ {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,{0} ረድፍ ላይ ዒላማ መጋዘን ምርት ትዕዛዝ አንድ አይነት መሆን አለበት
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,{0} ረድፍ ላይ ዒላማ መጋዘን ምርት ትዕዛዝ አንድ አይነት መሆን አለበት
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,የ% s ተደጋጋሚ ለ አልተገለጸም 'ማሳወቂያ ኢሜይል አድራሻዎች'
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,የመገበያያ ገንዘብ አንዳንድ ሌሎች የምንዛሬ በመጠቀም ግቤቶች በማድረጉ በኋላ ሊቀየር አይችልም
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,የመገበያያ ገንዘብ አንዳንድ ሌሎች የምንዛሬ በመጠቀም ግቤቶች በማድረጉ በኋላ ሊቀየር አይችልም
DocType: Vehicle Service,Clutch Plate,ክላች ፕሌት
DocType: Company,Round Off Account,መለያ ጠፍቷል በዙሪያቸው
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,አስተዳደራዊ ወጪዎች
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,አስተዳደራዊ ወጪዎች
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,ማማከር
DocType: Customer Group,Parent Customer Group,የወላጅ የደንበኞች ቡድን
DocType: Purchase Invoice,Contact Email,የዕውቂያ ኢሜይል
DocType: Appraisal Goal,Score Earned,የውጤት የተገኙ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,ማስታወቂያ ክፍለ ጊዜ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,ማስታወቂያ ክፍለ ጊዜ
DocType: Asset Category,Asset Category Name,የንብረት ምድብ ስም
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,ይህ ሥር ክልል ነው እና አርትዕ ሊደረግ አይችልም.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,አዲስ የሽያጭ ሰው ስም
DocType: Packing Slip,Gross Weight UOM,ጠቅላላ ክብደት UOM
DocType: Delivery Note Item,Against Sales Invoice,የሽያጭ ደረሰኝ ላይ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,serialized ንጥል ሲሪያል ቁጥሮችን ያስገቡ
DocType: Bin,Reserved Qty for Production,ለምርት ብዛት የተያዘ
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,እርስዎ ኮርስ ላይ የተመሠረቱ ቡድኖች በማድረግ ላይ ሳለ ባች ከግምት የማይፈልጉ ከሆነ አልተመረጠም ተወው.
DocType: Asset,Frequency of Depreciation (Months),የእርጅና ድግግሞሽ (ወራት)
@@ -4321,25 +4351,25 @@
DocType: Landed Cost Item,Landed Cost Item,አረፈ ወጪ ንጥል
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,ዜሮ እሴቶች አሳይ
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,ንጥል መጠን በጥሬ ዕቃዎች የተሰጠው መጠን ከ እየቀናነሱ / ማኑፋክቸሪንግ በኋላ አገኘሁ
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,ማዋቀር የእኔ ድርጅት ለማግኘት ቀላል ድር ጣቢያ
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,ማዋቀር የእኔ ድርጅት ለማግኘት ቀላል ድር ጣቢያ
DocType: Payment Reconciliation,Receivable / Payable Account,የሚሰበሰብ / ሊከፈል መለያ
DocType: Delivery Note Item,Against Sales Order Item,የሽያጭ ትዕዛዝ ንጥል ላይ
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},አይነታ እሴት የአይነት ይግለጹ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},አይነታ እሴት የአይነት ይግለጹ {0}
DocType: Item,Default Warehouse,ነባሪ መጋዘን
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},በጀት ቡድን መለያ ላይ ሊመደብ አይችልም {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,ወላጅ የወጪ ማዕከል ያስገቡ
DocType: Delivery Note,Print Without Amount,መጠን ያለ አትም
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,የእርጅና ቀን
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,ሁሉም ንጥሎች ያልሆኑ የአክሲዮን ንጥሎች እንደ የግብር ምድብ 'ግምቱ' ወይም 'ግምቱ እና ጠቅላላ' ሊሆን አይችልም
DocType: Issue,Support Team,የድጋፍ ቡድን
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),(ቀኖች ውስጥ) የሚቃጠልበት
DocType: Appraisal,Total Score (Out of 5),(5 ውጪ) አጠቃላይ ነጥብ
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,ባች
+DocType: Student Attendance Tool,Batch,ባች
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,ሚዛን
DocType: Room,Seating Capacity,መቀመጫ አቅም
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),ጠቅላላ የወጪ የይገባኛል ጥያቄ (የወጪ የይገባኛል በኩል)
+DocType: GST Settings,GST Summary,GST ማጠቃለያ
DocType: Assessment Result,Total Score,አጠቃላይ ነጥብ
DocType: Journal Entry,Debit Note,ዴት ማስታወሻ
DocType: Stock Entry,As per Stock UOM,የክምችት UOM መሰረት
@@ -4350,12 +4380,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,ነባሪ ጨርሷል ዕቃዎች መጋዘን
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,የሽያጭ ሰው
DocType: SMS Parameter,SMS Parameter,ኤስ ኤም ኤስ ልኬት
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,በጀት እና ወጪ ማዕከል
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,በጀት እና ወጪ ማዕከል
DocType: Vehicle Service,Half Yearly,ግማሽ ዓመታዊ
DocType: Lead,Blog Subscriber,የጦማር የተመዝጋቢ
DocType: Guardian,Alternate Number,ተለዋጭ ቁጥር
DocType: Assessment Plan Criteria,Maximum Score,ከፍተኛው ነጥብ
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,እሴቶች ላይ የተመሠረተ ግብይቶችን ለመገደብ ደንቦች ይፍጠሩ.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,የቡድን ጥቅል አይ
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,እርስዎ በዓመት ተማሪዎች ቡድኖች ለማድረግ ከሆነ ባዶ ይተዉት
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","ከተመረጠ, ጠቅላላ የለም. የስራ ቀናት በዓላት ያካትታል; ይህም ደመወዝ በእያንዳንዱ ቀን ዋጋ እንዲቀንስ ያደርጋል"
DocType: Purchase Invoice,Total Advance,ጠቅላላ የቅድሚያ
@@ -4373,6 +4404,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,ይሄ በዚህ የደንበኛ ላይ ግብይቶችን ላይ የተመሠረተ ነው. ዝርዝሮችን ለማግኘት ከታች ያለውን የጊዜ ይመልከቱ
DocType: Supplier,Credit Days Based On,የብድር ቀኖች ላይ የተመሠረተ
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},ረድፍ {0}: የተመደበ መጠን {1} ከ ያነሰ መሆን ወይም የክፍያ Entry መጠን ጋር እኩል መሆን አለበት {2}
+,Course wise Assessment Report,እርግጥ ጥበብ ግምገማ ሪፖርት
DocType: Tax Rule,Tax Rule,ግብር ደንብ
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,የሽያጭ ዑደት ዘመናት በሙሉ አንድ አይነት ተመን ይኑራችሁ
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,ከገቢር የሥራ ሰዓት ውጪ ጊዜ መዝገቦች ያቅዱ.
@@ -4381,7 +4413,7 @@
,Items To Be Requested,ንጥሎች ተጠይቋል መሆን ወደ
DocType: Purchase Order,Get Last Purchase Rate,የመጨረሻው ግዢ ተመን ያግኙ
DocType: Company,Company Info,የኩባንያ መረጃ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,ይምረጡ ወይም አዲስ ደንበኛ ለማከል
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,ይምረጡ ወይም አዲስ ደንበኛ ለማከል
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,በወጪ ማዕከል አንድ ወጪ የይገባኛል ጥያቄ መያዝ ያስፈልጋል
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),ፈንድ (ንብረት) ውስጥ ማመልከቻ
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,ይህ የዚህ ሰራተኛ መካከል በስብሰባው ላይ የተመሠረተ ነው
@@ -4389,27 +4421,29 @@
DocType: Fiscal Year,Year Start Date,ዓመት መጀመሪያ ቀን
DocType: Attendance,Employee Name,የሰራተኛ ስም
DocType: Sales Invoice,Rounded Total (Company Currency),የከበበ ጠቅላላ (የኩባንያ የምንዛሬ)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,የመለያ አይነት ተመርጧል ነው ምክንያቱም ቡድን ጋር በድብቅ አይቻልም.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,የመለያ አይነት ተመርጧል ነው ምክንያቱም ቡድን ጋር በድብቅ አይቻልም.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} ተቀይሯል. እባክዎ ያድሱ.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,በሚቀጥሉት ቀኖች ላይ ፈቃድ መተግበሪያዎች በማድረጉ ተጠቃሚዎች አቁም.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,የግዢ መጠን
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,አቅራቢው ትዕምርተ {0} ተፈጥሯል
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,የመጨረሻ ዓመት የጀመረበት ዓመት በፊት ሊሆን አይችልም
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,የሰራተኛ ጥቅማ ጥቅም
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,የሰራተኛ ጥቅማ ጥቅም
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},የታሸጉ የብዛት ረድፍ ውስጥ ንጥል {0} ለ ብዛት ጋር እኩል መሆን አለባቸው {1}
DocType: Production Order,Manufactured Qty,የሚመረተው ብዛት
DocType: Purchase Receipt Item,Accepted Quantity,ተቀባይነት ብዛት
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},የተቀጣሪ ነባሪ በዓል ዝርዝር ለማዘጋጀት እባክዎ {0} ወይም ኩባንያ {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} ነው አይደለም አለ
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} ነው አይደለም አለ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,ምረጥ ባች ቁጥሮች
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,ደንበኞች ከሞት ደረሰኞች.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,የፕሮጀክት መታወቂያ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},ረድፍ አይ {0}: መጠን የወጪ የይገባኛል ጥያቄ {1} ላይ የገንዘብ መጠን በመጠባበቅ በላይ ሊሆን አይችልም. በመጠባበቅ መጠን ነው {2}
DocType: Maintenance Schedule,Schedule,ፕሮግራም
DocType: Account,Parent Account,የወላጅ መለያ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,ይገኛል
DocType: Quality Inspection Reading,Reading 3,3 ማንበብ
,Hub,ማዕከል
DocType: GL Entry,Voucher Type,የቫውቸር አይነት
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,የዋጋ ዝርዝር አልተገኘም ወይም ተሰናክሏል አይደለም
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,የዋጋ ዝርዝር አልተገኘም ወይም ተሰናክሏል አይደለም
DocType: Employee Loan Application,Approved,ጸድቋል
DocType: Pricing Rule,Price,ዋጋ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0} መዘጋጀት አለበት ላይ እፎይታ ሠራተኛ 'ግራ' እንደ
@@ -4420,7 +4454,8 @@
DocType: Selling Settings,Campaign Naming By,በ የዘመቻ አሰያየም
DocType: Employee,Current Address Is,የአሁኑ አድራሻ ነው
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,የተቀየረው
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","ከተፈለገ. ካልተገለጸ ከሆነ, ኩባንያ ነባሪ ምንዛሬ ያዘጋጃል."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","ከተፈለገ. ካልተገለጸ ከሆነ, ኩባንያ ነባሪ ምንዛሬ ያዘጋጃል."
+DocType: Sales Invoice,Customer GSTIN,የደንበኛ GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,ዲግሪ መጽሔት ግቤቶች.
DocType: Delivery Note Item,Available Qty at From Warehouse,መጋዘን ከ ላይ ይገኛል ብዛት
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,በመጀመሪያ የተቀጣሪ ሪኮርድ ይምረጡ.
@@ -4428,7 +4463,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ረድፍ {0}: ፓርቲ / መለያዎ ጋር አይመሳሰልም {1} / {2} ውስጥ {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,የወጪ ሒሳብ ያስገቡ
DocType: Account,Stock,አክሲዮን
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","የረድፍ # {0}: የማጣቀሻ ሰነድ ዓይነት የግዢ ትዕዛዝ አንዱ, የግዥ ደረሰኝ ወይም ጆርናል የሚመዘገብ መሆን አለበት"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","የረድፍ # {0}: የማጣቀሻ ሰነድ ዓይነት የግዢ ትዕዛዝ አንዱ, የግዥ ደረሰኝ ወይም ጆርናል የሚመዘገብ መሆን አለበት"
DocType: Employee,Current Address,ወቅታዊ አድራሻ
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","በግልጽ ካልተገለጸ በስተቀር ንጥል ከዚያም መግለጫ, ምስል, ዋጋ, ግብር አብነቱን ከ ማዘጋጀት ይሆናል ወዘተ ሌላ ንጥል ተለዋጭ ከሆነ"
DocType: Serial No,Purchase / Manufacture Details,የግዢ / ማምረት ዝርዝሮች
@@ -4441,8 +4476,8 @@
DocType: Pricing Rule,Min Qty,ዝቅተኛ ብዛት
DocType: Asset Movement,Transaction Date,የግብይት ቀን
DocType: Production Plan Item,Planned Qty,የታቀደ ብዛት
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,ጠቅላላ ግብር
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,ብዛት ለ (ብዛት የተመረተ) ግዴታ ነው
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,ጠቅላላ ግብር
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,ብዛት ለ (ብዛት የተመረተ) ግዴታ ነው
DocType: Stock Entry,Default Target Warehouse,ነባሪ ዒላማ መጋዘን
DocType: Purchase Invoice,Net Total (Company Currency),የተጣራ ጠቅላላ (የኩባንያ የምንዛሬ)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,የ ዓመት የማብቂያ ቀን ዓመት የመጀመሪያ ቀን ከ ቀደም ሊሆን አይችልም. ቀናት ለማረም እና እንደገና ይሞክሩ.
@@ -4456,13 +4491,11 @@
DocType: Hub Settings,Hub Settings,ማዕከል ቅንብሮች
DocType: Project,Gross Margin %,ግዙፍ ኅዳግ %
DocType: BOM,With Operations,ክወናዎች ጋር
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,ዲግሪ ግቤቶች አስቀድሞ ምንዛሬ ተደርገዋል {0} ድርጅት {1}. ምንዛሬ ጋር አንድ እንደተቀበለ ወይም ተከፋይ ሂሳብ ይምረጡ {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,ዲግሪ ግቤቶች አስቀድሞ ምንዛሬ ተደርገዋል {0} ድርጅት {1}. ምንዛሬ ጋር አንድ እንደተቀበለ ወይም ተከፋይ ሂሳብ ይምረጡ {0}.
DocType: Asset,Is Existing Asset,ንብረት አሁን ነው
DocType: Salary Detail,Statistical Component,ስታስቲክስ ክፍለ አካል
-,Monthly Salary Register,ወርሃዊ ደመወዝ ይመዝገቡ
DocType: Warranty Claim,If different than customer address,የደንበኛ አድራሻ የተለየ ከሆነ
DocType: BOM Operation,BOM Operation,BOM ኦፕሬሽን
-DocType: School Settings,Validate the Student Group from Program Enrollment,ፕሮግራም ምዝገባ ከ የተማሪ ቡድን Validate
DocType: Purchase Taxes and Charges,On Previous Row Amount,ቀዳሚ ረድፍ መጠን ላይ
DocType: Student,Home Address,የቤት አድራሻ
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,አስተላልፍ ንብረት
@@ -4470,28 +4503,27 @@
DocType: Training Event,Event Name,የክስተት ስም
apps/erpnext/erpnext/config/schools.py +39,Admission,መግባት
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},ለ የመግቢያ {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","ቅንብር በጀቶችን, ዒላማዎች ወዘተ ወቅታዊ"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","{0} ንጥል አብነት ነው, በውስጡ ከተለዋጮችዎ አንዱ ይምረጡ"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","ቅንብር በጀቶችን, ዒላማዎች ወዘተ ወቅታዊ"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","{0} ንጥል አብነት ነው, በውስጡ ከተለዋጮችዎ አንዱ ይምረጡ"
DocType: Asset,Asset Category,የንብረት ምድብ
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,በገዢው
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,የተጣራ ክፍያ አሉታዊ መሆን አይችልም
DocType: SMS Settings,Static Parameters,አይለወጤ መለኪያዎች
DocType: Assessment Plan,Room,ክፍል
DocType: Purchase Order,Advance Paid,የቅድሚያ ክፍያ የሚከፈልበት
DocType: Item,Item Tax,ንጥል ግብር
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,አቅራቢው ቁሳዊ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,ኤክሳይስ ደረሰኝ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,ኤክሳይስ ደረሰኝ
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% ከአንድ ጊዜ በላይ ይመስላል
DocType: Expense Claim,Employees Email Id,ሰራተኞች ኢሜይል መታወቂያ
DocType: Employee Attendance Tool,Marked Attendance,ምልክት ተደርጎበታል ክትትል
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,የቅርብ ግዜ አዳ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,የቅርብ ግዜ አዳ
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,የመገናኛ ኤስ የእርስዎን እውቂያዎች ላክ
DocType: Program,Program Name,የፕሮግራም ስም
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,ለ ታክስ ወይም ክፍያ ተመልከት
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,ትክክለኛው ብዛት የግዴታ ነው
DocType: Employee Loan,Loan Type,የብድር አይነት
DocType: Scheduling Tool,Scheduling Tool,ዕቅድ ማውጫ መሣሪያ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,የዱቤ ካርድ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,የዱቤ ካርድ
DocType: BOM,Item to be manufactured or repacked,ንጥል የሚመረተው ወይም repacked ዘንድ
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,የአክሲዮን ግብይቶች ነባሪ ቅንብሮች.
DocType: Purchase Invoice,Next Date,ቀጣይ ቀን
@@ -4507,10 +4539,10 @@
DocType: Stock Entry,Repack,Repack
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,ከመቀጠልዎ በፊት ቅጽ አስቀምጥ አለበት
DocType: Item Attribute,Numeric Values,ቁጥራዊ እሴቶች
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,አርማ ያያይዙ
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,አርማ ያያይዙ
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,የክምችት ደረጃዎች
DocType: Customer,Commission Rate,ኮሚሽን ተመን
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,ተለዋጭ አድርግ
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,ተለዋጭ አድርግ
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,መምሪያ አግድ ፈቃድ መተግበሪያዎች.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","የክፍያ ዓይነት, ተቀበል አንዱ መሆን ይክፈሉ እና የውስጥ ትልልፍ አለበት"
apps/erpnext/erpnext/config/selling.py +179,Analytics,ትንታኔ
@@ -4518,45 +4550,45 @@
DocType: Vehicle,Model,ሞዴል
DocType: Production Order,Actual Operating Cost,ትክክለኛ ማስኬጃ ወጪ
DocType: Payment Entry,Cheque/Reference No,ቼክ / ማጣቀሻ የለም
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,ሥር አርትዕ ሊደረግ አይችልም.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,ሥር አርትዕ ሊደረግ አይችልም.
DocType: Item,Units of Measure,ይለኩ አሃዶች
DocType: Manufacturing Settings,Allow Production on Holidays,በዓላት ላይ ምርት ፍቀድ
DocType: Sales Order,Customer's Purchase Order Date,ደንበኛ የግዢ ትዕዛዝ ቀን
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,አቢይ Stock
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,አቢይ Stock
DocType: Shopping Cart Settings,Show Public Attachments,የህዝብ አባሪዎች አሳይ
DocType: Packing Slip,Package Weight Details,የጥቅል ክብደት ዝርዝሮች
DocType: Payment Gateway Account,Payment Gateway Account,ክፍያ ፍኖት መለያ
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,የክፍያ ማጠናቀቂያ በኋላ የተመረጠውን ገጽ ተጠቃሚ አቅጣጫ አዙር.
DocType: Company,Existing Company,አሁን ያለው ኩባንያ
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",ሁሉም ንጥሎች ያልሆኑ የአክሲዮን ንጥሎች ናቸው ምክንያቱም የግብር ምድብ "ጠቅላላ" ወደ ተቀይሯል
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,የ CSV ፋይል ይምረጡ
DocType: Student Leave Application,Mark as Present,አቅርብ ምልክት አድርግበት
DocType: Purchase Order,To Receive and Bill,ይቀበሉ እና ቢል
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,ተለይተው የቀረቡ ምርቶች
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,ዕቅድ ሠሪ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,ዕቅድ ሠሪ
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,ውል እና ሁኔታዎች አብነት
DocType: Serial No,Delivery Details,የመላኪያ ዝርዝሮች
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},አይነት ወጪ ማዕከል ረድፍ ውስጥ ያስፈልጋል {0} ግብሮች ውስጥ ሰንጠረዥ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},አይነት ወጪ ማዕከል ረድፍ ውስጥ ያስፈልጋል {0} ግብሮች ውስጥ ሰንጠረዥ {1}
DocType: Program,Program Code,ፕሮግራም ኮድ
DocType: Terms and Conditions,Terms and Conditions Help,ውሎች እና ሁኔታዎች እገዛ
,Item-wise Purchase Register,ንጥል-ጥበብ የግዢ ይመዝገቡ
DocType: Batch,Expiry Date,የአገልግሎት ማብቂያ ጊዜ
-,Supplier Addresses and Contacts,አቅራቢው አድራሻዎች እና እውቂያዎች
,accounts-browser,መለያዎች-አሳሽ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,የመጀመሪያው ምድብ ይምረጡ
apps/erpnext/erpnext/config/projects.py +13,Project master.,ፕሮጀክት ዋና.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","የክምችት ቅንብሮች ወይም ንጥል ላይ "አበል" ማዘመን, አከፋፈል ላይ ወይም በላይ-ትዕዛዝን መፍቀድ."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","የክምችት ቅንብሮች ወይም ንጥል ላይ "አበል" ማዘመን, አከፋፈል ላይ ወይም በላይ-ትዕዛዝን መፍቀድ."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,ምንዛሬዎች ወደ ወዘተ $ እንደ ማንኛውም ምልክት ቀጥሎ አታሳይ.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(ግማሽ ቀን)
DocType: Supplier,Credit Days,የሥዕል ቀኖች
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,የተማሪ ባች አድርግ
DocType: Leave Type,Is Carry Forward,አስተላልፍ አኗኗራችሁ ነው
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,BOM ከ ንጥሎች ያግኙ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,BOM ከ ንጥሎች ያግኙ
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,ሰዓት ቀኖች ሊመራ
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},የረድፍ # {0}: ቀን መለጠፍ የግዢ ቀን ጋር ተመሳሳይ መሆን አለበት {1} ንብረት {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},የረድፍ # {0}: ቀን መለጠፍ የግዢ ቀን ጋር ተመሳሳይ መሆን አለበት {1} ንብረት {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,ከላይ በሰንጠረዡ ውስጥ የሽያጭ ትዕዛዞች ያስገቡ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,ደመወዝ ቡቃያ ገብቷል አይደለም
,Stock Summary,የአክሲዮን ማጠቃለያ
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,እርስ በርሳችሁ መጋዘን አንድ ንብረት ማስተላለፍ
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,እርስ በርሳችሁ መጋዘን አንድ ንብረት ማስተላለፍ
DocType: Vehicle,Petrol,ቤንዚን
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,ቁሳቁሶች መካከል ቢል
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},ረድፍ {0}: የድግስ ዓይነት እና ወገን የሚሰበሰብ / ሊከፈል መለያ ያስፈልጋል {1}
@@ -4567,6 +4599,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,ማዕቀብ መጠን
DocType: GL Entry,Is Opening,በመክፈት ላይ ነው
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},ረድፍ {0}: ዴት ግቤት ጋር ሊገናኝ አይችልም አንድ {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,መለያ {0} የለም
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,መለያ {0} የለም
DocType: Account,Cash,ጥሬ ገንዘብ
DocType: Employee,Short biography for website and other publications.,ድር ጣቢያ እና ሌሎች ጽሑፎች አጭር የሕይወት ታሪክ.
diff --git a/erpnext/translations/ar.csv b/erpnext/translations/ar.csv
index 37b43ae..1ead5c7 100644
--- a/erpnext/translations/ar.csv
+++ b/erpnext/translations/ar.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,المنتجات الاستهلاكية
DocType: Item,Customer Items,منتجات العميل
DocType: Project,Costing and Billing,التكلفة و الفواتير
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,الحساب {0}: حسابه الرئيسي {1} لا يمكنه أن يكون دفتر حسابات (دفتر أستاذ)
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,الحساب {0}: حسابه الرئيسي {1} لا يمكنه أن يكون دفتر حسابات (دفتر أستاذ)
DocType: Item,Publish Item to hub.erpnext.com,نشر البند إلى hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,إشعارات البريد الإلكتروني
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,تقييم
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,تقييم
DocType: Item,Default Unit of Measure,وحدة القياس الافتراضية
DocType: SMS Center,All Sales Partner Contact,بيانات الإتصال لكل الوكلاء و الموزعين
DocType: Employee,Leave Approvers,المخول بالموافقة على الإجازة
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),سعر الصرف يجب أن يكون نفس {0} {1} ({2})
DocType: Sales Invoice,Customer Name,اسم العميل
DocType: Vehicle,Natural Gas,غاز طبيعي
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},لا يمكن تسمية الحساب مصرفي ب {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},لا يمكن تسمية الحساب مصرفي ب {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,رؤساء (أو مجموعات) التي تتم ضد القيود المحاسبية ويتم الاحتفاظ التوازنات.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),غير المسددة ل {0} لا يمكن أن يكون أقل من الصفر ( {1} )
DocType: Manufacturing Settings,Default 10 mins,افتراضي 10 دقيقة
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,بيانات اتصال جميع الموردين
DocType: Support Settings,Support Settings,إعدادات الدعم
DocType: SMS Parameter,Parameter,المعلمة
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,يتوقع نهاية التاريخ لا يمكن أن يكون أقل من تاريخ بدء المتوقعة
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,يتوقع نهاية التاريخ لا يمكن أن يكون أقل من تاريخ بدء المتوقعة
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,الصف # {0}: تقييم يجب أن يكون نفس {1} {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,طلب إجازة جديدة
,Batch Item Expiry Status,دفعة وضع البند انتهاء الصلاحية
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,مسودة بنك
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,مسودة بنك
DocType: Mode of Payment Account,Mode of Payment Account,طريقة حساب الدفع
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,اظهار المتغيرات
DocType: Academic Term,Academic Term,الفصل الدراسي
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,مادة
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,كمية
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,جدول الحسابات لا يمكن أن يكون فارغا.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),القروض ( المطلوبات )
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),القروض ( المطلوبات )
DocType: Employee Education,Year of Passing,سنة التخرج
DocType: Item,Country of Origin,بلد المنشأ
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,في الأوراق المالية
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,في الأوراق المالية
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,القضايا المفتوحة
DocType: Production Plan Item,Production Plan Item,خطة إنتاج السلعة
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},المستخدم {0} تم تعيينه بالفعل إلى موظف {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,الرعاية الصحية
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),التأخير في الدفع (أيام)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,نفقات الخدمة
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},الرقم التسلسلي: {0} تم الإشارة إليه من قبل في فاتورة المبيعات: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},الرقم التسلسلي: {0} تم الإشارة إليه من قبل في فاتورة المبيعات: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,فاتورة
DocType: Maintenance Schedule Item,Periodicity,دورية
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,السنة المالية {0} مطلوب
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,الصف # {0}
DocType: Timesheet,Total Costing Amount,المبلغ الكلي التكاليف
DocType: Delivery Note,Vehicle No,السيارة لا
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,الرجاء اختيار قائمة الأسعار
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,الرجاء اختيار قائمة الأسعار
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,الصف # {0}: مطلوب وثيقة الدفع لإتمام trasaction
DocType: Production Order Operation,Work In Progress,التقدم في العمل
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,يرجى تحديد التاريخ
DocType: Employee,Holiday List,قائمة العطلات
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,محاسب
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,محاسب
DocType: Cost Center,Stock User,مخزون العضو
DocType: Company,Phone No,رقم الهاتف
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,جداول بالطبع خلق:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},الجديد {0} # {1}
,Sales Partners Commission,عمولة المناديب
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,الاختصار لا يمكن أن يكون أكثر من 5 أحرف
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,الاختصار لا يمكن أن يكون أكثر من 5 أحرف
DocType: Payment Request,Payment Request,طلب الدفع
DocType: Asset,Value After Depreciation,قيمة بعد الاستهلاك
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,تاريخ الحضور لا يمكن أن يكون أقل من تاريخ الانضمام الموظف
DocType: Grading Scale,Grading Scale Name,الدرجات اسم النطاق
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,هذا هو حساب الجذر والتي لا يمكن تحريرها.
+DocType: Sales Invoice,Company Address,عنوان الشركة
DocType: BOM,Operations,عمليات
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},لا يمكن تعيين إذن على أساس الخصم ل {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name",إرفاق ملف csv مع عمودين، واحدة للاسم القديم واحدة للاسم الجديد
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} غير موجود في أي سنة مالية نشطة.
DocType: Packed Item,Parent Detail docname,الأم تفاصيل docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",المرجع: {0}، رمز العنصر: {1} والعميل: {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,كجم
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,كجم
DocType: Student Log,Log,سجل
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,.فتح للحصول على وظيفة
DocType: Item Attribute,Increment,الزيادة
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,إعلان
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,يتم إدخال نفس الشركة أكثر من مرة
DocType: Employee,Married,متزوج
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},لا يجوز لل{0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},لا يجوز لل{0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,الحصول على البنود من
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},لا يمكن تحديث المخزون ضد تسليم مذكرة {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},لا يمكن تحديث المخزون ضد تسليم مذكرة {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},المنتج {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,لم يتم إدراج أية عناصر
DocType: Payment Reconciliation,Reconcile,توفيق
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,التاريخ التالي للأهلاك لا يمكن ان يكون قبل تاريخ الشراء
DocType: SMS Center,All Sales Person,كل مندوبى البيع
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** التوزيع الشهري ** يساعدك على توزيع الهدف أو الميزانية على مدى عدة شهور إذا كان لديك موسمية في عملك.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,لا وجدت وحدات
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,لا وجدت وحدات
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,هيكلية راتب مفقودة
DocType: Lead,Person Name,اسم الشخص
DocType: Sales Invoice Item,Sales Invoice Item,فاتورة مبيعات السلعة
DocType: Account,Credit,ائتمان
DocType: POS Profile,Write Off Cost Center,شطب مركز التكلفة
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",على سبيل المثال "المدرسة الابتدائية" أو "جامعة"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",على سبيل المثال "المدرسة الابتدائية" أو "جامعة"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,تقارير المخزون
DocType: Warehouse,Warehouse Detail,تفاصيل المستودع
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},وقد عبرت الحد الائتماني للعميل {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},وقد عبرت الحد الائتماني للعميل {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,تاريخ نهاية المدة لا يمكن أن يكون في وقت لاحق من تاريخ نهاية السنة للعام الدراسي الذي يرتبط مصطلح (السنة الأكاديمية {}). يرجى تصحيح التواريخ وحاول مرة أخرى.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""هل الأصول ثابتة"" لا يمكن إزالة اختياره, لأن سجل الأصول موجود ضد هذا البند"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""هل الأصول ثابتة"" لا يمكن إزالة اختياره, لأن سجل الأصول موجود ضد هذا البند"
DocType: Vehicle Service,Brake Oil,زيت الفرامل
DocType: Tax Rule,Tax Type,نوع الضريبة
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},غير مصرح لك لإضافة أو تحديث الإدخالات قبل {0}
DocType: BOM,Item Image (if not slideshow),صورة البند (إن لم يكن عرض الشرائح)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,موجود على العملاء مع نفس الاسم
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(سعر الساعة / 60) * وقت العمل الفعلي
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,حدد مكتب الإدارة
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,حدد مكتب الإدارة
DocType: SMS Log,SMS Log,SMS سجل رسائل
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,تكلفة البنود المسلمة
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,عطلة على {0} ليست بين من تاريخ وإلى تاريخ
@@ -159,13 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},من {0} إلى {1}
DocType: Item,Copy From Item Group,نسخة من المجموعة السلعة
DocType: Journal Entry,Opening Entry,فتح دخول
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,العميل> مجموعة العملاء> الإقليم
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,حساب لدفع فقط
DocType: Employee Loan,Repay Over Number of Periods,سداد أكثر من عدد فترات
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1}لم يسجل التحديد {2}
DocType: Stock Entry,Additional Costs,تكاليف إضافية
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,لا يمكن تحويل حساب جرت عليه أي عملية إلى مجموعة.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,لا يمكن تحويل حساب جرت عليه أي عملية إلى مجموعة.
DocType: Lead,Product Enquiry,الإستفسار عن المنتج
DocType: Academic Term,Schools,مرفق تعليمي
+DocType: School Settings,Validate Batch for Students in Student Group,التحقق من صحة الدفعة للطلاب في مجموعة الطلاب
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},لا يوجد سجل إجازة تم العثور عليه للموظف {0} في {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,فضلا ادخل الشركة اولا
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,يرجى تحديد الشركة أولا
@@ -174,49 +176,49 @@
DocType: BOM,Total Cost,التكلفة الكلية لل
DocType: Journal Entry Account,Employee Loan,قرض الموظف
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,:سجل النشاط
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,البند {0} غير موجود في النظام أو قد انتهت صلاحيتها
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,البند {0} غير موجود في النظام أو قد انتهت صلاحيتها
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,العقارات
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,كشف حساب
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,الصيدلة
DocType: Purchase Invoice Item,Is Fixed Asset,هو الأصول الثابتة
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}",الكمية المتوفرة {0}، تحتاج {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}",الكمية المتوفرة {0}، تحتاج {1}
DocType: Expense Claim Detail,Claim Amount,المطالبة المبلغ
-DocType: Employee,Mr,السيد
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,مجموعة العملاء مكررة موجودة في جدول المجموعة كوتومير
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,المورد نوع / المورد
DocType: Naming Series,Prefix,بادئة
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,الاستهلاكية
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,الاستهلاكية
DocType: Employee,B-,ب-
DocType: Upload Attendance,Import Log,سجل الادخالات
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,سحب المواد طلب من نوع صناعة بناء على المعايير المذكورة أعلاه
DocType: Training Result Employee,Grade,درجة
DocType: Sales Invoice Item,Delivered By Supplier,سلمت من قبل المورد
DocType: SMS Center,All Contact,جميع الاتصالات
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,أمر الإنتاج التي تم إنشاؤها بالفعل لجميع البنود مع مكتب الإدارة
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,الراتب السنوي
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,أمر الإنتاج التي تم إنشاؤها بالفعل لجميع البنود مع مكتب الإدارة
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,الراتب السنوي
DocType: Daily Work Summary,Daily Work Summary,ملخص العمل اليومي
DocType: Period Closing Voucher,Closing Fiscal Year,إغلاق السنة المالية
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} غير المجمدة
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,يرجى تحديد الشركة الحالية لإنشاء مخطط الحسابات
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,مصاريف المخزون
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} غير المجمدة
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,يرجى تحديد الشركة الحالية لإنشاء مخطط الحسابات
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,مصاريف المخزون
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,حدد مستودع الهدف
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,الرجاء إدخال البريد الإلكتروني لجهة الاتصال المفضلة
+DocType: Program Enrollment,School Bus,باص المدرسة
DocType: Journal Entry,Contra Entry,الدخول كونترا
DocType: Journal Entry Account,Credit in Company Currency,المدين في عملة الشركة
DocType: Delivery Note,Installation Status,حالة تثبيت
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",هل تريد تحديث الحضور؟ <br> الحاضر: {0} \ <br> غائبة: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},الكمية المقبولة + المرفوضة يجب أن تساوي الكمية المستلمة من الصنف {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},الكمية المقبولة + المرفوضة يجب أن تساوي الكمية المستلمة من الصنف {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,توريد مواد خام للشراء
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,مطلوب واسطة واحدة على الأقل من دفع لنقاط البيع فاتورة.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,مطلوب واسطة واحدة على الأقل من دفع لنقاط البيع فاتورة.
DocType: Products Settings,Show Products as a List,عرض المنتجات كقائمة
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","تنزيل نموذج، وملء البيانات المناسبة وإرفاق الملف المعدل.
جميع التواريخ والموظف المجموعة في الفترة المختارة سيأتي في النموذج، مع سجلات الحضور القائمة"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,البند {0} غير نشط أو تم التوصل إلى نهاية الحياة
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,على سبيل المثال: الرياضيات الأساسية
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",ل تشمل الضريبة في الصف {0} في معدل الإغلاق ، {1} ويجب أيضا تضمين الضرائب في الصفوف
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,البند {0} غير نشط أو تم التوصل إلى نهاية الحياة
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,على سبيل المثال: الرياضيات الأساسية
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",ل تشمل الضريبة في الصف {0} في معدل الإغلاق ، {1} ويجب أيضا تضمين الضرائب في الصفوف
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,إعدادات وحدة الموارد البشرية
DocType: SMS Center,SMS Center,مركز رسائل SMS
DocType: Sales Invoice,Change Amount,تغيير المبلغ
@@ -226,7 +228,7 @@
DocType: Lead,Request Type,طلب نوع
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,أنشئ موظف
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,إذاعة
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,إعدام
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,إعدام
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,حملت تفاصيل العمليات بها.
DocType: Serial No,Maintenance Status,حالة الصيانة
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: مطلوب مزود ضد حسابات المدفوعات {2}
@@ -254,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,طلب للحصول على الاقتباس يمكن الوصول إليها من خلال النقر على الرابط التالي
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,تخصيص الاجازات لهذا العام.
DocType: SG Creation Tool Course,SG Creation Tool Course,سان جرمان إنشاء ملعب أداة
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,المالية غير كافية
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,المالية غير كافية
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,تعطيل تخطيط القدرات وتتبع الوقت
DocType: Email Digest,New Sales Orders,أوامر المبيعات الجديدة
DocType: Bank Guarantee,Bank Account,الحساب المصرفي
@@ -265,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log',"تحديث عبر 'وقت دخول """
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},الدفعة المقدمة لا يمكن أن تكون أكبر من {0} {1}
DocType: Naming Series,Series List for this Transaction,قائمة متسلسلة لهذه العملية
+DocType: Company,Enable Perpetual Inventory,تمكين المخزون الدائم
DocType: Company,Default Payroll Payable Account,حساب مدفوعات المرتب المعتاد
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,تحديث البريد الإلكتروني من مجموعة
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,تحديث البريد الإلكتروني من مجموعة
DocType: Sales Invoice,Is Opening Entry,تم افتتاح الدخول
DocType: Customer Group,Mention if non-standard receivable account applicable,أذكر إذا غير القياسية حساب القبض ينطبق
DocType: Course Schedule,Instructor Name,اسم المدرب
@@ -278,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,مقابل فاتورة المبيعات
,Production Orders in Progress,أوامر الإنتاج في التقدم
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,صافي النقد من التمويل
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save",التخزين المحلي كامل، لم ينقذ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save",التخزين المحلي كامل، لم ينقذ
DocType: Lead,Address & Contact,معلومات الاتصال والعنوان
DocType: Leave Allocation,Add unused leaves from previous allocations,إضافة الاجازات غير المستخدمة من المخصصات السابقة
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},المتكرر التالي {0} سيتم إنشاؤها على {1}
DocType: Sales Partner,Partner website,موقع الشريك
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,اضافة عنصر
-,Contact Name,اسم جهة الاتصال
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,اسم جهة الاتصال
DocType: Course Assessment Criteria,Course Assessment Criteria,معايير تقييم دورة
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,أنشئ كشف رواتب للمعايير المذكورة أعلاه.
DocType: POS Customer Group,POS Customer Group,المجموعة العملاء POS
@@ -293,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,لا يوجد وصف معين
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,طلب للشراء.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,ويستند هذا على جداول زمنية خلق ضد هذا المشروع
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,صافي الأجور لا يمكن أن يكون أقل من 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,صافي الأجور لا يمكن أن يكون أقل من 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,فقط الموافق علي الإجاز المختار يمكنه الموافقة علي طلب إيجازة
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,تاريخ المغادرة يجب أن يكون أكبر من تاريخ الالتحاق بالعمل
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,الإجازات في السنة
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,الإجازات في السنة
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"صف {0}: يرجى التحقق ""هل المسبق ضد حساب {1} إذا كان هذا هو إدخال مسبق."
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},مستودع {0} لا تنتمي إلى شركة {1}
DocType: Email Digest,Profit & Loss,خسارة الأرباح
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,لتر
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,لتر
DocType: Task,Total Costing Amount (via Time Sheet),إجمالي حساب التكاليف المبلغ (عبر ورقة الوقت)
DocType: Item Website Specification,Item Website Specification,البند مواصفات الموقع
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,إجازة محظورة
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},البند {0} قد بلغ نهايته من الحياة على {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},البند {0} قد بلغ نهايته من الحياة على {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,مدخلات البنك
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,سنوي
DocType: Stock Reconciliation Item,Stock Reconciliation Item,جرد عناصر المخزون
@@ -312,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,الحد الأدنى من ترتيب الكمية
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,دورة المجموعة الطلابية أداة الخلق
DocType: Lead,Do Not Contact,عدم الاتصال
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,الناس الذين يعلمون في مؤسستك
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,الناس الذين يعلمون في مؤسستك
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,المعرف الفريد لتتبع جميع الفواتير المتكررة. يتم إنشاؤها على تقديم.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,البرنامج المطور
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,البرنامج المطور
DocType: Item,Minimum Order Qty,الحد الأدنى لطلب الكمية
DocType: Pricing Rule,Supplier Type,المورد نوع
DocType: Course Scheduling Tool,Course Start Date,بالطبع تاريخ بدء
@@ -323,11 +326,11 @@
DocType: Item,Publish in Hub,نشر في المحور
DocType: Student Admission,Student Admission,قبول الطلاب
,Terretory,إقليم
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,البند {0} تم إلغاء
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,البند {0} تم إلغاء
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,طلب المواد
DocType: Bank Reconciliation,Update Clearance Date,تحديث تاريخ التخليص
DocType: Item,Purchase Details,تفاصيل شراء
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"الصنف {0} غير موجودة في ""مواد الخام المتوفره"" الجدول في أمر الشراء {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"الصنف {0} غير موجودة في ""مواد الخام المتوفره"" الجدول في أمر الشراء {1}"
DocType: Employee,Relation,علاقة
DocType: Shipping Rule,Worldwide Shipping,الشحن في جميع أنحاء العالم
DocType: Student Guardian,Mother,أم
@@ -346,6 +349,7 @@
DocType: Student Group Student,Student Group Student,مجموعة طالب طالب
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,آخر
DocType: Vehicle Service,Inspection,تفتيش
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,قائمة
DocType: Email Digest,New Quotations,تسعيرات جديدة
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,ارسال كشف الراتب إلي البريد الاكتروني المفضل من قبل الموظف
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,سيتم تعيين أول المخول بالموافقة على الإجازة في القائمة علي انه الافتراضي
@@ -354,20 +358,20 @@
DocType: Asset,Next Depreciation Date,الاستهلاك المقبل التاريخ
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,النشاط التكلفة لكل موظف
DocType: Accounts Settings,Settings for Accounts,إعدادات الحسابات
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},المورد فاتورة لا يوجد في شراء الفاتورة {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},المورد فاتورة لا يوجد في شراء الفاتورة {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,ادارة شجرة رجل المبيعات
DocType: Job Applicant,Cover Letter,محتويات الرسالة المرفقة
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,الشيكات المعلقة والودائع لمسح
DocType: Item,Synced With Hub,مزامن مع المحور
DocType: Vehicle,Fleet Manager,مدير القافلة
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},صف # {0}: {1} لا يمكن أن يكون سلبيا لمادة {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,كلمة مرور خاطئة
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,كلمة مرور خاطئة
DocType: Item,Variant Of,البديل من
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',"الكمية المنتهية لا يمكن أن تكون أكبر من ""كمية لتصنيع"""
DocType: Period Closing Voucher,Closing Account Head,اقفال حساب المركز الرئيسي
DocType: Employee,External Work History,تاريخ العمل الخارجي
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,خطأ مرجع دائري
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,اسم Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,اسم Guardian1
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,وبعبارة (تصدير) أن تكون واضحة مرة واحدة قمت بحفظ ملاحظة التسليم.
DocType: Cheque Print Template,Distance from left edge,المسافة من الحافة اليسرى
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} وحدات من [{1}] (# نموذج / البند / {1}) وجدت في [{2}] (# نموذج / مستودع / {2})
@@ -376,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,إبلاغ عن طريق البريد الإلكتروني على خلق مادة التلقائي طلب
DocType: Journal Entry,Multi Currency,متعدد العملات
DocType: Payment Reconciliation Invoice,Invoice Type,نوع الفاتورة
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,ملاحظة التسليم
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,ملاحظة التسليم
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,إعداد الضرائب
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,تكلفة الأصول المباعة
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,لقد تم تعديل دفع الدخول بعد سحبها. يرجى تسحبه مرة أخرى.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} دخلت مرتين في ضريبة الصنف
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,لقد تم تعديل دفع الدخول بعد سحبها. يرجى تسحبه مرة أخرى.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} دخلت مرتين في ضريبة الصنف
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,ملخص لهذا الأسبوع والأنشطة المعلقة
DocType: Student Applicant,Admitted,قُبل
DocType: Workstation,Rent Cost,الإيجار التكلفة
@@ -398,25 +402,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"الرجاء إدخال ' كرر في يوم من الشهر "" قيمة الحقل"
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,المعدل الذي يتم تحويل العملة إلى عملة الأساس العملاء العميل
DocType: Course Scheduling Tool,Course Scheduling Tool,أداة جدولة بالطبع
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},الصف # {0}: لا يمكن أن يتم شراء فاتورة مقابل الأصول الموجودة {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},الصف # {0}: لا يمكن أن يتم شراء فاتورة مقابل الأصول الموجودة {1}
DocType: Item Tax,Tax Rate,ضريبة
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} مخصصة أصلا للموظف {1} للفترة من {2} إلى {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,اختر البند
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,فاتورة الشراء {0} تم ترحيلها من قبل
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,فاتورة الشراء {0} تم ترحيلها من قبل
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},الصف # {0}: لا دفعة ويجب أن يكون نفس {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,تحويل لغير المجموعه
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,رقم المجموعة للصنف
DocType: C-Form Invoice Detail,Invoice Date,تاريخ الفاتورة
DocType: GL Entry,Debit Amount,قيمة الخصم
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},يمكن أن يكون هناك سوى 1 في حساب الشركة في {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,يرجى الإطلاع على المرفقات
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},يمكن أن يكون هناك سوى 1 في حساب الشركة في {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,يرجى الإطلاع على المرفقات
DocType: Purchase Order,% Received,تم استلام٪
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,إنشاء مجموعات الطلاب
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,الإعداد الكامل بالفعل !
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,ملاحظة الائتمان المبلغ
,Finished Goods,السلع تامة الصنع
DocType: Delivery Note,Instructions,تعليمات
DocType: Quality Inspection,Inspected By,تفتيش من قبل
DocType: Maintenance Visit,Maintenance Type,صيانة نوع
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} غير مسجل في الدورة التدريبية {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},رقم المسلسل {0} لا تنتمي إلى التسليم ملاحظة {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext تجريبي
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,إضافة عناصر
@@ -437,7 +443,7 @@
DocType: Request for Quotation,Request for Quotation,طلب للحصول على الاقتباس
DocType: Salary Slip Timesheet,Working Hours,ساعات العمل
DocType: Naming Series,Change the starting / current sequence number of an existing series.,تغيير رقم تسلسل بدء / الحالي من سلسلة الموجودة.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,إنشاء العملاء جديد
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,إنشاء العملاء جديد
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",إذا استمرت قواعد التسعير متعددة أن تسود، يطلب من المستخدمين تعيين الأولوية يدويا لحل الصراع.
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,إنشاء أوامر الشراء
,Purchase Register,سجل شراء
@@ -449,7 +455,7 @@
DocType: Student Log,Medical,طبي
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,السبب لفقدان
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,قيادي المالك لا يمكن أن يكون نفس الرصاص
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,المبلغ المخصص لا يمكن ان يكون أكبر من القيمة غير المعدلة
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,المبلغ المخصص لا يمكن ان يكون أكبر من القيمة غير المعدلة
DocType: Announcement,Receiver,المتلقي
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},مغلق محطة العمل في التواريخ التالية وفقا لقائمة عطلة: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,الفرص
@@ -463,8 +469,7 @@
DocType: Assessment Plan,Examiner Name,اسم الفاحص
DocType: Purchase Invoice Item,Quantity and Rate,كمية وقيم
DocType: Delivery Note,% Installed,٪ تم تثبيت
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,الفصول الدراسية / مختبرات الخ حيث يمكن جدولة المحاضرات.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,المورد> المورد نوع
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,الفصول الدراسية / مختبرات الخ حيث يمكن جدولة المحاضرات.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,فضلا ادخل اسم الشركة اولا
DocType: Purchase Invoice,Supplier Name,اسم المورد
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,قراءة دليل ERPNext
@@ -474,7 +479,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,الاختيار فاتورة المورد عدد تفرد
DocType: Vehicle Service,Oil Change,تغيير زيت
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','الى الحالة رقم' لا يمكن أن يكون أقل من 'من الحالة رقم'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,غير ربحي
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,غير ربحي
DocType: Production Order,Not Started,لم تبدأ
DocType: Lead,Channel Partner,شريك القناة
DocType: Account,Old Parent,العمر الرئيسي
@@ -484,19 +489,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,إعدادات العالمية لجميع عمليات التصنيع.
DocType: Accounts Settings,Accounts Frozen Upto,حسابات مجمدة حتى
DocType: SMS Log,Sent On,ارسلت في
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,السمة {0} اختيار عدة مرات في سمات الجدول
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,السمة {0} اختيار عدة مرات في سمات الجدول
DocType: HR Settings,Employee record is created using selected field. ,يتم إنشاء سجل الموظف باستخدام الحقل المحدد.
DocType: Sales Order,Not Applicable,لا ينطبق
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,العطلة الرئيسية
DocType: Request for Quotation Item,Required Date,تاريخ المطلوبة
DocType: Delivery Note,Billing Address,عنوان الفواتير
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,الرجاء إدخال رمز المدينة .
DocType: BOM,Costing,تكلف
DocType: Tax Rule,Billing County,إقليم الفواتير
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount",إذا كانت محددة، سيتم النظر في مقدار ضريبة كمدرجة بالفعل في قيم الطباعة / مقدار الطباعة
DocType: Request for Quotation,Message for Supplier,رسالة لمزود
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,إجمالي الكمية
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 معرف البريد الإلكتروني
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 معرف البريد الإلكتروني
DocType: Item,Show in Website (Variant),مشاهدة في موقع (البديل)
DocType: Employee,Health Concerns,شؤون صحية
DocType: Process Payroll,Select Payroll Period,تحديد فترة دفع الرواتب
@@ -514,25 +518,27 @@
DocType: Sales Order Item,Used for Production Plan,تستخدم لخطة الإنتاج
DocType: Employee Loan,Total Payment,إجمالي الدفعة
DocType: Manufacturing Settings,Time Between Operations (in mins),الوقت بين العمليات (في دقيقة)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} يتم إلغاؤه حتى لا يمكن إكمال الإجراء
DocType: Customer,Buyer of Goods and Services.,المشتري من السلع والخدمات.
DocType: Journal Entry,Accounts Payable,ذمم دائنة
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,وBOMs المختارة ليست لنفس البند
DocType: Pricing Rule,Valid Upto,صالحة لغاية
DocType: Training Event,Workshop,ورشة عمل
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,قائمة قليلة من الزبائن. يمكن أن تكون المنظمات أو الأفراد.
-,Enough Parts to Build,يكفي لبناء أجزاء
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,الدخل المباشر
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,قائمة قليلة من الزبائن. يمكن أن تكون المنظمات أو الأفراد.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,يكفي لبناء أجزاء
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,الدخل المباشر
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account",لا يمكن اعتماد الفلتره علي الحساب في حالة انه مجمع الحساب
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,موظف إداري
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,الرجاء تحديد الدورة التدريبية
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,موظف إداري
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,الرجاء تحديد الدورة التدريبية
DocType: Timesheet Detail,Hrs,ساعات
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,يرجى تحديد الشركة
DocType: Stock Entry Detail,Difference Account,حساب الفرق
+DocType: Purchase Invoice,Supplier GSTIN,مورد غستين
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,لا يمكن عمل أقرب لم يتم إغلاق المهمة التابعة لها {0}.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,من فضلك ادخل مستودع لل والتي سيتم رفع طلب المواد
DocType: Production Order,Additional Operating Cost,تكاليف تشغيل اضافية
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,مستحضرات التجميل
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items",لدمج ، يجب أن يكون نفس الخصائص التالية ل كلا البندين
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items",لدمج ، يجب أن يكون نفس الخصائص التالية ل كلا البندين
DocType: Shipping Rule,Net Weight,الوزن الصافي
DocType: Employee,Emergency Phone,الهاتف في حالات الطوارئ
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,يشترى
@@ -541,14 +547,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,يرجى تحديد الدرجة لعتبة 0٪
DocType: Sales Order,To Deliver,لتسليم
DocType: Purchase Invoice Item,Item,بند
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,المسلسل أي بند لا يمكن أن يكون جزء
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,المسلسل أي بند لا يمكن أن يكون جزء
DocType: Journal Entry,Difference (Dr - Cr),الفرق ( الدكتور - الكروم )
DocType: Account,Profit and Loss,الربح والخسارة
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,إدارة التعاقد من الباطن
DocType: Project,Project will be accessible on the website to these users,والمشروع أن تكون متاحة على الموقع الإلكتروني لهؤلاء المستخدمين
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,المعدل الذي يتم تحويل سعر العملة العملة الأساسية القائمة لشركة
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},الحساب {0} لا ينتمي للشركة: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,هذا الاختصار تم استخدامه بالفعل لشركة أخرى
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},الحساب {0} لا ينتمي للشركة: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,هذا الاختصار تم استخدامه بالفعل لشركة أخرى
DocType: Selling Settings,Default Customer Group,المجموعة الافتراضية العملاء
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction",إذا تعطيل، 'مدور المشاركات "سيتم الميدان لا تكون مرئية في أي صفقة
DocType: BOM,Operating Cost,تكاليف التشغيل
@@ -556,7 +562,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,الاضافة لا يمكن أن يكون 0
DocType: Production Planning Tool,Material Requirement,متطلبات المواد
DocType: Company,Delete Company Transactions,حذف المعاملات الشركة
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,إشارة لا ومرجعية التسجيل إلزامي لالمعاملات المصرفية
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,إشارة لا ومرجعية التسجيل إلزامي لالمعاملات المصرفية
DocType: Purchase Receipt,Add / Edit Taxes and Charges,إضافة / تعديل الضرائب والرسوم
DocType: Purchase Invoice,Supplier Invoice No,رقم فاتورة المورد
DocType: Territory,For reference,للرجوع إليها
@@ -567,22 +573,22 @@
DocType: Installation Note Item,Installation Note Item,ملاحظة تثبيت الإغلاق
DocType: Production Plan Item,Pending Qty,الكمية التي قيد الانتظار
DocType: Budget,Ignore,تجاهل
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} غير نشطة
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} غير نشطة
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},رسائل SMS أرسلت الى الارقام التالية: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,أبعاد الاختيار الإعداد للطباعة
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,أبعاد الاختيار الإعداد للطباعة
DocType: Salary Slip,Salary Slip Timesheet,كشف راتب معتمد علي سجل التوقيت
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,المورد مستودع إلزامية ل إيصال الشراء التعاقد من الباطن
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,المورد مستودع إلزامية ل إيصال الشراء التعاقد من الباطن
DocType: Pricing Rule,Valid From,صالحة من
DocType: Sales Invoice,Total Commission,مجموع العمولة
DocType: Pricing Rule,Sales Partner,شريك المبيعات
DocType: Buying Settings,Purchase Receipt Required,مطلوب إيصال الشراء
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,تقييم أسعار إلزامي إذا فتح المخزون دخل
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,تقييم أسعار إلزامي إذا فتح المخزون دخل
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,لا توجد في جدول الفاتورة السجلات
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,يرجى تحديد الشركة وحزب النوع الأول
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,السنة المالية / المحاسبة.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,السنة المالية / المحاسبة.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,القيم المتراكمة
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged",عذراَ ، ارقام المسلسل لا يمكن دمجها
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,أنشئ طلب بيع
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,أنشئ طلب بيع
DocType: Project Task,Project Task,عمل مشروع
,Lead Id,معرف مبادرة البيع
DocType: C-Form Invoice Detail,Grand Total,المجموع الإجمالي
@@ -599,7 +605,7 @@
DocType: Job Applicant,Resume Attachment,السيرة الذاتية
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,العملاء المكررين
DocType: Leave Control Panel,Allocate,تخصيص
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,مبيعات المعاده
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,مبيعات المعاده
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,ملاحظة: مجموع الاجازات المخصصة {0} لا ينبغي أن يكون أقل من الاجازات الموافق عليها {1} للفترة
DocType: Announcement,Posted By,منشور من طرف
DocType: Item,Delivered by Supplier (Drop Ship),سلمت من قبل مزود (هبوط السفينة)
@@ -609,8 +615,8 @@
DocType: Quotation,Quotation To,تسعيرة إلى
DocType: Lead,Middle Income,الدخل المتوسط
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),افتتاح (الكروم )
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,وحدة القياس الافتراضية للالبند {0} لا يمكن تغيير مباشرة لأنك قدمت بالفعل بعض المعاملات (s) مع UOM آخر. سوف تحتاج إلى إنشاء عنصر جديد لاستخدام افتراضي مختلف UOM.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,المبلغ المخصص لا يمكن أن تكون سلبية
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,وحدة القياس الافتراضية للالبند {0} لا يمكن تغيير مباشرة لأنك قدمت بالفعل بعض المعاملات (s) مع UOM آخر. سوف تحتاج إلى إنشاء عنصر جديد لاستخدام افتراضي مختلف UOM.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,المبلغ المخصص لا يمكن أن تكون سلبية
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,يرجى تعيين الشركة
DocType: Purchase Order Item,Billed Amt,فوترة AMT
DocType: Training Result Employee,Training Result Employee,نتيجة تدريب الموظفين
@@ -622,7 +628,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,اختار الحساب الذي سوف تدفع منه
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll",إنشاء سجلات الموظفين لإدارة الإجازات ، ومطالبات النفقات والرواتب
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,إضافة إلى قاعدة المعارف
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,الكتابة الاقتراح
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,الكتابة الاقتراح
DocType: Payment Entry Deduction,Payment Entry Deduction,دفع الاشتراك خصم
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,شخص آخر مبيعات {0} موجود مع نفس الرقم الوظيفي
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests",إذا تحققت، والمواد الخام للعناصر التي هي ستدرج في طلبات المواد المتعاقد عليها دون
@@ -636,7 +642,7 @@
DocType: Timesheet,Billed,توصف
DocType: Batch,Batch Description,دفعة الوصف
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,إنشاء مجموعات الطلاب
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.",حساب بوابة الدفع غير مخلوق، يرجى إنشاء واحد يدويا.
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.",حساب بوابة الدفع غير مخلوق، يرجى إنشاء واحد يدويا.
DocType: Sales Invoice,Sales Taxes and Charges,الضرائب على المبيعات والرسوم
DocType: Employee,Organization Profile,ملف المؤسسة
DocType: Student,Sibling Details,تفاصيل الأخوة
@@ -658,11 +664,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,صافي التغير في المخزون
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,لجنة ادارة قرض الموظف
DocType: Employee,Passport Number,رقم جواز السفر
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,العلاقة مع Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,مدير
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,العلاقة مع Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,مدير
DocType: Payment Entry,Payment From / To,الدفع من / إلى
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},الحد الائتماني الجديد هو أقل من المبلغ المستحق الحالي للعميل. الحد الائتماني يجب أن يكون أتلست {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,تم إدخال البند نفسه عدة مرات.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},الحد الائتماني الجديد هو أقل من المبلغ المستحق الحالي للعميل. الحد الائتماني يجب أن يكون أتلست {0}
DocType: SMS Settings,Receiver Parameter,معامل المستقبل
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,""" بناء على "" و "" مجمع بــ ' لا يمكن أن يتطابقا"
DocType: Sales Person,Sales Person Targets,اهداف رجل المبيعات
@@ -671,8 +676,9 @@
DocType: Issue,Resolution Date,تاريخ القرار
DocType: Student Batch Name,Batch Name,اسم دفعة
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,الجدول الزمني الانشاء:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},الرجاء تعيين النقدية الافتراضي أو حساب مصرفي في طريقة الدفع {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},الرجاء تعيين النقدية الافتراضي أو حساب مصرفي في طريقة الدفع {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,تسجل
+DocType: GST Settings,GST Settings,إعدادات غست
DocType: Selling Settings,Customer Naming By,تسمية العملاء بواسطة
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,سوف تظهر الطالب كما موجود في طالب تقرير الحضور الشهري
DocType: Depreciation Schedule,Depreciation Amount,انخفاض قيمة المبلغ
@@ -694,6 +700,7 @@
DocType: Item,Material Transfer,لنقل المواد
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),افتتاح ( الدكتور )
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},يجب أن يكون الطابع الزمني بالإرسال بعد {0}
+,GST Itemised Purchase Register,غست موزعة شراء سجل
DocType: Employee Loan,Total Interest Payable,مجموع الفائدة الواجب دفعها
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,الضرائب التكلفة هبطت والرسوم
DocType: Production Order Operation,Actual Start Time,الفعلي وقت البدء
@@ -720,10 +727,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
DocType: Account,Accounts,حسابات
DocType: Vehicle,Odometer Value (Last),قيمة عداد المسافات (الأخيرة)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,تسويق
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,تسويق
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,يتم إنشاء دفع الاشتراك بالفعل
DocType: Purchase Receipt Item Supplied,Current Stock,المخزون الحالية
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},الصف # {0}: الأصول {1} لا ترتبط البند {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},الصف # {0}: الأصول {1} لا ترتبط البند {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,معاينة كشف الراتب
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,الحساب {0} تم إدخاله عدة مرات
DocType: Account,Expenses Included In Valuation,النفقات المشملة في التقييم
@@ -731,7 +738,7 @@
,Absent Student Report,تقرير طالب متغيب
DocType: Email Digest,Next email will be sent on:,سيتم إرسال البريد الإلكتروني التالي على:
DocType: Offer Letter Term,Offer Letter Term,تقديم رسالة الأجل
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,البند لديه المتغيرات.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,البند لديه المتغيرات.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,البند {0} لم يتم العثور على
DocType: Bin,Stock Value,قيمة المخزون
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,الشركة ليست موجوده {0}
@@ -740,7 +747,7 @@
DocType: Serial No,Warranty Expiry Date,ضمان تاريخ الانتهاء
DocType: Material Request Item,Quantity and Warehouse,الكمية والنماذج
DocType: Sales Invoice,Commission Rate (%),نسبة العمولة (٪)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,يرجى تحديد البرنامج
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,يرجى تحديد البرنامج
DocType: Project,Estimated Cost,التكلفة التقديرية
DocType: Purchase Order,Link to material requests,رابط لطلبات المادية
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,الفضاء
@@ -754,14 +761,14 @@
DocType: Purchase Order,Supply Raw Materials,توريد المواد الخام
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,التاريخ الذي سيتم إنشاء الفاتورة القادمة. يتم إنشاؤها على تقديم.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,الموجودات المتداولة
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} ليس من نوع المخزون
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} ليس من نوع المخزون
DocType: Mode of Payment Account,Default Account,الافتراضي حساب
DocType: Payment Entry,Received Amount (Company Currency),تلقى المبلغ (شركة العملات)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,يجب تحديد مبادرة البيع اذ كانة فرصة البيع من مبادرة بيع
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,الرجاء اختيار يوم عطلة أسبوعي
DocType: Production Order Operation,Planned End Time,وقت الانتهاء المخطط له
,Sales Person Target Variance Item Group-Wise,الشخص المبيعات المستهدفة الفرق البند المجموعة الحكيم
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,لا يمكن تحويل حساب جرت عليه أي عملية إلى حساب أستاذ (دفتر أستاذ)
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,لا يمكن تحويل حساب جرت عليه أي عملية إلى حساب أستاذ (دفتر أستاذ)
DocType: Delivery Note,Customer's Purchase Order No,رقم امر الشراء العميل
DocType: Budget,Budget Against,الميزانية ضد
DocType: Employee,Cell Number,رقم الهاتف
@@ -773,15 +780,13 @@
DocType: Opportunity,Opportunity From,فرصة من
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,بيان الراتب الشهري.
DocType: BOM,Website Specifications,موقع المواصفات
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,يرجى إعداد سلسلة الترقيم للحضور عن طريق الإعداد> سلسلة الترقيم
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: من {0} النوع {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,الصف {0}: تحويل عامل إلزامي
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,الصف {0}: تحويل عامل إلزامي
DocType: Employee,A+,أ+
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",قواعد الأسعار متعددة موجود مع نفس المعايير، يرجى حل النزاع عن طريق تعيين الأولوية. قواعد السعر: {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,لا يمكن إيقاف أو إلغاء BOM كما أنه مرتبط مع BOMs أخرى
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",قواعد الأسعار متعددة موجود مع نفس المعايير، يرجى حل النزاع عن طريق تعيين الأولوية. قواعد السعر: {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,لا يمكن إيقاف أو إلغاء BOM كما أنه مرتبط مع BOMs أخرى
DocType: Opportunity,Maintenance,صيانة
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},عدد الشراء استلام المطلوبة القطعة ل {0}
DocType: Item Attribute Value,Item Attribute Value,البند قيمة السمة
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,حملات المبيعات
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,أنشئ جدول زمني
@@ -833,29 +838,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},الأصول ألغت عبر إدخال دفتر اليومية {0}
DocType: Employee Loan,Interest Income Account,حساب الدخل من الفائدة
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,التكنولوجيا الحيوية
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,مصاريف صيانة المكاتب
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,مصاريف صيانة المكاتب
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,إعداد حساب بريد إلكتروني
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,الرجاء إدخال العنصر الأول
DocType: Account,Liability,مسئولية
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,لا يمكن أن يكون المبلغ الموافق عليه أكبر من مبلغ المطالبة في الصف {0}.
DocType: Company,Default Cost of Goods Sold Account,الحساب الافتراضي لتكلفة البضائع المباعة
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,قائمة الأسعار غير محددة
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,قائمة الأسعار غير محددة
DocType: Employee,Family Background,معلومات عن العائلة
DocType: Request for Quotation Supplier,Send Email,إرسال بريد الإلكتروني
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},تحذير: مرفق غير صالح {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},تحذير: مرفق غير صالح {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,لا يوجد تصريح
DocType: Company,Default Bank Account,حساب البنك الافتراضي
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",لتصفية استنادا الحزب، حدد حزب النوع الأول
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"الأوراق المالية التحديث" لا يمكن التحقق من أنه لم يتم تسليم المواد عن طريق {0}
DocType: Vehicle,Acquisition Date,تاريخ الاكتساب
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,غ
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,غ
DocType: Item,Items with higher weightage will be shown higher,سيتم عرض البنود مع أعلى الترجيح أعلى
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,تفاصيل تسوية البنك
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,الصف # {0}: الأصول {1} يجب أن تقدم
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,الصف # {0}: الأصول {1} يجب أن تقدم
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,لا يوجد موظف
DocType: Supplier Quotation,Stopped,توقف
DocType: Item,If subcontracted to a vendor,إذا الباطن للبائع
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,تم تحديث مجموعة الطلاب بالفعل.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,تم تحديث مجموعة الطلاب بالفعل.
DocType: SMS Center,All Customer Contact,جميع العملاء الاتصال
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,تحميل المال عن طريق التوازن CSV.
DocType: Warehouse,Tree Details,تفاصيل شجرة
@@ -867,13 +872,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: مركز التكلفة {2} لا تنتمي إلى شركة {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: الحساب {2} لا يمكن أن تكون المجموعة
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,البند الصف {IDX}: {DOCTYPE} {} DOCNAME لا وجود له في أعلاه '{DOCTYPE} المائدة
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,الجدول الزمني {0} بالفعل منتهي أو ملغى
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,الجدول الزمني {0} بالفعل منتهي أو ملغى
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,أية مهام
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc",في يوم من الشهر الذي سيتم إنشاء فاتورة السيارات سبيل المثال 05، 28 الخ
DocType: Asset,Opening Accumulated Depreciation,فتح الاستهلاك المتراكم
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,يجب أن تكون النتيجة أقل من أو يساوي 5
DocType: Program Enrollment Tool,Program Enrollment Tool,أداة انتساب برنامج
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,سجلات النموذج - س
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,سجلات النموذج - س
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,العملاء والموردين
DocType: Email Digest,Email Digest Settings,البريد الإلكتروني إعدادات دايجست
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,شكرا لك على عملك!
@@ -883,17 +888,19 @@
DocType: Bin,Moving Average Rate,الانتقال متوسط معدل
DocType: Production Planning Tool,Select Items,اختر العناصر
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} مقابل الفاتورة {1} بتاريخ {2}
+DocType: Program Enrollment,Vehicle/Bus Number,رقم المركبة / الحافلة
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,الجدول الدراسي
DocType: Maintenance Visit,Completion Status,استكمال الحالة
DocType: HR Settings,Enter retirement age in years,أدخل سن التقاعد بالسنوات
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,المستودع المستهدف
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,يرجى تحديد مستودع
DocType: Cheque Print Template,Starting location from left edge,بدءا الموقع من الحافة اليسرى
DocType: Item,Allow over delivery or receipt upto this percent,سماح على تسليم أو استلام تصل هذه النسبة
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,سجل الحضور
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,جميع مجموعات الصنف
DocType: Process Payroll,Activity Log,سجل النشاط
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,صافي الربح / الخسارة
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,صافي الربح / الخسارة
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,شكل رسالة تلقائياً عند تثبيت المعاملة
DocType: Production Order,Item To Manufacture,البند لتصنيع
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} الوضع هو {2}
@@ -902,16 +909,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,مدفوعات امر الشراء
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,الكمية المتوقعة
DocType: Sales Invoice,Payment Due Date,تاريخ استحقاق السداد
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,البند البديل {0} موجود بالفعل مع نفس الصفات
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,البند البديل {0} موجود بالفعل مع نفس الصفات
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','فتح'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,توسيع المهام
DocType: Notification Control,Delivery Note Message,ملاحظة تسليم رسالة
DocType: Expense Claim,Expenses,نفقات
+,Support Hours,ساعات الدعم
DocType: Item Variant Attribute,Item Variant Attribute,البند البديل سمة
,Purchase Receipt Trends,شراء اتجاهات الإيصال
DocType: Process Payroll,Bimonthly,نصف شهري
DocType: Vehicle Service,Brake Pad,وسادة الفرامل
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,البحوث والتنمية
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,البحوث والتنمية
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,تصل إلى بيل
DocType: Company,Registration Details,تفاصيل التسجيل
DocType: Timesheet,Total Billed Amount,المبلغ الكلي وصفت
@@ -924,12 +932,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,الحصول فقط مواد أولية
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,تقييم الأداء.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",تمكين "استخدام لسلة التسوق، كما تم تمكين سلة التسوق وأن يكون هناك واحد على الأقل القاعدة الضريبية لسلة التسوق
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",يرتبط دفع الدخول {0} ضد بالدفع {1}، معرفة ما اذا كان ينبغي أن يتم سحبها كما تقدم في هذه الفاتورة.
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",يرتبط دفع الدخول {0} ضد بالدفع {1}، معرفة ما اذا كان ينبغي أن يتم سحبها كما تقدم في هذه الفاتورة.
DocType: Sales Invoice Item,Stock Details,تفاصيل المخزون
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,المشروع القيمة
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,نقطة البيع
DocType: Vehicle Log,Odometer Reading,قراءة عداد المسافات
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","رصيد حساب بالفعل في الائتمان، لا يسمح لك تعيين ""الرصيد يجب أن يكون 'كما' الخصم '"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","رصيد حساب بالفعل في الائتمان، لا يسمح لك تعيين ""الرصيد يجب أن يكون 'كما' الخصم '"
DocType: Account,Balance must be,يجب أن يكون التوازن
DocType: Hub Settings,Publish Pricing,نشر التسعير
DocType: Notification Control,Expense Claim Rejected Message,رسالة رفض طلب النفقات
@@ -939,7 +947,7 @@
DocType: Salary Slip,Working Days,أيام عمل
DocType: Serial No,Incoming Rate,الواردة قيم
DocType: Packing Slip,Gross Weight,الوزن الإجمالي
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,اسم الشركة التي كنت تقوم بإعداد هذا النظام.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,اسم الشركة التي كنت تقوم بإعداد هذا النظام.
DocType: HR Settings,Include holidays in Total no. of Working Days,العطلات تحسب من ضمن أيام العمل
DocType: Job Applicant,Hold,معلق
DocType: Employee,Date of Joining,تاريخ الانضمام
@@ -950,20 +958,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,ايصال شراء
,Received Items To Be Billed,العناصر الواردة إلى أن توصف
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,الموافقة على كشوفات الرواتب
-DocType: Employee,Ms,السيدة
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,أسعار صرف العملات الرئيسية .
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},يجب أن يكون إشارة DOCTYPE واحد من {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,أسعار صرف العملات الرئيسية .
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},يجب أن يكون إشارة DOCTYPE واحد من {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},تعذر العثور على فتحة الزمنية في {0} الأيام القليلة القادمة للعملية {1}
DocType: Production Order,Plan material for sub-assemblies,المواد خطة للجمعيات الفرعي
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,المناديب و المناطق
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,لا يمكن إنشاء الحساب تلقائي في حال وجود رصيد مخزني في الحساب . يجب عليك إنشأ حساب مطابقة قبل عمل الأدخال في المخزون
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,فاتورة الموارد {0} يجب أن تكون نشطة
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,فاتورة الموارد {0} يجب أن تكون نشطة
DocType: Journal Entry,Depreciation Entry,انخفاض الدخول
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,الرجاء اختيار نوع الوثيقة الأولى
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,إلغاء المواد الزيارات {0} قبل إلغاء هذه الصيانة زيارة
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},رقم المسلسل {0} لا ينتمي إلى البند {1}
DocType: Purchase Receipt Item Supplied,Required Qty,مطلوب الكمية
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,المستودعات مع الصفقة الحالية لا يمكن أن يتم تحويلها إلى دفتر الأستاذ.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,المستودعات مع الصفقة الحالية لا يمكن أن يتم تحويلها إلى دفتر الأستاذ.
DocType: Bank Reconciliation,Total Amount,المبلغ الكلي لل
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,النشر على الإنترنت
DocType: Production Planning Tool,Production Orders,أوامر الإنتاج
@@ -978,25 +984,26 @@
DocType: Fee Structure,Components,مكونات
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},الرجاء إدخال الأصول الفئة في البند {0}
DocType: Quality Inspection Reading,Reading 6,قراءة 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,لا يمكن {0} {1} {2} من دون أي فاتورة المعلقة السلبية
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,لا يمكن {0} {1} {2} من دون أي فاتورة المعلقة السلبية
DocType: Purchase Invoice Advance,Purchase Invoice Advance,عربون فاتورة الشراء
DocType: Hub Settings,Sync Now,مزامنة الآن
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},صف {0}: لا يمكن ربط دخول الائتمان مع {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,تحديد ميزانية او مخصصات السنة المالية
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,تحديد ميزانية او مخصصات السنة المالية
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,حساب الخزنه / البنك المعتاد سوف يعدل تلقائي في فاتورة نقاط البيع عند اختيار الوضع
DocType: Lead,LEAD-,قيادة-
DocType: Employee,Permanent Address Is,العنوان الدائم هو
DocType: Production Order Operation,Operation completed for how many finished goods?,اكتمال عملية لكيفية العديد من السلع تامة الصنع؟
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,العلامة التجارية
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,العلامة التجارية
DocType: Employee,Exit Interview Details,تفاصيل مقابلة ترك الخدمه
DocType: Item,Is Purchase Item,شراء صنف
DocType: Asset,Purchase Invoice,فاتورة شراء
DocType: Stock Ledger Entry,Voucher Detail No,تفاصيل قسيمة لا
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,فاتورة مبيعات جديدة
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,فاتورة مبيعات جديدة
DocType: Stock Entry,Total Outgoing Value,إجمالي القيمة الصادرة
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,يجب فتح التسجيل وتاريخ الإنتهاء تكون ضمن نفس السنة المالية
DocType: Lead,Request for Information,طلب المعلومات
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,تزامن غير متصل الفواتير
+,LeaderBoard,المتصدرين
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,تزامن غير متصل الفواتير
DocType: Payment Request,Paid,مدفوع
DocType: Program Fee,Program Fee,رسوم البرنامج
DocType: Salary Slip,Total in words,إجمالي بالحروف
@@ -1005,13 +1012,13 @@
DocType: Cheque Print Template,Has Print Format,لديها تنسيق طباعة
DocType: Employee Loan,Sanctioned,تقرها
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,إلزامي. ربما لم يتم انشاء سجل تحويل العملة ل
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},الصف # {0}: يرجى تحديد رقم التسلسلي للتاريخ {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",وللسلع "حزمة المنتج، مستودع، المسلسل لا دفعة ويتم النظر في أي من الجدول" قائمة التعبئة ". إذا مستودع ودفعة لا هي نفسها لجميع عناصر التعبئة لمادة أي 'حزمة المنتج، يمكن إدخال تلك القيم في الجدول الرئيسي عنصر، سيتم نسخ القيم إلى "قائمة التعبئة" الجدول.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},الصف # {0}: يرجى تحديد رقم التسلسلي للتاريخ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",وللسلع "حزمة المنتج، مستودع، المسلسل لا دفعة ويتم النظر في أي من الجدول" قائمة التعبئة ". إذا مستودع ودفعة لا هي نفسها لجميع عناصر التعبئة لمادة أي 'حزمة المنتج، يمكن إدخال تلك القيم في الجدول الرئيسي عنصر، سيتم نسخ القيم إلى "قائمة التعبئة" الجدول.
DocType: Job Opening,Publish on website,نشر على الموقع الإلكتروني
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,الشحنات للعملاء.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,المورد تاريخ الفاتورة لا يمكن أن يكون أكبر من تاريخ النشر
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,المورد تاريخ الفاتورة لا يمكن أن يكون أكبر من تاريخ النشر
DocType: Purchase Invoice Item,Purchase Order Item,صنف امر الشراء
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,الدخل غير المباشرة
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,الدخل غير المباشرة
DocType: Student Attendance Tool,Student Attendance Tool,أداة طالب الحضور
DocType: Cheque Print Template,Date Settings,إعدادات التاريخ
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,فرق
@@ -1029,20 +1036,20 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,مادة كيميائية
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,حساب الخزنه / البنك المعتاد سوف يعدل تلقائي في القيود اليوميه للمرتب عند اختيار الوضع.
DocType: BOM,Raw Material Cost(Company Currency),الخام المواد التكلفة (شركة العملات)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,كل الأصناف قد تم ترحيلها من قبل لأمر الانتاج هذا.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,كل الأصناف قد تم ترحيلها من قبل لأمر الانتاج هذا.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},الصف # {0}: لا يمكن أن يكون المعدل أكبر من المعدل المستخدم في {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,متر
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,متر
DocType: Workstation,Electricity Cost,تكلفة الكهرباء
DocType: HR Settings,Don't send Employee Birthday Reminders,عدم ارسال تذكير للموضفين بأعياد الميلاد
DocType: Item,Inspection Criteria,معايير التفتيش
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,نقلها
DocType: BOM Website Item,BOM Website Item,BOM موقع البند
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,تحميل رئيس رسالتكم والشعار. (يمكنك تحريرها لاحقا).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,تحميل رئيس رسالتكم والشعار. (يمكنك تحريرها لاحقا).
DocType: Timesheet Detail,Bill,فاتورة
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,يتم إدخال الاستهلاك المقبل التاريخ كتاريخ الماضي
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,أبيض
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,أبيض
DocType: SMS Center,All Lead (Open),جميع العملاء المحتملين (فتح)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),صف {0}: الكمية لا تتوفر لل{4} في مستودع {1} في بالإرسال وقت دخول ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),صف {0}: الكمية لا تتوفر لل{4} في مستودع {1} في بالإرسال وقت دخول ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,الحصول على السلف المدفوعة
DocType: Item,Automatically Create New Batch,إنشاء دفعة جديدة تلقائيا
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,إنشاء
@@ -1052,13 +1059,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,سلتي
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},يجب أن يكون النظام نوع واحد من {0}
DocType: Lead,Next Contact Date,تاريخ جهة الاتصال التالية
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,فتح الكمية
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,الرجاء إدخال حساب لتغيير المبلغ
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,فتح الكمية
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,الرجاء إدخال حساب لتغيير المبلغ
DocType: Student Batch Name,Student Batch Name,طالب اسم دفعة
DocType: Holiday List,Holiday List Name,اسم قائمة العطلات
DocType: Repayment Schedule,Balance Loan Amount,التوازن مبلغ القرض
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,دورة الجدول الزمني
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,خيارات المخزون
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,خيارات المخزون
DocType: Journal Entry Account,Expense Claim,طلب النفقات
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,هل تريد حقا أن استعادة هذه الأصول ألغت؟
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},الكمية ل{0}
@@ -1070,12 +1077,12 @@
DocType: Company,Default Terms,الشروط الافتراضية
DocType: Packing Slip Item,Packing Slip Item,مادة كشف التعبئة
DocType: Purchase Invoice,Cash/Bank Account,حساب النقد / البنك
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},الرجاء تحديد {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},الرجاء تحديد {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,العناصر إزالتها مع أي تغيير في كمية أو قيمة.
DocType: Delivery Note,Delivery To,التسليم إلى
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,الجدول السمة إلزامي
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,الجدول السمة إلزامي
DocType: Production Planning Tool,Get Sales Orders,الحصول على أوامر البيع
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} لا يمكن أن تكون سلبية
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} لا يمكن أن تكون سلبية
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,خصم
DocType: Asset,Total Number of Depreciations,إجمالي عدد التلفيات
DocType: Sales Invoice Item,Rate With Margin,معدل مع الهامش
@@ -1095,7 +1102,6 @@
DocType: Serial No,Creation Document No,إنشاء وثيقة لا
DocType: Issue,Issue,قضية
DocType: Asset,Scrapped,ألغت
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,الحساب لا يتطابق مع الشركة
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.",سمات البدائل للصنف. على سبيل المثال الحجم واللون الخ
DocType: Purchase Invoice,Returns,عائدات
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,مستودع WIP
@@ -1107,12 +1113,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,"الصنف يجب اضافته مستخدما مفتاح ""احصل علي الأصناف من المشتريات المستلمة """
DocType: Employee,A-,أ-
DocType: Production Planning Tool,Include non-stock items,وتشمل البنود غير المالية
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,مصاريف المبيعات
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,مصاريف المبيعات
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,شراء القياسية
DocType: GL Entry,Against,ضد
DocType: Item,Default Selling Cost Center,الافتراضي البيع مركز التكلفة
DocType: Sales Partner,Implementation Partner,شريك التنفيذ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,الرمز البريدي
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,الرمز البريدي
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},اوامر البيع {0} {1}
DocType: Opportunity,Contact Info,معلومات الاتصال
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,جعل الأسهم مقالات
@@ -1125,31 +1131,31 @@
DocType: Holiday List,Get Weekly Off Dates,الحصول على مواعيد الإيقاف الأسبوعي
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,تاريخ النهاية لا يمكن أن يكون أقل من تاريخ البدء
DocType: Sales Person,Select company name first.,حدد اسم الشركة الأول.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,الدكتور
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,الاقتباسات الواردة من الموردين.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},إلى {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,متوسط العمر
DocType: School Settings,Attendance Freeze Date,تاريخ تجميد الحضور
DocType: Opportunity,Your sales person who will contact the customer in future,مبيعاتك الشخص الذي سوف اتصل العميل في المستقبل
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,قائمة قليلة من الموردين الخاصة بك . يمكن أن تكون المنظمات أو الأفراد.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,قائمة قليلة من الموردين الخاصة بك . يمكن أن تكون المنظمات أو الأفراد.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,عرض جميع المنتجات
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),الحد الأدنى لسن الرصاص (أيام)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,كل BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,كل BOMs
DocType: Company,Default Currency,العملة الافتراضية
DocType: Expense Claim,From Employee,من موظف
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,تحذير : سيقوم النظام لا تحقق بالمغالاة في الفواتير منذ مبلغ القطعة ل {0} في {1} هو صفر
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,تحذير : سيقوم النظام لا تحقق بالمغالاة في الفواتير منذ مبلغ القطعة ل {0} في {1} هو صفر
DocType: Journal Entry,Make Difference Entry,جعل دخول الفرق
DocType: Upload Attendance,Attendance From Date,الحضور من تاريخ
DocType: Appraisal Template Goal,Key Performance Area,معيار التقييم
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,النقل
+DocType: Program Enrollment,Transportation,النقل
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,سمة غير صالح
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} يجب أن يؤكّد
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} يجب أن يؤكّد
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},يجب أن تكون الكمية أقل من أو يساوي إلى {0}
DocType: SMS Center,Total Characters,مجموع أحرف
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},يرجى تحديد BOM في الحقل BOM القطعة ل{0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},يرجى تحديد BOM في الحقل BOM القطعة ل{0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,تفاصيل الفاتورة نموذج - س
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,دفع فاتورة المصالحة
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,المساهمة٪
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",وفقا لإعدادات الشراء إذا طلب الشراء == 'نعم'، ثم لإنشاء فاتورة الشراء، يحتاج المستخدم إلى إنشاء أمر الشراء أولا للبند {0}
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,تسجيل ارقام الشركة لمرجع . ارقام البطاقه الضريبه الخ
DocType: Sales Partner,Distributor,موزع
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,التسوق شحن العربة القاعدة
@@ -1158,23 +1164,25 @@
,Ordered Items To Be Billed,أمرت البنود التي يتعين صفت
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,من المدى يجب أن يكون أقل من أن تتراوح
DocType: Global Defaults,Global Defaults,افتراضيات العالمية
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,مشروع التعاون دعوة
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,مشروع التعاون دعوة
DocType: Salary Slip,Deductions,استقطاعات
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,بداية السنة
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},يجب أن يتطابق أول رقمين من غستين مع رقم الدولة {0}
DocType: Purchase Invoice,Start date of current invoice's period,تاريخ بدء فترة الفاتورة الحالية
DocType: Salary Slip,Leave Without Pay,إجازة بدون راتب
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,خطأ القدرة على التخطيط
,Trial Balance for Party,ميزان المراجعة للحزب
DocType: Lead,Consultant,مستشار
DocType: Salary Slip,Earnings,الكسب
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,البند المنهي {0} يجب إدخاله لادخال نوع صناعة
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,البند المنهي {0} يجب إدخاله لادخال نوع صناعة
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,فتح ميزان المحاسبة
+,GST Sales Register,غست مبيعات التسجيل
DocType: Sales Invoice Advance,Sales Invoice Advance,فاتورة مبيعات المقدمة
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,شيء أن تطلب
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},سجل الميزانية أخرى '{0}' موجود بالفعل ضد {1} '{2}' للسنة المالية {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',""" تاريخ البدء الفعلي "" لا يمكن أن يكون احدث من "" تاريخ الانتهاء الفعلي """
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,إدارة
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,إدارة
DocType: Cheque Print Template,Payer Settings,إعدادات دافع
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","سيتم إلحاق هذا إلى بند رمز للمتغير. على سبيل المثال، إذا اختصار الخاص بك هو ""SM""، ورمز البند هو ""T-SHIRT""، رمز العنصر المتغير سيكون ""T-SHIRT-SM"""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,صافي الأجر (بالحروف) تكون مرئية بمجرد حفظ كشف راتب.
@@ -1191,8 +1199,8 @@
DocType: Employee Loan,Partially Disbursed,المصروفة جزئيا
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,مزود قاعدة البيانات.
DocType: Account,Balance Sheet,الميزانية العمومية
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',"مركز تكلفة بالنسبة للبند مع رمز المدينة """
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",لم يتم تكوين طريقة الدفع. يرجى مراجعة، وإذا كان قد تم إعداد الحساب على طريقة الدفع أو على الملف الشخصي نقاط البيع.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',"مركز تكلفة بالنسبة للبند مع رمز المدينة """
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",لم يتم تكوين طريقة الدفع. يرجى مراجعة، وإذا كان قد تم إعداد الحساب على طريقة الدفع أو على الملف الشخصي نقاط البيع.
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,سيرسل تذكير لمندوب المبيعات الخاص بك في هذا التاريخ ليتصل بالعميل
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,لا يمكن إدخال البند نفسه عدة مرات.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups",حسابات أخرى يمكن أن يتم ضمن مجموعات، ولكن يمكن أن يتم مقالات ضد المجموعات غير-
@@ -1200,7 +1208,7 @@
DocType: Email Digest,Payables,الذمم الدائنة
DocType: Course,Course Intro,مقدمة الدورة
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,الأسهم الدخول {0} خلق
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,الصف # {0} مرفوض الكمية لا يمكن إدخالها في شراء العودة
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,الصف # {0} مرفوض الكمية لا يمكن إدخالها في شراء العودة
,Purchase Order Items To Be Billed,تم اصدار فاتورة لأصناف امر الشراء
DocType: Purchase Invoice Item,Net Rate,صافي معدل
DocType: Purchase Invoice Item,Purchase Invoice Item,اصناف فاتورة المشتريات
@@ -1225,7 +1233,7 @@
DocType: Sales Order,SO-,وبالتالي-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,الرجاء اختيار البادئة الأولى
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,بحث
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,بحث
DocType: Maintenance Visit Purpose,Work Done,العمل المنجز
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,يرجى تحديد سمة واحدة على الأقل في الجدول سمات
DocType: Announcement,All Students,جميع الطلاب
@@ -1233,17 +1241,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,عرض ليدجر
DocType: Grading Scale,Intervals,فترات
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,اسبق
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group",يوجد اسم مجموعة أصناف بنفس الاسم، الرجاء تغيير اسم الصنف أو إعادة تسمية المجموعة
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,رقم الطالب موبايل
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,بقية العالم
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group",يوجد اسم مجموعة أصناف بنفس الاسم، الرجاء تغيير اسم الصنف أو إعادة تسمية المجموعة
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,رقم الطالب موبايل
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,بقية العالم
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,العنصر {0} لا يمكن أن يكون دفعة
,Budget Variance Report,تقرير إنحرافات الموازنة
DocType: Salary Slip,Gross Pay,إجمالي الأجور
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,صف {0}: نوع آخر إلزامي.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,أرباح الأسهم المدفوعة
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,أرباح الأسهم المدفوعة
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,دفتر الأستاذ العام
DocType: Stock Reconciliation,Difference Amount,مقدار الفرق
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,الأرباح المحتجزة
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,الأرباح المحتجزة
DocType: Vehicle Log,Service Detail,خدمة التفاصيل
DocType: BOM,Item Description,وصف السلعة
DocType: Student Sibling,Student Sibling,الشقيق طالب
@@ -1257,11 +1265,11 @@
DocType: Opportunity Item,Opportunity Item,فرصة السلعة
,Student and Guardian Contact Details,طالب والجارديان تفاصيل الاتصال
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,صف {0}: بالنسبة للمورد مطلوب {0} عنوان البريد الإلكتروني لإرسال البريد الإلكتروني
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,افتتاح مؤقت
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,افتتاح مؤقت
,Employee Leave Balance,رصيد اجازات الموظف
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},التوازن ل حساب {0} يجب أن يكون دائما {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},التقييم المعدل المطلوب لعنصر في الصف {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,على سبيل المثال: الماجستير في علوم الحاسب الآلي
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,على سبيل المثال: الماجستير في علوم الحاسب الآلي
DocType: Purchase Invoice,Rejected Warehouse,رفض مستودع
DocType: GL Entry,Against Voucher,مقابل قسيمة
DocType: Item,Default Buying Cost Center,مركز التكلفة المشتري الافتراضي
@@ -1274,31 +1282,30 @@
DocType: Journal Entry,Get Outstanding Invoices,الحصول على فواتير معلقة
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,اوامر البيع {0} غير صالحه
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,أوامر الشراء تساعدك على تخطيط والمتابعة على مشترياتك
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged",عذراً، الشركات لا يمكن دمجها
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged",عذراً، الشركات لا يمكن دمجها
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",إجمالي كمية العدد / نقل {0} في المواد طلب {1} \ لا يمكن أن يكون أكبر من الكمية المطلوبة {2} لالبند {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,صغير
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,صغير
DocType: Employee,Employee Number,رقم الموظف
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},الحالة رقم ( ق ) قيد الاستخدام بالفعل. محاولة من القضية لا { 0 }
DocType: Project,% Completed,٪ مكتمل
,Invoiced Amount (Exculsive Tax),المبلغ فواتير ( Exculsive الضرائب )
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,البند 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,الحساب الرئيسى {0} تم انشأه
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,حدث تدريب
DocType: Item,Auto re-order,إعادة ترتيب تلقائي
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,الإجمالي المحقق
DocType: Employee,Place of Issue,مكان الإصدار
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,عقد
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,عقد
DocType: Email Digest,Add Quote,إضافة اقتباس
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},معامل التحويل لوحدة القياس مطلوبةل:{0} في البند: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,المصاريف غير المباشرة
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},معامل التحويل لوحدة القياس مطلوبةل:{0} في البند: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,المصاريف غير المباشرة
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,الصف {0}: الكمية إلزامي
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,زراعة
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,مزامنة البيانات الرئيسية
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,المنتجات أو الخدمات الخاصة بك
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,مزامنة البيانات الرئيسية
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,المنتجات أو الخدمات الخاصة بك
DocType: Mode of Payment,Mode of Payment,طريقة الدفع
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,وينبغي أن يكون موقع صورة ملف العامة أو عنوان الموقع
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,وينبغي أن يكون موقع صورة ملف العامة أو عنوان الموقع
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,فاتورة المواد
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,هذه هي مجموعة البند الجذرية والتي لا يمكن تحريرها.
@@ -1307,17 +1314,17 @@
DocType: Warehouse,Warehouse Contact Info,معلومات اتصال المستودع
DocType: Payment Entry,Write Off Difference Amount,شطب الفرق المبلغ
DocType: Purchase Invoice,Recurring Type,نوع المتكررة
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent",{0}: البريد الإلكتروني للموظف غير موجود، وبالتالي لم يتم إرسال البريد الإلكتروني
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent",{0}: البريد الإلكتروني للموظف غير موجود، وبالتالي لم يتم إرسال البريد الإلكتروني
DocType: Item,Foreign Trade Details,الخارجية تفاصيل تجارة
DocType: Email Digest,Annual Income,الدخل السنوي
DocType: Serial No,Serial No Details,تفاصيل المسلسل
DocType: Purchase Invoice Item,Item Tax Rate,البند ضريبة
DocType: Student Group Student,Group Roll Number,رقم لفة المجموعة
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",لـ {0} فقط إنشاء حسابات ممكن توصيله مقابل ادخال دائن اخر
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,يجب أن يكون مجموع كل الأوزان مهمة 1. الرجاء ضبط أوزان جميع المهام المشروع وفقا لذلك
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,تسليم مذكرة {0} لم تقدم
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,البند {0} يجب أن يكون عنصر التعاقد الفرعي
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,معدات العاصمة
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,يجب أن يكون مجموع كل الأوزان مهمة 1. الرجاء ضبط أوزان جميع المهام المشروع وفقا لذلك
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,تسليم مذكرة {0} لم تقدم
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,البند {0} يجب أن يكون عنصر التعاقد الفرعي
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,معدات العاصمة
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",يتم تحديد قاعدة الأسعار على أساس حقل 'تطبق في' ، التي يمكن أن تكون بند، مجموعة بنود او علامة التجارية.
DocType: Hub Settings,Seller Website,البائع موقع
DocType: Item,ITEM-,بند-
@@ -1335,7 +1342,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","يمكن أن يكون هناك واحد فقط الشحن القاعدة الحالة مع 0 أو قيمة فارغة ل "" إلى القيمة """
DocType: Authorization Rule,Transaction,صفقة
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,ملاحظة : هذا هو مركز التكلفة المجموعة . لا يمكن إجراء القيود المحاسبية ضد الجماعات .
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,يوجد مستودع الطفل لهذا المستودع. لا يمكنك حذف هذا المستودع.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,يوجد مستودع الطفل لهذا المستودع. لا يمكنك حذف هذا المستودع.
DocType: Item,Website Item Groups,مجموعات الأصناف للموقع
DocType: Purchase Invoice,Total (Company Currency),مجموع (شركة العملات)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,الرقم التسلسلي {0} دخلت أكثر من مرة
@@ -1345,7 +1352,7 @@
DocType: Grading Scale Interval,Grade Code,كود الصف
DocType: POS Item Group,POS Item Group,POS البند المجموعة
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,أرسل دايجست:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} لا تنتمي إلى الصنف {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} لا تنتمي إلى الصنف {1}
DocType: Sales Partner,Target Distribution,هدف التوزيع
DocType: Salary Slip,Bank Account No.,رقم الحساب في البك
DocType: Naming Series,This is the number of the last created transaction with this prefix,هذا هو عدد المعاملات التي تم إنشاؤها باستخدام مشاركة هذه البادئة
@@ -1355,12 +1362,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,كتاب الأصول استهلاك الاستهلاك تلقائيا
DocType: BOM Operation,Workstation,محطة العمل
DocType: Request for Quotation Supplier,Request for Quotation Supplier,طلب تسعيرة مزود
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,خردوات
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,خردوات
DocType: Sales Order,Recurring Upto,المتكررة لغاية
DocType: Attendance,HR Manager,مدير الموارد البشرية
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,الرجاء اختيار الشركة
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,امتياز الإجازة
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,الرجاء اختيار الشركة
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,امتياز الإجازة
DocType: Purchase Invoice,Supplier Invoice Date,المورد فاتورة التسجيل
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,لكل
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,تحتاج إلى تمكين سلة التسوق
DocType: Payment Entry,Writeoff,لا تصلح
DocType: Appraisal Template Goal,Appraisal Template Goal,معيار نموذج التقييم
@@ -1371,10 +1379,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,الظروف المتداخلة وجدت بين:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,مقابل مجلة الدخول {0} تم ضبطه بالفعل ضد بعض قسيمة أخرى
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,مجموع قيمة الطلب
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,طعام
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,طعام
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,العمر مدى 3
DocType: Maintenance Schedule Item,No of Visits,لا الزيارات
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,علامة إن حضور
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,علامة إن حضور
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},جدول الصيانة {0} موجود ضد {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,طالب انتساب
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},عملة حساب الأقفال يجب ان تكون {0}
@@ -1388,6 +1396,7 @@
DocType: Rename Tool,Utilities,خدمات
DocType: Purchase Invoice Item,Accounting,المحاسبة
DocType: Employee,EMP/,الموظف/
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,يرجى تحديد دفعات لعنصر مطابق
DocType: Asset,Depreciation Schedules,جداول الاستهلاك
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,فترة الطلب لا يمكن أن يكون خارج فترةالاجزات المخصصة
DocType: Activity Cost,Projects,مشاريع
@@ -1401,6 +1410,7 @@
DocType: POS Profile,Campaign,حملة
DocType: Supplier,Name and Type,اسم ونوع
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"يجب أن تكون حالة ""موافقة "" أو ""مرفوضة"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,التمهيد
DocType: Purchase Invoice,Contact Person,الشخص الذي يمكن الاتصال به
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',' تاريخ البدء المتوقع ' لا يمكن أن يكون أكبر من ' تاريخ الانتهاء المتوقع '
DocType: Course Scheduling Tool,Course End Date,تاريخ انتهاء المقرر
@@ -1408,12 +1418,11 @@
DocType: Sales Order Item,Planned Quantity,المخطط الكمية
DocType: Purchase Invoice Item,Item Tax Amount,البند ضريبة المبلغ
DocType: Item,Maintain Stock,منتج يخزن
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,مدخلات المخزون التي تم إنشاؤها من قبل لأمر الإنتاج
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,مدخلات المخزون التي تم إنشاؤها من قبل لأمر الإنتاج
DocType: Employee,Prefered Email,البريد الإلكتروني المفضل
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,صافي التغير في الأصول الثابتة
DocType: Leave Control Panel,Leave blank if considered for all designations,اتركها فارغه اذا كنت تريد تطبيقها لجميع المسميات الوظيفية
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,مستودع إلزامي لحسابات مجموعة غير من نوع الأوراق المالية
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,لا يمكن تضمين تهمة من نوع ' الفعلي ' في الصف {0} في سعر السلعة
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,لا يمكن تضمين تهمة من نوع ' الفعلي ' في الصف {0} في سعر السلعة
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},الحد الأقصى: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,من التاريخ والوقت
DocType: Email Digest,For Company,لشركة
@@ -1423,15 +1432,15 @@
DocType: Sales Invoice,Shipping Address Name,الشحن العنوان الاسم
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,دليل الحسابات
DocType: Material Request,Terms and Conditions Content,الشروط والأحكام المحتوى
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,لا يمكن أن يكون أكبر من 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,البند {0} ليس الأسهم الإغلاق
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,لا يمكن أن يكون أكبر من 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,البند {0} ليس الأسهم الإغلاق
DocType: Maintenance Visit,Unscheduled,غير المجدولة
DocType: Employee,Owned,مالك
DocType: Salary Detail,Depends on Leave Without Pay,يعتمد على إجازة بدون مرتب
DocType: Pricing Rule,"Higher the number, higher the priority",الرقم الأعلى له أولوية أكبر
,Purchase Invoice Trends,اتجهات فاتورة الشراء
DocType: Employee,Better Prospects,آفاق أفضل
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",الصف # {0}: الدفعة {1} فقط {2} الكمية. يرجى تحديد دفعة أخرى توفر {3} الكمية أو تقسيم الصف إلى صفوف متعددة، لتسليم / إصدار من دفعات متعددة
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",الصف # {0}: الدفعة {1} فقط {2} الكمية. يرجى تحديد دفعة أخرى توفر {3} الكمية أو تقسيم الصف إلى صفوف متعددة، لتسليم / إصدار من دفعات متعددة
DocType: Vehicle,License Plate,لوحة معدنية
DocType: Appraisal,Goals,الغايات
DocType: Warranty Claim,Warranty / AMC Status,الضمان / AMC الحالة
@@ -1442,7 +1451,8 @@
,Batch-Wise Balance History,دفعة الحكيم التاريخ الرصيد
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,إعدادات الطباعة تجديد في شكل مطبوع منها
DocType: Package Code,Package Code,كود حزمة
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,مبتدئ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,مبتدئ
+DocType: Purchase Invoice,Company GSTIN,شركة غستين
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,لا يسمح بالكميه السالبه
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","التفاصيل الضرائب الجدول المنال من سيده البند كسلسلة وتخزينها في هذا المجال.
@@ -1450,12 +1460,12 @@
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,الموظف لا يمكن أن يقدم تقريرا إلى نفسه.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.",إذا تم تجميد الحساب، ويسمح للمستخدمين إدخالات مقيدة.
DocType: Email Digest,Bank Balance,الرصيد المصرفي
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},القيد المحاسبي ل{0}: {1} يمكن إجراؤه بالعملة: {2} فقط
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},القيد المحاسبي ل{0}: {1} يمكن إجراؤه بالعملة: {2} فقط
DocType: Job Opening,"Job profile, qualifications required etc.",الملف الوظيفي ، المؤهلات المطلوبة الخ
DocType: Journal Entry Account,Account Balance,رصيد حسابك
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,القاعدة الضريبية للمعاملات.
DocType: Rename Tool,Type of document to rename.,نوع الوثيقة إلى إعادة تسمية.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,نشتري هذه القطعة
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,نشتري هذه القطعة
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: مطلوب العملاء ضد حساب المقبوضات {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),مجموع الضرائب والرسوم (عملة الشركة)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,تظهر P & L أرصدة السنة المالية غير مغلق ل
@@ -1466,29 +1476,30 @@
DocType: Stock Entry,Total Additional Costs,مجموع التكاليف الإضافية
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),الخردة المواد التكلفة (شركة العملات)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,التركيبات الفرعية
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,التركيبات الفرعية
DocType: Asset,Asset Name,اسم الأصول
DocType: Project,Task Weight,الوزن مهمة
DocType: Shipping Rule Condition,To Value,إلى القيمة
DocType: Asset Movement,Stock Manager,مدير المخزن
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},مستودع مصدر إلزامي ل صف {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,زلة التعبئة
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,مكتب للإيجار
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},مستودع مصدر إلزامي ل صف {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,زلة التعبئة
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,مكتب للإيجار
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,إعدادات العبارة SMS
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,فشل الاستيراد !
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,لا يوجد عنوان مضاف.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,لا يوجد عنوان مضاف.
DocType: Workstation Working Hour,Workstation Working Hour,محطة العمل ساعة العمل
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,محلل
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,محلل
DocType: Item,Inventory,جرد
DocType: Item,Sales Details,تفاصيل المبيعات
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,مع الأصناف
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,في الكمية
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,في الكمية
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,التحقق من صحة دورة المسجلين للطلاب في مجموعة الطلاب
DocType: Notification Control,Expense Claim Rejected,تم رفض طلب النفقات
DocType: Item,Item Attribute,البند السمة
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,حكومة
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,حكومة
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,طلب النفقات {0} موجود بالفعل لسجل المركبة
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,اسم المعهد
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,اسم المعهد
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,الرجاء إدخال سداد المبلغ
apps/erpnext/erpnext/config/stock.py +300,Item Variants,المتغيرات البند
DocType: Company,Services,الخدمات
@@ -1498,18 +1509,18 @@
DocType: Sales Invoice,Source,المصدر
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,مشاهدة مغلقة
DocType: Leave Type,Is Leave Without Pay,إجازة بدون راتب
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,الأصول الفئة إلزامي للبند الأصول الثابتة
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,الأصول الفئة إلزامي للبند الأصول الثابتة
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,لا توجد في جدول الدفع السجلات
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},هذا {0} يتعارض مع {1} عن {2} {3}
DocType: Student Attendance Tool,Students HTML,طلاب HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,تاريخ بدء السنة المالية
DocType: POS Profile,Apply Discount,تطبيق الخصم
+DocType: Purchase Invoice Item,GST HSN Code,غست هسن كود
DocType: Employee External Work History,Total Experience,مجموع الخبرة
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,مشاريع مفتوحة
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,تم إلغاء كشف/كشوف التعبئة
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,تدفق النقد من الاستثمار
DocType: Program Course,Program Course,دورة برنامج
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,الشحن و التخليص الرسوم
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,الشحن و التخليص الرسوم
DocType: Homepage,Company Tagline for website homepage,توجية الشركة للصفحة الرئيسيه بالموقع الألكتروني
DocType: Item Group,Item Group Name,البند اسم المجموعة
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,مأخوذ
@@ -1519,6 +1530,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,إنشاء العروض
DocType: Maintenance Schedule,Schedules,جداول
DocType: Purchase Invoice Item,Net Amount,صافي القيمة
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} لم يتم إرسالها بحيث لا يمكن إكمال الإجراء
DocType: Purchase Order Item Supplied,BOM Detail No,BOM تفاصيل لا
DocType: Landed Cost Voucher,Additional Charges,رسوم إضافية
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),مقدار الخصم الاضافي (بعملة الشركة)
@@ -1534,6 +1546,7 @@
DocType: Employee Loan,Monthly Repayment Amount,الشهري مبلغ السداد
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,الرجاء ضع للمستخدم (ID) في سجل الموظف لوضع الدور الوظيفي للموظف
DocType: UOM,UOM Name,اسم وحدة القايس
+DocType: GST HSN Code,HSN Code,رمز هسن
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,مبلغ المساهمة
DocType: Purchase Invoice,Shipping Address,عنوان الشحن
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,تساعدك هذه الأداة لتحديث أو تحديد الكمية وتقييم الأوراق المالية في النظام. وعادة ما يتم استخدامه لمزامنة قيم النظام وما هو موجود فعلا في المستودعات الخاصة بك.
@@ -1544,17 +1557,16 @@
DocType: Program Enrollment Tool,Program Enrollments,التسجيلات برنامج
DocType: Sales Invoice Item,Brand Name,العلامة التجارية اسم
DocType: Purchase Receipt,Transporter Details,تفاصيل نقل
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,المخزن الافتراضي مطلوب للمادة المختارة
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,صندوق
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,المخزن الافتراضي مطلوب للمادة المختارة
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,صندوق
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,مزود الممكن
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,منظمة
DocType: Budget,Monthly Distribution,التوزيع الشهري
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,قائمة المتلقي هو فارغ. يرجى إنشاء قائمة استقبال
DocType: Production Plan Sales Order,Production Plan Sales Order,أمر الإنتاج خطة المبيعات
DocType: Sales Partner,Sales Partner Target,المبلغ المطلوب للمندوب
DocType: Loan Type,Maximum Loan Amount,أعلى قيمة للقرض
DocType: Pricing Rule,Pricing Rule,قاعدة التسعير
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},رقم لفة مكرر للطالب {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},رقم لفة مكرر للطالب {0}
DocType: Budget,Action if Annual Budget Exceeded,العمل إذا تجاوز الميزانية السنوية
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,الخامات المطلوبه لأمر الشراء
DocType: Shopping Cart Settings,Payment Success URL,رابط نجاح الدفع
@@ -1567,11 +1579,11 @@
DocType: C-Form,III,الثالث
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,فتح البورصة الميزان
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} يجب أن تظهر مرة واحدة فقط
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},غير مسموح بتحويل اكثر {0} من {1} مقابل امر الشراء {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},غير مسموح بتحويل اكثر {0} من {1} مقابل امر الشراء {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},اجازات مخصصة بنجاح ل {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,لا توجد عناصر لحزمة
DocType: Shipping Rule Condition,From Value,من القيمة
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,تصنيع الكمية إلزامي
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,تصنيع الكمية إلزامي
DocType: Employee Loan,Repayment Method,طريقة السداد
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",إذا تحققت، الصفحة الرئيسية ستكون المجموعة الافتراضية البند للموقع
DocType: Quality Inspection Reading,Reading 4,قراءة 4
@@ -1581,7 +1593,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},الصف # {0}: تاريخ التخليص {1} لا يمكن أن يكون قبل تاريخ شيكات {2}
DocType: Company,Default Holiday List,قائمة العطل الافتراضية
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},صف {0}: من الوقت وإلى وقت {1} ومتداخلة مع {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,المطلوبات المخزون
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,المطلوبات المخزون
DocType: Purchase Invoice,Supplier Warehouse,المورد مستودع
DocType: Opportunity,Contact Mobile No,الاتصال المحمول لا
,Material Requests for which Supplier Quotations are not created,طلبات المواد التي الاقتباسات مورد لا يتم إنشاء
@@ -1592,35 +1604,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,جعل الاقتباس
apps/erpnext/erpnext/config/selling.py +216,Other Reports,تقارير أخرى
DocType: Dependent Task,Dependent Task,العمل تعتمد
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},معامل تحويل وحدة القياس الافتراضية يجب أن تكون 1 في الصف {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},معامل تحويل وحدة القياس الافتراضية يجب أن تكون 1 في الصف {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},إجازة من نوع {0} لا يمكن أن تكون أطول من {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,محاولة التخطيط لعمليات لX أيام مقدما.
DocType: HR Settings,Stop Birthday Reminders,ايقاف التذكير بأعياد الميلاد
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},الرجاء تعيين الحساب الافتراضي لدفع الرواتب في الشركة {0}
DocType: SMS Center,Receiver List,قائمة المرسل اليهم
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,بحث البند
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,بحث البند
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,الكمية المستهلكة
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,صافي التغير في النقد
DocType: Assessment Plan,Grading Scale,مقياس الدرجات
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,وحدة القياس {0} تم إدخال أكثر من مرة واحدة في معامل التحويل الجدول
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,وحدة القياس {0} تم إدخال أكثر من مرة واحدة في معامل التحويل الجدول
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,أنجزت بالفعل
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,الأسهم، إلى داخل، أعطى
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},دفع طلب بالفعل {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,تكلفة عناصر صدر
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},لا يجب أن تكون الكمية أكثر من {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,لم يتم إغلاق سابقة المالية السنة
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),العمر (أيام)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),العمر (أيام)
DocType: Quotation Item,Quotation Item,عنصر تسعيرة
+DocType: Customer,Customer POS Id,الرقم التعريفي لنقاط البيع للعملاء
DocType: Account,Account Name,اسم الحساب
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,من تاريخ لا يمكن أن يكون أكبر من إلى تاريخ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,المسلسل لا {0} كمية {1} لا يمكن أن يكون جزء
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,المورد الرئيسي نوع .
DocType: Purchase Order Item,Supplier Part Number,رقم قطعة المورد
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,معدل التحويل لا يمكن أن يكون 0 أو 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,معدل التحويل لا يمكن أن يكون 0 أو 1
DocType: Sales Invoice,Reference Document,وثيقة مرجعية
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} ملغى أو موقف
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} ملغى أو موقف
DocType: Accounts Settings,Credit Controller,المراقب الائتمان
DocType: Delivery Note,Vehicle Dispatch Date,سيارة الإرسال التسجيل
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,استلام المشتريات {0} غير مرحل
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,استلام المشتريات {0} غير مرحل
DocType: Company,Default Payable Account,حساب Paybal الافتراضي
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.",إعدادات عربة التسوق مثل قواعد الشحن، وقائمة الأسعار الخ
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0} فوترت٪
@@ -1639,11 +1653,12 @@
DocType: Expense Claim,Total Amount Reimbursed,مجموع المبلغ المسدد
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,وذلك بناء على سجلات ضد هذه السيارات. انظر الجدول الزمني أدناه للاطلاع على التفاصيل
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,جمع
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},مقابل فاتورة المورد {0} بتاريخ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},مقابل فاتورة المورد {0} بتاريخ {1}
DocType: Customer,Default Price List,قائمة الأسعار الافتراضي
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,سجل حركة الأصول {0} خُلق
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,لا يمكنك حذف السنة المالية {0}. تم تعيين السنة المالية {0} كما الافتراضي في إعدادات العالمية
DocType: Journal Entry,Entry Type,نوع الدخول
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,لم يتم ربط أي خطة تقييم مع مجموعة التقييم هذه
,Customer Credit Balance,رصيد العميل
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,صافي التغير في الحسابات الدائنة
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',العميل المطلوبة ل ' Customerwise الخصم '
@@ -1651,7 +1666,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,التسعير
DocType: Quotation,Term Details,تفاصيل الشروط
DocType: Project,Total Sales Cost (via Sales Order),إجمالي تكلفة المبيعات (عبر أمر المبيعات)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,لا يمكن تسجيل أكثر من {0} الطلاب لهذه المجموعة الطلابية.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,لا يمكن تسجيل أكثر من {0} الطلاب لهذه المجموعة الطلابية.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,عدد الرصاص
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} يجب أن تكون أكبر من 0
DocType: Manufacturing Settings,Capacity Planning For (Days),القدرة على التخطيط لل(أيام)
@@ -1672,7 +1687,7 @@
DocType: Sales Invoice,Packed Items,عناصر معبأة
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,المطالبة الضمان ضد رقم المسلسل
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","استبدال BOM خاص في جميع BOMs الأخرى حيث يتم استخدامه. وسوف يحل محل وصلة BOM القديم، وتحديث التكلفة وتجديد ""BOM انفجار السلعة"" الجدول حسب BOM جديد"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','مجموع'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','مجموع'
DocType: Shopping Cart Settings,Enable Shopping Cart,تمكين سلة التسوق
DocType: Employee,Permanent Address,العنوان الدائم
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1688,9 +1703,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,يرجى تحديد الكمية أو التقييم إما قيم أو كليهما
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,تحقيق
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,عرض في العربة
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,مصاريف التسويق
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,مصاريف التسويق
,Item Shortage Report,البند تقرير نقص
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","يذكر الوزن، \n يرجى ذكر ""الوزن UOM"" للغاية"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","يذكر الوزن، \n يرجى ذكر ""الوزن UOM"" للغاية"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,طلب المواد المستخدمة لانشاء الحركة المخزنية
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,الاستهلاك المقبل التاريخ إلزامي للأصول جديدة
DocType: Student Group Creation Tool,Separate course based Group for every Batch,مجموعة منفصلة بالطبع مقرها لكل دفعة
@@ -1699,17 +1714,18 @@
,Student Fee Collection,طالب رسوم مجموعة
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,اكتب قيد يوميه لكل حركة مخزنية ؟
DocType: Leave Allocation,Total Leaves Allocated,إجمالي الاجازات المخصصة
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},مستودع المطلوبة في صف لا {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,الرجاء إدخال ساري المفعول بداية السنة المالية وتواريخ نهاية
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},مستودع المطلوبة في صف لا {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,الرجاء إدخال ساري المفعول بداية السنة المالية وتواريخ نهاية
DocType: Employee,Date Of Retirement,تاريخ التقاعد
DocType: Upload Attendance,Get Template,الحصول على نموذج
+DocType: Material Request,Transferred,نقل
DocType: Vehicle,Doors,الأبواب
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,إعداد ERPNext كامل!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,إعداد ERPNext كامل!
DocType: Course Assessment Criteria,Weightage,الوزن
DocType: Packing Slip,PS-,ملحوظة:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: مطلوب مركز التكلفة ل 'الربح والخسارة "حساب {2}. يرجى انشاء مركز التكلفة الافتراضية للشركة.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,يوجد مجموعة العملاء بنفس الاسم الرجاء تغيير اسم العميل أو إعادة تسمية مجموعة العملاء
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,اتصال جديد
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,يوجد مجموعة العملاء بنفس الاسم الرجاء تغيير اسم العميل أو إعادة تسمية مجموعة العملاء
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,اتصال جديد
DocType: Territory,Parent Territory,الأم الأرض
DocType: Quality Inspection Reading,Reading 2,القراءة 2
DocType: Stock Entry,Material Receipt,أستلام مواد
@@ -1718,17 +1734,16 @@
DocType: Employee,AB+,أب+
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",إذا كان هذا البند لديها بدائل، فإنه لا يمكن اختيارها في أوامر البيع الخ
DocType: Lead,Next Contact By,جهة الاتصال التالية بواسطة
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},الكمية المطلوبة القطعة ل {0} في {1} الصف
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},مستودع {0} لا يمكن حذف كما توجد كمية القطعة ل {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},الكمية المطلوبة القطعة ل {0} في {1} الصف
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},مستودع {0} لا يمكن حذف كما توجد كمية القطعة ل {1}
DocType: Quotation,Order Type,نوع الطلب
DocType: Purchase Invoice,Notification Email Address,عنوان البريد الإلكتروني الإخطار
,Item-wise Sales Register,مبيعات البند الحكيم سجل
DocType: Asset,Gross Purchase Amount,اجمالي مبلغ المشتريات
DocType: Asset,Depreciation Method,طريقة الاستهلاك
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,غير متصل
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,غير متصل
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,هل هذه الضريبة متضمنة في الاسعار الأساسية؟
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,إجمالي المستهدف
-DocType: Program Course,Required,مطلوب
DocType: Job Applicant,Applicant for a Job,المتقدم للحصول على وظيفة
DocType: Production Plan Material Request,Production Plan Material Request,إنتاج خطة المواد طلب
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,لا أوامر الإنتاج التي تم إنشاؤها
@@ -1737,17 +1752,17 @@
DocType: Purchase Invoice Item,Batch No,رقم دفعة
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,السماح بعدة أوامر البيع ضد طلب شراء العميل
DocType: Student Group Instructor,Student Group Instructor,مجموعة الطالب
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 رقم الجوال
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,رئيسي
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 رقم الجوال
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,رئيسي
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,مختلف
DocType: Naming Series,Set prefix for numbering series on your transactions,تحديد بادئة للترقيم المتسلسل على المعاملات الخاصة بك
DocType: Employee Attendance Tool,Employees HTML,الموظفين HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,BOM الافتراضي ({0}) يجب أن تكون نشطة لهذا البند أو قالبها
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,BOM الافتراضي ({0}) يجب أن تكون نشطة لهذا البند أو قالبها
DocType: Employee,Leave Encashed?,إجازات مصروفة نقداً؟
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,فرصة من الحقل إلزامي
DocType: Email Digest,Annual Expenses,المصروفات السنوية
DocType: Item,Variants,المتغيرات
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,قم بعمل امر الشراء
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,قم بعمل امر الشراء
DocType: SMS Center,Send To,أرسل إلى
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},ليس هناك ما يكفي من توازن إجازة لإجازة نوع {0}
DocType: Payment Reconciliation Payment,Allocated amount,المبلغ المخصص
@@ -1761,26 +1776,25 @@
DocType: Supplier,Statutory info and other general information about your Supplier,معلومات قانونية ومعلومات عامة أخرى عن بريدا
DocType: Item,Serial Nos and Batches,الرقم التسلسلي ودفعات
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,قوة الطالب
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,مقابل قيد اليومية {0} ليس لديه أي لا مثيل لها {1} دخول
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,مقابل قيد اليومية {0} ليس لديه أي لا مثيل لها {1} دخول
apps/erpnext/erpnext/config/hr.py +137,Appraisals,تقييمات
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},تكرار المسلسل لا دخل القطعة ل {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,شرط للحصول على قانون الشحن
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,تفضل
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",لا يمكن overbill عن البند {0} في الصف {1} أكثر من {2}. للسماح على الفواتير، يرجى ضبط إعدادات في شراء
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,الرجاء تعيين مرشح بناء على البند أو مستودع
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",لا يمكن overbill عن البند {0} في الصف {1} أكثر من {2}. للسماح على الفواتير، يرجى ضبط إعدادات في شراء
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,الرجاء تعيين مرشح بناء على البند أو مستودع
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),وزن صافي من هذه الحزمة. (تحسب تلقائيا مجموع الوزن الصافي للسلعة)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,الرجاء إنشاء حساب لهذا مستودع وربطه. لا يمكن القيام بذلك تلقائيا حساب مع اسم {0} موجود بالفعل
DocType: Sales Order,To Deliver and Bill,لتسليم وبيل
DocType: Student Group,Instructors,المدربين
DocType: GL Entry,Credit Amount in Account Currency,إنشاء المبلغ في حساب العملة
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} يجب أن تعتمد
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} يجب أن تعتمد
DocType: Authorization Control,Authorization Control,إذن التحكم
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},الصف # {0}: رفض مستودع إلزامي ضد رفض البند {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},الصف # {0}: رفض مستودع إلزامي ضد رفض البند {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,دفعة
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.",مستودع {0} غير مرتبط بأي حساب، يرجى ذكر الحساب في سجل المستودع أو تعيين حساب المخزون الافتراضي في الشركة {1}.
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,إدارة طلباتك
DocType: Production Order Operation,Actual Time and Cost,الوقت الفعلي والتكلفة
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},طلب المواد من الحد الأقصى {0} يمكن إجراء القطعة ل {1} ضد ترتيب المبيعات {2}
-DocType: Employee,Salutation,تحية
DocType: Course,Course Abbreviation,اختصار بالطبع
DocType: Student Leave Application,Student Leave Application,طالب ترك التطبيق
DocType: Item,Will also apply for variants,سوف تطبق أيضا على المتغيرات
@@ -1792,12 +1806,12 @@
DocType: Quotation Item,Actual Qty,الكمية الفعلية
DocType: Sales Invoice Item,References,المراجع
DocType: Quality Inspection Reading,Reading 10,قراءة 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",قائمة المنتجات أو الخدمات التي تشتري أو تبيع الخاص بك.
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",قائمة المنتجات أو الخدمات التي تشتري أو تبيع الخاص بك.
DocType: Hub Settings,Hub Node,المحور عقدة
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,لقد دخلت عناصر مكررة . يرجى تصحيح و حاول مرة أخرى.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,مساعد
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,مساعد
DocType: Asset Movement,Asset Movement,حركة الأصول
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,سلة جديدة
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,سلة جديدة
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,البند {0} ليس البند المتسلسلة
DocType: SMS Center,Create Receiver List,إنشاء قائمة استقبال
DocType: Vehicle,Wheels,عجلات
@@ -1817,19 +1831,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"يمكن الرجوع صف فقط إذا كان نوع التهمة هي "" في السابق المبلغ صف 'أو' السابق صف إجمالي '"
DocType: Sales Order Item,Delivery Warehouse,مستودع تسليم
DocType: SMS Settings,Message Parameter,معامل الرسالة
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,شجرة من مراكز التكلفة المالية.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,شجرة من مراكز التكلفة المالية.
DocType: Serial No,Delivery Document No,الوثيقة لا تسليم
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},الرجاء تعيين "حساب / الخسارة ربح من التخلص من الأصول" في شركة {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,الحصول على أصناف من إيصالات الشراء
DocType: Serial No,Creation Date,تاريخ الإنشاء
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},البند {0} يظهر عدة مرات في قائمة الأسعار {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}",يجب أن يتم التحقق البيع، إذا تم تحديد مطبق للك {0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}",يجب أن يتم التحقق البيع، إذا تم تحديد مطبق للك {0}
DocType: Production Plan Material Request,Material Request Date,المادي طلب التسجيل
DocType: Purchase Order Item,Supplier Quotation Item,المورد اقتباس الإغلاق
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,تعطيل إنشاء سجلات المرة ضد أوامر الإنتاج. لا يجوز تعقب عمليات ضد ترتيب الإنتاج
DocType: Student,Student Mobile Number,طالب عدد موبايل
DocType: Item,Has Variants,يحتوي على متغيرات
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},لقد حددت العناصر من {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},لقد حددت العناصر من {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,اسم التوزيع الشهري
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,معرف الدفعة إلزامي
DocType: Sales Person,Parent Sales Person,رجل المبيعات الرئيسي
@@ -1839,12 +1853,12 @@
DocType: Budget,Fiscal Year,السنة المالية
DocType: Vehicle Log,Fuel Price,أسعار الوقود
DocType: Budget,Budget,ميزانية
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,يجب أن تكون ثابتة البند الأصول عنصر غير الأسهم.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,يجب أن تكون ثابتة البند الأصول عنصر غير الأسهم.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",الموازنة لا يمكن تحديدها مقابل {0}، لانها ليست حساب الإيرادات أوالمصروفات
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,حقق
DocType: Student Admission,Application Form Route,مسار إستمارة التقديم
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,إقليم / العملاء
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,على سبيل المثال 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,على سبيل المثال 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,ترك نوع {0} لا يمكن تخصيصها لأنها إجازة بدون راتب
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},يجب أن يكون المبلغ المخصص {1} أقل من أو يساوي الفاتورة المبلغ المستحق {2} الصف {0}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,وبعبارة تكون مرئية بمجرد حفظ فاتورة المبيعات.
@@ -1853,7 +1867,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,البند {0} ليس الإعداد لل سيد رقم التسلسلي تاريخ المغادرة
DocType: Maintenance Visit,Maintenance Time,وقت الصيانة
,Amount to Deliver,المبلغ تسليم
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,منتج أو خدمة
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,منتج أو خدمة
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,تاريخ البدء الأجل لا يمكن أن يكون أقدم من تاريخ بداية السنة للعام الدراسي الذي يرتبط مصطلح (السنة الأكاديمية {}). يرجى تصحيح التواريخ وحاول مرة أخرى.
DocType: Guardian,Guardian Interests,الجارديان الهوايات
DocType: Naming Series,Current Value,القيمة الحالية
@@ -1868,12 +1882,12 @@
أكبر من أو يساوي {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,ويستند هذا على حركة المخزون. راجع {0} لمزيد من التفاصيل
DocType: Pricing Rule,Selling,بيع
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},مبلغ {0} {1} خصم ضد {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},مبلغ {0} {1} خصم ضد {2}
DocType: Employee,Salary Information,معلومات عن الراتب
DocType: Sales Person,Name and Employee ID,الاسم والرقم الوظيفي
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,بسبب التاريخ لا يمكن أن يكون قبل المشاركة في التسجيل
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,بسبب التاريخ لا يمكن أن يكون قبل المشاركة في التسجيل
DocType: Website Item Group,Website Item Group,مجموعة الأصناف للموقع
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,الرسوم والضرائب
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,الرسوم والضرائب
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,من فضلك ادخل تاريخ المرجعي
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} إدخالات الدفع لا يمكن أن تتم تصفيته من قبل {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,الجدول القطعة لأنه سيظهر في الموقع
@@ -1890,9 +1904,9 @@
DocType: Payment Reconciliation Payment,Reference Row,إشارة الصف
DocType: Installation Note,Installation Time,تثبيت الزمن
DocType: Sales Invoice,Accounting Details,تفاصيل المحاسبة
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,حذف جميع المعاملات لهذه الشركة
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,الصف # {0} عملية {1} لم يكتمل ل{2} الكمية من السلع تامة الصنع في أمر الإنتاج # {3}. يرجى تحديث حالة عملية عن طريق سجلات الوقت
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,الاستثمارات
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,حذف جميع المعاملات لهذه الشركة
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,الصف # {0} عملية {1} لم يكتمل ل{2} الكمية من السلع تامة الصنع في أمر الإنتاج # {3}. يرجى تحديث حالة عملية عن طريق سجلات الوقت
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,الاستثمارات
DocType: Issue,Resolution Details,قرار تفاصيل
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,المخصصات
DocType: Item Quality Inspection Parameter,Acceptance Criteria,معايير القبول
@@ -1917,7 +1931,7 @@
DocType: Room,Room Name,اسم الغرفة
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",لا يمكن تطبيق الإجازة / إلغاءها قبل {0}، حيث تم بالفعل تحويل رصيد الإجازة في سجل تخصيص الإجازات المستقبلية {1}
DocType: Activity Cost,Costing Rate,تكلف سعر
-,Customer Addresses And Contacts,عنوان العميل ومعلومات الاتصال الخاصة به
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,عنوان العميل ومعلومات الاتصال الخاصة به
,Campaign Efficiency,كفاءة الحملة
DocType: Discussion,Discussion,نقاش
DocType: Payment Entry,Transaction ID,رقم المعاملات
@@ -1927,14 +1941,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),المبلغ الكلي الفواتير (عبر ورقة الوقت)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,الإيرادات العملاء المكررين
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) يجب أن يمتلك صلاحية (موافق النفقات)
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,زوج
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,حدد مكتب الإدارة والكمية للإنتاج
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,زوج
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,حدد مكتب الإدارة والكمية للإنتاج
DocType: Asset,Depreciation Schedule,جدول الاستهلاك
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,عناوين شركاء المبيعات والاتصالات
DocType: Bank Reconciliation Detail,Against Account,ضد الحساب
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,يجب أن يكون تاريخ نصف يوم ما بين التاريخ والتاريخ
DocType: Maintenance Schedule Detail,Actual Date,التاريخ الفعلي
DocType: Item,Has Batch No,ودفعة واحدة لا
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},الفواتير السنوية: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},الفواتير السنوية: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),ضريبة السلع والخدمات (ضريبة السلع والخدمات الهند)
DocType: Delivery Note,Excise Page Number,المكوس رقم الصفحة
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","اجباري الشركة , من تاريخ و الي تاريخ"
DocType: Asset,Purchase Date,تاريخ الشراء
@@ -1942,11 +1958,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},الرجاء تعيين "الأصول مركز الاستهلاك الكلفة" في شركة {0}
,Maintenance Schedules,جداول الصيانة
DocType: Task,Actual End Date (via Time Sheet),تاريخ الإنتهاء الفعلي (عبر ورقة الوقت)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},مبلغ {0} {1} من {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},مبلغ {0} {1} من {2} {3}
,Quotation Trends,مجرى التسعيرات
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},المجموعة البند لم يرد ذكرها في البند الرئيسي لمادة {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,يجب أن يكون الخصم لحساب حساب المقبوضات
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},المجموعة البند لم يرد ذكرها في البند الرئيسي لمادة {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,يجب أن يكون الخصم لحساب حساب المقبوضات
DocType: Shipping Rule Condition,Shipping Amount,مبلغ الشحن
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,إضافة العملاء
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,في انتظار المبلغ
DocType: Purchase Invoice Item,Conversion Factor,معامل التحويل
DocType: Purchase Order,Delivered,تسليم
@@ -1956,7 +1973,8 @@
DocType: Purchase Receipt,Vehicle Number,عدد المركبات
DocType: Purchase Invoice,The date on which recurring invoice will be stop,التاريخ الذي سيتم فاتورة المتكررة وقف
DocType: Employee Loan,Loan Amount,مبلغ القرض
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},صف {0}: من مواد مشروع القانون لم يتم العثور على هذا البند {1}
+DocType: Program Enrollment,Self-Driving Vehicle,سيارة ذاتية القيادة
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},صف {0}: من مواد مشروع القانون لم يتم العثور على هذا البند {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,مجموع الأوراق المخصصة {0} لا يمكن أن يكون أقل من الأوراق وافق بالفعل {1} للفترة
DocType: Journal Entry,Accounts Receivable,حسابات القبض
,Supplier-Wise Sales Analytics,المورد حكيم المبيعات تحليلات
@@ -1973,21 +1991,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,"اعتماد طلب النفقات معلق , فقط اعتماده ممكن تغير الحالة."
DocType: Email Digest,New Expenses,مصاريف جديدة
DocType: Purchase Invoice,Additional Discount Amount,مقدار الخصم الاضافي
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",الصف # {0}: يجب أن يكون العدد 1، والبند هو أصل ثابت. الرجاء استخدام صف منفصل عن الكمية متعددة.
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",الصف # {0}: يجب أن يكون العدد 1، والبند هو أصل ثابت. الرجاء استخدام صف منفصل عن الكمية متعددة.
DocType: Leave Block List Allow,Leave Block List Allow,تفعيل قائمة الإجازات المحظورة
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,"الاسم المختصر لا يمكن أن يكون فارغاً أو ""مسافة"""
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,"الاسم المختصر لا يمكن أن يكون فارغاً أو ""مسافة"""
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,مجموعة لغير المجموعه
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,الرياضة
DocType: Loan Type,Loan Name,اسم قرض
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,الإجمالي الفعلي
DocType: Student Siblings,Student Siblings,الإخوة والأخوات الطلاب
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,وحدة
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,يرجى تحديد شركة
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,وحدة
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,يرجى تحديد شركة
,Customer Acquisition and Loyalty,اكتساب العملاء و الولاء
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,مستودع حيث كنت الحفاظ على المخزون من المواد رفضت
DocType: Production Order,Skip Material Transfer,تخطي نقل المواد
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,تعذر العثور على سعر الصرف من {0} إلى {1} لتاريخ المفتاح {2}. يرجى إنشاء سجل صرف العملات يدويا
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,السنة المالية تنتهي في الخاص
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,تعذر العثور على سعر الصرف من {0} إلى {1} لتاريخ المفتاح {2}. يرجى إنشاء سجل صرف العملات يدويا
DocType: POS Profile,Price List,قائمة الأسعار
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} هي السنة المالية الافتراضية الآن، يرجى تحديث المتصفح ليصبح التغيير نافذ المفعول.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,طلب النفقات
@@ -2000,14 +2017,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},توازن الأسهم في الدفعة {0} ستصبح سلبية {1} القطعة ل{2} في {3} مستودع
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,وبناء على طلبات المواد أثيرت تلقائيا على أساس إعادة ترتيب مستوى العنصر
DocType: Email Digest,Pending Sales Orders,في انتظار أوامر البيع
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},الحساب {0} غير صحيح. يجب أن تكون عملة الحساب {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},الحساب {0} غير صحيح. يجب أن تكون عملة الحساب {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},معامل تحويل وحدة القياس مطلوب في الصف: {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",الصف # {0}: يجب أن يكون مرجع نوع الوثيقة واحدة من ترتيب المبيعات، مبيعات فاتورة أو إدخال دفتر اليومية
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",الصف # {0}: يجب أن يكون مرجع نوع الوثيقة واحدة من ترتيب المبيعات، مبيعات فاتورة أو إدخال دفتر اليومية
DocType: Salary Component,Deduction,استقطاع
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,صف {0}: من الوقت وإلى وقت إلزامي.
DocType: Stock Reconciliation Item,Amount Difference,مقدار الفرق
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},وأضاف البند سعر {0} في قائمة الأسعار {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},وأضاف البند سعر {0} في قائمة الأسعار {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,الرجاء إدخال رقم الموظف من رجل المبيعات هذا
DocType: Territory,Classification of Customers by region,تصنيف العملاء حسب المنطقة
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,يجب أن يكون الفرق المبلغ صفر
@@ -2019,21 +2036,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,مجموع الخصم
,Production Analytics,تحليلات إنتاج
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,تكلفة تحديث
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,تكلفة تحديث
DocType: Employee,Date of Birth,تاريخ الميلاد
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,البند {0} تم بالفعل عاد
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,البند {0} تم بالفعل عاد
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**السنة المالية** تمثل سنة مالية. يتم تعقب كل القيود المحاسبية والمعاملات الرئيسية الأخرى مقابل **السنة المالية**.
DocType: Opportunity,Customer / Lead Address,العميل/ عنوان الدليل
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},تحذير: شهادة SSL غير صالحة في المرفق {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},تحذير: شهادة SSL غير صالحة في المرفق {0}
DocType: Student Admission,Eligibility,جدارة
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads",يؤدي مساعدتك في الحصول على العمل، إضافة كافة جهات الاتصال الخاصة بك وأكثر من ذلك كما يؤدي بك
DocType: Production Order Operation,Actual Operation Time,الفعلي وقت التشغيل
DocType: Authorization Rule,Applicable To (User),تنطبق على (المستخدم)
DocType: Purchase Taxes and Charges,Deduct,خصم
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,المسمى الوظيفي
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,المسمى الوظيفي
DocType: Student Applicant,Applied,طُبق
DocType: Sales Invoice Item,Qty as per Stock UOM,الكمية حسب السهم لوحدة قياس السهم
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,اسم Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,اسم Guardian2
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","أحرف خاصة باستثناء ""-"" "".""، ""#""، و""/"" غير مسموح به في تسمية الترقيم المتسلسل"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.",تتبع الحملات المبيعات. تتبع يؤدي، الاقتباسات، ترتيب المبيعات الخ من الحملات لقياس العائد على الاستثمار.
DocType: Expense Claim,Approver,المخول بالموافقة
@@ -2044,7 +2061,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},رقم المسلسل {0} هو تحت الضمان لغاية {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,ملاحظة تقسيم التوصيل في حزم.
apps/erpnext/erpnext/hooks.py +87,Shipments,شحنات
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,رصيد حساب GL ({0}) ل {1} وقيمة المخزون ({2}) للمستودع {3} يجب ان يكونوا متساويين
DocType: Payment Entry,Total Allocated Amount (Company Currency),إجمالي المبلغ المخصص (شركة العملات)
DocType: Purchase Order Item,To be delivered to customer,ليتم تسليمها إلى العملاء
DocType: BOM,Scrap Material Cost,التكلفة الخردة المواد
@@ -2052,20 +2068,21 @@
DocType: Purchase Invoice,In Words (Company Currency),في الأحرف ( عملة الشركة )
DocType: Asset,Supplier,المورد
DocType: C-Form,Quarter,ربع
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,المصروفات المتنوعة
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,المصروفات المتنوعة
DocType: Global Defaults,Default Company,الشركة الافتراضية
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,اجباري حساب النفقات او الفروق للصنف {0} تأثير شامل لقيمة المخزون
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,اجباري حساب النفقات او الفروق للصنف {0} تأثير شامل لقيمة المخزون
DocType: Payment Request,PR,العلاقات العامة
DocType: Cheque Print Template,Bank Name,اسم البنك
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-أعلى
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-أعلى
DocType: Employee Loan,Employee Loan Account,حساب GL قرض الموظف
DocType: Leave Application,Total Leave Days,مجموع أيام الإجازة
DocType: Email Digest,Note: Email will not be sent to disabled users,ملاحظة: لن يتم إرسالها إلى البريد الإلكتروني للمستخدمين ذوي الاحتياجات الخاصة
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,عدد التفاعل
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,رمز البند> مجموعة المنتجات> العلامة التجارية
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,حدد الشركة ...
DocType: Leave Control Panel,Leave blank if considered for all departments,اتركها فارغه اذا كنت تريد تطبيقها لجميع الأقسام
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).",أنواع التوظيف (دائم أو عقد او متدرب الخ).
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} إلزامي للصنف {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} إلزامي للصنف {1}
DocType: Process Payroll,Fortnightly,مرة كل اسبوعين
DocType: Currency Exchange,From Currency,من العملات
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",يرجى تحديد المبلغ المخصص، نوع الفاتورة ورقم الفاتورة في أتلست صف واحد
@@ -2087,7 +2104,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,الرجاء انقر على ' إنشاء الجدول ' للحصول على الجدول الزمني
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,كانت هناك أخطاء أثناء حذف الجداول التالية:
DocType: Bin,Ordered Quantity,أمرت الكمية
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","مثلاً: ""نبني أدوات البنائين"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","مثلاً: ""نبني أدوات البنائين"""
DocType: Grading Scale,Grading Scale Intervals,فواصل درجات مقياس
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: لا يمكن إلا أن تكون قيد محاسبي ل{2} في العملة: {3}
DocType: Production Order,In Process,في عملية
@@ -2101,12 +2118,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} تم إنشاء مجموعات الطالب.
DocType: Sales Invoice,Total Billing Amount,المبلغ الكلي الفواتير
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,يجب أن يكون هناك حساب البريد الإلكتروني الافتراضي واردة لهذا العمل. يرجى إعداد حساب بريد إلكتروني واردة الافتراضي (POP / IMAP) وحاول مرة أخرى.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,حساب المستحق
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},الصف # {0}: الأصول {1} هو بالفعل {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,حساب المستحق
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},الصف # {0}: الأصول {1} هو بالفعل {2}
DocType: Quotation Item,Stock Balance,رصيد المخزون
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,ترتيب مبيعات لدفع
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,يرجى تعيين سلسلة التسمية ل {0} عبر الإعداد> إعدادات> تسمية السلسلة
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,المدير التنفيذي
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,المدير التنفيذي
DocType: Expense Claim Detail,Expense Claim Detail,تفاصيل المطالبة بالنفقات
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,يرجى تحديد الحساب الصحيح
DocType: Item,Weight UOM,وحدة قياس الوزن
@@ -2115,12 +2131,12 @@
DocType: Production Order Operation,Pending,ريثما
DocType: Course,Course Name,اسم الدورة التدريبية
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,المستخدمين الذين يمكنهم الموافقة على الطلبات إجازة موظف معين
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,أدوات المكتب
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,أدوات المكتب
DocType: Purchase Invoice Item,Qty,الكمية
DocType: Fiscal Year,Companies,الشركات
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,إلكترونيات
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,رفع طلب المواد عند الأسهم تصل إلى مستوى إعادة الطلب
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,بدوام كامل
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,بدوام كامل
DocType: Salary Structure,Employees,الموظفين
DocType: Employee,Contact Details,كيفية التواصل
DocType: C-Form,Received Date,تاريخ الاستلام
@@ -2130,7 +2146,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,لن تظهر الأسعار إذا لم يتم تعيين قائمة الأسعار
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,يرجى تحديد بلد لهذا الشحن القاعدة أو تحقق من جميع أنحاء العالم الشحن
DocType: Stock Entry,Total Incoming Value,إجمالي القيمة الواردة
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,مطلوب الخصم ل
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,مطلوب الخصم ل
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team",الجداول الزمنية تساعد على الحفاظ على المسار من الوقت والتكلفة وإعداد الفواتير للنشاطات الذي قام به فريقك
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,قائمة اسعار المشتريات
DocType: Offer Letter Term,Offer Term,عرض عمل
@@ -2139,17 +2155,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,دفع المصالحة
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,يرجى تحديد اسم الشخص المكلف
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,تكنولوجيا
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},عدد غير مدفوع: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},عدد غير مدفوع: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM موقع عملية
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,عرض عمل
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,.وأوامر الإنتاج (MRP) إنشاء طلبات المواد
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,إجمالي الفاتورة AMT
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,إجمالي الفاتورة AMT
DocType: BOM,Conversion Rate,معدل التحويل
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,بحث منتوج
DocType: Timesheet Detail,To Time,إلى وقت
DocType: Authorization Rule,Approving Role (above authorized value),الموافقة دور (أعلى قيمة أذن)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,لإنشاء الحساب يجب ان يكون دائنون / مدفوعات
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},فاتورة الموارد: {0} لا يمكن ان تكون والد او واد من {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,لإنشاء الحساب يجب ان يكون دائنون / مدفوعات
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},فاتورة الموارد: {0} لا يمكن ان تكون والد او واد من {2}
DocType: Production Order Operation,Completed Qty,الكمية المنتهية
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",لـ {0} فقط إنشاء حسابات ممكن توصيله مقابل ادخال مدين اخر
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,قائمة الأسعار {0} تم تعطيل
@@ -2160,28 +2176,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,يلزم {0} أرقاماً تسلسلية للبند {1}. بينما قدمت {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,معدل التقييم الحالي
DocType: Item,Customer Item Codes,كود صنف العميل
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,صرف أرباح / خسائر
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,صرف أرباح / خسائر
DocType: Opportunity,Lost Reason,فقد السبب
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,عنوان جديد
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,عنوان جديد
DocType: Quality Inspection,Sample Size,حجم العينة
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,الرجاء إدخال الوثيقة إيصال
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,كل الأصناف قد تم فوترتها من قبل
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,كل الأصناف قد تم فوترتها من قبل
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',الرجاء تحديد صالح 'من القضية رقم'
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,مراكز تكلفة إضافية يمكن أن تكون ضمن مجموعات ولكن يمكن أن تكون إدخالات ضد المجموعات غير-
DocType: Project,External,خارجي
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,المستخدمين والأذونات
DocType: Vehicle Log,VLOG.,مدونة فيديو.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},أوامر إنتاج المنشأة: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},أوامر إنتاج المنشأة: {0}
DocType: Branch,Branch,فرع
DocType: Guardian,Mobile Number,رقم الهاتف المحمول
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,الطباعة و العلامات التجارية
DocType: Bin,Actual Quantity,الكمية الفعلية
DocType: Shipping Rule,example: Next Day Shipping,مثال:شحن اليوم التالي
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,المسلسل لا {0} لم يتم العثور
-DocType: Scheduling Tool,Student Batch,دفعة طالب
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,العملاء
+DocType: Program Enrollment,Student Batch,دفعة طالب
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,جعل الطلاب
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},لقد وجهت الدعوة إلى التعاون في هذا المشروع: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},لقد وجهت الدعوة إلى التعاون في هذا المشروع: {0}
DocType: Leave Block List Date,Block Date,تاريخ الحظر
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,قدم الآن
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},الكمية الفعلية {0} / وايتينغ كتي {1}
@@ -2190,7 +2205,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.",إنشاء وإدارة ملخصات البريد الإلكتروني اليومية والأسبوعية والشهرية.
DocType: Appraisal Goal,Appraisal Goal,الغاية من التقييم
DocType: Stock Reconciliation Item,Current Amount,المبلغ الحالي
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,البنايات
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,البنايات
DocType: Fee Structure,Fee Structure,هيكل الرسوم
DocType: Timesheet Detail,Costing Amount,تكلف مبلغ
DocType: Student Admission,Application Fee,رسم الإستمارة
@@ -2202,10 +2217,10 @@
DocType: POS Profile,[Select],[اختر ]
DocType: SMS Log,Sent To,يرسل الى
DocType: Payment Request,Make Sales Invoice,انشاء فاتورة المبيعات
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,برامج
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,برامج
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,التالي اتصل بنا التسجيل لا يمكن أن يكون في الماضي
DocType: Company,For Reference Only.,للاشارة فقط.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,حدد الدفعة رقم
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,حدد الدفعة رقم
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},باطلة {0} {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,المبلغ مقدما
@@ -2215,15 +2230,15 @@
DocType: Employee,Employment Details,تفاصيل الوظيفة
DocType: Employee,New Workplace,مكان العمل الجديد
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,على النحو مغلق
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},أي عنصر مع الباركود {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},أي عنصر مع الباركود {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,القضية رقم لا يمكن أن يكون 0
DocType: Item,Show a slideshow at the top of the page,تظهر الشرائح في أعلى الصفحة
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,مخازن
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,مخازن
DocType: Serial No,Delivery Time,وقت التسليم
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,العمر بناءا على
DocType: Item,End of Life,نهاية الحياة
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,السفر
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,السفر
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,لا يوجد هيكلية راتب افتراضية أو نشطة تم العثور عليها للموظف {0} للتواريخ معينة
DocType: Leave Block List,Allow Users,السماح للمستخدمين
DocType: Purchase Order,Customer Mobile No,العميل رقم هاتفك الجوال
@@ -2232,29 +2247,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,تحديث التكلفة
DocType: Item Reorder,Item Reorder,البند إعادة ترتيب
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,عرض كشف الراتب
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,نقل المواد
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,نقل المواد
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",تحديد العمليات ، وتكلفة التشغيل وإعطاء عملية فريدة من نوعها لا لل عمليات الخاصة بك.
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,هذه الوثيقة هي على حد كتبها {0} {1} لمادة {4}. وجعل لكم آخر {3} ضد نفسه {2}؟
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,الرجاء تعيين المتكررة بعد إنقاذ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,حساب كمية حدد التغيير
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,هذه الوثيقة هي على حد كتبها {0} {1} لمادة {4}. وجعل لكم آخر {3} ضد نفسه {2}؟
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,الرجاء تعيين المتكررة بعد إنقاذ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,حساب كمية حدد التغيير
DocType: Purchase Invoice,Price List Currency,قائمة الأسعار العملات
DocType: Naming Series,User must always select,يجب دائما مستخدم تحديد
DocType: Stock Settings,Allow Negative Stock,السماح بالقيم السالبة للمخزون
DocType: Installation Note,Installation Note,ملاحظة التثبيت
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,إضافة الضرائب
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,إضافة الضرائب
DocType: Topic,Topic,موضوع
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,تدفق النقد من التمويل
DocType: Budget Account,Budget Account,حساب الميزانية
DocType: Quality Inspection,Verified By,التحقق من
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",لا يمكن تغيير العملة الافتراضية الشركة ، وذلك لأن هناك معاملات القائمة. يجب أن يتم إلغاء المعاملات لتغيير العملة الافتراضية.
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",لا يمكن تغيير العملة الافتراضية الشركة ، وذلك لأن هناك معاملات القائمة. يجب أن يتم إلغاء المعاملات لتغيير العملة الافتراضية.
DocType: Grading Scale Interval,Grade Description,الصف الوصف
DocType: Stock Entry,Purchase Receipt No,لا شراء استلام
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,العربون
DocType: Process Payroll,Create Salary Slip,إنشاء كشف الرواتب
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,التتبع
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),مصدر الأموال ( المطلوبات )
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},كمية في الصف {0} ( {1} ) ويجب أن تكون نفس الكمية المصنعة {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),مصدر الأموال ( المطلوبات )
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},كمية في الصف {0} ( {1} ) ويجب أن تكون نفس الكمية المصنعة {2}
DocType: Appraisal,Employee,موظف
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,حدد الدفعة
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} فوترت بشكل كامل
DocType: Training Event,End Time,وقت الانتهاء
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,هيكل الراتب نشط {0} تم العثور عليها ل موظف {1} للتواريخ معينة
@@ -2266,11 +2282,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,المطلوبة على
DocType: Rename Tool,File to Rename,إعادة تسمية الملف
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},الرجاء تحديد BOM لعنصر في الصف {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},محدد BOM {0} غير موجود القطعة ل{1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},الحساب {0} لا يتطابق مع الشركة {1} في طريقة الحساب: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},محدد BOM {0} غير موجود القطعة ل{1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,{0} يجب أن يتم إلغاء جدول الصيانة قبل إلغاء هذا الأمر المبيعات
DocType: Notification Control,Expense Claim Approved,اعتمد طلب النفقات
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,كشف راتب الموظف {0} تم إنشاؤه مسبقا لهذه الفترة
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,الأدوية
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,الأدوية
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,تكلفة البنود التي تم شراؤها
DocType: Selling Settings,Sales Order Required,اوامر البيع المطلوبة
DocType: Purchase Invoice,Credit To,دائن الى
@@ -2287,42 +2304,42 @@
DocType: Payment Gateway Account,Payment Account,حساب الدفع
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,يرجى تحديد الشركة للمضي قدما
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,صافي التغير في حسابات المقبوضات
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,التعويضية
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,التعويضية
DocType: Offer Letter,Accepted,مقبول
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,منظمة
DocType: SG Creation Tool Course,Student Group Name,اسم المجموعة الطلابية
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,من فضلك تأكد من حقا تريد حذف جميع المعاملات لهذه الشركة. ستبقى البيانات الرئيسية الخاصة بك كما هو. لا يمكن التراجع عن هذا الإجراء.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,من فضلك تأكد من حقا تريد حذف جميع المعاملات لهذه الشركة. ستبقى البيانات الرئيسية الخاصة بك كما هو. لا يمكن التراجع عن هذا الإجراء.
DocType: Room,Room Number,رقم الغرفة
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},مرجع غير صالح {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) لا يمكن أن تتخطي الكمية المخططة {2} في أمر الانتاج {3}
DocType: Shipping Rule,Shipping Rule Label,ملصق قاعدة الشحن
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,المنتدى المستعمل
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,المواد الخام لا يمكن أن يكون فارغا.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.",تعذر تحديث المخزون، فاتورة تحتوي انخفاض الشحن البند.
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,المواد الخام لا يمكن أن يكون فارغا.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.",تعذر تحديث المخزون، فاتورة تحتوي انخفاض الشحن البند.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,خيارات مجلة الدخول
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,لا يمكنك تغيير المعدل إذا BOM اشير اليها مقابل أي بند
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,لا يمكنك تغيير المعدل إذا BOM اشير اليها مقابل أي بند
DocType: Employee,Previous Work Experience,خبرة العمل السابقة
DocType: Stock Entry,For Quantity,لالكمية
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},يرجى إدخال الكمية المخططة القطعة ل {0} في {1} الصف
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} لم يتم تأكيده
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,طلبات البنود.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,سيتم إنشاء منفصلة أمر الإنتاج لمادة جيدة لكل النهائي.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} يجب أن تكون القيمة سالبة في وثيقة العودة
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} يجب أن تكون القيمة سالبة في وثيقة العودة
,Minutes to First Response for Issues,دقائق إلى الاستجابة الأولى لقضايا
DocType: Purchase Invoice,Terms and Conditions1,1 الشروط والأحكام
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,اسم المعهد الذي كنت تقوم بإعداد هذا النظام.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,اسم المعهد الذي كنت تقوم بإعداد هذا النظام.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",موقوف - فيما عدا الدور الموضح بأسفل / لا يمكن لأحد عمل حركات محاسبية حتى هذا التاريخ
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,الرجاء حفظ المستند قبل إنشاء جدول الصيانة
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,حالة المشروع
DocType: UOM,Check this to disallow fractions. (for Nos),الاختيار هذه لكسور عدم السماح بها. (لNOS)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,تم إنشاء أوامر الإنتاج التالية:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,تم إنشاء أوامر الإنتاج التالية:
DocType: Student Admission,Naming Series (for Student Applicant),تسمية سلسلة (لمقدم الطلب طالب)
DocType: Delivery Note,Transporter Name,نقل اسم
DocType: Authorization Rule,Authorized Value,القيمة المسموح بها
DocType: BOM,Show Operations,مشاهدة العمليات
,Minutes to First Response for Opportunity,دقائق إلى الاستجابة الأولى للفرص
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,إجمالي غائب
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,البند أو مستودع لل صف {0} لا يطابق المواد طلب
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,البند أو مستودع لل صف {0} لا يطابق المواد طلب
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,وحدة القياس
DocType: Fiscal Year,Year End Date,تاريخ نهاية العام
DocType: Task Depends On,Task Depends On,المهمة تعتمد على
@@ -2421,11 +2438,11 @@
DocType: Asset,Manual,كتيب
DocType: Salary Component Account,Salary Component Account,حساب مكون الراتب
DocType: Global Defaults,Hide Currency Symbol,إخفاء رمز العملة
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card",على سبيل المثال البنك، نقدا، بطاقة الائتمان
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card",على سبيل المثال البنك، نقدا، بطاقة الائتمان
DocType: Lead Source,Source Name,اسم المصدر
DocType: Journal Entry,Credit Note,ملاحظة الائتمان
DocType: Warranty Claim,Service Address,عنوان الخدمة
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,أثاث وتركيبات
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,أثاث وتركيبات
DocType: Item,Manufacture,صناعة
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,يرجى ملاحظة التسليم أولا
DocType: Student Applicant,Application Date,تاريخ التقديم
@@ -2435,7 +2452,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,إزالة التاريخ لم يرد ذكرها
apps/erpnext/erpnext/config/manufacturing.py +7,Production,الإنتاج
DocType: Guardian,Occupation,الاحتلال
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,الرجاء الإعداد نظام تسمية الموظف في الموارد البشرية> إعدادات الموارد البشرية
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,الصف {0} : يجب أن يكون تاريخ بدء قبل تاريخ الانتهاء
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),إجمالي (الكمية)
DocType: Sales Invoice,This Document,هذا المستند
@@ -2447,19 +2463,19 @@
DocType: Purchase Receipt,Time at which materials were received,الوقت الذي وردت المواد
DocType: Stock Ledger Entry,Outgoing Rate,أسعار المنتهية ولايته
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,فرع المؤسسة الرئيسية .
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,أو
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,أو
DocType: Sales Order,Billing Status,الحالة الفواتير
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,أبلغ عن مشكلة
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,مصاريف فائدة
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,مصاريف فائدة
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90 وفوق
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,الصف # {0}: إدخال دفتر اليومية {1} لا يكن لديك حساب {2} أو بالفعل يضاهي ضد قسيمة أخرى
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,الصف # {0}: إدخال دفتر اليومية {1} لا يكن لديك حساب {2} أو بالفعل يضاهي ضد قسيمة أخرى
DocType: Buying Settings,Default Buying Price List,قائمة اسعار الشراء الافتراضية
DocType: Process Payroll,Salary Slip Based on Timesheet,كشف الرواتب بناء على سجل التوقيت
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,لا يوجد موظف للمعايير المحددة أعلاه أو كشف راتب تم إنشاؤها مسبقا
DocType: Notification Control,Sales Order Message,رسالة اوامر البيع
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",تعيين القيم الافتراضية مثل الشركة، والعملة، والسنة المالية الحالية، وما إلى ذلك.
DocType: Payment Entry,Payment Type,الدفع نوع
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,الرجاء تحديد دفعة للعنصر {0}. تعذر العثور على دفعة واحدة تستوفي هذا المطلب
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,الرجاء تحديد دفعة للعنصر {0}. تعذر العثور على دفعة واحدة تستوفي هذا المطلب
DocType: Process Payroll,Select Employees,حدد الموظفين
DocType: Opportunity,Potential Sales Deal,المبيعات المحتملة صفقة
DocType: Payment Entry,Cheque/Reference Date,تاريخ الصك / السند المرجع
@@ -2479,7 +2495,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,يجب تقديم وثيقة استلام
DocType: Purchase Invoice Item,Received Qty,تلقى الكمية
DocType: Stock Entry Detail,Serial No / Batch,رقم المسلسل / الدفعة
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,لا المدفوع ويتم تسليم
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,لا المدفوع ويتم تسليم
DocType: Product Bundle,Parent Item,البند الاصلي
DocType: Account,Account Type,نوع الحساب
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2493,24 +2509,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),تحديد حزمة لتسليم (للطباعة)
DocType: Bin,Reserved Quantity,الكمية المحجوزة
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,الرجاء إدخال عنوان بريد إلكتروني صالح
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},لا يوجد مسار إلزامي للبرنامج {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,شراء قطع الإيصال
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,نماذج التخصيص
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,متأخر
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,متأخر
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,انخفاض قيمة المبلغ خلال الفترة
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,لا يجب أن يكون قالب تعطيل القالب الافتراضي
DocType: Account,Income Account,دخل الحساب
DocType: Payment Request,Amount in customer's currency,المبلغ بعملة العميل
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,تسليم
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,تسليم
DocType: Stock Reconciliation Item,Current Qty,الكمية الحالية
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",انظر "نسبة المواد على أساس" التكلفة في القسم
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,السابق
DocType: Appraisal Goal,Key Responsibility Area,معيار التقييم
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students",دفعات طالب تساعدك على تتبع الحضور، وتقييمات والرسوم للطلاب
DocType: Payment Entry,Total Allocated Amount,إجمالي المبلغ المخصص
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,تعيين حساب المخزون الافتراضي للمخزون الدائم
DocType: Item Reorder,Material Request Type,طلب نوع المواد
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural إدخال دفتر اليومية للرواتب من {0} إلى {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save",التخزين المحلي هو الكامل، لم ينقذ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save",التخزين المحلي هو الكامل، لم ينقذ
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,الصف {0}: معامل تحويل وحدة القياس إلزامي
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,المرجع
DocType: Budget,Cost Center,مركز التكلفة
@@ -2523,19 +2539,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",قاعدة الاسعار تم تكوينها لتستبدل قوائم الاسعار / عرف نسبة الخصم بناء على معيير معينة
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,لا يمكن إلا أن تتغير مستودع عبر الحركات المخزنية/ التوصيل ملاحظة / شراء الإيصال
DocType: Employee Education,Class / Percentage,الفئة / النسبة المئوية
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,رئيس التسويق والمبيعات
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,ضريبة الدخل
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,رئيس التسويق والمبيعات
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,ضريبة الدخل
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","إذا تم اختيار قاعدة التسعير ل 'الأسعار'، فإنه سيتم الكتابة فوق قائمة الأسعار. سعر قاعدة التسعير هو السعر النهائي، لذلك يجب تطبيق أي خصم آخر. وبالتالي، في المعاملات مثل ترتيب المبيعات، طلب شراء غيرها، وسيتم جلبها في الحقل 'تقييم'، بدلا من الحقل ""قائمة الأسعار ""."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,المسار يؤدي حسب نوع الصناعة .
DocType: Item Supplier,Item Supplier,البند مزود
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,الرجاء إدخال رمز المدينة للحصول على دفعة لا
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},يرجى تحديد قيمة ل {0} {1} quotation_to
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,الرجاء إدخال رمز المدينة للحصول على دفعة لا
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},يرجى تحديد قيمة ل {0} {1} quotation_to
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,جميع العناوين.
DocType: Company,Stock Settings,إعدادات المخزون
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",دمج غير ممكن إلا إذا الخصائص التالية هي نفسها في كل السجلات. هي المجموعة، نوع الجذر، شركة
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",دمج غير ممكن إلا إذا الخصائص التالية هي نفسها في كل السجلات. هي المجموعة، نوع الجذر، شركة
DocType: Vehicle,Electric,كهربائي
DocType: Task,% Progress,٪ التقدم
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,الربح / الخسارة على التخلص من الأصول
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,الربح / الخسارة على التخلص من الأصول
DocType: Training Event,Will send an email about the event to employees with status 'Open',"سيتم إرسال البريد الإلكتروني حول الحدث إلى الموظفين مع وضع حالة ""فتح"";"
DocType: Task,Depends on Tasks,يعتمد على المهام
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,إدارة مجموعة العملاء شجرة .
@@ -2544,7 +2560,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,اسم مركز تكلفة جديد
DocType: Leave Control Panel,Leave Control Panel,لوحة تحكم الأجازات
DocType: Project,Task Completion,إنجاز المهمة
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,ليس في المخزون
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,ليس في المخزون
DocType: Appraisal,HR User,مستخدم الموارد البشرية
DocType: Purchase Invoice,Taxes and Charges Deducted,خصم الضرائب والرسوم
apps/erpnext/erpnext/hooks.py +116,Issues,قضايا
@@ -2555,22 +2571,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},لا قسيمة الراتب وجدت بين {0} و {1}
,Pending SO Items For Purchase Request,اصناف كتيرة معلقة لطلب الشراء
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,قبول الطلاب
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} معطل {1}
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} معطل {1}
DocType: Supplier,Billing Currency,الفواتير العملات
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,كبير جدا
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,كبير جدا
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,مجموع الإجازات
,Profit and Loss Statement,الأرباح والخسائر
DocType: Bank Reconciliation Detail,Cheque Number,عدد الشيكات
,Sales Browser,متصفح المبيعات
DocType: Journal Entry,Total Credit,إجمالي الائتمان
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},موجود آخر {0} # {1} ضد حركة مخزنية {2}: تحذير
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,محلي
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,محلي
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),القروض والسلفيات (الأصول )
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,المدينين
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,كبير
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,كبير
DocType: Homepage Featured Product,Homepage Featured Product,الصفحة الرئيسية المنتج المميز
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,جميع المجموعات التقييم
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,جميع المجموعات التقييم
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,الجديد اسم المخزن
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),إجمالي {0} ({1})
DocType: C-Form Invoice Detail,Territory,إقليم
@@ -2580,12 +2596,12 @@
DocType: Production Order Operation,Planned Start Time,المخططة بداية
DocType: Course,Assessment,تقدير
DocType: Payment Entry Reference,Allocated,تخصيص
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,وثيقة الميزانية العمومية و كتاب الربح أو الخسارة .
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,وثيقة الميزانية العمومية و كتاب الربح أو الخسارة .
DocType: Student Applicant,Application Status,حالة الطلب
DocType: Fees,Fees,رسوم
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,تحديد سعر الصرف لتحويل عملة إلى أخرى
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,اقتباس {0} تم إلغاء
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,إجمالي المبلغ المستحق
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,إجمالي المبلغ المستحق
DocType: Sales Partner,Targets,أهداف
DocType: Price List,Price List Master,قائمة الأسعار ماستر
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,جميع معاملات البيع يمكن ان تكون مشارة لعدة ** موظفين مبيعات** بحيث يمكنك تعيين و مراقبة اهداف البيع المحددة
@@ -2629,11 +2645,11 @@
1. معالجة والاتصال من الشركة الخاصة بك."
DocType: Attendance,Leave Type,نوع الاجازة
DocType: Purchase Invoice,Supplier Invoice Details,المورد تفاصيل الفاتورة
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,حساب نفقات / قروق ({0}) يجب ان يكون حساب ارباح و خسائر
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,حساب نفقات / قروق ({0}) يجب ان يكون حساب ارباح و خسائر
DocType: Project,Copied From,تم نسخها من
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},اسم خطأ : {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,نقص
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} غير مترابط مع {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} غير مترابط مع {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,الحضور للموظف {0} تم وضع علامة بالفعل
DocType: Packing Slip,If more than one package of the same type (for print),إذا كان أكثر من حزمة واحدة من نفس النوع (للطباعة)
,Salary Register,راتب التسجيل
@@ -2651,22 +2667,23 @@
,Requested Qty,الكمية المطلبة
DocType: Tax Rule,Use for Shopping Cart,استخدم لسلة التسوق
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},قيمة {0} لسمة {1} غير موجود في قائمة صحيحة البند السمة قيم البند {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,حدد الأرقام التسلسلية
DocType: BOM Item,Scrap %,الغاء٪
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection",وسيتم توزيع تستند رسوم متناسب على الكمية البند أو كمية، حسب اختيارك
DocType: Maintenance Visit,Purposes,أغراض
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,على الأقل يجب إدخال عنصر واحد بقيمة سالبة في الوثيقة العوائد
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,على الأقل يجب إدخال عنصر واحد بقيمة سالبة في الوثيقة العوائد
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations",عملية {0} أطول من أي ساعات العمل المتاحة في محطة {1}، وتحطيم العملية في عمليات متعددة
,Requested,طلب
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,لا ملاحظات
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,لا ملاحظات
DocType: Purchase Invoice,Overdue,تأخير
DocType: Account,Stock Received But Not Billed,المخزون المتلقي ولكن غير مفوتر
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,يجب أن يكون حساب الجذر مجموعة
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,يجب أن يكون حساب الجذر مجموعة
DocType: Fees,FEE.,رسم.
DocType: Employee Loan,Repaid/Closed,تسديده / مغلق
DocType: Item,Total Projected Qty,توقعات مجموع الكمية
DocType: Monthly Distribution,Distribution Name,توزيع الاسم
DocType: Course,Course Code,رمز المقرر
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},التفتيش الجودة المطلوبة القطعة ل {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},التفتيش الجودة المطلوبة القطعة ل {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,المعدل الذي يتم تحويل العملة إلى عملة العميل قاعدة الشركة
DocType: Purchase Invoice Item,Net Rate (Company Currency),صافي السعر ( بعملة الشركة )
DocType: Salary Detail,Condition and Formula Help,مساعدة باستخدام الصيغ و الشروط
@@ -2679,27 +2696,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,نقل المواد لتصنيع
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,نسبة خصم يمكن تطبيقها إما ضد قائمة الأسعار أو لجميع قائمة الأسعار.
DocType: Purchase Invoice,Half-yearly,نصف سنوية
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,القيود المحاسبية لمخزون
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,القيود المحاسبية لمخزون
DocType: Vehicle Service,Engine Oil,زيت المحرك
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,الرجاء الإعداد نظام تسمية الموظف في الموارد البشرية> إعدادات الموارد البشرية
DocType: Sales Invoice,Sales Team1,مبيعات Team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,البند {0} غير موجود
DocType: Sales Invoice,Customer Address,عنوان العميل
DocType: Employee Loan,Loan Details,تفاصيل القرض
+DocType: Company,Default Inventory Account,حساب المخزون الافتراضي
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,صف {0}: يجب أن تكتمل الكمية أكبر من الصفر.
DocType: Purchase Invoice,Apply Additional Discount On,تطبيق خصم إضافي على
DocType: Account,Root Type,نوع الجذر
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},الصف # {0}: لا يمكن إرجاع أكثر من {1} للالبند {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},الصف # {0}: لا يمكن إرجاع أكثر من {1} للالبند {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,مؤامرة
DocType: Item Group,Show this slideshow at the top of the page,تظهر هذه الشرائح في أعلى الصفحة
DocType: BOM,Item UOM,وحدة قياس البند
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),مبلغ الضريبة بعد خصم مبلغ (شركة العملات)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},المستودع المستهدف إلزامي لصف {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},المستودع المستهدف إلزامي لصف {0}
DocType: Cheque Print Template,Primary Settings,الإعدادات الأولية
DocType: Purchase Invoice,Select Supplier Address,حدد مزود العناوين
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,إضافة موظفين
DocType: Purchase Invoice Item,Quality Inspection,فحص الجودة
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,اضافية الصغيرة
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,اضافية الصغيرة
DocType: Company,Standard Template,قالب قياسي
DocType: Training Event,Theory,نظرية
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,تحذير : كمية المواد المطلوبة هي أقل من الحد الأدنى للطلب الكمية
@@ -2707,7 +2726,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,كيان قانوني / الفرعية مع مخطط مستقل للحسابات تابعة للمنظمة.
DocType: Payment Request,Mute Email,كتم البريد الإلكتروني
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco",الغذاء و المشروبات و التبغ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},ان تجعل دفع فواتير فقط ضد {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},ان تجعل دفع فواتير فقط ضد {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,معدل العمولة لا يمكن أن يكون أكبر من 100
DocType: Stock Entry,Subcontract,قام بمقاولة فرعية
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,الرجاء إدخال {0} أولا
@@ -2720,18 +2739,18 @@
DocType: SMS Log,No of Sent SMS,رقم رسائل SMS التي أرسلت
DocType: Account,Expense Account,حساب النفقات
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,البرمجيات
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,اللون
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,اللون
DocType: Assessment Plan Criteria,Assessment Plan Criteria,معايير خطة تقييم
DocType: Training Event,Scheduled,من المقرر
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,طلب للحصول على الاقتباس.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",يرجى تحديد عنصر، حيث قال "هل البند الأسهم" هو "لا" و "هل المبيعات البند" هو "نعم" وليس هناك حزمة المنتجات الأخرى
DocType: Student Log,Academic,أكاديمي
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),مجموع مقدما ({0}) ضد النظام {1} لا يمكن أن يكون أكبر من المجموع الكلي ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),مجموع مقدما ({0}) ضد النظام {1} لا يمكن أن يكون أكبر من المجموع الكلي ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,اختر التوزيع الشهري لتوزيع غير متساو أهداف على مدى عدة شهور.
DocType: Purchase Invoice Item,Valuation Rate,تقييم قيم
DocType: Stock Reconciliation,SR/,ريال سعودى/
DocType: Vehicle,Diesel,ديزل
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,قائمة أسعار العملات غير محددة
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,قائمة أسعار العملات غير محددة
,Student Monthly Attendance Sheet,طالب ورقة الحضور الشهري
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},موظف {0} وقد طبقت بالفعل ل {1} {2} بين و {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,المشروع تاريخ البدء
@@ -2743,7 +2762,7 @@
DocType: BOM,Scrap,خردة
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,ادارة شركاء المبيعات.
DocType: Quality Inspection,Inspection Type,نوع التفتيش
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,المستودعات مع الصفقة الحالية لا يمكن أن يتم تحويلها إلى المجموعة.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,المستودعات مع الصفقة الحالية لا يمكن أن يتم تحويلها إلى المجموعة.
DocType: Assessment Result Tool,Result HTML,نتيجة HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,تنتهي صلاحيته في
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,إضافة الطلاب
@@ -2751,13 +2770,13 @@
DocType: C-Form,C-Form No,رقم النموذج - س
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,تم تسجيله غير حاضر
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,الباحث
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,الباحث
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,برنامج انتساب أداة الطلاب
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,الاسم أو البريد الإلكتروني إلزامي
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,فحص الجودة واردة.
DocType: Purchase Order Item,Returned Qty,عاد الكمية
DocType: Employee,Exit,خروج
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,نوع الجذر إلزامي
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,نوع الجذر إلزامي
DocType: BOM,Total Cost(Company Currency),التكلفة الإجمالية (شركة العملات)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,المسلسل لا {0} خلق
DocType: Homepage,Company Description for website homepage,وصف الشركة للصفة الرئيسيه بالموقع الألكتروني
@@ -2766,7 +2785,7 @@
DocType: Sales Invoice,Time Sheet List,الساعة قائمة ورقة
DocType: Employee,You can enter any date manually,يمكنك إدخال أي تاريخ يدويا
DocType: Asset Category Account,Depreciation Expense Account,حساب مصروفات الأهلاك
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,فترة الاختبار
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,فترة الاختبار
DocType: Customer Group,Only leaf nodes are allowed in transaction,ويسمح العقد ورقة فقط في المعاملة
DocType: Expense Claim,Expense Approver,موافق النفقات
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,الصف {0}: يجب أن يكون مقدما ضد العملاء الائتمان
@@ -2779,10 +2798,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,جداول بالطبع حذفها:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,سجلات للحفاظ على حالة تسليم الرسائل القصيرة
DocType: Accounts Settings,Make Payment via Journal Entry,جعل الدفع عن طريق إدخال دفتر اليومية
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,المطبوعة على
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,المطبوعة على
DocType: Item,Inspection Required before Delivery,التفتيش المطلوبة قبل تسليم
DocType: Item,Inspection Required before Purchase,التفتيش المطلوبة قبل الشراء
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,الأنشطة المعلقة
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,مؤسستك
DocType: Fee Component,Fees Category,رسوم الفئة
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,من فضلك ادخل تاريخ المغادرة.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT
@@ -2792,9 +2812,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,إعادة ترتيب مستوى
DocType: Company,Chart Of Accounts Template,قالب دليل الحسابات
DocType: Attendance,Attendance Date,تاريخ الحضور
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},العنصر السعر تحديث ل{0} في قائمة الأسعار {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},العنصر السعر تحديث ل{0} في قائمة الأسعار {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,تقسيم الراتب بناءَ على الكسب والاستقطاع.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,لا يمكن تحويل حساب ذو توابع إلى دفتر حسابات دفتر أستاذ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,لا يمكن تحويل حساب ذو توابع إلى دفتر حسابات دفتر أستاذ
DocType: Purchase Invoice Item,Accepted Warehouse,مستودع مقبول
DocType: Bank Reconciliation Detail,Posting Date,تاريخ النشر
DocType: Item,Valuation Method,تقييم الطريقة
@@ -2803,14 +2823,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,تكرار دخول
DocType: Program Enrollment Tool,Get Students,الحصول على الطلاب
DocType: Serial No,Under Warranty,تحت الضمان
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[خطأ]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[خطأ]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,وبعبارة تكون مرئية بمجرد حفظ ترتيب المبيعات.
,Employee Birthday,عيد ميلاد موظف
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,طالب أداة دفعة الحضور
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,الحد عبرت
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,الحد عبرت
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,رأس المال الاستثماري
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,والفصل الدراسي مع هذا 'السنة الأكاديمية' {0} و "اسم مصطلح '{1} موجود بالفعل. يرجى تعديل هذه الإدخالات وحاول مرة أخرى.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}",كما أن هناك المعاملات الموجودة على البند {0}، لا يمكنك تغيير قيمة {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}",كما أن هناك المعاملات الموجودة على البند {0}، لا يمكنك تغيير قيمة {1}
DocType: UOM,Must be Whole Number,يجب أن يكون عدد صحيح
DocType: Leave Control Panel,New Leaves Allocated (In Days),الإجازات الجديدة المخصصة (بالأيام)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,رقم المسلسل {0} غير موجود
@@ -2819,6 +2839,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,رقم الفاتورة
DocType: Shopping Cart Settings,Orders,أوامر
DocType: Employee Leave Approver,Leave Approver,الموافق علي الاجازات
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,يرجى تحديد دفعة
DocType: Assessment Group,Assessment Group Name,اسم المجموعة التقييم
DocType: Manufacturing Settings,Material Transferred for Manufacture,المواد المنقولة لغرض صناعة
DocType: Expense Claim,"A user with ""Expense Approver"" role","""المستخدم الذي لديه صلاحية ""الموافقة علي النفقات"
@@ -2828,9 +2849,10 @@
DocType: Target Detail,Target Detail,الهدف التفاصيل
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,جميع الوظائف
DocType: Sales Order,% of materials billed against this Sales Order,٪ من المواد فوترت مقابل أمر المبيعات
+DocType: Program Enrollment,Mode of Transportation,طريقة النقل
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,بدء فترة الإغلاق
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,مركز التكلفة مع المعاملات القائمة لا يمكن تحويلها إلى مجموعة
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},مبلغ {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},مبلغ {0} {1} {2} {3}
DocType: Account,Depreciation,خفض
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),المورد (ق)
DocType: Employee Attendance Tool,Employee Attendance Tool,أداة حضور والانصراف للموظفين
@@ -2838,7 +2860,7 @@
DocType: Supplier,Credit Limit,الحد الائتماني
DocType: Production Plan Sales Order,Salse Order Date,Salse ترتيب التاريخ
DocType: Salary Component,Salary Component,مكون الراتب
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,مقالات دفع {0} والامم المتحدة ومرتبطة
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,مقالات دفع {0} والامم المتحدة ومرتبطة
DocType: GL Entry,Voucher No,رقم السند
,Lead Owner Efficiency,يؤدي كفاءة المالك
DocType: Leave Allocation,Leave Allocation,تخصيص إجازة
@@ -2849,11 +2871,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,قالب الشروط أو العقد.
DocType: Purchase Invoice,Address and Contact,العناوين و التواصل
DocType: Cheque Print Template,Is Account Payable,حساب المدينون / المدفوعات
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},لا يمكن تحديث المخزون ضد إيصال الشراء {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},لا يمكن تحديث المخزون ضد إيصال الشراء {0}
DocType: Supplier,Last Day of the Next Month,اليوم الأخير من الشهر المقبل
DocType: Support Settings,Auto close Issue after 7 days,السيارات العدد قريبة بعد 7 أيام
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",إجازة لا يمكن تخصيصها قبل {0}، كما كان رصيد الإجازة بالفعل في السجل تخصيص إجازة في المستقبل إعادة توجيهها تحمل {1}
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),ملاحظة: نظرا / المرجعي تاريخ يتجاوز المسموح أيام الائتمان العملاء التي كتبها {0} يوم (s)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),ملاحظة: نظرا / المرجعي تاريخ يتجاوز المسموح أيام الائتمان العملاء التي كتبها {0} يوم (s)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,مقدم الطلب طالب
DocType: Asset Category Account,Accumulated Depreciation Account,حساب الاهلاك المتراكم
DocType: Stock Settings,Freeze Stock Entries,تجميد مقالات المالية
@@ -2862,35 +2884,35 @@
DocType: Activity Cost,Billing Rate,أسعار الفواتير
,Qty to Deliver,الكمية للتسليم
,Stock Analytics,تحليلات المخزون
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,عمليات لا يمكن أن تترك فارغة
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,عمليات لا يمكن أن تترك فارغة
DocType: Maintenance Visit Purpose,Against Document Detail No,مقابل المستند التفصيلى رقم
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,النوع حزب إلزامي
DocType: Quality Inspection,Outgoing,المنتهية ولايته
DocType: Material Request,Requested For,طلب لل
DocType: Quotation Item,Against Doctype,DOCTYPE ضد
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} تم إلغاء أو مغلقة
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} تم إلغاء أو مغلقة
DocType: Delivery Note,Track this Delivery Note against any Project,تتبع هذه ملاحظة التوصيل ضد أي مشروع
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,صافي النقد من الاستثمار
-,Is Primary Address,هو العنوان الرئيسي
DocType: Production Order,Work-in-Progress Warehouse,مستودع العمل قيد التنفيذ
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,الأصول {0} يجب أن تقدم
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},سجل الحضور {0} موجود ضد الطلاب {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},سجل الحضور {0} موجود ضد الطلاب {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},إشارة # {0} بتاريخ {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,الاستهلاك خرج بسبب التخلص من الأصول
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,إدارة العناوين
DocType: Asset,Item Code,رمز البند
DocType: Production Planning Tool,Create Production Orders,إنشاء أوامر الإنتاج
DocType: Serial No,Warranty / AMC Details,الضمان / AMC تفاصيل
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,حدد الطلاب يدويا لمجموعة الأنشطة القائمة
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,حدد الطلاب يدويا لمجموعة الأنشطة القائمة
DocType: Journal Entry,User Remark,ملاحظة المستخدم
DocType: Lead,Market Segment,سوق القطاع
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},المبلغ المدفوع لا يمكن أن يكون أكبر من إجمالي المبلغ المستحق السلبي {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},المبلغ المدفوع لا يمكن أن يكون أكبر من إجمالي المبلغ المستحق السلبي {0}
DocType: Employee Internal Work History,Employee Internal Work History,الحركة التاريخيه لعمل الموظف الداخلي
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),إغلاق (الدكتور)
DocType: Cheque Print Template,Cheque Size,مقاس الصك
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,رقم المسلسل {0} ليس في الأوراق المالية
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,قالب الضريبية لبيع صفقة.
DocType: Sales Invoice,Write Off Outstanding Amount,شطب المبلغ المستحق
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},الحساب {0} لا يتطابق مع الشركة {1}
DocType: School Settings,Current Academic Year,السنة الدراسية الحالية
DocType: Stock Settings,Default Stock UOM,افتراضي وحدة قياس السهم
DocType: Asset,Number of Depreciations Booked,عدد من التلفيات حجزت
@@ -2905,27 +2927,27 @@
DocType: Asset,Double Declining Balance,الرصيد المتناقص المزدوج
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,لا يمكن إلغاء النظام المغلق. فتح لإلغاء.
DocType: Student Guardian,Father,الآب
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,"تحديث المخزون"" لا يمكن إختياره من مبيعات الأصول الثابته"""
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"تحديث المخزون"" لا يمكن إختياره من مبيعات الأصول الثابته"""
DocType: Bank Reconciliation,Bank Reconciliation,تسوية البنك
DocType: Attendance,On Leave,في إجازة
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,الحصول على التحديثات
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: الحساب {2} لا ينتمي إلى شركة {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,طلب المواد {0} تم إلغاء أو توقف
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,إضافة بعض السجلات عينة
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,إضافة بعض السجلات عينة
apps/erpnext/erpnext/config/hr.py +301,Leave Management,إدارة تصاريح الخروج
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,مجموعة بواسطة حساب
DocType: Sales Order,Fully Delivered,سلمت بالكامل
DocType: Lead,Lower Income,دخل أدنى
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},مصدر و مستودع الهدف لا يمكن أن يكون نفس الصف ل {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},مصدر و مستودع الهدف لا يمكن أن يكون نفس الصف ل {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","حساب الفروقات سجب ان يكون نوع حساب الأصول / الخصوم, بحيث مطابقة المخزون بأدخال الأفتتاحي"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},المبلغ صرف لا يمكن أن يكون أكبر من مبلغ القرض {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},مطلوب رقم امر الشراء للصنف {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,إنتاج النظام لم يخلق
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},مطلوب رقم امر الشراء للصنف {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,إنتاج النظام لم يخلق
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""من تاريخ "" يجب أن يكون بعد "" إلى تاريخ """
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},لا يمكن تغيير الوضع كما طالب {0} يرتبط مع تطبيق طالب {1}
DocType: Asset,Fully Depreciated,استهلكت بالكامل
,Stock Projected Qty,كمية المخزون المتوقعة
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},العميل{0} لا تنتمي لمشروع {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},العميل{0} لا تنتمي لمشروع {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,تم تسجيل حضور HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",الاقتباسات هي المقترحات، والعطاءات التي تم إرسالها لعملائك
DocType: Sales Order,Customer's Purchase Order,طلب شراء الزبون
@@ -2934,33 +2956,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,مجموع العشرات من معايير التقييم يجب أن يكون {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,الرجاء تعيين عدد من التلفيات حجز
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,القيمة أو الكمية
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,لا يمكن أن تثار أوامر الإنتاج من أجل:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,دقيقة
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,لا يمكن أن تثار أوامر الإنتاج من أجل:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,دقيقة
DocType: Purchase Invoice,Purchase Taxes and Charges,الضرائب والرسوم الشراء
,Qty to Receive,الكمية للاستلام
DocType: Leave Block List,Leave Block List Allowed,قائمة اجازات محظورة مفعلة
DocType: Grading Scale Interval,Grading Scale Interval,درجات مقياس الفاصل الزمني
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},مطالبة النفقات لسجل المركبة {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,الخصم (٪) على سعر قائمة السعر مع الهامش
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,جميع المستودعات
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,جميع المستودعات
DocType: Sales Partner,Retailer,متاجر التجزئة
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,لإنشاء حساب يجب ان يكون حساب الميزانية
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,لإنشاء حساب يجب ان يكون حساب الميزانية
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,جميع أنواع الموردين
DocType: Global Defaults,Disable In Words,تعطيل في الكلمات
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,كود البند إلزامي لأن السلعة بسهولة و غير مرقمة تلقائيا
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,كود البند إلزامي لأن السلعة بسهولة و غير مرقمة تلقائيا
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},اقتباس {0} ليست من نوع {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,صيانة جدول السلعة
DocType: Sales Order,% Delivered,تم إيصاله٪
DocType: Production Order,PRO-,الموالية
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,حساب السحب على المكشوف المصرفي
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,حساب السحب على المكشوف المصرفي
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,أنشئ كشف راتب
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,الصف # {0}: المبلغ المخصص لا يمكن أن يكون أكبر من المبلغ المستحق.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,تصفح فاتورة الموارد
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,القروض المضمونة
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,القروض المضمونة
DocType: Purchase Invoice,Edit Posting Date and Time,تحرير تاريخ النشر والوقت
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},الرجاء ضبط الحسابات المتعلقة الاستهلاك في الفئة الأصول {0} أو شركة {1}
DocType: Academic Term,Academic Year,السنة الأكاديمية
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,افتتاح ميزان العدالة
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,افتتاح ميزان العدالة
DocType: Lead,CRM,إدارة علاقات الزبائن
DocType: Appraisal,Appraisal,تقييم
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},البريد الإلكتروني المرسلة إلى المورد {0}
@@ -2977,7 +2999,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,الموافقة دور لا يمكن أن يكون نفس دور القاعدة تنطبق على
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,إلغاء الاشتراك من هذا البريد الإلكتروني دايجست
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,رسالة المرسلة
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,لا يمكن جعل حساب له حسابات فرعيه دفتر الحسابات
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,لا يمكن جعل حساب له حسابات فرعيه دفتر الحسابات
DocType: C-Form,II,الثاني
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,المعدل الذي يتم تحويل سعر العملة العملة الأساسية القائمة لالعملاء
DocType: Purchase Invoice Item,Net Amount (Company Currency),صافي المبلغ ( بعملة الشركة )
@@ -3011,7 +3033,7 @@
DocType: Expense Claim,Approval Status,حالة القبول
DocType: Hub Settings,Publish Items to Hub,نشر عناصر إلى المحور
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},من القيمة يجب أن يكون أقل من القيمة ل في الصف {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,حوالة مصرفية
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,حوالة مصرفية
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,تحقق من الكل
DocType: Vehicle Log,Invoice Ref,فاتورة المرجع
DocType: Purchase Order,Recurring Order,ترتيب متكرر
@@ -3024,51 +3046,54 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,البنوك والمدفوعات
,Welcome to ERPNext,مرحبا بكم في ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,تؤدي إلى الاقتباس
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,لا شيء أكثر لإظهار.
DocType: Lead,From Customer,من العملاء
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,المكالمات
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,المكالمات
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,دفعات
DocType: Project,Total Costing Amount (via Time Logs),المبلغ الكلي التكاليف (عبر الزمن سجلات)
DocType: Purchase Order Item Supplied,Stock UOM,وحدة قياس السهم
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,امر الشراء {0} لم يرحل
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,امر الشراء {0} لم يرحل
DocType: Customs Tariff Number,Tariff Number,عدد التعرفة
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,المتوقع
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},رقم المسلسل {0} لا ينتمي إلى مستودع {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,ملاحظة : سوف النظام لا تحقق الإفراط التسليم و الإفراط في حجز القطعة ل {0} حيث الكمية أو المبلغ 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,ملاحظة : سوف النظام لا تحقق الإفراط التسليم و الإفراط في حجز القطعة ل {0} حيث الكمية أو المبلغ 0
DocType: Notification Control,Quotation Message,رسالة التسعيرة
DocType: Employee Loan,Employee Loan Application,طلب قرض للموظف
DocType: Issue,Opening Date,تاريخ الفتح
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,تم وضع علامة الحضور بنجاح.
+DocType: Program Enrollment,Public Transport,النقل العام
DocType: Journal Entry,Remark,كلام
DocType: Purchase Receipt Item,Rate and Amount,معدل والمبلغ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},نوع الحساب {0} يجب ان يكون {1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,الإجازات والعطلات
DocType: School Settings,Current Academic Term,المدة الأكاديمية الحالية
DocType: Sales Order,Not Billed,لا صفت
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,كلا مستودع يجب أن تنتمي إلى نفس الشركة
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,وأضافت أي اتصالات حتى الان.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,كلا مستودع يجب أن تنتمي إلى نفس الشركة
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,وأضافت أي اتصالات حتى الان.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,التكلفة هبطت قيمة قسيمة
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,رفعت فواتير من قبل الموردين.
DocType: POS Profile,Write Off Account,شطب حساب
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,ديبيت نوت أمت
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,خصم المبلغ
DocType: Purchase Invoice,Return Against Purchase Invoice,العودة ضد شراء فاتورة
DocType: Item,Warranty Period (in days),فترة الضمان (بالأيام)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,العلاقة مع Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,العلاقة مع Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,صافي التدفقات النقدية من العمليات
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,على سبيل المثال الضريبة
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,على سبيل المثال الضريبة
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,البند 4
DocType: Student Admission,Admission End Date,تاريخ انتهاء القبول
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,التعاقد من الباطن
DocType: Journal Entry Account,Journal Entry Account,حساب إدخال القيود اليومية
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,المجموعة الطلابية
DocType: Shopping Cart Settings,Quotation Series,سلسلة تسعيرات
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item",يوجد صنف بنفس الإسم ( {0} ) ، الرجاء تغيير اسم مجموعة الصنف أو إعادة تسمية هذا الصنف
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,الرجاء تحديد العملاء
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item",يوجد صنف بنفس الإسم ( {0} ) ، الرجاء تغيير اسم مجموعة الصنف أو إعادة تسمية هذا الصنف
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,الرجاء تحديد العملاء
DocType: C-Form,I,أنا
DocType: Company,Asset Depreciation Cost Center,مركز تكلفة إستهلاك الأصول
DocType: Sales Order Item,Sales Order Date,تاريخ اوامر البيع
DocType: Sales Invoice Item,Delivered Qty,الكمية المستلمة
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.",إذا تحققت، سيتم تضمين جميع الأطفال من كل عنصر الإنتاج في الطلبات المادية.
DocType: Assessment Plan,Assessment Plan,خطة التقييم
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,مستودع {0}: شركة إلزامي
DocType: Stock Settings,Limit Percent,الحد في المئة
,Payment Period Based On Invoice Date,طريقة الدفع بناء على تاريخ الفاتورة
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},في عداد المفقودين أسعار صرف العملات ل{0}
@@ -3080,7 +3105,7 @@
DocType: Vehicle,Insurance Details,تفاصيل التأمين
DocType: Account,Payable,المستحقة
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,الرجاء إدخال فترات السداد
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),المدينين ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),المدينين ({0})
DocType: Pricing Rule,Margin,هامش
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,الزبائن الجدد
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,الربح الإجمالي٪
@@ -3091,16 +3116,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,الطرف إلزامي
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,اسم الموضوع
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,يجب اختيار واحدة على الاقل من المبيعات او المشتريات
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,حدد طبيعة عملك.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,يجب اختيار واحدة على الاقل من المبيعات او المشتريات
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,حدد طبيعة عملك.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},الصف # {0}: إدخال مكرر في المراجع {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,حيث تتم عمليات التصنيع.
DocType: Asset Movement,Source Warehouse,مصدر مستودع
DocType: Installation Note,Installation Date,تثبيت تاريخ
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},الصف # {0}: الأصول {1} لا تنتمي إلى شركة {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},الصف # {0}: الأصول {1} لا تنتمي إلى شركة {2}
DocType: Employee,Confirmation Date,تاريخ تأكيد التسجيل
DocType: C-Form,Total Invoiced Amount,إجمالي مبلغ بفاتورة
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,الحد الأدنى من الكمية لا يمكن أن تكون أكبر من الحد الاعلى من الكمية
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,الحد الأدنى من الكمية لا يمكن أن تكون أكبر من الحد الاعلى من الكمية
DocType: Account,Accumulated Depreciation,مجمع الإستهلاك
DocType: Stock Entry,Customer or Supplier Details,العملاء أو الموردين بيانات
DocType: Employee Loan Application,Required by Date,مطلوب حسب التاريخ
@@ -3121,22 +3146,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,الشهرية توزيع النسبة المئوية
DocType: Territory,Territory Targets,الاقاليم المستهدفة
DocType: Delivery Note,Transporter Info,نقل معلومات
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},الرجاء تعيين الافتراضي {0} في شركة {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},الرجاء تعيين الافتراضي {0} في شركة {1}
DocType: Cheque Print Template,Starting position from top edge,بدءا من موقف من أعلى الحافة
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,تم إدخال المورد نفسه عدة مرات
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,الربح الإجمالي / الخسارة
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,الأصناف المزوده بامر الشراء
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,اسم الشركة لا يمكن تكون شركة
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,اسم الشركة لا يمكن تكون شركة
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,عنوان الرسالة لطباعة النماذج
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,عناوين نماذج الطباعة مثل الفاتورة الأولية.
DocType: Student Guardian,Student Guardian,الجارديان طالب
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,اتهامات نوع التقييم لا يمكن وضع علامة الشاملة
DocType: POS Profile,Update Stock,تحديث المخزون
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,المورد> المورد نوع
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,سوف UOM مختلفة لعناصر تؤدي إلى غير صحيحة ( مجموع ) صافي قيمة الوزن . تأكد من أن الوزن الصافي من كل عنصر في نفس UOM .
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM أسعار
DocType: Asset,Journal Entry for Scrap,إدخال دفتر اليومية للخردة
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,يرجى سحب العناصر من التسليم ملاحظة
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,مجلة مقالات {0} هي الامم المتحدة ومرتبطة
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,مجلة مقالات {0} هي الامم المتحدة ومرتبطة
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.",سجل جميع الاتصالات من نوع البريد الإلكتروني، الهاتف، والدردشة، والزيارة، الخ
DocType: Manufacturer,Manufacturers used in Items,المصنعين المستخدمة في وحدات
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,يرجى ذكر جولة معطلة مركز التكلفة في الشركة
@@ -3183,33 +3209,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,المورد يسلم للعميل
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# نموذج / البند / {0}) هو من المخزون
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,يجب أن يكون التاريخ القادم أكبر من تاريخ النشر
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,مشاهدة الضرائب تفكك
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},المقرر / المرجع تاريخ لا يمكن أن يكون بعد {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,مشاهدة الضرائب تفكك
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},المقرر / المرجع تاريخ لا يمكن أن يكون بعد {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,استيراد وتصدير البيانات
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it",توجد مدخلات المخزون ضد مستودع {0}، وبالتالي لا يمكنك إعادة تعيين أو تعديله
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,أي طالب يتم العثور
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,أي طالب يتم العثور
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,الفاتورة تاريخ النشر
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,باع
DocType: Sales Invoice,Rounded Total,تقريب إجمالي
DocType: Product Bundle,List items that form the package.,عناصر القائمة التي تشكل الحزمة.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,يجب أن تكون نسبة تخصيص تساوي 100 ٪
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,يرجى تحديد تاريخ النشر قبل اختيار الحزب
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,يرجى تحديد تاريخ النشر قبل اختيار الحزب
DocType: Program Enrollment,School House,مدرسة دار
DocType: Serial No,Out of AMC,من AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,يرجى تحديد عروض الأسعار
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,يرجى تحديد عروض الأسعار
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,عدد من التلفيات حجز لا يمكن أن يكون أكبر من إجمالي عدد من التلفيات
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,انشئ زيارة صيانة
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,يرجى الاتصال للمستخدم الذين لديهم مدير المبيعات ماستر {0} دور
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,يرجى الاتصال للمستخدم الذين لديهم مدير المبيعات ماستر {0} دور
DocType: Company,Default Cash Account,الحساب النقدي الافتراضي
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,(الشركة الأصليه ( ليست لعميل او مورد
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,ويستند هذا على حضور هذا الطالب
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,لا يوجد طلاب في
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,لا يوجد طلاب في
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,إضافة المزيد من العناصر أو إستمارة كاملة مفتوح
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',"يرجى إدخال "" التاريخ المتوقع تسليم '"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,تسليم ملاحظات {0} يجب أن يتم إلغاء هذا الأمر قبل إلغاء المبيعات
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,المبلغ المدفوع + شطب المبلغ لا يمكن أن يكون أكبر من المجموع الكلي
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,المبلغ المدفوع + شطب المبلغ لا يمكن أن يكون أكبر من المجموع الكلي
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ليس رقم الدفعة صالحة للصنف {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},ملاحظة: لا يوجد رصيد إجازة كاف لنوع الإجازة {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,غستين غير صالح أو أدخل نا لغير المسجلين
DocType: Training Event,Seminar,ندوة
DocType: Program Enrollment Fee,Program Enrollment Fee,رسوم التسجيل برنامج
DocType: Item,Supplier Items,المورد الأصناف
@@ -3235,27 +3261,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,البند 3
DocType: Purchase Order,Customer Contact Email,العملاء الاتصال البريد الإلكتروني
DocType: Warranty Claim,Item and Warranty Details,البند والضمان تفاصيل
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,رمز البند> مجموعة المنتجات> العلامة التجارية
DocType: Sales Team,Contribution (%),مساهمة (٪)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"ملاحظة : لن يتم إنشاء الدفع منذ دخول ' النقد أو البنك الحساب "" لم يتم تحديد"
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,حدد البرنامج لجلب دورات إلزامية.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,المسؤوليات
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,المسؤوليات
DocType: Expense Claim Account,Expense Claim Account,حساب مطالبات النفقات
DocType: Sales Person,Sales Person Name,اسم رجل المبيعات
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,الرجاء إدخال الاقل فاتورة 1 في الجدول
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,إضافة مستخدمين
DocType: POS Item Group,Item Group,مجموعة البند
DocType: Item,Safety Stock,سهم سلامة
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,التقدم٪ لمهمة لا يمكن أن يكون أكثر من 100.
DocType: Stock Reconciliation Item,Before reconciliation,قبل المصالحة
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},إلى {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),الضرائب والرسوم المضافة (عملة الشركة)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,البند ضريبة صف {0} يجب أن يكون في الاعتبار نوع ضريبة الدخل أو المصاريف أو إتهام أو
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,البند ضريبة صف {0} يجب أن يكون في الاعتبار نوع ضريبة الدخل أو المصاريف أو إتهام أو
DocType: Sales Order,Partly Billed,تم فوترتها جزئيا
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,البند {0} يجب أن تكون ثابتة بند الأصول
DocType: Item,Default BOM,الافتراضي BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,الرجاء إعادة الكتابة اسم الشركة لتأكيد
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,إجمالي المعلقة AMT
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,الخصم ملاحظة المبلغ
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,الرجاء إعادة الكتابة اسم الشركة لتأكيد
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,إجمالي المعلقة AMT
DocType: Journal Entry,Printing Settings,إعدادات الطباعة
DocType: Sales Invoice,Include Payment (POS),تشمل الدفع (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},يجب أن يكون إجمالي الخصم يساوي إجمالي الائتمان .
@@ -3269,15 +3293,16 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,في المخزن:
DocType: Notification Control,Custom Message,رسالة مخصصة
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,الخدمات المصرفية الاستثمارية
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,اجباري حساب الخزنه او البنك لادخال المدفوعات
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,عنوان الطالب
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,اجباري حساب الخزنه او البنك لادخال المدفوعات
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,يرجى إعداد سلسلة الترقيم للحضور عن طريق الإعداد> سلسلة الترقيم
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,عنوان الطالب
DocType: Purchase Invoice,Price List Exchange Rate,معدل سعر صرف قائمة
DocType: Purchase Invoice Item,Rate,معدل
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,المتدرب
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,اسم عنوان
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,المتدرب
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,اسم عنوان
DocType: Stock Entry,From BOM,من BOM
DocType: Assessment Code,Assessment Code,كود التقييم
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,الأساسية
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,الأساسية
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,يتم تجميد المعاملات المخزنية قبل {0}
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',الرجاء انقر على ' إنشاء الجدول '
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m",على سبيل المثال كجم، وحدة، غ م أ، م
@@ -3287,11 +3312,11 @@
DocType: Salary Slip,Salary Structure,هيكل المرتبات
DocType: Account,Bank,مصرف
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,شركة الطيران
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,قضية المواد
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,قضية المواد
DocType: Material Request Item,For Warehouse,لمستودع
DocType: Employee,Offer Date,تاريخ العرض
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,الاقتباسات
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,كنت في وضع غير متصل بالشبكة. أنت لن تكون قادرة على تحميل حتى يكون لديك شبكة
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,كنت في وضع غير متصل بالشبكة. أنت لن تكون قادرة على تحميل حتى يكون لديك شبكة
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,لا مجموعات الطلاب خلقت.
DocType: Purchase Invoice Item,Serial No,رقم المسلسل
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,السداد الشهري المبلغ لا يمكن أن يكون أكبر من مبلغ القرض
@@ -3299,8 +3324,8 @@
DocType: Purchase Invoice,Print Language,لغة الطباعة
DocType: Salary Slip,Total Working Hours,مجموع ساعات العمل
DocType: Stock Entry,Including items for sub assemblies,بما في ذلك البنود عن المجالس الفرعية
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,يجب أن يكون إدخال قيمة ايجابية
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,جميع الأقاليم
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,يجب أن يكون إدخال قيمة ايجابية
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,جميع الأقاليم
DocType: Purchase Invoice,Items,البنود
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,والتحق بالفعل طالب.
DocType: Fiscal Year,Year Name,اسم العام
@@ -3318,10 +3343,10 @@
DocType: Issue,Opening Time,يفتح من الساعة
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,من و إلى مواعيد
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,الأوراق المالية والبورصات
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',وحدة القياس الافتراضية للخيار '{0}' يجب أن يكون نفس في قالب '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',وحدة القياس الافتراضية للخيار '{0}' يجب أن يكون نفس في قالب '{1}'
DocType: Shipping Rule,Calculate Based On,إحسب الربح بناء على
DocType: Delivery Note Item,From Warehouse,من مستودع
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,لا الأصناف مع بيل من مواد لتصنيع
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,لا الأصناف مع بيل من مواد لتصنيع
DocType: Assessment Plan,Supervisor Name,اسم المشرف
DocType: Program Enrollment Course,Program Enrollment Course,دورة التسجيل في البرنامج
DocType: Purchase Taxes and Charges,Valuation and Total,التقييم وتوتال
@@ -3336,18 +3361,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""عدد الأيام منذ آخر طلب "" يجب أن تكون أكبر من أو تساوي الصفر"
DocType: Process Payroll,Payroll Frequency,الدورة الزمنية لدفع الرواتب
DocType: Asset,Amended From,عدل من
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,المواد الخام
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,المواد الخام
DocType: Leave Application,Follow via Email,متابعة عبر البريد الإلكتروني
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,النباتات والأجهزة
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,النباتات والأجهزة
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,المبلغ الضريبي بعد خصم المبلغ
DocType: Daily Work Summary Settings,Daily Work Summary Settings,ملخص إعدادات العمل اليومي
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},عملة قائمة الأسعار {0} ليست مماثلة مع العملة المختارة {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},عملة قائمة الأسعار {0} ليست مماثلة مع العملة المختارة {1}
DocType: Payment Entry,Internal Transfer,نقل داخلي
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,الحساب الفرعي موجود لهذا الحساب . لا يمكن الغاء الحساب.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,الحساب الفرعي موجود لهذا الحساب . لا يمكن الغاء الحساب.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,إما الكمية المستهدفة أو المبلغ المستهدف إلزامي
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},لا توجد BOM الافتراضي القطعة ل {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},لا توجد BOM الافتراضي القطعة ل {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,يرجى تحديد تاريخ النشر لأول مرة
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,يجب فتح التسجيل يكون قبل تاريخ الإنتهاء
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,يرجى تعيين سلسلة التسمية ل {0} عبر الإعداد> إعدادات> تسمية السلسلة
DocType: Leave Control Panel,Carry Forward,المضي قدما
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,مركز التكلفة مع المعاملات القائمة لا يمكن تحويلها إلى دفتر الأستاذ
DocType: Department,Days for which Holidays are blocked for this department.,أيام العطلات غير المسموح بأخذ إجازة فيها لهذا القسم
@@ -3357,10 +3383,9 @@
DocType: Issue,Raised By (Email),التي أثارها (بريد إلكتروني)
DocType: Training Event,Trainer Name,اسم المدرب
DocType: Mode of Payment,General,عام
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,إرفق عنوان خطاب
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,آخر الاتصالات
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',لا يمكن أن تقتطع عند الفئة هو ل ' التقييم ' أو ' تقييم وتوتال '
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",قائمة رؤساء الضريبية الخاصة بك (على سبيل المثال ضريبة القيمة المضافة والجمارك وما إلى ذلك؛ ينبغي أن يكون أسماء فريدة) ومعدلاتها القياسية. وهذا خلق نموذج موحد، والتي يمكنك تعديل وإضافة المزيد لاحقا.
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",قائمة رؤساء الضريبية الخاصة بك (على سبيل المثال ضريبة القيمة المضافة والجمارك وما إلى ذلك؛ ينبغي أن يكون أسماء فريدة) ومعدلاتها القياسية. وهذا خلق نموذج موحد، والتي يمكنك تعديل وإضافة المزيد لاحقا.
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},مسلسل نص مطلوب لل مسلسل البند {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,سداد الفواتير من التحصيلات
DocType: Journal Entry,Bank Entry,حركة بنكية
@@ -3369,16 +3394,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,إضافة إلى العربة
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,المجموعة حسب
DocType: Guardian,Interests,الإهتمامات
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,تمكين / تعطيل العملات .
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,تمكين / تعطيل العملات .
DocType: Production Planning Tool,Get Material Request,الحصول على المواد طلب
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,المصروفات البريدية
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,المصروفات البريدية
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),إجمالي (AMT)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,الترفيه والترويح
DocType: Quality Inspection,Item Serial No,البند رقم المسلسل
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,إنشاء سجلات الموظفين
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,إجمالي الحضور
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,القوائم المالية
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,الساعة
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,الساعة
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,المسلسل الجديد غير ممكن للمستودع . يجب ان يكون المستودع مجهز من حركة المخزون او المشتريات المستلمة
DocType: Lead,Lead Type,نوع مبادرة البيع
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,غير مصرح لك الموافقة على المغادرات التي في التواريخ المحظورة
@@ -3390,6 +3415,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,وBOM الجديدة بعد استبدال
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,نقااط البيع
DocType: Payment Entry,Received Amount,المبلغ الوارد
+DocType: GST Settings,GSTIN Email Sent On,غستن تم إرسال البريد الإلكتروني
+DocType: Program Enrollment,Pick/Drop by Guardian,اختيار / قطرة من قبل الجارديان
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order",إنشاء لكمية كاملة، وتجاهل كمية بالفعل على النظام
DocType: Account,Tax,ضريبة
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,لم يتم وضع علامة
@@ -3401,14 +3428,14 @@
DocType: Batch,Source Document Name,اسم المستند المصدر
DocType: Job Opening,Job Title,المسمى الوظيفي
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,إنشاء المستخدمين
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,قرام
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,قرام
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,يجب أن تكون الكمية لصنع أكبر من 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,تقرير زيارة للدعوة الصيانة.
DocType: Stock Entry,Update Rate and Availability,معدل التحديث والتوفر
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,النسبة المئوية يسمح لك لتلقي أو تقديم المزيد من ضد الكمية المطلوبة. على سبيل المثال: إذا كنت قد أمرت 100 وحدة. و10٪ ثم يسمح بدل الخاص بك لتلقي 110 وحدة.
DocType: POS Customer Group,Customer Group,مجموعة العميل
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),معرف الدفعة الجديد (اختياري)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},اجباري حساب النفقات للصنف {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},اجباري حساب النفقات للصنف {0}
DocType: BOM,Website Description,وصف الموقع
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,صافي التغير في حقوق المساهمين
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,فضلا اشطب قاتورة المشتريات {0} أولا
@@ -3418,8 +3445,8 @@
,Sales Register,سجل مبيعات
DocType: Daily Work Summary Settings Company,Send Emails At,إرسال رسائل البريد الإلكتروني في
DocType: Quotation,Quotation Lost Reason,خسارة التسعيرة بسبب
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,حدد المجال الخاص بك
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},إشارة عملية لا {0} بتاريخ {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,حدد المجال الخاص بك
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},إشارة عملية لا {0} بتاريخ {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,لا يوجد شيء لتحريره
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,ملخص لهذا الشهر والأنشطة المعلقة
DocType: Customer Group,Customer Group Name,أسم مجموعة العميل
@@ -3427,14 +3454,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,بيان التدفقات النقدية
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},مبلغ القرض لا يمكن أن يتجاوز مبلغ القرض الحد الأقصى ل{0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,رخصة
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},الرجاء إزالة هذا فاتورة {0} من C-نموذج {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},الرجاء إزالة هذا فاتورة {0} من C-نموذج {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,الرجاء تحديد المضي قدما إذا كنت تريد ان تتضمن اجازات السنة السابقة
DocType: GL Entry,Against Voucher Type,مقابل نوع قسيمة
DocType: Item,Attributes,سمات
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,الرجاء إدخال شطب الحساب
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,الرجاء إدخال شطب الحساب
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,تاريخ آخر أمر
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},الحساب {0} لا ينتمي إلى الشركة {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,لا تتطابق الأرقام التسلسلية في الصف {0} مع ملاحظة التسليم
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,لا تتطابق الأرقام التسلسلية في الصف {0} مع ملاحظة التسليم
DocType: Student,Guardian Details,تفاصيل ولي الأمر
DocType: C-Form,C-Form,نموذج C-
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,وضع علامة الحضور لعدة موظفين
@@ -3449,16 +3476,16 @@
DocType: Budget Account,Budget Amount,مبلغ الميزانية
DocType: Appraisal Template,Appraisal Template Title,عنوان نموذج التقييم
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},من تاريخ {0} للموظف {1} لا يمكن أن يكون قبل تاريخ انضمامه {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,تجاري
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,تجاري
DocType: Payment Entry,Account Paid To,حساب مدفوع ل
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,البند الأصل {0} لا يجب أن يكون بند مخزون
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,جميع المنتجات أو الخدمات.
DocType: Expense Claim,More Details,مزيد من التفاصيل
DocType: Supplier Quotation,Supplier Address,عنوان المورد
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} الميزانية لحساب {1} من {2} {3} هو {4}. وسوف يتجاوز كتبها {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',صف {0} يجب أن يكون # حساب من نوع "الأصول الثابتة"
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,من الكمية
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,قواعد لحساب كمية الشحن لبيع
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',صف {0} يجب أن يكون # حساب من نوع "الأصول الثابتة"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,من الكمية
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,قواعد لحساب كمية الشحن لبيع
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,الترقيم المتسلسل إلزامي
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,الخدمات المالية
DocType: Student Sibling,Student ID,هوية الطالب
@@ -3466,13 +3493,13 @@
DocType: Tax Rule,Sales,مبيعات
DocType: Stock Entry Detail,Basic Amount,المبلغ الأساسي
DocType: Training Event,Exam,امتحان
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},مستودع الأسهم المطلوبة لل تفاصيل {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},مستودع الأسهم المطلوبة لل تفاصيل {0}
DocType: Leave Allocation,Unused leaves,إجازات غير مستخدمة
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,كر
DocType: Tax Rule,Billing State,الدولة الفواتير
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,نقل
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} لا يرتبط مع حساب الطرف {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),جلب BOM انفجرت (بما في ذلك المجالس الفرعية)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} لا يرتبط مع حساب الطرف {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),جلب BOM انفجرت (بما في ذلك المجالس الفرعية)
DocType: Authorization Rule,Applicable To (Employee),تنطبق على (موظف)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,يرجع تاريخ إلزامي
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,الاضافة للسمة {0} لا يمكن أن يكون 0
@@ -3500,7 +3527,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,قانون المواد الخام المدينة
DocType: Journal Entry,Write Off Based On,شطب بناء على
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,جعل الرصاص
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,طباعة وقرطاسية
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,طباعة وقرطاسية
DocType: Stock Settings,Show Barcode Field,مشاهدة الباركود الميدان
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,إرسال رسائل البريد الإلكتروني مزود
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",الراتب تمت انجازه بالفعل للفترة بين {0} و {1}،طلب اجازة لا يمكن أن تكون بين هذا النطاق الزمني.
@@ -3508,13 +3535,15 @@
DocType: Guardian Interest,Guardian Interest,الجارديان الفائدة
apps/erpnext/erpnext/config/hr.py +177,Training,التدريب
DocType: Timesheet,Employee Detail,تفاصيل الموظف
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 معرف البريد الإلكتروني
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 معرف البريد الإلكتروني
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,اليوم التالي التاريخ وكرر في يوم من شهر يجب أن يكون على قدم المساواة
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,إعدادات موقعه الإلكتروني
DocType: Offer Letter,Awaiting Response,انتظار الرد
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,فوق
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,فوق
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},السمة غير صالحة {0} {1}
DocType: Supplier,Mention if non-standard payable account,أذكر إذا كان الحساب غير القياسي مستحق الدفع
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},تم إدخال نفس العنصر عدة مرات. {قائمة}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',يرجى اختيار مجموعة التقييم بخلاف "جميع مجموعات التقييم"
DocType: Salary Slip,Earning & Deduction,الكسب و الخصم
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,اختياري . سيتم استخدام هذا الإعداد لتصفية في المعاملات المختلفة.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,لا يسمح السلبية قيم التقييم
@@ -3528,9 +3557,9 @@
DocType: Sales Invoice,Product Bundle Help,المنتج حزمة مساعدة
,Monthly Attendance Sheet,ورقة الحضور الشهرية
DocType: Production Order Item,Production Order Item,الإنتاج ترتيب البند
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,العثور على أي سجل
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,العثور على أي سجل
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,تكلفة الأصول ملغى
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: مركز التكلفة إلزامي للصنف {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: مركز التكلفة إلزامي للصنف {2}
DocType: Vehicle,Policy No,السياسة لا
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,الحصول على أصناف من حزمة المنتج
DocType: Asset,Straight Line,خط مستقيم
@@ -3538,7 +3567,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,انشق، مزق
DocType: GL Entry,Is Advance,هو المقدم
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,الحضور من التاريخ والحضور إلى التاريخ إلزامي
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,"يرجى إدخال "" التعاقد من الباطن "" كما نعم أو لا"
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,"يرجى إدخال "" التعاقد من الباطن "" كما نعم أو لا"
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,تاريخ الاتصال الأخير
DocType: Sales Team,Contact No.,الاتصال رقم
DocType: Bank Reconciliation,Payment Entries,مقالات الدفع
@@ -3564,60 +3593,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,القيمة افتتاح
DocType: Salary Detail,Formula,صيغة
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,المسلسل #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,عمولة على المبيعات
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,عمولة على المبيعات
DocType: Offer Letter Term,Value / Description,القيمة / الوصف
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",الصف # {0}: الأصول {1} لا يمكن أن تقدم، هو بالفعل {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",الصف # {0}: الأصول {1} لا يمكن أن تقدم، هو بالفعل {2}
DocType: Tax Rule,Billing Country,بلد إرسال الفواتير
DocType: Purchase Order Item,Expected Delivery Date,تاريخ التسليم المتوقع
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,الخصم والائتمان لا يساوي ل{0} # {1}. الفرق هو {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,مصاريف الترفيه
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,جعل المواد طلب
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,مصاريف الترفيه
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,جعل المواد طلب
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},فتح عنصر {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,فاتورة المبيعات {0} يجب أن يتم إلغاء هذا الأمر قبل إلغاء المبيعات
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,عمر
DocType: Sales Invoice Timesheet,Billing Amount,قيمة الفواتير
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,كمية غير صالحة المحدد لمادة {0} . يجب أن تكون كمية أكبر من 0.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,طلبات الحصول على إجازة.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,لا يمكن حذف حساب جرت عليه أي عملية
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,لا يمكن حذف حساب جرت عليه أي عملية
DocType: Vehicle,Last Carbon Check,الكربون الماضي تحقق
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,المصاريف القانونية
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,المصاريف القانونية
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,يرجى تحديد الكمية على الصف
DocType: Purchase Invoice,Posting Time,نشر التوقيت
DocType: Timesheet,% Amount Billed,المبلغ٪ صفت
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,مصاريف الهاتف
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,مصاريف الهاتف
DocType: Sales Partner,Logo,شعار
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,التحقق من ذلك إذا كنت تريد لإجبار المستخدم لتحديد سلسلة قبل الحفظ. لن يكون هناك الافتراضي إذا قمت بتحديد هذا.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},أي عنصر مع المسلسل لا {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},أي عنصر مع المسلسل لا {0}
DocType: Email Digest,Open Notifications,الإخطارات المفتوحة
DocType: Payment Entry,Difference Amount (Company Currency),فروق المبلغ ( عملة الشركة ) .
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,المصاريف المباشرة
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,المصاريف المباشرة
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} هو عنوان بريد إلكتروني غير صالح في "إعلام \ عنوان البريد الإلكتروني"
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,إيرادات العملاء الجدد
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,مصاريف السفر
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,مصاريف السفر
DocType: Maintenance Visit,Breakdown,انهيار
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,الحساب: {0} مع العملة: {1} لا يمكن اختياره
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,الحساب: {0} مع العملة: {1} لا يمكن اختياره
DocType: Bank Reconciliation Detail,Cheque Date,تاريخ الشيك
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},الحساب {0}: حسابه الرئيسي {1} لا ينتمي إلى الشركة: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},الحساب {0}: حسابه الرئيسي {1} لا ينتمي إلى الشركة: {2}
DocType: Program Enrollment Tool,Student Applicants,المتقدمين طالب
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,تم حذف جميع المعاملات المتعلقة بهذه الشركة!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,تم حذف جميع المعاملات المتعلقة بهذه الشركة!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,كما في تاريخ
DocType: Appraisal,HR,الموارد البشرية
DocType: Program Enrollment,Enrollment Date,تاريخ التسجيل
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,امتحان
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,امتحان
apps/erpnext/erpnext/config/hr.py +115,Salary Components,مكون الراتب
DocType: Program Enrollment Tool,New Academic Year,العام الدراسي الجديد
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,عودة / الائتمان ملاحظة
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,عودة / الائتمان ملاحظة
DocType: Stock Settings,Auto insert Price List rate if missing,إدراج تلقائي لقائمة الأسعار إن لم تكن موجودة
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,إجمالي المبلغ المدفوع
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,إجمالي المبلغ المدفوع
DocType: Production Order Item,Transferred Qty,نقل الكمية
apps/erpnext/erpnext/config/learn.py +11,Navigating,التنقل
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,تخطيط
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,نشر
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,تخطيط
+DocType: Material Request,Issued,نشر
DocType: Project,Total Billing Amount (via Time Logs),المبلغ الكلي الفواتير (عبر الزمن سجلات)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,نبيع هذه القطعة
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,المورد رقم
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,نبيع هذه القطعة
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,المورد رقم
DocType: Payment Request,Payment Gateway Details,تفاصيل الدفع بوابة
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,وينبغي أن تكون كمية أكبر من 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,وينبغي أن تكون كمية أكبر من 0
DocType: Journal Entry,Cash Entry,الدخول النقدية
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,العقد التابعة يمكن أن تنشأ إلا في إطار العقد نوع 'المجموعة'
DocType: Leave Application,Half Day Date,تاريخ نصف اليوم
@@ -3629,14 +3659,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},الرجاء تعيين الحساب الافتراضي في نوع المطالبة النفقات {0}
DocType: Assessment Result,Student Name,أسم الطالب
DocType: Brand,Item Manager,مدير البند
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,الرواتب مستحقة الدفع
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,الرواتب مستحقة الدفع
DocType: Buying Settings,Default Supplier Type,الافتراضي مزود نوع
DocType: Production Order,Total Operating Cost,إجمالي تكاليف التشغيل
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,ملاحظة : البند {0} دخلت عدة مرات
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,جميع جهات الاتصال.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,اختصار الشركة
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,اختصار الشركة
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,المستخدم {0} غير موجود
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,المواد الخام لا يمكن أن يكون نفس البند الرئيسي
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,المواد الخام لا يمكن أن يكون نفس البند الرئيسي
DocType: Item Attribute Value,Abbreviation,اسم مختصر
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,الدفع دخول موجود بالفعل
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,لا أوثرويزيد منذ {0} يتجاوز الحدود
@@ -3645,49 +3675,49 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,مجموعة القاعدة الضريبية لعربة التسوق
DocType: Purchase Invoice,Taxes and Charges Added,أضيفت الضرائب والرسوم
,Sales Funnel,قمع المبيعات
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,الاسم المختصر إلزامي
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,الاسم المختصر إلزامي
DocType: Project,Task Progress,تقدم مهمة
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,عربة
,Qty to Transfer,الكمية للنقل
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,اقتباسات لعروض أو العملاء.
DocType: Stock Settings,Role Allowed to edit frozen stock,دور الأليفة لتحرير الأسهم المجمدة
,Territory Target Variance Item Group-Wise,الأراضي المستهدفة الفرق البند المجموعة الحكيم
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,جميع مجموعات العملاء
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,جميع مجموعات العملاء
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,مجمع الشهري
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} إلزامي. ربما أنه لم يتم إنشاء سجل سعر صرف العملة ل{1} إلى {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} إلزامي. ربما أنه لم يتم إنشاء سجل سعر صرف العملة ل{1} إلى {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,قالب الضرائب إلزامي.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,الحساب {0}: حسابه الرئيسي {1} غير موجود
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,الحساب {0}: حسابه الرئيسي {1} غير موجود
DocType: Purchase Invoice Item,Price List Rate (Company Currency),قائمة الأسعار معدل (عملة الشركة)
DocType: Products Settings,Products Settings,إعدادات المنتجات
DocType: Account,Temporary,مؤقت
DocType: Program,Courses,الدورات
DocType: Monthly Distribution Percentage,Percentage Allocation,نسبة توزيع
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,أمين
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,أمين
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",إذا تعطيل، "في كلمة" الحقل لن تكون مرئية في أي صفقة
DocType: Serial No,Distinct unit of an Item,وحدة متميزة من عنصر
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,يرجى تعيين الشركة
DocType: Pricing Rule,Buying,شراء
DocType: HR Settings,Employee Records to be created by,سجلات الموظفين المراد إنشاؤها من قبل
DocType: POS Profile,Apply Discount On,تطبيق خصم على
,Reqd By Date,Reqd حسب التاريخ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,الدائنين
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,الدائنين
DocType: Assessment Plan,Assessment Name,اسم تقييم
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,الصف # {0}: لا المسلسل إلزامي
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,الحكيم البند ضريبة التفاصيل
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,اختصار معهد
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,اختصار معهد
,Item-wise Price List Rate,البند الحكيمة قائمة الأسعار قيم
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,اقتباس المورد
DocType: Quotation,In Words will be visible once you save the Quotation.,وبعبارة تكون مرئية بمجرد حفظ اقتباس.
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},الكمية ({0}) لا يمكن أن تكون جزءا من الصف {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,جمع الرسوم
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},الباركود {0} مستخدم بالفعل في الصنف {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},الباركود {0} مستخدم بالفعل في الصنف {1}
DocType: Lead,Add to calendar on this date,إضافة إلى التقويم في هذا التاريخ
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,قواعد لإضافة تكاليف الشحن.
DocType: Item,Opening Stock,فتح المخزون
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,طلبات العميل
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} إلزامية من أجل العودة
DocType: Purchase Order,To Receive,تلقي
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,البريد الالكتروني الشخصية
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,مجموع الفروق
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",إذا مكن، سيقوم النظام إضافة القيود المحاسبية للمخزون تلقائيا.
@@ -3699,13 +3729,14 @@
DocType: Customer,From Lead,من العميل المحتمل
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,أوامر الإفراج عن الإنتاج.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,اختر السنة المالية ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS الملف المطلوب لجعل الدخول POS
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS الملف المطلوب لجعل الدخول POS
DocType: Program Enrollment Tool,Enroll Students,تسجيل الطلاب
DocType: Hub Settings,Name Token,اسم رمز
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,البيع القياسية
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,واحدة على الاقل مستودع إلزامي
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,واحدة على الاقل مستودع إلزامي
DocType: Serial No,Out of Warranty,لا تغطيه الضمان
DocType: BOM Replace Tool,Replace,استبدل
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,لم يتم العثور على منتجات.
DocType: Production Order,Unstopped,تتفتح
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} مقابل فاتورة المبيعات {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3716,13 +3747,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,فرق قيمة المخزون
apps/erpnext/erpnext/config/learn.py +234,Human Resource,الموارد البشرية
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,دفع المصالحة الدفع
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,الأصول الضريبية
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,الأصول الضريبية
DocType: BOM Item,BOM No,رقم فاتورة المواد
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,إدخال دفتر اليومية {0} ليس لديه حساب {1} أو بالفعل يقابل ضد قسيمة أخرى
DocType: Item,Moving Average,المتوسط المتحرك
DocType: BOM Replace Tool,The BOM which will be replaced,وBOM التي سيتم استبدالها
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,معدات إلكترونية
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,معدات إلكترونية
DocType: Account,Debit,مدين
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,يجب تخصيص الإجازات في مضاعفات 0.5
DocType: Production Order,Operation Cost,التكلفة العملية
@@ -3730,7 +3761,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,آمت المتميز
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,تحديد أهداف المجموعة السلعة الحكيم لهذا الشخص المبيعات.
DocType: Stock Settings,Freeze Stocks Older Than [Days],تجميد الأرصدة أقدم من [ أيام]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,الصف # {0}: الأصول إلزامي لشراء الأصول الثابتة / بيع
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,الصف # {0}: الأصول إلزامي لشراء الأصول الثابتة / بيع
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","اذا كانت اثنتان او اكثر من قواعد الاسعار مبنية على الشروط المذكورة فوق, الاولوية تطبق. الاولوية هي رقم بين 0 و 20 والقيمة الافتراضية هي 0. القيمة الاعلى تعني انها ستاخذ الاولوية عندما يكون هناك قواعد أسعار بنفس الشروط."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,السنة المالية: {0} لا موجود
DocType: Currency Exchange,To Currency,إلى العملات
@@ -3738,7 +3769,7 @@
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,أنواع النفقات المطلوبة.
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},سعر البيع للبند {0} أقل من {1}. يجب أن يكون سعر البيع على الأقل {2}
DocType: Item,Taxes,الضرائب
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,دفعت ولم يتم تسليمها
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,دفعت ولم يتم تسليمها
DocType: Project,Default Cost Center,مركز التكلفة الافتراضي
DocType: Bank Guarantee,End Date,نهاية التاريخ
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,قيود المخزون
@@ -3763,24 +3794,22 @@
DocType: Employee,Held On,عقدت في
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,إنتاج البند
,Employee Information,معلومات الموظف
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),معدل ( ٪ )
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),معدل ( ٪ )
DocType: Stock Entry Detail,Additional Cost,تكلفة إضافية
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,تاريخ نهاية السنة المالية
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",لا يمكن تصفية استنادا قسيمة لا، إذا تم تجميعها حسب قسيمة
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,أنشئ تسعيرة مورد
DocType: Quality Inspection,Incoming,الوارد
DocType: BOM,Materials Required (Exploded),المواد المطلوبة (انفجرت)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself",إضافة مستخدمين إلى مؤسستك، وغيرها من نفسك
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,تاريخ النشر لا يمكن أن يكون تاريخ مستقبلي
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},الصف # {0}: المسلسل لا {1} لا يتطابق مع {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,أجازة عادية
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,أجازة عادية
DocType: Batch,Batch ID,دفعة ID
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},ملاحظة : {0}
,Delivery Note Trends,ملاحظة اتجاهات التسليم
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,ملخص هذا الأسبوع
-,In Stock Qty,في سوق الأسهم الكمية
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,في سوق الأسهم الكمية
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,الحساب: {0} لا يمكن إلا أن يتم تحديثه عن طريق المعاملات المالية
-DocType: Program Enrollment,Get Courses,الحصول على دورات
+DocType: Student Group Creation Tool,Get Courses,الحصول على دورات
DocType: GL Entry,Party,الطرف
DocType: Sales Order,Delivery Date,تاريخ التسليم
DocType: Opportunity,Opportunity Date,تاريخ الفرصة
@@ -3788,14 +3817,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,طلب تسعيرة البند
DocType: Purchase Order,To Bill,لبيل
DocType: Material Request,% Ordered,٪ تم طلبها
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",بالنسبة للطلاب مجموعة مقرها دورة، سيتم التحقق من صحة الدورة لكل طالب من الدورات المسجلة في التسجيل البرنامج.
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date",أدخل عنوان البريد الإلكتروني مفصولة بفواصل، سيرسل فاتورة تلقائيا على تاريخ معين
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,العمل مقاولة
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,العمل مقاولة
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,متوسط. سعر شراء
DocType: Task,Actual Time (in Hours),الوقت الفعلي (بالساعات)
DocType: Employee,History In Company,الحركة التاريخيه في الشركة
apps/erpnext/erpnext/config/learn.py +107,Newsletters,النشرات الإخبارية
DocType: Stock Ledger Entry,Stock Ledger Entry,حركة سجل المخزن
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,العميل> مجموعة العملاء> الإقليم
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,تم إدخال البند نفسه عدة مرات
DocType: Department,Leave Block List,قائمة الإجازات المحظورة
DocType: Sales Invoice,Tax ID,البطاقة الضريبية
@@ -3810,30 +3839,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} الوحدات التي في {1} مطلوبة في {2} لإتمام هذه العمليه.
DocType: Loan Type,Rate of Interest (%) Yearly,معدل الفائدة (٪) سنوي
DocType: SMS Settings,SMS Settings,SMS إعدادات
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,حسابات مؤقتة
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,أسود
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,حسابات مؤقتة
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,أسود
DocType: BOM Explosion Item,BOM Explosion Item,BOM Explosion Item
DocType: Account,Auditor,مدقق حسابات
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0}العناصر المنتجه
DocType: Cheque Print Template,Distance from top edge,المسافة من الحافة العلوية
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,قائمة الأسعار {0} تعطيل أو لا وجود لها
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,قائمة الأسعار {0} تعطيل أو لا وجود لها
DocType: Purchase Invoice,Return,عودة
DocType: Production Order Operation,Production Order Operation,أمر الإنتاج عملية
DocType: Pricing Rule,Disable,تعطيل
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,طريقة الدفع مطلوبة لإجراء الدفع
DocType: Project Task,Pending Review,في انتظار المراجعة
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} غير مسجل في الدفعة {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}",الأصول {0} لا يمكن تفكيكها، كما هو بالفعل {1}
DocType: Task,Total Expense Claim (via Expense Claim),مجموع المطالبة المصاريف (عبر مطالبات مصاريف)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,رقم تعريف العميل
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,حدد الغائب
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},صف {0}: عملة BOM # {1} يجب أن تكون مساوية العملة المختارة {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},صف {0}: عملة BOM # {1} يجب أن تكون مساوية العملة المختارة {2}
DocType: Journal Entry Account,Exchange Rate,سعر الصرف
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,اوامر البيع {0} لم ترسل
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,اوامر البيع {0} لم ترسل
DocType: Homepage,Tag Line,شعار
DocType: Fee Component,Fee Component,مكون رسوم
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,إدارة سريعة
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,إضافة عناصر من
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},مستودع {0}: حساب الرئيسي {1} لا بولونغ للشركة {2}
DocType: Cheque Print Template,Regular,منتظم
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,يجب أن يكون الترجيح الكلي لجميع معايير التقييم 100٪
DocType: BOM,Last Purchase Rate,أخر سعر توريد
@@ -3842,11 +3870,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,الأوراق المالية لا يمكن أن توجد القطعة ل{0} منذ ديه المتغيرات
,Sales Person-wise Transaction Summary,ملخص المبيعات بناء على رجل المبيعات
DocType: Training Event,Contact Number,رقم الاتصال
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,مستودع {0} غير موجود
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,مستودع {0} غير موجود
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,سجل للحصول على ERPNext المحور
DocType: Monthly Distribution,Monthly Distribution Percentages,النسب المئوية لتوزيع الشهرية
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,العنصر المحدد لا يمكن أن يكون دفعة
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry",معدل التقييم لم يتم العثور على هذا البند {0}، وهو مطلوب للقيام القيود المحاسبية لل{1} {2}. إذا كان العنصر هو يتعاملون كبند عينة في {1}، يرجى ذكر ذلك في {1} الجدول البند. خلاف ذلك، يرجى إنشاء معاملة الأسهم واردة بالنسبة لمعدل تقييم البند أو ذكر في السجل عنصر، ثم حاول سوبميتنغ / إلغاء هذا الدخول
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry",معدل التقييم لم يتم العثور على هذا البند {0}، وهو مطلوب للقيام القيود المحاسبية لل{1} {2}. إذا كان العنصر هو يتعاملون كبند عينة في {1}، يرجى ذكر ذلك في {1} الجدول البند. خلاف ذلك، يرجى إنشاء معاملة الأسهم واردة بالنسبة لمعدل تقييم البند أو ذكر في السجل عنصر، ثم حاول سوبميتنغ / إلغاء هذا الدخول
DocType: Delivery Note,% of materials delivered against this Delivery Note,٪ من المواد الموردة سلمت من أمر التوصيل
DocType: Project,Customer Details,تفاصيل العميل
DocType: Employee,Reports to,إرسال التقارير إلى
@@ -3854,41 +3882,43 @@
DocType: SMS Settings,Enter url parameter for receiver nos,ادخل معامل العنوان لمشغل شبكة المستقبل
DocType: Payment Entry,Paid Amount,المبلغ المدفوع
DocType: Assessment Plan,Supervisor,مشرف
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,على الانترنت
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,على الانترنت
,Available Stock for Packing Items,المخزون المتاج للأصناف المعبأة
DocType: Item Variant,Item Variant,البديل البند
DocType: Assessment Result Tool,Assessment Result Tool,أداة نتيجة التقييم
DocType: BOM Scrap Item,BOM Scrap Item,BOM خردة البند
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,لا يمكن حذف أوامر المقدمة
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","رصيد حساب بالفعل في الخصم، لا يسمح لك تعيين ""الرصيد يجب أن يكون 'ك' الائتمان '"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,إدارة الجودة
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,لا يمكن حذف أوامر المقدمة
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","رصيد حساب بالفعل في الخصم، لا يسمح لك تعيين ""الرصيد يجب أن يكون 'ك' الائتمان '"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,إدارة الجودة
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,تم تعطيل البند {0}
DocType: Employee Loan,Repay Fixed Amount per Period,سداد مبلغ ثابت في الفترة
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},الرجاء إدخال كمية القطعة ل {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,ملاحظة ائتمان
DocType: Employee External Work History,Employee External Work History,تاريخ عمل الموظف خارج الشركة
DocType: Tax Rule,Purchase,الشراء
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,الكمية المتاحة
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,الكمية المتاحة
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,الأهداف لا يمكن أن تكون فارغة
DocType: Item Group,Parent Item Group,الأم الإغلاق المجموعة
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} ل {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,مراكز التكلفة
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,مراكز التكلفة
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,المعدل الذي يتم تحويل العملة إلى عملة المورد قاعدة الشركة
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},الصف # {0} الصراعات مواقيت مع صف واحد {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,السماح صفر معدل التقييم
DocType: Training Event Employee,Invited,دعوة
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,هيكلية رواتب نشطة متعددة وجدت للموظف {0} للتواريخ المعطاة
DocType: Opportunity,Next Contact,جهة الاتصال التالية
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,إعدادت بوابة الحسايات.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,إعدادت بوابة الحسايات.
DocType: Employee,Employment Type,مجال العمل
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,الاصول الثابتة
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,الاصول الثابتة
DocType: Payment Entry,Set Exchange Gain / Loss,تعيين كسب تبادل / الخسارة
+,GST Purchase Register,غست شراء سجل
,Cash Flow,التدفق النقدي
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,فترة التطبيق لا يمكن أن يكون عبر اثنين من السجلات alocation
DocType: Item Group,Default Expense Account,حساب النفقات الإفتراضي
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,طالب معرف البريد الإلكتروني
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,طالب معرف البريد الإلكتروني
DocType: Employee,Notice (days),إشعار (أيام )
DocType: Tax Rule,Sales Tax Template,قالب ضريبة المبيعات
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,تحديد عناصر لحفظ الفاتورة
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,تحديد عناصر لحفظ الفاتورة
DocType: Employee,Encashment Date,تاريخ التحصيل
DocType: Training Event,Internet,الإنترنت
DocType: Account,Stock Adjustment,الأسهم التكيف
@@ -3916,7 +3946,7 @@
DocType: Guardian,Guardian Of ,الجارديان
DocType: Grading Scale Interval,Threshold,العتبة
DocType: BOM Replace Tool,Current BOM,قائمة المواد الحالية
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,إضافة رقم تسلسلي
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,إضافة رقم تسلسلي
apps/erpnext/erpnext/config/support.py +22,Warranty,الضمان
DocType: Purchase Invoice,Debit Note Issued,الخصم مذكرة صادرة
DocType: Production Order,Warehouses,المستودعات
@@ -3925,20 +3955,20 @@
DocType: Workstation,per hour,كل ساعة
apps/erpnext/erpnext/config/buying.py +7,Purchasing,المشتريات
DocType: Announcement,Announcement,إعلان
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,سيتم إنشاء حساب المستودع (الجرد الدائم) تحت هذا الحساب.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,مستودع لا يمكن حذف كما يوجد مدخل الأسهم دفتر الأستاذ لهذا المستودع.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",بالنسبة لمجموعة الطالب القائمة على الدفعة، سيتم التحقق من الدفعة الطالب لكل طالب من تسجيل البرنامج.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,مستودع لا يمكن حذف كما يوجد مدخل الأسهم دفتر الأستاذ لهذا المستودع.
DocType: Company,Distribution,التوزيع
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,المبلغ المدفوع
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,مدير المشروع
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,مدير المشروع
,Quoted Item Comparison,ونقلت البند مقارنة
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,إيفاد
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,أعلى خصم مسموح به للمنتج : {0} هو {1}٪
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,إيفاد
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,أعلى خصم مسموح به للمنتج : {0} هو {1}٪
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,صافي قيمة الأصول كما في
DocType: Account,Receivable,القبض
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,الصف # {0}: غير مسموح لتغيير مورد السلعة كما طلب شراء موجود بالفعل
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,الصف # {0}: غير مسموح لتغيير مورد السلعة كما طلب شراء موجود بالفعل
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,الدور الذي يسمح بتقديم المعاملات التي تتجاوز حدود الائتمان تعيين.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,حدد العناصر لتصنيع
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time",مزامنة البيانات الرئيسية، قد يستغرق بعض الوقت
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,حدد العناصر لتصنيع
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time",مزامنة البيانات الرئيسية، قد يستغرق بعض الوقت
DocType: Item,Material Issue,صرف مواد
DocType: Hub Settings,Seller Description,وصف البائع
DocType: Employee Education,Qualification,المؤهل
@@ -3958,7 +3988,6 @@
DocType: BOM,Rate Of Materials Based On,معدل المواد التي تقوم على
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analtyics الدعم
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,الغاء الكل
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},الشركة ناقصة في المستودعات {0}
DocType: POS Profile,Terms and Conditions,الشروط والأحكام
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},إلى التسجيل يجب أن يكون ضمن السنة المالية. على افتراض إلى تاريخ = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc",هنا يمكنك ادراج تفاصيل عن الحالة الصحية مثل الطول والوزن، الحساسية، المخاوف الطبية
@@ -3973,18 +4002,17 @@
DocType: Sales Order Item,For Production,للإنتاج
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,عرض المهمة
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,تبدأ السنة المالية الخاصة بك على
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,أوب / ليد٪
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,إستهلاك الأصول والأرصدة
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},مبلغ {0} {1} نقلها من {2} إلى {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},مبلغ {0} {1} نقلها من {2} إلى {3}
DocType: Sales Invoice,Get Advances Received,الحصول على السلف المتلقاة
DocType: Email Digest,Add/Remove Recipients,إضافة / إزالة المستلمين
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},الصفقة لا يسمح ضد توقفت أمر الإنتاج {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},الصفقة لا يسمح ضد توقفت أمر الإنتاج {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","لتعيين هذه السنة المالية كما الافتراضي، انقر على ' تعيين كافتراضي """
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,انضم
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,انضم
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,نقص الكمية
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,البديل البند {0} موجود مع نفس الصفات
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,البديل البند {0} موجود مع نفس الصفات
DocType: Employee Loan,Repay from Salary,سداد من الراتب
DocType: Leave Application,LAP/,LAP /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},طلب دفع مقابل {0} {1} لمبلغ {2}
@@ -3995,34 +4023,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.",.إنشاء التعبئة زلات لحزم ليتم تسليمها. المستخدمة لإخطار رقم الحزمة، محتويات الحزمة وزنها.
DocType: Sales Invoice Item,Sales Order Item,ترتيب المبيعات الإغلاق
DocType: Salary Slip,Payment Days,أيام الدفع
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,المستودعات مع العقد التابعة لا يمكن أن يتم تحويلها إلى ليدجر
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,المستودعات مع العقد التابعة لا يمكن أن يتم تحويلها إلى ليدجر
DocType: BOM,Manage cost of operations,إدارة تكلفة العمليات
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.",عند "المقدمة" أي من المعاملات تم، بريد الكتروني المنبثقة تلقائيا فتح لإرسال بريد الكتروني الى "الاتصال" المرتبطة في تلك المعاملة، مع الصفقة كمرفق. يجوز للمستخدم أو قد لا إرسال البريد الإلكتروني.
apps/erpnext/erpnext/config/setup.py +14,Global Settings,إعدادات العالمية
DocType: Assessment Result Detail,Assessment Result Detail,تقييم النتيجة التفاصيل
DocType: Employee Education,Employee Education,المستوى التعليمي للموظف
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,مجموعة البند مكررة موجودة في جدول المجموعة البند
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,هناك حاجة لجلب البند التفاصيل.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,هناك حاجة لجلب البند التفاصيل.
DocType: Salary Slip,Net Pay,صافي الراتب
DocType: Account,Account,حساب
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,رقم المسلسل {0} وقد وردت بالفعل
,Requested Items To Be Transferred,العناصر المطلوبة على أن يتم تحويلها
DocType: Expense Claim,Vehicle Log,دخول السيارة
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.",لا يرتبط مستودع {0} إلى أي حساب، الرجاء إنشاء / ربط (الأصول) حساب المقابل للمستودع.
DocType: Purchase Invoice,Recurring Id,رقم المتكررة
DocType: Customer,Sales Team Details,تفاصيل فريق المبيعات
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,حذف بشكل دائم؟
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,حذف بشكل دائم؟
DocType: Expense Claim,Total Claimed Amount,إجمالي المبلغ المطالب به
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,فرص محتملة للبيع.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},باطلة {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,الإجازات المرضية
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},باطلة {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,الإجازات المرضية
DocType: Email Digest,Email Digest,البريد الإلكتروني دايجست
DocType: Delivery Note,Billing Address Name,الفواتير اسم العنوان
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,المتاجر
DocType: Warehouse,PIN,دبوس
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,إعداد مدرستك في ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),مدى تغيير المبلغ الأساسي (عملة الشركة )
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,لا القيود المحاسبية للمستودعات التالية
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,لا القيود المحاسبية للمستودعات التالية
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,حفظ المستند أولا.
DocType: Account,Chargeable,تحمل
DocType: Company,Change Abbreviation,تغيير اختصار
@@ -4040,7 +4067,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,التاريخ التسليم المتوقع لا يمكن أن يكون قبل تاريخ طلب شراء
DocType: Appraisal,Appraisal Template,نوع التقييم
DocType: Item Group,Item Classification,تصنيف البند
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,مدير تطوير الأعمال
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,مدير تطوير الأعمال
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,صيانة زيارة الغرض
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,فترة
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,دفتر الأستاذ العام
@@ -4050,8 +4077,8 @@
DocType: Item Attribute Value,Attribute Value,السمة القيمة
,Itemwise Recommended Reorder Level,يوصى به Itemwise إعادة ترتيب مستوى
DocType: Salary Detail,Salary Detail,تفاصيل الراتب
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,الرجاء اختيار {0} الأولى
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,دفعة {0} من البند {1} قد انتهت صلاحيتها.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,الرجاء اختيار {0} الأولى
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,دفعة {0} من البند {1} قد انتهت صلاحيتها.
DocType: Sales Invoice,Commission,عمولة
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,ورقة الوقت للتصنيع.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,حاصل الجمع
@@ -4062,6 +4089,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,` تجميد المخزون الأقدم من يجب أن يكون أقل من ٪ d يوم ` .
DocType: Tax Rule,Purchase Tax Template,شراء قالب الضرائب
,Project wise Stock Tracking,مشروع تتبع حركة الأسهم الحكمة
+DocType: GST HSN Code,Regional,إقليمي
DocType: Stock Entry Detail,Actual Qty (at source/target),الكمية الفعلية (في المصدر / الهدف)
DocType: Item Customer Detail,Ref Code,الرمز المرجعي
apps/erpnext/erpnext/config/hr.py +12,Employee records.,سجلات الموظفين
@@ -4072,13 +4100,13 @@
DocType: Email Digest,New Purchase Orders,اوامر الشراء الجديده
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,الجذر لا يمكن أن يكون مركز تكلفة الأصل
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,اختر الماركة ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,التدريب الأحداث / النتائج
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,مجمع الإستهلاك كما في
DocType: Sales Invoice,C-Form Applicable,C-نموذج قابل للتطبيق
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},عملية الوقت يجب أن تكون أكبر من 0 لعملية {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,المستودع إلزامي
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,المستودع إلزامي
DocType: Supplier,Address and Contacts,عناوين واتصالات
DocType: UOM Conversion Detail,UOM Conversion Detail,تفاصيل تحويل وحدة القياس
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),يبقيه على شبكة الإنترنت 900px دية ( ث ) من قبل 100px (ح )
DocType: Program,Program Abbreviation,اختصار برنامج
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,لا يمكن رفع إنتاج النظام ضد قالب البند
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,تحديث الرسوم في اضافة المشتريات لكل صنف
@@ -4086,13 +4114,13 @@
DocType: Bank Guarantee,Start Date,تاريخ البدء
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,تخصيص الإجازات لفترة.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,الشيكات والودائع مسح غير صحيح
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,الحساب {0}: لا يمكنك جعله حساباً رئيسياً لنفسه
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,الحساب {0}: لا يمكنك جعله حساباً رئيسياً لنفسه
DocType: Purchase Invoice Item,Price List Rate,قائمة الأسعار قيم
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,خلق ونقلت العملاء
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","تظهر ""في المخزن"" أو ""ليس في المخزن"" على أساس التواجد في هذا المخزن."
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),مشروع القانون المواد (BOM)
DocType: Item,Average time taken by the supplier to deliver,متوسط الوقت المستغرق من قبل المورد للتسليم
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,نتائج التقييم
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,نتائج التقييم
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,ساعات
DocType: Project,Expected Start Date,تاريخ البدأ المتوقع
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,إزالة البند إذا الرسوم لا تنطبق على هذا البند
@@ -4106,24 +4134,23 @@
DocType: Workstation,Operating Costs,تكاليف التشغيل
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,العمل إذا مجمع الميزانيه الشهري تجاوز
DocType: Purchase Invoice,Submit on creation,إرسال على خلق
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},العملة ل{0} يجب أن يكون {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},العملة ل{0} يجب أن يكون {1}
DocType: Asset,Disposal Date,التخلص من التسجيل
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",سيتم إرسال رسائل البريد الإلكتروني لجميع الموظفين العاملين في الشركة في ساعة معينة، إذا لم يكن لديهم عطلة. سيتم إرسال ملخص ردود في منتصف الليل.
DocType: Employee Leave Approver,Employee Leave Approver,الموافق علي اجازة الموظف
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},صف {0}: إدخال إعادة ترتيب موجود بالفعل لهذا المستودع {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},صف {0}: إدخال إعادة ترتيب موجود بالفعل لهذا المستودع {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.",لا يمكن ان تعلن بانها فقدت ، لأن أحرز اقتباس .
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,ملاحظات تدريب
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,إنتاج النظام {0} يجب أن تقدم
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,إنتاج النظام {0} يجب أن تقدم
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},يرجى تحديد تاريخ بدء و نهاية التاريخ القطعة ل {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},بالطبع إلزامي في الصف {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,حتى الآن لا يمكن أن يكون قبل تاريخ من
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,إضافة / تحرير الأسعار
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,إضافة / تحرير الأسعار
DocType: Batch,Parent Batch,دفعة الأم
DocType: Cheque Print Template,Cheque Print Template,قالب طباعة الشيكات
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,دليل مراكز التكلفة
,Requested Items To Be Ordered,البنود المطلوبة إلى أن يؤمر
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,يجب أن تكون شركة مستودع نفس الشركة الحساب
DocType: Price List,Price List Name,قائمة الأسعار اسم
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},ملخص العمل اليومي ل{0}
DocType: Employee Loan,Totals,المجاميع
@@ -4145,55 +4172,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,الرجاء إدخال غ المحمول صالحة
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,من فضلك ادخل الرسالة قبل إرسالها
DocType: Email Digest,Pending Quotations,في انتظار الاقتباسات
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,نقطة من بيع الشخصي
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,نقطة من بيع الشخصي
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,يرجى تحديث إعدادات SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,القروض غير المضمونة
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,القروض غير المضمونة
DocType: Cost Center,Cost Center Name,اسم مركز تكلفة
DocType: Employee,B+,ب+
DocType: HR Settings,Max working hours against Timesheet,اقصى عدد ساعات عمل بسجل التوقيت
DocType: Maintenance Schedule Detail,Scheduled Date,المقرر تاريخ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,مجموع المبالغ المدفوعة AMT
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,مجموع المبالغ المدفوعة AMT
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,الرسائل المحتوية على اكثر من 160 حرف ستقسم الى عدة رسائل
DocType: Purchase Receipt Item,Received and Accepted,تلقت ومقبول
+,GST Itemised Sales Register,غست موزعة المبيعات التسجيل
,Serial No Service Contract Expiry,مسلسل العقد لا انتهاء الاشتراك خدمة
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,لا يمكنك الائتمان والخصم نفس الحساب في نفس الوقت
DocType: Naming Series,Help HTML,مساعدة HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,طالب خلق أداة المجموعة
DocType: Item,Variant Based On,البديل القائم على
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},يجب أن يكون مجموع الترجيح تعيين 100 ٪ . فمن {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,الموردون
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,الموردون
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,لا يمكن تعيين كما فقدت كما يرصد ترتيب المبيعات .
DocType: Request for Quotation Item,Supplier Part No,رقم قطعة المورد
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',لا يمكن أن تقتطع عند الفئة هي ل 'تقييم' أو 'Vaulation وتوتال'
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,مستلم من
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,مستلم من
DocType: Lead,Converted,تحويل
DocType: Item,Has Serial No,يحتوي على رقم تسلسلي
DocType: Employee,Date of Issue,تاريخ الإصدار
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0} من {0} ب {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",وفقا لإعدادات الشراء في حالة شراء ريسيبت مطلوب == 'نعم'، ثم لإنشاء فاتورة الشراء، يحتاج المستخدم إلى إنشاء إيصال الشراء أولا للبند {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},الصف # {0}: تعيين مورد للالبند {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,صف {0}: يجب أن تكون قيمة ساعات أكبر من الصفر.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,الموقع صورة {0} تعلق على البند {1} لا يمكن العثور
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,الموقع صورة {0} تعلق على البند {1} لا يمكن العثور
DocType: Issue,Content Type,نوع المحتوى
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,الكمبيوتر
DocType: Item,List this Item in multiple groups on the website.,قائمة هذا البند في مجموعات متعددة على شبكة الانترنت.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,يرجى التحقق من خيار العملات المتعددة للسماح حسابات مع عملة أخرى
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,البند: {0} غير موجود في النظام
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,لا يحق لك تعيين القيمة المجمدة
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,البند: {0} غير موجود في النظام
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,لا يحق لك تعيين القيمة المجمدة
DocType: Payment Reconciliation,Get Unreconciled Entries,الحصول على مدخلات لم تتم تسويتها
DocType: Payment Reconciliation,From Invoice Date,من تاريخ الفاتورة
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,عملة الفاتوره يجب ان تساوي عملة الشركة المعتاد او عملة الحساب GL الرئيسي
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,إجازات صرفت نقدا
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,مجال عمل الشركة؟
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,عملة الفاتوره يجب ان تساوي عملة الشركة المعتاد او عملة الحساب GL الرئيسي
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,إجازات صرفت نقدا
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,مجال عمل الشركة؟
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,لمستودع
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,قبولات كل الطلبة
,Average Commission Rate,متوسط العمولة
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,"""لهُ رقم تسلسل"" لا يمكن ان يكون ""نعم"" لبند غير قابل للتخزين"
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""لهُ رقم تسلسل"" لا يمكن ان يكون ""نعم"" لبند غير قابل للتخزين"
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,لا يمكن أن ىكون تاريخ الحضور تاريخ مستقبلي
DocType: Pricing Rule,Pricing Rule Help,تعليمات قاعدة التسعير
DocType: School House,House Name,اسم المنزل
DocType: Purchase Taxes and Charges,Account Head,رئيس حساب
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,تحديث تكاليف إضافية لحساب تكلفة هبطت من البنود
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,كهربائي
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,كهربائي
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,تضاف بقية المؤسسة أن المستخدمين لديك. يمكنك أيضا إضافة تدعو العملاء إلى موقع البوابة عن طريق إضافتها من اتصالات
DocType: Stock Entry,Total Value Difference (Out - In),إجمالي قيمة الفرق (خارج - في)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,الصف {0}: سعر صرف إلزامي
@@ -4203,7 +4232,7 @@
DocType: Item,Customer Code,كود العميل
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},تذكير عيد ميلاد ل{0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,عدد الأيام منذ آخر أمر
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,يجب أن يكون الخصم لحساب حساب الميزانية العمومية
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,يجب أن يكون الخصم لحساب حساب الميزانية العمومية
DocType: Buying Settings,Naming Series,تسمية تسلسلية
DocType: Leave Block List,Leave Block List Name,اسم قائمة الإجازات المحظورة
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,يجب أن يكون تاريخ بدء التأمين أقل من تاريخ التأمين النهاية
@@ -4218,26 +4247,26 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},كشف راتب الموظف {0} تم إنشاؤه مسبقا على سجل التوقيت {1}
DocType: Vehicle Log,Odometer,عداد المسافات
DocType: Sales Order Item,Ordered Qty,أمرت الكمية
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,البند هو تعطيل {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,البند هو تعطيل {0}
DocType: Stock Settings,Stock Frozen Upto,المخزون المجمدة لغاية
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM لا يحتوي على أي بند الأوراق المالية
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM لا يحتوي على أي بند الأوراق المالية
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},فترة من وفترة لمواعيد إلزامية لالمتكررة {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,مشروع النشاط / المهمة.
DocType: Vehicle Log,Refuelling Details,تفاصيل إعادة التزود بالوقود
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,إنشاء كشوفات الرواتب
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}",يجب أن يتم التحقق الشراء، إذا تم تحديد مطبق للك {0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}",يجب أن يتم التحقق الشراء، إذا تم تحديد مطبق للك {0}
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,يجب أن يكون الخصم أقل من 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,سعر اخر شراء غير موجود
DocType: Purchase Invoice,Write Off Amount (Company Currency),شطب المبلغ (شركة العملات)
DocType: Sales Invoice Timesheet,Billing Hours,ساعات الفواتير
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,BOM الافتراضي ل{0} لم يتم العثور
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,الصف # {0}: الرجاء تعيين كمية إعادة الطلب
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,الصف # {0}: الرجاء تعيين كمية إعادة الطلب
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,انقر على العناصر لإضافتها هنا
DocType: Fees,Program Enrollment,برنامج التسجيل
DocType: Landed Cost Voucher,Landed Cost Voucher,هبطت التكلفة قسيمة
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},الرجاء تعيين {0}
DocType: Purchase Invoice,Repeat on Day of Month,تكرار في يوم من شهر
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} طالب غير نشط
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} طالب غير نشط
DocType: Employee,Health Details,تفاصيل الحالة الصحية
DocType: Offer Letter,Offer Letter Terms,شروط عرض عمل
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,لإنشاء مستند مرجع طلب الدفع مطلوب
@@ -4259,7 +4288,7 @@
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","مثال: ABCD #####
إذا تم تعيين سلسلة وليس المذكورة لا المسلسل في المعاملات، سيتم إنشاء الرقم التسلسلي ثم تلقائي على أساس هذه السلسلة. إذا كنت تريد دائما أن يذكر صراحة المسلسل رقم لهذا البند. ترك هذا فارغا."
DocType: Upload Attendance,Upload Attendance,رفع الحضور
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,ويلزم BOM والتصنيع الكمية
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,ويلزم BOM والتصنيع الكمية
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,العمر مدى 2
DocType: SG Creation Tool Course,Max Strength,أعلى القوة
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,استبدال BOM
@@ -4268,8 +4297,8 @@
,Prospects Engaged But Not Converted,آفاق تشارك ولكن لم تتحول
DocType: Manufacturing Settings,Manufacturing Settings,إعدادات التصنيع
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,إعداد البريد الإلكتروني
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 رقم الجوال
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,فضلا ادخل العملة المعتاده في الشركة الرئيسيه
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 رقم الجوال
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,فضلا ادخل العملة المعتاده في الشركة الرئيسيه
DocType: Stock Entry Detail,Stock Entry Detail,تفاصيل ادخال المخزون
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,تذكير اليومية
DocType: Products Settings,Home Page is Products,الصفحة الرئيسية المنتجات غير
@@ -4278,7 +4307,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,اسم الحساب الجديد
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,المواد الخام الموردة التكلفة
DocType: Selling Settings,Settings for Selling Module,إعدادات لبيع وحدة
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,خدمة العملاء
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,خدمة العملاء
DocType: BOM,Thumbnail,المصغرات
DocType: Item Customer Detail,Item Customer Detail,البند تفاصيل العملاء
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,.عرض مرشح وظيفة
@@ -4287,7 +4316,7 @@
DocType: Pricing Rule,Percentage,النسبة المئوية
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,البند {0} يجب أن يكون البند الأسهم
DocType: Manufacturing Settings,Default Work In Progress Warehouse,افتراضي العمل في مستودع التقدم
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,الإعدادات الافتراضية ل معاملات المحاسبية.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,الإعدادات الافتراضية ل معاملات المحاسبية.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,التاريخ المتوقع لا يمكن أن يكون قبل تاريخ طلب المواد
DocType: Purchase Invoice Item,Stock Qty,الأسهم الكمية
@@ -4300,10 +4329,10 @@
DocType: Sales Order,Printing Details,تفاصيل الطباعة
DocType: Task,Closing Date,تاريخ الإنتهاء
DocType: Sales Order Item,Produced Quantity,أنتجت الكمية
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,مهندس
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,مهندس
DocType: Journal Entry,Total Amount Currency,مجموع المبلغ العملات
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,جمعيات البحث الفرعية
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},كود البند المطلوبة في صف لا { 0 }
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},كود البند المطلوبة في صف لا { 0 }
DocType: Sales Partner,Partner Type,نوع الشريك
DocType: Purchase Taxes and Charges,Actual,فعلي
DocType: Authorization Rule,Customerwise Discount,Customerwise الخصم
@@ -4320,11 +4349,11 @@
DocType: Item Reorder,Re-Order Level,إعادة ترتيب مستوى
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,إدخال عناصر والكمية المخططة التي تريد رفع أوامر الإنتاج أو تحميل المواد الخام لتحليلها.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,مخطط جانت
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,جزئي
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,جزئي
DocType: Employee,Applicable Holiday List,قائمة العطلات المطبقة
DocType: Employee,Cheque,شيك
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,تم تحديث الرقم المتسلسل
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,تقرير نوع إلزامي
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,تقرير نوع إلزامي
DocType: Item,Serial Number Series,المسلسل عدد سلسلة
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},المستودع إلزامي لصنف المخزون {0} في الصف {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,تجارة بالجملة والتجزئة
@@ -4345,7 +4374,7 @@
DocType: BOM,Materials,المواد
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",إذا لم يتم الاختيار، فان القائمة ستضاف إلى كل قسم حيث لابد من تطبيقها.
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,المصدر والهدف مستودع لا يمكن أن يكون نفس
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,تاريخ نشرها ونشر الوقت إلزامي
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,تاريخ نشرها ونشر الوقت إلزامي
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,قالب الضرائب لشراء صفقة.
,Item Prices,البند الأسعار
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,وبعبارة تكون مرئية بمجرد حفظ أمر الشراء.
@@ -4355,22 +4384,23 @@
DocType: Purchase Invoice,Advance Payments,دفعات مقدمة
DocType: Purchase Taxes and Charges,On Net Total,على إجمالي صافي
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},يجب أن تكون قيمة للسمة {0} ضمن مجموعة من {1} إلى {2} في الزيادات من {3} لالبند {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,المستودع المستهدف في الصف {0} يجب أن يكون نفس ترتيب الإنتاج
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,المستودع المستهدف في الصف {0} يجب أن يكون نفس ترتيب الإنتاج
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,"""عناويين الإيميل للتنبيه"" غير محددة للمدخلات المتكررة %s"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,لا يمكن تغيير العملة بعد إجراء إدخالات باستخدام بعض العملات الأخرى
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,لا يمكن تغيير العملة بعد إجراء إدخالات باستخدام بعض العملات الأخرى
DocType: Vehicle Service,Clutch Plate,لوحة مخلب
DocType: Company,Round Off Account,جولة قبالة حساب
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,المصاريف الإدارية
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,المصاريف الإدارية
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,الاستشارات
DocType: Customer Group,Parent Customer Group,الأم العملاء مجموعة
DocType: Purchase Invoice,Contact Email,عنوان البريد الإلكتروني
DocType: Appraisal Goal,Score Earned,نقاط المكتسبة
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,فترة إشعار
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,فترة إشعار
DocType: Asset Category,Asset Category Name,الأصول اسم التصنيف
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,هذا هو الجذر الأرض والتي لا يمكن تحريرها.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,اسم رجل المبيعات الجديد
DocType: Packing Slip,Gross Weight UOM,الوزن الإجمالي UOM
DocType: Delivery Note Item,Against Sales Invoice,مقابل فاتورة المبيعات
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,الرجاء إدخال الأرقام التسلسلية للبند المتسلسل
DocType: Bin,Reserved Qty for Production,محفوظة الكمية للإنتاج
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,ترك دون تحديد إذا كنت لا ترغب في النظر في دفعة مع جعل مجموعات مقرها بالطبع.
DocType: Asset,Frequency of Depreciation (Months),تردد من الاستهلاك (أشهر)
@@ -4378,25 +4408,25 @@
DocType: Landed Cost Item,Landed Cost Item,هبطت تكلفة السلعة
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,إظهار القيم صفر
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,كمية البند تم الحصول عليها بعد تصنيع / إعادة التعبئة من كميات معينة من المواد الخام
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,إعداد موقع بسيط لمنظمتي
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,إعداد موقع بسيط لمنظمتي
DocType: Payment Reconciliation,Receivable / Payable Account,القبض / حساب الدائنة
DocType: Delivery Note Item,Against Sales Order Item,مقابل عنصر أمر المبيعات
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},يرجى تحديد قيمة السمة للسمة {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},يرجى تحديد قيمة السمة للسمة {0}
DocType: Item,Default Warehouse,النماذج الافتراضية
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},الميزانيه لا يمكن تحديدها مقابل حساب جماعي{0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,الرجاء إدخال مركز تكلفة الأصل
DocType: Delivery Note,Print Without Amount,طباعة دون المبلغ
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,تاريخ الاستهلاك
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,ضريبة الفئة لا يمكن أن يكون ' التقييم ' أو ' تقييم وتوتال ' وجميع العناصر هي العناصر غير الأسهم
DocType: Issue,Support Team,فريق الدعم
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),انتهاء (في يوم)
DocType: Appraisal,Total Score (Out of 5),مجموع نقاط (من 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,دفعة
+DocType: Student Attendance Tool,Batch,دفعة
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,توازن
DocType: Room,Seating Capacity,عدد المقاعد
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),مجموع المطالبة المصاريف (عبر مطالبات النفقات)
+DocType: GST Settings,GST Summary,ملخص غست
DocType: Assessment Result,Total Score,مجموع النقاط
DocType: Journal Entry,Debit Note,ملاحظة الخصم
DocType: Stock Entry,As per Stock UOM,وفقا للأوراق UOM
@@ -4407,12 +4437,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,المخزن الافتراضي للبضائع التامة الصنع
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,رجل المبيعات
DocType: SMS Parameter,SMS Parameter,SMS متغيرات
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,الميزانيه و مركز التكلفة
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,الميزانيه و مركز التكلفة
DocType: Vehicle Service,Half Yearly,نصف سنوي
DocType: Lead,Blog Subscriber,مدونه المشترك
DocType: Guardian,Alternate Number,عدد بديل
DocType: Assessment Plan Criteria,Maximum Score,الدرجة القصوى
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,إنشاء قواعد لتقييد المعاملات على أساس القيم.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,رقم المجموعة رقم
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,اتركه فارغا إذا جعلت مجموعات الطلاب في السنة
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day",إذا تم، المشاركات لا. من أيام عمل وسوف تشمل أيام العطل، وهذا سوف يقلل من قيمة الراتب لكل يوم
DocType: Purchase Invoice,Total Advance,إجمالي المقدمة
@@ -4430,6 +4461,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,ويستند هذا على المعاملات ضد هذا العميل. انظر الجدول الزمني أدناه للاطلاع على التفاصيل
DocType: Supplier,Credit Days Based On,اليوم الإئتماني بناء على
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},يجب أن يكون المبلغ المخصص {1} أقل من أو يساوي مقدار الدفع الدخول {2}: صف {0}
+,Course wise Assessment Report,تقرير التقييم الحكيم للدورة
DocType: Tax Rule,Tax Rule,القاعدة الضريبية
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,الحفاظ على نفس معدل خلال دورة المبيعات
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,تخطيط سجلات الوقت خارج ساعات العمل محطة العمل.
@@ -4438,7 +4470,7 @@
,Items To Be Requested,البنود يمكن طلبه
DocType: Purchase Order,Get Last Purchase Rate,الحصول على آخر سعر شراء
DocType: Company,Company Info,معلومات عن الشركة
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,تحديد أو إضافة عميل جديد
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,تحديد أو إضافة عميل جديد
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,مركز التكلفة مطلوب لدفتر طلب المصروفات
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),تطبيق الأموال (الأصول )
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,ويستند هذا على حضور هذا الموظف
@@ -4446,27 +4478,29 @@
DocType: Fiscal Year,Year Start Date,تاريخ بدء العام
DocType: Attendance,Employee Name,اسم الموظف
DocType: Sales Invoice,Rounded Total (Company Currency),المشاركات تقريب (العملة الشركة)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,لا يمكن اخفاء المجموعه لأن نوع الحساب تم اختياره من قبل .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,لا يمكن اخفاء المجموعه لأن نوع الحساب تم اختياره من قبل .
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,تم تعديل {0} {1}، يرجى تحديث الصفحة من المتصفح
DocType: Leave Block List,Stop users from making Leave Applications on following days.,وقف المستخدمين من طلب إجازة في الأيام التالية.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,مبلغ الشراء
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,المورد الاقتباس {0} خلق
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,نهاية السنة لا يمكن أن يكون قبل بدء السنة
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,فوائد الموظف
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,فوائد الموظف
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},الكمية المعبأة يجب أن تساوي كمية المادة ل {0} في {1} الصف
DocType: Production Order,Manufactured Qty,الكمية المصنعة
DocType: Purchase Receipt Item,Accepted Quantity,كمية مقبولة
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},يرجى تحديد قائمة العطل الافتراضية للموظف {0} وشركة {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0} {1} غير موجود
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0} {1} غير موجود
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,حدد أرقام الدفعة
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,رفعت فواتير للعملاء.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,معرف المشروع
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},الصف لا {0}: مبلغ لا يمكن أن يكون أكبر من ريثما المبلغ من النفقات المطالبة {1}. في انتظار المبلغ {2}
DocType: Maintenance Schedule,Schedule,جدول
DocType: Account,Parent Account,الحساب الأصل
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,متاح
DocType: Quality Inspection Reading,Reading 3,قراءة 3
,Hub,محور
DocType: GL Entry,Voucher Type,نوع السند
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,قائمة الأسعار لم يتم العثور أو تعطيلها
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,قائمة الأسعار لم يتم العثور أو تعطيلها
DocType: Employee Loan Application,Approved,وافق
DocType: Pricing Rule,Price,السعر
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',الموظف معفى على {0} يجب أن يتم تعيينه ' مغادر '
@@ -4477,7 +4511,8 @@
DocType: Selling Settings,Campaign Naming By,حملة التسمية بواسطة
DocType: Employee,Current Address Is,العنوان الحالي هو
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,تم التعديل
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.",اختياري. ضبط العملة الافتراضية للشركة، إذا لم يكن محددا.
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.",اختياري. ضبط العملة الافتراضية للشركة، إذا لم يكن محددا.
+DocType: Sales Invoice,Customer GSTIN,العميل غستين
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,القيود المحاسبية
DocType: Delivery Note Item,Available Qty at From Warehouse,الكمية المتوفرة في المستودعات من
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,الرجاء تحديد سجل الموظف أولا.
@@ -4485,7 +4520,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},الصف {0}: حزب / حساب لا يتطابق مع {1} / {2} في {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,الرجاء إدخال حساب المصاريف
DocType: Account,Stock,المخزون
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",الصف # {0}: يجب أن يكون مرجع نوع الوثيقة واحدة من طلب شراء، شراء فاتورة أو إدخال دفتر اليومية
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",الصف # {0}: يجب أن يكون مرجع نوع الوثيقة واحدة من طلب شراء، شراء فاتورة أو إدخال دفتر اليومية
DocType: Employee,Current Address,العنوان الحالي
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified",إذا كان البند هو البديل من بند آخر ثم وصف، صورة، والتسعير، والضرائب سيتم تعيين غيرها من القالب، ما لم يذكر صراحة
DocType: Serial No,Purchase / Manufacture Details,تفاصيل شراء / تصنيع
@@ -4498,8 +4533,8 @@
DocType: Pricing Rule,Min Qty,الحد الأدنى من الكمية
DocType: Asset Movement,Transaction Date,تاريخ المعاملة
DocType: Production Plan Item,Planned Qty,المخطط الكمية
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,مجموع الضرائب
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,لالكمية (الكمية المصنعة) إلزامي
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,مجموع الضرائب
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,لالكمية (الكمية المصنعة) إلزامي
DocType: Stock Entry,Default Target Warehouse,الهدف الافتراضي مستودع
DocType: Purchase Invoice,Net Total (Company Currency),صافي الأجمالي ( بعملة الشركة )
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,تاريخ نهاية السنة لا يمكن أن يكون أقدم من تاريخ بداية السنة. يرجى تصحيح التواريخ وحاول مرة أخرى.
@@ -4513,13 +4548,11 @@
DocType: Hub Settings,Hub Settings,إعدادات المحور
DocType: Project,Gross Margin %,هامش إجمالي٪
DocType: BOM,With Operations,مع عمليات
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,تم إجراء القيود المحاسبية بالعملة {0} مسبقاً لشركة {1}. يرجى تحديد حساب يمكن استلامه أو دفعه بالعملة {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,تم إجراء القيود المحاسبية بالعملة {0} مسبقاً لشركة {1}. يرجى تحديد حساب يمكن استلامه أو دفعه بالعملة {0}.
DocType: Asset,Is Existing Asset,والقائمة الأصول
DocType: Salary Detail,Statistical Component,العنصر الإحصائي
-,Monthly Salary Register,سجل الراتب الشهري
DocType: Warranty Claim,If different than customer address,إذا كان مختلفا عن عنوان العميل
DocType: BOM Operation,BOM Operation,BOM عملية
-DocType: School Settings,Validate the Student Group from Program Enrollment,التحقق من صحة مجموعة الطلاب من تسجيل البرنامج
DocType: Purchase Taxes and Charges,On Previous Row Amount,على المبلغ الصف السابق
DocType: Student,Home Address,عنوان المنزل
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,نقل الأصول
@@ -4527,28 +4560,27 @@
DocType: Training Event,Event Name,اسم الحدث
apps/erpnext/erpnext/config/schools.py +39,Admission,القبول
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},{0} القبول ل
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.",موسمية لوضع الميزانيات والأهداف الخ
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants",{0} البند هو قالب، يرجى اختيار واحد من مشتقاته
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.",موسمية لوضع الميزانيات والأهداف الخ
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants",{0} البند هو قالب، يرجى اختيار واحد من مشتقاته
DocType: Asset,Asset Category,فئة الأصول
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,مشتر
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,صافي الأجور لا يمكن أن يكون بالسالب
DocType: SMS Settings,Static Parameters,ثابت معلمات
DocType: Assessment Plan,Room,غرفة
DocType: Purchase Order,Advance Paid,مسبقا المدفوعة
DocType: Item,Item Tax,البند الضرائب
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,المواد للمورد ل
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,المكوس الفاتورة
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,المكوس الفاتورة
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}٪ يظهر أكثر من مرة
DocType: Expense Claim,Employees Email Id,البريد الإلكتروني للموظف
DocType: Employee Attendance Tool,Marked Attendance,تم تسجيل حضور
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,الخصوم الحالية
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,الخصوم الحالية
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,إرسال SMS الشامل لجهات الاتصال الخاصة بك
DocType: Program,Program Name,إسم البرنامج
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,النظر في ضريبة أو رسم ل
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,الكمية الفعلية هي إلزامية
DocType: Employee Loan,Loan Type,نوع القرض
DocType: Scheduling Tool,Scheduling Tool,أداة الجدولة
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,بطاقة إئتمان
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,بطاقة إئتمان
DocType: BOM,Item to be manufactured or repacked,لتصنيعه أو إعادة تعبئتها البند
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,الإعدادات الافتراضية ل معاملات الأوراق المالية .
DocType: Purchase Invoice,Next Date,تاريخ القادمة
@@ -4564,10 +4596,10 @@
DocType: Stock Entry,Repack,أعد حزم
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,يجب حفظ النموذج قبل الشروع
DocType: Item Attribute,Numeric Values,قيم رقمية
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,إرفاق صورة الشعار/العلامة التجارية
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,إرفاق صورة الشعار/العلامة التجارية
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,تحديد المستوى
DocType: Customer,Commission Rate,نسبة العمولة
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,أنشئ متغير
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,أنشئ متغير
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,إجازة محجوزة من قبل الأدارة
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer",يجب أن يكون نوع دفعة واحدة من استلام والدفع ونقل الداخلي
apps/erpnext/erpnext/config/selling.py +179,Analytics,التحليلات
@@ -4575,45 +4607,45 @@
DocType: Vehicle,Model,نموذج
DocType: Production Order,Actual Operating Cost,الفعلية تكاليف التشغيل
DocType: Payment Entry,Cheque/Reference No,رقم الصك / السند المرجع
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,لا يمكن تحرير الجذر.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,لا يمكن تحرير الجذر.
DocType: Item,Units of Measure,وحدات القياس
DocType: Manufacturing Settings,Allow Production on Holidays,السماح الإنتاج على عطلات
DocType: Sales Order,Customer's Purchase Order Date,تاريخ امر الشراء العميل
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,أسهم رأس المال
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,أسهم رأس المال
DocType: Shopping Cart Settings,Show Public Attachments,عرض المرفقات العامة
DocType: Packing Slip,Package Weight Details,تفاصيل حزمة الوزن
DocType: Payment Gateway Account,Payment Gateway Account,دفع حساب البوابة
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,اعاده توجيه المستخدم الى الصفحات المحدده بعد اكتمال عمليه الدفع
DocType: Company,Existing Company,الشركة القائمه
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",تم تغيير فئة الضرائب إلى "توتال" لأن جميع العناصر هي عناصر غير مخزون
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,يرجى تحديد ملف CSV
DocType: Student Leave Application,Mark as Present,إجعلها الحاضر
DocType: Purchase Order,To Receive and Bill,لتلقي وبيل
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,منتجات مميزة
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,مصمم
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,مصمم
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,قالب الشروط والأحكام
DocType: Serial No,Delivery Details,تفاصيل الدفع
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},مطلوب مركز تكلفة في الصف {0} في جدول الضرائب لنوع {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},مطلوب مركز تكلفة في الصف {0} في جدول الضرائب لنوع {1}
DocType: Program,Program Code,رمز البرنامج
DocType: Terms and Conditions,Terms and Conditions Help,الشروط والأحكام مساعدة
,Item-wise Purchase Register,سجل حركة المشتريات وفقا للصنف
DocType: Batch,Expiry Date,تاريخ انتهاء الصلاحية
-,Supplier Addresses and Contacts,العناوين المورد و اتصالات
,accounts-browser,متصفح الحسابات
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,الرجاء اختيار الفئة الأولى
apps/erpnext/erpnext/config/projects.py +13,Project master.,المشروع الرئيسي.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.",للسماح الإفراط في الفواتير أو الإفراط في الطلب، وتحديث "بدل" في إعدادات المالية أو البند.
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.",للسماح الإفراط في الفواتير أو الإفراط في الطلب، وتحديث "بدل" في إعدادات المالية أو البند.
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,لا تظهر أي رمز مثل $ الخ بجانب العملات.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(نصف يوم)
DocType: Supplier,Credit Days,الائتمان أيام
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,جعل دفعة الطلبة
DocType: Leave Type,Is Carry Forward,هل تضاف في العام التالي
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,BOM الحصول على أصناف من
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,BOM الحصول على أصناف من
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,يوم ووقت مبادرة البيع
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},الصف # {0}: تاريخ النشر يجب أن يكون نفس تاريخ الشراء {1} من الأصول {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},الصف # {0}: تاريخ النشر يجب أن يكون نفس تاريخ الشراء {1} من الأصول {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,الرجاء إدخال أوامر البيع في الجدول أعلاه
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,لا يوجد كشف راتب تمت الموافقة عليه
,Stock Summary,ملخص الأوراق المالية
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,نقل رصيدا من مستودع واحد إلى آخر
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,نقل رصيدا من مستودع واحد إلى آخر
DocType: Vehicle,Petrol,بنزين
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,فاتورة المواد
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},الصف {0}: مطلوب نوع الحزب وحزب المقبوضات / حسابات المدفوعات {1}
@@ -4624,6 +4656,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,القيمة المقرر صرفه
DocType: GL Entry,Is Opening,وفتح
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},لا يمكن ربط الخصم المباشر الإدخال مع {1} الصف {0}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,حساب {0} غير موجود
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,حساب {0} غير موجود
DocType: Account,Cash,نقد
DocType: Employee,Short biography for website and other publications.,نبذة على موقع الويب وغيره من المنشورات.
diff --git a/erpnext/translations/bg.csv b/erpnext/translations/bg.csv
index 7423abd..6639317 100644
--- a/erpnext/translations/bg.csv
+++ b/erpnext/translations/bg.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Потребителски продукти
DocType: Item,Customer Items,Клиентски елементи
DocType: Project,Costing and Billing,Остойностяване и фактуриране
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Сметка {0}: Родителска сметка {1} не може да бъде Главна счетоводна книга
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Сметка {0}: Родителска сметка {1} не може да бъде Главна счетоводна книга
DocType: Item,Publish Item to hub.erpnext.com,Публикуване т да hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,Известия по имейл
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,оценка
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,оценка
DocType: Item,Default Unit of Measure,Мерна единица по подразбиране
DocType: SMS Center,All Sales Partner Contact,Всички продажби Partner Контакт
DocType: Employee,Leave Approvers,Одобряващи отсъствия
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Валутен курс трябва да бъде същата като {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Име на клиента
DocType: Vehicle,Natural Gas,Природен газ
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Банкова сметка не може да бъде с име като {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Банкова сметка не може да бъде с име като {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Heads (или групи), срещу които са направени счетоводни записвания и баланси се поддържат."
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Изключително за {0} не може да бъде по-малък от нула ({1})
DocType: Manufacturing Settings,Default 10 mins,По подразбиране 10 минути
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,All доставчика Свържи се с
DocType: Support Settings,Support Settings,Настройки поддръжка
DocType: SMS Parameter,Parameter,Параметър
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Очаквано Крайна дата не може да бъде по-малко от очакваното Начална дата
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Очаквано Крайна дата не може да бъде по-малко от очакваното Начална дата
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Курсове трябва да е същото като {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Нова молба за отсъствие
,Batch Item Expiry Status,Партида - Статус на срок на годност
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Банков чек
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Банков чек
DocType: Mode of Payment Account,Mode of Payment Account,Вид на разплащателна сметка
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Покажи Варианти
DocType: Academic Term,Academic Term,Академик Term
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Материал
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Количество
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Списъка със сметки не може да бъде празен.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Заеми (пасиви)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Заеми (пасиви)
DocType: Employee Education,Year of Passing,Година на изтичане
DocType: Item,Country of Origin,Страна на произход
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,В наличност
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,В наличност
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,открити въпроси
DocType: Production Plan Item,Production Plan Item,Производство Plan Точка
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Потребителят {0} вече е назначен служител {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Грижа за здравето
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Забавяне на плащане (дни)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Expense Service
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Сериен номер: {0} вече е посочен в фактурата за продажби: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Сериен номер: {0} вече е посочен в фактурата за продажби: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Фактура
DocType: Maintenance Schedule Item,Periodicity,Периодичност
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Фискална година {0} се изисква
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Ред # {0}:
DocType: Timesheet,Total Costing Amount,Общо Остойностяване сума
DocType: Delivery Note,Vehicle No,Превозно средство - Номер
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,Моля изберете Ценоразпис
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Моля изберете Ценоразпис
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row {0}: платежен документ се изисква за завършване на trasaction
DocType: Production Order Operation,Work In Progress,Незавършено производство
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,"Моля, изберете дата"
DocType: Employee,Holiday List,Списък на празиниците
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Счетоводител
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Счетоводител
DocType: Cost Center,Stock User,Склад за потребителя
DocType: Company,Phone No,Телефон No
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,"Списъци на курса, създадени:"
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Нов {0} # {1}
,Sales Partners Commission,Комисионна за Търговски партньори
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Съкращение не може да има повече от 5 символа
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Съкращение не може да има повече от 5 символа
DocType: Payment Request,Payment Request,Заявка за плащане
DocType: Asset,Value After Depreciation,Стойност след амортизация
DocType: Employee,O+,O+
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,дата Присъствие не може да бъде по-малко от дата присъедини служител
DocType: Grading Scale,Grading Scale Name,Оценъчна скала - Име
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Това е корен сметка и не може да се редактира.
+DocType: Sales Invoice,Company Address,Адрес на компанията
DocType: BOM,Operations,Операции
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Не можете да зададете разрешение въз основа на Отстъпка за {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Прикрепете .csv файл с две колони, по един за старото име и един за новото име"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} не в някоя активна фискална година.
DocType: Packed Item,Parent Detail docname,Родител Подробности docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Референция: {0}, кода на елемента: {1} и клиента: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Кг
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Кг
DocType: Student Log,Log,Журнал
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Откриване на работа.
DocType: Item Attribute,Increment,Увеличение
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Реклама
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Същата фирма се вписват повече от веднъж
DocType: Employee,Married,Омъжена
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Не е разрешен за {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Не е разрешен за {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Вземете елементи от
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Фондова не може да бъде актуализиран срещу Бележка за доставка {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Фондова не може да бъде актуализиран срещу Бележка за доставка {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Каталог на {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Няма изброени елементи
DocType: Payment Reconciliation,Reconcile,Съгласувайте
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Следваща дата на амортизация не може да бъде преди датата на покупка
DocType: SMS Center,All Sales Person,Всички продажби Person
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Месечно Разпределение ** ви помага да разпределите бюджета / целеви разходи през месеците, ако имате сезонност в бизнеса си."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Не са намерени
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Не са намерени
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Заплата Структура Липсващ
DocType: Lead,Person Name,Лице Име
DocType: Sales Invoice Item,Sales Invoice Item,Фактурата за продажба - позиция
DocType: Account,Credit,Кредит
DocType: POS Profile,Write Off Cost Center,Разходен център за отписване
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",например "Основно училище" или "университет"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",например "Основно училище" или "университет"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Сток Доклади
DocType: Warehouse,Warehouse Detail,Скалд - Детайли
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Кредитен лимит е бил надхвърлен за клиенти {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Кредитен лимит е бил надхвърлен за клиенти {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Term крайна дата не може да бъде по-късно от края на годината Дата на учебната година, към който е свързан терминът (Academic Година {}). Моля, коригирайте датите и опитайте отново."
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Е фиксиран актив"" не може да бъде размаркирано, докато съществува запис за елемента"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Е фиксиран актив"" не може да бъде размаркирано, докато съществува запис за елемента"
DocType: Vehicle Service,Brake Oil,Спирачна течност
DocType: Tax Rule,Tax Type,Данъчна тип
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Вие не можете да добавяте или актуализация записи преди {0}
DocType: BOM,Item Image (if not slideshow),Позиция - снимка (ако не слайдшоу)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Съществува Customer със същото име
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(надница на час / 60) * действително отработено време
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Изберете BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Изберете BOM
DocType: SMS Log,SMS Log,SMS Журнал
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Разходи за доставени изделия
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Отпускът на {0} не е между От Дата и До дата
@@ -159,13 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},От {0} до {1}
DocType: Item,Copy From Item Group,Копирай от група позиция
DocType: Journal Entry,Opening Entry,Начално записване
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Клиент> Група клиенти> Територия
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Сметка за плащане
DocType: Employee Loan,Repay Over Number of Periods,Погасяване Над брой периоди
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} не е записан в даденото {2}
DocType: Stock Entry,Additional Costs,Допълнителни разходи
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Сметка със съществуващa трансакция не може да бъде превърната в група.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Сметка със съществуващa трансакция не може да бъде превърната в група.
DocType: Lead,Product Enquiry,Каталог Запитване
DocType: Academic Term,Schools,училища
+DocType: School Settings,Validate Batch for Students in Student Group,Валидирайте партида за студенти в студентска група
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Няма запис за отпуск за служител {0} за {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Моля, въведете първата компания"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,"Моля, изберете първо фирма"
@@ -174,48 +176,48 @@
DocType: BOM,Total Cost,Обща Цена
DocType: Journal Entry Account,Employee Loan,Служител кредит
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Журнал на дейностите:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,Позиция {0} не съществува в системата или е с изтекъл срок
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Позиция {0} не съществува в системата или е с изтекъл срок
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Недвижим имот
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Извлечение от сметка
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Фармации
DocType: Purchase Invoice Item,Is Fixed Asset,Има дълготраен актив
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Налични Количество е {0}, трябва {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Налични Количество е {0}, трябва {1}"
DocType: Expense Claim Detail,Claim Amount,Изискайте Сума
-DocType: Employee,Mr,Господин
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,"Duplicate клиентска група, намерени в таблицата на cutomer група"
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Доставчик тип / Доставчик
DocType: Naming Series,Prefix,Префикс
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Консумативи
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Консумативи
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Журнал на импорта
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Издърпайте Материал Искане на тип Производство на базата на горните критерии
DocType: Training Result Employee,Grade,Клас
DocType: Sales Invoice Item,Delivered By Supplier,Доставени от доставчик
DocType: SMS Center,All Contact,Всички контакти
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Производство Поръчка вече е създаден за всички артикули с BOM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Годишна заплата
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Производство Поръчка вече е създаден за всички артикули с BOM
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Годишна заплата
DocType: Daily Work Summary,Daily Work Summary,Ежедневната работа Резюме
DocType: Period Closing Voucher,Closing Fiscal Year,Приключване на финансовата година
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} е замразен
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Моля изберете съществуващо дружество за създаване на сметкоплан
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Сток Разходи
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} е замразен
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Моля изберете съществуващо дружество за създаване на сметкоплан
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Сток Разходи
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Изберете Target Warehouse
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,"Моля, въведете Предпочитан контакт Email"
+DocType: Program Enrollment,School Bus,Училищен автобус
DocType: Journal Entry,Contra Entry,Обратно записване
DocType: Journal Entry Account,Credit in Company Currency,Кредит във валута на фирмата
DocType: Delivery Note,Installation Status,Монтаж - Статус
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Искате ли да се актуализира и обслужване? <br> Подарък: {0} \ <br> Absent: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Прието + Отхвърлено Количество трябва да бъде равно на Получено количество за {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Прието + Отхвърлено Количество трябва да бъде равно на Получено количество за {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Доставка на суровини за поръчка
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,се изисква най-малко един режим на плащане за POS фактура.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,се изисква най-малко един режим на плащане за POS фактура.
DocType: Products Settings,Show Products as a List,Показване на продукти като Списък
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Изтеглете шаблони, попълнете необходимите данни и се прикрепва на текущото изображение. Всички дати и служител комбинация в избрания период ще дойде в шаблона, със съществуващите записи посещаемост"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,Позиция {0} не е активна или е достигнат края на жизнения й цикъл
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Пример: Основни математика
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","За да включват курортна такса в ред {0} в скоростта на т, данъци в редове {1} трябва да се включат и"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Позиция {0} не е активна или е достигнат края на жизнения й цикъл
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Пример: Основни математика
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","За да включват курортна такса в ред {0} в скоростта на т, данъци в редове {1} трябва да се включат и"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Настройки за модул ТРЗ
DocType: SMS Center,SMS Center,SMS Center
DocType: Sales Invoice,Change Amount,Промяна сума
@@ -225,7 +227,7 @@
DocType: Lead,Request Type,Заявка Тип
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Направи Employee
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Радиопредаване
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Изпълнение
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Изпълнение
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Подробности за извършените операции.
DocType: Serial No,Maintenance Status,Статус на поддръжка
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: изисква се доставчик при сметка за задължения {2}
@@ -253,7 +255,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Искането за котировки могат да бъдат достъпни чрез щракване върху следния линк
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Разпределяне на листа за годината.
DocType: SG Creation Tool Course,SG Creation Tool Course,ДВ Създаване Tool Course
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,Недостатъчна наличност
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,Недостатъчна наличност
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Изключване планиране на капацитета и проследяване на времето
DocType: Email Digest,New Sales Orders,Нова поръчка за продажба
DocType: Bank Guarantee,Bank Account,Банкова Сметка
@@ -264,8 +266,9 @@
DocType: Production Order Operation,Updated via 'Time Log',Updated чрез "Time Log"
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Адванс сума не може да бъде по-голяма от {0} {1}
DocType: Naming Series,Series List for this Transaction,Списък с номерации за тази транзакция
+DocType: Company,Enable Perpetual Inventory,Активиране на постоянен инвентаризация
DocType: Company,Default Payroll Payable Account,По подразбиране ТРЗ Задължения сметка
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Актуализация Email Group
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Актуализация Email Group
DocType: Sales Invoice,Is Opening Entry,Се отваря Влизане
DocType: Customer Group,Mention if non-standard receivable account applicable,"Споменете, ако нестандартно вземане предвид приложимо"
DocType: Course Schedule,Instructor Name,инструктор Име
@@ -277,13 +280,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Срещу ред от фактура за продажба
,Production Orders in Progress,Производствени поръчки в процес на извършване
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Net Cash от Финансиране
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage е пълен, не беше записан"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage е пълен, не беше записан"
DocType: Lead,Address & Contact,Адрес и контакти
DocType: Leave Allocation,Add unused leaves from previous allocations,Добави неизползвани отпуски от предишни разпределения
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Следваща повтарящо {0} ще бъде създаден на {1}
DocType: Sales Partner,Partner website,Партньорски уебсайт
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Добави точка
-,Contact Name,Контакт - име
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Контакт - име
DocType: Course Assessment Criteria,Course Assessment Criteria,Критерии за оценка на курса
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Създава заплата приплъзване за посочените по-горе критерии.
DocType: POS Customer Group,POS Customer Group,POS Customer Group
@@ -292,18 +295,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Не е зададено описание
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Заявка за покупка.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Това се основава на графици създадените срещу този проект
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Net Pay не може да бъде по-малко от 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Net Pay не може да бъде по-малко от 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Само избраният Оставете одобряващ да подадете този отпуск Application
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Облекчаване дата трябва да е по-голяма от Дата на Присъединяване
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Отпуск на година
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Отпуск на година
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Row {0}: Моля, проверете "е Advance" срещу Account {1}, ако това е предварително влизане."
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Склад {0} не принадлежи на фирмата {1}
DocType: Email Digest,Profit & Loss,Печалба & загуба
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Литър
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Литър
DocType: Task,Total Costing Amount (via Time Sheet),Общо Остойностяване сума (чрез Time Sheet)
DocType: Item Website Specification,Item Website Specification,Позиция Website Specification
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Оставете Блокирани
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Позиция {0} е достигнала края на своя живот на {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Позиция {0} е достигнала края на своя живот на {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Банкови записи
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Годишен
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Склад за помирение Точка
@@ -311,9 +314,9 @@
DocType: Material Request Item,Min Order Qty,Минимално количество за поръчка
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Група инструмент за създаване на курса
DocType: Lead,Do Not Contact,Не притеснявайте
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,"Хората, които учат във вашата организация"
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,"Хората, които учат във вашата организация"
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Уникалния идентификационен код за проследяване на всички повтарящи се фактури. Той се генерира на представи.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Разработчик на софтуер
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Разработчик на софтуер
DocType: Item,Minimum Order Qty,Минимално количество за поръчка
DocType: Pricing Rule,Supplier Type,Доставчик Тип
DocType: Course Scheduling Tool,Course Start Date,Курс Начална дата
@@ -322,11 +325,11 @@
DocType: Item,Publish in Hub,Публикувай в Hub
DocType: Student Admission,Student Admission,прием на студенти
,Terretory,Територия
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Точка {0} е отменена
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Точка {0} е отменена
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Заявка за материал
DocType: Bank Reconciliation,Update Clearance Date,Актуализация Клирънсът Дата
DocType: Item,Purchase Details,Изкупните Детайли
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Позиция {0} не е открита в ""суровини Доставени""в Поръчката {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Позиция {0} не е открита в ""суровини Доставени""в Поръчката {1}"
DocType: Employee,Relation,Връзка
DocType: Shipping Rule,Worldwide Shipping,Worldwide Доставка
DocType: Student Guardian,Mother,майка
@@ -345,6 +348,7 @@
DocType: Student Group Student,Student Group Student,Student Група Student
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Последен
DocType: Vehicle Service,Inspection,инспекция
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,списък
DocType: Email Digest,New Quotations,Нови Оферти
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Имейли заплата приплъзване на служител на базата на предпочитан имейл избран в Employee
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,Първият Оставете одобряващ в списъка ще бъде избран по подразбиране Оставете одобряващ
@@ -353,20 +357,20 @@
DocType: Asset,Next Depreciation Date,Следваща дата на амортизация
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Разходите за дейността според Служител
DocType: Accounts Settings,Settings for Accounts,Настройки за сметки
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Фактура на доставчик не съществува в фактурата за покупка {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Фактура на доставчик не съществува в фактурата за покупка {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Управление на продажбите Person Tree.
DocType: Job Applicant,Cover Letter,Мотивационно писмо
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Неуредени Чекове и Депозити
DocType: Item,Synced With Hub,Синхронизирано С Hub
DocType: Vehicle,Fleet Manager,Мениджър на автопарк
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Ред {0} {1} не може да бъде отрицателен за позиция {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Грешна Парола
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Грешна Парола
DocType: Item,Variant Of,Вариант на
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',"Изпълнено Количество не може да бъде по-голямо от ""Количество за производство"""
DocType: Period Closing Voucher,Closing Account Head,Закриване на профила Head
DocType: Employee,External Work History,Външно работа
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Циклична референция - Грешка
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Наименование Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Наименование Guardian1
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Словом (износ) ще бъде видим след като запазите складовата разписка.
DocType: Cheque Print Template,Distance from left edge,Разстояние от левия край
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} единици ot [{1}](#Form/Item/{1}) намерени в [{2}] (#Form/Warehouse/{2})
@@ -375,11 +379,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Изпращайте по имейл за създаване на автоматично искане за материали
DocType: Journal Entry,Multi Currency,Много валути
DocType: Payment Reconciliation Invoice,Invoice Type,Вид фактура
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Складова разписка
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Складова разписка
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Създаване Данъци
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Разходи за продадения актив
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,"Заплащане вписване е променен, след като го извади. Моля, изтеглете го отново."
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} е въведен два пъти в данък за позиция
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Заплащане вписване е променен, след като го извади. Моля, изтеглете го отново."
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} е въведен два пъти в данък за позиция
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Резюме за тази седмица и предстоящи дейности
DocType: Student Applicant,Admitted,Допуснати
DocType: Workstation,Rent Cost,Разход за наем
@@ -397,25 +401,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Моля, въведете "Повторение на Ден на месец поле стойност"
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Скоростта, с която Customer валути се превръща в основна валута на клиента"
DocType: Course Scheduling Tool,Course Scheduling Tool,Инструмент за създаване на график на курса
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row {0}: Покупка на фактура не може да се направи срещу съществуващ актив {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row {0}: Покупка на фактура не може да се направи срещу съществуващ актив {1}
DocType: Item Tax,Tax Rate,Данъчна Ставка
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},"{0} вече разпределена за Служител {1} за период {2} {3}, за да"
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Изберете Точка
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Фактурата за покупка {0} вече се представя
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Фактурата за покупка {0} вече се представя
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Batch Не трябва да е същото като {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Конвертиране в не-Група
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Партида на дадена позиция.
DocType: C-Form Invoice Detail,Invoice Date,Дата на фактура
DocType: GL Entry,Debit Amount,Дебит сума
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Може да има само един акаунт нза тази фирма в {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,"Моля, вижте прикачения файл"
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Може да има само един акаунт нза тази фирма в {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,"Моля, вижте прикачения файл"
DocType: Purchase Order,% Received,% Получени
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Създаване на ученически групи
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Настройката е вече изпълнена !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Кредитна бележка Сума
,Finished Goods,Готова продукция
DocType: Delivery Note,Instructions,Инструкции
DocType: Quality Inspection,Inspected By,Инспектирани от
DocType: Maintenance Visit,Maintenance Type,Тип Поддръжка
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} не е записан в курса {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Сериен № {0} не принадлежи на стокова разписка {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Демо
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Добавят продукти
@@ -436,7 +442,7 @@
DocType: Request for Quotation,Request for Quotation,Запитване за оферта
DocType: Salary Slip Timesheet,Working Hours,Работно Време
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Промяна на изходния / текущия номер за последователност на съществуваща серия.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Създаване на нов клиент
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Създаване на нов клиент
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ако няколко ценови правила продължават да преобладават, потребителите се приканват да се настрои приоритет ръчно да разрешите конфликт."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Създаване на поръчки за покупка
,Purchase Register,Покупка Регистрация
@@ -448,7 +454,7 @@
DocType: Student Log,Medical,Медицински
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Причина за загубата
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Собственикът на Потенциален клиент не може да бъде същия като потенциалния клиент
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,Разпределени сума може да не по-голяма от некоригирана стойност
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,Разпределени сума може да не по-голяма от некоригирана стойност
DocType: Announcement,Receiver,Получател
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},"Workstation е затворен на следните дати, както на Holiday Списък: {0}"
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Възможности
@@ -462,8 +468,7 @@
DocType: Assessment Plan,Examiner Name,Наименование на ревизора
DocType: Purchase Invoice Item,Quantity and Rate,Брой и процент
DocType: Delivery Note,% Installed,% Инсталиран
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,"Класните стаи / лаборатории и т.н., където може да бъдат насрочени лекции."
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Доставчик> Тип доставчик
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Класните стаи / лаборатории и т.н., където може да бъдат насрочени лекции."
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,"Моля, въведете име на компанията първа"
DocType: Purchase Invoice,Supplier Name,Доставчик Наименование
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Прочетете инструкциите ERPNext
@@ -473,7 +478,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Провери за уникалност на фактура на доставчик
DocType: Vehicle Service,Oil Change,Смяна на масло
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.',"""До Case No."" не може да бъде по-малко от ""От Case No."""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Non Profit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Non Profit
DocType: Production Order,Not Started,Не е започнал
DocType: Lead,Channel Partner,Channel Partner
DocType: Account,Old Parent,Предишен родител
@@ -483,19 +488,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Глобални настройки за всички производствени процеси.
DocType: Accounts Settings,Accounts Frozen Upto,Замразени Сметки до
DocType: SMS Log,Sent On,Изпратено на
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Умение {0} избрани няколко пъти в атрибути на маса
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Умение {0} избрани няколко пъти в атрибути на маса
DocType: HR Settings,Employee record is created using selected field. ,Запис на служителите е създаден с помощта на избран област.
DocType: Sales Order,Not Applicable,Не Е Приложимо
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Основен празник
DocType: Request for Quotation Item,Required Date,Изисвани - Дата
DocType: Delivery Note,Billing Address,Адрес на фактуриране
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,"Моля, въведете Код."
DocType: BOM,Costing,Остойностяване
DocType: Tax Rule,Billing County,(Фактура) Област
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Ако е избрано, размерът на данъка ще се считат за която вече е включена в Print Курсове / Print размер"
DocType: Request for Quotation,Message for Supplier,Съобщение за доставчика
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Общо Количество
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Идентификационен номер на
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Идентификационен номер на
DocType: Item,Show in Website (Variant),Покажи в Website (Variant)
DocType: Employee,Health Concerns,Здравни проблеми
DocType: Process Payroll,Select Payroll Period,Изберете ТРЗ Период
@@ -513,25 +517,27 @@
DocType: Sales Order Item,Used for Production Plan,Използвани за производство на План
DocType: Employee Loan,Total Payment,Общо плащане
DocType: Manufacturing Settings,Time Between Operations (in mins),Време между операциите (в минути)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} се анулира, затова действието не може да бъде завършено"
DocType: Customer,Buyer of Goods and Services.,Купувач на стоки и услуги.
DocType: Journal Entry,Accounts Payable,Задължения
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Избраните списъците с материали не са за една и съща позиция
DocType: Pricing Rule,Valid Upto,Валиден до
DocType: Training Event,Workshop,цех
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Изброите някои от вашите клиенти. Те могат да бъдат организации или индивидуални лица.
-,Enough Parts to Build,Достатъчно Части за изграждане
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Преки приходи
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Изброите някои от вашите клиенти. Те могат да бъдат организации или индивидуални лица.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Достатъчно Части за изграждане
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Преки приходи
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Не може да се филтрира по сметка, ако е групирано по сметка"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Административният директор
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,"Моля, изберете Курс"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Административният директор
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,"Моля, изберете Курс"
DocType: Timesheet Detail,Hrs,Часове
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Моля изберете Company
DocType: Stock Entry Detail,Difference Account,Разлика Акаунт
+DocType: Purchase Invoice,Supplier GSTIN,Доставчик GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,"Не може да се затвори задача, тъй като зависим задача {0} не е затворена."
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"Моля, въведете Warehouse, за които ще бъдат повдигнати Материал Искане"
DocType: Production Order,Additional Operating Cost,Допълнителна експлоатационни разходи
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Козметика
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","За да се слеят, следните свойства трябва да са едни и същи и за двете позиции"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","За да се слеят, следните свойства трябва да са едни и същи и за двете позиции"
DocType: Shipping Rule,Net Weight,Нето Тегло
DocType: Employee,Emergency Phone,Телефон за спешни
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Купи
@@ -540,14 +546,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,"Моля, определете степен за Threshold 0%"
DocType: Sales Order,To Deliver,Да достави
DocType: Purchase Invoice Item,Item,Артикул
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Сериен № - позиция не може да бъде част
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Сериен № - позиция не може да бъде част
DocType: Journal Entry,Difference (Dr - Cr),Разлика (Dr - Cr)
DocType: Account,Profit and Loss,Приходи и разходи
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Управление Подизпълнители
DocType: Project,Project will be accessible on the website to these users,Проектът ще бъде достъпен на интернет страницата на тези потребители
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,"Скоростта, с която Ценоразпис валута се превръща в основна валута на компанията"
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Сметка {0} не принадлежи на фирма: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Съкращение вече се използва за друга компания
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Сметка {0} не принадлежи на фирма: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Съкращение вече се използва за друга компания
DocType: Selling Settings,Default Customer Group,Клиентска група по подразбиране
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Ако деактивирате, поле "Rounded Общо" няма да се вижда в всяка сделка"
DocType: BOM,Operating Cost,Експлоатационни разходи
@@ -555,7 +561,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Увеличаване не може да бъде 0
DocType: Production Planning Tool,Material Requirement,Материал Изискване
DocType: Company,Delete Company Transactions,Изтриване на транзакциите на фирма
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Референтен Не и Референтен Дата е задължително за Bank сделка
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Референтен Не и Референтен Дата е задължително за Bank сделка
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Добавяне / Редактиране на данъци и такси
DocType: Purchase Invoice,Supplier Invoice No,Доставчик - Фактура номер
DocType: Territory,For reference,За референция
@@ -566,22 +572,22 @@
DocType: Installation Note Item,Installation Note Item,Монтаж Забележка Точка
DocType: Production Plan Item,Pending Qty,Чакащо Количество
DocType: Budget,Ignore,Игнорирай
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} не е активен
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} не е активен
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS изпратен на следните номера: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,Проверете настройките размери за печат
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Проверете настройките размери за печат
DocType: Salary Slip,Salary Slip Timesheet,Заплата Slip график
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Доставчик склад е задължителен за подизпълнители с разписка за покупка
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Доставчик склад е задължителен за подизпълнители с разписка за покупка
DocType: Pricing Rule,Valid From,Валидна от
DocType: Sales Invoice,Total Commission,Общо комисионна
DocType: Pricing Rule,Sales Partner,Търговски партньор
DocType: Buying Settings,Purchase Receipt Required,Покупка Квитанция Задължително
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,"Оценка процент е задължително, ако влезе Откриване Фондова"
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,"Оценка процент е задължително, ако влезе Откриване Фондова"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Не са намерени записи в таблицата с фактури
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Моля изберете Company и Party Type първи
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Финансови / Счетоводство година.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Финансови / Счетоводство година.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Натрупаните стойности
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Съжаляваме, серийни номера не могат да бъдат слети"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Направи поръчка за продажба
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Направи поръчка за продажба
DocType: Project Task,Project Task,Проект Task
,Lead Id,Потенциален клиент - Номер
DocType: C-Form Invoice Detail,Grand Total,Общо
@@ -598,7 +604,7 @@
DocType: Job Applicant,Resume Attachment,Resume Attachment
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Повторете клиенти
DocType: Leave Control Panel,Allocate,Разпределяйте
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Продажбите Return
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Продажбите Return
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Забележка: Общо отпуснати листа {0} не трябва да бъдат по-малки от вече одобрените листа {1} за периода
DocType: Announcement,Posted By,Публикувано от
DocType: Item,Delivered by Supplier (Drop Ship),Доставени от доставчик (Drop Ship)
@@ -608,8 +614,8 @@
DocType: Quotation,Quotation To,Оферта до
DocType: Lead,Middle Income,Среден доход
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Откриване (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Default мерната единица за т {0} не може да се променя директно, защото вече сте направили някаква сделка (и) с друга мерна единица. Вие ще трябва да се създаде нова т да използвате различен Default мерна единица."
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Отпусната сума не може да бъде отрицателна
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Default мерната единица за т {0} не може да се променя директно, защото вече сте направили някаква сделка (и) с друга мерна единица. Вие ще трябва да се създаде нова т да използвате различен Default мерна единица."
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Отпусната сума не може да бъде отрицателна
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,"Моля, задайте фирмата"
DocType: Purchase Order Item,Billed Amt,Фактурирана Сума
DocType: Training Result Employee,Training Result Employee,Обучение Резултати Employee
@@ -621,7 +627,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,"Изберете профил на плащане, за да се направи Bank Влизане"
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Създаване на записи на наети да управляват листа, претенции за разходи и заплати"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Добави в базата знания
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Предложение за писане
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Предложение за писане
DocType: Payment Entry Deduction,Payment Entry Deduction,Плащането Влизане Приспадане
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Съществува друга продажбите Person {0} със същия Employee ID
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Ако е избрано, суровини за елементи, които са подизпълнители ще бъдат включени в материала Исканията"
@@ -635,7 +641,7 @@
DocType: Timesheet,Billed,Фактурирана
DocType: Batch,Batch Description,Партида Описание
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Създаване на студентски групи
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Плащане Gateway профил не е създаден, моля създадете една ръчно."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Плащане Gateway профил не е създаден, моля създадете една ръчно."
DocType: Sales Invoice,Sales Taxes and Charges,Продажби данъци и такси
DocType: Employee,Organization Profile,Организация на профил
DocType: Student,Sibling Details,събрат Детайли
@@ -657,11 +663,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Нетна промяна в Инвентаризация
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Служител за управление на кредита
DocType: Employee,Passport Number,Номер на паспорт
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Връзка с Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Мениджър
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Връзка с Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Мениджър
DocType: Payment Entry,Payment From / To,Плащане от / към
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Нов кредитен лимит е по-малко от сегашната изключително количество за клиента. Кредитен лимит трябва да бъде поне {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Същата позиция е въведена много пъти.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Нов кредитен лимит е по-малко от сегашната изключително количество за клиента. Кредитен лимит трябва да бъде поне {0}
DocType: SMS Settings,Receiver Parameter,Приемник на параметъра
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""Въз основа на"" и ""Групиране По"" не могат да бъдат еднакви"
DocType: Sales Person,Sales Person Targets,Търговец - Цели
@@ -670,8 +675,9 @@
DocType: Issue,Resolution Date,Резолюция Дата
DocType: Student Batch Name,Batch Name,Партида Име
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,График създаден:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},"Моля, задайте по подразбиране брой или банкова сметка в начинът на плащане {0}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},"Моля, задайте по подразбиране брой или банкова сметка в начинът на плащане {0}"
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Записване
+DocType: GST Settings,GST Settings,Настройки за GST
DocType: Selling Settings,Customer Naming By,Задаване на име на клиента от
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Ще покажем на студента като настояще в Студентски Месечен Присъствие Доклад
DocType: Depreciation Schedule,Depreciation Amount,Сума на амортизацията
@@ -693,6 +699,7 @@
DocType: Item,Material Transfer,Прехвърляне на материал
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Откриване (Dr)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Време на осчетоводяване трябва да е след {0}
+,GST Itemised Purchase Register,GST Подробен регистър на покупките
DocType: Employee Loan,Total Interest Payable,"Общо дължима лихва,"
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Приземи Разходни данъци и такси
DocType: Production Order Operation,Actual Start Time,Действително Начално Време
@@ -719,10 +726,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Доставчик
DocType: Account,Accounts,Сметки
DocType: Vehicle,Odometer Value (Last),Километраж Стойност (Последна)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Маркетинг
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Маркетинг
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Заплащане Влизане вече е създаден
DocType: Purchase Receipt Item Supplied,Current Stock,Наличност
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Row {0}: Asset {1} не свързан с т {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Row {0}: Asset {1} не свързан с т {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Преглед на фиш за заплата
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Сметка {0} е била въведена на няколко пъти
DocType: Account,Expenses Included In Valuation,"Разходи, включени в остойностяване"
@@ -730,7 +737,7 @@
,Absent Student Report,Доклад за отсъствия на учащи се
DocType: Email Digest,Next email will be sent on:,Следващият имейл ще бъде изпратен на:
DocType: Offer Letter Term,Offer Letter Term,Оферта - Писмо - Условия
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Позицията има варианти.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Позицията има варианти.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Точка {0} не е намерена
DocType: Bin,Stock Value,Стойността на акциите
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Компания {0} не съществува
@@ -739,7 +746,7 @@
DocType: Serial No,Warranty Expiry Date,Гаранция - Дата на изтичане
DocType: Material Request Item,Quantity and Warehouse,Количество и Склад
DocType: Sales Invoice,Commission Rate (%),Комисионен процент (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,"Моля, изберете Програма"
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,"Моля, изберете Програма"
DocType: Project,Estimated Cost,Очаквани разходи
DocType: Purchase Order,Link to material requests,Препратка към материални искания
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Космически
@@ -753,14 +760,14 @@
DocType: Purchase Order,Supply Raw Materials,Доставка на суровини
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,"Датата, на която ще се генерира следващата фактура. Тя се генерира при изпращане."
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Текущи активи
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} не е в наличност
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} не е в наличност
DocType: Mode of Payment Account,Default Account,Сметка по подрозбиране
DocType: Payment Entry,Received Amount (Company Currency),Получената сума (фирмена валута)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,"Потенциален клиент трябва да се настрои, ако възможност е създадена за потенциален клиент"
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,Моля изберете седмичен почивен ден
DocType: Production Order Operation,Planned End Time,Планирано Крайно време
,Sales Person Target Variance Item Group-Wise,Продажбите Person Target Вариацията т Group-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Сметка със съществуващa трансакция не може да бъде превърната в Главна Счетоводна Книга
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Сметка със съществуващa трансакция не може да бъде превърната в Главна Счетоводна Книга
DocType: Delivery Note,Customer's Purchase Order No,Поръчка на Клиента - Номер
DocType: Budget,Budget Against,Бюджет срещу
DocType: Employee,Cell Number,Клетка номер
@@ -772,15 +779,13 @@
DocType: Opportunity,Opportunity From,Възможност - От
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Месечно извлечение заплата.
DocType: BOM,Website Specifications,Сайт Спецификации
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Моля, настройте сериите за номериране за участие чрез настройка> Серия за номериране"
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: От {0} от вид {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Row {0}: Превръщане Factor е задължително
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Row {0}: Превръщане Factor е задължително
DocType: Employee,A+,A+
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Няколко правила за цените съществува по същите критерии, моля, разрешаване на конфликти чрез възлагане приоритет. Правила Цена: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,Не може да деактивирате или да отмените BOM тъй като е свързан с други спецификации на материали (BOM)
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Няколко правила за цените съществува по същите критерии, моля, разрешаване на конфликти чрез възлагане приоритет. Правила Цена: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Не може да деактивирате или да отмените BOM тъй като е свързан с други спецификации на материали (BOM)
DocType: Opportunity,Maintenance,Поддръжка
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},"Покупка Квитанция брой, необходим за т {0}"
DocType: Item Attribute Value,Item Attribute Value,Позиция атрибут - Стойност
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Продажби кампании.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Въведи отчет на време
@@ -813,29 +818,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Asset бракуват чрез вестник Влизане {0}
DocType: Employee Loan,Interest Income Account,Сметка Приходи от лихви
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Биотехнология
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Разходи за поддръжка на офис
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Разходи за поддръжка на офис
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Създаване на имейл акаунт
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,"Моля, въведете Точка първа"
DocType: Account,Liability,Отговорност
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Санкционирани сума не може да бъде по-голяма от претенция Сума в Row {0}.
DocType: Company,Default Cost of Goods Sold Account,Себестойност на продадените стоки - Сметка по подразбиране
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Ценова листа не избран
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Ценова листа не избран
DocType: Employee,Family Background,Семейна среда
DocType: Request for Quotation Supplier,Send Email,Изпрати е-мейл
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Внимание: Невалиден прикачен файл {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Внимание: Невалиден прикачен файл {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Няма разрешение
DocType: Company,Default Bank Account,Банкова сметка по подразб.
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","За да филтрирате базирани на партия, изберете страна Напишете първия"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Обнови Наличност"" не може да е маркирана, защото артикулите, не са доставени чрез {0}"
DocType: Vehicle,Acquisition Date,Дата на придобиване
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Nos
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Nos
DocType: Item,Items with higher weightage will be shown higher,Предмети с висше weightage ще бъдат показани по-високи
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Банково извлечение - Подробности
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,{0} Row #: Asset трябва да бъде подадено {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,{0} Row #: Asset трябва да бъде подадено {1}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Няма намерен служител
DocType: Supplier Quotation,Stopped,Спряно
DocType: Item,If subcontracted to a vendor,Ако възложи на продавача
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Студентската група вече е актуализирана.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Студентската група вече е актуализирана.
DocType: SMS Center,All Customer Contact,Всички клиенти Контакти
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Качване на наличности на склад чрез CSV.
DocType: Warehouse,Tree Details,Дърво - Детайли
@@ -847,13 +852,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Разходен център {2} не принадлежи на компания {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Сметка {2} не може да бъде група
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Точка Row {IDX}: {DOCTYPE} {DOCNAME} не съществува в по-горе "{DOCTYPE}" на маса
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,График {0} вече е завършено или анулирано
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,График {0} вече е завършено или анулирано
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Няма задачи
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Денят от месеца, на която автоматичната фактура ще бъде генерирана например 05, 28 и т.н."
DocType: Asset,Opening Accumulated Depreciation,Откриване на начислената амортизация
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Резултати трябва да бъде по-малка или равна на 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Програма за записване Tool
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,Cи-форма записи
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,Cи-форма записи
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Клиенти и доставчици
DocType: Email Digest,Email Digest Settings,Имейл преглед Settings
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Благодаря ви за вашия бизнес!
@@ -863,17 +868,19 @@
DocType: Bin,Moving Average Rate,Пълзяща средна стойност - Курс
DocType: Production Planning Tool,Select Items,Изберете артикули
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} срещу Сметка {1} от {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Номер на превозното средство / автобуса
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,График на курса
DocType: Maintenance Visit,Completion Status,Статус на Завършване
DocType: HR Settings,Enter retirement age in years,Въведете пенсионна възраст в години
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Целеви склад
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,"Моля, изберете склад"
DocType: Cheque Print Template,Starting location from left edge,Започвайки място от левия край
DocType: Item,Allow over delivery or receipt upto this percent,Оставя се в продължение на доставка или получаване до запълването този процент
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,Импорт - Присъствие
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Всички стокови групи
DocType: Process Payroll,Activity Log,Журнал на дейностите
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Нетна печалба / загуба
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Нетна печалба / загуба
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Автоматично композира съобщение при представяне на сделките.
DocType: Production Order,Item To Manufacture,Артикул за производство
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} статусът е {2}
@@ -882,16 +889,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Поръчка за покупка на плащане
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Прогнозно Количество
DocType: Sales Invoice,Payment Due Date,Дължимото плащане Дата
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Позиция Variant {0} вече съществува с едни и същи атрибути
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Позиция Variant {0} вече съществува с едни и същи атрибути
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',"""Начален баланс"""
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Open To Do
DocType: Notification Control,Delivery Note Message,Складова разписка - Съобщение
DocType: Expense Claim,Expenses,Разходи
+,Support Hours,Часове за поддръжка
DocType: Item Variant Attribute,Item Variant Attribute,Позиция Variant Умение
,Purchase Receipt Trends,Покупка Квитанция Trends
DocType: Process Payroll,Bimonthly,Два пъти месечно
DocType: Vehicle Service,Brake Pad,Спирачна накладка
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Проучване & развитие
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Проучване & развитие
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Сума за Bill
DocType: Company,Registration Details,Регистрация Детайли
DocType: Timesheet,Total Billed Amount,Общо Обявен сума
@@ -904,12 +912,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Снабдете Само суровини
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Оценката на изпълнението.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Активирането на "Използване на количката", тъй като количката е включен и трябва да има най-малко една данъчна правило за количката"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Плащането Влизане {0} е свързан срещу Поръчка {1}, проверете дали тя трябва да се извади като предварително в тази фактура."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Плащането Влизане {0} е свързан срещу Поръчка {1}, проверете дали тя трябва да се извади като предварително в тази фактура."
DocType: Sales Invoice Item,Stock Details,Фондова Детайли
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Проект Стойност
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Точка на продажба
DocType: Vehicle Log,Odometer Reading,показание на километража
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",Баланса на сметката вече е в 'Кредит'. Не е позволено да задавате 'Балансът задължително трябва да бъде в Дебит'
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",Баланса на сметката вече е в 'Кредит'. Не е позволено да задавате 'Балансът задължително трябва да бъде в Дебит'
DocType: Account,Balance must be,Балансът задължително трябва да бъде
DocType: Hub Settings,Publish Pricing,Публикуване на ценообразуване
DocType: Notification Control,Expense Claim Rejected Message,Expense искането се отхвърля Message
@@ -919,7 +927,7 @@
DocType: Salary Slip,Working Days,Работни дни
DocType: Serial No,Incoming Rate,Постъпили Курсове
DocType: Packing Slip,Gross Weight,Брутно Тегло
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,"Името на Вашата фирма, за която искате да създадете тази система."
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,"Името на Вашата фирма, за която искате да създадете тази система."
DocType: HR Settings,Include holidays in Total no. of Working Days,Включи празници в общия брой на работните дни
DocType: Job Applicant,Hold,Държа
DocType: Employee,Date of Joining,Дата на Присъединяване
@@ -930,20 +938,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Покупка Разписка
,Received Items To Be Billed,"Приети артикули, които да се фактирират"
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Добавен на заплатите Подхлъзвания
-DocType: Employee,Ms,Госпожица
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Обмяна На Валута - основен курс
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Референтен Doctype трябва да бъде един от {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Обмяна На Валута - основен курс
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Референтен Doctype трябва да бъде един от {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Не може да се намери време слот за следващия {0} ден за операция {1}
DocType: Production Order,Plan material for sub-assemblies,План материал за частите
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Търговски дистрибутори и територия
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,"Не може автоматично да създадете сметка като там има наличност в сметката. Трябва да се създаде съвпадение сметка, преди да може да се правят операции в този склад"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} трябва да бъде активен
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} трябва да бъде активен
DocType: Journal Entry,Depreciation Entry,Амортизация - Запис
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,"Моля, изберете вида на документа първо"
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Отменете Материал Посещения {0} преди да анулирате тази поддръжка посещение
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Сериен № {0} не принадлежи на позиция {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Необходим Количество
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Складове с действащото сделка не може да се превърнат в книга.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Складове с действащото сделка не може да се превърнат в книга.
DocType: Bank Reconciliation,Total Amount,Обща Сума
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Internet Publishing
DocType: Production Planning Tool,Production Orders,Производствени поръчки
@@ -958,25 +964,26 @@
DocType: Fee Structure,Components,Компоненти
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},"Моля, въведете Asset Категория т {0}"
DocType: Quality Inspection Reading,Reading 6,Четене 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Не може да {0} {1} {2} без отрицателна неплатена фактура
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Не може да {0} {1} {2} без отрицателна неплатена фактура
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Фактурата за покупка Advance
DocType: Hub Settings,Sync Now,Синхронизирай сега
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Row {0}: Credit влизане не може да бъде свързана с {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Определяне на бюджета за финансовата година.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Определяне на бюджета за финансовата година.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"Сметка за банка/каса по подразбиране ще се актуализира автоматично в POS фактура, когато е избран този режим."
DocType: Lead,LEAD-,LEAD-
DocType: Employee,Permanent Address Is,Постоянен адрес е
DocType: Production Order Operation,Operation completed for how many finished goods?,Операция попълва за колко готова продукция?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,Марката
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Марката
DocType: Employee,Exit Interview Details,Exit Интервю Детайли
DocType: Item,Is Purchase Item,Дали Покупка Точка
DocType: Asset,Purchase Invoice,Фактура за покупка
DocType: Stock Ledger Entry,Voucher Detail No,Ваучер Деайли Номер
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Нова фактурата за продажба
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Нова фактурата за продажба
DocType: Stock Entry,Total Outgoing Value,Общо Изходящ Value
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Откриване Дата и крайния срок трябва да бъде в рамките на същата фискална година
DocType: Lead,Request for Information,Заявка за информация
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Синхронизиране на офлайн Фактури
+,LeaderBoard,Списък с водачите
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Синхронизиране на офлайн Фактури
DocType: Payment Request,Paid,Платен
DocType: Program Fee,Program Fee,Такса програма
DocType: Salary Slip,Total in words,Общо - СЛОВОМ
@@ -985,13 +992,13 @@
DocType: Cheque Print Template,Has Print Format,Има формат за печат
DocType: Employee Loan,Sanctioned,санкционирана
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,е задължително. Може би не е създаден запис на полето за обмен на валута за
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},"Row # {0}: Моля, посочете Пореден № за позиция {1}"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","За 'Продукт Пакетни ", склад, сериен номер и партидният няма да се счита от" Опаковка Списък "масата. Ако Warehouse и партиден № са едни и същи за всички опаковъчни артикули за т всеки "Продукт Bundle", тези стойности могат да бъдат вписани в основния таблицата позиция, стойностите ще се копират в "Опаковка Списък" маса."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},"Row # {0}: Моля, посочете Пореден № за позиция {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","За 'Продукт Пакетни ", склад, сериен номер и партидният няма да се счита от" Опаковка Списък "масата. Ако Warehouse и партиден № са едни и същи за всички опаковъчни артикули за т всеки "Продукт Bundle", тези стойности могат да бъдат вписани в основния таблицата позиция, стойностите ще се копират в "Опаковка Списък" маса."
DocType: Job Opening,Publish on website,Публикуване на интернет страницата
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Пратки към клиенти
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,"Дата Доставчик на фактура не може да бъде по-голяма, отколкото Публикуване Дата"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,"Дата Доставчик на фактура не може да бъде по-голяма, отколкото Публикуване Дата"
DocType: Purchase Invoice Item,Purchase Order Item,Поръчка за покупка Точка
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Непряк доход
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Непряк доход
DocType: Student Attendance Tool,Student Attendance Tool,Student Присъствие Tool
DocType: Cheque Print Template,Date Settings,Дата Настройки
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Вариране
@@ -1009,20 +1016,20 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Химически
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Default Bank / Cash сметка ще се актуализира автоматично в Заплата вестник Влизане когато е избран този режим.
DocType: BOM,Raw Material Cost(Company Currency),Разходи за суровини (фирмена валута)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Всички предмети са били прехвърлени вече за тази производствена поръчка.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Всички предмети са били прехвърлени вече за тази производствена поръчка.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Ред # {0}: Процентът не може да бъде по-голям от курса, използван в {1} {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,метър
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,метър
DocType: Workstation,Electricity Cost,Ток Cost
DocType: HR Settings,Don't send Employee Birthday Reminders,Не изпращайте на служителите напомняне за рождени дни
DocType: Item,Inspection Criteria,Критериите за инспекция
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Прехвърлен
DocType: BOM Website Item,BOM Website Item,BOM Website позиция
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Качете ваш дизайн за заглавно писмо и лого. (Можете да ги редактирате по-късно).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Качете ваш дизайн за заглавно писмо и лого. (Можете да ги редактирате по-късно).
DocType: Timesheet Detail,Bill,Фактура
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Следваща дата на амортизация е въведена като минала дата
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Бял
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Бял
DocType: SMS Center,All Lead (Open),All Lead (Open)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Кол не е на разположение за {4} в склад {1} при публикуване време на влизането ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Кол не е на разположение за {4} в склад {1} при публикуване време на влизането ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Вземи платени аванси
DocType: Item,Automatically Create New Batch,Автоматично създаване на нова папка
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,Правя
@@ -1032,13 +1039,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Моята количка
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Тип поръчка трябва да е един от {0}
DocType: Lead,Next Contact Date,Следваща дата за контакт
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Начално Количество
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,"Моля, въведете Account за промяна сума"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Начално Количество
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,"Моля, въведете Account за промяна сума"
DocType: Student Batch Name,Student Batch Name,Student Batch Име
DocType: Holiday List,Holiday List Name,Име на списък на празниците
DocType: Repayment Schedule,Balance Loan Amount,Баланс на заема
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,График на курса
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Сток Options
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Сток Options
DocType: Journal Entry Account,Expense Claim,Expense претенция
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Наистина ли искате да възстановите този бракуван актив?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Количество за {0}
@@ -1050,12 +1057,12 @@
DocType: Company,Default Terms,Условия по подразбиране
DocType: Packing Slip Item,Packing Slip Item,Приемо-предавателен протокол - ред
DocType: Purchase Invoice,Cash/Bank Account,Сметка за Каса / Банка
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},"Моля, посочете {0}"
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},"Моля, посочете {0}"
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Премахнати артикули с никаква промяна в количеството или стойността.
DocType: Delivery Note,Delivery To,Доставка до
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Умение маса е задължително
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Умение маса е задължително
DocType: Production Planning Tool,Get Sales Orders,Вземи поръчките за продажби
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} не може да бъде отрицателно
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} не може да бъде отрицателно
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Отстъпка
DocType: Asset,Total Number of Depreciations,Общ брой на амортизации
DocType: Sales Invoice Item,Rate With Margin,Оцени с марджин
@@ -1075,7 +1082,6 @@
DocType: Serial No,Creation Document No,Създаване документ №
DocType: Issue,Issue,Изписване
DocType: Asset,Scrapped,Брак
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Сметка не съвпада с фирма
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Атрибути за т варианти. например размер, цвят и т.н."
DocType: Purchase Invoice,Returns,Се завръща
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP Warehouse
@@ -1087,12 +1093,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,"Позициите трябва да се добавят с помощта на ""Вземи от поръчка за покупки"" бутона"
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Включване на неналични продукти
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Продажби Разходи
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Продажби Разходи
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Standard Изкупуването
DocType: GL Entry,Against,Срещу
DocType: Item,Default Selling Cost Center,Разходен център за продажби по подразбиране
DocType: Sales Partner,Implementation Partner,Партньор за внедряване
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Пощенски код
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Пощенски код
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Поръчка за продажба {0} е {1}
DocType: Opportunity,Contact Info,Информация за контакт
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Въвеждане на складови записи
@@ -1105,31 +1111,31 @@
DocType: Holiday List,Get Weekly Off Dates,Вземи Седмичен дати
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,Крайна дата не може да бъде по-малка от началната дата
DocType: Sales Person,Select company name first.,Изберете име на компанията на първо място.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Dr
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Оферти получени от доставчици.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},За {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Средна възраст
DocType: School Settings,Attendance Freeze Date,Дата на замразяване на присъствие
DocType: Opportunity,Your sales person who will contact the customer in future,"Търговец, който ще се свързва с клиентите в бъдеще"
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Изборите някои от вашите доставчици. Те могат да бъдат организации или индивидуални лица.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Изборите някои от вашите доставчици. Те могат да бъдат организации или индивидуални лица.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Преглед на всички продукти
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Минимална водеща възраст (дни)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,Всички спецификации на материали
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Всички спецификации на материали
DocType: Company,Default Currency,Валута по подразбиране
DocType: Expense Claim,From Employee,От служител
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Внимание: Системата няма да провери за некоректно фактуриране, тъй като сума за позиция {0} в {1} е нула"
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Внимание: Системата няма да провери за некоректно фактуриране, тъй като сума за позиция {0} в {1} е нула"
DocType: Journal Entry,Make Difference Entry,Направи Разлика Влизане
DocType: Upload Attendance,Attendance From Date,Присъствие От дата
DocType: Appraisal Template Goal,Key Performance Area,Ключова област на ефективността
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Транспорт
+DocType: Program Enrollment,Transportation,Транспорт
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Невалиден атрибут
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} трябва да бъде изпратено
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} трябва да бъде изпратено
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Количеството трябва да бъде по-малка или равна на {0}
DocType: SMS Center,Total Characters,Общо знаци
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Моля изберете BOM BOM в полето за позиция {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Моля изберете BOM BOM в полето за позиция {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,Детайли на Cи-форма Фактура
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Заплащане помирение Invoice
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Принос %
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Както е описано в Настройките за купуване, ако поръчката за доставка е задължителна == "ДА", тогава за да се създаде фактура за покупка, потребителят трябва първо да създаде поръчка за покупка за елемент {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Регистрационен номер на дружеството, за ваше сведение. Данъчни номера и т.н."
DocType: Sales Partner,Distributor,Дистрибутор
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Количка за пазаруване - Правила за доставка
@@ -1138,23 +1144,25 @@
,Ordered Items To Be Billed,"Поръчани артикули, които да се фактурират"
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,От диапазон трябва да бъде по-малко от До диапазон
DocType: Global Defaults,Global Defaults,Глобални настройки по подразбиране
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Проект Collaboration Покана
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Проект Collaboration Покана
DocType: Salary Slip,Deductions,Удръжки
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Старт Година
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},Първите 2 цифри на GSTIN трябва да съвпадат с номер на държавата {0}
DocType: Purchase Invoice,Start date of current invoice's period,Начална дата на периода на текущата фактура за
DocType: Salary Slip,Leave Without Pay,Неплатен отпуск
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Грешка при Планиране на капацитета
,Trial Balance for Party,Оборотка за партньор
DocType: Lead,Consultant,Консултант
DocType: Salary Slip,Earnings,Печалба
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Готов продукт {0} трябва да бъде въведен за запис на тип производство
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Готов продукт {0} трябва да бъде въведен за запис на тип производство
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Начален баланс
+,GST Sales Register,Търговски регистър на GST
DocType: Sales Invoice Advance,Sales Invoice Advance,Фактурата за продажба - Аванс
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Няма за какво да поиска
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Друг рекорд Бюджет "{0}" вече съществува срещу {1} {2} "за фискалната година {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',"""Актуалната Начална дата"" не може да бъде след ""Актуалната Крайна дата"""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Управление
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Управление
DocType: Cheque Print Template,Payer Settings,Настройки платеца
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Това ще бъде приложена към Кодекса Точка на варианта. Например, ако вашият съкращението е "SM", а кодът на елемент е "ТЕНИСКА", кодът позиция на варианта ще бъде "ТЕНИСКА-SM""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Net Pay (словом) ще бъде видим след като спаси квитанцията за заплата.
@@ -1171,8 +1179,8 @@
DocType: Employee Loan,Partially Disbursed,Частично Изплатени
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Доставчик на база данни.
DocType: Account,Balance Sheet,Баланс
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Разходен център за позиция с Код '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Режимът на плащане не е конфигуриран. Моля, проверете, дали сметката е настроен на режим на плащания или на POS профил."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Разходен център за позиция с Код '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Режимът на плащане не е конфигуриран. Моля, проверете, дали сметката е настроен на режим на плащания или на POS профил."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,"Вашият търговец ще получи напомняне на тази дата, за да се свърже с клиента"
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Същата позиция не може да бъде въведена няколко пъти.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Допълнителни сметки могат да бъдат направени по групи, но записи могат да бъдат направени по отношение на не-групи"
@@ -1180,7 +1188,7 @@
DocType: Email Digest,Payables,Задължения
DocType: Course,Course Intro,Въведение - Курс
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Фондова Влизане {0} е създаден
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: отхвърля Количество не могат да бъдат вписани в Покупка Return
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: отхвърля Количество не могат да бъдат вписани в Покупка Return
,Purchase Order Items To Be Billed,"Покупка Поръчка артикули, които се таксуват"
DocType: Purchase Invoice Item,Net Rate,Нетен коефициент
DocType: Purchase Invoice Item,Purchase Invoice Item,"Фактурата за покупка, т"
@@ -1205,7 +1213,7 @@
DocType: Sales Order,SO-,SO-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Моля изберете префикс първа
DocType: Employee,O-,О-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Проучване
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Проучване
DocType: Maintenance Visit Purpose,Work Done,"Работата, извършена"
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,"Моля, посочете поне един атрибут в таблицата с атрибути"
DocType: Announcement,All Students,Всички студенти
@@ -1213,17 +1221,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Виж Ledger
DocType: Grading Scale,Intervals,Интервали
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Най-ранната
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Артикул Group съществува със същото име, моля да промените името на елемент или преименувате група т"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Student Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Останалата част от света
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Артикул Group съществува със същото име, моля да промените името на елемент или преименувате група т"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No.
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Останалата част от света
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Продуктът {0} не може да има партида
,Budget Variance Report,Бюджет Вариацията Доклад
DocType: Salary Slip,Gross Pay,Брутно възнаграждение
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Ред {0}: Вид дейност е задължително.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Дивиденти - изплащани
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Дивиденти - изплащани
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Счетоводен Дневник
DocType: Stock Reconciliation,Difference Amount,Разлика Сума
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Неразпределена Печалба
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Неразпределена Печалба
DocType: Vehicle Log,Service Detail,Service Подробности
DocType: BOM,Item Description,Позиция Описание
DocType: Student Sibling,Student Sibling,Student Sibling
@@ -1237,11 +1245,11 @@
DocType: Opportunity Item,Opportunity Item,Възможност - позиция
,Student and Guardian Contact Details,Студентски и Guardian Данни за контакт
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,"Row {0}: За доставчика {0} имейл адрес е необходим, за да изпратите имейл"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Временно Откриване
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Временно Откриване
,Employee Leave Balance,Служител Оставете Balance
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Балансът на сметке {0} винаги трябва да е {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},"Оценка процент, необходим за позиция в ред {0}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Пример: Магистър по компютърни науки
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Пример: Магистър по компютърни науки
DocType: Purchase Invoice,Rejected Warehouse,Отхвърлени Warehouse
DocType: GL Entry,Against Voucher,Срещу ваучер
DocType: Item,Default Buying Cost Center,Разходен център за закупуване по подразбиране
@@ -1254,31 +1262,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Вземи неплатените фактури
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Поръчка за продажба {0} не е валидна
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Поръчки помогнат да планирате и проследяване на вашите покупки
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Съжаляваме, компаниите не могат да бъдат слети"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Съжаляваме, компаниите не могат да бъдат слети"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",Общото количество на емисията / Transfer {0} в Подемно-Искане {1} \ не може да бъде по-голяма от поискани количества {2} за т {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Малък
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Малък
DocType: Employee,Employee Number,Брой на служителите
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Дело Номер (а) вече се ползва. Опитайте от Дело Номер {0}
DocType: Project,% Completed,% Завършен
,Invoiced Amount (Exculsive Tax),Сума по фактура (без данък)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Позиция 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Главна Сметка {0} е създадена
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,обучение на Събитията
DocType: Item,Auto re-order,Авто повторна поръчка
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Общо Постигнати
DocType: Employee,Place of Issue,Място на издаване
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Договор
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Договор
DocType: Email Digest,Add Quote,Добави цитат
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},Мерна единица фактор coversion изисква за мерна единица: {0} в продукт: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Непреки разходи
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Мерна единица фактор coversion изисква за мерна единица: {0} в продукт: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Непреки разходи
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Row {0}: Кол е задължително
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Земеделие
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Синхронизиране на основни данни
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Вашите продукти или услуги
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Синхронизиране на основни данни
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Вашите продукти или услуги
DocType: Mode of Payment,Mode of Payment,Начин на плащане
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Сайт на снимката трябва да бъде държавна файл или уеб сайт URL
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Сайт на снимката трябва да бъде държавна файл или уеб сайт URL
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Това е главната позиция група и не може да се редактира.
@@ -1287,17 +1294,17 @@
DocType: Warehouse,Warehouse Contact Info,Склад - Информация за контакт
DocType: Payment Entry,Write Off Difference Amount,Сметка за разлики от отписване
DocType: Purchase Invoice,Recurring Type,Повтарящо Type
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: Имейлът на служителя не е намерен, следователно не е изпратен имейл"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: Имейлът на служителя не е намерен, следователно не е изпратен имейл"
DocType: Item,Foreign Trade Details,Външна търговия - Детайли
DocType: Email Digest,Annual Income,Годишен доход
DocType: Serial No,Serial No Details,Сериен № - Детайли
DocType: Purchase Invoice Item,Item Tax Rate,Позиция данъчна ставка
DocType: Student Group Student,Group Roll Number,Номер на ролката в групата
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","За {0}, само кредитни сметки могат да бъдат свързани с друг запис дебитна"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,"Общо за всички работни тежести трябва да бъде 1. Моля, коригира теглото на всички задачи по проекта съответно"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Складова разписка {0} не е подадена
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Позиция {0} трябва да бъде позиция за подизпълнители
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Капиталови Активи
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,"Общо за всички работни тежести трябва да бъде 1. Моля, коригира теглото на всички задачи по проекта съответно"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Складова разписка {0} не е подадена
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Позиция {0} трябва да бъде позиция за подизпълнители
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Капиталови Активи
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Ценообразуване правило е първият избран на базата на "Нанесете върху" област, която може да бъде т, т Group или търговска марка."
DocType: Hub Settings,Seller Website,Продавач Website
DocType: Item,ITEM-,ITEM-
@@ -1315,7 +1322,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Не може да има само една доставка Правило Състояние с 0 или празно стойност за "да цени"
DocType: Authorization Rule,Transaction,Транзакция
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Забележка: Тази Cost Center е група. Не може да се направи счетоводни записи срещу групи.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,Подчинен склад съществува за този склад. Не можете да изтриете този склад.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Подчинен склад съществува за този склад. Не можете да изтриете този склад.
DocType: Item,Website Item Groups,Website стокови групи
DocType: Purchase Invoice,Total (Company Currency),Общо (фирмена валута)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Сериен номер {0} влезли повече от веднъж
@@ -1325,7 +1332,7 @@
DocType: Grading Scale Interval,Grade Code,Код на клас
DocType: POS Item Group,POS Item Group,POS Позиция Group
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email бюлетин:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} не принадлежи към позиция {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} не принадлежи към позиция {1}
DocType: Sales Partner,Target Distribution,Target Разпределение
DocType: Salary Slip,Bank Account No.,Банкова сметка номер
DocType: Naming Series,This is the number of the last created transaction with this prefix,Това е поредният номер на последната създадена сделката с този префикс
@@ -1335,12 +1342,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Автоматично отписване на амортизацията на активи
DocType: BOM Operation,Workstation,Workstation
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Запитване за оферта - Доставчик
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Хардуер
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Хардуер
DocType: Sales Order,Recurring Upto,повтарящо Upto
DocType: Attendance,HR Manager,ЧР мениджър
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Моля изберете фирма
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Privilege отпуск
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Моля изберете фирма
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Privilege отпуск
DocType: Purchase Invoice,Supplier Invoice Date,Доставчик Дата Invoice
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,на
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Трябва да се активира функционалността за количка за пазаруване
DocType: Payment Entry,Writeoff,Отписване
DocType: Appraisal Template Goal,Appraisal Template Goal,Оценка Template Goal
@@ -1351,10 +1359,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Припокриване условия намерени между:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Against Journal Entry {0} is already adjusted against some other voucher
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Обща стойност на поръчката
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Храна
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Храна
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Застаряването на населението Range 3
DocType: Maintenance Schedule Item,No of Visits,Брои на Посещения
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Маркирай като присъстващ
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Маркирай като присъстващ
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Графикът за поддръжка {0} съществува срещу {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,записване на студентите
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Валута на Затварянето Сметката трябва да е {0}
@@ -1368,6 +1376,7 @@
DocType: Rename Tool,Utilities,Комунални услуги
DocType: Purchase Invoice Item,Accounting,Счетоводство
DocType: Employee,EMP/,EMP/
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,"Моля, изберете партиди за договорени покупки"
DocType: Asset,Depreciation Schedules,Амортизационни Списъци
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Срок за кандидатстване не може да бъде извън отпуск период на разпределение
DocType: Activity Cost,Projects,Проекти
@@ -1381,6 +1390,7 @@
DocType: POS Profile,Campaign,Кампания
DocType: Supplier,Name and Type,Име и вид
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Одобрение Status трябва да бъде "Одобрена" или "Отхвърлени"
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,за първоначално зареждане
DocType: Purchase Invoice,Contact Person,Лице за контакт
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"""Очаквана начална дата"" не може да бъде след ""Очаквана крайна дата"""
DocType: Course Scheduling Tool,Course End Date,Курс Крайна дата
@@ -1388,12 +1398,11 @@
DocType: Sales Order Item,Planned Quantity,Планирано количество
DocType: Purchase Invoice Item,Item Tax Amount,Позиция - Сума на данък
DocType: Item,Maintain Stock,Поддържане на наличности
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Вписване в запасите вече създадени за производствена поръчка
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Вписване в запасите вече създадени за производствена поръчка
DocType: Employee,Prefered Email,Предпочитан Email
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Нетна промяна в дълготрайни материални активи
DocType: Leave Control Panel,Leave blank if considered for all designations,"Оставете празно, ако се отнася за всички наименования"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Склад е задължително за групови сметки от тип фондова непушачи
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge от тип "Край" в ред {0} не могат да бъдат включени в т Курсове
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge от тип "Край" в ред {0} не могат да бъдат включени в т Курсове
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Макс: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,От за дата
DocType: Email Digest,For Company,За компания
@@ -1403,15 +1412,15 @@
DocType: Sales Invoice,Shipping Address Name,Адрес за доставка Име
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Сметкоплан
DocType: Material Request,Terms and Conditions Content,Правила и условия - съдържание
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,не може да бъде по-голямо от 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Позиция {0} е не-в-наличност позиция
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,не може да бъде по-голямо от 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Позиция {0} е не-в-наличност позиция
DocType: Maintenance Visit,Unscheduled,Нерепаративен
DocType: Employee,Owned,Собственост
DocType: Salary Detail,Depends on Leave Without Pay,Зависи от неплатен отпуск
DocType: Pricing Rule,"Higher the number, higher the priority","По-голямо число, по-висок приоритет"
,Purchase Invoice Trends,Фактурата за покупка Trends
DocType: Employee,Better Prospects,По-добри перспективи
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Ред # {0}: Партидата {1} има само {2} qty. Моля, изберете друга партида, която има {3} qty на разположение или разделете реда на няколко реда, за да достави / издаде от няколко партиди"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Ред # {0}: Партидата {1} има само {2} qty. Моля, изберете друга партида, която има {3} qty на разположение или разделете реда на няколко реда, за да достави / издаде от няколко партиди"
DocType: Vehicle,License Plate,Регистрационен номер
DocType: Appraisal,Goals,Цели
DocType: Warranty Claim,Warranty / AMC Status,Гаранция / AMC Status
@@ -1422,19 +1431,20 @@
,Batch-Wise Balance History,Баланс по партиди
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Настройки за печат обновяват в съответния формат печат
DocType: Package Code,Package Code,пакет Код
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Чирак
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Чирак
+DocType: Purchase Invoice,Company GSTIN,Фирма GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Отрицателна величина не е позволено
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","Данъчна подробно маса, извлечен от т майстор като низ и се съхранява в тази област. Използва се за данъци и такси"
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Служител не може да докладва пред самия себе си.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ако сметката е замразено, записи право да ограничават потребителите."
DocType: Email Digest,Bank Balance,Баланс на банка
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Счетоводен запис за {0}: {1} може да се направи само във валута: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Счетоводен запис за {0}: {1} може да се направи само във валута: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Профил на работа, необходими квалификации и т.н."
DocType: Journal Entry Account,Account Balance,Баланс на Сметка
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Данъчно правило за транзакции.
DocType: Rename Tool,Type of document to rename.,Вид на документа за преименуване.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Ние купуваме този артикул
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Ние купуваме този артикул
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: изисква се клиент при сметка за вземания{2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Общо данъци и такси (фирмена валута)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Покажи незатворен фискална година L баланси P &
@@ -1445,29 +1455,30 @@
DocType: Stock Entry,Total Additional Costs,Общо допълнителни разходи
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Скрап Cost (Company валути)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Възложени Изпълнения
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Възложени Изпълнения
DocType: Asset,Asset Name,Наименование на активи
DocType: Project,Task Weight,Задача Тегло
DocType: Shipping Rule Condition,To Value,До стойност
DocType: Asset Movement,Stock Manager,Склад за мениджъра
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Източник склад е задължително за ред {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Приемо-предавателен протокол
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Офис под наем
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Източник склад е задължително за ред {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Приемо-предавателен протокол
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Офис под наем
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Настройки Setup SMS Gateway
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Импортирането неуспешно!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Не е добавен адрес все още.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Не е добавен адрес все още.
DocType: Workstation Working Hour,Workstation Working Hour,Workstation работен час
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Аналитик
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Аналитик
DocType: Item,Inventory,Инвентаризация
DocType: Item,Sales Details,Продажби Детайли
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,С артикули
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,В Количество
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,В Количество
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Утвърждаване на записания курс за студенти в студентската група
DocType: Notification Control,Expense Claim Rejected,Expense искането се отхвърля
DocType: Item,Item Attribute,Позиция атрибут
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Правителство
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Правителство
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Expense претенция {0} вече съществува за Дневника Vehicle
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Наименование институт
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Наименование институт
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,"Моля, въведете погасяване сума"
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Елемент Варианти
DocType: Company,Services,Услуги
@@ -1477,18 +1488,18 @@
DocType: Sales Invoice,Source,Източник
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Покажи затворен
DocType: Leave Type,Is Leave Without Pay,Дали си тръгне без Pay
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Asset Категория е задължително за Фиксирана позиция в актива
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset Категория е задължително за Фиксирана позиция в актива
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Не са намерени в таблицата за плащане записи
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Този {0} е в конфликт с {1} за {2} {3}
DocType: Student Attendance Tool,Students HTML,"Студентите, HTML"
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Финансова година Начална дата
DocType: POS Profile,Apply Discount,Прилагане на отстъпка
+DocType: Purchase Invoice Item,GST HSN Code,GST HSN кодекс
DocType: Employee External Work History,Total Experience,Общо Experience
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Отворени проекти
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Приемо-предавателен протокол (и) анулиране
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Парични потоци от инвестиционна
DocType: Program Course,Program Course,програма на курса
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Товарни и спедиция Такси
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Товарни и спедиция Такси
DocType: Homepage,Company Tagline for website homepage,Фирма Лозунгът за уебсайт страница
DocType: Item Group,Item Group Name,Име на група позиции
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Взети
@@ -1498,6 +1509,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Създаване потенциален клиент
DocType: Maintenance Schedule,Schedules,Графици
DocType: Purchase Invoice Item,Net Amount,Нетна сума
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} не е изпратена, така че действието не може да бъде завършено"
DocType: Purchase Order Item Supplied,BOM Detail No,BOM Детайли Номер
DocType: Landed Cost Voucher,Additional Charges,Допълнителни такси
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Допълнителна отстъпка сума (във Валута на Фирмата)
@@ -1513,6 +1525,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Месечна погасителна сума
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,"Моля, задайте поле ID на потребителя в рекордно Employee да зададете Role Employee"
DocType: UOM,UOM Name,Мерна единица - Име
+DocType: GST HSN Code,HSN Code,HSN код
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Принос Сума
DocType: Purchase Invoice,Shipping Address,Адрес За Доставка
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,"Този инструмент ви помага да се актуализира, или да определи количеството и остойностяването на склад в системата. Той обикновено се използва за синхронизиране на ценностите на системата и какво всъщност съществува във вашите складове."
@@ -1523,17 +1536,16 @@
DocType: Program Enrollment Tool,Program Enrollments,Програмни записвания
DocType: Sales Invoice Item,Brand Name,Марка Име
DocType: Purchase Receipt,Transporter Details,Превозвач Детайли
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Изисква се склад по подразбиране за избрания елемент
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Кутия
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Изисква се склад по подразбиране за избрания елемент
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Кутия
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,Възможен доставчик
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Организацията
DocType: Budget,Monthly Distribution,Месечно разпределение
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"Списък Receiver е празна. Моля, създайте Списък Receiver"
DocType: Production Plan Sales Order,Production Plan Sales Order,Производство планира продажбите Поръчка
DocType: Sales Partner,Sales Partner Target,Търговски партньор - Цел
DocType: Loan Type,Maximum Loan Amount,Максимален Размер на заема
DocType: Pricing Rule,Pricing Rule,Ценообразуване Правило
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Дублиран номер на ролката за ученик {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Дублиран номер на ролката за ученик {0}
DocType: Budget,Action if Annual Budget Exceeded,"Действие в случай, че, Годишния Бюджет е превишен"
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Заявка за материал към поръчка за покупка
DocType: Shopping Cart Settings,Payment Success URL,Успешно плащане URL
@@ -1546,11 +1558,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Начална наличност - Баланс
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} трябва да се появи само веднъж
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Не е позволено да прехвърляйте повече {0} от {1} срещу Поръчката {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Не е позволено да прехвърляйте повече {0} от {1} срещу Поръчката {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Листата Разпределен успешно в продължение на {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Няма елементи за опаковане
DocType: Shipping Rule Condition,From Value,От стойност
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Произвеждано количество е задължително
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Произвеждано количество е задължително
DocType: Employee Loan,Repayment Method,Възстановяване Метод
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ако е избрано, на началната страница ще бъде по подразбиране т Групата за сайта"
DocType: Quality Inspection Reading,Reading 4,Четене 4
@@ -1560,7 +1572,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Row {0}: дата Клирънсът {1} не може да бъде преди Чек Дата {2}
DocType: Company,Default Holiday List,Списък на почивни дни по подразбиране
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Row {0}: От време и До време на {1} се припокрива с {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Сток Задължения
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Сток Задължения
DocType: Purchase Invoice,Supplier Warehouse,Доставчик Склад
DocType: Opportunity,Contact Mobile No,Контакт - мобилен номер
,Material Requests for which Supplier Quotations are not created,Материал Исканията за които не са създадени Доставчик Цитати
@@ -1571,35 +1583,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Направи оферта
apps/erpnext/erpnext/config/selling.py +216,Other Reports,Други справки
DocType: Dependent Task,Dependent Task,Зависима задача
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Коефициент на преобразуване за неизпълнение единица мярка трябва да бъде 1 в ред {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Коефициент на преобразуване за неизпълнение единица мярка трябва да бъде 1 в ред {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Разрешение за типа {0} не може да бъде по-дълъг от {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Опитайте планира операции за Х дни предварително.
DocType: HR Settings,Stop Birthday Reminders,Stop напомняне за рождени дни
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},"Моля, задайте по подразбиране ТРЗ Задължения профил в Company {0}"
DocType: SMS Center,Receiver List,Списък Receiver
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Търсене позиция
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Търсене позиция
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Консумирана Сума
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Нетна промяна в Cash
DocType: Assessment Plan,Grading Scale,Оценъчна скала
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Мерна единица {0} е въведен повече от веднъж в реализациите Factor Таблица
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Мерна единица {0} е въведен повече от веднъж в реализациите Factor Таблица
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,вече приключи
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Склад в ръка
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Вече съществува заявка за плащане {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Разходите за изписани стоки
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Количество не трябва да бъде повече от {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Предходната финансова година не е затворена
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Възраст (дни)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Възраст (дни)
DocType: Quotation Item,Quotation Item,Оферта Позиция
+DocType: Customer,Customer POS Id,Идентификационен номер на ПОС на клиента
DocType: Account,Account Name,Име на Сметка
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,"От дата не може да бъде по-голяма, отколкото е днешна дата"
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Сериен № {0} количество {1} не може да бъде една малка част
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Доставчик Type майстор.
DocType: Purchase Order Item,Supplier Part Number,Доставчик Част номер
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Обменен курс не може да бъде 0 или 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Обменен курс не може да бъде 0 или 1
DocType: Sales Invoice,Reference Document,Референтен документ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{1} {0} е отменен или спрян
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{1} {0} е отменен или спрян
DocType: Accounts Settings,Credit Controller,Кредит контрольор
DocType: Delivery Note,Vehicle Dispatch Date,Камион Дата на изпращане
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Покупка Квитанция {0} не е подадена
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Покупка Квитанция {0} не е подадена
DocType: Company,Default Payable Account,Сметка за задължения по подразбиране
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Настройки за онлайн пазарска количка като правилата за корабоплаване, Ценоразпис т.н."
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% Начислен
@@ -1618,11 +1632,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Обща сума възстановена
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Това се основава на трупи срещу това превозно средство. Вижте график по-долу за повече подробности
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,събирам
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Срещу фактура от доставчик {0} от {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Срещу фактура от доставчик {0} от {1}
DocType: Customer,Default Price List,Ценоразпис по подразбиране
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,запис Движение Asset {0} е създаден
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Вие не можете да изтривате фискална година {0}. Фискална година {0} е зададена по подразбиране в Global Settings
DocType: Journal Entry,Entry Type,Влизане Type
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,"Няма план за оценка, свързан с тази група за оценка"
,Customer Credit Balance,Клиентско кредитно салдо
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Нетна промяна в Задължения
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',"Клиент е необходим за ""Customerwise Discount"""
@@ -1630,7 +1645,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Ценообразуване
DocType: Quotation,Term Details,Срочни Детайли
DocType: Project,Total Sales Cost (via Sales Order),Обща продажна цена (чрез поръчка за продажба)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Не може да се запишат повече от {0} студенти за този студентска група.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Не може да се запишат повече от {0} студенти за този студентска група.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Водещ брой
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} трябва да е по-голяма от 0
DocType: Manufacturing Settings,Capacity Planning For (Days),Планиране на капацитет за (дни)
@@ -1651,7 +1666,7 @@
DocType: Sales Invoice,Packed Items,Опаковани артикули
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Гаранция иск срещу Serial No.
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Сменете конкретен BOM във всички останали спецификации на материали в които е използван. Той ще замени стария BOM връзката, актуализирайте разходите и регенерира "BOM Explosion ТОЧКА" маса, както на новия BOM"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Обща сума'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Обща сума'
DocType: Shopping Cart Settings,Enable Shopping Cart,Активиране на количката
DocType: Employee,Permanent Address,Постоянен Адрес
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1667,9 +1682,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,"Моля, посочете или Количество или остойностяване цена, или и двете"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,изпълняване
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Виж в кошницата
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Разходите за маркетинг
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Разходите за маркетинг
,Item Shortage Report,Позиция Недостиг Доклад
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Тегло се споменава, \ nМоля спомена "Тегло мерна единица" твърде"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Тегло се споменава, \ nМоля спомена "Тегло мерна единица" твърде"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Материал Заявка използва за направата на този запас Влизане
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Следваща дата на амортизация е задължителна за нов актив
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Разделна курсова група за всяка партида
@@ -1678,17 +1693,18 @@
,Student Fee Collection,Student за събиране на такси
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Направи счетоводен запис за всеки склад Movement
DocType: Leave Allocation,Total Leaves Allocated,Общо Leaves Отпуснати
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Склад се изисква за ред номер {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,"Моля, въведете валиден Финансова година Начални и крайни дати"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Склад се изисква за ред номер {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,"Моля, въведете валиден Финансова година Начални и крайни дати"
DocType: Employee,Date Of Retirement,Дата на пенсиониране
DocType: Upload Attendance,Get Template,Вземи шаблон
+DocType: Material Request,Transferred,Прехвърлен
DocType: Vehicle,Doors,Врати
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext инсталирането приключи!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext инсталирането приключи!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: Не се изисква Разходен Център за сметка ""Печалби и загуби"" {2}. Моля, задайте Разходен Център по подразбиране за компанията."
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Група Клиенти съществува със същото име. Моля, променете името на Клиента или преименувайте Група Клиенти"
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Нова контакт
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Група Клиенти съществува със същото име. Моля, променете името на Клиента или преименувайте Група Клиенти"
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Нова контакт
DocType: Territory,Parent Territory,Територия - Родител
DocType: Quality Inspection Reading,Reading 2,Четене 2
DocType: Stock Entry,Material Receipt,Разписка за материал
@@ -1697,17 +1713,16 @@
DocType: Employee,AB+,AB+
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ако този елемент има варианти, то не може да бъде избран в поръчки за продажба и т.н."
DocType: Lead,Next Contact By,Следваща Контакт с
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},"Количество, необходимо за т {0} на ред {1}"
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},"Склад {0} не може да се изтрие, тъй като съществува количество за артикул {1}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},"Количество, необходимо за т {0} на ред {1}"
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Склад {0} не може да се изтрие, тъй като съществува количество за артикул {1}"
DocType: Quotation,Order Type,Тип поръчка
DocType: Purchase Invoice,Notification Email Address,Имейл адрес за уведомления
,Item-wise Sales Register,Точка-мъдър Продажби Регистрация
DocType: Asset,Gross Purchase Amount,Брутна сума на покупката
DocType: Asset,Depreciation Method,Метод на амортизация
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Извън линия
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,Извън линия
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,"Това ли е данък, включен в основната ставка?"
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Общо Цел
-DocType: Program Course,Required,Изискван
DocType: Job Applicant,Applicant for a Job,Заявител на Job
DocType: Production Plan Material Request,Production Plan Material Request,Производство План Материал Заявка
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Няма създадени производствени поръчки
@@ -1716,17 +1731,17 @@
DocType: Purchase Invoice Item,Batch No,Партиден №
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,"Оставя множество Продажби Поръчки срещу поръчка на клиента,"
DocType: Student Group Instructor,Student Group Instructor,Инструктор на група студенти
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 Mobile Не
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Основен
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile Не
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Основен
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Вариант
DocType: Naming Series,Set prefix for numbering series on your transactions,Определете префикс за номериране серия от вашите сделки
DocType: Employee Attendance Tool,Employees HTML,Служители на HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,BOM по подразбиране ({0}) трябва да бъде активен за тази позиция или шаблон
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,BOM по подразбиране ({0}) трябва да бъде активен за тази позиция или шаблон
DocType: Employee,Leave Encashed?,Отсъствието е платено?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,"""Възможност - От"" полето е задължително"
DocType: Email Digest,Annual Expenses,годишните разходи
DocType: Item,Variants,Варианти
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Направи поръчка
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Направи поръчка
DocType: SMS Center,Send To,Изпрати на
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Няма достатъчно отпуск баланс за отпуск Тип {0}
DocType: Payment Reconciliation Payment,Allocated amount,Отпусната сума
@@ -1740,26 +1755,25 @@
DocType: Supplier,Statutory info and other general information about your Supplier,Законова информация и друга обща информация за вашия доставчик
DocType: Item,Serial Nos and Batches,Серийни номера и партиди
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Студентска група
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Against Journal Entry {0} does not have any unmatched {1} entry
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Against Journal Entry {0} does not have any unmatched {1} entry
apps/erpnext/erpnext/config/hr.py +137,Appraisals,оценки
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Дублиран Пореден № за позиция {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Условие за Правило за Доставка
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,"Моля, въведете"
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Не може да се overbill за позиция {0} в ред {1} повече от {2}. За да позволите на свръх-фактуриране, моля, задайте в Купуването Настройки"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,"Моля, задайте филтър на базата на т или Warehouse"
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Не може да се overbill за позиция {0} в ред {1} повече от {2}. За да позволите на свръх-фактуриране, моля, задайте в Купуването Настройки"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,"Моля, задайте филтър на базата на т или Warehouse"
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Нетното тегло на този пакет. (Изчислява автоматично като сума от нетно тегло статии)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Моля да създадете акаунт за тази Warehouse и да го свържете. Това не може да се направи автоматично като профил с име {0} вече съществува
DocType: Sales Order,To Deliver and Bill,Да се доставят и фактурира
DocType: Student Group,Instructors,инструктори
DocType: GL Entry,Credit Amount in Account Currency,Кредитна сметка във валута на сметката
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} трябва да бъде изпратен
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} трябва да бъде изпратен
DocType: Authorization Control,Authorization Control,Разрешение Control
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: отхвърля Warehouse е задължително срещу отхвърли т {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: отхвърля Warehouse е задължително срещу отхвърли т {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Плащане
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Склад {0} не е свързан с нито един профил, моля, посочете профила в склада, или задайте профил по подразбиране за рекламни места в компанията {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Управление на вашите поръчки
DocType: Production Order Operation,Actual Time and Cost,Действителното време и разходи
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Материал Искане на максимална {0} може да се направи за позиция {1} срещу Продажби Поръчка {2}
-DocType: Employee,Salutation,Поздрав
DocType: Course,Course Abbreviation,Курс - Съкращение
DocType: Student Leave Application,Student Leave Application,Student оставите приложението
DocType: Item,Will also apply for variants,Ще се прилага и за варианти
@@ -1771,12 +1785,12 @@
DocType: Quotation Item,Actual Qty,Действително Количество
DocType: Sales Invoice Item,References,Препратки
DocType: Quality Inspection Reading,Reading 10,Четене 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Списък на вашите продукти или услуги, които купувате или продавате. Проверете стокова група, мерна единица и други свойства, когато започнете."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Списък на вашите продукти или услуги, които купувате или продавате. Проверете стокова група, мерна единица и други свойства, когато започнете."
DocType: Hub Settings,Hub Node,Hub Node
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Въвели сте дублиращи се елементи. Моля, поправи и опитай отново."
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Сътрудник
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Сътрудник
DocType: Asset Movement,Asset Movement,Asset движение
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,Нова пазарска количка
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Нова пазарска количка
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Позиция {0} не е сериализирани позиция
DocType: SMS Center,Create Receiver List,Създаване на списък за получаване
DocType: Vehicle,Wheels,Колела
@@ -1796,19 +1810,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Може да се отнася ред само ако типът такса е ""На предишния ред - Сума"" или ""Предишния ред - Общо"""
DocType: Sales Order Item,Delivery Warehouse,Склад за доставка
DocType: SMS Settings,Message Parameter,Съобщение - параметър
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Дърво на разходните центрове.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Дърво на разходните центрове.
DocType: Serial No,Delivery Document No,Доставка документ №
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Моля, задайте "Печалба / Загуба на профила за изхвърляне на активи" в компания {0}"
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Получават от покупка Приходи
DocType: Serial No,Creation Date,Дата на създаване
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Точка {0} се среща няколко пъти в Ценоразпис {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Продажба трябва да се провери, ако има такива се избира като {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Продажба трябва да се провери, ако има такива се избира като {0}"
DocType: Production Plan Material Request,Material Request Date,Заявка за материал - Дата
DocType: Purchase Order Item,Supplier Quotation Item,Оферта на доставчик - позиция
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Забранява създаването на времеви трупи срещу производствени поръчки. Операциите не се проследяват срещу производствена поръчка
DocType: Student,Student Mobile Number,Student мобилен номер
DocType: Item,Has Variants,Има варианти
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Вие вече сте избрали елементи от {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Вие вече сте избрали елементи от {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Име на месец Дистрибуцията
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Идентификационният номер на партидата е задължителен
DocType: Sales Person,Parent Sales Person,Родител Продажби Person
@@ -1818,12 +1832,12 @@
DocType: Budget,Fiscal Year,Фискална Година
DocType: Vehicle Log,Fuel Price,цена на гориво
DocType: Budget,Budget,Бюджет
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Дълготраен актив позиция трябва да бъде елемент не-склад.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Дълготраен актив позиция трябва да бъде елемент не-склад.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Бюджет не могат да бъдат причислени към {0}, тъй като това не е сметка за приход или разход"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Постигнато
DocType: Student Admission,Application Form Route,Заявление форма Път
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Територия / Клиент
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,например 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,например 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Тип отсъствие {0} не може да бъде разпределено, тъй като то е без заплащане"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Row {0}: отпусната сума {1} трябва да е по-малка или равна на фактурира непогасения {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Словом ще бъде видим след като запазите фактурата.
@@ -1832,7 +1846,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Позиция {0} не е настройка за серийни номера. Проверете настройките.
DocType: Maintenance Visit,Maintenance Time,Поддръжка на времето
,Amount to Deliver,Сума за Избави
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Продукт или Услуга
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Продукт или Услуга
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Дата на срока Start не може да бъде по-рано от началото на годината Дата на учебната година, към който е свързан терминът (Academic Година {}). Моля, коригирайте датите и опитайте отново."
DocType: Guardian,Guardian Interests,Guardian Интереси
DocType: Naming Series,Current Value,Текуща стойност
@@ -1846,12 +1860,12 @@
must be greater than or equal to {2}","Ред {0}: Към комплектът {1} периодичност, разлика между от и към днешна дата \ трябва да бъде по-голямо от или равно на {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Това се основава на склад движение. Вижте {0} за подробности
DocType: Pricing Rule,Selling,Продажба
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Сума {0} {1} приспада срещу {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Сума {0} {1} приспада срещу {2}
DocType: Employee,Salary Information,Заплата
DocType: Sales Person,Name and Employee ID,Име и Employee ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,"Падежа, не може да бъде, преди дата на осчетоводяване"
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,"Падежа, не може да бъде, преди дата на осчетоводяване"
DocType: Website Item Group,Website Item Group,Website т Group
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Мита и такси
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Мита и такси
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,"Моля, въведете Референтна дата"
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} записи на плащания не може да се филтрира по {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Таблица за елемент, който ще бъде показан в Web Site"
@@ -1868,9 +1882,9 @@
DocType: Payment Reconciliation Payment,Reference Row,Референтен Ред
DocType: Installation Note,Installation Time,Време за монтаж
DocType: Sales Invoice,Accounting Details,Счетоводство Детайли
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Изтриване на всички транзакции за тази фирма
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: Операция {1} не е завършен за {2} Количество на готовата продукция в производствена поръчка # {3}. Моля Статусът на работа чрез Час Logs
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Инвестиции
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Изтриване на всички транзакции за тази фирма
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: Операция {1} не е завършен за {2} Количество на готовата продукция в производствена поръчка # {3}. Моля Статусът на работа чрез Час Logs
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Инвестиции
DocType: Issue,Resolution Details,Резолюция Детайли
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,Разпределянето
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Критерии за приемане
@@ -1895,7 +1909,7 @@
DocType: Room,Room Name,стая Име
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Остави, не може да се прилага / отмени преди {0}, като баланс отпуск вече е ръчен изпраща в записа на бъдещото разпределение отпуск {1}"
DocType: Activity Cost,Costing Rate,Остойностяване Курсове
-,Customer Addresses And Contacts,Адреси на клиенти и контакти
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Адреси на клиенти и контакти
,Campaign Efficiency,Ефективност на кампаниите
DocType: Discussion,Discussion,дискусия
DocType: Payment Entry,Transaction ID,Номер на транзакцията
@@ -1905,14 +1919,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Обща сума за плащане (чрез Time Sheet)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Повторете Приходи Customer
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) трябва да има роля ""Одобряващ разходи"""
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Двойка
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Изберете BOM и Количество за производство
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Двойка
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Изберете BOM и Количество за производство
DocType: Asset,Depreciation Schedule,Амортизационен план
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Адреси и контакти за партньори за продажби
DocType: Bank Reconciliation Detail,Against Account,Срещу Сметка
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,"Половин ден Дата трябва да бъде между ""От Дата"" и ""До дата"""
DocType: Maintenance Schedule Detail,Actual Date,Действителна дата
DocType: Item,Has Batch No,Има партиден №
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Годишно плащане: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Годишно плащане: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Данъци за стоки и услуги (GST Индия)
DocType: Delivery Note,Excise Page Number,Акцизите Page Number
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Компания, От дата и До дата е задължително"
DocType: Asset,Purchase Date,Дата на закупуване
@@ -1920,11 +1936,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},"Моля, задайте "Асет Амортизация Cost Center" в компания {0}"
,Maintenance Schedules,Графици за поддръжка
DocType: Task,Actual End Date (via Time Sheet),Действително Крайна дата (чрез Time Sheet)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Сума {0} {1} срещу {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Сума {0} {1} срещу {2} {3}
,Quotation Trends,Оферта Тенденции
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Позиция Group не са посочени в т майстор за т {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Дебитиране на сметката трябва да е сметка за вземания
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Позиция Group не са посочени в т майстор за т {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Дебитиране на сметката трябва да е сметка за вземания
DocType: Shipping Rule Condition,Shipping Amount,Доставка Сума
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Добавете клиенти
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,До Сума
DocType: Purchase Invoice Item,Conversion Factor,Коефициент на преобразуване
DocType: Purchase Order,Delivered,Доставени
@@ -1934,7 +1951,8 @@
DocType: Purchase Receipt,Vehicle Number,Номер на превозно средство
DocType: Purchase Invoice,The date on which recurring invoice will be stop,"Датата, на която повтарящите се фактури ще бъдат спрени"
DocType: Employee Loan,Loan Amount,Заета сума
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Ред {0}: Спецификация на материалите не е намерена за позиция {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Самоходно превозно средство
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Ред {0}: Спецификация на материалите не е намерена за позиция {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Общо отпуснати листа {0} не могат да бъдат по-малки от вече одобрените листа {1} за периода
DocType: Journal Entry,Accounts Receivable,Вземания
,Supplier-Wise Sales Analytics,Доставчик мъдър анализ на продажбите
@@ -1951,21 +1969,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Expense претенция изчаква одобрение. Само за сметка одобряващ да актуализирате състоянието.
DocType: Email Digest,New Expenses,Нови разходи
DocType: Purchase Invoice,Additional Discount Amount,Допълнителна отстъпка сума
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row {0}: Кол трябва да бъде 1, като елемент е дълготраен актив. Моля, използвайте отделен ред за множествена бр."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row {0}: Кол трябва да бъде 1, като елемент е дълготраен актив. Моля, използвайте отделен ред за множествена бр."
DocType: Leave Block List Allow,Leave Block List Allow,Оставете Block List Позволете
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Съкращение не може да бъде празно или интервал
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Съкращение не може да бъде празно или интервал
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Група към не-група
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Спортове
DocType: Loan Type,Loan Name,Заем - Име
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Общо Край
DocType: Student Siblings,Student Siblings,студентските Братя и сестри
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Единица
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,"Моля, посочете фирма"
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Единица
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,"Моля, посочете фирма"
,Customer Acquisition and Loyalty,Спечелени и лоялност на клиенти
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Склад, в койт се поддържа запас от отхвърлените артикули"
DocType: Production Order,Skip Material Transfer,Пропуснете прехвърлянето на материали
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,"Не може да се намери валутен курс за {0} до {1} за ключова дата {2}. Моля, създайте ръчно запис на валута"
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Вашата финансовата година приключва на
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,"Не може да се намери валутен курс за {0} до {1} за ключова дата {2}. Моля, създайте ръчно запис на валута"
DocType: POS Profile,Price List,Ценова Листа
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} сега е по подразбиране фискална година. Моля, опреснете браузъра си за да влезе в сила промяната."
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Разходните Вземания
@@ -1978,14 +1995,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Склад за баланс в Batch {0} ще стане отрицателна {1} за позиция {2} в склада {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,След Материал Исканията са повдигнати автоматично въз основа на нивото на повторна поръчка Точка на
DocType: Email Digest,Pending Sales Orders,Чакащи Поръчки за продажби
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Сметка {0} е невалидна. Валутата на сметката трябва да е {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Сметка {0} е невалидна. Валутата на сметката трябва да е {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Мерна единица - фактор на превръщане се изисква на ред {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row {0}: Референтен Document Type трябва да бъде един от продажбите Поръчка, продажба на фактура или вестник Влизане"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row {0}: Референтен Document Type трябва да бъде един от продажбите Поръчка, продажба на фактура или вестник Влизане"
DocType: Salary Component,Deduction,Намаление
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Ред {0}: От време и До време - е задължително.
DocType: Stock Reconciliation Item,Amount Difference,сума Разлика
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Елемент Цена добавя за {0} в Ценовата листа {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Елемент Цена добавя за {0} в Ценовата листа {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,"Моля, въведете Id Служител на този търговец"
DocType: Territory,Classification of Customers by region,Класификация на клиентите по регион
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Разликата в сумата трябва да бъде нула
@@ -1997,21 +2014,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Общо Приспадане
,Production Analytics,Производствени Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Разходите са обновени
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Разходите са обновени
DocType: Employee,Date of Birth,Дата на раждане
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Позиция {0} вече е върната
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Позиция {0} вече е върната
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Фискална година ** представлява финансова година. Всички счетоводни записвания и други големи движения се записват към ** Фискална година **.
DocType: Opportunity,Customer / Lead Address,Клиент / Потенциален клиент - Адрес
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Внимание: Invalid сертификат SSL за закрепване {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Внимание: Invalid сертификат SSL за закрепване {0}
DocType: Student Admission,Eligibility,избираемост
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Leads ви помогне да получите бизнес, добавете всичките си контакти и повече като си клиенти"
DocType: Production Order Operation,Actual Operation Time,Действително време за операцията
DocType: Authorization Rule,Applicable To (User),Приложими по отношение на (User)
DocType: Purchase Taxes and Charges,Deduct,Приспада
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Описание На Работа
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Описание На Работа
DocType: Student Applicant,Applied,приложен
DocType: Sales Invoice Item,Qty as per Stock UOM,Количество по Фондова мерна единица
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Наименование Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Наименование Guardian2
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Специални знаци с изключение на "-" ".", "#", и "/" не е позволено в именуване серия"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Следете кампаниите по продажби. Следете потенциални клиенти, оферти, поръчки за продажба и т.н. от кампании, за да се прецени възвръщаемост на инвестициите."
DocType: Expense Claim,Approver,Одобряващ
@@ -2022,7 +2039,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Сериен № {0} е в гаранция до {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Split Бележка за доставка в пакети.
apps/erpnext/erpnext/hooks.py +87,Shipments,Пратки
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Салдото на профила ({0}) за {1} и стойността на запаса ({2}) за склад {3} трябва да бъдат еднакви
DocType: Payment Entry,Total Allocated Amount (Company Currency),Общата отпусната сума (Company валути)
DocType: Purchase Order Item,To be delivered to customer,Да бъде доставен на клиент
DocType: BOM,Scrap Material Cost,Скрап Cost
@@ -2030,20 +2046,21 @@
DocType: Purchase Invoice,In Words (Company Currency),Словом (фирмена валута)
DocType: Asset,Supplier,Доставчик
DocType: C-Form,Quarter,Тримесечие
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Други разходи
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Други разходи
DocType: Global Defaults,Default Company,Фирма по подразбиране
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Expense или Разлика сметка е задължително за т {0}, както цялостната стойност фондова тя влияе"
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Expense или Разлика сметка е задължително за т {0}, както цялостната стойност фондова тя влияе"
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Име на банката
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-По-горе
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-По-горе
DocType: Employee Loan,Employee Loan Account,Служител кредит профил
DocType: Leave Application,Total Leave Days,Общо дни отсъствие
DocType: Email Digest,Note: Email will not be sent to disabled users,Забележка: Email няма да бъдат изпратени на ползвателите с увреждания
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Брой взаимодействия
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Код на елемента> Група на елементите> Марка
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Изберете компания ...
DocType: Leave Control Panel,Leave blank if considered for all departments,"Оставете празно, ако важи за всички отдели"
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Видове наемане на работа (постоянни, договорни, стажант и т.н.)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} е задължително за Артикул {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} е задължително за Артикул {1}
DocType: Process Payroll,Fortnightly,всеки две седмици
DocType: Currency Exchange,From Currency,От валута
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Моля изберете отпусната сума, Тип фактура и фактура Номер в поне един ред"
@@ -2065,7 +2082,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,"Моля, кликнете върху "Генериране Schedule", за да получите график"
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Имаше грешки при изтриването на следните схеми:
DocType: Bin,Ordered Quantity,Поръчано количество
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",например "Билд инструменти за строители"
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",например "Билд инструменти за строители"
DocType: Grading Scale,Grading Scale Intervals,Оценъчна скала - Интервали
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: осчетоводяване за {2} може да се направи само във валута: {3}
DocType: Production Order,In Process,В Процес
@@ -2079,12 +2096,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Създадени са студентски групи.
DocType: Sales Invoice,Total Billing Amount,Общо Фактурирана Сума
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,"Трябва да има по подразбиране входящия имейл акаунт е активиран за тази работа. Моля, настройка по подразбиране входящия имейл акаунт (POP / IMAP) и опитайте отново."
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Вземания - Сметка
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Row {0}: Asset {1} е вече {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Вземания - Сметка
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row {0}: Asset {1} е вече {2}
DocType: Quotation Item,Stock Balance,Фондова Balance
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Поръчка за продажба до Плащане
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Моля, задайте Naming Series за {0} чрез Setup> Settings> Naming Series"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,Изпълнителен директор
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,Изпълнителен директор
DocType: Expense Claim Detail,Expense Claim Detail,Expense претенция Подробности
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Моля изберете правилния акаунт
DocType: Item,Weight UOM,Тегло мерна единица
@@ -2093,12 +2109,12 @@
DocType: Production Order Operation,Pending,В очакване на
DocType: Course,Course Name,Наименование на курс
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,"Потребителите, които могат да одобряват заявленията за отпуск специфичен служителя"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Офис оборудване
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Офис оборудване
DocType: Purchase Invoice Item,Qty,Количество
DocType: Fiscal Year,Companies,Фирми
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Електроника
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Повдигнете Материал Заявка когато фондова достигне ниво повторна поръчка
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Пълен работен ден
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Пълен работен ден
DocType: Salary Structure,Employees,Служители
DocType: Employee,Contact Details,Данни за контакт
DocType: C-Form,Received Date,Дата на получаване
@@ -2108,7 +2124,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Цените няма да се показват, ако ценова листа не е настроено"
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Моля, посочете държава за тази доставка правило или проверете Worldwide Доставка"
DocType: Stock Entry,Total Incoming Value,Общо Incoming Value
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Дебит сметка се изисква
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Дебит сметка се изисква
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Графици, за да следите на времето, разходите и таксуването за занимания, извършени от вашия екип"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Покупка Ценоразпис
DocType: Offer Letter Term,Offer Term,Оферта Условия
@@ -2117,17 +2133,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Плащания - Засичане
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,Моля изберете име Incharge Лице
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Технология
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Общо Неплатени: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Общо Неплатени: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM Website Операция
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Оферта - Писмо
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Генериране Материал Исканията (MRP) и производствени поръчки.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Общо фактурирана сума
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Общо фактурирана сума
DocType: BOM,Conversion Rate,Обменен курс
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Търсене на продукти
DocType: Timesheet Detail,To Time,До време
DocType: Authorization Rule,Approving Role (above authorized value),Приемане Role (над разрешено стойност)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Кредитът на сметка трябва да бъде Платим акаунт
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM рекурсия: {0} не може да бъде родител или дете на {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Кредитът на сметка трябва да бъде Платим акаунт
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM рекурсия: {0} не може да бъде родител или дете на {2}
DocType: Production Order Operation,Completed Qty,Изпълнено Количество
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","За {0}, само дебитни сметки могат да бъдат свързани с друга кредитна влизане"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Ценоразпис {0} е деактивиран
@@ -2138,28 +2154,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,"{0} серийни номера, необходими за т {1}. Вие сте предоставили {2}."
DocType: Stock Reconciliation Item,Current Valuation Rate,Курс на преоценка
DocType: Item,Customer Item Codes,Клиентски Елемент кодове
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Exchange Печалба / загуба
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange Печалба / загуба
DocType: Opportunity,Lost Reason,Причина за загубата
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Нов адрес
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Нов адрес
DocType: Quality Inspection,Sample Size,Размер на извадката
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,"Моля, въведете Получаване на документация"
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Всички елементи вече са фактурирани
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Всички елементи вече са фактурирани
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',"Моля, посочете валиден "От Case No.""
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,"Допълнителни разходни центрове могат да бъдат направени по групи, но записи могат да бъдат направени по отношение на не-групи"
DocType: Project,External,Външен
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Потребители и права
DocType: Vehicle Log,VLOG.,ВЛОГ.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Производствени поръчки Създаден: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Производствени поръчки Създаден: {0}
DocType: Branch,Branch,Клон
DocType: Guardian,Mobile Number,Мобилен номер
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Печат и Branding
DocType: Bin,Actual Quantity,Действителното количество
DocType: Shipping Rule,example: Next Day Shipping,Например: Доставка на следващия ден
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Сериен № {0} не е намерен
-DocType: Scheduling Tool,Student Batch,Student Batch
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Вашите клиенти
+DocType: Program Enrollment,Student Batch,Student Batch
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Направи Student
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Вие сте били поканени да си сътрудничат по проекта: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Вие сте били поканени да си сътрудничат по проекта: {0}
DocType: Leave Block List Date,Block Date,Блокиране - Дата
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Запиши се сега
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Действителен брой {0} / Брой чакащи {1}
@@ -2168,7 +2183,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Създаване и управление на дневни, седмични и месечни имейл бюлетини."
DocType: Appraisal Goal,Appraisal Goal,Оценка Goal
DocType: Stock Reconciliation Item,Current Amount,Текуща сума
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,Сгради
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,Сгради
DocType: Fee Structure,Fee Structure,Структура на таксите
DocType: Timesheet Detail,Costing Amount,Остойностяване Сума
DocType: Student Admission,Application Fee,Такса за кандидатстване
@@ -2180,10 +2195,10 @@
DocType: POS Profile,[Select],[Избор]
DocType: SMS Log,Sent To,Изпратени На
DocType: Payment Request,Make Sales Invoice,Направи фактурата за продажба
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,софтуери
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,софтуери
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Следваща дата за контакт не може да е в миналото
DocType: Company,For Reference Only.,Само за справка.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Изберете партида №
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Изберете партида №
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Невалиден {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,Авансова сума
@@ -2193,15 +2208,15 @@
DocType: Employee,Employment Details,Детайли по заетостта
DocType: Employee,New Workplace,Ново работно място
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Задай като Затворен
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Няма позиция с баркод {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Няма позиция с баркод {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Дело Номер не може да бъде 0
DocType: Item,Show a slideshow at the top of the page,Покажи на слайдшоу в горната част на страницата
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,списъците с материали
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Магазини
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,списъците с материали
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Магазини
DocType: Serial No,Delivery Time,Време За Доставка
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Застаряването на населението на базата на
DocType: Item,End of Life,Края на живота
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Пътуване
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Пътуване
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Не активна или по подразбиране Заплата Структура намери за служител {0} за дадените дати
DocType: Leave Block List,Allow Users,Позволяват на потребителите
DocType: Purchase Order,Customer Mobile No,Клиент - мобилен номер
@@ -2210,29 +2225,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Актуализация на стойността
DocType: Item Reorder,Item Reorder,Позиция Пренареждане
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Покажи фиш за заплата
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Прехвърляне на материал
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Прехвърляне на материал
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Посочете операции, оперативни разходи и да даде уникална операция не на вашите операции."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Този документ е над ограничението от {0} {1} за елемент {4}. Възможно ли е да направи друг {3} срещу същите {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,"Моля, задайте повтарящи след спасяването"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,количество сметка Select промяна
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Този документ е над ограничението от {0} {1} за елемент {4}. Възможно ли е да направи друг {3} срещу същите {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,"Моля, задайте повтарящи след спасяването"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,количество сметка Select промяна
DocType: Purchase Invoice,Price List Currency,Ценоразпис на валути
DocType: Naming Series,User must always select,Потребителят трябва винаги да избере
DocType: Stock Settings,Allow Negative Stock,Оставя Negative Фондова
DocType: Installation Note,Installation Note,Монтаж - Забележка
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Добави Данъци
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Добави Данъци
DocType: Topic,Topic,Тема
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Парични потоци от финансова
DocType: Budget Account,Budget Account,Сметка за бюджет
DocType: Quality Inspection,Verified By,Проверени от
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Не може да се промени валута по подразбиране на фирмата, защото има съществуващи операции. Те трябва да бъдат отменени, за да промените валута по подразбиране."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Не може да се промени валута по подразбиране на фирмата, защото има съществуващи операции. Те трябва да бъдат отменени, за да промените валута по подразбиране."
DocType: Grading Scale Interval,Grade Description,Клас - Описание
DocType: Stock Entry,Purchase Receipt No,Покупка Квитанция номер
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Задатък
DocType: Process Payroll,Create Salary Slip,Създаване на фиш за заплата
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Проследяване
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Източник на средства (пасиви)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Количество в ред {0} ({1}) трябва да е същото като произведено количество {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Източник на средства (пасиви)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Количество в ред {0} ({1}) трябва да е същото като произведено количество {2}
DocType: Appraisal,Employee,Служител
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Изберете Пакет
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} е напълно таксуван
DocType: Training Event,End Time,End Time
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Активно Заплата Структура {0} намерено за служител {1} за избраните дати
@@ -2244,11 +2260,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Необходим на
DocType: Rename Tool,File to Rename,Файл за Преименуване
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Моля изберете BOM за позиция в Row {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Предвидени BOM {0} не съществува за позиция {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Профилът {0} не съвпада с фирмата {1} в режим на профила: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Предвидени BOM {0} не съществува за позиция {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,График за поддръжка {0} трябва да се отмени преди да се анулира тази поръчка за продажба
DocType: Notification Control,Expense Claim Approved,Expense претенция Одобрен
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Заплата поднасяне на служител {0} вече е създаден за този период
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Лекарствена
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Лекарствена
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Разходи за закупени стоки
DocType: Selling Settings,Sales Order Required,Поръчка за продажба е задължителна
DocType: Purchase Invoice,Credit To,Кредит на
@@ -2265,42 +2282,42 @@
DocType: Payment Gateway Account,Payment Account,Разплащателна сметка
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,"Моля, посочете фирма, за да продължите"
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Нетна промяна в Вземания
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Компенсаторни Off
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Компенсаторни Off
DocType: Offer Letter,Accepted,Приет
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,организация
DocType: SG Creation Tool Course,Student Group Name,Наименование Student Group
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Моля, уверете се, че наистина искате да изтриете всички сделки за тази компания. Вашите основни данни ще останат, тъй като е. Това действие не може да бъде отменено."
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Моля, уверете се, че наистина искате да изтриете всички сделки за тази компания. Вашите основни данни ще останат, тъй като е. Това действие не може да бъде отменено."
DocType: Room,Room Number,Номер на стая
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Невалидна референция {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) не може да бъде по-голямо от планирано количество ({2}) в производствена поръчка {3}
DocType: Shipping Rule,Shipping Rule Label,Доставка Правило Label
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,потребителски форум
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,"Суровини, които не могат да бъдат празни."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Не можа да се актуализира склад, фактура съдържа капка корабоплаването т."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,"Суровини, които не могат да бъдат празни."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Не можа да се актуализира склад, фактура съдържа капка корабоплаването т."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Quick вестник Влизане
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,"Вие не можете да променяте скоростта, ако BOM споменато agianst всеки елемент"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,"Вие не можете да променяте скоростта, ако BOM споменато agianst всеки елемент"
DocType: Employee,Previous Work Experience,Предишен трудов опит
DocType: Stock Entry,For Quantity,За Количество
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},"Моля, въведете Планиран Количество за позиция {0} на ред {1}"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} не е изпратена
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Искания за предмети.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Отделно производство цел ще бъде създаден за всеки завършен добра позиция.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,"{0} трябва да бъде отрицателен, в документа за замяна"
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,"{0} трябва да бъде отрицателен, в документа за замяна"
,Minutes to First Response for Issues,Минути за първи отговор на проблем
DocType: Purchase Invoice,Terms and Conditions1,Условия за ползване - 1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,"Името на института, за който искате да създадете тази система."
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,"Името на института, за който искате да създадете тази система."
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Счетоводен запис, замразени до тази дата, никой не може да направи / промени записите с изключение на ролята посочена по-долу"
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,"Моля, запишете документа преди да генерира план за поддръжка"
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Статус на проекта
DocType: UOM,Check this to disallow fractions. (for Nos),Маркирайте това да забраниш фракции. (За NOS)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Създадени са следните производствени поръчки:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Създадени са следните производствени поръчки:
DocType: Student Admission,Naming Series (for Student Applicant),Наименуване Series (за Student Заявител)
DocType: Delivery Note,Transporter Name,Превозвач Име
DocType: Authorization Rule,Authorized Value,Оторизиран Value
DocType: BOM,Show Operations,Показване на операции
,Minutes to First Response for Opportunity,Минути за първи отговор на възможност
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Общо Отсъства
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Точка или склад за ред {0} не съвпада Материал Искане
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Точка или склад за ред {0} не съвпада Материал Искане
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Мерна единица
DocType: Fiscal Year,Year End Date,Година Крайна дата
DocType: Task Depends On,Task Depends On,Задачата зависи от
@@ -2379,11 +2396,11 @@
DocType: Asset,Manual,наръчник
DocType: Salary Component Account,Salary Component Account,Заплата Компонент профил
DocType: Global Defaults,Hide Currency Symbol,Скриване на валутен символ
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","напр банков превод, в брой, с кредитна карта"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","напр банков превод, в брой, с кредитна карта"
DocType: Lead Source,Source Name,Източник Име
DocType: Journal Entry,Credit Note,Кредитно Известие
DocType: Warranty Claim,Service Address,Service Адрес
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Мебели и тела
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Мебели и тела
DocType: Item,Manufacture,Производство
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,"Моля, създайте Бележка за доставка първо"
DocType: Student Applicant,Application Date,Дата Application
@@ -2393,7 +2410,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Дата на клирънс не е определена
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Производство
DocType: Guardian,Occupation,Професия
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Моля, настройте система за наименуване на служители в Човешки ресурси> Настройки за персонала"
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Row {0}: Началната дата трябва да е преди крайната дата
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Общо (количество)
DocType: Sales Invoice,This Document,Този документ
@@ -2405,19 +2421,19 @@
DocType: Purchase Receipt,Time at which materials were received,При която бяха получени материали Time
DocType: Stock Ledger Entry,Outgoing Rate,Изходящ Курс
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Браншова организация майстор.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,или
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,или
DocType: Sales Order,Billing Status,(Фактура) Статус
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Докладвай проблем
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Комунални Разходи
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Комунални Разходи
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,Над 90 -
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row {0}: вестник Влизане {1} Няма профил {2} или вече съчетани срещу друг ваучер
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row {0}: вестник Влизане {1} Няма профил {2} или вече съчетани срещу друг ваучер
DocType: Buying Settings,Default Buying Price List,Ценови лист за закупуване по подразбиране
DocType: Process Payroll,Salary Slip Based on Timesheet,Заплата Slip Въз основа на график
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Вече е създаден Никой служител за над избрани критерии или заплата фиша
DocType: Notification Control,Sales Order Message,Поръчка за продажба - Съобщение
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Задайте стойности по подразбиране, като Company, валути, текущата фискална година, и т.н."
DocType: Payment Entry,Payment Type,Вид на плащане
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Моля, изберете партида за елемент {0}. Не може да се намери една партида, която отговаря на това изискване"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Моля, изберете партида за елемент {0}. Не може да се намери една партида, която отговаря на това изискване"
DocType: Process Payroll,Select Employees,Изберете Служители
DocType: Opportunity,Potential Sales Deal,Потенциални Продажби Deal
DocType: Payment Entry,Cheque/Reference Date,Чек / Референция Дата
@@ -2437,7 +2453,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,трябва да се представи разписка документ
DocType: Purchase Invoice Item,Received Qty,Получено количество
DocType: Stock Entry Detail,Serial No / Batch,Сериен № / Партида
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Не е платен и не е доставен
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Не е платен и не е доставен
DocType: Product Bundle,Parent Item,Родител позиция
DocType: Account,Account Type,Тип Сметка
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2451,24 +2467,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),Наименование на пакета за доставка (за печат)
DocType: Bin,Reserved Quantity,Запазено Количество
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,"Моля, въведете валиден имейл адрес"
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Няма задължителен курс за програмата {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Покупка Квитанция артикули
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Персонализиране Форми
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,задълженост
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,задълженост
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Амортизация - Сума през периода
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Забраненият шаблон не трябва да е този по подразбиране
DocType: Account,Income Account,Сметка за доход
DocType: Payment Request,Amount in customer's currency,Сума във валута на клиента
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Доставка
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Доставка
DocType: Stock Reconciliation Item,Current Qty,Текущо количество
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",Вижте "Курсове на материали на основата на" в Остойностяване Раздел
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Предишна
DocType: Appraisal Goal,Key Responsibility Area,Ключова област на отговорност
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Студентски Партидите ви помогне да следите на посещаемост, оценки и такси за студенти"
DocType: Payment Entry,Total Allocated Amount,Общата отпусната сума
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Задайте профил по подразбиране за инвентара за вечни запаси
DocType: Item Reorder,Material Request Type,Заявка за материал - тип
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Начисляване на заплати от {0} до {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage е пълен, не беше записан"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage е пълен, не беше записан"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Row {0}: мерна единица реализациите Factor е задължително
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Ref
DocType: Budget,Cost Center,Разходен център
@@ -2481,19 +2497,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Ценообразуване правило се прави, за да презапише Ценоразпис / определи отстъпка процент, базиран на някои критерии."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Складът може да се променя само чрез Стокова разписка / Бележка за доставка / Разписка за Покупка
DocType: Employee Education,Class / Percentage,Клас / Процент
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Ръководител на отдел Маркетинг и Продажби
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Данък общ доход
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Ръководител на отдел Маркетинг и Продажби
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Данък общ доход
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Ако избран ценообразуване правило се прави за "Цена", той ще замени ценовата листа. Ценообразуване Правило цена е крайната цена, така че не се колебайте отстъпка трябва да се прилага. Следователно, при сделки, като продажби поръчка за покупка и т.н., то ще бъдат изведени в поле "Оцени", а не поле "Ценоразпис Курсове"."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Track Изводи от Industry Type.
DocType: Item Supplier,Item Supplier,Позиция - Доставчик
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,"Моля, въведете Код, за да получите партиден №"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},Моля изберете стойност за {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,"Моля, въведете Код, за да получите партиден №"
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Моля изберете стойност за {0} quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Всички адреси.
DocType: Company,Stock Settings,Сток Settings
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Сливането е възможно само ако следните свойства са същите и в двете записи. Дали Group, Root Type, Company"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Сливането е възможно само ако следните свойства са същите и в двете записи. Дали Group, Root Type, Company"
DocType: Vehicle,Electric,електрически
DocType: Task,% Progress,% Прогрес
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Печалба / загуба от продажбата на активи
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Печалба / загуба от продажбата на активи
DocType: Training Event,Will send an email about the event to employees with status 'Open',Ще изпрати съобщение за събитието на служители със статут на "Open"
DocType: Task,Depends on Tasks,Зависи от Задачи
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Управление на дърво с групи на клиенти.
@@ -2502,7 +2518,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Име на нов разходен център
DocType: Leave Control Panel,Leave Control Panel,Контролен панел - отстъствия
DocType: Project,Task Completion,Задача Изпълнение
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Не е в наличност
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Не е в наличност
DocType: Appraisal,HR User,ЧР потребителя
DocType: Purchase Invoice,Taxes and Charges Deducted,Данъци и такси - Удръжки
apps/erpnext/erpnext/hooks.py +116,Issues,Изписвания
@@ -2513,22 +2529,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Няма фишове за заплата намерени между {0} и {1}
,Pending SO Items For Purchase Request,Чакащи позиции от поръчки за продажба по искане за покупка
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Учебен
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} е деактивиран
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} е деактивиран
DocType: Supplier,Billing Currency,(Фактура) Валута
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Много Голям
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Много Голям
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Общо отсъствия
,Profit and Loss Statement,ОПР /Отчет за приходите и разходите/
DocType: Bank Reconciliation Detail,Cheque Number,Чек Номер
,Sales Browser,Продажбите Browser
DocType: Journal Entry,Total Credit,Общо кредит
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Съществува Друг {0} # {1} срещу входната запас {2}: Предупреждение
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Местен
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Местен
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Кредити и аванси (активи)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Длъжници
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Голям
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Голям
DocType: Homepage Featured Product,Homepage Featured Product,Начална страница Featured Каталог
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Всички оценка Групи
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Всички оценка Групи
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Нов Склад Име
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Общо {0} ({1})
DocType: C-Form Invoice Detail,Territory,Територия
@@ -2538,12 +2554,12 @@
DocType: Production Order Operation,Planned Start Time,Планиран начален час
DocType: Course,Assessment,Оценяване
DocType: Payment Entry Reference,Allocated,Разпределен
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Close Баланс и книга печалбата или загубата.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Close Баланс и книга печалбата или загубата.
DocType: Student Applicant,Application Status,Статус Application
DocType: Fees,Fees,Такси
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Посочете Валутен курс за конвертиране на една валута в друга
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Оферта {0} е отменена
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Общият размер
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Общият размер
DocType: Sales Partner,Targets,Цели
DocType: Price List,Price List Master,Ценоразпис магистър
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Всички продажби Сделки могат да бъдат маркирани с множество ** продавачи **, така че можете да настроите и да наблюдават цели."
@@ -2575,11 +2591,11 @@
1. Address and Contact of your Company.","Стандартни условия, които могат да бъдат добавени към Продажби и покупки. Примери: 1. Валидност на офертата. 1. Условия на плащане (авансово, на кредит, част аванс и т.н.). 1. Какво е допълнително (или платими от клиента). Предупреждение / използване 1. безопасност. 1. Гаранция ако има такива. 1. Връща политика. 1. Условия за корабоплаването, ако е приложимо. 1. начини за разрешаване на спорове, обезщетение, отговорност и др 1. Адрес и контакти на вашата компания."
DocType: Attendance,Leave Type,Тип отсъствие
DocType: Purchase Invoice,Supplier Invoice Details,Доставчик Данни за фактурата
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Expense / Разлика сметка ({0}) трябва да бъде партида на "печалбата или загубата"
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Expense / Разлика сметка ({0}) трябва да бъде партида на "печалбата или загубата"
DocType: Project,Copied From,Копирано от
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Наименование грешка: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,недостиг
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} не е свързан с {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} не е свързан с {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Присъствие на служител {0} вече е маркирана
DocType: Packing Slip,If more than one package of the same type (for print),Ако повече от един пакет от същия тип (за печат)
,Salary Register,Заплата Регистрирайте се
@@ -2597,22 +2613,23 @@
,Requested Qty,Заявено Количество
DocType: Tax Rule,Use for Shopping Cart,Използвайте за количката
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},"Стойност {0} за Умение {1}, не съществува в списъка с валиден т Умение Стойности за т {2}"
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Изберете серийни номера
DocType: BOM Item,Scrap %,Скрап%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Таксите ще бъдат разпределени пропорционално на базата на т Количество или количество, според вашия избор"
DocType: Maintenance Visit,Purposes,Цели
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Поне един елемент следва да бъде вписано с отрицателна величина в замяна документ
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Поне един елемент следва да бъде вписано с отрицателна величина в замяна документ
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Операция {0} по-дълго от всички налични работни часа в работно {1}, съборят операцията в множество операции"
,Requested,Заявени
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Няма забележки
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Няма забележки
DocType: Purchase Invoice,Overdue,Просрочен
DocType: Account,Stock Received But Not Billed,Фондова Получени Но Не Обявен
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Root профил трябва да бъде група
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Root профил трябва да бъде група
DocType: Fees,FEE.,ТАКСА.
DocType: Employee Loan,Repaid/Closed,Платени / Затворен
DocType: Item,Total Projected Qty,Общото прогнозно Количество
DocType: Monthly Distribution,Distribution Name,Дистрибутор - Име
DocType: Course,Course Code,Код на курса
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},"Инспекция на качеството, необходимо за т {0}"
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},"Инспекция на качеството, необходимо за т {0}"
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,"Скоростта, с която на клиента валута се превръща в основна валута на компанията"
DocType: Purchase Invoice Item,Net Rate (Company Currency),Нетен коефициент (фирмена валута)
DocType: Salary Detail,Condition and Formula Help,Състояние и Формула Помощ
@@ -2625,27 +2642,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Прехвърляне на материал за Производство
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Отстъпка Процент може да бъде приложена или за ценоразпис или за всички ценови листи (ценоразписи).
DocType: Purchase Invoice,Half-yearly,Полугодишен
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Счетоводен запис за Складова наличност
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Счетоводен запис за Складова наличност
DocType: Vehicle Service,Engine Oil,Моторно масло
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Моля, настройте система за наименуване на служители в Човешки ресурси> Настройки за персонала"
DocType: Sales Invoice,Sales Team1,Търговски отдел1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Точка {0} не съществува
DocType: Sales Invoice,Customer Address,Клиент - Адрес
DocType: Employee Loan,Loan Details,Заем - Детайли
+DocType: Company,Default Inventory Account,Сметка по подразбиране за инвентаризация
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Row {0}: Завършен во трябва да е по-голяма от нула.
DocType: Purchase Invoice,Apply Additional Discount On,Нанесете Допълнителна отстъпка от
DocType: Account,Root Type,Root Type
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Не може да се върне повече от {1} за позиция {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Не може да се върне повече от {1} за позиция {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Парцел
DocType: Item Group,Show this slideshow at the top of the page,Покажете слайдшоу в горната част на страницата
DocType: BOM,Item UOM,Позиция - Мерна единица
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Сума на данъка след сумата на отстъпката (фирмена валута)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Целеви склад е задължителен за ред {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Целеви склад е задължителен за ред {0}
DocType: Cheque Print Template,Primary Settings,Основни настройки
DocType: Purchase Invoice,Select Supplier Address,Изберете доставчик Адрес
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Добави Служители
DocType: Purchase Invoice Item,Quality Inspection,Проверка на качеството
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Extra Small
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small
DocType: Company,Standard Template,Стандартен шаблон
DocType: Training Event,Theory,Теория
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Внимание: Материал Заявени Количество е по-малко от минималното Поръчка Количество
@@ -2653,7 +2672,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Юридическо лице / Дъщерно дружество с отделен сметкоплан, част от организацията."
DocType: Payment Request,Mute Email,Mute Email
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Храни, напитки и тютюневи изделия"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Мога да направи плащане само срещу нетаксуван {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Мога да направи плащане само срещу нетаксуван {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Ставка на Комисията не може да бъде по-голяма от 100
DocType: Stock Entry,Subcontract,Подизпълнение
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,"Моля, въведете {0} първа"
@@ -2666,18 +2685,18 @@
DocType: SMS Log,No of Sent SMS,Брои на изпратените SMS
DocType: Account,Expense Account,Expense Account
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Софтуер
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Цвят
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Цвят
DocType: Assessment Plan Criteria,Assessment Plan Criteria,План за оценка Критерии
DocType: Training Event,Scheduled,Планиран
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Запитване за оферта.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Моля изберете позиция, където "е Фондова Позиция" е "Не" и "Е-продажба точка" е "Да" и няма друг Bundle продукта"
DocType: Student Log,Academic,Академичен
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Общо предварително ({0}) срещу Заповед {1} не може да бъде по-голям от общия сбор ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Общо предварително ({0}) срещу Заповед {1} не може да бъде по-голям от общия сбор ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Изберете месец Distribution да неравномерно разпределяне цели през месеца.
DocType: Purchase Invoice Item,Valuation Rate,Оценка Оценка
DocType: Stock Reconciliation,SR/,SR/
DocType: Vehicle,Diesel,дизел
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Ценоразпис на валута не е избрана
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Ценоразпис на валута не е избрана
,Student Monthly Attendance Sheet,Student Месечен Присъствие Sheet
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Служител {0} вече е подал молба за {1} между {2} и {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Проект Начална дата
@@ -2689,7 +2708,7 @@
DocType: BOM,Scrap,Вторични суровини
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Управление на дистрибутори.
DocType: Quality Inspection,Inspection Type,Тип Инспекция
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Складове с действащото сделка не може да се превърнат в група.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Складове с действащото сделка не може да се превърнат в група.
DocType: Assessment Result Tool,Result HTML,Резултати HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Изтича на
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Добави студенти
@@ -2697,13 +2716,13 @@
DocType: C-Form,C-Form No,Си-форма номер
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,Неотбелязано присъствие
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Изследовател
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Изследовател
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Програма за записване Tool Student
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Име или имейл е задължително
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Проверка на качеството за постъпили.
DocType: Purchase Order Item,Returned Qty,Върнати Количество
DocType: Employee,Exit,Изход
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Root Type е задължително
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root Type е задължително
DocType: BOM,Total Cost(Company Currency),Обща стойност (Company валути)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Сериен № {0} е създаден
DocType: Homepage,Company Description for website homepage,Описание на компанията за началната страница на уеб сайта
@@ -2712,7 +2731,7 @@
DocType: Sales Invoice,Time Sheet List,Време Списък Sheet
DocType: Employee,You can enter any date manually,Можете да въведете всяка дата ръчно
DocType: Asset Category Account,Depreciation Expense Account,Сметка за амортизационните разходи
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Изпитателен Срок
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Изпитателен Срок
DocType: Customer Group,Only leaf nodes are allowed in transaction,Само листните възли са позволени в транзакция
DocType: Expense Claim,Expense Approver,Expense одобряващ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Row {0}: Advance срещу Клиентът трябва да бъде кредити
@@ -2725,10 +2744,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Списъци на курса изтрити:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Дневници за поддържане състоянието на доставка на SMS
DocType: Accounts Settings,Make Payment via Journal Entry,Направи Плащане чрез вестник Влизане
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,отпечатан на
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,отпечатан на
DocType: Item,Inspection Required before Delivery,Инспекция е изисквана преди доставка
DocType: Item,Inspection Required before Purchase,Инспекция е задължително преди покупка
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Предстоящите дейности
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Вашата организация
DocType: Fee Component,Fees Category,Такси - Категория
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,"Моля, въведете облекчаване дата."
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
@@ -2738,9 +2758,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Пренареждане Level
DocType: Company,Chart Of Accounts Template,Сметкоплан - Шаблон
DocType: Attendance,Attendance Date,Присъствие Дата
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Елемент Цена актуализиран за {0} в Ценовата листа {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Елемент Цена актуализиран за {0} в Ценовата листа {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Заплата раздялата въз основа на доходите и приспадане.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Сметка с подсметки не може да бъде превърнати в Главна счетоводна книга
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Сметка с подсметки не може да бъде превърнати в Главна счетоводна книга
DocType: Purchase Invoice Item,Accepted Warehouse,Приет Склад
DocType: Bank Reconciliation Detail,Posting Date,Публикуване Дата
DocType: Item,Valuation Method,Метод на оценка
@@ -2749,14 +2769,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Duplicate влизане
DocType: Program Enrollment Tool,Get Students,Вземете студентите
DocType: Serial No,Under Warranty,В гаранция
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Грешка]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Грешка]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,Словом ще бъде видим след като запазите поръчката за продажба.
,Employee Birthday,Рожден ден на Служител
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Batch Присъствие Tool
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,Преминат лимит
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Преминат лимит
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Venture Capital
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"Един учебен план с това "Учебна година" {0} и "Срок име" {1} вече съществува. Моля, променете тези записи и опитайте отново."
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Тъй като има съществуващи операции срещу т {0}, не можете да промените стойността на {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Тъй като има съществуващи операции срещу т {0}, не можете да промените стойността на {1}"
DocType: UOM,Must be Whole Number,Трябва да е цяло число
DocType: Leave Control Panel,New Leaves Allocated (In Days),Нови листа Отпуснати (в дни)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Сериен № {0} не съществува
@@ -2765,6 +2785,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Номер на фактура
DocType: Shopping Cart Settings,Orders,Поръчки
DocType: Employee Leave Approver,Leave Approver,Одобряващ отсъствия
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,"Моля, изберете партида"
DocType: Assessment Group,Assessment Group Name,Име Оценка Group
DocType: Manufacturing Settings,Material Transferred for Manufacture,Материалът е прехвърлен за Производство
DocType: Expense Claim,"A user with ""Expense Approver"" role","Потребител с роля "" Одобряващ разходи"""
@@ -2774,9 +2795,10 @@
DocType: Target Detail,Target Detail,Target Подробности
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,Всички работни места
DocType: Sales Order,% of materials billed against this Sales Order,% от материали начислени по тази Поръчка за Продажба
+DocType: Program Enrollment,Mode of Transportation,Начин на транспортиране
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Месечно приключване - запис
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Разходен център със съществуващи операции не може да бъде превърнат в група
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Сума {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Сума {0} {1} {2} {3}
DocType: Account,Depreciation,Амортизация
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Доставчик (ци)
DocType: Employee Attendance Tool,Employee Attendance Tool,Инструмент - Служител Присъствие
@@ -2784,7 +2806,7 @@
DocType: Supplier,Credit Limit,Кредитен лимит
DocType: Production Plan Sales Order,Salse Order Date,Поръчка за продажба - Дата
DocType: Salary Component,Salary Component,Заплата Компонент
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Плащане Entries {0} са не-свързани
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Плащане Entries {0} са не-свързани
DocType: GL Entry,Voucher No,Ваучер №
,Lead Owner Efficiency,Водеща ефективност на собственика
DocType: Leave Allocation,Leave Allocation,Оставете Разпределение
@@ -2795,11 +2817,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Шаблон за условия или договор.
DocType: Purchase Invoice,Address and Contact,Адрес и контакти
DocType: Cheque Print Template,Is Account Payable,Дали профил Платими
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Фондова не може да бъде актуализиран срещу Разписка {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Фондова не може да бъде актуализиран срещу Разписка {0}
DocType: Supplier,Last Day of the Next Month,Последен ден на следващия месец
DocType: Support Settings,Auto close Issue after 7 days,Auto близо Issue след 7 дни
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Отпуск не могат да бъдат разпределени преди {0}, като баланс отпуск вече е ръчен изпраща в записа на бъдещото разпределение отпуск {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Забележка: Поради / Референция Дата надвишава право кредитни клиент дни от {0} ден (и)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Забележка: Поради / Референция Дата надвишава право кредитни клиент дни от {0} ден (и)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Student Заявител
DocType: Asset Category Account,Accumulated Depreciation Account,Сметка за Натрупана амортизация
DocType: Stock Settings,Freeze Stock Entries,Фиксиране на вписване в запасите
@@ -2808,35 +2830,35 @@
DocType: Activity Cost,Billing Rate,(Фактура) Курс
,Qty to Deliver,Количество за доставка
,Stock Analytics,Сток Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Операциите не могат да бъдат оставени празни
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Операциите не могат да бъдат оставени празни
DocType: Maintenance Visit Purpose,Against Document Detail No,Against Document Detail No
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Тип Компания е задължително
DocType: Quality Inspection,Outgoing,Изходящ
DocType: Material Request,Requested For,Поискана за
DocType: Quotation Item,Against Doctype,Срещу Вид Документ
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} е отменен или затворен
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} е отменен или затворен
DocType: Delivery Note,Track this Delivery Note against any Project,Абонирай се за тази доставка Note срещу всеки проект
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Net Cash от Инвестиране
-,Is Primary Address,Е Основен адрес
DocType: Production Order,Work-in-Progress Warehouse,Склад за Незавършено производство
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Asset {0} трябва да бъде подадено
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Присъствие Record {0} съществува срещу Student {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Присъствие Record {0} съществува срещу Student {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Референтен # {0} от {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Амортизацията е прекратена поради продажба на активи
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Управление на адреси
DocType: Asset,Item Code,Код
DocType: Production Planning Tool,Create Production Orders,Създаване на производствени поръчки
DocType: Serial No,Warranty / AMC Details,Гаранция / AMC Детайли
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,"Изберете ръчно студентите за групата, базирана на дейности"
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,"Изберете ръчно студентите за групата, базирана на дейности"
DocType: Journal Entry,User Remark,Потребителска забележка
DocType: Lead,Market Segment,Пазарен сегмент
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Платената сума не може да бъде по-голям от общия изключително отрицателна сума {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Платената сума не може да бъде по-голям от общия изключително отрицателна сума {0}
DocType: Employee Internal Work History,Employee Internal Work History,Служител Вътрешен - История на работа
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Закриване (Dr)
DocType: Cheque Print Template,Cheque Size,Чек Размер
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Сериен № {0} не е в наличност
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Данъчен шаблон за сделки при продажба.
DocType: Sales Invoice,Write Off Outstanding Amount,Отписване на дължимата сума
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Профилът {0} не съвпада с фирмата {1}
DocType: School Settings,Current Academic Year,Текуща академична година
DocType: Stock Settings,Default Stock UOM,Мерна единица за стоки по подразбиране
DocType: Asset,Number of Depreciations Booked,Брой на амортизации Резервирано
@@ -2851,27 +2873,27 @@
DocType: Asset,Double Declining Balance,Двоен неснижаем остатък
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,"Затворена поръчка не може да бъде анулирана. Отворете, за да отмените."
DocType: Student Guardian,Father,баща
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,"""Актуализация на склад"" не може да бъде избрано при продажба на активи"
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"""Актуализация на склад"" не може да бъде избрано при продажба на активи"
DocType: Bank Reconciliation,Bank Reconciliation,Банково извлечение
DocType: Attendance,On Leave,В отпуск
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Получаване на актуализации
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Сметка {2} не принадлежи на компания {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Искане за материал {0} е отменен или спрян
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Добавяне на няколко примерни записи
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Добавяне на няколко примерни записи
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Управление на отсътствията
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Групирай по Сметка
DocType: Sales Order,Fully Delivered,Напълно Доставени
DocType: Lead,Lower Income,По-ниски доходи
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Източник и целеви склад не могат да бъдат един и същ за ред {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Източник и целеви склад не могат да бъдат един и същ за ред {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Разлика трябва да се вида на актива / Отговорност сметка, тъй като това Фондова Помирението е Откриване Влизане"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Платената сума не може да бъде по-голяма от кредит сума {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},"Поръчка за покупка брой, необходим за т {0}"
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Производство Поръчка не е създаден
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},"Поръчка за покупка брой, необходим за т {0}"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Производство Поръчка не е създаден
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""От дата"" трябва да е преди ""До дата"""
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Не може да се промени статута си на студент {0} е свързан с прилагането студент {1}
DocType: Asset,Fully Depreciated,напълно амортизирани
,Stock Projected Qty,Фондова Прогнозно Количество
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Клиент {0} не принадлежи на проекта {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Клиент {0} не принадлежи на проекта {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Маркирано като присъствие HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Оферта са предложения, оферти, изпратени до клиентите"
DocType: Sales Order,Customer's Purchase Order,Поръчка на Клиента
@@ -2880,33 +2902,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Сума на рекордите на критериите за оценка трябва да бъде {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,"Моля, задайте Брой амортизации Резервирано"
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Стойност или Количество
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Productions поръчки не могат да бъдат повдигнати за:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Минута
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions поръчки не могат да бъдат повдигнати за:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Минута
DocType: Purchase Invoice,Purchase Taxes and Charges,Покупка данъци и такси
,Qty to Receive,Количество за получаване
DocType: Leave Block List,Leave Block List Allowed,Оставете Block List любимци
DocType: Grading Scale Interval,Grading Scale Interval,Оценъчна скала - Интервал
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Expense Искане за Vehicle Вход {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Отстъпка (%) от ценовата листа с марджин
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,Всички Складове
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Всички Складове
DocType: Sales Partner,Retailer,Търговец на дребно
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Кредит на сметката трябва да бъде балансова сметка
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Кредит на сметката трябва да бъде балансова сметка
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Всички Видове Доставчик
DocType: Global Defaults,Disable In Words,Изключване с думи
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,"Код е задължително, тъй като номерацията не е автоматична"
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Код е задължително, тъй като номерацията не е автоматична"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Оферта {0} не от типа {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,График за техническо обслужване - позиция
DocType: Sales Order,% Delivered,% Доставени
DocType: Production Order,PRO-,PRO-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Банков Овърдрафт Акаунт
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Банков Овърдрафт Акаунт
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Направи фиш за заплата
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Ред # {0}: Разпределената сума не може да бъде по-голяма от остатъка.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Разгледай BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Обезпечени кредити
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Обезпечени кредити
DocType: Purchase Invoice,Edit Posting Date and Time,Редактиране на Дата и час на публикуване
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Моля, задайте на амортизация, свързани акаунти в категория активи {0} или Фирма {1}"
DocType: Academic Term,Academic Year,Академична година
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Началното салдо Капитал
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Началното салдо Капитал
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Оценка
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},Изпратен имейл доставчика {0}
@@ -2922,7 +2944,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Приемане роля не може да бъде същата като ролята на правилото се прилага за
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Отписване от този Email бюлетин
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Съобщението е изпратено
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Сметка с деца възли не могат да бъдат определени като книга
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Сметка с деца възли не могат да бъдат определени като книга
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,"Скоростта, с която Ценоразпис валута се превръща в основна валута на клиента"
DocType: Purchase Invoice Item,Net Amount (Company Currency),Нетната сума (фирмена валута)
@@ -2956,7 +2978,7 @@
DocType: Expense Claim,Approval Status,Одобрение Status
DocType: Hub Settings,Publish Items to Hub,Публикуване продукти в Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},"От стойност трябва да е по-малко, отколкото стойността в ред {0}"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Банков Превод
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Банков Превод
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Избери всичко
DocType: Vehicle Log,Invoice Ref,Фактура Референция
DocType: Purchase Order,Recurring Order,Повтарящо Поръчка
@@ -2969,51 +2991,54 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Банки и Плащания
,Welcome to ERPNext,Добре дошли в ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Потенциален клиент към Оферта
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,"Нищо повече, което да покажем."
DocType: Lead,From Customer,От клиент
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Призовава
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Призовава
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,Партиди
DocType: Project,Total Costing Amount (via Time Logs),Общо Остойностяване сума (чрез Time Logs)
DocType: Purchase Order Item Supplied,Stock UOM,Склад за мерна единица
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Поръчка за покупка {0} не е подадена
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Поръчка за покупка {0} не е подадена
DocType: Customs Tariff Number,Tariff Number,тарифен номер
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Прогнозно
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Сериен № {0} не принадлежи на склад {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Забележка: Системата няма да се покажат над-доставка и свръх-резервации за позиция {0} като количество или стойност е 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Забележка: Системата няма да се покажат над-доставка и свръх-резервации за позиция {0} като количество или стойност е 0
DocType: Notification Control,Quotation Message,Оферта - Съобщение
DocType: Employee Loan,Employee Loan Application,Служител Искане за кредит
DocType: Issue,Opening Date,Откриване Дата
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Присъствие е маркирано успешно.
+DocType: Program Enrollment,Public Transport,Обществен транспорт
DocType: Journal Entry,Remark,Забележка
DocType: Purchase Receipt Item,Rate and Amount,Процент и размер
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Тип акаунт за {0} трябва да е {1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,Отпуски и Празници
DocType: School Settings,Current Academic Term,Настоящ академичен срок
DocType: Sales Order,Not Billed,Не Обявен
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,И двата склада трябва да принадлежат към една и съща фирма
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,"Не са добавени контакти, все още."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,И двата склада трябва да принадлежат към една и съща фирма
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,"Не са добавени контакти, все още."
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Поземлен Cost Ваучер Сума
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Фактури издадени от доставчици.
DocType: POS Profile,Write Off Account,Отпишат Акаунт
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Дебитно известие Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Отстъпка Сума
DocType: Purchase Invoice,Return Against Purchase Invoice,Върнете Срещу фактурата за покупка
DocType: Item,Warranty Period (in days),Гаранционен срок (в дни)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Връзка с Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Връзка с Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Net Cash от Operations
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,например ДДС
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,например ДДС
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Позиция 4
DocType: Student Admission,Admission End Date,Допускане Крайна дата
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Подизпълнители
DocType: Journal Entry Account,Journal Entry Account,Вестник Влизане Акаунт
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Student Group
DocType: Shopping Cart Settings,Quotation Series,Оферта Series
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Една статия, съществува със същото име ({0}), моля да промените името на стокова група или преименувате елемента"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Моля изберете клиент
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Една статия, съществува със същото име ({0}), моля да промените името на стокова група или преименувате елемента"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Моля изберете клиент
DocType: C-Form,I,аз
DocType: Company,Asset Depreciation Cost Center,Център за амортизация на разходите Асет
DocType: Sales Order Item,Sales Order Date,Поръчка за продажба - Дата
DocType: Sales Invoice Item,Delivered Qty,Доставено Количество
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Ако има отметка, всички деца на всяка производствена позиция ще се включат в материала искания."
DocType: Assessment Plan,Assessment Plan,План за оценка
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Склад {0}: Полето за Комапния е задължително
DocType: Stock Settings,Limit Percent,Процент лимит
,Payment Period Based On Invoice Date,Заплащане Период на базата на датата на фактурата
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Липсва обменен курс за валута {0}
@@ -3025,7 +3050,7 @@
DocType: Vehicle,Insurance Details,Застраховка Детайли
DocType: Account,Payable,Платим
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,"Моля, въведете Възстановяване Периоди"
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Длъжници ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Длъжници ({0})
DocType: Pricing Rule,Margin,марж
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Нови клиенти
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Брутна Печалба %
@@ -3036,16 +3061,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Компания е задължителна
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,Тема Наименование
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Поне една от продажба или закупуване трябва да бъдат избрани
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Изберете естеството на вашия бизнес.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Поне една от продажба или закупуване трябва да бъдат избрани
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Изберете естеството на вашия бизнес.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Ред # {0}: дублиращ се запис в "Референции" {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Когато се извършват производствени операции.
DocType: Asset Movement,Source Warehouse,Източник Склад
DocType: Installation Note,Installation Date,Дата на инсталация
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Row {0}: Asset {1} не принадлежи на компания {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Row {0}: Asset {1} не принадлежи на компания {2}
DocType: Employee,Confirmation Date,Потвърждение Дата
DocType: C-Form,Total Invoiced Amount,Общо Сума по фактура
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Минималното количество не може да бъде по-голяма от максималното количество
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Минималното количество не може да бъде по-голяма от максималното количество
DocType: Account,Accumulated Depreciation,Натрупани амортизации
DocType: Stock Entry,Customer or Supplier Details,Клиент или доставчик - Детайли
DocType: Employee Loan Application,Required by Date,Изисвани до дата
@@ -3066,22 +3091,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Месечено процентно разпределение
DocType: Territory,Territory Targets,Територия Цели
DocType: Delivery Note,Transporter Info,Превозвач Информация
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},"Моля, задайте по подразбиране {0} в Company {1}"
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},"Моля, задайте по подразбиране {0} в Company {1}"
DocType: Cheque Print Template,Starting position from top edge,Начална позиция от горния ръб
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Същият доставчик е бил въведен няколко пъти
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Брутна печалба / загуба
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Поръчка за покупка приложените аксесоари
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Името на фирмата не може да е Company
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Името на фирмата не може да е Company
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Бланки за шаблони за печат.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Заглавия за шаблони за печат, например проформа фактура."
DocType: Student Guardian,Student Guardian,Student Guardian
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Такси тип оценка не може маркирани като Inclusive
DocType: POS Profile,Update Stock,Актуализация Наличности
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Доставчик> Тип доставчик
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Different мерна единица за елементи ще доведе до неправилно (Total) Нетна стойност на теглото. Уверете се, че нетното тегло на всеки артикул е в една и съща мерна единица."
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Курс
DocType: Asset,Journal Entry for Scrap,Вестник Влизане за скрап
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,"Моля, дръпнете елементи от Delivery Note"
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Холни влизания {0} са не-свързани
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Холни влизания {0} са не-свързани
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Запис на всички съобщения от тип имейл, телефон, чат, посещение и т.н."
DocType: Manufacturer,Manufacturers used in Items,Използвани производители в артикули
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,"Моля, посочете закръглят Cost Center в Company"
@@ -3128,33 +3154,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,Доставчик доставя на Клиента
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Форма / позиция / {0}) е изчерпана
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Следваща дата за контакт трябва да е по-голяма от датата на публикуване
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Покажи данък разпадането
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Поради / Референтен дата не може да бъде след {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Покажи данък разпадането
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Поради / Референтен дата не може да бъде след {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Внос и експорт на данни
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","Сток записи съществуват срещу Warehouse {0}, затова не можете да прехвърляте повторно или да го модифицирате"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Няма намерени студенти
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Няма намерени студенти
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Фактура - дата на осчетоводяване
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,продажба
DocType: Sales Invoice,Rounded Total,Общо (закръглено)
DocType: Product Bundle,List items that form the package.,"Списък на елементите, които формират пакета."
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Процентно разпределение следва да е равно на 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,"Моля, изберете дата на завеждане, преди да изберете страна"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,"Моля, изберете дата на завеждане, преди да изберете страна"
DocType: Program Enrollment,School House,училище Къща
DocType: Serial No,Out of AMC,Няма AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,"Моля, изберете Цитати"
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,"Моля, изберете Цитати"
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Брой на амортизации Договорени не може да бъде по-голям от общия брой амортизации
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Направи поддръжка посещение
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,"Моля, свържете се с потребител, който има {0} роля Продажби Майстор на мениджъра"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,"Моля, свържете се с потребител, който има {0} роля Продажби Майстор на мениджъра"
DocType: Company,Default Cash Account,Каса - сметка по подразбиране
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Company (не клиент или доставчик) майстор.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Това се основава на присъствието на този Student
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Няма студенти в
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Няма студенти в
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Добавете още предмети или отворен пълна форма
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',"Моля, въведете "Очаквана дата на доставка""
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Складовата разписка {0} трябва да се отмени преди да анулирате тази поръчка за продажба
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Платената сума + отписана сума не може да бъде по-голяма от обща сума
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Платената сума + отписана сума не може да бъде по-голяма от обща сума
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} не е валиден Партиден номер за Артикул {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Забележка: Няма достатъчно отпуск баланс за отпуск Тип {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,Невалиден GSTIN или Enter NA за нерегистриран
DocType: Training Event,Seminar,семинар
DocType: Program Enrollment Fee,Program Enrollment Fee,Програма такса за записване
DocType: Item,Supplier Items,Доставчик артикули
@@ -3180,27 +3206,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Позиция 3
DocType: Purchase Order,Customer Contact Email,Клиент - email за контакти
DocType: Warranty Claim,Item and Warranty Details,Позиция и подробности за гаранцията
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Код на елемента> Група на елементите> Марка
DocType: Sales Team,Contribution (%),Принос (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Забележка: Плащане Влизане няма да се създали от "пари или с банкова сметка" Не е посочено
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,"Изберете програмата, за да изтеглите задължителни курсове."
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Отговорности
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Отговорности
DocType: Expense Claim Account,Expense Claim Account,Expense претенция профил
DocType: Sales Person,Sales Person Name,Търговец - Име
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,"Моля, въведете поне една фактура в таблицата"
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Добави Потребители
DocType: POS Item Group,Item Group,Група позиции
DocType: Item,Safety Stock,склад за безопасност
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Напредък% за задача не може да бъде повече от 100.
DocType: Stock Reconciliation Item,Before reconciliation,Преди изравняване
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},За {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Данъци и такси - Добавени (фирмена валута)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Позиция Tax Row {0} Трябва да имате предвид тип данък или приход или разход или Дължими
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Позиция Tax Row {0} Трябва да имате предвид тип данък или приход или разход или Дължими
DocType: Sales Order,Partly Billed,Частично фактурирани
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Позиция {0} трябва да е дълготраен актив
DocType: Item,Default BOM,BOM по подразбиране
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,"Моля име повторно вид фирма, за да потвърдите"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Общият размер на неизплатените Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Дебитна сума
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,"Моля име повторно вид фирма, за да потвърдите"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Общият размер на неизплатените Amt
DocType: Journal Entry,Printing Settings,Настройки за печат
DocType: Sales Invoice,Include Payment (POS),Включи плащане (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Общ дебит трябва да бъде равна на Общ кредит. Разликата е {0}
@@ -3214,15 +3238,16 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,В наличност:
DocType: Notification Control,Custom Message,Персонализирано съобщение
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Инвестиционно банкиране
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Брой или банкова сметка е задължителна за въвеждане на плащане
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Студентски адрес
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Брой или банкова сметка е задължителна за въвеждане на плащане
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Моля, настроите серийна номерация за участие чрез настройка> Серия за номериране"
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Студентски адрес
DocType: Purchase Invoice,Price List Exchange Rate,Ценоразпис Валутен курс
DocType: Purchase Invoice Item,Rate,Ед. Цена
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Интерниран
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,Адрес Име
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Интерниран
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,Адрес Име
DocType: Stock Entry,From BOM,От BOM
DocType: Assessment Code,Assessment Code,Код за оценка
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Основен
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Основен
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Сток сделки преди {0} са замразени
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"Моля, кликнете върху "Генериране Schedule""
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","напр кг, брой, метри"
@@ -3232,11 +3257,11 @@
DocType: Salary Slip,Salary Structure,Структура Заплата
DocType: Account,Bank,Банка
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Авиолиния
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Изписване на материал
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Изписване на материал
DocType: Material Request Item,For Warehouse,За склад
DocType: Employee,Offer Date,Оферта - Дата
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Оферти
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,"Вие сте в офлайн режим. Вие няма да бъдете в състояние да презареждате, докато нямате мрежа."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,"Вие сте в офлайн режим. Вие няма да бъдете в състояние да презареждате, докато нямате мрежа."
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Няма създаден студентски групи.
DocType: Purchase Invoice Item,Serial No,Сериен Номер
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Месечна погасителна сума не може да бъде по-голяма от Размер на заема
@@ -3244,8 +3269,8 @@
DocType: Purchase Invoice,Print Language,Print Език
DocType: Salary Slip,Total Working Hours,Общо работни часове
DocType: Stock Entry,Including items for sub assemblies,Включително артикули за под събрания
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,"Въведете стойност, която да бъде положителна"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Всички територии
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,"Въведете стойност, която да бъде положителна"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Всички територии
DocType: Purchase Invoice,Items,Позиции
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Student вече е регистриран.
DocType: Fiscal Year,Year Name,Година Име
@@ -3263,10 +3288,10 @@
DocType: Issue,Opening Time,Наличност - Време
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,От и до датите са задължителни
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Ценни книжа и стоковите борси
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Default мерната единица за Variant '{0}' трябва да бъде същото, както в Template "{1}""
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Default мерната единица за Variant '{0}' трябва да бъде същото, както в Template "{1}""
DocType: Shipping Rule,Calculate Based On,Изчислете на основата на
DocType: Delivery Note Item,From Warehouse,От склад
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Не артикули с Бил на материали за производство на
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Не артикули с Бил на материали за производство на
DocType: Assessment Plan,Supervisor Name,Наименование на надзорник
DocType: Program Enrollment Course,Program Enrollment Course,Курс за записване на програмата
DocType: Purchase Taxes and Charges,Valuation and Total,Оценка и Обща сума
@@ -3281,18 +3306,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Дни след последна поръчка"" трябва да бъдат по-големи или равни на нула"
DocType: Process Payroll,Payroll Frequency,ТРЗ Честота
DocType: Asset,Amended From,Изменен От
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Суровина
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Суровина
DocType: Leave Application,Follow via Email,Следвайте по имейл
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Заводи и машини
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Заводи и машини
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Сума на данъка след сумата на отстъпката
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Дневни Settings Work Резюме
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Валута на ценовата листа {0} не съвпада с избраната валута {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Валута на ценовата листа {0} не съвпада с избраната валута {1}
DocType: Payment Entry,Internal Transfer,вътрешен трансфер
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Предвид Child съществува за този профил. Не можете да изтриете този профил.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Предвид Child съществува за този профил. Не можете да изтриете този профил.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Или целта Количество или целева сума е задължителна
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Няма спецификация на материал по подразбиране за позиция {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Няма спецификация на материал по подразбиране за позиция {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,"Моля, изберете първо счетоводна дата"
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Откриване Дата трябва да е преди крайната дата
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Моля, задайте Naming Series за {0} чрез Setup> Settings> Naming Series"
DocType: Leave Control Panel,Carry Forward,Пренасяне
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Разходен център със съществуващи операции не може да бъде превърнат в книга
DocType: Department,Days for which Holidays are blocked for this department.,Дни за които Holidays са блокирани за този отдел.
@@ -3302,10 +3328,9 @@
DocType: Issue,Raised By (Email),Повдигнат от (Email)
DocType: Training Event,Trainer Name,Наименование Trainer
DocType: Mode of Payment,General,Общ
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Прикрепете бланки
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Последно съобщение
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Не може да се приспадне при категория е за "оценка" или "Оценка и Total"
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Списък на вашите данъци (например ДДС, митнически и други; те трябва да имат уникални имена) и техните стандартни проценти. Това ще създаде стандартен шаблон, който можете да редактирате и да добавите по-късно."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Списък на вашите данъци (например ДДС, митнически и други; те трябва да имат уникални имена) и техните стандартни проценти. Това ще създаде стандартен шаблон, който можете да редактирате и да добавите по-късно."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},"Серийни номера, изисквано за серийни номера, т {0}"
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Краен Плащания с фактури
DocType: Journal Entry,Bank Entry,Банков запис
@@ -3314,16 +3339,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Добави в кошницата
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Групирай по
DocType: Guardian,Interests,Интереси
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Включване / Изключване на валути.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Включване / Изключване на валути.
DocType: Production Planning Tool,Get Material Request,Вземи заявка за материал
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Пощенски разходи
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Пощенски разходи
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Общо (сума)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Забавление и отдих
DocType: Quality Inspection,Item Serial No,Позиция Сериен №
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Създаване на запис на нает персонал
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Общо Present
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Счетоводни отчети
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Час
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Час
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,New Serial Не може да има Warehouse. Warehouse трябва да бъде определен от Фондова Влизане или покупка Разписка
DocType: Lead,Lead Type,Тип потенциален клиент
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Вие нямате право да одобри листата на Блок Дати
@@ -3335,6 +3360,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,Новият BOM след подмяна
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Точка на продажба
DocType: Payment Entry,Received Amount,получената сума
+DocType: GST Settings,GSTIN Email Sent On,GSTIN имейлът е изпратен на
+DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop от Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Създаване на пълен количество, без да обръща внимание количество вече по поръчка"
DocType: Account,Tax,Данък
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,Не е маркирано
@@ -3346,14 +3373,14 @@
DocType: Batch,Source Document Name,Име на изходния документ
DocType: Job Opening,Job Title,Длъжност
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Създаване на потребители
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,грам
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,грам
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Количество за Производство трябва да е по-голямо от 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Посетете доклад за поддръжка повикване.
DocType: Stock Entry,Update Rate and Availability,Актуализация Курсове и Наличност
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Процент ви е позволено да получи или достави повече от поръчаното количество. Например: Ако сте поръчали 100 единици. и си Allowance е 10% след което се оставя да се получи 110 единици.
DocType: POS Customer Group,Customer Group,Група клиенти
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Нов идентификационен номер на партидата (незадължително)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Разходна сметка е задължително за покупка {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Разходна сметка е задължително за покупка {0}
DocType: BOM,Website Description,Website Описание
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Нетна промяна в собствения капитал
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Моля анулирайте фактурата за покупка {0} първо
@@ -3363,8 +3390,8 @@
,Sales Register,Продажбите Регистрация
DocType: Daily Work Summary Settings Company,Send Emails At,Изпрати имейли до
DocType: Quotation,Quotation Lost Reason,Оферта Причина за загубване
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Изберете вашия домейн
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Справка за сделката не {0} от {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Изберете вашия домейн
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Справка за сделката не {0} от {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,"Няма нищо, за да редактирате."
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Резюме за този месец и предстоящи дейности
DocType: Customer Group,Customer Group Name,Група клиенти - Име
@@ -3372,14 +3399,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Отчет за паричните потоци
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Размер на кредита не може да надвишава сума на максимален заем {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Разрешително
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},"Моля, премахнете тази фактура {0} от C-Form {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},"Моля, премахнете тази фактура {0} от C-Form {1}"
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Моля изберете прехвърляне, ако и вие искате да се включат предходната фискална година баланс оставя на тази фискална година"
DocType: GL Entry,Against Voucher Type,Срещу ваучер Вид
DocType: Item,Attributes,Атрибути
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,"Моля, въведете отпишат Акаунт"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,"Моля, въведете отпишат Акаунт"
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Последна Поръчка Дата
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Сметка {0} не принадлежи на фирма {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Серийните номера в ред {0} не съвпадат с бележката за доставка
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Серийните номера в ред {0} не съвпадат с бележката за доставка
DocType: Student,Guardian Details,Guardian Детайли
DocType: C-Form,C-Form,Cи-Форма
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Маркирай присъствие за множество служители
@@ -3394,16 +3421,16 @@
DocType: Budget Account,Budget Amount,Бюджет сума
DocType: Appraisal Template,Appraisal Template Title,Оценка Template Title
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},От Дата {0} за служителите {1} не може да бъде преди да се присъедини Дата служител {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Търговски
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Търговски
DocType: Payment Entry,Account Paid To,Сметка за плащане към
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Родител позиция {0} не трябва да бъде позиция с наличности
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Всички продукти или услуги.
DocType: Expense Claim,More Details,Повече детайли
DocType: Supplier Quotation,Supplier Address,Доставчик Адрес
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Бюджет за сметка {1} по {2} {3} е {4}. Той ще буде превишен с {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Row {0} # партида трябва да е от тип "дълготраен актив"
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Изх. Количество
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Правила за изчисляване на сумата на пратката за продажба
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Row {0} # партида трябва да е от тип "дълготраен актив"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Изх. Количество
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Правила за изчисляване на сумата на пратката за продажба
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Номерацията е задължителна
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Финансови Услуги
DocType: Student Sibling,Student ID,Student ID
@@ -3411,13 +3438,13 @@
DocType: Tax Rule,Sales,Търговски
DocType: Stock Entry Detail,Basic Amount,Основна сума
DocType: Training Event,Exam,Изпит
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Склад се изисква за артикул {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Склад се изисква за артикул {0}
DocType: Leave Allocation,Unused leaves,Неизползваните отпуски
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,(Фактура) Състояние
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Прехвърляне
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} не е свързан с клиентска сметка {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Изважда се взриви BOM (включително монтажните възли)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} не е свързан с клиентска сметка {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Изважда се взриви BOM (включително монтажните възли)
DocType: Authorization Rule,Applicable To (Employee),Приложими по отношение на (Employee)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Срок за плащане е задължителен
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Увеличаване на атрибут {0} не може да бъде 0
@@ -3445,7 +3472,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Суровина - Код
DocType: Journal Entry,Write Off Based On,Отписване на базата на
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Направи Lead
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Печат и консумативи
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Печат и консумативи
DocType: Stock Settings,Show Barcode Field,Покажи Barcode Невярно
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Изпрати Доставчик имейли
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Заплата вече обработени за период между {0} и {1}, Оставете период заявление не може да бъде между този период от време."
@@ -3453,13 +3480,15 @@
DocType: Guardian Interest,Guardian Interest,Guardian Интерес
apps/erpnext/erpnext/config/hr.py +177,Training,Обучение
DocType: Timesheet,Employee Detail,Служител - Детайли
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Идентификационен номер на имейл за Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Идентификационен номер на имейл за Guardian1
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,ден Next Дата и Повторение на Ден на месец трябва да бъде равна
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Настройки за уебсайт страница
DocType: Offer Letter,Awaiting Response,Очаква отговор
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Горе
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Горе
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},Невалиден атрибут {0} {1}
DocType: Supplier,Mention if non-standard payable account,Посочете дали е нестандартна платима сметка
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Същият елемент е въведен няколко пъти. {Списък}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',"Моля, изберете групата за оценка, различна от "Всички групи за оценка""
DocType: Salary Slip,Earning & Deduction,Приходи & Удръжки
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,"По избор. Тази настройка ще бъде използван, за да филтрирате по различни сделки."
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Отрицателна оценка процент не е позволено
@@ -3473,9 +3502,9 @@
DocType: Sales Invoice,Product Bundle Help,Каталог Bundle Помощ
,Monthly Attendance Sheet,Месечен зрители Sheet
DocType: Production Order Item,Production Order Item,Поръчка за производство - Позиция
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Не са намерени записи
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Не са намерени записи
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Разходите за Брак на активи
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Разходен Център е задължително за {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Разходен Център е задължително за {2}
DocType: Vehicle,Policy No,Полица номер
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Получават от продукта Bundle
DocType: Asset,Straight Line,Права
@@ -3483,7 +3512,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,разцепване
DocType: GL Entry,Is Advance,Е аванс
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Присъствие От Дата и зрители към днешна дата е задължително
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,"Моля, изберете ""е от подизпълнител"" като Да или Не"
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,"Моля, изберете ""е от подизпълнител"" като Да или Не"
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Последна дата на съобщението
DocType: Sales Team,Contact No.,Контакт - номер
DocType: Bank Reconciliation,Payment Entries,Записи на плащане
@@ -3509,60 +3538,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Наличност - Стойност
DocType: Salary Detail,Formula,формула
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Комисионна за покупко-продажба
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Комисионна за покупко-продажба
DocType: Offer Letter Term,Value / Description,Стойност / Описание
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row {0}: Asset {1} не може да бъде представен, той вече е {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row {0}: Asset {1} не може да бъде представен, той вече е {2}"
DocType: Tax Rule,Billing Country,(Фактура) Държава
DocType: Purchase Order Item,Expected Delivery Date,Очаквана дата на доставка
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Дебитни и кредитни не е равно на {0} # {1}. Разликата е {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Представителни Разходи
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Направи Материал Заявка
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Представителни Разходи
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Направи Материал Заявка
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Open т {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Фактурата за продажба {0} трябва да се отмени преди анулирането този Продажби Поръчка
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Възраст
DocType: Sales Invoice Timesheet,Billing Amount,Сума за фактуриране
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,"Невалидно количество, определено за ред {0}. Количество трябва да бъде по-голямо от 0."
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Заявленията за отпуск.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Сметка със съществуващa трансакция не може да бъде изтрита
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Сметка със съществуващa трансакция не може да бъде изтрита
DocType: Vehicle,Last Carbon Check,Последна проверка на въглерода
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Правни разноски
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Правни разноски
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,"Моля, изберете количество на ред"
DocType: Purchase Invoice,Posting Time,Време на осчетоводяване
DocType: Timesheet,% Amount Billed,% Фактурирана сума
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Разходите за телефония
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Разходите за телефония
DocType: Sales Partner,Logo,Лого
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Маркирайте това, ако искате да задължите потребителя да избере серия преди да запише. Няма да има по подразбиране, ако маркирате това."
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Няма позиция със сериен номер {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Няма позиция със сериен номер {0}
DocType: Email Digest,Open Notifications,Отворени Известия
DocType: Payment Entry,Difference Amount (Company Currency),Разлика сума (валути на фирмата)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Преки разходи
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Преки разходи
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} е невалиден имейл адрес в "Уведомление \ имейл адрес"
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,New Customer приходите
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Пътни Разходи
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Пътни Разходи
DocType: Maintenance Visit,Breakdown,Авария
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Сметка: {0} с валута: не може да бъде избран {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Сметка: {0} с валута: не може да бъде избран {1}
DocType: Bank Reconciliation Detail,Cheque Date,Чек Дата
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Сметка {0}: Родителска сметка {1} не принадлежи на фирмата: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Сметка {0}: Родителска сметка {1} не принадлежи на фирмата: {2}
DocType: Program Enrollment Tool,Student Applicants,студентските Кандидатите
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,"Успешно изтрити всички транзакции, свързани с тази компания!"
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,"Успешно изтрити всички транзакции, свързани с тази компания!"
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Както по Дата
DocType: Appraisal,HR,ЧР
DocType: Program Enrollment,Enrollment Date,Записването Дата
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Изпитание
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Изпитание
apps/erpnext/erpnext/config/hr.py +115,Salary Components,Заплата Компоненти
DocType: Program Enrollment Tool,New Academic Year,Новата учебна година
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Връщане / кредитно известие
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Връщане / кредитно известие
DocType: Stock Settings,Auto insert Price List rate if missing,"Auto вложка Ценоразпис ставка, ако липсва"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Общо платената сума
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Общо платената сума
DocType: Production Order Item,Transferred Qty,Прехвърлено Количество
apps/erpnext/erpnext/config/learn.py +11,Navigating,Навигация
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Планиране
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Изписан
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Планиране
+DocType: Material Request,Issued,Изписан
DocType: Project,Total Billing Amount (via Time Logs),Общо Billing сума (чрез Time Logs)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Ние продаваме този артикул
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Id на доставчик
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Ние продаваме този артикул
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Id на доставчик
DocType: Payment Request,Payment Gateway Details,Плащане Gateway Детайли
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Количество трябва да бъде по-голяма от 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Количество трябва да бъде по-голяма от 0
DocType: Journal Entry,Cash Entry,Каса - Запис
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,"Подвъзли могат да се създават само при възли от тип ""група"""
DocType: Leave Application,Half Day Date,Половин ден - Дата
@@ -3574,14 +3604,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},"Моля, задайте профила по подразбиране в Expense претенция Type {0}"
DocType: Assessment Result,Student Name,Student Име
DocType: Brand,Item Manager,Мениджъра на позиция
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,ТРЗ Задължения
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,ТРЗ Задължения
DocType: Buying Settings,Default Supplier Type,Тип доставчик по подразбиране
DocType: Production Order,Total Operating Cost,Общо оперативни разходи
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Забележка: Точка {0} влезе няколко пъти
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Всички контакти.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Компания - Съкращение
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Компания - Съкращение
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Потребителят {0} не съществува
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,Суровини не може да бъде същата като основен елемент
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Суровини не може да бъде същата като основен елемент
DocType: Item Attribute Value,Abbreviation,Абревиатура
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Плащането Влизане вече съществува
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Не authroized тъй {0} надхвърля границите
@@ -3590,49 +3620,49 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Определете данъчни правила за количката
DocType: Purchase Invoice,Taxes and Charges Added,Данъци и такси - Добавени
,Sales Funnel,Продажбите на фунията
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Съкращението е задължително
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Съкращението е задължително
DocType: Project,Task Progress,Задача Прогрес
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Количка
,Qty to Transfer,Количество за прехвърляне
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Оферта до потенциални клиенти или клиенти.
DocType: Stock Settings,Role Allowed to edit frozen stock,Роля за редактиране замразена
,Territory Target Variance Item Group-Wise,Територия Target Вариацията т Group-Wise
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Всички групи клиенти
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Всички групи клиенти
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Натрупвано месечно
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} е задължително. Може би запис за обменни курсове на валута не е създаден от {1} към {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} е задължително. Може би запис за обменни курсове на валута не е създаден от {1} към {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Данъчен шаблон е задължителен.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Сметка {0}: Родителска сметка {1} не съществува
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Сметка {0}: Родителска сметка {1} не съществува
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Ценоразпис Rate (Company валути)
DocType: Products Settings,Products Settings,Продукти Settings
DocType: Account,Temporary,Временен
DocType: Program,Courses,Курсове
DocType: Monthly Distribution Percentage,Percentage Allocation,Процентно разпределение
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Секретар
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Секретар
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Ако забраните, "по думите на" поле няма да се вижда в всяка сделка"
DocType: Serial No,Distinct unit of an Item,Обособена единица на артикул
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,"Моля, задайте фирмата"
DocType: Pricing Rule,Buying,Купуване
DocType: HR Settings,Employee Records to be created by,Архивите на служителите да бъдат създадени от
DocType: POS Profile,Apply Discount On,Нанесете отстъпка от
,Reqd By Date,Необходим до дата
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Кредитори
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Кредитори
DocType: Assessment Plan,Assessment Name,оценка Име
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Row # {0}: Пореден № е задължително
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Позиция Wise Tax Подробности
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Институт Съкращение
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Институт Съкращение
,Item-wise Price List Rate,Точка-мъдър Ценоразпис Курсове
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Доставчик оферта
DocType: Quotation,In Words will be visible once you save the Quotation.,Словом ще бъде видим след като запазите офертата.
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Количеството ({0}) не може да бъде част от реда {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,Такса за събиране
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Баркод {0} вече се използва в ред {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Баркод {0} вече се използва в ред {1}
DocType: Lead,Add to calendar on this date,Добави в календара на тази дата
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Правила за добавяне на транспортни разходи.
DocType: Item,Opening Stock,Начална наличност
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Изисква се Клиент
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} е задължително за Връщане
DocType: Purchase Order,To Receive,Получавам
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Личен имейл
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Общото отклонение
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ако е активирана, системата ще публикуваме счетоводни записвания за инвентара автоматично."
@@ -3643,13 +3673,14 @@
DocType: Customer,From Lead,От потенциален клиент
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Поръчки пуснати за производство.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Изберете фискална година ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS профил изисква да направи POS Влизане
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS профил изисква да направи POS Влизане
DocType: Program Enrollment Tool,Enroll Students,приемат студенти
DocType: Hub Settings,Name Token,Име Token
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard Selling
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Поне един склад е задължително
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Поне един склад е задължително
DocType: Serial No,Out of Warranty,Извън гаранция
DocType: BOM Replace Tool,Replace,Заменете
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Няма намерени продукти.
DocType: Production Order,Unstopped,отпушат
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} по Фактура за продажба {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3660,13 +3691,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Склад за Value Разлика
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Човешки Ресурси
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Заплащане помирение плащане
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Данъчни активи
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Данъчни активи
DocType: BOM Item,BOM No,BOM Номер
DocType: Instructor,INS/,INS/
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Вестник Влизане {0} не разполага сметка {1} или вече съвпадащи срещу друг ваучер
DocType: Item,Moving Average,Пълзяща средна стойност
DocType: BOM Replace Tool,The BOM which will be replaced,"BOM, който ще бъде заменен"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,електронно оборудване
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,електронно оборудване
DocType: Account,Debit,Дебит
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Отпуските трябва да бъдат разпределени в кратни на 0,5"
DocType: Production Order,Operation Cost,Оперативен разход
@@ -3674,7 +3705,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Дължима сума
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Дефинират целите т Group-мъдър за тази Продажби Person.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Запаси по-стари от [Days]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row {0}: Asset е задължително за дълготраен актив покупка / продажба
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row {0}: Asset е задължително за дълготраен актив покупка / продажба
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ако две или повече ценови правила са открити на базата на горните условия, се прилага приоритет. Приоритет е число между 0 до 20, докато стойността по подразбиране е нула (празно). Висше номер означава, че ще имат предимство, ако има няколко ценови правила с едни и същи условия."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Фискална година: {0} не съществува
DocType: Currency Exchange,To Currency,За валута
@@ -3682,7 +3713,7 @@
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Видове разноски иск.
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Процентът на продажбата за елемент {0} е по-нисък от {1}. Процентът на продажба трябва да бъде най-малко {2}
DocType: Item,Taxes,Данъци
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Платени и недоставени
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Платени и недоставени
DocType: Project,Default Cost Center,Разходен център по подразбиране
DocType: Bank Guarantee,End Date,Крайна Дата
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,сделки с акции
@@ -3707,24 +3738,22 @@
DocType: Employee,Held On,Проведена На
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Производство Точка
,Employee Information,Служител - Информация
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Rate (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Rate (%)
DocType: Stock Entry Detail,Additional Cost,Допълнителна Cost
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Финансова година Крайна дата
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Не може да се филтрира по Ваучер Не, ако е групирано по ваучер"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Въведи оферта на доставчик
DocType: Quality Inspection,Incoming,Входящ
DocType: BOM,Materials Required (Exploded),Необходими материали (в детайли)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Добавте на потребители към вашата организация, различни от себе си"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Публикуване Дата не може да бъде бъдеща дата
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Пореден № {1} не съвпада с {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Регулярен отпуск
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Регулярен отпуск
DocType: Batch,Batch ID,Партида Номер
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Забележка: {0}
,Delivery Note Trends,Складова разписка - Тенденции
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Тази Седмица Резюме
-,In Stock Qty,В наличност брой
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,В наличност брой
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Сметка: {0} може да се актуализира само чрез Складови трансакции
-DocType: Program Enrollment,Get Courses,Вземете курсове
+DocType: Student Group Creation Tool,Get Courses,Вземете курсове
DocType: GL Entry,Party,Компания
DocType: Sales Order,Delivery Date,Дата На Доставка
DocType: Opportunity,Opportunity Date,Възможност - Дата
@@ -3732,14 +3761,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Запитване за оферта - позиция
DocType: Purchase Order,To Bill,Да се фактурира
DocType: Material Request,% Ordered,% Поръчани
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","За курсовата студентска група, курсът ще бъде валидиран за всеки студент от записаните курсове по програма за записване."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Въведете имейл адрес, разделени със запетаи, фактура ще бъде изпратен автоматично на определена дата"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Работа заплащана на парче
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Работа заплащана на парче
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Ср. Изкупуването Курсове
DocType: Task,Actual Time (in Hours),Действителното време (в часове)
DocType: Employee,History In Company,История във фирмата
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Бютелини с новини
DocType: Stock Ledger Entry,Stock Ledger Entry,Фондова Ledger Влизане
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Клиент> Група клиенти> Територия
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Същата позиция е въведена много пъти
DocType: Department,Leave Block List,Оставете Block List
DocType: Sales Invoice,Tax ID,Данъчен номер
@@ -3754,30 +3783,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,"{0} единици от {1} необходимо в {2}, за да завършите тази транзакция."
DocType: Loan Type,Rate of Interest (%) Yearly,Лихвен процент (%) Годишен
DocType: SMS Settings,SMS Settings,SMS Настройки
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Временни сметки
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Черен
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Временни сметки
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Черен
DocType: BOM Explosion Item,BOM Explosion Item,BOM Детайла позиция
DocType: Account,Auditor,Одитор
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} произведени артикули
DocType: Cheque Print Template,Distance from top edge,Разстояние от горния ръб
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Ценоразпис {0} е забранено или не съществува
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Ценоразпис {0} е забранено или не съществува
DocType: Purchase Invoice,Return,Връщане
DocType: Production Order Operation,Production Order Operation,Поръчка за производство - Операция
DocType: Pricing Rule,Disable,Изключване
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Начин на плащане се изисква за извършване на плащане
DocType: Project Task,Pending Review,До Review
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} не е записан в пакета {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} не може да се бракува, тъй като вече е {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Общо разход претенция (чрез Expense претенция)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Номер на клиент
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Маркирай като отсъстващ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Валута на BOM # {1} трябва да бъде равна на избраната валута {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Валута на BOM # {1} трябва да бъде равна на избраната валута {2}
DocType: Journal Entry Account,Exchange Rate,Обменен курс
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Поръчка за продажба {0} не е изпратена
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Поръчка за продажба {0} не е изпратена
DocType: Homepage,Tag Line,Tag Line
DocType: Fee Component,Fee Component,Такса Компонент
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Управление на автопарка
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Добавяне на елементи от
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Склад {0}: Основна сметка {1} не принадлежи на компанията {2}
DocType: Cheque Print Template,Regular,Редовен
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Общо Weightage на всички Критерии за оценка трябва да бъде 100%
DocType: BOM,Last Purchase Rate,Курс при Последна Покупка
@@ -3786,11 +3814,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,"Фондова не може да съществува за позиция {0}, тъй като има варианти"
,Sales Person-wise Transaction Summary,Цели на търговец - Резюме на транзакцията
DocType: Training Event,Contact Number,Телефон за контакти
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Склад {0} не съществува
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Склад {0} не съществува
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Регистрирайте се за ERPNext Hub
DocType: Monthly Distribution,Monthly Distribution Percentages,Месечено процентно разпределение
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Избраният елемент не може да има партида
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","скорост на оценка не е намерен за позицията от {0}, което е необходимо да направите, счетоводни записвания за {1} {2}. Ако елементът е сключване на сделки като елемент проба в {1}, моля се спомене, че в {1} таблицата елемент. В противен случай, моля, създайте входящо фондова сделка за скоростта на оценка елемент или споменава в регистъра на т, и след това опитайте да изпращате / анулиране на този пост"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","скорост на оценка не е намерен за позицията от {0}, което е необходимо да направите, счетоводни записвания за {1} {2}. Ако елементът е сключване на сделки като елемент проба в {1}, моля се спомене, че в {1} таблицата елемент. В противен случай, моля, създайте входящо фондова сделка за скоростта на оценка елемент или споменава в регистъра на т, и след това опитайте да изпращате / анулиране на този пост"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% от материали доставени по тази Бележка за доставка
DocType: Project,Customer Details,Клиент - Детайли
DocType: Employee,Reports to,Справки до
@@ -3798,41 +3826,43 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Въведете URL параметър за приемник с номера
DocType: Payment Entry,Paid Amount,Платената сума
DocType: Assessment Plan,Supervisor,Ръководител
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,На линия
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,На линия
,Available Stock for Packing Items,"Свободно фондова за артикули, Опаковки"
DocType: Item Variant,Item Variant,Артикул вариант
DocType: Assessment Result Tool,Assessment Result Tool,Оценка Резултати Tool
DocType: BOM Scrap Item,BOM Scrap Item,BOM позиция за брак
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Подадените поръчки не могат да бъдат изтрити
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",Баланса на сметката вече е в 'Дебит'. Не е позволено да задавате 'Балансът задължително трябва да бъде в Кребит'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Управление на качеството
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Подадените поръчки не могат да бъдат изтрити
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",Баланса на сметката вече е в 'Дебит'. Не е позволено да задавате 'Балансът задължително трябва да бъде в Кребит'
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Управление на качеството
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Позиция {0} е деактивирана
DocType: Employee Loan,Repay Fixed Amount per Period,Погасяване фиксирана сума за Период
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},"Моля, въведете количество за т {0}"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Кредитна бележка Amt
DocType: Employee External Work History,Employee External Work History,Служител за външна работа
DocType: Tax Rule,Purchase,Покупка
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Баланс - Количество
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Баланс - Количество
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Целите не могат да бъдат празни
DocType: Item Group,Parent Item Group,Родител т Group
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} за {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Разходни центрове
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Разходни центрове
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,"Скоростта, с която доставчик валута се превръща в основна валута на компанията"
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: тайминги конфликти с ред {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Позволете нивото на нулева стойност
DocType: Training Event Employee,Invited,Поканен
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Множество намерени за служител {0} за дадените дати активни конструкции за заплати
DocType: Opportunity,Next Contact,Следваща Контакт
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Gateway сметки за настройка.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Gateway сметки за настройка.
DocType: Employee,Employment Type,Тип заетост
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Дълготрайни активи
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Дълготрайни активи
DocType: Payment Entry,Set Exchange Gain / Loss,Определете Exchange Печалба / загуба
+,GST Purchase Register,Регистър на покупките в GST
,Cash Flow,Паричен поток
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Срок за кандидатстване не може да бъде в два alocation записи
DocType: Item Group,Default Expense Account,Разходна сметка по подразбиране
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Student Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student Email ID
DocType: Employee,Notice (days),Известие (дни)
DocType: Tax Rule,Sales Tax Template,Данъка върху продажбите Template
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,"Изберете артикули, за да запазите фактурата"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,"Изберете артикули, за да запазите фактурата"
DocType: Employee,Encashment Date,Инкасо Дата
DocType: Training Event,Internet,интернет
DocType: Account,Stock Adjustment,Склад за приспособяване
@@ -3860,7 +3890,7 @@
DocType: Guardian,Guardian Of ,пазител на
DocType: Grading Scale Interval,Threshold,праг
DocType: BOM Replace Tool,Current BOM,Текущ BOM
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Добави Сериен №
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Добави Сериен №
apps/erpnext/erpnext/config/support.py +22,Warranty,Гаранция
DocType: Purchase Invoice,Debit Note Issued,Дебитно известие - Издадено
DocType: Production Order,Warehouses,Складове
@@ -3869,20 +3899,20 @@
DocType: Workstation,per hour,на час
apps/erpnext/erpnext/config/buying.py +7,Purchasing,Закупуване
DocType: Announcement,Announcement,обявление
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Account for the warehouse (Perpetual Inventory) will be created under this Account.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Склад не може да се изтрие, тъй като съществува записвания за материални движения за този склад."
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","За групова студентска група, студентската партида ще бъде валидирана за всеки студент от програмата за записване."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Склад не може да се изтрие, тъй като съществува записвания за материални движения за този склад."
DocType: Company,Distribution,Дистрибуция
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,"Сума, платена"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Ръководител На Проект
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Ръководител На Проект
,Quoted Item Comparison,Сравнение на редове от оферти
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Изпращане
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Максимална отстъпка разрешена за позиция: {0} е {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Изпращане
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Максимална отстъпка разрешена за позиция: {0} е {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,"Нетната стойност на активите, както на"
DocType: Account,Receivable,За получаване
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Не е позволено да се промени Доставчик като вече съществува поръчка
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Не е позволено да се промени Доставчик като вече съществува поръчка
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Роля, която е оставена да се представят сделки, които надвишават кредитни лимити, определени."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Изберете артикули за Производство
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Магистър синхронизиране на данни, това може да отнеме известно време,"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Изберете артикули за Производство
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Магистър синхронизиране на данни, това може да отнеме известно време,"
DocType: Item,Material Issue,Изписване на материал
DocType: Hub Settings,Seller Description,Продавач Описание
DocType: Employee Education,Qualification,Квалификация
@@ -3902,7 +3932,6 @@
DocType: BOM,Rate Of Materials Based On,Курсове на материали на основата на
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Поддръжка Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Махнете отметката от всичко
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Компания не е посочена в складовете {0}
DocType: POS Profile,Terms and Conditions,Правила и условия
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},"Към днешна дата трябва да бъде в рамките на фискалната година. Ако приемем, че към днешна дата = {0}"
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Тук можете да се поддържа височина, тегло, алергии, медицински опасения и т.н."
@@ -3917,18 +3946,17 @@
DocType: Sales Order Item,For Production,За производство
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Виж задачи
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Вашата финансова година започва на
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Оп / Олово%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Активи амортизации и баланси
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Сума {0} {1} прехвърля от {2} до {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Сума {0} {1} прехвърля от {2} до {3}
DocType: Sales Invoice,Get Advances Received,Вземи Получени аванси
DocType: Email Digest,Add/Remove Recipients,Добавяне / Премахване на Получатели
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Транзакцията не е разрешена срещу спряна поръчка за производство {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Транзакцията не е разрешена срещу спряна поръчка за производство {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","За да зададете тази фискална година, като по подразбиране, щракнете върху "По подразбиране""
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,Присъедини
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Присъедини
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Недостиг Количество
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Съществува т вариант {0} със същите атрибути
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Съществува т вариант {0} със същите атрибути
DocType: Employee Loan,Repay from Salary,Погасяване от Заплата
DocType: Leave Application,LAP/,LAP/
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Искане за плащане срещу {0} {1} за количество {2}
@@ -3939,34 +3967,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Генериране на товарителници за пакети трябва да бъдат доставени. Използва се за уведомяване на пакетите номер, съдържание на пакети и теглото му."
DocType: Sales Invoice Item,Sales Order Item,Поръчка за продажба - позиция
DocType: Salary Slip,Payment Days,Плащане Дни
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Складове с деца възли не могат да бъдат превърнати в Леджър
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Складове с деца възли не могат да бъдат превърнати в Леджър
DocType: BOM,Manage cost of operations,Управление на разходите за дейността
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Когато някоя от проверени сделките се "Изпратен", имейл изскачащ автоматично отваря, за да изпратите електронно писмо до свързаната с "контакт" в тази сделка, със сделката като прикачен файл. Потребителят може или не може да изпрати имейл."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Глобални настройки
DocType: Assessment Result Detail,Assessment Result Detail,Оценка Резултати Подробности
DocType: Employee Education,Employee Education,Служител - Образование
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Duplicate група т намерена в таблицата на т група
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,"Той е необходим, за да донесе точка Details."
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,"Той е необходим, за да донесе точка Details."
DocType: Salary Slip,Net Pay,Net Pay
DocType: Account,Account,Сметка
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Сериен № {0} е бил вече получен
,Requested Items To Be Transferred,Желани артикули да бъдат прехвърлени
DocType: Expense Claim,Vehicle Log,Превозното средство - Журнал
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Склад {0} не е свързана с всяка сметка, моля, създайте / свързване на съответния (Asset) сметка за склада."
DocType: Purchase Invoice,Recurring Id,Повтарящо Id
DocType: Customer,Sales Team Details,Търговски отдел - Детайли
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Изтриете завинаги?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Изтриете завинаги?
DocType: Expense Claim,Total Claimed Amount,Общо заявена Сума
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Потенциалните възможности за продажби.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Невалиден {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Отпуск По Болест
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Невалиден {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Отпуск По Болест
DocType: Email Digest,Email Digest,Email бюлетин
DocType: Delivery Note,Billing Address Name,Име за фактуриране
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Универсални Магазини
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Настройте своето училище в ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Базовата ресто сума (Валута на компанията)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Няма счетоводни записвания за следните складове
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Няма счетоводни записвания за следните складове
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Записване на документа на първо място.
DocType: Account,Chargeable,Платим
DocType: Company,Change Abbreviation,Промени Съкращение
@@ -3984,7 +4011,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Очаквана дата на доставка не може да бъде преди поръчка Дата
DocType: Appraisal,Appraisal Template,Оценка Template
DocType: Item Group,Item Classification,Класификация на позиция
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Мениджър Бизнес развитие
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Мениджър Бизнес развитие
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Поддръжка посещение Предназначение
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Период
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Главна книга
@@ -3994,8 +4021,8 @@
DocType: Item Attribute Value,Attribute Value,Атрибут Стойност
,Itemwise Recommended Reorder Level,Itemwise Препоръчано Пренареждане Level
DocType: Salary Detail,Salary Detail,Заплата Подробности
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,Моля изберете {0} първо
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Партида {0} на артикул {1} е изтекла.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Моля изберете {0} първо
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Партида {0} на артикул {1} е изтекла.
DocType: Sales Invoice,Commission,Комисионна
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Time Sheet за производство.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Междинна сума
@@ -4006,6 +4033,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`Замрази наличности по-стари от` трябва да бъде по-малък от %d дни.
DocType: Tax Rule,Purchase Tax Template,Покупка Tax Template
,Project wise Stock Tracking,Проект мъдър фондова Tracking
+DocType: GST HSN Code,Regional,областен
DocType: Stock Entry Detail,Actual Qty (at source/target),Действително Количество (at source/target)
DocType: Item Customer Detail,Ref Code,Ref Code
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Записи на служителите.
@@ -4016,13 +4044,13 @@
DocType: Email Digest,New Purchase Orders,Нови поръчки за покупка
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Root не може да има център на разходите майка
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Изберете Марка ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Обучителни събития / резултати
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Натрупана амортизация към
DocType: Sales Invoice,C-Form Applicable,Cи-форма приложима
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Операция - времето трябва да е по-голямо от 0 за операция {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Склад е задължителен
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Склад е задължителен
DocType: Supplier,Address and Contacts,Адрес и контакти
DocType: UOM Conversion Detail,UOM Conversion Detail,Мерна единица - превръщане - детайли
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Запази го пригодено за уеб 900 пиксела (ширина) на 100пиксела (височина)
DocType: Program,Program Abbreviation,програма Съкращение
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Производство на поръчката не може да бъде повдигнато срещу т Template
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Такси се обновяват на изкупните Квитанция за всяка стока
@@ -4030,13 +4058,13 @@
DocType: Bank Guarantee,Start Date,Начална Дата
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Разпределяне на листа за период.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Чекове Депозити и неправилно изчистени
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Сметка {0}: Не можете да назначите себе си за родителска сметка
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Сметка {0}: Не можете да назначите себе си за родителска сметка
DocType: Purchase Invoice Item,Price List Rate,Ценоразпис Курсове
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Създаване на оферти на клиенти
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Покажи "В наличност" или "Не е в наличност" на базата на склад налични в този склад.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Спецификация на материал (BOM)
DocType: Item,Average time taken by the supplier to deliver,Средното време взети от доставчика да достави
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,Резултати за оценка
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,Резултати за оценка
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Часове
DocType: Project,Expected Start Date,Очаквана начална дата
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,"Махни позиция, ако цените не се отнася за тази позиция"
@@ -4050,24 +4078,23 @@
DocType: Workstation,Operating Costs,Оперативни разходи
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,"Действие в случай, че сумарния месечен Бюджет е превишен"
DocType: Purchase Invoice,Submit on creation,Подаване на създаване
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Валутна за {0} трябва да е {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Валутна за {0} трябва да е {1}
DocType: Asset,Disposal Date,Отписване - Дата
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Имейли ще бъдат изпратени на всички активни служители на компанията в даден час, ако те не разполагат с почивка. Обобщение на отговорите ще бъдат изпратени в полунощ."
DocType: Employee Leave Approver,Employee Leave Approver,Служител одобряващ отпуски
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Един запис Пренареждане вече съществува за този склад {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Един запис Пренареждане вече съществува за този склад {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Не може да се обяви като загубена, защото е направена оферта."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,обучение Обратна връзка
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Производство Поръчка {0} трябва да бъде представено
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Производство Поръчка {0} трябва да бъде представено
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Моля изберете Начална дата и крайна дата за позиция {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Курс е задължителен на ред {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Към днешна дата не може да бъде преди от дата
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Добавяне / Редактиране на цените
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Добавяне / Редактиране на цените
DocType: Batch,Parent Batch,Родителска партида
DocType: Cheque Print Template,Cheque Print Template,Чек шаблони за печат
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Списък на Разходни центрове
,Requested Items To Be Ordered,Желани продукти за да се поръча
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,Компанията на склада трябва да е същата като компанията на сметката
DocType: Price List,Price List Name,Ценоразпис Име
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Ежедневната работа Обобщение за {0}
DocType: Employee Loan,Totals,Общо
@@ -4089,55 +4116,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Моля въведете валидни мобилни номера
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Моля, въведете съобщение, преди да изпратите"
DocType: Email Digest,Pending Quotations,До цитати
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Точка на продажба на профил
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Точка на продажба на профил
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,"Моля, актуализирайте SMS настройките"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Необезпечени кредити
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Необезпечени кредити
DocType: Cost Center,Cost Center Name,Разходен център - Име
DocType: Employee,B+,B+
DocType: HR Settings,Max working hours against Timesheet,Max работно време срещу график
DocType: Maintenance Schedule Detail,Scheduled Date,Предвидена дата
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,"Общата сума, изплатена Amt"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,"Общата сума, изплатена Amt"
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,"Съобщения по-големи от 160 знака, ще бъдат разделени на няколко съобщения"
DocType: Purchase Receipt Item,Received and Accepted,Получена и приета
+,GST Itemised Sales Register,GST Подробен регистър на продажбите
,Serial No Service Contract Expiry,Сериен № - Договор за услуги - Дата на изтичане
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Вие не можете да кредитирате и дебитирате същия акаунт едновременно
DocType: Naming Series,Help HTML,Помощ HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Student Група инструмент за създаване на
DocType: Item,Variant Based On,Вариант на базата на
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Общо weightage определен да бъде 100%. Това е {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Вашите доставчици
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Вашите доставчици
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Не може да се определи като загубена тъй като поръчка за продажба е направена.
DocType: Request for Quotation Item,Supplier Part No,Доставчик Част номер
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Не може да се приспадне при категория е за "оценка" или "Vaulation и Total"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Получени от
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Получени от
DocType: Lead,Converted,Преобразуван
DocType: Item,Has Serial No,Има сериен номер
DocType: Employee,Date of Issue,Дата на издаване
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: От {0} за {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Както е описано в Настройки за купуване, ако се изисква изискване за покупка == "ДА", за да се създаде фактура за покупка, потребителят трябва първо да създаде разписка за покупка за елемент {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Row # {0}: Определете доставчик за т {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Row {0}: Часове стойност трябва да е по-голяма от нула.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,"Сайт на снимката {0}, прикрепена към т {1} не може да бъде намерена"
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,"Сайт на снимката {0}, прикрепена към т {1} не може да бъде намерена"
DocType: Issue,Content Type,Съдържание Тип
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Компютър
DocType: Item,List this Item in multiple groups on the website.,Списък този продукт в няколко групи в сайта.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Моля, проверете опцията Multi валути да се позволи на сметки в друга валута"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Позиция: {0} не съществува в системата
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Вие не можете да настроите Frozen стойност
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Позиция: {0} не съществува в системата
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Вие не можете да настроите Frozen стойност
DocType: Payment Reconciliation,Get Unreconciled Entries,Вземи неизравнени записвания
DocType: Payment Reconciliation,From Invoice Date,От Дата на фактура
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,Валутата за фактуриране трябва да бъде същата като валута на фирмата или на клиентската сметка
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Оставете Инкасо
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Какво прави?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,Валутата за фактуриране трябва да бъде същата като валута на фирмата или на клиентската сметка
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Оставете Инкасо
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Какво прави?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,До склад
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Всички Учебен
,Average Commission Rate,Средна Комисията Курсове
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,'Има сериен номер' не може да бъде 'Да' за нескладируеми стоки
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'Има сериен номер' не може да бъде 'Да' за нескладируеми стоки
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Присъствие не може да бъде маркиран за бъдещи дати
DocType: Pricing Rule,Pricing Rule Help,Ценообразуване Правило Помощ
DocType: School House,House Name,Наименование Къща
DocType: Purchase Taxes and Charges,Account Head,Главна Сметка
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,"Актуализиране на допълнителни разходи, за да се изчисли приземи разходи за предмети"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Електрически
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Електрически
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,"Добавете останалата част от вашата организация, както на потребителите си. Можете да добавите и покани на клиентите да си портал, като ги добавите от Контакти"
DocType: Stock Entry,Total Value Difference (Out - In),Общо Разлика (Изх - Вх)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Ред {0}: Валутен курс е задължителен
@@ -4147,7 +4176,7 @@
DocType: Item,Customer Code,Клиент - Код
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Напомняне за рожден ден за {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Дни след последната поръчка
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Дебит на сметка трябва да бъде балансова сметка
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Дебит на сметка трябва да бъде балансова сметка
DocType: Buying Settings,Naming Series,Именуване Series
DocType: Leave Block List,Leave Block List Name,Оставете Block List Име
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Застраховка Начална дата трябва да бъде по-малка от застраховка Крайна дата
@@ -4162,26 +4191,26 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Заплата поднасяне на служител {0} вече е създаден за времето лист {1}
DocType: Vehicle Log,Odometer,одометър
DocType: Sales Order Item,Ordered Qty,Поръчано Количество
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Точка {0} е деактивирана
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Точка {0} е деактивирана
DocType: Stock Settings,Stock Frozen Upto,Фондова Frozen Upto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM не съдържа материали / стоки
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM не съдържа материали / стоки
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},"Период От и Период До, са задължителни за повтарящи записи {0}"
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Дейността на проект / задача.
DocType: Vehicle Log,Refuelling Details,Зареждане с гориво - Детайли
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Генериране на фишове за заплати
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Купуването трябва да се провери, ако е маркирано като {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Купуването трябва да се провери, ако е маркирано като {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Отстъпката трябва да е по-малко от 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Курс при последна покупка не е намерен
DocType: Purchase Invoice,Write Off Amount (Company Currency),Сума за отписване (фирмена валута)
DocType: Sales Invoice Timesheet,Billing Hours,Фактурирани часове
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,BOM по подразбиране за {0} не е намерен
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,"Row # {0}: Моля, задайте повторна поръчка количество"
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,"Row # {0}: Моля, задайте повторна поръчка количество"
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,"Докоснете елементи, за да ги добавите тук"
DocType: Fees,Program Enrollment,програма за записване
DocType: Landed Cost Voucher,Landed Cost Voucher,Поземлен Cost Ваучер
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},"Моля, задайте {0}"
DocType: Purchase Invoice,Repeat on Day of Month,Повторете в ден от месеца
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} е неактивен студент
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} е неактивен студент
DocType: Employee,Health Details,Здравни Детайли
DocType: Offer Letter,Offer Letter Terms,Оферта Писмо Условия
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,"За да създадете референтен документ за искане за плащане, се изисква"
@@ -4202,7 +4231,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Пример:. ABCD ##### Ако серията е настроен и сериен номер не се споменава в сделки, ще бъде създаден след това автоматично пореден номер въз основа на тази серия. Ако искате винаги да споменава изрично серийни номера за тази позиция. оставите полето празно."
DocType: Upload Attendance,Upload Attendance,Качи Присъствие
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM и количество за производство са задължителни
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM и количество за производство са задължителни
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Застаряването на населението Range 2
DocType: SG Creation Tool Course,Max Strength,Максимална здравина
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM заменя
@@ -4211,8 +4240,8 @@
,Prospects Engaged But Not Converted,"Перспективи, ангажирани, но не преобразувани"
DocType: Manufacturing Settings,Manufacturing Settings,Настройки производство
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Създаване на Email
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Mobile Не
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,"Моля, въведете подразбиране валута през Company магистър"
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile Не
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,"Моля, въведете подразбиране валута през Company магистър"
DocType: Stock Entry Detail,Stock Entry Detail,Склад за вписване Подробности
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Дневни Напомняния
DocType: Products Settings,Home Page is Products,Начална страница е Продукти
@@ -4221,7 +4250,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Нова сметка - Име
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Цена на доставени суровини
DocType: Selling Settings,Settings for Selling Module,Настройки за продажба на Module
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Обслужване на клиенти
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Обслужване на клиенти
DocType: BOM,Thumbnail,Thumbnail
DocType: Item Customer Detail,Item Customer Detail,Клиентска Позиция - Детайли
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Предложи оферта на кандидата за работа.
@@ -4230,7 +4259,7 @@
DocType: Pricing Rule,Percentage,Процент
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Позиция {0} трябва да бъде позиция със следене на наличности
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Склад за незав.производство по подразбиране
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Настройките по подразбиране за счетоводни операции.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Настройките по подразбиране за счетоводни операции.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Очаквана дата не може да бъде преди Материал Заявка Дата
DocType: Purchase Invoice Item,Stock Qty,Коефициент на запас
@@ -4243,10 +4272,10 @@
DocType: Sales Order,Printing Details,Printing Детайли
DocType: Task,Closing Date,Крайна дата
DocType: Sales Order Item,Produced Quantity,Произведено количество
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Инженер
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Инженер
DocType: Journal Entry,Total Amount Currency,Обща сума във валута
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Търсене под Изпълнения
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Код на позиция се изисква за ред номер {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Код на позиция се изисква за ред номер {0}
DocType: Sales Partner,Partner Type,Тип родител
DocType: Purchase Taxes and Charges,Actual,Действителен
DocType: Authorization Rule,Customerwise Discount,Отстъпка на ниво клиент
@@ -4263,11 +4292,11 @@
DocType: Item Reorder,Re-Order Level,Re-Поръчка Level
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Въведете предмети и планирано Количество, за които искате да се повиши производствените поръчки или да изтеглите суровини за анализ."
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt Chart
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Непълен работен ден
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Непълен работен ден
DocType: Employee,Applicable Holiday List,Приложимо Holiday Списък
DocType: Employee,Cheque,Чек
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Номерация е обновена
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Тип на отчета е задължително
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Тип на отчета е задължително
DocType: Item,Serial Number Series,Сериен номер Series
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Warehouse е задължително за склад т {0} на ред {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Търговия на дребно и едро
@@ -4288,7 +4317,7 @@
DocType: BOM,Materials,Материали
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ако не се проверява, списъкът ще трябва да бъдат добавени към всеки отдел, където тя трябва да се приложи."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Източник и целеви склад не може да бъде един и същ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Публикуване дата и публикуване време е задължително
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Публикуване дата и публикуване време е задължително
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Данъчен шаблон за сделки при закупуване.
,Item Prices,Елемент Цени
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Словом ще бъде видим след като запазите поръчката за покупка.
@@ -4298,22 +4327,23 @@
DocType: Purchase Invoice,Advance Payments,Авансови плащания
DocType: Purchase Taxes and Charges,On Net Total,На Net Общо
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Цена Умение {0} трябва да бъде в интервала от {1} до {2} в стъпките на {3} за т {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Целеви склад в ред {0} трябва да е същият като в производствената поръчка
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Целеви склад в ред {0} трябва да е същият като в производствената поръчка
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,"""имейл адреси за известяване"" не е зададен за повтарящи %s"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,"Валутна не може да се промени, след като записи с помощта на някои друга валута"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,"Валутна не може да се промени, след като записи с помощта на някои друга валута"
DocType: Vehicle Service,Clutch Plate,Съединител Плейт
DocType: Company,Round Off Account,Закръгляне - Акаунт
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Административни разходи
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Административни разходи
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Консултативен
DocType: Customer Group,Parent Customer Group,Клиентска група - Родител
DocType: Purchase Invoice,Contact Email,Контакт Email
DocType: Appraisal Goal,Score Earned,Резултат спечелените
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Срок на предизвестие
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Срок на предизвестие
DocType: Asset Category,Asset Category Name,Asset Категория Име
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Това е корен територия и не може да се редактира.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Нов отговорник за продажби - Име
DocType: Packing Slip,Gross Weight UOM,Бруто тегло мерна единица
DocType: Delivery Note Item,Against Sales Invoice,Срещу фактура за продажба
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,"Моля, въведете серийни номера за сериализирани елементи"
DocType: Bin,Reserved Qty for Production,Резервирано Количество за производство
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Оставете без отметка, ако не искате да разгледате партида, докато правите курсови групи."
DocType: Asset,Frequency of Depreciation (Months),Честота на амортизация (месеца)
@@ -4321,25 +4351,25 @@
DocType: Landed Cost Item,Landed Cost Item,Поземлен Cost Точка
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Покажи нулеви стойности
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Брой на т получен след производството / препакетиране от дадени количества суровини
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Setup прост сайт за моята организация
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Setup прост сайт за моята организация
DocType: Payment Reconciliation,Receivable / Payable Account,Вземания / дължими суми Акаунт
DocType: Delivery Note Item,Against Sales Order Item,Срещу ред от поръчка за продажба
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},"Моля, посочете Умение Цена атрибут {0}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},"Моля, посочете Умение Цена атрибут {0}"
DocType: Item,Default Warehouse,Склад по подразбиране
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Бюджетът не може да бъде назначен срещу Group Account {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,"Моля, въведете разходен център майка"
DocType: Delivery Note,Print Without Amount,Печат без сума
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,Амортизация - Дата
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Данъчна Категория не може да бъде ""Оценка"" или ""Оценка и Общо"", тъй като всички изделия са без склад за продукта"
DocType: Issue,Support Team,Екип по поддръжката
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Изтичане (в дни)
DocType: Appraisal,Total Score (Out of 5),Общ резултат (от 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Партида
+DocType: Student Attendance Tool,Batch,Партида
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Баланс
DocType: Room,Seating Capacity,Седалки капацитет
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Общо разход претенция (чрез разход Вземания)
+DocType: GST Settings,GST Summary,Резюме на GST
DocType: Assessment Result,Total Score,Общ резултат
DocType: Journal Entry,Debit Note,Дебитно известие
DocType: Stock Entry,As per Stock UOM,По фондова мерна единица
@@ -4350,12 +4380,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,По подразбиране - Склад за готова продукция
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Търговец
DocType: SMS Parameter,SMS Parameter,SMS параметър
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Бюджет и Разходен център
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Бюджет и Разходен център
DocType: Vehicle Service,Half Yearly,Полугодишна
DocType: Lead,Blog Subscriber,Блог - Абонат
DocType: Guardian,Alternate Number,Alternate Number
DocType: Assessment Plan Criteria,Maximum Score,Максимална оценка
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,"Създаване на правила за ограничаване на транзакции, основани на стойност."
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Групова ролка №
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Оставете празно, ако правите групи ученици на година"
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Ако е избрано, Total не. на работните дни ще включва празници, а това ще доведе до намаляване на стойността на Заплата на ден"
DocType: Purchase Invoice,Total Advance,Общо Advance
@@ -4373,6 +4404,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Това се основава на сделки срещу този клиент. Вижте график по-долу за повече подробности
DocType: Supplier,Credit Days Based On,Дни на кредит на база на
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Row {0}: отпусната сума {1} трябва да е по-малка или равна на сумата на плащане Влизане {2}
+,Course wise Assessment Report,Разумен доклад за оценка
DocType: Tax Rule,Tax Rule,Данъчна Правило
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Поддържане и съща ставка През Продажби Cycle
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Планирайте времето трупи извън Workstation работно време.
@@ -4381,7 +4413,7 @@
,Items To Be Requested,Позиции които да бъдат поискани
DocType: Purchase Order,Get Last Purchase Rate,Вземи курс от последна покупка
DocType: Company,Company Info,Информация за компанията
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Изберете или добавите нов клиент
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Изберете или добавите нов клиент
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,"Разходен център е необходим, за да осчетоводите разход"
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Прилагане на средства (активи)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Това се основава на присъствието на този служител
@@ -4389,27 +4421,29 @@
DocType: Fiscal Year,Year Start Date,Година Начална дата
DocType: Attendance,Employee Name,Служител Име
DocType: Sales Invoice,Rounded Total (Company Currency),Общо закръглено (фирмена валута)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,"Не може да се покров Group, защото е избран типа на профила."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Не може да се покров Group, защото е избран типа на профила."
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,"{0} {1} е променен. Моля, опреснете."
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Спрете потребители от извършване Оставете Заявленията за следните дни.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,сума на покупката
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Оферта на доставчик {0} е създадена
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Край година не може да бъде преди Start Година
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Доходи на наети лица
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Доходи на наети лица
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Опакованото количество трябва да е равно на количество за артикул {0} на ред {1}
DocType: Production Order,Manufactured Qty,Произведено Количество
DocType: Purchase Receipt Item,Accepted Quantity,Прието Количество
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},"Моля, задайте по подразбиране Holiday Списък на служителите {0} или Фирма {1}"
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} не съществува
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} не съществува
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Изберете партидни номера
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Фактури издадени на клиенти.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Id Project
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},"Row Не {0}: сума не може да бъде по-голяма, отколкото До сума срещу Expense претенция {1}. До сума е {2}"
DocType: Maintenance Schedule,Schedule,Разписание
DocType: Account,Parent Account,Родител Акаунт
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Наличен
DocType: Quality Inspection Reading,Reading 3,Четене 3
,Hub,Главина
DocType: GL Entry,Voucher Type,Тип Ваучер
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Ценова листа не е намерен или инвалиди
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Ценова листа не е намерен или инвалиди
DocType: Employee Loan Application,Approved,Одобрен
DocType: Pricing Rule,Price,Цена
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Служител облекчение на {0} трябва да се зададе като "Ляв"
@@ -4420,7 +4454,8 @@
DocType: Selling Settings,Campaign Naming By,Задаване на име на кампания
DocType: Employee,Current Address Is,Настоящият адрес е
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,модифициран
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","По избор. Задава валута по подразбиране компания, ако не е посочено."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","По избор. Задава валута по подразбиране компания, ако не е посочено."
+DocType: Sales Invoice,Customer GSTIN,Клиент GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Счетоводни записи в дневник
DocType: Delivery Note Item,Available Qty at From Warehouse,В наличност Количество в От Warehouse
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,"Моля, изберете първо запис на служител."
@@ -4428,7 +4463,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Party / Сметка не съвпада с {1} / {2} в {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,"Моля, въведете Expense Account"
DocType: Account,Stock,Наличност
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row {0}: Референтен Document Type трябва да бъде един от поръчка за покупка, покупка на фактура или вестник Влизане"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row {0}: Референтен Document Type трябва да бъде един от поръчка за покупка, покупка на фактура или вестник Влизане"
DocType: Employee,Current Address,Настоящ Адрес
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ако елемент е вариант на друга позиция след това описание, изображение, ценообразуване, данъци и т.н., ще бъдат определени от шаблона, освен ако изрично е посочено"
DocType: Serial No,Purchase / Manufacture Details,Покупка / Производство Детайли
@@ -4441,8 +4476,8 @@
DocType: Pricing Rule,Min Qty,Минимално Количество
DocType: Asset Movement,Transaction Date,Транзакция - Дата
DocType: Production Plan Item,Planned Qty,Планирно Количество
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Общо Данък
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,За Количество (Произведено Количество) е задължително
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Общо Данък
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,За Количество (Произведено Количество) е задължително
DocType: Stock Entry,Default Target Warehouse,Приемащ склад по подразбиране
DocType: Purchase Invoice,Net Total (Company Currency),Нето Общо (фирмена валута)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,"Датата края на годината не може да бъде по-рано от датата Година Start. Моля, коригирайте датите и опитайте отново."
@@ -4456,13 +4491,11 @@
DocType: Hub Settings,Hub Settings,Настройки Hub
DocType: Project,Gross Margin %,Брутна печалба %
DocType: BOM,With Operations,С Operations
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Счетоводни записи вече са направени във валута {0} за компанията {1}. Моля изберете вземания или платима сметка с валута {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Счетоводни записи вече са направени във валута {0} за компанията {1}. Моля изберете вземания или платима сметка с валута {0}.
DocType: Asset,Is Existing Asset,Е съществуваща дълготр.актив
DocType: Salary Detail,Statistical Component,Статистически компонент
-,Monthly Salary Register,Месечна заплата Регистрация
DocType: Warranty Claim,If different than customer address,Ако е различен от адреса на клиента
DocType: BOM Operation,BOM Operation,BOM Операция
-DocType: School Settings,Validate the Student Group from Program Enrollment,Утвърдете студентската група от включването в програмата
DocType: Purchase Taxes and Charges,On Previous Row Amount,На предишния ред Сума
DocType: Student,Home Address,Начален адрес
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Прехвърляне на активи
@@ -4470,28 +4503,27 @@
DocType: Training Event,Event Name,Име на събитието
apps/erpnext/erpnext/config/schools.py +39,Admission,Допускане
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Прием за {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Сезонността за определяне на бюджетите, цели и т.н."
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Позиция {0} е шаблон, моля изберете една от неговите варианти"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Сезонността за определяне на бюджетите, цели и т.н."
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Позиция {0} е шаблон, моля изберете една от неговите варианти"
DocType: Asset,Asset Category,Asset Категория
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Купувач
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Net заплащането не може да бъде отрицателна
DocType: SMS Settings,Static Parameters,Статични параметри
DocType: Assessment Plan,Room,Стая
DocType: Purchase Order,Advance Paid,Авансово изплатени суми
DocType: Item,Item Tax,Позиция - Данък
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Материал на доставчик
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Акцизите Invoice
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Акцизите Invoice
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Праг за {0}% се появява повече от веднъж
DocType: Expense Claim,Employees Email Id,Служители Email Id
DocType: Employee Attendance Tool,Marked Attendance,Маркирано като присъствие
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Текущи задължения
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Текущи задължения
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Изпратете маса SMS към вашите контакти
DocType: Program,Program Name,програма Наименование
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Помислете за данък или такса за
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Действително Количество е задължително
DocType: Employee Loan,Loan Type,Вид на кредита
DocType: Scheduling Tool,Scheduling Tool,Scheduling Tool
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Кредитна Карта
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Кредитна Карта
DocType: BOM,Item to be manufactured or repacked,Т да се произвеждат или преопаковани
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Настройките по подразбиране транзакции със стоки.
DocType: Purchase Invoice,Next Date,Следващата дата
@@ -4507,10 +4539,10 @@
DocType: Stock Entry,Repack,Опаковайте
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,"Вие трябва да запазите формата, преди да продължите"
DocType: Item Attribute,Numeric Values,Числови стойности
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Прикрепете Logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Прикрепете Logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,запасите
DocType: Customer,Commission Rate,Комисионен Курс
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Направи вариант
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Направи вариант
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Блокиране на молби за отсъствия по отдел.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Вид на плащане трябва да бъде един от получаване, плащане или вътрешен трансфер"
apps/erpnext/erpnext/config/selling.py +179,Analytics,анализ
@@ -4518,45 +4550,45 @@
DocType: Vehicle,Model,Модел
DocType: Production Order,Actual Operating Cost,Действителни оперативни разходи
DocType: Payment Entry,Cheque/Reference No,Чек / Референтен номер по
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Root не може да се редактира.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root не може да се редактира.
DocType: Item,Units of Measure,Мерни единици за измерване
DocType: Manufacturing Settings,Allow Production on Holidays,Допусне производство на празници
DocType: Sales Order,Customer's Purchase Order Date,Поръчка на Клиента - Дата
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Капитал
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Капитал
DocType: Shopping Cart Settings,Show Public Attachments,Показване на публичните прикачени файлове
DocType: Packing Slip,Package Weight Details,Тегло на пакет - Детайли
DocType: Payment Gateway Account,Payment Gateway Account,Плащане Портал Акаунт
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,След плащане завършване пренасочи потребителското към избраната страница.
DocType: Company,Existing Company,Съществуващите Company
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Категорията "Данъци" е променена на "Общо", тъй като всички теми са неакции"
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Моля изберете файл CSV
DocType: Student Leave Application,Mark as Present,Маркирай като настояще
DocType: Purchase Order,To Receive and Bill,За получаване и фактуриране
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Специални продукти
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Дизайнер
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Дизайнер
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Условия за ползване - Шаблон
DocType: Serial No,Delivery Details,Детайли за доставка
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Разходен център се изисква в ред {0} в таблица за данъци вид {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Разходен център се изисква в ред {0} в таблица за данъци вид {1}
DocType: Program,Program Code,програмен код
DocType: Terms and Conditions,Terms and Conditions Help,Условия за ползване - Помощ
,Item-wise Purchase Register,Точка-мъдър Покупка Регистрация
DocType: Batch,Expiry Date,Срок На Годност
-,Supplier Addresses and Contacts,Доставчик Адреси и контакти
,accounts-browser,сметки-браузър
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,"Моля, изберете Категория първо"
apps/erpnext/erpnext/config/projects.py +13,Project master.,Майстор Project.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","За да се позволи на над-фактуриране или над-поръчка, актуализира "квота" в Сток Settings или елемента."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","За да се позволи на над-фактуриране или над-поръчка, актуализира "квота" в Сток Settings или елемента."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Да не се показва символи като $ и т.н. до валути.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Половин ден)
DocType: Supplier,Credit Days,Дни - Кредит
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Направи Student Batch
DocType: Leave Type,Is Carry Forward,Е пренасяне
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Вземи позициите от BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Вземи позициите от BOM
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Време за въвеждане - Дни
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row {0}: Публикуване Дата трябва да е същото като датата на покупка {1} на актив {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row {0}: Публикуване Дата трябва да е същото като датата на покупка {1} на актив {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,"Моля, въведете Поръчки за продажби в таблицата по-горе"
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Не е изпратен фиш за заплата
,Stock Summary,фондова Резюме
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Прехвърляне на актив от един склад в друг
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Прехвърляне на актив от един склад в друг
DocType: Vehicle,Petrol,бензин
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Спецификация на материал
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Row {0}: Party Тип и страна се изисква за получаване / плащане сметка {1}
@@ -4567,6 +4599,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Санкционирани Сума
DocType: GL Entry,Is Opening,Се отваря
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Row {0}: дебитна не може да бъде свързана с {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Сметка {0} не съществува
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Сметка {0} не съществува
DocType: Account,Cash,Каса (Пари в брой)
DocType: Employee,Short biography for website and other publications.,Кратка биография на уебсайт и други публикации.
diff --git a/erpnext/translations/bn.csv b/erpnext/translations/bn.csv
index 69de882..375aee1 100644
--- a/erpnext/translations/bn.csv
+++ b/erpnext/translations/bn.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,ভোগ্যপণ্য
DocType: Item,Customer Items,গ্রাহক চলছে
DocType: Project,Costing and Billing,খোয়াতে এবং বিলিং
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,অ্যাকাউন্ট {0}: মূল অ্যাকাউন্ট তথ্য {1} একটি খতিয়ান হতে পারবেন না
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,অ্যাকাউন্ট {0}: মূল অ্যাকাউন্ট তথ্য {1} একটি খতিয়ান হতে পারবেন না
DocType: Item,Publish Item to hub.erpnext.com,Hub.erpnext.com আইটেমটি প্রকাশ করুন
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,ইমেল বিজ্ঞপ্তি
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,মূল্যায়ন
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,মূল্যায়ন
DocType: Item,Default Unit of Measure,মেজার ডিফল্ট ইউনিট
DocType: SMS Center,All Sales Partner Contact,সমস্ত বিক্রয় সঙ্গী সাথে যোগাযোগ
DocType: Employee,Leave Approvers,Approvers ত্যাগ
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),এক্সচেঞ্জ রেট হিসাবে একই হতে হবে {0} {1} ({2})
DocType: Sales Invoice,Customer Name,ক্রেতার নাম
DocType: Vehicle,Natural Gas,প্রাকৃতিক গ্যাস
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},ব্যাংক অ্যাকাউন্ট হিসেবে নামকরণ করা যাবে না {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},ব্যাংক অ্যাকাউন্ট হিসেবে নামকরণ করা যাবে না {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"প্রধান (বা গ্রুপ), যার বিরুদ্ধে হিসাব থেকে তৈরি করা হয় এবং উদ্বৃত্ত বজায় রাখা হয়."
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),বিশিষ্ট {0} হতে পারে না শূন্য কম ({1})
DocType: Manufacturing Settings,Default 10 mins,10 মিনিট ডিফল্ট
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,সমস্ত সরবরাহকারী যোগাযোগ
DocType: Support Settings,Support Settings,সাপোর্ট সেটিং
DocType: SMS Parameter,Parameter,স্থিতিমাপ
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,সমাপ্তি প্রত্যাশিত তারিখ প্রত্যাশিত স্টার্ট জন্ম কম হতে পারে না
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,সমাপ্তি প্রত্যাশিত তারিখ প্রত্যাশিত স্টার্ট জন্ম কম হতে পারে না
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,সারি # {0}: হার হিসাবে একই হতে হবে {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,নিউ ছুটি আবেদন
,Batch Item Expiry Status,ব্যাচ আইটেম মেয়াদ শেষ হওয়ার স্থিতি
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,ব্যাংক খসড়া
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,ব্যাংক খসড়া
DocType: Mode of Payment Account,Mode of Payment Account,পেমেন্ট একাউন্ট এর মোড
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,দেখান রুপভেদ
DocType: Academic Term,Academic Term,একাডেমিক টার্ম
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,উপাদান
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,পরিমাণ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,অ্যাকাউন্ট টেবিল খালি রাখা যাবে না.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),ঋণ (দায়)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),ঋণ (দায়)
DocType: Employee Education,Year of Passing,পাসের সন
DocType: Item,Country of Origin,মাত্রিভূমি
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,স্টক ইন
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,স্টক ইন
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,এমনকি আপনি যদি
DocType: Production Plan Item,Production Plan Item,উৎপাদন পরিকল্পনা আইটেম
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},ব্যবহারকারী {0} ইতিমধ্যে কর্মচারী নির্ধারিত হয় {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,স্বাস্থ্যের যত্ন
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),পেমেন্ট মধ্যে বিলম্ব (দিন)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,পরিষেবা ব্যায়ের
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},ক্রমিক সংখ্যা: {0} ইতিমধ্যে বিক্রয় চালান উল্লেখ করা হয়: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},ক্রমিক সংখ্যা: {0} ইতিমধ্যে বিক্রয় চালান উল্লেখ করা হয়: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,চালান
DocType: Maintenance Schedule Item,Periodicity,পর্যাবৃত্তি
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,অর্থবছরের {0} প্রয়োজন বোধ করা হয়
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,সারি # {0}:
DocType: Timesheet,Total Costing Amount,মোট খোয়াতে পরিমাণ
DocType: Delivery Note,Vehicle No,যানবাহন কোন
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,মূল্য তালিকা নির্বাচন করুন
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,মূল্য তালিকা নির্বাচন করুন
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,সারি # {0}: পেমেন্ট ডকুমেন্ট trasaction সম্পন্ন করার জন্য প্রয়োজন বোধ করা হয়
DocType: Production Order Operation,Work In Progress,কাজ চলছে
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,দয়া করে তারিখ নির্বাচন
DocType: Employee,Holiday List,ছুটির তালিকা
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,হিসাবরক্ষক
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,হিসাবরক্ষক
DocType: Cost Center,Stock User,স্টক ইউজার
DocType: Company,Phone No,ফোন নম্বর
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,কোর্স সূচী সৃষ্টি
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},নতুন {0}: # {1}
,Sales Partners Commission,সেলস পার্টনার্স কমিশন
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,অধিক 5 অক্ষর থাকতে পারে না সমাহার
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,অধিক 5 অক্ষর থাকতে পারে না সমাহার
DocType: Payment Request,Payment Request,পরিশোধের অনুরোধ
DocType: Asset,Value After Depreciation,মূল্য অবচয় পর
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,এ্যাটেনডেন্স তারিখ কর্মচারী এর যোগদান তারিখের কম হতে পারে না
DocType: Grading Scale,Grading Scale Name,শূন্য স্কেল নাম
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,এটি একটি root অ্যাকাউন্ট এবং সম্পাদনা করা যাবে না.
+DocType: Sales Invoice,Company Address,প্রতিস্থান এর ঠিকানা
DocType: BOM,Operations,অপারেশনস
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},জন্য ছাড়ের ভিত্তিতে অনুমোদন সেট করা যায় না {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","দুই কলাম, পুরাতন নাম জন্য এক এবং নতুন নামের জন্য এক সঙ্গে CSV ফাইল সংযুক্ত"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} কোনো সক্রিয় অর্থবছরে না.
DocType: Packed Item,Parent Detail docname,মূল বিস্তারিত docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","রেফারেন্স: {0}, আইটেম কোড: {1} এবং গ্রাহক: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,কেজি
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,কেজি
DocType: Student Log,Log,লগিন
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,একটি কাজের জন্য খোলা.
DocType: Item Attribute,Increment,বৃদ্ধি
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,বিজ্ঞাপন
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,একই কোম্পানীর একবারের বেশি প্রবেশ করানো হয়
DocType: Employee,Married,বিবাহিত
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},অনুমোদিত নয় {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},অনুমোদিত নয় {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,থেকে আইটেম পান
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},শেয়ার হুণ্ডি বিরুদ্ধে আপডেট করা যাবে না {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},শেয়ার হুণ্ডি বিরুদ্ধে আপডেট করা যাবে না {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},প্রোডাক্ট {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,তালিকাভুক্ত কোনো আইটেম
DocType: Payment Reconciliation,Reconcile,মিলনসাধন করা
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,পরবর্তী অবচয় তারিখ আগে ক্রয়ের তারিখ হতে পারে না
DocType: SMS Center,All Sales Person,সব বিক্রয় ব্যক্তি
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** মাসিক বিতরণ ** আপনি যদি আপনার ব্যবসার মধ্যে ঋতু আছে আপনি মাস জুড়ে বাজেট / উদ্দিষ্ট বিতরণ করতে সাহায্য করে.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,না আইটেম পাওয়া যায়নি
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,না আইটেম পাওয়া যায়নি
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,বেতন কাঠামো অনুপস্থিত
DocType: Lead,Person Name,ব্যক্তির নাম
DocType: Sales Invoice Item,Sales Invoice Item,বিক্রয় চালান আইটেম
DocType: Account,Credit,জমা
DocType: POS Profile,Write Off Cost Center,খরচ কেন্দ্র বন্ধ লিখুন
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""","যেমন, "প্রাথমিক স্কুল" বা "বিশ্ববিদ্যালয়""
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""","যেমন, "প্রাথমিক স্কুল" বা "বিশ্ববিদ্যালয়""
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,স্টক রিপোর্ট
DocType: Warehouse,Warehouse Detail,ওয়ারহাউস বিস্তারিত
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},ক্রেডিট সীমা গ্রাহকের জন্য পার হয়েছে {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},ক্রেডিট সীমা গ্রাহকের জন্য পার হয়েছে {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,টার্ম শেষ তারিখ পরে একাডেমিক ইয়ার বছর শেষ তারিখ যা শব্দটি সংযুক্ত করা হয় না হতে পারে (শিক্ষাবর্ষ {}). তারিখ সংশোধন করে আবার চেষ্টা করুন.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",", অবারিত হতে পারে না যেমন অ্যাসেট রেকর্ড আইটেমটি বিরুদ্ধে বিদ্যমান "ফিক্সড সম্পদ""
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",", অবারিত হতে পারে না যেমন অ্যাসেট রেকর্ড আইটেমটি বিরুদ্ধে বিদ্যমান "ফিক্সড সম্পদ""
DocType: Vehicle Service,Brake Oil,ব্রেক অয়েল
DocType: Tax Rule,Tax Type,ট্যাক্স ধরন
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},আপনি আগে এন্ট্রি যোগ করতে অথবা আপডেট করার জন্য অনুমতিপ্রাপ্ত নন {0}
DocType: BOM,Item Image (if not slideshow),আইটেম ইমেজ (ছবি না হলে)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,একটি গ্রাহক এই একই নামের
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(ঘন্টা হার / ৬০) * প্রকৃত অপারেশন টাইম
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,BOM নির্বাচন
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,BOM নির্বাচন
DocType: SMS Log,SMS Log,এসএমএস লগ
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,বিতরণ আইটেম খরচ
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,এ {0} ছুটির মধ্যে তারিখ থেকে এবং তারিখ থেকে নয়
@@ -159,13 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},থেকে {0} থেকে {1}
DocType: Item,Copy From Item Group,আইটেম গ্রুপ থেকে কপি
DocType: Journal Entry,Opening Entry,প্রারম্ভিক ভুক্তি
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,গ্রাহক> গ্রাহক গ্রুপের> টেরিটরি
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,হিসাব চুকিয়ে শুধু
DocType: Employee Loan,Repay Over Number of Periods,শোধ ওভার পর্যায়কাল সংখ্যা
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} মধ্যে নাম নথিভুক্ত করা হয় না দেওয়া {2}
DocType: Stock Entry,Additional Costs,অতিরিক্ত খরচ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,বিদ্যমান লেনদেন সঙ্গে অ্যাকাউন্ট গ্রুপ রূপান্তরিত করা যাবে না.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,বিদ্যমান লেনদেন সঙ্গে অ্যাকাউন্ট গ্রুপ রূপান্তরিত করা যাবে না.
DocType: Lead,Product Enquiry,পণ্য অনুসন্ধান
DocType: Academic Term,Schools,শিক্ষক
+DocType: School Settings,Validate Batch for Students in Student Group,শিক্ষার্থীর গ্রুপ ছাত্ররা জন্য ব্যাচ যাচাই
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},কোন ছুটি রেকর্ড কর্মচারী জন্য পাওয়া {0} জন্য {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,প্রথম কোম্পানি লিখুন দয়া করে
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,প্রথম কোম্পানি নির্বাচন করুন
@@ -174,48 +176,48 @@
DocType: BOM,Total Cost,মোট খরচ
DocType: Journal Entry Account,Employee Loan,কর্মচারী ঋণ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,কার্য বিবরণ:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,{0} আইটেম সিস্টেমে কোন অস্তিত্ব নেই অথবা মেয়াদ শেষ হয়ে গেছে
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,{0} আইটেম সিস্টেমে কোন অস্তিত্ব নেই অথবা মেয়াদ শেষ হয়ে গেছে
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,আবাসন
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,অ্যাকাউন্ট বিবৃতি
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,ফার্মাসিউটিক্যালস
DocType: Purchase Invoice Item,Is Fixed Asset,পরিসম্পদ হয়
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","উপলভ্য Qty {0}, আপনি প্রয়োজন হয় {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","উপলভ্য Qty {0}, আপনি প্রয়োজন হয় {1}"
DocType: Expense Claim Detail,Claim Amount,দাবি পরিমাণ
-DocType: Employee,Mr,জনাব
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,ডুপ্লিকেট গ্রাহকের গ্রুপ cutomer গ্রুপ টেবিল অন্তর্ভুক্ত
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,সরবরাহকারী ধরন / সরবরাহকারী
DocType: Naming Series,Prefix,উপসর্গ
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Consumable
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Consumable
DocType: Employee,B-,বি-
DocType: Upload Attendance,Import Log,আমদানি লগ
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,টানুন উপরে মাপকাঠির ভিত্তিতে টাইপ প্রস্তুত উপাদান অনুরোধ
DocType: Training Result Employee,Grade,শ্রেণী
DocType: Sales Invoice Item,Delivered By Supplier,সরবরাহকারী দ্বারা বিতরণ
DocType: SMS Center,All Contact,সমস্ত যোগাযোগ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,উত্পাদনের অর্ডার ইতিমধ্যে BOM সঙ্গে সব আইটেম জন্য সৃষ্টি
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,বার্ষিক বেতন
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,উত্পাদনের অর্ডার ইতিমধ্যে BOM সঙ্গে সব আইটেম জন্য সৃষ্টি
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,বার্ষিক বেতন
DocType: Daily Work Summary,Daily Work Summary,দৈনন্দিন কাজ সারাংশ
DocType: Period Closing Voucher,Closing Fiscal Year,ফিস্ক্যাল বছর সমাপ্তি
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} হিমায়িত করা
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,দয়া করে হিসাব চার্ট তৈরি করার জন্য বিদ্যমান কোম্পানী নির্বাচন
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,স্টক খরচ
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} হিমায়িত করা
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,দয়া করে হিসাব চার্ট তৈরি করার জন্য বিদ্যমান কোম্পানী নির্বাচন
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,স্টক খরচ
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,নির্বাচন উদ্দিষ্ট ওয়্যারহাউস
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,অনুগ্রহ করে লিখুন পছন্দের যোগাযোগ ইমেইল
+DocType: Program Enrollment,School Bus,স্কুল বাস
DocType: Journal Entry,Contra Entry,বিরূদ্ধে এণ্ট্রি
DocType: Journal Entry Account,Credit in Company Currency,কোম্পানি একক ঋণ
DocType: Delivery Note,Installation Status,ইনস্টলেশনের অবস্থা
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",আপনি উপস্থিতি আপডেট করতে চান না? <br> বর্তমান: {0} \ <br> অনুপস্থিত: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Qty পরিত্যক্ত গৃহীত + আইটেম জন্য গৃহীত পরিমাণ সমান হতে হবে {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Qty পরিত্যক্ত গৃহীত + আইটেম জন্য গৃহীত পরিমাণ সমান হতে হবে {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,সাপ্লাই কাঁচামালের ক্রয় জন্য
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,পেমেন্ট অন্তত একটি মোড পিওএস চালান জন্য প্রয়োজন বোধ করা হয়.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,পেমেন্ট অন্তত একটি মোড পিওএস চালান জন্য প্রয়োজন বোধ করা হয়.
DocType: Products Settings,Show Products as a List,দেখান পণ্য একটি তালিকা হিসাবে
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records",", টেমপ্লেট ডাউনলোড উপযুক্ত তথ্য পূরণ করুন এবং পরিবর্তিত ফাইল সংযুক্ত. আপনার নির্বাচিত সময়ের মধ্যে সব তারিখগুলি এবং কর্মচারী সমন্বয় বিদ্যমান উপস্থিতি রেকর্ড সঙ্গে, টেমপ্লেট আসবে"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,{0} আইটেম সক্রিয় নয় বা জীবনের শেষ হয়েছে পৌঁছেছেন
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,উদাহরণ: বেসিক গণিত
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","আইটেম রেট সারি {0} মধ্যে ট্যাক্স সহ, সারি করের {1} এছাড়াও অন্তর্ভুক্ত করা আবশ্যক"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,{0} আইটেম সক্রিয় নয় বা জীবনের শেষ হয়েছে পৌঁছেছেন
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,উদাহরণ: বেসিক গণিত
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","আইটেম রেট সারি {0} মধ্যে ট্যাক্স সহ, সারি করের {1} এছাড়াও অন্তর্ভুক্ত করা আবশ্যক"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,এইচআর মডিউল ব্যবহার সংক্রান্ত সেটিংস Comment
DocType: SMS Center,SMS Center,এসএমএস কেন্দ্র
DocType: Sales Invoice,Change Amount,পরিমাণ পরিবর্তন
@@ -225,7 +227,7 @@
DocType: Lead,Request Type,অনুরোধ টাইপ
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,কর্মচারী করুন
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,সম্প্রচার
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,সম্পাদন
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,সম্পাদন
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,অপারেশনের বিবরণ সম্পন্ন.
DocType: Serial No,Maintenance Status,রক্ষণাবেক্ষণ অবস্থা
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: সরবরাহকারী প্রদেয় অ্যাকাউন্ট বিরুদ্ধে প্রয়োজন বোধ করা হয় {2}
@@ -253,7 +255,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,উদ্ধৃতি জন্য অনুরোধ নিম্নলিখিত লিঙ্কে ক্লিক করে প্রবেশ করা যেতে পারে
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,বছরের জন্য পাতার বরাদ্দ.
DocType: SG Creation Tool Course,SG Creation Tool Course,এস জি ক্রিয়েশন টুল কোর্স
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,অপর্যাপ্ত স্টক
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,অপর্যাপ্ত স্টক
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,অক্ষম ক্ষমতা পরিকল্পনা এবং সময় ট্র্যাকিং
DocType: Email Digest,New Sales Orders,নতুন বিক্রয় আদেশ
DocType: Bank Guarantee,Bank Account,ব্যাংক হিসাব
@@ -264,8 +266,9 @@
DocType: Production Order Operation,Updated via 'Time Log','টাইম ইন' র মাধ্যমে আপডেট
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},অগ্রিম পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না {0} {1}
DocType: Naming Series,Series List for this Transaction,এই লেনদেনে সিরিজ তালিকা
+DocType: Company,Enable Perpetual Inventory,চিরস্থায়ী পরিসংখ্যা সক্ষম করুন
DocType: Company,Default Payroll Payable Account,ডিফল্ট বেতনের প্রদেয় অ্যাকাউন্ট
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,আপডেট ইমেল গ্রুপ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,আপডেট ইমেল গ্রুপ
DocType: Sales Invoice,Is Opening Entry,এন্ট্রি খোলা হয়
DocType: Customer Group,Mention if non-standard receivable account applicable,উল্লেখ অ স্ট্যান্ডার্ড প্রাপ্য যদি প্রযোজ্য
DocType: Course Schedule,Instructor Name,প্রশিক্ষক নাম
@@ -277,13 +280,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,বিক্রয় চালান আইটেমটি বিরুদ্ধে
,Production Orders in Progress,প্রগতি উৎপাদন আদেশ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,অর্থায়ন থেকে নিট ক্যাশ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","স্থানীয় সঞ্চয়স্থান পূর্ণ, সংরক্ষণ করা হয়নি"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","স্থানীয় সঞ্চয়স্থান পূর্ণ, সংরক্ষণ করা হয়নি"
DocType: Lead,Address & Contact,ঠিকানা ও যোগাযোগ
DocType: Leave Allocation,Add unused leaves from previous allocations,আগের বরাদ্দ থেকে অব্যবহৃত পাতার করো
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},পরবর্তী আবর্তক {0} উপর তৈরি করা হবে {1}
DocType: Sales Partner,Partner website,অংশীদার ওয়েবসাইট
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,আইটেম যোগ করুন
-,Contact Name,যোগাযোগের নাম
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,যোগাযোগের নাম
DocType: Course Assessment Criteria,Course Assessment Criteria,কোর্সের অ্যাসেসমেন্ট নির্ণায়ক
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,উপরে উল্লিখিত মানদণ্ড জন্য বেতন স্লিপ তৈরি করা হয়.
DocType: POS Customer Group,POS Customer Group,পিওএস গ্রাহক গ্রুপ
@@ -292,18 +295,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,দেওয়া কোন বিবরণ
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,কেনার জন্য অনুরোধ জানান.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,এই সময় শীট এই প্রকল্পের বিরুদ্ধে নির্মিত উপর ভিত্তি করে
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,নিট পে 0 কম হতে পারে না
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,নিট পে 0 কম হতে পারে না
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,শুধু নির্বাচিত ছুটি রাজসাক্ষী এই ছুটি আবেদন জমা দিতে পারেন
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,তারিখ মুক্তিদান যোগদান তারিখ থেকে বড় হওয়া উচিত
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,প্রতি বছর পত্রাদি
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,প্রতি বছর পত্রাদি
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,সারি {0}: চেক করুন অ্যাকাউন্টের বিরুদ্ধে 'আগাম' {1} এই একটি অগ্রিম এন্ট্রি হয়.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},{0} ওয়্যারহাউস কোম্পানি অন্তর্গত নয় {1}
DocType: Email Digest,Profit & Loss,লাভ ক্ষতি
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,লিটার
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,লিটার
DocType: Task,Total Costing Amount (via Time Sheet),মোট খোয়াতে পরিমাণ (টাইম শিট মাধ্যমে)
DocType: Item Website Specification,Item Website Specification,আইটেম ওয়েবসাইট স্পেসিফিকেশন
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,ত্যাগ অবরুদ্ধ
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},আইটেম {0} জীবনের তার শেষ পৌঁছেছে {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},আইটেম {0} জীবনের তার শেষ পৌঁছেছে {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,ব্যাংক দাখিলা
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,বার্ষিক
DocType: Stock Reconciliation Item,Stock Reconciliation Item,শেয়ার রিকনসিলিয়েশন আইটেম
@@ -311,9 +314,9 @@
DocType: Material Request Item,Min Order Qty,ন্যূনতম আদেশ Qty
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,শিক্ষার্থীর গ্রুপ সৃষ্টি টুল কোর্স
DocType: Lead,Do Not Contact,যোগাযোগ না
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,যাদের কাছে আপনার প্রতিষ্ঠানের পড়ান
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,যাদের কাছে আপনার প্রতিষ্ঠানের পড়ান
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,সব আবর্তক চালান ট্র্যাকিং জন্য অনন্য আইডি. এটি জমা দিতে হবে নির্মাণ করা হয়.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,সফ্টওয়্যার ডেভেলপার
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,সফ্টওয়্যার ডেভেলপার
DocType: Item,Minimum Order Qty,নূন্যতম আদেশ Qty
DocType: Pricing Rule,Supplier Type,সরবরাহকারী ধরন
DocType: Course Scheduling Tool,Course Start Date,কোর্স শুরুর তারিখ
@@ -322,11 +325,11 @@
DocType: Item,Publish in Hub,হাব প্রকাশ
DocType: Student Admission,Student Admission,ছাত্র-ছাত্রী ভর্তি
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,{0} আইটেম বাতিল করা হয়
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,{0} আইটেম বাতিল করা হয়
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,উপাদানের জন্য অনুরোধ
DocType: Bank Reconciliation,Update Clearance Date,আপডেট পরিস্কারের তারিখ
DocType: Item,Purchase Details,ক্রয় বিবরণ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ক্রয় করার 'কাঁচামাল সরবরাহ করা' টেবিলের মধ্যে পাওয়া আইটেম {0} {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ক্রয় করার 'কাঁচামাল সরবরাহ করা' টেবিলের মধ্যে পাওয়া আইটেম {0} {1}
DocType: Employee,Relation,সম্পর্ক
DocType: Shipping Rule,Worldwide Shipping,বিশ্বব্যাপী শিপিং
DocType: Student Guardian,Mother,মা
@@ -345,6 +348,7 @@
DocType: Student Group Student,Student Group Student,শিক্ষার্থীর গ্রুপ ছাত্র
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,সর্বশেষ
DocType: Vehicle Service,Inspection,পরিদর্শন
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,তালিকা
DocType: Email Digest,New Quotations,নতুন উদ্ধৃতি
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,কর্মচারী থেকে ইমেল বেতন স্লিপ কর্মচারী নির্বাচিত পছন্দসই ই-মেইল উপর ভিত্তি করে
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,যদি তালিকার প্রথম ছুটি রাজসাক্ষী ডিফল্ট ছুটি রাজসাক্ষী হিসাবে নির্ধারণ করা হবে
@@ -353,20 +357,20 @@
DocType: Asset,Next Depreciation Date,পরবর্তী অবচয় তারিখ
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,কর্মচারী প্রতি কার্যকলাপ খরচ
DocType: Accounts Settings,Settings for Accounts,অ্যাকাউন্ট এর জন্য সেটিং
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},সরবরাহকারী চালান কোন ক্রয় চালান মধ্যে বিদ্যমান {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},সরবরাহকারী চালান কোন ক্রয় চালান মধ্যে বিদ্যমান {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,সেলস পারসন গাছ পরিচালনা.
DocType: Job Applicant,Cover Letter,কাভার লেটার
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,বিশিষ্ট চেক এবং পরিষ্কার আমানত
DocType: Item,Synced With Hub,হাব সঙ্গে synced
DocType: Vehicle,Fleet Manager,দ্রুত ব্যবস্থাপক
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},সারি # {0}: {1} আইটেমের জন্য নেতিবাচক হতে পারে না {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,ভুল গুপ্তশব্দ
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,ভুল গুপ্তশব্দ
DocType: Item,Variant Of,মধ্যে variant
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',চেয়ে 'স্টক প্রস্তুত করতে' সম্পন্ন Qty বৃহত্তর হতে পারে না
DocType: Period Closing Voucher,Closing Account Head,অ্যাকাউন্ট হেড সমাপ্তি
DocType: Employee,External Work History,বাহ্যিক কাজের ইতিহাস
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,সার্কুলার রেফারেন্স ত্রুটি
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1 নাম
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 নাম
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,আপনি হুণ্ডি সংরক্ষণ একবার শব্দ (রপ্তানি) দৃশ্যমান হবে.
DocType: Cheque Print Template,Distance from left edge,বাম প্রান্ত থেকে দূরত্ব
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{1}] ইউনিট (# ফরম / আইটেম / {1}) [{2}] অন্তর্ভুক্ত (# ফরম / গুদাম / {2})
@@ -375,11 +379,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,স্বয়ংক্রিয় উপাদান অনুরোধ নির্মাণের ইমেইল দ্বারা সূচিত
DocType: Journal Entry,Multi Currency,বিভিন্ন দেশের মুদ্রা
DocType: Payment Reconciliation Invoice,Invoice Type,চালান প্রকার
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,চালান পত্র
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,চালান পত্র
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,করের আপ সেট
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,বিক্রি অ্যাসেট খরচ
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,আপনি এটি টানা পরে পেমেন্ট ভুক্তি নথীটি পরিবর্তিত হয়েছে. আবার এটি টান করুন.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} আইটেম ট্যাক্সে দুইবার প্রবেশ করা হয়েছে
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,আপনি এটি টানা পরে পেমেন্ট ভুক্তি নথীটি পরিবর্তিত হয়েছে. আবার এটি টান করুন.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} আইটেম ট্যাক্সে দুইবার প্রবেশ করা হয়েছে
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,এই সপ্তাহে এবং স্থগিত কার্যক্রম জন্য সারসংক্ষেপ
DocType: Student Applicant,Admitted,ভর্তি
DocType: Workstation,Rent Cost,ভাড়া খরচ
@@ -397,25 +401,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,প্রবেশ ক্ষেত্রের মান 'দিন মাস পুনরাবৃত্তি' দয়া করে
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"গ্রাহক একক গ্রাহকের বেস কারেন্সি রূপান্তরিত হয়, যা এ হার"
DocType: Course Scheduling Tool,Course Scheduling Tool,কোর্সের পূর্বপরিকল্পনা টুল
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},সারি # {0}: ক্রয় চালান একটি বিদ্যমান সম্পদ বিরুদ্ধে করা যাবে না {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},সারি # {0}: ক্রয় চালান একটি বিদ্যমান সম্পদ বিরুদ্ধে করা যাবে না {1}
DocType: Item Tax,Tax Rate,করের হার
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} ইতিমধ্যে কর্মচারী জন্য বরাদ্দ {1} সময়ের {2} জন্য {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,পছন্দ করো
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,চালান {0} ইতিমধ্যেই জমা ক্রয়
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,চালান {0} ইতিমধ্যেই জমা ক্রয়
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},সারি # {0}: ব্যাচ কোন হিসাবে একই হতে হবে {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,অ দলের রূপান্তর
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,একটি আইটেম এর ব্যাচ (অনেক).
DocType: C-Form Invoice Detail,Invoice Date,চালান তারিখ
DocType: GL Entry,Debit Amount,ডেবিট পরিমাণ
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},শুধুমাত্র এ কোম্পানির প্রতি 1 অ্যাকাউন্ট থাকতে পারে {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,অনুগ্রহ পূর্বক সংযুক্তি দেখুন
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},শুধুমাত্র এ কোম্পানির প্রতি 1 অ্যাকাউন্ট থাকতে পারে {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,অনুগ্রহ পূর্বক সংযুক্তি দেখুন
DocType: Purchase Order,% Received,% গৃহীত
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,ছাত্র সংগঠনগুলো তৈরি করুন
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,সেটআপ ইতিমধ্যে সম্পূর্ণ !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,ক্রেডিট নোট পরিমাণ
,Finished Goods,সমাপ্ত পণ্য
DocType: Delivery Note,Instructions,নির্দেশনা
DocType: Quality Inspection,Inspected By,পরিদর্শন
DocType: Maintenance Visit,Maintenance Type,রক্ষণাবেক্ষণ টাইপ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} কোর্সের মধ্যে নাম নথিভুক্ত করা হয় না {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},সিরিয়াল কোন {0} হুণ্ডি অন্তর্গত নয় {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext ডেমো
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,উপকরণ অ্যাড
@@ -436,7 +442,7 @@
DocType: Request for Quotation,Request for Quotation,উদ্ধৃতি জন্য অনুরোধ
DocType: Salary Slip Timesheet,Working Hours,কর্মঘন্টা
DocType: Naming Series,Change the starting / current sequence number of an existing series.,একটি বিদ্যমান সিরিজের শুরু / বর্তমান ক্রম সংখ্যা পরিবর্তন করুন.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,একটি নতুন গ্রাহক তৈরি করুন
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,একটি নতুন গ্রাহক তৈরি করুন
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",একাধিক দামে ব্যাপা চলতে থাকে তবে ব্যবহারকারীরা সংঘাতের সমাধান করতে নিজে অগ্রাধিকার সেট করতে বলা হয়.
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,ক্রয় আদেশ তৈরি করুন
,Purchase Register,ক্রয় নিবন্ধন
@@ -448,7 +454,7 @@
DocType: Student Log,Medical,মেডিকেল
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,হারানোর জন্য কারণ
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,লিড মালিক লিড হিসাবে একই হতে পারে না
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,বরাদ্দ পরিমাণ অনিয়ন্ত্রিত পরিমাণ তার চেয়ে অনেক বেশী করতে পারেন না
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,বরাদ্দ পরিমাণ অনিয়ন্ত্রিত পরিমাণ তার চেয়ে অনেক বেশী করতে পারেন না
DocType: Announcement,Receiver,গ্রাহক
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},ওয়ার্কস্টেশন ছুটির তালিকা অনুযায়ী নিম্নলিখিত তারিখগুলি উপর বন্ধ করা হয়: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,সুযোগ
@@ -462,8 +468,7 @@
DocType: Assessment Plan,Examiner Name,পরীক্ষক নাম
DocType: Purchase Invoice Item,Quantity and Rate,পরিমাণ ও হার
DocType: Delivery Note,% Installed,% ইনস্টল করা হয়েছে
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,শ্রেণীকক্ষ / গবেষণাগার ইত্যাদি যেখানে বক্তৃতা নির্ধারণ করা যাবে.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,সরবরাহকারী> সরবরাহকারী প্রকার
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,শ্রেণীকক্ষ / গবেষণাগার ইত্যাদি যেখানে বক্তৃতা নির্ধারণ করা যাবে.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,প্রথম কোম্পানি নাম লিখুন
DocType: Purchase Invoice,Supplier Name,সরবরাহকারী নাম
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,ERPNext ম্যানুয়াল পড়ুন
@@ -473,7 +478,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,চেক সরবরাহকারী চালান নম্বর স্বতন্ত্রতা
DocType: Vehicle Service,Oil Change,তেল পরিবর্তন
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','কেস নংপর্যন্ত' কখনই 'কেস নং থেকে' এর চেয়ে কম হতে পারে না
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,মুনাফা বিহীন
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,মুনাফা বিহীন
DocType: Production Order,Not Started,শুরু না
DocType: Lead,Channel Partner,চ্যানেল পার্টনার
DocType: Account,Old Parent,প্রাচীন মূল
@@ -483,19 +488,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,সব উত্পাদন প্রক্রিয়া জন্য গ্লোবাল সেটিংস.
DocType: Accounts Settings,Accounts Frozen Upto,হিমায়িত পর্যন্ত অ্যাকাউন্ট
DocType: SMS Log,Sent On,পাঠানো
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,গুন {0} আরোপ ছক মধ্যে একাধিক বার নির্বাচিত
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,গুন {0} আরোপ ছক মধ্যে একাধিক বার নির্বাচিত
DocType: HR Settings,Employee record is created using selected field. ,কর্মচারী রেকর্ড নির্বাচিত ক্ষেত্র ব্যবহার করে নির্মিত হয়.
DocType: Sales Order,Not Applicable,প্রযোজ্য নয়
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,হলিডে মাস্টার.
DocType: Request for Quotation Item,Required Date,প্রয়োজনীয় তারিখ
DocType: Delivery Note,Billing Address,বিলিং ঠিকানা
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,আইটেম কোড প্রবেশ করুন.
DocType: BOM,Costing,খোয়াতে
DocType: Tax Rule,Billing County,বিলিং কাউন্টি
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","চেক যদি ইতিমধ্যে প্রিন্ট হার / প্রিন্ট পরিমাণ অন্তর্ভুক্ত হিসাবে, ট্যাক্স পরিমাণ বিবেচনা করা হবে"
DocType: Request for Quotation,Message for Supplier,সরবরাহকারী জন্য বার্তা
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,মোট Qty
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 ইমেইল আইডি
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 ইমেইল আইডি
DocType: Item,Show in Website (Variant),ওয়েবসাইট দেখান (বৈকল্পিক)
DocType: Employee,Health Concerns,স্বাস্থ সচেতন
DocType: Process Payroll,Select Payroll Period,বেতনের সময়কাল নির্বাচন
@@ -513,25 +517,27 @@
DocType: Sales Order Item,Used for Production Plan,উৎপাদন পরিকল্পনা জন্য ব্যবহৃত
DocType: Employee Loan,Total Payment,মোট পরিশোধ
DocType: Manufacturing Settings,Time Between Operations (in mins),(মিনিট) অপারেশনস মধ্যে সময়
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} বাতিল করা হয়েছে, যাতে কর্ম সম্পন্ন করা যাবে না"
DocType: Customer,Buyer of Goods and Services.,পণ্য ও সার্ভিসেস ক্রেতা.
DocType: Journal Entry,Accounts Payable,পরিশোধযোগ্য হিসাব
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,নির্বাচিত BOMs একই আইটেমের জন্য নয়
DocType: Pricing Rule,Valid Upto,বৈধ পর্যন্ত
DocType: Training Event,Workshop,কারখানা
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,আপনার গ্রাহকদের কয়েক তালিকা. তারা সংগঠন বা ব্যক্তি হতে পারে.
-,Enough Parts to Build,পর্যাপ্ত যন্ত্রাংশ তৈরি করুন
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,সরাসরি আয়
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,আপনার গ্রাহকদের কয়েক তালিকা. তারা সংগঠন বা ব্যক্তি হতে পারে.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,পর্যাপ্ত যন্ত্রাংশ তৈরি করুন
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,সরাসরি আয়
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account",অ্যাকাউন্ট দ্বারা গ্রুপকৃত তাহলে অ্যাকাউন্ট উপর ভিত্তি করে ফিল্টার করতে পারবে না
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,প্রশাসনিক কর্মকর্তা
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,দয়া করে কোর্সের নির্বাচন
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,প্রশাসনিক কর্মকর্তা
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,দয়া করে কোর্সের নির্বাচন
DocType: Timesheet Detail,Hrs,ঘন্টা
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,কোম্পানি নির্বাচন করুন
DocType: Stock Entry Detail,Difference Account,পার্থক্য অ্যাকাউন্ট
+DocType: Purchase Invoice,Supplier GSTIN,সরবরাহকারী GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,তার নির্ভরশীল টাস্ক {0} বন্ধ না হয় বন্ধ টাস্ক না পারেন.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"উপাদান অনুরোধ উত্থাপিত হবে, যার জন্য গুদাম লিখুন দয়া করে"
DocType: Production Order,Additional Operating Cost,অতিরিক্ত অপারেটিং খরচ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,অঙ্গরাগ
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items",মার্জ করার জন্য নিম্নলিখিত বৈশিষ্ট্য উভয় আইটেম জন্য একই হতে হবে
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items",মার্জ করার জন্য নিম্নলিখিত বৈশিষ্ট্য উভয় আইটেম জন্য একই হতে হবে
DocType: Shipping Rule,Net Weight,প্রকৃত ওজন
DocType: Employee,Emergency Phone,জরুরী ফোন
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,কেনা
@@ -540,14 +546,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,দয়া করে প্রারম্ভিক মান 0% গ্রেড নির্ধারণ
DocType: Sales Order,To Deliver,প্রদান করা
DocType: Purchase Invoice Item,Item,আইটেম
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,সিরিয়াল কোন আইটেমের একটি ভগ্নাংশ হতে পারে না
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,সিরিয়াল কোন আইটেমের একটি ভগ্নাংশ হতে পারে না
DocType: Journal Entry,Difference (Dr - Cr),পার্থক্য (ডাঃ - CR)
DocType: Account,Profit and Loss,লাভ এবং ক্ষতি
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,ম্যানেজিং প্রণীত
DocType: Project,Project will be accessible on the website to these users,প্রকল্প এই ব্যবহারকারীর জন্য ওয়েবসাইটে অ্যাক্সেস করা যাবে
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,হারে যা মূল্যতালিকা মুদ্রার এ কোম্পানির বেস কারেন্সি রূপান্তরিত হয়
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},{0} অ্যাকাউন্ট কোম্পানি অন্তর্গত নয়: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,সমাহার ইতিমধ্যে অন্য কোম্পানীর জন্য ব্যবহৃত
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},{0} অ্যাকাউন্ট কোম্পানি অন্তর্গত নয়: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,সমাহার ইতিমধ্যে অন্য কোম্পানীর জন্য ব্যবহৃত
DocType: Selling Settings,Default Customer Group,ডিফল্ট গ্রাহক গ্রুপ
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","অক্ষম করলে, 'গোলাকৃতি মোট' ক্ষেত্রের কোনো লেনদেনে দৃশ্যমান হবে না"
DocType: BOM,Operating Cost,পরিচালনা খরচ
@@ -555,7 +561,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,বর্ধিত 0 হতে পারবেন না
DocType: Production Planning Tool,Material Requirement,উপাদান প্রয়োজন
DocType: Company,Delete Company Transactions,কোম্পানি লেনদেন মুছে
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,রেফারেন্স কোন ও রেফারেন্স তারিখ ব্যাংক লেনদেনের জন্য বাধ্যতামূলক
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,রেফারেন্স কোন ও রেফারেন্স তারিখ ব্যাংক লেনদেনের জন্য বাধ্যতামূলক
DocType: Purchase Receipt,Add / Edit Taxes and Charges,/ সম্পাদনা কর ও চার্জ যোগ
DocType: Purchase Invoice,Supplier Invoice No,সরবরাহকারী চালান কোন
DocType: Territory,For reference,অবগতির জন্য
@@ -566,22 +572,22 @@
DocType: Installation Note Item,Installation Note Item,ইনস্টলেশন নোট আইটেম
DocType: Production Plan Item,Pending Qty,মুলতুবি Qty
DocType: Budget,Ignore,উপেক্ষা করা
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} সক্রিয় নয়
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} সক্রিয় নয়
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},এসএমএস নিম্নলিখিত সংখ্যা পাঠানো: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,সেটআপ চেক মুদ্রণের জন্য মাত্রা
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,সেটআপ চেক মুদ্রণের জন্য মাত্রা
DocType: Salary Slip,Salary Slip Timesheet,বেতন স্লিপ শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,উপ-সংকুচিত কেনার রসিদ জন্য বাধ্যতামূলক সরবরাহকারী ওয়্যারহাউস
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,উপ-সংকুচিত কেনার রসিদ জন্য বাধ্যতামূলক সরবরাহকারী ওয়্যারহাউস
DocType: Pricing Rule,Valid From,বৈধ হবে
DocType: Sales Invoice,Total Commission,মোট কমিশন
DocType: Pricing Rule,Sales Partner,বিক্রয় অংশীদার
DocType: Buying Settings,Purchase Receipt Required,কেনার রসিদ প্রয়োজনীয়
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,যদি খোলা স্টক প্রবেশ মূল্যনির্ধারণ হার বাধ্যতামূলক
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,যদি খোলা স্টক প্রবেশ মূল্যনির্ধারণ হার বাধ্যতামূলক
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,চালান টেবিল অন্তর্ভুক্ত কোন রেকর্ড
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,প্রথম কোম্পানি ও অনুষ্ঠান প্রকার নির্বাচন করুন
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,আর্থিক / অ্যাকাউন্টিং বছর.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,আর্থিক / অ্যাকাউন্টিং বছর.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,সঞ্চিত মূল্যবোধ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","দুঃখিত, সিরিয়াল আমরা মার্জ করা যাবে না"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,বিক্রয় আদেশ তৈরি করুন
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,বিক্রয় আদেশ তৈরি করুন
DocType: Project Task,Project Task,প্রকল্প টাস্ক
,Lead Id,লিড আইডি
DocType: C-Form Invoice Detail,Grand Total,সর্বমোট
@@ -598,7 +604,7 @@
DocType: Job Applicant,Resume Attachment,পুনঃসূচনা সংযুক্তি
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,পুনরাবৃত্ত গ্রাহকদের
DocType: Leave Control Panel,Allocate,বরাদ্দ
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,সেলস প্রত্যাবর্তন
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,সেলস প্রত্যাবর্তন
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,দ্রষ্টব্য: মোট বরাদ্দ পাতা {0} ইতিমধ্যে অনুমোদন পাতার চেয়ে কম হওয়া উচিত নয় {1} সময়ের জন্য
DocType: Announcement,Posted By,কারো দ্বারা কোন কিছু ডাকঘরে পাঠানো
DocType: Item,Delivered by Supplier (Drop Ship),সরবরাহকারীকে বিতরণ (ড্রপ জাহাজ)
@@ -608,8 +614,8 @@
DocType: Quotation,Quotation To,উদ্ধৃতি
DocType: Lead,Middle Income,মধ্য আয়
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),খোলা (যোগাযোগ Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,আপনি ইতিমধ্যে অন্য UOM সঙ্গে কিছু লেনদেন (গুলি) করেছেন কারণ আইটেম জন্য মেজার ডিফল্ট ইউনিট {0} সরাসরি পরিবর্তন করা যাবে না. আপনি একটি ভিন্ন ডিফল্ট UOM ব্যবহার করার জন্য একটি নতুন আইটেম তৈরি করতে হবে.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,বরাদ্দ পরিমাণ নেতিবাচক হতে পারে না
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,আপনি ইতিমধ্যে অন্য UOM সঙ্গে কিছু লেনদেন (গুলি) করেছেন কারণ আইটেম জন্য মেজার ডিফল্ট ইউনিট {0} সরাসরি পরিবর্তন করা যাবে না. আপনি একটি ভিন্ন ডিফল্ট UOM ব্যবহার করার জন্য একটি নতুন আইটেম তৈরি করতে হবে.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,বরাদ্দ পরিমাণ নেতিবাচক হতে পারে না
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,কোম্পানির সেট করুন
DocType: Purchase Order Item,Billed Amt,দেখানো হয়েছিল মাসিক
DocType: Training Result Employee,Training Result Employee,প্রশিক্ষণ ফল কর্মচারী
@@ -621,7 +627,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,নির্বাচন পেমেন্ট একাউন্ট ব্যাংক এণ্ট্রি করতে
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","পাতা, ব্যয় দাবী এবং মাইনে পরিচালনা করতে কর্মচারী রেকর্ড তৈরি করুন"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,নলেজ বেস জুড়ুন
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,প্রস্তাবনা লিখন
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,প্রস্তাবনা লিখন
DocType: Payment Entry Deduction,Payment Entry Deduction,পেমেন্ট এণ্ট্রি সিদ্ধান্তগ্রহণ
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,অন্য বিক্রয় ব্যক্তি {0} একই কর্মচারী আইডি দিয়ে বিদ্যমান
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","তাহলে যে আইটেম উপ-সংকুচিত উপাদান অনুরোধ মধ্যে অন্তর্ভুক্ত করা হবে জন্য চেক, কাঁচামাল"
@@ -635,7 +641,7 @@
DocType: Timesheet,Billed,বিল
DocType: Batch,Batch Description,ব্যাচ বিবরণ
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,ছাত্র গ্রুপ তৈরি করা হচ্ছে
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","পেমেন্ট গেটওয়ে অ্যাকাউন্ট আমি ক্রীড়াচ্ছলে সৃষ্টি করিনি, এক ম্যানুয়ালি তৈরি করুন."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","পেমেন্ট গেটওয়ে অ্যাকাউন্ট আমি ক্রীড়াচ্ছলে সৃষ্টি করিনি, এক ম্যানুয়ালি তৈরি করুন."
DocType: Sales Invoice,Sales Taxes and Charges,বিক্রয় করের ও চার্জ
DocType: Employee,Organization Profile,সংস্থার প্রোফাইল
DocType: Student,Sibling Details,সহোদর বিস্তারিত
@@ -657,11 +663,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,পরিসংখ্যা মধ্যে নিট পরিবর্তন
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,কর্মচারী ঋণ ব্যবস্থাপনা
DocType: Employee,Passport Number,পাসপোর্ট নম্বার
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Guardian2 সাথে সর্ম্পক
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,ম্যানেজার
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2 সাথে সর্ম্পক
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,ম্যানেজার
DocType: Payment Entry,Payment From / To,পেমেন্ট থেকে / প্রতি
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},নতুন ক্রেডিট সীমা গ্রাহকের জন্য বর্তমান অসামান্য রাশির চেয়ে কম হয়. ক্রেডিট সীমা অন্তত হতে হয়েছে {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,একই আইটেমের একাধিক বার প্রবেশ করানো হয়েছে.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},নতুন ক্রেডিট সীমা গ্রাহকের জন্য বর্তমান অসামান্য রাশির চেয়ে কম হয়. ক্রেডিট সীমা অন্তত হতে হয়েছে {0}
DocType: SMS Settings,Receiver Parameter,রিসিভার পরামিতি
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'গ্রুপ দ্বারা' এবং 'উপর ভিত্তি করে' একই হতে পারে না
DocType: Sales Person,Sales Person Targets,সেলস পারসন লক্ষ্যমাত্রা
@@ -670,8 +675,9 @@
DocType: Issue,Resolution Date,রেজোলিউশন তারিখ
DocType: Student Batch Name,Batch Name,ব্যাচ নাম
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড তৈরি করা হয়েছে:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},পেমেন্ট মোডে ডিফল্ট ক্যাশ বা ব্যাংক একাউন্ট সেট করুন {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},পেমেন্ট মোডে ডিফল্ট ক্যাশ বা ব্যাংক একাউন্ট সেট করুন {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,নথিভুক্ত করা
+DocType: GST Settings,GST Settings,GST সেটিং
DocType: Selling Settings,Customer Naming By,গ্রাহক নেমিং
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,ছাত্র ছাত্র মাসের এ্যাটেনডেন্স প্রতিবেদন হিসেবে বর্তমান দেখাবে
DocType: Depreciation Schedule,Depreciation Amount,অবচয় পরিমাণ
@@ -693,6 +699,7 @@
DocType: Item,Material Transfer,উপাদান স্থানান্তর
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),খোলা (ড)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},পোস্ট টাইমস্ট্যাম্প পরে হবে {0}
+,GST Itemised Purchase Register,GST আইটেমাইজড ক্রয় নিবন্ধন
DocType: Employee Loan,Total Interest Payable,প্রদেয় মোট সুদ
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ল্যান্ড খরচ কর ও শুল্ক
DocType: Production Order Operation,Actual Start Time,প্রকৃত আরম্ভের সময়
@@ -719,10 +726,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
DocType: Account,Accounts,অ্যাকাউন্ট
DocType: Vehicle,Odometer Value (Last),দূরত্বমাপণী মূল্য (শেষ)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,মার্কেটিং
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,মার্কেটিং
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,পেমেন্ট ভুক্তি ইতিমধ্যে তৈরি করা হয়
DocType: Purchase Receipt Item Supplied,Current Stock,বর্তমান তহবিল
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},সারি # {0}: অ্যাসেট {1} আইটেম লিঙ্ক নেই {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},সারি # {0}: অ্যাসেট {1} আইটেম লিঙ্ক নেই {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,প্রি বেতন স্লিপ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,অ্যাকাউন্ট {0} একাধিক বার প্রবেশ করানো হয়েছে
DocType: Account,Expenses Included In Valuation,খরচ মূল্যনির্ধারণ অন্তর্ভুক্ত
@@ -730,7 +737,7 @@
,Absent Student Report,অনুপস্থিত শিক্ষার্থীর প্রতিবেদন
DocType: Email Digest,Next email will be sent on:,পরবর্তী ইমেলে পাঠানো হবে:
DocType: Offer Letter Term,Offer Letter Term,পত্র টার্ম প্রস্তাব
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,আইটেম ভিন্নতা আছে.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,আইটেম ভিন্নতা আছে.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,আইটেম {0} পাওয়া যায়নি
DocType: Bin,Stock Value,স্টক মূল্য
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,কোম্পানির {0} অস্তিত্ব নেই
@@ -739,7 +746,7 @@
DocType: Serial No,Warranty Expiry Date,পাটা মেয়াদ শেষ হওয়ার তারিখ
DocType: Material Request Item,Quantity and Warehouse,পরিমাণ এবং ওয়্যারহাউস
DocType: Sales Invoice,Commission Rate (%),কমিশন হার (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,দয়া করে নির্বাচন করুন প্রোগ্রাম
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,দয়া করে নির্বাচন করুন প্রোগ্রাম
DocType: Project,Estimated Cost,আনুমানিক খরচ
DocType: Purchase Order,Link to material requests,উপাদান অনুরোধ লিংক
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,বিমান উড্ডয়ন এলাকা
@@ -753,14 +760,14 @@
DocType: Purchase Order,Supply Raw Materials,সাপ্লাই কাঁচামালের
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,পরের চালান তৈরি করা হবে কোন তারিখে. এটি জমা দিতে হবে নির্মাণ করা হয়.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,চলতি সম্পদ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} একটি স্টক আইটেম নয়
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} একটি স্টক আইটেম নয়
DocType: Mode of Payment Account,Default Account,ডিফল্ট একাউন্ট
DocType: Payment Entry,Received Amount (Company Currency),প্রাপ্তঃ পরিমাণ (কোম্পানি মুদ্রা)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,সুযোগ লিড থেকে তৈরি করা হয় তাহলে লিড নির্ধারণ করা আবশ্যক
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,সাপ্তাহিক ছুটির দিন নির্বাচন করুন
DocType: Production Order Operation,Planned End Time,পরিকল্পনা শেষ সময়
,Sales Person Target Variance Item Group-Wise,সেলস পারসন উদ্দিষ্ট ভেদাংক আইটেমটি গ্রুপ-প্রজ্ঞাময়
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,বিদ্যমান লেনদেনের সঙ্গে অ্যাকাউন্ট লেজার রূপান্তরিত করা যাবে না
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,বিদ্যমান লেনদেনের সঙ্গে অ্যাকাউন্ট লেজার রূপান্তরিত করা যাবে না
DocType: Delivery Note,Customer's Purchase Order No,গ্রাহকের ক্রয় আদেশ কোন
DocType: Budget,Budget Against,বাজেট বিরুদ্ধে
DocType: Employee,Cell Number,মোবাইল নম্বর
@@ -772,15 +779,13 @@
DocType: Opportunity,Opportunity From,থেকে সুযোগ
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,মাসিক বেতন বিবৃতি.
DocType: BOM,Website Specifications,ওয়েবসাইট উল্লেখ
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,দয়া করে সেটআপ সেটআপ মাধ্যমে এ্যাটেনডেন্স জন্য সিরিজ সংখ্যায়ন> সংখ্যায়ন সিরিজ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: টাইপ {1} এর {0} থেকে
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,সারি {0}: রূপান্তর ফ্যাক্টর বাধ্যতামূলক
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,সারি {0}: রূপান্তর ফ্যাক্টর বাধ্যতামূলক
DocType: Employee,A+,একটি A
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","একাধিক দাম বিধি একই মানদণ্ড সঙ্গে বিদ্যমান, অগ্রাধিকার বরাদ্দ করে সংঘাত সমাধান করুন. দাম নিয়মাবলী: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,নিষ্ক্রিয় অথবা অন্য BOMs সাথে সংযুক্ত করা হয় হিসাবে BOM বাতিল করতে পারেন না
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","একাধিক দাম বিধি একই মানদণ্ড সঙ্গে বিদ্যমান, অগ্রাধিকার বরাদ্দ করে সংঘাত সমাধান করুন. দাম নিয়মাবলী: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,নিষ্ক্রিয় অথবা অন্য BOMs সাথে সংযুক্ত করা হয় হিসাবে BOM বাতিল করতে পারেন না
DocType: Opportunity,Maintenance,রক্ষণাবেক্ষণ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},আইটেম জন্য প্রয়োজন কেনার রসিদ নম্বর {0}
DocType: Item Attribute Value,Item Attribute Value,আইটেম মান গুন
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,সেলস প্রচারণা.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড করুন
@@ -813,29 +818,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},অ্যাসেট জার্নাল এন্ট্রি মাধ্যমে বাতিল {0}
DocType: Employee Loan,Interest Income Account,সুদ আয় অ্যাকাউন্ট
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,বায়োটেকনোলজি
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,অফিস রক্ষণাবেক্ষণ খরচ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,অফিস রক্ষণাবেক্ষণ খরচ
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ইমেইল অ্যাকাউন্ট সেট আপ
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,প্রথম আইটেম লিখুন দয়া করে
DocType: Account,Liability,দায়
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,অনুমোদিত পরিমাণ সারি মধ্যে দাবি করে বেশি পরিমাণে হতে পারে না {0}.
DocType: Company,Default Cost of Goods Sold Account,জিনিষপত্র বিক্রি অ্যাকাউন্ট ডিফল্ট খরচ
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,মূল্যতালিকা নির্বাচিত না
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,মূল্যতালিকা নির্বাচিত না
DocType: Employee,Family Background,পারিবারিক ইতিহাস
DocType: Request for Quotation Supplier,Send Email,বার্তা পাঠাও
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},সতর্কবাণী: অবৈধ সংযুক্তি {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},সতর্কবাণী: অবৈধ সংযুক্তি {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,অনুমতি নেই
DocType: Company,Default Bank Account,ডিফল্ট ব্যাঙ্ক অ্যাকাউন্ট
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","পার্টি উপর ভিত্তি করে ফিল্টার করুন, নির্বাচন পার্টি প্রথম টাইপ"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"আইটেম মাধ্যমে বিতরণ করা হয় না, কারণ 'আপডেট স্টক চেক করা যাবে না {0}"
DocType: Vehicle,Acquisition Date,অধিগ্রহণ তারিখ
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,আমরা
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,আমরা
DocType: Item,Items with higher weightage will be shown higher,উচ্চ গুরুত্ব দিয়ে চলছে উচ্চ দেখানো হবে
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,ব্যাংক পুনর্মিলন বিস্তারিত
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,সারি # {0}: অ্যাসেট {1} দাখিল করতে হবে
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,সারি # {0}: অ্যাসেট {1} দাখিল করতে হবে
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,কোন কর্মচারী পাওয়া
DocType: Supplier Quotation,Stopped,বন্ধ
DocType: Item,If subcontracted to a vendor,একটি বিক্রেতা আউটসোর্স করে
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,শিক্ষার্থীর গোষ্ঠী ইতিমধ্যেই আপডেট করা হয়।
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,শিক্ষার্থীর গোষ্ঠী ইতিমধ্যেই আপডেট করা হয়।
DocType: SMS Center,All Customer Contact,সব গ্রাহকের যোগাযোগ
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,CSV মাধ্যমে স্টক ব্যালেন্স আপলোড করুন.
DocType: Warehouse,Tree Details,বৃক্ষ বিস্তারিত
@@ -847,13 +852,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: খরচ কেন্দ্র {2} কোম্পানির অন্তর্গত নয় {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: অ্যাকাউন্ট {2} একটি গ্রুপ হতে পারে না
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,আইটেম সারি {idx}: {DOCTYPE} {DOCNAME} উপরে বিদ্যমান নেই '{DOCTYPE}' টেবিল
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড {0} ইতিমধ্যে সম্পন্ন বা বাতিল করা হয়েছে
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড {0} ইতিমধ্যে সম্পন্ন বা বাতিল করা হয়েছে
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,কোন কর্ম
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","অটো চালান 05, 28 ইত্যাদি যেমন তৈরি করা হবে যা মাসের দিন"
DocType: Asset,Opening Accumulated Depreciation,খোলা সঞ্চিত অবচয়
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,স্কোর 5 থেকে কম বা সমান হবে
DocType: Program Enrollment Tool,Program Enrollment Tool,প্রোগ্রাম তালিকাভুক্তি টুল
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,সি-ফরম রেকর্ড
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,সি-ফরম রেকর্ড
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,গ্রাহক এবং সরবরাহকারী
DocType: Email Digest,Email Digest Settings,ইমেইল ডাইজেস্ট সেটিংস
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,আপনার ব্যবসার জন্য আপনাকে ধন্যবাদ!
@@ -863,17 +868,19 @@
DocType: Bin,Moving Average Rate,গড় হার মুভিং
DocType: Production Planning Tool,Select Items,আইটেম নির্বাচন করুন
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} বিল বিপরীতে {1} তারিখের {2}
+DocType: Program Enrollment,Vehicle/Bus Number,ভেহিকেল / বাস নম্বর
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,কোর্স সুচী
DocType: Maintenance Visit,Completion Status,শেষ অবস্থা
DocType: HR Settings,Enter retirement age in years,বছরে অবসরের বয়স লিখুন
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,উদ্দিষ্ট ওয়্যারহাউস
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,দয়া করে একটি গুদাম নির্বাচন
DocType: Cheque Print Template,Starting location from left edge,বাম প্রান্ত থেকে অবস্থান শুরু হচ্ছে
DocType: Item,Allow over delivery or receipt upto this percent,এই শতাংশ পর্যন্ত বিতরণ বা প্রাপ্তি ধরে মঞ্জুরি
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,আমদানি এ্যাটেনডেন্স
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,সকল আইটেম গ্রুপ
DocType: Process Payroll,Activity Log,কার্য বিবরণ
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,নিট লাভ / ক্ষতি
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,নিট লাভ / ক্ষতি
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,স্বয়ংক্রিয়ভাবে লেনদেন জমা বার্তা রচনা.
DocType: Production Order,Item To Manufacture,আইটেম উত্পাদনপ্রণালী
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} অবস্থা {2} হয়
@@ -882,16 +889,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,পেমেন্ট করার আদেশ ক্রয়
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,অভিক্ষিপ্ত Qty
DocType: Sales Invoice,Payment Due Date,পরিশোধযোগ্য তারিখ
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,আইটেম ভেরিয়েন্ট {0} ইতিমধ্যে একই বৈশিষ্ট্যাবলী সঙ্গে বিদ্যমান
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,আইটেম ভেরিয়েন্ট {0} ইতিমধ্যে একই বৈশিষ্ট্যাবলী সঙ্গে বিদ্যমান
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',' শুরু'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,কি জন্য উন্মুক্ত
DocType: Notification Control,Delivery Note Message,হুণ্ডি পাঠান
DocType: Expense Claim,Expenses,খরচ
+,Support Hours,সাপোর্ট ঘন্টা
DocType: Item Variant Attribute,Item Variant Attribute,আইটেম ভেরিয়েন্ট গুন
,Purchase Receipt Trends,কেনার রসিদ প্রবণতা
DocType: Process Payroll,Bimonthly,দ্বিমাসিক
DocType: Vehicle Service,Brake Pad,ব্রেক প্যাড
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,গবেষণা ও উন্নয়ন
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,গবেষণা ও উন্নয়ন
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,বিল পরিমাণ
DocType: Company,Registration Details,রেজিস্ট্রেশন বিস্তারিত
DocType: Timesheet,Total Billed Amount,মোট বিল পরিমাণ
@@ -904,12 +912,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,শুধু তাই কাঁচামালের
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,কর্মক্ষমতা মূল্যায়ন.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","সক্ষম করা হলে, 'শপিং কার্ট জন্য প্রদর্শন করো' এ শপিং কার্ট যেমন সক্রিয় করা হয় এবং শপিং কার্ট জন্য অন্তত একটি ট্যাক্স নিয়ম আছে উচিত"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","পেমেন্ট এণ্ট্রি {0} অর্ডার {1}, চেক যদি এটা এই চালান অগ্রিম হিসেবে টানা করা উচিত বিরুদ্ধে সংযুক্ত করা হয়."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","পেমেন্ট এণ্ট্রি {0} অর্ডার {1}, চেক যদি এটা এই চালান অগ্রিম হিসেবে টানা করা উচিত বিরুদ্ধে সংযুক্ত করা হয়."
DocType: Sales Invoice Item,Stock Details,স্টক Details
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,প্রকল্প মূল্য
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,বিক্রয় বিন্দু
DocType: Vehicle Log,Odometer Reading,দূরত্বমাপণী পড়া
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","ইতিমধ্যে ক্রেডিট অ্যাকাউন্ট ব্যালেন্স, আপনি 'ডেবিট' হিসেবে 'ব্যালেন্স করতে হবে' সেট করার অনুমতি দেওয়া হয় না"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","ইতিমধ্যে ক্রেডিট অ্যাকাউন্ট ব্যালেন্স, আপনি 'ডেবিট' হিসেবে 'ব্যালেন্স করতে হবে' সেট করার অনুমতি দেওয়া হয় না"
DocType: Account,Balance must be,ব্যালেন্স থাকতে হবে
DocType: Hub Settings,Publish Pricing,প্রাইসিং প্রকাশ
DocType: Notification Control,Expense Claim Rejected Message,ব্যয় দাবি প্রত্যাখ্যান পাঠান
@@ -919,7 +927,7 @@
DocType: Salary Slip,Working Days,কর্মদিবস
DocType: Serial No,Incoming Rate,ইনকামিং হার
DocType: Packing Slip,Gross Weight,মোট ওজন
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,"আপনার কোম্পানির নাম, যার জন্য আপনি এই সিস্টেম সেট আপ করা হয়."
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,"আপনার কোম্পানির নাম, যার জন্য আপনি এই সিস্টেম সেট আপ করা হয়."
DocType: HR Settings,Include holidays in Total no. of Working Days,কোন মোট মধ্যে ছুটির অন্তর্ভুক্ত. কার্যদিবসের
DocType: Job Applicant,Hold,রাখা
DocType: Employee,Date of Joining,যোগদান তারিখ
@@ -930,20 +938,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,কেনার রশিদ
,Received Items To Be Billed,গৃহীত চলছে বিল তৈরি করা
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Submitted বেতন Slips
-DocType: Employee,Ms,শ্রীমতি
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,মুদ্রা বিনিময় হার মাস্টার.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},রেফারেন্স DOCTYPE এক হতে হবে {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,মুদ্রা বিনিময় হার মাস্টার.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},রেফারেন্স DOCTYPE এক হতে হবে {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},অপারেশন জন্য পরের {0} দিন টাইম স্লটে এটি অক্ষম {1}
DocType: Production Order,Plan material for sub-assemblies,উপ-সমাহারকে পরিকল্পনা উপাদান
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,সেলস অংশীদার এবং টেরিটরি
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,স্বয়ংক্রিয়ভাবে অ্যাকাউন্ট তৈরি করা যাবে না যেমন আছে ইতিমধ্যে অ্যাকাউন্টে স্টক ভারসাম্য. আগে আপনি এই গুদাম উপর একটি এন্ট্রি করতে পারবেন আপনি একটি মিলে অ্যাকাউন্ট তৈরি করতে হবে
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} সক্রিয় হতে হবে
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} সক্রিয় হতে হবে
DocType: Journal Entry,Depreciation Entry,অবচয় এণ্ট্রি
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,প্রথম ডকুমেন্ট টাইপ নির্বাচন করুন
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,এই রক্ষণাবেক্ষণ পরিদর্শন বাতিল আগে বাতিল উপাদান ভিজিট {0}
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},সিরিয়াল কোন {0} আইটেম অন্তর্গত নয় {1}
DocType: Purchase Receipt Item Supplied,Required Qty,প্রয়োজনীয় Qty
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,বিদ্যমান লেনদেনের সঙ্গে গুদাম খাতা থেকে রূপান্তর করা যাবে না.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,বিদ্যমান লেনদেনের সঙ্গে গুদাম খাতা থেকে রূপান্তর করা যাবে না.
DocType: Bank Reconciliation,Total Amount,মোট পরিমাণ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,ইন্টারনেট প্রকাশনা
DocType: Production Planning Tool,Production Orders,উত্পাদনের আদেশ
@@ -958,25 +964,26 @@
DocType: Fee Structure,Components,উপাদান
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},আইটেম মধ্যে লিখুন দয়া করে অ্যাসেট শ্রেণী {0}
DocType: Quality Inspection Reading,Reading 6,6 পঠন
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,না {0} {1} {2} ছাড়া কোনো নেতিবাচক অসামান্য চালান Can
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,না {0} {1} {2} ছাড়া কোনো নেতিবাচক অসামান্য চালান Can
DocType: Purchase Invoice Advance,Purchase Invoice Advance,চালান অগ্রিম ক্রয়
DocType: Hub Settings,Sync Now,সিঙ্ক এখন
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},সারি {0}: ক্রেডিট এন্ট্রি সঙ্গে যুক্ত করা যাবে না একটি {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,একটি অর্থবছরের বাজেট নির্ধারণ করুন.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,একটি অর্থবছরের বাজেট নির্ধারণ করুন.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,এই মোড নির্বাচন করা হলে ডিফল্ট ব্যাঙ্ক / ক্যাশ অ্যাকাউন্ট স্বয়ংক্রিয়ভাবে পিওএস চালান মধ্যে আপডেট করা হবে.
DocType: Lead,LEAD-,LEAD-
DocType: Employee,Permanent Address Is,স্থায়ী ঠিকানা
DocType: Production Order Operation,Operation completed for how many finished goods?,অপারেশন কতগুলি সমাপ্ত পণ্য জন্য সম্পন্ন?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,ব্র্যান্ড
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,ব্র্যান্ড
DocType: Employee,Exit Interview Details,প্রস্থান ইন্টারভিউ এর বর্ণনা
DocType: Item,Is Purchase Item,ক্রয় আইটেম
DocType: Asset,Purchase Invoice,ক্রয় চালান
DocType: Stock Ledger Entry,Voucher Detail No,ভাউচার বিস্তারিত কোন
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,নতুন সেলস চালান
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,নতুন সেলস চালান
DocType: Stock Entry,Total Outgoing Value,মোট আউটগোয়িং মূল্য
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,তারিখ এবং শেষ তারিখ খোলার একই অর্থবছরের মধ্যে হওয়া উচিত
DocType: Lead,Request for Information,তথ্যের জন্য অনুরোধ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,সিঙ্ক অফলাইন চালান
+,LeaderBoard,লিডারবোর্ড
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,সিঙ্ক অফলাইন চালান
DocType: Payment Request,Paid,প্রদত্ত
DocType: Program Fee,Program Fee,প্রোগ্রাম ফি
DocType: Salary Slip,Total in words,কথায় মোট
@@ -985,13 +992,13 @@
DocType: Cheque Print Template,Has Print Format,প্রিন্ট ফরম্যাট রয়েছে
DocType: Employee Loan,Sanctioned,অনুমোদিত
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,আবশ্যক. হয়তো মুদ্রা বিনিময় রেকর্ড এজন্য তৈরি করা হয়নি
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},সারি # {0}: আইটেম জন্য কোন সিরিয়াল উল্লেখ করুন {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'পণ্য সমষ্টি' আইটেম, গুদাম, সিরিয়াল না এবং ব্যাচ জন্য কোন 'প্যাকিং তালিকা টেবিল থেকে বিবেচনা করা হবে. ওয়ারহাউস ও ব্যাচ কোন কোন 'পণ্য সমষ্টি' আইটেমের জন্য সব প্যাকিং আইটেম জন্য একই থাকে, যারা মান প্রধান আইটেম টেবিলে সন্নিবেশ করানো যাবে, মান মেজ বোঁচকা তালিকা 'থেকে কপি করা হবে."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},সারি # {0}: আইটেম জন্য কোন সিরিয়াল উল্লেখ করুন {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'পণ্য সমষ্টি' আইটেম, গুদাম, সিরিয়াল না এবং ব্যাচ জন্য কোন 'প্যাকিং তালিকা টেবিল থেকে বিবেচনা করা হবে. ওয়ারহাউস ও ব্যাচ কোন কোন 'পণ্য সমষ্টি' আইটেমের জন্য সব প্যাকিং আইটেম জন্য একই থাকে, যারা মান প্রধান আইটেম টেবিলে সন্নিবেশ করানো যাবে, মান মেজ বোঁচকা তালিকা 'থেকে কপি করা হবে."
DocType: Job Opening,Publish on website,ওয়েবসাইটে প্রকাশ
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,গ্রাহকদের চালানে.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,সরবরাহকারী চালান তারিখ পোস্টিং তারিখ তার চেয়ে অনেক বেশী হতে পারে না
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,সরবরাহকারী চালান তারিখ পোস্টিং তারিখ তার চেয়ে অনেক বেশী হতে পারে না
DocType: Purchase Invoice Item,Purchase Order Item,আদেশ আইটেম ক্রয়
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,পরোক্ষ আয়
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,পরোক্ষ আয়
DocType: Student Attendance Tool,Student Attendance Tool,ছাত্র এ্যাটেনডেন্স টুল
DocType: Cheque Print Template,Date Settings,তারিখ সেটিং
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,অনৈক্য
@@ -1009,20 +1016,20 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,রাসায়নিক
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,ডিফল্ট ব্যাংক / ক্যাশ অ্যাকাউন্ট স্বয়ংক্রিয়ভাবে যখন এই মোড নির্বাচন করা হয় বেতন জার্নাল এন্ট্রিতে আপডেট করা হবে.
DocType: BOM,Raw Material Cost(Company Currency),কাঁচামাল খরচ (কোম্পানির মুদ্রা)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,সকল আইটেম ইতিমধ্যে এই উৎপাদন অর্ডার জন্য স্থানান্তর করা হয়েছে.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,সকল আইটেম ইতিমধ্যে এই উৎপাদন অর্ডার জন্য স্থানান্তর করা হয়েছে.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},সারি # {0}: হার ব্যবহৃত হার তার চেয়ে অনেক বেশী হতে পারে না {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,মিটার
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,মিটার
DocType: Workstation,Electricity Cost,বিদ্যুৎ খরচ
DocType: HR Settings,Don't send Employee Birthday Reminders,কর্মচারী জন্মদিনের রিমাইন্ডার পাঠাবেন না
DocType: Item,Inspection Criteria,ইন্সপেকশন নির্ণায়ক
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,স্থানান্তরিত
DocType: BOM Website Item,BOM Website Item,BOM ওয়েবসাইট আইটেম
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,আপনার চিঠি মাথা এবং লোগো আপলোড করুন. (আপনি তাদের পরে সম্পাদনা করতে পারেন).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,আপনার চিঠি মাথা এবং লোগো আপলোড করুন. (আপনি তাদের পরে সম্পাদনা করতে পারেন).
DocType: Timesheet Detail,Bill,বিল
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,পরবর্তী অবচয় তারিখ অতীত তারিখ হিসাবে প্রবেশ করানো হয়
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,সাদা
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,সাদা
DocType: SMS Center,All Lead (Open),সব নেতৃত্ব (ওপেন)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),সারি {0}: Qty জন্য পাওয়া যায় না {4} গুদামে {1} এন্ট্রির সময় পোস্টিং এ ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),সারি {0}: Qty জন্য পাওয়া যায় না {4} গুদামে {1} এন্ট্রির সময় পোস্টিং এ ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,উন্নতির প্রদত্ত করুন
DocType: Item,Automatically Create New Batch,নিউ ব্যাচ স্বয়ংক্রিয়ভাবে তৈরি করুন
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,করা
@@ -1032,13 +1039,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,আমার ট্রলি
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},যাতে টাইপ এক হতে হবে {0}
DocType: Lead,Next Contact Date,পরের যোগাযোগ তারিখ
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Qty খোলা
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,পরিমাণ পরিবর্তন অ্যাকাউন্ট প্রবেশ করুন
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Qty খোলা
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,পরিমাণ পরিবর্তন অ্যাকাউন্ট প্রবেশ করুন
DocType: Student Batch Name,Student Batch Name,ছাত্র ব্যাচ নাম
DocType: Holiday List,Holiday List Name,ছুটির তালিকা নাম
DocType: Repayment Schedule,Balance Loan Amount,ব্যালেন্স ঋণের পরিমাণ
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,সূচি কোর্স
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,বিকল্প তহবিল
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,বিকল্প তহবিল
DocType: Journal Entry Account,Expense Claim,ব্যয় দাবি
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,আপনি কি সত্যিই এই বাতিল সম্পদ পুনরুদ্ধার করতে চান না?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},জন্য Qty {0}
@@ -1050,12 +1057,12 @@
DocType: Company,Default Terms,ডিফল্ট শর্তাবলী
DocType: Packing Slip Item,Packing Slip Item,প্যাকিং স্লিপ আইটেম
DocType: Purchase Invoice,Cash/Bank Account,নগদ / ব্যাংক অ্যাকাউন্ট
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},উল্লেখ করুন একটি {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},উল্লেখ করুন একটি {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,পরিমাণ বা মান কোন পরিবর্তনের সঙ্গে সরানো আইটেম.
DocType: Delivery Note,Delivery To,বিতরণ
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,গুন টেবিল বাধ্যতামূলক
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,গুন টেবিল বাধ্যতামূলক
DocType: Production Planning Tool,Get Sales Orders,বিক্রয় আদেশ পান
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} নেতিবাচক হতে পারে না
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} নেতিবাচক হতে পারে না
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,ডিসকাউন্ট
DocType: Asset,Total Number of Depreciations,মোট Depreciations সংখ্যা
DocType: Sales Invoice Item,Rate With Margin,মার্জিন সঙ্গে হার
@@ -1075,7 +1082,6 @@
DocType: Serial No,Creation Document No,ক্রিয়েশন ডকুমেন্ট
DocType: Issue,Issue,ইস্যু
DocType: Asset,Scrapped,বাতিল
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,অ্যাকাউন্ট কোম্পানি সঙ্গে মেলে না
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","আইটেম রূপের জন্য আরোপ করা. যেমন, আকার, রঙ ইত্যাদি"
DocType: Purchase Invoice,Returns,রিটার্নস
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP ওয়্যারহাউস
@@ -1087,12 +1093,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,আইটেম বাটন 'ক্রয় রসিদ থেকে জানানোর পান' ব্যবহার করে যোগ করা হবে
DocType: Employee,A-,এ-
DocType: Production Planning Tool,Include non-stock items,অ স্টক আইটেম অন্তর্ভুক্ত
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,সেলস খরচ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,সেলস খরচ
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,স্ট্যান্ডার্ড রাজধানীতে
DocType: GL Entry,Against,বিরুদ্ধে
DocType: Item,Default Selling Cost Center,ডিফল্ট বিক্রি খরচ কেন্দ্র
DocType: Sales Partner,Implementation Partner,বাস্তবায়ন অংশীদার
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,জিপ কোড
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,জিপ কোড
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},বিক্রয় আদেশ {0} হল {1}
DocType: Opportunity,Contact Info,যোগাযোগের তথ্য
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,শেয়ার দাখিলা তৈরীর
@@ -1105,31 +1111,31 @@
DocType: Holiday List,Get Weekly Off Dates,সাপ্তাহিক ছুটি তারিখগুলি করুন
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,শেষ তারিখ জন্ম কম হতে পারে না
DocType: Sales Person,Select company name first.,প্রথমটি বেছে নিন কোম্পানির নাম.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,ডাঃ
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,এবার সরবরাহকারী থেকে প্রাপ্ত.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},করুন {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,গড় বয়স
DocType: School Settings,Attendance Freeze Date,এ্যাটেনডেন্স ফ্রিজ তারিখ
DocType: Opportunity,Your sales person who will contact the customer in future,ভবিষ্যতে গ্রাহকের পরিচিতি হবে যারা আপনার বিক্রয় ব্যক্তির
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,আপনার সরবরাহকারীদের একটি কয়েক তালিকা. তারা সংগঠন বা ব্যক্তি হতে পারে.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,আপনার সরবরাহকারীদের একটি কয়েক তালিকা. তারা সংগঠন বা ব্যক্তি হতে পারে.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,সকল পণ্য দেখুন
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),নূন্যতম লিড বয়স (দিন)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,সকল BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,সকল BOMs
DocType: Company,Default Currency,ডিফল্ট মুদ্রা
DocType: Expense Claim,From Employee,কর্মী থেকে
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,সতর্কতা: সিস্টেম আইটেম জন্য পরিমাণ যেহেতু overbilling পরীক্ষা করা হবে না {0} মধ্যে {1} শূন্য
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,সতর্কতা: সিস্টেম আইটেম জন্য পরিমাণ যেহেতু overbilling পরীক্ষা করা হবে না {0} মধ্যে {1} শূন্য
DocType: Journal Entry,Make Difference Entry,পার্থক্য এন্ট্রি করতে
DocType: Upload Attendance,Attendance From Date,জন্ম থেকে উপস্থিতি
DocType: Appraisal Template Goal,Key Performance Area,কী পারফরমেন্স ফোন
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,পরিবহন
+DocType: Program Enrollment,Transportation,পরিবহন
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,অবৈধ অ্যাট্রিবিউট
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} দাখিল করতে হবে
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} দাখিল করতে হবে
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},পরিমাণ থেকে কম বা সমান হতে হবে {0}
DocType: SMS Center,Total Characters,মোট অক্ষর
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},আইটেম জন্য BOM ক্ষেত্রের মধ্যে BOM নির্বাচন করুন {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},আইটেম জন্য BOM ক্ষেত্রের মধ্যে BOM নির্বাচন করুন {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,সি-ফরম চালান বিস্তারিত
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,পেমেন্ট রিকনসিলিয়েশন চালান
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,অবদান%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ক্রয় সেটিংস অনুযায়ী যদি ক্রয় আদেশ প্রয়োজনীয় == 'হ্যাঁ, তারপর ক্রয় চালান তৈরি করার জন্য, ব্যবহারকারী আইটেমের জন্য প্রথম ক্রয় অর্ডার তৈরি করতে হবে {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,আপনার অবগতির জন্য কোম্পানি রেজিস্ট্রেশন নম্বর. ট্যাক্স নম্বর ইত্যাদি
DocType: Sales Partner,Distributor,পরিবেশক
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,শপিং কার্ট শিপিং রুল
@@ -1138,23 +1144,25 @@
,Ordered Items To Be Billed,আদেশ আইটেম বিল তৈরি করা
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,বিন্যাস কম হতে হয়েছে থেকে চেয়ে পরিসীমা
DocType: Global Defaults,Global Defaults,আন্তর্জাতিক ডিফল্ট
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,প্রকল্প সাহায্য আমন্ত্রণ
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,প্রকল্প সাহায্য আমন্ত্রণ
DocType: Salary Slip,Deductions,Deductions
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,শুরুর বছর
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},GSTIN প্রথম 2 সংখ্যার রাজ্য নম্বর দিয়ে সুসংগত হওয়া আবশ্যক {0}
DocType: Purchase Invoice,Start date of current invoice's period,বর্তমান চালান এর সময়সীমার তারিখ শুরু
DocType: Salary Slip,Leave Without Pay,পারিশ্রমিক বিহীন ছুটি
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,ক্ষমতা পরিকল্পনা ত্রুটি
,Trial Balance for Party,পার্টি জন্য ট্রায়াল ব্যালেন্স
DocType: Lead,Consultant,পরামর্শকারী
DocType: Salary Slip,Earnings,উপার্জন
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,সমাপ্ত আইটেম {0} প্রস্তুত টাইপ এন্ট্রির জন্য প্রবেশ করতে হবে
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,সমাপ্ত আইটেম {0} প্রস্তুত টাইপ এন্ট্রির জন্য প্রবেশ করতে হবে
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,খোলা অ্যাকাউন্টিং ব্যালান্স
+,GST Sales Register,GST সেলস নিবন্ধন
DocType: Sales Invoice Advance,Sales Invoice Advance,বিক্রয় চালান অগ্রিম
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,কিছুই অনুরোধ করতে
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},আরেকটি বাজেট রেকর্ড '{0}' ইতিমধ্যে বিরুদ্ধে বিদ্যমান {1} '{2}' অর্থবছরের জন্য {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date','প্রকৃত আরম্ভের তারিখ' কখনই 'প্রকৃত শেষ তারিখ' থেকে বেশি হতে পারে না
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,ম্যানেজমেন্ট
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,ম্যানেজমেন্ট
DocType: Cheque Print Template,Payer Settings,প্রদায়ক সেটিংস
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","এই বৈকল্পিক আইটেম কোড যোগ করা হবে. আপনার সমাহার "এস এম", এবং উদাহরণস্বরূপ, যদি আইটেমটি কোড "টি-শার্ট", "টি-শার্ট-এস এম" হতে হবে বৈকল্পিক আইটেমটি কোড"
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,আপনি বেতন স্লিপ সংরক্ষণ একবার (কথায়) নিট পে দৃশ্যমান হবে.
@@ -1171,8 +1179,8 @@
DocType: Employee Loan,Partially Disbursed,আংশিকভাবে বিতরণ
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,সরবরাহকারী ডাটাবেস.
DocType: Account,Balance Sheet,হিসাবনিকাশপত্র
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ','আইটেম কোড দিয়ে আইটেমের জন্য কেন্দ্র উড়ানের তালিকাটি
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","পেমেন্ট মোড কনফিগার করা হয়নি. অনুগ্রহ করে পরীক্ষা করুন, কিনা অ্যাকাউন্ট পেমেন্ট মোড বা পিওএস প্রোফাইল উপর স্থাপন করা হয়েছে."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ','আইটেম কোড দিয়ে আইটেমের জন্য কেন্দ্র উড়ানের তালিকাটি
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","পেমেন্ট মোড কনফিগার করা হয়নি. অনুগ্রহ করে পরীক্ষা করুন, কিনা অ্যাকাউন্ট পেমেন্ট মোড বা পিওএস প্রোফাইল উপর স্থাপন করা হয়েছে."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,আপনার বিক্রয় ব্যক্তির গ্রাহকের পরিচিতি এই তারিখে একটি অনুস্মারক পাবেন
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,একই আইটেম একাধিক বার প্রবেশ করানো যাবে না.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","আরও অ্যাকাউন্ট দলের অধীনে করা যেতে পারে, কিন্তু এন্ট্রি অ গ্রুপের বিরুদ্ধে করা যেতে পারে"
@@ -1180,7 +1188,7 @@
DocType: Email Digest,Payables,Payables
DocType: Course,Course Intro,কোর্সের মুখ্য পৃষ্ঠা Privacy Policy
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,শেয়ার এণ্ট্রি {0} সৃষ্টি
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,সারি # {0}: স্টক ক্রয় ফেরত মধ্যে প্রবেশ করা যাবে না প্রত্যাখ্যাত
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,সারি # {0}: স্টক ক্রয় ফেরত মধ্যে প্রবেশ করা যাবে না প্রত্যাখ্যাত
,Purchase Order Items To Be Billed,ক্রয় আদেশ আইটেম বিল তৈরি করা
DocType: Purchase Invoice Item,Net Rate,নিট হার
DocType: Purchase Invoice Item,Purchase Invoice Item,চালান আইটেম ক্রয়
@@ -1205,7 +1213,7 @@
DocType: Sales Order,SO-,SO-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,প্রথম উপসর্গ নির্বাচন করুন
DocType: Employee,O-,o-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,গবেষণা
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,গবেষণা
DocType: Maintenance Visit Purpose,Work Done,কাজ শেষ
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,আরোপ করা টেবিলের মধ্যে অন্তত একটি বৈশিষ্ট্য উল্লেখ করুন
DocType: Announcement,All Students,সকল শিক্ষার্থীরা
@@ -1213,17 +1221,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,দেখুন লেজার
DocType: Grading Scale,Intervals,অন্তর
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,পুরনো
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","একটি আইটেম গ্রুপ একই নামের সঙ্গে বিদ্যমান, আইটেমের নাম পরিবর্তন বা আইটেম গ্রুপ নামান্তর করুন"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,শিক্ষার্থীর মোবাইল নং
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,বিশ্বের বাকি
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","একটি আইটেম গ্রুপ একই নামের সঙ্গে বিদ্যমান, আইটেমের নাম পরিবর্তন বা আইটেম গ্রুপ নামান্তর করুন"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,শিক্ষার্থীর মোবাইল নং
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,বিশ্বের বাকি
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,আইটেম {0} ব্যাচ থাকতে পারে না
,Budget Variance Report,বাজেট ভেদাংক প্রতিবেদন
DocType: Salary Slip,Gross Pay,গ্রস পে
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,সারি {0}: কার্যকলাপ প্রকার বাধ্যতামূলক.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,লভ্যাংশ দেওয়া
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,লভ্যাংশ দেওয়া
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,অ্যাকাউন্টিং লেজার
DocType: Stock Reconciliation,Difference Amount,পার্থক্য পরিমাণ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,ধরে রাখা উপার্জন
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,ধরে রাখা উপার্জন
DocType: Vehicle Log,Service Detail,পরিষেবা বিস্তারিত
DocType: BOM,Item Description,পন্নের বর্ণনা
DocType: Student Sibling,Student Sibling,ছাত্র অমুসলিম
@@ -1237,11 +1245,11 @@
DocType: Opportunity Item,Opportunity Item,সুযোগ আইটেম
,Student and Guardian Contact Details,ছাত্র এবং গার্ডিয়ান যোগাযোগের তথ্য
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,সারি {0}: সরবরাহকারী জন্য {0} ইমেল ঠিকানা ইমেল পাঠাতে প্রয়োজন বোধ করা হয়
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,অস্থায়ী খোলা
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,অস্থায়ী খোলা
,Employee Leave Balance,কর্মচারী ছুটি ভারসাম্য
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},অ্যাকাউন্টের জন্য ব্যালেন্স {0} সবসময় হতে হবে {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},মূল্যনির্ধারণ হার সারিতে আইটেম জন্য প্রয়োজনীয় {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,উদাহরণ: কম্পিউটার বিজ্ঞানে মাস্টার্স
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,উদাহরণ: কম্পিউটার বিজ্ঞানে মাস্টার্স
DocType: Purchase Invoice,Rejected Warehouse,পরিত্যক্ত গুদাম
DocType: GL Entry,Against Voucher,ভাউচার বিরুদ্ধে
DocType: Item,Default Buying Cost Center,ডিফল্ট রাজধানীতে খরচ কেন্দ্র
@@ -1254,31 +1262,30 @@
DocType: Journal Entry,Get Outstanding Invoices,অসামান্য চালানে পান
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,বিক্রয় আদেশ {0} বৈধ নয়
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,ক্রয় আদেশ আপনি পরিকল্পনা সাহায্য এবং আপনার ক্রয়ের উপর ফলোআপ
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","দুঃখিত, কোম্পানি মার্জ করা যাবে না"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","দুঃখিত, কোম্পানি মার্জ করা যাবে না"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",মোট ইস্যু / স্থানান্তর পরিমাণ {0} উপাদান অনুরোধ মধ্যে {1} \ আইটেম জন্য অনুরোধ পরিমাণ {2} তার চেয়ে অনেক বেশী হতে পারে না {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,ছোট
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,ছোট
DocType: Employee,Employee Number,চাকুরিজীবী সংখ্যা
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},মামলা নং (গুলি) ইতিমধ্যে ব্যবহারে রয়েছে. মামলা নং থেকে কর {0}
DocType: Project,% Completed,% সম্পন্ন হয়েছে
,Invoiced Amount (Exculsive Tax),Invoiced পরিমাণ (Exculsive ট্যাক্স)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,আইটেম 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,অ্যাকাউন্ট মাথা {0} সৃষ্টি
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,প্রশিক্ষণ ইভেন্ট
DocType: Item,Auto re-order,অটো পুনরায় আদেশ
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,মোট অর্জন
DocType: Employee,Place of Issue,ঘটনার কেন্দ্রবিন্দু
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,চুক্তি
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,চুক্তি
DocType: Email Digest,Add Quote,উক্তি করো
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},UOM জন্য প্রয়োজন UOM coversion ফ্যাক্টর: {0} আইটেম: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,পরোক্ষ খরচ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM জন্য প্রয়োজন UOM coversion ফ্যাক্টর: {0} আইটেম: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,পরোক্ষ খরচ
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,সারি {0}: Qty বাধ্যতামূলক
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,কৃষি
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,সিঙ্ক মাস্টার ডেটা
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,আপনার পণ্য বা সেবা
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,সিঙ্ক মাস্টার ডেটা
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,আপনার পণ্য বা সেবা
DocType: Mode of Payment,Mode of Payment,পেমেন্ট মোড
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,ওয়েবসাইট চিত্র একটি পাবলিক ফাইল বা ওয়েবসাইট URL হওয়া উচিত
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,ওয়েবসাইট চিত্র একটি পাবলিক ফাইল বা ওয়েবসাইট URL হওয়া উচিত
DocType: Student Applicant,AP,পি
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,এটি একটি root আইটেমটি গ্রুপ এবং সম্পাদনা করা যাবে না.
@@ -1287,17 +1294,17 @@
DocType: Warehouse,Warehouse Contact Info,ওয়ারহাউস যোগাযোগের তথ্য
DocType: Payment Entry,Write Off Difference Amount,বন্ধ লিখতে পার্থক্য পরিমাণ
DocType: Purchase Invoice,Recurring Type,আবর্তক ধরন
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: কর্মচারী ইমেল পাওয়া যায়নি, অত: পর না পাঠানো ই-মেইল"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: কর্মচারী ইমেল পাওয়া যায়নি, অত: পর না পাঠানো ই-মেইল"
DocType: Item,Foreign Trade Details,বৈদেশিক বানিজ্য বিবরণ
DocType: Email Digest,Annual Income,বার্ষিক আয়
DocType: Serial No,Serial No Details,সিরিয়াল কোন বিবরণ
DocType: Purchase Invoice Item,Item Tax Rate,আইটেমটি ট্যাক্স হার
DocType: Student Group Student,Group Roll Number,গ্রুপ রোল নম্বর
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","{0}, শুধুমাত্র ক্রেডিট অ্যাকাউন্ট অন্য ডেবিট এন্ট্রি বিরুদ্ধে সংযুক্ত করা যাবে জন্য"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,সব কাজের ওজন মোট হওয়া উচিত 1. অনুযায়ী সব প্রকল্পের কাজগুলো ওজন নিয়ন্ত্রন করুন
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,হুণ্ডি {0} দাখিল করা হয় না
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,আইটেম {0} একটি সাব-সংকুচিত আইটেম হতে হবে
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,ক্যাপিটাল উপকরণ
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,সব কাজের ওজন মোট হওয়া উচিত 1. অনুযায়ী সব প্রকল্পের কাজগুলো ওজন নিয়ন্ত্রন করুন
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,হুণ্ডি {0} দাখিল করা হয় না
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,আইটেম {0} একটি সাব-সংকুচিত আইটেম হতে হবে
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,ক্যাপিটাল উপকরণ
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","প্রাইসিং রুল প্রথম উপর ভিত্তি করে নির্বাচন করা হয় আইটেম, আইটেম গ্রুপ বা ব্র্যান্ড হতে পারে, যা ক্ষেত্র 'প্রয়োগ'."
DocType: Hub Settings,Seller Website,বিক্রেতা ওয়েবসাইট
DocType: Item,ITEM-,ITEM-
@@ -1315,7 +1322,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",শুধুমাত্র "মান" 0 বা জন্য ফাঁকা মান সঙ্গে এক কোটি টাকার রুল শর্ত হতে পারে
DocType: Authorization Rule,Transaction,লেনদেন
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,উল্লেখ্য: এই খরচ কেন্দ্র একটি গ্রুপ. গ্রুপ বিরুদ্ধে অ্যাকাউন্টিং এন্ট্রি করতে পারবেন না.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,শিশু গুদাম এই গুদাম জন্য বিদ্যমান. আপনি এই গুদাম মুছতে পারবেন না.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,শিশু গুদাম এই গুদাম জন্য বিদ্যমান. আপনি এই গুদাম মুছতে পারবেন না.
DocType: Item,Website Item Groups,ওয়েবসাইট আইটেম গ্রুপ
DocType: Purchase Invoice,Total (Company Currency),মোট (কোম্পানি একক)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,{0} সিরিয়াল নম্বর একবারের বেশি প্রবেশ
@@ -1325,7 +1332,7 @@
DocType: Grading Scale Interval,Grade Code,গ্রেড কোড
DocType: POS Item Group,POS Item Group,পিওএস আইটেম গ্রুপ
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ডাইজেস্ট ইমেল:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} আইটেম অন্তর্গত নয় {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} আইটেম অন্তর্গত নয় {1}
DocType: Sales Partner,Target Distribution,উদ্দিষ্ট ডিস্ট্রিবিউশনের
DocType: Salary Slip,Bank Account No.,ব্যাংক একাউন্ট নং
DocType: Naming Series,This is the number of the last created transaction with this prefix,এই উপসর্গবিশিষ্ট সর্বশেষ নির্মিত লেনদেনের সংখ্যা
@@ -1335,12 +1342,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,বইয়ের অ্যাসেট অবচয় এণ্ট্রি স্বয়ংক্রিয়ভাবে
DocType: BOM Operation,Workstation,ওয়ার্কস্টেশন
DocType: Request for Quotation Supplier,Request for Quotation Supplier,উদ্ধৃতি সরবরাহকারী জন্য অনুরোধ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,হার্ডওয়্যারের
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,হার্ডওয়্যারের
DocType: Sales Order,Recurring Upto,পুনরাবৃত্ত পর্যন্ত
DocType: Attendance,HR Manager,মানবসম্পদ ব্যবস্থাপক
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,একটি কোম্পানি নির্বাচন করুন
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,সুবিধা বাতিল ছুটি
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,একটি কোম্পানি নির্বাচন করুন
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,সুবিধা বাতিল ছুটি
DocType: Purchase Invoice,Supplier Invoice Date,সরবরাহকারী চালান তারিখ
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,প্রতি
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,আপনি শপিং কার্ট সক্রিয় করতে হবে
DocType: Payment Entry,Writeoff,Writeoff
DocType: Appraisal Template Goal,Appraisal Template Goal,মূল্যায়ন টেমপ্লেট গোল
@@ -1351,10 +1359,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,মধ্যে পাওয়া ওভারল্যাপিং শর্ত:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,জার্নাল বিরুদ্ধে এণ্ট্রি {0} ইতিমধ্যে অন্য কিছু ভাউচার বিরুদ্ধে স্থায়ী হয়
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,মোট আদেশ মান
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,খাদ্য
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,খাদ্য
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,বুড়ো রেঞ্জ 3
DocType: Maintenance Schedule Item,No of Visits,ভিজিট কোন
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,মার্ক উপস্থিতি
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,মার্ক উপস্থিতি
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},রক্ষণাবেক্ষণ সূচি {0} বিরুদ্ধে বিদ্যমান {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,নথিভুক্ত হচ্ছে ছাত্র
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},অ্যাকাউন্ট বন্ধ মুদ্রা হতে হবে {0}
@@ -1368,6 +1376,7 @@
DocType: Rename Tool,Utilities,ইউটিলিটি
DocType: Purchase Invoice Item,Accounting,হিসাবরক্ষণ
DocType: Employee,EMP/,ইএমপি /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,শ্রেণীবদ্ধ আইটেমের জন্য ব্যাচ দয়া করে নির্বাচন করুন
DocType: Asset,Depreciation Schedules,অবচয় সূচী
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,আবেদনের সময় বাইরে ছুটি বরাদ্দ সময়ের হতে পারে না
DocType: Activity Cost,Projects,প্রকল্প
@@ -1381,6 +1390,7 @@
DocType: POS Profile,Campaign,প্রচারাভিযান
DocType: Supplier,Name and Type,নাম এবং টাইপ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',অনুমোদন অবস্থা 'অনুমোদিত' বা 'পরিত্যক্ত' হতে হবে
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,বুটস্ট্র্যাপ
DocType: Purchase Invoice,Contact Person,ব্যক্তি যোগাযোগ
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','প্রত্যাশিত শুরুর তারিখ' কখনও 'প্রত্যাশিত শেষ তারিখ' এর চেয়ে বড় হতে পারে না
DocType: Course Scheduling Tool,Course End Date,কোর্স শেষ তারিখ
@@ -1388,12 +1398,11 @@
DocType: Sales Order Item,Planned Quantity,পরিকল্পনা পরিমাণ
DocType: Purchase Invoice Item,Item Tax Amount,আইটেমটি ট্যাক্স পরিমাণ
DocType: Item,Maintain Stock,শেয়ার বজায়
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,ইতিমধ্যে উৎপাদন অর্ডার নির্মিত শেয়ার সাজপোশাকটি
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,ইতিমধ্যে উৎপাদন অর্ডার নির্মিত শেয়ার সাজপোশাকটি
DocType: Employee,Prefered Email,Prefered ইমেইল
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,পরিসম্পদ মধ্যে নিট পরিবর্তন
DocType: Leave Control Panel,Leave blank if considered for all designations,সব প্রশিক্ষণে জন্য বিবেচিত হলে ফাঁকা ছেড়ে দিন
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,গুদাম টাইপ স্টক অ গ্রুপ অ্যাকাউন্টগুলির জন্য বাধ্যতামূলক
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,টাইপ 'প্রকৃত' সারিতে ভারপ্রাপ্ত {0} আইটেম রেট মধ্যে অন্তর্ভুক্ত করা যাবে না
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,টাইপ 'প্রকৃত' সারিতে ভারপ্রাপ্ত {0} আইটেম রেট মধ্যে অন্তর্ভুক্ত করা যাবে না
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},সর্বোচ্চ: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Datetime থেকে
DocType: Email Digest,For Company,কোম্পানি জন্য
@@ -1403,15 +1412,15 @@
DocType: Sales Invoice,Shipping Address Name,শিপিং ঠিকানা নাম
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,হিসাবরক্ষনের তালিকা
DocType: Material Request,Terms and Conditions Content,শর্তাবলী কনটেন্ট
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,এর চেয়ে বড় 100 হতে পারে না
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,{0} আইটেম একটি স্টক আইটেম নয়
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,এর চেয়ে বড় 100 হতে পারে না
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,{0} আইটেম একটি স্টক আইটেম নয়
DocType: Maintenance Visit,Unscheduled,অনির্ধারিত
DocType: Employee,Owned,মালিক
DocType: Salary Detail,Depends on Leave Without Pay,বিনা বেতনে ছুটি উপর নির্ভর করে
DocType: Pricing Rule,"Higher the number, higher the priority","উচ্চ নম্বর, উচ্চ অগ্রাধিকার"
,Purchase Invoice Trends,চালান প্রবণতা ক্রয়
DocType: Employee,Better Prospects,ভাল সম্ভাবনা
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","সারি # {0}: ব্যাচ {1} শুধুমাত্র {2} Qty এ হয়েছে। দয়া করে অন্য একটি ব্যাচ যা {3} Qty এ উপলব্ধ নির্বাচন করুন অথবা একাধিক সারি মধ্যে সারি বিভক্ত, একাধিক ব্যাচ থেকে আমাদের প্রদান / সমস্যাটি"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","সারি # {0}: ব্যাচ {1} শুধুমাত্র {2} Qty এ হয়েছে। দয়া করে অন্য একটি ব্যাচ যা {3} Qty এ উপলব্ধ নির্বাচন করুন অথবা একাধিক সারি মধ্যে সারি বিভক্ত, একাধিক ব্যাচ থেকে আমাদের প্রদান / সমস্যাটি"
DocType: Vehicle,License Plate,অনুমতি ফলক
DocType: Appraisal,Goals,গোল
DocType: Warranty Claim,Warranty / AMC Status,পাটা / এএমসি স্থিতি
@@ -1422,19 +1431,20 @@
,Batch-Wise Balance History,ব্যাচ প্রজ্ঞাময় বাকি ইতিহাস
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,মুদ্রণ সেটিংস নিজ মুদ্রণ বিন্যাসে আপডেট
DocType: Package Code,Package Code,প্যাকেজ কোড
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,শিক্ষানবিস
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,শিক্ষানবিস
+DocType: Purchase Invoice,Company GSTIN,কোম্পানির GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,নেতিবাচক পরিমাণ অনুমোদিত নয়
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",পংক্তিরূপে উল্লিখিত হয় আইটেমটি মাস্টার থেকে সংগৃহীত এবং এই ক্ষেত্রের মধ্যে সংরক্ষিত ট্যাক্স বিস্তারিত টেবিল. কর ও চার্জের জন্য ব্যবহৃত
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,কর্মচারী নিজেকে প্রতিবেদন করতে পারবে না.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","অ্যাকাউন্ট নিথর হয় তাহলে, এন্ট্রি সীমিত ব্যবহারকারীদের অনুমতি দেওয়া হয়."
DocType: Email Digest,Bank Balance,অধিকোষস্থিতি
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},{1} শুধুমাত্র মুদ্রা তৈরি করা যাবে: {0} জন্য অ্যাকাউন্টিং এণ্ট্রি {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},{1} শুধুমাত্র মুদ্রা তৈরি করা যাবে: {0} জন্য অ্যাকাউন্টিং এণ্ট্রি {2}
DocType: Job Opening,"Job profile, qualifications required etc.","পেশা প্রফাইল, যোগ্যতা প্রয়োজন ইত্যাদি"
DocType: Journal Entry Account,Account Balance,হিসাবের পরিমান
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,লেনদেনের জন্য ট্যাক্স রুল.
DocType: Rename Tool,Type of document to rename.,নথির ধরন নামান্তর.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,আমরা এই আইটেম কিনতে
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,আমরা এই আইটেম কিনতে
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: গ্রাহকের প্রাপ্য অ্যাকাউন্ট বিরুদ্ধে প্রয়োজন বোধ করা হয় {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),মোট কর ও শুল্ক (কোম্পানি একক)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,বন্ধ না অর্থবছরে পি & এল ভারসাম্যকে দেখান
@@ -1445,29 +1455,30 @@
DocType: Stock Entry,Total Additional Costs,মোট অতিরিক্ত খরচ
DocType: Course Schedule,SH,শুট আউট
DocType: BOM,Scrap Material Cost(Company Currency),স্ক্র্যাপ উপাদান খরচ (কোম্পানির মুদ্রা)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,উপ সমাহারগুলি
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,উপ সমাহারগুলি
DocType: Asset,Asset Name,অ্যাসেট নাম
DocType: Project,Task Weight,টাস্ক ওজন
DocType: Shipping Rule Condition,To Value,মান
DocType: Asset Movement,Stock Manager,স্টক ম্যানেজার
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},উত্স গুদাম সারিতে জন্য বাধ্যতামূলক {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,প্যাকিং স্লিপ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,অফিস ভাড়া
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},উত্স গুদাম সারিতে জন্য বাধ্যতামূলক {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,প্যাকিং স্লিপ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,অফিস ভাড়া
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,সেটআপ এসএমএস গেটওয়ে সেটিংস
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,আমদানি ব্যর্থ!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,কোনো ঠিকানা এখনো যোগ.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,কোনো ঠিকানা এখনো যোগ.
DocType: Workstation Working Hour,Workstation Working Hour,ওয়ার্কস্টেশন কাজ ঘন্টা
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,বিশ্লেষক
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,বিশ্লেষক
DocType: Item,Inventory,জায়
DocType: Item,Sales Details,বিক্রয় বিবরণ
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,জানানোর সঙ্গে
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,Qty ইন
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,Qty ইন
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,শিক্ষার্থীর গ্রুপ ছাত্ররা জন্য নাম নথিভুক্ত কোর্সের যাচাই
DocType: Notification Control,Expense Claim Rejected,ব্যয় দাবি প্রত্যাখ্যান
DocType: Item,Item Attribute,আইটেম বৈশিষ্ট্য
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,সরকার
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,সরকার
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,ব্যয় দাবি {0} ইতিমধ্যে জন্য যানবাহন লগ বিদ্যমান
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,প্রতিষ্ঠানের নাম
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,প্রতিষ্ঠানের নাম
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,ঋণ পরিশোধের পরিমাণ প্রবেশ করুন
apps/erpnext/erpnext/config/stock.py +300,Item Variants,আইটেম রুপভেদ
DocType: Company,Services,সেবা
@@ -1477,18 +1488,18 @@
DocType: Sales Invoice,Source,উত্স
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,দেখান বন্ধ
DocType: Leave Type,Is Leave Without Pay,বিনা বেতনে ছুটি হয়
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,অ্যাসেট শ্রেণী ফিক্সড অ্যাসেট আইটেমের জন্য বাধ্যতামূলক
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,অ্যাসেট শ্রেণী ফিক্সড অ্যাসেট আইটেমের জন্য বাধ্যতামূলক
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,পেমেন্ট টেবিল অন্তর্ভুক্ত কোন রেকর্ড
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},এই {0} সঙ্গে দ্বন্দ্ব {1} জন্য {2} {3}
DocType: Student Attendance Tool,Students HTML,শিক্ষার্থীরা এইচটিএমএল
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,আর্থিক বছরের শুরু তারিখ
DocType: POS Profile,Apply Discount,ছাড়ের আবেদন
+DocType: Purchase Invoice Item,GST HSN Code,GST HSN কোড
DocType: Employee External Work History,Total Experience,মোট অভিজ্ঞতা
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,ওপেন প্রকল্প
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,বাতিল প্যাকিং স্লিপ (গুলি)
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,বিনিয়োগ থেকে ক্যাশ ফ্লো
DocType: Program Course,Program Course,প্রোগ্রাম কোর্স
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,মাল ও ফরোয়ার্ডিং চার্জ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,মাল ও ফরোয়ার্ডিং চার্জ
DocType: Homepage,Company Tagline for website homepage,ওয়েবসাইট হোমপেজে জন্য এখানে ক্লিক ট্যাগলাইন
DocType: Item Group,Item Group Name,আইটেমটি গ্রুপ নাম
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,ধরা
@@ -1498,6 +1509,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,বাড়ে তৈরি করুন
DocType: Maintenance Schedule,Schedules,সূচী
DocType: Purchase Invoice Item,Net Amount,থোক
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} জমা দেওয়া হয়েছে করেননি তাই কর্ম সম্পন্ন করা যাবে না
DocType: Purchase Order Item Supplied,BOM Detail No,BOM বিস্তারিত কোন
DocType: Landed Cost Voucher,Additional Charges,অতিরিক্ত চার্জ
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),অতিরিক্ত মূল্য ছাড়ের পরিমাণ (কোম্পানি একক)
@@ -1513,6 +1525,7 @@
DocType: Employee Loan,Monthly Repayment Amount,মাসিক পরিশোধ পরিমাণ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,কর্মচারী ভূমিকা সেট একজন কর্মী রেকর্ডে ইউজার আইডি ক্ষেত্রের সেট করুন
DocType: UOM,UOM Name,UOM নাম
+DocType: GST HSN Code,HSN Code,HSN কোড
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,অথর্
DocType: Purchase Invoice,Shipping Address,প্রেরণের ঠিকানা
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,এই সরঞ্জামের সাহায্যে আপনি আপডেট বা সিস্টেমের মধ্যে স্টক পরিমাণ এবং মূল্যনির্ধারণ ঠিক করতে সাহায্য করে. এটা সাধারণত সিস্টেম মান এবং কি আসলে আপনার গুদাম বিদ্যমান সুসংগত করতে ব্যবহার করা হয়.
@@ -1523,17 +1536,16 @@
DocType: Program Enrollment Tool,Program Enrollments,প্রোগ্রাম enrollments
DocType: Sales Invoice Item,Brand Name,পরিচিতিমুলক নাম
DocType: Purchase Receipt,Transporter Details,স্থানান্তরকারী বিস্তারিত
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,ডিফল্ট গুদাম নির্বাচিত আইটেমের জন্য প্রয়োজন বোধ করা হয়
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,বক্স
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,ডিফল্ট গুদাম নির্বাচিত আইটেমের জন্য প্রয়োজন বোধ করা হয়
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,বক্স
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,সম্ভাব্য সরবরাহকারী
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,প্রতিষ্ঠান
DocType: Budget,Monthly Distribution,মাসিক বন্টন
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,রিসিভার তালিকা শূণ্য. রিসিভার তালিকা তৈরি করুন
DocType: Production Plan Sales Order,Production Plan Sales Order,উৎপাদন পরিকল্পনা বিক্রয় আদেশ
DocType: Sales Partner,Sales Partner Target,বিক্রয় অংশীদার উদ্দিষ্ট
DocType: Loan Type,Maximum Loan Amount,সর্বোচ্চ ঋণের পরিমাণ
DocType: Pricing Rule,Pricing Rule,প্রাইসিং রুল
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},শিক্ষার্থীর জন্য ডুপ্লিকেট রোল নম্বর {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},শিক্ষার্থীর জন্য ডুপ্লিকেট রোল নম্বর {0}
DocType: Budget,Action if Annual Budget Exceeded,যদি বার্ষিক বাজেট অতিক্রম করেছে অ্যাকশন
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,আদেশ ক্রয় উপাদানের জন্য অনুরোধ
DocType: Shopping Cart Settings,Payment Success URL,পেমেন্ট সাফল্য ইউআরএল
@@ -1546,11 +1558,11 @@
DocType: C-Form,III,তৃতীয়
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,খোলা স্টক ব্যালেন্স
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} শুধুমাত্র একবার প্রদর্শিত হতে হবে
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},আরো tranfer করা অনুমোদিত নয় {0} চেয়ে {1} ক্রয় আদেশের বিরুদ্ধে {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},আরো tranfer করা অনুমোদিত নয় {0} চেয়ে {1} ক্রয় আদেশের বিরুদ্ধে {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},সাফল্যের বরাদ্দ পাতার {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,কোনও আইটেম প্যাক
DocType: Shipping Rule Condition,From Value,মূল্য থেকে
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,উৎপাদন পরিমাণ বাধ্যতামূলক
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,উৎপাদন পরিমাণ বাধ্যতামূলক
DocType: Employee Loan,Repayment Method,পরিশোধ পদ্ধতি
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","যদি চেক করা, হোম পেজে ওয়েবসাইটের জন্য ডিফল্ট আইটেম গ্রুপ হতে হবে"
DocType: Quality Inspection Reading,Reading 4,4 পঠন
@@ -1560,7 +1572,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},সারি # {0}: পরিস্কারের তারিখ {1} আগে চেক তারিখ হতে পারে না {2}
DocType: Company,Default Holiday List,হলিডে তালিকা ডিফল্ট
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},সারি {0}: থেকে সময় এবং টাইম {1} সঙ্গে ওভারল্যাপিং হয় {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,শেয়ার দায়
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,শেয়ার দায়
DocType: Purchase Invoice,Supplier Warehouse,সরবরাহকারী ওয়্যারহাউস
DocType: Opportunity,Contact Mobile No,যোগাযোগ মোবাইল নম্বর
,Material Requests for which Supplier Quotations are not created,"সরবরাহকারী এবার তৈরি করা যাবে না, যার জন্য উপাদান অনুরোধ"
@@ -1571,35 +1583,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,উদ্ধৃতি করা
apps/erpnext/erpnext/config/selling.py +216,Other Reports,অন্যান্য রিপোর্ট
DocType: Dependent Task,Dependent Task,নির্ভরশীল কার্য
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},মেজার ডিফল্ট ইউনিট জন্য রূপান্তর গুণনীয়ক সারিতে 1 হতে হবে {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},মেজার ডিফল্ট ইউনিট জন্য রূপান্তর গুণনীয়ক সারিতে 1 হতে হবে {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},ধরনের ছুটি {0} চেয়ে বেশি হতে পারেনা {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,অগ্রিম এক্স দিনের জন্য অপারেশন পরিকল্পনা চেষ্টা করুন.
DocType: HR Settings,Stop Birthday Reminders,বন্ধ করুন জন্মদিনের রিমাইন্ডার
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},কোম্পানির মধ্যে ডিফল্ট বেতনের প্রদেয় অ্যাকাউন্ট নির্ধারণ করুন {0}
DocType: SMS Center,Receiver List,রিসিভার তালিকা
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,অনুসন্ধান আইটেম
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,অনুসন্ধান আইটেম
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,ক্ষয়প্রাপ্ত পরিমাণ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,ক্যাশ মধ্যে নিট পরিবর্তন
DocType: Assessment Plan,Grading Scale,শূন্য স্কেল
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,মেজার {0} এর ইউনিট রূপান্তর ফ্যাক্টর ছক একাধিকবার প্রবেশ করানো হয়েছে
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,মেজার {0} এর ইউনিট রূপান্তর ফ্যাক্টর ছক একাধিকবার প্রবেশ করানো হয়েছে
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,ইতিমধ্যে সম্পন্ন
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,শেয়ার হাতে
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},পেমেন্ট অনুরোধ ইতিমধ্যেই বিদ্যমান {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,প্রথম প্রকাশ আইটেম খরচ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},পরিমাণ বেশী হবে না {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,গত অর্থবছরের বন্ধ হয়নি
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),বয়স (দিন)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),বয়স (দিন)
DocType: Quotation Item,Quotation Item,উদ্ধৃতি আইটেম
+DocType: Customer,Customer POS Id,গ্রাহক পিওএস আইডি
DocType: Account,Account Name,অ্যাকাউন্ট নাম
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,জন্ম তারিখ এর চেয়ে বড় হতে পারে না
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,সিরিয়াল কোন {0} পরিমাণ {1} একটি ভগ্নাংশ হতে পারবেন না
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,সরবরাহকারী প্রকার মাস্টার.
DocType: Purchase Order Item,Supplier Part Number,সরবরাহকারী পার্ট সংখ্যা
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,রূপান্তরের হার 0 বা 1 হতে পারে না
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,রূপান্তরের হার 0 বা 1 হতে পারে না
DocType: Sales Invoice,Reference Document,রেফারেন্স নথি
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} বাতিল বা বন্ধ করা
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} বাতিল বা বন্ধ করা
DocType: Accounts Settings,Credit Controller,ক্রেডিট কন্ট্রোলার
DocType: Delivery Note,Vehicle Dispatch Date,যানবাহন ডিসপ্যাচ তারিখ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,কেনার রসিদ {0} দাখিল করা হয় না
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,কেনার রসিদ {0} দাখিল করা হয় না
DocType: Company,Default Payable Account,ডিফল্ট প্রদেয় অ্যাকাউন্ট
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","যেমন গ্রেপ্তার নিয়ম, মূল্যতালিকা ইত্যাদি হিসাবে অনলাইন শপিং কার্ট এর সেটিংস"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% চালান করা হয়েছে
@@ -1618,11 +1632,12 @@
DocType: Expense Claim,Total Amount Reimbursed,মোট পরিমাণ শিশুবের
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,এই যানবাহন বিরুদ্ধে লগ উপর ভিত্তি করে তৈরি. বিস্তারিত জানার জন্য নিচের টাইমলাইনে দেখুন
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,সংগ্রহ করা
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},সরবরাহকারী বিরুদ্ধে চালান {0} তারিখের {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},সরবরাহকারী বিরুদ্ধে চালান {0} তারিখের {1}
DocType: Customer,Default Price List,ডিফল্ট মূল্য তালিকা
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,অ্যাসেট আন্দোলন রেকর্ড {0} সৃষ্টি
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,আপনি মুছে ফেলতে পারবেন না অর্থবছরের {0}. অর্থবছরের {0} গ্লোবাল সেটিংস এ ডিফল্ট হিসাবে সেট করা হয়
DocType: Journal Entry,Entry Type,এন্ট্রি টাইপ
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,কোন মূল্যায়ন পরিকল্পনা এই মূল্যায়নের দলের সঙ্গে সংযুক্ত
,Customer Credit Balance,গ্রাহকের ক্রেডিট ব্যালেন্স
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,হিসাবের পরিশোধযোগ্য অংশ মধ্যে নিট পরিবর্তন
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount','Customerwise ছাড়' জন্য প্রয়োজনীয় গ্রাহক
@@ -1630,7 +1645,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,প্রাইসিং
DocType: Quotation,Term Details,টার্ম বিস্তারিত
DocType: Project,Total Sales Cost (via Sales Order),মোট বিক্রয় খরচ (বিক্রয় আদেশ এর মাধ্যমে)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,{0} এই ছাত্র দলের জন্য ছাত্রদের তুলনায় আরো নথিভুক্ত করা যায় না.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,{0} এই ছাত্র দলের জন্য ছাত্রদের তুলনায় আরো নথিভুক্ত করা যায় না.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,লিড কাউন্ট
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,"{0}, 0 থেকে বেশী হতে হবে"
DocType: Manufacturing Settings,Capacity Planning For (Days),(দিন) জন্য ক্ষমতা পরিকল্পনা
@@ -1651,7 +1666,7 @@
DocType: Sales Invoice,Packed Items,বস্তাবন্দী আইটেম
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,ক্রমিক নং বিরুদ্ধে পাটা দাবি
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM",এটি ব্যবহার করা হয় যেখানে অন্য সব BOMs একটি বিশেষ BOM প্রতিস্থাপন. এটা পুরানো BOM লিঙ্কটি প্রতিস্থাপন খরচ আপডেট এবং নতুন BOM অনুযায়ী "Bom বিস্ফোরণ আইটেম" টেবিলের পুনর্জীবিত হবে
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total',সর্বমোট
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total',সর্বমোট
DocType: Shopping Cart Settings,Enable Shopping Cart,শপিং কার্ট সক্রিয়
DocType: Employee,Permanent Address,স্থায়ী ঠিকানা
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1667,9 +1682,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,পরিমাণ বা মূল্যনির্ধারণ হার বা উভয়ই উল্লেখ করুন
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,সিদ্ধি
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,কার্ট দেখুন
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,বিপণন খরচ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,বিপণন খরচ
,Item Shortage Report,আইটেম পত্র
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","ওজন \ n দয়া খুব "ওজন UOM" উল্লেখ, উল্লেখ করা হয়"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","ওজন \ n দয়া খুব "ওজন UOM" উল্লেখ, উল্লেখ করা হয়"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,উপাদানের জন্য অনুরোধ এই স্টক এন্ট্রি করতে ব্যবহৃত
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,পরবর্তী অবচয় তারিখ নতুন সম্পদের জন্য বাধ্যতামূলক
DocType: Student Group Creation Tool,Separate course based Group for every Batch,প্রত্যেক ব্যাচ জন্য আলাদা কোর্স ভিত্তিক গ্রুপ
@@ -1678,17 +1693,18 @@
,Student Fee Collection,ছাত্র ফি সংগ্রহ
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,প্রতি স্টক আন্দোলনের জন্য অ্যাকাউন্টিং এন্ট্রি করতে
DocType: Leave Allocation,Total Leaves Allocated,মোট পাতার বরাদ্দ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},সারি কোন সময়ে প্রয়োজনীয় গুদাম {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,বৈধ আর্থিক বছরের শুরু এবং শেষ তারিখগুলি লিখুন দয়া করে
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},সারি কোন সময়ে প্রয়োজনীয় গুদাম {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,বৈধ আর্থিক বছরের শুরু এবং শেষ তারিখগুলি লিখুন দয়া করে
DocType: Employee,Date Of Retirement,অবসর তারিখ
DocType: Upload Attendance,Get Template,টেমপ্লেট করুন
+DocType: Material Request,Transferred,স্থানান্তরিত
DocType: Vehicle,Doors,দরজা
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext সেটআপ সম্পূর্ণ!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext সেটআপ সম্পূর্ণ!
DocType: Course Assessment Criteria,Weightage,গুরুত্ব
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: খরচ কেন্দ্র 'লাভ-ক্ষতির' অ্যাকাউন্টের জন্য প্রয়োজন বোধ করা হয় {2}. অনুগ্রহ করে এখানে ক্লিক করুন জন্য একটি ডিফল্ট মূল্য কেন্দ্র স্থাপন করা.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,একটি গ্রাহক গ্রুপ একই নামের সঙ্গে বিদ্যমান গ্রাহকের নাম পরিবর্তন বা ক্রেতা গ্রুপ নামান্তর করুন
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,নতুন কন্টাক্ট
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,একটি গ্রাহক গ্রুপ একই নামের সঙ্গে বিদ্যমান গ্রাহকের নাম পরিবর্তন বা ক্রেতা গ্রুপ নামান্তর করুন
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,নতুন কন্টাক্ট
DocType: Territory,Parent Territory,মূল টেরিটরি
DocType: Quality Inspection Reading,Reading 2,2 পড়া
DocType: Stock Entry,Material Receipt,উপাদান রশিদ
@@ -1697,17 +1713,16 @@
DocType: Employee,AB+,এবি + +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","এই আইটেমটি ভিন্নতা আছে, তাহলে এটি বিক্রয় আদেশ ইত্যাদি নির্বাচন করা যাবে না"
DocType: Lead,Next Contact By,পরবর্তী যোগাযোগ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},সারিতে আইটেম {0} জন্য প্রয়োজনীয় পরিমাণ {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},পরিমাণ আইটেমটি জন্য বিদ্যমান হিসাবে ওয়্যারহাউস {0} মোছা যাবে না {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},সারিতে আইটেম {0} জন্য প্রয়োজনীয় পরিমাণ {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},পরিমাণ আইটেমটি জন্য বিদ্যমান হিসাবে ওয়্যারহাউস {0} মোছা যাবে না {1}
DocType: Quotation,Order Type,যাতে টাইপ
DocType: Purchase Invoice,Notification Email Address,বিজ্ঞপ্তি ইমেল ঠিকানা
,Item-wise Sales Register,আইটেম-জ্ঞানী সেলস নিবন্ধন
DocType: Asset,Gross Purchase Amount,গ্রস ক্রয়ের পরিমাণ
DocType: Asset,Depreciation Method,অবচয় পদ্ধতি
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,অফলাইন
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,অফলাইন
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,মৌলিক হার মধ্যে অন্তর্ভুক্ত এই খাজনা?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,মোট লক্ষ্যমাত্রা
-DocType: Program Course,Required,প্রয়োজনীয়
DocType: Job Applicant,Applicant for a Job,একটি কাজের জন্য আবেদনকারী
DocType: Production Plan Material Request,Production Plan Material Request,উৎপাদন পরিকল্পনা উপাদান অনুরোধ
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,নির্মিত কোন উৎপাদন আদেশ
@@ -1716,17 +1731,17 @@
DocType: Purchase Invoice Item,Batch No,ব্যাচ নাম্বার
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,একটি গ্রাহকের ক্রয় আদেশের বিরুদ্ধে একাধিক বিক্রয় আদেশ মঞ্জুরি
DocType: Student Group Instructor,Student Group Instructor,শিক্ষার্থীর গ্রুপ প্রশিক্ষক
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 মোবাইল কোন
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,প্রধান
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 মোবাইল কোন
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,প্রধান
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,বৈকল্পিক
DocType: Naming Series,Set prefix for numbering series on your transactions,আপনার লেনদেনের উপর সিরিজ সংখ্যায়ন জন্য সেট উপসর্গ
DocType: Employee Attendance Tool,Employees HTML,এমপ্লয়িজ এইচটিএমএল
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,ডিফল্ট BOM ({0}) এই আইটেমটি বা তার টেমপ্লেট জন্য সক্রিয় হতে হবে
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,ডিফল্ট BOM ({0}) এই আইটেমটি বা তার টেমপ্লেট জন্য সক্রিয় হতে হবে
DocType: Employee,Leave Encashed?,Encashed ত্যাগ করবেন?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ক্ষেত্রের থেকে সুযোগ বাধ্যতামূলক
DocType: Email Digest,Annual Expenses,বার্ষিক খরচ
DocType: Item,Variants,রুপভেদ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,ক্রয় আদেশ করা
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,ক্রয় আদেশ করা
DocType: SMS Center,Send To,পাঠানো
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},ছুটি টাইপ জন্য যথেষ্ট ছুটি ভারসাম্য নেই {0}
DocType: Payment Reconciliation Payment,Allocated amount,বরাদ্দ পরিমাণ
@@ -1740,26 +1755,25 @@
DocType: Supplier,Statutory info and other general information about your Supplier,আপনার সরবরাহকারীর সম্পর্কে বিধিবদ্ধ তথ্য এবং অন্যান্য সাধারণ তথ্য
DocType: Item,Serial Nos and Batches,সিরিয়াল আমরা এবং ব্যাচ
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,শিক্ষার্থীর গ্রুপ স্ট্রেংথ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,জার্নাল বিরুদ্ধে এণ্ট্রি {0} কোনো অপ্রতিম {1} এন্ট্রি নেই
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,জার্নাল বিরুদ্ধে এণ্ট্রি {0} কোনো অপ্রতিম {1} এন্ট্রি নেই
apps/erpnext/erpnext/config/hr.py +137,Appraisals,appraisals
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},সিরিয়াল কোন আইটেম জন্য প্রবেশ সদৃশ {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,একটি শিপিং শাসনের জন্য একটি শর্ত
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,অনুগ্রহ করে প্রবেশ করুন
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","সারিতে আইটেম {0} এর জন্য overbill করা যাবে না {1} চেয়ে আরো অনেক কিছু {2}। ওভার বিলিং অনুমতি দিতে, সেটিংস কেনার সেট করুন"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,দয়া করে আইটেম বা গুদাম উপর ভিত্তি করে ফিল্টার সেট
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","সারিতে আইটেম {0} এর জন্য overbill করা যাবে না {1} চেয়ে আরো অনেক কিছু {2}। ওভার বিলিং অনুমতি দিতে, সেটিংস কেনার সেট করুন"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,দয়া করে আইটেম বা গুদাম উপর ভিত্তি করে ফিল্টার সেট
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),এই প্যাকেজের নিট ওজন. (আইটেম নিট ওজন যোগফল আকারে স্বয়ংক্রিয়ভাবে হিসাব)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,এই গুদাম জন্য একটি অ্যাকাউন্ট তৈরি করুন এবং এটি লিঙ্ক জানাবেন. এই স্বয়ংক্রিয়ভাবে নাম দিয়ে একটি অ্যাকাউন্ট হিসাবে কাজ করা যাবে না {0} আগে থেকেই আছে
DocType: Sales Order,To Deliver and Bill,রক্ষা কর এবং বিল থেকে
DocType: Student Group,Instructors,প্রশিক্ষক
DocType: GL Entry,Credit Amount in Account Currency,অ্যাকাউন্টের মুদ্রা মধ্যে ক্রেডিট পরিমাণ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} দাখিল করতে হবে
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} দাখিল করতে হবে
DocType: Authorization Control,Authorization Control,অনুমোদন কন্ট্রোল
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},সারি # {0}: ওয়্যারহাউস প্রত্যাখ্যাত প্রত্যাখ্যান আইটেম বিরুদ্ধে বাধ্যতামূলক {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},সারি # {0}: ওয়্যারহাউস প্রত্যাখ্যাত প্রত্যাখ্যান আইটেম বিরুদ্ধে বাধ্যতামূলক {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,প্রদান
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","গুদাম {0} কোনো অ্যাকাউন্টে লিঙ্ক করা হয় না, দয়া করে কোম্পানিতে গুদাম রেকর্ডে অ্যাকাউন্ট বা সেট ডিফল্ট জায় অ্যাকাউন্ট উল্লেখ {1}।"
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,আপনার আদেশ পরিচালনা
DocType: Production Order Operation,Actual Time and Cost,প্রকৃত সময় এবং খরচ
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},সর্বাধিক {0} এর উপাদানের জন্য অনুরোধ {1} সেলস আদেশের বিরুদ্ধে আইটেম জন্য তৈরি করা যেতে পারে {2}
-DocType: Employee,Salutation,অভিবাদন
DocType: Course,Course Abbreviation,কোর্সের সমাহার
DocType: Student Leave Application,Student Leave Application,শিক্ষার্থীর ছুটি আবেদন
DocType: Item,Will also apply for variants,এছাড়াও ভিন্নতা জন্য আবেদন করতে হবে
@@ -1771,12 +1785,12 @@
DocType: Quotation Item,Actual Qty,প্রকৃত স্টক
DocType: Sales Invoice Item,References,তথ্যসূত্র
DocType: Quality Inspection Reading,Reading 10,10 পঠন
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","আপনি কিনতে বা বিক্রি করে যে আপনার পণ্য বা সেবা তালিকা. যখন আপনি শুরু মেজার এবং অন্যান্য বৈশিষ্ট্য আইটেমটি গ্রুপ, ইউনিট চেক করতে ভুলবেন না."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","আপনি কিনতে বা বিক্রি করে যে আপনার পণ্য বা সেবা তালিকা. যখন আপনি শুরু মেজার এবং অন্যান্য বৈশিষ্ট্য আইটেমটি গ্রুপ, ইউনিট চেক করতে ভুলবেন না."
DocType: Hub Settings,Hub Node,হাব নোড
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,আপনি ডুপ্লিকেট জিনিস প্রবেশ করে. ত্রুটিমুক্ত এবং আবার চেষ্টা করুন.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,সহযোগী
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,সহযোগী
DocType: Asset Movement,Asset Movement,অ্যাসেট আন্দোলন
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,নিউ কার্ট
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,নিউ কার্ট
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,{0} আইটেম ধারাবাহিকভাবে আইটেম নয়
DocType: SMS Center,Create Receiver List,রিসিভার তালিকা তৈরি করুন
DocType: Vehicle,Wheels,চাকা
@@ -1796,19 +1810,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',বা 'পূর্ববর্তী সারি মোট' 'পূর্ববর্তী সারি পরিমাণ' চার্জ টাইপ শুধুমাত্র যদি সারিতে পাঠাতে পারেন
DocType: Sales Order Item,Delivery Warehouse,ডেলিভারি ওয়্যারহাউস
DocType: SMS Settings,Message Parameter,বার্তা পরামিতি
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,আর্থিক খরচ কেন্দ্রগুলি বৃক্ষ.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,আর্থিক খরচ কেন্দ্রগুলি বৃক্ষ.
DocType: Serial No,Delivery Document No,ডেলিভারি ডকুমেন্ট
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},কোম্পানি 'অ্যাসেট নিষ্পত্তির লাভ / ক্ষতির অ্যাকাউন্ট' নির্ধারণ করুন {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,ক্রয় রসিদ থেকে জানানোর পান
DocType: Serial No,Creation Date,তৈরির তারিখ
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},{0} আইটেমের মূল্য তালিকা একাধিক বার প্রদর্শিত {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","প্রযোজ্য হিসাবে নির্বাচিত করা হয়, তাহলে বিক্রি, চেক করা আবশ্যক {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","প্রযোজ্য হিসাবে নির্বাচিত করা হয়, তাহলে বিক্রি, চেক করা আবশ্যক {0}"
DocType: Production Plan Material Request,Material Request Date,উপাদান অনুরোধ তারিখ
DocType: Purchase Order Item,Supplier Quotation Item,সরবরাহকারী উদ্ধৃতি আইটেম
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,উত্পাদনের অবাধ্য সময় লগ সৃষ্টি নিষ্ক্রিয় করা হয়. অপারেশনস উত্পাদনের আদেশের বিরুদ্ধে ট্র্যাক করা হবে না
DocType: Student,Student Mobile Number,শিক্ষার্থীর মোবাইল নম্বর
DocType: Item,Has Variants,ধরন আছে
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},আপনি ইতিমধ্যে থেকে আইটেম নির্বাচন করা আছে {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},আপনি ইতিমধ্যে থেকে আইটেম নির্বাচন করা আছে {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,মাসিক বন্টন নাম
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,ব্যাচ আইডি বাধ্যতামূলক
DocType: Sales Person,Parent Sales Person,মূল সেলস পারসন
@@ -1818,12 +1832,12 @@
DocType: Budget,Fiscal Year,অর্থবছর
DocType: Vehicle Log,Fuel Price,জ্বালানীর দাম
DocType: Budget,Budget,বাজেট
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,পরিসম্পদ আইটেম একটি অ স্টক আইটেম হতে হবে.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,পরিসম্পদ আইটেম একটি অ স্টক আইটেম হতে হবে.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",এটি একটি আয় বা ব্যয় অ্যাকাউন্ট না হিসাবে বাজেট বিরুদ্ধে {0} নিয়োগ করা যাবে না
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,অর্জন
DocType: Student Admission,Application Form Route,আবেদনপত্র রুট
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,টেরিটরি / গ্রাহক
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,যেমন 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,যেমন 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,ত্যাগ প্রকার {0} বরাদ্দ করা যাবে না যেহেতু এটা বিনা বেতনে ছুটি হয়
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},সারি {0}: বরাদ্দ পরিমাণ {1} কম হতে পারে অথবা বকেয়া পরিমাণ চালান সমান নয় {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,আপনি বিক্রয় চালান সংরক্ষণ একবার শব্দ দৃশ্যমান হবে.
@@ -1832,7 +1846,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,{0} আইটেম সিরিয়াল আমরা জন্য সেটআপ নয়. আইটেম মাস্টার চেক
DocType: Maintenance Visit,Maintenance Time,রক্ষণাবেক্ষণ সময়
,Amount to Deliver,পরিমাণ প্রদান করতে
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,একটি পণ্য বা পরিষেবা
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,একটি পণ্য বা পরিষেবা
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,টার্ম শুরুর তারিখ চেয়ে একাডেমিক ইয়ার ইয়ার স্টার্ট তারিখ যা শব্দটি সংযুক্ত করা হয় তার আগে না হতে পারে (শিক্ষাবর্ষ {}). তারিখ সংশোধন করে আবার চেষ্টা করুন.
DocType: Guardian,Guardian Interests,গার্ডিয়ান রুচি
DocType: Naming Series,Current Value,বর্তমান মূল্য
@@ -1846,12 +1860,12 @@
must be greater than or equal to {2}","সারি {0}: সেট করুন {1} পর্যায়কাল, থেকে এবং তারিখ \ করার মধ্যে পার্থক্য এর চেয়ে বড় বা সমান হবে {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,এই স্টক আন্দোলনের উপর ভিত্তি করে তৈরি. দেখুন {0} বিস্তারিত জানতে
DocType: Pricing Rule,Selling,বিক্রি
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},পরিমাণ {0} {1} বিরুদ্ধে কাটা {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},পরিমাণ {0} {1} বিরুদ্ধে কাটা {2}
DocType: Employee,Salary Information,বেতন তথ্য
DocType: Sales Person,Name and Employee ID,নাম ও কর্মী ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,দরুন জন্ম তারিখ পোস্ট করার আগে হতে পারে না
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,দরুন জন্ম তারিখ পোস্ট করার আগে হতে পারে না
DocType: Website Item Group,Website Item Group,ওয়েবসাইট আইটেমটি গ্রুপ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,কর্তব্য এবং কর
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,কর্তব্য এবং কর
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,রেফারেন্স তারিখ লিখুন দয়া করে
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} পেমেন্ট থেকে দ্বারা ফিল্টার করা যাবে না {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,ওয়েব সাইট এ দেখানো হবে যে আইটেমটি জন্য ছক
@@ -1868,9 +1882,9 @@
DocType: Payment Reconciliation Payment,Reference Row,রেফারেন্স সারি
DocType: Installation Note,Installation Time,ইনস্টলেশনের সময়
DocType: Sales Invoice,Accounting Details,অ্যাকাউন্টিং এর বর্ণনা
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,এই কোম্পানির জন্য সব লেনদেন মুছে
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,সারি # {0}: অপারেশন {1} উত্পাদনের মধ্যে সমাপ্ত পণ্য {2} Qty জন্য সম্পন্ন করা হয় না আদেশ # {3}. সময় লগসমূহ মাধ্যমে অপারেশন অবস্থা আপডেট করুন
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,বিনিয়োগ
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,এই কোম্পানির জন্য সব লেনদেন মুছে
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,সারি # {0}: অপারেশন {1} উত্পাদনের মধ্যে সমাপ্ত পণ্য {2} Qty জন্য সম্পন্ন করা হয় না আদেশ # {3}. সময় লগসমূহ মাধ্যমে অপারেশন অবস্থা আপডেট করুন
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,বিনিয়োগ
DocType: Issue,Resolution Details,রেজোলিউশনের বিবরণ
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,বরাে
DocType: Item Quality Inspection Parameter,Acceptance Criteria,গ্রহণযোগ্য বৈশিষ্ট্য
@@ -1895,7 +1909,7 @@
DocType: Room,Room Name,রুমের নাম
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","ছুটি ভারসাম্য ইতিমধ্যে হ্যান্ড ফরওয়ার্ড ভবিষ্যতে ছুটি বরাদ্দ রেকর্ড হয়েছে হিসাবে, আগে {0} বাতিল / প্রয়োগ করা যাবে না ছেড়ে {1}"
DocType: Activity Cost,Costing Rate,খোয়াতে হার
-,Customer Addresses And Contacts,গ্রাহক ঠিকানা এবং পরিচিতি
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,গ্রাহক ঠিকানা এবং পরিচিতি
,Campaign Efficiency,ক্যাম্পেইন দক্ষতা
DocType: Discussion,Discussion,আলোচনা
DocType: Payment Entry,Transaction ID,লেনদেন নাম্বার
@@ -1905,14 +1919,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),মোট বিলিং পরিমাণ (টাইম শিট মাধ্যমে)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,পুনরাবৃত্ত গ্রাহক রাজস্ব
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) ভূমিকা 'ব্যয় রাজসাক্ষী' থাকতে হবে
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,জুড়ি
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,উত্পাদনের জন্য BOM এবং Qty নির্বাচন
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,জুড়ি
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,উত্পাদনের জন্য BOM এবং Qty নির্বাচন
DocType: Asset,Depreciation Schedule,অবচয় সূচি
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,সেলস অংশীদার ঠিকানা ও যোগাযোগ
DocType: Bank Reconciliation Detail,Against Account,অ্যাকাউন্টের বিরুদ্ধে
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,অর্ধদিবস তারিখ তারিখ থেকে এবং তারিখ থেকে মধ্যবর্তী হওয়া উচিত
DocType: Maintenance Schedule Detail,Actual Date,সঠিক তারিখ
DocType: Item,Has Batch No,ব্যাচ কোন আছে
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},বার্ষিক বিলিং: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},বার্ষিক বিলিং: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),দ্রব্য এবং পরিষেবা কর (GST ভারত)
DocType: Delivery Note,Excise Page Number,আবগারি পৃষ্ঠা সংখ্যা
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","কোম্পানি, তারিখ থেকে এবং তারিখ থেকে বাধ্যতামূলক"
DocType: Asset,Purchase Date,ক্রয় তারিখ
@@ -1920,11 +1936,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},কোম্পানি 'অ্যাসেট অবচয় খরচ কেন্দ্র' নির্ধারণ করুন {0}
,Maintenance Schedules,রক্ষণাবেক্ষণ সময়সূচী
DocType: Task,Actual End Date (via Time Sheet),প্রকৃত শেষ তারিখ (টাইম শিট মাধ্যমে)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},পরিমাণ {0} {1} বিরুদ্ধে {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},পরিমাণ {0} {1} বিরুদ্ধে {2} {3}
,Quotation Trends,উদ্ধৃতি প্রবণতা
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},আইটেমটি গ্রুপ আইটেমের জন্য আইটেম মাস্টার উল্লেখ না {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,অ্যাকাউন্ট ডেবিট একটি গ্রহনযোগ্য অ্যাকাউন্ট থাকতে হবে
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},আইটেমটি গ্রুপ আইটেমের জন্য আইটেম মাস্টার উল্লেখ না {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,অ্যাকাউন্ট ডেবিট একটি গ্রহনযোগ্য অ্যাকাউন্ট থাকতে হবে
DocType: Shipping Rule Condition,Shipping Amount,শিপিং পরিমাণ
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,গ্রাহকরা যোগ করুন
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,অপেক্ষারত পরিমাণ
DocType: Purchase Invoice Item,Conversion Factor,রূপান্তর ফ্যাক্টর
DocType: Purchase Order,Delivered,নিষ্কৃত
@@ -1934,7 +1951,8 @@
DocType: Purchase Receipt,Vehicle Number,গাড়ির সংখ্যা
DocType: Purchase Invoice,The date on which recurring invoice will be stop,আবর্তক চালান বন্ধ করা হবে কোন তারিখে
DocType: Employee Loan,Loan Amount,ঋণের পরিমাণ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},সারি {0}: সামগ্রী বিল আইটেমের জন্য পাওয়া যায়নি {1}
+DocType: Program Enrollment,Self-Driving Vehicle,স্বচালিত যানবাহন
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},সারি {0}: সামগ্রী বিল আইটেমের জন্য পাওয়া যায়নি {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,সর্বমোট পাতার {0} কম হতে পারে না সময়ের জন্য ইতিমধ্যেই অনুমোদন পাতার {1} চেয়ে
DocType: Journal Entry,Accounts Receivable,গ্রহনযোগ্য অ্যাকাউন্ট
,Supplier-Wise Sales Analytics,সরবরাহকারী প্রজ্ঞাময় বিক্রয় বিশ্লেষণ
@@ -1951,21 +1969,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,ব্যয় দাবি অনুমোদনের জন্য স্থগিত করা হয়. শুধু ব্যয় রাজসাক্ষী স্ট্যাটাস আপডেট করতে পারবেন.
DocType: Email Digest,New Expenses,নিউ খরচ
DocType: Purchase Invoice,Additional Discount Amount,অতিরিক্ত মূল্য ছাড়ের পরিমাণ
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","সারি # {0}: Qty, 1 হবে যেমন আইটেম একটি নির্দিষ্ট সম্পদ. একাধিক Qty এ জন্য পৃথক সারি ব্যবহার করুন."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","সারি # {0}: Qty, 1 হবে যেমন আইটেম একটি নির্দিষ্ট সম্পদ. একাধিক Qty এ জন্য পৃথক সারি ব্যবহার করুন."
DocType: Leave Block List Allow,Leave Block List Allow,ব্লক মঞ্জুর তালিকা ত্যাগ
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,সংক্ষিপ্তকরণ ফাঁকা বা স্থান হতে পারে না
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,সংক্ষিপ্তকরণ ফাঁকা বা স্থান হতে পারে না
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,অ-গ্রুপ গ্রুপ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,স্পোর্টস
DocType: Loan Type,Loan Name,ঋণ নাম
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,প্রকৃত মোট
DocType: Student Siblings,Student Siblings,ছাত্র সহোদর
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,একক
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,কোম্পানি উল্লেখ করুন
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,একক
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,কোম্পানি উল্লেখ করুন
,Customer Acquisition and Loyalty,গ্রাহক অধিগ্রহণ ও বিশ্বস্ততা
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,অগ্রাহ্য আইটেম শেয়ার রয়েছে সেখানে ওয়্যারহাউস
DocType: Production Order,Skip Material Transfer,কর উপাদান স্থানান্তর
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,জন্য বিনিময় হার খুঁজে পাওয়া যায়নি {0} এ {1} কী তারিখের জন্য {2}। একটি মুদ্রা বিনিময় রেকর্ড ম্যানুয়ালি তৈরি করুন
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,তোমার আর্থিক বছরের শেষ
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,জন্য বিনিময় হার খুঁজে পাওয়া যায়নি {0} এ {1} কী তারিখের জন্য {2}। একটি মুদ্রা বিনিময় রেকর্ড ম্যানুয়ালি তৈরি করুন
DocType: POS Profile,Price List,মূল্য তালিকা
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} ডিফল্ট অর্থবছরের এখন হয়. পরিবর্তন কার্যকর করার জন্য আপনার ব্রাউজার রিফ্রেশ করুন.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,ব্যয় দাবি
@@ -1978,14 +1995,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},ব্যাচ স্টক ব্যালেন্স {0} হয়ে যাবে ঋণাত্মক {1} ওয়্যারহাউস এ আইটেম {2} জন্য {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,উপাদান অনুরোধ নিম্নলিখিত আইটেম এর পুনরায় আদেশ স্তরের উপর ভিত্তি করে স্বয়ংক্রিয়ভাবে উত্থাপিত হয়েছে
DocType: Email Digest,Pending Sales Orders,সেলস অর্ডার অপেক্ষারত
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},অ্যাকাউন্ট {0} অবৈধ. অ্যাকাউন্টের মুদ্রা হতে হবে {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},অ্যাকাউন্ট {0} অবৈধ. অ্যাকাউন্টের মুদ্রা হতে হবে {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM রূপান্তর ফ্যাক্টর সারিতে প্রয়োজন বোধ করা হয় {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","সারি # {0}: রেফারেন্স ডকুমেন্ট প্রকার সেলস অর্ডার এক, সেলস চালান বা জার্নাল এন্ট্রি করতে হবে"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","সারি # {0}: রেফারেন্স ডকুমেন্ট প্রকার সেলস অর্ডার এক, সেলস চালান বা জার্নাল এন্ট্রি করতে হবে"
DocType: Salary Component,Deduction,সিদ্ধান্তগ্রহণ
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,সারি {0}: সময় থেকে এবং সময় বাধ্যতামূলক.
DocType: Stock Reconciliation Item,Amount Difference,পরিমাণ পার্থক্য
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},আইটেমের মূল্য জন্য যোগ {0} মূল্যতালিকা {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},আইটেমের মূল্য জন্য যোগ {0} মূল্যতালিকা {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,এই বিক্রয় ব্যক্তির কর্মী ID লিখুন দয়া করে
DocType: Territory,Classification of Customers by region,অঞ্চল গ্রাহকের সাইট
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,পার্থক্য পরিমাণ শূন্য হতে হবে
@@ -1997,21 +2014,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,মোট সিদ্ধান্তগ্রহণ
,Production Analytics,উত্পাদনের অ্যানালিটিক্স
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,খরচ আপডেট
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,খরচ আপডেট
DocType: Employee,Date of Birth,জন্ম তারিখ
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,আইটেম {0} ইতিমধ্যে ফেরত দেয়া হয়েছে
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,আইটেম {0} ইতিমধ্যে ফেরত দেয়া হয়েছে
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** অর্থবছরের ** একটি অর্থবছরে প্রতিনিধিত্ব করে. সব হিসাব ভুক্তি এবং অন্যান্য প্রধান লেনদেন ** ** অর্থবছরের বিরুদ্ধে ট্র্যাক করা হয়.
DocType: Opportunity,Customer / Lead Address,গ্রাহক / লিড ঠিকানা
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},সতর্কবাণী: সংযুক্তি অবৈধ SSL সার্টিফিকেট {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},সতর্কবাণী: সংযুক্তি অবৈধ SSL সার্টিফিকেট {0}
DocType: Student Admission,Eligibility,নির্বাচিত হইবার যোগ্যতা
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","বিশালাকার আপনি ব্যবসা, আপনার বিশালাকার হিসাবে সব আপনার পরিচিতি এবং আরো যোগ পেতে সাহায্য"
DocType: Production Order Operation,Actual Operation Time,প্রকৃত অপারেশন টাইম
DocType: Authorization Rule,Applicable To (User),প্রযোজ্য (ব্যবহারকারী)
DocType: Purchase Taxes and Charges,Deduct,বিয়োগ করা
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,কাজের বর্ণনা
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,কাজের বর্ণনা
DocType: Student Applicant,Applied,ফলিত
DocType: Sales Invoice Item,Qty as per Stock UOM,স্টক Qty UOM অনুযায়ী
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2 নাম
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 নাম
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","ব্যাপারটি তেমন বিশেষ অক্ষর "-" ".", "#", এবং "/" সিরিজ নামকরণ অনুমোদিত নয়"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","সেলস প্রচারাভিযান সম্পর্কে অবগত থাকুন. বাড়ে, উদ্ধৃতি সম্পর্কে অবগত থাকুন, বিক্রয় আদেশ ইত্যাদি প্রচারণা থেকে বিনিয়োগ ফিরে মূল্যাবধারণ করা."
DocType: Expense Claim,Approver,রাজসাক্ষী
@@ -2022,7 +2039,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},সিরিয়াল কোন {0} পর্যন্ত ওয়ারেন্টি বা তার কম বয়সী {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,প্যাকেজ বিভক্ত হুণ্ডি.
apps/erpnext/erpnext/hooks.py +87,Shipments,চালানে
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,অ্যাকাউন্ট ব্যালেন্স ({0}) {1} এবং স্টক মান ({2}) গুদাম জন্য {3} একই হতে হবে
DocType: Payment Entry,Total Allocated Amount (Company Currency),সর্বমোট পরিমাণ (কোম্পানি মুদ্রা)
DocType: Purchase Order Item,To be delivered to customer,গ্রাহকের মধ্যে বিতরণ করা হবে
DocType: BOM,Scrap Material Cost,স্ক্র্যাপ উপাদান খরচ
@@ -2030,20 +2046,21 @@
DocType: Purchase Invoice,In Words (Company Currency),ভাষায় (কোম্পানি একক)
DocType: Asset,Supplier,সরবরাহকারী
DocType: C-Form,Quarter,সিকি
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,বিবিধ খরচ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,বিবিধ খরচ
DocType: Global Defaults,Default Company,ডিফল্ট কোম্পানি
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ব্যয় বা পার্থক্য অ্যাকাউন্ট আইটেম {0} হিসাবে এটি প্রভাব সার্বিক শেয়ার মূল্য জন্য বাধ্যতামূলক
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ব্যয় বা পার্থক্য অ্যাকাউন্ট আইটেম {0} হিসাবে এটি প্রভাব সার্বিক শেয়ার মূল্য জন্য বাধ্যতামূলক
DocType: Payment Request,PR,জনসংযোগ
DocType: Cheque Print Template,Bank Name,ব্যাংকের নাম
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-সর্বোপরি
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-সর্বোপরি
DocType: Employee Loan,Employee Loan Account,কর্মচারী ঋণ অ্যাকাউন্ট
DocType: Leave Application,Total Leave Days,মোট ছুটি দিন
DocType: Email Digest,Note: Email will not be sent to disabled users,উল্লেখ্য: এটি ইমেল প্রতিবন্ধী ব্যবহারকারীদের পাঠানো হবে না
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,মিথস্ক্রিয়া সংখ্যা
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,আইটেম code> আইটেম গ্রুপ> ব্র্যান্ড
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,কোম্পানি নির্বাচন ...
DocType: Leave Control Panel,Leave blank if considered for all departments,সব বিভাগের জন্য বিবেচিত হলে ফাঁকা ছেড়ে দিন
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","কর্মসংস্থান প্রকারভেদ (স্থায়ী, চুক্তি, অন্তরীণ ইত্যাদি)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} আইটেমের জন্য বাধ্যতামূলক {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} আইটেমের জন্য বাধ্যতামূলক {1}
DocType: Process Payroll,Fortnightly,পাক্ষিক
DocType: Currency Exchange,From Currency,মুদ্রা থেকে
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","অন্তত একটি সারিতে বরাদ্দ পরিমাণ, চালান প্রকার এবং চালান নম্বর নির্বাচন করুন"
@@ -2065,7 +2082,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,সময়সূচী পেতে 'নির্মাণ সূচি' তে ক্লিক করুন
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,ত্রুটিযুক্ত নিম্নলিখিত সময়সূচী মোছার সময় ছিল:
DocType: Bin,Ordered Quantity,আদেশ পরিমাণ
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",যেমন "নির্মাতা জন্য সরঞ্জাম তৈরি করুন"
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",যেমন "নির্মাতা জন্য সরঞ্জাম তৈরি করুন"
DocType: Grading Scale,Grading Scale Intervals,শূন্য স্কেল অন্তরাল
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1} {2} জন্য অ্যাকাউন্টিং এণ্ট্রি শুধুমাত্র মুদ্রা তৈরি করা যাবে না: {3}
DocType: Production Order,In Process,প্রক্রিয়াধীন
@@ -2079,12 +2096,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} ছাত্র সংগঠনগুলো সৃষ্টি করেছেন।
DocType: Sales Invoice,Total Billing Amount,মোট বিলিং পরিমাণ
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,একটি ডিফল্ট ইনকামিং ইমেইল অ্যাকাউন্ট এই কাজ করার জন্য সক্রিয় করা আবশ্যক. অনুগ্রহ করে সেটআপ ডিফল্ট ইনকামিং ইমেইল অ্যাকাউন্ট (POP / IMAP) এবং আবার চেষ্টা করুন.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,গ্রহনযোগ্য অ্যাকাউন্ট
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},সারি # {0}: অ্যাসেট {1} ইতিমধ্যে {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,গ্রহনযোগ্য অ্যাকাউন্ট
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},সারি # {0}: অ্যাসেট {1} ইতিমধ্যে {2}
DocType: Quotation Item,Stock Balance,স্টক ব্যালেন্স
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,অর্থ প্রদান বিক্রয় আদেশ
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} সেটআপ> সেটিংস মাধ্যমে> নামকরণ সিরিজ জন্য সিরিজ নামকরণ সেট করুন
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,সিইও
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,সিইও
DocType: Expense Claim Detail,Expense Claim Detail,ব্যয় দাবি বিস্তারিত
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,সঠিক অ্যাকাউন্ট নির্বাচন করুন
DocType: Item,Weight UOM,ওজন UOM
@@ -2093,12 +2109,12 @@
DocType: Production Order Operation,Pending,বিচারাধীন
DocType: Course,Course Name,কোর্সের নাম
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,একটি নির্দিষ্ট কর্মচারী হুকুমে অ্যাপ্লিকেশন অনুমোদন করতে পারেন ব্যবহারকারীরা
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,অফিস সরঞ্জাম
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,অফিস সরঞ্জাম
DocType: Purchase Invoice Item,Qty,Qty
DocType: Fiscal Year,Companies,কোম্পানি
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,যন্ত্রপাতির
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,শেয়ার পুনরায় আদেশ পর্যায়ে পৌঁছে যখন উপাদান অনুরোধ বাড়াতে
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,ফুল টাইম
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,ফুল টাইম
DocType: Salary Structure,Employees,এমপ্লয়িজ
DocType: Employee,Contact Details,যোগাযোগের ঠিকানা
DocType: C-Form,Received Date,জন্ম গ্রহণ
@@ -2108,7 +2124,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,দাম দেখানো হবে না যদি মূল্য তালিকা নির্ধারণ করা হয় না
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,এই নৌ-শাসনের জন্য একটি দেশ উল্লেখ বা বিশ্বব্যাপী শিপিং চেক করুন
DocType: Stock Entry,Total Incoming Value,মোট ইনকামিং মূল্য
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,ডেবিট প্রয়োজন বোধ করা হয়
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,ডেবিট প্রয়োজন বোধ করা হয়
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets সাহায্য আপনার দলের দ্বারা সম্পন্ন তৎপরতা জন্য সময়, খরচ এবং বিলিং ট্র্যাক রাখতে"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,ক্রয়মূল্য তালিকা
DocType: Offer Letter Term,Offer Term,অপরাধ টার্ম
@@ -2117,17 +2133,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,পেমেন্ট রিকনসিলিয়েশন
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,ইনচার্জ ব্যক্তির নাম নির্বাচন করুন
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,প্রযুক্তি
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},মোট অপ্রদত্ত: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},মোট অপ্রদত্ত: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM ওয়েবসাইট অপারেশন
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,প্রস্তাবপত্র
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,উপাদান অনুরোধ (এমআরপি) অ্যান্ড প্রোডাকশন আদেশ নির্মাণ করা হয়.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,মোট চালানে মাসিক
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,মোট চালানে মাসিক
DocType: BOM,Conversion Rate,রূপান্তর হার
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,পণ্য অনুসন্ধান
DocType: Timesheet Detail,To Time,সময়
DocType: Authorization Rule,Approving Role (above authorized value),(কঠিন মূল্য উপরে) ভূমিকা অনুমোদন
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,একাউন্টে ক্রেডিট একটি প্রদেয় অ্যাকাউন্ট থাকতে হবে
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} এর পিতা বা মাতা বা সন্তান হতে পারবেন না {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,একাউন্টে ক্রেডিট একটি প্রদেয় অ্যাকাউন্ট থাকতে হবে
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} এর পিতা বা মাতা বা সন্তান হতে পারবেন না {2}
DocType: Production Order Operation,Completed Qty,সমাপ্ত Qty
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","{0}, শুধুমাত্র ডেবিট অ্যাকাউন্ট অন্য ক্রেডিট এন্ট্রি বিরুদ্ধে সংযুক্ত করা যাবে জন্য"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,মূল্যতালিকা {0} নিষ্ক্রিয় করা হয়
@@ -2138,28 +2154,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} আইটেম জন্য প্রয়োজন সিরিয়াল নাম্বার {1}. আপনার দেওয়া {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,বর্তমান মূল্যনির্ধারণ হার
DocType: Item,Customer Item Codes,গ্রাহক আইটেম সঙ্কেত
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,এক্সচেঞ্জ লাভ / ক্ষতির
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,এক্সচেঞ্জ লাভ / ক্ষতির
DocType: Opportunity,Lost Reason,লস্ট কারণ
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,নতুন ঠিকানা
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,নতুন ঠিকানা
DocType: Quality Inspection,Sample Size,সাধারন মাপ
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,রশিদ ডকুমেন্ট লিখুন দয়া করে
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,সকল আইটেম ইতিমধ্যে invoiced হয়েছে
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,সকল আইটেম ইতিমধ্যে invoiced হয়েছে
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.','কেস নং থেকে' একটি বৈধ উল্লেখ করুন
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,অতিরিক্ত খরচ সেন্টার গ্রুপ অধীন করা যেতে পারে কিন্তু এন্ট্রি অ গ্রুপের বিরুদ্ধে করা যেতে পারে
DocType: Project,External,বহিরাগত
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,ব্যবহারকারী এবং অনুমতি
DocType: Vehicle Log,VLOG.,Vlog.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},উত্পাদনের আদেশ তৈরী করা হয়েছে: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},উত্পাদনের আদেশ তৈরী করা হয়েছে: {0}
DocType: Branch,Branch,শাখা
DocType: Guardian,Mobile Number,মোবাইল নম্বর
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,ছাপানো ও ব্র্যান্ডিং
DocType: Bin,Actual Quantity,প্রকৃত পরিমাণ
DocType: Shipping Rule,example: Next Day Shipping,উদাহরণস্বরূপ: আগামী দিন গ্রেপ্তার
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,পাওয়া না সিরিয়াল কোন {0}
-DocType: Scheduling Tool,Student Batch,ছাত্র ব্যাচ
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,তোমার গ্রাহকরা
+DocType: Program Enrollment,Student Batch,ছাত্র ব্যাচ
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,স্টুডেন্ট করুন
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},আপনি প্রকল্পের সহযোগীতা করার জন্য আমন্ত্রণ জানানো হয়েছে: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},আপনি প্রকল্পের সহযোগীতা করার জন্য আমন্ত্রণ জানানো হয়েছে: {0}
DocType: Leave Block List Date,Block Date,ব্লক তারিখ
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,এখন আবেদন কর
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},প্রকৃত করে চলছে {0} / অপেক্ষা করে চলছে {1}
@@ -2168,7 +2183,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","তৈরি করুন এবং দৈনিক, সাপ্তাহিক এবং মাসিক ইমেল digests পরিচালনা."
DocType: Appraisal Goal,Appraisal Goal,মূল্যায়ন গোল
DocType: Stock Reconciliation Item,Current Amount,বর্তমান পরিমাণ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,ভবন
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,ভবন
DocType: Fee Structure,Fee Structure,ফি গঠন
DocType: Timesheet Detail,Costing Amount,খোয়াতে পরিমাণ
DocType: Student Admission,Application Fee,আবেদন ফী
@@ -2180,10 +2195,10 @@
DocType: POS Profile,[Select],[নির্বাচন]
DocType: SMS Log,Sent To,প্রেরিত
DocType: Payment Request,Make Sales Invoice,বিক্রয় চালান করুন
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,সফটওয়্যার
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,সফটওয়্যার
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,পরবর্তী যোগাযোগ তারিখ অতীতে হতে পারে না
DocType: Company,For Reference Only.,শুধুমাত্র রেফারেন্সের জন্য.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,ব্যাচ নির্বাচন কোন
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,ব্যাচ নির্বাচন কোন
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},অকার্যকর {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,অগ্রিম পরিমাণ
@@ -2193,15 +2208,15 @@
DocType: Employee,Employment Details,চাকুরীর বিস্তারিত তথ্য
DocType: Employee,New Workplace,নতুন কর্মক্ষেত্রে
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,বন্ধ হিসাবে সেট করুন
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},বারকোড কোনো আইটেম {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},বারকোড কোনো আইটেম {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,মামলা নং 0 হতে পারবেন না
DocType: Item,Show a slideshow at the top of the page,পৃষ্ঠার উপরের একটি স্লাইডশো প্রদর্শন
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,দোকান
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,দোকান
DocType: Serial No,Delivery Time,প্রসবের সময়
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,উপর ভিত্তি করে বুড়ো
DocType: Item,End of Life,জীবনের শেষে
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,ভ্রমণ
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,ভ্রমণ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,প্রদত্ত তারিখ জন্য কর্মচারী {0} জন্য পাওয়া যায়নি সক্রিয় বা ডিফল্ট বেতন কাঠামো
DocType: Leave Block List,Allow Users,ব্যবহারকারীদের মঞ্জুরি
DocType: Purchase Order,Customer Mobile No,গ্রাহক মোবাইল কোন
@@ -2210,29 +2225,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,আপডেট খরচ
DocType: Item Reorder,Item Reorder,আইটেম অনুসারে পুনঃক্রম করুন
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,বেতন দেখান স্লিপ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,ট্রান্সফার উপাদান
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,ট্রান্সফার উপাদান
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","অপারেশন, অপারেটিং খরচ উল্লেখ করুন এবং আপনার কাজকর্মকে কোন একটি অনন্য অপারেশন দিতে."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,এই দস্তাবেজটি দ্বারা সীমা উত্তীর্ণ {0} {1} আইটেমের জন্য {4}. আপনি তৈরি করছেন আরেকটি {3} একই বিরুদ্ধে {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,সংরক্ষণ পরে আবর্তক নির্ধারণ করুন
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,নির্বাচন পরিবর্তনের পরিমাণ অ্যাকাউন্ট
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,এই দস্তাবেজটি দ্বারা সীমা উত্তীর্ণ {0} {1} আইটেমের জন্য {4}. আপনি তৈরি করছেন আরেকটি {3} একই বিরুদ্ধে {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,সংরক্ষণ পরে আবর্তক নির্ধারণ করুন
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,নির্বাচন পরিবর্তনের পরিমাণ অ্যাকাউন্ট
DocType: Purchase Invoice,Price List Currency,মূল্যতালিকা মুদ্রা
DocType: Naming Series,User must always select,ব্যবহারকারী সবসময় নির্বাচন করতে হবে
DocType: Stock Settings,Allow Negative Stock,নেতিবাচক শেয়ার মঞ্জুরি
DocType: Installation Note,Installation Note,ইনস্টলেশন উল্লেখ্য
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,করের যোগ
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,করের যোগ
DocType: Topic,Topic,বিষয়
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,অর্থায়ন থেকে ক্যাশ ফ্লো
DocType: Budget Account,Budget Account,বাজেট অ্যাকাউন্ট
DocType: Quality Inspection,Verified By,কর্তৃক যাচাইকৃত
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","বিদ্যমান লেনদেন আছে, কারণ, কোম্পানির ডিফল্ট মুদ্রা পরিবর্তন করতে পারবেন. লেনদেন ডিফল্ট মুদ্রা পরিবর্তন বাতিল করতে হবে."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","বিদ্যমান লেনদেন আছে, কারণ, কোম্পানির ডিফল্ট মুদ্রা পরিবর্তন করতে পারবেন. লেনদেন ডিফল্ট মুদ্রা পরিবর্তন বাতিল করতে হবে."
DocType: Grading Scale Interval,Grade Description,গ্রেড বর্ণনা
DocType: Stock Entry,Purchase Receipt No,কেনার রসিদ কোন
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,অগ্রিক
DocType: Process Payroll,Create Salary Slip,বেতন স্লিপ তৈরি
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,traceability
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),তহবিলের উৎস (দায়)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},সারিতে পরিমাণ {0} ({1}) শিল্পজাত পরিমাণ হিসাবে একই হতে হবে {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),তহবিলের উৎস (দায়)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},সারিতে পরিমাণ {0} ({1}) শিল্পজাত পরিমাণ হিসাবে একই হতে হবে {2}
DocType: Appraisal,Employee,কর্মচারী
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,ব্যাচ নির্বাচন
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} সম্পূর্ণরূপে বিল করা হয়েছে
DocType: Training Event,End Time,শেষ সময়
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,সক্রিয় বেতন কাঠামো {0} দেওয়া তারিখগুলি জন্য কর্মচারী {1} পাওয়া যায়নি
@@ -2244,11 +2260,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,প্রয়োজনীয় উপর
DocType: Rename Tool,File to Rename,পুনঃনামকরণ করা ফাইল
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},সারি মধ্যে আইটেম জন্য BOM দয়া করে নির্বাচন করুন {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},আইটেম জন্য বিদ্যমান নয় নির্দিষ্ট BOM {0} {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},অ্যাকাউন্ট {0} {1} অ্যাকাউন্টের মোডে কোম্পানির সঙ্গে মিলছে না: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},আইটেম জন্য বিদ্যমান নয় নির্দিষ্ট BOM {0} {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,রক্ষণাবেক্ষণ সূচি {0} এই সেলস অর্ডার বাতিলের আগে বাতিল করা হবে
DocType: Notification Control,Expense Claim Approved,ব্যয় দাবি অনুমোদিত
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,কর্মচারীর বেতন স্লিপ {0} ইতিমধ্যে এই সময়ের জন্য সৃষ্টি
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,ফার্মাসিউটিক্যাল
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,ফার্মাসিউটিক্যাল
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,ক্রয় আইটেম খরচ
DocType: Selling Settings,Sales Order Required,সেলস আদেশ প্রয়োজন
DocType: Purchase Invoice,Credit To,ক্রেডিট
@@ -2265,42 +2282,42 @@
DocType: Payment Gateway Account,Payment Account,টাকা পরিষদের অ্যাকাউন্ট
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,এগিয়ে যেতে কোম্পানি উল্লেখ করুন
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,গ্রহনযোগ্য অ্যাকাউন্ট মধ্যে নিট পরিবর্তন
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,পূরক অফ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,পূরক অফ
DocType: Offer Letter,Accepted,গৃহীত
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,সংগঠন
DocType: SG Creation Tool Course,Student Group Name,স্টুডেন্ট গ্রুপের নাম
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"আপনি কি সত্যিই এই কোম্পানির জন্য সব লেনদেন মুছে ফেলতে চান, নিশ্চিত করুন. হিসাবে এটা আপনার মাস্টার ডেটা থাকবে. এই ক্রিয়াটি পূর্বাবস্থায় ফেরানো যাবে না."
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"আপনি কি সত্যিই এই কোম্পানির জন্য সব লেনদেন মুছে ফেলতে চান, নিশ্চিত করুন. হিসাবে এটা আপনার মাস্টার ডেটা থাকবে. এই ক্রিয়াটি পূর্বাবস্থায় ফেরানো যাবে না."
DocType: Room,Room Number,রুম নম্বর
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},অবৈধ উল্লেখ {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) পরিকল্পনা quanitity তার চেয়ে অনেক বেশী হতে পারে না ({2}) উত্পাদন আদেশ {3}
DocType: Shipping Rule,Shipping Rule Label,শিপিং রুল ট্যাগ
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,ব্যবহারকারী ফোরাম
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,কাঁচামালের ফাঁকা থাকতে পারে না.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","স্টক আপডেট করা যায়নি, চালান ড্রপ শিপিং আইটেমটি রয়েছে."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,কাঁচামালের ফাঁকা থাকতে পারে না.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","স্টক আপডেট করা যায়নি, চালান ড্রপ শিপিং আইটেমটি রয়েছে."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,দ্রুত জার্নাল এন্ট্রি
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,BOM কোন আইটেম agianst উল্লেখ তাহলে আপনি হার পরিবর্তন করতে পারবেন না
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,BOM কোন আইটেম agianst উল্লেখ তাহলে আপনি হার পরিবর্তন করতে পারবেন না
DocType: Employee,Previous Work Experience,আগের কাজের অভিজ্ঞতা
DocType: Stock Entry,For Quantity,পরিমাণ
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},সারিতে আইটেম {0} জন্য পরিকল্পনা Qty লিখুন দয়া করে {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} দাখিল করা হয় না
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,আইটেম জন্য অনুরোধ.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,পৃথক উত্পাদন যাতে প্রতিটি সমাপ্ত ভাল আইটেমের জন্য তৈরি করা হবে.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} রিটার্ন নথিতে অবশ্যই নেতিবাচক হতে হবে
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} রিটার্ন নথিতে অবশ্যই নেতিবাচক হতে হবে
,Minutes to First Response for Issues,সমস্যার জন্য প্রথম প্রতিক্রিয়া মিনিট
DocType: Purchase Invoice,Terms and Conditions1,শর্তাবলী এবং Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,"ইনস্টিটিউটের নাম, যার জন্য আপনি এই সিস্টেম সেট আপ করা হয়."
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,"ইনস্টিটিউটের নাম, যার জন্য আপনি এই সিস্টেম সেট আপ করা হয়."
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","এই ডেট নিথর অ্যাকাউন্টিং এন্ট্রি, কেউ / না নিম্নোল্লিখিত শর্ত ভূমিকা ছাড়া এন্ট্রি পরিবর্তন করতে পারেন."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,রক্ষণাবেক্ষণ সময়সূচী উৎপাদিত আগে নথি সংরক্ষণ করুন
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,প্রোজেক্ট অবস্থা
DocType: UOM,Check this to disallow fractions. (for Nos),ভগ্নাংশ অননুমোদন এই পরীক্ষা. (আমরা জন্য)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,নিম্নলিখিত উত্পাদনের আদেশ তৈরি করা হয়েছে:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,নিম্নলিখিত উত্পাদনের আদেশ তৈরি করা হয়েছে:
DocType: Student Admission,Naming Series (for Student Applicant),সিরিজ নেমিং (স্টুডেন্ট আবেদনকারীর জন্য)
DocType: Delivery Note,Transporter Name,স্থানান্তরকারী নাম
DocType: Authorization Rule,Authorized Value,কঠিন মূল্য
DocType: BOM,Show Operations,দেখান অপারেশনস
,Minutes to First Response for Opportunity,সুযোগ প্রথম প্রতিক্রিয়া মিনিট
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,মোট অনুপস্থিত
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,সারি {0} মেলে না উপাদানের জন্য অনুরোধ জন্য আইটেম বা গুদাম
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,সারি {0} মেলে না উপাদানের জন্য অনুরোধ জন্য আইটেম বা গুদাম
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,পরিমাপের একক
DocType: Fiscal Year,Year End Date,বছর শেষ তারিখ
DocType: Task Depends On,Task Depends On,কাজের উপর নির্ভর করে
@@ -2379,11 +2396,11 @@
DocType: Asset,Manual,ম্যানুয়াল
DocType: Salary Component Account,Salary Component Account,বেতন কম্পোনেন্ট অ্যাকাউন্ট
DocType: Global Defaults,Hide Currency Symbol,মুদ্রা প্রতীক লুকান
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","যেমন ব্যাংক, ক্যাশ, ক্রেডিট কার্ড"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","যেমন ব্যাংক, ক্যাশ, ক্রেডিট কার্ড"
DocType: Lead Source,Source Name,উত্স নাম
DocType: Journal Entry,Credit Note,ক্রেডিট নোট
DocType: Warranty Claim,Service Address,সেবা ঠিকানা
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,আসবাবপত্র এবং রাজধানী
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,আসবাবপত্র এবং রাজধানী
DocType: Item,Manufacture,উত্পাদন
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,দয়া হুণ্ডি প্রথম
DocType: Student Applicant,Application Date,আবেদনের তারিখ
@@ -2393,7 +2410,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,পরিস্কারের তারিখ উল্লেখ না
apps/erpnext/erpnext/config/manufacturing.py +7,Production,উত্পাদনের
DocType: Guardian,Occupation,পেশা
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,দয়া করে সেটআপ কর্মচারী হিউম্যান রিসোর্স মধ্যে নামকরণ সিস্টেম> এইচআর সেটিং
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,সারি {0}: আরম্ভের তারিখ শেষ তারিখের আগে হওয়া আবশ্যক
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),মোট (Qty)
DocType: Sales Invoice,This Document,এই নথীটি
@@ -2405,19 +2421,19 @@
DocType: Purchase Receipt,Time at which materials were received,"উপকরণ গৃহীত হয়েছে, যা এ সময়"
DocType: Stock Ledger Entry,Outgoing Rate,আউটগোয়িং কলের হার
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,সংস্থার শাখা মাস্টার.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,বা
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,বা
DocType: Sales Order,Billing Status,বিলিং অবস্থা
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,একটি সমস্যা রিপোর্ট
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,ইউটিলিটি খরচ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,ইউটিলিটি খরচ
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-উপরে
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,সারি # {0}: জার্নাল এন্ট্রি {1} অ্যাকাউন্ট নেই {2} বা ইতিমধ্যেই অন্য ভাউচার বিরুদ্ধে মিলেছে
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,সারি # {0}: জার্নাল এন্ট্রি {1} অ্যাকাউন্ট নেই {2} বা ইতিমধ্যেই অন্য ভাউচার বিরুদ্ধে মিলেছে
DocType: Buying Settings,Default Buying Price List,ডিফল্ট ক্রয় মূল্য তালিকা
DocType: Process Payroll,Salary Slip Based on Timesheet,বেতন স্লিপ শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড উপর ভিত্তি করে
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,উপরে নির্বাচিত মানদণ্ডের বা বেতন স্লিপ জন্য কোন কর্মচারী ইতিমধ্যে তৈরি
DocType: Notification Control,Sales Order Message,বিক্রয় আদেশ পাঠান
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","ইত্যাদি কোম্পানি, মুদ্রা, চলতি অর্থবছরে, মত ডিফল্ট মান"
DocType: Payment Entry,Payment Type,শোধের ধরণ
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,দয়া করে আইটেমটি জন্য একটি ব্যাচ নির্বাচন {0}। একটি একক ব্যাচ যে এই প্রয়োজনীয়তা পরিপূর্ণ খুঁজে পাওয়া যায়নি
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,দয়া করে আইটেমটি জন্য একটি ব্যাচ নির্বাচন {0}। একটি একক ব্যাচ যে এই প্রয়োজনীয়তা পরিপূর্ণ খুঁজে পাওয়া যায়নি
DocType: Process Payroll,Select Employees,নির্বাচন এমপ্লয়িজ
DocType: Opportunity,Potential Sales Deal,সম্ভাব্য বিক্রয় ডীল
DocType: Payment Entry,Cheque/Reference Date,চেক / রেফারেন্স তারিখ
@@ -2437,7 +2453,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,রশিদ ডকুমেন্ট দাখিল করতে হবে
DocType: Purchase Invoice Item,Received Qty,গৃহীত Qty
DocType: Stock Entry Detail,Serial No / Batch,সিরিয়াল কোন / ব্যাচ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,না দেওয়া এবং বিতরিত হয় নি
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,না দেওয়া এবং বিতরিত হয় নি
DocType: Product Bundle,Parent Item,মূল আইটেমটি
DocType: Account,Account Type,হিসাবের ধরণ
DocType: Delivery Note,DN-RET-,ডিএন RET-
@@ -2451,24 +2467,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),প্রসবের জন্য প্যাকেজের আইডেন্টিফিকেশন (প্রিন্ট জন্য)
DocType: Bin,Reserved Quantity,সংরক্ষিত পরিমাণ
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,বৈধ ইমেইল ঠিকানা লিখুন
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},সেখানে প্রোগ্রামের জন্য কোন বাধ্যতামূলক কোর্স {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,কেনার রসিদ চলছে
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,কাস্টমাইজ ফরম
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,পশ্চাদ্বর্তিতা
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,পশ্চাদ্বর্তিতা
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,সময়কালে অবচয় পরিমাণ
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,অক্ষম করা হয়েছে টেমপ্লেট ডিফল্ট টেমপ্লেট হবে না
DocType: Account,Income Account,আয় অ্যাকাউন্ট
DocType: Payment Request,Amount in customer's currency,গ্রাহকের মুদ্রার পরিমাণ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,বিলি
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,বিলি
DocType: Stock Reconciliation Item,Current Qty,বর্তমান স্টক
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",দেখুন খোয়াতে বিভাগে "সামগ্রী ভিত্তি করে হার"
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,পূর্ববর্তী
DocType: Appraisal Goal,Key Responsibility Area,কী দায়িত্ব ফোন
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","ছাত্র ব্যাচ আপনি উপস্থিতি, মূল্যায়ন এবং ছাত্রদের জন্য ফি ট্র্যাক সাহায্য"
DocType: Payment Entry,Total Allocated Amount,সর্বমোট পরিমাণ
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,চিরস্থায়ী জায় জন্য ডিফল্ট জায় অ্যাকাউন্ট সেট
DocType: Item Reorder,Material Request Type,উপাদান অনুরোধ টাইপ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},থেকে {0} বেতন জন্য Accural জার্নাল এন্ট্রি {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","স্থানীয় সঞ্চয়স্থান পূর্ণ, সংরক্ষণ করা হয়নি"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","স্থানীয় সঞ্চয়স্থান পূর্ণ, সংরক্ষণ করা হয়নি"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,সারি {0}: UOM রূপান্তর ফ্যাক্টর বাধ্যতামূলক
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,সুত্র
DocType: Budget,Cost Center,খরচ কেন্দ্র
@@ -2481,19 +2497,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","প্রাইসিং রুল কিছু মানদণ্ডের উপর ভিত্তি করে, / মূল্য তালিকা মুছে ফেলা ডিসকাউন্ট শতাংশ নির্ধারণ করা হয়."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,গুদাম শুধুমাত্র স্টক এন্ট্রি এর মাধ্যমে পরিবর্তন করা যাবে / হুণ্ডি / কেনার রসিদ
DocType: Employee Education,Class / Percentage,ক্লাস / শতাংশ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,মার্কেটিং ও সেলস হেড
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,আয়কর
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,মার্কেটিং ও সেলস হেড
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,আয়কর
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","নির্বাচিত প্রাইসিং রুল 'মূল্য' জন্য তৈরি করা হয় তাহলে, এটি মূল্য তালিকা মুছে ফেলা হবে. প্রাইসিং রুল মূল্য চূড়ান্ত দাম, তাই কোন অতিরিক্ত ছাড় প্রয়োগ করতে হবে. অত: পর, ইত্যাদি বিক্রয় আদেশ, ক্রয় আদেশ মত লেনদেন, এটা বরং 'মূল্য তালিকা হার' ক্ষেত্র ছাড়া, 'হার' ক্ষেত্র সংগৃহীত হবে."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,ট্র্যাক শিল্প টাইপ দ্বারা অনুসন্ধান.
DocType: Item Supplier,Item Supplier,আইটেম সরবরাহকারী
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,ব্যাচ কোন পেতে আইটেম কোড প্রবেশ করুন
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},{0} quotation_to জন্য একটি মান নির্বাচন করুন {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,ব্যাচ কোন পেতে আইটেম কোড প্রবেশ করুন
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},{0} quotation_to জন্য একটি মান নির্বাচন করুন {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,সব ঠিকানাগুলি.
DocType: Company,Stock Settings,স্টক সেটিংস
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","নিম্নলিখিত বৈশিষ্ট্য উভয় রেকর্ডে একই হলে মার্জ শুধুমাত্র সম্ভব. গ্রুপ, root- র ধরন, কোম্পানী"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","নিম্নলিখিত বৈশিষ্ট্য উভয় রেকর্ডে একই হলে মার্জ শুধুমাত্র সম্ভব. গ্রুপ, root- র ধরন, কোম্পানী"
DocType: Vehicle,Electric,বৈদ্যুতিক
DocType: Task,% Progress,% অগ্রগতি
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,লাভ / অ্যাসেট নিষ্পত্তির হ্রাস
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,লাভ / অ্যাসেট নিষ্পত্তির হ্রাস
DocType: Training Event,Will send an email about the event to employees with status 'Open',অবস্থা কর্মচারীদের ঘটনা সম্পর্কে একটি ইমেল পাঠাতে হবে 'ওপেন'
DocType: Task,Depends on Tasks,কার্যগুলি উপর নির্ভর করে
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,গ্রাহক গ্রুপ গাছ পরিচালনা.
@@ -2502,7 +2518,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,নতুন খরচ কেন্দ্রের নাম
DocType: Leave Control Panel,Leave Control Panel,কন্ট্রোল প্যানেল ছেড়ে চলে
DocType: Project,Task Completion,কাজটি সমাপ্তির
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,মজুদ নাই
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,মজুদ নাই
DocType: Appraisal,HR User,এইচআর ব্যবহারকারী
DocType: Purchase Invoice,Taxes and Charges Deducted,কর ও শুল্ক বাদ
apps/erpnext/erpnext/hooks.py +116,Issues,সমস্যা
@@ -2513,22 +2529,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},কোন বেতন স্লিপ মধ্যে পাওয়া {0} এবং {1}
,Pending SO Items For Purchase Request,ক্রয় অনুরোধ জন্য তাই চলছে অপেক্ষারত
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,স্টুডেন্ট অ্যাডমিশন
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} নিষ্ক্রিয় করা
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} নিষ্ক্রিয় করা
DocType: Supplier,Billing Currency,বিলিং মুদ্রা
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,অতি বৃহদাকার
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,অতি বৃহদাকার
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,মোট পাতা
,Profit and Loss Statement,লাভ এবং লোকসান বিবরণী
DocType: Bank Reconciliation Detail,Cheque Number,চেক সংখ্যা
,Sales Browser,সেলস ব্রাউজার
DocType: Journal Entry,Total Credit,মোট ক্রেডিট
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},সতর্কতা: আরেকটি {0} # {1} শেয়ার এন্ট্রি বিরুদ্ধে বিদ্যমান {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,স্থানীয়
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,স্থানীয়
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),ঋণ ও অগ্রিমের (সম্পদ)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,ঋণ গ্রহিতা
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,বড়
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,বড়
DocType: Homepage Featured Product,Homepage Featured Product,হোম পেজ বৈশিষ্ট্যযুক্ত পণ্য
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,সকল অ্যাসেসমেন্ট গোষ্ঠীসমূহ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,সকল অ্যাসেসমেন্ট গোষ্ঠীসমূহ
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,নতুন গুদাম নাম
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),মোট {0} ({1})
DocType: C-Form Invoice Detail,Territory,এলাকা
@@ -2538,12 +2554,12 @@
DocType: Production Order Operation,Planned Start Time,পরিকল্পনা শুরুর সময়
DocType: Course,Assessment,অ্যাসেসমেন্ট
DocType: Payment Entry Reference,Allocated,বরাদ্দ
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,বন্ধ স্থিতিপত্র ও বই লাভ বা ক্ষতি.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,বন্ধ স্থিতিপত্র ও বই লাভ বা ক্ষতি.
DocType: Student Applicant,Application Status,আবেদনপত্রের অবস্থা
DocType: Fees,Fees,ফি
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,বিনিময় হার অন্য মধ্যে এক মুদ্রা রূপান্তর উল্লেখ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,উদ্ধৃতি {0} বাতিল করা হয়
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,মোট বকেয়া পরিমাণ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,মোট বকেয়া পরিমাণ
DocType: Sales Partner,Targets,লক্ষ্যমাত্রা
DocType: Price List,Price List Master,মূল্য তালিকা মাস্টার
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,আপনি সেট এবং নির্দেশকের লক্ষ্যমাত্রা নজর রাখতে পারেন যাতে সব বিক্রয় লেনদেন একাধিক ** বিক্রয় ব্যক্তি ** বিরুদ্ধে ট্যাগ করা যায়.
@@ -2575,11 +2591,11 @@
1. Address and Contact of your Company.","স্ট্যান্ডার্ড শর্তাবলী এবং বিক্রয় এবং ক্রয় যোগ করা যেতে পারে যে শর্তাবলী. উদাহরণ: প্রস্তাব 1. বৈধতা. 1. অর্থপ্রদান শর্তাদি (ক্রেডিট অগ্রিম, অংশ অগ্রিম ইত্যাদি). 1. অতিরিক্ত (বা গ্রাহকের দ্বারা প্রদেয়) কি. 1. নিরাপত্তা / ব্যবহার সতর্কবাণী. 1. পাটা কোন তাহলে. 1. আয় নীতি. শিপিং 1. শর্তাবলী, যদি প্রযোজ্য হয়. বিরোধ অ্যাড্রেসিং, ক্ষতিপূরণ, দায় 1. উপায়, ইত্যাদি 1. ঠিকানা এবং আপনার কোম্পানীর সাথে যোগাযোগ করুন."
DocType: Attendance,Leave Type,ছুটি টাইপ
DocType: Purchase Invoice,Supplier Invoice Details,সরবরাহকারী চালানের বিশদ বিবরণ
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,ব্যয় / পার্থক্য অ্যাকাউন্ট ({0}) একটি 'লাভ বা ক্ষতি' অ্যাকাউন্ট থাকতে হবে
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,ব্যয় / পার্থক্য অ্যাকাউন্ট ({0}) একটি 'লাভ বা ক্ষতি' অ্যাকাউন্ট থাকতে হবে
DocType: Project,Copied From,থেকে অনুলিপি
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},নাম ত্রুটি: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,স্বল্পতা
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} সঙ্গে যুক্ত নেই {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} সঙ্গে যুক্ত নেই {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,কর্মচারী {0} উপস্থিতির ইতিমধ্যে চিহ্নিত করা হয়
DocType: Packing Slip,If more than one package of the same type (for print),তাহলে একই ধরনের একাধিক বাক্স (প্রিন্ট জন্য)
,Salary Register,বেতন নিবন্ধন
@@ -2597,22 +2613,23 @@
,Requested Qty,অনুরোধ করা Qty
DocType: Tax Rule,Use for Shopping Cart,শপিং কার্ট জন্য ব্যবহার করুন
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},মূল্য {0} অ্যাট্রিবিউট জন্য {1} বৈধ বিষয়ের তালিকায় বিদ্যমান নয় আইটেম জন্য মূল্যবোধ অ্যাট্রিবিউট {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,সিরিয়াল নম্বর নির্বাচন করুন
DocType: BOM Item,Scrap %,স্ক্র্যাপ%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","চার্জ আনুপাতিক আপনার নির্বাচন অনুযায়ী, আইটেম Qty বা পরিমাণ উপর ভিত্তি করে বিতরণ করা হবে"
DocType: Maintenance Visit,Purposes,উদ্দেশ্যসমূহ
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,অন্তত একটি আইটেম ফিরে নথিতে নেতিবাচক পরিমাণ সঙ্গে প্রবেশ করা উচিত
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,অন্তত একটি আইটেম ফিরে নথিতে নেতিবাচক পরিমাণ সঙ্গে প্রবেশ করা উচিত
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","অপারেশন {0} ওয়ার্কস্টেশন কোনো উপলব্ধ কাজের সময় চেয়ে দীর্ঘতর {1}, একাধিক অপারেশন মধ্যে অপারেশন ভাঙ্গিয়া"
,Requested,অনুরোধ করা
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,কোন মন্তব্য
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,কোন মন্তব্য
DocType: Purchase Invoice,Overdue,পরিশোধসময়াতীত
DocType: Account,Stock Received But Not Billed,শেয়ার পেয়েছি কিন্তু বিল না
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Root অ্যাকাউন্টের একটি গ্রুপ হতে হবে
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Root অ্যাকাউন্টের একটি গ্রুপ হতে হবে
DocType: Fees,FEE.,ফি.
DocType: Employee Loan,Repaid/Closed,শোধ / বন্ধ
DocType: Item,Total Projected Qty,মোট অভিক্ষিপ্ত Qty
DocType: Monthly Distribution,Distribution Name,বন্টন নাম
DocType: Course,Course Code,কোর্স কোড
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},আইটেম জন্য প্রয়োজনীয় মান পরিদর্শন {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},আইটেম জন্য প্রয়োজনীয় মান পরিদর্শন {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,যা গ্রাহকের কারেন্সি হারে কোম্পানির বেস কারেন্সি রূপান্তরিত হয়
DocType: Purchase Invoice Item,Net Rate (Company Currency),নিট হার (কোম্পানি একক)
DocType: Salary Detail,Condition and Formula Help,কন্ডিশন ও ফর্মুলা সাহায্য
@@ -2625,27 +2642,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,প্রস্তুত জন্য উপাদান স্থানান্তর
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,ডিসকাউন্ট শতাংশ একটি মূল্য তালিকা বিরুদ্ধে বা সব মূল্য তালিকা জন্য হয় প্রয়োগ করা যেতে পারে.
DocType: Purchase Invoice,Half-yearly,অর্ধ বার্ষিক
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,স্টক জন্য অ্যাকাউন্টিং এণ্ট্রি
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,স্টক জন্য অ্যাকাউন্টিং এণ্ট্রি
DocType: Vehicle Service,Engine Oil,ইঞ্জিনের তেল
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,দয়া করে সেটআপ কর্মচারী হিউম্যান রিসোর্স মধ্যে নামকরণ সিস্টেম> এইচআর সেটিং
DocType: Sales Invoice,Sales Team1,সেলস team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,আইটেম {0} অস্তিত্ব নেই
DocType: Sales Invoice,Customer Address,গ্রাহকের ঠিকানা
DocType: Employee Loan,Loan Details,ঋণ বিবরণ
+DocType: Company,Default Inventory Account,ডিফল্ট পরিসংখ্যা অ্যাকাউন্ট
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,সারি {0}: সমাপ্ত Qty শূন্য অনেক বেশী হতে হবে.
DocType: Purchase Invoice,Apply Additional Discount On,অতিরিক্ত ডিসকাউন্ট উপর প্রয়োগ
DocType: Account,Root Type,Root- র ধরন
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},সারি # {0}: বেশী ফিরে যাবে না {1} আইটেম জন্য {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},সারি # {0}: বেশী ফিরে যাবে না {1} আইটেম জন্য {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,চক্রান্ত
DocType: Item Group,Show this slideshow at the top of the page,পৃষ্ঠার উপরের এই স্লাইডশো প্রদর্শন
DocType: BOM,Item UOM,আইটেম UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),ছাড়ের পরিমাণ পরে ট্যাক্স পরিমাণ (কোম্পানি একক)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},উদ্দিষ্ট গুদাম সারিতে জন্য বাধ্যতামূলক {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},উদ্দিষ্ট গুদাম সারিতে জন্য বাধ্যতামূলক {0}
DocType: Cheque Print Template,Primary Settings,প্রাথমিক সেটিংস
DocType: Purchase Invoice,Select Supplier Address,সরবরাহকারী ঠিকানা নির্বাচন
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,এমপ্লয়িজ যোগ
DocType: Purchase Invoice Item,Quality Inspection,উচ্চমানের তদন্ত
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,অতিরিক্ত ছোট
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,অতিরিক্ত ছোট
DocType: Company,Standard Template,স্ট্যান্ডার্ড টেমপ্লেট
DocType: Training Event,Theory,তত্ত্ব
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,সতর্কতা: Qty অনুরোধ উপাদান নূন্যতম অর্ডার QTY কম হয়
@@ -2653,7 +2672,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,সংস্থার একাত্মতার অ্যাকাউন্টের একটি পৃথক চার্ট সঙ্গে আইনি সত্তা / সাবসিডিয়ারি.
DocType: Payment Request,Mute Email,নিঃশব্দ ইমেইল
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","খাদ্য, পানীয় ও তামাকের"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},শুধুমাত্র বিরুদ্ধে পেমেন্ট করতে পারবেন যেতে উদ্ভাবনী উপায় {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},শুধুমাত্র বিরুদ্ধে পেমেন্ট করতে পারবেন যেতে উদ্ভাবনী উপায় {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,কমিশন হার তার চেয়ে অনেক বেশী 100 হতে পারে না
DocType: Stock Entry,Subcontract,ঠিকা
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,প্রথম {0} লিখুন দয়া করে
@@ -2666,18 +2685,18 @@
DocType: SMS Log,No of Sent SMS,এসএমএস পাঠানোর কোন
DocType: Account,Expense Account,দামী হিসাব
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,সফটওয়্যার
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,রঙিন
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,রঙিন
DocType: Assessment Plan Criteria,Assessment Plan Criteria,অ্যাসেসমেন্ট পরিকল্পনা নির্ণায়ক
DocType: Training Event,Scheduled,তালিকাভুক্ত
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,উদ্ধৃতি জন্য অনুরোধ.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",""না" এবং "বিক্রয় আইটেম" "শেয়ার আইটেম" যেখানে "হ্যাঁ" হয় আইটেম নির্বাচন করুন এবং অন্য কোন পণ্য সমষ্টি নেই, অনুগ্রহ করে"
DocType: Student Log,Academic,একাডেমিক
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),মোট অগ্রিম ({0}) আদেশের বিরুদ্ধে {1} সর্বমোট তার চেয়ে অনেক বেশী হতে পারে না ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),মোট অগ্রিম ({0}) আদেশের বিরুদ্ধে {1} সর্বমোট তার চেয়ে অনেক বেশী হতে পারে না ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,অসমান মাস জুড়ে লক্ষ্যমাত্রা বিতরণ মাসিক ডিস্ট্রিবিউশন নির্বাচন.
DocType: Purchase Invoice Item,Valuation Rate,মূল্যনির্ধারণ হার
DocType: Stock Reconciliation,SR/,এসআর /
DocType: Vehicle,Diesel,ডীজ়ল্
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,মূল্য তালিকা মুদ্রা একক নির্বাচন করবেন
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,মূল্য তালিকা মুদ্রা একক নির্বাচন করবেন
,Student Monthly Attendance Sheet,শিক্ষার্থীর মাসের এ্যাটেনডেন্স পত্রক
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},কর্মচারী {0} ইতিমধ্যে আবেদন করেছেন {1} মধ্যে {2} এবং {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,প্রজেক্ট আরম্ভের তারিখ
@@ -2689,7 +2708,7 @@
DocType: BOM,Scrap,স্ক্র্যাপ
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,সেলস পার্টনার্স সেকেন্ড.
DocType: Quality Inspection,Inspection Type,ইন্সপেকশন ধরন
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,বিদ্যমান লেনদেনের সঙ্গে গুদাম গ্রুপে রূপান্তর করা যাবে না.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,বিদ্যমান লেনদেনের সঙ্গে গুদাম গ্রুপে রূপান্তর করা যাবে না.
DocType: Assessment Result Tool,Result HTML,ফল এইচটিএমএল
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,মেয়াদ শেষ
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,শিক্ষার্থীরা যোগ
@@ -2697,13 +2716,13 @@
DocType: C-Form,C-Form No,সি-ফরম কোন
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,অচিহ্নিত এ্যাটেনডেন্স
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,গবেষক
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,গবেষক
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,প্রোগ্রাম তালিকাভুক্তি টুল ছাত্র
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,নাম বা ইমেল বাধ্যতামূলক
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,ইনকামিং মান পরিদর্শন.
DocType: Purchase Order Item,Returned Qty,ফিরে Qty
DocType: Employee,Exit,প্রস্থান
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Root- র ধরন বাধ্যতামূলক
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root- র ধরন বাধ্যতামূলক
DocType: BOM,Total Cost(Company Currency),মোট খরচ (কোম্পানি মুদ্রা)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,{0} নির্মিত সিরিয়াল কোন
DocType: Homepage,Company Description for website homepage,ওয়েবসাইট হোমপেজে জন্য এখানে বর্ণনা
@@ -2712,7 +2731,7 @@
DocType: Sales Invoice,Time Sheet List,টাইম শিট তালিকা
DocType: Employee,You can enter any date manually,আপনি নিজে কোনো তারিখ লিখতে পারেন
DocType: Asset Category Account,Depreciation Expense Account,অবচয় ব্যায়ের অ্যাকাউন্ট
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,অবেক্ষাধীন সময়ের
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,অবেক্ষাধীন সময়ের
DocType: Customer Group,Only leaf nodes are allowed in transaction,শুধু পাতার নোড লেনদেনের অনুমতি দেওয়া হয়
DocType: Expense Claim,Expense Approver,ব্যয় রাজসাক্ষী
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,সারি {0}: গ্রাহক বিরুদ্ধে অগ্রিম ক্রেডিট হতে হবে
@@ -2725,10 +2744,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,কোর্স সূচী মোছা হয়েছে:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,SMS বিতরণ অবস্থা বজায় রাখার জন্য লগ
DocType: Accounts Settings,Make Payment via Journal Entry,জার্নাল এন্ট্রি মাধ্যমে টাকা প্রাপ্তির
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,মুদ্রিত উপর
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,মুদ্রিত উপর
DocType: Item,Inspection Required before Delivery,পরিদর্শন ডেলিভারি আগে প্রয়োজনীয়
DocType: Item,Inspection Required before Purchase,ইন্সপেকশন ক্রয়ের আগে প্রয়োজনীয়
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,মুলতুবি কার্যক্রম
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,তোমার অর্গানাইজেশন
DocType: Fee Component,Fees Category,ফি শ্রেণী
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,তারিখ মুক্তিদান লিখুন.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT
@@ -2738,9 +2758,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,পুনর্বিন্যাস স্তর
DocType: Company,Chart Of Accounts Template,একাউন্টস টেমপ্লেটের চার্ট
DocType: Attendance,Attendance Date,এ্যাটেনডেন্স তারিখ
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},আইটেম দাম {0} মূল্য তালিকা জন্য আপডেট {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},আইটেম দাম {0} মূল্য তালিকা জন্য আপডেট {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,আদায় এবং সিদ্ধান্তগ্রহণ উপর ভিত্তি করে বেতন ছুটি.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,সন্তানের নোড সঙ্গে অ্যাকাউন্ট লেজার রূপান্তরিত করা যাবে না
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,সন্তানের নোড সঙ্গে অ্যাকাউন্ট লেজার রূপান্তরিত করা যাবে না
DocType: Purchase Invoice Item,Accepted Warehouse,গৃহীত ওয়্যারহাউস
DocType: Bank Reconciliation Detail,Posting Date,পোস্টিং তারিখ
DocType: Item,Valuation Method,মূল্যনির্ধারণ পদ্ধতি
@@ -2749,14 +2769,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,ডুপ্লিকেট এন্ট্রি
DocType: Program Enrollment Tool,Get Students,শিক্ষার্থীরা পান
DocType: Serial No,Under Warranty,ওয়ারেন্টিযুক্ত
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[ত্রুটি]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[ত্রুটি]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,আপনি বিক্রয় আদেশ সংরক্ষণ একবার শব্দ দৃশ্যমান হবে.
,Employee Birthday,কর্মচারী জন্মদিনের
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,ছাত্র ব্যাচ এ্যাটেনডেন্স টুল
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,সীমা অতিক্রম
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,সীমা অতিক্রম
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,ভেনচার ক্যাপিটাল
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,এই 'একাডেমিক ইয়ার' দিয়ে একটি একাডেমিক শব্দটি {0} এবং 'টার্ম নাম' {1} আগে থেকেই আছে. এই এন্ট্রি পরিবর্তন করে আবার চেষ্টা করুন.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","আইটেম {0} বিরুদ্ধে বিদ্যমান লেনদেন আছে, আপনার মান পরিবর্তন করতে পারবেন না {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","আইটেম {0} বিরুদ্ধে বিদ্যমান লেনদেন আছে, আপনার মান পরিবর্তন করতে পারবেন না {1}"
DocType: UOM,Must be Whole Number,গোটা সংখ্যা হতে হবে
DocType: Leave Control Panel,New Leaves Allocated (In Days),(দিন) বরাদ্দ নতুন পাতার
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,সিরিয়াল কোন {0} অস্তিত্ব নেই
@@ -2765,6 +2785,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,চালান নম্বর
DocType: Shopping Cart Settings,Orders,আদেশ
DocType: Employee Leave Approver,Leave Approver,রাজসাক্ষী ত্যাগ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,দয়া করে একটি ব্যাচ নির্বাচন
DocType: Assessment Group,Assessment Group Name,অ্যাসেসমেন্ট গ্রুপের নাম
DocType: Manufacturing Settings,Material Transferred for Manufacture,উপাদান প্রস্তুত জন্য বদলিকৃত
DocType: Expense Claim,"A user with ""Expense Approver"" role","ব্যয় রাজসাক্ষী" ভূমিকা সাথে একজন ব্যবহারকারী
@@ -2774,9 +2795,10 @@
DocType: Target Detail,Target Detail,উদ্দিষ্ট বিস্তারিত
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,সকল চাকরি
DocType: Sales Order,% of materials billed against this Sales Order,উপকরণ% এই বিক্রয় আদেশের বিরুদ্ধে বিল
+DocType: Program Enrollment,Mode of Transportation,পরিবহন রীতি
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,সময়কাল সমাপন ভুক্তি
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,বিদ্যমান লেনদেন সঙ্গে খরচ কেন্দ্র গ্রুপ রূপান্তরিত করা যাবে না
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},পরিমাণ {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},পরিমাণ {0} {1} {2} {3}
DocType: Account,Depreciation,অবচয়
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),সরবরাহকারী (গুলি)
DocType: Employee Attendance Tool,Employee Attendance Tool,কর্মী হাজিরা টুল
@@ -2784,7 +2806,7 @@
DocType: Supplier,Credit Limit,ক্রেডিট সীমা
DocType: Production Plan Sales Order,Salse Order Date,কর্দমস্রাবক আগ্নেয়গিরি ক্রম তারিখের
DocType: Salary Component,Salary Component,বেতন কম্পোনেন্ট
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,পেমেন্ট দাখিলা {0} উন-লিঙ্ক আছে
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,পেমেন্ট দাখিলা {0} উন-লিঙ্ক আছে
DocType: GL Entry,Voucher No,ভাউচার কোন
,Lead Owner Efficiency,লিড মালিক দক্ষতা
DocType: Leave Allocation,Leave Allocation,অ্যালোকেশন ত্যাগ
@@ -2795,11 +2817,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,পদ বা চুক্তি টেমপ্লেট.
DocType: Purchase Invoice,Address and Contact,ঠিকানা ও যোগাযোগ
DocType: Cheque Print Template,Is Account Payable,অ্যাকাউন্ট প্রদেয়
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},শেয়ার ক্রয় রশিদ বিরুদ্ধে আপডেট করা যাবে না {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},শেয়ার ক্রয় রশিদ বিরুদ্ধে আপডেট করা যাবে না {0}
DocType: Supplier,Last Day of the Next Month,পরবর্তী মাসের শেষ দিন
DocType: Support Settings,Auto close Issue after 7 days,7 দিন পরে অটো বন্ধ ইস্যু
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","আগে বরাদ্দ করা না যাবে ছেড়ে {0}, ছুটি ভারসাম্য ইতিমধ্যে হ্যান্ড ফরওয়ার্ড ভবিষ্যতে ছুটি বরাদ্দ রেকর্ড হয়েছে হিসাবে {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),উল্লেখ্য: দরুন / রেফারেন্স তারিখ {0} দিন দ্বারা অনুমোদিত গ্রাহকের ক্রেডিট দিন অতিক্রম (গুলি)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),উল্লেখ্য: দরুন / রেফারেন্স তারিখ {0} দিন দ্বারা অনুমোদিত গ্রাহকের ক্রেডিট দিন অতিক্রম (গুলি)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,ছাত্র আবেদনকারীর
DocType: Asset Category Account,Accumulated Depreciation Account,সঞ্চিত অবচয় অ্যাকাউন্ট
DocType: Stock Settings,Freeze Stock Entries,ফ্রিজ শেয়ার সাজপোশাকটি
@@ -2808,35 +2830,35 @@
DocType: Activity Cost,Billing Rate,বিলিং রেট
,Qty to Deliver,বিতরণ Qty
,Stock Analytics,স্টক বিশ্লেষণ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,অপারেশনস ফাঁকা রাখা যাবে না
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,অপারেশনস ফাঁকা রাখা যাবে না
DocType: Maintenance Visit Purpose,Against Document Detail No,ডকুমেন্ট বিস্তারিত বিরুদ্ধে কোন
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,পার্টির প্রকার বাধ্যতামূলক
DocType: Quality Inspection,Outgoing,বহির্গামী
DocType: Material Request,Requested For,জন্য অনুরোধ করা
DocType: Quotation Item,Against Doctype,Doctype বিরুদ্ধে
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} বাতিল বা বন্ধ করা
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} বাতিল বা বন্ধ করা
DocType: Delivery Note,Track this Delivery Note against any Project,কোন প্রকল্পের বিরুদ্ধে এই হুণ্ডি সন্ধান
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,বিনিয়োগ থেকে নিট ক্যাশ
-,Is Primary Address,প্রাথমিক ঠিকানা
DocType: Production Order,Work-in-Progress Warehouse,কাজ-অগ্রগতি ওয়্যারহাউস
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,অ্যাসেট {0} দাখিল করতে হবে
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},এ্যাটেনডেন্স রেকর্ড {0} শিক্ষার্থীর বিরুদ্ধে বিদ্যমান {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},এ্যাটেনডেন্স রেকর্ড {0} শিক্ষার্থীর বিরুদ্ধে বিদ্যমান {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},রেফারেন্স # {0} তারিখের {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,অবচয় সম্পদ নিষ্পত্তির কারণে বিদায় নিয়েছে
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,ঠিকানা ও পরিচালনা
DocType: Asset,Item Code,পণ্য সংকেত
DocType: Production Planning Tool,Create Production Orders,উত্পাদনের আদেশ করুন
DocType: Serial No,Warranty / AMC Details,পাটা / এএমসি বিস্তারিত
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,ভ্রমণ ভিত্তিক গ্রুপ জন্য ম্যানুয়ালি ছাত্র নির্বাচন
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,ভ্রমণ ভিত্তিক গ্রুপ জন্য ম্যানুয়ালি ছাত্র নির্বাচন
DocType: Journal Entry,User Remark,ব্যবহারকারী মন্তব্য
DocType: Lead,Market Segment,মার্কেটের অংশ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Paid পরিমাণ মোট নেতিবাচক অসামান্য পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Paid পরিমাণ মোট নেতিবাচক অসামান্য পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না {0}
DocType: Employee Internal Work History,Employee Internal Work History,কর্মচারী অভ্যন্তরীণ কাজের ইতিহাস
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),বন্ধ (ড)
DocType: Cheque Print Template,Cheque Size,চেক সাইজ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,না মজুত সিরিয়াল কোন {0}
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,লেনদেন বিক্রি জন্য ট্যাক্স টেমপ্লেট.
DocType: Sales Invoice,Write Off Outstanding Amount,বকেয়া পরিমাণ লিখুন বন্ধ
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},অ্যাকাউন্ট {0} কোম্পানির সঙ্গে মেলে না {1}
DocType: School Settings,Current Academic Year,বর্তমান শিক্ষাবর্ষ
DocType: Stock Settings,Default Stock UOM,ডিফল্ট শেয়ার UOM
DocType: Asset,Number of Depreciations Booked,Depreciations সংখ্যা বুক
@@ -2851,27 +2873,27 @@
DocType: Asset,Double Declining Balance,ডাবল পড়ন্ত ব্যালেন্স
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,বন্ধ অর্ডার বাতিল করা যাবে না. বাতিল করার অবারিত করা.
DocType: Student Guardian,Father,পিতা
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'আপডেট শেয়ার' স্থায়ী সম্পদ বিক্রি চেক করা যাবে না
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'আপডেট শেয়ার' স্থায়ী সম্পদ বিক্রি চেক করা যাবে না
DocType: Bank Reconciliation,Bank Reconciliation,ব্যাংক পুনর্মিলন
DocType: Attendance,On Leave,ছুটিতে
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,আপডেট পান
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: অ্যাকাউন্ট {2} কোম্পানির অন্তর্গত নয় {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,উপাদানের জন্য অনুরোধ {0} বাতিল বা বন্ধ করা হয়
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,কয়েকটি নমুনা রেকর্ড যোগ
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,কয়েকটি নমুনা রেকর্ড যোগ
apps/erpnext/erpnext/config/hr.py +301,Leave Management,ম্যানেজমেন্ট ত্যাগ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,অ্যাকাউন্ট দ্বারা গ্রুপ
DocType: Sales Order,Fully Delivered,সম্পূর্ণ বিতরণ
DocType: Lead,Lower Income,নিম্ন আয়
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},সোর্স ও টার্গেট গুদাম সারির এক হতে পারে না {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},সোর্স ও টার্গেট গুদাম সারির এক হতে পারে না {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","এই স্টক রিকনসিলিয়েশন একটি খোলা এণ্ট্রি যেহেতু পার্থক্য অ্যাকাউন্ট, একটি সম্পদ / দায় ধরনের অ্যাকাউন্ট থাকতে হবে"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},বিতরণ পরিমাণ ঋণ পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},আইটেম জন্য প্রয়োজন ক্রম সংখ্যা ক্রয় {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,উত্পাদনের অর্ডার তৈরি করা না
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},আইটেম জন্য প্রয়োজন ক্রম সংখ্যা ক্রয় {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,উত্পাদনের অর্ডার তৈরি করা না
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','তারিখ থেকে' অবশ্যই 'তারিখ পর্যন্ত' এর পরে হতে হবে
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},ছাত্র হিসাবে অবস্থা পরিবর্তন করা যাবে না {0} ছাত্র আবেদনপত্রের সাথে সংযুক্ত করা হয় {1}
DocType: Asset,Fully Depreciated,সম্পূর্ণরূপে মূল্যমান হ্রাস
,Stock Projected Qty,স্টক Qty অনুমিত
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},অন্তর্গত নয় {0} গ্রাহক প্রকল্পের {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},অন্তর্গত নয় {0} গ্রাহক প্রকল্পের {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,চিহ্নিত এ্যাটেনডেন্স এইচটিএমএল
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","উদ্ধৃতি প্রস্তাব, দর আপনি আপনার গ্রাহকদের কাছে পাঠানো হয়েছে"
DocType: Sales Order,Customer's Purchase Order,গ্রাহকের ক্রয় আদেশ
@@ -2880,33 +2902,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,মূল্যায়ন মানদণ্ড স্কোর যোগফল {0} হতে হবে.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Depreciations সংখ্যা বুক নির্ধারণ করুন
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,মূল্য বা স্টক
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,প্রোডাকসন্স আদেশ জন্য উত্থাপিত করা যাবে না:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,মিনিট
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,প্রোডাকসন্স আদেশ জন্য উত্থাপিত করা যাবে না:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,মিনিট
DocType: Purchase Invoice,Purchase Taxes and Charges,কর ও শুল্ক ক্রয়
,Qty to Receive,জখন Qty
DocType: Leave Block List,Leave Block List Allowed,ব্লক তালিকা প্রেজেন্টেশন ত্যাগ
DocType: Grading Scale Interval,Grading Scale Interval,শূন্য স্কেল ব্যবধান
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},যানবাহন লগিন জন্য ব্যয় দাবি {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ছাড় (%) উপর মার্জিন সহ PRICE তালিকা হার
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,সকল গুদাম
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,সকল গুদাম
DocType: Sales Partner,Retailer,খুচরা বিক্রেতা
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,একাউন্টে ক্রেডিট একটি ব্যালান্স শিটের অ্যাকাউন্ট থাকতে হবে
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,একাউন্টে ক্রেডিট একটি ব্যালান্স শিটের অ্যাকাউন্ট থাকতে হবে
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,সমস্ত সরবরাহকারী প্রকারভেদ
DocType: Global Defaults,Disable In Words,শব্দ অক্ষম
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,"আইটেম স্বয়ংক্রিয়ভাবে গণনা করা হয়, কারণ আইটেমটি কোড বাধ্যতামূলক"
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"আইটেম স্বয়ংক্রিয়ভাবে গণনা করা হয়, কারণ আইটেমটি কোড বাধ্যতামূলক"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},উদ্ধৃতি {0} না টাইপ {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,রক্ষণাবেক্ষণ সময়সূচী আইটেমটি
DocType: Sales Order,% Delivered,% বিতরণ করা হয়েছে
DocType: Production Order,PRO-,গণমুখী
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,ব্যাংক ওভারড্রাফ্ট অ্যাকাউন্ট
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,ব্যাংক ওভারড্রাফ্ট অ্যাকাউন্ট
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,বেতন স্লিপ করুন
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,সারি # {0}: বরাদ্দ বকেয়া পরিমাণ পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না।
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,ব্রাউজ BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,নিরাপদ ঋণ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,নিরাপদ ঋণ
DocType: Purchase Invoice,Edit Posting Date and Time,পোস্টিং তারিখ এবং সময় সম্পাদনা
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},সম্পদ শ্রেণী {0} বা কোম্পানির অবচয় সম্পর্কিত হিসাব নির্ধারণ করুন {1}
DocType: Academic Term,Academic Year,শিক্ষাবর্ষ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,খোলা ব্যালেন্স ইকুইটি
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,খোলা ব্যালেন্স ইকুইটি
DocType: Lead,CRM,সিআরএম
DocType: Appraisal,Appraisal,গুণগ্রাহিতা
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},সরবরাহকারী পাঠানো ইমেল {0}
@@ -2922,7 +2944,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,ভূমিকা অনুমোদন নিয়ম প্রযোজ্য ভূমিকা হিসাবে একই হতে পারে না
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,এই ইমেইল ডাইজেস্ট থেকে সদস্যতা রদ
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,বার্তা পাঠানো
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,সন্তানের নোড সঙ্গে অ্যাকাউন্ট খতিয়ান হিসাবে সেট করা যাবে না
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,সন্তানের নোড সঙ্গে অ্যাকাউন্ট খতিয়ান হিসাবে সেট করা যাবে না
DocType: C-Form,II,২
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,হারে যা মূল্যতালিকা মুদ্রার এ গ্রাহকের বেস কারেন্সি রূপান্তরিত হয়
DocType: Purchase Invoice Item,Net Amount (Company Currency),থোক (কোম্পানি একক)
@@ -2956,7 +2978,7 @@
DocType: Expense Claim,Approval Status,অনুমোদন অবস্থা
DocType: Hub Settings,Publish Items to Hub,হাব আইটেম প্রকাশ
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},মূল্য সারিতে মান কম হতে হবে থেকে {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,ওয়্যার ট্রান্সফার
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,ওয়্যার ট্রান্সফার
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,সবগুলু যাচাই করুন
DocType: Vehicle Log,Invoice Ref,চালান সুত্র
DocType: Purchase Order,Recurring Order,আবর্তক অর্ডার
@@ -2969,51 +2991,54 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,ব্যাংকিং ও পেমেন্টস্
,Welcome to ERPNext,ERPNext স্বাগতম
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,উদ্ধৃতি লিড
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,আর কিছুই দেখানোর জন্য।
DocType: Lead,From Customer,গ্রাহকের কাছ থেকে
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,কল
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,কল
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,ব্যাচ
DocType: Project,Total Costing Amount (via Time Logs),মোট খোয়াতে পরিমাণ (সময় লগসমূহ মাধ্যমে)
DocType: Purchase Order Item Supplied,Stock UOM,শেয়ার UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,অর্ডার {0} দাখিল করা হয় না ক্রয়
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,অর্ডার {0} দাখিল করা হয় না ক্রয়
DocType: Customs Tariff Number,Tariff Number,ট্যারিফ নম্বর
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,অভিক্ষিপ্ত
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},সিরিয়াল কোন {0} ওয়্যারহাউস অন্তর্গত নয় {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,উল্লেখ্য: {0} পরিমাণ বা পরিমাণ 0 হিসাবে বিতরণ-বহুবার-বুকিং আইটেম জন্য সিস্টেম পরীক্ষা করা হবে না
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,উল্লেখ্য: {0} পরিমাণ বা পরিমাণ 0 হিসাবে বিতরণ-বহুবার-বুকিং আইটেম জন্য সিস্টেম পরীক্ষা করা হবে না
DocType: Notification Control,Quotation Message,উদ্ধৃতি পাঠান
DocType: Employee Loan,Employee Loan Application,কর্মচারী ঋণ আবেদন
DocType: Issue,Opening Date,খোলার তারিখ
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,এ্যাটেনডেন্স সফলভাবে হিসাবে চিহ্নিত হয়েছে.
+DocType: Program Enrollment,Public Transport,পাবলিক ট্রান্সপোর্ট
DocType: Journal Entry,Remark,মন্তব্য
DocType: Purchase Receipt Item,Rate and Amount,হার এবং পরিমাণ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},অ্যাকাউন্ট ধরন {0} হবে জন্য {1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,পত্রাদি এবং হলিডে
DocType: School Settings,Current Academic Term,বর্তমান একাডেমিক টার্ম
DocType: Sales Order,Not Billed,বিল না
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,উভয় ওয়্যারহাউস একই কোম্পানির অন্তর্গত নয়
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,কোনো পরিচিতি এখনো যোগ.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,উভয় ওয়্যারহাউস একই কোম্পানির অন্তর্গত নয়
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,কোনো পরিচিতি এখনো যোগ.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ল্যান্ড কস্ট ভাউচার পরিমাণ
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,প্রস্তাব উত্থাপিত বিল.
DocType: POS Profile,Write Off Account,অ্যাকাউন্ট বন্ধ লিখতে
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,ডেবিট নোট Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,হ্রাসকৃত মুল্য
DocType: Purchase Invoice,Return Against Purchase Invoice,বিরুদ্ধে ক্রয় চালান আসতে
DocType: Item,Warranty Period (in days),(দিন) ওয়্যারেন্টি সময়কাল
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Guardian1 সাথে সর্ম্পক
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1 সাথে সর্ম্পক
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,অপারেশন থেকে নিট ক্যাশ
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,যেমন ভ্যাট
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,যেমন ভ্যাট
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,আইটেম 4
DocType: Student Admission,Admission End Date,ভর্তি শেষ তারিখ
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,সাব-কন্ট্রাক্ট
DocType: Journal Entry Account,Journal Entry Account,জার্নাল এন্ট্রি অ্যাকাউন্ট
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,শিক্ষার্থীর গ্রুপ
DocType: Shopping Cart Settings,Quotation Series,উদ্ধৃতি সিরিজের
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","একটি আইটেম একই নামের সঙ্গে বিদ্যমান ({0}), আইটেম গ্রুপের নাম পরিবর্তন বা আইটেম নামান্তর করুন"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,দয়া করে গ্রাহক নির্বাচন
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","একটি আইটেম একই নামের সঙ্গে বিদ্যমান ({0}), আইটেম গ্রুপের নাম পরিবর্তন বা আইটেম নামান্তর করুন"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,দয়া করে গ্রাহক নির্বাচন
DocType: C-Form,I,আমি
DocType: Company,Asset Depreciation Cost Center,অ্যাসেট অবচয় মূল্য কেন্দ্র
DocType: Sales Order Item,Sales Order Date,বিক্রয় আদেশ তারিখ
DocType: Sales Invoice Item,Delivered Qty,বিতরিত Qty
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","যদি চেক করা, প্রতিটি উৎপাদন আইটেমের সব শিশুদের উপাদান অনুরোধ অন্তর্ভুক্ত করা হবে."
DocType: Assessment Plan,Assessment Plan,অ্যাসেসমেন্ট প্ল্যান
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,ওয়ারহাউস {0}: কোম্পানি বাধ্যতামূলক
DocType: Stock Settings,Limit Percent,সীমা শতকরা
,Payment Period Based On Invoice Date,চালান তারিখ উপর ভিত্তি করে পরিশোধ সময়সীমার
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},নিখোঁজ মুদ্রা বিনিময় হার {0}
@@ -3025,7 +3050,7 @@
DocType: Vehicle,Insurance Details,বীমা বিবরণ
DocType: Account,Payable,প্রদেয়
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,পরিশোধ সময়কাল প্রবেশ করুন
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),ঋণ গ্রহিতা ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),ঋণ গ্রহিতা ({0})
DocType: Pricing Rule,Margin,মার্জিন
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,নতুন গ্রাহকরা
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,পুরো লাভ %
@@ -3036,16 +3061,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,পার্টির বাধ্যতামূলক
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,টপিক নাম
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,বিক্রি বা কেনার অন্তত একটি নির্বাচন করতে হবে
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,আপনার ব্যবসার প্রকৃতি নির্বাচন করুন.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,বিক্রি বা কেনার অন্তত একটি নির্বাচন করতে হবে
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,আপনার ব্যবসার প্রকৃতি নির্বাচন করুন.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},সারি # {0}: সদৃশ তথ্যসূত্র মধ্যে এন্ট্রি {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,উত্পাদন অপারেশন কোথায় সম্পন্ন হয়.
DocType: Asset Movement,Source Warehouse,উত্স ওয়্যারহাউস
DocType: Installation Note,Installation Date,ইনস্টলেশনের তারিখ
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},সারি # {0}: অ্যাসেট {1} কোম্পানির অন্তর্গত নয় {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},সারি # {0}: অ্যাসেট {1} কোম্পানির অন্তর্গত নয় {2}
DocType: Employee,Confirmation Date,নিশ্চিতকরণ তারিখ
DocType: C-Form,Total Invoiced Amount,মোট invoiced পরিমাণ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,ন্যূনতম Qty সর্বোচ্চ Qty তার চেয়ে অনেক বেশী হতে পারে না
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,ন্যূনতম Qty সর্বোচ্চ Qty তার চেয়ে অনেক বেশী হতে পারে না
DocType: Account,Accumulated Depreciation,সঞ্চিত অবচয়
DocType: Stock Entry,Customer or Supplier Details,গ্রাহক বা সরবরাহকারী
DocType: Employee Loan Application,Required by Date,তারিখ দ্বারা প্রয়োজনীয়
@@ -3066,22 +3091,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,মাসিক বন্টন শতকরা
DocType: Territory,Territory Targets,টেরিটরি লক্ষ্যমাত্রা
DocType: Delivery Note,Transporter Info,স্থানান্তরকারী তথ্য
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},ডিফল্ট {0} কোম্পানি নির্ধারণ করুন {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},ডিফল্ট {0} কোম্পানি নির্ধারণ করুন {1}
DocType: Cheque Print Template,Starting position from top edge,উপরের প্রান্ত থেকে অবস্থান শুরু
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,একই সরবরাহকারী একাধিক বার প্রবেশ করানো হয়েছে
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,গ্রস লাভ / ক্ষতি
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,অর্ডার আইটেমটি সরবরাহ ক্রয়
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,কোম্পানির নাম কোম্পানি হতে পারে না
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,কোম্পানির নাম কোম্পানি হতে পারে না
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,মুদ্রণ টেমপ্লেট জন্য পত্র নেতৃবৃন্দ.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,মুদ্রণ টেমপ্লেট শিরোনাম চালানকল্প যেমন.
DocType: Student Guardian,Student Guardian,ছাত্র গার্ডিয়ান
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,মূল্যনির্ধারণ টাইপ চার্জ সমেত হিসাবে চিহ্নিত করতে পারেন না
DocType: POS Profile,Update Stock,আপডেট শেয়ার
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,সরবরাহকারী> সরবরাহকারী প্রকার
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,আইটেম জন্য বিভিন্ন UOM ভুল (মোট) নিট ওজন মান হতে হবে. প্রতিটি আইটেমের নিট ওজন একই UOM হয় তা নিশ্চিত করুন.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM হার
DocType: Asset,Journal Entry for Scrap,স্ক্র্যাপ জন্য জার্নাল এন্ট্রি
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,হুণ্ডি থেকে আইটেম টান অনুগ্রহ
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,জার্নাল এন্ট্রি {0}-জাতিসংঘের লিঙ্ক আছে
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,জার্নাল এন্ট্রি {0}-জাতিসংঘের লিঙ্ক আছে
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","টাইপ ইমেইল, ফোন, চ্যাট, দর্শন, ইত্যাদি সব যোগাযোগের রেকর্ড"
DocType: Manufacturer,Manufacturers used in Items,চলছে ব্যবহৃত উৎপাদনকারী
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,কোম্পানি এ সুসম্পন্ন খরচ কেন্দ্র উল্লেখ করুন
@@ -3128,33 +3154,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,সরবরাহকারী গ্রাহক যাও বিতরণ
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ফরম / আইটেম / {0}) স্টক আউট
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,পরবর্তী তারিখ পোস্টিং তারিখ অনেক বেশী হতে হবে
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,দেখান ট্যাক্স ব্রেক আপ
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},দরুন / রেফারেন্স তারিখ পরে হতে পারে না {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,দেখান ট্যাক্স ব্রেক আপ
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},দরুন / রেফারেন্স তারিখ পরে হতে পারে না {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,ডেটা আমদানি ও রপ্তানি
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","স্টক এন্ট্রি, {0} ওয়্যারহাউস বিরুদ্ধে অস্তিত্ব অত: পর আপনি পুনরায় দায়িত্ব অর্পণ করা বা এটা পরিবর্তন করতে পারেন"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,কোন ছাত্র পাওয়া
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,কোন ছাত্র পাওয়া
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,চালান পোস্টিং তারিখ
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,বিক্রি করা
DocType: Sales Invoice,Rounded Total,গোলাকৃতি মোট
DocType: Product Bundle,List items that form the package.,বাক্স গঠন করে তালিকা আইটেম.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,শতকরা বরাদ্দ 100% সমান হওয়া উচিত
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,দয়া করে পার্টির নির্বাচন সামনে পোস্টিং তারিখ নির্বাচন
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,দয়া করে পার্টির নির্বাচন সামনে পোস্টিং তারিখ নির্বাচন
DocType: Program Enrollment,School House,স্কুল হাউস
DocType: Serial No,Out of AMC,এএমসি আউট
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,উদ্ধৃতি দয়া করে নির্বাচন করুন
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,উদ্ধৃতি দয়া করে নির্বাচন করুন
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,বুক Depreciations সংখ্যা মোট Depreciations সংখ্যা তার চেয়ে অনেক বেশী হতে পারে না
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,রক্ষণাবেক্ষণ দর্শন করা
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,সেলস মাস্টার ম্যানেজার {0} ভূমিকা আছে যারা ব্যবহারকারীর সাথে যোগাযোগ করুন
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,সেলস মাস্টার ম্যানেজার {0} ভূমিকা আছে যারা ব্যবহারকারীর সাথে যোগাযোগ করুন
DocType: Company,Default Cash Account,ডিফল্ট নগদ অ্যাকাউন্ট
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,কোম্পানি (না গ্রাহক বা সরবরাহকারীর) মাস্টার.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,এই শিক্ষার্থী উপস্থিতির উপর ভিত্তি করে
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,কোন শিক্ষার্থীরা
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,কোন শিক্ষার্থীরা
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,আরো আইটেম বা খোলা পূর্ণ ফর্ম যোগ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date','প্রত্যাশিত প্রসবের তারিখ' দয়া করে প্রবেশ করুন
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,প্রসবের নোট {0} এই সেলস অর্ডার বাতিলের আগে বাতিল করা হবে
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,প্রদত্ত পরিমাণ পরিমাণ সর্বমোট তার চেয়ে অনেক বেশী হতে পারে না বন্ধ লিখুন + +
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,প্রদত্ত পরিমাণ পরিমাণ সর্বমোট তার চেয়ে অনেক বেশী হতে পারে না বন্ধ লিখুন + +
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} আইটেম জন্য একটি বৈধ ব্যাচ নম্বর নয় {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},উল্লেখ্য: ছুটি টাইপ জন্য যথেষ্ট ছুটি ভারসাম্য নেই {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,অবৈধ GSTIN বা অনিবন্ধিত জন্য na লিখুন
DocType: Training Event,Seminar,সেমিনার
DocType: Program Enrollment Fee,Program Enrollment Fee,প্রোগ্রাম তালিকাভুক্তি ফি
DocType: Item,Supplier Items,সরবরাহকারী চলছে
@@ -3180,27 +3206,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,আইটেম 3
DocType: Purchase Order,Customer Contact Email,গ্রাহক যোগাযোগ ইমেইল
DocType: Warranty Claim,Item and Warranty Details,আইটেম এবং পাটা বিবরণ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,আইটেম code> আইটেম গ্রুপ> ব্র্যান্ড
DocType: Sales Team,Contribution (%),অবদান (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,উল্লেখ্য: পেমেন্ট ভুক্তি থেকে তৈরি করা হবে না 'ক্যাশ বা ব্যাংক একাউন্ট' উল্লেখ করা হয়নি
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,প্রোগ্রাম বাধ্যতামূলক কোর্স আনতে নির্বাচন করুন।
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,দায়িত্ব
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,দায়িত্ব
DocType: Expense Claim Account,Expense Claim Account,ব্যয় দাবি অ্যাকাউন্ট
DocType: Sales Person,Sales Person Name,সেলস পারসন নাম
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,টেবিলের অন্তত 1 চালান লিখুন দয়া করে
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,ব্যবহারকারী যুক্ত করুন
DocType: POS Item Group,Item Group,আইটেমটি গ্রুপ
DocType: Item,Safety Stock,নিরাপত্তা স্টক
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,একটি কাজের জন্য অগ্রগতি% 100 জনেরও বেশি হতে পারে না.
DocType: Stock Reconciliation Item,Before reconciliation,পুনর্মিলন আগে
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},করুন {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),কর ও চার্জ যোগ (কোম্পানি একক)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,আইটেমটি ট্যাক্স সারি {0} টাইপ ট্যাক্স বা আয় বা ব্যয় বা প্রদেয় এর একাউন্ট থাকতে হবে
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,আইটেমটি ট্যাক্স সারি {0} টাইপ ট্যাক্স বা আয় বা ব্যয় বা প্রদেয় এর একাউন্ট থাকতে হবে
DocType: Sales Order,Partly Billed,আংশিক দেখানো হয়েছিল
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,আইটেম {0} একটি ফিক্সড অ্যাসেট আইটেম হতে হবে
DocType: Item,Default BOM,ডিফল্ট BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,পুনরায় টাইপ কোম্পানি নাম নিশ্চিত অনুগ্রহ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,মোট বিশিষ্ট মাসিক
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,ডেবিট নোট পরিমাণ
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,পুনরায় টাইপ কোম্পানি নাম নিশ্চিত অনুগ্রহ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,মোট বিশিষ্ট মাসিক
DocType: Journal Entry,Printing Settings,মুদ্রণ সেটিংস
DocType: Sales Invoice,Include Payment (POS),পেমেন্ট অন্তর্ভুক্ত করুন (পিওএস)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},মোট ডেবিট মোট ক্রেডিট সমান হতে হবে. পার্থক্য হল {0}
@@ -3214,15 +3238,16 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,স্টক ইন:
DocType: Notification Control,Custom Message,নিজস্ব বার্তা
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,বিনিয়োগ ব্যাংকিং
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,ক্যাশ বা ব্যাংক একাউন্ট পেমেন্ট এন্ট্রি করার জন্য বাধ্যতামূলক
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,শিক্ষার্থীর ঠিকানা
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,ক্যাশ বা ব্যাংক একাউন্ট পেমেন্ট এন্ট্রি করার জন্য বাধ্যতামূলক
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,দয়া করে সেটআপ সেটআপ মাধ্যমে এ্যাটেনডেন্স জন্য সিরিজ সংখ্যায়ন> সংখ্যায়ন সিরিজ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,শিক্ষার্থীর ঠিকানা
DocType: Purchase Invoice,Price List Exchange Rate,মূল্য তালিকা বিনিময় হার
DocType: Purchase Invoice Item,Rate,হার
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,অন্তরীণ করা
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,ঠিকানা নাম
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,অন্তরীণ করা
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,ঠিকানা নাম
DocType: Stock Entry,From BOM,BOM থেকে
DocType: Assessment Code,Assessment Code,অ্যাসেসমেন্ট কোড
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,মৌলিক
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,মৌলিক
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,{0} নিথর হয় আগে স্টক লেনদেন
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule','নির্মাণ সূচি' তে ক্লিক করুন
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","যেমন কেজি, ইউনিট, আমরা, এম"
@@ -3232,11 +3257,11 @@
DocType: Salary Slip,Salary Structure,বেতন কাঠামো
DocType: Account,Bank,ব্যাংক
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,বিমানসংস্থা
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,ইস্যু উপাদান
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,ইস্যু উপাদান
DocType: Material Request Item,For Warehouse,গুদাম জন্য
DocType: Employee,Offer Date,অপরাধ তারিখ
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,উদ্ধৃতি
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,আপনি অফলাইন মোডে হয়. আপনি যতক্ষণ না আপনি নেটওয়ার্ক আছে রিলোড করতে সক্ষম হবে না.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,আপনি অফলাইন মোডে হয়. আপনি যতক্ষণ না আপনি নেটওয়ার্ক আছে রিলোড করতে সক্ষম হবে না.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,কোন ছাত্র সংগঠনের সৃষ্টি.
DocType: Purchase Invoice Item,Serial No,ক্রমিক নং
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,মাসিক পরিশোধ পরিমাণ ঋণের পরিমাণ তার চেয়ে অনেক বেশী হতে পারে না
@@ -3244,8 +3269,8 @@
DocType: Purchase Invoice,Print Language,প্রিন্ট ভাষা
DocType: Salary Slip,Total Working Hours,মোট ওয়ার্কিং ঘন্টা
DocType: Stock Entry,Including items for sub assemblies,সাব সমাহারকে জিনিস সহ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,লিখুন মান ধনাত্মক হবে
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,সমস্ত অঞ্চল
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,লিখুন মান ধনাত্মক হবে
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,সমস্ত অঞ্চল
DocType: Purchase Invoice,Items,চলছে
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,ছাত্র ইতিমধ্যে নথিভুক্ত করা হয়.
DocType: Fiscal Year,Year Name,সাল নাম
@@ -3263,10 +3288,10 @@
DocType: Issue,Opening Time,খোলার সময়
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,থেকে এবং প্রয়োজনীয় তারিখগুলি
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,সিকিউরিটিজ ও পণ্য বিনিময়ের
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',বৈকল্পিক জন্য মেজার ডিফল্ট ইউনিট '{0}' টেমপ্লেট হিসাবে একই হতে হবে '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',বৈকল্পিক জন্য মেজার ডিফল্ট ইউনিট '{0}' টেমপ্লেট হিসাবে একই হতে হবে '{1}'
DocType: Shipping Rule,Calculate Based On,ভিত্তি করে গণনা
DocType: Delivery Note Item,From Warehouse,গুদাম থেকে
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,সামগ্রী বিল দিয়ে কোন সামগ্রী উত্পাদনপ্রণালী
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,সামগ্রী বিল দিয়ে কোন সামগ্রী উত্পাদনপ্রণালী
DocType: Assessment Plan,Supervisor Name,সুপারভাইজার নাম
DocType: Program Enrollment Course,Program Enrollment Course,প্রোগ্রাম তালিকাভুক্তি কোর্সের
DocType: Purchase Taxes and Charges,Valuation and Total,মূল্যনির্ধারণ এবং মোট
@@ -3281,18 +3306,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'সর্বশেষ অর্ডার থেকে এখন পর্যন্ত হওয়া দিনের সংখ্যা' শূন্য এর চেয়ে বড় বা সমান হতে হবে
DocType: Process Payroll,Payroll Frequency,বেতনের ফ্রিকোয়েন্সি
DocType: Asset,Amended From,সংশোধিত
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,কাঁচামাল
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,কাঁচামাল
DocType: Leave Application,Follow via Email,ইমেইলের মাধ্যমে অনুসরণ করুন
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,চারাগাছ ও মেশিনারি
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,চারাগাছ ও মেশিনারি
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,ছাড়ের পরিমাণ পরে ট্যাক্স পরিমাণ
DocType: Daily Work Summary Settings,Daily Work Summary Settings,দৈনন্দিন কাজের সংক্ষিপ্ত সেটিং
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},মূল্যতালিকা {0} এর মুদ্রা নির্বাচিত মুদ্রার সাথে অনুরূপ নয় {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},মূল্যতালিকা {0} এর মুদ্রা নির্বাচিত মুদ্রার সাথে অনুরূপ নয় {1}
DocType: Payment Entry,Internal Transfer,অভ্যন্তরীণ স্থানান্তর
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,শিশু অ্যাকাউন্ট এই অ্যাকাউন্টের জন্য বিদ্যমান. আপনি এই অ্যাকাউন্ট মুছে ফেলতে পারবেন না.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,শিশু অ্যাকাউন্ট এই অ্যাকাউন্টের জন্য বিদ্যমান. আপনি এই অ্যাকাউন্ট মুছে ফেলতে পারবেন না.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,উভয় ক্ষেত্রেই লক্ষ্য Qty বা টার্গেট পরিমাণ বাধ্যতামূলক
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},কোন ডিফল্ট BOM আইটেমটি জন্য বিদ্যমান {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},কোন ডিফল্ট BOM আইটেমটি জন্য বিদ্যমান {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,প্রথম পোস্টিং তারিখ নির্বাচন করুন
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,তারিখ খোলার তারিখ বন্ধ করার আগে করা উচিত
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} সেটআপ> সেটিংস মাধ্যমে> নামকরণ সিরিজ জন্য সিরিজ নামকরণ সেট করুন
DocType: Leave Control Panel,Carry Forward,সামনে আগাও
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,বিদ্যমান লেনদেন সঙ্গে খরচ কেন্দ্র খতিয়ান রূপান্তরিত করা যাবে না
DocType: Department,Days for which Holidays are blocked for this department.,"দিন, যার জন্য ছুটির এই বিভাগের জন্য ব্লক করা হয়."
@@ -3302,10 +3328,9 @@
DocType: Issue,Raised By (Email),দ্বারা উত্থাপিত (ইমেইল)
DocType: Training Event,Trainer Name,প্রশিক্ষকদের নাম
DocType: Mode of Payment,General,সাধারণ
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,লেটারহেড সংযুক্ত
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,গত কমিউনিকেশন
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',বিভাগ 'মূল্যনির্ধারণ' বা 'মূল্যনির্ধারণ এবং মোট' জন্য যখন বিয়োগ করা যাবে
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","আপনার ট্যাক্স মাথা তালিকা (উদাহরণ ভ্যাট, কাস্টমস ইত্যাদি; তারা অনন্য নাম থাকা উচিত) এবং তাদের মান হার. এই কমান্ডের সাহায্যে আপনি সম্পাদনা করতে এবং আরো পরে যোগ করতে পারেন, যা একটি আদর্শ টেমপ্লেট তৈরি করতে হবে."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","আপনার ট্যাক্স মাথা তালিকা (উদাহরণ ভ্যাট, কাস্টমস ইত্যাদি; তারা অনন্য নাম থাকা উচিত) এবং তাদের মান হার. এই কমান্ডের সাহায্যে আপনি সম্পাদনা করতে এবং আরো পরে যোগ করতে পারেন, যা একটি আদর্শ টেমপ্লেট তৈরি করতে হবে."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},ধারাবাহিকভাবে আইটেম জন্য সিরিয়াল আমরা প্রয়োজনীয় {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,চালানসমূহ সঙ্গে ম্যাচ পেমেন্টস্
DocType: Journal Entry,Bank Entry,ব্যাংক এণ্ট্রি
@@ -3314,16 +3339,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,কার্ট যোগ করুন
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,গ্রুপ দ্বারা
DocType: Guardian,Interests,রুচি
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,/ নিষ্ক্রিয় মুদ্রা সক্রিয় করুন.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,/ নিষ্ক্রিয় মুদ্রা সক্রিয় করুন.
DocType: Production Planning Tool,Get Material Request,উপাদান অনুরোধ করুন
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,ঠিকানা খরচ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,ঠিকানা খরচ
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),মোট (AMT)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,বিনোদন ও অবকাশ
DocType: Quality Inspection,Item Serial No,আইটেম সিরিয়াল কোন
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,কর্মচারী রেকর্ডস তৈরি করুন
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,মোট বর্তমান
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,অ্যাকাউন্টিং বিবৃতি
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,ঘন্টা
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,ঘন্টা
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,নতুন সিরিয়াল কোন গুদাম থাকতে পারে না. গুদাম স্টক এন্ট্রি বা কেনার রসিদ দ্বারা নির্ধারণ করা হবে
DocType: Lead,Lead Type,লিড ধরন
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,আপনি ব্লক তারিখগুলি উপর পাতার অনুমোদন যথাযথ অনুমতি নেই
@@ -3335,6 +3360,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,প্রতিস্থাপন পরে নতুন BOM
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,বিক্রয় বিন্দু
DocType: Payment Entry,Received Amount,প্রাপ্তঃ পরিমাণ
+DocType: GST Settings,GSTIN Email Sent On,GSTIN ইমেইল পাঠানো
+DocType: Program Enrollment,Pick/Drop by Guardian,চয়ন করুন / অবিভাবক দ্বারা ড্রপ
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","পূর্ণ পরিমাণ জন্য তৈরি করুন, যাতে উপর ইতিমধ্যে পরিমাণ উপেক্ষা"
DocType: Account,Tax,কর
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,চিহ্নিত করা
@@ -3346,14 +3373,14 @@
DocType: Batch,Source Document Name,উত্স দস্তাবেজের নাম
DocType: Job Opening,Job Title,কাজের শিরোনাম
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,তৈরি করুন ব্যবহারকারীরা
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,গ্রাম
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,গ্রাম
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,প্রস্তুত পরিমাণ 0 থেকে বড় হওয়া উচিত.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,রক্ষণাবেক্ষণ কল জন্য প্রতিবেদন দেখুন.
DocType: Stock Entry,Update Rate and Availability,হালনাগাদ হার এবং প্রাপ্যতা
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,শতকরা আপনি পাবেন বা আদেশ পরিমাণ বিরুদ্ধে আরো বিলি করার অনুমতি দেওয়া হয়. উদাহরণস্বরূপ: আপনি 100 ইউনিট আদেশ আছে. এবং আপনার ভাতা তারপর আপনি 110 ইউনিট গ্রহণ করার অনুমতি দেওয়া হয় 10% হয়.
DocType: POS Customer Group,Customer Group,গ্রাহক গ্রুপ
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),নিউ ব্যাচ আইডি (ঐচ্ছিক)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},ব্যয় অ্যাকাউন্ট আইটেমের জন্য বাধ্যতামূলক {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},ব্যয় অ্যাকাউন্ট আইটেমের জন্য বাধ্যতামূলক {0}
DocType: BOM,Website Description,ওয়েবসাইট বর্ণনা
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,ইক্যুইটি মধ্যে নিট পরিবর্তন
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,ক্রয় চালান {0} বাতিল অনুগ্রহ প্রথম
@@ -3363,8 +3390,8 @@
,Sales Register,সেলস নিবন্ধন
DocType: Daily Work Summary Settings Company,Send Emails At,ইমেইল পাঠান এ
DocType: Quotation,Quotation Lost Reason,উদ্ধৃতি লস্ট কারণ
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,আপনার ডোমেইন নির্বাচন করুন
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},লেনদেন রেফারেন্স কোন {0} তারিখের {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,আপনার ডোমেইন নির্বাচন করুন
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},লেনদেন রেফারেন্স কোন {0} তারিখের {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,সম্পাদনা করার কিছুই নেই.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,এই মাস এবং স্থগিত কার্যক্রম জন্য সারসংক্ষেপ
DocType: Customer Group,Customer Group Name,গ্রাহক গ্রুপ নাম
@@ -3372,14 +3399,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,ক্যাশ ফ্লো বিবৃতি
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},ঋণের পরিমাণ সর্বোচ্চ ঋণের পরিমাণ বেশি হতে পারে না {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,লাইসেন্স
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},সি-ফরম থেকে এই চালান {0} মুছে ফেলুন দয়া করে {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},সি-ফরম থেকে এই চালান {0} মুছে ফেলুন দয়া করে {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,এছাড়াও আপনি আগের অর্থবছরের ভারসাম্য এই অর্থবছরের ছেড়ে অন্তর্ভুক্ত করতে চান তাহলে এগিয়ে দয়া করে নির্বাচন করুন
DocType: GL Entry,Against Voucher Type,ভাউচার টাইপ বিরুদ্ধে
DocType: Item,Attributes,আরোপ করা
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,"অ্যাকাউন্ট বন্ধ লিখতে লিখতে, অনুগ্রহ করে"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,"অ্যাকাউন্ট বন্ধ লিখতে লিখতে, অনুগ্রহ করে"
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,শেষ আদেশ তারিখ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},অ্যাকাউন্ট {0} আছে কোম্পানীর জন্যে না {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,{0} সারিতে সিরিয়াল নম্বর দিয়ে ডেলিভারি নোট মেলে না
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,{0} সারিতে সিরিয়াল নম্বর দিয়ে ডেলিভারি নোট মেলে না
DocType: Student,Guardian Details,গার্ডিয়ান বিবরণ
DocType: C-Form,C-Form,সি-ফরম
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,একাধিক কর্মীদের জন্য মার্ক এ্যাটেনডেন্স
@@ -3394,16 +3421,16 @@
DocType: Budget Account,Budget Amount,বাজেট পরিমাণ
DocType: Appraisal Template,Appraisal Template Title,মূল্যায়ন টেমপ্লেট শিরোনাম
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},তারিখ থেকে {0} জন্য কর্মচারী {1} আগে কর্মী যোগদান তারিখ হতে পারে না {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,ব্যবসায়িক
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,ব্যবসায়িক
DocType: Payment Entry,Account Paid To,অ্যাকাউন্টে অর্থ প্রদান করা
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,মূল আইটেমটি {0} একটি স্টক আইটেম হবে না
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,সব পণ্য বা সেবা.
DocType: Expense Claim,More Details,আরো বিস্তারিত
DocType: Supplier Quotation,Supplier Address,সরবরাহকারী ঠিকানা
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} অ্যাকাউন্টের জন্য বাজেট {1} বিরুদ্ধে {2} {3} হল {4}. এটা দ্বারা অতিক্রম করবে {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',সারি {0} # অ্যাকাউন্ট ধরনের হতে হবে 'ফিক্সড অ্যাসেট'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Qty আউট
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,বিধি একটি বিক্রয়ের জন্য শিপিং পরিমাণ নিরূপণ করা
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',সারি {0} # অ্যাকাউন্ট ধরনের হতে হবে 'ফিক্সড অ্যাসেট'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Qty আউট
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,বিধি একটি বিক্রয়ের জন্য শিপিং পরিমাণ নিরূপণ করা
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,সিরিজ বাধ্যতামূলক
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,অর্থনৈতিক সেবা
DocType: Student Sibling,Student ID,শিক্ষার্থী আইডি
@@ -3411,13 +3438,13 @@
DocType: Tax Rule,Sales,সেলস
DocType: Stock Entry Detail,Basic Amount,বেসিক পরিমাণ
DocType: Training Event,Exam,পরীক্ষা
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},গুদাম স্টক আইটেম জন্য প্রয়োজন {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},গুদাম স্টক আইটেম জন্য প্রয়োজন {0}
DocType: Leave Allocation,Unused leaves,অব্যবহৃত পাতার
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,CR
DocType: Tax Rule,Billing State,বিলিং রাজ্য
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,হস্তান্তর
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} পার্টির অ্যাকাউন্টের সাথে যুক্ত না {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),(সাব-সমাহারগুলি সহ) অপ্রমাণিত BOM পান
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} পার্টির অ্যাকাউন্টের সাথে যুক্ত না {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),(সাব-সমাহারগুলি সহ) অপ্রমাণিত BOM পান
DocType: Authorization Rule,Applicable To (Employee),প্রযোজ্য (কর্মচারী)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,দরুন জন্ম বাধ্যতামূলক
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,অ্যাট্রিবিউট জন্য বর্ধিত {0} 0 হতে পারবেন না
@@ -3445,7 +3472,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,কাঁচামাল আইটেম কোড
DocType: Journal Entry,Write Off Based On,ভিত্তি করে লিখুন বন্ধ
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,লিড করুন
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,মুদ্রণ করুন এবং স্টেশনারি
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,মুদ্রণ করুন এবং স্টেশনারি
DocType: Stock Settings,Show Barcode Field,দেখান বারকোড ফিল্ড
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,সরবরাহকারী ইমেইল পাঠান
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","বেতন ইতিমধ্যে মধ্যে {0} এবং {1}, আবেদন সময়ের ত্যাগ এই তারিখ সীমার মধ্যে হতে পারে না সময়ের জন্য প্রক্রিয়া."
@@ -3453,13 +3480,15 @@
DocType: Guardian Interest,Guardian Interest,গার্ডিয়ান সুদ
apps/erpnext/erpnext/config/hr.py +177,Training,প্রশিক্ষণ
DocType: Timesheet,Employee Detail,কর্মচারী বিস্তারিত
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 ইমেইল আইডি
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 ইমেইল আইডি
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,পরবর্তী তারিখ দিবস এবং মাসের দিন পুনরাবৃত্তি সমান হতে হবে
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,ওয়েবসাইট হোমপেজে জন্য সেটিংস
DocType: Offer Letter,Awaiting Response,প্রতিক্রিয়ার জন্য অপেক্ষা
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,উপরে
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,উপরে
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},অবৈধ অ্যাট্রিবিউট {0} {1}
DocType: Supplier,Mention if non-standard payable account,উল্লেখ করো যদি অ-মানক প্রদেয় অ্যাকাউন্ট
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},একই আইটেমকে একাধিক বার প্রবেশ করা হয়েছে। {তালিকা}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',দয়া করে মূল্যায়ন 'সমস্ত অ্যাসেসমেন্ট গোষ্ঠীসমূহ' ছাড়া অন্য গোষ্ঠী নির্বাচন করুন
DocType: Salary Slip,Earning & Deduction,রোজগার & সিদ্ধান্তগ্রহণ
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,ঐচ্ছিক. এই সেটিং বিভিন্ন লেনদেন ফিল্টার ব্যবহার করা হবে.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,নেতিবাচক মূল্যনির্ধারণ হার অনুমোদিত নয়
@@ -3473,9 +3502,9 @@
DocType: Sales Invoice,Product Bundle Help,পণ্য সমষ্টি সাহায্য
,Monthly Attendance Sheet,মাসিক উপস্থিতি পত্রক
DocType: Production Order Item,Production Order Item,উত্পাদনের আদেশ আইটেম
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,পাওয়া কোন রেকর্ড
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,পাওয়া কোন রেকর্ড
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,বাতিল অ্যাসেট খরচ
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: খরচ কেন্দ্র আইটেম জন্য বাধ্যতামূলক {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: খরচ কেন্দ্র আইটেম জন্য বাধ্যতামূলক {2}
DocType: Vehicle,Policy No,নীতি কোন
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,পণ্য সমষ্টি থেকে আইটেম পেতে
DocType: Asset,Straight Line,সোজা লাইন
@@ -3483,7 +3512,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,বিভক্ত করা
DocType: GL Entry,Is Advance,অগ্রিম
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,জন্ম তারিখ এবং উপস্থিত এ্যাটেনডেন্স বাধ্যতামূলক
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,হ্যাঁ অথবা না হিসাবে 'আউটসোর্স থাকলে' দয়া করে প্রবেশ করুন
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,হ্যাঁ অথবা না হিসাবে 'আউটসোর্স থাকলে' দয়া করে প্রবেশ করুন
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,গত কমিউনিকেশন তারিখ
DocType: Sales Team,Contact No.,যোগাযোগের নম্বর.
DocType: Bank Reconciliation,Payment Entries,পেমেন্ট দাখিলা
@@ -3509,60 +3538,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,খোলা মূল্য
DocType: Salary Detail,Formula,সূত্র
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,সিরিয়াল #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,বিক্রয় কমিশনের
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,বিক্রয় কমিশনের
DocType: Offer Letter Term,Value / Description,মূল্য / বিবরণ:
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","সারি # {0}: অ্যাসেট {1} জমা দেওয়া যাবে না, এটা আগে থেকেই {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","সারি # {0}: অ্যাসেট {1} জমা দেওয়া যাবে না, এটা আগে থেকেই {2}"
DocType: Tax Rule,Billing Country,বিলিং দেশ
DocType: Purchase Order Item,Expected Delivery Date,প্রত্যাশিত প্রসবের তারিখ
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,ডেবিট ও ক্রেডিট {0} # জন্য সমান নয় {1}. পার্থক্য হল {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,আমোদ - প্রমোদ খরচ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,উপাদান অনুরোধ করুন
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,আমোদ - প্রমোদ খরচ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,উপাদান অনুরোধ করুন
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},ওপেন আইটেম {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,এই সেলস অর্ডার বাতিলের আগে চালান {0} বাতিল করতে হবে বিক্রয়
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,বয়স
DocType: Sales Invoice Timesheet,Billing Amount,বিলিং পরিমাণ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,আইটেম জন্য নির্দিষ্ট অকার্যকর পরিমাণ {0}. পরিমাণ 0 তুলনায় বড় হওয়া উচিত.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,ছুটি জন্য অ্যাপ্লিকেশন.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,বিদ্যমান লেনদেনের সঙ্গে অ্যাকাউন্ট মুছে ফেলা যাবে না
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,বিদ্যমান লেনদেনের সঙ্গে অ্যাকাউন্ট মুছে ফেলা যাবে না
DocType: Vehicle,Last Carbon Check,সর্বশেষ কার্বন চেক
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,আইনি খরচ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,আইনি খরচ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,দয়া করে সারিতে পরিমাণ নির্বাচন
DocType: Purchase Invoice,Posting Time,পোস্টিং সময়
DocType: Timesheet,% Amount Billed,% পরিমাণ চালান করা হয়েছে
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,টেলিফোন খরচ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,টেলিফোন খরচ
DocType: Sales Partner,Logo,লোগো
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,আপনি সংরক্ষণের আগে একটি সিরিজ নির্বাচন করুন ব্যবহারকারীর বাধ্য করতে চান তাহলে এই পরীক্ষা. আপনি এই পরীক্ষা যদি কোন ডিফল্ট থাকবে.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},সিরিয়াল সঙ্গে কোনো আইটেম {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},সিরিয়াল সঙ্গে কোনো আইটেম {0}
DocType: Email Digest,Open Notifications,খোলা বিজ্ঞপ্তি
DocType: Payment Entry,Difference Amount (Company Currency),পার্থক্য পরিমাণ (কোম্পানি মুদ্রা)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,সরাসরি খরচ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,সরাসরি খরচ
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} 'নোটিফিকেশন \ ইমেল ঠিকানা' একটি অবৈধ ই-মেইল ঠিকানা
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,নতুন গ্রাহক রাজস্ব
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,ভ্রমণ খরচ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,ভ্রমণ খরচ
DocType: Maintenance Visit,Breakdown,ভাঙ্গন
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,অ্যাকাউন্ট: {0} একক সঙ্গে: {1} নির্বাচন করা যাবে না
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,অ্যাকাউন্ট: {0} একক সঙ্গে: {1} নির্বাচন করা যাবে না
DocType: Bank Reconciliation Detail,Cheque Date,চেক তারিখ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},অ্যাকাউন্ট {0}: মূল অ্যাকাউন্ট {1} কোম্পানি অন্তর্গত নয়: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},অ্যাকাউন্ট {0}: মূল অ্যাকাউন্ট {1} কোম্পানি অন্তর্গত নয়: {2}
DocType: Program Enrollment Tool,Student Applicants,ছাত্র আবেদনকারীদের
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,সফলভাবে এই কোম্পানীর সাথে সম্পর্কিত সব লেনদেন মোছা!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,সফলভাবে এই কোম্পানীর সাথে সম্পর্কিত সব লেনদেন মোছা!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,আজকের তারিখে
DocType: Appraisal,HR,এইচআর
DocType: Program Enrollment,Enrollment Date,তালিকাভুক্তি তারিখ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,পরীক্ষাকাল
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,পরীক্ষাকাল
apps/erpnext/erpnext/config/hr.py +115,Salary Components,বেতন উপাদান
DocType: Program Enrollment Tool,New Academic Year,নতুন শিক্ষাবর্ষ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,রিটার্ন / ক্রেডিট নোট
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,রিটার্ন / ক্রেডিট নোট
DocType: Stock Settings,Auto insert Price List rate if missing,অটো সন্নিবেশ মূল্য তালিকা হার অনুপস্থিত যদি
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,মোট প্রদত্ত পরিমাণ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,মোট প্রদত্ত পরিমাণ
DocType: Production Order Item,Transferred Qty,স্থানান্তর করা Qty
apps/erpnext/erpnext/config/learn.py +11,Navigating,সমুদ্রপথে
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,পরিকল্পনা
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,জারি
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,পরিকল্পনা
+DocType: Material Request,Issued,জারি
DocType: Project,Total Billing Amount (via Time Logs),মোট বিলিং পরিমাণ (সময় লগসমূহ মাধ্যমে)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,আমরা এই আইটেম বিক্রয়
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,সরবরাহকারী আইডি
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,আমরা এই আইটেম বিক্রয়
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,সরবরাহকারী আইডি
DocType: Payment Request,Payment Gateway Details,পেমেন্ট গেটওয়ে বিস্তারিত
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,পরিমাণ 0 তুলনায় বড় হওয়া উচিত
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,পরিমাণ 0 তুলনায় বড় হওয়া উচিত
DocType: Journal Entry,Cash Entry,ক্যাশ এণ্ট্রি
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,শিশু নোড শুধুমাত্র 'গ্রুপ' টাইপ নোড অধীনে তৈরি করা যেতে পারে
DocType: Leave Application,Half Day Date,অর্ধদিবস তারিখ
@@ -3574,14 +3604,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},এ ব্যায়ের দাবি প্রকার ডিফল্ট অ্যাকাউন্ট সেট করুন {0}
DocType: Assessment Result,Student Name,শিক্ষার্থীর নাম
DocType: Brand,Item Manager,আইটেম ম্যানেজার
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,বেতনের প্রদেয়
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,বেতনের প্রদেয়
DocType: Buying Settings,Default Supplier Type,ডিফল্ট সরবরাহকারী ধরন
DocType: Production Order,Total Operating Cost,মোট অপারেটিং খরচ
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,উল্লেখ্য: আইটেম {0} একাধিক বার প্রবেশ
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,সকল যোগাযোগ.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,কোম্পানি সমাহার
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,কোম্পানি সমাহার
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,ব্যবহারকারী {0} অস্তিত্ব নেই
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,কাচামাল প্রধান আইটেম হিসাবে একই হতে পারে না
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,কাচামাল প্রধান আইটেম হিসাবে একই হতে পারে না
DocType: Item Attribute Value,Abbreviation,সংক্ষেপ
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,পেমেন্ট এণ্ট্রি আগে থেকেই আছে
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,"{0} সীমা অতিক্রম করে, যেহেতু authroized না"
@@ -3590,49 +3620,49 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,শপিং কার্ট জন্য সেট করের রুল
DocType: Purchase Invoice,Taxes and Charges Added,কর ও চার্জ যোগ
,Sales Funnel,বিক্রয় ফানেল
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,সমাহার বাধ্যতামূলক
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,সমাহার বাধ্যতামূলক
DocType: Project,Task Progress,টাস্ক অগ্রগতি
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,কার্ট
,Qty to Transfer,স্থানান্তর করতে Qty
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,বিশালাকার বা গ্রাহকরা কোট.
DocType: Stock Settings,Role Allowed to edit frozen stock,ভূমিকা হিমায়িত শেয়ার সম্পাদনা করতে পারবেন
,Territory Target Variance Item Group-Wise,টেরিটরি উদ্দিষ্ট ভেদাংক আইটেমটি গ্রুপ-প্রজ্ঞাময়
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,সকল গ্রাহকের গ্রুপ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,সকল গ্রাহকের গ্রুপ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,সঞ্চিত মাসিক
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} বাধ্যতামূলক. হয়তো মুদ্রা বিনিময় রেকর্ড {1} {2} করার জন্য তৈরি করা হয় না.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} বাধ্যতামূলক. হয়তো মুদ্রা বিনিময় রেকর্ড {1} {2} করার জন্য তৈরি করা হয় না.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,ট্যাক্স টেমপ্লেট বাধ্যতামূলক.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,অ্যাকাউন্ট {0}: মূল অ্যাকাউন্ট {1} অস্তিত্ব নেই
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,অ্যাকাউন্ট {0}: মূল অ্যাকাউন্ট {1} অস্তিত্ব নেই
DocType: Purchase Invoice Item,Price List Rate (Company Currency),মূল্যতালিকা হার (কোম্পানি একক)
DocType: Products Settings,Products Settings,পণ্য সেটিংস
DocType: Account,Temporary,অস্থায়ী
DocType: Program,Courses,গতিপথ
DocType: Monthly Distribution Percentage,Percentage Allocation,শতকরা বরাদ্দ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,সম্পাদক
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,সম্পাদক
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","অক্ষম করেন, ক্ষেত্র কথার মধ্যে 'কোনো লেনদেনে দৃশ্যমান হবে না"
DocType: Serial No,Distinct unit of an Item,একটি আইটেম এর স্বতন্ত্র ইউনিট
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,সেট করুন কোম্পানির
DocType: Pricing Rule,Buying,ক্রয়
DocType: HR Settings,Employee Records to be created by,কর্মচারী রেকর্ড করে তৈরি করা
DocType: POS Profile,Apply Discount On,Apply ছাড়ের উপর
,Reqd By Date,Reqd তারিখ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,ঋণদাতাদের
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,ঋণদাতাদের
DocType: Assessment Plan,Assessment Name,অ্যাসেসমেন্ট নাম
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,সারি # {0}: সিরিয়াল কোন বাধ্যতামূলক
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,আইটেম অনুযায়ী ট্যাক্স বিস্তারিত
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,ইনস্টিটিউট সমাহার
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,ইনস্টিটিউট সমাহার
,Item-wise Price List Rate,আইটেম-জ্ঞানী মূল্য তালিকা হার
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,সরবরাহকারী উদ্ধৃতি
DocType: Quotation,In Words will be visible once you save the Quotation.,আপনি উধৃতি সংরক্ষণ একবার শব্দ দৃশ্যমান হবে.
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},পরিমাণ ({0}) সারিতে ভগ্নাংশ হতে পারে না {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,ফি সংগ্রহ
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},বারকোড {0} ইতিমধ্যে আইটেম ব্যবহৃত {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},বারকোড {0} ইতিমধ্যে আইটেম ব্যবহৃত {1}
DocType: Lead,Add to calendar on this date,এই তারিখে ক্যালেন্ডারে যোগ
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,শিপিং খরচ যোগ করার জন্য বিধি.
DocType: Item,Opening Stock,খোলা স্টক
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,গ্রাহক প্রয়োজন বোধ করা হয়
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} ফিরার জন্য বাধ্যতামূলক
DocType: Purchase Order,To Receive,গ্রহণ করতে
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,ব্যক্তিগত ইমেইল
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,মোট ভেদাংক
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","সক্রিয় করা হলে, সিস্টেম স্বয়ংক্রিয়ভাবে পরিসংখ্যা জন্য অ্যাকাউন্টিং এন্ট্রি পোস্ট করতে হবে."
@@ -3643,13 +3673,14 @@
DocType: Customer,From Lead,লিড
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,আদেশ উৎপাদনের জন্য মুক্তি.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,ফিস্ক্যাল বছর নির্বাচন ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,পিওএস প্রোফাইল পিওএস এন্ট্রি করতে প্রয়োজন
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,পিওএস প্রোফাইল পিওএস এন্ট্রি করতে প্রয়োজন
DocType: Program Enrollment Tool,Enroll Students,শিক্ষার্থীরা তালিকাভুক্ত
DocType: Hub Settings,Name Token,নাম টোকেন
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,স্ট্যান্ডার্ড বিক্রি
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,অন্তত একটি গুদাম বাধ্যতামূলক
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,অন্তত একটি গুদাম বাধ্যতামূলক
DocType: Serial No,Out of Warranty,পাটা আউট
DocType: BOM Replace Tool,Replace,প্রতিস্থাপন করা
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,কোন পণ্য পাওয়া যায় নি।
DocType: Production Order,Unstopped,মুক্ত
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} বিক্রয় চালান বিপরীতে {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3660,13 +3691,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,শেয়ার মূল্য পার্থক্য
apps/erpnext/erpnext/config/learn.py +234,Human Resource,মানব সম্পদ
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,পেমেন্ট পুনর্মিলন পরিশোধের
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,ট্যাক্স সম্পদ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,ট্যাক্স সম্পদ
DocType: BOM Item,BOM No,BOM কোন
DocType: Instructor,INS/,আইএনএস /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,জার্নাল এন্ট্রি {0} {1} বা ইতিমধ্যে অন্যান্য ভাউচার বিরুদ্ধে মিলেছে অ্যাকাউন্ট নেই
DocType: Item,Moving Average,চলন্ত গড়
DocType: BOM Replace Tool,The BOM which will be replaced,"প্রতিস্থাপন করা হবে, যা BOM"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,ইলেকট্রনিক উপকরণ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,ইলেকট্রনিক উপকরণ
DocType: Account,Debit,ডেবিট
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,পাতার 0.5 এর গুণিতক বরাদ্দ করা আবশ্যক
DocType: Production Order,Operation Cost,অপারেশন খরচ
@@ -3674,7 +3705,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,বিশিষ্ট মাসিক
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,সেট লক্ষ্যমাত্রা আইটেমটি গ্রুপ-ভিত্তিক এই বিক্রয় ব্যক্তি.
DocType: Stock Settings,Freeze Stocks Older Than [Days],ফ্রিজ স্টক চেয়ে পুরোনো [দিন]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,সারি # {0}: অ্যাসেট স্থায়ী সম্পদ ক্রয় / বিক্রয়ের জন্য বাধ্যতামূলক
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,সারি # {0}: অ্যাসেট স্থায়ী সম্পদ ক্রয় / বিক্রয়ের জন্য বাধ্যতামূলক
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","দুই বা ততোধিক দামে উপরোক্ত অবস্থার উপর ভিত্তি করে পাওয়া যায়, অগ্রাধিকার প্রয়োগ করা হয়. ডিফল্ট মান শূন্য (ফাঁকা) যখন অগ্রাধিকার 0 থেকে 20 এর মধ্যে একটি সংখ্যা হয়. উচ্চতর সংখ্যা একই অবস্থার সঙ্গে একাধিক প্রাইসিং নিয়ম আছে যদি তা প্রাধান্য নিতে হবে."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,অর্থবছরের: {0} না বিদ্যমান
DocType: Currency Exchange,To Currency,মুদ্রা
@@ -3682,7 +3713,7 @@
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,ব্যয় দাবি প্রকারভেদ.
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},তার {1} আইটেমের জন্য হার বিক্রী {0} চেয়ে কম। বিক্রী হার কত হওয়া উচিত অন্তত {2}
DocType: Item,Taxes,কর
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,প্রদত্ত এবং বিতরিত হয় নি
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,প্রদত্ত এবং বিতরিত হয় নি
DocType: Project,Default Cost Center,ডিফল্ট খরচের কেন্দ্র
DocType: Bank Guarantee,End Date,শেষ তারিখ
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,শেয়ার লেনদেন
@@ -3707,24 +3738,22 @@
DocType: Employee,Held On,অনুষ্ঠিত
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,উত্পাদনের আইটেম
,Employee Information,কর্মচারী তথ্য
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),হার (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),হার (%)
DocType: Stock Entry Detail,Additional Cost,অতিরিক্ত খরচ
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,আর্থিক বছরের শেষ তারিখ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","ভাউচার কোন উপর ভিত্তি করে ফিল্টার করতে পারবে না, ভাউচার দ্বারা গ্রুপকৃত যদি"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,সরবরাহকারী উদ্ধৃতি করা
DocType: Quality Inspection,Incoming,ইনকামিং
DocType: BOM,Materials Required (Exploded),উপকরণ (অপ্রমাণিত) প্রয়োজন
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","নিজেকে ছাড়া অন্য, আপনার প্রতিষ্ঠানের ব্যবহারকারীদের যুক্ত করুন"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,পোস্টিং তারিখ ভবিষ্যতে তারিখে হতে পারে না
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},সারি # {0}: সিরিয়াল কোন {1} সঙ্গে মেলে না {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,নৈমিত্তিক ছুটি
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,নৈমিত্তিক ছুটি
DocType: Batch,Batch ID,ব্যাচ আইডি
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},উল্লেখ্য: {0}
,Delivery Note Trends,হুণ্ডি প্রবণতা
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,এই সপ্তাহের সংক্ষিপ্ত
-,In Stock Qty,স্টক Qty ইন
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,স্টক Qty ইন
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,অ্যাকাউন্ট: {0} শুধুমাত্র স্টক লেনদেনের মাধ্যমে আপডেট করা যাবে
-DocType: Program Enrollment,Get Courses,কোর্স করুন
+DocType: Student Group Creation Tool,Get Courses,কোর্স করুন
DocType: GL Entry,Party,পার্টি
DocType: Sales Order,Delivery Date,প্রসবের তারিখ
DocType: Opportunity,Opportunity Date,সুযোগ তারিখ
@@ -3732,14 +3761,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,উদ্ধৃতি আইটেম জন্য অনুরোধ
DocType: Purchase Order,To Bill,বিল
DocType: Material Request,% Ordered,% আদেশ
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","কোর্সের ভিত্তিক স্টুডেন্ট গ্রুপের জন্য, কোর্স প্রোগ্রাম তালিকাভুক্তি মধ্যে নাম নথিভুক্ত কোর্স থেকে শিক্ষার্থীর জন্য যাচাই করা হবে না।"
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","লিখুন ইমেইল ঠিকানা কমা দ্বারা পৃথক, চালান নির্দিষ্ট তারিখে স্বয়ংক্রিয়ভাবে পাঠানো হবে"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,ফুরণ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,ফুরণ
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,গড়. রাজধানীতে হার
DocType: Task,Actual Time (in Hours),(ঘন্টায়) প্রকৃত সময়
DocType: Employee,History In Company,কোম্পানি ইন ইতিহাস
apps/erpnext/erpnext/config/learn.py +107,Newsletters,নিউজ লেটার
DocType: Stock Ledger Entry,Stock Ledger Entry,স্টক লেজার এণ্ট্রি
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,গ্রাহক> গ্রাহক গ্রুপের> টেরিটরি
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,একই আইটেমকে একাধিক বার প্রবেশ করা হয়েছে
DocType: Department,Leave Block List,ব্লক তালিকা ত্যাগ
DocType: Sales Invoice,Tax ID,ট্যাক্স আইডি
@@ -3754,30 +3783,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} একক {1} {2} এই লেনদেন সম্পন্ন করার জন্য প্রয়োজন.
DocType: Loan Type,Rate of Interest (%) Yearly,সুদের হার (%) বাত্সরিক
DocType: SMS Settings,SMS Settings,এসএমএস সেটিংস
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,অস্থায়ী অ্যাকাউন্ট
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,কালো
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,অস্থায়ী অ্যাকাউন্ট
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,কালো
DocType: BOM Explosion Item,BOM Explosion Item,BOM বিস্ফোরণ আইটেম
DocType: Account,Auditor,নিরীক্ষক
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} উত্পাদিত আইটেম
DocType: Cheque Print Template,Distance from top edge,উপরের প্রান্ত থেকে দূরত্ব
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,মূল্য তালিকা {0} অক্ষম করা থাকে বা কোন অস্তিত্ব নেই
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,মূল্য তালিকা {0} অক্ষম করা থাকে বা কোন অস্তিত্ব নেই
DocType: Purchase Invoice,Return,প্রত্যাবর্তন
DocType: Production Order Operation,Production Order Operation,উৎপাদন অর্ডার অপারেশন
DocType: Pricing Rule,Disable,অক্ষম
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,পেমেন্ট মোড একটি পেমেন্ট করতে প্রয়োজন বোধ করা হয়
DocType: Project Task,Pending Review,মুলতুবি পর্যালোচনা
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ব্যাচ মধ্যে নাম নথিভুক্ত করা হয় না {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","অ্যাসেট {0}, বাতিল করা যাবে না এটা আগে থেকেই {1}"
DocType: Task,Total Expense Claim (via Expense Claim),(ব্যয় দাবি মাধ্যমে) মোট ব্যয় দাবি
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,কাস্টমার আইডি
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,মার্ক অনুপস্থিত
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},সারি {0}: BOM # মুদ্রা {1} নির্বাচিত মুদ্রার সমান হতে হবে {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},সারি {0}: BOM # মুদ্রা {1} নির্বাচিত মুদ্রার সমান হতে হবে {2}
DocType: Journal Entry Account,Exchange Rate,বিনিময় হার
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,বিক্রয় আদেশ {0} দাখিল করা হয় না
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,বিক্রয় আদেশ {0} দাখিল করা হয় না
DocType: Homepage,Tag Line,ট্যাগ লাইন
DocType: Fee Component,Fee Component,ফি কম্পোনেন্ট
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,দ্রুতগামী ব্যবস্থাপনা
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,থেকে আইটেম যোগ করুন
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},ওয়ারহাউস {0}: মূল অ্যাকাউন্ট {1} কোম্পানী bolong না {2}
DocType: Cheque Print Template,Regular,নিয়মিত
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,সব অ্যাসেসমেন্ট নির্ণায়ক মোট গুরুত্ব 100% হতে হবে
DocType: BOM,Last Purchase Rate,শেষ কেনার হার
@@ -3786,11 +3814,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,আইটেম জন্য উপস্থিত হতে পারে না শেয়ার {0} থেকে ভিন্নতা আছে
,Sales Person-wise Transaction Summary,সেলস পারসন অনুসার লেনদেন সংক্ষিপ্ত
DocType: Training Event,Contact Number,যোগাযোগ নম্বর
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,ওয়ারহাউস {0} অস্তিত্ব নেই
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,ওয়ারহাউস {0} অস্তিত্ব নেই
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,ERPNext হাব জন্য নিবন্ধন
DocType: Monthly Distribution,Monthly Distribution Percentages,মাসিক বন্টন শতকরা
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,নির্বাচিত আইটেমের ব্যাচ থাকতে পারে না
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","মূল্যনির্ধারণ হার আইটেম {0}, যার জন্য অ্যাকাউন্টিং এন্ট্রি করতে প্রয়োজন বোধ করা হয় জন্য পাওয়া যায়নি {1} {2}. আইটেম একটি নমুনা আইটেম হিসাবে লেনদেন করা হলে {1}, যে {1} আইটেম টেবিলে উল্লেখ করুন. অন্যথায়, দয়া করে আইটেম রেকর্ডে আইটেমটি বা উল্লেখ মূল্যনির্ধারণ হার জন্য একটি ইনকামিং স্টক লেনদেনের তৈরি করুন এবং তারপর / সাবমিট চেষ্টা এই এন্ট্রি বাতিলের"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","মূল্যনির্ধারণ হার আইটেম {0}, যার জন্য অ্যাকাউন্টিং এন্ট্রি করতে প্রয়োজন বোধ করা হয় জন্য পাওয়া যায়নি {1} {2}. আইটেম একটি নমুনা আইটেম হিসাবে লেনদেন করা হলে {1}, যে {1} আইটেম টেবিলে উল্লেখ করুন. অন্যথায়, দয়া করে আইটেম রেকর্ডে আইটেমটি বা উল্লেখ মূল্যনির্ধারণ হার জন্য একটি ইনকামিং স্টক লেনদেনের তৈরি করুন এবং তারপর / সাবমিট চেষ্টা এই এন্ট্রি বাতিলের"
DocType: Delivery Note,% of materials delivered against this Delivery Note,উপকরণ% এই হুণ্ডি বিরুদ্ধে বিতরণ
DocType: Project,Customer Details,কাস্টমার বিস্তারিত
DocType: Employee,Reports to,রিপোর্ট হতে
@@ -3798,41 +3826,43 @@
DocType: SMS Settings,Enter url parameter for receiver nos,রিসিভার আমরা জন্য URL প্যারামিটার লিখুন
DocType: Payment Entry,Paid Amount,দেওয়া পরিমাণ
DocType: Assessment Plan,Supervisor,কর্মকর্তা
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,অনলাইন
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,অনলাইন
,Available Stock for Packing Items,প্যাকিং আইটেম জন্য উপলব্ধ স্টক
DocType: Item Variant,Item Variant,আইটেম ভেরিয়েন্ট
DocType: Assessment Result Tool,Assessment Result Tool,অ্যাসেসমেন্ট রেজাল্ট টুল
DocType: BOM Scrap Item,BOM Scrap Item,BOM স্ক্র্যাপ আইটেম
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,জমা করা অফার মোছা যাবে না
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ইতিমধ্যে ডেবিট অ্যাকাউন্ট ব্যালেন্স, আপনি 'ক্রেডিট' হিসেবে 'ব্যালেন্স করতে হবে' সেট করার অনুমতি দেওয়া হয় না"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,গুনমান ব্যবস্থাপনা
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,জমা করা অফার মোছা যাবে না
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ইতিমধ্যে ডেবিট অ্যাকাউন্ট ব্যালেন্স, আপনি 'ক্রেডিট' হিসেবে 'ব্যালেন্স করতে হবে' সেট করার অনুমতি দেওয়া হয় না"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,গুনমান ব্যবস্থাপনা
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,আইটেম {0} অক্ষম করা হয়েছে
DocType: Employee Loan,Repay Fixed Amount per Period,শোধ সময়কাল প্রতি নির্দিষ্ট পরিমাণ
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},আইটেমের জন্য পরিমাণ লিখুন দয়া করে {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,ক্রেডিট নোট Amt
DocType: Employee External Work History,Employee External Work History,কর্মচারী বাহ্যিক কাজের ইতিহাস
DocType: Tax Rule,Purchase,ক্রয়
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,ব্যালেন্স Qty
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,ব্যালেন্স Qty
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,গোল খালি রাখা যাবে না
DocType: Item Group,Parent Item Group,মূল আইটেমটি গ্রুপ
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{1} এর জন্য {0}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,খরচ কেন্দ্র
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,খরচ কেন্দ্র
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,যা সরবরাহকারী মুদ্রার হারে কোম্পানির বেস কারেন্সি রূপান্তরিত হয়
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},সারি # {0}: সারিতে সঙ্গে উপস্থাপনার দ্বন্দ্ব {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,জিরো মূল্যনির্ধারণ রেট অনুমতি দিন
DocType: Training Event Employee,Invited,আমন্ত্রিত
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,একাধিক সক্রিয় বেতন কাঠামো দেওয়া তারিখগুলি জন্য কর্মচারী {0} পাওয়া যায়নি
DocType: Opportunity,Next Contact,পরবর্তী যোগাযোগ
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,সেটআপ গেটওয়ে অ্যাকাউন্ট.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,সেটআপ গেটওয়ে অ্যাকাউন্ট.
DocType: Employee,Employment Type,কর্মসংস্থান প্রকার
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,নির্দিষ্ট পরিমান সম্পত্তি
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,নির্দিষ্ট পরিমান সম্পত্তি
DocType: Payment Entry,Set Exchange Gain / Loss,সেট এক্সচেঞ্জ লাভ / ক্ষতির
+,GST Purchase Register,GST ক্রয় নিবন্ধন
,Cash Flow,নগদ প্রবাহ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,আবেদনের সময় দুই alocation রেকর্ড জুড়ে হতে পারে না
DocType: Item Group,Default Expense Account,ডিফল্ট ব্যায়ের অ্যাকাউন্ট
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,স্টুডেন্ট ইমেইল আইডি
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,স্টুডেন্ট ইমেইল আইডি
DocType: Employee,Notice (days),নোটিশ (দিন)
DocType: Tax Rule,Sales Tax Template,সেলস ট্যাক্স টেমপ্লেট
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,চালান সংরক্ষণ আইটেম নির্বাচন করুন
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,চালান সংরক্ষণ আইটেম নির্বাচন করুন
DocType: Employee,Encashment Date,নগদীকরণ তারিখ
DocType: Training Event,Internet,ইন্টারনেটের
DocType: Account,Stock Adjustment,শেয়ার সামঞ্জস্য
@@ -3860,7 +3890,7 @@
DocType: Guardian,Guardian Of ,অভিভাবক
DocType: Grading Scale Interval,Threshold,গোবরাট
DocType: BOM Replace Tool,Current BOM,বর্তমান BOM
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,সিরিয়াল কোন যোগ
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,সিরিয়াল কোন যোগ
apps/erpnext/erpnext/config/support.py +22,Warranty,পাটা
DocType: Purchase Invoice,Debit Note Issued,ডেবিট নোট ইস্যু
DocType: Production Order,Warehouses,ওয়ারহাউস
@@ -3869,20 +3899,20 @@
DocType: Workstation,per hour,প্রতি ঘণ্টা
apps/erpnext/erpnext/config/buying.py +7,Purchasing,ক্রয়
DocType: Announcement,Announcement,ঘোষণা
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,গুদাম (চিরস্থায়ী পরিসংখ্যা) জন্য অ্যাকাউন্ট এই অ্যাকাউন্টের অধীনে তৈরি করা হবে.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,শেয়ার খতিয়ান এন্ট্রি এই গুদাম জন্য বিদ্যমান হিসাবে ওয়্যারহাউস মোছা যাবে না.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","ব্যাচ ভিত্তিক স্টুডেন্ট গ্রুপের জন্য, শিক্ষার্থী ব্যাচ প্রোগ্রাম তালিকাভুক্তি থেকে শিক্ষার্থীর জন্য যাচাই করা হবে না।"
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,শেয়ার খতিয়ান এন্ট্রি এই গুদাম জন্য বিদ্যমান হিসাবে ওয়্যারহাউস মোছা যাবে না.
DocType: Company,Distribution,বিতরণ
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,পরিমাণ অর্থ প্রদান করা
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,প্রকল্প ব্যবস্থাপক
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,প্রকল্প ব্যবস্থাপক
,Quoted Item Comparison,উদ্ধৃত আইটেম তুলনা
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,প্রাণবধ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,আইটেম জন্য অনুমোদিত সর্বোচ্চ ছাড়: {0} {1}% হল
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,প্রাণবধ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,আইটেম জন্য অনুমোদিত সর্বোচ্চ ছাড়: {0} {1}% হল
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,নিট অ্যাসেট ভ্যালু হিসেবে
DocType: Account,Receivable,প্রাপ্য
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,সারি # {0}: ক্রয় আদেশ ইতিমধ্যেই বিদ্যমান হিসাবে সরবরাহকারী পরিবর্তন করার অনুমতি নেই
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,সারি # {0}: ক্রয় আদেশ ইতিমধ্যেই বিদ্যমান হিসাবে সরবরাহকারী পরিবর্তন করার অনুমতি নেই
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,সেট ক্রেডিট সীমা অতিক্রম লেনদেন জমা করার অনুমতি দেওয়া হয় যে ভূমিকা.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,উত্পাদনপ্রণালী চলছে নির্বাচন
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","মাস্টার ডেটা সিঙ্ক করা, এটা কিছু সময় নিতে পারে"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,উত্পাদনপ্রণালী চলছে নির্বাচন
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","মাস্টার ডেটা সিঙ্ক করা, এটা কিছু সময় নিতে পারে"
DocType: Item,Material Issue,উপাদান ইস্যু
DocType: Hub Settings,Seller Description,বিক্রেতা বিবরণ
DocType: Employee Education,Qualification,যোগ্যতা
@@ -3902,7 +3932,6 @@
DocType: BOM,Rate Of Materials Based On,হার উপকরণ ভিত্তি করে
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,সাপোর্ট Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,সব অচিহ্নিত
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},কোম্পানি গুদাম অনুপস্থিত {0}
DocType: POS Profile,Terms and Conditions,শর্তাবলী
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},তারিখ রাজস্ব বছরের মধ্যে হতে হবে. = জন্ম Assuming {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","এখানে আপনি ইত্যাদি উচ্চতা, ওজন, এলার্জি, ঔষধ উদ্বেগ স্থাপন করতে পারে"
@@ -3917,18 +3946,17 @@
DocType: Sales Order Item,For Production,উত্পাদনের জন্য
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,দেখুন টাস্ক
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,তোমার আর্থিক বছরের শুরু
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,OPP / লিড%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,অ্যাসেট Depreciations এবং উদ্বৃত্ত
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},পরিমাণ {0} {1} থেকে স্থানান্তরিত {2} থেকে {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},পরিমাণ {0} {1} থেকে স্থানান্তরিত {2} থেকে {3}
DocType: Sales Invoice,Get Advances Received,উন্নতির গৃহীত করুন
DocType: Email Digest,Add/Remove Recipients,প্রাপক Add / Remove
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},লেনদেন বন্ধ উত্পাদনের বিরুদ্ধে অনুমতি না করার {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},লেনদেন বন্ধ উত্পাদনের বিরুদ্ধে অনুমতি না করার {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",", ডিফল্ট হিসাবে চলতি অর্থবছরেই সেট করতে 'ডিফল্ট হিসাবে সেট করুন' ক্লিক করুন"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,যোগদান
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,যোগদান
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,ঘাটতি Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,আইটেম বৈকল্পিক {0} একই বৈশিষ্ট্যাবলী সঙ্গে বিদ্যমান
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,আইটেম বৈকল্পিক {0} একই বৈশিষ্ট্যাবলী সঙ্গে বিদ্যমান
DocType: Employee Loan,Repay from Salary,বেতন থেকে শুধা
DocType: Leave Application,LAP/,ভাঁজ/
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},বিরুদ্ধে পেমেন্ট অনুরোধ {0} {1} পরিমাণ জন্য {2}
@@ -3939,34 +3967,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","প্যাকেজ বিতরণ করা জন্য স্লিপ বোঁচকা নির্মাণ করা হয়. বাক্স সংখ্যা, প্যাকেজের বিষয়বস্তু এবং তার ওজন অবহিত করা."
DocType: Sales Invoice Item,Sales Order Item,সেলস অর্ডার আইটেমটি
DocType: Salary Slip,Payment Days,পেমেন্ট দিন
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,সন্তানের নোড সঙ্গে গুদাম খাতা থেকে রূপান্তর করা যাবে না
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,সন্তানের নোড সঙ্গে গুদাম খাতা থেকে রূপান্তর করা যাবে না
DocType: BOM,Manage cost of operations,অপারেশনের খরচ পরিচালনা
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","চেক লেনদেনের কোনো "জমা" করা হয়, তখন একটি ইমেল পপ-আপ স্বয়ংক্রিয়ভাবে একটি সংযুক্তি হিসাবে লেনদেনের সঙ্গে, যে লেনদেনে যুক্ত "যোগাযোগ" একটি ইমেল পাঠাতে খোলা. ব্যবহারকারী may অথবা ইমেইল পাঠাতে পারে."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,গ্লোবাল সেটিংস
DocType: Assessment Result Detail,Assessment Result Detail,অ্যাসেসমেন্ট রেজাল্ট বিস্তারিত
DocType: Employee Education,Employee Education,কর্মচারী শিক্ষা
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,ডুপ্লিকেট আইটেম গ্রুপ আইটেম গ্রুপ টেবিল অন্তর্ভুক্ত
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,এটি একটি আইটেম বিবরণ পেতে প্রয়োজন হয়.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,এটি একটি আইটেম বিবরণ পেতে প্রয়োজন হয়.
DocType: Salary Slip,Net Pay,নেট বেতন
DocType: Account,Account,হিসাব
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,সিরিয়াল কোন {0} ইতিমধ্যে গৃহীত হয়েছে
,Requested Items To Be Transferred,অনুরোধ করা চলছে স্থানান্তর করা
DocType: Expense Claim,Vehicle Log,যানবাহন লগ
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","গুদাম {0} কোনো অ্যাকাউন্ট সংযুক্ত করা হয় না, মনে রাখবেন / গুদাম জন্য সংশ্লিষ্ট (অ্যাসেট) অ্যাকাউন্ট লিঙ্ক তৈরি করুন."
DocType: Purchase Invoice,Recurring Id,পুনরাবৃত্ত আইডি
DocType: Customer,Sales Team Details,সেলস টিম বিবরণ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,স্থায়ীভাবে মুছে ফেলতে চান?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,স্থায়ীভাবে মুছে ফেলতে চান?
DocType: Expense Claim,Total Claimed Amount,দাবি মোট পরিমাণ
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,বিক্রি জন্য সম্ভাব্য সুযোগ.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},অকার্যকর {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,অসুস্থতাজনিত ছুটি
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},অকার্যকর {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,অসুস্থতাজনিত ছুটি
DocType: Email Digest,Email Digest,ইমেইল ডাইজেস্ট
DocType: Delivery Note,Billing Address Name,বিলিং ঠিকানা নাম
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,ডিপার্টমেন্ট স্টোর
DocType: Warehouse,PIN,পিন
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,সেটআপ ERPNext আপনার স্কুল
DocType: Sales Invoice,Base Change Amount (Company Currency),বেস পরিবর্তন পরিমাণ (কোম্পানি মুদ্রা)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,নিম্নলিখিত গুদাম জন্য কোন হিসাব এন্ট্রি
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,নিম্নলিখিত গুদাম জন্য কোন হিসাব এন্ট্রি
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,প্রথম নথি সংরক্ষণ করুন.
DocType: Account,Chargeable,প্রদেয়
DocType: Company,Change Abbreviation,পরিবর্তন সমাহার
@@ -3984,7 +4011,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,প্রত্যাশিত প্রসবের তারিখ ক্রয় আদেশ তারিখের আগে হতে পারে না
DocType: Appraisal,Appraisal Template,মূল্যায়ন টেমপ্লেট
DocType: Item Group,Item Classification,আইটেম সাইট
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,ব্যবসা উন্নয়ন ব্যবস্থাপক
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,ব্যবসা উন্নয়ন ব্যবস্থাপক
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,রক্ষণাবেক্ষণ যান উদ্দেশ্য
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,কাল
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,জেনারেল লেজার
@@ -3994,8 +4021,8 @@
DocType: Item Attribute Value,Attribute Value,মূল্য গুন
,Itemwise Recommended Reorder Level,Itemwise রেকর্ডার শ্রেনী প্রস্তাবিত
DocType: Salary Detail,Salary Detail,বেতন বিস্তারিত
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,প্রথম {0} দয়া করে নির্বাচন করুন
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,আইটেম এর ব্যাচ {0} {1} মেয়াদ শেষ হয়ে গেছে.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,প্রথম {0} দয়া করে নির্বাচন করুন
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,আইটেম এর ব্যাচ {0} {1} মেয়াদ শেষ হয়ে গেছে.
DocType: Sales Invoice,Commission,কমিশন
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,উত্পাদন জন্য টাইম শিট.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,উপমোট
@@ -4006,6 +4033,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`ফ্রিজ স্টক পুরাতন Than`% D দিন চেয়ে কম হওয়া দরকার.
DocType: Tax Rule,Purchase Tax Template,ট্যাক্স টেমপ্লেট ক্রয়
,Project wise Stock Tracking,প্রকল্প জ্ঞানী স্টক ট্র্যাকিং
+DocType: GST HSN Code,Regional,আঞ্চলিক
DocType: Stock Entry Detail,Actual Qty (at source/target),(উৎস / লক্ষ্য) প্রকৃত স্টক
DocType: Item Customer Detail,Ref Code,সুত্র কোড
apps/erpnext/erpnext/config/hr.py +12,Employee records.,কর্মচারী রেকর্ড.
@@ -4016,13 +4044,13 @@
DocType: Email Digest,New Purchase Orders,নতুন ক্রয় আদেশ
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Root- র একটি ঊর্ধ্বতন খরচ কেন্দ্র থাকতে পারে না
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,নির্বাচন ব্র্যান্ড ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,প্রশিক্ষণ ঘটনাবলী / ফলাফল
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,যেমন উপর অবচয় সঞ্চিত
DocType: Sales Invoice,C-Form Applicable,সি-ফরম প্রযোজ্য
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},অপারেশন টাইম অপারেশন জন্য তার চেয়ে অনেক বেশী 0 হতে হবে {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,ওয়ারহাউস বাধ্যতামূলক
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,ওয়ারহাউস বাধ্যতামূলক
DocType: Supplier,Address and Contacts,ঠিকানা এবং পরিচিতি
DocType: UOM Conversion Detail,UOM Conversion Detail,UOM রূপান্তর বিস্তারিত
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),100px দ্বারা এটি (W) ওয়েব বান্ধব 900px রাখুন (H)
DocType: Program,Program Abbreviation,প্রোগ্রাম সমাহার
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,উৎপাদন অর্ডার একটি আইটেম টেমপ্লেট বিরুদ্ধে উত্থাপিত হতে পারবেন না
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,চার্জ প্রতিটি আইটেমের বিরুদ্ধে কেনার রসিদ মধ্যে আপডেট করা হয়
@@ -4030,13 +4058,13 @@
DocType: Bank Guarantee,Start Date,শুরুর তারিখ
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,একটি নির্দিষ্ট সময়ের জন্য পাতার বরাদ্দ.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,চেক এবং আমানত ভুল সাফ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,অ্যাকাউন্ট {0}: আপনি অভিভাবক অ্যাকাউন্ট হিসাবে নিজেকে ধার্য করতে পারবেন না
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,অ্যাকাউন্ট {0}: আপনি অভিভাবক অ্যাকাউন্ট হিসাবে নিজেকে ধার্য করতে পারবেন না
DocType: Purchase Invoice Item,Price List Rate,মূল্যতালিকা হার
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,গ্রাহকের কোট তৈরি করুন
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","শেয়ার" অথবা এই গুদাম পাওয়া স্টক উপর ভিত্তি করে "না স্টক" প্রদর্শন করা হবে.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),উপকরণ বিল (BOM)
DocType: Item,Average time taken by the supplier to deliver,সরবরাহকারী কর্তৃক গৃহীত মাঝামাঝি সময় বিলি
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,অ্যাসেসমেন্ট রেজাল্ট
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,অ্যাসেসমেন্ট রেজাল্ট
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,ঘন্টা
DocType: Project,Expected Start Date,প্রত্যাশিত স্টার্ট তারিখ
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,চার্জ যে আইটেমটি জন্য প্রযোজ্য নয় যদি আইটেমটি মুছে ফেলুন
@@ -4050,24 +4078,23 @@
DocType: Workstation,Operating Costs,অপারেটিং খরচ
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,অ্যাকশন যদি সঞ্চিত মাসিক বাজেট অতিক্রম করেছে
DocType: Purchase Invoice,Submit on creation,জমা দিন সৃষ্টির উপর
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},মুদ্রা {0} হবে জন্য {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},মুদ্রা {0} হবে জন্য {1}
DocType: Asset,Disposal Date,নিষ্পত্তি তারিখ
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","ইমেল দেওয়া ঘন্টা এ কোম্পানির সব সক্রিয় এমপ্লয়িজ পাঠানো হবে, যদি তারা ছুটির দিন না. প্রতিক্রিয়া সংক্ষিপ্তসার মধ্যরাতে পাঠানো হবে."
DocType: Employee Leave Approver,Employee Leave Approver,কর্মী ছুটি রাজসাক্ষী
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},সারি {0}: একটি রেকর্ডার এন্ট্রি ইতিমধ্যে এই গুদাম জন্য বিদ্যমান {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},সারি {0}: একটি রেকর্ডার এন্ট্রি ইতিমধ্যে এই গুদাম জন্য বিদ্যমান {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","উদ্ধৃতি দেয়া হয়েছে, কারণ যত হারিয়ে ডিক্লেয়ার করতে পারেন না."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,প্রশিক্ষণ প্রতিক্রিয়া
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,অর্ডার {0} দাখিল করতে হবে উৎপাদন
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,অর্ডার {0} দাখিল করতে হবে উৎপাদন
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},আইটেম জন্য আরম্ভের তারিখ ও শেষ তারিখ নির্বাচন করুন {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},কোর্সের সারিতে বাধ্যতামূলক {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,তারিখ থেকে তারিখের আগে হতে পারে না
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,/ সম্পাদনা বর্ণনা করো
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,/ সম্পাদনা বর্ণনা করো
DocType: Batch,Parent Batch,মূল ব্যাচ
DocType: Cheque Print Template,Cheque Print Template,চেক প্রিন্ট টেমপ্লেট
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,খরচ কেন্দ্র এর চার্ট
,Requested Items To Be Ordered,অনুরোধ করা চলছে আদেশ করা
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,গুদাম কোম্পানির অ্যাকাউন্ট কোম্পানী হিসাবে একই হতে হবে
DocType: Price List,Price List Name,মূল্যতালিকা নাম
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},জন্য দৈনন্দিন কাজ সারাংশ {0}
DocType: Employee Loan,Totals,সমগ্র
@@ -4089,55 +4116,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,বৈধ মোবাইল টি লিখুন দয়া করে
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,পাঠানোর আগে বার্তা লিখতে
DocType: Email Digest,Pending Quotations,উদ্ধৃতি অপেক্ষারত
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,পয়েন্ট অফ বিক্রয় প্রোফাইল
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,পয়েন্ট অফ বিক্রয় প্রোফাইল
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,এসএমএস সেটিংস আপডেট করুন
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,জামানতবিহীন ঋণ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,জামানতবিহীন ঋণ
DocType: Cost Center,Cost Center Name,খরচ কেন্দ্র নাম
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,ম্যাক্স শ্রমিকের খাটুনিঘণ্টা লিপিবদ্ধ কার্ড বিরুদ্ধে কাজ ঘন্টা
DocType: Maintenance Schedule Detail,Scheduled Date,নির্ধারিত তারিখ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,মোট পরিশোধিত মাসিক
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,মোট পরিশোধিত মাসিক
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 অক্ষরের বেশী বেশী বার্তা একাধিক বার্তা বিভক্ত করা হবে
DocType: Purchase Receipt Item,Received and Accepted,গৃহীত হয়েছে এবং গৃহীত
+,GST Itemised Sales Register,GST আইটেমাইজড সেলস নিবন্ধন
,Serial No Service Contract Expiry,সিরিয়াল কোন সার্ভিস চুক্তি মেয়াদ উত্তীর্ন
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,আপনি ক্রেডিট এবং একই সময়ে একই অ্যাকাউন্ট ডেবিট পারবেন না
DocType: Naming Series,Help HTML,হেল্প এইচটিএমএল
DocType: Student Group Creation Tool,Student Group Creation Tool,শিক্ষার্থীর গ্রুপ সৃষ্টি টুল
DocType: Item,Variant Based On,ভেরিয়েন্ট উপর ভিত্তি করে
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},100% হওয়া উচিত নির্ধারিত মোট গুরুত্ব. এটা হল {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,আপনার সরবরাহকারীদের
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,আপনার সরবরাহকারীদের
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,বিক্রয় আদেশ তৈরি করা হয় যেমন বিচ্ছিন্ন সেট করা যায় না.
DocType: Request for Quotation Item,Supplier Part No,সরবরাহকারী পার্ট কোন
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',কেটে যাবে না যখন আরো মূল্যনির্ধারণ 'বা' Vaulation এবং মোট 'জন্য নয়
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,থেকে পেয়েছি
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,থেকে পেয়েছি
DocType: Lead,Converted,ধর্মান্তরিত
DocType: Item,Has Serial No,সিরিয়াল কোন আছে
DocType: Employee,Date of Issue,প্রদান এর তারিখ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: {0} থেকে {1} এর জন্য
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ক্রয় সেটিংস অনুযায়ী ক্রয় Reciept প্রয়োজনীয় == 'হ্যাঁ, তারপর ক্রয় চালান তৈরি করার জন্য, ব্যবহারকারী আইটেমের জন্য প্রথম ক্রয় রশিদ তৈরি করতে হবে যদি {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},সারি # {0}: আইটেমের জন্য সেট সরবরাহকারী {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,সারি {0}: ঘন্টা মান শূন্য থেকে বড় হওয়া উচিত.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,আইটেম {1} সংযুক্ত ওয়েবসাইট চিত্র {0} পাওয়া যাবে না
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,আইটেম {1} সংযুক্ত ওয়েবসাইট চিত্র {0} পাওয়া যাবে না
DocType: Issue,Content Type,কোন ধরনের
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,কম্পিউটার
DocType: Item,List this Item in multiple groups on the website.,ওয়েবসাইটে একাধিক গ্রুপ এই আইটেম তালিকা.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,অন্যান্য মুদ্রা হিসাব অনুমতি মাল্টি মুদ্রা বিকল্প চেক করুন
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,আইটেম: {0} সিস্টেমের মধ্যে উপস্থিত না
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,আপনি হিমায়িত মূল্য নির্ধারণ করার জন্য অনুমতিপ্রাপ্ত নন
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,আইটেম: {0} সিস্টেমের মধ্যে উপস্থিত না
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,আপনি হিমায়িত মূল্য নির্ধারণ করার জন্য অনুমতিপ্রাপ্ত নন
DocType: Payment Reconciliation,Get Unreconciled Entries,অসমর্পিত এন্ট্রি পেতে
DocType: Payment Reconciliation,From Invoice Date,চালান তারিখ থেকে
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,বিলিং মুদ্রা পারেন ডিফল্ট comapany মুদ্রা বা পক্ষের অ্যাকাউন্টে মুদ্রার সমান হতে হবে
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,নগদীকরণ ত্যাগ
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,এটার কাজ কি?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,বিলিং মুদ্রা পারেন ডিফল্ট comapany মুদ্রা বা পক্ষের অ্যাকাউন্টে মুদ্রার সমান হতে হবে
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,নগদীকরণ ত্যাগ
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,এটার কাজ কি?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,গুদাম থেকে
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,সকল স্টুডেন্ট অ্যাডমিশন
,Average Commission Rate,গড় কমিশন হার
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,'সিরিয়াল নং আছে' কখনই নন-ষ্টক আইটেমের ক্ষেত্রে 'হ্যাঁ' হতে পারবে না
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'সিরিয়াল নং আছে' কখনই নন-ষ্টক আইটেমের ক্ষেত্রে 'হ্যাঁ' হতে পারবে না
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,এ্যাটেনডেন্স ভবিষ্যতে তারিখগুলি জন্য চিহ্নিত করা যাবে না
DocType: Pricing Rule,Pricing Rule Help,প্রাইসিং শাসন সাহায্য
DocType: School House,House Name,হাউস নাম
DocType: Purchase Taxes and Charges,Account Head,অ্যাকাউন্ট হেড
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,আইটেম অবতরণ খরচ নিরূপণ করার জন্য অতিরিক্ত খরচ আপডেট
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,বৈদ্যুতিক
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,বৈদ্যুতিক
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,আপনার প্রতিষ্ঠানের বাকি আপনার ব্যবহারকারী হিসেবে যুক্ত করো. এছাড়াও আপনি তাদের পরিচিতি থেকে যোগ করে আপনার পোর্টাল গ্রাহকরা আমন্ত্রণ যোগ করতে পারেন
DocType: Stock Entry,Total Value Difference (Out - In),মোট মূল্য পার্থক্য (আউট - ইন)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,সারি {0}: বিনিময় হার বাধ্যতামূলক
@@ -4147,7 +4176,7 @@
DocType: Item,Customer Code,গ্রাহক কোড
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},জন্য জন্মদিনের স্মারক {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,শেষ আদেশ থেকে দিনের
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,অ্যাকাউন্ট ডেবিট একটি ব্যালান্স শিটের অ্যাকাউন্ট থাকতে হবে
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,অ্যাকাউন্ট ডেবিট একটি ব্যালান্স শিটের অ্যাকাউন্ট থাকতে হবে
DocType: Buying Settings,Naming Series,নামকরণ সিরিজ
DocType: Leave Block List,Leave Block List Name,ব্লক তালিকা নাম
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,বীমা তারিখ শুরু তুলনায় বীমা শেষ তারিখ কম হওয়া উচিত
@@ -4162,26 +4191,26 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},কর্মচারীর বেতন স্লিপ {0} ইতিমধ্যে সময় শীট জন্য নির্মিত {1}
DocType: Vehicle Log,Odometer,দূরত্বমাপণী
DocType: Sales Order Item,Ordered Qty,আদেশ Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,আইটেম {0} নিষ্ক্রিয় করা হয়
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,আইটেম {0} নিষ্ক্রিয় করা হয়
DocType: Stock Settings,Stock Frozen Upto,শেয়ার হিমায়িত পর্যন্ত
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM কোনো স্টক আইটেম নেই
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM কোনো স্টক আইটেম নেই
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},থেকে এবং আবর্তক সময়সীমার জন্য বাধ্যতামূলক তারিখ সময়ের {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,প্রকল্পের কার্যকলাপ / টাস্ক.
DocType: Vehicle Log,Refuelling Details,ফুয়েলিং বিস্তারিত
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,বেতন Slips নির্মাণ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","প্রযোজ্য হিসাবে নির্বাচিত করা হয় তাহলে কেনার, চেক করা আবশ্যক {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","প্রযোজ্য হিসাবে নির্বাচিত করা হয় তাহলে কেনার, চেক করা আবশ্যক {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,বাট্টা কম 100 হতে হবে
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,সর্বশেষ ক্রয় হার পাওয়া যায়নি
DocType: Purchase Invoice,Write Off Amount (Company Currency),পরিমাণ বন্ধ লিখুন (কোম্পানি একক)
DocType: Sales Invoice Timesheet,Billing Hours,বিলিং ঘন্টা
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,জন্য {0} পাওয়া ডিফল্ট BOM
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,সারি # {0}: পুনর্বিন্যাস পরিমাণ সেট করুন
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,সারি # {0}: পুনর্বিন্যাস পরিমাণ সেট করুন
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,তাদের এখানে যোগ করার জন্য আইটেম ট্যাপ
DocType: Fees,Program Enrollment,প্রোগ্রাম তালিকাভুক্তি
DocType: Landed Cost Voucher,Landed Cost Voucher,ল্যান্ড কস্ট ভাউচার
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},সেট করুন {0}
DocType: Purchase Invoice,Repeat on Day of Month,মাস দিন পুনরাবৃত্তি
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} নিষ্ক্রিয় ছাত্র-ছাত্রী
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} নিষ্ক্রিয় ছাত্র-ছাত্রী
DocType: Employee,Health Details,স্বাস্থ্য বিবরণ
DocType: Offer Letter,Offer Letter Terms,পত্র ব্যাপারে প্রস্তাব
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,একটি পেমেন্ট অনুরোধ রেফারেন্স ডকুমেন্ট প্রয়োজন বোধ করা হয় তৈরি করতে
@@ -4202,7 +4231,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","একটা উদাহরণ দেই. সিরিজ সেট করা হয় এবং সিরিয়াল কোন লেনদেন উল্লেখ না করা হয়, তাহলে ABCD #####, তারপর স্বয়ংক্রিয় সিরিয়াল নম্বর এই সিরিজের উপর ভিত্তি করে তৈরি করা হবে. আপনি স্পষ্টভাবে সবসময় এই আইটেমটি জন্য সিরিয়াল আমরা উল্লেখ করতে চান তাহলে. এই মানটি ফাঁকা রাখা হয়."
DocType: Upload Attendance,Upload Attendance,আপলোড এ্যাটেনডেন্স
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM ও উৎপাদন পরিমাণ প্রয়োজন হয়
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM ও উৎপাদন পরিমাণ প্রয়োজন হয়
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,বুড়ো বিন্যাস 2
DocType: SG Creation Tool Course,Max Strength,সর্বোচ্চ শক্তি
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM প্রতিস্থাপিত
@@ -4211,8 +4240,8 @@
,Prospects Engaged But Not Converted,প্রসপেক্টস সম্পর্কে রয়েছেন কিন্তু রূপান্তর করা
DocType: Manufacturing Settings,Manufacturing Settings,উৎপাদন সেটিংস
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,ইমেইল সেট আপ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 মোবাইল কোন
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,কোম্পানি মাস্টার ডিফল্ট মুদ্রা লিখুন দয়া করে
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 মোবাইল কোন
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,কোম্পানি মাস্টার ডিফল্ট মুদ্রা লিখুন দয়া করে
DocType: Stock Entry Detail,Stock Entry Detail,শেয়ার এন্ট্রি বিস্তারিত
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,দৈনিক অনুস্মারক
DocType: Products Settings,Home Page is Products,হোম পেজ পণ্য
@@ -4221,7 +4250,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,নতুন অ্যাকাউন্ট নাম
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,কাঁচামালের সরবরাহ খরচ
DocType: Selling Settings,Settings for Selling Module,মডিউল বিক্রী জন্য সেটিংস
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,গ্রাহক সেবা
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,গ্রাহক সেবা
DocType: BOM,Thumbnail,ছোট
DocType: Item Customer Detail,Item Customer Detail,আইটেম গ্রাহক বিস্তারিত
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,অপরাধ প্রার্থী একটি কাজের.
@@ -4230,7 +4259,7 @@
DocType: Pricing Rule,Percentage,শতকরা হার
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,আইটেম {0} একটি স্টক আইটেম হতে হবে
DocType: Manufacturing Settings,Default Work In Progress Warehouse,প্রগতি গুদাম ডিফল্ট কাজ
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,অ্যাকাউন্টিং লেনদেনের জন্য ডিফল্ট সেটিংস.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,অ্যাকাউন্টিং লেনদেনের জন্য ডিফল্ট সেটিংস.
DocType: Maintenance Visit,MV,এমভি
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,প্রত্যাশিত তারিখ উপাদান অনুরোধ তারিখের আগে হতে পারে না
DocType: Purchase Invoice Item,Stock Qty,স্টক Qty
@@ -4243,10 +4272,10 @@
DocType: Sales Order,Printing Details,মুদ্রণ বিস্তারিত
DocType: Task,Closing Date,বন্ধের তারিখ
DocType: Sales Order Item,Produced Quantity,উত্পাদিত পরিমাণ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,ইঞ্জিনিয়ার
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,ইঞ্জিনিয়ার
DocType: Journal Entry,Total Amount Currency,মোট পরিমাণ মুদ্রা
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,অনুসন্ধান সাব সমাহারগুলি
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},আইটেম কোড সারি কোন সময়ে প্রয়োজনীয় {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},আইটেম কোড সারি কোন সময়ে প্রয়োজনীয় {0}
DocType: Sales Partner,Partner Type,সাথি ধরন
DocType: Purchase Taxes and Charges,Actual,আসল
DocType: Authorization Rule,Customerwise Discount,Customerwise ছাড়
@@ -4263,11 +4292,11 @@
DocType: Item Reorder,Re-Order Level,পুনর্বিন্যাস স্তর
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"আপনি প্রকাশনা আদেশ বাড়াতে বা বিশ্লেষণের জন্য কাঁচামাল ডাউনলোড করতে চান, যার জন্য জিনিস এবং পরিকল্পনা Qty লিখুন."
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt চার্ট
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,খন্ডকালীন
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,খন্ডকালীন
DocType: Employee,Applicable Holiday List,প্রযোজ্য ছুটির তালিকা
DocType: Employee,Cheque,চেক
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,সিরিজ আপডেট
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,প্রতিবেদন প্রকার বাধ্যতামূলক
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,প্রতিবেদন প্রকার বাধ্যতামূলক
DocType: Item,Serial Number Series,ক্রমিক সংখ্যা সিরিজ
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},ওয়্যারহাউস সারিতে স্টক আইটেম {0} জন্য বাধ্যতামূলক {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,খুচরা পাইকারি
@@ -4288,7 +4317,7 @@
DocType: BOM,Materials,উপকরণ
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","সংযত না হলে, তালিকা থেকে এটি প্রয়োগ করা হয়েছে যেখানে প্রতিটি ডিপার্টমেন্ট যোগ করা হবে."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,উত্স ও উদ্দিষ্ট গুদাম একই হতে পারে না
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,তারিখ পোস্টিং এবং সময় পোস্ট বাধ্যতামূলক
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,তারিখ পোস্টিং এবং সময় পোস্ট বাধ্যতামূলক
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,লেনদেন কেনার জন্য ট্যাক্স টেমপ্লেট.
,Item Prices,আইটেমটি মূল্য
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,আপনি ক্রয় আদেশ সংরক্ষণ একবার শব্দ দৃশ্যমান হবে.
@@ -4298,22 +4327,23 @@
DocType: Purchase Invoice,Advance Payments,অগ্রিম প্রদান
DocType: Purchase Taxes and Charges,On Net Total,একুন উপর
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},{0} অ্যাট্রিবিউট মূল্য পরিসীমা মধ্যে হতে হবে {1} থেকে {2} এর ইনক্রিমেন্ট নামের মধ্যে {3} আইটেম জন্য {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,{0} সারিতে উদ্দিষ্ট গুদাম উৎপাদন অর্ডার হিসাবে একই হতে হবে
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,{0} সারিতে উদ্দিষ্ট গুদাম উৎপাদন অর্ডার হিসাবে একই হতে হবে
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,% এর আবৃত্ত জন্য নির্দিষ্ট না 'সূচনা ইমেল ঠিকানা'
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,মুদ্রা একক কিছু অন্যান্য মুদ্রা ব্যবহার এন্ট্রি করার পর পরিবর্তন করা যাবে না
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,মুদ্রা একক কিছু অন্যান্য মুদ্রা ব্যবহার এন্ট্রি করার পর পরিবর্তন করা যাবে না
DocType: Vehicle Service,Clutch Plate,ক্লাচ প্লেট
DocType: Company,Round Off Account,অ্যাকাউন্ট বন্ধ বৃত্তাকার
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,প্রশাসনিক খরচ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,প্রশাসনিক খরচ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,পরামর্শকারী
DocType: Customer Group,Parent Customer Group,মূল ক্রেতা গ্রুপ
DocType: Purchase Invoice,Contact Email,যোগাযোগের ই - মেইল
DocType: Appraisal Goal,Score Earned,স্কোর অর্জিত
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,বিজ্ঞপ্তি সময়কাল
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,বিজ্ঞপ্তি সময়কাল
DocType: Asset Category,Asset Category Name,অ্যাসেট শ্রেণী নাম
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,এটি একটি root অঞ্চল এবং সম্পাদনা করা যাবে না.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,নতুন সেলস পারসন নাম
DocType: Packing Slip,Gross Weight UOM,গ্রস ওজন UOM
DocType: Delivery Note Item,Against Sales Invoice,বিক্রয় চালান বিরুদ্ধে
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,ধারাবাহিকভাবে আইটেমের জন্য সিরিয়াল নম্বর লিখুন দয়া করে
DocType: Bin,Reserved Qty for Production,উত্পাদনের জন্য Qty সংরক্ষিত
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,চেকমুক্ত রেখে যান আপনি ব্যাচ বিবেচনা করার সময় অবশ্যই ভিত্তিক দলের উপার্জন করতে চাই না।
DocType: Asset,Frequency of Depreciation (Months),অবচয় এর ফ্রিকোয়েন্সি (মাস)
@@ -4321,25 +4351,25 @@
DocType: Landed Cost Item,Landed Cost Item,ল্যান্ড খরচ আইটেমটি
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,শূন্য মান দেখাও
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,আইটেমের পরিমাণ কাঁচামাল দেওয়া পরিমাণে থেকে repacking / উত্পাদন পরে প্রাপ্ত
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,সেটআপ আমার প্রতিষ্ঠানের জন্য একটি সহজ ওয়েবসাইট
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,সেটআপ আমার প্রতিষ্ঠানের জন্য একটি সহজ ওয়েবসাইট
DocType: Payment Reconciliation,Receivable / Payable Account,গ্রহনযোগ্য / প্রদেয় অ্যাকাউন্ট
DocType: Delivery Note Item,Against Sales Order Item,বিক্রয় আদেশ আইটেমটি বিরুদ্ধে
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},অ্যাট্রিবিউট মূল্য গুন উল্লেখ করুন {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},অ্যাট্রিবিউট মূল্য গুন উল্লেখ করুন {0}
DocType: Item,Default Warehouse,ডিফল্ট ওয়্যারহাউস
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},বাজেট গ্রুপ অ্যাকাউন্ট বিরুদ্ধে নিয়োগ করা যাবে না {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,ঊর্ধ্বতন খরচ কেন্দ্র লিখুন দয়া করে
DocType: Delivery Note,Print Without Amount,পরিমাণ ব্যতীত প্রিন্ট
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,অবচয় তারিখ
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,সব জিনিস অ স্টক আইটেম হিসাবে ট্যাক্স শ্রেণী 'মূল্যনির্ধারণ' বা 'মূল্যনির্ধারণ এবং মোট' হতে পারে না
DocType: Issue,Support Team,দলকে সমর্থন
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),মেয়াদ শেষ হওয়ার (দিনে)
DocType: Appraisal,Total Score (Out of 5),(5 এর মধ্যে) মোট স্কোর
DocType: Fee Structure,FS.,ফাঃ.
-DocType: Program Enrollment,Batch,ব্যাচ
+DocType: Student Attendance Tool,Batch,ব্যাচ
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,ভারসাম্য
DocType: Room,Seating Capacity,আসন ধারন ক্ষমতা
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),মোট ব্যয় দাবি (ব্যয় দাবি মাধ্যমে)
+DocType: GST Settings,GST Summary,GST সারাংশ
DocType: Assessment Result,Total Score,সম্পূর্ণ ফলাফল
DocType: Journal Entry,Debit Note,ডেবিট নোট
DocType: Stock Entry,As per Stock UOM,শেয়ার UOM অনুযায়ী
@@ -4350,12 +4380,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,ডিফল্ট তৈরি পণ্য গুদাম
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,সেলস পারসন
DocType: SMS Parameter,SMS Parameter,এসএমএস পরামিতি
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,বাজেট এবং খরচ কেন্দ্র
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,বাজেট এবং খরচ কেন্দ্র
DocType: Vehicle Service,Half Yearly,অর্ধ বার্ষিক
DocType: Lead,Blog Subscriber,ব্লগ গ্রাহক
DocType: Guardian,Alternate Number,বিকল্প সংখ্যা
DocType: Assessment Plan Criteria,Maximum Score,সর্বোচ্চ স্কোর
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,মান উপর ভিত্তি করে লেনদেনের সীমিত করার নিয়ম তৈরি করুন.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,গ্রুপ রোল নম্বর
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,ফাঁকা ছেড়ে দিন যদি আপনি প্রতি বছরে শিক্ষার্থীদের গ্রুপ করা
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","চেক করা থাকলে, মোট কোন. কার্যদিবসের ছুটির অন্তর্ভুক্ত করা হবে, এবং এই বেতন প্রতি দিন মূল্য কমাতে হবে"
DocType: Purchase Invoice,Total Advance,মোট অগ্রিম
@@ -4373,6 +4404,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,এই গ্রাহকের বিরুদ্ধে লেনদেনের উপর ভিত্তি করে তৈরি. বিস্তারিত জানার জন্য নিচের টাইমলাইনে দেখুন
DocType: Supplier,Credit Days Based On,ক্রেডিট দিনের উপর ভিত্তি করে
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},সারি {0}: বরাদ্দ পরিমাণ {1} কম হতে পারে অথবা পেমেন্ট এন্ট্রি পরিমাণ সমান নয় {2}
+,Course wise Assessment Report,কোর্সের জ্ঞানী আসেসমেন্ট রিপোর্ট
DocType: Tax Rule,Tax Rule,ট্যাক্স রুল
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,বিক্রয় চক্র সর্বত্র একই হার বজায় রাখা
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,ওয়ার্কস্টেশন ওয়ার্কিং সময়ের বাইরে সময় লগ পরিকল্পনা করুন.
@@ -4381,7 +4413,7 @@
,Items To Be Requested,চলছে অনুরোধ করা
DocType: Purchase Order,Get Last Purchase Rate,শেষ কেনার হার পেতে
DocType: Company,Company Info,প্রতিষ্ঠানের তথ্য
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,নির্বাচন বা নতুন গ্রাহক যোগ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,নির্বাচন বা নতুন গ্রাহক যোগ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,খরচ কেন্দ্র একটি ব্যয় দাবি বুক করতে প্রয়োজন বোধ করা হয়
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),ফান্ডস (সম্পদ) এর আবেদন
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,এই কর্মচারী উপস্থিতি উপর ভিত্তি করে
@@ -4389,27 +4421,29 @@
DocType: Fiscal Year,Year Start Date,বছরের শুরু তারিখ
DocType: Attendance,Employee Name,কর্মকর্তার নাম
DocType: Sales Invoice,Rounded Total (Company Currency),গোলাকৃতি মোট (কোম্পানি একক)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,"অ্যাকাউন্ট ধরন নির্বাচন করা হয়, কারণ গ্রুপের গোপন করা যাবে না."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"অ্যাকাউন্ট ধরন নির্বাচন করা হয়, কারণ গ্রুপের গোপন করা যাবে না."
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} নথীটি পরিবর্তিত হয়েছে. রিফ্রেশ করুন.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,নিম্নলিখিত দিন ছুটি অ্যাপ্লিকেশন তৈরি করা থেকে ব্যবহারকারীদের বিরত থাকুন.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,ক্রয় মূল
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,সরবরাহকারী উদ্ধৃতি {0} সৃষ্টি
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,শেষ বছরের শুরুর বছর আগে হতে পারবে না
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,কর্মচারীর সুবিধা
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,কর্মচারীর সুবিধা
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},বস্তাবন্দী পরিমাণ সারিতে আইটেম {0} জন্য পরিমাণ সমান নয় {1}
DocType: Production Order,Manufactured Qty,শিল্পজাত Qty
DocType: Purchase Receipt Item,Accepted Quantity,গৃহীত পরিমাণ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},একটি ডিফল্ট কর্মচারী জন্য হলিডে তালিকা নির্ধারণ করুন {0} বা কোম্পানির {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} বিদ্যমান নয়
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} বিদ্যমান নয়
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,ব্যাচ নাম্বার নির্বাচন
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,গ্রাহকরা উত্থাপিত বিল.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,প্রকল্প আইডি
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},সারি কোন {0}: পরিমাণ ব্যয় দাবি {1} বিরুদ্ধে পরিমাণ অপেক্ষারত তার চেয়ে অনেক বেশী হতে পারে না. অপেক্ষারত পরিমাণ {2}
DocType: Maintenance Schedule,Schedule,সময়সূচি
DocType: Account,Parent Account,মূল অ্যাকাউন্ট
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,উপলভ্য
DocType: Quality Inspection Reading,Reading 3,3 পড়া
,Hub,হাব
DocType: GL Entry,Voucher Type,ভাউচার ধরন
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,মূল্য তালিকা পাওয়া বা প্রতিবন্ধী না
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,মূল্য তালিকা পাওয়া বা প্রতিবন্ধী না
DocType: Employee Loan Application,Approved,অনুমোদিত
DocType: Pricing Rule,Price,মূল্য
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0} নির্ধারণ করা আবশ্যক উপর অব্যাহতিপ্রাপ্ত কর্মচারী 'বাম' হিসাবে
@@ -4420,7 +4454,8 @@
DocType: Selling Settings,Campaign Naming By,প্রচারে নেমিং
DocType: Employee,Current Address Is,বর্তমান ঠিকানা
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,পরিবর্তিত
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.",ঐচ্ছিক. নির্ধারিত না হলে কোম্পানির ডিফল্ট মুদ্রা সেট.
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.",ঐচ্ছিক. নির্ধারিত না হলে কোম্পানির ডিফল্ট মুদ্রা সেট.
+DocType: Sales Invoice,Customer GSTIN,গ্রাহক GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,অ্যাকাউন্টিং জার্নাল এন্ট্রি.
DocType: Delivery Note Item,Available Qty at From Warehouse,গুদাম থেকে এ উপলব্ধ Qty
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,প্রথম কর্মী রেকর্ড নির্বাচন করুন.
@@ -4428,7 +4463,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},সারি {0}: পার্টি / অ্যাকাউন্টের সাথে মেলে না {1} / {2} এ {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,ব্যয় অ্যাকাউন্ট লিখুন দয়া করে
DocType: Account,Stock,স্টক
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","সারি # {0}: রেফারেন্স ডকুমেন্ট প্রকার ক্রয় আদেশ এক, ক্রয় চালান বা জার্নাল এন্ট্রি করতে হবে"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","সারি # {0}: রেফারেন্স ডকুমেন্ট প্রকার ক্রয় আদেশ এক, ক্রয় চালান বা জার্নাল এন্ট্রি করতে হবে"
DocType: Employee,Current Address,বর্তমান ঠিকানা
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","স্পষ্টভাবে উল্লেখ তবে আইটেমটি তারপর বর্ণনা, চিত্র, প্রাইসিং, করের টেমপ্লেট থেকে নির্ধারণ করা হবে ইত্যাদি অন্য আইটেম একটি বৈকল্পিক যদি"
DocType: Serial No,Purchase / Manufacture Details,ক্রয় / প্রস্তুত বিস্তারিত
@@ -4441,8 +4476,8 @@
DocType: Pricing Rule,Min Qty,ন্যূনতম Qty
DocType: Asset Movement,Transaction Date,লেনদেন তারিখ
DocType: Production Plan Item,Planned Qty,পরিকল্পিত Qty
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,মোট ট্যাক্স
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,পরিমাণ (Qty শিল্পজাত) বাধ্যতামূলক
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,মোট ট্যাক্স
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,পরিমাণ (Qty শিল্পজাত) বাধ্যতামূলক
DocType: Stock Entry,Default Target Warehouse,ডিফল্ট উদ্দিষ্ট ওয়্যারহাউস
DocType: Purchase Invoice,Net Total (Company Currency),একুন (কোম্পানি একক)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,বছর শেষ তারিখ চেয়ে বছর শুরুর তারিখ আগেই হতে পারে না. তারিখ সংশোধন করে আবার চেষ্টা করুন.
@@ -4456,13 +4491,11 @@
DocType: Hub Settings,Hub Settings,হাব সেটিংস
DocType: Project,Gross Margin %,গ্রস মার্জিন%
DocType: BOM,With Operations,অপারেশন সঙ্গে
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,হিসাব থেকে ইতিমধ্যে মুদ্রা তৈরি করা হয়েছে {0} কোম্পানির জন্য {1}. মুদ্রা একক সঙ্গে একটি প্রাপ্য বা প্রদেয় অ্যাকাউন্ট নির্বাচন করুন {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,হিসাব থেকে ইতিমধ্যে মুদ্রা তৈরি করা হয়েছে {0} কোম্পানির জন্য {1}. মুদ্রা একক সঙ্গে একটি প্রাপ্য বা প্রদেয় অ্যাকাউন্ট নির্বাচন করুন {0}.
DocType: Asset,Is Existing Asset,বিদ্যমান সম্পদ
DocType: Salary Detail,Statistical Component,পরিসংখ্যানগত কম্পোনেন্ট
-,Monthly Salary Register,মাসিক বেতন নিবন্ধন
DocType: Warranty Claim,If different than customer address,গ্রাহক অঙ্ক চেয়ে ভিন্ন যদি
DocType: BOM Operation,BOM Operation,BOM অপারেশন
-DocType: School Settings,Validate the Student Group from Program Enrollment,প্রোগ্রাম তালিকাভুক্তি থেকে শিক্ষার্থীর গ্রুপ যাচাই
DocType: Purchase Taxes and Charges,On Previous Row Amount,পূর্ববর্তী সারি পরিমাণ
DocType: Student,Home Address,বাসার ঠিকানা
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,ট্রান্সফার অ্যাসেট
@@ -4470,28 +4503,27 @@
DocType: Training Event,Event Name,অনুষ্ঠানের নাম
apps/erpnext/erpnext/config/schools.py +39,Admission,স্বীকারোক্তি
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},জন্য অ্যাডমিশন {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","সেটিং বাজেটের, লক্ষ্যমাত্রা ইত্যাদি জন্য ঋতু"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","{0} আইটেম একটি টেমপ্লেট, তার ভিন্নতা একটি নির্বাচন করুন"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","সেটিং বাজেটের, লক্ষ্যমাত্রা ইত্যাদি জন্য ঋতু"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","{0} আইটেম একটি টেমপ্লেট, তার ভিন্নতা একটি নির্বাচন করুন"
DocType: Asset,Asset Category,অ্যাসেট শ্রেণী
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,ক্রেতা
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,নেট বেতন নেতিবাচক হতে পারে না
DocType: SMS Settings,Static Parameters,স্ট্যাটিক পরামিতি
DocType: Assessment Plan,Room,কক্ষ
DocType: Purchase Order,Advance Paid,অগ্রিম প্রদত্ত
DocType: Item,Item Tax,আইটেমটি ট্যাক্স
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,সরবরাহকারী উপাদান
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,আবগারি চালান
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,আবগারি চালান
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,ট্রেশহোল্ড {0}% একবারের বেশি প্রদর্শিত
DocType: Expense Claim,Employees Email Id,এমপ্লয়িজ ইমেইল আইডি
DocType: Employee Attendance Tool,Marked Attendance,চিহ্নিত এ্যাটেনডেন্স
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,বর্তমান দায়
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,বর্তমান দায়
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,ভর এসএমএস আপনার পরিচিতি পাঠান
DocType: Program,Program Name,প্রোগ্রাম নাম
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,জন্য ট্যাক্স বা চার্জ ধরে নেবেন
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,প্রকৃত স্টক বাধ্যতামূলক
DocType: Employee Loan,Loan Type,ঋণ প্রকার
DocType: Scheduling Tool,Scheduling Tool,পূর্বপরিকল্পনা টুল
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,ক্রেডিট কার্ড
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,ক্রেডিট কার্ড
DocType: BOM,Item to be manufactured or repacked,আইটেম শিল্পজাত বা repacked করা
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,শেয়ার লেনদেনের জন্য ডিফল্ট সেটিংস.
DocType: Purchase Invoice,Next Date,পরবর্তী তারিখ
@@ -4507,10 +4539,10 @@
DocType: Stock Entry,Repack,Repack
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,অগ্রসর হবার আগে ফর্ম সংরক্ষণ করতে হবে
DocType: Item Attribute,Numeric Values,সাংখ্যিক মান
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,লোগো সংযুক্ত
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,লোগো সংযুক্ত
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,স্টক মাত্রা
DocType: Customer,Commission Rate,কমিশন হার
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,ভেরিয়েন্ট করুন
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,ভেরিয়েন্ট করুন
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,ডিপার্টমেন্ট দ্বারা ব্লক ছেড়ে অ্যাপ্লিকেশন.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","পেমেন্ট টাইপ, জখন এক হতে হবে বেতন ও ইন্টারনাল ট্রান্সফার"
apps/erpnext/erpnext/config/selling.py +179,Analytics,বৈশ্লেষিক ন্যায়
@@ -4518,45 +4550,45 @@
DocType: Vehicle,Model,মডেল
DocType: Production Order,Actual Operating Cost,আসল অপারেটিং খরচ
DocType: Payment Entry,Cheque/Reference No,চেক / রেফারেন্স কোন
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,রুট সম্পাদনা করা যাবে না.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,রুট সম্পাদনা করা যাবে না.
DocType: Item,Units of Measure,পরিমাপ ইউনিট
DocType: Manufacturing Settings,Allow Production on Holidays,ছুটির উৎপাদন মঞ্জুরি
DocType: Sales Order,Customer's Purchase Order Date,গ্রাহকের ক্রয় আদেশ তারিখ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,মূলধন
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,মূলধন
DocType: Shopping Cart Settings,Show Public Attachments,জন সংযুক্তিসমূহ দেখান
DocType: Packing Slip,Package Weight Details,প্যাকেজ ওজন বিস্তারিত
DocType: Payment Gateway Account,Payment Gateway Account,পেমেন্ট গেটওয়ে অ্যাকাউন্টে
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,পেমেন্ট সম্পন্ন করার পর নির্বাচিত পৃষ্ঠাতে ব্যবহারকারী পুনর্নির্দেশ.
DocType: Company,Existing Company,বিদ্যমান কোম্পানী
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",ট্যাক্স শ্রেণী "মোট" এ পরিবর্তন করা হয়েছে কারণ সব আইটেম অ স্টক আইটেম নেই
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,একটি CSV ফাইল নির্বাচন করুন
DocType: Student Leave Application,Mark as Present,বর্তমান হিসাবে চিহ্নিত করুন
DocType: Purchase Order,To Receive and Bill,জখন এবং বিল থেকে
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,বৈশিষ্ট্যযুক্ত পণ্য
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,ডিজাইনার
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,ডিজাইনার
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,শর্তাবলী টেমপ্লেট
DocType: Serial No,Delivery Details,প্রসবের বিবরণ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},ধরণ জন্য খরচ কেন্দ্র সারিতে প্রয়োজন বোধ করা হয় {0} কর টেবিল {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},ধরণ জন্য খরচ কেন্দ্র সারিতে প্রয়োজন বোধ করা হয় {0} কর টেবিল {1}
DocType: Program,Program Code,প্রোগ্রাম কোড
DocType: Terms and Conditions,Terms and Conditions Help,চুক্তি ও শর্তাদি সহায়তা
,Item-wise Purchase Register,আইটেম-বিজ্ঞ ক্রয় নিবন্ধন
DocType: Batch,Expiry Date,মেয়াদ শেষ হওয়ার তারিখ
-,Supplier Addresses and Contacts,সরবরাহকারী ঠিকানা এবং পরিচিতি
,accounts-browser,হিসাব-ব্রাউজার
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,প্রথম শ্রেণী নির্বাচন করুন
apps/erpnext/erpnext/config/projects.py +13,Project master.,প্রকল্প মাস্টার.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.",ওভার বিলিং বা ওভার ক্রম মঞ্জুরির জন্য "ভাতা" আপডেট স্টক সেটিং বা আইটেম মধ্যে.
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.",ওভার বিলিং বা ওভার ক্রম মঞ্জুরির জন্য "ভাতা" আপডেট স্টক সেটিং বা আইটেম মধ্যে.
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,মুদ্রা ইত্যাদি $ মত কোন প্রতীক পরের প্রদর্শন না.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(অর্ধদিবস)
DocType: Supplier,Credit Days,ক্রেডিট দিন
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,স্টুডেন্ট ব্যাচ করুন
DocType: Leave Type,Is Carry Forward,এগিয়ে বহন করা হয়
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,BOM থেকে জানানোর পান
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,BOM থেকে জানানোর পান
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,সময় দিন লিড
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},সারি # {0}: পোস্টিং তারিখ ক্রয় তারিখ হিসাবে একই হতে হবে {1} সম্পত্তির {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},সারি # {0}: পোস্টিং তারিখ ক্রয় তারিখ হিসাবে একই হতে হবে {1} সম্পত্তির {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,উপরে টেবিল এ সেলস অর্ডার প্রবেশ করুন
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,জমা দেওয়া হয়নি বেতন Slips
,Stock Summary,শেয়ার করুন সংক্ষিপ্ত
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,অন্য এক গুদাম থেকে একটি সম্পদ ট্রান্সফার
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,অন্য এক গুদাম থেকে একটি সম্পদ ট্রান্সফার
DocType: Vehicle,Petrol,পেট্রল
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,উপকরণ বিল
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},সারি {0}: পার্টি প্রকার ও অনুষ্ঠান গ্রহনযোগ্য / প্রদেয় অ্যাকাউন্টের জন্য প্রয়োজন বোধ করা হয় {1}
@@ -4567,6 +4599,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,অনুমোদিত পরিমাণ
DocType: GL Entry,Is Opening,খোলার
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},সারি {0}: ডেবিট এন্ট্রি সঙ্গে যুক্ত করা যাবে না একটি {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,অ্যাকাউন্ট {0} অস্তিত্ব নেই
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,অ্যাকাউন্ট {0} অস্তিত্ব নেই
DocType: Account,Cash,নগদ
DocType: Employee,Short biography for website and other publications.,ওয়েবসাইট ও অন্যান্য প্রকাশনা সংক্ষিপ্ত জীবনী.
diff --git a/erpnext/translations/bs.csv b/erpnext/translations/bs.csv
index 1e9c956..290a321 100644
--- a/erpnext/translations/bs.csv
+++ b/erpnext/translations/bs.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Consumer Products
DocType: Item,Customer Items,Customer Predmeti
DocType: Project,Costing and Billing,Cijena i naplata
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Konto {0}: Nadređeni konto {1} Ne može biti knjiga
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Konto {0}: Nadređeni konto {1} Ne može biti knjiga
DocType: Item,Publish Item to hub.erpnext.com,Objavite stavku da hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,E-mail obavijesti
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,procjena
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,procjena
DocType: Item,Default Unit of Measure,Zadana mjerna jedinica
DocType: SMS Center,All Sales Partner Contact,Svi kontakti distributera
DocType: Employee,Leave Approvers,Ostavite odobravateljima
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Tečajna lista moraju biti isti kao {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Naziv kupca
DocType: Vehicle,Natural Gas,prirodni gas
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Žiro račun ne može biti imenovan kao {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Žiro račun ne može biti imenovan kao {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Heads (ili grupe) protiv kojih Računovodstvo unosi se izrađuju i sredstva se održavaju.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Izvanredna za {0} ne može biti manji od nule ( {1} )
DocType: Manufacturing Settings,Default 10 mins,Uobičajeno 10 min
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Svi kontakti dobavljača
DocType: Support Settings,Support Settings,podrška Postavke
DocType: SMS Parameter,Parameter,Parametar
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Očekivani Završni datum ne može biti manji od očekivanog datuma Početak
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Očekivani Završni datum ne može biti manji od očekivanog datuma Početak
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Rate moraju biti isti kao {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Novi dopust Primjena
,Batch Item Expiry Status,Batch Stavka Status isteka
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Bank Nacrt
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Bank Nacrt
DocType: Mode of Payment Account,Mode of Payment Account,Način plaćanja računa
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Show Varijante
DocType: Academic Term,Academic Term,akademski Term
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,materijal
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Količina
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Računi stol ne može biti prazan.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Zajmovi (pasiva)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Zajmovi (pasiva)
DocType: Employee Education,Year of Passing,Tekuća godina
DocType: Item,Country of Origin,Zemlja porijekla
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,U Stock
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,U Stock
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,otvorena pitanja
DocType: Production Plan Item,Production Plan Item,Proizvodnja plan artikla
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Korisnik {0} već dodijeljena zaposlenika {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Zdravstvena zaštita
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Kašnjenje u plaćanju (Dani)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Servis rashodi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijski broj: {0} je već spomenut u prodaje Faktura: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijski broj: {0} je već spomenut u prodaje Faktura: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Faktura
DocType: Maintenance Schedule Item,Periodicity,Periodičnost
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Fiskalna godina {0} je potrebno
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Row # {0}:
DocType: Timesheet,Total Costing Amount,Ukupno Costing iznos
DocType: Delivery Note,Vehicle No,Ne vozila
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,Molimo odaberite Cjenik
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Molimo odaberite Cjenik
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: Isplata dokument je potrebno za završetak trasaction
DocType: Production Order Operation,Work In Progress,Radovi u toku
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Molimo izaberite datum
DocType: Employee,Holiday List,Lista odmora
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Računovođa
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Računovođa
DocType: Cost Center,Stock User,Stock korisnika
DocType: Company,Phone No,Telefonski broj
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Rasporedi Course stvorio:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Novi {0}: {1} #
,Sales Partners Commission,Prodaja Partneri komisija
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Skraćeni naziv ne može imati više od 5 znakova
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Skraćeni naziv ne može imati više od 5 znakova
DocType: Payment Request,Payment Request,Plaćanje Upit
DocType: Asset,Value After Depreciation,Vrijednost Nakon Amortizacija
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,Datum prisustvo ne može biti manji od datuma pristupanja zaposlenog
DocType: Grading Scale,Grading Scale Name,Pravilo Scale Ime
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,To jekorijen račun i ne može se mijenjati .
+DocType: Sales Invoice,Company Address,Company Adresa
DocType: BOM,Operations,Operacije
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Ne mogu postaviti odobrenje na temelju popusta za {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Priložiti .csv datoteku s dvije kolone, jedan za stari naziv i jedna za novo ime"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ne u bilo kojem aktivnom fiskalne godine.
DocType: Packed Item,Parent Detail docname,Roditelj Detalj docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referenca: {0}, Šifra: {1} i kupaca: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,kg
DocType: Student Log,Log,Prijavite
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Otvaranje za posao.
DocType: Item Attribute,Increment,Prirast
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Oglašavanje
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Ista firma je ušao više od jednom
DocType: Employee,Married,Oženjen
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Nije dozvoljeno za {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Nije dozvoljeno za {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Get stavke iz
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Dionica ne može biti obnovljeno protiv isporuke Napomena {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Dionica ne može biti obnovljeno protiv isporuke Napomena {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Proizvod {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,No stavke navedene
DocType: Payment Reconciliation,Reconcile,pomiriti
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Sljedeća Amortizacija datum ne može biti prije Datum kupovine
DocType: SMS Center,All Sales Person,Svi prodavači
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Mjesečna distribucija ** će Vam pomoći distribuirati budžeta / Target preko mjeseca ako imate sezonalnost u vaše poslovanje.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Nije pronađenim predmetima
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Nije pronađenim predmetima
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Plaća Struktura Missing
DocType: Lead,Person Name,Ime osobe
DocType: Sales Invoice Item,Sales Invoice Item,Stavka fakture prodaje
DocType: Account,Credit,Kredit
DocType: POS Profile,Write Off Cost Center,Otpis troška
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",npr "Osnovna škola" ili "Univerzitet"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",npr "Osnovna škola" ili "Univerzitet"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Stock Izvještaji
DocType: Warehouse,Warehouse Detail,Detalji o skladištu
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Kreditni limit je prešla za kupca {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Kreditni limit je prešla za kupca {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Termin Završni datum ne može biti kasnije od kraja godine Datum akademske godine za koji je vezana pojam (akademska godina {}). Molimo ispravite datume i pokušajte ponovo.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Da li je osnovno sredstvo" ne može biti označeno, kao rekord imovine postoji u odnosu na stavku"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Da li je osnovno sredstvo" ne može biti označeno, kao rekord imovine postoji u odnosu na stavku"
DocType: Vehicle Service,Brake Oil,Brake ulje
DocType: Tax Rule,Tax Type,Vrste poreza
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Niste ovlašteni za dodati ili ažurirati unose prije {0}
DocType: BOM,Item Image (if not slideshow),Slika proizvoda (ako nije slide prikaz)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Kupac postoji s istim imenom
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Satnica / 60) * Puna radno vrijeme
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Izaberite BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Izaberite BOM
DocType: SMS Log,SMS Log,SMS log
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Troškovi isporučenih Predmeti
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Na odmor na {0} nije između Od datuma i Do datuma
@@ -159,13 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Od {0} do {1}
DocType: Item,Copy From Item Group,Primjerak iz točke Group
DocType: Journal Entry,Opening Entry,Otvaranje unos
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kupac> grupu korisnika> Territory
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Račun plaćaju samo
DocType: Employee Loan,Repay Over Number of Periods,Otplatiti Preko broj perioda
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} nije upisano u datom {2}
DocType: Stock Entry,Additional Costs,Dodatni troškovi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Konto sa postojećim transakcijama se ne može pretvoriti u grupu konta .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Konto sa postojećim transakcijama se ne može pretvoriti u grupu konta .
DocType: Lead,Product Enquiry,Na upit
DocType: Academic Term,Schools,škole
+DocType: School Settings,Validate Batch for Students in Student Group,Potvrditi Batch za studente u Studentskom Group
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Nema odmora Snimanje pronađena za zaposlenog {0} za {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Unesite tvrtka prva
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Molimo najprije odaberite Company
@@ -174,49 +176,49 @@
DocType: BOM,Total Cost,Ukupan trošak
DocType: Journal Entry Account,Employee Loan,zaposlenik kredita
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Dnevnik aktivnosti:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,Artikal {0} ne postoji u sustavu ili je istekao
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Artikal {0} ne postoji u sustavu ili je istekao
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Nekretnine
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Izjava o računu
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Lijekovi
DocType: Purchase Invoice Item,Is Fixed Asset,Fiksni Asset
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Dostupno Količina je {0}, potrebno je {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Dostupno Količina je {0}, potrebno je {1}"
DocType: Expense Claim Detail,Claim Amount,Iznos štete
-DocType: Employee,Mr,G-din
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Duplikat grupe potrošača naći u tabeli Cutomer grupa
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Dobavljač Tip / Supplier
DocType: Naming Series,Prefix,Prefiks
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Potrošni
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Potrošni
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Uvoz Prijavite
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Povucite Materijal Zahtjev tipa proizvoda na bazi navedene kriterije
DocType: Training Result Employee,Grade,razred
DocType: Sales Invoice Item,Delivered By Supplier,Isporučuje dobavljač
DocType: SMS Center,All Contact,Svi kontakti
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Proizvodnog naloga već stvorena za sve stavke sa BOM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Godišnja zarada
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Proizvodnog naloga već stvorena za sve stavke sa BOM
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Godišnja zarada
DocType: Daily Work Summary,Daily Work Summary,Svakodnevni rad Pregled
DocType: Period Closing Voucher,Closing Fiscal Year,Zatvaranje Fiskalna godina
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} je smrznuto
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Molimo odaberite postojećeg društva za stvaranje Kontni plan
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Stock Troškovi
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} je smrznuto
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Molimo odaberite postojećeg društva za stvaranje Kontni plan
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Stock Troškovi
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Odaberite Target Skladište
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,Unesite Preferred Kontakt mail
+DocType: Program Enrollment,School Bus,Školski autobus
DocType: Journal Entry,Contra Entry,Contra Entry
DocType: Journal Entry Account,Credit in Company Currency,Credit Company valuta
DocType: Delivery Note,Installation Status,Status instalacije
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Da li želite da ažurirate prisustvo? <br> Prisutni: {0} \ <br> Odsutni: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Količina prihvaćeno + odbijeno mora biti jednaka zaprimljenoj količini proizvoda {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Količina prihvaćeno + odbijeno mora biti jednaka zaprimljenoj količini proizvoda {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Supply sirovine za kupovinu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,Najmanje jedan način plaćanja je potreban za POS računa.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,Najmanje jedan način plaćanja je potreban za POS računa.
DocType: Products Settings,Show Products as a List,Prikaži proizvode kao listu
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Preuzmite Template, popunite odgovarajuće podatke i priložite modifikovani datoteku.
Svi datumi i zaposlenog kombinacija u odabranom periodu doći će u predlošku, sa postojećim pohađanje evidencije"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,Stavka {0} nije aktivan ili kraj života je postignut
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Primjer: Osnovni Matematika
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","To uključuje porez u redu {0} u stopu točke , porezi u redovima {1} također moraju biti uključeni"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Stavka {0} nije aktivan ili kraj života je postignut
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Primjer: Osnovni Matematika
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","To uključuje porez u redu {0} u stopu točke , porezi u redovima {1} također moraju biti uključeni"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Podešavanja modula ljudskih resursa
DocType: SMS Center,SMS Center,SMS centar
DocType: Sales Invoice,Change Amount,Promjena Iznos
@@ -226,7 +228,7 @@
DocType: Lead,Request Type,Zahtjev Tip
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Make zaposlenih
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,radiodifuzija
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,izvršenje
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,izvršenje
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Detalji o poslovanju obavlja.
DocType: Serial No,Maintenance Status,Održavanje statusa
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: dobavljača se protiv plaćaju račun {2}
@@ -254,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Zahtjev za ponudu se može pristupiti klikom na sljedeći link
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Dodijeli odsustva za godinu.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG Stvaranje Alat za golf
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,nedovoljna Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,nedovoljna Stock
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Onemogućite planiranje kapaciteta i Time Tracking
DocType: Email Digest,New Sales Orders,Nove narudžbenice
DocType: Bank Guarantee,Bank Account,Žiro račun
@@ -265,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log',Ažurirano putem 'Time Log'
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},iznos Advance ne može biti veći od {0} {1}
DocType: Naming Series,Series List for this Transaction,Serija Popis za ovu transakciju
+DocType: Company,Enable Perpetual Inventory,Omogućiti vječni zaliha
DocType: Company,Default Payroll Payable Account,Uobičajeno zarade plaćaju nalog
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Update-mail Group
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Update-mail Group
DocType: Sales Invoice,Is Opening Entry,Je Otvaranje unos
DocType: Customer Group,Mention if non-standard receivable account applicable,Spomenite ako nestandardnih potraživanja računa važećim
DocType: Course Schedule,Instructor Name,instruktor ime
@@ -278,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Protiv prodaje fakture Item
,Production Orders in Progress,Radni nalozi u tijeku
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Neto gotovine iz aktivnosti finansiranja
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage je puna, nije spasio"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage je puna, nije spasio"
DocType: Lead,Address & Contact,Adresa i kontakt
DocType: Leave Allocation,Add unused leaves from previous allocations,Dodaj neiskorišteni lišće iz prethodnog izdvajanja
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Sljedeća Ponavljajući {0} će biti kreiran na {1}
DocType: Sales Partner,Partner website,website partner
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Dodaj stavku
-,Contact Name,Kontakt ime
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Kontakt ime
DocType: Course Assessment Criteria,Course Assessment Criteria,Kriteriji procjene naravno
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Stvara plaće slip za gore navedene kriterije.
DocType: POS Customer Group,POS Customer Group,POS kupaca Grupa
@@ -293,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Nema opisa dano
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Zahtjev za kupnju.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,To se temelji na vrijeme listovi stvorio protiv ovog projekta
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Neto Pay ne može biti manja od 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Neto Pay ne može biti manja od 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Samoodabrani Ostavite Odobritelj može podnijeti ovo ostaviti aplikacija
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Olakšavanja Datum mora biti veći od dana ulaska u
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Ostavlja per Godina
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Ostavlja per Godina
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Row {0}: Molimo provjerite 'Je li Advance ""protiv Account {1} ako je to unaprijed unos."
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Skladište {0} ne pripada tvrtki {1}
DocType: Email Digest,Profit & Loss,Dobiti i gubitka
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Litre
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Litre
DocType: Task,Total Costing Amount (via Time Sheet),Ukupno Costing Iznos (preko Time Sheet)
DocType: Item Website Specification,Item Website Specification,Specifikacija web stranice artikla
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Ostavite blokirani
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Artikal {0} je dosegao svoj rok trajanja na {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Artikal {0} je dosegao svoj rok trajanja na {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,banka unosi
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,godišnji
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Pomirenje Item
@@ -312,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,Min Red Kol
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool Course
DocType: Lead,Do Not Contact,Ne kontaktirati
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,Ljudi koji predaju u vašoj organizaciji
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,Ljudi koji predaju u vašoj organizaciji
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Jedinstveni ID za praćenje svih ponavljajući fakture. To je izrađen podnijeti.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Software Developer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software Developer
DocType: Item,Minimum Order Qty,Minimalna količina za naručiti
DocType: Pricing Rule,Supplier Type,Dobavljač Tip
DocType: Course Scheduling Tool,Course Start Date,Naravno Ozljede Datum
@@ -323,11 +326,11 @@
DocType: Item,Publish in Hub,Objavite u Hub
DocType: Student Admission,Student Admission,student Ulaz
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Artikal {0} je otkazan
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Artikal {0} je otkazan
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Materijal zahtjev
DocType: Bank Reconciliation,Update Clearance Date,Ažurirajte provjeri datum
DocType: Item,Purchase Details,Kupnja Detalji
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Stavka {0} nije pronađena u 'sirovine Isporučuje' sto u narudžbenice {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Stavka {0} nije pronađena u 'sirovine Isporučuje' sto u narudžbenice {1}
DocType: Employee,Relation,Odnos
DocType: Shipping Rule,Worldwide Shipping,Dostavom diljem svijeta
DocType: Student Guardian,Mother,majka
@@ -346,6 +349,7 @@
DocType: Student Group Student,Student Group Student,Student Group Studentski
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Najnovije
DocType: Vehicle Service,Inspection,inspekcija
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,lista
DocType: Email Digest,New Quotations,Nove ponude
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,E-poruke plate slip zaposlenog na osnovu preferirani mail izabrane u zaposlenih
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,Prvi dopust Odobritelj na popisu će se postaviti kao zadani Odobritelj dopust
@@ -354,20 +358,20 @@
DocType: Asset,Next Depreciation Date,Sljedeća Amortizacija Datum
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Aktivnost Trošak po zaposlenom
DocType: Accounts Settings,Settings for Accounts,Postavke za račune
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Dobavljač Račun ne postoji u fakturi {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Dobavljač Račun ne postoji u fakturi {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Menadzeri prodaje - Upravljanje.
DocType: Job Applicant,Cover Letter,Pismo
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Izvanredna Čekovi i depoziti očistiti
DocType: Item,Synced With Hub,Pohranjen Hub
DocType: Vehicle,Fleet Manager,Fleet Manager
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} ne može biti negativan za stavku {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Pogrešna lozinka
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Pogrešna lozinka
DocType: Item,Variant Of,Varijanta
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',Završene Qty ne može biti veća od 'Količina za proizvodnju'
DocType: Period Closing Voucher,Closing Account Head,Zatvaranje računa šefa
DocType: Employee,External Work History,Vanjski History Work
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Kružna Reference Error
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1 ime
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 ime
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Riječima (izvoz) će biti vidljivo nakon što spremite otpremnicu.
DocType: Cheque Print Template,Distance from left edge,Udaljenost od lijevog ruba
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} jedinice [{1}] (# obrazac / Stavka / {1}) naći u [{2}] (# obrazac / Skladište / {2})
@@ -376,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Obavijesti putem e-pošte na stvaranje automatskog Materijal Zahtjeva
DocType: Journal Entry,Multi Currency,Multi valuta
DocType: Payment Reconciliation Invoice,Invoice Type,Tip fakture
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Otpremnica
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Otpremnica
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Postavljanje Poreza
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Troškovi prodate imovine
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,Plaćanje Entry je izmijenjena nakon što ste ga izvukao. Molimo vas da se ponovo povucite.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0}pritisnite dva puta u sifri poreza
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Plaćanje Entry je izmijenjena nakon što ste ga izvukao. Molimo vas da se ponovo povucite.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0}pritisnite dva puta u sifri poreza
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Pregled za ovaj tjedan i aktivnostima na čekanju
DocType: Student Applicant,Admitted,Prihvaćen
DocType: Workstation,Rent Cost,Rent cost
@@ -398,25 +402,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Unesite ' ponovite na dan u mjesecu ' na terenu vrijednosti
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Stopa po kojoj Kupac valuta se pretvaraju u kupca osnovne valute
DocType: Course Scheduling Tool,Course Scheduling Tool,Naravno rasporedu Tool
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: fakturi ne može se protiv postojeće imovine {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: fakturi ne može se protiv postojeće imovine {1}
DocType: Item Tax,Tax Rate,Porezna stopa
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} već izdvojeno za zaposlenog {1} {2} za razdoblje do {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Odaberite Item
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Kupnja Račun {0} već je podnijela
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Kupnja Račun {0} već je podnijela
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Row # {0}: serijski br mora biti isti kao {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Pretvoriti u non-Group
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Serija (puno) proizvoda.
DocType: C-Form Invoice Detail,Invoice Date,Datum fakture
DocType: GL Entry,Debit Amount,Debit Iznos
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Tu može biti samo 1 račun po kompanije u {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,Pogledajte prilog
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Tu može biti samo 1 račun po kompanije u {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,Pogledajte prilog
DocType: Purchase Order,% Received,% Primljeno
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Napravi studentske grupe
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Podešavanja je već okončano!!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Kredit Napomena Iznos
,Finished Goods,gotovih proizvoda
DocType: Delivery Note,Instructions,Instrukcije
DocType: Quality Inspection,Inspected By,Provjereno od strane
DocType: Maintenance Visit,Maintenance Type,Održavanje Tip
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} nije upisanim na predmetu {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Serijski Ne {0} ne pripada isporuke Napomena {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Dodaj Predmeti
@@ -437,7 +443,7 @@
DocType: Request for Quotation,Request for Quotation,Zahtjev za ponudu
DocType: Salary Slip Timesheet,Working Hours,Radno vrijeme
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Promjena polaznu / tekući redni broj postojeće serije.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Kreiranje novog potrošača
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Kreiranje novog potrošača
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ako više Cijene pravila i dalje prevladavaju, korisnici su zamoljeni da postavite prioritet ručno riješiti sukob."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Napravi Narudžbenice
,Purchase Register,Kupnja Registracija
@@ -449,7 +455,7 @@
DocType: Student Log,Medical,liječnički
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Razlog za gubljenje
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Olovo Vlasnik ne može biti isti kao olovo
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,Dodijeljeni iznos ne može veći od neprilagođena iznosa
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,Dodijeljeni iznos ne može veći od neprilagođena iznosa
DocType: Announcement,Receiver,prijemnik
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation je zatvoren sljedećih datuma po Holiday List: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Prilike
@@ -463,8 +469,7 @@
DocType: Assessment Plan,Examiner Name,Examiner Naziv
DocType: Purchase Invoice Item,Quantity and Rate,Količina i stopa
DocType: Delivery Note,% Installed,Instalirano%
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učionice / laboratorije, itd, gdje se mogu zakazati predavanja."
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dobavljač> dobavljač Tip
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učionice / laboratorije, itd, gdje se mogu zakazati predavanja."
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Unesite ime tvrtke prvi
DocType: Purchase Invoice,Supplier Name,Dobavljač Ime
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Pročitajte ERPNext Manual
@@ -474,7 +479,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Check Dobavljač Faktura Broj Jedinstvenost
DocType: Vehicle Service,Oil Change,Promjena ulja
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','Za slucaj br' ne može biti manji od 'Od slucaja br'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Neprofitne
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Neprofitne
DocType: Production Order,Not Started,Nije počela
DocType: Lead,Channel Partner,Partner iz prodajnog kanala
DocType: Account,Old Parent,Stari Roditelj
@@ -484,19 +489,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Global postavke za sve proizvodne procese.
DocType: Accounts Settings,Accounts Frozen Upto,Računi Frozen Upto
DocType: SMS Log,Sent On,Poslano na adresu
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Atribut {0} odabrani više puta u atributi tabeli
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Atribut {0} odabrani više puta u atributi tabeli
DocType: HR Settings,Employee record is created using selected field. ,Zapis o radniku je kreiran odabirom polja .
DocType: Sales Order,Not Applicable,Nije primjenjivo
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Majstor za odmor .
DocType: Request for Quotation Item,Required Date,Potrebna Datum
DocType: Delivery Note,Billing Address,Adresa za naplatu
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Unesite kod artikal .
DocType: BOM,Costing,Koštanje
DocType: Tax Rule,Billing County,Billing županije
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Ako je označeno, iznos poreza će se smatrati već uključena u Print Rate / Ispis Iznos"
DocType: Request for Quotation,Message for Supplier,Poruka za dobavljača
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Ukupno Qty
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 Email ID
DocType: Item,Show in Website (Variant),Pokaži u Web (Variant)
DocType: Employee,Health Concerns,Zdravlje Zabrinutost
DocType: Process Payroll,Select Payroll Period,Odaberite perioda isplate
@@ -514,25 +518,27 @@
DocType: Sales Order Item,Used for Production Plan,Koristi se za plan proizvodnje
DocType: Employee Loan,Total Payment,Ukupna uplata
DocType: Manufacturing Settings,Time Between Operations (in mins),Vrijeme između operacije (u min)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} je otkazan tako da akcija ne može završiti
DocType: Customer,Buyer of Goods and Services.,Kupac robe i usluga.
DocType: Journal Entry,Accounts Payable,Naplativa konta
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Izabrani sastavnica nisu za isti predmet
DocType: Pricing Rule,Valid Upto,Vrijedi Upto
DocType: Training Event,Workshop,radionica
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Navedite nekoliko svojih kupaca. Oni mogu biti tvrtke ili fizičke osobe.
-,Enough Parts to Build,Dosta dijelova za izgradnju
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Direktni prihodi
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Navedite nekoliko svojih kupaca. Oni mogu biti tvrtke ili fizičke osobe.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Dosta dijelova za izgradnju
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Direktni prihodi
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Ne možete filtrirati na temelju računa , ako grupirani po računu"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Administrativni službenik
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Molimo odaberite predmeta
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Administrativni službenik
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Molimo odaberite predmeta
DocType: Timesheet Detail,Hrs,Hrs
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Molimo odaberite Company
DocType: Stock Entry Detail,Difference Account,Konto razlike
+DocType: Purchase Invoice,Supplier GSTIN,dobavljač GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Ne možete zatvoriti zadatak kao zavisne zadatak {0} nije zatvoren.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Unesite skladište za koje Materijal Zahtjev će biti podignuta
DocType: Production Order,Additional Operating Cost,Dodatni operativnih troškova
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,kozmetika
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Spojiti , ova svojstva moraju biti isti za obje stavke"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Spojiti , ova svojstva moraju biti isti za obje stavke"
DocType: Shipping Rule,Net Weight,Neto težina
DocType: Employee,Emergency Phone,Hitna Telefon
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,kupiti
@@ -541,14 +547,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Molimo vas da definirati razred za Threshold 0%
DocType: Sales Order,To Deliver,Dostaviti
DocType: Purchase Invoice Item,Item,Artikl
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Serijski br stavka ne može biti frakcija
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Serijski br stavka ne može biti frakcija
DocType: Journal Entry,Difference (Dr - Cr),Razlika ( dr. - Cr )
DocType: Account,Profit and Loss,Račun dobiti i gubitka
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Upravljanje Subcontracting
DocType: Project,Project will be accessible on the website to these users,Projekt će biti dostupna na web stranici ovih korisnika
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Stopa po kojoj Cjenik valute se pretvaraju u tvrtke bazne valute
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Konto {0} ne pripada preduzeću {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Skraćenica već koristi za druge kompanije
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Konto {0} ne pripada preduzeću {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Skraćenica već koristi za druge kompanije
DocType: Selling Settings,Default Customer Group,Zadana grupa korisnika
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Ako onemogućite, 'Ukupno' Zaobljeni polje neće biti vidljiv u bilo kojoj transakciji"
DocType: BOM,Operating Cost,Operativni troškovi
@@ -556,7 +562,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Prirast ne može biti 0
DocType: Production Planning Tool,Material Requirement,Materijal Zahtjev
DocType: Company,Delete Company Transactions,Izbrišite Company Transakcije
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Poziv na broj i referentni datum je obavezan za transakcije banke
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Poziv na broj i referentni datum je obavezan za transakcije banke
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Dodaj / uredi poreze i troškove
DocType: Purchase Invoice,Supplier Invoice No,Dobavljač Račun br
DocType: Territory,For reference,Za referencu
@@ -567,22 +573,22 @@
DocType: Installation Note Item,Installation Note Item,Napomena instalacije proizvoda
DocType: Production Plan Item,Pending Qty,U očekivanju Količina
DocType: Budget,Ignore,Ignorirati
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} nije aktivan
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} nije aktivan
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS poslati na sljedeće brojeve: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,dimenzije ček setup za štampanje
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,dimenzije ček setup za štampanje
DocType: Salary Slip,Salary Slip Timesheet,Plaća Slip Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Dobavljač skladišta obvezan je za sub - ugovoreni kupiti primitka
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Dobavljač skladišta obvezan je za sub - ugovoreni kupiti primitka
DocType: Pricing Rule,Valid From,Vrijedi od
DocType: Sales Invoice,Total Commission,Ukupno komisija
DocType: Pricing Rule,Sales Partner,Prodajni partner
DocType: Buying Settings,Purchase Receipt Required,Kupnja Potvrda Obvezno
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,Vrednovanje Rate je obavezno ako ušla Otvaranje Stock
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,Vrednovanje Rate je obavezno ako ušla Otvaranje Stock
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Nisu pronađeni u tablici fakturu
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Molimo najprije odaberite Društva i Party Tip
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Financijska / obračunska godina .
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Financijska / obračunska godina .
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,akumulirani Vrijednosti
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Žao nam je , Serial Nos ne mogu spojiti"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Provjerite prodajnog naloga
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Provjerite prodajnog naloga
DocType: Project Task,Project Task,Projektni zadatak
,Lead Id,Lead id
DocType: C-Form Invoice Detail,Grand Total,Ukupno za platiti
@@ -599,7 +605,7 @@
DocType: Job Applicant,Resume Attachment,Nastavi Prilog
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Ponovite Kupci
DocType: Leave Control Panel,Allocate,Dodijeli
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Povrat robe
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Povrat robe
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Napomena: Ukupna izdvojena lišće {0} ne smije biti manja od već odobrenih lišće {1} za period
DocType: Announcement,Posted By,Postavljeno od
DocType: Item,Delivered by Supplier (Drop Ship),Isporučuje Dobavljač (Drop Ship)
@@ -609,8 +615,8 @@
DocType: Quotation,Quotation To,Ponuda za
DocType: Lead,Middle Income,Srednji Prihodi
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),P.S. (Pot)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Uobičajeno mjerna jedinica za artikl {0} ne može se mijenjati izravno, jer ste već napravili neke transakcije (e) sa drugim UOM. Morat ćete stvoriti nove stavke koristiti drugačiji Uobičajeno UOM."
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Dodijeljeni iznos ne može biti negativan
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Uobičajeno mjerna jedinica za artikl {0} ne može se mijenjati izravno, jer ste već napravili neke transakcije (e) sa drugim UOM. Morat ćete stvoriti nove stavke koristiti drugačiji Uobičajeno UOM."
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Dodijeljeni iznos ne može biti negativan
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Molimo vas da postavite poduzeća
DocType: Purchase Order Item,Billed Amt,Naplaćeni izn
DocType: Training Result Employee,Training Result Employee,Obuka Rezultat zaposlenih
@@ -622,7 +628,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Izaberite plaćanje računa da banke Entry
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Kreiranje evidencije zaposlenih za upravljanje lišće, trošak potraživanja i platnom spisku"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Dodaj u bazi znanja
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Pisanje prijedlog
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Pisanje prijedlog
DocType: Payment Entry Deduction,Payment Entry Deduction,Plaćanje Entry Odbitak
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Još jedna osoba Sales {0} postoji s istim ID zaposlenih
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Ako je označeno, sirovine za predmete koji su pod ugovorom će biti uključeni u Industrijska Zahtjevi"
@@ -636,7 +642,7 @@
DocType: Timesheet,Billed,Naplaćeno
DocType: Batch,Batch Description,Batch Opis
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Stvaranje grupa studenata
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Payment Gateway računa kreiranu, molimo vas da napravite ručno."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Payment Gateway računa kreiranu, molimo vas da napravite ručno."
DocType: Sales Invoice,Sales Taxes and Charges,Prodaja Porezi i naknade
DocType: Employee,Organization Profile,Profil organizacije
DocType: Student,Sibling Details,Polubrat Detalji
@@ -658,11 +664,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Neto promjena u zalihama
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Zaposlenik kredit za upravljanje
DocType: Employee,Passport Number,Putovnica Broj
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Odnos sa Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,menadžer
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Odnos sa Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,menadžer
DocType: Payment Entry,Payment From / To,Plaćanje Od / Do
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Novi kreditni limit je manje od trenutne preostali iznos za kupca. Kreditni limit mora biti atleast {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Istu stavku je ušao više puta.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Novi kreditni limit je manje od trenutne preostali iznos za kupca. Kreditni limit mora biti atleast {0}
DocType: SMS Settings,Receiver Parameter,Prijemnik parametra
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,' Temelji se na' i 'Grupisanje po ' ne mogu biti isti
DocType: Sales Person,Sales Person Targets,Prodaje osobi Mete
@@ -671,8 +676,9 @@
DocType: Issue,Resolution Date,Rezolucija Datum
DocType: Student Batch Name,Batch Name,Batch ime
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timesheet created:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},Molimo postavite zadanu gotovinom ili banka računa u načinu plaćanja {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Molimo postavite zadanu gotovinom ili banka računa u načinu plaćanja {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,upisati
+DocType: GST Settings,GST Settings,PDV Postavke
DocType: Selling Settings,Customer Naming By,Kupac Imenovanje By
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Će pokazati student kao sadašnjost u Studentskom Mjesečni Posjeta izvještaj
DocType: Depreciation Schedule,Depreciation Amount,Amortizacija Iznos
@@ -694,6 +700,7 @@
DocType: Item,Material Transfer,Materijal transfera
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),P.S. (Dug)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Objavljivanje timestamp mora biti poslije {0}
+,GST Itemised Purchase Register,PDV Specificirane Kupovina Registracija
DocType: Employee Loan,Total Interest Payable,Ukupno kamata
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Sleteo Troškovi poreza i naknada
DocType: Production Order Operation,Actual Start Time,Stvarni Start Time
@@ -720,10 +727,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
DocType: Account,Accounts,Konta
DocType: Vehicle,Odometer Value (Last),Odometar vrijednost (Zadnje)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,marketing
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,marketing
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Plaćanje Ulaz je već stvorena
DocType: Purchase Receipt Item Supplied,Current Stock,Trenutni Stock
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} ne povezano sa Stavka {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} ne povezano sa Stavka {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Preview Plaća Slip
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Račun {0} je ušao više puta
DocType: Account,Expenses Included In Valuation,Troškovi uključeni u vrednovanje
@@ -731,7 +738,7 @@
,Absent Student Report,Odsutan Student Report
DocType: Email Digest,Next email will be sent on:,Sljedeća e-mail će biti poslan na:
DocType: Offer Letter Term,Offer Letter Term,Ponuda Pismo Term
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Stavka ima varijante.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Stavka ima varijante.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Stavka {0} nije pronađena
DocType: Bin,Stock Value,Stock vrijednost
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Kompanija {0} ne postoji
@@ -740,7 +747,7 @@
DocType: Serial No,Warranty Expiry Date,Datum isteka jamstva
DocType: Material Request Item,Quantity and Warehouse,Količina i skladišta
DocType: Sales Invoice,Commission Rate (%),Komisija stopa (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Molimo odaberite program
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Molimo odaberite program
DocType: Project,Estimated Cost,Procijenjeni troškovi
DocType: Purchase Order,Link to material requests,Link za materijal zahtjeva
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Zračno-kosmički prostor
@@ -754,14 +761,14 @@
DocType: Purchase Order,Supply Raw Materials,Supply sirovine
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,Datuma na koji će biti generiran pored fakture. Ona se stvara na dostavi.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Dugotrajna imovina
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} ne postoji na zalihama.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} ne postoji na zalihama.
DocType: Mode of Payment Account,Default Account,Podrazumjevani konto
DocType: Payment Entry,Received Amount (Company Currency),Primljeni Iznos (Company Valuta)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,Lead mora biti postavljen ako je prilika iz njega izrađena
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,Odaberite tjednik off dan
DocType: Production Order Operation,Planned End Time,Planirani End Time
,Sales Person Target Variance Item Group-Wise,Prodaja Osoba Target varijance artikla Group - Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Konto sa postojećim transakcijama se ne može pretvoriti u glavnu knjigu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Konto sa postojećim transakcijama se ne može pretvoriti u glavnu knjigu
DocType: Delivery Note,Customer's Purchase Order No,Kupca Narudžbenica br
DocType: Budget,Budget Against,budžet protiv
DocType: Employee,Cell Number,Mobitel Broj
@@ -773,15 +780,13 @@
DocType: Opportunity,Opportunity From,Prilika od
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Mjesečna plaća izjava.
DocType: BOM,Website Specifications,Web Specifikacije
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Molimo vas da postavljanje broji serija za prisustvo na Setup> numeracije serije
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Od {0} {1} tipa
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Red {0}: pretvorbe Factor je obvezno
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Red {0}: pretvorbe Factor je obvezno
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Više pravila Cijena postoji sa istim kriterijima, molimo vas da riješe sukob dodjelom prioriteta. Cijena pravila: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,Ne može se isključiti ili otkaže BOM kao što je povezano s drugim Boms
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Više pravila Cijena postoji sa istim kriterijima, molimo vas da riješe sukob dodjelom prioriteta. Cijena pravila: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Ne može se isključiti ili otkaže BOM kao što je povezano s drugim Boms
DocType: Opportunity,Maintenance,Održavanje
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Broj primke je potreban za artikal {0}
DocType: Item Attribute Value,Item Attribute Value,Stavka vrijednost atributa
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Prodajne kampanje.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Make Timesheet
@@ -833,29 +838,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Asset odbačen preko Journal Entry {0}
DocType: Employee Loan,Interest Income Account,Prihod od kamata računa
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Biotehnologija
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Troškovi održavanja ureda
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Troškovi održavanja ureda
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Postavljanje e-pošte
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Unesite predmeta prvi
DocType: Account,Liability,Odgovornost
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,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}.
DocType: Company,Default Cost of Goods Sold Account,Uobičajeno Nabavna vrednost prodate robe računa
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Popis Cijena ne bira
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Popis Cijena ne bira
DocType: Employee,Family Background,Obitelj Pozadina
DocType: Request for Quotation Supplier,Send Email,Pošaljite e-mail
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Upozorenje: Invalid Prilog {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Upozorenje: Invalid Prilog {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Bez dozvole
DocType: Company,Default Bank Account,Zadani bankovni račun
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Da biste filtrirali na osnovu stranke, izaberite Party prvog tipa"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'Azuriranje zalihe' se ne može provjeriti jer artikli nisu dostavljeni putem {0}
DocType: Vehicle,Acquisition Date,akvizicija Datum
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Nos
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Nos
DocType: Item,Items with higher weightage will be shown higher,Predmeti sa višim weightage će biti prikazan veći
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Banka Pomirenje Detalj
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} moraju biti dostavljeni
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} moraju biti dostavljeni
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Niti jedan zaposlenik pronađena
DocType: Supplier Quotation,Stopped,Zaustavljen
DocType: Item,If subcontracted to a vendor,Ako podizvođača na dobavljača
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Student Grupa je već ažurirana.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Student Grupa je već ažurirana.
DocType: SMS Center,All Customer Contact,Svi kontakti kupaca
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Prenesi dionica ravnotežu putem CSV.
DocType: Warehouse,Tree Details,Tree Detalji
@@ -867,13 +872,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Cost Center {2} ne pripada kompaniji {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Račun {2} ne može biti Group
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Stavka Row {idx}: {doctype} {docname} ne postoji u gore '{doctype}' sto
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Timesheet {0} je već završen ili otkazan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} je već završen ili otkazan
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,No zadataka
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Na dan u mjesecu na kojima auto faktura će biti generiran npr 05, 28 itd"
DocType: Asset,Opening Accumulated Depreciation,Otvaranje Ispravka vrijednosti
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Ocjena mora biti manja od ili jednaka 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Program Upis Tool
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,C - Form zapisi
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C - Form zapisi
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Kupaca i dobavljača
DocType: Email Digest,Email Digest Settings,E-pošta Postavke
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Hvala vam za vaše poslovanje!
@@ -883,17 +888,19 @@
DocType: Bin,Moving Average Rate,Premještanje prosječna stopa
DocType: Production Planning Tool,Select Items,Odaberite artikle
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} protiv placanje {1} od {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Vozila / Autobus broj
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Raspored za golf
DocType: Maintenance Visit,Completion Status,Završetak Status
DocType: HR Settings,Enter retirement age in years,Unesite dob za odlazak u penziju u godinama
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Ciljana galerija
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Molimo odaberite skladište
DocType: Cheque Print Template,Starting location from left edge,Početna lokacija od lijevog ruba
DocType: Item,Allow over delivery or receipt upto this percent,Dozvolite preko isporuke ili primitka upto ovu posto
DocType: Stock Entry,STE-,ste-
DocType: Upload Attendance,Import Attendance,Uvoz posjećenost
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Sve grupe artikala
DocType: Process Payroll,Activity Log,Dnevnik aktivnosti
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Neto dobit / gubitak
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Neto dobit / gubitak
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Automatski nova poruka na podnošenje transakcija .
DocType: Production Order,Item To Manufacture,Artikal za proizvodnju
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} {2} status
@@ -902,16 +909,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Purchase Order na isplatu
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Projektovana kolicina
DocType: Sales Invoice,Payment Due Date,Plaćanje Due Date
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Stavka Variant {0} već postoji s istim atributima
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Stavka Variant {0} već postoji s istim atributima
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','Otvaranje'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Open To Do
DocType: Notification Control,Delivery Note Message,Otpremnica - poruka
DocType: Expense Claim,Expenses,troškovi
+,Support Hours,sati podrške
DocType: Item Variant Attribute,Item Variant Attribute,Stavka Variant Atributi
,Purchase Receipt Trends,Račun kupnje trendovi
DocType: Process Payroll,Bimonthly,časopis koji izlazi svaka dva mjeseca
DocType: Vehicle Service,Brake Pad,Brake Pad
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Istraživanje i razvoj
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Istraživanje i razvoj
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Iznos za naplatu
DocType: Company,Registration Details,Registracija Brodu
DocType: Timesheet,Total Billed Amount,Ukupno Fakturisana iznos
@@ -924,12 +932,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Nabavite samo sirovine
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Ocjenjivanje.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Omogućavanje 'Koristi se za korpa ", kao košarica je omogućen i treba da postoji barem jedan poreza pravilo za Košarica"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Plaćanje Entry {0} je povezan protiv Order {1}, proverite da li treba da se povuče kao napredak u ovom računu."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Plaćanje Entry {0} je povezan protiv Order {1}, proverite da li treba da se povuče kao napredak u ovom računu."
DocType: Sales Invoice Item,Stock Details,Stock Detalji
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Vrijednost Projekta
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Point-of-prodaju
DocType: Vehicle Log,Odometer Reading,odometar Reading
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Stanje računa već u kredit, što se ne smije postaviti 'ravnoteža se mora' kao 'zaduženje """
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Stanje računa već u kredit, što se ne smije postaviti 'ravnoteža se mora' kao 'zaduženje """
DocType: Account,Balance must be,Bilans mora biti
DocType: Hub Settings,Publish Pricing,Objavite Pricing
DocType: Notification Control,Expense Claim Rejected Message,Rashodi Zahtjev odbijen poruku
@@ -939,7 +947,7 @@
DocType: Salary Slip,Working Days,Radnih dana
DocType: Serial No,Incoming Rate,Dolazni Stopa
DocType: Packing Slip,Gross Weight,Bruto težina
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,Ime vaše tvrtke za koje ste postavljanje ovog sustava .
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,Ime vaše tvrtke za koje ste postavljanje ovog sustava .
DocType: HR Settings,Include holidays in Total no. of Working Days,Uključi odmor u ukupnom. radnih dana
DocType: Job Applicant,Hold,Zadrži
DocType: Employee,Date of Joining,Datum pristupa
@@ -950,20 +958,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Račun kupnje
,Received Items To Be Billed,Primljeni Proizvodi se naplaćuje
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Postavio Plaća Slips
-DocType: Employee,Ms,G-đa
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Majstor valute .
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Referentni Doctype mora biti jedan od {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Majstor valute .
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referentni Doctype mora biti jedan od {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},U nemogućnosti da pronađe termin u narednih {0} dana za operaciju {1}
DocType: Production Order,Plan material for sub-assemblies,Plan materijal za podsklopove
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Prodaja Partneri i teritorija
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,Ne možete automatski stvoriti obzir već postoji zaliha balans na računu. Morate stvoriti odgovarajuće nalog da biste mogli da unos na to skladište
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} mora biti aktivna
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} mora biti aktivna
DocType: Journal Entry,Depreciation Entry,Amortizacija Entry
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Molimo odaberite vrstu dokumenta prvi
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Odustani Posjeta materijala {0} prije otkazivanja ovog održavanja pohod
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serijski Ne {0} ne pripada točki {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Potrebna Kol
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Skladišta sa postojećim transakcija se ne može pretvoriti u knjizi.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Skladišta sa postojećim transakcija se ne može pretvoriti u knjizi.
DocType: Bank Reconciliation,Total Amount,Ukupan iznos
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Internet izdavaštvo
DocType: Production Planning Tool,Production Orders,Nalozi
@@ -978,25 +984,26 @@
DocType: Fee Structure,Components,komponente
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Molimo vas da unesete imovine Kategorija tačke {0}
DocType: Quality Inspection Reading,Reading 6,Čitanje 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Ne mogu {0} {1} {2} bez ikakvih negativnih izuzetan fakture
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Ne mogu {0} {1} {2} bez ikakvih negativnih izuzetan fakture
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Narudzbine avans
DocType: Hub Settings,Sync Now,Sync Sada
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Row {0}: Kredit stavka ne može se povezati sa {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Definirajte budžet za finansijsku godinu.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Definirajte budžet za finansijsku godinu.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"Zadana banka / novčani račun će se automatski ažurirati prema POS računu, kada je ovaj mod odabran."
DocType: Lead,LEAD-,vo |
DocType: Employee,Permanent Address Is,Stalna adresa je
DocType: Production Order Operation,Operation completed for how many finished goods?,Operacija završena za koliko gotovih proizvoda?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,The Brand
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,The Brand
DocType: Employee,Exit Interview Details,Izlaz Intervju Detalji
DocType: Item,Is Purchase Item,Je dobavljivi proizvod
DocType: Asset,Purchase Invoice,Narudzbine
DocType: Stock Ledger Entry,Voucher Detail No,Bon Detalj Ne
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Prodaja novih Račun
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Prodaja novih Račun
DocType: Stock Entry,Total Outgoing Value,Ukupna vrijednost Odlazni
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Datum otvaranja i zatvaranja datum bi trebao biti u istoj fiskalnoj godini
DocType: Lead,Request for Information,Zahtjev za informacije
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sync Offline Fakture
+,LeaderBoard,leaderboard
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Sync Offline Fakture
DocType: Payment Request,Paid,Plaćen
DocType: Program Fee,Program Fee,naknada za program
DocType: Salary Slip,Total in words,Ukupno je u riječima
@@ -1005,13 +1012,13 @@
DocType: Cheque Print Template,Has Print Format,Ima Print Format
DocType: Employee Loan,Sanctioned,sankcionisani
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,Obavezan unos. Možda nije kreirana valuta za
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Navedite rednim brojem predmeta za {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Za 'proizvoda Bundle' stavki, Magacin, serijski broj i serijski broj smatrat će se iz 'Pakiranje List' stol. Ako Skladište i serijski broj su isti za sve pakovanje stavke za bilo 'Bundle proizvoda' stavku, te vrijednosti mogu se unijeti u glavnom Stavka stola, vrijednosti će se kopirati u 'Pakiranje List' stol."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Navedite rednim brojem predmeta za {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Za 'proizvoda Bundle' stavki, Magacin, serijski broj i serijski broj smatrat će se iz 'Pakiranje List' stol. Ako Skladište i serijski broj su isti za sve pakovanje stavke za bilo 'Bundle proizvoda' stavku, te vrijednosti mogu se unijeti u glavnom Stavka stola, vrijednosti će se kopirati u 'Pakiranje List' stol."
DocType: Job Opening,Publish on website,Objaviti na web stranici
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Isporuke kupcima.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Dobavljač Datum računa ne može biti veći od Datum knjiženja
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Dobavljač Datum računa ne može biti veći od Datum knjiženja
DocType: Purchase Invoice Item,Purchase Order Item,Narudžbenica predmet
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Neizravni dohodak
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Neizravni dohodak
DocType: Student Attendance Tool,Student Attendance Tool,Student Posjeta Tool
DocType: Cheque Print Template,Date Settings,Datum Postavke
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Varijacija
@@ -1029,20 +1036,20 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Hemijski
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Uobičajeno Banka / Cash račun će se automatski ažurirati u Plaća Journal Entry kada je izabran ovaj režim.
DocType: BOM,Raw Material Cost(Company Currency),Sirovina troškova (poduzeća Valuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Svi predmeti su već prebačen za ovu proizvodnju Order.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Svi predmeti su već prebačen za ovu proizvodnju Order.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Rate ne može biti veća od stope koristi u {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,metar
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,metar
DocType: Workstation,Electricity Cost,Troškovi struje
DocType: HR Settings,Don't send Employee Birthday Reminders,Ne šaljite podsjetnik za rođendan zaposlenika
DocType: Item,Inspection Criteria,Inspekcijski Kriteriji
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Prenose
DocType: BOM Website Item,BOM Website Item,BOM Web Stavka
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Unos glavu pismo i logo. (Možete ih kasnije uređivanje).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Unos glavu pismo i logo. (Možete ih kasnije uređivanje).
DocType: Timesheet Detail,Bill,račun
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Sljedeća Amortizacija datum se unosi kao proteklih dana
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Bijel
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Bijel
DocType: SMS Center,All Lead (Open),Svi potencijalni kupci (aktualni)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Red {0}: Količina nije dostupan za {4} u skladištu {1} na postavljanje trenutku stupanja ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Red {0}: Količina nije dostupan za {4} u skladištu {1} na postavljanje trenutku stupanja ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Kreiraj avansno plaćanje
DocType: Item,Automatically Create New Batch,Automatski Create New Batch
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,Napraviti
@@ -1052,13 +1059,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Moja košarica
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Tip narudžbe mora biti jedan od {0}
DocType: Lead,Next Contact Date,Datum sledeceg kontaktiranja
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Otvaranje Kol
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,Unesite račun za promjene Iznos
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Otvaranje Kol
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,Unesite račun za promjene Iznos
DocType: Student Batch Name,Student Batch Name,Student Batch Ime
DocType: Holiday List,Holiday List Name,Naziv liste odmora
DocType: Repayment Schedule,Balance Loan Amount,Balance Iznos kredita
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Raspored predmeta
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Stock Opcije
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Stock Opcije
DocType: Journal Entry Account,Expense Claim,Rashodi polaganja
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Da li zaista želite da vratite ovaj ukinut imovine?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Količina za {0}
@@ -1070,12 +1077,12 @@
DocType: Company,Default Terms,Uobičajeno Uvjeti
DocType: Packing Slip Item,Packing Slip Item,Odreskom predmet
DocType: Purchase Invoice,Cash/Bank Account,Novac / bankovni račun
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Navedite {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Navedite {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Ukloniti stavke bez promjene u količini ili vrijednosti.
DocType: Delivery Note,Delivery To,Dostava za
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Atribut sto je obavezno
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Atribut sto je obavezno
DocType: Production Planning Tool,Get Sales Orders,Kreiraj narudžbe
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} ne može biti negativna
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} ne može biti negativna
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Popust
DocType: Asset,Total Number of Depreciations,Ukupan broj Amortizacija
DocType: Sales Invoice Item,Rate With Margin,Stopu sa margina
@@ -1095,7 +1102,6 @@
DocType: Serial No,Creation Document No,Stvaranje dokumenata nema
DocType: Issue,Issue,Tiketi
DocType: Asset,Scrapped,odbačen
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Račun ne odgovara poduzeća
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Osobine Stavka Varijante. npr veličina, boja i sl"
DocType: Purchase Invoice,Returns,povraćaj
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP Skladište
@@ -1107,12 +1113,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,Stavka mora biti dodan pomoću 'Get stavki iz Kupovina Primici' gumb
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Uključuju ne-stanju proizvodi
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Prodajni troškovi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Prodajni troškovi
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Standardna kupnju
DocType: GL Entry,Against,Protiv
DocType: Item,Default Selling Cost Center,Zadani trošak prodaje
DocType: Sales Partner,Implementation Partner,Provedba partner
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Poštanski broj
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Poštanski broj
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Prodajnog naloga {0} je {1}
DocType: Opportunity,Contact Info,Kontakt Informacije
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Izrada Stock unosi
@@ -1125,31 +1131,31 @@
DocType: Holiday List,Get Weekly Off Dates,Nabavite Tjedno Off datumi
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,Datum završetka ne može biti manja od početnog datuma
DocType: Sales Person,Select company name first.,Prvo odaberite naziv preduzeća.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Doktor
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Ponude dobijene od dobavljača.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Za {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Prosječna starost
DocType: School Settings,Attendance Freeze Date,Posjećenost Freeze Datum
DocType: Opportunity,Your sales person who will contact the customer in future,Vaš prodavač koji će ubuduće kontaktirati kupca
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Navedite nekoliko svojih dobavljača. Oni mogu biti tvrtke ili fizičke osobe.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Navedite nekoliko svojih dobavljača. Oni mogu biti tvrtke ili fizičke osobe.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Pogledaj sve proizvode
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimalna Olovo Starost (Dana)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,Svi sastavnica
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Svi sastavnica
DocType: Company,Default Currency,Zadana valuta
DocType: Expense Claim,From Employee,Od zaposlenika
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Upozorenje : Sustav neće provjeravati overbilling od iznosa za točku {0} u {1} je nula
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Upozorenje : Sustav neće provjeravati overbilling od iznosa za točku {0} u {1} je nula
DocType: Journal Entry,Make Difference Entry,Čine razliku Entry
DocType: Upload Attendance,Attendance From Date,Gledatelja Od datuma
DocType: Appraisal Template Goal,Key Performance Area,Područje djelovanja
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Prevoznik
+DocType: Program Enrollment,Transportation,Prevoznik
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Invalid Atributi
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} mora biti podnesen
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} mora biti podnesen
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Količina mora biti manji ili jednak {0}
DocType: SMS Center,Total Characters,Ukupno Likovi
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Molimo odaberite BOM BOM u polje za Stavka {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Molimo odaberite BOM BOM u polje za Stavka {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Obrazac Račun Detalj
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Pomirenje Plaćanje fakture
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Doprinos%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Prema Kupnja Postavke ako Narudžbenice željeni == 'DA', onda za stvaranje fakturi, korisnik treba prvo stvoriti Narudžbenice za stavku {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Tvrtka registracijski brojevi za svoju referencu. Porezni brojevi itd.
DocType: Sales Partner,Distributor,Distributer
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Košarica Shipping pravilo
@@ -1158,23 +1164,25 @@
,Ordered Items To Be Billed,Naručeni artikli za naplatu
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Od opseg mora biti manji od u rasponu
DocType: Global Defaults,Global Defaults,Globalne zadane postavke
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Projekt Collaboration Poziv
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Projekt Collaboration Poziv
DocType: Salary Slip,Deductions,Odbici
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Početak godine
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},Prva 2 cifre GSTIN treba se podudarati s državnim broj {0}
DocType: Purchase Invoice,Start date of current invoice's period,Početak datum tekućeg razdoblja dostavnice
DocType: Salary Slip,Leave Without Pay,Ostavite bez plaće
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Kapaciteta za planiranje Error
,Trial Balance for Party,Suđenje Balance za stranke
DocType: Lead,Consultant,Konsultant
DocType: Salary Slip,Earnings,Zarada
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Završio Stavka {0} mora biti unesen za tip Proizvodnja unos
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Završio Stavka {0} mora biti unesen za tip Proizvodnja unos
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Otvaranje Računovodstvo Balance
+,GST Sales Register,PDV prodaje Registracija
DocType: Sales Invoice Advance,Sales Invoice Advance,Predujam prodajnog računa
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Ništa se zatražiti
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Još jedan budžet rekord '{0}' već postoji protiv {1} '{2}' za fiskalnu godinu {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',"' Stvarni datum početka ' ne može biti veći od stvarnog datuma završetka """
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,upravljanje
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,upravljanje
DocType: Cheque Print Template,Payer Settings,Payer Postavke
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Ovo će biti dodan na Šifra za varijantu. Na primjer, ako je vaš skraćenica ""SM"", a stavka kod je ""T-SHIRT"", stavka kod varijante će biti ""T-SHIRT-SM"""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Neto plaća (riječima) će biti vidljiva nakon što spremite klizne plaće.
@@ -1191,8 +1199,8 @@
DocType: Employee Loan,Partially Disbursed,djelomično Isplaćeno
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Šifarnik dobavljača
DocType: Account,Balance Sheet,Završni račun
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Troška Za Stavke sa Šifra '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",Način plaćanja nije konfiguriran. Molimo provjerite da li račun je postavljena o načinu plaćanja ili na POS profilu.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Troška Za Stavke sa Šifra '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",Način plaćanja nije konfiguriran. Molimo provjerite da li račun je postavljena o načinu plaćanja ili na POS profilu.
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Prodavač će dobiti podsjetnik na taj datum kako bi pravovremeno kontaktirao kupca
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Isti stavka ne može se upisati više puta.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Dalje računa može biti pod Grupe, ali unosa može biti protiv ne-Grupe"
@@ -1200,7 +1208,7 @@
DocType: Email Digest,Payables,Obveze
DocType: Course,Course Intro,Naravno Intro
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Stock Entry {0} stvorio
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Odbijena Količina ne može unijeti u Kupovina Povratak
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Odbijena Količina ne može unijeti u Kupovina Povratak
,Purchase Order Items To Be Billed,Narudžbenica Proizvodi se naplaćuje
DocType: Purchase Invoice Item,Net Rate,Neto stopa
DocType: Purchase Invoice Item,Purchase Invoice Item,Narudzbine stavki
@@ -1225,7 +1233,7 @@
DocType: Sales Order,SO-,SO-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Odaberite prefiks prvi
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,istraživanje
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,istraživanje
DocType: Maintenance Visit Purpose,Work Done,Rad Done
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Molimo navedite barem jedan atribut atribute tabeli
DocType: Announcement,All Students,Svi studenti
@@ -1233,17 +1241,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Pogledaj Ledger
DocType: Grading Scale,Intervals,intervali
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Najstarije
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Stavka Grupa postoji s istim imenom , molimo promijenite ime stavku ili preimenovati stavku grupe"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Student Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Ostatak svijeta
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Stavka Grupa postoji s istim imenom , molimo promijenite ime stavku ili preimenovati stavku grupe"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No.
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Ostatak svijeta
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Stavka {0} ne može imati Batch
,Budget Variance Report,Proračun varijance Prijavi
DocType: Salary Slip,Gross Pay,Bruto plaća
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Red {0}: Aktivnost Tip je obavezno.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Isplaćene dividende
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Isplaćene dividende
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Računovodstvo Ledger
DocType: Stock Reconciliation,Difference Amount,Razlika Iznos
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Zadržana dobit
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Zadržana dobit
DocType: Vehicle Log,Service Detail,Servis Detail
DocType: BOM,Item Description,Opis artikla
DocType: Student Sibling,Student Sibling,student Polubrat
@@ -1257,11 +1265,11 @@
DocType: Opportunity Item,Opportunity Item,Poslovna prilika artikla
,Student and Guardian Contact Details,Student i Guardian Kontakt detalji
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Red {0}: Za dobavljač {0}-mail adresa je potrebno za slanje e-mail
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Privremeno Otvaranje
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Privremeno Otvaranje
,Employee Leave Balance,Zaposlenik napuste balans
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Bilans konta {0} uvijek mora biti {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Vrednovanje potrebne za Stavka u nizu objekta {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Primer: Masters u Computer Science
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Primer: Masters u Computer Science
DocType: Purchase Invoice,Rejected Warehouse,Odbijen galerija
DocType: GL Entry,Against Voucher,Protiv Voucheru
DocType: Item,Default Buying Cost Center,Zadani trošak kupnje
@@ -1274,31 +1282,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Kreiraj neplaćene račune
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Prodajnog naloga {0} nije ispravan
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Narudžbenice vam pomoći planirati i pratiti na kupovinu
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Žao nam je , tvrtke ne mogu spojiti"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Žao nam je , tvrtke ne mogu spojiti"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",Ukupne emisije / Transfer količina {0} u Industrijska Zahtjev {1} \ ne može biti veća od tražene količine {2} za Stavka {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Mali
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Mali
DocType: Employee,Employee Number,Broj radnika
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Slučaj Ne ( i) je već u uporabi . Pokušajte s predmetu broj {0}
DocType: Project,% Completed,Završen%
,Invoiced Amount (Exculsive Tax),Dostavljeni iznos ( Exculsive poreza )
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Stavku 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Zaglavlje konta {0} je kreirano
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,treningu
DocType: Item,Auto re-order,Autorefiniš reda
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Ukupno Ostvareni
DocType: Employee,Place of Issue,Mjesto izdavanja
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,ugovor
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,ugovor
DocType: Email Digest,Add Quote,Dodaj Citat
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},UOM faktor coversion potrebna za UOM: {0} u točki: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Neizravni troškovi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM faktor coversion potrebna za UOM: {0} u točki: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Neizravni troškovi
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Red {0}: Količina je obvezno
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Poljoprivreda
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sync Master Data
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Vaši proizvodi ili usluge
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Vaši proizvodi ili usluge
DocType: Mode of Payment,Mode of Payment,Način plaćanja
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Sajt slika treba da bude javni datoteke ili web stranice URL
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Sajt slika treba da bude javni datoteke ili web stranice URL
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,To jekorijen stavka grupa i ne može se mijenjati .
@@ -1307,17 +1314,17 @@
DocType: Warehouse,Warehouse Contact Info,Kontakt informacije skladišta
DocType: Payment Entry,Write Off Difference Amount,Otpis Razlika Iznos
DocType: Purchase Invoice,Recurring Type,Ponavljajući Tip
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent",{0}: e-mail nije poslat jer e-mail zaposlenog nije pronađen
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent",{0}: e-mail nije poslat jer e-mail zaposlenog nije pronađen
DocType: Item,Foreign Trade Details,Vanjske trgovine Detalji
DocType: Email Digest,Annual Income,Godišnji prihod
DocType: Serial No,Serial No Details,Serijski nema podataka
DocType: Purchase Invoice Item,Item Tax Rate,Poreska stopa artikla
DocType: Student Group Student,Group Roll Number,Grupa Roll Broj
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Za {0}, samo kredit računa može biti povezan protiv drugog ulaska debit"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Ukupno sve težine zadatka treba da bude 1. Molimo prilagodite težine svih zadataka projekta u skladu s tim
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Otpremnica {0} nije potvrđena
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Stavka {0} mora bitisklopljen ugovor artikla
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Kapitalni oprema
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Ukupno sve težine zadatka treba da bude 1. Molimo prilagodite težine svih zadataka projekta u skladu s tim
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Otpremnica {0} nije potvrđena
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Stavka {0} mora bitisklopljen ugovor artikla
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Kapitalni oprema
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Cijene Pravilo prvo se bira na temelju 'Nanesite na' terenu, koji može biti točka, točka Grupa ili Brand."
DocType: Hub Settings,Seller Website,Prodavač Website
DocType: Item,ITEM-,Artikl-
@@ -1335,7 +1342,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Tu može biti samo jedan Dostava Pravilo Stanje sa 0 ili prazni vrijednost za "" Da Value """
DocType: Authorization Rule,Transaction,Transakcija
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Napomena : Ovaj troška jegrupa . Ne mogu napraviti računovodstvenih unosa protiv skupine .
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,skladište dijete postoji za to skladište. Ne možete brisati ovo skladište.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,skladište dijete postoji za to skladište. Ne možete brisati ovo skladište.
DocType: Item,Website Item Groups,Website Stavka Grupe
DocType: Purchase Invoice,Total (Company Currency),Ukupno (Company valuta)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Serijski broj {0} ušao više puta
@@ -1345,7 +1352,7 @@
DocType: Grading Scale Interval,Grade Code,Grade Kod
DocType: POS Item Group,POS Item Group,POS Stavka Group
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email Digest:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} ne pripada Stavka {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} ne pripada Stavka {1}
DocType: Sales Partner,Target Distribution,Ciljana Distribucija
DocType: Salary Slip,Bank Account No.,Žiro račun broj
DocType: Naming Series,This is the number of the last created transaction with this prefix,To je broj zadnjeg stvorio transakcije s ovim prefiksom
@@ -1355,12 +1362,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Knjiga imovine Amortizacija Entry Automatski
DocType: BOM Operation,Workstation,Workstation
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Zahtjev za ponudu dobavljač
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Hardver
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Hardver
DocType: Sales Order,Recurring Upto,Ponavljajući Upto
DocType: Attendance,HR Manager,Šef ljudskih resursa
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Molimo odaberite poduzeća
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Privilege dopust
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Molimo odaberite poduzeća
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Privilege dopust
DocType: Purchase Invoice,Supplier Invoice Date,Dobavljač Datum fakture
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,po
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Trebate omogućiti Košarica
DocType: Payment Entry,Writeoff,Otpisati
DocType: Appraisal Template Goal,Appraisal Template Goal,Procjena Predložak cilja
@@ -1371,10 +1379,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Preklapanje uvjeti nalaze između :
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Protiv Journal Entry {0} je već prilagođen protiv nekih drugih vaučer
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Ukupna vrijednost Order
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Hrana
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Hrana
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Starenje Range 3
DocType: Maintenance Schedule Item,No of Visits,Bez pregleda
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Mark Attendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Mark Attendence
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Održavanje Raspored {0} postoji protiv {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,upisa student
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Valuta zatvaranja računa mora biti {0}
@@ -1388,6 +1396,7 @@
DocType: Rename Tool,Utilities,Komunalne usluge
DocType: Purchase Invoice Item,Accounting,Računovodstvo
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Molimo odaberite serija za dozirana stavku
DocType: Asset,Depreciation Schedules,Amortizacija rasporedi
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Period aplikacija ne može biti razdoblje raspodjele izvan odsustva
DocType: Activity Cost,Projects,Projekti
@@ -1401,6 +1410,7 @@
DocType: POS Profile,Campaign,Kampanja
DocType: Supplier,Name and Type,Naziv i tip
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Status Odobrenje mora biti ""Odobreno"" ili "" Odbijeno """
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,Bootstrap
DocType: Purchase Invoice,Contact Person,Kontakt osoba
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',""" Očekivani datum početka ' ne može biti veći od očekivanog datuma završetka"""
DocType: Course Scheduling Tool,Course End Date,Naravno Završni datum
@@ -1408,12 +1418,11 @@
DocType: Sales Order Item,Planned Quantity,Planirana količina
DocType: Purchase Invoice Item,Item Tax Amount,Iznos poreza artikla
DocType: Item,Maintain Stock,Održavati Stock
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Stock unosi već stvorene za proizvodnju Order
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Stock unosi već stvorene za proizvodnju Order
DocType: Employee,Prefered Email,Prefered mail
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Neto promjena u fiksnoj Asset
DocType: Leave Control Panel,Leave blank if considered for all designations,Ostavite prazno ako smatra za sve oznake
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Skladište je obavezno za registrirane grupe računa tipa Stock
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Punjenje tipa ' Stvarni ' u redu {0} ne mogu biti uključeni u točki Rate
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Punjenje tipa ' Stvarni ' u redu {0} ne mogu biti uključeni u točki Rate
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Od datuma i vremena
DocType: Email Digest,For Company,Za tvrtke
@@ -1423,15 +1432,15 @@
DocType: Sales Invoice,Shipping Address Name,Dostava adresa Ime
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Šifarnik konta
DocType: Material Request,Terms and Conditions Content,Uvjeti sadržaj
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,ne može biti veća od 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Stavka {0} nijestock Stavka
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,ne može biti veća od 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Stavka {0} nijestock Stavka
DocType: Maintenance Visit,Unscheduled,Neplanski
DocType: Employee,Owned,U vlasništvu
DocType: Salary Detail,Depends on Leave Without Pay,Ovisi o neplaćeni odmor
DocType: Pricing Rule,"Higher the number, higher the priority","Veći broj, veći prioritet"
,Purchase Invoice Trends,Trendovi kupnje proizvoda
DocType: Employee,Better Prospects,Bolji izgledi
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Row # {0}: Odgovor batch {1} ima samo {2} Količina. Molimo odaberite neku drugu seriju koja ima {3} Količina dostupna ili podijeliti red u više redova, za isporuku / pitanje iz više serija"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Row # {0}: Odgovor batch {1} ima samo {2} Količina. Molimo odaberite neku drugu seriju koja ima {3} Količina dostupna ili podijeliti red u više redova, za isporuku / pitanje iz više serija"
DocType: Vehicle,License Plate,registarska tablica
DocType: Appraisal,Goals,Golovi
DocType: Warranty Claim,Warranty / AMC Status,Jamstveni / AMC Status
@@ -1442,7 +1451,8 @@
,Batch-Wise Balance History,Batch-Wise bilanca Povijest
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,podešavanja print ažuriran u odgovarajućim formatu print
DocType: Package Code,Package Code,paket kod
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,šegrt
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,šegrt
+DocType: Purchase Invoice,Company GSTIN,kompanija GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Negativna količina nije dopuštena
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","Porez detalj stol učitani iz stavka master kao string i pohranjeni u ovoj oblasti.
@@ -1450,12 +1460,12 @@
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Zaposleni ne može prijaviti samog sebe.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ako je račun zamrznut , unosi dopušteno ograničene korisnike ."
DocType: Email Digest,Bank Balance,Banka Balance
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Knjiženju za {0}: {1} može se vršiti samo u valuti: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Knjiženju za {0}: {1} može se vršiti samo u valuti: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Profil posla , kvalifikacijama i sl."
DocType: Journal Entry Account,Account Balance,Bilans konta
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Porez pravilo za transakcije.
DocType: Rename Tool,Type of document to rename.,Vrsta dokumenta za promjenu naziva.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Kupili smo ovaj artikal
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Kupili smo ovaj artikal
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: gost je dužan protiv potraživanja nalog {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Ukupno Porezi i naknade (Društvo valuta)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Pokaži Neriješeni fiskalnu godinu P & L salda
@@ -1466,29 +1476,30 @@
DocType: Stock Entry,Total Additional Costs,Ukupno dodatnih troškova
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Otpadnog materijala troškova (poduzeća Valuta)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,pod skupštine
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,pod skupštine
DocType: Asset,Asset Name,Asset ime
DocType: Project,Task Weight,zadatak Težina
DocType: Shipping Rule Condition,To Value,Za vrijednost
DocType: Asset Movement,Stock Manager,Stock Manager
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Izvor skladište je obvezno za redom {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Odreskom
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,najam ureda
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Izvor skladište je obvezno za redom {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Odreskom
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,najam ureda
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Postavke Setup SMS gateway
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Uvoz nije uspio!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Još nema unijete adrese.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Još nema unijete adrese.
DocType: Workstation Working Hour,Workstation Working Hour,Workstation Radno vrijeme
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,analitičar
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,analitičar
DocType: Item,Inventory,Inventar
DocType: Item,Sales Details,Prodajni detalji
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,Sa stavkama
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,u kol
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,u kol
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Potvrditi upisala kurs za studente u Studentskom Group
DocType: Notification Control,Expense Claim Rejected,Rashodi Zahtjev odbijen
DocType: Item,Item Attribute,Stavka Atributi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Vlada
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Vlada
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Rashodi Preuzmi {0} već postoji za putnom
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Institut ime
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Institut ime
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,Unesite iznos otplate
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Stavka Varijante
DocType: Company,Services,Usluge
@@ -1498,18 +1509,18 @@
DocType: Sales Invoice,Source,Izvor
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Show zatvoren
DocType: Leave Type,Is Leave Without Pay,Ostavi se bez plate
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Asset Kategorija je obavezno za Fixed stavku imovine
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset Kategorija je obavezno za Fixed stavku imovine
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Nisu pronađeni u tablici plaćanja
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Ovo {0} sukobe sa {1} za {2} {3}
DocType: Student Attendance Tool,Students HTML,studenti HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Financijska godina Start Date
DocType: POS Profile,Apply Discount,Nanesite Popust
+DocType: Purchase Invoice Item,GST HSN Code,PDV HSN Kod
DocType: Employee External Work History,Total Experience,Ukupno Iskustvo
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Open Projekti
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Pakiranje proklizavanja ( s) otkazan
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Novčani tok iz ulagačkih
DocType: Program Course,Program Course,program kursa
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Teretni i Forwarding Optužbe
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Teretni i Forwarding Optužbe
DocType: Homepage,Company Tagline for website homepage,Kompanija Tagline za web stranice homepage
DocType: Item Group,Item Group Name,Naziv grupe artikla
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Taken
@@ -1519,6 +1530,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Napravi Leads
DocType: Maintenance Schedule,Schedules,Rasporedi
DocType: Purchase Invoice Item,Net Amount,Neto iznos
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} nije dostavljen tako akciju nije moguće dovršiti
DocType: Purchase Order Item Supplied,BOM Detail No,BOM detalji - broj
DocType: Landed Cost Voucher,Additional Charges,dodatnih troškova
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Dodatni popust Iznos (Company valuta)
@@ -1534,6 +1546,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Mjesečna otplate Iznos
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,Molimo postavite korisniku ID polja u rekord zaposlenog da postavite uloga zaposlenih
DocType: UOM,UOM Name,UOM Ime
+DocType: GST HSN Code,HSN Code,HSN Kod
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Doprinos Iznos
DocType: Purchase Invoice,Shipping Address,Adresa isporuke
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Ovaj alat pomaže vam da ažurirate ili popraviti količinu i vrednovanje zaliha u sistemu. To se obično koristi za usklađivanje vrijednosti sistema i ono što zaista postoji u skladištima.
@@ -1544,17 +1557,16 @@
DocType: Program Enrollment Tool,Program Enrollments,program Upis
DocType: Sales Invoice Item,Brand Name,Naziv brenda
DocType: Purchase Receipt,Transporter Details,Transporter Detalji
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Uobičajeno skladište je potreban za izabranu stavku
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Kutija
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Uobičajeno skladište je potreban za izabranu stavku
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Kutija
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,moguće dobavljač
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Organizacija
DocType: Budget,Monthly Distribution,Mjesečni Distribucija
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Receiver Lista je prazna . Molimo stvoriti Receiver Popis
DocType: Production Plan Sales Order,Production Plan Sales Order,Proizvodnja plan prodajnog naloga
DocType: Sales Partner,Sales Partner Target,Prodaja partner Target
DocType: Loan Type,Maximum Loan Amount,Maksimalni iznos kredita
DocType: Pricing Rule,Pricing Rule,cijene Pravilo
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Duplikat broj roll za studentske {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Duplikat broj roll za studentske {0}
DocType: Budget,Action if Annual Budget Exceeded,Akcija ako Godišnji budžet Exceeded
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Materijal Zahtjev za narudžbenice
DocType: Shopping Cart Settings,Payment Success URL,Plaćanje Uspjeh URL
@@ -1567,11 +1579,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Otvaranje Stock Balance
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} se mora pojaviti samo jednom
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Nije dozvoljeno da se više tranfer {0} od {1} protiv narudžbenice {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Nije dozvoljeno da se više tranfer {0} od {1} protiv narudžbenice {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Lišće Dodijeljeni uspješno za {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Nema stavki za omot
DocType: Shipping Rule Condition,From Value,Od Vrijednost
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Proizvodnja Količina je obvezno
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Proizvodnja Količina je obvezno
DocType: Employee Loan,Repayment Method,otplata Način
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ako je označeno, na početnu stranicu će biti default Stavka grupe za web stranicu"
DocType: Quality Inspection Reading,Reading 4,Čitanje 4
@@ -1581,7 +1593,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Row # {0}: datum razmak {1} ne može biti prije Ček Datum {2}
DocType: Company,Default Holiday List,Uobičajeno Holiday List
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Red {0}: Od vremena i do vremena od {1} je preklapaju s {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Stock Obveze
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Stock Obveze
DocType: Purchase Invoice,Supplier Warehouse,Dobavljač galerija
DocType: Opportunity,Contact Mobile No,Kontak GSM
,Material Requests for which Supplier Quotations are not created,Materijalni Zahtjevi za koje Supplier Citati nisu stvorene
@@ -1592,35 +1604,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Make ponudu
apps/erpnext/erpnext/config/selling.py +216,Other Reports,Ostali izveštaji
DocType: Dependent Task,Dependent Task,Zavisna Task
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Faktor pretvorbe za zadani jedinica mjere mora biti jedan u nizu {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Faktor pretvorbe za zadani jedinica mjere mora biti jedan u nizu {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Ostavite tipa {0} ne može biti duži od {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Pokušajte planiraju operacije za X dana unaprijed.
DocType: HR Settings,Stop Birthday Reminders,Zaustavi Rođendan Podsjetnici
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Molimo podesite Uobičajeno plaće plaćaju račun poduzeća {0}
DocType: SMS Center,Receiver List,Lista primalaca
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Traži Stavka
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Traži Stavka
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Consumed Iznos
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Neto promjena u gotovini
DocType: Assessment Plan,Grading Scale,Pravilo Scale
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Jedinica mjere {0} je ušao više od jednom u konverzije Factor tablici
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Jedinica mjere {0} je ušao više od jednom u konverzije Factor tablici
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,već završena
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock u ruci
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Plaćanje Zahtjev već postoji {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Troškovi Izdata Predmeti
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Količina ne smije biti više od {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Prethodne finansijske godine nije zatvoren
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Starost (dani)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Starost (dani)
DocType: Quotation Item,Quotation Item,Artikl iz ponude
+DocType: Customer,Customer POS Id,Kupac POS Id
DocType: Account,Account Name,Naziv konta
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Od datuma ne može biti veća od To Date
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serijski Ne {0} {1} količina ne može bitidio
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Dobavljač Vrsta majstor .
DocType: Purchase Order Item,Supplier Part Number,Dobavljač Broj dijela
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Stopa pretvorbe ne može biti 0 ili 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Stopa pretvorbe ne može biti 0 ili 1
DocType: Sales Invoice,Reference Document,referentni dokument
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} je otkazan ili zaustavljen
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} je otkazan ili zaustavljen
DocType: Accounts Settings,Credit Controller,Kreditne kontroler
DocType: Delivery Note,Vehicle Dispatch Date,Vozilo Dispatch Datum
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Račun kupnje {0} nije podnesen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Račun kupnje {0} nije podnesen
DocType: Company,Default Payable Account,Uobičajeno računa se plaća
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Postavke za online kupovinu košaricu poput shipping pravila, cjenik i sl"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% Fakturisana
@@ -1639,11 +1653,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Ukupan iznos nadoknađeni
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Ovo se zasniva na rezanje protiv ovog vozila. Pogledajte vremenski okvir ispod za detalje
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,prikupiti
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Protiv Dobavljač fakture {0} od {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Protiv Dobavljač fakture {0} od {1}
DocType: Customer,Default Price List,Zadani cjenik
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,rekord Asset pokret {0} stvorio
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Ne možete izbrisati fiskalnu godinu {0}. Fiskalna godina {0} je postavljen kao zadani u Globalne postavke
DocType: Journal Entry,Entry Type,Entry Tip
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Nema plana procjene povezani sa ovom grupom procjena
,Customer Credit Balance,Customer Credit Balance
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Neto promjena na računima dobavljača
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Kupac je potrebno za ' Customerwise Popust '
@@ -1651,7 +1666,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,cijene
DocType: Quotation,Term Details,Oročeni Detalji
DocType: Project,Total Sales Cost (via Sales Order),Ukupna prodaja troškova (putem prodajnog naloga)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Ne može upisati više od {0} studenata za ovu grupa studenata.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Ne može upisati više od {0} studenata za ovu grupa studenata.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Lead Count
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} mora biti veći od 0
DocType: Manufacturing Settings,Capacity Planning For (Days),Kapacitet planiranje (Dana)
@@ -1672,7 +1687,7 @@
DocType: Sales Invoice,Packed Items,Pakirano Predmeti
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garantni rok protiv Serial No.
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Zamijenite određenom BOM u svim ostalim Boms u kojem se koristi. To će zamijeniti stare BOM link, ažurirati troškova i regenerirati ""BOM eksplozije Stavka"" stola po nove BOM"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Ukupno'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Ukupno'
DocType: Shopping Cart Settings,Enable Shopping Cart,Enable Košarica
DocType: Employee,Permanent Address,Stalna adresa
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1688,9 +1703,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,Navedite ili količini ili vrednovanja Ocijenite ili oboje
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,ispunjenje
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Pogledaj u košaricu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Troškovi marketinga
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Troškovi marketinga
,Item Shortage Report,Nedostatak izvješća za artikal
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Težina se spominje, \n Navedite ""Težina UOM"" previše"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Težina se spominje, \n Navedite ""Težina UOM"" previše"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Materijal Zahtjev se koristi da bi se ova Stock unos
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Sljedeća Amortizacija Datum je obavezan za nove imovine
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Poseban grupe na osnovu naravno za svaku seriju
@@ -1699,17 +1714,18 @@
,Student Fee Collection,Student Naknada Collection
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Provjerite knjiženje za svaki burzi pokreta
DocType: Leave Allocation,Total Leaves Allocated,Ukupno Lišće Dodijeljeni
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Skladište potrebno na red No {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Molimo vas da unesete važeću finansijsku godinu datume početka i završetka
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Skladište potrebno na red No {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Molimo vas da unesete važeću finansijsku godinu datume početka i završetka
DocType: Employee,Date Of Retirement,Datum odlaska u mirovinu
DocType: Upload Attendance,Get Template,Kreiraj predložak
+DocType: Material Request,Transferred,prebačen
DocType: Vehicle,Doors,vrata
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext Setup Complete!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup Complete!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Troškovi Centar je potreban za "dobiti i gubitka računa {2}. Molimo vas da se uspostavi default troškova Centra za kompanije.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Grupa kupaca sa istim nazivom već postoji. Promijenite naziv kupca ili promijenite naziv grupe kupaca.
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Novi kontakt
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Grupa kupaca sa istim nazivom već postoji. Promijenite naziv kupca ili promijenite naziv grupe kupaca.
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Novi kontakt
DocType: Territory,Parent Territory,Roditelj Regija
DocType: Quality Inspection Reading,Reading 2,Čitanje 2
DocType: Stock Entry,Material Receipt,Materijal Potvrda
@@ -1718,17 +1734,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ako ova stavka ima varijante, onda ne može biti izabran u prodaji naloge itd"
DocType: Lead,Next Contact By,Sledeci put kontaktirace ga
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Količina potrebna za točke {0} je u redu {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},Skladište {0} ne može biti izbrisano ako na njemu ima artikal {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Količina potrebna za točke {0} je u redu {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Skladište {0} ne može biti izbrisano ako na njemu ima artikal {1}
DocType: Quotation,Order Type,Vrsta narudžbe
DocType: Purchase Invoice,Notification Email Address,Obavijest E-mail adresa
,Item-wise Sales Register,Stavka-mudri prodaja registar
DocType: Asset,Gross Purchase Amount,Bruto Kupovina Iznos
DocType: Asset,Depreciation Method,Način Amortizacija
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Offline
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,Offline
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Je li ovo pristojba uključena u osnovne stope?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Ukupna ciljna
-DocType: Program Course,Required,potreban
DocType: Job Applicant,Applicant for a Job,Kandidat za posao
DocType: Production Plan Material Request,Production Plan Material Request,Proizvodni plan materijala Upit
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Nema Radni nalozi stvoreni
@@ -1737,17 +1752,17 @@
DocType: Purchase Invoice Item,Batch No,Broj serije
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Dopustite više prodajnih naloga protiv narudžbenicu Kupca
DocType: Student Group Instructor,Student Group Instructor,Student Group Instruktor
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 Mobile Nema
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Glavni
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile Nema
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Glavni
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Varijanta
DocType: Naming Series,Set prefix for numbering series on your transactions,Postavite prefiks za numeriranje niza na svoje transakcije
DocType: Employee Attendance Tool,Employees HTML,Zaposleni HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Uobičajeno BOM ({0}) mora biti aktivna za ovu stavku ili njegove predložak
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Uobičajeno BOM ({0}) mora biti aktivna za ovu stavku ili njegove predložak
DocType: Employee,Leave Encashed?,Ostavite Encashed?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Prilika iz polja je obavezna
DocType: Email Digest,Annual Expenses,Godišnji troškovi
DocType: Item,Variants,Varijante
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Provjerite narudžbenice
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Provjerite narudžbenice
DocType: SMS Center,Send To,Pošalji na adresu
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Nema dovoljno ravnotežu dopust za dozvolu tipa {0}
DocType: Payment Reconciliation Payment,Allocated amount,Izdvojena iznosu
@@ -1761,26 +1776,25 @@
DocType: Supplier,Statutory info and other general information about your Supplier,Zakonska info i druge opće informacije o vašem Dobavljaču
DocType: Item,Serial Nos and Batches,Serijski brojevi i Paketi
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Student Group Strength
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Protiv Journal Entry {0} nema premca {1} unos
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Protiv Journal Entry {0} nema premca {1} unos
apps/erpnext/erpnext/config/hr.py +137,Appraisals,Appraisals
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Dupli serijski broj je unešen za artikl {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,A uvjet za Shipping Pravilo
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Molimo unesite
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ne može overbill za Stavka {0} u redu {1} više od {2}. Kako bi se omogućilo preko-računa, molimo vas da postavite u kupovini Postavke"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Molimo podesite filter na osnovu Item ili Skladište
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ne može overbill za Stavka {0} u redu {1} više od {2}. Kako bi se omogućilo preko-računa, molimo vas da postavite u kupovini Postavke"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Molimo podesite filter na osnovu Item ili Skladište
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Neto težina tog paketa. (Automatski izračunava kao zbroj neto težini predmeta)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Molimo vas da napravite račun za to skladište i povezati ga. To se ne može automatski učiniti kao račun s imenom {0} već postoji
DocType: Sales Order,To Deliver and Bill,Dostaviti i Bill
DocType: Student Group,Instructors,instruktori
DocType: GL Entry,Credit Amount in Account Currency,Iznos kredita u računu valuta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} mora biti dostavljena
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} mora biti dostavljena
DocType: Authorization Control,Authorization Control,Odobrenje kontrole
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Odbijena Skladište je obavezno protiv odbijen Stavka {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Odbijena Skladište je obavezno protiv odbijen Stavka {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Plaćanje
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Skladište {0} nije povezan na bilo koji račun, navedite račun u zapisnik skladištu ili postaviti zadani popis računa u firmi {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Upravljanje narudžbe
DocType: Production Order Operation,Actual Time and Cost,Stvarno vrijeme i troškovi
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materijal Zahtjev maksimalno {0} može biti za točku {1} od prodajnog naloga {2}
-DocType: Employee,Salutation,Pozdrav
DocType: Course,Course Abbreviation,Skraćenica za golf
DocType: Student Leave Application,Student Leave Application,Student Leave aplikacije
DocType: Item,Will also apply for variants,Primjenjivat će se i za varijante
@@ -1792,12 +1806,12 @@
DocType: Quotation Item,Actual Qty,Stvarna kol
DocType: Sales Invoice Item,References,Reference
DocType: Quality Inspection Reading,Reading 10,Čitanje 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",Popis svoje proizvode ili usluge koje kupuju ili prodaju .
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",Popis svoje proizvode ili usluge koje kupuju ili prodaju .
DocType: Hub Settings,Hub Node,Hub Node
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Unijeli duple stavke . Molimo ispraviti i pokušajte ponovno .
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Pomoćnik
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Pomoćnik
DocType: Asset Movement,Asset Movement,Asset pokret
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,novi Košarica
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,novi Košarica
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Stavka {0} nijeserijaliziranom predmeta
DocType: SMS Center,Create Receiver List,Kreiraj listu primalaca
DocType: Vehicle,Wheels,Wheels
@@ -1817,19 +1831,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Može se odnositi red samo akotip zadužen je "" Na prethodni red Iznos 'ili' prethodnog retka Total '"
DocType: Sales Order Item,Delivery Warehouse,Isporuka Skladište
DocType: SMS Settings,Message Parameter,Poruka parametra
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Tree financijskih troškova centara.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Tree financijskih troškova centara.
DocType: Serial No,Delivery Document No,Dokument isporuke br
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Molimo podesite 'dobitak / gubitak računa na Asset Odlaganje' u kompaniji {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Get Predmeti iz otkupa Primici
DocType: Serial No,Creation Date,Datum stvaranja
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Artikal {0} se pojavljuje više puta u cjeniku {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Prodaje se mora provjeriti, ako je primjenjivo za odabrano kao {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Prodaje se mora provjeriti, ako je primjenjivo za odabrano kao {0}"
DocType: Production Plan Material Request,Material Request Date,Materijal Upit Datum
DocType: Purchase Order Item,Supplier Quotation Item,Dobavljač ponudu artikla
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Onemogućava stvaranje vremena za rezanje protiv nalozi. Operacije neće biti bager protiv proizvodnog naloga
DocType: Student,Student Mobile Number,Student Broj mobilnog
DocType: Item,Has Variants,Ima Varijante
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Vi ste već odabrane stavke iz {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Vi ste već odabrane stavke iz {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Naziv Mjesečni distribucije
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Batch ID je obavezno
DocType: Sales Person,Parent Sales Person,Roditelj Prodaja Osoba
@@ -1839,12 +1853,12 @@
DocType: Budget,Fiscal Year,Fiskalna godina
DocType: Vehicle Log,Fuel Price,Cena goriva
DocType: Budget,Budget,Budžet
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Osnovnih sredstava Stavka mora biti ne-stock stavku.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Osnovnih sredstava Stavka mora biti ne-stock stavku.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budžet se ne može dodijeliti protiv {0}, jer to nije prihod ili rashod račun"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Ostvareni
DocType: Student Admission,Application Form Route,Obrazac za prijavu Route
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Teritorij / Customer
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,na primjer 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,na primjer 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Ostavite Tip {0} ne može se dodijeliti jer se ostavi bez plate
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Row {0}: {1} Izdvojena iznos mora biti manji od ili jednak naplatiti preostali iznos {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,U riječi će biti vidljiv nakon što spremite prodaje fakture.
@@ -1853,7 +1867,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,"Stavka {0} nije dobro postavljen za gospodara , serijski brojevi Provjera"
DocType: Maintenance Visit,Maintenance Time,Održavanje Vrijeme
,Amount to Deliver,Iznose Deliver
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Proizvod ili usluga
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Proizvod ili usluga
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Termin Ozljede Datum ne može biti ranije od godine Početak Datum akademske godine za koji je vezana pojam (akademska godina {}). Molimo ispravite datume i pokušajte ponovo.
DocType: Guardian,Guardian Interests,Guardian Interesi
DocType: Naming Series,Current Value,Trenutna vrijednost
@@ -1868,12 +1882,12 @@
mora biti veći ili jednak {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,To se temelji na zalihama pokreta. Vidi {0} za detalje
DocType: Pricing Rule,Selling,Prodaja
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Broj {0} {1} oduzeti protiv {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Broj {0} {1} oduzeti protiv {2}
DocType: Employee,Salary Information,Plaća informacije
DocType: Sales Person,Name and Employee ID,Ime i ID zaposlenika
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,Datum dospijeća ne može biti prije datuma objavljivanja
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,Datum dospijeća ne može biti prije datuma objavljivanja
DocType: Website Item Group,Website Item Group,Web stranica artikla Grupa
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Carine i porezi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Carine i porezi
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Unesite Referentni datum
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} unosi isplate ne mogu biti filtrirani po {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,Sto za stavku koja će se prikazati u Web Site
@@ -1890,9 +1904,9 @@
DocType: Payment Reconciliation Payment,Reference Row,referentni Row
DocType: Installation Note,Installation Time,Vrijeme instalacije
DocType: Sales Invoice,Accounting Details,Računovodstvo Detalji
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Izbrisati sve transakcije za ovu kompaniju
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: {1} Operacija nije završen za {2} Količina gotovih proizvoda u proizvodnji Order # {3}. Molimo vas da ažurirate rad status via Time Dnevnici
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Investicije
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Izbrisati sve transakcije za ovu kompaniju
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: {1} Operacija nije završen za {2} Količina gotovih proizvoda u proizvodnji Order # {3}. Molimo vas da ažurirate rad status via Time Dnevnici
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Investicije
DocType: Issue,Resolution Details,Detalji o rjesenju problema
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,izdvajanja
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kriterij prihvaćanja
@@ -1917,7 +1931,7 @@
DocType: Room,Room Name,Soba Naziv
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Ostavite ne može se primijeniti / otkazan prije nego {0}, kao odsustvo ravnoteža je već carry-proslijeđen u budućnosti rekord raspodjeli odsustvo {1}"
DocType: Activity Cost,Costing Rate,Costing Rate
-,Customer Addresses And Contacts,Adrese i kontakti kupaca
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Adrese i kontakti kupaca
,Campaign Efficiency,kampanja efikasnost
DocType: Discussion,Discussion,rasprava
DocType: Payment Entry,Transaction ID,transakcija ID
@@ -1927,14 +1941,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Ukupno Billing Iznos (preko Time Sheet)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Ponovite Customer prihoda
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) mora imati rolu 'odobravanje troskova'
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Par
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Odaberite BOM i količina za proizvodnju
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Par
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Odaberite BOM i količina za proizvodnju
DocType: Asset,Depreciation Schedule,Amortizacija Raspored
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Prodajni partner adrese i kontakti
DocType: Bank Reconciliation Detail,Against Account,Protiv računa
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Poludnevni datum treba biti između Od datuma i Do datuma
DocType: Maintenance Schedule Detail,Actual Date,Stvarni datum
DocType: Item,Has Batch No,Je Hrpa Ne
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Godišnji Billing: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Godišnji Billing: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Poreska dobara i usluga (PDV Indija)
DocType: Delivery Note,Excise Page Number,Trošarina Broj stranice
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Kompanija, Od datuma i do danas je obavezno"
DocType: Asset,Purchase Date,Datum kupovine
@@ -1942,11 +1958,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Molimo podesite 'Asset Amortizacija troškova Center' u kompaniji {0}
,Maintenance Schedules,Rasporedi održavanja
DocType: Task,Actual End Date (via Time Sheet),Stvarni Završni datum (preko Time Sheet)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Broj {0} {1} protiv {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Broj {0} {1} protiv {2} {3}
,Quotation Trends,Trendovi ponude
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Stavka artikla se ne spominje u master artiklu za artikal {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Debit na račun mora biti potraživanja računa
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Stavka artikla se ne spominje u master artiklu za artikal {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Debit na račun mora biti potraživanja računa
DocType: Shipping Rule Condition,Shipping Amount,Iznos transporta
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Dodaj Kupci
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Iznos na čekanju
DocType: Purchase Invoice Item,Conversion Factor,Konverzijski faktor
DocType: Purchase Order,Delivered,Isporučeno
@@ -1956,7 +1973,8 @@
DocType: Purchase Receipt,Vehicle Number,Broj vozila
DocType: Purchase Invoice,The date on which recurring invoice will be stop,Datum na koji se ponavlja faktura će se zaustaviti
DocType: Employee Loan,Loan Amount,Iznos kredita
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Red {0}: Bill materijala nije pronađen za stavku {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Self-vožnje vozila
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Red {0}: Bill materijala nije pronađen za stavku {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Ukupno izdvojene lišće {0} ne može biti manja od već odobrenih lišće {1} za period
DocType: Journal Entry,Accounts Receivable,Konto potraživanja
,Supplier-Wise Sales Analytics,Supplier -mudar prodaje Analytics
@@ -1973,21 +1991,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Rashodi Tužba se čeka odobrenje . SamoRashodi Odobritelj može ažurirati status .
DocType: Email Digest,New Expenses,novi Troškovi
DocType: Purchase Invoice,Additional Discount Amount,Dodatni popust Iznos
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Količina mora biti 1, kao stavka je osnovno sredstvo. Molimo koristite posebnom redu za više kom."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Količina mora biti 1, kao stavka je osnovno sredstvo. Molimo koristite posebnom redu za više kom."
DocType: Leave Block List Allow,Leave Block List Allow,Ostavite Blok Popis Dopustite
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Skraćeno ne može biti prazan ili prostora
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Skraćeno ne može biti prazan ili prostora
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Grupa Non-grupa
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,sportovi
DocType: Loan Type,Loan Name,kredit ime
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Ukupno Actual
DocType: Student Siblings,Student Siblings,student Siblings
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,jedinica
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,Navedite tvrtke
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,jedinica
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Navedite tvrtke
,Customer Acquisition and Loyalty,Stjecanje kupaca i lojalnost
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Skladište gdje ste održavanju zaliha odbijenih stavki
DocType: Production Order,Skip Material Transfer,Preskočite Prijenos materijala
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Nije moguće pronaći kurs za {0} do {1} za ključni datum {2}. Molimo vas da ručno stvoriti Mjenjačnica rekord
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Vaša financijska godina završava
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Nije moguće pronaći kurs za {0} do {1} za ključni datum {2}. Molimo vas da ručno stvoriti Mjenjačnica rekord
DocType: POS Profile,Price List,Cjenik
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} je podrazumijevana Fiskalna godina . Osvježite svoj browserda bi se izmjene primijenile.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Trošak potraživanja
@@ -2000,14 +2017,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock balans u Batch {0} će postati negativan {1} {2} za tačka na skladištu {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Nakon materijala Zahtjevi su automatski podignuta na osnovu nivou ponovnog reda stavke
DocType: Email Digest,Pending Sales Orders,U očekivanju Prodajni nalozi
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Račun {0} je nevažeća. Račun valuta mora biti {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Račun {0} je nevažeća. Račun valuta mora biti {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Faktor UOM pretvorbe je potrebno u redu {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Referenca Vrsta dokumenta mora biti jedan od prodajnog naloga, prodaje fakture ili Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Referenca Vrsta dokumenta mora biti jedan od prodajnog naloga, prodaje fakture ili Journal Entry"
DocType: Salary Component,Deduction,Odbitak
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Red {0}: Od vremena i do vremena je obavezno.
DocType: Stock Reconciliation Item,Amount Difference,iznos Razlika
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Stavka Cijena je dodao za {0} u {1} Cjenik
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Stavka Cijena je dodao za {0} u {1} Cjenik
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Unesite zaposlenih Id ove prodaje osoba
DocType: Territory,Classification of Customers by region,Klasifikacija Kupci po regiji
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Razlika iznos mora biti nula
@@ -2019,21 +2036,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Ukupno Odbitak
,Production Analytics,proizvodnja Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Troškova Ažurirano
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Troškova Ažurirano
DocType: Employee,Date of Birth,Datum rođenja
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Artikal {0} je već vraćen
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Artikal {0} je već vraćen
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Fiskalna godina ** predstavlja finansijske godine. Svi računovodstvene stavke i drugih većih transakcija se prate protiv ** Fiskalna godina **.
DocType: Opportunity,Customer / Lead Address,Kupac / Adresa Lead-a
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Upozorenje: Invalid SSL certifikat o prilogu {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Upozorenje: Invalid SSL certifikat o prilogu {0}
DocType: Student Admission,Eligibility,kvalifikovanost
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Leads biste se lakše poslovanje, dodati sve svoje kontakte i još kao vodi"
DocType: Production Order Operation,Actual Operation Time,Stvarni Operation Time
DocType: Authorization Rule,Applicable To (User),Odnosi se na (Upute)
DocType: Purchase Taxes and Charges,Deduct,Odbiti
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Opis posla
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Opis posla
DocType: Student Applicant,Applied,Applied
DocType: Sales Invoice Item,Qty as per Stock UOM,Količina po burzi UOM
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2 ime
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 ime
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Specijalni znakovi osim ""-"" ""."", ""#"", i ""/"" nije dozvoljeno u imenovanju serije"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Pratite prodajne kampanje. Pratite Lead-ove, Ponude, Porudžbenice itd iz Kampanje i procijeniti povrat investicije."
DocType: Expense Claim,Approver,Odobritelj
@@ -2044,7 +2061,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serijski Ne {0} je pod jamstvom upto {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Split otpremnici u paketima.
apps/erpnext/erpnext/hooks.py +87,Shipments,Pošiljke
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,stanje na računu ({0}) za {1} i vrijednosti zaliha ({2}) za skladište {3} mora biti isti
DocType: Payment Entry,Total Allocated Amount (Company Currency),Ukupan dodijeljeni iznos (Company Valuta)
DocType: Purchase Order Item,To be delivered to customer,Dostaviti kupcu
DocType: BOM,Scrap Material Cost,Otpadnog materijala troškova
@@ -2052,20 +2068,21 @@
DocType: Purchase Invoice,In Words (Company Currency),Riječima (valuta tvrtke)
DocType: Asset,Supplier,Dobavljači
DocType: C-Form,Quarter,Četvrtina
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Razni troškovi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Razni troškovi
DocType: Global Defaults,Default Company,Zadana tvrtka
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Rashodi ili razlika račun je obvezna za točke {0} jer utječe na ukupnu vrijednost dionica
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Rashodi ili razlika račun je obvezna za točke {0} jer utječe na ukupnu vrijednost dionica
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Naziv banke
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,Iznad
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,Iznad
DocType: Employee Loan,Employee Loan Account,Zaposlenik kredit računa
DocType: Leave Application,Total Leave Days,Ukupno Ostavite Dani
DocType: Email Digest,Note: Email will not be sent to disabled users,Napomena: E-mail neće biti poslan invalide
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Broj Interaction
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Šifra> stavka Group> Brand
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Odaberite preduzeće...
DocType: Leave Control Panel,Leave blank if considered for all departments,Ostavite prazno ako smatra za sve odjele
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Vrste zapošljavanja ( trajni ugovor , pripravnik i sl. ) ."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} je obavezno za tu stavku {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} je obavezno za tu stavku {1}
DocType: Process Payroll,Fortnightly,četrnaestodnevni
DocType: Currency Exchange,From Currency,Od novca
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Molimo odaberite Izdvojena količina, vrsta fakture i fakture Broj u atleast jednom redu"
@@ -2087,7 +2104,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,"Molimo kliknite na ""Generiraj raspored ' kako bi dobili raspored"
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,"Bilo je grešaka, dok brisanja sljedeće raspored:"
DocType: Bin,Ordered Quantity,Naručena količina
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","na primjer "" Izgraditi alate za graditelje """
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","na primjer "" Izgraditi alate za graditelje """
DocType: Grading Scale,Grading Scale Intervals,Pravilo Scale Intervali
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Računovodstvo Ulaz za {2} može se vršiti samo u valuti: {3}
DocType: Production Order,In Process,U procesu
@@ -2101,12 +2118,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} studentskih grupa stvorio.
DocType: Sales Invoice,Total Billing Amount,Ukupan iznos naplate
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Mora postojati default dolazne omogućio da bi ovo radilo e-pošte. Molimo vas da postavljanje default dolazne e-pošte (POP / IMAP) i pokušajte ponovo.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Potraživanja račun
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} je već {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Potraživanja račun
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} je već {2}
DocType: Quotation Item,Stock Balance,Kataloški bilanca
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Naloga prodaje na isplatu
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Molimo podesite Imenovanje serije za {0} preko Postavljanje> Postavke> Imenovanje serije
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,CEO
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO
DocType: Expense Claim Detail,Expense Claim Detail,Rashodi Zahtjev Detalj
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Molimo odaberite ispravan račun
DocType: Item,Weight UOM,Težina UOM
@@ -2115,12 +2131,12 @@
DocType: Production Order Operation,Pending,Čekanje
DocType: Course,Course Name,Naziv predmeta
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Korisnici koji može odobriti odsustvo aplikacije određenu zaposlenog
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,uredske opreme
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,uredske opreme
DocType: Purchase Invoice Item,Qty,Kol
DocType: Fiscal Year,Companies,Companies
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Elektronika
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Podignite Materijal Zahtjev kad dionica dosegne ponovno poredak razinu
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Puno radno vrijeme
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Puno radno vrijeme
DocType: Salary Structure,Employees,Zaposleni
DocType: Employee,Contact Details,Kontakt podaci
DocType: C-Form,Received Date,Datum pozicija
@@ -2130,7 +2146,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Cijene neće biti prikazan ako nije postavljena Cjenik
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Molimo navedite zemlju za ovaj Dostava pravilo ili provjeriti dostavom diljem svijeta
DocType: Stock Entry,Total Incoming Value,Ukupna vrijednost Incoming
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,To je potrebno Debit
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,To je potrebno Debit
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets pomoći pratiti vremena, troškova i naplate za aktivnostima obavlja svoj tim"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Kupoprodajna cijena List
DocType: Offer Letter Term,Offer Term,Ponuda Term
@@ -2139,17 +2155,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Pomirenje plaćanja
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,Odaberite incharge ime osobe
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,tehnologija
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Ukupno Neplaćeni: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Ukupno Neplaćeni: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM Web Operacija
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Ponuda Pismo
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Generirajte Materijal Upiti (MRP) i radne naloge.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Ukupno Fakturisana Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Ukupno Fakturisana Amt
DocType: BOM,Conversion Rate,Stopa konverzije
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Traži proizvod
DocType: Timesheet Detail,To Time,Za vrijeme
DocType: Authorization Rule,Approving Role (above authorized value),Odobravanje ulogu (iznad ovlašteni vrijednost)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Credit na račun mora biti računa se plaćaju
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM rekurzija : {0} ne može biti roditelj ili dijete od {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Credit na račun mora biti računa se plaćaju
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM rekurzija : {0} ne može biti roditelj ili dijete od {2}
DocType: Production Order Operation,Completed Qty,Završen Kol
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Za {0}, samo debitne račune mogu povezati protiv druge kreditne unos"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Cjenik {0} je onemogućen
@@ -2160,28 +2176,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} serijski brojevi potrebni za artikal {1}. koji ste trazili {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Trenutno Vrednovanje Rate
DocType: Item,Customer Item Codes,Customer Stavka Codes
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Exchange dobitak / gubitak
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange dobitak / gubitak
DocType: Opportunity,Lost Reason,Razlog gubitka
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Nova adresa
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Nova adresa
DocType: Quality Inspection,Sample Size,Veličina uzorka
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Unesite dokument o prijemu
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Svi artikli su već fakturisani
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Svi artikli su već fakturisani
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',Navedite važeću 'iz Predmet br'
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,"Dalje troška mogu biti pod Grupe, ali unosa može biti protiv ne-Grupe"
DocType: Project,External,Vanjski
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Korisnici i dozvole
DocType: Vehicle Log,VLOG.,VLOG.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Radne naloge Napisano: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Radne naloge Napisano: {0}
DocType: Branch,Branch,Ogranak
DocType: Guardian,Mobile Number,Broj mobitela
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Tiskanje i brendiranje
DocType: Bin,Actual Quantity,Stvarna količina
DocType: Shipping Rule,example: Next Day Shipping,Primjer: Sljedeći dan Dostava
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} nije pronađena
-DocType: Scheduling Tool,Student Batch,student Batch
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Vaši klijenti
+DocType: Program Enrollment,Student Batch,student Batch
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Make Student
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Vi ste pozvani da surađuju na projektu: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Vi ste pozvani da surađuju na projektu: {0}
DocType: Leave Block List Date,Block Date,Blok Datum
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Prijavite se sada
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Stvarni Količina {0} / Waiting Količina {1}
@@ -2190,7 +2205,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Stvaranje i upravljanje dnevne , tjedne i mjesečne e razgradnju ."
DocType: Appraisal Goal,Appraisal Goal,Procjena gol
DocType: Stock Reconciliation Item,Current Amount,Trenutni iznos
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,zgrade
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,zgrade
DocType: Fee Structure,Fee Structure,naknada Struktura
DocType: Timesheet Detail,Costing Amount,Costing Iznos
DocType: Student Admission,Application Fee,naknada aplikacija
@@ -2202,10 +2217,10 @@
DocType: POS Profile,[Select],[ izaberite ]
DocType: SMS Log,Sent To,Poslati
DocType: Payment Request,Make Sales Invoice,Ostvariti prodaju fakturu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,softvera
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,softvera
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Sljedeća Kontakt datum ne može biti u prošlosti
DocType: Company,For Reference Only.,Za referencu samo.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Izaberite serijski br
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Izaberite serijski br
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},{1}: Invalid {0}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,Iznos avansa
@@ -2215,15 +2230,15 @@
DocType: Employee,Employment Details,Zapošljavanje Detalji
DocType: Employee,New Workplace,Novi radnom mjestu
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Postavi status Zatvoreno
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},No Stavka s Barcode {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},No Stavka s Barcode {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Slučaj broj ne može biti 0
DocType: Item,Show a slideshow at the top of the page,Prikaži slideshow na vrhu stranice
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,prodavaonice
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,prodavaonice
DocType: Serial No,Delivery Time,Vrijeme isporuke
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Starenje temelju On
DocType: Item,End of Life,Kraj života
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,putovanje
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,putovanje
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Nema aktivnih ili zadani Plaća Struktura nađeni za zaposlenog {0} za navedeni datumi
DocType: Leave Block List,Allow Users,Omogućiti korisnicima
DocType: Purchase Order,Customer Mobile No,Mobilni broj kupca
@@ -2232,29 +2247,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Update cost
DocType: Item Reorder,Item Reorder,Ponovna narudžba artikla
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Pokaži Plaća Slip
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Prijenos materijala
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Prijenos materijala
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Navedite operacija, operativni troškovi i dati jedinstven radom najkasnije do svojih operacija ."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Ovaj dokument je preko granice po {0} {1} za stavku {4}. Da li što još {3} u odnosu na isti {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Molimo podesite ponavljaju nakon spremanja
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Izaberite promjene iznos računa
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Ovaj dokument je preko granice po {0} {1} za stavku {4}. Da li što još {3} u odnosu na isti {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Molimo podesite ponavljaju nakon spremanja
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Izaberite promjene iznos računa
DocType: Purchase Invoice,Price List Currency,Cjenik valuta
DocType: Naming Series,User must always select,Korisničko uvijek mora odabrati
DocType: Stock Settings,Allow Negative Stock,Dopustite negativnu zalihu
DocType: Installation Note,Installation Note,Napomena instalacije
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Dodaj poreze
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Dodaj poreze
DocType: Topic,Topic,tema
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Novčani tok iz Financiranje
DocType: Budget Account,Budget Account,računa budžeta
DocType: Quality Inspection,Verified By,Ovjeren od strane
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Ne mogu promijeniti tvrtke zadanu valutu , jer postoje neki poslovi . Transakcije mora biti otkazana promijeniti zadanu valutu ."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Ne mogu promijeniti tvrtke zadanu valutu , jer postoje neki poslovi . Transakcije mora biti otkazana promijeniti zadanu valutu ."
DocType: Grading Scale Interval,Grade Description,Grade Opis
DocType: Stock Entry,Purchase Receipt No,Primka br.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,kapara
DocType: Process Payroll,Create Salary Slip,Stvaranje plaće Slip
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,sljedivost
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Izvor sredstava ( pasiva)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Količina u redu {0} ( {1} ) mora biti isti kao proizvedena količina {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Izvor sredstava ( pasiva)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Količina u redu {0} ( {1} ) mora biti isti kao proizvedena količina {2}
DocType: Appraisal,Employee,Radnik
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Izaberite Batch
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} je u potpunosti naplaćeno
DocType: Training Event,End Time,End Time
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktivni Plaća Struktura {0} nađeni za zaposlenog {1} za navedeni datumi
@@ -2266,11 +2282,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Potrebna On
DocType: Rename Tool,File to Rename,File da biste preimenovali
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Molimo odaberite BOM za Stavka zaredom {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Navedene BOM {0} ne postoji za Stavka {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Računa {0} ne odgovara Company {1} u režimu računa: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Navedene BOM {0} ne postoji za Stavka {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Raspored održavanja {0} mora biti otkazana prije poništenja ovu prodajnog naloga
DocType: Notification Control,Expense Claim Approved,Rashodi Zahtjev odobren
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Plaća listić od zaposlenika {0} već kreirali za ovaj period
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,farmaceutski
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,farmaceutski
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Troškovi Kupljene stavke
DocType: Selling Settings,Sales Order Required,Prodajnog naloga Obvezno
DocType: Purchase Invoice,Credit To,Kreditne Da
@@ -2287,42 +2304,42 @@
DocType: Payment Gateway Account,Payment Account,Plaćanje računa
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,Navedite Tvrtka postupiti
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Neto promjena u Potraživanja
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,kompenzacijski Off
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,kompenzacijski Off
DocType: Offer Letter,Accepted,Prihvaćeno
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,organizacija
DocType: SG Creation Tool Course,Student Group Name,Student Ime grupe
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Molimo Vas da proverite da li ste zaista želite izbrisati sve transakcije za ovu kompaniju. Tvoj gospodar podaci će ostati kao što je to. Ova akcija se ne može poništiti.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Molimo Vas da proverite da li ste zaista želite izbrisati sve transakcije za ovu kompaniju. Tvoj gospodar podaci će ostati kao što je to. Ova akcija se ne može poništiti.
DocType: Room,Room Number,Broj sobe
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Invalid referentni {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ne može biti veći nego što je planirana kolicina ({2}) u proizvodnoj porudzbini {3}
DocType: Shipping Rule,Shipping Rule Label,Naziv pravila transporta
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,User Forum
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Sirovine ne može biti prazan.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Nije mogao ažurirati zaliha, faktura sadrži drop shipping stavke."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Sirovine ne može biti prazan.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Nije mogao ažurirati zaliha, faktura sadrži drop shipping stavke."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Brzi unos u dnevniku
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,Ne možete promijeniti brzinu ako BOM spomenuo agianst bilo predmet
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,Ne možete promijeniti brzinu ako BOM spomenuo agianst bilo predmet
DocType: Employee,Previous Work Experience,Radnog iskustva
DocType: Stock Entry,For Quantity,Za količina
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Unesite Planirano Qty za točku {0} na redu {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} nije proslijedjen
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Zahtjevi za stavke.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Poseban proizvodnja kako će biti izrađen za svakog gotovog dobrom stavke.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} mora biti negativan za uzvrat dokumentu
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} mora biti negativan za uzvrat dokumentu
,Minutes to First Response for Issues,Minuta na prvi odgovor na pitanja
DocType: Purchase Invoice,Terms and Conditions1,Odredbe i Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,U ime Instituta za koju se postavljanje ovog sistema.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,U ime Instituta za koju se postavljanje ovog sistema.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Knjiženje zamrznuta do tog datuma, nitko ne može učiniti / mijenjati ulazak, osim uloge naveden u nastavku."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,Molimo spremite dokument prije stvaranja raspored za održavanje
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Status projekta
DocType: UOM,Check this to disallow fractions. (for Nos),Provjerite to da ne dopušta frakcija. (Za br)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,stvoreni su sljedeći nalozi:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,stvoreni su sljedeći nalozi:
DocType: Student Admission,Naming Series (for Student Applicant),Imenovanje serija (za studentske Podnositelj zahtjeva)
DocType: Delivery Note,Transporter Name,Transporter Ime
DocType: Authorization Rule,Authorized Value,Ovlašteni Vrijednost
DocType: BOM,Show Operations,Pokaži operacije
,Minutes to First Response for Opportunity,Minuta na prvi odgovor za Opportunity
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Ukupno Odsutan
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Artikal ili skladište za redak {0} ne odgovara Zahtjevu za materijalom
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Artikal ili skladište za redak {0} ne odgovara Zahtjevu za materijalom
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Jedinica mjere
DocType: Fiscal Year,Year End Date,Završni datum godine
DocType: Task Depends On,Task Depends On,Zadatak ovisi o
@@ -2421,11 +2438,11 @@
DocType: Asset,Manual,priručnik
DocType: Salary Component Account,Salary Component Account,Plaća Komponenta računa
DocType: Global Defaults,Hide Currency Symbol,Sakrij simbol valute
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","npr. banka, gotovina, kreditne kartice"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","npr. banka, gotovina, kreditne kartice"
DocType: Lead Source,Source Name,izvor ime
DocType: Journal Entry,Credit Note,Kreditne Napomena
DocType: Warranty Claim,Service Address,Usluga Adresa
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Furnitures i raspored
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Furnitures i raspored
DocType: Item,Manufacture,Proizvodnja
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Molimo da Isporuka Note prvi
DocType: Student Applicant,Application Date,patenta
@@ -2435,7 +2452,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Razmak Datum nije spomenuo
apps/erpnext/erpnext/config/manufacturing.py +7,Production,proizvodnja
DocType: Guardian,Occupation,okupacija
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Molimo vas da postavljanje zaposlenih Imenovanje sistema u ljudskim resursima> HR Postavke
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Red {0} : Datum početka mora biti prije datuma završetka
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Ukupno (Qty)
DocType: Sales Invoice,This Document,ovaj dokument
@@ -2447,19 +2463,19 @@
DocType: Purchase Receipt,Time at which materials were received,Vrijeme u kojem su materijali primili
DocType: Stock Ledger Entry,Outgoing Rate,Odlazni Rate
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organizacija grana majstor .
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,ili
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,ili
DocType: Sales Order,Billing Status,Status naplate
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Prijavi problem
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,komunalna Troškovi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,komunalna Troškovi
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,Iznad 90
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Journal Entry {1} nema nalog {2} ili već usklađeni protiv drugog vaučer
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Journal Entry {1} nema nalog {2} ili već usklađeni protiv drugog vaučer
DocType: Buying Settings,Default Buying Price List,Zadani cjenik kupnje
DocType: Process Payroll,Salary Slip Based on Timesheet,Plaća za klađenje na Timesheet osnovu
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,No zaposlenih za gore odabrane kriterije ili plate klizanja već stvorio
DocType: Notification Control,Sales Order Message,Poruka narudžbe kupca
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Zadane vrijednosti kao što su tvrtke , valute , tekuće fiskalne godine , itd."
DocType: Payment Entry,Payment Type,Vrsta plaćanja
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Molimo odaberite serijom za Stavka {0}. Nije moguće pronaći jednu seriju koja ispunjava ovaj zahtjev
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Molimo odaberite serijom za Stavka {0}. Nije moguće pronaći jednu seriju koja ispunjava ovaj zahtjev
DocType: Process Payroll,Select Employees,Odaberite Zaposleni
DocType: Opportunity,Potential Sales Deal,Potencijalni Sales Deal
DocType: Payment Entry,Cheque/Reference Date,Ček / Referentni datum
@@ -2479,7 +2495,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,mora biti dostavljen dokument o prijemu
DocType: Purchase Invoice Item,Received Qty,Pozicija Kol
DocType: Stock Entry Detail,Serial No / Batch,Serijski Ne / Batch
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Ne plaća i ne dostave
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Ne plaća i ne dostave
DocType: Product Bundle,Parent Item,Roditelj artikla
DocType: Account,Account Type,Vrsta konta
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2493,24 +2509,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),Identifikacija paketa za dostavu (za tisak)
DocType: Bin,Reserved Quantity,Rezervirano Količina
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Molimo vas da unesete važeću e-mail adresu
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Nema obavezni predmet za program {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Primka proizvoda
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Prilagođavanje Obrasci
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,zaostatak
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,zaostatak
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Amortizacija Iznos u periodu
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,predložak invaliditetom ne smije biti zadani predložak
DocType: Account,Income Account,Konto prihoda
DocType: Payment Request,Amount in customer's currency,Iznos u valuti kupca
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Isporuka
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Isporuka
DocType: Stock Reconciliation Item,Current Qty,Trenutno Količina
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",Pogledajte "stopa materijali na temelju troškova" u odjeljak
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,prev
DocType: Appraisal Goal,Key Responsibility Area,Područje odgovornosti
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Student Paketi pomoći da pratiti prisustvo, procjene i naknade za studente"
DocType: Payment Entry,Total Allocated Amount,Ukupan dodijeljeni iznos
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Postaviti zadani račun inventar za trajnu inventar
DocType: Item Reorder,Material Request Type,Materijal Zahtjev Tip
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Journal Entry za plate od {0} do {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage je puna, nije spasio"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage je puna, nije spasio"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Red {0}: UOM Faktor konverzije je obavezno
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Ref.
DocType: Budget,Cost Center,Troška
@@ -2523,19 +2539,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Cijene Pravilo je napravljen prebrisati Cjenik / definirati postotak popusta, na temelju nekih kriterija."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Skladište se može mijenjati samo preko Stock Stupanje / Dostavnica / kupiti primitka
DocType: Employee Education,Class / Percentage,Klasa / Postotak
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Voditelj marketinga i prodaje
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Porez na dohodak
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Voditelj marketinga i prodaje
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Porez na dohodak
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Ako je odabrano cijene Pravilo je napravljen za 'Cijena', to će prepisati cijenu s liste. Pravilnik o cenama cijena konačnu cijenu, tako da nema daljnje popust treba primijeniti. Stoga, u transakcijama poput naloga prodaje, narudžbenice itd, to će biti učitani u 'Rate' na terenu, nego 'Cijena List Rate ""na terenu."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Pratite Potencijalnog kupca prema tip industrije .
DocType: Item Supplier,Item Supplier,Dobavljač artikla
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,Unesite kod Predmeta da se hrpa nema
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},Molimo odabir vrijednosti za {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,Unesite kod Predmeta da se hrpa nema
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Molimo odabir vrijednosti za {0} quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Sve adrese.
DocType: Company,Stock Settings,Stock Postavke
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Spajanje je moguće samo ako sljedeće osobine su iste u oba zapisa. Grupa je, Root Tip, Društvo"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Spajanje je moguće samo ako sljedeće osobine su iste u oba zapisa. Grupa je, Root Tip, Društvo"
DocType: Vehicle,Electric,Electric
DocType: Task,% Progress,% Napredak
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Dobit / Gubitak imovine Odlaganje
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Dobit / Gubitak imovine Odlaganje
DocType: Training Event,Will send an email about the event to employees with status 'Open',Hoće li poslati e-mail o događaju zaposlenima sa statusom 'Open'
DocType: Task,Depends on Tasks,Ovisi o Zadaci
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Upravljanje vrstama djelatnosti
@@ -2544,7 +2560,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Novi troška Naziv
DocType: Leave Control Panel,Leave Control Panel,Ostavite Upravljačka ploča
DocType: Project,Task Completion,zadatak Završetak
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Nije raspoloživo
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Nije raspoloživo
DocType: Appraisal,HR User,HR korisnika
DocType: Purchase Invoice,Taxes and Charges Deducted,Porezi i naknade oduzeti
apps/erpnext/erpnext/hooks.py +116,Issues,Pitanja
@@ -2555,22 +2571,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Bez plaće slip pronađena između {0} i {1}
,Pending SO Items For Purchase Request,Otvorena SO Proizvodi za zahtjev za kupnju
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,student Prijemni
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} je onemogućena
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} je onemogućena
DocType: Supplier,Billing Currency,Valuta plaćanja
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Ekstra veliki
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Ekstra veliki
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Ukupno Leaves
,Profit and Loss Statement,Račun dobiti i gubitka
DocType: Bank Reconciliation Detail,Cheque Number,Broj čeka
,Sales Browser,prodaja preglednik
DocType: Journal Entry,Total Credit,Ukupna kreditna
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Upozorenje: Još {0} {1} # postoji protiv ulaska zaliha {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Lokalno
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Lokalno
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Zajmovi i predujmovi (aktiva)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Dužnici
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Veliki
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Veliki
DocType: Homepage Featured Product,Homepage Featured Product,Homepage Istaknuti proizvoda
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Sve procjene Grupe
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Sve procjene Grupe
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Novo skladište Ime
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Ukupno {0} ({1})
DocType: C-Form Invoice Detail,Territory,Regija
@@ -2580,12 +2596,12 @@
DocType: Production Order Operation,Planned Start Time,Planirani Start Time
DocType: Course,Assessment,procjena
DocType: Payment Entry Reference,Allocated,Izdvojena
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Zatvori bilanca i knjiga dobit ili gubitak .
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Zatvori bilanca i knjiga dobit ili gubitak .
DocType: Student Applicant,Application Status,Primjena Status
DocType: Fees,Fees,naknade
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Odredite Exchange Rate pretvoriti jedne valute u drugu
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Ponuda {0} je otkazana
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Ukupno preostali iznos
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Ukupno preostali iznos
DocType: Sales Partner,Targets,Mete
DocType: Price List,Price List Master,Cjenik Master
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Sve Sales Transakcije mogu biti označena protiv više osoba ** ** Sales, tako da možete postaviti i pratiti ciljeve."
@@ -2629,11 +2645,11 @@
1. Adresu i kontakt vaše kompanije."
DocType: Attendance,Leave Type,Ostavite Vid
DocType: Purchase Invoice,Supplier Invoice Details,Dobavljač Račun Detalji
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Rashodi / Razlika računa ({0}) mora biti račun 'dobit ili gubitak'
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Rashodi / Razlika računa ({0}) mora biti račun 'dobit ili gubitak'
DocType: Project,Copied From,kopira iz
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Ime greška: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,nedostatak
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} ne u vezi sa {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} ne u vezi sa {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Gledatelja za zaposlenika {0} već označen
DocType: Packing Slip,If more than one package of the same type (for print),Ako je više od jedan paket od iste vrste (za tisak)
,Salary Register,Plaća Registracija
@@ -2651,22 +2667,23 @@
,Requested Qty,Traženi Kol
DocType: Tax Rule,Use for Shopping Cart,Koristiti za Košarica
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Vrijednost {0} za Atributi {1} ne postoji u listu važećih Stavka Atributi vrijednosti za Stavka {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Odaberite serijski brojevi
DocType: BOM Item,Scrap %,Otpad%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Naknade će se distribuirati proporcionalno na osnovu stavka količina ili iznos, po svom izboru"
DocType: Maintenance Visit,Purposes,Namjene
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Atleast jednu stavku treba upisati s negativnim količine za uzvrat dokumentu
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Atleast jednu stavku treba upisati s negativnim količine za uzvrat dokumentu
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operacija {0} više od bilo koje dostupne radnog vremena u radnu stanicu {1}, razbijaju rad u više operacija"
,Requested,Tražena
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,No Napomene
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,No Napomene
DocType: Purchase Invoice,Overdue,Istekao
DocType: Account,Stock Received But Not Billed,Stock primljeni Ali ne Naplaćeno
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Root račun mora biti grupa
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Root račun mora biti grupa
DocType: Fees,FEE.,FEE.
DocType: Employee Loan,Repaid/Closed,Otplaćen / Closed
DocType: Item,Total Projected Qty,Ukupni planirani Količina
DocType: Monthly Distribution,Distribution Name,Naziv distribucije
DocType: Course,Course Code,Šifra predmeta
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Provera kvaliteta potrebna za točke {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Provera kvaliteta potrebna za točke {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Stopa po kojoj se valuta klijenta se pretvaraju u tvrtke bazne valute
DocType: Purchase Invoice Item,Net Rate (Company Currency),Neto stopa (Company valuta)
DocType: Salary Detail,Condition and Formula Help,Stanje i Formula Pomoć
@@ -2679,27 +2696,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Prijenos materijala za izradu
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Postotak popusta se može neovisno primijeniti prema jednom ili za više cjenika.
DocType: Purchase Invoice,Half-yearly,Polugodišnje
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Računovodstvo Entry za Stock
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Računovodstvo Entry za Stock
DocType: Vehicle Service,Engine Oil,Motorno ulje
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Molimo vas da postavljanje zaposlenih Imenovanje sistema u ljudskim resursima> HR Postavke
DocType: Sales Invoice,Sales Team1,Prodaja Team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Artikal {0} ne postoji
DocType: Sales Invoice,Customer Address,Kupac Adresa
DocType: Employee Loan,Loan Details,kredit Detalji
+DocType: Company,Default Inventory Account,Uobičajeno zaliha računa
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Red {0}: Završena Količina mora biti veća od nule.
DocType: Purchase Invoice,Apply Additional Discount On,Nanesite dodatni popust na
DocType: Account,Root Type,korijen Tip
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: ne mogu vratiti više od {1} {2} za tačka
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: ne mogu vratiti više od {1} {2} za tačka
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,zemljište
DocType: Item Group,Show this slideshow at the top of the page,Prikaži ovaj slideshow na vrhu stranice
DocType: BOM,Item UOM,Mjerna jedinica artikla
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Iznos PDV-a Nakon Popust Iznos (Company valuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Target skladište je obvezno za redom {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Target skladište je obvezno za redom {0}
DocType: Cheque Print Template,Primary Settings,primarni Postavke
DocType: Purchase Invoice,Select Supplier Address,Izaberite dobavljač adresa
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Dodaj zaposlenog
DocType: Purchase Invoice Item,Quality Inspection,Provjera kvalitete
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Extra Small
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small
DocType: Company,Standard Template,standard Template
DocType: Training Event,Theory,teorija
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Upozorenje : Materijal tražena količina manja nego minimalna narudžba kol
@@ -2707,7 +2726,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Pravna osoba / Podružnica sa zasebnim kontnom pripadaju Organizacije.
DocType: Payment Request,Mute Email,Mute-mail
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Hrana , piće i duhan"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Mogu samo napraviti uplatu protiv nenaplaćenu {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Mogu samo napraviti uplatu protiv nenaplaćenu {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Proviziju ne može biti veća od 100
DocType: Stock Entry,Subcontract,Podugovor
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Unesite {0} prvi
@@ -2720,18 +2739,18 @@
DocType: SMS Log,No of Sent SMS,Ne poslanih SMS
DocType: Account,Expense Account,Rashodi račun
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Software
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Boja
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Boja
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Kriteriji Plan Procjena
DocType: Training Event,Scheduled,Planirano
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Upit za ponudu.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Molimo odaberite Stavka u kojoj "Je Stock Stavka" je "ne" i "Da li je prodaja Stavka" je "Da", a nema drugog Bundle proizvoda"
DocType: Student Log,Academic,akademski
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Ukupno unaprijed ({0}) protiv Order {1} ne može biti veći od Grand Ukupno ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Ukupno unaprijed ({0}) protiv Order {1} ne može biti veći od Grand Ukupno ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Odaberite Mjesečni Distribucija nejednako distribuirati mete širom mjeseci.
DocType: Purchase Invoice Item,Valuation Rate,Vrednovanje Stopa
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,dizel
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Cjenik valuta ne bira
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Cjenik valuta ne bira
,Student Monthly Attendance Sheet,Student Mjesečni Posjeta list
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Radnik {0} je već aplicirao za {1} iymeđu {2} i {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Datum početka Projekta
@@ -2743,7 +2762,7 @@
DocType: BOM,Scrap,komadić
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Upravljanje prodajnih partnera.
DocType: Quality Inspection,Inspection Type,Inspekcija Tip
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Skladišta sa postojećim transakcija se ne može pretvoriti u grupi.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Skladišta sa postojećim transakcija se ne može pretvoriti u grupi.
DocType: Assessment Result Tool,Result HTML,rezultat HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,ističe
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Dodaj Studenti
@@ -2751,13 +2770,13 @@
DocType: C-Form,C-Form No,C-Obrazac br
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,Unmarked Posjeta
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,istraživač
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,istraživač
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Program Upis Tool Student
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Ime ili e-obavezno
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Dolazni kvalitete inspekcije.
DocType: Purchase Order Item,Returned Qty,Vraćeni Količina
DocType: Employee,Exit,Izlaz
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Korijen Tip je obvezno
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Korijen Tip je obvezno
DocType: BOM,Total Cost(Company Currency),Ukupni troškovi (Company Valuta)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serijski Ne {0} stvorio
DocType: Homepage,Company Description for website homepage,Kompanija Opis za web stranice homepage
@@ -2766,7 +2785,7 @@
DocType: Sales Invoice,Time Sheet List,Time Sheet List
DocType: Employee,You can enter any date manually,Možete unijeti bilo koji datum ručno
DocType: Asset Category Account,Depreciation Expense Account,Troškovi amortizacije računa
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Probni rad
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Probni rad
DocType: Customer Group,Only leaf nodes are allowed in transaction,Samo leaf čvorovi su dozvoljeni u transakciji
DocType: Expense Claim,Expense Approver,Rashodi Approver
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Red {0}: Advance protiv Klijent mora biti kredit
@@ -2779,10 +2798,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Rasporedi Kurs izbrisan:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Dnevnici za održavanje sms statusa isporuke
DocType: Accounts Settings,Make Payment via Journal Entry,Izvršiti uplatu preko Journal Entry
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,otisnut na
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,otisnut na
DocType: Item,Inspection Required before Delivery,Inspekcija Potrebna prije isporuke
DocType: Item,Inspection Required before Purchase,Inspekcija Obavezno prije kupnje
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Aktivnosti na čekanju
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Vaša organizacija
DocType: Fee Component,Fees Category,naknade Kategorija
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Unesite olakšavanja datum .
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
@@ -2792,9 +2812,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Ponovno red Level
DocType: Company,Chart Of Accounts Template,Kontni plan Template
DocType: Attendance,Attendance Date,Gledatelja Datum
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Artikal Cijena ažuriranje za {0} u Cjenik {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Artikal Cijena ažuriranje za {0} u Cjenik {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Plaća raspada temelju zarađivati i odbitka.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Konto sa pod-kontima se ne može pretvoriti u glavnoj knjizi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Konto sa pod-kontima se ne može pretvoriti u glavnoj knjizi
DocType: Purchase Invoice Item,Accepted Warehouse,Prihvaćeno skladište
DocType: Bank Reconciliation Detail,Posting Date,Objavljivanje Datum
DocType: Item,Valuation Method,Vrednovanje metoda
@@ -2803,14 +2823,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Dupli unos
DocType: Program Enrollment Tool,Get Students,Get Studenti
DocType: Serial No,Under Warranty,Pod jamstvo
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Greska]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Greska]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,U riječi će biti vidljiv nakon što spremite prodajnog naloga.
,Employee Birthday,Rođendani zaposlenih
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Batch Posjeta Tool
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,limit Crossed
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,limit Crossed
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Preduzetnički kapital
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Akademski pojam sa ovim "akademska godina" {0} i 'Term Ime' {1} već postoji. Molimo vas da mijenjati ove stavke i pokušati ponovo.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Kao što je već postoje transakcije protiv stavku {0}, ne možete promijeniti vrijednost {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Kao što je već postoje transakcije protiv stavku {0}, ne možete promijeniti vrijednost {1}"
DocType: UOM,Must be Whole Number,Mora biti cijeli broj
DocType: Leave Control Panel,New Leaves Allocated (In Days),Novi Lišće alociran (u danima)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serijski Ne {0} ne postoji
@@ -2819,6 +2839,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Račun broj
DocType: Shopping Cart Settings,Orders,Narudžbe
DocType: Employee Leave Approver,Leave Approver,Ostavite odobravatelju
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Molimo odaberite serije
DocType: Assessment Group,Assessment Group Name,Procjena Ime grupe
DocType: Manufacturing Settings,Material Transferred for Manufacture,Materijal za Preneseni Proizvodnja
DocType: Expense Claim,"A user with ""Expense Approver"" role","Korisnik sa ""Rashodi Approver"" ulogu"
@@ -2828,9 +2849,10 @@
DocType: Target Detail,Target Detail,Ciljana Detalj
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,Svi poslovi
DocType: Sales Order,% of materials billed against this Sales Order,% Materijala naplaćeno protiv ovog prodajnog naloga
+DocType: Program Enrollment,Mode of Transportation,Način prijevoza
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Period zatvaranja Entry
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Troška s postojećim transakcija ne može se prevesti u skupini
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Broj {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Broj {0} {1} {2} {3}
DocType: Account,Depreciation,Amortizacija
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Dobavljač (s)
DocType: Employee Attendance Tool,Employee Attendance Tool,Alat za evidenciju dolaznosti radnika
@@ -2838,7 +2860,7 @@
DocType: Supplier,Credit Limit,Kreditni limit
DocType: Production Plan Sales Order,Salse Order Date,Salse Order Datum
DocType: Salary Component,Salary Component,Plaća Komponenta
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Plaćanje Unosi {0} su un-povezani
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Plaćanje Unosi {0} su un-povezani
DocType: GL Entry,Voucher No,Bon Ne
,Lead Owner Efficiency,Lead Vlasnik efikasnost
DocType: Leave Allocation,Leave Allocation,Ostavite Raspodjela
@@ -2849,11 +2871,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Predložak termina ili ugovor.
DocType: Purchase Invoice,Address and Contact,Adresa i kontakt
DocType: Cheque Print Template,Is Account Payable,Je nalog plaćaju
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Stock se ne može ažurirati protiv kupovine Prijem {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Stock se ne može ažurirati protiv kupovine Prijem {0}
DocType: Supplier,Last Day of the Next Month,Zadnji dan narednog mjeseca
DocType: Support Settings,Auto close Issue after 7 days,Auto blizu izdanje nakon 7 dana
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Ostavite se ne može dodijeliti prije {0}, kao odsustvo ravnoteža je već carry-proslijeđen u budućnosti rekord raspodjeli odsustvo {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Napomena: Zbog / Reference Datum premašuje dozvoljeni dana kreditnu kupca {0} dan (a)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Napomena: Zbog / Reference Datum premašuje dozvoljeni dana kreditnu kupca {0} dan (a)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,student zahtjeva
DocType: Asset Category Account,Accumulated Depreciation Account,Ispravka vrijednosti računa
DocType: Stock Settings,Freeze Stock Entries,Zamrzavanje Stock Unosi
@@ -2862,35 +2884,35 @@
DocType: Activity Cost,Billing Rate,Billing Rate
,Qty to Deliver,Količina za dovođenje
,Stock Analytics,Stock Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Operacije se ne može ostati prazno
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operacije se ne može ostati prazno
DocType: Maintenance Visit Purpose,Against Document Detail No,Protiv dokumenta Detalj No
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Party Tip je obavezno
DocType: Quality Inspection,Outgoing,Društven
DocType: Material Request,Requested For,Traženi Za
DocType: Quotation Item,Against Doctype,Protiv DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} je otkazan ili zatvoren
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} je otkazan ili zatvoren
DocType: Delivery Note,Track this Delivery Note against any Project,Prati ovu napomenu o isporuci na svim Projektima
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Neto novčani tok od investicione
-,Is Primary Address,Je primarna adresa
DocType: Production Order,Work-in-Progress Warehouse,Rad u tijeku Warehouse
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Asset {0} mora biti dostavljena
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Rekord {0} postoji protiv Student {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Rekord {0} postoji protiv Student {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Reference # {0} od {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Amortizacija Eliminisan zbog raspolaganje imovinom
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Upravljanje Adrese
DocType: Asset,Item Code,Šifra artikla
DocType: Production Planning Tool,Create Production Orders,Stvaranje radne naloge
DocType: Serial No,Warranty / AMC Details,Jamstveni / AMC Brodu
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Izbor studenata ručno za grupe aktivnosti na osnovu
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Izbor studenata ručno za grupe aktivnosti na osnovu
DocType: Journal Entry,User Remark,Upute Zabilješka
DocType: Lead,Market Segment,Tržišni segment
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Uplaćeni iznos ne može biti veći od ukupnog broja negativnih preostali iznos {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Uplaćeni iznos ne može biti veći od ukupnog broja negativnih preostali iznos {0}
DocType: Employee Internal Work History,Employee Internal Work History,Istorija rada zaposlenog u preduzeću
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Zatvaranje (Dr)
DocType: Cheque Print Template,Cheque Size,Ček Veličina
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serijski Ne {0} nije u dioničko
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Porezna predložak za prodaju transakcije .
DocType: Sales Invoice,Write Off Outstanding Amount,Otpisati preostali iznos
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Računa {0} ne odgovara Company {1}
DocType: School Settings,Current Academic Year,Trenutni akademske godine
DocType: Stock Settings,Default Stock UOM,Zadana kataloška mjerna jedinica
DocType: Asset,Number of Depreciations Booked,Broj Amortizacija Booked
@@ -2905,27 +2927,27 @@
DocType: Asset,Double Declining Balance,Double degresivne
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Zatvorena kako se ne može otkazati. Otvarati da otkaže.
DocType: Student Guardian,Father,otac
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' ne može se provjeriti na prodaju osnovnih sredstava
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' ne može se provjeriti na prodaju osnovnih sredstava
DocType: Bank Reconciliation,Bank Reconciliation,Banka pomirenje
DocType: Attendance,On Leave,Na odlasku
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Get Updates
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Račun {2} ne pripada kompaniji {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Materijal Zahtjev {0} je otkazan ili zaustavljen
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Dodati nekoliko uzorku zapisa
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Dodati nekoliko uzorku zapisa
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Ostavite Management
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Grupa po računu
DocType: Sales Order,Fully Delivered,Potpuno Isporučeno
DocType: Lead,Lower Income,Niži Prihodi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Izvor i ciljna skladište ne može biti isti za redom {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Izvor i ciljna skladište ne može biti isti za redom {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Razlika račun mora biti tip imovine / odgovornošću obzir, jer je to Stock Pomirenje je otvor za ulaz"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Isplaćeni iznos ne može biti veći od Iznos kredita {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Broj narudžbenice kupnje je potreban za artikal {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Proizvodnog naloga kreiranu
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Broj narudžbenice kupnje je potreban za artikal {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Proizvodnog naloga kreiranu
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"' Od datuma ' mora biti poslije ' Do datuma"""
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Ne može promijeniti status studenta {0} je povezana s primjenom student {1}
DocType: Asset,Fully Depreciated,potpuno je oslabio
,Stock Projected Qty,Projektovana kolicina na zalihama
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Kupac {0} ne pripada projektu {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Kupac {0} ne pripada projektu {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Označena Posjećenost HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Citati su prijedlozi, ponude koje ste poslali svojim kupcima"
DocType: Sales Order,Customer's Purchase Order,Narudžbenica kupca
@@ -2934,33 +2956,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Zbir desetine Kriteriji procjene treba da bude {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Molimo podesite Broj Amortizacija Booked
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,"Vrijednost, ili kol"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Productions naloga ne može biti podignuta za:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Minuta
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions naloga ne može biti podignuta za:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Minuta
DocType: Purchase Invoice,Purchase Taxes and Charges,Kupnja Porezi i naknade
,Qty to Receive,Količina za primanje
DocType: Leave Block List,Leave Block List Allowed,Ostavite Block List dopuštenih
DocType: Grading Scale Interval,Grading Scale Interval,Pravilo Scale Interval
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Rashodi Preuzmi za putnom {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Popust (%) na Cjenovnik objekta sa margina
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,Svi Skladišta
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Svi Skladišta
DocType: Sales Partner,Retailer,Prodavač na malo
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Kredit na račun mora biti bilans stanja računa
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Kredit na račun mora biti bilans stanja računa
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Sve vrste dobavljača
DocType: Global Defaults,Disable In Words,Onemogućena u Words
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,Kod artikla je obvezan jer artikli nisu automatski numerirani
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Kod artikla je obvezan jer artikli nisu automatski numerirani
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Ponuda {0} nije tip {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Raspored održavanja stavki
DocType: Sales Order,% Delivered,Isporučeno%
DocType: Production Order,PRO-,PRO-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Bank Prekoračenje računa
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Bank Prekoračenje računa
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Provjerite plaće slip
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: dodijeljeni iznos ne može biti veći od preostalog iznosa.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Browse BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,osigurani krediti
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,osigurani krediti
DocType: Purchase Invoice,Edit Posting Date and Time,Edit knjiženja datuma i vremena
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Molimo podesite Računi se odnose amortizacije u Asset Kategorija {0} ili kompanije {1}
DocType: Academic Term,Academic Year,akademska godina
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Početno stanje Equity
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Početno stanje Equity
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Procjena
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},E-mail poslati na dobavljač {0}
@@ -2976,7 +2998,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Odobravanje ulogu ne mogu biti isti kao i ulogepravilo odnosi se na
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Odjavili od ovog mail Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Poruka je poslana
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Račun s djetetom čvorovi se ne može postaviti kao glavnu knjigu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Račun s djetetom čvorovi se ne može postaviti kao glavnu knjigu
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Stopa po kojoj Cjenik valute se pretvaraju u kupca osnovne valute
DocType: Purchase Invoice Item,Net Amount (Company Currency),Neto iznos (Company valuta)
@@ -3010,7 +3032,7 @@
DocType: Expense Claim,Approval Status,Status odobrenja
DocType: Hub Settings,Publish Items to Hub,Objavite Stavke za Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},Od vrijednosti mora biti manje nego vrijednosti u redu {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Wire Transfer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Wire Transfer
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Provjerite sve
DocType: Vehicle Log,Invoice Ref,Račun Ref
DocType: Purchase Order,Recurring Order,Ponavljajući Order
@@ -3023,51 +3045,54 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Bankarstvo i platni promet
,Welcome to ERPNext,Dobrodošli na ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Potencijalni kupac do ponude
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Ništa više pokazati.
DocType: Lead,From Customer,Od kupca
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Pozivi
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Pozivi
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,serija
DocType: Project,Total Costing Amount (via Time Logs),Ukupni troskovi ( iz Time Log-a)
DocType: Purchase Order Item Supplied,Stock UOM,Kataloški UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Narudžbenicu {0} nije podnesen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Narudžbenicu {0} nije podnesen
DocType: Customs Tariff Number,Tariff Number,tarifni broj
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Projektovan
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serijski Ne {0} ne pripada Warehouse {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Napomena : Sustav neće provjeravati pretjerano isporuke i više - booking za točku {0} kao količinu ili vrijednost je 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Napomena : Sustav neće provjeravati pretjerano isporuke i više - booking za točku {0} kao količinu ili vrijednost je 0
DocType: Notification Control,Quotation Message,Ponuda - poruka
DocType: Employee Loan,Employee Loan Application,Zaposlenik Zahtjev za kredit
DocType: Issue,Opening Date,Otvaranje Datum
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Posjećenost je uspješno označen.
+DocType: Program Enrollment,Public Transport,Javni prijevoz
DocType: Journal Entry,Remark,Primjedba
DocType: Purchase Receipt Item,Rate and Amount,Kamatna stopa i iznos
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Tip naloga za {0} mora biti {1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,Lišće i privatnom
DocType: School Settings,Current Academic Term,Trenutni Academic Term
DocType: Sales Order,Not Billed,Ne Naplaćeno
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Oba skladišta moraju pripadati istom preduzeću
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Još nema ni jednog unijetog kontakta.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Oba skladišta moraju pripadati istom preduzeću
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Još nema ni jednog unijetog kontakta.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Sleteo Cost vaučera Iznos
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Mjenice podigao dobavljače.
DocType: POS Profile,Write Off Account,Napišite Off račun
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Debit note Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Iznos rabata
DocType: Purchase Invoice,Return Against Purchase Invoice,Vratiti protiv fakturi
DocType: Item,Warranty Period (in days),Jamstveni period (u danima)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Odnos sa Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Odnos sa Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Neto novčani tok od operacije
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,na primjer PDV
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,na primjer PDV
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Stavka 4
DocType: Student Admission,Admission End Date,Prijem Završni datum
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Podugovaranje
DocType: Journal Entry Account,Journal Entry Account,Journal Entry račun
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,student Group
DocType: Shopping Cart Settings,Quotation Series,Citat serije
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Stavka postoji s istim imenom ( {0} ) , molimo promijenite ime stavku grupe ili preimenovati stavku"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Molimo odaberite kupac
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Stavka postoji s istim imenom ( {0} ) , molimo promijenite ime stavku grupe ili preimenovati stavku"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Molimo odaberite kupac
DocType: C-Form,I,ja
DocType: Company,Asset Depreciation Cost Center,Asset Amortizacija troškova Center
DocType: Sales Order Item,Sales Order Date,Datum narudžbe kupca
DocType: Sales Invoice Item,Delivered Qty,Isporučena količina
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Ako je označeno, sva djeca svake proizvodne artikl će biti uključeni u Industrijska zahtjevima."
DocType: Assessment Plan,Assessment Plan,plan procjene
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Skladište {0}: Kompanija je obvezna
DocType: Stock Settings,Limit Percent,limit Procenat
,Payment Period Based On Invoice Date,Razdoblje za naplatu po Datum fakture
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Nedostaje Valuta Tečaj za {0}
@@ -3079,7 +3104,7 @@
DocType: Vehicle,Insurance Details,osiguranje Detalji
DocType: Account,Payable,Plativ
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,Unesite rokovi otplate
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Dužnici ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Dužnici ({0})
DocType: Pricing Rule,Margin,Marža
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Novi Kupci
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Bruto dobit%
@@ -3090,16 +3115,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Party je obavezno
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,Topic Name
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Barem jedan od prodajete ili kupujete mora biti odabran
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Odaberite priroda vašeg poslovanja.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Barem jedan od prodajete ili kupujete mora biti odabran
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Odaberite priroda vašeg poslovanja.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Row # {0}: duplikat unosa u Reference {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Gdje se obavljaju proizvodne operacije.
DocType: Asset Movement,Source Warehouse,Izvorno skladište
DocType: Installation Note,Installation Date,Instalacija Datum
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} ne pripada kompaniji {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} ne pripada kompaniji {2}
DocType: Employee,Confirmation Date,potvrda Datum
DocType: C-Form,Total Invoiced Amount,Ukupno Iznos dostavnice
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Kol ne može biti veći od Max Kol
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Min Kol ne može biti veći od Max Kol
DocType: Account,Accumulated Depreciation,Akumuliranu amortizaciju
DocType: Stock Entry,Customer or Supplier Details,Detalji o Kupcu ili Dobavljacu
DocType: Employee Loan Application,Required by Date,Potreban po datumu
@@ -3120,22 +3145,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Mjesečni Distribucija Postotak
DocType: Territory,Territory Targets,Teritorij Mete
DocType: Delivery Note,Transporter Info,Transporter Info
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Molimo podesite default {0} u kompaniji {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Molimo podesite default {0} u kompaniji {1}
DocType: Cheque Print Template,Starting position from top edge,Početne pozicije od gornje ivice
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Istog dobavljača je ušao više puta
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Bruto dobit / gubitak
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Narudžbenica artikla Isporuka
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Kompanija Ime ne može biti poduzeća
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Kompanija Ime ne može biti poduzeća
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Zaglavlja za ispis predložaka.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Naslovi za ispis predložaka pr Predračuna.
DocType: Student Guardian,Student Guardian,student Guardian
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Prijava tip vrednovanja ne može označiti kao Inclusive
DocType: POS Profile,Update Stock,Ažurirajte Stock
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dobavljač> dobavljač Tip
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Različite mjerne jedinice proizvoda će dovesti do ukupne pogrešne neto težine. Budite sigurni da je neto težina svakog proizvoda u istoj mjernoj jedinici.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Rate
DocType: Asset,Journal Entry for Scrap,Journal Entry za otpad
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Molimo povucite stavke iz Dostavnica
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Journal unosi {0} su un-povezani
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Journal unosi {0} su un-povezani
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Snimak svih komunikacija tipa e-mail, telefon, chat, itd"
DocType: Manufacturer,Manufacturers used in Items,Proizvođači se koriste u Predmeti
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Navedite zaokružimo troškova centar u Company
@@ -3182,33 +3208,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,Dobavljač dostavlja kupaca
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# obrazac / Stavka / {0}) je out of stock
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Sljedeći datum mora biti veći od Datum knjiženja
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Pokaži porez break-up
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Zbog / Reference Datum ne može biti nakon {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Pokaži porez break-up
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Zbog / Reference Datum ne može biti nakon {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Podataka uvoz i izvoz
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","unosa Stock postoje protiv Skladište {0}, stoga ne možete ponovno dodijeliti ili mijenjati"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,No studenti Found
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,No studenti Found
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Račun Datum knjiženja
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,prodati
DocType: Sales Invoice,Rounded Total,Zaokruženi iznos
DocType: Product Bundle,List items that form the package.,Popis stavki koje čine paket.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Postotak izdvajanja trebala bi biti jednaka 100 %
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,Molimo odaberite Datum knjiženja prije izbora stranke
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Molimo odaberite Datum knjiženja prije izbora stranke
DocType: Program Enrollment,School House,School House
DocType: Serial No,Out of AMC,Od AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Molimo odaberite Citati
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Molimo odaberite Citati
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Broj Amortizacija Booked ne može biti veća od Ukupan broj Amortizacija
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Provjerite održavanja Posjetite
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,Molimo kontaktirajte za korisnike koji imaju Sales Manager Master {0} ulogu
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,Molimo kontaktirajte za korisnike koji imaju Sales Manager Master {0} ulogu
DocType: Company,Default Cash Account,Zadani novčani račun
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Društvo ( ne kupaca i dobavljača ) majstor .
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,To se temelji na prisustvo ovog Student
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,No Studenti u
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,No Studenti u
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Dodaj više stavki ili otvoreni punu formu
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',Unesite ' Očekivani datum isporuke '
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Otpremnica {0} mora biti otkazana prije poništenja ove narudžbenice
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Uplaćeni iznos + otpis iznos ne može biti veći od SVEUKUPNO
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Uplaćeni iznos + otpis iznos ne može biti veći od SVEUKUPNO
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} nije ispravan broj serije za artikal {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Napomena : Nema dovoljno ravnotežu dopust za dozvolu tipa {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,Nevažeći GSTIN ili Enter NA neregistriranim
DocType: Training Event,Seminar,seminar
DocType: Program Enrollment Fee,Program Enrollment Fee,Program Upis Naknada
DocType: Item,Supplier Items,Dobavljač Predmeti
@@ -3234,27 +3260,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Stavka 3
DocType: Purchase Order,Customer Contact Email,Email kontakta kupca
DocType: Warranty Claim,Item and Warranty Details,Stavka i garancija Detalji
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Šifra> stavka Group> Brand
DocType: Sales Team,Contribution (%),Doprinos (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Napomena : Stupanje Plaćanje neće biti izrađen od ' Gotovina ili bankovni račun ' nije naveden
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Odaberite program da donese obaveznih predmeta.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Odgovornosti
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Odgovornosti
DocType: Expense Claim Account,Expense Claim Account,Rashodi Preuzmi računa
DocType: Sales Person,Sales Person Name,Ime referenta prodaje
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Unesite atleast jedan račun u tablici
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Dodaj Korisnici
DocType: POS Item Group,Item Group,Grupa artikla
DocType: Item,Safety Stock,Sigurnost Stock
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Napredak% za zadatak ne može biti više od 100.
DocType: Stock Reconciliation Item,Before reconciliation,Prije nego pomirenje
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Za {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Porezi i naknade uvrštenja (Društvo valuta)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Stavka Porezna Row {0} mora imati račun tipa poreza ili prihoda i rashoda ili naplativ
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Stavka Porezna Row {0} mora imati račun tipa poreza ili prihoda i rashoda ili naplativ
DocType: Sales Order,Partly Billed,Djelomično Naplaćeno
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Stavka {0} mora biti osnovna sredstva stavka
DocType: Item,Default BOM,Zadani BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,Molimo vas da ponovno tipa naziv firme za potvrdu
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Ukupno Outstanding Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Debitne Napomena Iznos
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Molimo vas da ponovno tipa naziv firme za potvrdu
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Ukupno Outstanding Amt
DocType: Journal Entry,Printing Settings,Printing Settings
DocType: Sales Invoice,Include Payment (POS),Uključuju plaćanje (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Ukupno zaduženje mora biti jednak ukupnom kreditnom .
@@ -3268,15 +3292,16 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Na raspolaganju:
DocType: Notification Control,Custom Message,Prilagođena poruka
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investicijsko bankarstvo
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Novac ili bankovni račun je obvezna za izradu ulazak plaćanje
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,student adresa
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Novac ili bankovni račun je obvezna za izradu ulazak plaćanje
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Molimo vas da postavljanje broji serija za prisustvo na Setup> numeracije serije
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,student adresa
DocType: Purchase Invoice,Price List Exchange Rate,Cjenik tečajna
DocType: Purchase Invoice Item,Rate,VPC
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,stažista
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,Adresa ime
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,stažista
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,Adresa ime
DocType: Stock Entry,From BOM,Iz BOM
DocType: Assessment Code,Assessment Code,procjena Kod
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Osnovni
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Osnovni
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Stock transakcije prije {0} se zamrznut
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"Molimo kliknite na ""Generiraj raspored '"
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","npr. kg, Jedinica, br, m"
@@ -3286,11 +3311,11 @@
DocType: Salary Slip,Salary Structure,Plaća Struktura
DocType: Account,Bank,Banka
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Aviokompanija
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Tiketi - materijal
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Tiketi - materijal
DocType: Material Request Item,For Warehouse,Za galeriju
DocType: Employee,Offer Date,ponuda Datum
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Citati
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Vi ste u isključenom modu. Nećete biti u mogućnosti da ponovo sve dok imate mrežu.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,Vi ste u isključenom modu. Nećete biti u mogućnosti da ponovo sve dok imate mrežu.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,No studentskih grupa stvorio.
DocType: Purchase Invoice Item,Serial No,Serijski br
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Mjesečna otplate iznos ne može biti veći od iznos kredita
@@ -3298,8 +3323,8 @@
DocType: Purchase Invoice,Print Language,print Jezik
DocType: Salary Slip,Total Working Hours,Ukupno Radno vrijeme
DocType: Stock Entry,Including items for sub assemblies,Uključujući i stavke za pod sklopova
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Unesite vrijednost mora biti pozitivan
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Sve teritorije
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Unesite vrijednost mora biti pozitivan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Sve teritorije
DocType: Purchase Invoice,Items,Artikli
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Student je već upisana.
DocType: Fiscal Year,Year Name,Naziv godine
@@ -3317,10 +3342,10 @@
DocType: Issue,Opening Time,Radno vrijeme
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Od i Do datuma zahtijevanih
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Vrijednosni papiri i robne razmjene
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Uobičajeno mjerna jedinica za varijantu '{0}' mora biti isti kao u obrascu '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Uobičajeno mjerna jedinica za varijantu '{0}' mora biti isti kao u obrascu '{1}'
DocType: Shipping Rule,Calculate Based On,Izračun zasnovan na
DocType: Delivery Note Item,From Warehouse,Od Skladište
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Nema artikala sa Bill materijala za proizvodnju
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Nema artikala sa Bill materijala za proizvodnju
DocType: Assessment Plan,Supervisor Name,Supervizor ime
DocType: Program Enrollment Course,Program Enrollment Course,Program Upis predmeta
DocType: Purchase Taxes and Charges,Valuation and Total,Vrednovanje i Total
@@ -3335,18 +3360,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,' Dana od poslednje porudzbine ' mora biti veći ili jednak nuli
DocType: Process Payroll,Payroll Frequency,Payroll Frequency
DocType: Asset,Amended From,Izmijenjena Od
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,sirovine
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,sirovine
DocType: Leave Application,Follow via Email,Slijedite putem e-maila
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Biljke i Machineries
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Biljke i Machineries
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Iznos poreza Nakon iznosa popusta
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Svakodnevni rad Pregled Postavke
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Valuta cjeniku {0} nije sličan s odabranom valute {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Valuta cjeniku {0} nije sličan s odabranom valute {1}
DocType: Payment Entry,Internal Transfer,Interna Transfer
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Dijete računa postoji za taj račun . Ne možete izbrisati ovaj račun .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Dijete računa postoji za taj račun . Ne možete izbrisati ovaj račun .
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Ili meta Količina ili ciljani iznos je obvezna
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Ne default BOM postoji točke {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Ne default BOM postoji točke {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Molimo najprije odaberite Datum knjiženja
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Otvaranje Datum bi trebao biti prije zatvaranja datum
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Molimo podesite Imenovanje serije za {0} preko Postavljanje> Postavke> Imenovanje serije
DocType: Leave Control Panel,Carry Forward,Prenijeti
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Troška s postojećim transakcija ne može pretvoriti u knjizi
DocType: Department,Days for which Holidays are blocked for this department.,Dani za koje su praznici blokirani za ovaj odjel.
@@ -3356,10 +3382,9 @@
DocType: Issue,Raised By (Email),Pokrenuo (E-mail)
DocType: Training Event,Trainer Name,trener ime
DocType: Mode of Payment,General,Opšti
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Priložiti zaglavlje
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Zadnje Komunikacija
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Ne mogu odbiti kada kategorija je "" vrednovanje "" ili "" Vrednovanje i Total '"
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","List poreza glave (npr PDV-a, carina itd, oni treba da imaju jedinstvena imena), a njihov standard stope. Ovo će stvoriti standardni obrazac koji možete uređivati i dodati još kasnije."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","List poreza glave (npr PDV-a, carina itd, oni treba da imaju jedinstvena imena), a njihov standard stope. Ovo će stvoriti standardni obrazac koji možete uređivati i dodati još kasnije."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Serijski Nos potrebna za serijaliziranom točke {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Meč plaćanja fakture
DocType: Journal Entry,Bank Entry,Bank Entry
@@ -3368,16 +3393,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Dodaj u košaricu
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Group By
DocType: Guardian,Interests,Interesi
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Omogućiti / onemogućiti valute .
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Omogućiti / onemogućiti valute .
DocType: Production Planning Tool,Get Material Request,Get materijala Upit
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Poštanski troškovi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Poštanski troškovi
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Ukupno (Amt)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Zabava i slobodno vrijeme
DocType: Quality Inspection,Item Serial No,Serijski broj artikla
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Kreiranje zaposlenih Records
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Ukupno Present
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,knjigovodstvene isprave
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Sat
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Sat
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Novi serijski broj ne može imati skladište. Skladište mora biti postavljen od strane burze upisu ili kupiti primitka
DocType: Lead,Lead Type,Tip potencijalnog kupca
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Niste ovlašteni za odobravanje lišće na bloku Termini
@@ -3389,6 +3414,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,Novi BOM nakon zamjene
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Point of Sale
DocType: Payment Entry,Received Amount,Primljeni Iznos
+DocType: GST Settings,GSTIN Email Sent On,GSTIN mail poslan
+DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Napravite za punu količinu, već ignoriranje količina po narudžbi"
DocType: Account,Tax,Porez
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,neobilježen
@@ -3400,14 +3427,14 @@
DocType: Batch,Source Document Name,Izvor Document Name
DocType: Job Opening,Job Title,Titula
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,kreiranje korisnika
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,gram
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,gram
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Količina za proizvodnju mora biti veći od 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Posjetite izvješće za održavanje razgovora.
DocType: Stock Entry,Update Rate and Availability,Ažuriranje Rate i raspoloživost
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Postotak koju smiju primiti ili isporučiti više od naručene količine. Na primjer: Ako ste naručili 100 jedinica. i tvoj ispravak je 10% onda se smiju primati 110 jedinica.
DocType: POS Customer Group,Customer Group,Vrsta djelatnosti Kupaca
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),New Batch ID (opcionalno)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Rashodi račun je obvezna za predmet {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Rashodi račun je obvezna za predmet {0}
DocType: BOM,Website Description,Web stranica Opis
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Neto promjena u kapitalu
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Molimo vas da otkaže fakturi {0} prvi
@@ -3417,8 +3444,8 @@
,Sales Register,Prodaja Registracija
DocType: Daily Work Summary Settings Company,Send Emails At,Pošalji e-mailova
DocType: Quotation,Quotation Lost Reason,Razlog nerealizirane ponude
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Odaberite Domain
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Transakcija Ref {0} od {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Odaberite Domain
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Transakcija Ref {0} od {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Ne postoji ništa za uređivanje .
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Sažetak za ovaj mjesec i aktivnostima na čekanju
DocType: Customer Group,Customer Group Name,Naziv vrste djelatnosti Kupca
@@ -3426,14 +3453,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Izvještaj o novčanim tokovima
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Iznos kredita ne može biti veći od Maksimalni iznos kredita od {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licenca
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},Molimo vas da uklonite ovu fakture {0} iz C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},Molimo vas da uklonite ovu fakture {0} iz C-Form {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Molimo odaberite prenositi ako želite uključiti prethodnoj fiskalnoj godini je ravnoteža ostavlja na ovoj fiskalnoj godini
DocType: GL Entry,Against Voucher Type,Protiv voucher vrsti
DocType: Item,Attributes,Atributi
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,Unesite otpis račun
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Unesite otpis račun
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Last Order Datum
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Računa {0} ne pripada kompaniji {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Serijski brojevi u nizu {0} ne odgovara otpremnica
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Serijski brojevi u nizu {0} ne odgovara otpremnica
DocType: Student,Guardian Details,Guardian Detalji
DocType: C-Form,C-Form,C-Form
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark Prisustvo za više zaposlenih
@@ -3448,16 +3475,16 @@
DocType: Budget Account,Budget Amount,budžet Iznos
DocType: Appraisal Template,Appraisal Template Title,Procjena Predložak Naslov
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Od datuma {0} za zaposlenog {1} ne može biti prije ulaska Datum zaposlenog {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,trgovački
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,trgovački
DocType: Payment Entry,Account Paid To,Račun Paid To
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Roditelj Stavka {0} ne smije biti Stock Item
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Svi proizvodi i usluge.
DocType: Expense Claim,More Details,Više informacija
DocType: Supplier Quotation,Supplier Address,Dobavljač Adresa
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} budžeta za računa {1} protiv {2} {3} je {4}. To će premašiti po {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Red {0} # računa mora biti tipa 'osnovna sredstva'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Od kol
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Pravila za izračun shipping iznos za prodaju
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Red {0} # računa mora biti tipa 'osnovna sredstva'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Od kol
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Pravila za izračun shipping iznos za prodaju
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Serija je obvezno
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,financijske usluge
DocType: Student Sibling,Student ID,student ID
@@ -3465,13 +3492,13 @@
DocType: Tax Rule,Sales,Prodaja
DocType: Stock Entry Detail,Basic Amount,Osnovni iznos
DocType: Training Event,Exam,ispit
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Skladište je potrebno za skladišne proizvode {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Skladište je potrebno za skladišne proizvode {0}
DocType: Leave Allocation,Unused leaves,Neiskorišteni lišće
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,State billing
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Prijenos
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} ne povezani s Party nalog {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Fetch eksplodirala BOM (uključujući i podsklopova )
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} ne povezani s Party nalog {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Fetch eksplodirala BOM (uključujući i podsklopova )
DocType: Authorization Rule,Applicable To (Employee),Odnosi se na (Radnik)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Due Date je obavezno
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Prirast za Atributi {0} ne može biti 0
@@ -3499,7 +3526,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Sirovine Stavka Šifra
DocType: Journal Entry,Write Off Based On,Otpis na temelju
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Make Olovo
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Print i pribora
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Print i pribora
DocType: Stock Settings,Show Barcode Field,Pokaži Barcode Field
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Pošalji dobavljač Email
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Plaća je već pripremljena za period od {0} i {1}, Ostavi period aplikacija ne može da bude između tog datuma opseg."
@@ -3507,13 +3534,15 @@
DocType: Guardian Interest,Guardian Interest,Guardian interesa
apps/erpnext/erpnext/config/hr.py +177,Training,trening
DocType: Timesheet,Employee Detail,Detalji o radniku
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 Email ID
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,Sljedeći datum dan i Ponovite na Dan Mjesec mora biti jednak
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Postavke za web stranice homepage
DocType: Offer Letter,Awaiting Response,Čeka se odgovor
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Iznad
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Iznad
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},Nevažeći atributa {0} {1}
DocType: Supplier,Mention if non-standard payable account,Navesti ukoliko nestandardnog plaća račun
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Isto artikal je ušao više puta. {List}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',"Molimo odaberite grupu procjene, osim 'Svi Procjena grupe'"
DocType: Salary Slip,Earning & Deduction,Zarada & Odbitak
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Izborni . Ova postavka će se koristiti za filtriranje u raznim transakcijama .
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Negativna stopa vrijednovanja nije dopuštena
@@ -3527,9 +3556,9 @@
DocType: Sales Invoice,Product Bundle Help,Proizvod Bundle Pomoć
,Monthly Attendance Sheet,Mjesečna posjećenost list
DocType: Production Order Item,Production Order Item,Proizvodnog naloga Stavka
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Ne rekord naći
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Ne rekord naći
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Troškovi Rashodovan imovine
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: trošak je obvezan za artikal {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: trošak je obvezan za artikal {2}
DocType: Vehicle,Policy No,Politika Nema
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Saznajte Predmeti od Bundle proizvoda
DocType: Asset,Straight Line,Duž
@@ -3537,7 +3566,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Podijeliti
DocType: GL Entry,Is Advance,Je avans
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Gledatelja Od datuma i posjećenost do sada je obvezno
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,Unesite ' Je podugovoren ' kao da ili ne
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,Unesite ' Je podugovoren ' kao da ili ne
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Zadnje Komunikacija Datum
DocType: Sales Team,Contact No.,Kontakt broj
DocType: Bank Reconciliation,Payment Entries,plaćanje unosi
@@ -3563,60 +3592,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,otvaranje vrijednost
DocType: Salary Detail,Formula,formula
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Komisija za prodaju
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Komisija za prodaju
DocType: Offer Letter Term,Value / Description,Vrijednost / Opis
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} ne može se podnijeti, to je već {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} ne može se podnijeti, to je već {2}"
DocType: Tax Rule,Billing Country,Billing Country
DocType: Purchase Order Item,Expected Delivery Date,Očekivani rok isporuke
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debitne i kreditne nije jednaka za {0} {1} #. Razlika je u tome {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Zabava Troškovi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Make Materijal Upit
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Zabava Troškovi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Make Materijal Upit
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Otvorena Stavka {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Prodaja Račun {0} mora biti otkazana prije poništenja ovu prodajnog naloga
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Starost
DocType: Sales Invoice Timesheet,Billing Amount,Billing Iznos
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Navedena je pogrešna količina za proizvod {0}. Količina treba biti veći od 0.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Prijave za odsustvo.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Konto sa postojećim transakcijama se ne može izbrisati
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Konto sa postojećim transakcijama se ne može izbrisati
DocType: Vehicle,Last Carbon Check,Zadnji Carbon Check
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Pravni troškovi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Pravni troškovi
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Molimo odaberite Količina na red
DocType: Purchase Invoice,Posting Time,Objavljivanje Vrijeme
DocType: Timesheet,% Amount Billed,% Naplaćenog iznosa
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Telefonski troškovi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Telefonski troškovi
DocType: Sales Partner,Logo,Logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Označite ovo ako želite prisiliti korisniku odabir seriju prije spremanja. Tu će biti zadana ako to provjerili.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},No Stavka s rednim brojem {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},No Stavka s rednim brojem {0}
DocType: Email Digest,Open Notifications,Otvorena obavjestenja
DocType: Payment Entry,Difference Amount (Company Currency),Razlika Iznos (Company Valuta)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Direktni troškovi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Direktni troškovi
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} je nevažeća e-mail adresu u "Obavijest \ E-mail adresa '
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,New Customer prihoda
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,putni troškovi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,putni troškovi
DocType: Maintenance Visit,Breakdown,Slom
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Račun: {0} s valutnom: {1} se ne mogu odabrati
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Račun: {0} s valutnom: {1} se ne mogu odabrati
DocType: Bank Reconciliation Detail,Cheque Date,Datum čeka
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Nadređeni konto {1} ne pripada preduzeću: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Nadređeni konto {1} ne pripada preduzeću: {2}
DocType: Program Enrollment Tool,Student Applicants,student Kandidati
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Uspješno obrisane sve transakcije koje se odnose na ove kompanije!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Uspješno obrisane sve transakcije koje se odnose na ove kompanije!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Kao i na datum
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,upis Datum
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Probni rad
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Probni rad
apps/erpnext/erpnext/config/hr.py +115,Salary Components,Plaća Komponente
DocType: Program Enrollment Tool,New Academic Year,Nova akademska godina
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Povratak / Credit Note
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Povratak / Credit Note
DocType: Stock Settings,Auto insert Price List rate if missing,Auto umetak Cjenik stopa ako nedostaje
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Ukupno uplaćeni iznos
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Ukupno uplaćeni iznos
DocType: Production Order Item,Transferred Qty,prebačen Kol
apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigacija
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,planiranje
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Izdao
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,planiranje
+DocType: Material Request,Issued,Izdao
DocType: Project,Total Billing Amount (via Time Logs),Ukupna naplata (iz Time Log-a)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Prodajemo ovaj artikal
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Dobavljač Id
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Prodajemo ovaj artikal
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Dobavljač Id
DocType: Payment Request,Payment Gateway Details,Payment Gateway Detalji
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Količina bi trebao biti veći od 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Količina bi trebao biti veći od 0
DocType: Journal Entry,Cash Entry,Cash Entry
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Dijete čvorovi se mogu kreirati samo pod 'Grupa' tipa čvorova
DocType: Leave Application,Half Day Date,Pola dana datum
@@ -3628,14 +3658,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Molimo podesite zadani račun u Rashodi Preuzmi Tip {0}
DocType: Assessment Result,Student Name,ime studenta
DocType: Brand,Item Manager,Stavka Manager
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,Payroll plaćaju
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Payroll plaćaju
DocType: Buying Settings,Default Supplier Type,Zadani tip dobavljača
DocType: Production Order,Total Operating Cost,Ukupni trošak
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Napomena : Stavka {0} upisan je više puta
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Svi kontakti.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Skraćeni naziv preduzeća
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Skraćeni naziv preduzeća
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Korisnik {0} ne postoji
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,Sirovina ne mogu biti isti kao glavni predmet
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Sirovina ne mogu biti isti kao glavni predmet
DocType: Item Attribute Value,Abbreviation,Skraćenica
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Plaćanje Entry već postoji
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Ne authroized od {0} prelazi granice
@@ -3644,49 +3674,49 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Set poreza Pravilo za košarica
DocType: Purchase Invoice,Taxes and Charges Added,Porezi i naknade Dodano
,Sales Funnel,Tok prodaje (Funnel)
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Skraćenica je obavezno
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Skraćenica je obavezno
DocType: Project,Task Progress,zadatak Napredak
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Kolica
,Qty to Transfer,Količina za prijenos
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Ponude za kupce ili potencijalne kupce.
DocType: Stock Settings,Role Allowed to edit frozen stock,Uloga dopuštenih urediti smrznute zalihe
,Territory Target Variance Item Group-Wise,Teritorij Target varijance artikla Group - Wise
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Sve grupe kupaca
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Sve grupe kupaca
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,akumulirani Mjesečno
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je obavezno. Možda knjigovodstveni zapis nije kreiran za {1} na {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je obavezno. Možda knjigovodstveni zapis nije kreiran za {1} na {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Porez Template je obavezno.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Konto {0}: Nadređeni konto {1} ne postoji
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Konto {0}: Nadređeni konto {1} ne postoji
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Cjenik stopa (Društvo valuta)
DocType: Products Settings,Products Settings,Proizvodi Postavke
DocType: Account,Temporary,Privremen
DocType: Program,Courses,kursevi
DocType: Monthly Distribution Percentage,Percentage Allocation,Postotak Raspodjela
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Sekretarica
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekretarica
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Ako onemogućite, 'riječima' polju neće biti vidljivi u bilo koju transakciju"
DocType: Serial No,Distinct unit of an Item,Različite jedinice strane jedinice
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Molimo podesite Company
DocType: Pricing Rule,Buying,Nabavka
DocType: HR Settings,Employee Records to be created by,Zaposlenik Records bi se stvorili
DocType: POS Profile,Apply Discount On,Nanesite popusta na
,Reqd By Date,Reqd Po datumu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Kreditori
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Kreditori
DocType: Assessment Plan,Assessment Name,procjena ime
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Row # {0}: Serial No je obavezno
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Stavka Wise Porezna Detalj
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Institut Skraćenica
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Institut Skraćenica
,Item-wise Price List Rate,Stavka - mudar Cjenovnik Ocijenite
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Dobavljač Ponuda
DocType: Quotation,In Words will be visible once you save the Quotation.,U riječi će biti vidljiv nakon što spremite ponudu.
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Količina ({0}) ne može biti frakcija u nizu {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,naplatu naknada
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Barkod {0} se već koristi u artiklu {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barkod {0} se već koristi u artiklu {1}
DocType: Lead,Add to calendar on this date,Dodaj u kalendar na ovaj datum
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Pravila za dodavanjem troškove prijevoza .
DocType: Item,Opening Stock,otvaranje Stock
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Kupac je obavezan
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} je obavezno za povratak
DocType: Purchase Order,To Receive,Da Primite
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Osobni e
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Ukupno Varijansa
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ako je omogućeno, sustav će objaviti računovodstvene stavke za popis automatski."
@@ -3698,13 +3728,14 @@
DocType: Customer,From Lead,Od Lead-a
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Narudžbe objavljen za proizvodnju.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Odaberite fiskalnu godinu ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS Profil potrebno da bi POS upis
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS Profil potrebno da bi POS upis
DocType: Program Enrollment Tool,Enroll Students,upisati studenti
DocType: Hub Settings,Name Token,Ime Token
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standardna prodaja
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Atleast jednom skladištu je obavezno
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Atleast jednom skladištu je obavezno
DocType: Serial No,Out of Warranty,Od jamstvo
DocType: BOM Replace Tool,Replace,Zamijeniti
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Nema proizvoda.
DocType: Production Order,Unstopped,Unstopped
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} protiv prodaje fakture {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3715,13 +3746,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Stock Vrijednost razlika
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Human Resource
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Pomirenje Plaćanje Plaćanje
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,porezna imovina
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,porezna imovina
DocType: BOM Item,BOM No,BOM br.
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Journal Entry {0} nema obzir {1} ili su već usklađene protiv drugih vaučer
DocType: Item,Moving Average,Moving Average
DocType: BOM Replace Tool,The BOM which will be replaced,BOM koji će biti zamijenjen
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,elektronske opreme
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,elektronske opreme
DocType: Account,Debit,Zaduženje
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Listovi moraju biti dodijeljeno u COMBI 0,5"
DocType: Production Order,Operation Cost,Operacija Cost
@@ -3729,7 +3760,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Izvanredna Amt
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Set cilja predmet Grupa-mudar za ovaj prodavač.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Dionice stariji od [ dana ]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Asset je obavezan za osnovno sredstvo kupovinu / prodaju
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Asset je obavezan za osnovno sredstvo kupovinu / prodaju
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ako su dva ili više Pravila cijene se nalaze na osnovu gore uvjetima, Prioritet se primjenjuje. Prioritet je broj od 0 do 20, a zadana vrijednost je nula (prazno). Veći broj znači da će imati prednost, ako postoji više pravila cijenama s istim uslovima."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Fiskalna godina: {0} ne postoji
DocType: Currency Exchange,To Currency,Valutno
@@ -3737,7 +3768,7 @@
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Vrste Rashodi zahtjevu.
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},stopa za stavke prodaje {0} je niža od {1}. stopa prodaje bi trebao biti atleast {2}
DocType: Item,Taxes,Porezi
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Platio i nije dostavila
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Platio i nije dostavila
DocType: Project,Default Cost Center,Standard Cost Center
DocType: Bank Guarantee,End Date,Datum završetka
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Stock Transakcije
@@ -3762,24 +3793,22 @@
DocType: Employee,Held On,Održanoj
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Proizvodnja Item
,Employee Information,Informacija o zaposlenom
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Stopa ( % )
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Stopa ( % )
DocType: Stock Entry Detail,Additional Cost,Dodatni trošak
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Financijska godina End Date
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Ne možete filtrirati na temelju vaučer No , ako grupirani po vaučer"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Provjerite Supplier kotaciji
DocType: Quality Inspection,Incoming,Dolazni
DocType: BOM,Materials Required (Exploded),Materijali Obavezno (eksplodirala)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Dodaj korisnika u vašoj organizaciji, osim sebe"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Datum knjiženja ne može biti u budućnosti
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: {1} Serial No ne odgovara {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Casual dopust
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Casual dopust
DocType: Batch,Batch ID,ID serije
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Napomena : {0}
,Delivery Note Trends,Trendovi otpremnica
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Ovonedeljnom Pregled
-,In Stock Qty,Na skladištu Količina
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Na skladištu Količina
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Račun: {0} može ažurirati samo preko Stock Transakcije
-DocType: Program Enrollment,Get Courses,Get kursevi
+DocType: Student Group Creation Tool,Get Courses,Get kursevi
DocType: GL Entry,Party,Stranka
DocType: Sales Order,Delivery Date,Datum isporuke
DocType: Opportunity,Opportunity Date,Datum prilike
@@ -3787,14 +3816,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Zahtjev za ponudu artikla
DocType: Purchase Order,To Bill,To Bill
DocType: Material Request,% Ordered,% Poruceno
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Za studentske grupe na osnovu Naravno, kurs će biti potvrđeni za svakog studenta iz upisao jezika u upisu Programa."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","odvojene zarezima Unesite e-mail adresa, račun će biti automatski poslati poštom na određeni datum"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,rad plaćen na akord
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,rad plaćen na akord
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Prosj. Buying Rate
DocType: Task,Actual Time (in Hours),Stvarno vrijeme (u satima)
DocType: Employee,History In Company,Povijest tvrtke
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Newsletteri
DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Stupanje
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kupac> grupu korisnika> Territory
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Isto artikal je ušao više puta
DocType: Department,Leave Block List,Ostavite Block List
DocType: Sales Invoice,Tax ID,Porez ID
@@ -3809,30 +3838,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} jedinicama {1} potrebno {2} za završetak ove transakcije.
DocType: Loan Type,Rate of Interest (%) Yearly,Kamatnu stopu (%) Godišnji
DocType: SMS Settings,SMS Settings,Podešavanja SMS-a
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Privremeni računi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Crn
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Privremeni računi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Crn
DocType: BOM Explosion Item,BOM Explosion Item,BOM eksplozije artikla
DocType: Account,Auditor,Revizor
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} artikala proizvedenih
DocType: Cheque Print Template,Distance from top edge,Udaljenost od gornje ivice
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Popis Cijena {0} je isključena ili ne postoji
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Popis Cijena {0} je isključena ili ne postoji
DocType: Purchase Invoice,Return,Povratak
DocType: Production Order Operation,Production Order Operation,Proizvodnja Order Operation
DocType: Pricing Rule,Disable,Ugasiti
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Način plaćanja je potrebno izvršiti uplatu
DocType: Project Task,Pending Review,Na čekanju
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nije upisana u Batch {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} ne može biti ukinuta, jer je već {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Ukupni rashodi potraživanja (preko rashodi potraživanje)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Id Kupca
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Odsutan
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Red {0}: Valuta sastavnicu # {1} treba da bude jednaka odabrane valute {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Red {0}: Valuta sastavnicu # {1} treba da bude jednaka odabrane valute {2}
DocType: Journal Entry Account,Exchange Rate,Tečaj
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Prodajnog naloga {0} nije podnesen
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Prodajnog naloga {0} nije podnesen
DocType: Homepage,Tag Line,Tag Line
DocType: Fee Component,Fee Component,naknada Komponenta
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Fleet Management
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Dodaj stavke iz
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Skladište {0}: Parent račun {1} ne Bolong tvrtki {2}
DocType: Cheque Print Template,Regular,redovan
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Ukupno weightage svih Kriteriji ocjenjivanja mora biti 100%
DocType: BOM,Last Purchase Rate,Zadnja kupovna cijena
@@ -3841,11 +3869,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Stock ne može postojati za Stavka {0} od ima varijante
,Sales Person-wise Transaction Summary,Prodaja Osobne mudar Transakcija Sažetak
DocType: Training Event,Contact Number,Kontakt broj
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Skladište {0} ne postoji
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Skladište {0} ne postoji
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Registracije ERPNext Hub
DocType: Monthly Distribution,Monthly Distribution Percentages,Mjesečni Distribucija Procenat
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Izabrana stavka ne može imati Batch
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","stopa vrednovanja nije pronađen za Stavka {0}, koja je potrebna da uradi unosa računovodstvo za {1} {2}. Ako je stavka transakcijama kao uzorak stavka u {1}, molimo Vas da spomenuti da je u {1} Stavka stola. U suprotnom, molim te stvoriti dolazni zaliha transakcija za stopa vrednovanja stavku ili spominje u Stavka zapisnik, a zatim pokušajte podnošenja i popunjavanja / otkazivanje ovaj unos"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","stopa vrednovanja nije pronađen za Stavka {0}, koja je potrebna da uradi unosa računovodstvo za {1} {2}. Ako je stavka transakcijama kao uzorak stavka u {1}, molimo Vas da spomenuti da je u {1} Stavka stola. U suprotnom, molim te stvoriti dolazni zaliha transakcija za stopa vrednovanja stavku ili spominje u Stavka zapisnik, a zatim pokušajte podnošenja i popunjavanja / otkazivanje ovaj unos"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% Materijala dostavljenih protiv ove otpremnici
DocType: Project,Customer Details,Korisnički podaci
DocType: Employee,Reports to,Izvještaji za
@@ -3853,41 +3881,43 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Unesite URL parametar za prijemnike br
DocType: Payment Entry,Paid Amount,Plaćeni iznos
DocType: Assessment Plan,Supervisor,nadzornik
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,online
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,online
,Available Stock for Packing Items,Raspoloživo stanje za pakirane proizvode
DocType: Item Variant,Item Variant,Stavka Variant
DocType: Assessment Result Tool,Assessment Result Tool,Procjena Alat Rezultat
DocType: BOM Scrap Item,BOM Scrap Item,BOM otpad Stavka
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Dostavljeni nalozi se ne može izbrisati
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Stanje računa već u zaduženje, ne smiju postaviti 'ravnoteža se mora' kao 'kreditne'"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,upravljanja kvalitetom
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Dostavljeni nalozi se ne može izbrisati
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Stanje računa već u zaduženje, ne smiju postaviti 'ravnoteža se mora' kao 'kreditne'"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,upravljanja kvalitetom
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Stavka {0} je onemogućena
DocType: Employee Loan,Repay Fixed Amount per Period,Otplatiti fiksni iznos po periodu
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Molimo unesite količinu za točku {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Kredit Napomena Amt
DocType: Employee External Work History,Employee External Work History,Istorija rada zaposlenog izvan preduzeća
DocType: Tax Rule,Purchase,Kupiti
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Bilans kol
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Bilans kol
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Ciljevi ne može biti prazan
DocType: Item Group,Parent Item Group,Roditelj artikla Grupa
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} {1} za
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Troška
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Troška
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Stopa po kojoj supplier valuta se pretvaraju u tvrtke bazne valute
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: Timings sukobi s redom {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Dozvolite Zero Vrednovanje Rate
DocType: Training Event Employee,Invited,pozvan
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Više aktivnih Plaća Strukture nađeni za zaposlenog {0} za navedeni datumi
DocType: Opportunity,Next Contact,Sljedeći Kontakt
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Podešavanje Gateway račune.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Podešavanje Gateway račune.
DocType: Employee,Employment Type,Zapošljavanje Tip
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Dugotrajna imovina
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Dugotrajna imovina
DocType: Payment Entry,Set Exchange Gain / Loss,Set Exchange dobitak / gubitak
+,GST Purchase Register,PDV Kupovina Registracija
,Cash Flow,Priliv novca
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Period aplikacija ne može biti na dva alocation Records
DocType: Item Group,Default Expense Account,Zadani račun rashoda
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Student-mail ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student-mail ID
DocType: Employee,Notice (days),Obavijest (dani )
DocType: Tax Rule,Sales Tax Template,Porez na promet Template
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Odaberite stavke za spremanje fakture
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Odaberite stavke za spremanje fakture
DocType: Employee,Encashment Date,Encashment Datum
DocType: Training Event,Internet,Internet
DocType: Account,Stock Adjustment,Stock Podešavanje
@@ -3915,7 +3945,7 @@
DocType: Guardian,Guardian Of ,Guardian Of
DocType: Grading Scale Interval,Threshold,prag
DocType: BOM Replace Tool,Current BOM,Trenutni BOM
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Dodaj serijski broj
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Dodaj serijski broj
apps/erpnext/erpnext/config/support.py +22,Warranty,garancija
DocType: Purchase Invoice,Debit Note Issued,Debit Napomena Zadani
DocType: Production Order,Warehouses,Skladišta
@@ -3924,20 +3954,20 @@
DocType: Workstation,per hour,na sat
apps/erpnext/erpnext/config/buying.py +7,Purchasing,Nabava
DocType: Announcement,Announcement,objava
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Konto za skladište (stalni inventar) stvorit će se na osnovu ovog konta .
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Skladište se ne može izbrisati , kao entry stock knjiga postoji za to skladište ."
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",Za studentske grupe Batch bazi Studentskog Batch će biti potvrđeni za svakog studenta iz Upis Programa.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Skladište se ne može izbrisati , kao entry stock knjiga postoji za to skladište ."
DocType: Company,Distribution,Distribucija
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Plaćeni iznos
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Menadzer projekata
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Menadzer projekata
,Quoted Item Comparison,Citirano Stavka Poređenje
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Otpremanje
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Maksimalni popust dopušteno za predmet: {0} je {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Otpremanje
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Maksimalni popust dopušteno za predmet: {0} je {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Neto vrijednost imovine kao i na
DocType: Account,Receivable,potraživanja
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Nije dozvoljeno da se promijeniti dobavljača kao narudžbenicu već postoji
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Nije dozvoljeno da se promijeniti dobavljača kao narudžbenicu već postoji
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Uloga koja je dopušteno podnijeti transakcije koje premašuju kreditnih ograničenja postavljena.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Odaberi stavke za proizvodnju
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master podataka sinhronizaciju, to bi moglo da potraje"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Odaberi stavke za proizvodnju
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master podataka sinhronizaciju, to bi moglo da potraje"
DocType: Item,Material Issue,Materijal Issue
DocType: Hub Settings,Seller Description,Prodavač Opis
DocType: Employee Education,Qualification,Kvalifikacija
@@ -3957,7 +3987,6 @@
DocType: BOM,Rate Of Materials Based On,Stopa materijali na temelju
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Podrska za Analitiku
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Poništi sve
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Tvrtka je nestalo u skladištima {0}
DocType: POS Profile,Terms and Conditions,Odredbe i uvjeti
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Za datum mora biti unutar fiskalne godine. Pod pretpostavkom da bi datum = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Ovdje možete održavati visina, težina, alergije, medicinske brige itd."
@@ -3972,18 +4001,17 @@
DocType: Sales Order Item,For Production,Za proizvodnju
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Pogledaj Task
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Vaša financijska godina počinje
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Imovine Amortizacija i vage
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Broj {0} {1} je prešao iz {2} u {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Broj {0} {1} je prešao iz {2} u {3}
DocType: Sales Invoice,Get Advances Received,Kreiraj avansno primanje
DocType: Email Digest,Add/Remove Recipients,Dodaj / ukloni primaoce
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Transakcija nije dopuštena protiv zaustavljena proizvodnja Reda {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Transakcija nije dopuštena protiv zaustavljena proizvodnja Reda {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Za postavljanje ove fiskalne godine kao zadano , kliknite na "" Set as Default '"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,pristupiti
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,pristupiti
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Nedostatak Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Stavka varijanta {0} postoji sa istim atributima
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Stavka varijanta {0} postoji sa istim atributima
DocType: Employee Loan,Repay from Salary,Otplatiti iz Plata
DocType: Leave Application,LAP/,LAP /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Tražeći isplatu protiv {0} {1} za iznos {2}
@@ -3994,34 +4022,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Generirajte pakovanje Slips za pakete dostaviti. Koristi se za obavijesti paket broja, sadržaj paket i njegove težine."
DocType: Sales Invoice Item,Sales Order Item,Stavka narudžbe kupca
DocType: Salary Slip,Payment Days,Plaćanja Dana
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Skladišta s djecom čvorovi se ne može pretvoriti u Ledger
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Skladišta s djecom čvorovi se ne može pretvoriti u Ledger
DocType: BOM,Manage cost of operations,Upravljanje troškove poslovanja
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Kada bilo koji od provjerenih transakcija "Postavio", e-mail pop-up automatski otvorio poslati e-mail na povezane "Kontakt" u toj transakciji, s transakcijom u privitku. Korisnik može ili ne može poslati e-mail."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Globalne postavke
DocType: Assessment Result Detail,Assessment Result Detail,Procjena Rezultat Detail
DocType: Employee Education,Employee Education,Obrazovanje zaposlenog
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Duplikat stavka grupa naći u tabeli stavka grupa
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,Potrebno je da se donese Stavka Detalji.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,Potrebno je da se donese Stavka Detalji.
DocType: Salary Slip,Net Pay,Neto plaća
DocType: Account,Account,Konto
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Serijski Ne {0} već je primila
,Requested Items To Be Transferred,Traženi stavki za prijenos
DocType: Expense Claim,Vehicle Log,vozilo se Prijavite
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Skladište {0} nije vezan za bilo koji račun, kreirajte / link odgovarajući (Asset) račun za skladište."
DocType: Purchase Invoice,Recurring Id,Ponavljajući Id
DocType: Customer,Sales Team Details,Prodaja Team Detalji
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Obrisati trajno?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Obrisati trajno?
DocType: Expense Claim,Total Claimed Amount,Ukupno Zatražio Iznos
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potencijalne prilike za prodaju.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Invalid {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Bolovanje
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Invalid {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Bolovanje
DocType: Email Digest,Email Digest,E-pošta
DocType: Delivery Note,Billing Address Name,Naziv adrese za naplatu
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Robne kuće
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Podešavanje vaše škole u ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Base Promijeni Iznos (Company Valuta)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Nema računovodstvene unosi za sljedeće skladišta
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Nema računovodstvene unosi za sljedeće skladišta
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Spremite dokument prvi.
DocType: Account,Chargeable,Naplativ
DocType: Company,Change Abbreviation,Promijeni Skraćenica
@@ -4039,7 +4066,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Očekuje se dostava Datum ne može biti prije narudžbenice Datum
DocType: Appraisal,Appraisal Template,Procjena Predložak
DocType: Item Group,Item Classification,Stavka Klasifikacija
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Business Development Manager
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Svrha posjete za odrzavanje
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Period
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Glavna knjiga
@@ -4049,8 +4076,8 @@
DocType: Item Attribute Value,Attribute Value,Vrijednost atributa
,Itemwise Recommended Reorder Level,Itemwise Preporučio redoslijeda Level
DocType: Salary Detail,Salary Detail,Plaća Detail
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,Odaberite {0} Prvi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Batch {0} od {1} Stavka je istekla.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Odaberite {0} Prvi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Batch {0} od {1} Stavka je istekla.
DocType: Sales Invoice,Commission,Provizija
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Time Sheet za proizvodnju.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,suma stavke
@@ -4061,6 +4088,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`blokiraj zalihe starije od podrazumijevanog manje od % d dana .
DocType: Tax Rule,Purchase Tax Template,Porez na promet Template
,Project wise Stock Tracking,Supervizor pracenje zaliha
+DocType: GST HSN Code,Regional,regionalni
DocType: Stock Entry Detail,Actual Qty (at source/target),Stvarna kol (na izvoru/cilju)
DocType: Item Customer Detail,Ref Code,Ref. Šifra
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Zaposlenih evidencija.
@@ -4071,13 +4099,13 @@
DocType: Email Digest,New Purchase Orders,Novi narudžbenice kupnje
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Korijen ne mogu imati središte troškova roditelj
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Odaberite Marka ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Treninga / Rezultati
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Ispravka vrijednosti kao na
DocType: Sales Invoice,C-Form Applicable,C-obrascu
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Vrijeme rada mora biti veći od 0 za rad {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Skladište je obavezno
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Skladište je obavezno
DocType: Supplier,Address and Contacts,Adresa i kontakti
DocType: UOM Conversion Detail,UOM Conversion Detail,UOM pretvorbe Detalj
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Držite ga prijateljski web 900px ( w ) by 100px ( h )
DocType: Program,Program Abbreviation,program Skraćenica
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Proizvodnja Nalog ne može biti podignuta protiv Item Template
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Naknade se ažuriraju u Kupovina Prijem protiv svaku stavku
@@ -4085,13 +4113,13 @@
DocType: Bank Guarantee,Start Date,Datum početka
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Dodijeli odsustva za period.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Čekovi i depoziti pogrešno spašava
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Konto {0}: Ne može se označiti kao nadređeni konto samom sebi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Konto {0}: Ne može se označiti kao nadređeni konto samom sebi
DocType: Purchase Invoice Item,Price List Rate,Cjenik Stopa
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Napravi citati kupac
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Show "na lageru" ili "Nije u skladištu" temelji se na skladištu dostupna u tom skladištu.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Sastavnice (BOM)
DocType: Item,Average time taken by the supplier to deliver,Prosječno vrijeme koje je dobavljač isporuči
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,procjena rezultata
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,procjena rezultata
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Sati
DocType: Project,Expected Start Date,Očekivani datum početka
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Uklonite stavku ako naknada nije primjenjiv na tu stavku
@@ -4105,24 +4133,23 @@
DocType: Workstation,Operating Costs,Operativni troškovi
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Akcija ako Akumulirani Mjesečni budžet Exceeded
DocType: Purchase Invoice,Submit on creation,Dostavi na stvaranju
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Valuta za {0} mora biti {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Valuta za {0} mora biti {1}
DocType: Asset,Disposal Date,odlaganje Datum
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E će biti poslana svim aktivnih radnika kompanije u datom sat, ako nemaju odmor. Sažetak odgovora će biti poslan u ponoć."
DocType: Employee Leave Approver,Employee Leave Approver,Osoba koja odobrava izlaske zaposlenima
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Unos Ponovno red već postoji za to skladište {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Unos Ponovno red već postoji za to skladište {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Ne može proglasiti izgubili , jer citat je napravio ."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,trening Feedback
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Proizvodnja Red {0} mora biti podnesen
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Proizvodnja Red {0} mora biti podnesen
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Molimo odaberite datum početka i datum završetka za točke {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Kurs je obavezno u redu {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Do danas ne može biti prije od datuma
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Dodaj / Uredi cijene
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Dodaj / Uredi cijene
DocType: Batch,Parent Batch,roditelja Batch
DocType: Cheque Print Template,Cheque Print Template,Ček Ispis Template
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Grafikon troškovnih centara
,Requested Items To Be Ordered,Traženi Proizvodi se mogu naručiti
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,Skladište kompanija mora biti isti kao i nalog kompanija
DocType: Price List,Price List Name,Cjenik Ime
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Svakodnevni rad Pregled za {0}
DocType: Employee Loan,Totals,Ukupan rezultat
@@ -4144,55 +4171,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Unesite valjane mobilne br
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Unesite poruku prije slanja
DocType: Email Digest,Pending Quotations,U očekivanju Citati
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Point-of-prodaju profil
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-prodaju profil
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Obnovite SMS Settings
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,unsecured krediti
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,unsecured krediti
DocType: Cost Center,Cost Center Name,Troška Name
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Maksimalni radni sati protiv Timesheet
DocType: Maintenance Schedule Detail,Scheduled Date,Planski datum
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Ukupno Paid Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Ukupno Paid Amt
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Poruka veća od 160 karaktera će biti odvojena u više poruka
DocType: Purchase Receipt Item,Received and Accepted,Primljeni i prihvaćeni
+,GST Itemised Sales Register,PDV Specificirane prodaje Registracija
,Serial No Service Contract Expiry,Serijski Bez isteka Ugovor o pružanju usluga
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Ne možete kreditnim i debitnim isti račun u isto vrijeme
DocType: Naming Series,Help HTML,HTML pomoć
DocType: Student Group Creation Tool,Student Group Creation Tool,Student Group Creation Tool
DocType: Item,Variant Based On,Varijanta na osnovu
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Ukupno bi trebalo biti dodijeljena weightage 100 % . To je {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Vaši dobavljači
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Vaši dobavljači
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Ne mogu se postaviti kao izgubljen kao prodajnog naloga je napravio .
DocType: Request for Quotation Item,Supplier Part No,Dobavljač dio br
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Ne mogu odbiti kada kategorija je za 'Vrednovanje' ili 'Vaulation i Total'
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Dobili od
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Dobili od
DocType: Lead,Converted,Pretvoreno
DocType: Item,Has Serial No,Ima serijski br
DocType: Employee,Date of Issue,Datum izdavanja
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Od {0} {1} za
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Prema Kupnja Postavke ako Kupovina Reciept željeni == 'DA', onda za stvaranje fakturi, korisnik treba prvo stvoriti račun za prodaju za stavku {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Row # {0}: Set dobavljač za stavku {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Red {0}: Radno vrijednost mora biti veća od nule.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Sajt Slika {0} prilogu Stavka {1} ne može biti pronađena
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Sajt Slika {0} prilogu Stavka {1} ne može biti pronađena
DocType: Issue,Content Type,Vrsta sadržaja
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Računar
DocType: Item,List this Item in multiple groups on the website.,Popis ovaj predmet u više grupa na web stranici.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Molimo provjerite Multi opciju valuta kako bi se omogućilo račune sa drugoj valuti
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Detaljnije: {0} ne postoji u sustavu
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Niste ovlašteni za postavljanje Frozen vrijednost
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Detaljnije: {0} ne postoji u sustavu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Niste ovlašteni za postavljanje Frozen vrijednost
DocType: Payment Reconciliation,Get Unreconciled Entries,Kreiraj neusklađene ulaze
DocType: Payment Reconciliation,From Invoice Date,Iz Datum računa
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,Billing valuti mora biti jednak ili default comapany valuta ili stranka račun valuti
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Ostavite unovčenja
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Što učiniti ?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,Billing valuti mora biti jednak ili default comapany valuta ili stranka račun valuti
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Ostavite unovčenja
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Što učiniti ?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Za skladište
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Svi Student Prijemni
,Average Commission Rate,Prosječna stopa komisija
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,' Ima serijski broj ' ne može biti ' Da ' za artikle bez zalihe
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,' Ima serijski broj ' ne može biti ' Da ' za artikle bez zalihe
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Gledatelji ne može biti označena za budući datum
DocType: Pricing Rule,Pricing Rule Help,Cijene Pravilo Pomoć
DocType: School House,House Name,nazivu
DocType: Purchase Taxes and Charges,Account Head,Zaglavlje konta
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Update dodatne troškove za izračun troškova spustio stavki
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Električna
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Električna
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Dodajte ostatak organizacije kao korisnika. Također možete dodati pozvati kupce da vaš portal dodavanjem iz kontakata
DocType: Stock Entry,Total Value Difference (Out - In),Ukupna vrijednost Razlika (Out - In)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Red {0}: kursa obavezna
@@ -4202,7 +4231,7 @@
DocType: Item,Customer Code,Kupac Šifra
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Rođendan Podsjetnik za {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dana od posljednje narudžbe
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Zaduženja na račun mora biti bilans stanja računa
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Zaduženja na račun mora biti bilans stanja računa
DocType: Buying Settings,Naming Series,Imenovanje serije
DocType: Leave Block List,Leave Block List Name,Ostavite popis imena Block
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Datum osiguranje Početak bi trebao biti manji od datuma osiguranje Kraj
@@ -4217,26 +4246,26 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Plaća listić od zaposlenika {0} već kreirali za vrijeme stanja {1}
DocType: Vehicle Log,Odometer,mjerač za pređeni put
DocType: Sales Order Item,Ordered Qty,Naručena kol
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Stavka {0} je onemogućeno
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Stavka {0} je onemogućeno
DocType: Stock Settings,Stock Frozen Upto,Kataloški Frozen Upto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM ne sadrži nikakve zaliha stavka
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM ne sadrži nikakve zaliha stavka
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Period od perioda i datumima obavezno ponavljaju {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Projektna aktivnost / zadatak.
DocType: Vehicle Log,Refuelling Details,Dopuna goriva Detalji
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Generiranje plaće gaćice
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Kupnja treba provjeriti, ako je primjenjivo za odabrano kao {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Kupnja treba provjeriti, ako je primjenjivo za odabrano kao {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Rabatt mora biti manji od 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Zadnje kupovinu stopa nije pronađen
DocType: Purchase Invoice,Write Off Amount (Company Currency),Otpis Iznos (poduzeća Valuta)
DocType: Sales Invoice Timesheet,Billing Hours,Billing Hours
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,Uobičajeno sastavnice za {0} nije pronađen
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Row # {0}: Molimo set Ponovno redj količinu
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Row # {0}: Molimo set Ponovno redj količinu
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Dodirnite stavke da biste ih dodali ovdje
DocType: Fees,Program Enrollment,Upis program
DocType: Landed Cost Voucher,Landed Cost Voucher,Sleteo Cost vaučera
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Molimo postavite {0}
DocType: Purchase Invoice,Repeat on Day of Month,Ponovite na dan u mjesecu
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} je neaktivan student
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} je neaktivan student
DocType: Employee,Health Details,Zdravlje Detalji
DocType: Offer Letter,Offer Letter Terms,Ponuda Pismo Uvjeti
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Za kreiranje plaćanja Zahtjev je potrebno referentni dokument
@@ -4258,7 +4287,7 @@
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Primjer:. ABCD #####
Ako serije je postavljen i serijski broj se ne spominje u transakcijama, a zatim automatski serijski broj će biti kreiran na osnovu ove serije. Ako želite uvijek izričito spomenuti Serial Nos za ovu stavku. ovo ostavite prazno."
DocType: Upload Attendance,Upload Attendance,Upload Attendance
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM i proizvodnja Količina su potrebne
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM i proizvodnja Količina su potrebne
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Starenje Range 2
DocType: SG Creation Tool Course,Max Strength,Max Snaga
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM zamijenjeno
@@ -4267,8 +4296,8 @@
,Prospects Engaged But Not Converted,Izgledi Engaged Ali ne pretvaraju
DocType: Manufacturing Settings,Manufacturing Settings,Proizvodnja Settings
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Postavljanje e-pošte
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Mobile Nema
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Unesite zadanu valutu u tvrtki Master
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile Nema
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Unesite zadanu valutu u tvrtki Master
DocType: Stock Entry Detail,Stock Entry Detail,Kataloški Stupanje Detalj
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Dnevni podsjetnik
DocType: Products Settings,Home Page is Products,Početna stranica su proizvodi
@@ -4277,7 +4306,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Naziv novog naloga
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Sirovine Isporuka Troškovi
DocType: Selling Settings,Settings for Selling Module,Postavke za prodaju modul
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Služba za korisnike
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Služba za korisnike
DocType: BOM,Thumbnail,Thumbnail
DocType: Item Customer Detail,Item Customer Detail,Artikal - detalji kupca
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Ponuda kandidata posao.
@@ -4286,7 +4315,7 @@
DocType: Pricing Rule,Percentage,postotak
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Stavka {0} mora bitistock Stavka
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Uobičajeno Work in Progress Skladište
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Zadane postavke za računovodstvene poslove.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Zadane postavke za računovodstvene poslove.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Očekivani datum ne može biti prije Materijal Zahtjev Datum
DocType: Purchase Invoice Item,Stock Qty,zalihama Količina
@@ -4299,10 +4328,10 @@
DocType: Sales Order,Printing Details,Printing Detalji
DocType: Task,Closing Date,Datum zatvaranja
DocType: Sales Order Item,Produced Quantity,Proizvedena količina
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,inženjer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,inženjer
DocType: Journal Entry,Total Amount Currency,Ukupan iznos valute
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Traži Sub skupština
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Kod artikla je potreban u redu broj {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Kod artikla je potreban u redu broj {0}
DocType: Sales Partner,Partner Type,Partner Tip
DocType: Purchase Taxes and Charges,Actual,Stvaran
DocType: Authorization Rule,Customerwise Discount,Customerwise Popust
@@ -4319,11 +4348,11 @@
DocType: Item Reorder,Re-Order Level,Re-order Level
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Unesite stavke i planirani Količina za koje želite povećati proizvodne naloge ili preuzimanje sirovine za analizu.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantogram
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Part - time
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Part - time
DocType: Employee,Applicable Holiday List,Primjenjivo odmor Popis
DocType: Employee,Cheque,Ček
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Serija Updated
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Vrsta izvjestaja je obavezna
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Vrsta izvjestaja je obavezna
DocType: Item,Serial Number Series,Serijski broj serije
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Skladište je obvezno za skladišne proizvode {0} u redu {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Trgovina na veliko i
@@ -4344,7 +4373,7 @@
DocType: BOM,Materials,Materijali
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ako nije označeno, popis će biti dodan u svakom odjela gdje se mora primjenjivati."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Izvor i Target skladište ne može biti isto
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Datum knjiženja i knjiženje vrijeme je obvezna
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Datum knjiženja i knjiženje vrijeme je obvezna
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Porezna Predložak za kupnju transakcije .
,Item Prices,Cijene artikala
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,U riječi će biti vidljiv nakon što spremite narudžbenice.
@@ -4354,22 +4383,23 @@
DocType: Purchase Invoice,Advance Payments,Avansna plaćanja
DocType: Purchase Taxes and Charges,On Net Total,Na Net Total
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Vrijednost za Atributi {0} mora biti u rasponu od {1} na {2} u koracima od {3} za Stavka {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Target skladište u redu {0} mora biti ista kao Production Order
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Target skladište u redu {0} mora biti ista kao Production Order
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,'Obavestenje putem E-mail adrese' nije specificirano za ponavljajuce% s
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,Valuta ne mogu se mijenjati nakon što unose preko neke druge valute
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Valuta ne mogu se mijenjati nakon što unose preko neke druge valute
DocType: Vehicle Service,Clutch Plate,kvačila
DocType: Company,Round Off Account,Zaokružiti račun
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Administrativni troškovi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Administrativni troškovi
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,savjetodavni
DocType: Customer Group,Parent Customer Group,Roditelj Kupac Grupa
DocType: Purchase Invoice,Contact Email,Kontakt email
DocType: Appraisal Goal,Score Earned,Ocjena Zarađeni
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Otkazni rok
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Otkazni rok
DocType: Asset Category,Asset Category Name,Asset Ime kategorije
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,To jekorijen teritorij i ne može se mijenjati .
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Ime prodaja novih lica
DocType: Packing Slip,Gross Weight UOM,Bruto težina UOM
DocType: Delivery Note Item,Against Sales Invoice,Protiv prodaje fakture
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Unesite serijski brojevi za serijalizovanoj stavku
DocType: Bin,Reserved Qty for Production,Rezervirano Količina za proizvodnju
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Ostavite nekontrolisano ako ne želite uzeti u obzir batch prilikom donošenja grupe naravno na bazi.
DocType: Asset,Frequency of Depreciation (Months),Učestalost amortizacije (mjeseci)
@@ -4377,25 +4407,25 @@
DocType: Landed Cost Item,Landed Cost Item,Sletio Troškovi artikla
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Pokazati nulte vrijednosti
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Količina predmeta dobije nakon proizvodnju / pakiranje od navedenih količina sirovina
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Setup jednostavan website za moju organizaciju
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Setup jednostavan website za moju organizaciju
DocType: Payment Reconciliation,Receivable / Payable Account,Potraživanja / Account plaćaju
DocType: Delivery Note Item,Against Sales Order Item,Protiv naloga prodaje Item
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},Molimo navedite vrijednost atributa za atribut {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},Molimo navedite vrijednost atributa za atribut {0}
DocType: Item,Default Warehouse,Glavno skladište
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Budžet se ne može dodijeliti protiv grupe računa {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Unesite roditelj troška
DocType: Delivery Note,Print Without Amount,Ispis Bez visini
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,Amortizacija Datum
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,Porezna Kategorija ne može biti ' Procjena ' ili ' Procjena i Total ' kao i svi proizvodi bez zaliha predmeta
DocType: Issue,Support Team,Tim za podršku
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Isteka (u danima)
DocType: Appraisal,Total Score (Out of 5),Ukupna ocjena (od 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Serija
+DocType: Student Attendance Tool,Batch,Serija
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Ravnoteža
DocType: Room,Seating Capacity,Broj sjedećih mjesta
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Ukupni rashodi potraživanja (preko rashodi potraživanja)
+DocType: GST Settings,GST Summary,PDV Pregled
DocType: Assessment Result,Total Score,Ukupni rezultat
DocType: Journal Entry,Debit Note,Rashodi - napomena
DocType: Stock Entry,As per Stock UOM,Kao po burzi UOM
@@ -4406,12 +4436,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Uobičajeno Gotovi proizvodi skladište
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Referent prodaje
DocType: SMS Parameter,SMS Parameter,SMS parametar
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Budžet i troškova Center
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Budžet i troškova Center
DocType: Vehicle Service,Half Yearly,Polu godišnji
DocType: Lead,Blog Subscriber,Blog pretplatnik
DocType: Guardian,Alternate Number,Alternativna Broj
DocType: Assessment Plan Criteria,Maximum Score,Maksimalna Score
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Stvaranje pravila za ograničavanje prometa na temelju vrijednosti .
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Grupa Roll Ne
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Ostavite prazno ako napravite grupa studenata godišnje
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Ako je označeno, Ukupan broj. radnih dana će uključiti odmor, a to će smanjiti vrijednost plaća po danu"
DocType: Purchase Invoice,Total Advance,Ukupno predujma
@@ -4429,6 +4460,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Ovo se zasniva na transakcije protiv ovog kupaca. Pogledajte vremenski okvir ispod za detalje
DocType: Supplier,Credit Days Based On,Credit Dani Na osnovu
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Red {0}: Raspoređeni iznos {1} mora biti manji od ili jednak iznos plaćanja Entry {2}
+,Course wise Assessment Report,Naravno mudar Izvještaj o procjeni
DocType: Tax Rule,Tax Rule,Porez pravilo
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Održavati ista stopa Tijekom cijele prodajni ciklus
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planirajte vrijeme za rezanje izvan Workstation Radno vrijeme.
@@ -4437,7 +4469,7 @@
,Items To Be Requested,Potraživani artikli
DocType: Purchase Order,Get Last Purchase Rate,Kreiraj zadnju nabavnu cijenu
DocType: Company,Company Info,Podaci o preduzeću
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Odaberite ili dodati novi kupac
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Odaberite ili dodati novi kupac
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Troška je potrebno rezervirati trošak tvrdnju
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Primjena sredstava ( aktiva )
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,To se temelji na prisustvo ovog zaposlenih
@@ -4445,27 +4477,29 @@
DocType: Fiscal Year,Year Start Date,Početni datum u godini
DocType: Attendance,Employee Name,Ime i prezime radnika
DocType: Sales Invoice,Rounded Total (Company Currency),Zaobljeni Ukupno (Društvo valuta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,"Ne mogu da konvertovanje Group, jer je izabran Account Type."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Ne mogu da konvertovanje Group, jer je izabran Account Type."
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} je izmijenjen . Osvježite stranicu.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Prestani korisnike od izrade ostaviti aplikacija na sljedećim danima.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Kupovina Iznos
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Dobavljač Ponuda {0} stvorio
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Kraja godine ne može biti prije početka godine
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Primanja zaposlenih
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Primanja zaposlenih
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Prepuna količina mora biti jednaka količina za točku {0} je u redu {1}
DocType: Production Order,Manufactured Qty,Proizvedeno Kol
DocType: Purchase Receipt Item,Accepted Quantity,Prihvaćena količina
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Molimo podesite default odmor Lista za zaposlenog {0} ili kompanije {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} ne postoji
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} ne postoji
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Izaberite šarže
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Mjenice podignuta na kupce.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,ID Projekta
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},No red {0}: Iznos ne može biti veći od čekanju Iznos protiv rashodi potraživanje {1}. Na čekanju iznos je {2}
DocType: Maintenance Schedule,Schedule,Raspored
DocType: Account,Parent Account,Roditelj račun
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Dostupno
DocType: Quality Inspection Reading,Reading 3,Čitanje 3
,Hub,Čvor
DocType: GL Entry,Voucher Type,Bon Tip
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Cjenik nije pronađena ili invaliditetom
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Cjenik nije pronađena ili invaliditetom
DocType: Employee Loan Application,Approved,Odobreno
DocType: Pricing Rule,Price,Cijena
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Zaposlenik razriješen na {0} mora biti postavljen kao 'lijevo '
@@ -4476,7 +4510,8 @@
DocType: Selling Settings,Campaign Naming By,Imenovanje kampanja po
DocType: Employee,Current Address Is,Trenutni Adresa je
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,modificirani
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Opcionalno. Postavlja kompanije Zadana valuta, ako nije navedeno."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Opcionalno. Postavlja kompanije Zadana valuta, ako nije navedeno."
+DocType: Sales Invoice,Customer GSTIN,Customer GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Računovodstvene stavke
DocType: Delivery Note Item,Available Qty at From Warehouse,Dostupno Količina na Od Skladište
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,Molimo odaberite zaposlenih Record prvi.
@@ -4484,7 +4519,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Red {0}: Party / računa ne odgovara {1} / {2} u {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Unesite trošak računa
DocType: Account,Stock,Zaliha
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Referenca Vrsta dokumenta mora biti jedan od Narudžbenice, fakturi ili Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Referenca Vrsta dokumenta mora biti jedan od Narudžbenice, fakturi ili Journal Entry"
DocType: Employee,Current Address,Trenutna adresa
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ako proizvod varijanta druge stavke onda opis, slike, cijene, poreze itd će biti postavljena iz predloška, osim ako izričito navedeno"
DocType: Serial No,Purchase / Manufacture Details,Kupnja / Proizvodnja Detalji
@@ -4497,8 +4532,8 @@
DocType: Pricing Rule,Min Qty,Min kol
DocType: Asset Movement,Transaction Date,Transakcija Datum
DocType: Production Plan Item,Planned Qty,Planirani Kol
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Ukupno porez
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Za Količina (Proizvedeno Qty) je obavezno
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Ukupno porez
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Za Količina (Proizvedeno Qty) je obavezno
DocType: Stock Entry,Default Target Warehouse,Centralno skladište
DocType: Purchase Invoice,Net Total (Company Currency),Neto Ukupno (Društvo valuta)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,The Year Završni datum ne može biti ranije od godine Ozljede Datum. Molimo ispravite datume i pokušajte ponovo.
@@ -4512,13 +4547,11 @@
DocType: Hub Settings,Hub Settings,Hub Settings
DocType: Project,Gross Margin %,Bruto marža %
DocType: BOM,With Operations,Uz operacije
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Računovodstvo stavke su već učinjeni u valuti {0} {1} za firmu. Molimo odaberite potraživanja ili platiti račun s valutnom {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Računovodstvo stavke su već učinjeni u valuti {0} {1} za firmu. Molimo odaberite potraživanja ili platiti račun s valutnom {0}.
DocType: Asset,Is Existing Asset,Je Postojeći imovine
DocType: Salary Detail,Statistical Component,statistička komponenta
-,Monthly Salary Register,Mjesečna plaća Registracija
DocType: Warranty Claim,If different than customer address,Ako se razlikuje od kupaca adresu
DocType: BOM Operation,BOM Operation,BOM operacija
-DocType: School Settings,Validate the Student Group from Program Enrollment,Potvrdi studentska grupa iz Upis programa
DocType: Purchase Taxes and Charges,On Previous Row Amount,Na prethodnu Row visini
DocType: Student,Home Address,Kućna adresa
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Transfer imovine
@@ -4526,28 +4559,27 @@
DocType: Training Event,Event Name,Naziv događaja
apps/erpnext/erpnext/config/schools.py +39,Admission,upis
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Priznanja za {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Sezonski za postavljanje budžeta, ciljeva itd"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Stavka {0} je predložak, odaberite jednu od njegovih varijanti"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Sezonski za postavljanje budžeta, ciljeva itd"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Stavka {0} je predložak, odaberite jednu od njegovih varijanti"
DocType: Asset,Asset Category,Asset Kategorija
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Kupac
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Neto plaća ne može biti negativna
DocType: SMS Settings,Static Parameters,Statički parametri
DocType: Assessment Plan,Room,soba
DocType: Purchase Order,Advance Paid,Advance Paid
DocType: Item,Item Tax,Porez artikla
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materijal dobavljaču
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Akcizama Račun
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Akcizama Račun
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Prag {0}% se pojavljuje više od jednom
DocType: Expense Claim,Employees Email Id,Zaposlenici Email ID
DocType: Employee Attendance Tool,Marked Attendance,Označena Posjeta
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Kratkoročne obveze
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Kratkoročne obveze
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Pošalji masovne SMS poruke svojim kontaktima
DocType: Program,Program Name,Naziv programa
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Razmislite poreza ili pristojbi za
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Stvarni Qty je obavezno
DocType: Employee Loan,Loan Type,Vrsta kredita
DocType: Scheduling Tool,Scheduling Tool,zakazivanje alata
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,kreditna kartica
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,kreditna kartica
DocType: BOM,Item to be manufactured or repacked,Artikal će biti proizveden ili prepakiran
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Zadane postavke za burzovne transakcije.
DocType: Purchase Invoice,Next Date,Sljedeći datum
@@ -4563,10 +4595,10 @@
DocType: Stock Entry,Repack,Prepakovati
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Morate spremiti obrazac prije nastavka
DocType: Item Attribute,Numeric Values,Brojčane vrijednosti
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Priložiti logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Priložiti logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Stock Nivoi
DocType: Customer,Commission Rate,Komisija Stopa
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Make Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Make Variant
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Blok ostaviti aplikacija odjelu.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Plaćanje Tip mora biti jedan od Primi, Pay i unutrašnje Transfer"
apps/erpnext/erpnext/config/selling.py +179,Analytics,analitika
@@ -4574,45 +4606,45 @@
DocType: Vehicle,Model,model
DocType: Production Order,Actual Operating Cost,Stvarni operativnih troškova
DocType: Payment Entry,Cheque/Reference No,Ček / Reference Ne
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Korijen ne može se mijenjati .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Korijen ne može se mijenjati .
DocType: Item,Units of Measure,Jedinice mjere
DocType: Manufacturing Settings,Allow Production on Holidays,Dopustite Production o praznicima
DocType: Sales Order,Customer's Purchase Order Date,Kupca narudžbenice Datum
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Kapitala
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Kapitala
DocType: Shopping Cart Settings,Show Public Attachments,Pokaži Javna Prilozi
DocType: Packing Slip,Package Weight Details,Težina paketa - detalji
DocType: Payment Gateway Account,Payment Gateway Account,Payment Gateway računa
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Nakon završetka uplate preusmjeriti korisnika na odabrani stranicu.
DocType: Company,Existing Company,postojeći Company
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Porez Kategorija je promijenjen u "Total", jer svi proizvodi bez stanju proizvodi"
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Odaberite CSV datoteku
DocType: Student Leave Application,Mark as Present,Mark kao Present
DocType: Purchase Order,To Receive and Bill,Da primi i Bill
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Istaknuti Proizvodi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Imenovatelj
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Imenovatelj
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Uvjeti predloška
DocType: Serial No,Delivery Details,Detalji isporuke
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Troška potrebno je u redu {0} poreza stolom za vrstu {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Troška potrebno je u redu {0} poreza stolom za vrstu {1}
DocType: Program,Program Code,programski kod
DocType: Terms and Conditions,Terms and Conditions Help,Uslovi Pomoć
,Item-wise Purchase Register,Stavka-mudar Kupnja Registracija
DocType: Batch,Expiry Date,Datum isteka
-,Supplier Addresses and Contacts,Supplier Adrese i kontakti
,accounts-browser,računi pretraživač
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,Molimo odaberite kategoriju prvi
apps/erpnext/erpnext/config/projects.py +13,Project master.,Direktor Projekata
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Da biste omogućili nad-naplate ili preko-naručivanje, ažurirati "Ispravka" raspoloživo Settings ili stavku."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Da biste omogućili nad-naplate ili preko-naručivanje, ažurirati "Ispravka" raspoloživo Settings ili stavku."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Ne pokazati nikakav simbol poput $ iza valute.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Pola dana)
DocType: Supplier,Credit Days,Kreditne Dani
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Make Student Batch
DocType: Leave Type,Is Carry Forward,Je Carry Naprijed
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Kreiraj proizvode od sastavnica (BOM)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Kreiraj proizvode od sastavnica (BOM)
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Potencijalni kupac - ukupno dana
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Slanje poruka Datum mora biti isti kao i datum kupovine {1} od imovine {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Slanje poruka Datum mora biti isti kao i datum kupovine {1} od imovine {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Molimo unesite Prodajni nalozi u gornjoj tablici
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Nije dostavila Plaća Slips
,Stock Summary,Stock Pregled
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Transfer imovine iz jednog skladišta u drugo
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Transfer imovine iz jednog skladišta u drugo
DocType: Vehicle,Petrol,benzin
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Bill of Materials
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Red {0}: Party Tip i stranka je potreban za potraživanja / računa plaćaju {1}
@@ -4623,6 +4655,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Iznos kažnjeni
DocType: GL Entry,Is Opening,Je Otvaranje
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Row {0}: Debitne stavka ne može se povezati sa {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Konto {0} ne postoji
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Konto {0} ne postoji
DocType: Account,Cash,Gotovina
DocType: Employee,Short biography for website and other publications.,Kratka biografija za web stranice i druge publikacije.
diff --git a/erpnext/translations/ca.csv b/erpnext/translations/ca.csv
index 63c98eb..7dfbcbaf 100644
--- a/erpnext/translations/ca.csv
+++ b/erpnext/translations/ca.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Productes de Consum
DocType: Item,Customer Items,Articles de clients
DocType: Project,Costing and Billing,Càlcul de costos i facturació
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Compte {0}: compte pare {1} no pot ser un llibre de comptabilitat
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Compte {0}: compte pare {1} no pot ser un llibre de comptabilitat
DocType: Item,Publish Item to hub.erpnext.com,Publicar article a hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,Notificacions per correu electrònic
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,avaluació
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,avaluació
DocType: Item,Default Unit of Measure,Unitat de mesura per defecte
DocType: SMS Center,All Sales Partner Contact,Tot soci de vendes Contacte
DocType: Employee,Leave Approvers,Aprovadors d'absències
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Tipus de canvi ha de ser el mateix que {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Nom del client
DocType: Vehicle,Natural Gas,Gas Natural
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Compte bancari no pot ser nomenat com {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Compte bancari no pot ser nomenat com {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Capçaleres (o grups) contra els quals es mantenen els assentaments comptables i els saldos
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Excedent per {0} no pot ser menor que zero ({1})
DocType: Manufacturing Settings,Default 10 mins,Per defecte 10 minuts
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Contacte de Tot el Proveïdor
DocType: Support Settings,Support Settings,Configuració de respatller
DocType: SMS Parameter,Parameter,Paràmetre
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Esperat Data de finalització no pot ser inferior a Data prevista d'inici
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Esperat Data de finalització no pot ser inferior a Data prevista d'inici
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Fila # {0}: Taxa ha de ser el mateix que {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Nova aplicació Deixar
,Batch Item Expiry Status,Lots article Estat de caducitat
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Lletra bancària
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Lletra bancària
DocType: Mode of Payment Account,Mode of Payment Account,Mode de Compte de Pagament
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Mostra variants
DocType: Academic Term,Academic Term,període acadèmic
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,material
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Quantitat
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,La taula de comptes no pot estar en blanc.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Préstecs (passius)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Préstecs (passius)
DocType: Employee Education,Year of Passing,Any de defunció
DocType: Item,Country of Origin,País d'origen
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,En estoc
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,En estoc
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,qüestions obertes
DocType: Production Plan Item,Production Plan Item,Pla de Producció d'articles
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},L'usuari {0} ja està assignat a l'Empleat {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Sanitari
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Retard en el pagament (dies)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,despesa servei
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Número de sèrie: {0} ja es fa referència en factura de venda: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Número de sèrie: {0} ja es fa referència en factura de venda: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Factura
DocType: Maintenance Schedule Item,Periodicity,Periodicitat
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Any fiscal {0} és necessari
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Fila # {0}:
DocType: Timesheet,Total Costing Amount,Suma càlcul del cost total
DocType: Delivery Note,Vehicle No,Vehicle n
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,Seleccionla llista de preus
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Seleccionla llista de preus
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Fila # {0}: No es requereix document de pagament per completar la trasaction
DocType: Production Order Operation,Work In Progress,Treball en curs
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Si us plau seleccioni la data
DocType: Employee,Holiday List,Llista de vacances
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Accountant
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Accountant
DocType: Cost Center,Stock User,Fotografia de l'usuari
DocType: Company,Phone No,Telèfon No
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Calendari de cursos creats:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Nou {0}: # {1}
,Sales Partners Commission,Comissió dels revenedors
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Abreviatura no pot tenir més de 5 caràcters
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Abreviatura no pot tenir més de 5 caràcters
DocType: Payment Request,Payment Request,Sol·licitud de Pagament
DocType: Asset,Value After Depreciation,Valor després de la depreciació
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,data de l'assistència no pot ser inferior a la data d'unir-se als empleats
DocType: Grading Scale,Grading Scale Name,Nom Escala de classificació
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Es tracta d'un compte principal i no es pot editar.
+DocType: Sales Invoice,Company Address,Direcció de l'empresa
DocType: BOM,Operations,Operacions
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},No es pot establir l'autorització sobre la base de Descompte per {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Adjunta el fitxer .csv amb dues columnes, una per al nom antic i un altre per al nou nom"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} no en qualsevol any fiscal activa.
DocType: Packed Item,Parent Detail docname,Docname Detall de Pares
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referència: {0}, Codi de l'article: {1} i el Client: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Kg
DocType: Student Log,Log,Sessió
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,L'obertura per a una ocupació.
DocType: Item Attribute,Increment,Increment
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Publicitat
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Igual Company s'introdueix més d'una vegada
DocType: Employee,Married,Casat
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},No està permès per {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},No està permès per {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Obtenir articles de
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},L'estoc no es pot actualitzar contra la Nota de Lliurament {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},L'estoc no es pot actualitzar contra la Nota de Lliurament {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Producte {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,No hi ha elements que s'enumeren
DocType: Payment Reconciliation,Reconcile,Conciliar
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Següent Depreciació La data no pot ser anterior a la data de compra
DocType: SMS Center,All Sales Person,Tot el personal de vendes
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** ** Distribució mensual ajuda a distribuir el pressupost / Target a través de mesos si té l'estacionalitat del seu negoci.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,No articles trobats
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,No articles trobats
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Falta Estructura salarial
DocType: Lead,Person Name,Nom de la Persona
DocType: Sales Invoice Item,Sales Invoice Item,Factura Sales Item
DocType: Account,Credit,Crèdit
DocType: POS Profile,Write Off Cost Center,Escriu Off Centre de Cost
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""","per exemple, "escola primària" o "Universitat""
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""","per exemple, "escola primària" o "Universitat""
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Informes d'arxiu
DocType: Warehouse,Warehouse Detail,Detall Magatzem
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Límit de crèdit s'ha creuat pel client {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Límit de crèdit s'ha creuat pel client {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"La data final de durada no pot ser posterior a la data de cap d'any de l'any acadèmic a què està vinculat el terme (any acadèmic {}). Si us plau, corregeixi les dates i torna a intentar-ho."
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""És actiu fix"" no pot estar sense marcar, ja que hi ha registre d'actius contra l'element"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""És actiu fix"" no pot estar sense marcar, ja que hi ha registre d'actius contra l'element"
DocType: Vehicle Service,Brake Oil,oli dels frens
DocType: Tax Rule,Tax Type,Tipus d'Impostos
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},No té permisos per afegir o actualitzar les entrades abans de {0}
DocType: BOM,Item Image (if not slideshow),Imatge de l'article (si no hi ha presentació de diapositives)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Hi ha un client amb el mateix nom
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Hora Tarifa / 60) * Temps real de l'Operació
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Seleccioneu la llista de materials
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Seleccioneu la llista de materials
DocType: SMS Log,SMS Log,SMS Log
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Cost dels articles lliurats
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,El dia de festa en {0} no és entre De la data i Fins a la data
@@ -159,13 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Des {0} a {1}
DocType: Item,Copy From Item Group,Copiar del Grup d'Articles
DocType: Journal Entry,Opening Entry,Entrada Obertura
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Client> Grup de Clients> Territori
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Només compte de pagament
DocType: Employee Loan,Repay Over Number of Periods,Retornar al llarg Nombre de períodes
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} no està inscrit en el dau {2}
DocType: Stock Entry,Additional Costs,Despeses addicionals
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Compta amb la transacció existent no es pot convertir en grup.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Compta amb la transacció existent no es pot convertir en grup.
DocType: Lead,Product Enquiry,Consulta de producte
DocType: Academic Term,Schools,escoles
+DocType: School Settings,Validate Batch for Students in Student Group,Validar lots per a estudiants en grup d'alumnes
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},No hi ha registre de vacances trobats per als empleats {0} de {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Si us plau ingressi empresa primer
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Si us plau seleccioneu l'empresa primer
@@ -174,49 +176,49 @@
DocType: BOM,Total Cost,Cost total
DocType: Journal Entry Account,Employee Loan,préstec empleat
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Registre d'activitat:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,L'Article {0} no existeix en el sistema o ha caducat
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,L'Article {0} no existeix en el sistema o ha caducat
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Real Estate
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Estat de compte
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Farmacèutics
DocType: Purchase Invoice Item,Is Fixed Asset,És actiu fix
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Quantitats disponibles és {0}, necessita {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Quantitats disponibles és {0}, necessita {1}"
DocType: Expense Claim Detail,Claim Amount,Reclamació Import
-DocType: Employee,Mr,Sr
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Duplicar grup de clients que es troba a la taula de grups cutomer
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Tipus de Proveïdor / distribuïdor
DocType: Naming Series,Prefix,Prefix
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Consumible
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Consumible
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Importa registre
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Tire Sol·licitud de materials de tipus Fabricació en base als criteris anteriors
DocType: Training Result Employee,Grade,grau
DocType: Sales Invoice Item,Delivered By Supplier,Lliurat per proveïdor
DocType: SMS Center,All Contact,Tots els contactes
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Ordre de producció ja s'ha creat per a tots els elements amb la llista de materials
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Salari Anual
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Ordre de producció ja s'ha creat per a tots els elements amb la llista de materials
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Salari Anual
DocType: Daily Work Summary,Daily Work Summary,Resum diari de Treball
DocType: Period Closing Voucher,Closing Fiscal Year,Tancant l'Any Fiscal
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} està congelat
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Seleccioneu empresa ja existent per a la creació del pla de comptes
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Despeses d'estoc
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} està congelat
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Seleccioneu empresa ja existent per a la creació del pla de comptes
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Despeses d'estoc
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Selecciona una destinació de dipòsit
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,"Si us plau, introdueixi preferit del contacte de correu electrònic"
+DocType: Program Enrollment,School Bus,Autobús escolar
DocType: Journal Entry,Contra Entry,Entrada Contra
DocType: Journal Entry Account,Credit in Company Currency,Crèdit en moneda Companyia
DocType: Delivery Note,Installation Status,Estat d'instal·lació
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Vols actualitzar l'assistència? <br> Present: {0} \ <br> Absents: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},+ Acceptat Rebutjat Quantitat ha de ser igual a la quantitat rebuda per article {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},+ Acceptat Rebutjat Quantitat ha de ser igual a la quantitat rebuda per article {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Materials Subministrament primeres per a la Compra
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,Es requereix com a mínim una manera de pagament de la factura POS.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,Es requereix com a mínim una manera de pagament de la factura POS.
DocType: Products Settings,Show Products as a List,Mostrar els productes en forma de llista
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Descarregueu la plantilla, omplir les dades adequades i adjuntar l'arxiu modificat.
Totes les dates i empleat combinació en el període seleccionat vindrà a la plantilla, amb els registres d'assistència existents"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,L'article {0} no està actiu o ha arribat al final de la seva vida
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Exemple: Matemàtiques Bàsiques
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Per incloure l'impost a la fila {0} en la tarifa d'article, els impostos a les files {1} també han de ser inclosos"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,L'article {0} no està actiu o ha arribat al final de la seva vida
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Exemple: Matemàtiques Bàsiques
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Per incloure l'impost a la fila {0} en la tarifa d'article, els impostos a les files {1} també han de ser inclosos"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Ajustaments per al Mòdul de Recursos Humans
DocType: SMS Center,SMS Center,Centre d'SMS
DocType: Sales Invoice,Change Amount,Import de canvi
@@ -226,7 +228,7 @@
DocType: Lead,Request Type,Tipus de sol·licitud
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,fer Empleat
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Radiodifusió
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Execució
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Execució
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Els detalls de les operacions realitzades.
DocType: Serial No,Maintenance Status,Estat de manteniment
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: es requereix Proveïdor contra el compte per pagar {2}
@@ -254,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,La sol·licitud de cotització es pot accedir fent clic al següent enllaç
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Assignar fulles per a l'any.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG Curs eina de creació
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,insuficient Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,insuficient Stock
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Planificació de la capacitat Desactivar i seguiment de temps
DocType: Email Digest,New Sales Orders,Noves ordres de venda
DocType: Bank Guarantee,Bank Account,Compte Bancari
@@ -265,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log',Actualitzat a través de 'Hora de registre'
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},quantitat d'avanç no pot ser més gran que {0} {1}
DocType: Naming Series,Series List for this Transaction,Llista de Sèries per a aquesta transacció
+DocType: Company,Enable Perpetual Inventory,Habilitar Inventari Permanent
DocType: Company,Default Payroll Payable Account,La nòmina per defecte del compte per pagar
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Grup alerta per correu electrònic
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Grup alerta per correu electrònic
DocType: Sales Invoice,Is Opening Entry,És assentament d'obertura
DocType: Customer Group,Mention if non-standard receivable account applicable,Esmenteu si compta per cobrar no estàndard aplicable
DocType: Course Schedule,Instructor Name,nom instructor
@@ -278,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Contra la factura de venda d'articles
,Production Orders in Progress,Ordres de producció en Construcció
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Efectiu net de Finançament
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage està ple, no va salvar"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage està ple, no va salvar"
DocType: Lead,Address & Contact,Direcció i Contacte
DocType: Leave Allocation,Add unused leaves from previous allocations,Afegir les fulles no utilitzats de les assignacions anteriors
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Següent Recurrent {0} es crearà a {1}
DocType: Sales Partner,Partner website,lloc web de col·laboradors
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Afegeix element
-,Contact Name,Nom de Contacte
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Nom de Contacte
DocType: Course Assessment Criteria,Course Assessment Criteria,Criteris d'avaluació del curs
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Crea nòmina per als criteris abans esmentats.
DocType: POS Customer Group,POS Customer Group,POS Grup de Clients
@@ -293,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Cap descripció donada
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Sol·licitud de venda.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Això es basa en la taula de temps creats en contra d'aquest projecte
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Pay Net no pot ser menor que 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Pay Net no pot ser menor que 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Només l'aprovador d'absències seleccionat pot presentar aquesta sol·licitud
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Alleujar data ha de ser major que la data de Unir
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Deixa per any
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Deixa per any
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Fila {0}: Si us plau, vegeu ""És Avanç 'contra el Compte {1} si es tracta d'una entrada amb antelació."
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Magatzem {0} no pertany a l'empresa {1}
DocType: Email Digest,Profit & Loss,D'pèrdues i guanys
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,litre
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,litre
DocType: Task,Total Costing Amount (via Time Sheet),Càlcul del cost total Monto (a través de fulla d'hores)
DocType: Item Website Specification,Item Website Specification,Especificacions d'article al Web
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Absència bloquejada
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Article {0} ha arribat a la seva fi de vida del {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Article {0} ha arribat a la seva fi de vida del {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,entrades bancàries
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Anual
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Estoc Reconciliació article
@@ -312,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,Quantitat de comanda mínima
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Curs eina de creació de grup d'alumnes
DocType: Lead,Do Not Contact,No entri en contacte
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,Les persones que ensenyen en la seva organització
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,Les persones que ensenyen en la seva organització
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,L'identificador únic per al seguiment de totes les factures recurrents. Es genera a enviar.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Desenvolupador de Programari
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Desenvolupador de Programari
DocType: Item,Minimum Order Qty,Quantitat de comanda mínima
DocType: Pricing Rule,Supplier Type,Tipus de Proveïdor
DocType: Course Scheduling Tool,Course Start Date,Curs Data d'Inici
@@ -323,11 +326,11 @@
DocType: Item,Publish in Hub,Publicar en el Hub
DocType: Student Admission,Student Admission,Admissió d'Estudiants
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,L'article {0} està cancel·lat
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,L'article {0} està cancel·lat
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Sol·licitud de materials
DocType: Bank Reconciliation,Update Clearance Date,Actualització Data Liquidació
DocType: Item,Purchase Details,Informació de compra
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Article {0} no es troba en 'matèries primeres subministrades' taula en l'Ordre de Compra {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Article {0} no es troba en 'matèries primeres subministrades' taula en l'Ordre de Compra {1}
DocType: Employee,Relation,Relació
DocType: Shipping Rule,Worldwide Shipping,Enviament mundial
DocType: Student Guardian,Mother,Mare
@@ -346,6 +349,7 @@
DocType: Student Group Student,Student Group Student,Estudiant grup d'alumnes
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Més recent
DocType: Vehicle Service,Inspection,inspecció
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,llista
DocType: Email Digest,New Quotations,Noves Cites
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Els correus electrònics de lliscament salarial als empleats basades en el correu electrònic preferit seleccionat en Empleat
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,El primer aprovadorde d'absències de la llista s'establirà com a predeterminat
@@ -354,20 +358,20 @@
DocType: Asset,Next Depreciation Date,Següent Depreciació Data
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Cost Activitat per Empleat
DocType: Accounts Settings,Settings for Accounts,Ajustaments de Comptes
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Proveïdor de factura no existeix en la factura de la compra {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Proveïdor de factura no existeix en la factura de la compra {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Organigrama de vendes
DocType: Job Applicant,Cover Letter,carta de presentació
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Xecs pendents i Dipòsits per aclarir
DocType: Item,Synced With Hub,Sincronitzat amb Hub
DocType: Vehicle,Fleet Manager,Fleet Manager
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Fila # {0}: {1} no pot ser negatiu per a l'element {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Contrasenya Incorrecta
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Contrasenya Incorrecta
DocType: Item,Variant Of,Variant de
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',Completat Quantitat no pot ser major que 'Cant de Fabricació'
DocType: Period Closing Voucher,Closing Account Head,Tancant el Compte principal
DocType: Employee,External Work History,Historial de treball extern
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Referència Circular Error
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,nom Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,nom Guardian1
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,En paraules (exportació) seran visibles quan es desi l'albarà de lliurament.
DocType: Cheque Print Template,Distance from left edge,Distància des la vora esquerra
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} unitats de [{1}] (# Formulari / article / {1}) que es troba en [{2}] (# Formulari / Magatzem / {2})
@@ -376,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notificació per correu electrònic a la creació de la Sol·licitud de materials automàtica
DocType: Journal Entry,Multi Currency,Multi moneda
DocType: Payment Reconciliation Invoice,Invoice Type,Tipus de Factura
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Nota de lliurament
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Nota de lliurament
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Configuració d'Impostos
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Cost d'actiu venut
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,"Entrada de pagament ha estat modificat després es va tirar d'ell. Si us plau, tiri d'ella de nou."
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} entrat dues vegades en l'Impost d'article
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Entrada de pagament ha estat modificat després es va tirar d'ell. Si us plau, tiri d'ella de nou."
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} entrat dues vegades en l'Impost d'article
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Resum per a aquesta setmana i activitats pendents
DocType: Student Applicant,Admitted,acceptat
DocType: Workstation,Rent Cost,Cost de lloguer
@@ -398,25 +402,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Si us plau, introdueixi 'Repetiu el Dia del Mes' valor del camp"
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Canvi al qual la divisa del client es converteix la moneda base del client
DocType: Course Scheduling Tool,Course Scheduling Tool,Eina de Programació de golf
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Fila # {0}: Factura de compra no es pot fer front a un actiu existent {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Fila # {0}: Factura de compra no es pot fer front a un actiu existent {1}
DocType: Item Tax,Tax Rate,Tax Rate
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} ja assignat a empleat {1} per al període {2} a {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Seleccioneu Producte
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,La Factura de compra {0} ja està Presentada
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,La Factura de compra {0} ja està Presentada
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Fila # {0}: Lot No ha de ser igual a {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Convertir la no-Group
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Lots (lot) d'un element.
DocType: C-Form Invoice Detail,Invoice Date,Data de la factura
DocType: GL Entry,Debit Amount,Suma Dèbit
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Només pot haver 1 compte per l'empresa en {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,"Si us plau, vegeu el document adjunt"
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Només pot haver 1 compte per l'empresa en {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,"Si us plau, vegeu el document adjunt"
DocType: Purchase Order,% Received,% Rebut
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Crear grups d'estudiants
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Configuració acabada !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Nota de Crèdit Monto
,Finished Goods,Béns Acabats
DocType: Delivery Note,Instructions,Instruccions
DocType: Quality Inspection,Inspected By,Inspeccionat per
DocType: Maintenance Visit,Maintenance Type,Tipus de Manteniment
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} no està inscrit en el curs {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},El número de sèrie {0} no pertany a la nota de lliurament {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,demostració ERPNext
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Afegir els articles
@@ -437,7 +443,7 @@
DocType: Request for Quotation,Request for Quotation,Sol · licitud de pressupost
DocType: Salary Slip Timesheet,Working Hours,Hores de Treball
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Canviar el número de seqüència inicial/actual d'una sèrie existent.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Crear un nou client
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Crear un nou client
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Si hi ha diverses regles de preus vàlides, es demanarà als usuaris que estableixin la prioritat manualment per resoldre el conflicte."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Crear ordres de compra
,Purchase Register,Compra de Registre
@@ -449,7 +455,7 @@
DocType: Student Log,Medical,Metge
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Motiu de pèrdua
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Propietari plom no pot ser la mateixa que la de plom
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,import assignat no pot superar l'import no ajustat
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,import assignat no pot superar l'import no ajustat
DocType: Announcement,Receiver,receptor
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Estació de treball està tancada en les següents dates segons Llista de vacances: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Oportunitats
@@ -463,8 +469,7 @@
DocType: Assessment Plan,Examiner Name,Nom de l'examinador
DocType: Purchase Invoice Item,Quantity and Rate,Quantitat i taxa
DocType: Delivery Note,% Installed,% Instal·lat
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,"Aules / laboratoris, etc., on les conferències es poden programar."
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Proveïdor> Tipus de proveïdor
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Aules / laboratoris, etc., on les conferències es poden programar."
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Si us plau introdueix el nom de l'empresa primer
DocType: Purchase Invoice,Supplier Name,Nom del proveïdor
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Llegiu el Manual ERPNext
@@ -474,7 +479,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Comprovar Proveïdor Nombre de factura Singularitat
DocType: Vehicle Service,Oil Change,Canviar l'oli
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.',"""Per al cas núm ' no pot ser inferior a 'De Cas No.'"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Sense ànim de lucre
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Sense ànim de lucre
DocType: Production Order,Not Started,Sense començar
DocType: Lead,Channel Partner,Partner de Canal
DocType: Account,Old Parent,Antic Pare
@@ -484,19 +489,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,La configuració global per a tots els processos de fabricació.
DocType: Accounts Settings,Accounts Frozen Upto,Comptes bloquejats fins a
DocType: SMS Log,Sent On,Enviar on
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Atribut {0} seleccionat diverses vegades en la taula Atributs
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Atribut {0} seleccionat diverses vegades en la taula Atributs
DocType: HR Settings,Employee record is created using selected field. ,Es crea el registre d'empleat utilitzant el camp seleccionat.
DocType: Sales Order,Not Applicable,No Aplicable
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Mestre de vacances.
DocType: Request for Quotation Item,Required Date,Data Requerit
DocType: Delivery Note,Billing Address,Direcció De Enviament
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,"Si us plau, introduïu el codi d'article."
DocType: BOM,Costing,Costejament
DocType: Tax Rule,Billing County,Comtat de facturació
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","If checked, the tax amount will be considered as already included in the Print Rate / Print Amount"
DocType: Request for Quotation,Message for Supplier,Missatge per als Proveïdors
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Quantitat total
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 ID de correu electrònic
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 ID de correu electrònic
DocType: Item,Show in Website (Variant),Mostra en el lloc web (variant)
DocType: Employee,Health Concerns,Problemes de Salut
DocType: Process Payroll,Select Payroll Period,Seleccioneu el període de nòmina
@@ -514,25 +518,27 @@
DocType: Sales Order Item,Used for Production Plan,S'utilitza per al Pla de Producció
DocType: Employee Loan,Total Payment,El pagament total
DocType: Manufacturing Settings,Time Between Operations (in mins),Temps entre operacions (en minuts)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} es va cancel·lar pel que l'acció no es pot completar
DocType: Customer,Buyer of Goods and Services.,Compradors de Productes i Serveis.
DocType: Journal Entry,Accounts Payable,Comptes Per Pagar
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Les llistes de materials seleccionats no són per al mateix article
DocType: Pricing Rule,Valid Upto,Vàlid Fins
DocType: Training Event,Workshop,Taller
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Enumerar alguns dels seus clients. Podrien ser les organitzacions o individus.
-,Enough Parts to Build,Peces suficient per construir
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Ingrés Directe
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Enumerar alguns dels seus clients. Podrien ser les organitzacions o individus.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Peces suficient per construir
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Ingrés Directe
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","No es pot filtrar en funció del compte, si agrupats per Compte"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Oficial Administratiu
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Seleccioneu de golf
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Oficial Administratiu
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Seleccioneu de golf
DocType: Timesheet Detail,Hrs,hrs
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Seleccioneu de l'empresa
DocType: Stock Entry Detail,Difference Account,Compte de diferències
+DocType: Purchase Invoice,Supplier GSTIN,GSTIN proveïdor
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,No es pot tancar tasca com no tanca la seva tasca depèn {0}.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Si us plau indica el Magatzem en què es faràa la Sol·licitud de materials
DocType: Production Order,Additional Operating Cost,Cost addicional de funcionament
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Productes cosmètics
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Per fusionar, propietats han de ser el mateix per a tots dos articles"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Per fusionar, propietats han de ser el mateix per a tots dos articles"
DocType: Shipping Rule,Net Weight,Pes Net
DocType: Employee,Emergency Phone,Telèfon d'Emergència
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,comprar
@@ -541,14 +547,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,"Si us plau, defineixi el grau de Llindar 0%"
DocType: Sales Order,To Deliver,Per Lliurar
DocType: Purchase Invoice Item,Item,Article
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Nº de sèrie article no pot ser una fracció
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Nº de sèrie article no pot ser una fracció
DocType: Journal Entry,Difference (Dr - Cr),Diferència (Dr - Cr)
DocType: Account,Profit and Loss,Pèrdues i Guanys
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Subcontractació Gestió
DocType: Project,Project will be accessible on the website to these users,Projecte serà accessible a la pàgina web a aquests usuaris
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Valor pel qual la divisa de la llista de preus es converteix a la moneda base de la companyia
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Compte {0} no pertany a la companyia: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Abreviatura ja utilitzat per una altra empresa
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Compte {0} no pertany a la companyia: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Abreviatura ja utilitzat per una altra empresa
DocType: Selling Settings,Default Customer Group,Grup predeterminat Client
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Si ho desactives, el camp 'Arrodonir Total' no serà visible a cap transacció"
DocType: BOM,Operating Cost,Cost de funcionament
@@ -556,7 +562,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Increment no pot ser 0
DocType: Production Planning Tool,Material Requirement,Requirement de Material
DocType: Company,Delete Company Transactions,Eliminar Transaccions Empresa
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,No de referència i data de referència és obligatòria per a les transaccions bancàries
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,No de referència i data de referència és obligatòria per a les transaccions bancàries
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Afegeix / Edita les taxes i càrrecs
DocType: Purchase Invoice,Supplier Invoice No,Número de Factura de Proveïdor
DocType: Territory,For reference,Per referència
@@ -567,22 +573,22 @@
DocType: Installation Note Item,Installation Note Item,Nota d'instal·lació de l'article
DocType: Production Plan Item,Pending Qty,Pendent Quantitat
DocType: Budget,Ignore,Ignorar
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} no està actiu
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} no està actiu
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS enviat als telèfons: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,dimensions de verificació de configuració per a la impressió
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,dimensions de verificació de configuració per a la impressió
DocType: Salary Slip,Salary Slip Timesheet,Part d'hores de salari de lliscament
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Magatzem obligatori per rebut de compra de subcontractació de proveïdors
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Magatzem obligatori per rebut de compra de subcontractació de proveïdors
DocType: Pricing Rule,Valid From,Vàlid des
DocType: Sales Invoice,Total Commission,Total Comissió
DocType: Pricing Rule,Sales Partner,Soci de vendes
DocType: Buying Settings,Purchase Receipt Required,Es requereix rebut de compra
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,Valoració dels tipus és obligatòria si l'obertura Stock entrar
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,Valoració dels tipus és obligatòria si l'obertura Stock entrar
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,No es troben en la taula de registres de factures
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Seleccioneu de l'empresa i el Partit Tipus primer
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Exercici comptabilitat /.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Exercici comptabilitat /.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Els valors acumulats
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Ho sentim, els números de sèrie no es poden combinar"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Fes la teva comanda de vendes
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Fes la teva comanda de vendes
DocType: Project Task,Project Task,Tasca del projecte
,Lead Id,Identificador del client potencial
DocType: C-Form Invoice Detail,Grand Total,Gran Total
@@ -599,7 +605,7 @@
DocType: Job Applicant,Resume Attachment,Adjunt currículum vitae
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Repetiu els Clients
DocType: Leave Control Panel,Allocate,Assignar
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Devolucions de vendes
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Devolucions de vendes
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Nota: Els fulls totals assignats {0} no ha de ser inferior a les fulles ja aprovats {1} per al període
DocType: Announcement,Posted By,Publicat per
DocType: Item,Delivered by Supplier (Drop Ship),Lliurat pel proveïdor (nau)
@@ -609,8 +615,8 @@
DocType: Quotation,Quotation To,Oferta per
DocType: Lead,Middle Income,Ingrés Mig
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Obertura (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unitat de mesura per defecte per a l'article {0} no es pot canviar directament perquè ja ha realitzat alguna transacció (s) amb una altra UOM. Vostè haurà de crear un nou element a utilitzar un UOM predeterminat diferent.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Suma assignat no pot ser negatiu
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unitat de mesura per defecte per a l'article {0} no es pot canviar directament perquè ja ha realitzat alguna transacció (s) amb una altra UOM. Vostè haurà de crear un nou element a utilitzar un UOM predeterminat diferent.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Suma assignat no pot ser negatiu
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Si us plau ajust la Companyia
DocType: Purchase Order Item,Billed Amt,Quantitat facturada
DocType: Training Result Employee,Training Result Employee,Empleat Formació Resultat
@@ -622,7 +628,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Seleccionar el compte de pagament per fer l'entrada del Banc
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Crear registres dels empleats per gestionar les fulles, les reclamacions de despeses i nòmina"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Afegir a la Base de Coneixement
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Redacció de propostes
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Redacció de propostes
DocType: Payment Entry Deduction,Payment Entry Deduction,El pagament Deducció d'entrada
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Hi ha una altra Sales Person {0} amb el mateix ID d'empleat
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Si està marcada, les matèries primeres per als articles que són sub-contractats seran inclosos en les sol·licituds de materials"
@@ -636,7 +642,7 @@
DocType: Timesheet,Billed,Facturat
DocType: Batch,Batch Description,Descripció lots
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,La creació de grups d'estudiants
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Pagament de comptes de porta d'enllaç no es crea, si us plau crear una manualment."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Pagament de comptes de porta d'enllaç no es crea, si us plau crear una manualment."
DocType: Sales Invoice,Sales Taxes and Charges,Els impostos i càrrecs de venda
DocType: Employee,Organization Profile,Perfil de l'organització
DocType: Student,Sibling Details,Detalls de germans
@@ -658,11 +664,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Canvi net en l'Inventari
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Administració de Préstecs empleat
DocType: Employee,Passport Number,Nombre de Passaport
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Relació amb Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Gerent
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Relació amb Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Gerent
DocType: Payment Entry,Payment From / To,El pagament de / a
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nou límit de crèdit és menor que la quantitat pendent actual per al client. límit de crèdit ha de ser almenys {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,El mateix article s'ha introduït diverses vegades.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nou límit de crèdit és menor que la quantitat pendent actual per al client. límit de crèdit ha de ser almenys {0}
DocType: SMS Settings,Receiver Parameter,Paràmetre de Receptor
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Basat En' i 'Agrupar Per' no pot ser el mateix
DocType: Sales Person,Sales Person Targets,Objectius persona de vendes
@@ -671,8 +676,9 @@
DocType: Issue,Resolution Date,Resolució Data
DocType: Student Batch Name,Batch Name,Nom del lot
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Part d'hores de creació:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},"Si us plau, estableix pagament en efectiu o Compte bancari predeterminat a la Forma de pagament {0}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},"Si us plau, estableix pagament en efectiu o Compte bancari predeterminat a la Forma de pagament {0}"
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,inscriure
+DocType: GST Settings,GST Settings,ajustaments GST
DocType: Selling Settings,Customer Naming By,Customer Naming By
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Mostrarà a l'estudiant com Estudiant Present en informes mensuals d'assistència
DocType: Depreciation Schedule,Depreciation Amount,import de l'amortització
@@ -694,6 +700,7 @@
DocType: Item,Material Transfer,Transferència de material
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Obertura (Dr)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Data i hora d'enviament ha de ser posterior a {0}
+,GST Itemised Purchase Register,GST per elements de Compra Registre
DocType: Employee Loan,Total Interest Payable,L'interès total a pagar
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Impostos i Càrrecs Landed Cost
DocType: Production Order Operation,Actual Start Time,Temps real d'inici
@@ -720,10 +727,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplir
DocType: Account,Accounts,Comptes
DocType: Vehicle,Odometer Value (Last),Valor del comptaquilòmetres (última)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Màrqueting
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Màrqueting
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Ja està creat Entrada Pagament
DocType: Purchase Receipt Item Supplied,Current Stock,Estoc actual
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Fila # {0}: {1} Actius no vinculat a l'element {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Fila # {0}: {1} Actius no vinculat a l'element {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Salari vista prèvia de lliscament
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Compte {0} s'ha introduït diverses vegades
DocType: Account,Expenses Included In Valuation,Despeses incloses en la valoració
@@ -731,7 +738,7 @@
,Absent Student Report,Informe de l'alumne absent
DocType: Email Digest,Next email will be sent on:,El següent correu electrònic s'enviarà a:
DocType: Offer Letter Term,Offer Letter Term,Present Carta Termini
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,L'article té variants.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,L'article té variants.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Article {0} no trobat
DocType: Bin,Stock Value,Estoc Valor
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Companyia {0} no existeix
@@ -740,7 +747,7 @@
DocType: Serial No,Warranty Expiry Date,Data final de garantia
DocType: Material Request Item,Quantity and Warehouse,Quantitat i Magatzem
DocType: Sales Invoice,Commission Rate (%),Comissió (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Seleccioneu Programa
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Seleccioneu Programa
DocType: Project,Estimated Cost,cost estimat
DocType: Purchase Order,Link to material requests,Enllaç a les sol·licituds de materials
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aeroespacial
@@ -754,14 +761,14 @@
DocType: Purchase Order,Supply Raw Materials,Subministrament de Matèries Primeres
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,La data en què es genera la següent factura. Es genera a enviar.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Actiu Corrent
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} no és un article d'estoc
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} no és un article d'estoc
DocType: Mode of Payment Account,Default Account,Compte predeterminat
DocType: Payment Entry,Received Amount (Company Currency),Quantitat rebuda (Companyia de divises)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,S'ha d'indicar el client potencial si la oportunitat té el seu origen en un client potencial
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,Si us plau seleccioni el dia lliure setmanal
DocType: Production Order Operation,Planned End Time,Planificació de Temps Final
,Sales Person Target Variance Item Group-Wise,Sales Person Target Variance Item Group-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,El Compte de la transacció existent no es pot convertir a llibre major
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,El Compte de la transacció existent no es pot convertir a llibre major
DocType: Delivery Note,Customer's Purchase Order No,Del client Ordre de Compra No
DocType: Budget,Budget Against,contra pressupost
DocType: Employee,Cell Number,Número de cel·la
@@ -773,15 +780,13 @@
DocType: Opportunity,Opportunity From,Oportunitat De
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Nòmina mensual.
DocType: BOM,Website Specifications,Especificacions del lloc web
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Si us plau configuració sèries de numeració per a l'assistència a través d'Configuració> sèries de numeració
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Des {0} de tipus {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Fila {0}: el factor de conversió és obligatori
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Fila {0}: el factor de conversió és obligatori
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Regles Preu múltiples existeix amb el mateix criteri, si us plau, resoldre els conflictes mitjançant l'assignació de prioritat. Regles de preus: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,No es pot desactivar o cancel·lar BOM ja que està vinculat amb altres llistes de materials
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Regles Preu múltiples existeix amb el mateix criteri, si us plau, resoldre els conflictes mitjançant l'assignació de prioritat. Regles de preus: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,No es pot desactivar o cancel·lar BOM ja que està vinculat amb altres llistes de materials
DocType: Opportunity,Maintenance,Manteniment
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Nombre de recepció de compra d'articles requerits per {0}
DocType: Item Attribute Value,Item Attribute Value,Element Atribut Valor
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Campanyes de venda.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,fer part d'hores
@@ -833,29 +838,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Actius rebutjat a través d'entrada de diari {0}
DocType: Employee Loan,Interest Income Account,Compte d'Utilitat interès
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Biotecnologia
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Despeses de manteniment d'oficines
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Despeses de manteniment d'oficines
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Configuració de comptes de correu electrònic
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Si us plau entra primer l'article
DocType: Account,Liability,Responsabilitat
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,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}.
DocType: Company,Default Cost of Goods Sold Account,Cost per defecte del compte mercaderies venudes
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Llista de preus no seleccionat
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Llista de preus no seleccionat
DocType: Employee,Family Background,Antecedents de família
DocType: Request for Quotation Supplier,Send Email,Enviar per correu electrònic
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Advertència: no vàlida Adjunt {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Advertència: no vàlida Adjunt {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,No permission
DocType: Company,Default Bank Account,Compte bancari per defecte
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Per filtrar la base de la festa, seleccioneu Partit Escrigui primer"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Actualització d'Estoc""no es pot comprovar perquè els articles no es lliuren a través de {0}"
DocType: Vehicle,Acquisition Date,Data d'adquisició
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Ens
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Ens
DocType: Item,Items with higher weightage will be shown higher,Els productes amb major coeficient de ponderació se li apareixen més alta
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Detall Conciliació Bancària
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Fila # {0}: {1} d'actius ha de ser presentat
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Fila # {0}: {1} d'actius ha de ser presentat
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,No s'ha trobat cap empeat
DocType: Supplier Quotation,Stopped,Detingut
DocType: Item,If subcontracted to a vendor,Si subcontractat a un proveïdor
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Grup d'alumnes ja està actualitzat.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Grup d'alumnes ja està actualitzat.
DocType: SMS Center,All Customer Contact,Contacte tot client
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Puja saldo d'existències a través csv.
DocType: Warehouse,Tree Details,Detalls de l'arbre
@@ -867,13 +872,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Centre de cost {2} no pertany a l'empresa {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Compte {2} no pot ser un grup
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Element Fila {} idx: {} {DOCTYPE docname} no existeix en l'anterior '{} tipus de document' taula
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Part d'hores {0} ja s'hagi completat o cancel·lat
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Part d'hores {0} ja s'hagi completat o cancel·lat
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,No hi ha tasques
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","El dia del mes en què es generarà factura acte per exemple 05, 28, etc."
DocType: Asset,Opening Accumulated Depreciation,L'obertura de la depreciació acumulada
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Score ha de ser menor que o igual a 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Eina d'Inscripció Programa
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,Registres C-Form
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,Registres C-Form
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Clients i Proveïdors
DocType: Email Digest,Email Digest Settings,Ajustos del processador d'emails
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Gràcies pel teu negoci!
@@ -883,17 +888,19 @@
DocType: Bin,Moving Average Rate,Moving Average Rate
DocType: Production Planning Tool,Select Items,Seleccionar elements
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} contra Factura {1} {2} de data
+DocType: Program Enrollment,Vehicle/Bus Number,Vehicle / Nombre Bus
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Horari del curs
DocType: Maintenance Visit,Completion Status,Estat de finalització
DocType: HR Settings,Enter retirement age in years,Introdueixi l'edat de jubilació en anys
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Magatzem destí
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Seleccioneu un magatzem
DocType: Cheque Print Template,Starting location from left edge,Posició inicial des la vora esquerra
DocType: Item,Allow over delivery or receipt upto this percent,Permetre sobre el lliurament o recepció fins aquest percentatge
DocType: Stock Entry,STE-,Stephen
DocType: Upload Attendance,Import Attendance,Importa Assistència
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Tots els grups d'articles
DocType: Process Payroll,Activity Log,Registre d'activitat
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Guany/Pèrdua neta
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Guany/Pèrdua neta
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Compondre automàticament el missatge en la presentació de les transaccions.
DocType: Production Order,Item To Manufacture,Article a fabricar
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} l'estat és {2}
@@ -902,16 +909,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Ordre de compra de Pagament
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Quantitat projectada
DocType: Sales Invoice,Payment Due Date,Data de pagament
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Article Variant {0} ja existeix amb els mateixos atributs
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Article Variant {0} ja existeix amb els mateixos atributs
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','Obertura'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Obert a fer
DocType: Notification Control,Delivery Note Message,Missatge de la Nota de lliurament
DocType: Expense Claim,Expenses,Despeses
+,Support Hours,Horari d'assistència
DocType: Item Variant Attribute,Item Variant Attribute,Article Variant Atribut
,Purchase Receipt Trends,Purchase Receipt Trends
DocType: Process Payroll,Bimonthly,bimensual
DocType: Vehicle Service,Brake Pad,Pastilla de fre
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Investigació i Desenvolupament
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Investigació i Desenvolupament
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,La quantitat a Bill
DocType: Company,Registration Details,Detalls de registre
DocType: Timesheet,Total Billed Amount,Suma total Anunciada
@@ -924,12 +932,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Només obtenció de matèries primeres
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,L'avaluació de l'acompliment.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Habilitació d ' «ús de Compres', com cistella de la compra és activat i ha d'haver almenys una regla fiscal per Compres"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Entrada de pagament {0} està enllaçat amb l'Ordre {1}, comprovar si s'ha de llençar com avanç en aquesta factura."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Entrada de pagament {0} està enllaçat amb l'Ordre {1}, comprovar si s'ha de llençar com avanç en aquesta factura."
DocType: Sales Invoice Item,Stock Details,Estoc detalls
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Valor de Projecte
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Punt de venda
DocType: Vehicle Log,Odometer Reading,La lectura del odòmetre
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","El saldo del compte ja està en crèdit, no tens permisos per establir-lo com 'El balanç ha de ser ""com ""Dèbit """
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","El saldo del compte ja està en crèdit, no tens permisos per establir-lo com 'El balanç ha de ser ""com ""Dèbit """
DocType: Account,Balance must be,El balanç ha de ser
DocType: Hub Settings,Publish Pricing,Publicar preus
DocType: Notification Control,Expense Claim Rejected Message,Missatge de rebuig de petició de despeses
@@ -939,7 +947,7 @@
DocType: Salary Slip,Working Days,Dies feiners
DocType: Serial No,Incoming Rate,Incoming Rate
DocType: Packing Slip,Gross Weight,Pes Brut
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,El nom de la teva empresa per a la qual està creant aquest sistema.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,El nom de la teva empresa per a la qual està creant aquest sistema.
DocType: HR Settings,Include holidays in Total no. of Working Days,Inclou vacances en el número total de dies laborables
DocType: Job Applicant,Hold,Mantenir
DocType: Employee,Date of Joining,Data d'ingrés
@@ -950,20 +958,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Albarà de compra
,Received Items To Be Billed,Articles rebuts per a facturar
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,nòmines presentades
-DocType: Employee,Ms,Sra
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Tipus de canvi principal.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Referència Doctype ha de ser un {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Tipus de canvi principal.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referència Doctype ha de ser un {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Incapaç de trobar la ranura de temps en els pròxims {0} dies per a l'operació {1}
DocType: Production Order,Plan material for sub-assemblies,Material de Pla de subconjunts
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Punts de venda i Territori
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,No es pot crear automàticament del compte com ja hi ha saldo d'existències en compte. Ha de crear un compte de joc abans de poder realitzar una entrada en aquest magatzem
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} ha d'estar activa
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} ha d'estar activa
DocType: Journal Entry,Depreciation Entry,Entrada depreciació
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Si us plau. Primer seleccioneu el tipus de document
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Cancel·la Visites Materials {0} abans de cancel·lar aquesta visita de manteniment
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},El número de Sèrie {0} no pertany a l'article {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Quantitat necessària
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Complexos de dipòsit de transaccions existents no es poden convertir en el llibre major.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Complexos de dipòsit de transaccions existents no es poden convertir en el llibre major.
DocType: Bank Reconciliation,Total Amount,Quantitat total
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Publicant a Internet
DocType: Production Planning Tool,Production Orders,Ordres de Producció
@@ -978,25 +984,26 @@
DocType: Fee Structure,Components,components
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},"Si us plau, introdueixi categoria d'actius en el punt {0}"
DocType: Quality Inspection Reading,Reading 6,Lectura 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,No es pot {0} {1} {2} sense cap factura pendent negatiu
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,No es pot {0} {1} {2} sense cap factura pendent negatiu
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Factura de compra anticipada
DocType: Hub Settings,Sync Now,Sincronitza ara
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Fila {0}: entrada de crèdit no pot vincular amb un {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Definir pressupost per a un exercici.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Definir pressupost per a un exercici.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,El compte bancs/efectiu predeterminat s'actualitzarà automàticament a les factures de TPV quan es selecciona aquest.
DocType: Lead,LEAD-,DIRIGIR-
DocType: Employee,Permanent Address Is,Adreça permanent
DocType: Production Order Operation,Operation completed for how many finished goods?,L'operació es va realitzar per la quantitat de productes acabats?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,La Marca
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,La Marca
DocType: Employee,Exit Interview Details,Detalls de l'entrevista final
DocType: Item,Is Purchase Item,És Compra d'articles
DocType: Asset,Purchase Invoice,Factura de Compra
DocType: Stock Ledger Entry,Voucher Detail No,Número de detall del comprovant
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Nova factura de venda
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Nova factura de venda
DocType: Stock Entry,Total Outgoing Value,Valor Total sortint
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Data i Data de Tancament d'obertura ha de ser dins el mateix any fiscal
DocType: Lead,Request for Information,Sol·licitud d'Informació
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Les factures sincronització sense connexió
+,LeaderBoard,Leaderboard
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Les factures sincronització sense connexió
DocType: Payment Request,Paid,Pagat
DocType: Program Fee,Program Fee,tarifa del programa
DocType: Salary Slip,Total in words,Total en paraules
@@ -1005,13 +1012,13 @@
DocType: Cheque Print Template,Has Print Format,Format d'impressió té
DocType: Employee Loan,Sanctioned,sancionada
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,és obligatori. Potser no es crea registre de canvi de divisa per
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Fila #{0}: Si us plau especifica el número de sèrie per l'article {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pels articles 'Producte Bundle', Magatzem, Serial No i lots No serà considerat en el quadre 'Packing List'. Si Warehouse i lots No són les mateixes per a tots els elements d'embalatge per a qualsevol element 'Producte Bundle', aquests valors es poden introduir a la taula principal de l'article, els valors es copiaran a la taula "Packing List '."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Fila #{0}: Si us plau especifica el número de sèrie per l'article {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pels articles 'Producte Bundle', Magatzem, Serial No i lots No serà considerat en el quadre 'Packing List'. Si Warehouse i lots No són les mateixes per a tots els elements d'embalatge per a qualsevol element 'Producte Bundle', aquests valors es poden introduir a la taula principal de l'article, els valors es copiaran a la taula "Packing List '."
DocType: Job Opening,Publish on website,Publicar al lloc web
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Enviaments a clients.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Factura Proveïdor La data no pot ser major que la data de publicació
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Factura Proveïdor La data no pot ser major que la data de publicació
DocType: Purchase Invoice Item,Purchase Order Item,Ordre de compra d'articles
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Ingressos Indirectes
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Ingressos Indirectes
DocType: Student Attendance Tool,Student Attendance Tool,Eina d'assistència dels estudiants
DocType: Cheque Print Template,Date Settings,Configuració de la data
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Desacord
@@ -1029,20 +1036,20 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Químic
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Defecte del compte bancari / efectiu s'actualitzarà automàticament en el Salari entrada de diari quan es selecciona aquesta manera.
DocType: BOM,Raw Material Cost(Company Currency),Prima Cost de Materials (Companyia de divises)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Tots els articles ja han estat transferits per aquesta ordre de producció.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Tots els articles ja han estat transferits per aquesta ordre de producció.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Fila # {0}: taxa no pot ser més gran que la taxa utilitzada en {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,Metre
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,Metre
DocType: Workstation,Electricity Cost,Cost d'electricitat
DocType: HR Settings,Don't send Employee Birthday Reminders,No envieu Empleat recordatoris d'aniversari
DocType: Item,Inspection Criteria,Criteris d'Inspecció
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Transferit
DocType: BOM Website Item,BOM Website Item,BOM lloc web d'articles
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Puja el teu cap lletra i logotip. (Pots editar més tard).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Puja el teu cap lletra i logotip. (Pots editar més tard).
DocType: Timesheet Detail,Bill,projecte de llei
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,La depreciació propera data s'introdueix com a data passada
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Blanc
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Blanc
DocType: SMS Center,All Lead (Open),Tots els clients potencials (Obert)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Fila {0}: Quantitat no està disponible per {4} al magatzem {1} a publicar moment de l'entrada ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Fila {0}: Quantitat no està disponible per {4} al magatzem {1} a publicar moment de l'entrada ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Obtenir bestretes pagades
DocType: Item,Automatically Create New Batch,Crear nou lot de forma automàtica
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,Fer
@@ -1052,13 +1059,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Carro de la compra
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Tipus d'ordre ha de ser un de {0}
DocType: Lead,Next Contact Date,Data del següent contacte
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Quantitat d'obertura
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,"Si us plau, introdueixi el compte per al Canvi Monto"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Quantitat d'obertura
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,"Si us plau, introdueixi el compte per al Canvi Monto"
DocType: Student Batch Name,Student Batch Name,Lot Nom de l'estudiant
DocType: Holiday List,Holiday List Name,Nom de la Llista de vacances
DocType: Repayment Schedule,Balance Loan Amount,Saldo del Préstec Monto
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Calendari de Cursos
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Opcions sobre accions
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Opcions sobre accions
DocType: Journal Entry Account,Expense Claim,Compte de despeses
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,De veres voleu restaurar aquest actiu rebutjat?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Quantitat de {0}
@@ -1070,12 +1077,12 @@
DocType: Company,Default Terms,Termes predeterminats
DocType: Packing Slip Item,Packing Slip Item,Albarà d'article
DocType: Purchase Invoice,Cash/Bank Account,Compte de Caixa / Banc
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Si us plau especificar un {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Si us plau especificar un {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Elements retirats sense canvi en la quantitat o el valor.
DocType: Delivery Note,Delivery To,Lliurar a
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Taula d'atributs és obligatori
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Taula d'atributs és obligatori
DocType: Production Planning Tool,Get Sales Orders,Rep ordres de venda
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} no pot ser negatiu
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} no pot ser negatiu
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Descompte
DocType: Asset,Total Number of Depreciations,Nombre total d'amortitzacions
DocType: Sales Invoice Item,Rate With Margin,Amb la taxa de marge
@@ -1095,7 +1102,6 @@
DocType: Serial No,Creation Document No,Creació document nº
DocType: Issue,Issue,Incidència
DocType: Asset,Scrapped,rebutjat
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Compte no coincideix amb la Companyia
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Atributs per Punt variants. per exemple, mida, color, etc."
DocType: Purchase Invoice,Returns,les devolucions
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP Magatzem
@@ -1107,12 +1113,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,L'article ha de ser afegit usant 'Obtenir elements de rebuts de compra' botó
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Incloure elements no estan en estoc
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Despeses de venda
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Despeses de venda
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Compra Standard
DocType: GL Entry,Against,Contra
DocType: Item,Default Selling Cost Center,Per defecte Centre de Cost de Venda
DocType: Sales Partner,Implementation Partner,Soci d'Aplicació
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Codi ZIP
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Codi ZIP
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Vendes Sol·licitar {0} és {1}
DocType: Opportunity,Contact Info,Informació de Contacte
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Fer comentaris Imatges
@@ -1125,31 +1131,31 @@
DocType: Holiday List,Get Weekly Off Dates,Get Weekly Off Dates
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,Data de finalització no pot ser inferior a data d'inici
DocType: Sales Person,Select company name first.,Seleccioneu el nom de l'empresa en primer lloc.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Dr
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Ofertes rebudes dels proveïdors.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Per {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Edat mitjana
DocType: School Settings,Attendance Freeze Date,L'assistència Freeze Data
DocType: Opportunity,Your sales person who will contact the customer in future,La seva persona de vendes que es comunicarà amb el client en el futur
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Enumera alguns de les teves proveïdors. Poden ser les organitzacions o individuals.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Enumera alguns de les teves proveïdors. Poden ser les organitzacions o individuals.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Veure tots els Productes
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),El plom sobre l'edat mínima (Dies)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,totes les llistes de materials
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,totes les llistes de materials
DocType: Company,Default Currency,Moneda per defecte
DocType: Expense Claim,From Employee,D'Empleat
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Advertència: El sistema no comprovarà sobrefacturació si la quantitat de l'article {0} a {1} és zero
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Advertència: El sistema no comprovarà sobrefacturació si la quantitat de l'article {0} a {1} és zero
DocType: Journal Entry,Make Difference Entry,Feu Entrada Diferència
DocType: Upload Attendance,Attendance From Date,Assistència des de data
DocType: Appraisal Template Goal,Key Performance Area,Àrea Clau d'Acompliment
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Transports
+DocType: Program Enrollment,Transportation,Transports
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Atribut no vàlid
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} s'ha de Presentar
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} s'ha de Presentar
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},La quantitat ha de ser menor que o igual a {0}
DocType: SMS Center,Total Characters,Personatges totals
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Seleccioneu la llista de materials en el camp de llista de materials per al punt {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Seleccioneu la llista de materials en el camp de llista de materials per al punt {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Invoice Detail
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Factura de Pagament de Reconciliació
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Contribució%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","D'acord amb la configuració de comprar si l'ordre de compra Obligatori == 'SÍ', a continuació, per a la creació de la factura de compra, l'usuari necessita per crear l'ordre de compra per al primer element {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Els números de registre de l'empresa per la seva referència. Nombres d'impostos, etc."
DocType: Sales Partner,Distributor,Distribuïdor
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Regles d'enviament de la cistella de lacompra
@@ -1158,23 +1164,25 @@
,Ordered Items To Be Billed,Els articles comandes a facturar
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,De Gamma ha de ser menor que en la nostra gamma
DocType: Global Defaults,Global Defaults,Valors per defecte globals
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Invitació del Projecte de Col·laboració
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Invitació del Projecte de Col·laboració
DocType: Salary Slip,Deductions,Deduccions
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Any d'inici
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},2 primers dígits de GSTIN ha de coincidir amb el nombre d'Estat {0}
DocType: Purchase Invoice,Start date of current invoice's period,Data inicial del període de facturació actual
DocType: Salary Slip,Leave Without Pay,Absències sense sou
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Planificació de la capacitat d'error
,Trial Balance for Party,Balanç de comprovació per a la festa
DocType: Lead,Consultant,Consultor
DocType: Salary Slip,Earnings,Guanys
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Article Acabat {0} ha de ser introduït per a l'entrada Tipus de Fabricació
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Article Acabat {0} ha de ser introduït per a l'entrada Tipus de Fabricació
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Obertura de Balanç de Comptabilitat
+,GST Sales Register,GST Registre de Vendes
DocType: Sales Invoice Advance,Sales Invoice Advance,Factura proforma
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Res per sol·licitar
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Un altre rècord Pressupost '{0}' ja existeix en contra {1} '{2}' per a l'any fiscal {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',La 'Data d'Inici Real' no pot ser major que la 'Data de Finalització Real'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Administració
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Administració
DocType: Cheque Print Template,Payer Settings,Configuració del pagador
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Això s'afegeix al Codi de l'article de la variant. Per exemple, si la seva abreviatura és ""SM"", i el codi de l'article és ""samarreta"", el codi de l'article de la variant serà ""SAMARRETA-SM"""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,El sou net (en paraules) serà visible un cop que es guardi la nòmina.
@@ -1191,8 +1199,8 @@
DocType: Employee Loan,Partially Disbursed,parcialment Desemborsament
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Base de dades de proveïdors.
DocType: Account,Balance Sheet,Balanç
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Centre de cost per l'article amb Codi d'article '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mode de pagament no està configurat. Si us plau, comproveu, si el compte s'ha establert en la manera de pagament o en punts de venda perfil."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Centre de cost per l'article amb Codi d'article '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mode de pagament no està configurat. Si us plau, comproveu, si el compte s'ha establert en la manera de pagament o en punts de venda perfil."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,La seva persona de vendes es posarà un avís en aquesta data per posar-se en contacte amb el client
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,El mateix article no es pot introduir diverses vegades.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Altres comptes es poden fer en grups, però les entrades es poden fer contra els no Grups"
@@ -1200,7 +1208,7 @@
DocType: Email Digest,Payables,Comptes per Pagar
DocType: Course,Course Intro,curs Introducció
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,De l'entrada {0} creat
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Fila # {0}: No aprovat Quantitat no es pot introduir en la Compra de Retorn
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Fila # {0}: No aprovat Quantitat no es pot introduir en la Compra de Retorn
,Purchase Order Items To Be Billed,Ordre de Compra articles a facturar
DocType: Purchase Invoice Item,Net Rate,Taxa neta
DocType: Purchase Invoice Item,Purchase Invoice Item,Compra Factura article
@@ -1225,7 +1233,7 @@
DocType: Sales Order,SO-,TAN-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Seleccioneu el prefix primer
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Recerca
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Recerca
DocType: Maintenance Visit Purpose,Work Done,Treballs Realitzats
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,"Si us plau, especifiqui almenys un atribut a la taula d'atributs"
DocType: Announcement,All Students,tots els alumnes
@@ -1233,17 +1241,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Veure Ledger
DocType: Grading Scale,Intervals,intervals
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Earliest
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Hi ha un grup d'articles amb el mateix nom, si us plau, canvieu el nom de l'article o del grup d'articles"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Nº d'Estudiants mòbil
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Resta del món
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Hi ha un grup d'articles amb el mateix nom, si us plau, canvieu el nom de l'article o del grup d'articles"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Nº d'Estudiants mòbil
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Resta del món
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,L'article {0} no pot tenir per lots
,Budget Variance Report,Pressupost Variància Reportar
DocType: Salary Slip,Gross Pay,Sou brut
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Fila {0}: Tipus d'activitat és obligatòria.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Dividends pagats
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Dividends pagats
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Comptabilitat principal
DocType: Stock Reconciliation,Difference Amount,Diferència Monto
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Guanys Retingudes
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Guanys Retingudes
DocType: Vehicle Log,Service Detail,Detall del servei
DocType: BOM,Item Description,Descripció de l'Article
DocType: Student Sibling,Student Sibling,germà de l'estudiant
@@ -1257,11 +1265,11 @@
DocType: Opportunity Item,Opportunity Item,Opportunity Item
,Student and Guardian Contact Details,Alumne i tutor detalls de contacte
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Fila {0}: Per proveïdor es requereix {0} Adreça de correu electrònic per enviar correu electrònic
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Obertura Temporal
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Obertura Temporal
,Employee Leave Balance,Balanç d'absències d'empleat
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Balanç per compte {0} ha de ser sempre {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Valoració dels tipus requerits per l'article a la fila {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Exemple: Mestratge en Ciències de la Computació
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Exemple: Mestratge en Ciències de la Computació
DocType: Purchase Invoice,Rejected Warehouse,Magatzem no conformitats
DocType: GL Entry,Against Voucher,Contra justificant
DocType: Item,Default Buying Cost Center,Centres de cost de compres predeterminat
@@ -1274,31 +1282,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Rep les factures pendents
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Vendes Sol·licitar {0} no és vàlid
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Les ordres de compra li ajudarà a planificar i donar seguiment a les seves compres
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Ho sentim, les empreses no poden fusionar-"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Ho sentim, les empreses no poden fusionar-"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",La quantitat total d'emissió / Transferència {0} en la Sol·licitud de material {1} \ no pot ser major que la quantitat sol·licitada {2} per a l'article {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Petit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Petit
DocType: Employee,Employee Number,Número d'empleat
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Cas No (s) ja en ús. Intenta Cas n {0}
DocType: Project,% Completed,% Completat
,Invoiced Amount (Exculsive Tax),Quantitat facturada (Impost exculsive)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Article 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Compte cap {0} creat
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,Esdeveniment de Capacitació
DocType: Item,Auto re-order,Acte reordenar
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Total Aconseguit
DocType: Employee,Place of Issue,Lloc de la incidència
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Contracte
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Contracte
DocType: Email Digest,Add Quote,Afegir Cita
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},Es necessita un factor de coversió per la UDM: {0} per l'article: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Despeses Indirectes
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Es necessita un factor de coversió per la UDM: {0} per l'article: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Despeses Indirectes
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Fila {0}: Quantitat és obligatori
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Agricultura
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sincronització de dades mestres
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Els Productes o Serveis de la teva companyia
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sincronització de dades mestres
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Els Productes o Serveis de la teva companyia
DocType: Mode of Payment,Mode of Payment,Forma de pagament
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Lloc web imatge ha de ser un arxiu públic o URL del lloc web
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Lloc web imatge ha de ser un arxiu públic o URL del lloc web
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,This is a root item group and cannot be edited.
@@ -1307,17 +1314,17 @@
DocType: Warehouse,Warehouse Contact Info,Informació del contacte del magatzem
DocType: Payment Entry,Write Off Difference Amount,Amortitzar import de la diferència
DocType: Purchase Invoice,Recurring Type,Tipus Recurrent
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: No s'ha trobat el correu electrònic dels empleats, per tant, no correu electrònic enviat"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: No s'ha trobat el correu electrònic dels empleats, per tant, no correu electrònic enviat"
DocType: Item,Foreign Trade Details,Detalls estrangera Comerç
DocType: Email Digest,Annual Income,Renda anual
DocType: Serial No,Serial No Details,Serial No Detalls
DocType: Purchase Invoice Item,Item Tax Rate,Element Tipus impositiu
DocType: Student Group Student,Group Roll Number,Nombre Rotllo Grup
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Per {0}, només els comptes de crèdit es poden vincular amb un altre seient de dèbit"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Total de tots els pesos de tasques ha de ser 1. Si us plau ajusta els pesos de totes les tasques del projecte en conseqüència
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,La Nota de lliurament {0} no està presentada
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Article {0} ha de ser un subcontractada article
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Capital Equipments
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Total de tots els pesos de tasques ha de ser 1. Si us plau ajusta els pesos de totes les tasques del projecte en conseqüència
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,La Nota de lliurament {0} no està presentada
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Article {0} ha de ser un subcontractada article
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Capital Equipments
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Regla preus es selecciona per primera basada en 'Aplicar On' camp, que pot ser d'article, grup d'articles o Marca."
DocType: Hub Settings,Seller Website,Venedor Lloc Web
DocType: Item,ITEM-,ARTICLE-
@@ -1335,7 +1342,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Només pot haver-hi una Enviament Condició de regla amb 0 o valor en blanc de ""valor"""
DocType: Authorization Rule,Transaction,Transacció
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Nota: aquest centre de costos és un Grup. No es poden fer anotacions en compte als grups.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,existeix magatzem nen per a aquest magatzem. No es pot eliminar aquest magatzem.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,existeix magatzem nen per a aquest magatzem. No es pot eliminar aquest magatzem.
DocType: Item,Website Item Groups,Grups d'article del Web
DocType: Purchase Invoice,Total (Company Currency),Total (Companyia moneda)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Nombre de sèrie {0} va entrar més d'una vegada
@@ -1345,7 +1352,7 @@
DocType: Grading Scale Interval,Grade Code,codi grau
DocType: POS Item Group,POS Item Group,POS Grup d'articles
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Enviar Resum:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} no pertany a Punt {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} no pertany a Punt {1}
DocType: Sales Partner,Target Distribution,Target Distribution
DocType: Salary Slip,Bank Account No.,Compte Bancari No.
DocType: Naming Series,This is the number of the last created transaction with this prefix,Aquest és el nombre de l'última transacció creat amb aquest prefix
@@ -1355,12 +1362,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Llibre d'Actius entrada Depreciació automàticament
DocType: BOM Operation,Workstation,Lloc de treball
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Sol·licitud de Cotització Proveïdor
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Maquinari
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Maquinari
DocType: Sales Order,Recurring Upto,Fins que es repeteix
DocType: Attendance,HR Manager,Gerent de Recursos Humans
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Seleccioneu una Empresa
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Privilege Leave
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Seleccioneu una Empresa
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Privilege Leave
DocType: Purchase Invoice,Supplier Invoice Date,Data Factura Proveïdor
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,per
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Has d'habilitar el carro de la compra
DocType: Payment Entry,Writeoff,Demanar-ho per escrit
DocType: Appraisal Template Goal,Appraisal Template Goal,Meta Plantilla Appraisal
@@ -1371,10 +1379,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,La superposició de les condicions trobades entre:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Contra Diari entrada {0} ja s'ajusta contra algun altre bo
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Valor Total de la comanda
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Menjar
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Menjar
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Rang 3 Envelliment
DocType: Maintenance Schedule Item,No of Visits,Número de Visites
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Marc Attendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Marc Attendence
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Programa de manteniment {0} existeix en contra de {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,estudiant que s'inscriu
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Divisa del compte de clausura ha de ser {0}
@@ -1388,6 +1396,7 @@
DocType: Rename Tool,Utilities,Utilitats
DocType: Purchase Invoice Item,Accounting,Comptabilitat
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Seleccioneu lots per lots per al punt
DocType: Asset,Depreciation Schedules,programes de depreciació
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Període d'aplicació no pot ser període d'assignació llicència fos
DocType: Activity Cost,Projects,Projectes
@@ -1401,6 +1410,7 @@
DocType: POS Profile,Campaign,Campanya
DocType: Supplier,Name and Type,Nom i Tipus
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Estat d'aprovació ha de ser ""Aprovat"" o ""Rebutjat"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,bootstrap
DocType: Purchase Invoice,Contact Person,Persona De Contacte
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',La 'Data Prevista d'Inici' no pot ser major que la 'Data de Finalització Prevista'
DocType: Course Scheduling Tool,Course End Date,Curs Data de finalització
@@ -1408,12 +1418,11 @@
DocType: Sales Order Item,Planned Quantity,Quantitat planificada
DocType: Purchase Invoice Item,Item Tax Amount,Suma d'impostos d'articles
DocType: Item,Maintain Stock,Mantenir Stock
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Imatges de entrades ja creades per Ordre de Producció
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Imatges de entrades ja creades per Ordre de Producció
DocType: Employee,Prefered Email,preferit per correu electrònic
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Canvi net en actius fixos
DocType: Leave Control Panel,Leave blank if considered for all designations,Deixar en blanc si es considera per a totes les designacions
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Magatzem és obligatori per als comptes no grupals de tipus d'arxiu
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Càrrec del tipus 'real' a la fila {0} no pot ser inclòs en la partida Rate
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Càrrec del tipus 'real' a la fila {0} no pot ser inclòs en la partida Rate
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,A partir de data i hora
DocType: Email Digest,For Company,Per a l'empresa
@@ -1423,15 +1432,15 @@
DocType: Sales Invoice,Shipping Address Name,Nom de l'Adreça d'enviament
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Pla General de Comptabilitat
DocType: Material Request,Terms and Conditions Content,Contingut de Termes i Condicions
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,no pot ser major que 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Article {0} no és un article d'estoc
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,no pot ser major que 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Article {0} no és un article d'estoc
DocType: Maintenance Visit,Unscheduled,No programada
DocType: Employee,Owned,Propietat de
DocType: Salary Detail,Depends on Leave Without Pay,Depèn de la llicència sense sou
DocType: Pricing Rule,"Higher the number, higher the priority","Més gran sigui el nombre, més gran és la prioritat"
,Purchase Invoice Trends,Tendències de les Factures de Compra
DocType: Employee,Better Prospects,Millors perspectives
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Fila # {0}: El lot {1} té solament {2} Quant. Si us plau seleccioni un altre lot que té {3} Cant disponible o dividir la fila en diverses files, per lliurar / tema des de diversos lots"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Fila # {0}: El lot {1} té solament {2} Quant. Si us plau seleccioni un altre lot que té {3} Cant disponible o dividir la fila en diverses files, per lliurar / tema des de diversos lots"
DocType: Vehicle,License Plate,Matrícula
DocType: Appraisal,Goals,Objectius
DocType: Warranty Claim,Warranty / AMC Status,Garantia / Estat de l'AMC
@@ -1442,7 +1451,8 @@
,Batch-Wise Balance History,Batch-Wise Balance History
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Els paràmetres d'impressió actualitzats en format d'impressió respectiu
DocType: Package Code,Package Code,codi paquet
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Aprenent
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Aprenent
+DocType: Purchase Invoice,Company GSTIN,companyia GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,No s'admenten quantitats negatives
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","Impost taula de detalls descarregui de mestre d'articles com una cadena i emmagatzemada en aquest camp.
@@ -1450,12 +1460,12 @@
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Empleat no pot informar-se a si mateix.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Si el compte està bloquejat, només es permeten entrades alguns usuaris."
DocType: Email Digest,Bank Balance,Balanç de Banc
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Entrada de Comptabilitat per a {0}: {1} només pot fer-se en moneda: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Entrada de Comptabilitat per a {0}: {1} només pot fer-se en moneda: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Perfil del lloc, formació necessària, etc."
DocType: Journal Entry Account,Account Balance,Saldo del compte
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Regla fiscal per a les transaccions.
DocType: Rename Tool,Type of document to rename.,Tipus de document per canviar el nom.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Comprem aquest article
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Comprem aquest article
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Es requereix al client contra el compte per cobrar {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Total Impostos i càrrecs (En la moneda de la Companyia)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Mostra P & L saldos sense tancar l'exercici fiscal
@@ -1466,29 +1476,30 @@
DocType: Stock Entry,Total Additional Costs,Total de despeses addicionals
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),El cost del rebuig de materials (Companyia de divises)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Sub Assemblies
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Sub Assemblies
DocType: Asset,Asset Name,Nom d'actius
DocType: Project,Task Weight,Pes de tasques
DocType: Shipping Rule Condition,To Value,Per Valor
DocType: Asset Movement,Stock Manager,Gerent
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Magatzem d'origen obligatori per a la fila {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Llista de presència
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,lloguer de l'oficina
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Magatzem d'origen obligatori per a la fila {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Llista de presència
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,lloguer de l'oficina
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Paràmetres de configuració de Porta de SMS
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Error en importar!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Sense direcció no afegeix encara.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Sense direcció no afegeix encara.
DocType: Workstation Working Hour,Workstation Working Hour,Estació de treball Hores de Treball
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Analista
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Analista
DocType: Item,Inventory,Inventari
DocType: Item,Sales Details,Detalls de venda
DocType: Quality Inspection,QI-,qi
DocType: Opportunity,With Items,Amb articles
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,En Quantitat
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,En Quantitat
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Validar matriculats Curs per a estudiants en grup d'alumnes
DocType: Notification Control,Expense Claim Rejected,Compte de despeses Rebutjat
DocType: Item,Item Attribute,Element Atribut
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Govern
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Govern
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Relació de despeses {0} ja existeix per al registre de vehicles
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,nom Institut
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,nom Institut
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,"Si us plau, ingressi la suma d'amortització"
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Variants de l'article
DocType: Company,Services,Serveis
@@ -1498,18 +1509,18 @@
DocType: Sales Invoice,Source,Font
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Mostra tancada
DocType: Leave Type,Is Leave Without Pay,Es llicencia sense sou
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Categoria actiu és obligatori per a la partida de l'actiu fix
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Categoria actiu és obligatori per a la partida de l'actiu fix
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,No hi ha registres a la taula de Pagaments
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Aquest {0} conflictes amb {1} de {2} {3}
DocType: Student Attendance Tool,Students HTML,Els estudiants HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Data d'Inici de l'Exercici fiscal
DocType: POS Profile,Apply Discount,aplicar descompte
+DocType: Purchase Invoice Item,GST HSN Code,Codi HSN GST
DocType: Employee External Work History,Total Experience,Experiència total
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,projectes oberts
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Fulla(s) d'embalatge cancel·lat
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Flux d'efectiu d'inversió
DocType: Program Course,Program Course,curs programa
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Freight and Forwarding Charges
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Freight and Forwarding Charges
DocType: Homepage,Company Tagline for website homepage,Lema de l'empresa per a la pàgina d'inici pàgina web
DocType: Item Group,Item Group Name,Nom del Grup d'Articles
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Pres
@@ -1519,6 +1530,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,crear Vendes
DocType: Maintenance Schedule,Schedules,Horaris
DocType: Purchase Invoice Item,Net Amount,Import Net
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} no s'ha presentat de manera que l'acció no es pot completar
DocType: Purchase Order Item Supplied,BOM Detail No,Detall del BOM No
DocType: Landed Cost Voucher,Additional Charges,Els càrrecs addicionals
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Import addicional de descompte (moneda Company)
@@ -1534,6 +1546,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Quantitat de pagament mensual
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,"Si us plau, estableix camp ID d'usuari en un registre d'empleat per establir Rol d'empleat"
DocType: UOM,UOM Name,Nom UDM
+DocType: GST HSN Code,HSN Code,codi HSN
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Quantitat aportada
DocType: Purchase Invoice,Shipping Address,Adreça d'nviament
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Aquesta eina us ajuda a actualitzar o corregir la quantitat i la valoració dels estocs en el sistema. Normalment s'utilitza per sincronitzar els valors del sistema i el que realment hi ha en els magatzems.
@@ -1544,17 +1557,16 @@
DocType: Program Enrollment Tool,Program Enrollments,Les inscripcions del programa
DocType: Sales Invoice Item,Brand Name,Marca
DocType: Purchase Receipt,Transporter Details,Detalls Transporter
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Es requereix dipòsit per omissió per a l'element seleccionat
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Caixa
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Es requereix dipòsit per omissió per a l'element seleccionat
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Caixa
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,possible Proveïdor
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,L'Organització
DocType: Budget,Monthly Distribution,Distribució Mensual
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"La llista de receptors és buida. Si us plau, crea la Llista de receptors"
DocType: Production Plan Sales Order,Production Plan Sales Order,Pla de Producció d'ordres de venda
DocType: Sales Partner,Sales Partner Target,Sales Partner Target
DocType: Loan Type,Maximum Loan Amount,La quantitat màxima del préstec
DocType: Pricing Rule,Pricing Rule,Regla preus
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},nombre de rotllo duplicat per a l'estudiant {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},nombre de rotllo duplicat per a l'estudiant {0}
DocType: Budget,Action if Annual Budget Exceeded,Acció Si el pressupost anual va superar
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Sol·licitud de materials d'Ordre de Compra
DocType: Shopping Cart Settings,Payment Success URL,Pagament URL Èxit
@@ -1567,11 +1579,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Obertura de la balança
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} ha d'aparèixer només una vegada
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},No es permet Tranfer més {0} de {1} contra l'Ordre de Compra {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},No es permet Tranfer més {0} de {1} contra l'Ordre de Compra {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Les fulles Numerat amb èxit per {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,No hi ha articles per embalar
DocType: Shipping Rule Condition,From Value,De Valor
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Quantitat de fabricació és obligatori
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Quantitat de fabricació és obligatori
DocType: Employee Loan,Repayment Method,Mètode d'amortització
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Si se selecciona, la pàgina d'inici serà el grup per defecte de l'article per al lloc web"
DocType: Quality Inspection Reading,Reading 4,Reading 4
@@ -1581,7 +1593,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Fila # {0}: data de liquidació {1} no pot ser anterior Xec Data {2}
DocType: Company,Default Holiday List,Per defecte Llista de vacances
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Fila {0}: Del temps i Temps de {1} es solapen amb {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Stock Liabilities
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Stock Liabilities
DocType: Purchase Invoice,Supplier Warehouse,Magatzem Proveïdor
DocType: Opportunity,Contact Mobile No,Contacte Mòbil No
,Material Requests for which Supplier Quotations are not created,Les sol·licituds de material per als quals no es creen Ofertes de Proveïdor
@@ -1592,35 +1604,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Fer Cita
apps/erpnext/erpnext/config/selling.py +216,Other Reports,altres informes
DocType: Dependent Task,Dependent Task,Tasca dependent
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Factor de conversió per a la unitat de mesura per defecte ha de ser d'1 a la fila {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Factor de conversió per a la unitat de mesura per defecte ha de ser d'1 a la fila {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Una absència del tipus {0} no pot ser de més de {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Intenta operacions per a la planificació de X dies d'antelació.
DocType: HR Settings,Stop Birthday Reminders,Aturar recordatoris d'aniversari
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},"Si us plau, estableix nòmina compte per pagar per defecte en l'empresa {0}"
DocType: SMS Center,Receiver List,Llista de receptors
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,cerca article
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,cerca article
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Quantitat consumida
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Canvi Net en Efectiu
DocType: Assessment Plan,Grading Scale,Escala de Qualificació
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,La unitat de mesura {0} s'ha introduït més d'una vegada a la taula de valors de conversió
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,La unitat de mesura {0} s'ha introduït més d'una vegada a la taula de valors de conversió
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,ja acabat
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,A la mà de la
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Sol·licitud de pagament ja existeix {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Cost d'articles Emeses
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},La quantitat no ha de ser més de {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Exercici anterior no està tancada
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Edat (dies)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Edat (dies)
DocType: Quotation Item,Quotation Item,Cita d'article
+DocType: Customer,Customer POS Id,Aneu client POS
DocType: Account,Account Name,Nom del Compte
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,De la data no pot ser més gran que A Data
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Número de sèrie {0} quantitat {1} no pot ser una fracció
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Taula mestre de tipus de proveïdor
DocType: Purchase Order Item,Supplier Part Number,PartNumber del proveïdor
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,La taxa de conversió no pot ser 0 o 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,La taxa de conversió no pot ser 0 o 1
DocType: Sales Invoice,Reference Document,Document de referència
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} està cancel·lat o parat
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} està cancel·lat o parat
DocType: Accounts Settings,Credit Controller,Credit Controller
DocType: Delivery Note,Vehicle Dispatch Date,Vehicle Dispatch Date
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,El rebut de compra {0} no està presentat
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,El rebut de compra {0} no està presentat
DocType: Company,Default Payable Account,Compte per Pagar per defecte
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Ajustaments per a la compra en línia, com les normes d'enviament, llista de preus, etc."
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% Anunciat
@@ -1639,11 +1653,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Suma total reemborsat
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Això es basa en els registres contra aquest vehicle. Veure cronologia avall per saber més
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,recollir
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Contra Proveïdor Factura {0} {1} datat
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Contra Proveïdor Factura {0} {1} datat
DocType: Customer,Default Price List,Llista de preus per defecte
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,registrar el moviment d'actius {0} creat
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,No es pot eliminar l'any fiscal {0}. Any fiscal {0} s'estableix per defecte en la configuració global
DocType: Journal Entry,Entry Type,Tipus d'entrada
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Sense pla d'avaluació relacionat amb aquest grup d'avaluació
,Customer Credit Balance,Saldo de crèdit al Client
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Canvi net en comptes per pagar
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Client requereix per a 'Descompte Customerwise'
@@ -1651,7 +1666,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,la fixació de preus
DocType: Quotation,Term Details,Detalls termini
DocType: Project,Total Sales Cost (via Sales Order),Cost total de vendes (a través d'ordres de venda)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,No es pot inscriure més de {0} estudiants d'aquest grup d'estudiants.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,No es pot inscriure més de {0} estudiants d'aquest grup d'estudiants.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Comptador de plom
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} ha de ser més gran que 0
DocType: Manufacturing Settings,Capacity Planning For (Days),Planificació de la capacitat per a (Dies)
@@ -1672,7 +1687,7 @@
DocType: Sales Invoice,Packed Items,Dinar Articles
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Reclamació de garantia davant el No. de sèrie
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Reemplaçar una llista de materials(BOM) a totes les altres llistes de materials(BOM) on s'utilitza. Substituirà l'antic enllaç de llista de materials(BOM), s'actualitzarà el cost i es regenerarà la taula ""BOM Explosionat"", segons la nova llista de materials"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total',"Total"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total',"Total"
DocType: Shopping Cart Settings,Enable Shopping Cart,Habilita Compres
DocType: Employee,Permanent Address,Adreça Permanent
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1688,9 +1703,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,Si us plau especificar Quantitat o valoració de tipus o ambdós
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,Realització
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,veure Cistella
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Despeses de Màrqueting
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Despeses de Màrqueting
,Item Shortage Report,Informe d'escassetat d'articles
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","S'esmenta Pes, \n Si us plau, ""Pes UOM"" massa"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","S'esmenta Pes, \n Si us plau, ""Pes UOM"" massa"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Sol·licitud de material utilitzat per fer aquesta entrada Stock
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,La depreciació propera data és obligatori per als nous actius
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Grup basat curs separat per a cada lot
@@ -1699,17 +1714,18 @@
,Student Fee Collection,Cobrament de l'Estudiant
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Feu Entrada Comptabilitat Per Cada moviment d'estoc
DocType: Leave Allocation,Total Leaves Allocated,Absències totals assignades
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Magatzem requerit a la fila n {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,"Si us plau, introdueixi Any vàlida Financera dates inicial i final"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Magatzem requerit a la fila n {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,"Si us plau, introdueixi Any vàlida Financera dates inicial i final"
DocType: Employee,Date Of Retirement,Data de la jubilació
DocType: Upload Attendance,Get Template,Aconsegueix Plantilla
+DocType: Material Request,Transferred,transferit
DocType: Vehicle,Doors,portes
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,Configuració ERPNext completa!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Configuració ERPNext completa!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,PD-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: es requereix de centres de cost de 'pèrdues i guanys' compte {2}. Si us plau, establir un centre de cost per defecte per a la Companyia."
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Hi ha un grup de clients amb el mateix nom, si us plau canvia el nom del client o el nom del Grup de Clients"
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Nou contacte
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Hi ha un grup de clients amb el mateix nom, si us plau canvia el nom del client o el nom del Grup de Clients"
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Nou contacte
DocType: Territory,Parent Territory,Parent Territory
DocType: Quality Inspection Reading,Reading 2,Lectura 2
DocType: Stock Entry,Material Receipt,Recepció de materials
@@ -1718,17 +1734,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Si aquest article té variants, llavors no pot ser seleccionada en les comandes de venda, etc."
DocType: Lead,Next Contact By,Següent Contactar Per
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Quantitat necessària per Punt {0} a la fila {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},Magatzem {0} no es pot eliminar com existeix quantitat d'article {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Quantitat necessària per Punt {0} a la fila {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Magatzem {0} no es pot eliminar com existeix quantitat d'article {1}
DocType: Quotation,Order Type,Tipus d'ordre
DocType: Purchase Invoice,Notification Email Address,Dir Adreça de correu electrònic per notificacions
,Item-wise Sales Register,Tema-savi Vendes Registre
DocType: Asset,Gross Purchase Amount,Compra import brut
DocType: Asset,Depreciation Method,Mètode de depreciació
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,desconnectat
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,desconnectat
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Aqeust impost està inclòs a la tarifa bàsica?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Totals de l'objectiu
-DocType: Program Course,Required,necessari
DocType: Job Applicant,Applicant for a Job,Sol·licitant d'ocupació
DocType: Production Plan Material Request,Production Plan Material Request,Producció Sol·licitud Pla de materials
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,No hi ha ordres de fabricació creades
@@ -1737,17 +1752,17 @@
DocType: Purchase Invoice Item,Batch No,Lot número
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Permetre diverses ordres de venda en contra d'un client Ordre de Compra
DocType: Student Group Instructor,Student Group Instructor,Instructor grup d'alumnes
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Sense Guardian2 mòbil
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Inici
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Sense Guardian2 mòbil
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Inici
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variant
DocType: Naming Series,Set prefix for numbering series on your transactions,Establir prefix de numeracions seriades a les transaccions
DocType: Employee Attendance Tool,Employees HTML,Els empleats HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Per defecte la llista de materials ({0}) ha d'estar actiu per aquest material o la seva plantilla
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Per defecte la llista de materials ({0}) ha d'estar actiu per aquest material o la seva plantilla
DocType: Employee,Leave Encashed?,Leave Encashed?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Oportunitat de camp és obligatori
DocType: Email Digest,Annual Expenses,Les despeses anuals
DocType: Item,Variants,Variants
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Feu l'Ordre de Compra
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Feu l'Ordre de Compra
DocType: SMS Center,Send To,Enviar a
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},There is not enough leave balance for Leave Type {0}
DocType: Payment Reconciliation Payment,Allocated amount,Monto assignat
@@ -1761,26 +1776,25 @@
DocType: Supplier,Statutory info and other general information about your Supplier,Informació legal i altra informació general sobre el Proveïdor
DocType: Item,Serial Nos and Batches,Nº de sèrie i lots
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Força grup d'alumnes
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Contra Diari entrada {0} no té cap {1} entrada inigualable
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Contra Diari entrada {0} no té cap {1} entrada inigualable
apps/erpnext/erpnext/config/hr.py +137,Appraisals,taxacions
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Número de sèrie duplicat per l'article {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Una condició per a una regla d'enviament
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,"Si us plau, entra"
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","No es pot cobrar massa a Punt de {0} a la fila {1} més {2}. Per permetre que l'excés de facturació, si us plau, defineixi en la compra d'Ajustaments"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,"Si us plau, configurar el filtre basada en l'apartat o Magatzem"
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","No es pot cobrar massa a Punt de {0} a la fila {1} més {2}. Per permetre que l'excés de facturació, si us plau, defineixi en la compra d'Ajustaments"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,"Si us plau, configurar el filtre basada en l'apartat o Magatzem"
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),El pes net d'aquest paquet. (Calculats automàticament com la suma del pes net d'articles)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Si us plau crea un compte per a aquest magatzem i vincular-. Això no es pot fer automàticament com un compte amb el nom {0} ja existeix
DocType: Sales Order,To Deliver and Bill,Per Lliurar i Bill
DocType: Student Group,Instructors,els instructors
DocType: GL Entry,Credit Amount in Account Currency,Suma de crèdit en compte Moneda
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} ha de ser presentat
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} ha de ser presentat
DocType: Authorization Control,Authorization Control,Control d'Autorització
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Fila # {0}: Magatzem Rebutjat és obligatori en la partida rebutjada {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Fila # {0}: Magatzem Rebutjat és obligatori en la partida rebutjada {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Pagament
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Magatzem {0} no està vinculada a cap compte, si us plau esmentar el compte en el registre de magatzem o un conjunt predeterminat compte d'inventari en companyia {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Gestionar les seves comandes
DocType: Production Order Operation,Actual Time and Cost,Temps real i Cost
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Per l'article {1} es poden fer un màxim de {0} sol·licituds de materials destinats a l'ordre de venda {2}
-DocType: Employee,Salutation,Salutació
DocType: Course,Course Abbreviation,Abreviatura de golf
DocType: Student Leave Application,Student Leave Application,Aplicació Deixar estudiant
DocType: Item,Will also apply for variants,També s'aplicarà per a les variants
@@ -1792,12 +1806,12 @@
DocType: Quotation Item,Actual Qty,Actual Quantitat
DocType: Sales Invoice Item,References,Referències
DocType: Quality Inspection Reading,Reading 10,Reading 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Publica els teus productes o serveis de compra o venda Assegura't de revisar el Grup d'articles, unitat de mesura i altres propietats quan comencis"
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Publica els teus productes o serveis de compra o venda Assegura't de revisar el Grup d'articles, unitat de mesura i altres propietats quan comencis"
DocType: Hub Settings,Hub Node,Node Hub
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Has introduït articles duplicats. Si us plau, rectifica-ho i torna a intentar-ho."
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Associat
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Associat
DocType: Asset Movement,Asset Movement,moviment actiu
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,nou carro
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,nou carro
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Article {0} no és un article serialitzat
DocType: SMS Center,Create Receiver List,Crear Llista de receptors
DocType: Vehicle,Wheels,rodes
@@ -1817,19 +1831,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Pot referir fila només si el tipus de càrrega és 'On Anterior Suma Fila ""o"" Anterior Fila Total'"
DocType: Sales Order Item,Delivery Warehouse,Magatzem Lliurament
DocType: SMS Settings,Message Parameter,Paràmetre del Missatge
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Arbre de Centres de costos financers.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Arbre de Centres de costos financers.
DocType: Serial No,Delivery Document No,Lliurament document nº
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Ajust 'Compte / Pèrdua de beneficis per alienacions d'actius' en la seva empresa {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Obtenir els articles des dels rebuts de compra
DocType: Serial No,Creation Date,Data de creació
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Article {0} apareix diverses vegades en el Preu de llista {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Venda de comprovar, si es selecciona aplicable Perquè {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Venda de comprovar, si es selecciona aplicable Perquè {0}"
DocType: Production Plan Material Request,Material Request Date,Data de sol·licitud de materials
DocType: Purchase Order Item,Supplier Quotation Item,Oferta del proveïdor d'article
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Desactiva la creació de registres de temps en contra de les ordres de fabricació. Les operacions no seran objecte de seguiment contra l'Ordre de Producció
DocType: Student,Student Mobile Number,Nombre mòbil Estudiant
DocType: Item,Has Variants,Té variants
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Ja ha seleccionat articles de {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Ja ha seleccionat articles de {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Nom de la Distribució Mensual
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Identificació del lot és obligatori
DocType: Sales Person,Parent Sales Person,Parent Sales Person
@@ -1839,12 +1853,12 @@
DocType: Budget,Fiscal Year,Any Fiscal
DocType: Vehicle Log,Fuel Price,Preu del combustible
DocType: Budget,Budget,Pressupost
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Actius Fixos L'article ha de ser una posició no de magatzem.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Actius Fixos L'article ha de ser una posició no de magatzem.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Pressupost no es pot assignar en contra {0}, ja que no és un compte d'ingressos o despeses"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Aconseguit
DocType: Student Admission,Application Form Route,Ruta Formulari de Sol·licitud
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Localitat / Client
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,per exemple 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,per exemple 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Deixa Tipus {0} no pot ser assignat ja que es deixa sense paga
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Fila {0}: quantitat assignada {1} ha de ser menor o igual a quantitat pendent de facturar {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,En paraules seran visibles un cop que guardi la factura de venda.
@@ -1853,7 +1867,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,L'Article {0} no està configurat per a números de sèrie. Comprova la configuració d'articles
DocType: Maintenance Visit,Maintenance Time,Temps de manteniment
,Amount to Deliver,La quantitat a Deliver
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Un producte o servei
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Un producte o servei
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"El Termini Data d'inici no pot ser anterior a la data d'inici d'any de l'any acadèmic a què està vinculat el terme (any acadèmic {}). Si us plau, corregeixi les dates i torna a intentar-ho."
DocType: Guardian,Guardian Interests,Interessos de la guarda
DocType: Naming Series,Current Value,Valor actual
@@ -1868,12 +1882,12 @@
ha de ser més gran que o igual a {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Això es basa en el moviment de valors. Veure {0} per a més detalls
DocType: Pricing Rule,Selling,Vendes
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Suma {0} {1} presenta disminuint {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Suma {0} {1} presenta disminuint {2}
DocType: Employee,Salary Information,Informació sobre sous
DocType: Sales Person,Name and Employee ID,Nom i ID d'empleat
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,Data de venciment no pot ser anterior Data de comptabilització
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,Data de venciment no pot ser anterior Data de comptabilització
DocType: Website Item Group,Website Item Group,Lloc web Grup d'articles
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Taxes i impostos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Taxes i impostos
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,"Si us plau, introduïu la data de referència"
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} entrades de pagament no es poden filtrar per {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,Taula d'article que es mostra en el lloc web
@@ -1890,9 +1904,9 @@
DocType: Payment Reconciliation Payment,Reference Row,referència Fila
DocType: Installation Note,Installation Time,Temps d'instal·lació
DocType: Sales Invoice,Accounting Details,Detalls de Comptabilitat
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Eliminar totes les transaccions per aquesta empresa
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"Fila # {0}: Operació {1} no s'ha completat per {2} Quantitat de productes acabats en ordre de producció # {3}. Si us plau, actualitzi l'estat de funcionament a través dels registres de temps"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Inversions
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Eliminar totes les transaccions per aquesta empresa
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"Fila # {0}: Operació {1} no s'ha completat per {2} Quantitat de productes acabats en ordre de producció # {3}. Si us plau, actualitzi l'estat de funcionament a través dels registres de temps"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Inversions
DocType: Issue,Resolution Details,Resolució Detalls
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,les assignacions
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Criteris d'acceptació
@@ -1917,7 +1931,7 @@
DocType: Room,Room Name,Nom de la sala
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Deixa no pot aplicar / cancel·lada abans de {0}, com a balanç de la llicència ja ha estat remès equipatge al futur registre d'assignació de permís {1}"
DocType: Activity Cost,Costing Rate,Pago Rate
-,Customer Addresses And Contacts,Adreces de clients i contactes
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Adreces de clients i contactes
,Campaign Efficiency,eficiència campanya
DocType: Discussion,Discussion,discussió
DocType: Payment Entry,Transaction ID,ID de transacció
@@ -1927,14 +1941,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Facturació quantitat total (a través de fulla d'hores)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Repetiu els ingressos dels clients
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) ha de tenir rol 'aprovador de despeses'
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Parell
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Seleccioneu la llista de materials i d'Unitats de Producció
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Parell
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Seleccioneu la llista de materials i d'Unitats de Producció
DocType: Asset,Depreciation Schedule,Programació de la depreciació
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Les adreces soci de vendes i contactes
DocType: Bank Reconciliation Detail,Against Account,Contra Compte
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Mig dia de la data ha d'estar entre De la data i Fins a la data
DocType: Maintenance Schedule Detail,Actual Date,Data actual
DocType: Item,Has Batch No,Té número de lot
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Facturació anual: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Facturació anual: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Béns i serveis (GST Índia)
DocType: Delivery Note,Excise Page Number,Excise Page Number
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Company, des de la data i fins a la data és obligatòria"
DocType: Asset,Purchase Date,Data de compra
@@ -1942,11 +1958,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Ajust 'Centre de l'amortització del cost de l'actiu' a l'empresa {0}
,Maintenance Schedules,Programes de manteniment
DocType: Task,Actual End Date (via Time Sheet),Data de finalització real (a través de fulla d'hores)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Suma {0} {1} {2} contra {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Suma {0} {1} {2} contra {3}
,Quotation Trends,Quotation Trends
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Grup L'article no esmenta en mestre d'articles per a l'article {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Dèbit al compte ha de ser un compte per cobrar
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Grup L'article no esmenta en mestre d'articles per a l'article {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Dèbit al compte ha de ser un compte per cobrar
DocType: Shipping Rule Condition,Shipping Amount,Total de l'enviament
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Afegir Clients
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,A l'espera de l'Import
DocType: Purchase Invoice Item,Conversion Factor,Factor de conversió
DocType: Purchase Order,Delivered,Alliberat
@@ -1956,7 +1973,8 @@
DocType: Purchase Receipt,Vehicle Number,Nombre de vehicles
DocType: Purchase Invoice,The date on which recurring invoice will be stop,La data en què s'atura la factura recurrent
DocType: Employee Loan,Loan Amount,Total del préstec
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Fila {0}: Llista de materials que no es troba per a l'element {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Vehicle auto-conducció
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Fila {0}: Llista de materials que no es troba per a l'element {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Total de fulls assignades {0} no pot ser inferior a les fulles ja aprovats {1} per al període
DocType: Journal Entry,Accounts Receivable,Comptes Per Cobrar
,Supplier-Wise Sales Analytics,Proveïdor-Wise Vendes Analytics
@@ -1973,21 +1991,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,El compte de despeses està pendent d'aprovació. Només l'aprovador de despeses pot actualitzar l'estat.
DocType: Email Digest,New Expenses,Les noves despeses
DocType: Purchase Invoice,Additional Discount Amount,Import addicional de descompte
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Fila # {0}: Quantitat ha de ser 1, com a element és un actiu fix. Si us plau, utilitzeu fila separada per al qty múltiple."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Fila # {0}: Quantitat ha de ser 1, com a element és un actiu fix. Si us plau, utilitzeu fila separada per al qty múltiple."
DocType: Leave Block List Allow,Leave Block List Allow,Leave Block List Allow
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Abbr no pot estar en blanc o l'espai
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr no pot estar en blanc o l'espai
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Grup de No-Grup
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Esports
DocType: Loan Type,Loan Name,Nom del préstec
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Actual total
DocType: Student Siblings,Student Siblings,Els germans dels estudiants
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Unitat
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,"Si us plau, especifiqui l'empresa"
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Unitat
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,"Si us plau, especifiqui l'empresa"
,Customer Acquisition and Loyalty,Captació i Fidelització
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Magatzem en què es desen les existències dels articles rebutjats
DocType: Production Order,Skip Material Transfer,Saltar de transferència de material
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,"No s'ha pogut trobar el tipus de canvi per a {0} a {1} per a la data clau {2}. Si us plau, crear un registre de canvi manual"
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,El seu exercici acaba el
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,"No s'ha pogut trobar el tipus de canvi per a {0} a {1} per a la data clau {2}. Si us plau, crear un registre de canvi manual"
DocType: POS Profile,Price List,Llista de preus
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} és ara l'Any Fiscal.oer defecte Si us plau, actualitzi el seu navegador perquè el canvi tingui efecte."
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Les reclamacions de despeses
@@ -2000,14 +2017,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Estoc equilibri en Lot {0} es convertirà en negativa {1} per a la partida {2} a Magatzem {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Després de sol·licituds de materials s'han plantejat de forma automàtica segons el nivell de re-ordre de l'article
DocType: Email Digest,Pending Sales Orders,A l'espera d'ordres de venda
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Compte {0} no és vàlid. Compte moneda ha de ser {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Compte {0} no és vàlid. Compte moneda ha de ser {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Es requereix el factor de conversió de la UOM a la fila {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Fila # {0}: Tipus de document de referència ha de ser una d'ordres de venda, factura de venda o entrada de diari"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Fila # {0}: Tipus de document de referència ha de ser una d'ordres de venda, factura de venda o entrada de diari"
DocType: Salary Component,Deduction,Deducció
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Fila {0}: Del temps i el temps és obligatori.
DocType: Stock Reconciliation Item,Amount Difference,diferència suma
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Article Preu afegit per {0} en Preu de llista {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Article Preu afegit per {0} en Preu de llista {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Introdueixi Empleat Id d'aquest venedor
DocType: Territory,Classification of Customers by region,Classificació dels clients per regió
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Diferència La quantitat ha de ser zero
@@ -2019,21 +2036,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Deducció total
,Production Analytics,Anàlisi de producció
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Cost Actualitzat
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Cost Actualitzat
DocType: Employee,Date of Birth,Data de naixement
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Article {0} ja s'ha tornat
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Article {0} ja s'ha tornat
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Any Fiscal ** representa un exercici financer. Els assentaments comptables i altres transaccions importants es segueixen contra ** Any Fiscal **.
DocType: Opportunity,Customer / Lead Address,Client / Direcció Plom
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Avís: certificat SSL no vàlid en la inclinació {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Avís: certificat SSL no vàlid en la inclinació {0}
DocType: Student Admission,Eligibility,Elegibilitat
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Cables ajuden a obtenir negoci, posar tots els seus contactes i més com els seus clients potencials"
DocType: Production Order Operation,Actual Operation Time,Temps real de funcionament
DocType: Authorization Rule,Applicable To (User),Aplicable a (Usuari)
DocType: Purchase Taxes and Charges,Deduct,Deduir
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Descripció del Treball
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Descripció del Treball
DocType: Student Applicant,Applied,aplicat
DocType: Sales Invoice Item,Qty as per Stock UOM,La quantitat d'existències ha d'estar expresada en la UDM
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,nom Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,nom Guardian2
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Caràcters especials excepte ""-"" ""."", ""#"", i ""/"" no permès en el nomenament de sèrie"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Porteu un registre de les campanyes de venda. Porteu un registre de conductors, Cites, comandes de venda, etc de Campanyes per mesurar retorn de la inversió."
DocType: Expense Claim,Approver,Aprovador
@@ -2044,7 +2061,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},El número de sèrie {0} està en garantia fins {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Dividir nota de lliurament en paquets.
apps/erpnext/erpnext/hooks.py +87,Shipments,Els enviaments
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,saldo del compte ({0}) per {1} i valor de les accions ({2}) per al magatzem {3} ha de ser igual
DocType: Payment Entry,Total Allocated Amount (Company Currency),Total assignat (Companyia de divises)
DocType: Purchase Order Item,To be delivered to customer,Per ser lliurat al client
DocType: BOM,Scrap Material Cost,Cost de materials de rebuig
@@ -2052,20 +2068,21 @@
DocType: Purchase Invoice,In Words (Company Currency),En paraules (Divisa de la Companyia)
DocType: Asset,Supplier,Proveïdor
DocType: C-Form,Quarter,Trimestre
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Despeses diverses
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Despeses diverses
DocType: Global Defaults,Default Company,Companyia defecte
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Despesa o compte Diferència és obligatori per Punt {0} ja que afecta el valor de valors en general
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Despesa o compte Diferència és obligatori per Punt {0} ja que afecta el valor de valors en general
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Nom del banc
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Sobre
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Sobre
DocType: Employee Loan,Employee Loan Account,Compte de Préstec empleat
DocType: Leave Application,Total Leave Days,Dies totals d'absències
DocType: Email Digest,Note: Email will not be sent to disabled users,Nota: El correu electrònic no serà enviat als usuaris amb discapacitat
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Nombre d'Interacció
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Codi de l'article> Grup Element> Marca
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Seleccioneu l'empresa ...
DocType: Leave Control Panel,Leave blank if considered for all departments,Deixar en blanc si es considera per a tots els departaments
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Tipus d'ocupació (permanent, contractats, intern etc.)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} és obligatori per l'article {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} és obligatori per l'article {1}
DocType: Process Payroll,Fortnightly,quinzenal
DocType: Currency Exchange,From Currency,De la divisa
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Seleccioneu suma assignat, Tipus factura i número de factura en almenys una fila"
@@ -2087,7 +2104,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,"Si us plau, feu clic a ""Generar la Llista d'aconseguir horari"
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,S'han produït errors mentre esborra següents horaris:
DocType: Bin,Ordered Quantity,Quantitat demanada
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","per exemple ""Construir eines per als constructors """
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","per exemple ""Construir eines per als constructors """
DocType: Grading Scale,Grading Scale Intervals,Intervals de classificació en l'escala
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Entrada de Comptabilitat per a {2} només pot fer-se en moneda: {3}
DocType: Production Order,In Process,En procés
@@ -2101,12 +2118,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Grups d'estudiants creats.
DocType: Sales Invoice,Total Billing Amount,Suma total de facturació
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,"Hi ha d'haver un defecte d'entrada compte de correu electrònic habilitat perquè això funcioni. Si us plau, configurar un compte de correu electrònic entrant per defecte (POP / IMAP) i torna a intentar-ho."
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Compte per Cobrar
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Fila # {0}: {1} d'actius ja és {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Compte per Cobrar
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Fila # {0}: {1} d'actius ja és {2}
DocType: Quotation Item,Stock Balance,Saldos d'estoc
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Ordres de venda al Pagament
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Si us plau ajust de denominació de la sèrie de {0} a través d'Configuració> Configuració> Sèrie Naming
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,CEO
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO
DocType: Expense Claim Detail,Expense Claim Detail,Reclamació de detall de despesa
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Seleccioneu el compte correcte
DocType: Item,Weight UOM,UDM del pes
@@ -2115,12 +2131,12 @@
DocType: Production Order Operation,Pending,Pendent
DocType: Course,Course Name,Nom del curs
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Els usuaris que poden aprovar les sol·licituds de llicència d'un empleat específic
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Material d'oficina
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Material d'oficina
DocType: Purchase Invoice Item,Qty,Quantitat
DocType: Fiscal Year,Companies,Empreses
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Electrònica
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Llevant Sol·licitud de material quan l'acció arriba al nivell de re-ordre
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Temps complet
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Temps complet
DocType: Salary Structure,Employees,empleats
DocType: Employee,Contact Details,Detalls de contacte
DocType: C-Form,Received Date,Data de recepció
@@ -2130,7 +2146,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Els preus no es mostren si la llista de preus no s'ha establert
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Si us plau, especifiqui un país d'aquesta Regla de la tramesa o del check Enviament mundial"
DocType: Stock Entry,Total Incoming Value,Valor Total entrant
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Es requereix dèbit per
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Es requereix dèbit per
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Taula de temps ajuden a mantenir la noció del temps, el cost i la facturació d'activitats realitzades pel seu equip"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Llista de preus de Compra
DocType: Offer Letter Term,Offer Term,Oferta Termini
@@ -2139,17 +2155,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Reconciliació de Pagaments
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,"Si us plau, seleccioneu el nom de la persona al càrrec"
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Tecnologia
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Total no pagat: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Total no pagat: {0}
DocType: BOM Website Operation,BOM Website Operation,Operació Pàgina Web de llista de materials
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Carta De Oferta
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Generar sol·licituds de materials (MRP) i ordres de producció.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Total facturat Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Total facturat Amt
DocType: BOM,Conversion Rate,Taxa de conversió
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Cercar producte
DocType: Timesheet Detail,To Time,Per Temps
DocType: Authorization Rule,Approving Role (above authorized value),Aprovar Rol (per sobre del valor autoritzat)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Crèdit al compte ha de ser un compte per pagar
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM recursiu: {0} no pot ser pare o fill de {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Crèdit al compte ha de ser un compte per pagar
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM recursiu: {0} no pot ser pare o fill de {2}
DocType: Production Order Operation,Completed Qty,Quantitat completada
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Per {0}, només els comptes de dèbit poden ser enllaçats amb una altra entrada de crèdit"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,La llista de preus {0} està deshabilitada
@@ -2160,28 +2176,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Números de sèrie necessaris per Punt {1}. Vostè ha proporcionat {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Valoració actual Taxa
DocType: Item,Customer Item Codes,Codis dels clients
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Guany en Canvi / Pèrdua
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Guany en Canvi / Pèrdua
DocType: Opportunity,Lost Reason,Raó Perdut
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Nova adreça
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Nova adreça
DocType: Quality Inspection,Sample Size,Mida de la mostra
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,"Si us plau, introdueixi recepció de documents"
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,S'han facturat tots els articles
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,S'han facturat tots els articles
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',"Si us plau, especifica un 'Des del Cas Número' vàlid"
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,"Centres de costos addicionals es poden fer en grups, però les entrades es poden fer contra els no Grups"
DocType: Project,External,Extern
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Usuaris i permisos
DocType: Vehicle Log,VLOG.,Vlog.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Ordres de fabricació creades: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Ordres de fabricació creades: {0}
DocType: Branch,Branch,Branca
DocType: Guardian,Mobile Number,Número de mòbil
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Printing and Branding
DocType: Bin,Actual Quantity,Quantitat real
DocType: Shipping Rule,example: Next Day Shipping,exemple: Enviament Dia següent
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} no trobat
-DocType: Scheduling Tool,Student Batch,lot estudiant
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Els teus Clients
+DocType: Program Enrollment,Student Batch,lot estudiant
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,fer Estudiant
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Se li ha convidat a col·laborar en el projecte: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Se li ha convidat a col·laborar en el projecte: {0}
DocType: Leave Block List Date,Block Date,Bloquejar Data
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Aplicar ara
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Quantitat real {0} / tot esperant Quantitat {1}
@@ -2190,7 +2205,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Creació i gestió de resums de correu electrònic diàries, setmanals i mensuals."
DocType: Appraisal Goal,Appraisal Goal,Avaluació Meta
DocType: Stock Reconciliation Item,Current Amount,suma actual
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,edificis
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,edificis
DocType: Fee Structure,Fee Structure,Estructura de tarifes
DocType: Timesheet Detail,Costing Amount,Pago Monto
DocType: Student Admission,Application Fee,Taxa de sol·licitud
@@ -2202,10 +2217,10 @@
DocType: POS Profile,[Select],[Seleccionar]
DocType: SMS Log,Sent To,Enviat A
DocType: Payment Request,Make Sales Invoice,Fer Factura Vendes
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,programaris
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,programaris
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Següent Contacte La data no pot ser en el passat
DocType: Company,For Reference Only.,Només de referència.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Seleccioneu Lot n
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Seleccioneu Lot n
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},No vàlida {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,Quantitat Anticipada
@@ -2215,15 +2230,15 @@
DocType: Employee,Employment Details,Detalls d'Ocupació
DocType: Employee,New Workplace,Nou lloc de treball
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Establir com Tancada
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Número d'article amb Codi de barres {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Número d'article amb Codi de barres {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Cas No. No pot ser 0
DocType: Item,Show a slideshow at the top of the page,Mostra una presentació de diapositives a la part superior de la pàgina
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Botigues
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Botigues
DocType: Serial No,Delivery Time,Temps de Lliurament
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Envelliment basat en
DocType: Item,End of Life,Final de la Vida
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Viatges
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Viatges
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Sense estructura activa o salari per defecte trobat d'empleat {0} per a les dates indicades
DocType: Leave Block List,Allow Users,Permetre que usuaris
DocType: Purchase Order,Customer Mobile No,Client Mòbil No
@@ -2232,29 +2247,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Actualització de Costos
DocType: Item Reorder,Item Reorder,Punt de reorden
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Slip Mostra Salari
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Transferir material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Transferir material
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Especifiqueu les operacions, el cost d'operació i dona una número d'operació únic a les operacions."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Aquest document està per sobre del límit de {0} {1} per a l'element {4}. Estàs fent una altra {3} contra el mateix {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Si us plau conjunt recurrent després de guardar
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Seleccioneu el canvi import del compte
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Aquest document està per sobre del límit de {0} {1} per a l'element {4}. Estàs fent una altra {3} contra el mateix {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Si us plau conjunt recurrent després de guardar
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Seleccioneu el canvi import del compte
DocType: Purchase Invoice,Price List Currency,Price List Currency
DocType: Naming Series,User must always select,Usuari sempre ha de seleccionar
DocType: Stock Settings,Allow Negative Stock,Permetre existències negatives
DocType: Installation Note,Installation Note,Nota d'instal·lació
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Afegir Impostos
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Afegir Impostos
DocType: Topic,Topic,tema
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Flux de caixa de finançament
DocType: Budget Account,Budget Account,compte pressupostària
DocType: Quality Inspection,Verified By,Verified Per
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","No es pot canviar moneda per defecte de l'empresa, perquè hi ha operacions existents. Les transaccions han de ser cancel·lades a canviar la moneda per defecte."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","No es pot canviar moneda per defecte de l'empresa, perquè hi ha operacions existents. Les transaccions han de ser cancel·lades a canviar la moneda per defecte."
DocType: Grading Scale Interval,Grade Description,grau Descripció
DocType: Stock Entry,Purchase Receipt No,Número de rebut de compra
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Diners Earnest
DocType: Process Payroll,Create Salary Slip,Crear fulla de nòmina
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,traçabilitat
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Font dels fons (Passius)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Quantitat a la fila {0} ({1}) ha de ser igual que la quantitat fabricada {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Font dels fons (Passius)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Quantitat a la fila {0} ({1}) ha de ser igual que la quantitat fabricada {2}
DocType: Appraisal,Employee,Empleat
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Seleccioneu lot
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} està totalment facturat
DocType: Training Event,End Time,Hora de finalització
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Estructura salarial activa {0} trobats per als empleats {1} dates escollides
@@ -2266,11 +2282,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Requerit Per
DocType: Rename Tool,File to Rename,Arxiu per canviar el nom de
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Seleccioneu la llista de materials per a l'article a la fila {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},BOM especificat {0} no existeix la partida {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Compte {0} no coincideix amb el de la seva empresa {1} en la manera de compte: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},BOM especificat {0} no existeix la partida {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Programa de manteniment {0} ha de ser cancel·lat abans de cancel·lar aquesta comanda de vendes
DocType: Notification Control,Expense Claim Approved,Compte de despeses Aprovat
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Nòmina dels empleats {0} ja creat per a aquest període
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Farmacèutic
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmacèutic
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,El cost d'articles comprats
DocType: Selling Settings,Sales Order Required,Ordres de venda Obligatori
DocType: Purchase Invoice,Credit To,Crèdit Per
@@ -2287,42 +2304,42 @@
DocType: Payment Gateway Account,Payment Account,Compte de Pagament
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,"Si us plau, especifiqui l'empresa per a procedir"
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Canvi net en els comptes per cobrar
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Compensatori
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Compensatori
DocType: Offer Letter,Accepted,Acceptat
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,organització
DocType: SG Creation Tool Course,Student Group Name,Nom del grup d'estudiant
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Si us plau, assegureu-vos que realment voleu esborrar totes les transaccions d'aquesta empresa. Les seves dades mestres romandran tal com és. Aquesta acció no es pot desfer."
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Si us plau, assegureu-vos que realment voleu esborrar totes les transaccions d'aquesta empresa. Les seves dades mestres romandran tal com és. Aquesta acció no es pot desfer."
DocType: Room,Room Number,Número d'habitació
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Invàlid referència {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) no pot ser major que quanitity planejat ({2}) en l'ordre de la producció {3}
DocType: Shipping Rule,Shipping Rule Label,Regla Etiqueta d'enviament
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Fòrum d'Usuaris
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Matèries primeres no poden estar en blanc.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","No s'ha pogut actualitzar valors, factura conté els articles de l'enviament de la gota."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Matèries primeres no poden estar en blanc.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","No s'ha pogut actualitzar valors, factura conté els articles de l'enviament de la gota."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Seient Ràpida
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,No es pot canviar la tarifa si el BOM va cap a un article
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,No es pot canviar la tarifa si el BOM va cap a un article
DocType: Employee,Previous Work Experience,Experiència laboral anterior
DocType: Stock Entry,For Quantity,Per Quantitat
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Si us plau entra la quantitat Planificada per l'article {0} a la fila {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} no está presentat
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Sol·licituds d'articles.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Per a la producció per separat es crearà per a cada bon article acabat.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} ha de ser negatiu en el document de devolució
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} ha de ser negatiu en el document de devolució
,Minutes to First Response for Issues,Minuts fins a la primera resposta per Temes
DocType: Purchase Invoice,Terms and Conditions1,Termes i Condicions 1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,El nom de l'institut per al qual està configurant aquest sistema.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,El nom de l'institut per al qual està configurant aquest sistema.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Assentament comptable congelat fins ara, ningú pot fer / modificar entrada excepte paper s'especifica a continuació."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,"Si us plau, guardi el document abans de generar el programa de manteniment"
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Estat del Projecte
DocType: UOM,Check this to disallow fractions. (for Nos),Habiliteu aquesta opció per no permetre fraccions. (Per números)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Es van crear les següents ordres de fabricació:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Es van crear les següents ordres de fabricació:
DocType: Student Admission,Naming Series (for Student Applicant),Sèrie de nomenclatura (per Estudiant Sol·licitant)
DocType: Delivery Note,Transporter Name,Nom Transportista
DocType: Authorization Rule,Authorized Value,Valor Autoritzat
DocType: BOM,Show Operations,Mostra Operacions
,Minutes to First Response for Opportunity,Minuts fins a la primera resposta per Oportunitats
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Total Absent
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Article o magatzem per a la fila {0} no coincideix Sol·licitud de materials
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Article o magatzem per a la fila {0} no coincideix Sol·licitud de materials
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Unitat de mesura
DocType: Fiscal Year,Year End Date,Any Data de finalització
DocType: Task Depends On,Task Depends On,Tasca Depèn de
@@ -2421,11 +2438,11 @@
DocType: Asset,Manual,manual
DocType: Salary Component Account,Salary Component Account,Compte Nòmina Component
DocType: Global Defaults,Hide Currency Symbol,Amaga Símbol de moneda
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","per exemple bancària, Efectiu, Targeta de crèdit"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","per exemple bancària, Efectiu, Targeta de crèdit"
DocType: Lead Source,Source Name,font Nom
DocType: Journal Entry,Credit Note,Nota de Crèdit
DocType: Warranty Claim,Service Address,Adreça de Servei
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Mobles i Accessoris
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Mobles i Accessoris
DocType: Item,Manufacture,Manufactura
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,"Si us plau, nota de lliurament primer"
DocType: Student Applicant,Application Date,Data de Sol·licitud
@@ -2435,7 +2452,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,No s'esmenta l'espai de dates
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Producció
DocType: Guardian,Occupation,ocupació
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Si us plau configuració Empleat Sistema de noms de Recursos Humans> Configuració de recursos humans
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Fila {0}: Data d'inici ha de ser anterior Data de finalització
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Total (Quantitat)
DocType: Sales Invoice,This Document,aquest document
@@ -2447,19 +2463,19 @@
DocType: Purchase Receipt,Time at which materials were received,Moment en què es van rebre els materials
DocType: Stock Ledger Entry,Outgoing Rate,Sortint Rate
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organization branch master.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,o
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,o
DocType: Sales Order,Billing Status,Estat de facturació
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Informa d'un problema
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Despeses de serveis públics
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Despeses de serveis públics
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,Per sobre de 90-
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Fila # {0}: Seient {1} no té en compte {2} o ja compara amb un altre bo
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Fila # {0}: Seient {1} no té en compte {2} o ja compara amb un altre bo
DocType: Buying Settings,Default Buying Price List,Llista de preus per defecte
DocType: Process Payroll,Salary Slip Based on Timesheet,Sobre la base de nòmina de part d'hores
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Cap empleat per als criteris anteriorment seleccionat o nòmina ja creat
DocType: Notification Control,Sales Order Message,Sol·licitar Sales Missatge
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Establir valors predeterminats com a Empresa, vigència actual any fiscal, etc."
DocType: Payment Entry,Payment Type,Tipus de Pagament
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Seleccioneu un lot d'articles per {0}. No és possible trobar un únic lot que compleix amb aquest requisit
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Seleccioneu un lot d'articles per {0}. No és possible trobar un únic lot que compleix amb aquest requisit
DocType: Process Payroll,Select Employees,Seleccioneu Empleats
DocType: Opportunity,Potential Sales Deal,Tracte de vendes potencials
DocType: Payment Entry,Cheque/Reference Date,Xec / Data de referència
@@ -2479,7 +2495,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,document de recepció ha de ser presentat
DocType: Purchase Invoice Item,Received Qty,Quantitat rebuda
DocType: Stock Entry Detail,Serial No / Batch,Número de sèrie / lot
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,"No satisfets, i no lliurats"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,"No satisfets, i no lliurats"
DocType: Product Bundle,Parent Item,Article Pare
DocType: Account,Account Type,Tipus de compte
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2493,24 +2509,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),La identificació del paquet per al lliurament (per imprimir)
DocType: Bin,Reserved Quantity,Quantitat reservades
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,"Si us plau, introdueixi l'adreça de correu electrònic vàlida"
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},No hi ha un curs obligatori per al programa {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Rebut de compra d'articles
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Formes Personalització
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,arriar
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,arriar
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Import de l'amortització durant el període
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,plantilla persones amb discapacitat no ha de ser plantilla per defecte
DocType: Account,Income Account,Compte d'ingressos
DocType: Payment Request,Amount in customer's currency,Suma de la moneda del client
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Lliurament
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Lliurament
DocType: Stock Reconciliation Item,Current Qty,Quantitat actual
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section","Vegeu ""Taxa de materials basats en"" a la Secció Costea"
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,anterior
DocType: Appraisal Goal,Key Responsibility Area,Àrea de Responsabilitat clau
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Els lots dels estudiants ajuden a realitzar un seguiment d'assistència, avaluacions i quotes per als estudiants"
DocType: Payment Entry,Total Allocated Amount,total assignat
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Establir compte d'inventari predeterminat d'inventari perpetu
DocType: Item Reorder,Material Request Type,Material de Sol·licitud Tipus
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Entrada de diari Accural per a salaris de {0} a {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage està plena, no va salvar"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage està plena, no va salvar"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Fila {0}: UOM factor de conversió és obligatori
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Àrbitre
DocType: Budget,Cost Center,Centre de Cost
@@ -2523,19 +2539,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Regla de preus està feta per a sobreescriure la llista de preus/defineix percentatge de descompte, en base a algun criteri."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Magatzem només es pot canviar a través d'entrada d'estoc / Nota de lliurament / recepció de compra
DocType: Employee Education,Class / Percentage,Classe / Percentatge
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Director de Màrqueting i Vendes
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Impost sobre els guanys
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Director de Màrqueting i Vendes
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Impost sobre els guanys
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Si Regla preus seleccionada està fet per a 'Preu', sobreescriurà Llista de Preus. Regla preu El preu és el preu final, així que no hi ha descompte addicional s'ha d'aplicar. Per tant, en les transaccions com comandes de venda, ordres de compra, etc, es va anar a buscar al camp ""Rate"", en lloc de camp 'Preu de llista Rate'."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Seguiment dels clients potencials per tipus d'indústria.
DocType: Item Supplier,Item Supplier,Article Proveïdor
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,"Si us plau, introduïu el codi d'article per obtenir lots no"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},Please select a value for {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,"Si us plau, introduïu el codi d'article per obtenir lots no"
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Please select a value for {0} quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Totes les direccions.
DocType: Company,Stock Settings,Ajustaments d'estocs
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","La fusió només és possible si les propietats són les mateixes en tots dos registres. És el Grup, Tipus Arrel, Company"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","La fusió només és possible si les propietats són les mateixes en tots dos registres. És el Grup, Tipus Arrel, Company"
DocType: Vehicle,Electric,elèctric
DocType: Task,% Progress,% Progrés
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Guany / Pèrdua per venda d'actius
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Guany / Pèrdua per venda d'actius
DocType: Training Event,Will send an email about the event to employees with status 'Open',Enviarà un correu electrònic sobre l'esdeveniment als empleats amb l'estat 'obert'
DocType: Task,Depends on Tasks,Depèn de Tasques
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Administrar grup Client arbre.
@@ -2544,7 +2560,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Nou nom de centres de cost
DocType: Leave Control Panel,Leave Control Panel,Deixa Panell de control
DocType: Project,Task Completion,Finalització de tasques
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,No en Stock
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,No en Stock
DocType: Appraisal,HR User,HR User
DocType: Purchase Invoice,Taxes and Charges Deducted,Impostos i despeses deduïdes
apps/erpnext/erpnext/hooks.py +116,Issues,Qüestions
@@ -2555,22 +2571,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Sense nòmina trobat entre {0} i {1}
,Pending SO Items For Purchase Request,A l'espera dels Articles de la SO per la sol·licitud de compra
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Admissió d'Estudiants
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} està desactivat
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} està desactivat
DocType: Supplier,Billing Currency,Facturació moneda
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Extra gran
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra gran
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,fulles totals
,Profit and Loss Statement,Guanys i Pèrdues
DocType: Bank Reconciliation Detail,Cheque Number,Número de Xec
,Sales Browser,Analista de Vendes
DocType: Journal Entry,Total Credit,Crèdit Total
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Hi ha un altre {0} # {1} contra l'entrada de població {2}: Són els
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Local
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Local
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Préstecs i bestretes (Actius)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Deutors
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Gran
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Gran
DocType: Homepage Featured Product,Homepage Featured Product,Pàgina d'inici Producte destacat
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Tots els grups d'avaluació
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Tots els grups d'avaluació
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Magatzem nou nom
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Total {0} ({1})
DocType: C-Form Invoice Detail,Territory,Territori
@@ -2580,12 +2596,12 @@
DocType: Production Order Operation,Planned Start Time,Planificació de l'hora d'inici
DocType: Course,Assessment,valoració
DocType: Payment Entry Reference,Allocated,Situat
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Tancar Balanç i llibre Guany o Pèrdua.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Tancar Balanç i llibre Guany o Pèrdua.
DocType: Student Applicant,Application Status,Estat de la sol·licitud
DocType: Fees,Fees,taxes
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Especificar Tipus de canvi per convertir una moneda en una altra
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,L'annotació {0} està cancel·lada
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Total Monto Pendent
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Total Monto Pendent
DocType: Sales Partner,Targets,Blancs
DocType: Price List,Price List Master,Llista de preus Mestre
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Totes les transaccions de venda es poden etiquetar contra múltiples venedors ** ** perquè pugui establir i monitoritzar metes.
@@ -2629,11 +2645,11 @@
1. Adreça i contacte de la seva empresa."
DocType: Attendance,Leave Type,Tipus de llicència
DocType: Purchase Invoice,Supplier Invoice Details,Detalls de la factura del proveïdor
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"El compte de despeses / diferències ({0}) ha de ser un compte ""Guany o Pèrdua '"
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"El compte de despeses / diferències ({0}) ha de ser un compte ""Guany o Pèrdua '"
DocType: Project,Copied From,de copiat
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Nom d'error: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,escassetat
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} no associada a {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} no associada a {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Assistència per a l'empleat {0} ja està marcat
DocType: Packing Slip,If more than one package of the same type (for print),Si més d'un paquet del mateix tipus (per impressió)
,Salary Register,salari Registre
@@ -2651,22 +2667,23 @@
,Requested Qty,Sol·licitat Quantitat
DocType: Tax Rule,Use for Shopping Cart,L'ús per Compres
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},El valor {0} per a l'atribut {1} no existeix a la llista de valors d'atributs d'article vàlid per al punt {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Seleccionar números de sèrie
DocType: BOM Item,Scrap %,Scrap%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Els càrrecs es distribuiran proporcionalment basen en Quantitat o import de l'article, segons la teva selecció"
DocType: Maintenance Visit,Purposes,Propòsits
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Almenys un element ha de introduir-se amb quantitat negativa en el document de devolució
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Almenys un element ha de introduir-se amb quantitat negativa en el document de devolució
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operació {0} ja que qualsevol temps de treball disponibles a l'estació de treball {1}, trencar l'operació en múltiples operacions"
,Requested,Comanda
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Sense Observacions
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Sense Observacions
DocType: Purchase Invoice,Overdue,Endarrerit
DocType: Account,Stock Received But Not Billed,Estoc Rebudes però no facturats
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Compte arrel ha de ser un grup
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Compte arrel ha de ser un grup
DocType: Fees,FEE.,FEE.
DocType: Employee Loan,Repaid/Closed,Reemborsat / Tancat
DocType: Item,Total Projected Qty,Quantitat total projectada
DocType: Monthly Distribution,Distribution Name,Distribution Name
DocType: Course,Course Code,Codi del curs
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Inspecció de qualitat requerida per a l'article {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Inspecció de qualitat requerida per a l'article {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Rati a la qual es converteix la divisa del client es converteix en la moneda base de la companyia
DocType: Purchase Invoice Item,Net Rate (Company Currency),Taxa neta (Companyia moneda)
DocType: Salary Detail,Condition and Formula Help,Condició i la Fórmula d'Ajuda
@@ -2679,27 +2696,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Transferència de material per a la fabricació
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,El percentatge de descompte es pot aplicar ja sigui contra una llista de preus o per a tot Llista de Preus.
DocType: Purchase Invoice,Half-yearly,Semestral
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Entrada Comptabilitat de Stock
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Entrada Comptabilitat de Stock
DocType: Vehicle Service,Engine Oil,d'oli del motor
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Si us plau configuració Empleat Sistema de noms de Recursos Humans> Configuració de recursos humans
DocType: Sales Invoice,Sales Team1,Equip de Vendes 1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Article {0} no existeix
DocType: Sales Invoice,Customer Address,Direcció del client
DocType: Employee Loan,Loan Details,Detalls de préstec
+DocType: Company,Default Inventory Account,Compte d'inventari per defecte
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Fila {0}: Complet Quantitat ha de ser més gran que zero.
DocType: Purchase Invoice,Apply Additional Discount On,Aplicar addicional de descompte en les
DocType: Account,Root Type,Escrigui root
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Fila # {0}: No es pot tornar més de {1} per a l'article {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Fila # {0}: No es pot tornar més de {1} per a l'article {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Plot
DocType: Item Group,Show this slideshow at the top of the page,Mostra aquesta presentació de diapositives a la part superior de la pàgina
DocType: BOM,Item UOM,Article UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Suma d'impostos Després Quantitat de Descompte (Companyia moneda)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Magatzem destí obligatori per a la fila {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Magatzem destí obligatori per a la fila {0}
DocType: Cheque Print Template,Primary Settings,ajustos primaris
DocType: Purchase Invoice,Select Supplier Address,Seleccionar adreça del proveïdor
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Afegir Empleats
DocType: Purchase Invoice Item,Quality Inspection,Inspecció de Qualitat
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Extra Petit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Petit
DocType: Company,Standard Template,plantilla estàndard
DocType: Training Event,Theory,teoria
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Advertència: La quantitat de Material sol·licitada és inferior a la Quantitat mínima
@@ -2707,7 +2726,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entitat Legal / Subsidiari amb un gràfic separat de comptes que pertanyen a l'Organització.
DocType: Payment Request,Mute Email,Silenciar-mail
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Alimentació, begudes i tabac"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Només es pot fer el pagament contra facturats {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Només es pot fer el pagament contra facturats {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,La Comissió no pot ser major que 100
DocType: Stock Entry,Subcontract,Subcontracte
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,"Si us plau, introdueixi {0} primer"
@@ -2720,18 +2739,18 @@
DocType: SMS Log,No of Sent SMS,No d'SMS enviats
DocType: Account,Expense Account,Compte de Despeses
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Programari
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Color
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Color
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Criteris d'avaluació del pla
DocType: Training Event,Scheduled,Programat
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Sol · licitud de pressupost.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Seleccioneu l'ítem on "És de la Element" és "No" i "És d'articles de venda" és "Sí", i no hi ha un altre paquet de producte"
DocType: Student Log,Academic,acadèmic
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),avanç total ({0}) contra l'Ordre {1} no pot ser major que el total general ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),avanç total ({0}) contra l'Ordre {1} no pot ser major que el total general ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Seleccioneu Distribució Mensual de distribuir de manera desigual a través d'objectius mesos.
DocType: Purchase Invoice Item,Valuation Rate,Tarifa de Valoració
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,dièsel
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,No s'ha escollit una divisa per la llista de preus
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,No s'ha escollit una divisa per la llista de preus
,Student Monthly Attendance Sheet,Estudiant Full d'Assistència Mensual
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},L'Empleat {0} ja ha sol·licitat {1} entre {2} i {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Projecte Data d'Inici
@@ -2743,7 +2762,7 @@
DocType: BOM,Scrap,ferralla
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Administrar Punts de vendes.
DocType: Quality Inspection,Inspection Type,Tipus d'Inspecció
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Complexos de transacció existents no poden ser convertits en grup.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Complexos de transacció existents no poden ser convertits en grup.
DocType: Assessment Result Tool,Result HTML,El resultat HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Caduca el
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Afegir estudiants
@@ -2751,13 +2770,13 @@
DocType: C-Form,C-Form No,C-Form No
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,L'assistència sense marcar
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Investigador
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Investigador
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Estudiant Eina d'Inscripció Programa
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Nom o Email és obligatori
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Inspecció de qualitat entrant.
DocType: Purchase Order Item,Returned Qty,Tornat Quantitat
DocType: Employee,Exit,Sortida
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Root Type is mandatory
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root Type is mandatory
DocType: BOM,Total Cost(Company Currency),Cost total (Companyia de divises)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serial No {0} creat
DocType: Homepage,Company Description for website homepage,Descripció de l'empresa per a la pàgina d'inici pàgina web
@@ -2766,7 +2785,7 @@
DocType: Sales Invoice,Time Sheet List,Llista de fulls de temps
DocType: Employee,You can enter any date manually,Podeu introduir qualsevol data manualment
DocType: Asset Category Account,Depreciation Expense Account,Compte de despeses de depreciació
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Període De Prova
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Període De Prova
DocType: Customer Group,Only leaf nodes are allowed in transaction,Només els nodes fulla es permet l'entrada de transaccions
DocType: Expense Claim,Expense Approver,Aprovador de despeses
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Fila {0}: Avanç contra el Client ha de ser de crèdit
@@ -2779,10 +2798,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Calendari de cursos eliminen:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Registres per mantenir l'estat de lliurament de sms
DocType: Accounts Settings,Make Payment via Journal Entry,Fa el pagament via entrada de diari
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,impresa:
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,impresa:
DocType: Item,Inspection Required before Delivery,Inspecció requerida abans del lliurament
DocType: Item,Inspection Required before Purchase,Inspecció requerida abans de la compra
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Activitats pendents
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,la seva Organització
DocType: Fee Component,Fees Category,taxes Categoria
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Please enter relieving date.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
@@ -2792,9 +2812,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Nivell de Reabastecimiento
DocType: Company,Chart Of Accounts Template,Gràfic de la plantilla de Comptes
DocType: Attendance,Attendance Date,Assistència Data
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Article Preu s'actualitza per {0} de la llista de preus {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Article Preu s'actualitza per {0} de la llista de preus {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Salary breakup based on Earning and Deduction.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Compta amb nodes secundaris no es pot convertir en llibre major
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Compta amb nodes secundaris no es pot convertir en llibre major
DocType: Purchase Invoice Item,Accepted Warehouse,Magatzem Acceptat
DocType: Bank Reconciliation Detail,Posting Date,Data de publicació
DocType: Item,Valuation Method,Mètode de Valoració
@@ -2803,14 +2823,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Entrada duplicada
DocType: Program Enrollment Tool,Get Students,obtenir estudiants
DocType: Serial No,Under Warranty,Sota Garantia
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Error]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Error]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,En paraules seran visibles un cop que es guarda la comanda de vendes.
,Employee Birthday,Aniversari d'Empleat
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Eina de lots d'Assistència de l'Estudiant
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,límit creuades
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,límit creuades
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Venture Capital
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"Un terme acadèmic amb això 'Any Acadèmic' {0} i 'Nom terme' {1} ja existeix. Si us plau, modificar aquestes entrades i torneu a intentar."
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Com que hi ha transaccions existents contra l'element {0}, no es pot canviar el valor de {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Com que hi ha transaccions existents contra l'element {0}, no es pot canviar el valor de {1}"
DocType: UOM,Must be Whole Number,Ha de ser nombre enter
DocType: Leave Control Panel,New Leaves Allocated (In Days),Noves Fulles Assignats (en dies)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,El número de sèrie {0} no existeix
@@ -2819,6 +2839,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Número de factura
DocType: Shopping Cart Settings,Orders,Ordres
DocType: Employee Leave Approver,Leave Approver,Aprovador d'absències
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Seleccioneu un lot
DocType: Assessment Group,Assessment Group Name,Nom del grup d'avaluació
DocType: Manufacturing Settings,Material Transferred for Manufacture,Material transferit per a la Fabricació
DocType: Expense Claim,"A user with ""Expense Approver"" role","Un usuari amb rol de ""Aprovador de despeses"""
@@ -2828,9 +2849,10 @@
DocType: Target Detail,Target Detail,Detall Target
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,tots els treballs
DocType: Sales Order,% of materials billed against this Sales Order,% de materials facturats d'aquesta Ordre de Venda
+DocType: Program Enrollment,Mode of Transportation,Mode de Transport
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Entrada de Tancament de Període
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Un Centre de costos amb transaccions existents no es pot convertir en grup
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Suma {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Suma {0} {1} {2} {3}
DocType: Account,Depreciation,Depreciació
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Proveïdor (s)
DocType: Employee Attendance Tool,Employee Attendance Tool,Empleat Eina Assistència
@@ -2838,7 +2860,7 @@
DocType: Supplier,Credit Limit,Límit de Crèdit
DocType: Production Plan Sales Order,Salse Order Date,Salse Data de la comanda
DocType: Salary Component,Salary Component,component salari
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Les entrades de pagament {0} són no-relacionat
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Les entrades de pagament {0} són no-relacionat
DocType: GL Entry,Voucher No,Número de comprovant
,Lead Owner Efficiency,Eficiència plom propietari
DocType: Leave Allocation,Leave Allocation,Assignació d'absència
@@ -2849,11 +2871,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Plantilla de termes o contracte.
DocType: Purchase Invoice,Address and Contact,Direcció i Contacte
DocType: Cheque Print Template,Is Account Payable,És compte per pagar
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Stock no es pot actualitzar en contra rebut de compra {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Stock no es pot actualitzar en contra rebut de compra {0}
DocType: Supplier,Last Day of the Next Month,Últim dia del mes
DocType: Support Settings,Auto close Issue after 7 days,Tancament automàtic d'emissió després de 7 dies
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Deixi no poden ser distribuïdes abans {0}, com a balanç de la llicència ja ha estat remès equipatge al futur registre d'assignació de permís {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Nota: A causa / Data de referència supera permesos dies de crèdit de clients per {0} dia (es)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Nota: A causa / Data de referència supera permesos dies de crèdit de clients per {0} dia (es)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,estudiant sol·licitant
DocType: Asset Category Account,Accumulated Depreciation Account,Compte de depreciació acumulada
DocType: Stock Settings,Freeze Stock Entries,Freeze Imatges entrades
@@ -2862,35 +2884,35 @@
DocType: Activity Cost,Billing Rate,Taxa de facturació
,Qty to Deliver,Quantitat a lliurar
,Stock Analytics,Imatges Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Les operacions no poden deixar-se en blanc
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Les operacions no poden deixar-se en blanc
DocType: Maintenance Visit Purpose,Against Document Detail No,Contra Detall del document núm
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Tipus del partit és obligatori
DocType: Quality Inspection,Outgoing,Extravertida
DocType: Material Request,Requested For,Requerida Per
DocType: Quotation Item,Against Doctype,Contra Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} està cancel·lat o tancat
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} està cancel·lat o tancat
DocType: Delivery Note,Track this Delivery Note against any Project,Seguir aquesta nota de lliurament contra qualsevol projecte
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Efectiu net d'inversió
-,Is Primary Address,És Direcció Primària
DocType: Production Order,Work-in-Progress Warehouse,Magatzem de treballs en procés
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Actius {0} ha de ser presentat
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Registre d'assistència {0} existeix en contra d'estudiants {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Registre d'assistència {0} existeix en contra d'estudiants {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Referència #{0} amb data {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,La depreciació Eliminat causa de la disposició dels béns
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Administrar Direccions
DocType: Asset,Item Code,Codi de l'article
DocType: Production Planning Tool,Create Production Orders,Crear ordres de producció
DocType: Serial No,Warranty / AMC Details,Detalls de la Garantia/AMC
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Estudiants seleccionats de forma manual per al grup basat en activitats
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Estudiants seleccionats de forma manual per al grup basat en activitats
DocType: Journal Entry,User Remark,Observació de l'usuari
DocType: Lead,Market Segment,Sector de mercat
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},La quantitat pagada no pot ser superior a la quantitat pendent negativa total de {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},La quantitat pagada no pot ser superior a la quantitat pendent negativa total de {0}
DocType: Employee Internal Work History,Employee Internal Work History,Historial de treball intern de l'empleat
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Tancament (Dr)
DocType: Cheque Print Template,Cheque Size,xec Mida
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,El número de sèrie {0} no està en estoc
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Plantilla d'Impostos per a la venda de les transaccions.
DocType: Sales Invoice,Write Off Outstanding Amount,Write Off Outstanding Amount
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Compte {0} no coincideix amb el de l'empresa {1}
DocType: School Settings,Current Academic Year,Any acadèmic actual
DocType: Stock Settings,Default Stock UOM,UDM d'estoc predeterminat
DocType: Asset,Number of Depreciations Booked,Nombre de reserva Depreciacions
@@ -2905,27 +2927,27 @@
DocType: Asset,Double Declining Balance,Doble saldo decreixent
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,ordre tancat no es pot cancel·lar. Unclose per cancel·lar.
DocType: Student Guardian,Father,pare
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,"""Actualització d'Estoc 'no es pot comprovar en venda d'actius fixos"
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"""Actualització d'Estoc 'no es pot comprovar en venda d'actius fixos"
DocType: Bank Reconciliation,Bank Reconciliation,Conciliació bancària
DocType: Attendance,On Leave,De baixa
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Obtenir actualitzacions
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Compte {2} no pertany a l'empresa {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Material de Sol·licitud {0} es cancel·la o s'atura
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Afegir uns registres d'exemple
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Afegir uns registres d'exemple
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Deixa Gestió
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Agrupa Per Comptes
DocType: Sales Order,Fully Delivered,Totalment Lliurat
DocType: Lead,Lower Income,Lower Income
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Font i el magatzem de destinació no pot ser igual per fila {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Font i el magatzem de destinació no pot ser igual per fila {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Compte diferència ha de ser un tipus de compte d'Actius / Passius, ja que aquest arxiu reconciliació és una entrada d'Obertura"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Suma desemborsat no pot ser més gran que Suma del préstec {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Número d'ordre de Compra per {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Ordre de producció no s'ha creat
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Número d'ordre de Compra per {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Ordre de producció no s'ha creat
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Des de la data' ha de ser després de 'A data'
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},No es pot canviar l'estat d'estudiant {0} està vinculada amb l'aplicació de l'estudiant {1}
DocType: Asset,Fully Depreciated,Estant totalment amortitzats
,Stock Projected Qty,Quantitat d'estoc previst
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Client {0} no pertany a projectar {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Client {0} no pertany a projectar {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Assistència marcat HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Les cites són propostes, les ofertes que ha enviat als seus clients"
DocType: Sales Order,Customer's Purchase Order,Àrea de clients Ordre de Compra
@@ -2934,33 +2956,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Suma de les puntuacions de criteris d'avaluació ha de ser {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,"Si us plau, ajusteu el número d'amortitzacions Reservats"
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Valor o Quantitat
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Comandes produccions no poden ser criats per:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Minut
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Comandes produccions no poden ser criats per:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Minut
DocType: Purchase Invoice,Purchase Taxes and Charges,Compra Impostos i Càrrecs
,Qty to Receive,Quantitat a Rebre
DocType: Leave Block List,Leave Block List Allowed,Llista d'absències permeses bloquejades
DocType: Grading Scale Interval,Grading Scale Interval,Escala de Qualificació d'interval
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Reclamació de despeses per al registre de vehicles {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Descompte (%) sobre el preu de llista tarifa amb Marge
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,tots els cellers
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,tots els cellers
DocType: Sales Partner,Retailer,Detallista
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Crèdit al compte ha de ser un compte de Balanç
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Crèdit al compte ha de ser un compte de Balanç
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Tots els tipus de proveïdors
DocType: Global Defaults,Disable In Words,En desactivar Paraules
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,El codi de l'article és obligatori perquè no s'havia numerat automàticament
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,El codi de l'article és obligatori perquè no s'havia numerat automàticament
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Cita {0} no del tipus {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Programa de manteniment d'articles
DocType: Sales Order,% Delivered,% Lliurat
DocType: Production Order,PRO-,PRO-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Bank Overdraft Account
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Bank Overdraft Account
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Feu nòmina
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Fila # {0}: quantitat assignada no pot ser més gran que la quantitat pendent.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Navegar per llista de materials
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Préstecs Garantits
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Préstecs Garantits
DocType: Purchase Invoice,Edit Posting Date and Time,Edita data i hora d'enviament
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Si us plau, estableix els comptes relacionats de depreciació d'actius en Categoria {0} o de la seva empresa {1}"
DocType: Academic Term,Academic Year,Any escolar
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Saldo inicial Equitat
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Saldo inicial Equitat
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Avaluació
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},El correu electrònic enviat al proveïdor {0}
@@ -2976,7 +2998,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,El rol d'aprovador no pot ser el mateix que el rol al que la regla s'ha d'aplicar
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Donar-se de baixa d'aquest butlletí per correu electrònic
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Missatge enviat
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Compta amb nodes secundaris no es pot establir com a llibre major
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Compta amb nodes secundaris no es pot establir com a llibre major
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Velocitat a la qual la llista de preus de divises es converteix la moneda base del client
DocType: Purchase Invoice Item,Net Amount (Company Currency),Import net (Companyia moneda)
@@ -3010,7 +3032,7 @@
DocType: Expense Claim,Approval Status,Estat d'aprovació
DocType: Hub Settings,Publish Items to Hub,Publicar articles a Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},De valor ha de ser inferior al valor de la fila {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Transferència Bancària
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Transferència Bancària
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Marqueu totes les
DocType: Vehicle Log,Invoice Ref,Ref factura
DocType: Purchase Order,Recurring Order,Ordre Recurrent
@@ -3023,51 +3045,54 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,De bancs i pagaments
,Welcome to ERPNext,Benvingut a ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,El plom a la Petició
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Res més que mostrar.
DocType: Lead,From Customer,De Client
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Trucades
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Trucades
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,lots
DocType: Project,Total Costing Amount (via Time Logs),Suma total del càlcul del cost (a través dels registres de temps)
DocType: Purchase Order Item Supplied,Stock UOM,UDM de l'Estoc
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Ordre de Compra {0} no es presenta
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Ordre de Compra {0} no es presenta
DocType: Customs Tariff Number,Tariff Number,Nombre de tarifes
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Projectat
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serial No {0} no pertany al Magatzem {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Nota: El sistema no verificarà el lliurament excessiva i l'excés de reserves per Punt {0} com la quantitat o la quantitat és 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Nota: El sistema no verificarà el lliurament excessiva i l'excés de reserves per Punt {0} com la quantitat o la quantitat és 0
DocType: Notification Control,Quotation Message,Cita Missatge
DocType: Employee Loan,Employee Loan Application,Sol·licitud de Préstec empleat
DocType: Issue,Opening Date,Data d'obertura
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,L'assistència ha estat marcada amb èxit.
+DocType: Program Enrollment,Public Transport,Transport públic
DocType: Journal Entry,Remark,Observació
DocType: Purchase Receipt Item,Rate and Amount,Taxa i Quantitat
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Tipus de compte per {0} ha de ser {1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,Les fulles i les vacances
DocType: School Settings,Current Academic Term,Període acadèmic actual
DocType: Sales Order,Not Billed,No Anunciat
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Tant Magatzem ha de pertànyer al mateix Company
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Encara no hi ha contactes.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Tant Magatzem ha de pertànyer al mateix Company
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Encara no hi ha contactes.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landed Cost Monto Voucher
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Bills plantejades pels proveïdors.
DocType: POS Profile,Write Off Account,Escriu Off Compte
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Nota de càrrec Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Quantitat de Descompte
DocType: Purchase Invoice,Return Against Purchase Invoice,Retorn Contra Compra Factura
DocType: Item,Warranty Period (in days),Període de garantia (en dies)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Relació amb Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Relació amb Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Efectiu net de les operacions
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,"per exemple, l'IVA"
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,"per exemple, l'IVA"
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Article 4
DocType: Student Admission,Admission End Date,L'entrada Data de finalització
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,la subcontractació
DocType: Journal Entry Account,Journal Entry Account,Compte entrada de diari
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Grup d'Estudiants
DocType: Shopping Cart Settings,Quotation Series,Sèrie Cotització
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Hi ha un element amb el mateix nom ({0}), canvieu el nom de grup d'articles o canviar el nom de l'element"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Seleccioneu al client
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Hi ha un element amb el mateix nom ({0}), canvieu el nom de grup d'articles o canviar el nom de l'element"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Seleccioneu al client
DocType: C-Form,I,jo
DocType: Company,Asset Depreciation Cost Center,Centre de l'amortització del cost dels actius
DocType: Sales Order Item,Sales Order Date,Sol·licitar Sales Data
DocType: Sales Invoice Item,Delivered Qty,Quantitat lliurada
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Si se selecciona, tots els fills de cada element de la producció s'inclouran en les sol·licituds de materials."
DocType: Assessment Plan,Assessment Plan,pla d'avaluació
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Magatzem {0}: Empresa és obligatori
DocType: Stock Settings,Limit Percent,límit de percentatge
,Payment Period Based On Invoice Date,Període de pagament basat en Data de la factura
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Manca de canvi de moneda per {0}
@@ -3079,7 +3104,7 @@
DocType: Vehicle,Insurance Details,Detalls d'Assegurances
DocType: Account,Payable,Pagador
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,"Si us plau, introdueixi terminis d'amortització"
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Deutors ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Deutors ({0})
DocType: Pricing Rule,Margin,Marge
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Clients Nous
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Benefici Brut%
@@ -3090,16 +3115,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Part és obligatòria
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,Nom del tema
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Has de marcar compra o venda
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Seleccioneu la naturalesa del seu negoci.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Has de marcar compra o venda
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Seleccioneu la naturalesa del seu negoci.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Fila # {0}: Duplicar entrada a les Referències {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,On es realitzen les operacions de fabricació.
DocType: Asset Movement,Source Warehouse,Magatzem d'origen
DocType: Installation Note,Installation Date,Data d'instal·lació
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Fila # {0}: {1} Actius no pertany a l'empresa {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Fila # {0}: {1} Actius no pertany a l'empresa {2}
DocType: Employee,Confirmation Date,Data de confirmació
DocType: C-Form,Total Invoiced Amount,Suma total facturada
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Quantitat mínima no pot ser major que Quantitat màxima
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Quantitat mínima no pot ser major que Quantitat màxima
DocType: Account,Accumulated Depreciation,Depreciació acumulada
DocType: Stock Entry,Customer or Supplier Details,Client o proveïdor Detalls
DocType: Employee Loan Application,Required by Date,Requerit per Data
@@ -3120,22 +3145,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Mensual Distribució percentual
DocType: Territory,Territory Targets,Objectius Territori
DocType: Delivery Note,Transporter Info,Informació del transportista
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Si us plau ajust per defecte {0} a l'empresa {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Si us plau ajust per defecte {0} a l'empresa {1}
DocType: Cheque Print Template,Starting position from top edge,posició des de la vora superior de partida
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Mateix proveïdor s'ha introduït diverses vegades
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Utilitat Bruta / Pèrdua
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Article de l'ordre de compra Subministrat
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Nom de l'empresa no pot ser l'empresa
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Nom de l'empresa no pot ser l'empresa
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Caps de lletres per a les plantilles d'impressió.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Títols per a plantilles d'impressió, per exemple, factura proforma."
DocType: Student Guardian,Student Guardian,Guardià de l'estudiant
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Càrrecs de tipus de valoració no poden marcat com Inclòs
DocType: POS Profile,Update Stock,Actualització de Stock
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Proveïdor> Tipus de proveïdor
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UDMs diferents per als articles provocarà pesos nets (Total) erronis. Assegureu-vos que pes net de cada article és de la mateixa UDM.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Rate
DocType: Asset,Journal Entry for Scrap,Entrada de diari de la ferralla
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,"Si us plau, tiri d'articles de lliurament Nota"
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Entrades de diari {0} són no enllaçat
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Entrades de diari {0} són no enllaçat
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Registre de totes les comunicacions de tipus de correu electrònic, telèfon, xat, visita, etc."
DocType: Manufacturer,Manufacturers used in Items,Fabricants utilitzats en articles
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,"Si us plau, Ronda Off de centres de cost en l'empresa"
@@ -3182,33 +3208,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,Proveïdor lliura al Client
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (#Form/Item/{0}) està esgotat
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Següent data ha de ser major que la data de publicació
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Mostrar impostos ruptura
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},A causa / Data de referència no pot ser posterior a {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Mostrar impostos ruptura
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},A causa / Data de referència no pot ser posterior a {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Les dades d'importació i exportació
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","Hi entrades en existències de magatzem en contra {0}, per tant, no es pot tornar a assignar o modificar"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,No s'han trobat estudiants
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,No s'han trobat estudiants
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Data de la factura d'enviament
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Vendre
DocType: Sales Invoice,Rounded Total,Total Arrodonit
DocType: Product Bundle,List items that form the package.,Llista d'articles que formen el paquet.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Percentatge d'assignació ha de ser igual a 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,Seleccioneu Data d'entrada abans de seleccionar la festa
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Seleccioneu Data d'entrada abans de seleccionar la festa
DocType: Program Enrollment,School House,Casa de l'escola
DocType: Serial No,Out of AMC,Fora d'AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Seleccioneu Cites
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Seleccioneu Cites
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Nombre de Depreciacions reserva no pot ser més gran que el nombre total d'amortitzacions
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Feu Manteniment Visita
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,"Si us plau, poseu-vos en contacte amb l'usuari que té vendes Mestre Director de {0} paper"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,"Si us plau, poseu-vos en contacte amb l'usuari que té vendes Mestre Director de {0} paper"
DocType: Company,Default Cash Account,Compte de Tresoreria predeterminat
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Companyia (no client o proveïdor) mestre.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Això es basa en la presència d'aquest Estudiant
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,No Estudiants en
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,No Estudiants en
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Afegir més elements o forma totalment oberta
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',"Si us plau, introdueixi 'la data prevista de lliurament'"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Albarans {0} ha de ser cancel·lat abans de cancel·lar aquesta comanda de vendes
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Quantitat pagada + s'amortitza La quantitat no pot ser més gran que la Gran Total
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Quantitat pagada + s'amortitza La quantitat no pot ser més gran que la Gran Total
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} no és un nombre de lot vàlida per Punt {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Note: There is not enough leave balance for Leave Type {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN invàlida o Enter NA per no registrat
DocType: Training Event,Seminar,seminari
DocType: Program Enrollment Fee,Program Enrollment Fee,Programa de quota d'inscripció
DocType: Item,Supplier Items,Articles Proveïdor
@@ -3234,27 +3260,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Article 3
DocType: Purchase Order,Customer Contact Email,Client de correu electrònic de contacte
DocType: Warranty Claim,Item and Warranty Details,Objecte i de garantia Detalls
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Codi de l'article> Grup Element> Marca
DocType: Sales Team,Contribution (%),Contribució (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Nota: L'entrada de pagament no es crearà perquè no s'ha especificat 'Caixa o compte bancari"""
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Seleccioneu el programa a cercar cursos obligatoris.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Responsabilitats
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Responsabilitats
DocType: Expense Claim Account,Expense Claim Account,Compte de Despeses
DocType: Sales Person,Sales Person Name,Nom del venedor
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,"Si us plau, introdueixi almenys 1 factura a la taula"
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Afegir usuaris
DocType: POS Item Group,Item Group,Grup d'articles
DocType: Item,Safety Stock,seguretat de la
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,% D'avanç per a una tasca no pot contenir més de 100.
DocType: Stock Reconciliation Item,Before reconciliation,Abans de la reconciliació
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Per {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Impostos i Càrrecs Afegits (Divisa de la Companyia)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,La fila de l'impost d'article {0} ha de tenir en compte el tipus d'impostos o ingressos o despeses o imposable
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,La fila de l'impost d'article {0} ha de tenir en compte el tipus d'impostos o ingressos o despeses o imposable
DocType: Sales Order,Partly Billed,Parcialment Facturat
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Element {0} ha de ser un element d'actiu fix
DocType: Item,Default BOM,BOM predeterminat
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,"Si us plau, torneu a escriure nom de l'empresa per confirmar"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Viu total Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Nota de dèbit Quantitat
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,"Si us plau, torneu a escriure nom de l'empresa per confirmar"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Viu total Amt
DocType: Journal Entry,Printing Settings,Paràmetres d'impressió
DocType: Sales Invoice,Include Payment (POS),Incloure Pagament (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Dèbit total ha de ser igual al total de crèdit. La diferència és {0}
@@ -3268,16 +3292,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,En Stock:
DocType: Notification Control,Custom Message,Missatge personalitzat
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Banca d'Inversió
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Diners en efectiu o compte bancari és obligatòria per a realitzar el registre de pagaments
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Direcció de l'estudiant
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Diners en efectiu o compte bancari és obligatòria per a realitzar el registre de pagaments
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Si us plau configuració sèries de numeració per a l'assistència a través d'Configuració> sèries de numeració
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Direcció de l'estudiant
DocType: Purchase Invoice,Price List Exchange Rate,Tipus de canvi per a la llista de preus
DocType: Purchase Invoice Item,Rate,Tarifa
DocType: Purchase Invoice Item,Rate,Tarifa
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Intern
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,nom direcció
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Intern
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,nom direcció
DocType: Stock Entry,From BOM,A partir de la llista de materials
DocType: Assessment Code,Assessment Code,codi avaluació
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Bàsic
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Bàsic
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Operacions borsàries abans de {0} es congelen
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"Si us plau, feu clic a ""Generar Planificació"""
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","per exemple kg, unitat, m"
@@ -3287,11 +3312,11 @@
DocType: Salary Slip,Salary Structure,Estructura salarial
DocType: Account,Bank,Banc
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Aerolínia
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Material Issue
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Material Issue
DocType: Material Request Item,For Warehouse,Per Magatzem
DocType: Employee,Offer Date,Data d'Oferta
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Cites
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Vostè està en mode fora de línia. Vostè no serà capaç de recarregar fins que tingui la xarxa.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,Vostè està en mode fora de línia. Vostè no serà capaç de recarregar fins que tingui la xarxa.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,No hi ha grups d'estudiants van crear.
DocType: Purchase Invoice Item,Serial No,Número de sèrie
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Quantitat Mensual La devolució no pot ser més gran que Suma del préstec
@@ -3299,8 +3324,8 @@
DocType: Purchase Invoice,Print Language,Llenguatge d'impressió
DocType: Salary Slip,Total Working Hours,Temps de treball total
DocType: Stock Entry,Including items for sub assemblies,Incloent articles per subconjunts
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Introduir el valor ha de ser positiu
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Tots els territoris
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Introduir el valor ha de ser positiu
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Tots els territoris
DocType: Purchase Invoice,Items,Articles
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Estudiant ja està inscrit.
DocType: Fiscal Year,Year Name,Nom Any
@@ -3318,10 +3343,10 @@
DocType: Issue,Opening Time,Temps d'obertura
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Des i Fins a la data sol·licitada
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Securities & Commodity Exchanges
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unitat de mesura per defecte per Variant '{0}' ha de ser el mateix que a la plantilla '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unitat de mesura per defecte per Variant '{0}' ha de ser el mateix que a la plantilla '{1}'
DocType: Shipping Rule,Calculate Based On,Calcula a causa del
DocType: Delivery Note Item,From Warehouse,De Magatzem
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,No hi ha articles amb la llista de materials per a la fabricació de
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,No hi ha articles amb la llista de materials per a la fabricació de
DocType: Assessment Plan,Supervisor Name,Nom del supervisor
DocType: Program Enrollment Course,Program Enrollment Course,I matrícula Programa
DocType: Purchase Taxes and Charges,Valuation and Total,Valoració i total
@@ -3336,18 +3361,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Dies Des de la Darrera Comanda' ha de ser més gran que o igual a zero
DocType: Process Payroll,Payroll Frequency,La nòmina de freqüència
DocType: Asset,Amended From,Modificada Des de
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Matèria Primera
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Matèria Primera
DocType: Leave Application,Follow via Email,Seguiu per correu electrònic
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Les plantes i maquinàries
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Les plantes i maquinàries
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Suma d'impostos Després del Descompte
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Ajustos diàries Resum Treball
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Moneda de la llista de preus {0} no és similar amb la moneda seleccionada {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Moneda de la llista de preus {0} no és similar amb la moneda seleccionada {1}
DocType: Payment Entry,Internal Transfer,transferència interna
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Compte Nen existeix per aquest compte. No es pot eliminar aquest compte.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Compte Nen existeix per aquest compte. No es pot eliminar aquest compte.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Cal la Quantitat destí i la origen
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},No hi ha una llista de materials per defecte d'article {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},No hi ha una llista de materials per defecte d'article {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Seleccioneu Data de comptabilització primer
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Data d'obertura ha de ser abans de la data de Tancament
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Si us plau ajust de denominació de la sèrie de {0} a través d'Configuració> Configuració> Sèrie Naming
DocType: Leave Control Panel,Carry Forward,Portar endavant
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Centre de costos de les transaccions existents no es pot convertir en llibre major
DocType: Department,Days for which Holidays are blocked for this department.,Dies de festa que estan bloquejats per aquest departament.
@@ -3357,10 +3383,9 @@
DocType: Issue,Raised By (Email),Raised By (Email)
DocType: Training Event,Trainer Name,nom entrenador
DocType: Mode of Payment,General,General
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Afegir capçalera de carta
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,última Comunicació
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',No es pot deduir quan categoria és per a 'Valoració' o 'Valoració i Total'
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Enumereu els seus caps fiscals (per exemple, l'IVA, duanes, etc., sinó que han de tenir noms únics) i les seves tarifes estàndard. Això crearà una plantilla estàndard, que pot editar i afegir més tard."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Enumereu els seus caps fiscals (per exemple, l'IVA, duanes, etc., sinó que han de tenir noms únics) i les seves tarifes estàndard. Això crearà una plantilla estàndard, que pot editar i afegir més tard."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Nº de Sèrie Necessari per article serialitzat {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Els pagaments dels partits amb les factures
DocType: Journal Entry,Bank Entry,Entrada Banc
@@ -3369,16 +3394,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Afegir a la cistella
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Agrupar per
DocType: Guardian,Interests,interessos
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Activar / desactivar les divises.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Activar / desactivar les divises.
DocType: Production Planning Tool,Get Material Request,Obtenir Sol·licitud de materials
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Despeses postals
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Despeses postals
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Total (Amt)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Entreteniment i Oci
DocType: Quality Inspection,Item Serial No,Número de sèrie d'article
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Crear registres d'empleats
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Present total
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Les declaracions de comptabilitat
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Hora
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Hora
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nou Nombre de sèrie no pot tenir Warehouse. Magatzem ha de ser ajustat per Stock entrada o rebut de compra
DocType: Lead,Lead Type,Tipus de client potencial
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,No està autoritzat per aprovar els fulls de bloquejar les dates
@@ -3390,6 +3415,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,La nova llista de materials després del reemplaçament
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Punt de Venda
DocType: Payment Entry,Received Amount,quantitat rebuda
+DocType: GST Settings,GSTIN Email Sent On,GSTIN correu electrònic enviat el
+DocType: Program Enrollment,Pick/Drop by Guardian,Esculli / gota per Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Crear per la quantitat completa, fent cas omís de la quantitat que ja estan en ordre"
DocType: Account,Tax,Impost
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,no Marcat
@@ -3401,14 +3428,14 @@
DocType: Batch,Source Document Name,Font Nom del document
DocType: Job Opening,Job Title,Títol Professional
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,crear usuaris
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,gram
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,gram
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Quantitat de Fabricació ha de ser major que 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Visita informe de presa de manteniment.
DocType: Stock Entry,Update Rate and Availability,Actualització de tarifes i disponibilitat
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Percentatge que se li permet rebre o lliurar més en contra de la quantitat demanada. Per exemple: Si vostè ha demanat 100 unitats. i el subsidi és de 10%, llavors se li permet rebre 110 unitats."
DocType: POS Customer Group,Customer Group,Grup de Clients
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Nou lot d'identificació (opcional)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},El compte de despeses és obligatòria per a cada element {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},El compte de despeses és obligatòria per a cada element {0}
DocType: BOM,Website Description,Descripció del lloc web
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Canvi en el Patrimoni Net
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,"Si us plau, cancel·lar Factura de Compra {0} primera"
@@ -3418,8 +3445,8 @@
,Sales Register,Registre de vendes
DocType: Daily Work Summary Settings Company,Send Emails At,En enviar correus electrònics
DocType: Quotation,Quotation Lost Reason,Cita Perduda Raó
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Seleccioni el seu domini
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Referència de la transacció no {0} {1} datat
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Seleccioni el seu domini
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Referència de la transacció no {0} {1} datat
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,No hi ha res a editar.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Resum per a aquest mes i activitats pendents
DocType: Customer Group,Customer Group Name,Nom del grup al Client
@@ -3427,14 +3454,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Estat de fluxos d'efectiu
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Suma del préstec no pot excedir quantitat màxima del préstec de {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,llicència
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},"Si us plau, elimini aquest Factura {0} de C-Form {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},"Si us plau, elimini aquest Factura {0} de C-Form {1}"
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Seleccioneu Carry Forward si també voleu incloure el balanç de l'any fiscal anterior deixa a aquest any fiscal
DocType: GL Entry,Against Voucher Type,Contra el val tipus
DocType: Item,Attributes,Atributs
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,Si us plau indica el Compte d'annotació
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Si us plau indica el Compte d'annotació
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Darrera Data de comanda
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Compte {0} no pertany a la companyia de {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Números de sèrie en fila {0} no coincideix amb la nota de lliurament
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Números de sèrie en fila {0} no coincideix amb la nota de lliurament
DocType: Student,Guardian Details,guardià detalls
DocType: C-Form,C-Form,C-Form
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Marc d'Assistència per a diversos empleats
@@ -3449,16 +3476,16 @@
DocType: Budget Account,Budget Amount,pressupost Monto
DocType: Appraisal Template,Appraisal Template Title,Títol de plantilla d'avaluació
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},A partir de la data {0} per al Empleat {1} no pot ser abans d'unir-se Data d'empleat {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Comercial
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Comercial
DocType: Payment Entry,Account Paid To,Compte pagat fins
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Article Pare {0} no ha de ser un arxiu d'articles
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Tots els Productes o Serveis.
DocType: Expense Claim,More Details,Més detalls
DocType: Supplier Quotation,Supplier Address,Adreça del Proveïdor
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Pressupost per al compte {1} contra {2} {3} {4} és. Es superarà per {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Fila {0} # El compte ha de ser de tipus "Actiu Fix"
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Quantitat de sortida
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Regles per calcular l'import d'enviament per a una venda
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Fila {0} # El compte ha de ser de tipus "Actiu Fix"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Quantitat de sortida
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Regles per calcular l'import d'enviament per a una venda
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Sèries és obligatori
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Serveis Financers
DocType: Student Sibling,Student ID,Identificació de l'estudiant
@@ -3466,13 +3493,13 @@
DocType: Tax Rule,Sales,Venda
DocType: Stock Entry Detail,Basic Amount,Suma Bàsic
DocType: Training Event,Exam,examen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Magatzem necessari per a l'article d'estoc {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Magatzem necessari per a l'article d'estoc {0}
DocType: Leave Allocation,Unused leaves,Fulles no utilitzades
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,Estat de facturació
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Transferència
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} no associada al compte de {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Fetch exploded BOM (including sub-assemblies)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} no associada al compte de {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Fetch exploded BOM (including sub-assemblies)
DocType: Authorization Rule,Applicable To (Employee),Aplicable a (Empleat)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Data de venciment és obligatori
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Increment de Atribut {0} no pot ser 0
@@ -3500,7 +3527,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Matèria Prima Codi de l'article
DocType: Journal Entry,Write Off Based On,Anotació basada en
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,fer plom
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Impressió i papereria
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Impressió i papereria
DocType: Stock Settings,Show Barcode Field,Mostra Camp de codi de barres
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Enviar missatges de correu electrònic del proveïdor
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Salari ja processada per al període entre {0} i {1}, Deixa període d'aplicació no pot estar entre aquest interval de dates."
@@ -3508,13 +3535,15 @@
DocType: Guardian Interest,Guardian Interest,guardià interès
apps/erpnext/erpnext/config/hr.py +177,Training,formació
DocType: Timesheet,Employee Detail,Detall dels empleats
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 ID de correu electrònic
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 ID de correu electrònic
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,L'endemà de la data i Repetir en el dia del mes ha de ser igual
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Ajustos per a la pàgina d'inici pàgina web
DocType: Offer Letter,Awaiting Response,Espera de la resposta
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Per sobre de
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Per sobre de
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},atribut no vàlid {0} {1}
DocType: Supplier,Mention if non-standard payable account,Esmentar si compta per pagar no estàndard
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},El mateix article s'ha introduït diverses vegades. {Llista}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',"Si us plau, seleccioneu el grup d'avaluació que no sigui 'Tots els grups d'avaluació'"
DocType: Salary Slip,Earning & Deduction,Guanyar i Deducció
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Opcional. Aquest ajust s'utilitza per filtrar en diverses transaccions.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,No es permeten els ràtios de valoració negatius
@@ -3528,9 +3557,9 @@
DocType: Sales Invoice,Product Bundle Help,Producte Bundle Ajuda
,Monthly Attendance Sheet,Full d'Assistència Mensual
DocType: Production Order Item,Production Order Item,Article de l'ordre de producció
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,No s'ha trobat registre
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,No s'ha trobat registre
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Cost d'Actius Scrapped
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Centre de Cost és obligatori per l'article {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Centre de Cost és obligatori per l'article {2}
DocType: Vehicle,Policy No,sense política
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Obtenir elements del paquet del producte
DocType: Asset,Straight Line,Línia recta
@@ -3538,7 +3567,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,divisió
DocType: GL Entry,Is Advance,És Avanç
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Assistència Des de la data i Assistència a la data és obligatori
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,"Si us plau, introdueixi 'subcontractació' com Sí o No"
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,"Si us plau, introdueixi 'subcontractació' com Sí o No"
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Darrera data de Comunicació
DocType: Sales Team,Contact No.,Número de Contacte
DocType: Bank Reconciliation,Payment Entries,Les entrades de pagament
@@ -3564,60 +3593,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Valor d'obertura
DocType: Salary Detail,Formula,fórmula
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Comissió de Vendes
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Comissió de Vendes
DocType: Offer Letter Term,Value / Description,Valor / Descripció
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Fila # {0}: l'element {1} no pot ser presentat, el que ja és {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Fila # {0}: l'element {1} no pot ser presentat, el que ja és {2}"
DocType: Tax Rule,Billing Country,Facturació País
DocType: Purchase Order Item,Expected Delivery Date,Data de lliurament esperada
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Dèbit i Crèdit no és igual per a {0} # {1}. La diferència és {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Despeses d'Entreteniment
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Fer Sol·licitud de materials
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Despeses d'Entreteniment
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Fer Sol·licitud de materials
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Obrir element {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,La factura {0} ha de ser cancel·lada abans de cancel·lar aquesta comanda de vendes
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Edat
DocType: Sales Invoice Timesheet,Billing Amount,Facturació Monto
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Quantitat no vàlid per a l'aricle {0}. Quantitat ha de ser major que 0.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Les sol·licituds de llicència.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Un compte amb transaccions no es pot eliminar
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Un compte amb transaccions no es pot eliminar
DocType: Vehicle,Last Carbon Check,Últim control de Carboni
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Despeses legals
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Despeses legals
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Si us plau seleccioni la quantitat al corredor
DocType: Purchase Invoice,Posting Time,Temps d'enviament
DocType: Timesheet,% Amount Billed,% Import Facturat
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Despeses telefòniques
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Despeses telefòniques
DocType: Sales Partner,Logo,Logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Seleccioneu aquesta opció si voleu obligar l'usuari a seleccionar una sèrie abans de desar. No hi haurà cap valor per defecte si marca aquesta.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},No Element amb Serial No {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},No Element amb Serial No {0}
DocType: Email Digest,Open Notifications,Obrir Notificacions
DocType: Payment Entry,Difference Amount (Company Currency),Diferència Suma (Companyia de divises)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Despeses directes
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Despeses directes
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} és una adreça de correu electrònic invàlida en el 'Notificació \ Adreça de correu electrònic'
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Nous ingressos al Client
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Despeses de viatge
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Despeses de viatge
DocType: Maintenance Visit,Breakdown,Breakdown
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Compte: {0} amb la divisa: {1} no es pot seleccionar
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Compte: {0} amb la divisa: {1} no es pot seleccionar
DocType: Bank Reconciliation Detail,Cheque Date,Data Xec
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Compte {0}: el compte Pare {1} no pertany a la companyia: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Compte {0}: el compte Pare {1} no pertany a la companyia: {2}
DocType: Program Enrollment Tool,Student Applicants,Els sol·licitants dels estudiants
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Eliminat correctament totes les transaccions relacionades amb aquesta empresa!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Eliminat correctament totes les transaccions relacionades amb aquesta empresa!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Com en la data
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,Data d'inscripció
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Probation
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Probation
apps/erpnext/erpnext/config/hr.py +115,Salary Components,components de sous
DocType: Program Enrollment Tool,New Academic Year,Nou Any Acadèmic
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Retorn / Nota de Crèdit
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Retorn / Nota de Crèdit
DocType: Stock Settings,Auto insert Price List rate if missing,Acte inserit taxa Llista de Preus si falta
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Suma total de pagament
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Suma total de pagament
DocType: Production Order Item,Transferred Qty,Quantitat Transferida
apps/erpnext/erpnext/config/learn.py +11,Navigating,Navegació
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Planificació
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Emès
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planificació
+DocType: Material Request,Issued,Emès
DocType: Project,Total Billing Amount (via Time Logs),Suma total de facturació (a través dels registres de temps)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Venem aquest article
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Identificador de Proveïdor
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Venem aquest article
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Identificador de Proveïdor
DocType: Payment Request,Payment Gateway Details,Passarel·la de Pagaments detalls
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Quantitat ha de ser més gran que 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Quantitat ha de ser més gran que 0
DocType: Journal Entry,Cash Entry,Entrada Efectiu
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Els nodes fills només poden ser creats sota els nodes de tipus "grup"
DocType: Leave Application,Half Day Date,Medi Dia Data
@@ -3629,14 +3659,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},"Si us plau, estableix per defecte en compte Tipus de Despeses {0}"
DocType: Assessment Result,Student Name,Nom de l'estudiant
DocType: Brand,Item Manager,Administració d'elements
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,nòmina per pagar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,nòmina per pagar
DocType: Buying Settings,Default Supplier Type,Tipus predeterminat de Proveïdor
DocType: Production Order,Total Operating Cost,Cost total de funcionament
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Nota: L'article {0} entrat diverses vegades
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Tots els contactes.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Abreviatura de l'empresa
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Abreviatura de l'empresa
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,L'usuari {0} no existeix
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,La matèria primera no pot ser la mateixa que article principal
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,La matèria primera no pot ser la mateixa que article principal
DocType: Item Attribute Value,Abbreviation,Abreviatura
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Entrada de pagament ja existeix
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,No distribuïdor oficial autoritzat des {0} excedeix els límits
@@ -3645,49 +3675,49 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Estableixi la regla fiscal de carret de la compra
DocType: Purchase Invoice,Taxes and Charges Added,Impostos i càrregues afegides
,Sales Funnel,Sales Funnel
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Abreviatura és obligatori
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Abreviatura és obligatori
DocType: Project,Task Progress,Grup de Progrés
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Carro
,Qty to Transfer,Quantitat a Transferir
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Cotitzacions a clients potencials o a clients.
DocType: Stock Settings,Role Allowed to edit frozen stock,Paper animals d'editar estoc congelat
,Territory Target Variance Item Group-Wise,Territori de destinació Variància element de grup-Wise
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Tots els Grups de clients
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Tots els Grups de clients
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,acumulat Mensual
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} és obligatori. Potser el registre de canvi de divisa no es crea per {1} a {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} és obligatori. Potser el registre de canvi de divisa no es crea per {1} a {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Plantilla d'impostos és obligatori.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Compte {0}: el compte superior {1} no existeix
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Compte {0}: el compte superior {1} no existeix
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Tarifa de preus (en la moneda de la companyia)
DocType: Products Settings,Products Settings,productes Ajustaments
DocType: Account,Temporary,Temporal
DocType: Program,Courses,cursos
DocType: Monthly Distribution Percentage,Percentage Allocation,Percentatge d'Assignació
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Secretari
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Secretari
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Si desactivat, "en les paraules de camp no serà visible en qualsevol transacció"
DocType: Serial No,Distinct unit of an Item,Unitat diferent d'un article
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Si us plau ajust l'empresa
DocType: Pricing Rule,Buying,Compra
DocType: HR Settings,Employee Records to be created by,Registres d'empleats a ser creats per
DocType: POS Profile,Apply Discount On,Aplicar de descompte en les
,Reqd By Date,Reqd Per Data
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Creditors
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Creditors
DocType: Assessment Plan,Assessment Name,nom avaluació
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Fila # {0}: Nombre de sèrie és obligatori
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Detall d'impostos de tots els articles
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Institut Abreviatura
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Institut Abreviatura
,Item-wise Price List Rate,Llista de Preus de tarifa d'article
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Cita Proveïdor
DocType: Quotation,In Words will be visible once you save the Quotation.,En paraules seran visibles un cop que es guarda la Cotització.
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Quantitat ({0}) no pot ser una fracció a la fila {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,cobrar tarifes
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Barcode {0} ja utilitzat en el punt {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barcode {0} ja utilitzat en el punt {1}
DocType: Lead,Add to calendar on this date,Afegir al calendari en aquesta data
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Regles per afegir les despeses d'enviament.
DocType: Item,Opening Stock,l'obertura de la
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Es requereix client
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} és obligatori per la Devolució
DocType: Purchase Order,To Receive,Rebre
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Email Personal
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Variància total
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Si està activat, el sistema comptabilitza els assentaments comptables per a l'inventari automàticament."
@@ -3699,13 +3729,14 @@
DocType: Customer,From Lead,De client potencial
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Comandes llançades per a la producció.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Seleccioneu l'Any Fiscal ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS perfil requerit per fer l'entrada POS
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS perfil requerit per fer l'entrada POS
DocType: Program Enrollment Tool,Enroll Students,inscriure els estudiants
DocType: Hub Settings,Name Token,Nom Token
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard Selling
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Almenys un magatzem és obligatori
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Almenys un magatzem és obligatori
DocType: Serial No,Out of Warranty,Fora de la Garantia
DocType: BOM Replace Tool,Replace,Reemplaçar
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,No s'han trobat productes.
DocType: Production Order,Unstopped,destapats
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} contra factura Vendes {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3716,13 +3747,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Diferència del valor d'estoc
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Recursos Humans
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Payment Reconciliation Payment
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Actius per impostos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Actius per impostos
DocType: BOM Item,BOM No,No BOM
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Seient {0} no té compte {1} o ja compara amb un altre bo
DocType: Item,Moving Average,Mitjana Mòbil
DocType: BOM Replace Tool,The BOM which will be replaced,Llista de materials que serà substituïda
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,Equips Electrònics
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,Equips Electrònics
DocType: Account,Debit,Dèbit
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Les fulles han de ser assignats en múltiples de 0,5"
DocType: Production Order,Operation Cost,Cost d'operació
@@ -3730,7 +3761,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Excel·lent Amt
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Establir Grup d'articles per aquest venedor.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Congela els estocs més vells de [dies]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Fila # {0}: l'element és obligatori per als actius fixos de compra / venda
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Fila # {0}: l'element és obligatori per als actius fixos de compra / venda
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Si dos o més regles de preus es troben basats en les condicions anteriors, s'aplica Prioritat. La prioritat és un nombre entre 0 a 20 mentre que el valor per defecte és zero (en blanc). Un nombre més alt significa que va a prevaler si hi ha diverses regles de preus amb mateixes condicions."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Any fiscal: {0} no existeix
DocType: Currency Exchange,To Currency,Per moneda
@@ -3738,7 +3769,7 @@
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Tipus de Compte de despeses.
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},tarifa per a la venda d'element {0} és més baix que el seu {1}. tipus venedor ha de tenir una antiguitat {2}
DocType: Item,Taxes,Impostos
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,A càrrec i no lliurats
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,A càrrec i no lliurats
DocType: Project,Default Cost Center,Centre de cost predeterminat
DocType: Bank Guarantee,End Date,Data de finalització
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Les transaccions de valors
@@ -3763,24 +3794,22 @@
DocType: Employee,Held On,Held On
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Element Producció
,Employee Information,Informació de l'empleat
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Tarifa (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Tarifa (%)
DocType: Stock Entry Detail,Additional Cost,Cost addicional
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Data de finalització de l'exercici fiscal
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Can not filter based on Voucher No, if grouped by Voucher"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Fer Oferta de Proveïdor
DocType: Quality Inspection,Incoming,Entrant
DocType: BOM,Materials Required (Exploded),Materials necessaris (explotat)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Afegir usuaris a la seva organització, que no sigui vostè"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Data d'entrada no pot ser data futura
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Fila # {0}: Nombre de sèrie {1} no coincideix amb {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Deixar Casual
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Deixar Casual
DocType: Batch,Batch ID,Identificació de lots
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Nota: {0}
,Delivery Note Trends,Nota de lliurament Trends
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Resum de la setmana
-,In Stock Qty,En estoc Quantitat
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,En estoc Quantitat
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,El compte: {0} només pot ser actualitzat a través de transaccions d'estoc
-DocType: Program Enrollment,Get Courses,obtenir Cursos
+DocType: Student Group Creation Tool,Get Courses,obtenir Cursos
DocType: GL Entry,Party,Party
DocType: Sales Order,Delivery Date,Data De Lliurament
DocType: Opportunity,Opportunity Date,Data oportunitat
@@ -3788,14 +3817,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Sol·licitud de Cotització d'articles
DocType: Purchase Order,To Bill,Per Bill
DocType: Material Request,% Ordered,Demanem%
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Per grup d'alumnes basat curs, aquest serà validat per cada estudiant dels cursos matriculats en el Programa d'Inscripció."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Introduir adreça de correu electrònic separades per comes, la factura serà enviada automàticament en data determinada"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Treball a preu fet
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Treball a preu fet
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Quota de compra mitja
DocType: Task,Actual Time (in Hours),Temps real (en hores)
DocType: Employee,History In Company,Història a la Companyia
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Butlletins
DocType: Stock Ledger Entry,Stock Ledger Entry,Ledger entrada Stock
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Client> Grup de Clients> Territori
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,El mateix article s'ha introduït diverses vegades
DocType: Department,Leave Block List,Deixa Llista de bloqueig
DocType: Sales Invoice,Tax ID,Identificació Tributària
@@ -3810,30 +3839,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} unitats de {1} necessària en {2} per completar aquesta transacció.
DocType: Loan Type,Rate of Interest (%) Yearly,Taxa d'interès (%) anual
DocType: SMS Settings,SMS Settings,Ajustaments de SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Comptes temporals
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Negre
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Comptes temporals
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Negre
DocType: BOM Explosion Item,BOM Explosion Item,Explosió de BOM d'article
DocType: Account,Auditor,Auditor
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} articles produïts
DocType: Cheque Print Template,Distance from top edge,Distància des de la vora superior
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,El preu de llista {0} està desactivat o no existeix
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,El preu de llista {0} està desactivat o no existeix
DocType: Purchase Invoice,Return,Retorn
DocType: Production Order Operation,Production Order Operation,Ordre de Producció Operació
DocType: Pricing Rule,Disable,Desactiva
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Forma de pagament es requereix per fer un pagament
DocType: Project Task,Pending Review,Pendent de Revisió
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} no està inscrit en el Lot {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Actius {0} no pot ser rebutjada, com ja ho és {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Reclamació de despeses totals (a través de despeses)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,ID del client
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Marc Absent
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Fila {0}: Divisa de la llista de materials # {1} ha de ser igual a la moneda seleccionada {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Fila {0}: Divisa de la llista de materials # {1} ha de ser igual a la moneda seleccionada {2}
DocType: Journal Entry Account,Exchange Rate,Tipus De Canvi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Comanda de client {0} no es presenta
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Comanda de client {0} no es presenta
DocType: Homepage,Tag Line,tag Line
DocType: Fee Component,Fee Component,Quota de components
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Gestió de Flotes
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Afegir elements de
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Magatzem {0}: compte de Pares {1} no Bolong a l'empresa {2}
DocType: Cheque Print Template,Regular,regular
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Coeficient de ponderació total de tots els criteris d'avaluació ha de ser del 100%
DocType: BOM,Last Purchase Rate,Darrera Compra Rate
@@ -3842,11 +3870,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Estoc no pot existir per al punt {0} ja té variants
,Sales Person-wise Transaction Summary,Resum de transaccions de vendes Persona-savi
DocType: Training Event,Contact Number,Nombre de contacte
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,El magatzem {0} no existeix
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,El magatzem {0} no existeix
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Registrar ERPNext Hub
DocType: Monthly Distribution,Monthly Distribution Percentages,Els percentatges de distribució mensuals
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,L'element seleccionat no pot tenir per lots
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","taxa de valorització no trobat per a l'element {0}, que es requereix per fer assentaments comptables per {1} {2}. Si l'article està tramitant com un element de la mostra en el {1}, si us plau esmentar que a la taula {1} article. Altrament, si us plau crea una transacció d'accions d'entrada per a la taxa de valorització article o menció en el registre d'articles i, a continuació, tractar d'enviar / cancel·lació d'aquesta entrada"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","taxa de valorització no trobat per a l'element {0}, que es requereix per fer assentaments comptables per {1} {2}. Si l'article està tramitant com un element de la mostra en el {1}, si us plau esmentar que a la taula {1} article. Altrament, si us plau crea una transacció d'accions d'entrada per a la taxa de valorització article o menció en el registre d'articles i, a continuació, tractar d'enviar / cancel·lació d'aquesta entrada"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% de materials lliurats d'aquesta Nota de Lliurament
DocType: Project,Customer Details,Dades del client
DocType: Employee,Reports to,Informes a
@@ -3854,41 +3882,43 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Introdueix els paràmetres URL per als receptors
DocType: Payment Entry,Paid Amount,Quantitat pagada
DocType: Assessment Plan,Supervisor,supervisor
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,en línia
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,en línia
,Available Stock for Packing Items,Estoc disponible per articles d'embalatge
DocType: Item Variant,Item Variant,Article Variant
DocType: Assessment Result Tool,Assessment Result Tool,Eina resultat de l'avaluació
DocType: BOM Scrap Item,BOM Scrap Item,La llista de materials de ferralla d'articles
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,comandes presentats no es poden eliminar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo del compte ja en dèbit, no se li permet establir ""El balanç ha de ser"" com ""crèdit"""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Gestió de la Qualitat
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,comandes presentats no es poden eliminar
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo del compte ja en dèbit, no se li permet establir ""El balanç ha de ser"" com ""crèdit"""
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Gestió de la Qualitat
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Element {0} ha estat desactivat
DocType: Employee Loan,Repay Fixed Amount per Period,Pagar una quantitat fixa per Període
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Introduïu la quantitat d'articles per {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Nota de Crèdit Amt
DocType: Employee External Work History,Employee External Work History,Historial de treball d'Empleat extern
DocType: Tax Rule,Purchase,Compra
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Saldo Quantitat
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Saldo Quantitat
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Els objectius no poden estar buits
DocType: Item Group,Parent Item Group,Grup d'articles pare
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} de {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Centres de costos
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Centres de costos
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Equivalència a la qual la divisa del proveïdor es converteixen a la moneda base de la companyia
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Fila # {0}: conflictes Timings amb fila {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Permetre zero taxa de valorització
DocType: Training Event Employee,Invited,convidat
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Múltiples estructures salarials actius trobats per a l'empleat {0} per a les dates indicades
DocType: Opportunity,Next Contact,Següent Contacte
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Configuració de comptes de porta d'enllaç.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Configuració de comptes de porta d'enllaç.
DocType: Employee,Employment Type,Tipus d'Ocupació
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Actius Fixos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Actius Fixos
DocType: Payment Entry,Set Exchange Gain / Loss,Ajust de guany de l'intercanvi / Pèrdua
+,GST Purchase Register,GST Compra Registre
,Cash Flow,Flux d'Efectiu
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Període d'aplicació no pot ser a través de dos registres alocation
DocType: Item Group,Default Expense Account,Compte de Despeses predeterminat
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Estudiant ID de correu electrònic
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Estudiant ID de correu electrònic
DocType: Employee,Notice (days),Avís (dies)
DocType: Tax Rule,Sales Tax Template,Plantilla d'Impost a les Vendes
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Seleccioneu articles per estalviar la factura
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Seleccioneu articles per estalviar la factura
DocType: Employee,Encashment Date,Data Cobrament
DocType: Training Event,Internet,Internet
DocType: Account,Stock Adjustment,Ajust d'estoc
@@ -3916,7 +3946,7 @@
DocType: Guardian,Guardian Of ,El guarda de
DocType: Grading Scale Interval,Threshold,Llindar
DocType: BOM Replace Tool,Current BOM,BOM actual
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Afegir Número de sèrie
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Afegir Número de sèrie
apps/erpnext/erpnext/config/support.py +22,Warranty,garantia
DocType: Purchase Invoice,Debit Note Issued,Nota de dèbit Publicat
DocType: Production Order,Warehouses,Magatzems
@@ -3925,20 +3955,20 @@
DocType: Workstation,per hour,per hores
apps/erpnext/erpnext/config/buying.py +7,Purchasing,adquisitiu
DocType: Announcement,Announcement,anunci
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Es crearà un Compte per al magatzem (Inventari Permanent) en aquest Compte
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,El Magatzem no es pot eliminar perquè hi ha entrades al llibre major d'existències d'aquest magatzem.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Per grup d'alumnes amb base de lots, el lot dels estudiants serà vàlida per a tots els estudiants de la inscripció en el programa."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,El Magatzem no es pot eliminar perquè hi ha entrades al llibre major d'existències d'aquest magatzem.
DocType: Company,Distribution,Distribució
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Quantitat pagada
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Gerent De Projecte
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Gerent De Projecte
,Quoted Item Comparison,Citat article Comparació
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Despatx
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Descompte màxim permès per l'article: {0} és {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Despatx
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Descompte màxim permès per l'article: {0} és {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,El valor net d'actius com a
DocType: Account,Receivable,Compte per cobrar
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Fila # {0}: No es permet canviar de proveïdors com l'Ordre de Compra ja existeix
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Fila # {0}: No es permet canviar de proveïdors com l'Ordre de Compra ja existeix
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rol al que es permet presentar les transaccions que excedeixin els límits de crèdit establerts.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Seleccionar articles a Fabricació
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Mestre sincronització de dades, que podria portar el seu temps"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Seleccionar articles a Fabricació
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Mestre sincronització de dades, que podria portar el seu temps"
DocType: Item,Material Issue,Material Issue
DocType: Hub Settings,Seller Description,Venedor Descripció
DocType: Employee Education,Qualification,Qualificació
@@ -3958,7 +3988,6 @@
DocType: BOM,Rate Of Materials Based On,Tarifa de materials basats en
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analtyics Suport
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,desactivar tot
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Falta Empresa als magatzems {0}
DocType: POS Profile,Terms and Conditions,Condicions
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Per a la data ha d'estar dins de l'any fiscal. Suposant Per Data = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Aquí pot actualitzar l'alçada, el pes, al·lèrgies, problemes mèdics, etc."
@@ -3973,18 +4002,17 @@
DocType: Sales Order Item,For Production,Per Producció
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Vista de tasques
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,El seu exercici comença el
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,OPP /% Plom
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Les depreciacions d'actius i saldos
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Suma {0} {1} transferit des {2} a {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Suma {0} {1} transferit des {2} a {3}
DocType: Sales Invoice,Get Advances Received,Obtenir les bestretes rebudes
DocType: Email Digest,Add/Remove Recipients,Afegir / Treure Destinataris
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},No es permet la transacció cap a l'ordre de producció aturada {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},No es permet la transacció cap a l'ordre de producció aturada {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Per establir aquest any fiscal predeterminat, feu clic a ""Estableix com a predeterminat"""
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,unir-se
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,unir-se
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Quantitat escassetat
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Hi ha la variant d'article {0} amb mateixos atributs
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Hi ha la variant d'article {0} amb mateixos atributs
DocType: Employee Loan,Repay from Salary,Pagar del seu sou
DocType: Leave Application,LAP/,LAP /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Sol·licitant el pagament contra {0} {1} per la quantitat {2}
@@ -3995,34 +4023,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Generar albarans paquets que es lliuraran. S'utilitza per notificar el nombre de paquets, el contingut del paquet i el seu pes."
DocType: Sales Invoice Item,Sales Order Item,Sol·licitar Sales Item
DocType: Salary Slip,Payment Days,Dies de pagament
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Magatzems amb nodes secundaris no poden ser convertits en llibre major
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Magatzems amb nodes secundaris no poden ser convertits en llibre major
DocType: BOM,Manage cost of operations,Administrar cost de les operacions
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Quan es ""Presenta"" alguna de les operacions marcades, s'obre automàticament un correu electrònic emergent per enviar un correu electrònic al ""Contacte"" associat a aquesta transacció, amb la transacció com un arxiu adjunt. L'usuari pot decidir enviar, o no, el correu electrònic."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Configuració global
DocType: Assessment Result Detail,Assessment Result Detail,Avaluació de Resultats Detall
DocType: Employee Education,Employee Education,Formació Empleat
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,grup d'articles duplicat trobat en la taula de grup d'articles
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,Es necessita a cercar Detalls de l'article.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,Es necessita a cercar Detalls de l'article.
DocType: Salary Slip,Net Pay,Pay Net
DocType: Account,Account,Compte
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Nombre de sèrie {0} ja s'ha rebut
,Requested Items To Be Transferred,Articles sol·licitats per a ser transferits
DocType: Expense Claim,Vehicle Log,Inicia vehicle
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Magatzem {0} no està vinculada a cap compte, si us plau crear / enllaçar el compte corresponent (Actiu) per al magatzem."
DocType: Purchase Invoice,Recurring Id,Recurrent Aneu
DocType: Customer,Sales Team Details,Detalls de l'Equip de Vendes
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Eliminar de forma permanent?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Eliminar de forma permanent?
DocType: Expense Claim,Total Claimed Amount,Suma total del Reclamat
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Els possibles oportunitats de venda.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},No vàlida {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Baixa per malaltia
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},No vàlida {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Baixa per malaltia
DocType: Email Digest,Email Digest,Butlletí per correu electrònic
DocType: Delivery Note,Billing Address Name,Nom de l'adressa de facturació
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Grans Magatzems
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Configuració del seu School a ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Base quantitat de canvi (moneda de l'empresa)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,No hi ha assentaments comptables per als següents magatzems
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,No hi ha assentaments comptables per als següents magatzems
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Deseu el document primer.
DocType: Account,Chargeable,Facturable
DocType: Company,Change Abbreviation,Canvi Abreviatura
@@ -4040,7 +4067,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Data prevista de lliurament no pot ser anterior a l'Ordre de Compra
DocType: Appraisal,Appraisal Template,Plantilla d'Avaluació
DocType: Item Group,Item Classification,Classificació d'articles
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Gerent de Desenvolupament de Negocis
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Gerent de Desenvolupament de Negocis
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Manteniment Motiu de visita
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Període
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Comptabilitat General
@@ -4050,8 +4077,8 @@
DocType: Item Attribute Value,Attribute Value,Atribut Valor
,Itemwise Recommended Reorder Level,Nivell d'articles recomanat per a tornar a passar comanda
DocType: Salary Detail,Salary Detail,Detall de sous
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,Seleccioneu {0} primer
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Lot {0} de {1} article ha expirat.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Seleccioneu {0} primer
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Lot {0} de {1} article ha expirat.
DocType: Sales Invoice,Commission,Comissió
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Full de temps per a la fabricació.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,total parcial
@@ -4062,6 +4089,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`Bloqueja els estocs més antics que' ha de ser menor de %d dies.
DocType: Tax Rule,Purchase Tax Template,Compra Plantilla Tributària
,Project wise Stock Tracking,Projecte savi Stock Seguiment
+DocType: GST HSN Code,Regional,regional
DocType: Stock Entry Detail,Actual Qty (at source/target),Actual Quantitat (en origen / destinació)
DocType: Item Customer Detail,Ref Code,Codi de Referència
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Registres d'empleats.
@@ -4072,13 +4100,13 @@
DocType: Email Digest,New Purchase Orders,Noves ordres de compra
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Root no pot tenir un centre de costos pares
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Seleccioneu una marca ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,L'entrenament d'Esdeveniments / Resultats
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,La depreciació acumulada com a
DocType: Sales Invoice,C-Form Applicable,C-Form Applicable
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Temps de funcionament ha de ser major que 0 per a l'operació {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Magatzem és obligatori
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Magatzem és obligatori
DocType: Supplier,Address and Contacts,Direcció i contactes
DocType: UOM Conversion Detail,UOM Conversion Detail,Detall UOM Conversió
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Manteniu 900px web amigable (w) per 100px (h)
DocType: Program,Program Abbreviation,abreviatura programa
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Ordre de fabricació no es pot aixecar en contra d'una plantilla d'article
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Els càrrecs s'actualitzen amb els rebuts de compra contra cada un dels articles
@@ -4086,13 +4114,13 @@
DocType: Bank Guarantee,Start Date,Data De Inici
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Assignar absències per un període.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Els xecs i dipòsits esborren de forma incorrecta
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Compte {0}: No es pot assignar com compte principal
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Compte {0}: No es pot assignar com compte principal
DocType: Purchase Invoice Item,Price List Rate,Preu de llista Rate
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Crear cites de clients
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Mostra ""En estock"" o ""No en estoc"", basat en l'estoc disponible en aquest magatzem."
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Llista de materials (BOM)
DocType: Item,Average time taken by the supplier to deliver,Temps mitjà pel proveïdor per lliurar
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,avaluació de resultat
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,avaluació de resultat
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,hores
DocType: Project,Expected Start Date,Data prevista d'inici
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Treure article si els càrrecs no és aplicable a aquest
@@ -4106,24 +4134,23 @@
DocType: Workstation,Operating Costs,Costos Operatius
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Acció si s'acumula pressupost mensual excedit
DocType: Purchase Invoice,Submit on creation,Presentar a la creació
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Moneda per {0} ha de ser {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Moneda per {0} ha de ser {1}
DocType: Asset,Disposal Date,disposició Data
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Els correus electrònics seran enviats a tots els empleats actius de l'empresa a l'hora determinada, si no tenen vacances. Resum de les respostes serà enviat a la mitjanit."
DocType: Employee Leave Approver,Employee Leave Approver,Empleat Deixar aprovador
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Fila {0}: Una entrada Reordenar ja existeix per aquest magatzem {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Fila {0}: Una entrada Reordenar ja existeix per aquest magatzem {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","No es pot declarar com perdut, perquè s'han fet ofertes"
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Formació de vots
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,L'Ordre de Producció {0} ha d'estar Presentada
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,L'Ordre de Producció {0} ha d'estar Presentada
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Seleccioneu data d'inici i data de finalització per a l'article {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Per descomptat és obligatori a la fila {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Fins a la data no pot ser anterior a partir de la data
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc Doctype
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Afegeix / Edita Preus
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Afegeix / Edita Preus
DocType: Batch,Parent Batch,lots dels pares
DocType: Cheque Print Template,Cheque Print Template,Plantilla d'impressió de xecs
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Gràfic de centres de cost
,Requested Items To Be Ordered,Articles sol·licitats serà condemnada
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,empresa propietària del magatzem ha de ser la mateixa que l'empresa compta
DocType: Price List,Price List Name,nom de la llista de preus
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Resum diari de treball per a {0}
DocType: Employee Loan,Totals,Totals
@@ -4145,55 +4172,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Entra números de mòbil vàlids
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Si us plau, escriviu el missatge abans d'enviar-"
DocType: Email Digest,Pending Quotations,A l'espera de Cites
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Punt de Venda Perfil
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Punt de Venda Perfil
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Actualitza Ajustaments SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Préstecs sense garantia
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Préstecs sense garantia
DocType: Cost Center,Cost Center Name,Nom del centre de cost
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Màxim les hores de treball contra la part d'hores
DocType: Maintenance Schedule Detail,Scheduled Date,Data Prevista
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Total pagat Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Total pagat Amt
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Els missatges de més de 160 caràcters es divideixen en diversos missatges
DocType: Purchase Receipt Item,Received and Accepted,Rebut i acceptat
+,GST Itemised Sales Register,GST Detallat registre de vendes
,Serial No Service Contract Expiry,Número de sèrie del contracte de venciment del servei
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,No es pot configurar el mateix compte com crèdit i dèbit a la vegada
DocType: Naming Series,Help HTML,Ajuda HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Eina de creació de grup d'alumnes
DocType: Item,Variant Based On,En variant basada
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},El pes total assignat ha de ser 100%. És {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Els seus Proveïdors
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Els seus Proveïdors
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,No es pot establir tan perdut com està feta d'ordres de venda.
DocType: Request for Quotation Item,Supplier Part No,Proveïdor de part
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',No es pot deduir que és la categoria de 'de Valoració "o" Vaulation i Total'
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Rebut des
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Rebut des
DocType: Lead,Converted,Convertit
DocType: Item,Has Serial No,No té de sèrie
DocType: Employee,Date of Issue,Data d'emissió
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Des {0} de {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","D'acord amb la configuració de comprar si compra Reciept Obligatori == 'SÍ', a continuació, per a la creació de la factura de compra, l'usuari necessita per crear rebut de compra per al primer element {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Fila # {0}: Conjunt de Proveïdors per a l'element {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Fila {0}: valor Hores ha de ser més gran que zero.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Lloc web Imatge {0} unit a l'article {1} no es pot trobar
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Lloc web Imatge {0} unit a l'article {1} no es pot trobar
DocType: Issue,Content Type,Tipus de Contingut
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Ordinador
DocType: Item,List this Item in multiple groups on the website.,Fes una llista d'articles en diversos grups en el lloc web.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Si us plau, consulti l'opció Multi moneda per permetre comptes amb una altra moneda"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Article: {0} no existeix en el sistema
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,No estàs autoritzat per establir el valor bloquejat
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Article: {0} no existeix en el sistema
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,No estàs autoritzat per establir el valor bloquejat
DocType: Payment Reconciliation,Get Unreconciled Entries,Aconsegueix entrades no reconciliades
DocType: Payment Reconciliation,From Invoice Date,Des Data de la factura
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,"moneda de facturació ha de ser igual a la moneda o divisa de compte del partit, ja sigui per defecte de comapany"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,deixa Cobrament
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Què fa?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,"moneda de facturació ha de ser igual a la moneda o divisa de compte del partit, ja sigui per defecte de comapany"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,deixa Cobrament
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Què fa?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Magatzem destí
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Tots Admissió d'Estudiants
,Average Commission Rate,Comissió de Tarifes mitjana
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,'Té Num de Sèrie' no pot ser 'Sí' per a items que no estan a l'estoc
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'Té Num de Sèrie' no pot ser 'Sí' per a items que no estan a l'estoc
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,No es poden entrar assistències per dates futures
DocType: Pricing Rule,Pricing Rule Help,Ajuda de la Regla de preus
DocType: School House,House Name,Nom de la casa
DocType: Purchase Taxes and Charges,Account Head,Cap Compte
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Actualització dels costos addicionals per al càlcul del preu al desembarcament d'articles
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Elèctric
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Elèctric
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Afegir la resta de la seva organització com als seus usuaris. També podeu afegir convidar els clients al seu portal amb l'addició d'ells des Contactes
DocType: Stock Entry,Total Value Difference (Out - In),Diferència Total Valor (Out - En)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Fila {0}: Tipus de canvi és obligatori
@@ -4203,7 +4232,7 @@
DocType: Item,Customer Code,Codi de Client
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Recordatori d'aniversari per {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dies des de l'última comanda
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Dèbit al compte ha de ser un compte de Balanç
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Dèbit al compte ha de ser un compte de Balanç
DocType: Buying Settings,Naming Series,Sèrie de nomenclatura
DocType: Leave Block List,Leave Block List Name,Deixa Nom Llista de bloqueig
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,data d'inici d'assegurança ha de ser inferior a la data d'Assegurances Fi
@@ -4218,26 +4247,26 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},La relliscada de sou de l'empleat {0} ja creat per al full de temps {1}
DocType: Vehicle Log,Odometer,comptaquilòmetres
DocType: Sales Order Item,Ordered Qty,Quantitat demanada
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Article {0} està deshabilitat
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Article {0} està deshabilitat
DocType: Stock Settings,Stock Frozen Upto,Estoc bloquejat fins a
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM no conté cap article comuna
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM no conté cap article comuna
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Període Des i Període Per dates obligatòries per als recurrents {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Activitat del projecte / tasca.
DocType: Vehicle Log,Refuelling Details,Detalls de repostatge
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Generar Salari Slips
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Compra de comprovar, si es selecciona aplicable Perquè {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Compra de comprovar, si es selecciona aplicable Perquè {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Descompte ha de ser inferior a 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,taxa de compra d'última no trobat
DocType: Purchase Invoice,Write Off Amount (Company Currency),Escriu Off Import (Companyia moneda)
DocType: Sales Invoice Timesheet,Billing Hours,Hores de facturació
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,BOM per defecte per {0} no trobat
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Fila # {0}: Configureu la quantitat de comanda
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Fila # {0}: Configureu la quantitat de comanda
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Toc els articles a afegir aquí
DocType: Fees,Program Enrollment,programa d'Inscripció
DocType: Landed Cost Voucher,Landed Cost Voucher,Val Landed Cost
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},"Si us plau, estableix {0}"
DocType: Purchase Invoice,Repeat on Day of Month,Repetiu el Dia del Mes
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} és estudiant inactiu
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} és estudiant inactiu
DocType: Employee,Health Details,Detalls de la Salut
DocType: Offer Letter,Offer Letter Terms,Oferir Termes de lletres
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Per a crear una sol·licitud de pagament es requereix document de referència
@@ -4259,7 +4288,7 @@
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Exemple :. ABCD #####
Si la sèrie s'estableix i Nombre de sèrie no s'esmenta en les transaccions, nombre de sèrie a continuació automàtica es crearà sobre la base d'aquesta sèrie. Si sempre vol esmentar explícitament els números de sèrie per a aquest article. deixeu en blanc."
DocType: Upload Attendance,Upload Attendance,Pujar Assistència
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,Llista de materials i de fabricació es requereixen Quantitat
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,Llista de materials i de fabricació es requereixen Quantitat
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Rang 2 Envelliment
DocType: SG Creation Tool Course,Max Strength,força màx
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM reemplaçat
@@ -4268,8 +4297,8 @@
,Prospects Engaged But Not Converted,Perspectives Enganxat Però no es converteix
DocType: Manufacturing Settings,Manufacturing Settings,Ajustaments de Manufactura
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Configuració de Correu
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Sense Guardian1 mòbil
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Si us plau ingressi moneda per defecte en l'empresa Mestre
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Sense Guardian1 mòbil
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Si us plau ingressi moneda per defecte en l'empresa Mestre
DocType: Stock Entry Detail,Stock Entry Detail,Detall de les entrades d'estoc
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Recordatoris diaris
DocType: Products Settings,Home Page is Products,Home Page is Products
@@ -4278,7 +4307,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Nou Nom de compte
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Cost matèries primeres subministrades
DocType: Selling Settings,Settings for Selling Module,Ajustos Mòdul de vendes
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Servei Al Client
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Servei Al Client
DocType: BOM,Thumbnail,Ungla del polze
DocType: Item Customer Detail,Item Customer Detail,Item Customer Detail
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Oferta candidat a Job.
@@ -4287,7 +4316,7 @@
DocType: Pricing Rule,Percentage,percentatge
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Article {0} ha de ser un d'article de l'estoc
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Per defecte Work In Progress Magatzem
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Ajustos predeterminats per a les operacions comptables.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Ajustos predeterminats per a les operacions comptables.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Data prevista no pot ser anterior material Data de sol·licitud
DocType: Purchase Invoice Item,Stock Qty,existència Quantitat
@@ -4300,10 +4329,10 @@
DocType: Sales Order,Printing Details,Impressió Detalls
DocType: Task,Closing Date,Data de tancament
DocType: Sales Order Item,Produced Quantity,Quantitat produïda
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Enginyer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Enginyer
DocType: Journal Entry,Total Amount Currency,Suma total de divises
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Assemblees Cercar Sub
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Codi de l'article necessari a la fila n {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Codi de l'article necessari a la fila n {0}
DocType: Sales Partner,Partner Type,Tipus de Partner
DocType: Purchase Taxes and Charges,Actual,Reial
DocType: Authorization Rule,Customerwise Discount,Customerwise Descompte
@@ -4320,11 +4349,11 @@
DocType: Item Reorder,Re-Order Level,Re-Order Nivell
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Introduïu articles i Quantitat prevista per a les que desitja elevar les ordres de producció o descàrrega de matèries primeres per a la seva anàlisi.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Diagrama de Gantt
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Temps parcial
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Temps parcial
DocType: Employee,Applicable Holiday List,Llista de vacances aplicable
DocType: Employee,Cheque,Xec
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Sèries Actualitzat
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Tipus d'informe és obligatori
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Tipus d'informe és obligatori
DocType: Item,Serial Number Series,Nombre de sèrie de la sèrie
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},El magatzem és obligatòria per l'article d'estoc {0} a la fila {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Al detall i a l'engròs
@@ -4345,7 +4374,7 @@
DocType: BOM,Materials,Materials
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Si no està habilitada, la llista haurà de ser afegit a cada departament en què s'ha d'aplicar."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Origen i destí de dipòsit no pot ser el mateix
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Data de publicació i l'hora de publicar és obligatori
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Data de publicació i l'hora de publicar és obligatori
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Plantilla d'Impostos per a les transaccions de compres
,Item Prices,Preus de l'article
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,En paraules seran visibles un cop que es guardi l'ordre de compra.
@@ -4355,22 +4384,23 @@
DocType: Purchase Invoice,Advance Payments,Pagaments avançats
DocType: Purchase Taxes and Charges,On Net Total,En total net
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Valor de l'atribut {0} ha d'estar dins del rang de {1} a {2} en els increments de {3} per a l'article {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,El magatzem de destinació de la fila {0} ha de ser igual que l'Ordre de Producció
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,El magatzem de destinació de la fila {0} ha de ser igual que l'Ordre de Producció
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,«Notificació adreces de correu electrònic 'no especificats per recurrent% s
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,Moneda no es pot canviar després de fer entrades utilitzant alguna altra moneda
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Moneda no es pot canviar després de fer entrades utilitzant alguna altra moneda
DocType: Vehicle Service,Clutch Plate,placa d'embragatge
DocType: Company,Round Off Account,Per arrodonir el compte
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Despeses d'Administració
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Despeses d'Administració
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Consulting
DocType: Customer Group,Parent Customer Group,Pares Grup de Clients
DocType: Purchase Invoice,Contact Email,Correu electrònic de contacte
DocType: Appraisal Goal,Score Earned,Score Earned
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Període de Notificació
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Període de Notificació
DocType: Asset Category,Asset Category Name,Nom de la categoria d'actius
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,This is a root territory and cannot be edited.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Nom nou encarregat de vendes
DocType: Packing Slip,Gross Weight UOM,Pes brut UDM
DocType: Delivery Note Item,Against Sales Invoice,Contra la factura de venda
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,"Si us plau, introdueixi els números de sèrie per a l'article serialitzat"
DocType: Bin,Reserved Qty for Production,Quantitat reservada per a la Producció
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Deixa sense marcar si no vol tenir en compte per lots alhora que els grups basats en curs.
DocType: Asset,Frequency of Depreciation (Months),Freqüència de Depreciació (Mesos)
@@ -4378,25 +4408,25 @@
DocType: Landed Cost Item,Landed Cost Item,Landed Cost article
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Mostra valors zero
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Quantitat de punt obtingut després de la fabricació / reempaque de determinades quantitats de matèries primeres
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Configuració d'un lloc web senzill per a la meva organització
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Configuració d'un lloc web senzill per a la meva organització
DocType: Payment Reconciliation,Receivable / Payable Account,Compte de cobrament / pagament
DocType: Delivery Note Item,Against Sales Order Item,Contra l'Ordre de Venda d'articles
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},"Si us plau, especifiqui Atribut Valor de l'atribut {0}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},"Si us plau, especifiqui Atribut Valor de l'atribut {0}"
DocType: Item,Default Warehouse,Magatzem predeterminat
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Pressupost no es pot assignar contra comptes de grup {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,"Si us plau, introduïu el centre de cost dels pares"
DocType: Delivery Note,Print Without Amount,Imprimir Sense Monto
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,La depreciació Data
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Categoria d'impostos no poden 'Valoració' o 'Valoració i Total ""com tots els articles no siguin disponible articles"
DocType: Issue,Support Team,Equip de suport
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Caducitat (en dies)
DocType: Appraisal,Total Score (Out of 5),Puntuació total (de 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Lot
+DocType: Student Attendance Tool,Batch,Lot
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Equilibri
DocType: Room,Seating Capacity,nombre de places
DocType: Issue,ISS-,ISS
DocType: Project,Total Expense Claim (via Expense Claims),Reclamació de Despeses totals (a través de reclamacions de despeses)
+DocType: GST Settings,GST Summary,Resum GST
DocType: Assessment Result,Total Score,Puntuació total
DocType: Journal Entry,Debit Note,Nota de Dèbit
DocType: Stock Entry,As per Stock UOM,Segons Stock UDM
@@ -4407,12 +4437,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Defecte Acabat Productes Magatzem
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Sales Person
DocType: SMS Parameter,SMS Parameter,Paràmetre SMS
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Pressupost i de centres de cost
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Pressupost i de centres de cost
DocType: Vehicle Service,Half Yearly,Semestrals
DocType: Lead,Blog Subscriber,Bloc subscriptor
DocType: Guardian,Alternate Number,nombre alternatiu
DocType: Assessment Plan Criteria,Maximum Score,puntuació màxima
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Crear regles per restringir les transaccions basades en valors.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Grup rotllo n
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Deixar en blanc si fas grups d'estudiants per any
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Si es marca, número total. de dies de treball s'inclouran els festius, i això reduirà el valor de Salari per dia"
DocType: Purchase Invoice,Total Advance,Avanç total
@@ -4430,6 +4461,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Això es basa en transaccions en contra d'aquest client. Veure cronologia avall per saber més
DocType: Supplier,Credit Days Based On,Dies crèdit basat en
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Fila {0}: quantitat assignada {1} ha de ser menor o igual a la quantitat d'entrada de pagament {2}
+,Course wise Assessment Report,Informe d'avaluació el més prudent
DocType: Tax Rule,Tax Rule,Regla Fiscal
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Mantenir la mateixa tarifa durant tot el cicle de vendes
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planegi registres de temps fora de les hores de treball Estació de treball.
@@ -4438,7 +4470,7 @@
,Items To Be Requested,Articles que s'han de demanar
DocType: Purchase Order,Get Last Purchase Rate,Obtenir Darrera Tarifa de compra
DocType: Company,Company Info,Qui Som
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Seleccionar o afegir nou client
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Seleccionar o afegir nou client
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Centre de cost és requerit per reservar una reclamació de despeses
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aplicació de Fons (Actius)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Això es basa en la presència d'aquest empleat
@@ -4446,27 +4478,29 @@
DocType: Fiscal Year,Year Start Date,Any Data d'Inici
DocType: Attendance,Employee Name,Nom de l'Empleat
DocType: Sales Invoice,Rounded Total (Company Currency),Total arrodonit (en la divisa de la companyia)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,No es pot encoberta al grup perquè es selecciona Tipus de compte.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,No es pot encoberta al grup perquè es selecciona Tipus de compte.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,"{0} {1} ha estat modificat. Si us plau, actualitzia"
DocType: Leave Block List,Stop users from making Leave Applications on following days.,No permetis que els usuaris realitzin Aplicacions d'absències els següents dies.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Import de la compra
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Cita Proveïdor {0} creat
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Any de finalització no pot ser anterior inici any
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Beneficis als empleats
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Beneficis als empleats
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Quantitat embalada ha de ser igual a la quantitat d'articles per {0} a la fila {1}
DocType: Production Order,Manufactured Qty,Quantitat fabricada
DocType: Purchase Receipt Item,Accepted Quantity,Quantitat Acceptada
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},"Si us plau, estableix una llista predeterminada de festa per Empleat {0} o de la seva empresa {1}"
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} no existeix
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} no existeix
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Seleccioneu els números de lot
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Factures enviades als clients.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Identificació del projecte
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Fila n {0}: Munto no pot ser major que l'espera Monto al Compte de despeses de {1}. A l'espera de Monto és {2}
DocType: Maintenance Schedule,Schedule,Horari
DocType: Account,Parent Account,Compte primària
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Disponible
DocType: Quality Inspection Reading,Reading 3,Lectura 3
,Hub,Cub
DocType: GL Entry,Voucher Type,Tipus de Vals
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,La llista de preus no existeix o està deshabilitada
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,La llista de preus no existeix o està deshabilitada
DocType: Employee Loan Application,Approved,Aprovat
DocType: Pricing Rule,Price,Preu
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Empleat rellevat en {0} ha de ser establert com 'Esquerra'
@@ -4477,7 +4511,8 @@
DocType: Selling Settings,Campaign Naming By,Naming de Campanya Per
DocType: Employee,Current Address Is,L'adreça actual és
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,modificat
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Opcional. Estableix moneda per defecte de l'empresa, si no s'especifica."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Opcional. Estableix moneda per defecte de l'empresa, si no s'especifica."
+DocType: Sales Invoice,Customer GSTIN,GSTIN client
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Entrades de diari de Comptabilitat.
DocType: Delivery Note Item,Available Qty at From Warehouse,Disponible Quantitat a partir de Magatzem
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,Seleccioneu Employee Record primer.
@@ -4485,7 +4520,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Fila {0}: Festa / Compte no coincideix amb {1} / {2} en {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Si us plau ingressi Compte de Despeses
DocType: Account,Stock,Estoc
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Fila # {0}: Tipus de document de referència ha de ser un l'ordre de compra, factura de compra o d'entrada de diari"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Fila # {0}: Tipus de document de referència ha de ser un l'ordre de compra, factura de compra o d'entrada de diari"
DocType: Employee,Current Address,Adreça actual
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Si l'article és una variant d'un altre article llavors descripció, imatges, preus, impostos etc s'establirà a partir de la plantilla a menys que s'especifiqui explícitament"
DocType: Serial No,Purchase / Manufacture Details,Compra / Detalls de Fabricació
@@ -4498,8 +4533,8 @@
DocType: Pricing Rule,Min Qty,Quantitat mínima
DocType: Asset Movement,Transaction Date,Data de Transacció
DocType: Production Plan Item,Planned Qty,Planificada Quantitat
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Impost Total
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Per Quantitat (Fabricat Quantitat) és obligatori
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Impost Total
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Per Quantitat (Fabricat Quantitat) és obligatori
DocType: Stock Entry,Default Target Warehouse,Magatzem de destí predeterminat
DocType: Purchase Invoice,Net Total (Company Currency),Net Total (En la moneda de la Companyia)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,"L'Any Data de finalització no pot ser anterior a la data d'inici d'any. Si us plau, corregeixi les dates i torna a intentar-ho."
@@ -4513,13 +4548,11 @@
DocType: Hub Settings,Hub Settings,Ajustaments Hub
DocType: Project,Gross Margin %,Marge Brut%
DocType: BOM,With Operations,Amb Operacions
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Assentaments comptables ja s'han fet en moneda {0} per a la companyia de {1}. Seleccioneu un compte per cobrar o per pagar amb la moneda {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Assentaments comptables ja s'han fet en moneda {0} per a la companyia de {1}. Seleccioneu un compte per cobrar o per pagar amb la moneda {0}.
DocType: Asset,Is Existing Asset,És existent d'actius
DocType: Salary Detail,Statistical Component,component estadística
-,Monthly Salary Register,Registre de Salari mensual
DocType: Warranty Claim,If different than customer address,Si és diferent de la direcció del client
DocType: BOM Operation,BOM Operation,BOM Operació
-DocType: School Settings,Validate the Student Group from Program Enrollment,Validar el grup d'alumnes del Programa d'Inscripció
DocType: Purchase Taxes and Charges,On Previous Row Amount,A limport de la fila anterior
DocType: Student,Home Address,Adreça de casa
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,actius transferència
@@ -4527,28 +4560,27 @@
DocType: Training Event,Event Name,Nom de l'esdeveniment
apps/erpnext/erpnext/config/schools.py +39,Admission,admissió
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Les admissions per {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","L'estacionalitat d'establir pressupostos, objectius, etc."
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Article {0} és una plantilla, per favor seleccioni una de les seves variants"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","L'estacionalitat d'establir pressupostos, objectius, etc."
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Article {0} és una plantilla, per favor seleccioni una de les seves variants"
DocType: Asset,Asset Category,categoria actius
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Comprador
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Salari net no pot ser negatiu
DocType: SMS Settings,Static Parameters,Paràmetres estàtics
DocType: Assessment Plan,Room,habitació
DocType: Purchase Order,Advance Paid,Bestreta pagada
DocType: Item,Item Tax,Impost d'article
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materials de Proveïdor
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Impostos Especials Factura
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Impostos Especials Factura
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Llindar {0}% apareix més d'una vegada
DocType: Expense Claim,Employees Email Id,Empleats Identificació de l'email
DocType: Employee Attendance Tool,Marked Attendance,assistència marcada
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Passiu exigible
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Passiu exigible
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Enviar SMS massiu als seus contactes
DocType: Program,Program Name,Nom del programa
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Consider Tax or Charge for
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,La quantitat actual és obligatòria
DocType: Employee Loan,Loan Type,Tipus de préstec
DocType: Scheduling Tool,Scheduling Tool,Eina de programació
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Targeta De Crèdit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Targeta De Crèdit
DocType: BOM,Item to be manufactured or repacked,Article que es fabricarà o embalarà de nou
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Ajustos per defecte per a les transaccions de valors.
DocType: Purchase Invoice,Next Date,Següent Data
@@ -4564,10 +4596,10 @@
DocType: Stock Entry,Repack,Torneu a embalar
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Has de desar el formulari abans de continuar
DocType: Item Attribute,Numeric Values,Els valors numèrics
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Adjuntar Logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Adjuntar Logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Els nivells d'existències
DocType: Customer,Commission Rate,Percentatge de comissió
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Fer Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Fer Variant
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Bloquejar sol·licituds d'absències per departament.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Tipus de pagament ha de ser un Rebre, Pagar i Transferència interna"
apps/erpnext/erpnext/config/selling.py +179,Analytics,analítica
@@ -4575,45 +4607,45 @@
DocType: Vehicle,Model,model
DocType: Production Order,Actual Operating Cost,Cost de funcionament real
DocType: Payment Entry,Cheque/Reference No,Xec / No. de Referència
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Root no es pot editar.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root no es pot editar.
DocType: Item,Units of Measure,Unitats de mesura
DocType: Manufacturing Settings,Allow Production on Holidays,Permetre Producció en Vacances
DocType: Sales Order,Customer's Purchase Order Date,Data de l'ordre de compra del client
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Capital Social
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Capital Social
DocType: Shopping Cart Settings,Show Public Attachments,Mostra adjunts Públiques
DocType: Packing Slip,Package Weight Details,Pes del paquet Detalls
DocType: Payment Gateway Account,Payment Gateway Account,Compte Passarel·la de Pagament
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Després de la realització del pagament redirigir l'usuari a la pàgina seleccionada.
DocType: Company,Existing Company,companyia existent
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Categoria impost ha estat canviat a "total" perquè tots els articles són articles no estan en estoc
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Seleccioneu un arxiu csv
DocType: Student Leave Application,Mark as Present,Marcar com a present
DocType: Purchase Order,To Receive and Bill,Per Rebre i Bill
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,productes destacats
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Dissenyador
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Dissenyador
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Plantilla de Termes i Condicions
DocType: Serial No,Delivery Details,Detalls del lliurament
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Es requereix de centres de cost a la fila {0} en Impostos taula per al tipus {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Es requereix de centres de cost a la fila {0} en Impostos taula per al tipus {1}
DocType: Program,Program Code,Codi del programa
DocType: Terms and Conditions,Terms and Conditions Help,Termes i Condicions Ajuda
,Item-wise Purchase Register,Registre de compra d'articles
DocType: Batch,Expiry Date,Data De Caducitat
-,Supplier Addresses and Contacts,Adreces i contactes dels proveïdors
,accounts-browser,comptes en navegador
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,"Si us plau, Selecciona primer la Categoria"
apps/erpnext/erpnext/config/projects.py +13,Project master.,Projecte mestre.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Per permetre que l'excés de facturació o excés de comandes, actualitzar "Assignació" a l'arxiu Configuració o l'article."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Per permetre que l'excés de facturació o excés de comandes, actualitzar "Assignació" a l'arxiu Configuració o l'article."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,No mostrar qualsevol símbol com $ etc costat de monedes.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Mig dia)
DocType: Supplier,Credit Days,Dies de Crèdit
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Fer lots Estudiant
DocType: Leave Type,Is Carry Forward,Is Carry Forward
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Obtenir elements de la llista de materials
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Obtenir elements de la llista de materials
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Temps de Lliurament Dies
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Fila # {0}: Data de comptabilització ha de ser la mateixa que la data de compra {1} d'actius {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Fila # {0}: Data de comptabilització ha de ser la mateixa que la data de compra {1} d'actius {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,"Si us plau, introdueixi les comandes de client a la taula anterior"
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,No Enviat a salaris relliscades
,Stock Summary,Resum de la
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Transferir un actiu d'un magatzem a un altre
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Transferir un actiu d'un magatzem a un altre
DocType: Vehicle,Petrol,gasolina
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Llista de materials
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Fila {0}: Partit Tipus i Partit es requereix per al compte per cobrar / pagar {1}
@@ -4624,6 +4656,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Sanctioned Amount
DocType: GL Entry,Is Opening,Està obrint
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Fila {0}: seient de dèbit no pot vincular amb un {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,El compte {0} no existeix
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,El compte {0} no existeix
DocType: Account,Cash,Efectiu
DocType: Employee,Short biography for website and other publications.,Breu biografia de la pàgina web i altres publicacions.
diff --git a/erpnext/translations/cs.csv b/erpnext/translations/cs.csv
index b586b3c..5e5cc67 100644
--- a/erpnext/translations/cs.csv
+++ b/erpnext/translations/cs.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Spotřební zboží
DocType: Item,Customer Items,Zákazník položky
DocType: Project,Costing and Billing,Kalkulace a fakturace
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Účet {0}: Nadřazený účet {1} nemůže být hlavní kniha
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Účet {0}: Nadřazený účet {1} nemůže být hlavní kniha
DocType: Item,Publish Item to hub.erpnext.com,Publikování položku do hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,E-mailová upozornění
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,ohodnocení
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,ohodnocení
DocType: Item,Default Unit of Measure,Výchozí Měrná jednotka
DocType: SMS Center,All Sales Partner Contact,Všechny Partneři Kontakt
DocType: Employee,Leave Approvers,Schvalovatelé dovolených
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Exchange Rate musí být stejná jako {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Jméno zákazníka
DocType: Vehicle,Natural Gas,Zemní plyn
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Bankovní účet nemůže být jmenován jako {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Bankovní účet nemůže být jmenován jako {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Heads (nebo skupiny), proti nimž účetní zápisy jsou vyrobeny a stav je veden."
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Vynikající pro {0} nemůže být nižší než nula ({1})
DocType: Manufacturing Settings,Default 10 mins,Výchozí 10 min
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Vše Dodavatel Kontakt
DocType: Support Settings,Support Settings,Nastavení podpůrných
DocType: SMS Parameter,Parameter,Parametr
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,"Očekávané Datum ukončení nemůže být nižší, než se očekávalo data zahájení"
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,"Očekávané Datum ukončení nemůže být nižší, než se očekávalo data zahájení"
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"Řádek # {0}: Cena musí být stejné, jako {1}: {2} ({3} / {4})"
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,New Leave Application
,Batch Item Expiry Status,Batch položky vypršení platnosti Stav
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Bank Návrh
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Bank Návrh
DocType: Mode of Payment Account,Mode of Payment Account,Způsob platby účtu
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Zobrazit Varianty
DocType: Academic Term,Academic Term,Akademický Term
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Materiál
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Množství
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Účty tabulka nemůže být prázdné.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Úvěry (závazky)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Úvěry (závazky)
DocType: Employee Education,Year of Passing,Rok Passing
DocType: Item,Country of Origin,Země původu
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,Na skladě
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,Na skladě
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,otevřené problémy
DocType: Production Plan Item,Production Plan Item,Výrobní program Item
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Uživatel {0} je již přiřazena k Employee {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Péče o zdraví
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Zpoždění s platbou (dny)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Service Expense
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Sériové číslo: {0} je již uvedeno v prodejní faktuře: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Sériové číslo: {0} je již uvedeno v prodejní faktuře: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Faktura
DocType: Maintenance Schedule Item,Periodicity,Periodicita
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Fiskální rok {0} je vyžadována
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Řádek č. {0}:
DocType: Timesheet,Total Costing Amount,Celková kalkulace Částka
DocType: Delivery Note,Vehicle No,Vozidle
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,"Prosím, vyberte Ceník"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,"Prosím, vyberte Ceník"
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Řádek # {0}: Platba dokument je nutné k dokončení trasaction
DocType: Production Order Operation,Work In Progress,Na cestě
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,"Prosím, vyberte datum"
DocType: Employee,Holiday List,Seznam dovolené
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Účetní
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Účetní
DocType: Cost Center,Stock User,Sklad Uživatel
DocType: Company,Phone No,Telefon
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Plány kurzu vytvořil:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Nový {0}: # {1}
,Sales Partners Commission,Obchodní partneři Komise
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Zkratka nesmí mít více než 5 znaků
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Zkratka nesmí mít více než 5 znaků
DocType: Payment Request,Payment Request,Platba Poptávka
DocType: Asset,Value After Depreciation,Hodnota po odpisech
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,Datum návštěvnost nemůže být nižší než spojovací data zaměstnance
DocType: Grading Scale,Grading Scale Name,Klasifikační stupnice Name
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,To je kořen účtu a nelze upravovat.
+DocType: Sales Invoice,Company Address,adresa společnosti
DocType: BOM,Operations,Operace
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Nelze nastavit oprávnění na základě Sleva pro {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Připojit CSV soubor se dvěma sloupci, jeden pro starý název a jeden pro nový název"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} není v žádném aktivní fiskální rok.
DocType: Packed Item,Parent Detail docname,Parent Detail docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Odkaz: {0}, kód položky: {1} a zákazník: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Kg
DocType: Student Log,Log,Log
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Otevření o zaměstnání.
DocType: Item Attribute,Increment,Přírůstek
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Reklama
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Stejný Společnost je zapsána více než jednou
DocType: Employee,Married,Ženatý
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Není dovoleno {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Není dovoleno {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Položka získaná z
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Sklad nelze aktualizovat na dodací list {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Sklad nelze aktualizovat na dodací list {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produkt {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Žádné položky nejsou uvedeny
DocType: Payment Reconciliation,Reconcile,Srovnat
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Vedle Odpisy datum nemůže být před zakoupením Datum
DocType: SMS Center,All Sales Person,Všichni obchodní zástupci
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Měsíční Distribuce ** umožňuje distribuovat Rozpočet / Target celé měsíce, pokud máte sezónnosti ve vaší firmě."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Nebyl nalezen položek
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Nebyl nalezen položek
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Plat Struktura Chybějící
DocType: Lead,Person Name,Osoba Jméno
DocType: Sales Invoice Item,Sales Invoice Item,Položka prodejní faktury
DocType: Account,Credit,Úvěr
DocType: POS Profile,Write Off Cost Center,Odepsat nákladové středisko
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",například "Základní škola" nebo "univerzita"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",například "Základní škola" nebo "univerzita"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Stock Reports
DocType: Warehouse,Warehouse Detail,Sklad Detail
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Úvěrový limit byla překročena o zákazníka {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Úvěrový limit byla překročena o zákazníka {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Termínovaný Datum ukončení nemůže být později než v roce Datum ukončení akademického roku, ke kterému termín je spojena (akademický rok {}). Opravte data a zkuste to znovu."
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Je Fixed Asset" nemůže být bez povšimnutí, protože existuje Asset záznam proti položce"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Je Fixed Asset" nemůže být bez povšimnutí, protože existuje Asset záznam proti položce"
DocType: Vehicle Service,Brake Oil,Brake Oil
DocType: Tax Rule,Tax Type,Daňové Type
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Nejste oprávněni přidávat nebo aktualizovat údaje před {0}
DocType: BOM,Item Image (if not slideshow),Item Image (ne-li slideshow)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Zákazník existuje se stejným názvem
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Hodinová sazba / 60) * Skutečný čas operace
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Vybrat BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Vybrat BOM
DocType: SMS Log,SMS Log,SMS Log
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Náklady na dodávaných výrobků
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Dovolená na {0} není mezi Datum od a do dnešního dne
@@ -159,13 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Od {0} do {1}
DocType: Item,Copy From Item Group,Kopírovat z bodu Group
DocType: Journal Entry,Opening Entry,Otevření Entry
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Zákazník> Skupina zákazníků> Území
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Účet Pay Pouze
DocType: Employee Loan,Repay Over Number of Periods,Splatit Over počet období
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} není zapsána v daném {2}
DocType: Stock Entry,Additional Costs,Dodatečné náklady
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Účet s transakcemi nelze převést na skupinu.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Účet s transakcemi nelze převést na skupinu.
DocType: Lead,Product Enquiry,Dotaz Product
DocType: Academic Term,Schools,školy
+DocType: School Settings,Validate Batch for Students in Student Group,Ověřit dávku pro studenty ve skupině studentů
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Žádný záznam volno nalezených pro zaměstnance {0} na {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Prosím, nejprave zadejte společnost"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,"Prosím, vyberte první firma"
@@ -174,49 +176,49 @@
DocType: BOM,Total Cost,Celkové náklady
DocType: Journal Entry Account,Employee Loan,zaměstnanec Loan
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Aktivita Log:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,Bod {0} neexistuje v systému nebo vypršela
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Bod {0} neexistuje v systému nebo vypršela
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Nemovitost
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Výpis z účtu
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Farmaceutické
DocType: Purchase Invoice Item,Is Fixed Asset,Je dlouhodobého majetku
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","K dispozici je množství {0}, musíte {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","K dispozici je množství {0}, musíte {1}"
DocType: Expense Claim Detail,Claim Amount,Nárok Částka
-DocType: Employee,Mr,Pan
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Duplicitní skupinu zákazníků uvedeny v tabulce na knihy zákazníků skupiny
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Dodavatel Typ / dovozce
DocType: Naming Series,Prefix,Prefix
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Spotřební
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Spotřební
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Záznam importu
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Vytáhněte Materiál Žádost typu Výroba na základě výše uvedených kritérií
DocType: Training Result Employee,Grade,Školní známka
DocType: Sales Invoice Item,Delivered By Supplier,Dodává se podle dodavatele
DocType: SMS Center,All Contact,Vše Kontakt
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Výrobní zakázka již vytvořili u všech položek s BOM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Roční Plat
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Výrobní zakázka již vytvořili u všech položek s BOM
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Roční Plat
DocType: Daily Work Summary,Daily Work Summary,Denní práce Souhrn
DocType: Period Closing Voucher,Closing Fiscal Year,Uzavření fiskálního roku
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} je zmrazený
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Vyberte existující společnosti pro vytváření účtový rozvrh
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Stock Náklady
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} je zmrazený
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Vyberte existující společnosti pro vytváření účtový rozvrh
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Stock Náklady
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Vyberte objekt Target Warehouse
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,"Prosím, zadejte Preferred Kontakt e-mail"
+DocType: Program Enrollment,School Bus,Školní autobus
DocType: Journal Entry,Contra Entry,Contra Entry
DocType: Journal Entry Account,Credit in Company Currency,Úvěrové společnosti v měně
DocType: Delivery Note,Installation Status,Stav instalace
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Chcete aktualizovat docházku? <br> Present: {0} \ <br> Chybí: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Schválené + Zamítnuté množství se musí rovnat množství Přijaté u položky {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Schválené + Zamítnuté množství se musí rovnat množství Přijaté u položky {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Dodávky suroviny pro nákup
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,pro POS fakturu je nutná alespoň jeden způsob platby.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,pro POS fakturu je nutná alespoň jeden způsob platby.
DocType: Products Settings,Show Products as a List,Zobrazit produkty jako seznam
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Stáhněte si šablony, vyplňte potřebné údaje a přiložte upravený soubor.
Všechny termíny a zaměstnanec kombinaci ve zvoleném období přijde v šabloně, se stávajícími evidence docházky"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,"Bod {0} není aktivní, nebo byl dosažen konec života"
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Příklad: Základní Mathematics
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Chcete-li zahrnout daně na řádku v poměru Položka {0}, daně v řádcích {1} musí být zahrnuty"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,"Bod {0} není aktivní, nebo byl dosažen konec života"
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Příklad: Základní Mathematics
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Chcete-li zahrnout daně na řádku v poměru Položka {0}, daně v řádcích {1} musí být zahrnuty"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Nastavení pro HR modul
DocType: SMS Center,SMS Center,SMS centrum
DocType: Sales Invoice,Change Amount,změna Částka
@@ -226,7 +228,7 @@
DocType: Lead,Request Type,Typ požadavku
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Udělat zaměstnance
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Vysílání
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Provedení
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Provedení
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Podrobnosti o prováděných operací.
DocType: Serial No,Maintenance Status,Status Maintenance
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Dodavatel je nutná proti zaplacení účtu {2}
@@ -254,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Žádost o cenovou nabídku lze přistupovat kliknutím na následující odkaz
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Přidělit listy za rok.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG nástroj pro tvorbu hřiště
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,nedostatečná Sklad
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,nedostatečná Sklad
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Zakázat Plánování kapacit a Time Tracking
DocType: Email Digest,New Sales Orders,Nové Prodejní objednávky
DocType: Bank Guarantee,Bank Account,Bankovní účet
@@ -265,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log',"Aktualizováno přes ""Time Log"""
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Množství předem nemůže být větší než {0} {1}
DocType: Naming Series,Series List for this Transaction,Řada seznam pro tuto transakci
+DocType: Company,Enable Perpetual Inventory,Povolit trvalý inventář
DocType: Company,Default Payroll Payable Account,"Výchozí mzdy, splatnou Account"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Aktualizace Email Group
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Aktualizace Email Group
DocType: Sales Invoice,Is Opening Entry,Je vstupní otvor
DocType: Customer Group,Mention if non-standard receivable account applicable,Zmínka v případě nestandardní pohledávky účet použitelná
DocType: Course Schedule,Instructor Name,instruktor Name
@@ -278,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Proti položce vydané faktury
,Production Orders in Progress,Zakázka na výrobu v Progress
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Čistý peněžní tok z financování
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","Místní úložiště je plná, nezachránil"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","Místní úložiště je plná, nezachránil"
DocType: Lead,Address & Contact,Adresa a kontakt
DocType: Leave Allocation,Add unused leaves from previous allocations,Přidat nevyužité listy z předchozích přídělů
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Další Opakující {0} bude vytvořen na {1}
DocType: Sales Partner,Partner website,webové stránky Partner
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Přidat položku
-,Contact Name,Kontakt Jméno
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Kontakt Jméno
DocType: Course Assessment Criteria,Course Assessment Criteria,Hodnotící kritéria hřiště
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Vytvoří výplatní pásku na výše uvedených kritérií.
DocType: POS Customer Group,POS Customer Group,POS Customer Group
@@ -293,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,No vzhledem k tomu popis
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Žádost o koupi.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,To je založeno na časových výkazů vytvořených proti tomuto projektu
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Čistý Pay nemůže být nižší než 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Čistý Pay nemůže být nižší než 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Pouze vybraný Leave schvalovač může podat této dovolené aplikaci
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Uvolnění Datum musí být větší než Datum spojování
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Dovolených za rok
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Dovolených za rok
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Row {0}: Zkontrolujte ""Je Advance"" proti účtu {1}, pokud je to záloha záznam."
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Sklad {0} nepatří ke společnosti {1}
DocType: Email Digest,Profit & Loss,Ztráta zisku
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Litr
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Litr
DocType: Task,Total Costing Amount (via Time Sheet),Celková kalkulace Částka (přes Time Sheet)
DocType: Item Website Specification,Item Website Specification,Položka webových stránek Specifikace
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Absence blokována
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Položka {0} dosáhla konce své životnosti na {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Položka {0} dosáhla konce své životnosti na {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,bankovní Příspěvky
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Roční
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Reklamní Odsouhlasení Item
@@ -312,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,Min Objednané množství
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool hřiště
DocType: Lead,Do Not Contact,Nekontaktujte
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,"Lidé, kteří vyučují ve vaší organizaci"
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,"Lidé, kteří vyučují ve vaší organizaci"
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Unikátní ID pro sledování všech opakující faktury. To je generován na odeslat.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Software Developer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software Developer
DocType: Item,Minimum Order Qty,Minimální objednávka Množství
DocType: Pricing Rule,Supplier Type,Dodavatel Type
DocType: Course Scheduling Tool,Course Start Date,Začátek Samozřejmě Datum
@@ -323,11 +326,11 @@
DocType: Item,Publish in Hub,Publikovat v Hub
DocType: Student Admission,Student Admission,Student Vstupné
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Položka {0} je zrušen
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Položka {0} je zrušen
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Požadavek na materiál
DocType: Bank Reconciliation,Update Clearance Date,Aktualizace Výprodej Datum
DocType: Item,Purchase Details,Nákup Podrobnosti
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Položka {0} nebyl nalezen v "suroviny dodané" tabulky v objednávce {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Položka {0} nebyl nalezen v "suroviny dodané" tabulky v objednávce {1}
DocType: Employee,Relation,Vztah
DocType: Shipping Rule,Worldwide Shipping,Celosvětově doprava
DocType: Student Guardian,Mother,Matka
@@ -346,6 +349,7 @@
DocType: Student Group Student,Student Group Student,Student Skupina Student
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Nejnovější
DocType: Vehicle Service,Inspection,Inspekce
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Seznam
DocType: Email Digest,New Quotations,Nové Citace
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,"E-maily výplatní pásce, aby zaměstnanci na základě přednostního e-mailu vybraného v zaměstnaneckých"
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,První Leave schvalovač v seznamu bude nastaven jako výchozí Leave schvalujícího
@@ -354,20 +358,20 @@
DocType: Asset,Next Depreciation Date,Vedle Odpisy Datum
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Náklady na činnost na jednoho zaměstnance
DocType: Accounts Settings,Settings for Accounts,Nastavení účtů
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Dodavatelské faktury No existuje ve faktuře {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Dodavatelské faktury No existuje ve faktuře {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Správa obchodník strom.
DocType: Job Applicant,Cover Letter,Průvodní dopis
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Vynikající Šeky a vklady s jasnými
DocType: Item,Synced With Hub,Synchronizovány Hub
DocType: Vehicle,Fleet Manager,Fleet manager
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Řádek # {0}: {1} nemůže být negativní na položku {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Špatné Heslo
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Špatné Heslo
DocType: Item,Variant Of,Varianta
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',"Dokončené množství nemůže být větší než ""Množství do výroby"""
DocType: Period Closing Voucher,Closing Account Head,Závěrečný účet hlava
DocType: Employee,External Work History,Vnější práce History
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Kruhové Referenční Chyba
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Jméno Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Jméno Guardian1
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"Ve slovech (export) budou viditelné, jakmile uložíte doručení poznámku."
DocType: Cheque Print Template,Distance from left edge,Vzdálenost od levého okraje
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} jednotek [{1}] (# Form / bodu / {1}) byla nalezena v [{2}] (# Form / sklad / {2})
@@ -376,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Upozornit e-mailem na tvorbu automatických Materiál Poptávka
DocType: Journal Entry,Multi Currency,Více měn
DocType: Payment Reconciliation Invoice,Invoice Type,Typ faktury
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Dodací list
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Dodací list
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Nastavení Daně
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Náklady prodaných aktiv
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,"Vstup Platba byla změněna poté, co ji vytáhl. Prosím, vytáhněte ji znovu."
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} vloženo dvakrát v Daňové Položce
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Vstup Platba byla změněna poté, co ji vytáhl. Prosím, vytáhněte ji znovu."
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} vloženo dvakrát v Daňové Položce
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Shrnutí pro tento týden a probíhajícím činnostem
DocType: Student Applicant,Admitted,"připustil,"
DocType: Workstation,Rent Cost,Rent Cost
@@ -398,25 +402,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Prosím, zadejte ""Opakujte dne měsíce"" hodnoty pole"
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Sazba, za kterou je měna zákazníka převedena na základní měnu zákazníka"
DocType: Course Scheduling Tool,Course Scheduling Tool,Samozřejmě Plánování Tool
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Řádek # {0}: faktury nelze provést vůči stávajícímu aktivu {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Řádek # {0}: faktury nelze provést vůči stávajícímu aktivu {1}
DocType: Item Tax,Tax Rate,Tax Rate
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} již přidělené pro zaměstnance {1} na dobu {2} až {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Select Položka
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Přijatá faktura {0} je již odeslána
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Přijatá faktura {0} je již odeslána
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},"Row # {0}: Batch No musí být stejné, jako {1} {2}"
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Převést na non-Group
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Šarže položky.
DocType: C-Form Invoice Detail,Invoice Date,Datum Fakturace
DocType: GL Entry,Debit Amount,Debetní Částka
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Tam může být pouze 1 účet na společnosti v {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,"Prosím, viz příloha"
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Tam může být pouze 1 účet na společnosti v {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,"Prosím, viz příloha"
DocType: Purchase Order,% Received,% Přijaté
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Vytvoření skupiny studentů
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Setup již dokončen !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Částka kreditní poznámky
,Finished Goods,Hotové zboží
DocType: Delivery Note,Instructions,Instrukce
DocType: Quality Inspection,Inspected By,Zkontrolován
DocType: Maintenance Visit,Maintenance Type,Typ Maintenance
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} není zařazen do kurzu {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Pořadové číslo {0} není součástí dodávky Poznámka: {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Přidat položky
@@ -437,7 +443,7 @@
DocType: Request for Quotation,Request for Quotation,Žádost o cenovou nabídku
DocType: Salary Slip Timesheet,Working Hours,Pracovní doba
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Změnit výchozí / aktuální pořadové číslo existujícího série.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Vytvořit nový zákazník
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Vytvořit nový zákazník
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Je-li více pravidla pro tvorbu cen i nadále přednost, jsou uživatelé vyzváni k nastavení priority pro vyřešení konfliktu."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Vytvoření objednávek
,Purchase Register,Nákup Register
@@ -449,7 +455,7 @@
DocType: Student Log,Medical,Lékařský
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Důvod ztráty
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Olovo Majitel nemůže být stejný jako olovo
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,Přidělená částka nemůže větší než množství neupravené
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,Přidělená částka nemůže větší než množství neupravené
DocType: Announcement,Receiver,Přijímač
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation je uzavřena v následujících dnech podle Prázdninový Seznam: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Příležitosti
@@ -463,8 +469,7 @@
DocType: Assessment Plan,Examiner Name,Jméno Examiner
DocType: Purchase Invoice Item,Quantity and Rate,Množství a cena
DocType: Delivery Note,% Installed,% Instalováno
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učebny / etc laboratoře, kde mohou být naplánovány přednášky."
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dodavatel> Typ dodavatele
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učebny / etc laboratoře, kde mohou být naplánovány přednášky."
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,"Prosím, zadejte nejprve název společnosti"
DocType: Purchase Invoice,Supplier Name,Dodavatel Name
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Přečtěte si ERPNext Manuál
@@ -474,7 +479,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,"Zkontrolujte, zda dodavatelské faktury Počet Jedinečnost"
DocType: Vehicle Service,Oil Change,Výměna oleje
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.',"""DO Případu č.' nesmí být menší než ""Od Případu č.'"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Non Profit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Non Profit
DocType: Production Order,Not Started,Nezahájeno
DocType: Lead,Channel Partner,Channel Partner
DocType: Account,Old Parent,Staré nadřazené
@@ -484,19 +489,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globální nastavení pro všechny výrobní procesy.
DocType: Accounts Settings,Accounts Frozen Upto,Účty Frozen aľ
DocType: SMS Log,Sent On,Poslán na
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Atribut {0} vybraný několikrát v atributech tabulce
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Atribut {0} vybraný několikrát v atributech tabulce
DocType: HR Settings,Employee record is created using selected field. ,Záznam Zaměstnanec je vytvořena pomocí vybrané pole.
DocType: Sales Order,Not Applicable,Nehodí se
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Holiday master.
DocType: Request for Quotation Item,Required Date,Požadovaná data
DocType: Delivery Note,Billing Address,Fakturační adresa
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,"Prosím, zadejte kód položky."
DocType: BOM,Costing,Rozpočet
DocType: Tax Rule,Billing County,fakturace County
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Je-li zaškrtnuto, bude částka daně považovat za již zahrnuty v tisku Rate / Tisk Částka"
DocType: Request for Quotation,Message for Supplier,Zpráva pro dodavatele
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Celkem Množství
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,ID e-mailu Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,ID e-mailu Guardian2
DocType: Item,Show in Website (Variant),Show do webových stránek (Variant)
DocType: Employee,Health Concerns,Zdravotní Obavy
DocType: Process Payroll,Select Payroll Period,Vyberte mzdové
@@ -514,25 +518,27 @@
DocType: Sales Order Item,Used for Production Plan,Používá se pro výrobní plán
DocType: Employee Loan,Total Payment,Celková platba
DocType: Manufacturing Settings,Time Between Operations (in mins),Doba mezi operací (v min)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} je zrušena, takže akce nemůže být dokončena"
DocType: Customer,Buyer of Goods and Services.,Kupující zboží a služeb.
DocType: Journal Entry,Accounts Payable,Účty za úplatu
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Vybrané kusovníky nejsou stejné položky
DocType: Pricing Rule,Valid Upto,Valid aľ
DocType: Training Event,Workshop,Dílna
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Seznam několik svých zákazníků. Ty by mohly být organizace nebo jednotlivci.
-,Enough Parts to Build,Dost Části vybudovat
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Přímý příjmů
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Seznam několik svých zákazníků. Ty by mohly být organizace nebo jednotlivci.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Dost Části vybudovat
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Přímý příjmů
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Nelze filtrovat na základě účtu, pokud seskupeny podle účtu"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Správní ředitel
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Vyberte možnost Kurz
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Správní ředitel
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Vyberte možnost Kurz
DocType: Timesheet Detail,Hrs,hod
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,"Prosím, vyberte Company"
DocType: Stock Entry Detail,Difference Account,Rozdíl účtu
+DocType: Purchase Invoice,Supplier GSTIN,Dodavatel GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,"Nelze zavřít úkol, jak jeho závislý úkol {0} není uzavřen."
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"Prosím, zadejte sklad, který bude materiál žádosti předložené"
DocType: Production Order,Additional Operating Cost,Další provozní náklady
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kosmetika
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Chcete-li sloučit, tyto vlastnosti musí být stejné pro obě položky"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Chcete-li sloučit, tyto vlastnosti musí být stejné pro obě položky"
DocType: Shipping Rule,Net Weight,Hmotnost
DocType: Employee,Emergency Phone,Nouzový telefon
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Koupit
@@ -541,14 +547,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Zadejte prosím stupeň pro Threshold 0%
DocType: Sales Order,To Deliver,Dodat
DocType: Purchase Invoice Item,Item,Položka
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Sériové žádná položka nemůže být zlomkem
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Sériové žádná položka nemůže být zlomkem
DocType: Journal Entry,Difference (Dr - Cr),Rozdíl (Dr - Cr)
DocType: Account,Profit and Loss,Zisky a ztráty
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Správa Subdodávky
DocType: Project,Project will be accessible on the website to these users,Projekt bude k dispozici na webových stránkách k těmto uživatelům
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,"Sazba, za kterou je ceníková měna převedena na základní měnu společnosti"
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Účet {0} nepatří k firmě: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Zkratka již byla použita pro jinou společnost
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Účet {0} nepatří k firmě: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Zkratka již byla použita pro jinou společnost
DocType: Selling Settings,Default Customer Group,Výchozí Customer Group
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Je-li zakázat, ""zaokrouhlí celková"" pole nebude viditelný v jakékoli transakce"
DocType: BOM,Operating Cost,Provozní náklady
@@ -556,7 +562,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Přírůstek nemůže být 0
DocType: Production Planning Tool,Material Requirement,Požadavek materiálu
DocType: Company,Delete Company Transactions,Smazat transakcí Company
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Referenční číslo a referenční datum je povinný pro bankovní transakce
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Referenční číslo a referenční datum je povinný pro bankovní transakce
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Přidat / Upravit daní a poplatků
DocType: Purchase Invoice,Supplier Invoice No,Dodavatelské faktury č
DocType: Territory,For reference,Pro srovnání
@@ -567,22 +573,22 @@
DocType: Installation Note Item,Installation Note Item,Poznámka k instalaci bod
DocType: Production Plan Item,Pending Qty,Čekající Množství
DocType: Budget,Ignore,Ignorovat
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} není aktivní
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} není aktivní
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS poslal do následujících čísel: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,Zkontrolujte nastavení rozměry pro tisk
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Zkontrolujte nastavení rozměry pro tisk
DocType: Salary Slip,Salary Slip Timesheet,Plat Slip časový rozvrh
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Dodavatel Warehouse povinné pro subdodavatelskou doklad o zakoupení
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Dodavatel Warehouse povinné pro subdodavatelskou doklad o zakoupení
DocType: Pricing Rule,Valid From,Platnost od
DocType: Sales Invoice,Total Commission,Celkem Komise
DocType: Pricing Rule,Sales Partner,Sales Partner
DocType: Buying Settings,Purchase Receipt Required,Příjmka je vyžadována
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,"Ocenění Rate je povinné, pokud zadaná počátečním stavem zásob"
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,"Ocenění Rate je povinné, pokud zadaná počátečním stavem zásob"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Nalezené v tabulce faktury Žádné záznamy
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Vyberte první společnost a Party Typ
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Finanční / Účetní rok.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Finanční / Účetní rok.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Neuhrazená Hodnoty
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Je nám líto, sériových čísel nelze sloučit"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Ujistěte se prodejní objednávky
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Ujistěte se prodejní objednávky
DocType: Project Task,Project Task,Úkol Project
,Lead Id,Id leadu
DocType: C-Form Invoice Detail,Grand Total,Celkem
@@ -599,7 +605,7 @@
DocType: Job Applicant,Resume Attachment,Resume Attachment
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Opakujte zákazníci
DocType: Leave Control Panel,Allocate,Přidělit
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Sales Return
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Sales Return
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Poznámka: Celkový počet alokovaných listy {0} by neměla být menší než které již byly schváleny listy {1} pro období
DocType: Announcement,Posted By,Přidal
DocType: Item,Delivered by Supplier (Drop Ship),Dodává Dodavatelem (Drop Ship)
@@ -609,8 +615,8 @@
DocType: Quotation,Quotation To,Nabídka k
DocType: Lead,Middle Income,Středními příjmy
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Otvor (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Výchozí měrná jednotka bodu {0} nemůže být změněna přímo, protože jste už nějaké transakce (y) s jiným nerozpuštěných. Budete muset vytvořit novou položku použít jiný výchozí UOM."
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Přidělená částka nemůže být záporná
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Výchozí měrná jednotka bodu {0} nemůže být změněna přímo, protože jste už nějaké transakce (y) s jiným nerozpuštěných. Budete muset vytvořit novou položku použít jiný výchozí UOM."
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Přidělená částka nemůže být záporná
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Nastavte společnost
DocType: Purchase Order Item,Billed Amt,Účtovaného Amt
DocType: Training Result Employee,Training Result Employee,Vzdělávací Výsledek
@@ -622,7 +628,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,"Vybrat Platební účet, aby Bank Entry"
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Vytvořit Zaměstnanecké záznamy pro správu listy, prohlášení o výdajích a mezd"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Přidat do Knowledge Base
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Návrh Psaní
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Návrh Psaní
DocType: Payment Entry Deduction,Payment Entry Deduction,Platba Vstup dedukce
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Další prodeje osoba {0} existuje se stejným id zaměstnance
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Je-li zaškrtnuto, suroviny pro položky, které jsou subdodavatelsky budou zahrnuty v materiálu Žádosti"
@@ -636,7 +642,7 @@
DocType: Timesheet,Billed,Fakturováno
DocType: Batch,Batch Description,Popis Šarže
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Vytváření studentských skupin
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Platební brána účet nevytvořili, prosím, vytvořte ručně."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Platební brána účet nevytvořili, prosím, vytvořte ručně."
DocType: Sales Invoice,Sales Taxes and Charges,Prodej Daně a poplatky
DocType: Employee,Organization Profile,Profil organizace
DocType: Student,Sibling Details,sourozenec Podrobnosti
@@ -658,11 +664,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Čistá Změna stavu zásob
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Zaměstnanec úvěru Vedení
DocType: Employee,Passport Number,Číslo pasu
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Souvislost s Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Manažer
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Souvislost s Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Manažer
DocType: Payment Entry,Payment From / To,Platba z / do
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nový úvěrový limit je nižší než aktuální dlužné částky za zákazníka. Úvěrový limit musí být aspoň {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Stejný bod byl zadán vícekrát.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nový úvěrový limit je nižší než aktuální dlužné částky za zákazníka. Úvěrový limit musí být aspoň {0}
DocType: SMS Settings,Receiver Parameter,Přijímač parametrů
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""Založeno na"" a ""Seskupeno podle"", nemůže být stejné"
DocType: Sales Person,Sales Person Targets,Obchodník cíle
@@ -671,8 +676,9 @@
DocType: Issue,Resolution Date,Rozlišení Datum
DocType: Student Batch Name,Batch Name,Batch Name
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Časového rozvrhu vytvoření:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},Prosím nastavte výchozí v hotovosti nebo bankovním účtu v způsob platby {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Prosím nastavte výchozí v hotovosti nebo bankovním účtu v způsob platby {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Zapsat
+DocType: GST Settings,GST Settings,Nastavení GST
DocType: Selling Settings,Customer Naming By,Zákazník Pojmenování By
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Ukáže studenta přítomnému v Student měsíční návštěvnost Zpráva
DocType: Depreciation Schedule,Depreciation Amount,odpisy Částka
@@ -694,6 +700,7 @@
DocType: Item,Material Transfer,Přesun materiálu
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Opening (Dr)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Časová značka zadání musí být po {0}
+,GST Itemised Purchase Register,GST Itemised Purchase Register
DocType: Employee Loan,Total Interest Payable,Celkem splatných úroků
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Přistál nákladů daně a poplatky
DocType: Production Order Operation,Actual Start Time,Skutečný čas začátku
@@ -720,10 +727,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
DocType: Account,Accounts,Účty
DocType: Vehicle,Odometer Value (Last),Údaj měřiče ujeté vzdálenosti (Last)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Vstup Platba je již vytvořili
DocType: Purchase Receipt Item Supplied,Current Stock,Current skladem
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Řádek # {0}: Asset {1} není spojena s item {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Řádek # {0}: Asset {1} není spojena s item {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Preview výplatní pásce
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Účet {0} byl zadán vícekrát
DocType: Account,Expenses Included In Valuation,Náklady ceně oceňování
@@ -731,7 +738,7 @@
,Absent Student Report,Absent Student Report
DocType: Email Digest,Next email will be sent on:,Další e-mail bude odeslán dne:
DocType: Offer Letter Term,Offer Letter Term,Nabídka Letter Term
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Položka má varianty.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Položka má varianty.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Položka {0} nebyl nalezen
DocType: Bin,Stock Value,Reklamní Value
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Společnost {0} neexistuje
@@ -740,7 +747,7 @@
DocType: Serial No,Warranty Expiry Date,Záruka Datum vypršení platnosti
DocType: Material Request Item,Quantity and Warehouse,Množství a sklad
DocType: Sales Invoice,Commission Rate (%),Výše provize (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Vyberte prosím Program
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Vyberte prosím Program
DocType: Project,Estimated Cost,Odhadované náklady
DocType: Purchase Order,Link to material requests,Odkaz na materiálních požadavků
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aerospace
@@ -754,14 +761,14 @@
DocType: Purchase Order,Supply Raw Materials,Dodávek surovin
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,"Datum, kdy bude vygenerován příští faktury. To je generován na odeslat."
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Oběžná aktiva
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} není skladová položka
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} není skladová položka
DocType: Mode of Payment Account,Default Account,Výchozí účet
DocType: Payment Entry,Received Amount (Company Currency),Přijaté Částka (Company měna)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,Lead musí být nastaven pokud je Příležitost vyrobena z leadu
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,"Prosím, vyberte týdenní off den"
DocType: Production Order Operation,Planned End Time,Plánované End Time
,Sales Person Target Variance Item Group-Wise,Prodej Osoba Cílová Odchylka Item Group-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Účet s transakcemi nelze převést na hlavní účetní knihu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Účet s transakcemi nelze převést na hlavní účetní knihu
DocType: Delivery Note,Customer's Purchase Order No,Zákazníka Objednávka No
DocType: Budget,Budget Against,rozpočet Proti
DocType: Employee,Cell Number,Číslo buňky
@@ -773,15 +780,13 @@
DocType: Opportunity,Opportunity From,Příležitost Z
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Měsíční plat prohlášení.
DocType: BOM,Website Specifications,Webových stránek Specifikace
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Prosím, nastavte sérii číslování pro Účast přes Nastavení> Série číslování"
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Od {0} typu {1}
DocType: Warranty Claim,CI-,Ci
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Row {0}: Konverzní faktor je povinné
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Row {0}: Konverzní faktor je povinné
DocType: Employee,A+,A+
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Více Cena pravidla existuje u stejných kritérií, prosím vyřešit konflikt tím, že přiřadí prioritu. Cena Pravidla: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Nelze deaktivovat nebo zrušit BOM, jak to souvisí s ostatními kusovníky"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Více Cena pravidla existuje u stejných kritérií, prosím vyřešit konflikt tím, že přiřadí prioritu. Cena Pravidla: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Nelze deaktivovat nebo zrušit BOM, jak to souvisí s ostatními kusovníky"
DocType: Opportunity,Maintenance,Údržba
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Číslo příjmky je potřeba pro položku {0}
DocType: Item Attribute Value,Item Attribute Value,Položka Hodnota atributu
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Prodej kampaně.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Udělat TimeSheet
@@ -833,29 +838,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Asset vyhozen přes položka deníku {0}
DocType: Employee Loan,Interest Income Account,Účet Úrokové výnosy
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Biotechnologie
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Náklady Office údržby
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Náklady Office údržby
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Nastavení e-mailový účet
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,"Prosím, nejdřív zadejte položku"
DocType: Account,Liability,Odpovědnost
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,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}.
DocType: Company,Default Cost of Goods Sold Account,Výchozí Náklady na prodané zboží účtu
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Ceník není zvolen
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Ceník není zvolen
DocType: Employee,Family Background,Rodinné poměry
DocType: Request for Quotation Supplier,Send Email,Odeslat email
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Varování: Neplatná Příloha {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Varování: Neplatná Příloha {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Nemáte oprávnění
DocType: Company,Default Bank Account,Výchozí Bankovní účet
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Chcete-li filtrovat na základě Party, vyberte typ Party první"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Aktualizovat sklad' nemůže být zaškrtnuto, protože položky nejsou dodány přes {0}"
DocType: Vehicle,Acquisition Date,akvizice Datum
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Nos
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Nos
DocType: Item,Items with higher weightage will be shown higher,Položky s vyšším weightage budou zobrazeny vyšší
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bank Odsouhlasení Detail
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Řádek # {0}: {1} Asset musí být předloženy
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Řádek # {0}: {1} Asset musí být předloženy
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Žádný zaměstnanec nalezeno
DocType: Supplier Quotation,Stopped,Zastaveno
DocType: Item,If subcontracted to a vendor,Pokud se subdodávky na dodavatele
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Studentská skupina je již aktualizována.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Studentská skupina je již aktualizována.
DocType: SMS Center,All Customer Contact,Vše Kontakt Zákazník
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Nahrát nutnosti rovnováhy prostřednictvím CSV.
DocType: Warehouse,Tree Details,Tree Podrobnosti
@@ -867,13 +872,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: náklady Center {2} nepatří do společnosti {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Účet {2} nemůže být skupina
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Položka Row {idx}: {typ_dokumentu} {} DOCNAME neexistuje v předchozím '{typ_dokumentu}' tabulka
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Časového rozvrhu {0} je již dokončena nebo zrušena
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Časového rozvrhu {0} je již dokončena nebo zrušena
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,žádné úkoly
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Den měsíce, ve kterém auto faktura bude generován například 05, 28 atd"
DocType: Asset,Opening Accumulated Depreciation,Otevření Oprávky
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Skóre musí být menší než nebo rovna 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Program Tool zápis
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,C-Form záznamy
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C-Form záznamy
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Zákazník a Dodavatel
DocType: Email Digest,Email Digest Settings,Nastavení e-mailu Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Děkuji za Váš obchod!
@@ -883,17 +888,19 @@
DocType: Bin,Moving Average Rate,Klouzavý průměr
DocType: Production Planning Tool,Select Items,Vyberte položky
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} proti účtence {1} ze dne {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Číslo vozidla / autobusu
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,rozvrh
DocType: Maintenance Visit,Completion Status,Dokončení Status
DocType: HR Settings,Enter retirement age in years,Zadejte věk odchodu do důchodu v letech
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Target Warehouse
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Vyberte prosím sklad
DocType: Cheque Print Template,Starting location from left edge,Počínaje umístění od levého okraje
DocType: Item,Allow over delivery or receipt upto this percent,Nechte přes dodávku nebo příjem aľ tohoto procenta
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,Importovat Docházku
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Všechny skupiny položek
DocType: Process Payroll,Activity Log,Aktivita Log
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Čistý zisk / ztráta
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Čistý zisk / ztráta
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Automaticky napsat vzkaz na předkládání transakcí.
DocType: Production Order,Item To Manufacture,Položka k výrobě
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} je stav {2}
@@ -902,16 +909,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Objednávka na platební
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Předpokládané množství
DocType: Sales Invoice,Payment Due Date,Splatno dne
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Bod Variant {0} již existuje se stejnými vlastnostmi
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Bod Variant {0} již existuje se stejnými vlastnostmi
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',"Otevření"
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Otevřená dělat
DocType: Notification Control,Delivery Note Message,Delivery Note Message
DocType: Expense Claim,Expenses,Výdaje
+,Support Hours,Hodiny podpory
DocType: Item Variant Attribute,Item Variant Attribute,Položka Variant Atribut
,Purchase Receipt Trends,Doklad o koupi Trendy
DocType: Process Payroll,Bimonthly,dvouměsíčník
DocType: Vehicle Service,Brake Pad,Brzdový pedál
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Výzkum a vývoj
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Výzkum a vývoj
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Částka k Fakturaci
DocType: Company,Registration Details,Registrace Podrobnosti
DocType: Timesheet,Total Billed Amount,Celková částka Fakturovaný
@@ -924,12 +932,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Vypsat pouze slkadový materiál
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Hodnocení výkonu.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Povolení "použití pro nákupního košíku", jak je povoleno Nákupní košík a tam by měla být alespoň jedna daňová pravidla pro Košík"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Platba Vstup {0} je propojen na objednávku {1}, zkontrolujte, zda by měl být tažen za pokrok v této faktuře."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Platba Vstup {0} je propojen na objednávku {1}, zkontrolujte, zda by měl být tažen za pokrok v této faktuře."
DocType: Sales Invoice Item,Stock Details,Sklad Podrobnosti
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Hodnota projektu
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Místě prodeje
DocType: Vehicle Log,Odometer Reading,stav tachometru
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Zůstatek na účtu již v Credit, není dovoleno stanovit ""Balance musí být"" jako ""debet"""
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Zůstatek na účtu již v Credit, není dovoleno stanovit ""Balance musí být"" jako ""debet"""
DocType: Account,Balance must be,Zůstatek musí být
DocType: Hub Settings,Publish Pricing,Publikovat Ceník
DocType: Notification Control,Expense Claim Rejected Message,Zpráva o zamítnutí úhrady výdajů
@@ -939,7 +947,7 @@
DocType: Salary Slip,Working Days,Pracovní dny
DocType: Serial No,Incoming Rate,Příchozí Rate
DocType: Packing Slip,Gross Weight,Hrubá hmotnost
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,"Název vaší společnosti, pro kterou nastavení tohoto systému."
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,"Název vaší společnosti, pro kterou nastavení tohoto systému."
DocType: HR Settings,Include holidays in Total no. of Working Days,Zahrnout dovolenou v celkovém. pracovních dní
DocType: Job Applicant,Hold,Držet
DocType: Employee,Date of Joining,Datum přistoupení
@@ -950,20 +958,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Příjemka
,Received Items To Be Billed,"Přijaté položek, které mají být účtovány"
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Vložené výplatních páskách
-DocType: Employee,Ms,Paní
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Devizový kurz master.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Referenční Doctype musí být jedním z {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Devizový kurz master.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referenční Doctype musí být jedním z {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Nelze najít časový úsek v příštích {0} dní k provozu {1}
DocType: Production Order,Plan material for sub-assemblies,Plán materiál pro podsestavy
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Obchodní partneři a teritoria
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,"Nelze automaticky vytvoří účet protože je zde již stock zůstatku na účtu. Je nutné vytvořit odpovídající účet, než budete moci provést zápis o tomto skladu"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} musí být aktivní
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} musí být aktivní
DocType: Journal Entry,Depreciation Entry,odpisy Entry
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Vyberte první typ dokumentu
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Zrušit Materiál Návštěvy {0} před zrušením tohoto návštěv údržby
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Pořadové číslo {0} nepatří k bodu {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Požadované množství
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Sklady se stávajícími transakce nelze převést na knihy.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Sklady se stávajícími transakce nelze převést na knihy.
DocType: Bank Reconciliation,Total Amount,Celková částka
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Internet Publishing
DocType: Production Planning Tool,Production Orders,Výrobní Objednávky
@@ -978,25 +984,26 @@
DocType: Fee Structure,Components,Komponenty
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},"Prosím, zadejte Kategorie majetku v položce {0}"
DocType: Quality Inspection Reading,Reading 6,Čtení 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Nelze {0} {1} {2} bez negativních vynikající faktura
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Nelze {0} {1} {2} bez negativních vynikající faktura
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Záloha přijaté faktury
DocType: Hub Settings,Sync Now,Sync teď
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Row {0}: Credit záznam nemůže být spojována s {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Definovat rozpočet pro finanční rok.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Definovat rozpočet pro finanční rok.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"Výchozí účet Bank / Cash budou automaticky aktualizovány v POS faktury, pokud je zvolen tento režim."
DocType: Lead,LEAD-,VÉST-
DocType: Employee,Permanent Address Is,Trvalé bydliště je
DocType: Production Order Operation,Operation completed for how many finished goods?,Provoz dokončeno kolika hotových výrobků?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,Brand
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Brand
DocType: Employee,Exit Interview Details,Exit Rozhovor Podrobnosti
DocType: Item,Is Purchase Item,je Nákupní Položka
DocType: Asset,Purchase Invoice,Přijatá faktura
DocType: Stock Ledger Entry,Voucher Detail No,Voucher Detail No
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Nová prodejní faktura
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Nová prodejní faktura
DocType: Stock Entry,Total Outgoing Value,Celková hodnota Odchozí
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Datum zahájení a datem ukončení by mělo být v rámci stejného fiskální rok
DocType: Lead,Request for Information,Žádost o informace
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sync Offline Faktury
+,LeaderBoard,LeaderBoard
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Sync Offline Faktury
DocType: Payment Request,Paid,Placený
DocType: Program Fee,Program Fee,Program Fee
DocType: Salary Slip,Total in words,Celkem slovy
@@ -1005,13 +1012,13 @@
DocType: Cheque Print Template,Has Print Format,Má formát tisku
DocType: Employee Loan,Sanctioned,schválený
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,je povinné. Možná chybí záznam směnného kurzu pro
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Zadejte Pořadové číslo k bodu {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pro "produktem Bundle předměty, sklad, sériové číslo a dávkové No bude považována ze" Balení seznam 'tabulky. Pokud Warehouse a Batch No jsou stejné pro všechny balení položky pro jakoukoli "Výrobek balík" položky, tyto hodnoty mohou být zapsány do hlavní tabulky položky, budou hodnoty zkopírovány do "Balení seznam" tabulku."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Zadejte Pořadové číslo k bodu {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pro "produktem Bundle předměty, sklad, sériové číslo a dávkové No bude považována ze" Balení seznam 'tabulky. Pokud Warehouse a Batch No jsou stejné pro všechny balení položky pro jakoukoli "Výrobek balík" položky, tyto hodnoty mohou být zapsány do hlavní tabulky položky, budou hodnoty zkopírovány do "Balení seznam" tabulku."
DocType: Job Opening,Publish on website,Publikovat na webových stránkách
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Zásilky zákazníkům.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Dodavatel Datum faktury nemůže být větší než Datum zveřejnění
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Dodavatel Datum faktury nemůže být větší než Datum zveřejnění
DocType: Purchase Invoice Item,Purchase Order Item,Položka vydané objednávky
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Nepřímé příjmy
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Nepřímé příjmy
DocType: Student Attendance Tool,Student Attendance Tool,Student Účast Tool
DocType: Cheque Print Template,Date Settings,Datum Nastavení
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Odchylka
@@ -1029,20 +1036,20 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Chemický
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Výchozí banka / Peněžní účet budou automaticky aktualizovány v plat položka deníku je-li zvolen tento režim.
DocType: BOM,Raw Material Cost(Company Currency),Raw Material Cost (Company měna)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Všechny položky již byly převedeny na výrobu tohoto řádu.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Všechny položky již byly převedeny na výrobu tohoto řádu.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Řádek # {0}: Míra nemůže být větší než rychlost použitá v {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,Metr
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,Metr
DocType: Workstation,Electricity Cost,Cena elektřiny
DocType: HR Settings,Don't send Employee Birthday Reminders,Neposílejte zaměstnance připomenutí narozenin
DocType: Item,Inspection Criteria,Inspekční Kritéria
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Převedené
DocType: BOM Website Item,BOM Website Item,BOM Website Item
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Nahrajte svůj dopis hlavu a logo. (Můžete je upravit později).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Nahrajte svůj dopis hlavu a logo. (Můžete je upravit později).
DocType: Timesheet Detail,Bill,Účet
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Vedle Odpisy Datum se zadává jako uplynulém dni
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Bílá
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Bílá
DocType: SMS Center,All Lead (Open),Všechny Lead (Otevřeny)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Řádek {0}: Množství není k dispozici pro {4} ve skladu {1} při účtování čas vložení údajů ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Řádek {0}: Množství není k dispozici pro {4} ve skladu {1} při účtování čas vložení údajů ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Získejte zaplacené zálohy
DocType: Item,Automatically Create New Batch,Automaticky vytvořit novou dávku
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,Dělat
@@ -1052,13 +1059,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Můj košík
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Typ objednávky musí být jedním z {0}
DocType: Lead,Next Contact Date,Další Kontakt Datum
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Otevření POČET
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,"Prosím, zadejte účet pro změnu Částka"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Otevření POČET
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,"Prosím, zadejte účet pro změnu Částka"
DocType: Student Batch Name,Student Batch Name,Student Batch Name
DocType: Holiday List,Holiday List Name,Název seznamu dovolené
DocType: Repayment Schedule,Balance Loan Amount,Balance Výše úvěru
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,rozvrh
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Akciové opce
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Akciové opce
DocType: Journal Entry Account,Expense Claim,Hrazení nákladů
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Opravdu chcete obnovit tento vyřazen aktivum?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Množství pro {0}
@@ -1070,12 +1077,12 @@
DocType: Company,Default Terms,Výchozí podmínky
DocType: Packing Slip Item,Packing Slip Item,Položka balícího listu
DocType: Purchase Invoice,Cash/Bank Account,Hotovostní / Bankovní účet
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Zadejte {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Zadejte {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Odstraněné položky bez změny množství nebo hodnoty.
DocType: Delivery Note,Delivery To,Doručení do
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Atribut tabulka je povinné
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Atribut tabulka je povinné
DocType: Production Planning Tool,Get Sales Orders,Získat Prodejní objednávky
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} nemůže být negativní
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} nemůže být negativní
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Sleva
DocType: Asset,Total Number of Depreciations,Celkový počet Odpisy
DocType: Sales Invoice Item,Rate With Margin,Míra s marží
@@ -1095,7 +1102,6 @@
DocType: Serial No,Creation Document No,Tvorba dokument č
DocType: Issue,Issue,Problém
DocType: Asset,Scrapped,sešrotován
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Účet neodpovídá Společnosti
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Atributy pro položky varianty. například velikost, barva atd."
DocType: Purchase Invoice,Returns,výnos
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP Warehouse
@@ -1107,12 +1113,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,"Položka musí být přidána pomocí tlačítka""položka získaná z dodacího listu"""
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Včetně neskladových položek
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Prodejní náklady
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Prodejní náklady
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Standardní Nakupování
DocType: GL Entry,Against,Proti
DocType: Item,Default Selling Cost Center,Výchozí Center Prodejní cena
DocType: Sales Partner,Implementation Partner,Implementačního partnera
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,PSČ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,PSČ
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Prodejní objednávky {0} {1}
DocType: Opportunity,Contact Info,Kontaktní informace
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Tvorba přírůstků zásob
@@ -1125,31 +1131,31 @@
DocType: Holiday List,Get Weekly Off Dates,Získejte týdenní Off termíny
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,Datum ukončení nesmí být menší než data zahájení
DocType: Sales Person,Select company name first.,Vyberte název společnosti jako první.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Dr
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Nabídka obdržená od Dodavatelů.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Chcete-li {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Průměrný věk
DocType: School Settings,Attendance Freeze Date,Datum ukončení účasti
DocType: Opportunity,Your sales person who will contact the customer in future,"Váš obchodní zástupce, který bude kontaktovat zákazníka v budoucnu"
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Seznam několik svých dodavatelů. Ty by mohly být organizace nebo jednotlivci.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Seznam několik svých dodavatelů. Ty by mohly být organizace nebo jednotlivci.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Zobrazit všechny produkty
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimální doba plnění (dny)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,Všechny kusovníky
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Všechny kusovníky
DocType: Company,Default Currency,Výchozí měna
DocType: Expense Claim,From Employee,Od Zaměstnance
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Upozornění: Systém nebude kontrolovat nadfakturace, protože částka za položku na {1} je nula {0}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Upozornění: Systém nebude kontrolovat nadfakturace, protože částka za položku na {1} je nula {0}"
DocType: Journal Entry,Make Difference Entry,Učinit vstup Rozdíl
DocType: Upload Attendance,Attendance From Date,Účast Datum od
DocType: Appraisal Template Goal,Key Performance Area,Key Performance Area
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Doprava
+DocType: Program Enrollment,Transportation,Doprava
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Neplatný Atribut
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} musí být odeslaný
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} musí být odeslaný
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Množství musí být menší než nebo rovno {0}
DocType: SMS Center,Total Characters,Celkový počet znaků
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Vyberte kusovník Bom oblasti k bodu {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Vyberte kusovník Bom oblasti k bodu {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Faktura Detail
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Platba Odsouhlasení faktury
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Příspěvek%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Podle Nákupních nastavení, pokud je objednávka požadována == 'ANO', pak pro vytvoření nákupní faktury musí uživatel nejprve vytvořit nákupní objednávku pro položku {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Registrace firmy čísla pro váš odkaz. Daňové čísla atd
DocType: Sales Partner,Distributor,Distributor
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Nákupní košík Shipping Rule
@@ -1158,23 +1164,25 @@
,Ordered Items To Be Billed,Objednané zboží fakturovaných
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,"Z rozsahu, musí být nižší než na Range"
DocType: Global Defaults,Global Defaults,Globální Výchozí
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Projekt spolupráce Pozvánka
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Projekt spolupráce Pozvánka
DocType: Salary Slip,Deductions,Odpočty
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Začátek Rok
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},První dvě číslice GSTIN by se měly shodovat s číslem státu {0}
DocType: Purchase Invoice,Start date of current invoice's period,Datum období současného faktury je Začátek
DocType: Salary Slip,Leave Without Pay,Volno bez nároku na mzdu
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Plánování kapacit Chyba
,Trial Balance for Party,Trial váhy pro stranu
DocType: Lead,Consultant,Konzultant
DocType: Salary Slip,Earnings,Výdělek
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Dokončeno Položka {0} musí být zadán pro vstup typu Výroba
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Dokončeno Položka {0} musí být zadán pro vstup typu Výroba
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Otevření účetnictví Balance
+,GST Sales Register,Obchodní registr GST
DocType: Sales Invoice Advance,Sales Invoice Advance,Prodejní faktury Advance
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Nic požadovat
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Další rekord Rozpočet '{0}' již existuje proti {1} '{2}' za fiskální rok {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',"""Skutečné datum zahájení"" nemůže být větší než ""Skutečné datum ukončení"""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Řízení
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Řízení
DocType: Cheque Print Template,Payer Settings,Nastavení plátce
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","To bude připojen na položku zákoníku varianty. Například, pokud vaše zkratka je ""SM"", a položka je kód ""T-SHIRT"", položka kód varianty bude ""T-SHIRT-SM"""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Čistá Pay (slovy) budou viditelné, jakmile uložíte výplatní pásce."
@@ -1191,8 +1199,8 @@
DocType: Employee Loan,Partially Disbursed,částečně Vyplacené
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Databáze dodavatelů.
DocType: Account,Balance Sheet,Rozvaha
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',"Nákladové středisko u položky s Kód položky """
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Režim platba není nakonfigurován. Prosím zkontrolujte, zda je účet byl nastaven na režim plateb nebo na POS Profilu."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',"Nákladové středisko u položky s Kód položky """
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Režim platba není nakonfigurován. Prosím zkontrolujte, zda je účet byl nastaven na režim plateb nebo na POS Profilu."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,"Váš obchodní zástupce dostane upomínku na tento den, aby kontaktoval zákazníka"
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Stejnou položku nelze zadat vícekrát.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Další účty mohou být vyrobeny v rámci skupiny, ale údaje lze proti non-skupin"
@@ -1200,7 +1208,7 @@
DocType: Email Digest,Payables,Závazky
DocType: Course,Course Intro,Samozřejmě Intro
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Skladovou kartu {0} vytvořil
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Řádek # {0}: Zamítnutí Množství nemůže být zapsán do kupní Návrat
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Řádek # {0}: Zamítnutí Množství nemůže být zapsán do kupní Návrat
,Purchase Order Items To Be Billed,Položky vydané objednávky k fakturaci
DocType: Purchase Invoice Item,Net Rate,Čistá míra
DocType: Purchase Invoice Item,Purchase Invoice Item,Položka přijaté faktury
@@ -1225,7 +1233,7 @@
DocType: Sales Order,SO-,TAK-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,"Prosím, vyberte první prefix"
DocType: Employee,O-,Ó-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Výzkum
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Výzkum
DocType: Maintenance Visit Purpose,Work Done,Odvedenou práci
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Uveďte prosím alespoň jeden atribut v tabulce atributy
DocType: Announcement,All Students,Všichni studenti
@@ -1233,17 +1241,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,View Ledger
DocType: Grading Scale,Intervals,intervaly
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Nejstarší
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Položka Group existuje se stejným názvem, prosím, změnit název položky nebo přejmenovat skupinu položek"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Student Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Zbytek světa
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Položka Group existuje se stejným názvem, prosím, změnit název položky nebo přejmenovat skupinu položek"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No.
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Zbytek světa
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Položka {0} nemůže mít dávku
,Budget Variance Report,Rozpočet Odchylka Report
DocType: Salary Slip,Gross Pay,Hrubé mzdy
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Řádek {0}: typ činnosti je povinná.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Dividendy placené
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Dividendy placené
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Účetní Ledger
DocType: Stock Reconciliation,Difference Amount,Rozdíl Částka
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Nerozdělený zisk
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Nerozdělený zisk
DocType: Vehicle Log,Service Detail,servis Detail
DocType: BOM,Item Description,Položka Popis
DocType: Student Sibling,Student Sibling,Student Sourozenec
@@ -1257,11 +1265,11 @@
DocType: Opportunity Item,Opportunity Item,Položka Příležitosti
,Student and Guardian Contact Details,Student a Guardian Kontaktní údaje
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Řádek {0}: Pro dodavatele je zapotřebí {0} E-mailová adresa pro odeslání e-mailu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Dočasné Otevření
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Dočasné Otevření
,Employee Leave Balance,Zaměstnanec Leave Balance
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Zůstatek na účtě {0} musí být vždy {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Ocenění Míra potřebná pro položku v řádku {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Příklad: Masters v informatice
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Příklad: Masters v informatice
DocType: Purchase Invoice,Rejected Warehouse,Zamítnuto Warehouse
DocType: GL Entry,Against Voucher,Proti poukazu
DocType: Item,Default Buying Cost Center,Výchozí Center Nákup Cost
@@ -1274,31 +1282,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Získat neuhrazených faktur
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Prodejní objednávky {0} není platný
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Objednávky pomohou při plánování a navázat na vašich nákupech
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Je nám líto, společnosti nemohou být sloučeny"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Je nám líto, společnosti nemohou být sloučeny"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",Celkové emise / přenosu množství {0} v hmotné Request {1} \ nemůže být vyšší než požadované množství {2} pro položku {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Malý
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Malý
DocType: Employee,Employee Number,Počet zaměstnanců
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Případ číslo (čísla) již v provozu. Zkuste se věc č {0}
DocType: Project,% Completed,% Dokončeno
,Invoiced Amount (Exculsive Tax),Fakturovaná částka (bez daně)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Položka 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Hlava účtu {0} vytvořil
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,Training Event
DocType: Item,Auto re-order,Auto re-order
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Celkem Dosažená
DocType: Employee,Place of Issue,Místo vydání
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Smlouva
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Smlouva
DocType: Email Digest,Add Quote,Přidat nabídku
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion faktor potřebný k nerozpuštěných: {0} v bodě: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Nepřímé náklady
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion faktor potřebný k nerozpuštěných: {0} v bodě: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Nepřímé náklady
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Row {0}: Množství je povinný
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Zemědělství
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sync Master Data
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Vaše Produkty nebo Služby
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Vaše Produkty nebo Služby
DocType: Mode of Payment,Mode of Payment,Způsob platby
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Webové stránky Image by měla být veřejná souboru nebo webové stránky URL
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Webové stránky Image by měla být veřejná souboru nebo webové stránky URL
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Jedná se o skupinu kořen položky a nelze upravovat.
@@ -1307,17 +1314,17 @@
DocType: Warehouse,Warehouse Contact Info,Sklad Kontaktní informace
DocType: Payment Entry,Write Off Difference Amount,Odepsat Difference Částka
DocType: Purchase Invoice,Recurring Type,Opakující se Typ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: e-mail zaměstnanec nebyl nalezen, a proto je pošta neposlal"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: e-mail zaměstnanec nebyl nalezen, a proto je pošta neposlal"
DocType: Item,Foreign Trade Details,Zahraniční obchod Podrobnosti
DocType: Email Digest,Annual Income,Roční příjem
DocType: Serial No,Serial No Details,Serial No Podrobnosti
DocType: Purchase Invoice Item,Item Tax Rate,Sazba daně položky
DocType: Student Group Student,Group Roll Number,Číslo role skupiny
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Pro {0}, tak úvěrové účty mohou být propojeny na jinou položku debetní"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Součet všech vah úkol by měl být 1. Upravte váhy všech úkolů projektu v souladu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Delivery Note {0} není předložena
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Položka {0} musí být Subdodavatelské Item
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Kapitálové Vybavení
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Součet všech vah úkol by měl být 1. Upravte váhy všech úkolů projektu v souladu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Delivery Note {0} není předložena
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Položka {0} musí být Subdodavatelské Item
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Kapitálové Vybavení
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Ceny Pravidlo je nejprve vybrána na základě ""Použít na"" oblasti, které mohou být položky, položky skupiny nebo značky."
DocType: Hub Settings,Seller Website,Prodejce Website
DocType: Item,ITEM-,POLOŽKA-
@@ -1335,7 +1342,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Tam může být pouze jeden Shipping Rule Podmínka s 0 nebo prázdnou hodnotu pro ""na hodnotu"""
DocType: Authorization Rule,Transaction,Transakce
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Poznámka: Tento Nákladové středisko je Group. Nelze vytvořit účetní zápisy proti skupinám.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,Dítě sklad existuje pro tento sklad. Nemůžete odstranit tento sklad.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Dítě sklad existuje pro tento sklad. Nemůžete odstranit tento sklad.
DocType: Item,Website Item Groups,Webové stránky skupiny položek
DocType: Purchase Invoice,Total (Company Currency),Total (Company měny)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Výrobní číslo {0} přihlášeno více než jednou
@@ -1345,7 +1352,7 @@
DocType: Grading Scale Interval,Grade Code,Grade Code
DocType: POS Item Group,POS Item Group,POS položky Group
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-mail Digest:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} nepatří k bodu {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} nepatří k bodu {1}
DocType: Sales Partner,Target Distribution,Target Distribution
DocType: Salary Slip,Bank Account No.,Bankovní účet č.
DocType: Naming Series,This is the number of the last created transaction with this prefix,To je číslo poslední vytvořené transakci s tímto prefixem
@@ -1355,12 +1362,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Zúčtování odpisu majetku na účet automaticky
DocType: BOM Operation,Workstation,Pracovní stanice
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Žádost o cenovou nabídku dodavatele
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Technické vybavení
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Technické vybavení
DocType: Sales Order,Recurring Upto,opakující Až
DocType: Attendance,HR Manager,HR Manager
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Vyberte společnost
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Privilege Leave
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Vyberte společnost
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Privilege Leave
DocType: Purchase Invoice,Supplier Invoice Date,Dodavatelské faktury Datum
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,za
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Musíte povolit Nákupní košík
DocType: Payment Entry,Writeoff,Odepsat
DocType: Appraisal Template Goal,Appraisal Template Goal,Posouzení Template Goal
@@ -1371,10 +1379,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Překrývající podmínky nalezeno mezi:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Proti věstníku Entry {0} je již nastavena proti jiným poukaz
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Celková hodnota objednávky
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Jídlo
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Jídlo
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Stárnutí Rozsah 3
DocType: Maintenance Schedule Item,No of Visits,Počet návštěv
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Mark Attendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Mark Attendence
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Plán údržby {0} existuje proti {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,učící studenta
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},"Měna závěrečného účtu, musí být {0}"
@@ -1388,6 +1396,7 @@
DocType: Rename Tool,Utilities,Utilities
DocType: Purchase Invoice Item,Accounting,Účetnictví
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Zvolte dávky pro doručenou položku
DocType: Asset,Depreciation Schedules,odpisy Plány
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Období pro podávání žádostí nemůže být alokační období venku volno
DocType: Activity Cost,Projects,Projekty
@@ -1401,6 +1410,7 @@
DocType: POS Profile,Campaign,Kampaň
DocType: Supplier,Name and Type,Název a typ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Stav schválení musí být ""schváleno"" nebo ""Zamítnuto"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,Bootstrap
DocType: Purchase Invoice,Contact Person,Kontaktní osoba
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"""Očekávané datum započetí"" nemůže být větší než ""Očekávané datum ukončení"""
DocType: Course Scheduling Tool,Course End Date,Konec Samozřejmě Datum
@@ -1408,12 +1418,11 @@
DocType: Sales Order Item,Planned Quantity,Plánované Množství
DocType: Purchase Invoice Item,Item Tax Amount,Částka Daně Položky
DocType: Item,Maintain Stock,Udržovat Stock
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Fotky Položky již vytvořené pro výrobní zakázku
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Fotky Položky již vytvořené pro výrobní zakázku
DocType: Employee,Prefered Email,preferovaný Email
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Čistá změna ve stálých aktiv
DocType: Leave Control Panel,Leave blank if considered for all designations,"Ponechte prázdné, pokud se to považuje za všechny označení"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Sklad je povinné pro skupinové účty nejsou typu skladě
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Obvinění z typu ""Aktuální"" v řádku {0} nemůže být zařazena do položky Rate"
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Obvinění z typu ""Aktuální"" v řádku {0} nemůže být zařazena do položky Rate"
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Od datetime
DocType: Email Digest,For Company,Pro Společnost
@@ -1423,15 +1432,15 @@
DocType: Sales Invoice,Shipping Address Name,Název dodací adresy
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Diagram účtů
DocType: Material Request,Terms and Conditions Content,Podmínky Content
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,nemůže být větší než 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Položka {0} není skladem
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,nemůže být větší než 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Položka {0} není skladem
DocType: Maintenance Visit,Unscheduled,Neplánovaná
DocType: Employee,Owned,Vlastník
DocType: Salary Detail,Depends on Leave Without Pay,Závisí na dovolené bez nároku na mzdu
DocType: Pricing Rule,"Higher the number, higher the priority","Vyšší číslo, vyšší priorita"
,Purchase Invoice Trends,Trendy přijatách faktur
DocType: Employee,Better Prospects,Lepší vyhlídky
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Řádek # {0}: Dávka {1} má pouze {2} qty. Vyberte prosím jinou dávku, která má k dispozici {3} qty nebo rozdělit řádek do více řádků, doručit / vydávat z více dávek"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Řádek # {0}: Dávka {1} má pouze {2} qty. Vyberte prosím jinou dávku, která má k dispozici {3} qty nebo rozdělit řádek do více řádků, doručit / vydávat z více dávek"
DocType: Vehicle,License Plate,poznávací značka
DocType: Appraisal,Goals,Cíle
DocType: Warranty Claim,Warranty / AMC Status,Záruka / AMC Status
@@ -1442,7 +1451,8 @@
,Batch-Wise Balance History,Batch-Wise Balance History
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Nastavení tisku aktualizovány v příslušném formátu tisku
DocType: Package Code,Package Code,Code Package
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Učeň
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Učeň
+DocType: Purchase Invoice,Company GSTIN,Společnost GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Negativní množství není dovoleno
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","Tax detail tabulka staženy z položky pána jako řetězec a uložené v této oblasti.
@@ -1450,12 +1460,12 @@
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Zaměstnanec nemůže odpovídat sám sobě.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","V případě, že účet je zamrzlý, položky mohou omezeným uživatelům."
DocType: Email Digest,Bank Balance,Bank Balance
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Účetní záznam pro {0}: {1} mohou být prováděny pouze v měně: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Účetní záznam pro {0}: {1} mohou být prováděny pouze v měně: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Profil Job, požadované kvalifikace atd."
DocType: Journal Entry Account,Account Balance,Zůstatek na účtu
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Daňové Pravidlo pro transakce.
DocType: Rename Tool,Type of document to rename.,Typ dokumentu přejmenovat.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Vykupujeme tuto položku
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Vykupujeme tuto položku
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Zákazník je nutná proti pohledávek účtu {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Celkem Daně a poplatky (Company Měnové)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Ukázat P & L zůstatky neuzavřený fiskální rok je
@@ -1466,29 +1476,30 @@
DocType: Stock Entry,Total Additional Costs,Celkem Dodatečné náklady
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Šrot materiálové náklady (Company měna)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Podsestavy
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Podsestavy
DocType: Asset,Asset Name,Asset Name
DocType: Project,Task Weight,úkol Hmotnost
DocType: Shipping Rule Condition,To Value,Chcete-li hodnota
DocType: Asset Movement,Stock Manager,Reklamní manažer
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Source sklad je povinná pro řadu {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Balící list
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Pronájem kanceláře
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Source sklad je povinná pro řadu {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Balící list
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Pronájem kanceláře
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Nastavení SMS brány
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Import se nezdařil!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Žádná adresa přidán dosud.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Žádná adresa přidán dosud.
DocType: Workstation Working Hour,Workstation Working Hour,Pracovní stanice Pracovní Hour
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Analytik
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Analytik
DocType: Item,Inventory,Inventář
DocType: Item,Sales Details,Prodejní Podrobnosti
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,S položkami
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,V Množství
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,V Množství
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Ověřte zapsaný kurz pro studenty ve skupině studentů
DocType: Notification Control,Expense Claim Rejected,Uhrazení výdajů zamítnuto
DocType: Item,Item Attribute,Položka Atribut
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Vláda
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Vláda
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Náklady na pojistná {0} již existuje pro jízd
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Jméno Institute
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Jméno Institute
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,"Prosím, zadejte splácení Částka"
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Položka Varianty
DocType: Company,Services,Služby
@@ -1498,18 +1509,18 @@
DocType: Sales Invoice,Source,Zdroj
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Show uzavřen
DocType: Leave Type,Is Leave Without Pay,Je odejít bez Pay
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Asset kategorie je povinný pro položku dlouhodobých aktiv
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset kategorie je povinný pro položku dlouhodobých aktiv
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Nalezené v tabulce platby Žádné záznamy
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Tato {0} je v rozporu s {1} o {2} {3}
DocType: Student Attendance Tool,Students HTML,studenti HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Finanční rok Datum zahájení
DocType: POS Profile,Apply Discount,Použít slevu
+DocType: Purchase Invoice Item,GST HSN Code,GST HSN kód
DocType: Employee External Work History,Total Experience,Celková zkušenost
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,otevřené projekty
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Balící list(y) stornován(y)
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Peněžní tok z investičních
DocType: Program Course,Program Course,Program kurzu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Nákladní a Spediční Poplatky
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Nákladní a Spediční Poplatky
DocType: Homepage,Company Tagline for website homepage,Firma fb na titulní stránce webu
DocType: Item Group,Item Group Name,Položka Název skupiny
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Zaujatý
@@ -1519,6 +1530,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,vytvoření vede
DocType: Maintenance Schedule,Schedules,Plány
DocType: Purchase Invoice Item,Net Amount,Čistá částka
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nebyla odeslána, takže akce nemůže být dokončena"
DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detail No
DocType: Landed Cost Voucher,Additional Charges,Další poplatky
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Dodatečná sleva Částka (Měna Company)
@@ -1534,6 +1546,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Výše měsíční splátky
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,Prosím nastavte uživatelské ID pole v záznamu zaměstnanců nastavit role zaměstnance
DocType: UOM,UOM Name,UOM Name
+DocType: GST HSN Code,HSN Code,Kód HSN
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Výše příspěvku
DocType: Purchase Invoice,Shipping Address,Dodací adresa
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,"Tento nástroj vám pomůže aktualizovat nebo opravit množství a ocenění zásob v systému. To se obvykle používá k synchronizaci hodnot systému a to, co ve skutečnosti existuje ve vašich skladech."
@@ -1544,17 +1557,16 @@
DocType: Program Enrollment Tool,Program Enrollments,Program Přihlášky
DocType: Sales Invoice Item,Brand Name,Jméno značky
DocType: Purchase Receipt,Transporter Details,Transporter Podrobnosti
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Výchozí sklad je vyžadováno pro vybraná položka
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Krabice
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Výchozí sklad je vyžadováno pro vybraná položka
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Krabice
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,možné Dodavatel
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Organizace
DocType: Budget,Monthly Distribution,Měsíční Distribution
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Přijímač Seznam je prázdný. Prosím vytvořte přijímače Seznam
DocType: Production Plan Sales Order,Production Plan Sales Order,Výrobní program prodejní objednávky
DocType: Sales Partner,Sales Partner Target,Sales Partner Target
DocType: Loan Type,Maximum Loan Amount,Maximální výše úvěru
DocType: Pricing Rule,Pricing Rule,Ceny Pravidlo
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Duplicitní číslo role pro studenty {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Duplicitní číslo role pro studenty {0}
DocType: Budget,Action if Annual Budget Exceeded,Akční Pokud jde o roční rozpočet překročen
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Materiál Žádost o příkazu k nákupu
DocType: Shopping Cart Settings,Payment Success URL,Platba Úspěch URL
@@ -1567,11 +1579,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Otevření Sklad Balance
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} musí být uvedeny pouze jednou
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},"Není povoleno, aby transfer více {0} než {1} proti Objednávky {2}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},"Není povoleno, aby transfer více {0} než {1} proti Objednávky {2}"
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Dovolená úspěšně přidělena {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Žádné položky k balení
DocType: Shipping Rule Condition,From Value,Od hodnoty
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Výrobní množství je povinné
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Výrobní množství je povinné
DocType: Employee Loan,Repayment Method,splácení Metoda
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Pokud je zaškrtnuto, domovská stránka bude výchozí bod skupina pro webové stránky"
DocType: Quality Inspection Reading,Reading 4,Čtení 4
@@ -1581,7 +1593,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Řádek # {0}: datum Světlá {1} nemůže být před Cheque Datum {2}
DocType: Company,Default Holiday List,Výchozí Holiday Seznam
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Řádek {0}: čas od času i na čas z {1} se překrývá s {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Stock Závazky
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Stock Závazky
DocType: Purchase Invoice,Supplier Warehouse,Dodavatel Warehouse
DocType: Opportunity,Contact Mobile No,Kontakt Mobil
,Material Requests for which Supplier Quotations are not created,Materiál Žádosti o které Dodavatel citace nejsou vytvořeny
@@ -1592,35 +1604,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Vytvořit nabídku
apps/erpnext/erpnext/config/selling.py +216,Other Reports,Ostatní zprávy
DocType: Dependent Task,Dependent Task,Závislý Task
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},"Konverzní faktor pro výchozí měrnou jednotku, musí být 1 v řádku {0}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},"Konverzní faktor pro výchozí měrnou jednotku, musí být 1 v řádku {0}"
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Absence typu {0} nemůže být delší než {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Zkuste plánování operací pro X dní předem.
DocType: HR Settings,Stop Birthday Reminders,Zastavit připomenutí narozenin
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},"Prosím nastavit výchozí mzdy, splatnou účet ve firmě {0}"
DocType: SMS Center,Receiver List,Přijímač Seznam
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Hledání položky
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Hledání položky
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Spotřebovaném množství
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Čistá změna v hotovosti
DocType: Assessment Plan,Grading Scale,Klasifikační stupnice
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Měrná jednotka {0} byl zadán více než jednou v konverzním faktorem tabulce
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Měrná jednotka {0} byl zadán více než jednou v konverzním faktorem tabulce
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,již byly dokončeny
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Skladem v ruce
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Platba Poptávka již existuje {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Náklady na vydaných položek
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Množství nesmí být větší než {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Předchozí finanční rok není uzavřen
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Stáří (dny)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Stáří (dny)
DocType: Quotation Item,Quotation Item,Položka Nabídky
+DocType: Customer,Customer POS Id,Identifikační číslo zákazníka
DocType: Account,Account Name,Název účtu
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Datum OD nemůže být vetší než datum DO
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Pořadové číslo {0} {1} množství nemůže být zlomek
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Dodavatel Type master.
DocType: Purchase Order Item,Supplier Part Number,Dodavatel Číslo dílu
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Míra konverze nemůže být 0 nebo 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Míra konverze nemůže být 0 nebo 1
DocType: Sales Invoice,Reference Document,referenční dokument
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} je zrušena nebo zastavena
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} je zrušena nebo zastavena
DocType: Accounts Settings,Credit Controller,Credit Controller
DocType: Delivery Note,Vehicle Dispatch Date,Vozidlo Dispatch Datum
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Doklad o koupi {0} není předložena
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Doklad o koupi {0} není předložena
DocType: Company,Default Payable Account,Výchozí Splatnost účtu
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Nastavení pro on-line nákupního košíku, jako jsou pravidla dopravu, ceník atd"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% účtovano
@@ -1639,11 +1653,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Celkové částky proplacené
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,To je založeno na protokolech proti tomuto vozidlu. Viz časovou osu níže podrobnosti
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,Sbírat
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Proti faktuře dodavatele {0} ze dne {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Proti faktuře dodavatele {0} ze dne {1}
DocType: Customer,Default Price List,Výchozí Ceník
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Záznam Asset Pohyb {0} vytvořil
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Nelze odstranit fiskální rok {0}. Fiskální rok {0} je nastaven jako výchozí v globálním nastavení
DocType: Journal Entry,Entry Type,Entry Type
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,V této hodnotící skupině není spojen žádný plán hodnocení
,Customer Credit Balance,Zákazník Credit Balance
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Čistá Změna účty závazků
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',"Zákazník požadoval pro 'Customerwise sleva """
@@ -1651,7 +1666,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Stanovení ceny
DocType: Quotation,Term Details,Termín Podrobnosti
DocType: Project,Total Sales Cost (via Sales Order),Celkové prodejní náklady (prostřednictvím objednávky prodeje)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Nemůže přihlásit více než {0} studentů na této studentské skupiny.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Nemůže přihlásit více než {0} studentů na této studentské skupiny.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Počet vedoucích
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} musí být větší než 0
DocType: Manufacturing Settings,Capacity Planning For (Days),Plánování kapacit Pro (dny)
@@ -1672,7 +1687,7 @@
DocType: Sales Invoice,Packed Items,Zabalené položky
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Reklamační proti sériového čísla
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Nahradit konkrétní kusovník ve všech ostatních kusovnících, kde se používá. To nahradí původní odkaz kusovníku, aktualizujte náklady a obnoví ""BOM rozložení položky"" tabulku podle nového BOM"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Celkový'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Celkový'
DocType: Shopping Cart Settings,Enable Shopping Cart,Povolit Nákupní košík
DocType: Employee,Permanent Address,Trvalé bydliště
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1688,9 +1703,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,"Uveďte prosím buď Množství nebo ocenění Cena, nebo obojí"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,Splnění
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Zobrazit Košík
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Marketingové náklady
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Marketingové náklady
,Item Shortage Report,Položka Nedostatek Report
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Hmotnost je uvedeno, \n uveďte prosím ""váha UOM"" příliš"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Hmotnost je uvedeno, \n uveďte prosím ""váha UOM"" příliš"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Zadaný požadavek materiálu k výrobě této skladové karty
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Vedle Odpisy Datum je povinné pro nové aktivum
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Samostatná skupina založená na kurzu pro každou dávku
@@ -1699,17 +1714,18 @@
,Student Fee Collection,Student Fee Collection
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Ujistěte se účetní položka pro každý pohyb zásob
DocType: Leave Allocation,Total Leaves Allocated,Celkem Leaves Přidělené
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Warehouse vyžadováno při Row No {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Zadejte prosím platnou finanční rok datum zahájení a ukončení
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Warehouse vyžadováno při Row No {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Zadejte prosím platnou finanční rok datum zahájení a ukončení
DocType: Employee,Date Of Retirement,Datum odchodu do důchodu
DocType: Upload Attendance,Get Template,Získat šablonu
+DocType: Material Request,Transferred,Přestoupil
DocType: Vehicle,Doors,dveře
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext Setup Complete!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup Complete!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Je zapotřebí nákladového střediska pro 'zisku a ztráty "účtu {2}. Prosím nastavit výchozí nákladového střediska pro společnost.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Zákaznická Skupina existuje se stejným názvem, prosím změnit název zákazníka nebo přejmenujte skupinu zákazníků"
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Nový kontakt
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Zákaznická Skupina existuje se stejným názvem, prosím změnit název zákazníka nebo přejmenujte skupinu zákazníků"
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Nový kontakt
DocType: Territory,Parent Territory,Parent Territory
DocType: Quality Inspection Reading,Reading 2,Čtení 2
DocType: Stock Entry,Material Receipt,Příjem materiálu
@@ -1718,17 +1734,16 @@
DocType: Employee,AB+,AB+
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Pokud je tato položka má varianty, pak to nemůže být vybrána v prodejních objednávek atd"
DocType: Lead,Next Contact By,Další Kontakt By
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Množství požadované pro bodě {0} v řadě {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},"Sklad {0} nelze smazat, protože existuje množství k položce {1}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Množství požadované pro bodě {0} v řadě {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Sklad {0} nelze smazat, protože existuje množství k položce {1}"
DocType: Quotation,Order Type,Typ objednávky
DocType: Purchase Invoice,Notification Email Address,Oznámení e-mailová adresa
,Item-wise Sales Register,Item-moudrý Sales Register
DocType: Asset,Gross Purchase Amount,Gross Částka nákupu
DocType: Asset,Depreciation Method,odpisy Metoda
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Offline
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,Offline
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Je to poplatek v ceně základní sazbě?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Celkem Target
-DocType: Program Course,Required,Požadovaný
DocType: Job Applicant,Applicant for a Job,Žadatel o zaměstnání
DocType: Production Plan Material Request,Production Plan Material Request,Výroba Poptávka Plán Materiál
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Žádné výrobní zakázky vytvořené
@@ -1737,17 +1752,17 @@
DocType: Purchase Invoice Item,Batch No,Č. šarže
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Povolit více Prodejní objednávky proti Zákazníka Objednávky
DocType: Student Group Instructor,Student Group Instructor,Instruktor skupiny studentů
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 Mobile Žádné
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Hlavní
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile Žádné
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Hlavní
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Varianta
DocType: Naming Series,Set prefix for numbering series on your transactions,Nastavit prefix pro číslování série na vašich transakcí
DocType: Employee Attendance Tool,Employees HTML,zaměstnanci HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Výchozí BOM ({0}) musí být aktivní pro tuto položku nebo jeho šablony
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Výchozí BOM ({0}) musí být aktivní pro tuto položku nebo jeho šablony
DocType: Employee,Leave Encashed?,Dovolená proplacena?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Opportunity Ze hřiště je povinné
DocType: Email Digest,Annual Expenses,roční náklady
DocType: Item,Variants,Varianty
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Proveďte objednávky
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Proveďte objednávky
DocType: SMS Center,Send To,Odeslat
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Není dost bilance dovolenou na vstup typ {0}
DocType: Payment Reconciliation Payment,Allocated amount,Přidělené sumy
@@ -1761,26 +1776,25 @@
DocType: Supplier,Statutory info and other general information about your Supplier,Statutární info a další obecné informace o váš dodavatel
DocType: Item,Serial Nos and Batches,Sériové čísla a dávky
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Síla skupiny studentů
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Proti věstníku Vstup {0} nemá bezkonkurenční {1} vstupu
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Proti věstníku Vstup {0} nemá bezkonkurenční {1} vstupu
apps/erpnext/erpnext/config/hr.py +137,Appraisals,ocenění
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Duplicitní Pořadové číslo vstoupil k bodu {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Podmínka pro pravidla dopravy
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Prosím Vstupte
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Nelze overbill k bodu {0} v řadě {1} více než {2}. Aby bylo možné přes-fakturace, je třeba nastavit při nákupu Nastavení"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Prosím nastavit filtr na základě výtisku nebo ve skladu
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Nelze overbill k bodu {0} v řadě {1} více než {2}. Aby bylo možné přes-fakturace, je třeba nastavit při nákupu Nastavení"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Prosím nastavit filtr na základě výtisku nebo ve skladu
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Čistá hmotnost tohoto balíčku. (Automaticky vypočítá jako součet čisté váhy položek)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Prosím vytvořit účet pro tento sklad a propojit ji. To nelze provést automaticky jako účet s názvem {0} již existuje
DocType: Sales Order,To Deliver and Bill,Dodat a Bill
DocType: Student Group,Instructors,instruktoři
DocType: GL Entry,Credit Amount in Account Currency,Kreditní Částka v měně účtu
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} musí být předloženy
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} musí být předloženy
DocType: Authorization Control,Authorization Control,Autorizace Control
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Řádek # {0}: Zamítnutí Warehouse je povinná proti zamítnuté bodu {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Řádek # {0}: Zamítnutí Warehouse je povinná proti zamítnuté bodu {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Platba
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Warehouse {0} není propojen s žádným účtem, uveďte prosím účet v záznamu skladu nebo nastavte výchozí inventární účet ve firmě {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Správa objednávek
DocType: Production Order Operation,Actual Time and Cost,Skutečný Čas a Náklady
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materiál Žádost maximálně {0} lze k bodu {1} na odběratele {2}
-DocType: Employee,Salutation,Oslovení
DocType: Course,Course Abbreviation,Zkratka hřiště
DocType: Student Leave Application,Student Leave Application,Student nechat aplikaci
DocType: Item,Will also apply for variants,Bude platit i pro varianty
@@ -1792,12 +1806,12 @@
DocType: Quotation Item,Actual Qty,Skutečné Množství
DocType: Sales Invoice Item,References,Reference
DocType: Quality Inspection Reading,Reading 10,Čtení 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Seznam vaše produkty nebo služby, které jste koupit nebo prodat. Ujistěte se, že zkontrolovat položky Group, měrná jednotka a dalších vlastností při spuštění."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Seznam vaše produkty nebo služby, které jste koupit nebo prodat. Ujistěte se, že zkontrolovat položky Group, měrná jednotka a dalších vlastností při spuštění."
DocType: Hub Settings,Hub Node,Hub Node
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Zadali jste duplicitní položky. Prosím, opravu a zkuste to znovu."
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Spolupracovník
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Spolupracovník
DocType: Asset Movement,Asset Movement,Asset Movement
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,New košík
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,New košík
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Položka {0} není serializovat položky
DocType: SMS Center,Create Receiver List,Vytvořit přijímače seznam
DocType: Vehicle,Wheels,kola
@@ -1817,19 +1831,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Se může vztahovat řádku, pouze pokud typ poplatku je ""On předchozí řady Částka"" nebo ""předchozí řady Total"""
DocType: Sales Order Item,Delivery Warehouse,Dodávka Warehouse
DocType: SMS Settings,Message Parameter,Parametr zpráv
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Strom Nákl.střediska finančních.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Strom Nákl.střediska finančních.
DocType: Serial No,Delivery Document No,Dodávka dokument č
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Prosím nastavte "/ ZTRÁTY zisk z aktiv odstraňováním" ve firmě {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Položka získaná z dodacího listu
DocType: Serial No,Creation Date,Datum vytvoření
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Položka {0} se objeví několikrát v Ceníku {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Prodej musí být zkontrolováno, v případě potřeby pro vybrán jako {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Prodej musí být zkontrolováno, v případě potřeby pro vybrán jako {0}"
DocType: Production Plan Material Request,Material Request Date,Materiál Request Date
DocType: Purchase Order Item,Supplier Quotation Item,Dodavatel Nabídka Položka
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Zakáže vytváření časových protokolů proti výrobní zakázky. Operace nesmějí být sledovány proti výrobní zakázky
DocType: Student,Student Mobile Number,Student Číslo mobilního telefonu
DocType: Item,Has Variants,Má varianty
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Již jste vybrané položky z {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Již jste vybrané položky z {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Název měsíční výplatou
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Číslo šarže je povinné
DocType: Sales Person,Parent Sales Person,Parent obchodník
@@ -1839,12 +1853,12 @@
DocType: Budget,Fiscal Year,Fiskální rok
DocType: Vehicle Log,Fuel Price,palivo Cena
DocType: Budget,Budget,Rozpočet
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Fixed Asset položky musí být non-skladová položka.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Fixed Asset položky musí být non-skladová položka.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Rozpočet nelze přiřadit proti {0}, protože to není výnos nebo náklad účet"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Dosažená
DocType: Student Admission,Application Form Route,Přihláška Trasa
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Territory / Customer
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,např. 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,např. 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Nechat Typ {0} nemůže být přidělena, neboť se odejít bez zaplacení"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Row {0}: Přidělená částka {1} musí být menší než nebo se rovná fakturovat dlužné částky {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"Ve slovech budou viditelné, jakmile uložíte prodejní faktury."
@@ -1853,7 +1867,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,"Položka {0} není nastavení pro Serial č. Zkontrolujte, zda master položku"
DocType: Maintenance Visit,Maintenance Time,Údržba Time
,Amount to Deliver,"Částka, která má dodávat"
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Produkt nebo Služba
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Produkt nebo Služba
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Termínovaný Datum zahájení nemůže být dříve než v roce datum zahájení akademického roku, ke kterému termín je spojena (akademický rok {}). Opravte data a zkuste to znovu."
DocType: Guardian,Guardian Interests,Guardian Zájmy
DocType: Naming Series,Current Value,Current Value
@@ -1868,12 +1882,12 @@
musí být větší než nebo rovno {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,To je založeno na akciovém pohybu. Viz {0} Podrobnosti
DocType: Pricing Rule,Selling,Prodejní
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Množství {0} {1} odečíst proti {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Množství {0} {1} odečíst proti {2}
DocType: Employee,Salary Information,Vyjednávání o platu
DocType: Sales Person,Name and Employee ID,Jméno a ID zaměstnance
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,Datum splatnosti nesmí být před odesláním Datum
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,Datum splatnosti nesmí být před odesláním Datum
DocType: Website Item Group,Website Item Group,Website Item Group
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Odvody a daně
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Odvody a daně
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,"Prosím, zadejte Referenční den"
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} platební položky nelze filtrovat přes {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Tabulka k bodu, který se zobrazí na webových stránkách"
@@ -1890,9 +1904,9 @@
DocType: Payment Reconciliation Payment,Reference Row,referenční Row
DocType: Installation Note,Installation Time,Instalace Time
DocType: Sales Invoice,Accounting Details,Účetní detaily
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Odstraňte všechny transakce pro tuto společnost
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: Operation {1} není dokončen {2} Množství hotových výrobků ve výrobním procesu objednávky # {3}. Prosím aktualizujte provozní stav přes čas protokoly
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Investice
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Odstraňte všechny transakce pro tuto společnost
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: Operation {1} není dokončen {2} Množství hotových výrobků ve výrobním procesu objednávky # {3}. Prosím aktualizujte provozní stav přes čas protokoly
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Investice
DocType: Issue,Resolution Details,Rozlišení Podrobnosti
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,alokace
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kritéria přijetí
@@ -1917,7 +1931,7 @@
DocType: Room,Room Name,Room Jméno
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Nechte nelze aplikovat / zrušena před {0}, protože rovnováha dovolené již bylo carry-předávány v budoucí přidělení dovolenou záznamu {1}"
DocType: Activity Cost,Costing Rate,Kalkulace Rate
-,Customer Addresses And Contacts,Adresy zákazníků a kontakty
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Adresy zákazníků a kontakty
,Campaign Efficiency,Efektivita kampaně
DocType: Discussion,Discussion,Diskuse
DocType: Payment Entry,Transaction ID,ID transakce
@@ -1927,14 +1941,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Celková částka Billing (přes Time Sheet)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Repeat Customer Příjmy
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}), musí mít roli ""Schvalovatel výdajů"""
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Pár
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Vyberte BOM a Množství pro výrobu
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Pár
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Vyberte BOM a Množství pro výrobu
DocType: Asset,Depreciation Schedule,Plán odpisy
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Adresy prodejních partnerů a kontakty
DocType: Bank Reconciliation Detail,Against Account,Proti účet
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Half Day Date by měla být v rozmezí Datum od a do dnešního dne
DocType: Maintenance Schedule Detail,Actual Date,Skutečné datum
DocType: Item,Has Batch No,Má číslo šarže
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Roční Billing: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Roční Billing: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Daň z zboží a služeb (GST India)
DocType: Delivery Note,Excise Page Number,Spotřební Číslo stránky
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Firma, Datum od a do dnešního dne je povinná"
DocType: Asset,Purchase Date,Datum nákupu
@@ -1942,11 +1958,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Prosím nastavte "odpisy majetku nákladové středisko" ve firmě {0}
,Maintenance Schedules,Plány údržby
DocType: Task,Actual End Date (via Time Sheet),Skutečné datum ukončení (přes Time Sheet)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Množství {0} {1} na {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Množství {0} {1} na {2} {3}
,Quotation Trends,Uvozovky Trendy
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Položka Group není uvedeno v položce mistra na položku {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,"Debetní Chcete-li v úvahu, musí být pohledávka účet"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Položka Group není uvedeno v položce mistra na položku {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,"Debetní Chcete-li v úvahu, musí být pohledávka účet"
DocType: Shipping Rule Condition,Shipping Amount,Částka - doprava
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Přidat zákazníky
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Čeká Částka
DocType: Purchase Invoice Item,Conversion Factor,Konverzní faktor
DocType: Purchase Order,Delivered,Dodává
@@ -1956,7 +1973,8 @@
DocType: Purchase Receipt,Vehicle Number,Číslo vozidla
DocType: Purchase Invoice,The date on which recurring invoice will be stop,"Datum, kdy opakující se faktura bude zastaví"
DocType: Employee Loan,Loan Amount,Částka půjčky
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Řádek {0}: Kusovník nebyl nalezen pro výtisku {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Samohybné vozidlo
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Řádek {0}: Kusovník nebyl nalezen pro výtisku {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Celkové přidělené listy {0} nemůže být nižší než již schválených listy {1} pro období
DocType: Journal Entry,Accounts Receivable,Pohledávky
,Supplier-Wise Sales Analytics,Dodavatel-Wise Prodej Analytics
@@ -1973,21 +1991,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Úhrada výdajů čeká na schválení. Pouze schalovatel výdajů může aktualizovat stav.
DocType: Email Digest,New Expenses,Nové výdaje
DocType: Purchase Invoice,Additional Discount Amount,Dodatečná sleva Částka
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Řádek # {0}: Množství musí být 1, když je položka investičního majetku. Prosím použít samostatný řádek pro vícenásobné Mn."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Řádek # {0}: Množství musí být 1, když je položka investičního majetku. Prosím použít samostatný řádek pro vícenásobné Mn."
DocType: Leave Block List Allow,Leave Block List Allow,Nechte Block List Povolit
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Zkratka nemůže být prázdný znak nebo mezera
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Zkratka nemůže být prázdný znak nebo mezera
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Skupina na Non-Group
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sportovní
DocType: Loan Type,Loan Name,půjčka Name
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Celkem Aktuální
DocType: Student Siblings,Student Siblings,Studentské Sourozenci
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Jednotka
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,"Uveďte prosím, firmu"
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Jednotka
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,"Uveďte prosím, firmu"
,Customer Acquisition and Loyalty,Zákazník Akvizice a loajality
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Sklad, kde se udržují zásoby odmítnutých položek"
DocType: Production Order,Skip Material Transfer,Přeskočit přenos materiálu
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Nelze najít kurz {0} až {1} pro klíčový den {2}. Ručně vytvořte záznam o směnném kurzu
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Váš finanční rok končí
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Nelze najít kurz {0} až {1} pro klíčový den {2}. Ručně vytvořte záznam o směnném kurzu
DocType: POS Profile,Price List,Ceník
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} je nyní výchozí fiskální rok. Prosím aktualizujte svůj prohlížeč aby se změny projevily.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Nákladové Pohledávky
@@ -2000,14 +2017,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Sklad bilance v dávce {0} se zhorší {1} k bodu {2} ve skladu {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Následující materiál žádosti byly automaticky zvýšena na základě úrovni re-pořadí položky
DocType: Email Digest,Pending Sales Orders,Čeká Prodejní objednávky
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Účet {0} je neplatný. Měna účtu musí být {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Účet {0} je neplatný. Měna účtu musí být {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM Konverzní faktor je nutné v řadě {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Řádek # {0}: Reference Document Type musí být jedním ze zakázky odběratele, prodejní faktury nebo Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Řádek # {0}: Reference Document Type musí být jedním ze zakázky odběratele, prodejní faktury nebo Journal Entry"
DocType: Salary Component,Deduction,Dedukce
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Řádek {0}: From Time a na čas je povinná.
DocType: Stock Reconciliation Item,Amount Difference,výše Rozdíl
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Položka Cena přidán pro {0} v Ceníku {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Položka Cena přidán pro {0} v Ceníku {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,"Prosím, zadejte ID zaměstnance z tohoto prodeje osoby"
DocType: Territory,Classification of Customers by region,Rozdělení zákazníků podle krajů
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Rozdíl Částka musí být nula
@@ -2019,21 +2036,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Celkem Odpočet
,Production Analytics,výrobní Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Náklady Aktualizováno
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Náklady Aktualizováno
DocType: Employee,Date of Birth,Datum narození
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Bod {0} již byla vrácena
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Bod {0} již byla vrácena
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Fiskální rok ** představuje finanční rok. Veškeré účetní záznamy a další významné transakce jsou sledovány proti ** fiskální rok **.
DocType: Opportunity,Customer / Lead Address,Zákazník / Lead Address
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Varování: Neplatný certifikát SSL na přílohu {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Varování: Neplatný certifikát SSL na přílohu {0}
DocType: Student Admission,Eligibility,Způsobilost
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Vede vám pomohou podnikání, přidejte všechny své kontakty a více jak svých potenciálních zákazníků"
DocType: Production Order Operation,Actual Operation Time,Aktuální Provozní doba
DocType: Authorization Rule,Applicable To (User),Vztahující se na (Uživatel)
DocType: Purchase Taxes and Charges,Deduct,Odečíst
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Popis Práce
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Popis Práce
DocType: Student Applicant,Applied,Aplikovaný
DocType: Sales Invoice Item,Qty as per Stock UOM,Množství podle Stock nerozpuštěných
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Jméno Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Jméno Guardian2
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Speciální znaky kromě ""-"". """", ""#"", a ""/"" není povoleno v pojmenování řady"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Mějte přehled o prodejních kampaní. Mějte přehled o Leads, citace, prodejní objednávky atd z kampaně, aby zjistily, návratnost investic."
DocType: Expense Claim,Approver,Schvalovatel
@@ -2044,7 +2061,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Pořadové číslo {0} je v záruce aľ {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Rozdělit dodací list do balíčků.
apps/erpnext/erpnext/hooks.py +87,Shipments,Zásilky
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Zůstatek účtu ({0}) pro {1} a hodnotu akcie ({2}) pro skladu {3} musí být stejná
DocType: Payment Entry,Total Allocated Amount (Company Currency),Celková alokovaná částka (Company měna)
DocType: Purchase Order Item,To be delivered to customer,Chcete-li být doručeno zákazníkovi
DocType: BOM,Scrap Material Cost,Šrot Material Cost
@@ -2052,20 +2068,21 @@
DocType: Purchase Invoice,In Words (Company Currency),Slovy (měna společnosti)
DocType: Asset,Supplier,Dodavatel
DocType: C-Form,Quarter,Čtvrtletí
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Různé výdaje
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Různé výdaje
DocType: Global Defaults,Default Company,Výchozí Company
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Náklady nebo Rozdíl účet je povinné k bodu {0} jako budou mít dopad na celkovou hodnotu zásob
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Náklady nebo Rozdíl účet je povinné k bodu {0} jako budou mít dopad na celkovou hodnotu zásob
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Název banky
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Nad
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Nad
DocType: Employee Loan,Employee Loan Account,Zaměstnanec úvěrového účtu
DocType: Leave Application,Total Leave Days,Celkový počet dnů dovolené
DocType: Email Digest,Note: Email will not be sent to disabled users,Poznámka: E-mail se nepodařilo odeslat pro zdravotně postižené uživatele
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Počet interakcí
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kód položky> Skupina položek> Značka
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Vyberte společnost ...
DocType: Leave Control Panel,Leave blank if considered for all departments,"Ponechte prázdné, pokud se to považuje za všechna oddělení"
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Druhy pracovního poměru (trvalý, smluv, stážista atd.)"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} je povinná k položce {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} je povinná k položce {1}
DocType: Process Payroll,Fortnightly,Čtrnáctidenní
DocType: Currency Exchange,From Currency,Od Měny
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Prosím, vyberte alokovaná částka, typ faktury a číslo faktury v aspoň jedné řadě"
@@ -2087,7 +2104,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,"Prosím, klikněte na ""Generovat Schedule"", aby se plán"
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Došlo k chybám během odstraňování tohoto schématu:
DocType: Bin,Ordered Quantity,Objednané množství
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","např ""Stavět nástroje pro stavitele """
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","např ""Stavět nástroje pro stavitele """
DocType: Grading Scale,Grading Scale Intervals,Třídění dílků
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Účetní Vstup pro {2} mohou být prováděny pouze v měně: {3}
DocType: Production Order,In Process,V procesu
@@ -2101,12 +2118,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Studentské skupiny byly vytvořeny.
DocType: Sales Invoice,Total Billing Amount,Celková částka fakturace
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Musí existovat výchozí příchozí e-mailový účet povolen pro tuto práci. Prosím nastavit výchozí příchozí e-mailový účet (POP / IMAP) a zkuste to znovu.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Účet pohledávky
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Řádek # {0}: Asset {1} je již {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Účet pohledávky
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Řádek # {0}: Asset {1} je již {2}
DocType: Quotation Item,Stock Balance,Reklamní Balance
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Prodejní objednávky na platby
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavte prosím jmenovací řadu pro {0} přes Nastavení> Nastavení> Série jmen
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,výkonný ředitel
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,výkonný ředitel
DocType: Expense Claim Detail,Expense Claim Detail,Detail úhrady výdajů
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,"Prosím, vyberte správný účet"
DocType: Item,Weight UOM,Hmotnostní jedn.
@@ -2115,12 +2131,12 @@
DocType: Production Order Operation,Pending,Až do
DocType: Course,Course Name,Název kurzu
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,"Uživatelé, kteří si vyhoví žádosti konkrétního zaměstnance volno"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Kancelářské Vybavení
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Kancelářské Vybavení
DocType: Purchase Invoice Item,Qty,Množství
DocType: Fiscal Year,Companies,Společnosti
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Elektronika
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Zvýšit Materiál vyžádání při stock dosáhne úrovně re-order
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Na plný úvazek
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Na plný úvazek
DocType: Salary Structure,Employees,zaměstnanci
DocType: Employee,Contact Details,Kontaktní údaje
DocType: C-Form,Received Date,Datum přijetí
@@ -2130,7 +2146,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Ceny nebude zobrazeno, pokud Ceník není nastaven"
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Uveďte prosím zemi, k tomuto Shipping pravidla nebo zkontrolovat Celosvětová doprava"
DocType: Stock Entry,Total Incoming Value,Celková hodnota Příchozí
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Debetní K je vyžadováno
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Debetní K je vyžadováno
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets pomůže udržet přehled o času, nákladů a účtování pro aktivit hotový svého týmu"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Nákupní Ceník
DocType: Offer Letter Term,Offer Term,Nabídka Term
@@ -2139,17 +2155,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Platba Odsouhlasení
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,"Prosím, vyberte incharge jméno osoby"
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Technologie
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Celkové nezaplacené: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Celkové nezaplacené: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM Webové stránky Provoz
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Nabídka Letter
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Generování materiálu Požadavky (MRP) a výrobní zakázky.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Celkové fakturované Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Celkové fakturované Amt
DocType: BOM,Conversion Rate,Míra konverze
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Hledat výrobek
DocType: Timesheet Detail,To Time,Chcete-li čas
DocType: Authorization Rule,Approving Role (above authorized value),Schválení role (nad oprávněné hodnoty)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Připsat na účet musí být Splatnost účet
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM rekurze: {0} nemůže být rodič nebo dítě {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Připsat na účet musí být Splatnost účet
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM rekurze: {0} nemůže být rodič nebo dítě {2}
DocType: Production Order Operation,Completed Qty,Dokončené Množství
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Pro {0}, tak debetní účty mohou být spojeny proti jinému připsání"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Ceník {0} je zakázána
@@ -2160,28 +2176,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Sériová čísla požadované pro položky {1}. Poskytli jste {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Aktuální ocenění Rate
DocType: Item,Customer Item Codes,Zákazník Položka Kódy
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Exchange zisk / ztráta
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange zisk / ztráta
DocType: Opportunity,Lost Reason,Důvod ztráty
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Nová adresa
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Nová adresa
DocType: Quality Inspection,Sample Size,Velikost vzorku
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,"Prosím, zadejte převzetí dokumentu"
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Všechny položky již byly fakturovány
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Všechny položky již byly fakturovány
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',"Uveďte prosím platný ""Od věci č '"
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,"Další nákladová střediska mohou být vyrobeny v rámci skupiny, ale položky mohou být provedeny proti non-skupin"
DocType: Project,External,Externí
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Uživatelé a oprávnění
DocType: Vehicle Log,VLOG.,Vlog.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Výrobní zakázky Vytvořeno: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Výrobní zakázky Vytvořeno: {0}
DocType: Branch,Branch,Větev
DocType: Guardian,Mobile Number,Telefonní číslo
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Tisk a identita
DocType: Bin,Actual Quantity,Skutečné Množství
DocType: Shipping Rule,example: Next Day Shipping,Příklad: Next Day Shipping
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Pořadové číslo {0} nebyl nalezen
-DocType: Scheduling Tool,Student Batch,Student Batch
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Vaši Zákazníci
+DocType: Program Enrollment,Student Batch,Student Batch
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Udělat Student
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Byli jste pozváni ke spolupráci na projektu: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Byli jste pozváni ke spolupráci na projektu: {0}
DocType: Leave Block List Date,Block Date,Block Datum
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Použít teď
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Aktuální počet {0} / Čekací počet {1}
@@ -2190,7 +2205,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Vytvářet a spravovat denní, týdenní a měsíční e-mailové digest."
DocType: Appraisal Goal,Appraisal Goal,Posouzení Goal
DocType: Stock Reconciliation Item,Current Amount,Aktuální výše
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,budovy
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,budovy
DocType: Fee Structure,Fee Structure,Struktura poplatků
DocType: Timesheet Detail,Costing Amount,Kalkulace Částka
DocType: Student Admission,Application Fee,poplatek za podání žádosti
@@ -2202,10 +2217,10 @@
DocType: POS Profile,[Select],[Vybrat]
DocType: SMS Log,Sent To,Odeslána
DocType: Payment Request,Make Sales Invoice,Proveďte prodejní faktuře
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,Programy
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Programy
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Následující Kontakt datum nemůže být v minulosti
DocType: Company,For Reference Only.,Pouze orientační.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Vyberte číslo šarže
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Vyberte číslo šarže
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Neplatný {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PInv-RET-
DocType: Sales Invoice Advance,Advance Amount,Záloha ve výši
@@ -2215,15 +2230,15 @@
DocType: Employee,Employment Details,Informace o zaměstnání
DocType: Employee,New Workplace,Nové pracoviště
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Nastavit jako Zavřeno
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},No Položka s čárovým kódem {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},No Položka s čárovým kódem {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Případ č nemůže být 0
DocType: Item,Show a slideshow at the top of the page,Ukazují prezentaci v horní části stránky
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,kusovníky
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Zásoba
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,kusovníky
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Zásoba
DocType: Serial No,Delivery Time,Dodací lhůta
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Stárnutí dle
DocType: Item,End of Life,Konec životnosti
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Cestování
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Cestování
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Žádný aktivní nebo implicitní Plat Struktura nalezených pro zaměstnance {0} pro dané termíny
DocType: Leave Block List,Allow Users,Povolit uživatele
DocType: Purchase Order,Customer Mobile No,Zákazník Mobile Žádné
@@ -2232,29 +2247,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Aktualizace Cost
DocType: Item Reorder,Item Reorder,Položka Reorder
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Show výplatní pásce
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Přenos materiálu
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Přenos materiálu
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Zadejte operací, provozní náklady a dávají jedinečnou operaci ne své operace."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Tento dokument je nad hranicí {0} {1} pro položku {4}. Děláte si jiný {3} proti stejné {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Prosím nastavte opakující se po uložení
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Vybrat změna výše účet
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Tento dokument je nad hranicí {0} {1} pro položku {4}. Děláte si jiný {3} proti stejné {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Prosím nastavte opakující se po uložení
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Vybrat změna výše účet
DocType: Purchase Invoice,Price List Currency,Ceník Měna
DocType: Naming Series,User must always select,Uživatel musí vždy vybrat
DocType: Stock Settings,Allow Negative Stock,Povolit Negativní Sklad
DocType: Installation Note,Installation Note,Poznámka k instalaci
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Přidejte daně
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Přidejte daně
DocType: Topic,Topic,Téma
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Peněžní tok z finanční
DocType: Budget Account,Budget Account,rozpočet účtu
DocType: Quality Inspection,Verified By,Verified By
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nelze změnit výchozí měně společnosti, protože tam jsou stávající transakce. Transakce musí být zrušena, aby změnit výchozí měnu."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nelze změnit výchozí měně společnosti, protože tam jsou stávající transakce. Transakce musí být zrušena, aby změnit výchozí měnu."
DocType: Grading Scale Interval,Grade Description,Grade Popis
DocType: Stock Entry,Purchase Receipt No,Číslo příjmky
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Earnest Money
DocType: Process Payroll,Create Salary Slip,Vytvořit výplatní pásce
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,sledovatelnost
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Zdrojem finančních prostředků (závazků)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Množství v řadě {0} ({1}), musí být stejné jako množství vyrobené {2}"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Zdrojem finančních prostředků (závazků)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Množství v řadě {0} ({1}), musí být stejné jako množství vyrobené {2}"
DocType: Appraisal,Employee,Zaměstnanec
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Vyberte možnost Dávka
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} je plně fakturováno
DocType: Training Event,End Time,End Time
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktivní Struktura Plat {0} nalezeno pro zaměstnance {1} pro uvedené termíny
@@ -2266,11 +2282,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Povinné On
DocType: Rename Tool,File to Rename,Soubor k přejmenování
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},"Prosím, vyberte BOM pro položku v řádku {0}"
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Stanovená BOM {0} neexistuje k bodu {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Účet {0} neodpovídá společnosti {1} v účtu účtu: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Stanovená BOM {0} neexistuje k bodu {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Plán údržby {0} musí být zrušena před zrušením této prodejní objednávky
DocType: Notification Control,Expense Claim Approved,Uhrazení výdajů schváleno
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Výplatní pásce zaměstnance {0} již vytvořili pro toto období
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Farmaceutické
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmaceutické
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Náklady na zakoupené zboží
DocType: Selling Settings,Sales Order Required,Prodejní objednávky Povinné
DocType: Purchase Invoice,Credit To,Kredit:
@@ -2287,42 +2304,42 @@
DocType: Payment Gateway Account,Payment Account,Platební účet
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,Uveďte prosím společnost pokračovat
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Čistá změna objemu pohledávek
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Vyrovnávací Off
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Vyrovnávací Off
DocType: Offer Letter,Accepted,Přijato
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,Organizace
DocType: SG Creation Tool Course,Student Group Name,Jméno Student Group
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Ujistěte se, že opravdu chcete vymazat všechny transakce pro tuto společnost. Vaše kmenová data zůstanou, jak to je. Tuto akci nelze vrátit zpět."
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Ujistěte se, že opravdu chcete vymazat všechny transakce pro tuto společnost. Vaše kmenová data zůstanou, jak to je. Tuto akci nelze vrátit zpět."
DocType: Room,Room Number,Číslo pokoje
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Neplatná reference {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}) nemůže být větší, než plánované množství ({2}), ve výrobní objednávce {3}"
DocType: Shipping Rule,Shipping Rule Label,Přepravní Pravidlo Label
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,User Forum
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Suroviny nemůže být prázdný.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Nelze aktualizovat zásob, faktura obsahuje pokles lodní dopravy zboží."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Suroviny nemůže být prázdný.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Nelze aktualizovat zásob, faktura obsahuje pokles lodní dopravy zboží."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Rychlý vstup Journal
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,"Nemůžete změnit sazbu, kdyby BOM zmínil agianst libovolné položky"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,"Nemůžete změnit sazbu, kdyby BOM zmínil agianst libovolné položky"
DocType: Employee,Previous Work Experience,Předchozí pracovní zkušenosti
DocType: Stock Entry,For Quantity,Pro Množství
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},"Prosím, zadejte Plánované Množství k bodu {0} na řádku {1}"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} není odesláno
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Žádosti o položky.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Samostatná výrobní objednávka bude vytvořena pro každou dokončenou dobrou položku.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} musí být negativní ve vratném dokumentu
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} musí být negativní ve vratném dokumentu
,Minutes to First Response for Issues,Zápisy do první reakce na otázky
DocType: Purchase Invoice,Terms and Conditions1,Podmínky a podmínek1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,Název institutu pro který nastavujete tento systém.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,Název institutu pro který nastavujete tento systém.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Účetní záznam zmrazeny až do tohoto data, nikdo nemůže dělat / upravit položku kromě role uvedeno níže."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,"Prosím, uložit dokument před generováním plán údržby"
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Stav projektu
DocType: UOM,Check this to disallow fractions. (for Nos),"Zkontrolujte, zda to zakázat frakce. (U č)"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Následující Výrobní zakázky byly vytvořeny:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Následující Výrobní zakázky byly vytvořeny:
DocType: Student Admission,Naming Series (for Student Applicant),Pojmenování Series (pro studentské přihlašovatel)
DocType: Delivery Note,Transporter Name,Přepravce Název
DocType: Authorization Rule,Authorized Value,Autorizovaný Hodnota
DocType: BOM,Show Operations,Zobrazit Operations
,Minutes to First Response for Opportunity,Zápisy do první reakce na příležitost
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Celkem Absent
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Položka nebo Warehouse na řádku {0} neodpovídá Materiál Poptávka
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Položka nebo Warehouse na řádku {0} neodpovídá Materiál Poptávka
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Měrná jednotka
DocType: Fiscal Year,Year End Date,Datum Konce Roku
DocType: Task Depends On,Task Depends On,Úkol je závislá na
@@ -2421,11 +2438,11 @@
DocType: Asset,Manual,Manuál
DocType: Salary Component Account,Salary Component Account,Účet plat Component
DocType: Global Defaults,Hide Currency Symbol,Skrýt symbol měny
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","např. banka, hotovost, kreditní karty"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","např. banka, hotovost, kreditní karty"
DocType: Lead Source,Source Name,Název zdroje
DocType: Journal Entry,Credit Note,Dobropis
DocType: Warranty Claim,Service Address,Servisní adresy
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Nábytek a svítidla
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Nábytek a svítidla
DocType: Item,Manufacture,Výroba
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Dodávka Vezměte prosím na vědomí první
DocType: Student Applicant,Application Date,aplikace Datum
@@ -2435,7 +2452,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Výprodej Datum není uvedeno
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Výroba
DocType: Guardian,Occupation,Povolání
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Prosím, nastavte systém pro pojmenování zaměstnanců v oblasti lidských zdrojů> Nastavení HR"
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,"Row {0}: datum zahájení, musí být před koncem roku Datum"
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Total (ks)
DocType: Sales Invoice,This Document,Tento dokument
@@ -2447,19 +2463,19 @@
DocType: Purchase Receipt,Time at which materials were received,"Čas, kdy bylo přijato materiály"
DocType: Stock Ledger Entry,Outgoing Rate,Odchozí Rate
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organizace větev master.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,nebo
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,nebo
DocType: Sales Order,Billing Status,Status Fakturace
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Nahlásit problém
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Utility Náklady
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Utility Náklady
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90 Nad
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Řádek # {0}: Journal Entry {1} nemá účet {2} nebo již uzavřeno proti jinému poukazu
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Řádek # {0}: Journal Entry {1} nemá účet {2} nebo již uzavřeno proti jinému poukazu
DocType: Buying Settings,Default Buying Price List,Výchozí Nákup Ceník
DocType: Process Payroll,Salary Slip Based on Timesheet,Plat Slip na základě časového rozvrhu
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Žádný zaměstnanec pro výše zvolených kritérií nebo výplatní pásce již vytvořili
DocType: Notification Control,Sales Order Message,Prodejní objednávky Message
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Nastavit jako výchozí hodnoty, jako je společnost, měna, aktuálním fiskálním roce, atd"
DocType: Payment Entry,Payment Type,Typ platby
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Vyberte položku Dávka pro položku {0}. Nelze najít jednu dávku, která splňuje tento požadavek"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Vyberte položku Dávka pro položku {0}. Nelze najít jednu dávku, která splňuje tento požadavek"
DocType: Process Payroll,Select Employees,Vybrat Zaměstnanci
DocType: Opportunity,Potential Sales Deal,Potenciální prodej
DocType: Payment Entry,Cheque/Reference Date,Šek / Referenční datum
@@ -2479,7 +2495,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Příjem dokument musí být předložen
DocType: Purchase Invoice Item,Received Qty,Přijaté Množství
DocType: Stock Entry Detail,Serial No / Batch,Výrobní číslo / Batch
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Nezaplatil a není doručení
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Nezaplatil a není doručení
DocType: Product Bundle,Parent Item,Nadřazená položka
DocType: Account,Account Type,Typ účtu
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2493,24 +2509,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),Identifikace balíčku pro dodávky (pro tisk)
DocType: Bin,Reserved Quantity,Vyhrazeno Množství
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Zadejte platnou e-mailovou adresu
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Neexistuje žádný povinný kurz pro program {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Položky příjemky
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Přizpůsobení Formuláře
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,nedoplatek
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,nedoplatek
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Odpisy hodnoty v průběhu období
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Bezbariérový šablona nesmí být výchozí šablonu
DocType: Account,Income Account,Účet příjmů
DocType: Payment Request,Amount in customer's currency,Částka v měně zákazníka
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Dodávka
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Dodávka
DocType: Stock Reconciliation Item,Current Qty,Aktuální Množství
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section","Viz ""Hodnotit materiálů na bázi"" v kapitole Costing"
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Předch
DocType: Appraisal Goal,Key Responsibility Area,Key Odpovědnost Area
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Student Šarže pomůže sledovat docházku, posudky a poplatků pro studenty"
DocType: Payment Entry,Total Allocated Amount,Celková alokovaná částka
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Nastavte výchozí inventář pro trvalý inventář
DocType: Item Reorder,Material Request Type,Materiál Typ požadavku
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Zápis do deníku na platy od {0} do {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","Místní úložiště je plné, nezachránil"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","Místní úložiště je plné, nezachránil"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Řádek {0}: UOM Konverzní faktor je povinné
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Ref
DocType: Budget,Cost Center,Nákladové středisko
@@ -2523,19 +2539,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Ceny Pravidlo je vyrobena přepsat Ceník / definovat slevy procenta, na základě určitých kritérií."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Sklad je možné provést pouze prostřednictvím Skladová karta / dodací list / nákupní doklad
DocType: Employee Education,Class / Percentage,Třída / Procento
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Vedoucí marketingu a prodeje
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Daň z příjmů
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Vedoucí marketingu a prodeje
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Daň z příjmů
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Je-li zvolena Ceny pravidlo je určen pro ""Cena"", přepíše ceníku. Ceny Pravidlo cena je konečná cena, a proto by měla být použita žádná další sleva. Proto, v transakcích, jako odběratele, objednávky atd, bude stažen v oboru ""sazbou"", spíše než poli ""Ceník sazby""."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Trasa vede od průmyslu typu.
DocType: Item Supplier,Item Supplier,Položka Dodavatel
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,"Prosím, zadejte kód položky se dostat dávku no"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},Vyberte prosím hodnotu pro {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,"Prosím, zadejte kód položky se dostat dávku no"
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Vyberte prosím hodnotu pro {0} quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Všechny adresy.
DocType: Company,Stock Settings,Stock Nastavení
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Spojení je možné pouze tehdy, pokud tyto vlastnosti jsou stejné v obou záznamech. Je Group, Root Type, Company"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Spojení je možné pouze tehdy, pokud tyto vlastnosti jsou stejné v obou záznamech. Je Group, Root Type, Company"
DocType: Vehicle,Electric,Elektrický
DocType: Task,% Progress,% Progress
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Zisk / ztráta z aktiv likvidaci
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Zisk / ztráta z aktiv likvidaci
DocType: Training Event,Will send an email about the event to employees with status 'Open',"Pošle e-mail o této události, aby zaměstnanci se statusem "otevřený""
DocType: Task,Depends on Tasks,Závisí na Úkoly
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Správa zákazníků skupiny Tree.
@@ -2544,7 +2560,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Jméno Nového Nákladového Střediska
DocType: Leave Control Panel,Leave Control Panel,Ovládací panel dovolených
DocType: Project,Task Completion,úkol Dokončení
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Není skladem
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Není skladem
DocType: Appraisal,HR User,HR User
DocType: Purchase Invoice,Taxes and Charges Deducted,Daně a odečtené
apps/erpnext/erpnext/hooks.py +116,Issues,Problémy
@@ -2555,22 +2571,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Žádné výplatní pásce nalezena mezi {0} a {1}
,Pending SO Items For Purchase Request,"Do doby, než SO položky k nákupu Poptávka"
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Student Přijímací
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} je zakázán
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} je zakázán
DocType: Supplier,Billing Currency,Fakturace Měna
DocType: Sales Invoice,SINV-RET-,Sinv-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Extra Velké
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra Velké
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Celkem Listy
,Profit and Loss Statement,Výkaz zisků a ztrát
DocType: Bank Reconciliation Detail,Cheque Number,Šek číslo
,Sales Browser,Sales Browser
DocType: Journal Entry,Total Credit,Celkový Credit
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Upozornění: dalším {0} č. {1} existuje proti pohybu skladu {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Místní
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Místní
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Úvěry a zálohy (aktiva)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Dlužníci
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Velký
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Velký
DocType: Homepage Featured Product,Homepage Featured Product,Úvodní Doporučené zboží
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Všechny skupiny Assessment
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Všechny skupiny Assessment
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Nový sklad Name
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Celkem {0} ({1})
DocType: C-Form Invoice Detail,Territory,Území
@@ -2580,12 +2596,12 @@
DocType: Production Order Operation,Planned Start Time,Plánované Start Time
DocType: Course,Assessment,Posouzení
DocType: Payment Entry Reference,Allocated,Přidělené
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Zavřete Rozvahu a zapiš účetní zisk nebo ztrátu.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Zavřete Rozvahu a zapiš účetní zisk nebo ztrátu.
DocType: Student Applicant,Application Status,Stav aplikace
DocType: Fees,Fees,Poplatky
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Zadejte Exchange Rate převést jednu měnu na jinou
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Nabídka {0} je zrušena
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Celková dlužná částka
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Celková dlužná částka
DocType: Sales Partner,Targets,Cíle
DocType: Price List,Price List Master,Ceník Master
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Všechny prodejní transakce mohou být označeny proti více ** prodejcům **, takže si můžete nastavit a sledovat cíle."
@@ -2629,11 +2645,11 @@
1. Adresa a kontakt na vaši společnost."
DocType: Attendance,Leave Type,Typ absence
DocType: Purchase Invoice,Supplier Invoice Details,Dodavatel fakturační údaje
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Náklady / Rozdíl účtu ({0}), musí být ""zisk nebo ztráta"" účet"
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Náklady / Rozdíl účtu ({0}), musí být ""zisk nebo ztráta"" účet"
DocType: Project,Copied From,Zkopírován z
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Název chyba: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,Nedostatek
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} není spojeno s {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} není spojeno s {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Účast na zaměstnance {0} je již označen
DocType: Packing Slip,If more than one package of the same type (for print),Pokud je více než jeden balík stejného typu (pro tisk)
,Salary Register,plat Register
@@ -2651,22 +2667,23 @@
,Requested Qty,Požadované množství
DocType: Tax Rule,Use for Shopping Cart,Použití pro Košík
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Hodnota {0} atributu {1} neexistuje v seznamu platného bodu Hodnoty atributů pro položky {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Zvolte sériová čísla
DocType: BOM Item,Scrap %,Scrap%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Poplatky budou rozděleny úměrně na základě položky Množství nebo částkou, dle Vašeho výběru"
DocType: Maintenance Visit,Purposes,Cíle
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Aspoň jedna položka by měla být zadána s negativním množství ve vratném dokumentu
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Aspoň jedna položka by měla být zadána s negativním množství ve vratném dokumentu
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Provoz {0} déle, než všech dostupných pracovních hodin v pracovní stanici {1}, rozložit provoz do několika operací"
,Requested,Požadované
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Žádné poznámky
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Žádné poznámky
DocType: Purchase Invoice,Overdue,Zpožděný
DocType: Account,Stock Received But Not Billed,Sklad nepřijali Účtovaný
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Root účet musí být skupina
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Root účet musí být skupina
DocType: Fees,FEE.,POPLATEK.
DocType: Employee Loan,Repaid/Closed,Splacena / Zavřeno
DocType: Item,Total Projected Qty,Celková předpokládaná Množství
DocType: Monthly Distribution,Distribution Name,Distribuce Name
DocType: Course,Course Code,Kód předmětu
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Kontrola kvality potřebný k bodu {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Kontrola kvality potřebný k bodu {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,"Sazba, za kterou je měna zákazníka převedena na základní měnu společnosti"
DocType: Purchase Invoice Item,Net Rate (Company Currency),Čistý Rate (Company měny)
DocType: Salary Detail,Condition and Formula Help,Stav a Formula nápovědy
@@ -2679,27 +2696,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Materiál Přenos: Výroba
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Sleva v procentech lze použít buď proti Ceníku nebo pro všechny Ceníku.
DocType: Purchase Invoice,Half-yearly,Pololetní
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Účetní položka na skladě
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Účetní položka na skladě
DocType: Vehicle Service,Engine Oil,Motorový olej
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Prosím, nastavte systém pro pojmenování zaměstnanců v oblasti lidských zdrojů> Nastavení HR"
DocType: Sales Invoice,Sales Team1,Sales Team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Bod {0} neexistuje
DocType: Sales Invoice,Customer Address,Zákazník Address
DocType: Employee Loan,Loan Details,půjčka Podrobnosti
+DocType: Company,Default Inventory Account,Výchozí účet inventáře
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Řádek {0}: Dokončené množství musí být větší než nula.
DocType: Purchase Invoice,Apply Additional Discount On,Použít dodatečné Sleva na
DocType: Account,Root Type,Root Type
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Řádek # {0}: Nelze vrátit více než {1} pro bodu {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Řádek # {0}: Nelze vrátit více než {1} pro bodu {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Spiknutí
DocType: Item Group,Show this slideshow at the top of the page,Zobrazit tuto prezentaci v horní části stránky
DocType: BOM,Item UOM,Položka UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Částka daně po slevě Částka (Company měny)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Target sklad je povinná pro řadu {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Target sklad je povinná pro řadu {0}
DocType: Cheque Print Template,Primary Settings,primární Nastavení
DocType: Purchase Invoice,Select Supplier Address,Vybrat Dodavatel Address
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Přidejte Zaměstnanci
DocType: Purchase Invoice Item,Quality Inspection,Kontrola kvality
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Extra Malé
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Malé
DocType: Company,Standard Template,standardní šablona
DocType: Training Event,Theory,Teorie
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Upozornění: Materiál Požadované množství je menší než minimální objednávka Množství
@@ -2707,7 +2726,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Právní subjekt / dceřiná společnost s oddělenou Graf účtů, které patří do organizace."
DocType: Payment Request,Mute Email,Mute Email
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Potraviny, nápoje a tabák"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Lze provést pouze platbu proti nevyfakturované {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Lze provést pouze platbu proti nevyfakturované {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Rychlost Komise nemůže být větší než 100
DocType: Stock Entry,Subcontract,Subdodávka
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,"Prosím, zadejte {0} jako první"
@@ -2720,18 +2739,18 @@
DocType: SMS Log,No of Sent SMS,Počet odeslaných SMS
DocType: Account,Expense Account,Účtet nákladů
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Software
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Barevné
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Barevné
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Plan Assessment Criteria
DocType: Training Event,Scheduled,Plánované
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Žádost o cenovou nabídku.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Prosím, vyberte položku, kde "Je skladem," je "Ne" a "je Sales Item" "Ano" a není tam žádný jiný produkt Bundle"
DocType: Student Log,Academic,Akademický
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Celková záloha ({0}) na objednávku {1} nemůže být větší než celkový součet ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Celková záloha ({0}) na objednávku {1} nemůže být větší než celkový součet ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Vyberte měsíční výplatou na nerovnoměrně distribuovat cílů napříč měsíců.
DocType: Purchase Invoice Item,Valuation Rate,Ocenění Rate
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,motorová nafta
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Ceníková Měna není zvolena
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Ceníková Měna není zvolena
,Student Monthly Attendance Sheet,Student měsíční návštěvnost Sheet
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Zaměstnanec {0} již požádal o {1} mezi {2} a {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Datum zahájení projektu
@@ -2743,7 +2762,7 @@
DocType: BOM,Scrap,Šrot
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Správa prodejních partnerů.
DocType: Quality Inspection,Inspection Type,Kontrola Type
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Sklady se stávajícími transakce nelze převést na skupinu.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Sklady se stávajícími transakce nelze převést na skupinu.
DocType: Assessment Result Tool,Result HTML,výsledek HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,vyprší dne
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Přidejte studenty
@@ -2751,13 +2770,13 @@
DocType: C-Form,C-Form No,C-Form No
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,Neoznačené Návštěvnost
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Výzkumník
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Výzkumník
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Registrace do programu Student Tool
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Jméno nebo e-mail je povinné
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Vstupní kontrola jakosti.
DocType: Purchase Order Item,Returned Qty,Vrácené Množství
DocType: Employee,Exit,Východ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Root Type je povinné
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root Type je povinné
DocType: BOM,Total Cost(Company Currency),Celkové náklady (Company měna)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Pořadové číslo {0} vytvořil
DocType: Homepage,Company Description for website homepage,Společnost Popis pro webové stránky domovskou stránku
@@ -2766,7 +2785,7 @@
DocType: Sales Invoice,Time Sheet List,Doba Seznam Sheet
DocType: Employee,You can enter any date manually,Můžete zadat datum ručně
DocType: Asset Category Account,Depreciation Expense Account,Odpisy Náklady účtu
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Zkušební doba
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Zkušební doba
DocType: Customer Group,Only leaf nodes are allowed in transaction,Pouze koncové uzly jsou povoleny v transakci
DocType: Expense Claim,Expense Approver,Schvalovatel výdajů
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Řádek {0}: Advance proti zákazník musí být úvěr
@@ -2779,10 +2798,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Plány kurzu zrušuje:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Protokoly pro udržení stavu doručení sms
DocType: Accounts Settings,Make Payment via Journal Entry,Provést platbu přes Journal Entry
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Vytištěno na
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Vytištěno na
DocType: Item,Inspection Required before Delivery,Inspekce Požadované před porodem
DocType: Item,Inspection Required before Purchase,Inspekce Požadované před nákupem
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Nevyřízené Aktivity
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Vaše organizace
DocType: Fee Component,Fees Category,Kategorie poplatky
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Zadejte zmírnění datum.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
@@ -2792,9 +2812,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Změna pořadí Level
DocType: Company,Chart Of Accounts Template,Účtový rozvrh šablony
DocType: Attendance,Attendance Date,Účast Datum
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Položka Cena aktualizován pro {0} v Ceníku {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Položka Cena aktualizován pro {0} v Ceníku {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Plat rozpad na základě Zisk a dedukce.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Účet s podřízenými uzly nelze převést na hlavní účetní knihu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Účet s podřízenými uzly nelze převést na hlavní účetní knihu
DocType: Purchase Invoice Item,Accepted Warehouse,Schválené Sklad
DocType: Bank Reconciliation Detail,Posting Date,Datum zveřejnění
DocType: Item,Valuation Method,Ocenění Method
@@ -2803,14 +2823,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Duplicitní záznam
DocType: Program Enrollment Tool,Get Students,Získat studenty
DocType: Serial No,Under Warranty,V rámci záruky
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Chyba]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Chyba]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,"Ve slovech budou viditelné, jakmile uložíte prodejní objednávky."
,Employee Birthday,Narozeniny zaměstnance
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Batch Účast Tool
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,Limit zkříženými
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Limit zkříženými
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Venture Capital
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Akademický termín s tímto "akademický rok '{0} a" Jméno Termín' {1} již existuje. Upravte tyto položky a zkuste to znovu.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}",Stejně jako existují nějaké transakce proti položce {0} nelze změnit hodnotu {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}",Stejně jako existují nějaké transakce proti položce {0} nelze změnit hodnotu {1}
DocType: UOM,Must be Whole Number,Musí být celé číslo
DocType: Leave Control Panel,New Leaves Allocated (In Days),Nové Listy Přidělené (ve dnech)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Pořadové číslo {0} neexistuje
@@ -2819,6 +2839,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Číslo faktury
DocType: Shopping Cart Settings,Orders,Objednávky
DocType: Employee Leave Approver,Leave Approver,Schvalovatel absenece
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Vyberte dávku
DocType: Assessment Group,Assessment Group Name,Název skupiny Assessment
DocType: Manufacturing Settings,Material Transferred for Manufacture,Převádí jaderný materiál pro Výroba
DocType: Expense Claim,"A user with ""Expense Approver"" role","Uživatel s rolí ""Schvalovatel výdajů"""
@@ -2828,9 +2849,10 @@
DocType: Target Detail,Target Detail,Target Detail
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,Všechny Jobs
DocType: Sales Order,% of materials billed against this Sales Order,% materiálů fakturovaných proti této prodejní obědnávce
+DocType: Program Enrollment,Mode of Transportation,Způsob dopravy
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Období Uzávěrka Entry
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Nákladové středisko se stávajícími transakcemi nelze převést do skupiny
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Množství {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Množství {0} {1} {2} {3}
DocType: Account,Depreciation,Znehodnocení
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Dodavatel (é)
DocType: Employee Attendance Tool,Employee Attendance Tool,Docházky zaměstnanců Tool
@@ -2838,7 +2860,7 @@
DocType: Supplier,Credit Limit,Úvěrový limit
DocType: Production Plan Sales Order,Salse Order Date,Salse Datum objednávky
DocType: Salary Component,Salary Component,plat Component
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Platební Příspěvky {0} jsou un-spojený
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Platební Příspěvky {0} jsou un-spojený
DocType: GL Entry,Voucher No,Voucher No
,Lead Owner Efficiency,Vedoucí účinnost vlastníka
DocType: Leave Allocation,Leave Allocation,Přidelení dovolené
@@ -2849,11 +2871,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Šablona podmínek nebo smlouvy.
DocType: Purchase Invoice,Address and Contact,Adresa a Kontakt
DocType: Cheque Print Template,Is Account Payable,Je účtu splatný
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Sklad nelze aktualizovat proti dokladu o koupi {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Sklad nelze aktualizovat proti dokladu o koupi {0}
DocType: Supplier,Last Day of the Next Month,Poslední den následujícího měsíce
DocType: Support Settings,Auto close Issue after 7 days,Auto v blízkosti Issue po 7 dnech
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Dovolená nemůže být přiděleny před {0}, protože rovnováha dovolené již bylo carry-předávány v budoucí přidělení dovolenou záznamu {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Poznámka: Z důvodu / Referenční datum překračuje povolené zákazníků úvěrové dní od {0} den (s)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Poznámka: Z důvodu / Referenční datum překračuje povolené zákazníků úvěrové dní od {0} den (s)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Student Žadatel
DocType: Asset Category Account,Accumulated Depreciation Account,Účet oprávek
DocType: Stock Settings,Freeze Stock Entries,Freeze Stock Příspěvky
@@ -2862,35 +2884,35 @@
DocType: Activity Cost,Billing Rate,Fakturace Rate
,Qty to Deliver,Množství k dodání
,Stock Analytics,Stock Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Operace nemůže být prázdné
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operace nemůže být prázdné
DocType: Maintenance Visit Purpose,Against Document Detail No,Proti Detail dokumentu č
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Typ strana je povinná
DocType: Quality Inspection,Outgoing,Vycházející
DocType: Material Request,Requested For,Požadovaných pro
DocType: Quotation Item,Against Doctype,Proti DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} je zrušen nebo zavřené
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} je zrušen nebo zavřené
DocType: Delivery Note,Track this Delivery Note against any Project,Sledovat tento dodacím listu proti jakémukoli projektu
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Čistý peněžní tok z investiční
-,Is Primary Address,Je Hlavní adresa
DocType: Production Order,Work-in-Progress Warehouse,Work-in-Progress sklad
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Asset {0} musí být předloženy
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Účast Record {0} existuje proti Student {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Účast Record {0} existuje proti Student {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Reference # {0} ze dne {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Odpisy vypadl v důsledku nakládání s majetkem
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Správa adres
DocType: Asset,Item Code,Kód položky
DocType: Production Planning Tool,Create Production Orders,Vytvoření výrobní zakázky
DocType: Serial No,Warranty / AMC Details,Záruka / AMC Podrobnosti
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Vyberte studenty ručně pro skupinu založenou na aktivitách
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Vyberte studenty ručně pro skupinu založenou na aktivitách
DocType: Journal Entry,User Remark,Uživatel Poznámka
DocType: Lead,Market Segment,Segment trhu
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Zaplacená částka nemůže být vyšší než celkový negativní dlužné částky {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Zaplacená částka nemůže být vyšší než celkový negativní dlužné částky {0}
DocType: Employee Internal Work History,Employee Internal Work History,Interní historie práce zaměstnance
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Uzavření (Dr)
DocType: Cheque Print Template,Cheque Size,Šek Velikost
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Pořadové číslo {0} není skladem
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Daňové šablona na prodej transakce.
DocType: Sales Invoice,Write Off Outstanding Amount,Odepsat dlužné částky
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Účet {0} neodpovídá společnosti {1}
DocType: School Settings,Current Academic Year,Aktuální akademický rok
DocType: Stock Settings,Default Stock UOM,Výchozí Skladem UOM
DocType: Asset,Number of Depreciations Booked,Počet Odpisy rezervováno
@@ -2905,27 +2927,27 @@
DocType: Asset,Double Declining Balance,Double degresivní
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Uzavřená objednávka nemůže být zrušen. Otevřít zrušit.
DocType: Student Guardian,Father,Otec
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,"Aktualizace Sklad" nemohou být kontrolovány na pevnou prodeji majetku
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"Aktualizace Sklad" nemohou být kontrolovány na pevnou prodeji majetku
DocType: Bank Reconciliation,Bank Reconciliation,Bank Odsouhlasení
DocType: Attendance,On Leave,Na odchodu
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Získat aktualizace
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Účet {2} nepatří do společnosti {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Materiál Request {0} je zrušena nebo zastavena
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Přidat několik ukázkových záznamů
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Přidat několik ukázkových záznamů
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Správa absencí
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Seskupit podle účtu
DocType: Sales Order,Fully Delivered,Plně Dodáno
DocType: Lead,Lower Income,S nižšími příjmy
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Zdroj a cíl sklad nemůže být stejná pro řádek {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Zdroj a cíl sklad nemůže být stejná pro řádek {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Rozdíl účet musí být typu aktiv / Odpovědnost účet, protože to Reklamní Smíření je Entry Otevření"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Zaplacené částky nemůže být větší než Výše úvěru {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Číslo vydané objednávky je potřebné k položce {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Výrobní příkaz nebyl vytvořen
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Číslo vydané objednávky je potřebné k položce {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Výrobní příkaz nebyl vytvořen
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""Datum DO"" musí být po ""Datum OD"""
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Nemůže změnit statut studenta {0} je propojen s aplikací studentské {1}
DocType: Asset,Fully Depreciated,plně odepsán
,Stock Projected Qty,Reklamní Plánovaná POČET
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Zákazník {0} nepatří k projektu {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Zákazník {0} nepatří k projektu {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Výrazná Účast HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Citace jsou návrhy, nabídky jste svým zákazníkům odeslané"
DocType: Sales Order,Customer's Purchase Order,Zákazníka Objednávka
@@ -2934,33 +2956,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Součet skóre hodnotících kritérií musí být {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Prosím nastavte Počet Odpisy rezervováno
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Hodnota nebo Množství
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Productions Objednávky nemůže být zvýšena pro:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Minuta
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions Objednávky nemůže být zvýšena pro:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Minuta
DocType: Purchase Invoice,Purchase Taxes and Charges,Nákup Daně a poplatky
,Qty to Receive,Množství pro příjem
DocType: Leave Block List,Leave Block List Allowed,Nechte Block List povolena
DocType: Grading Scale Interval,Grading Scale Interval,Klasifikační stupnice Interval
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Náklady Nárok na Vehicle Log {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Sleva (%) na cenovou nabídku s marží
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,Celý sklad
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Celý sklad
DocType: Sales Partner,Retailer,Maloobchodník
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Připsat na účet musí být účtu Rozvaha
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Připsat na účet musí být účtu Rozvaha
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Všechny typy Dodavatele
DocType: Global Defaults,Disable In Words,Zakázat ve slovech
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,"Kód položky je povinné, protože položka není automaticky číslovány"
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Kód položky je povinné, protože položka není automaticky číslovány"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Nabídka {0} není typu {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Plán údržby Item
DocType: Sales Order,% Delivered,% Dodáno
DocType: Production Order,PRO-,PRO-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Kontokorentní úvěr na účtu
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Kontokorentní úvěr na účtu
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Vytvořit výplatní pásku
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Řádek # {0}: Přidělená částka nesmí být vyšší než zůstatek.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Procházet kusovník
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Zajištěné úvěry
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Zajištěné úvěry
DocType: Purchase Invoice,Edit Posting Date and Time,Úpravy účtování Datum a čas
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Prosím, amortizace účty s ním souvisejících v kategorii Asset {0} nebo {1} Company"
DocType: Academic Term,Academic Year,Akademický rok
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Počáteční stav Equity
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Počáteční stav Equity
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Ocenění
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},E-mailu zaslaného na dodavatele {0}
@@ -2976,7 +2998,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Schválení role nemůže být stejná jako role pravidlo se vztahuje na
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Odhlásit se z tohoto Email Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Zpráva byla odeslána
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Účet s podřízené uzly nelze nastavit jako hlavní knihy
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Účet s podřízené uzly nelze nastavit jako hlavní knihy
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,"Sazba, za kterou je ceníková měna převedena na základní měnu zákazníka"
DocType: Purchase Invoice Item,Net Amount (Company Currency),Čistá částka (Company Měna)
@@ -3010,7 +3032,7 @@
DocType: Expense Claim,Approval Status,Stav schválení
DocType: Hub Settings,Publish Items to Hub,Publikování položky do Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},Z hodnota musí být menší než hodnota v řadě {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Bankovní převod
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Bankovní převod
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Zkontrolovat vše
DocType: Vehicle Log,Invoice Ref,Faktura Ref
DocType: Purchase Order,Recurring Order,Opakující se objednávky
@@ -3023,51 +3045,54 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Bankovnictví a platby
,Welcome to ERPNext,Vítejte na ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Lead na nabídku
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nic víc ukázat.
DocType: Lead,From Customer,Od Zákazníka
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Volá
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Volá
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,Dávky
DocType: Project,Total Costing Amount (via Time Logs),Celková kalkulace Částka (přes Time Záznamy)
DocType: Purchase Order Item Supplied,Stock UOM,Reklamní UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Vydaná objednávka {0} není odeslána
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Vydaná objednávka {0} není odeslána
DocType: Customs Tariff Number,Tariff Number,tarif Počet
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Plánovaná
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Pořadové číslo {0} nepatří do skladu {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Poznámka: Systém nebude kontrolovat přes dobírku a over-rezervace pro item {0} jako množství nebo částka je 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Poznámka: Systém nebude kontrolovat přes dobírku a over-rezervace pro item {0} jako množství nebo částka je 0
DocType: Notification Control,Quotation Message,Zpráva Nabídky
DocType: Employee Loan,Employee Loan Application,Zaměstnanec žádost o úvěr
DocType: Issue,Opening Date,Datum otevření
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Účast byla úspěšně označena.
+DocType: Program Enrollment,Public Transport,Veřejná doprava
DocType: Journal Entry,Remark,Poznámka
DocType: Purchase Receipt Item,Rate and Amount,Cena a částka
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Typ účtu pro {0} musí být {1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,Listy a Holiday
DocType: School Settings,Current Academic Term,Aktuální akademické označení
DocType: Sales Order,Not Billed,Ne Účtovaný
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Oba Sklady musí patřit do stejné společnosti
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Žádné kontakty přidán dosud.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Oba Sklady musí patřit do stejné společnosti
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Žádné kontakty přidán dosud.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Přistál Náklady Voucher Částka
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Směnky vznesené dodavately
DocType: POS Profile,Write Off Account,Odepsat účet
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Debit Note Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Částka slevy
DocType: Purchase Invoice,Return Against Purchase Invoice,Návrat proti nákupní faktury
DocType: Item,Warranty Period (in days),Záruční doba (ve dnech)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Souvislost s Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Souvislost s Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Čistý peněžní tok z provozní
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,např. DPH
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,např. DPH
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Bod 4
DocType: Student Admission,Admission End Date,Vstupné Datum ukončení
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Subdodávky
DocType: Journal Entry Account,Journal Entry Account,Zápis do deníku Účet
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Student Group
DocType: Shopping Cart Settings,Quotation Series,Číselná řada nabídek
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Položka existuje se stejným názvem ({0}), prosím, změnit název skupiny položky nebo přejmenovat položku"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Vyberte zákazníka
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Položka existuje se stejným názvem ({0}), prosím, změnit název skupiny položky nebo přejmenovat položku"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Vyberte zákazníka
DocType: C-Form,I,já
DocType: Company,Asset Depreciation Cost Center,Asset Odpisy nákladového střediska
DocType: Sales Order Item,Sales Order Date,Prodejní objednávky Datum
DocType: Sales Invoice Item,Delivered Qty,Dodává Množství
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Zda zaškrtnuto, vypíše včetně stromu každé výrobní položky v požadavku materiálu."
DocType: Assessment Plan,Assessment Plan,Plan Assessment
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Sklad {0}: Společnost je povinná
DocType: Stock Settings,Limit Percent,Limit Procento
,Payment Period Based On Invoice Date,Platební období na základě data vystavení faktury
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Chybí Směnárna Kurzy pro {0}
@@ -3079,7 +3104,7 @@
DocType: Vehicle,Insurance Details,pojištění Podrobnosti
DocType: Account,Payable,Splatný
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,"Prosím, zadejte dobu splácení"
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Dlužníci ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Dlužníci ({0})
DocType: Pricing Rule,Margin,Marže
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Noví zákazníci
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Hrubý Zisk %
@@ -3090,16 +3115,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Party je povinná
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,Název tématu
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Aspoň jeden z prodeje nebo koupě musí být zvolena
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Vyberte podstatu svého podnikání.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Aspoň jeden z prodeje nebo koupě musí být zvolena
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Vyberte podstatu svého podnikání.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Řádek # {0}: Duplicitní záznam v odkazu {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,"Tam, kde jsou výrobní operace prováděny."
DocType: Asset Movement,Source Warehouse,Zdroj Warehouse
DocType: Installation Note,Installation Date,Datum instalace
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Řádek # {0}: {1} Asset nepatří do společnosti {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Řádek # {0}: {1} Asset nepatří do společnosti {2}
DocType: Employee,Confirmation Date,Potvrzení Datum
DocType: C-Form,Total Invoiced Amount,Celkem Fakturovaná částka
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min množství nemůže být větší než Max Množství
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Min množství nemůže být větší než Max Množství
DocType: Account,Accumulated Depreciation,oprávky
DocType: Stock Entry,Customer or Supplier Details,Zákazníka nebo dodavatele Podrobnosti
DocType: Employee Loan Application,Required by Date,Vyžadováno podle data
@@ -3120,22 +3145,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Měsíční Distribution Procento
DocType: Territory,Territory Targets,Území Cíle
DocType: Delivery Note,Transporter Info,Transporter Info
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Prosím nastavit výchozí {0} ve firmě {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Prosím nastavit výchozí {0} ve firmě {1}
DocType: Cheque Print Template,Starting position from top edge,Výchozí poloha od horního okraje
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Stejný dodavatel byl zadán vícekrát
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Hrubý zisk / ztráta
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Dodané položky vydané objednávky
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Název společnosti nemůže být Company
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Název společnosti nemůže být Company
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Hlavičkové listy pro tisk šablon.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Tituly na tiskových šablon, např zálohové faktury."
DocType: Student Guardian,Student Guardian,Student Guardian
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Poplatky typu ocenění může není označen jako Inclusive
DocType: POS Profile,Update Stock,Aktualizace skladem
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dodavatel> Typ dodavatele
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Různé UOM položky povede k nesprávné (celkem) Čistá hmotnost hodnoty. Ujistěte se, že čistá hmotnost každé položky je ve stejném nerozpuštěných."
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Rate
DocType: Asset,Journal Entry for Scrap,Zápis do deníku do šrotu
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,"Prosím, vytáhněte položky z dodací list"
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Zápisů {0} jsou un-spojený
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Zápisů {0} jsou un-spojený
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Záznam všech sdělení typu e-mail, telefon, chat, návštěvy, atd"
DocType: Manufacturer,Manufacturers used in Items,Výrobci používané v bodech
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,"Prosím, uveďte zaokrouhlit nákladové středisko ve společnosti"
@@ -3182,33 +3208,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,Dodavatel doručí zákazníkovi
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Položka / {0}) není na skladě
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Další Datum musí být větší než Datum zveřejnění
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Show daň break-up
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Vzhledem / Referenční datum nemůže být po {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Show daň break-up
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Vzhledem / Referenční datum nemůže být po {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Import dat a export
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","Přírůstky zásob existují proti skladu {0}, a proto není možné přeřadit nebo upravovat"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Žádní studenti Nalezené
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Žádní studenti Nalezené
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Faktura Datum zveřejnění
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Prodat
DocType: Sales Invoice,Rounded Total,Celkem zaokrouhleno
DocType: Product Bundle,List items that form the package.,"Seznam položek, které tvoří balíček."
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Podíl alokace by měla být ve výši 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,"Prosím, vyberte Datum zveřejnění před výběrem Party"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,"Prosím, vyberte Datum zveřejnění před výběrem Party"
DocType: Program Enrollment,School House,School House
DocType: Serial No,Out of AMC,Out of AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Vyberte prosím citace
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Vyberte prosím citace
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Počet Odpisy rezervováno nemůže být větší než celkový počet Odpisy
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Proveďte návštěv údržby
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,"Prosím, kontaktujte pro uživatele, kteří mají obchodní manažer ve skupině Master {0} roli"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,"Prosím, kontaktujte pro uživatele, kteří mají obchodní manažer ve skupině Master {0} roli"
DocType: Company,Default Cash Account,Výchozí Peněžní účet
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Company (nikoliv zákazník nebo dodavatel) master.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,To je založeno na účasti tohoto studenta
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Žádné studenty v
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Žádné studenty v
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Přidat další položky nebo otevřené plné formě
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',"Prosím, zadejte ""Očekávaná Datum dodání"""
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Dodací listy {0} musí být zrušena před zrušením této prodejní objednávky
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Uhrazená částka + odepsaná částka nesmí být větší než celková částka
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Uhrazená částka + odepsaná částka nesmí být větší než celková částka
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} není platná Šarže pro Položku {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Poznámka: Není k dispozici dostatek zůstatek dovolené dovolená za kalendářní typ {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,Neplatná hodnota GSTIN nebo Zadejte NA pro neregistrované
DocType: Training Event,Seminar,Seminář
DocType: Program Enrollment Fee,Program Enrollment Fee,Program zápisné
DocType: Item,Supplier Items,Dodavatele položky
@@ -3234,27 +3260,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Položka 3
DocType: Purchase Order,Customer Contact Email,Zákazník Kontaktní e-mail
DocType: Warranty Claim,Item and Warranty Details,Položka a Záruka Podrobnosti
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kód položky> Skupina položek> Značka
DocType: Sales Team,Contribution (%),Příspěvek (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Poznámka: Položka Platba nebude vytvořili, protože ""v hotovosti nebo bankovním účtu"" nebyl zadán"
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Zvolte program pro získání povinných kurzů.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Odpovědnost
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Odpovědnost
DocType: Expense Claim Account,Expense Claim Account,Náklady na pojistná Account
DocType: Sales Person,Sales Person Name,Prodej Osoba Name
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Zadejte prosím aspoň 1 fakturu v tabulce
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Přidat uživatele
DocType: POS Item Group,Item Group,Položka Group
DocType: Item,Safety Stock,bezpečnostní Sklad
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Pokrok% za úkol nemůže být více než 100.
DocType: Stock Reconciliation Item,Before reconciliation,Před smíření
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Chcete-li {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Daně a poplatky Přidal (Company měna)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Položka Tax Row {0} musí mít účet typu daní či výnosů nebo nákladů, nebo Vyměřovací"
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Položka Tax Row {0} musí mít účet typu daní či výnosů nebo nákladů, nebo Vyměřovací"
DocType: Sales Order,Partly Billed,Částečně Účtovaný
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Item {0} musí být dlouhodobá aktiva položka
DocType: Item,Default BOM,Výchozí BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,Prosím re-typ název společnosti na potvrzení
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Celkem Vynikající Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Částka pro debetní poznámku
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Prosím re-typ název společnosti na potvrzení
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Celkem Vynikající Amt
DocType: Journal Entry,Printing Settings,Tisk Nastavení
DocType: Sales Invoice,Include Payment (POS),Zahrnují platby (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Celkové inkaso musí rovnat do celkového kreditu. Rozdíl je {0}
@@ -3268,15 +3292,16 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Na skladě:
DocType: Notification Control,Custom Message,Custom Message
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investiční bankovnictví
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,V hotovosti nebo bankovním účtu je povinný pro výrobu zadání platebního
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Studentská adresa
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,V hotovosti nebo bankovním účtu je povinný pro výrobu zadání platebního
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Prosím, nastavte sérii číslování pro Účast přes Nastavení> Číslovací série"
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentská adresa
DocType: Purchase Invoice,Price List Exchange Rate,Katalogová cena Exchange Rate
DocType: Purchase Invoice Item,Rate,Cena
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Internovat
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,adresa Jméno
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Internovat
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,adresa Jméno
DocType: Stock Entry,From BOM,Od BOM
DocType: Assessment Code,Assessment Code,Kód Assessment
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Základní
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Základní
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Fotky transakce před {0} jsou zmrazeny
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"Prosím, klikněte na ""Generovat Schedule"""
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","např Kg, ks, č, m"
@@ -3286,11 +3311,11 @@
DocType: Salary Slip,Salary Structure,Plat struktura
DocType: Account,Bank,Banka
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Letecká linka
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Vydání Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Vydání Material
DocType: Material Request Item,For Warehouse,Pro Sklad
DocType: Employee,Offer Date,Nabídka Date
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Citace
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,"Jste v režimu offline. Nebudete moci obnovit stránku, dokud nebudete na síťi."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,"Jste v režimu offline. Nebudete moci obnovit stránku, dokud nebudete na síťi."
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Žádné studentské skupiny vytvořen.
DocType: Purchase Invoice Item,Serial No,Výrobní číslo
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Měsíční splátka částka nemůže být větší než Výše úvěru
@@ -3298,8 +3323,8 @@
DocType: Purchase Invoice,Print Language,Tisk Language
DocType: Salary Slip,Total Working Hours,Celkové pracovní doby
DocType: Stock Entry,Including items for sub assemblies,Včetně položek pro podsestav
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Zadejte hodnota musí být kladná
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Všechny území
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Zadejte hodnota musí být kladná
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Všechny území
DocType: Purchase Invoice,Items,Položky
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Student je již zapsáno.
DocType: Fiscal Year,Year Name,Jméno roku
@@ -3317,10 +3342,10 @@
DocType: Issue,Opening Time,Otevírací doba
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Data OD a DO jsou vyžadována
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Cenné papíry a komoditních burzách
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Výchozí měrná jednotka varianty '{0}' musí být stejný jako v Template '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Výchozí měrná jednotka varianty '{0}' musí být stejný jako v Template '{1}'
DocType: Shipping Rule,Calculate Based On,Vypočítat založené na
DocType: Delivery Note Item,From Warehouse,Ze skladu
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Žádné položky s Billem materiálů k výrobě
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Žádné položky s Billem materiálů k výrobě
DocType: Assessment Plan,Supervisor Name,Jméno Supervisor
DocType: Program Enrollment Course,Program Enrollment Course,Program pro zápis do programu
DocType: Purchase Taxes and Charges,Valuation and Total,Oceňování a Total
@@ -3335,18 +3360,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Dnů od poslední objednávky"" musí být větší nebo rovno nule"
DocType: Process Payroll,Payroll Frequency,Mzdové frekvence
DocType: Asset,Amended From,Platném znění
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Surovina
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Surovina
DocType: Leave Application,Follow via Email,Sledovat e-mailem
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Rostliny a strojní vybavení
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Rostliny a strojní vybavení
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Částka daně po slevě Částka
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Každodenní práci Souhrnné Nastavení
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Měna ceníku {0} není podobné s vybranou měnou {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Měna ceníku {0} není podobné s vybranou měnou {1}
DocType: Payment Entry,Internal Transfer,vnitřní Převod
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Dětské konto existuje pro tento účet. Nemůžete smazat tento účet.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Dětské konto existuje pro tento účet. Nemůžete smazat tento účet.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Buď cílové množství nebo cílová částka je povinná
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},No default BOM existuje pro bod {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},No default BOM existuje pro bod {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,"Prosím, vyberte nejprve Datum zveřejnění"
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Datum zahájení by měla být před uzávěrky
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavte prosím jmenovací řadu pro {0} přes Nastavení> Nastavení> Pojmenování
DocType: Leave Control Panel,Carry Forward,Převádět
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Nákladové středisko se stávajícími transakcemi nelze převést na hlavní účetní knihy
DocType: Department,Days for which Holidays are blocked for this department.,"Dnů, po které Prázdniny jsou blokovány pro toto oddělení."
@@ -3356,10 +3382,9 @@
DocType: Issue,Raised By (Email),Vznesené (e-mail)
DocType: Training Event,Trainer Name,Jméno trenér
DocType: Mode of Payment,General,Obecný
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Připojit Hlavičkový
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Poslední komunikace
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nelze odečíst, pokud kategorie je určena pro ""ocenění"" nebo ""oceňování a celkový"""
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Seznam vaše daňové hlavy (např DPH, cel atd, by měli mít jedinečné názvy) a jejich standardní sazby. Tím se vytvoří standardní šablonu, kterou můžete upravit a přidat další později."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Seznam vaše daňové hlavy (např DPH, cel atd, by měli mít jedinečné názvy) a jejich standardní sazby. Tím se vytvoří standardní šablonu, kterou můžete upravit a přidat další později."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Serial Nos Požadováno pro serializovaném bodu {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Zápas platby fakturami
DocType: Journal Entry,Bank Entry,Bank Entry
@@ -3368,16 +3393,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Přidat do košíku
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Seskupit podle
DocType: Guardian,Interests,zájmy
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Povolit / zakázat měny.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Povolit / zakázat měny.
DocType: Production Planning Tool,Get Material Request,Získat Materiál Request
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Poštovní náklady
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Poštovní náklady
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Total (Amt)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Entertainment & Leisure
DocType: Quality Inspection,Item Serial No,Položka Výrobní číslo
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Vytvořit Zaměstnanecké záznamů
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Celkem Present
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,účetní závěrka
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Hodina
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Hodina
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nové seriové číslo nemůže mít záznam skladu. Sklad musí být nastaven přes skladovou kartu nebo nákupní doklad
DocType: Lead,Lead Type,Typ leadu
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Nejste oprávněni schvalovat listí na bloku Termíny
@@ -3389,6 +3414,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,Nový BOM po změně
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Místo Prodeje
DocType: Payment Entry,Received Amount,přijaté Částka
+DocType: GST Settings,GSTIN Email Sent On,GSTIN E-mail odeslán na
+DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop od Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Vytvořit na celé množství, ignoruje již objednané množství"
DocType: Account,Tax,Daň
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,neoznačený
@@ -3400,14 +3427,14 @@
DocType: Batch,Source Document Name,Název zdrojového dokumentu
DocType: Job Opening,Job Title,Název pozice
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Vytvořit uživatele
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,Gram
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,Gram
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,"Množství, které má výroba musí být větší než 0 ° C."
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Navštivte zprávu pro volání údržby.
DocType: Stock Entry,Update Rate and Availability,Obnovovací rychlost a dostupnost
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Procento máte možnost přijímat nebo dodávat více proti objednaného množství. Například: Pokud jste si objednali 100 kusů. a váš příspěvek je 10%, pak máte možnost získat 110 jednotek."
DocType: POS Customer Group,Customer Group,Zákazník Group
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Nové číslo dávky (volitelné)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Účtet nákladů je povinný pro položku {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Účtet nákladů je povinný pro položku {0}
DocType: BOM,Website Description,Popis webu
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Čistá změna ve vlastním kapitálu
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Zrušte faktuře {0} první
@@ -3417,8 +3444,8 @@
,Sales Register,Sales Register
DocType: Daily Work Summary Settings Company,Send Emails At,Posílat e-maily At
DocType: Quotation,Quotation Lost Reason,Důvod ztráty nabídky
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Vyberte si doménu
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Referenční transakce no {0} ze dne {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Vyberte si doménu
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Referenční transakce no {0} ze dne {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Není nic upravovat.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Shrnutí pro tento měsíc a probíhajícím činnostem
DocType: Customer Group,Customer Group Name,Zákazník Group Name
@@ -3426,14 +3453,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Přehled o peněžních tocích
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Výše úvěru nesmí být vyšší než Maximální výše úvěru částku {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licence
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},Odeberte Tato faktura {0} z C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},Odeberte Tato faktura {0} z C-Form {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Prosím, vyberte převádět pokud chcete také zahrnout uplynulý fiskální rok bilance listy tohoto fiskálního roku"
DocType: GL Entry,Against Voucher Type,Proti poukazu typu
DocType: Item,Attributes,Atributy
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,"Prosím, zadejte odepsat účet"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,"Prosím, zadejte odepsat účet"
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Datum poslední objednávky
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Účet {0} nepatří společnosti {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Sériová čísla v řádku {0} neodpovídají poznámce k doručení
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Sériová čísla v řádku {0} neodpovídají poznámce k doručení
DocType: Student,Guardian Details,Guardian Podrobnosti
DocType: C-Form,C-Form,C-Form
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark docházky pro více zaměstnanců
@@ -3448,16 +3475,16 @@
DocType: Budget Account,Budget Amount,rozpočet Částka
DocType: Appraisal Template,Appraisal Template Title,Posouzení Template Název
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Datum od {0} pro zaměstnance {1} nemůže být před nástupem Datum zaměstnance {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Obchodní
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Obchodní
DocType: Payment Entry,Account Paid To,Účet Věnována
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Parent Item {0} nesmí být skladem
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Všechny výrobky nebo služby.
DocType: Expense Claim,More Details,Další podrobnosti
DocType: Supplier Quotation,Supplier Address,Dodavatel Address
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Rozpočet na účet {1} proti {2} {3} je {4}. To bude přesahovat o {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Řádek {0} # účet musí být typu "Fixed Asset"
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Out Množství
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Pravidla pro výpočet výše přepravní na prodej
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Řádek {0} # účet musí být typu "Fixed Asset"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Out Množství
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Pravidla pro výpočet výše přepravní na prodej
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Série je povinné
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Finanční služby
DocType: Student Sibling,Student ID,Student ID
@@ -3465,13 +3492,13 @@
DocType: Tax Rule,Sales,Prodej
DocType: Stock Entry Detail,Basic Amount,Základní částka
DocType: Training Event,Exam,Zkouška
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Sklad je vyžadován pro skladovou položku {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Sklad je vyžadován pro skladovou položku {0}
DocType: Leave Allocation,Unused leaves,Nepoužité listy
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,Fakturace State
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Převod
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} není spojen s účtem Party {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Fetch explodovala kusovníku (včetně montážních podskupin)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} není spojen s účtem Party {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Fetch explodovala kusovníku (včetně montážních podskupin)
DocType: Authorization Rule,Applicable To (Employee),Vztahující se na (Employee)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Datum splatnosti je povinné
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Přírůstek pro atribut {0} nemůže být 0
@@ -3499,7 +3526,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Surovina Kód položky
DocType: Journal Entry,Write Off Based On,Odepsat založené na
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Udělat Lead
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Tisk a papírnictví
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Tisk a papírnictví
DocType: Stock Settings,Show Barcode Field,Show čárového kódu Field
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Poslat Dodavatel e-maily
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Plat již zpracovány pro období mezi {0} a {1}, ponechte dobu použitelnosti nemůže být mezi tomto časovém období."
@@ -3507,13 +3534,15 @@
DocType: Guardian Interest,Guardian Interest,Guardian Zájem
apps/erpnext/erpnext/config/hr.py +177,Training,Výcvik
DocType: Timesheet,Employee Detail,Detail zaměstnanec
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,ID e-mailu Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,ID e-mailu Guardian1
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,den následujícímu dni a Opakujte na den v měsíci se musí rovnat
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Nastavení titulní stránce webu
DocType: Offer Letter,Awaiting Response,Čeká odpověď
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Výše
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Výše
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},Neplatný atribut {0} {1}
DocType: Supplier,Mention if non-standard payable account,Uvedete-li neštandardní splatný účet
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Stejná položka byla zadána několikrát. {seznam}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Vyberte jinou skupinu hodnocení než skupinu Všechny skupiny
DocType: Salary Slip,Earning & Deduction,Výdělek a dedukce
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Volitelné. Toto nastavení bude použito k filtrování v různých transakcí.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Negativní ocenění Rate není povoleno
@@ -3527,9 +3556,9 @@
DocType: Sales Invoice,Product Bundle Help,Product Bundle Help
,Monthly Attendance Sheet,Měsíční Účast Sheet
DocType: Production Order Item,Production Order Item,Výroba objednávku Položka
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Nebyl nalezen žádný záznam
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Nebyl nalezen žádný záznam
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Náklady na sešrotována aktiv
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Nákladové středisko je povinný údaj pro položku {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Nákladové středisko je povinný údaj pro položku {2}
DocType: Vehicle,Policy No,Ne politika
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Položka získaná ze souboru výrobků
DocType: Asset,Straight Line,Přímka
@@ -3537,7 +3566,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Rozdělit
DocType: GL Entry,Is Advance,Je Zálohová
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Účast Datum od a docházky do dnešního dne je povinná
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,"Prosím, zadejte ""subdodavatelům"" jako Ano nebo Ne"
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,"Prosím, zadejte ""subdodavatelům"" jako Ano nebo Ne"
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Poslední datum komunikace
DocType: Sales Team,Contact No.,Kontakt Číslo
DocType: Bank Reconciliation,Payment Entries,Platební Příspěvky
@@ -3563,60 +3592,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,otevření Value
DocType: Salary Detail,Formula,Vzorec
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Provize z prodeje
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Provize z prodeje
DocType: Offer Letter Term,Value / Description,Hodnota / Popis
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Řádek # {0}: Asset {1} nemůže být předložen, je již {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Řádek # {0}: Asset {1} nemůže být předložen, je již {2}"
DocType: Tax Rule,Billing Country,Fakturace Země
DocType: Purchase Order Item,Expected Delivery Date,Očekávané datum dodání
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debetní a kreditní nerovná za {0} # {1}. Rozdíl je v tom {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Výdaje na reprezentaci
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Udělat Materiál Request
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Výdaje na reprezentaci
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Udělat Materiál Request
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Otevřít položku {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Prodejní faktury {0} musí být zrušena před zrušením této prodejní objednávky
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Věk
DocType: Sales Invoice Timesheet,Billing Amount,Fakturace Částka
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Neplatný množství uvedené na položku {0}. Množství by mělo být větší než 0.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Žádosti o dovolenou.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Účet s transakcemi nemůže být smazán
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Účet s transakcemi nemůže být smazán
DocType: Vehicle,Last Carbon Check,Poslední Carbon Check
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Výdaje na právní služby
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Výdaje na právní služby
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Vyberte množství v řadě
DocType: Purchase Invoice,Posting Time,Čas zadání
DocType: Timesheet,% Amount Billed,% Fakturované částky
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Telefonní Náklady
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Telefonní Náklady
DocType: Sales Partner,Logo,Logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Zaškrtněte, pokud chcete, aby uživateli vybrat sérii před uložením. Tam bude žádná výchozí nastavení, pokud jste zkontrolovat."
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},No Položka s Serial č {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},No Položka s Serial č {0}
DocType: Email Digest,Open Notifications,Otevřené Oznámení
DocType: Payment Entry,Difference Amount (Company Currency),Rozdíl Částka (Company měna)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Přímé náklady
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Přímé náklady
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} je neplatná e-mailová adresa v "Oznámení \ 'e-mailovou adresu
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Nový zákazník Příjmy
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Cestovní výdaje
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Cestovní výdaje
DocType: Maintenance Visit,Breakdown,Rozbor
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Účet: {0} s měnou: {1} nelze vybrat
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Účet: {0} s měnou: {1} nelze vybrat
DocType: Bank Reconciliation Detail,Cheque Date,Šek Datum
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Účet {0}: Nadřazený účet {1} nepatří ke společnosti: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Účet {0}: Nadřazený účet {1} nepatří ke společnosti: {2}
DocType: Program Enrollment Tool,Student Applicants,Student Žadatelé
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Úspěšně vypouští všechny transakce související s tímto společnosti!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Úspěšně vypouští všechny transakce související s tímto společnosti!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Stejně jako u Date
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,zápis Datum
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Zkouška
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Zkouška
apps/erpnext/erpnext/config/hr.py +115,Salary Components,Mzdové Components
DocType: Program Enrollment Tool,New Academic Year,Nový akademický rok
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Return / dobropis
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Return / dobropis
DocType: Stock Settings,Auto insert Price List rate if missing,"Auto vložka Ceník sazba, pokud chybí"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Celkem uhrazené částky
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Celkem uhrazené částky
DocType: Production Order Item,Transferred Qty,Přenesená Množství
apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigace
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Plánování
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Vydáno
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Plánování
+DocType: Material Request,Issued,Vydáno
DocType: Project,Total Billing Amount (via Time Logs),Celkem Billing Částka (přes Time Záznamy)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Nabízíme k prodeji tuto položku
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Dodavatel Id
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Nabízíme k prodeji tuto položku
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Dodavatel Id
DocType: Payment Request,Payment Gateway Details,Platební brána Podrobnosti
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Množství by měla být větší než 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Množství by měla být větší než 0
DocType: Journal Entry,Cash Entry,Cash Entry
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Podřízené uzly mohou být vytvořeny pouze na základě typu uzly "skupina"
DocType: Leave Application,Half Day Date,Half Day Date
@@ -3628,14 +3658,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Prosím nastavit výchozí účet v Expense reklamační typu {0}
DocType: Assessment Result,Student Name,Jméno studenta
DocType: Brand,Item Manager,Manažer Položka
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,Mzdové Splatné
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Mzdové Splatné
DocType: Buying Settings,Default Supplier Type,Výchozí typ Dodavatel
DocType: Production Order,Total Operating Cost,Celkové provozní náklady
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Poznámka: Položka {0} vstoupil vícekrát
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Všechny kontakty.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Zkratka Company
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Zkratka Company
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Uživatel: {0} neexistuje
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,Surovina nemůže být stejný jako hlavní bod
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Surovina nemůže být stejný jako hlavní bod
DocType: Item Attribute Value,Abbreviation,Zkratka
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Platba Entry již existuje
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Není authroized od {0} překročí limity
@@ -3644,49 +3674,49 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Sada Daňové Pravidlo pro nákupního košíku
DocType: Purchase Invoice,Taxes and Charges Added,Daně a poplatky přidané
,Sales Funnel,Prodej Nálevka
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Zkratka je povinná
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Zkratka je povinná
DocType: Project,Task Progress,Pokrok úkol
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Vozík
,Qty to Transfer,Množství pro přenos
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Nabídka pro Lead nebo pro Zákazníka
DocType: Stock Settings,Role Allowed to edit frozen stock,Role povoleno upravovat zmrazené zásoby
,Territory Target Variance Item Group-Wise,Území Cílová Odchylka Item Group-Wise
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Všechny skupiny zákazníků
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Všechny skupiny zákazníků
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,nahromaděné za měsíc
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je povinné. Možná není vytvořen záznam směnného kurzu pro {1} na {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je povinné. Možná není vytvořen záznam směnného kurzu pro {1} na {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Daňová šablona je povinné.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Účet {0}: Nadřazený účet {1} neexistuje
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Účet {0}: Nadřazený účet {1} neexistuje
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Ceník Rate (Company měny)
DocType: Products Settings,Products Settings,Nastavení Produkty
DocType: Account,Temporary,Dočasný
DocType: Program,Courses,předměty
DocType: Monthly Distribution Percentage,Percentage Allocation,Procento přidělení
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Sekretářka
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekretářka
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Pokud zakázat, "ve slovech" poli nebude viditelný v jakékoli transakce"
DocType: Serial No,Distinct unit of an Item,Samostatnou jednotku z položky
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Nastavte společnost
DocType: Pricing Rule,Buying,Nákupy
DocType: HR Settings,Employee Records to be created by,"Zaměstnanec Záznamy, které vytvořil"
DocType: POS Profile,Apply Discount On,Použít Sleva na
,Reqd By Date,Př p Podle data
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Věřitelé
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Věřitelé
DocType: Assessment Plan,Assessment Name,Název Assessment
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Řádek # {0}: Výrobní číslo je povinné
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Položka Wise Tax Detail
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,institut Zkratka
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,institut Zkratka
,Item-wise Price List Rate,Item-moudrý Ceník Rate
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Dodavatel Nabídka
DocType: Quotation,In Words will be visible once you save the Quotation.,"Ve slovech budou viditelné, jakmile uložíte nabídku."
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Množství ({0}) nemůže být zlomek v řádku {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,vybírat poplatky
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Čárový kód {0} již použit u položky {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Čárový kód {0} již použit u položky {1}
DocType: Lead,Add to calendar on this date,Přidat do kalendáře k tomuto datu
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Pravidla pro přidávání náklady na dopravu.
DocType: Item,Opening Stock,otevření Sklad
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Je nutná zákazník
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} je povinné pro návrat
DocType: Purchase Order,To Receive,Obdržet
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Osobní e-mail
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Celkový rozptyl
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Pokud je povoleno, bude systém odesílat účetní položky k zásobám automaticky."
@@ -3698,13 +3728,14 @@
DocType: Customer,From Lead,Od Leadu
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Objednávky uvolněna pro výrobu.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Vyberte fiskálního roku ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,"POS Profile požadováno, aby POS Vstup"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,"POS Profile požadováno, aby POS Vstup"
DocType: Program Enrollment Tool,Enroll Students,zapsat studenti
DocType: Hub Settings,Name Token,Jméno Token
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standardní prodejní
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Alespoň jeden sklad je povinný
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Alespoň jeden sklad je povinný
DocType: Serial No,Out of Warranty,Out of záruky
DocType: BOM Replace Tool,Replace,Vyměnit
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Nenašli se žádné produkty.
DocType: Production Order,Unstopped,nezastavěnou
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} proti vystavené faktuře {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3715,13 +3746,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Reklamní Value Rozdíl
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Lidské Zdroje
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Platba Odsouhlasení Platba
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Daňové Aktiva
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Daňové Aktiva
DocType: BOM Item,BOM No,Číslo kusovníku
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Zápis do deníku {0} nemá účet {1} nebo již uzavřeno proti ostatním poukaz
DocType: Item,Moving Average,Klouzavý průměr
DocType: BOM Replace Tool,The BOM which will be replaced,"BOM, který bude nahrazen"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,elektronická zařízení
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,elektronická zařízení
DocType: Account,Debit,Debet
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Dovolené musí být přiděleny v násobcích 0,5"
DocType: Production Order,Operation Cost,Provozní náklady
@@ -3729,7 +3760,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Vynikající Amt
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Nastavit cíle Item Group-moudrý pro tento prodeje osobě.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Zásoby Starší než [dny]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Řádek # {0}: Prostředek je povinné pro dlouhodobého majetku nákupu / prodeji
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Řádek # {0}: Prostředek je povinné pro dlouhodobého majetku nákupu / prodeji
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Pokud dva nebo více pravidla pro tvorbu cen se nacházejí na základě výše uvedených podmínek, priorita je aplikována. Priorita je číslo od 0 do 20, zatímco výchozí hodnota je nula (prázdný). Vyšší číslo znamená, že bude mít přednost, pokud existuje více pravidla pro tvorbu cen se za stejných podmínek."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Fiskální rok: {0} neexistuje
DocType: Currency Exchange,To Currency,Chcete-li měny
@@ -3737,7 +3768,7 @@
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Druhy výdajů nároku.
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Prodejní cena pro položku {0} je nižší než její {1}. Míra prodeje by měla být nejméně {2}
DocType: Item,Taxes,Daně
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Uhrazené a nedoručené
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Uhrazené a nedoručené
DocType: Project,Default Cost Center,Výchozí Center Náklady
DocType: Bank Guarantee,End Date,Datum ukončení
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Sklad Transakce
@@ -3762,24 +3793,22 @@
DocType: Employee,Held On,Které se konalo dne
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Výrobní položka
,Employee Information,Informace o zaměstnanci
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Rate (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Rate (%)
DocType: Stock Entry Detail,Additional Cost,Dodatečné náklady
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Finanční rok Datum ukončení
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Nelze filtrovat na základě poukazu ne, pokud seskupeny podle poukazu"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Vytvořit nabídku dodavatele
DocType: Quality Inspection,Incoming,Přicházející
DocType: BOM,Materials Required (Exploded),Potřebný materiál (Rozložený)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Přidání uživatelů do vaší organizace, jiné než vy"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Vysílání datum nemůže být budoucí datum
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Řádek # {0}: Výrobní číslo {1} neodpovídá {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Casual Leave
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Casual Leave
DocType: Batch,Batch ID,Šarže ID
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Poznámka: {0}
,Delivery Note Trends,Dodací list Trendy
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Tento týden Shrnutí
-,In Stock Qty,Na skladě Množství
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Na skladě Množství
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Účet: {0} lze aktualizovat pouze prostřednictvím Skladových Transakcí
-DocType: Program Enrollment,Get Courses,Získat kurzy
+DocType: Student Group Creation Tool,Get Courses,Získat kurzy
DocType: GL Entry,Party,Strana
DocType: Sales Order,Delivery Date,Dodávka Datum
DocType: Opportunity,Opportunity Date,Příležitost Datum
@@ -3787,14 +3816,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Žádost o cenovou nabídku výtisku
DocType: Purchase Order,To Bill,Billa
DocType: Material Request,% Ordered,% objednáno
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",Pro kurzovou studentskou skupinu bude kurz pro každého studenta ověřen z přihlášených kurzů při zápisu do programu.
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Zadejte e-mailové adresy oddělené čárkami, faktura bude automaticky zaslán na určitému datu"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Úkolová práce
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Úkolová práce
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Avg. Nákup Rate
DocType: Task,Actual Time (in Hours),Skutečná doba (v hodinách)
DocType: Employee,History In Company,Historie ve Společnosti
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Zpravodaje
DocType: Stock Ledger Entry,Stock Ledger Entry,Reklamní Ledger Entry
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Zákazník> Skupina zákazníků> Území
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Stejný bod byl zadán vícekrát
DocType: Department,Leave Block List,Nechte Block List
DocType: Sales Invoice,Tax ID,DIČ
@@ -3809,30 +3838,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} jednotek {1} zapotřebí {2} pro dokončení této transakce.
DocType: Loan Type,Rate of Interest (%) Yearly,Úroková sazba (%) Roční
DocType: SMS Settings,SMS Settings,Nastavení SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Dočasné Účty
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Černá
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Dočasné Účty
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Černá
DocType: BOM Explosion Item,BOM Explosion Item,BOM Explosion Item
DocType: Account,Auditor,Auditor
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} předměty vyrobené
DocType: Cheque Print Template,Distance from top edge,Vzdálenost od horního okraje
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Ceníková cena {0} je zakázáno nebo neexistuje
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Ceníková cena {0} je zakázáno nebo neexistuje
DocType: Purchase Invoice,Return,Zpáteční
DocType: Production Order Operation,Production Order Operation,Výrobní zakázka Operace
DocType: Pricing Rule,Disable,Zakázat
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Způsob platby je povinen provést platbu
DocType: Project Task,Pending Review,Čeká Review
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} není zapsána v dávce {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Aktiva {0} nemůže být vyhozen, jak je tomu již {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Total Expense Claim (via Expense nároku)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Zákazník Id
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Absent
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Řádek {0}: Měna BOM # {1} by se měla rovnat vybrané měně {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Řádek {0}: Měna BOM # {1} by se měla rovnat vybrané měně {2}
DocType: Journal Entry Account,Exchange Rate,Exchange Rate
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Prodejní objednávky {0} není předložena
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Prodejní objednávky {0} není předložena
DocType: Homepage,Tag Line,tag linka
DocType: Fee Component,Fee Component,poplatek Component
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Fleet management
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Přidat položky z
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Sklad {0}: Nadřazený účet {1} napatří společnosti {2}
DocType: Cheque Print Template,Regular,Pravidelný
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Celková weightage všech hodnotících kritérií musí být 100%
DocType: BOM,Last Purchase Rate,Poslední nákupní sazba
@@ -3841,11 +3869,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,"Sklad nemůže existovat k bodu {0}, protože má varianty"
,Sales Person-wise Transaction Summary,Prodej Person-moudrý Shrnutí transakce
DocType: Training Event,Contact Number,Kontaktní číslo
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Sklad {0} neexistuje
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Sklad {0} neexistuje
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Registrace pro ERPNext Hub
DocType: Monthly Distribution,Monthly Distribution Percentages,Měsíční Distribuční Procenta
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Vybraná položka nemůže mít dávku
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Ocenění sazba nebyl nalezen na výtisku {0}, který je k tomu účetních zápisů pro požadovanou {1} {2}. Pokud je položka transakci jako položka vzorek v {1}, prosím zmínit, že v {1} položky tabulky. V opačném případě vytvořte příchozí transakce akcie za položku nebo zmínka sazby ocenění v záznamu položku a potom zkuste odevzdání / zrušení této položky"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Ocenění sazba nebyl nalezen na výtisku {0}, který je k tomu účetních zápisů pro požadovanou {1} {2}. Pokud je položka transakci jako položka vzorek v {1}, prosím zmínit, že v {1} položky tabulky. V opačném případě vytvořte příchozí transakce akcie za položku nebo zmínka sazby ocenění v záznamu položku a potom zkuste odevzdání / zrušení této položky"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% Materiálů doručeno proti tomuto dodacímu listu
DocType: Project,Customer Details,Podrobnosti zákazníků
DocType: Employee,Reports to,Zprávy
@@ -3853,41 +3881,43 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Zadejte url parametr pro přijímače nos
DocType: Payment Entry,Paid Amount,Uhrazené částky
DocType: Assessment Plan,Supervisor,Dozorce
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Online
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,Online
,Available Stock for Packing Items,K dispozici skladem pro balení položek
DocType: Item Variant,Item Variant,Položka Variant
DocType: Assessment Result Tool,Assessment Result Tool,Assessment Tool Výsledek
DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Předložené objednávky nelze smazat
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Zůstatek na účtu již v inkasa, není dovoleno stanovit ""Balance musí být"" jako ""úvěru"""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Řízení kvality
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Předložené objednávky nelze smazat
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Zůstatek na účtu již v inkasa, není dovoleno stanovit ""Balance musí být"" jako ""úvěru"""
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Řízení kvality
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Item {0} byl zakázán
DocType: Employee Loan,Repay Fixed Amount per Period,Splatit pevná částka na období
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},"Zadejte prosím množství produktů, bod {0}"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Úvěrová poznámka Amt
DocType: Employee External Work History,Employee External Work History,Zaměstnanec vnější práce History
DocType: Tax Rule,Purchase,Nákup
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Zůstatek Množství
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Zůstatek Množství
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Cíle nemůže být prázdný
DocType: Item Group,Parent Item Group,Parent Item Group
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} pro {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Nákladové středisko
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Nákladové středisko
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,"Sazba, za kterou dodavatel měny je převeden na společnosti základní měny"
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: časování v rozporu s řadou {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Povolit nulovou míru oceňování
DocType: Training Event Employee,Invited,Pozván
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Více aktivní Plat Structures nalezených pro zaměstnance {0} pro dané termíny
DocType: Opportunity,Next Contact,Následující Kontakt
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Nastavení brány účty.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Nastavení brány účty.
DocType: Employee,Employment Type,Typ zaměstnání
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Dlouhodobý majetek
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Dlouhodobý majetek
DocType: Payment Entry,Set Exchange Gain / Loss,Set Exchange zisk / ztráta
+,GST Purchase Register,GST Nákupní registr
,Cash Flow,Tok peněz
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Období pro podávání žádostí nemůže být na dvou alokace záznamy
DocType: Item Group,Default Expense Account,Výchozí výdajového účtu
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Student ID e-mailu
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student ID e-mailu
DocType: Employee,Notice (days),Oznámení (dny)
DocType: Tax Rule,Sales Tax Template,Daň z prodeje Template
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,"Vyberte položky, které chcete uložit fakturu"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,"Vyberte položky, které chcete uložit fakturu"
DocType: Employee,Encashment Date,Inkaso Datum
DocType: Training Event,Internet,Internet
DocType: Account,Stock Adjustment,Reklamní Nastavení
@@ -3915,7 +3945,7 @@
DocType: Guardian,Guardian Of ,strážce
DocType: Grading Scale Interval,Threshold,Práh
DocType: BOM Replace Tool,Current BOM,Aktuální BOM
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Přidat Sériové číslo
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Přidat Sériové číslo
apps/erpnext/erpnext/config/support.py +22,Warranty,Záruka
DocType: Purchase Invoice,Debit Note Issued,Vydání dluhopisu
DocType: Production Order,Warehouses,Sklady
@@ -3924,20 +3954,20 @@
DocType: Workstation,per hour,za hodinu
apps/erpnext/erpnext/config/buying.py +7,Purchasing,Nákup
DocType: Announcement,Announcement,Oznámení
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,"Účet pro skladu (průběžné inventarizace), bude vytvořena v rámci tohoto účtu."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Warehouse nelze vypustit, neboť existuje zásob, kniha pro tento sklad."
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",Pro dávkovou studentskou skupinu bude studentská dávka ověřena pro každého studenta ze zápisu do programu.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Warehouse nelze vypustit, neboť existuje zásob, kniha pro tento sklad."
DocType: Company,Distribution,Distribuce
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Zaplacené částky
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Project Manager
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Project Manager
,Quoted Item Comparison,Citoval Položka Porovnání
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Odeslání
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max sleva povoleno položku: {0} {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Odeslání
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max sleva povoleno položku: {0} {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Čistá hodnota aktiv i na
DocType: Account,Receivable,Pohledávky
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Řádek # {0}: Není povoleno měnit dodavatele, objednávky již existuje"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Řádek # {0}: Není povoleno měnit dodavatele, objednávky již existuje"
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Role, která se nechá podat transakcí, které přesahují úvěrové limity."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Vyberte položky do Výroba
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Kmenová data synchronizace, může to trvat nějaký čas"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Vyberte položky do Výroba
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Kmenová data synchronizace, může to trvat nějaký čas"
DocType: Item,Material Issue,Material Issue
DocType: Hub Settings,Seller Description,Prodejce Popis
DocType: Employee Education,Qualification,Kvalifikace
@@ -3957,7 +3987,6 @@
DocType: BOM,Rate Of Materials Based On,Hodnotit materiálů na bázi
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Podpora Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Zrušte všechny
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Společnost chybí ve skladech {0}
DocType: POS Profile,Terms and Conditions,Podmínky
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},"Chcete-li data by měla být v rámci fiskálního roku. Za předpokladu, že To Date = {0}"
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Zde můžete upravovat svou výšku, váhu, alergie, zdravotní problémy atd"
@@ -3972,18 +4001,17 @@
DocType: Sales Order Item,For Production,Pro Výrobu
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Zobrazit Task
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Váš finanční rok začíná
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Olovo%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Asset Odpisy a zůstatků
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Množství {0} {1} převedena z {2} na {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Množství {0} {1} převedena z {2} na {3}
DocType: Sales Invoice,Get Advances Received,Získat přijaté zálohy
DocType: Email Digest,Add/Remove Recipients,Přidat / Odebrat příjemce
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Transakce není povoleno proti zastavila výrobu Objednat {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Transakce není povoleno proti zastavila výrobu Objednat {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Chcete-li nastavit tento fiskální rok jako výchozí, klikněte na tlačítko ""Nastavit jako výchozí"""
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,Připojit
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Připojit
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Nedostatek Množství
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Bod varianta {0} existuje s stejné atributy
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Bod varianta {0} existuje s stejné atributy
DocType: Employee Loan,Repay from Salary,Splatit z platu
DocType: Leave Application,LAP/,ÚSEK/
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Požadovala vyplacení proti {0} {1} na částku {2}
@@ -3994,34 +4022,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Generování balení pásky pro obaly mají být dodány. Používá se k oznámit číslo balíku, obsah balení a jeho hmotnost."
DocType: Sales Invoice Item,Sales Order Item,Prodejní objednávky Item
DocType: Salary Slip,Payment Days,Platební dny
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Sklady s podřízené uzly nelze převést do hlavní účetní knihy
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Sklady s podřízené uzly nelze převést do hlavní účetní knihy
DocType: BOM,Manage cost of operations,Správa nákladů na provoz
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Když některý z kontrolovaných operací je ""Odesláno"", email pop-up automaticky otevřeny poslat e-mail na přidružené ""Kontakt"" v této transakci, s transakcí jako přílohu. Uživatel může, ale nemusí odeslat e-mail."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Globální nastavení
DocType: Assessment Result Detail,Assessment Result Detail,Posuzování Detail Výsledek
DocType: Employee Education,Employee Education,Vzdělávání zaměstnanců
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Duplicitní skupinu položek uvedeny v tabulce na položku ve skupině
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,"Je třeba, aby přinesla Detaily položky."
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,"Je třeba, aby přinesla Detaily položky."
DocType: Salary Slip,Net Pay,Net Pay
DocType: Account,Account,Účet
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Pořadové číslo {0} již obdržel
,Requested Items To Be Transferred,Požadované položky mají být převedeny
DocType: Expense Claim,Vehicle Log,jízd
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Sklad {0} není vázáno na žádný účet, vytvořte / odkazují na příslušném účtu (aktiv) na skladu."
DocType: Purchase Invoice,Recurring Id,Opakující se Id
DocType: Customer,Sales Team Details,Podrobnosti prodejní tým
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Smazat trvale?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Smazat trvale?
DocType: Expense Claim,Total Claimed Amount,Celkem žalované částky
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potenciální příležitosti pro prodej.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Neplatný {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Zdravotní dovolená
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Neplatný {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Zdravotní dovolená
DocType: Email Digest,Email Digest,Email Digest
DocType: Delivery Note,Billing Address Name,Jméno Fakturační adresy
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Obchodní domy
DocType: Warehouse,PIN,KOLÍK
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Nastavte si škola v ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Základna Změna Částka (Company měna)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Žádné účetní záznamy pro následující sklady
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Žádné účetní záznamy pro následující sklady
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Uložte dokument jako první.
DocType: Account,Chargeable,Vyměřovací
DocType: Company,Change Abbreviation,Změna zkratky
@@ -4039,7 +4066,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,"Očekávané datum dodání, nemůže být před zakoupením pořadí Datum"
DocType: Appraisal,Appraisal Template,Posouzení Template
DocType: Item Group,Item Classification,Položka Klasifikace
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Business Development Manager
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Maintenance Visit Účel
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Období
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Hlavní Účetní Kniha
@@ -4049,8 +4076,8 @@
DocType: Item Attribute Value,Attribute Value,Hodnota atributu
,Itemwise Recommended Reorder Level,Itemwise Doporučené Změna pořadí Level
DocType: Salary Detail,Salary Detail,plat Detail
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,"Prosím, nejprve vyberte {0}"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Šarže {0} položky {1} vypršela.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,"Prosím, nejprve vyberte {0}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Šarže {0} položky {1} vypršela.
DocType: Sales Invoice,Commission,Provize
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Čas list pro výrobu.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,mezisoučet
@@ -4061,6 +4088,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`Zmrazit zásoby starší než` by mělo být nižší než %d dnů.
DocType: Tax Rule,Purchase Tax Template,Spotřební daň šablony
,Project wise Stock Tracking,Sledování zboží dle projektu
+DocType: GST HSN Code,Regional,Regionální
DocType: Stock Entry Detail,Actual Qty (at source/target),Skutečné množství (u zdroje/cíle)
DocType: Item Customer Detail,Ref Code,Ref Code
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Zaměstnanecké záznamy.
@@ -4071,13 +4099,13 @@
DocType: Email Digest,New Purchase Orders,Nové vydané objednávky
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Root nemůže mít rodič nákladové středisko
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Select Brand ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Události / výsledky školení
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Oprávky i na
DocType: Sales Invoice,C-Form Applicable,C-Form Použitelné
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Čas operace musí být větší než 0 pro operaci {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Sklad je povinné
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Sklad je povinné
DocType: Supplier,Address and Contacts,Adresa a kontakty
DocType: UOM Conversion Detail,UOM Conversion Detail,UOM konverze Detail
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Zachovejte to přátelské pro web 900px (w) na 100px (h)
DocType: Program,Program Abbreviation,Program Zkratka
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Výrobní zakázka nemůže být vznesena proti šablony položky
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Poplatky jsou aktualizovány v dokladu o koupi na každou položku
@@ -4085,13 +4113,13 @@
DocType: Bank Guarantee,Start Date,Datum zahájení
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Přidělit listy dobu.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Šeky a Vklady nesprávně vymazány
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Účet {0}: nelze přiřadit sebe jako nadřazený účet
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Účet {0}: nelze přiřadit sebe jako nadřazený účet
DocType: Purchase Invoice Item,Price List Rate,Ceník Rate
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Vytvořit citace zákazníků
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Zobrazit ""Skladem"" nebo ""Není skladem"" na základě skladem k dispozici v tomto skladu."
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Bill of Materials (BOM)
DocType: Item,Average time taken by the supplier to deliver,Průměrná doba pořízena dodavatelem dodat
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,Hodnocení výsledků
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,Hodnocení výsledků
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Hodiny
DocType: Project,Expected Start Date,Očekávané datum zahájení
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Odebrat pokud poplatků není pro tuto položku
@@ -4105,24 +4133,23 @@
DocType: Workstation,Operating Costs,Provozní náklady
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Akční pokud souhrnné měsíční rozpočet překročen
DocType: Purchase Invoice,Submit on creation,Předložení návrhu na vytvoření
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Měna pro {0} musí být {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Měna pro {0} musí být {1}
DocType: Asset,Disposal Date,Likvidace Datum
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-maily budou zaslány všem aktivním zaměstnancům společnosti v danou hodinu, pokud nemají dovolenou. Shrnutí odpovědí budou zaslány do půlnoci."
DocType: Employee Leave Approver,Employee Leave Approver,Zaměstnanec Leave schvalovač
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Položka Změna pořadí již pro tento sklad existuje {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Položka Změna pořadí již pro tento sklad existuje {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Nelze prohlásit za ztracený, protože citace byla provedena."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Trénink Feedback
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Výrobní zakázka {0} musí být předloženy
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Výrobní zakázka {0} musí být předloženy
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},"Prosím, vyberte Počáteční datum a koncové datum pro položku {0}"
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Samozřejmě je povinné v řadě {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,K dnešnímu dni nemůže být dříve od data
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Přidat / Upravit ceny
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Přidat / Upravit ceny
DocType: Batch,Parent Batch,Nadřazená dávka
DocType: Cheque Print Template,Cheque Print Template,Šek šablony tisku
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Diagram nákladových středisek
,Requested Items To Be Ordered,Požadované položky je třeba objednat
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,Sklad Společnost musí být stejná jako firemního účtu
DocType: Price List,Price List Name,Ceník Jméno
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Každodenní práci Shrnutí pro {0}
DocType: Employee Loan,Totals,Součty
@@ -4144,55 +4171,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Zadejte platné mobilní nos
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Prosím, zadejte zprávu před odesláním"
DocType: Email Digest,Pending Quotations,Čeká na citace
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Point-of-Sale Profil
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale Profil
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Aktualizujte prosím nastavení SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Nezajištěných úvěrů
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Nezajištěných úvěrů
DocType: Cost Center,Cost Center Name,Jméno nákladového střediska
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Maximální pracovní doba proti časového rozvrhu
DocType: Maintenance Schedule Detail,Scheduled Date,Plánované datum
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Celkem uhrazeno Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Celkem uhrazeno Amt
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Zprávy větší než 160 znaků bude rozdělena do více zpráv
DocType: Purchase Receipt Item,Received and Accepted,Obdrženo a přijato
+,GST Itemised Sales Register,GST Itemized Sales Register
,Serial No Service Contract Expiry,Pořadové číslo Servisní smlouva vypršení platnosti
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Nemůžete dělat kreditní a debetní záznam na stejný účet ve stejnou dobu.
DocType: Naming Series,Help HTML,Nápověda HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Student Group Tool Creation
DocType: Item,Variant Based On,Varianta založená na
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Celková weightage přiřazen by měla být 100%. Je {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Vaši Dodavatelé
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Vaši Dodavatelé
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,"Nelze nastavit jako Ztraceno, protože je přijata objednávka."
DocType: Request for Quotation Item,Supplier Part No,Žádný dodavatel Part
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Nemůže odečíst, pokud kategorie je pro "ocenění" nebo "Vaulation a Total""
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Přijaté Od
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Přijaté Od
DocType: Lead,Converted,Převedené
DocType: Item,Has Serial No,Má Sériové číslo
DocType: Employee,Date of Issue,Datum vydání
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Od {0} do {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Podle nákupních nastavení, pokud je požadováno nákupní požadavek == 'ANO', pak pro vytvoření nákupní faktury musí uživatel nejprve vytvořit doklad o nákupu pro položku {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Řádek # {0}: Nastavte Dodavatel pro položku {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Řádek {0}: doba hodnota musí být větší než nula.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Webové stránky Image {0} připojuje k bodu {1} nelze nalézt
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Webové stránky Image {0} připojuje k bodu {1} nelze nalézt
DocType: Issue,Content Type,Typ obsahu
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Počítač
DocType: Item,List this Item in multiple groups on the website.,Seznam tuto položku ve více skupinách na internetových stránkách.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Prosím, zkontrolujte více měn možnost povolit účty s jinou měnu"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Položka: {0} neexistuje v systému
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Nejste oprávněni stanovit hodnotu Zmražení
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Položka: {0} neexistuje v systému
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Nejste oprávněni stanovit hodnotu Zmražení
DocType: Payment Reconciliation,Get Unreconciled Entries,Získat smířit záznamů
DocType: Payment Reconciliation,From Invoice Date,Z faktury Datum
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,Fakturační měna se musí rovnat měny nebo účtu strana peněz buď výchozího comapany je
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Nechat inkasa
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Co to dělá?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,Fakturační měna se musí rovnat měny nebo účtu strana peněz buď výchozího comapany je
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Nechat inkasa
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Co to dělá?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Do skladu
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Všechny Student Přijímací
,Average Commission Rate,Průměrná cena Komise
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,"""Má sériové číslo"", nemůže být ""Ano"" pro neskladové zboží"
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""Má sériové číslo"", nemůže být ""Ano"" pro neskladové zboží"
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Účast nemůže být označen pro budoucí data
DocType: Pricing Rule,Pricing Rule Help,Ceny Pravidlo Help
DocType: School House,House Name,Jméno dům
DocType: Purchase Taxes and Charges,Account Head,Účet Head
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Aktualizace dodatečné náklady pro výpočet vyložené náklady položek
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Elektrický
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Elektrický
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,"Přidejte zbytek vaší organizace jako uživatele. Můžete také přidat pozvat zákazníky na portálu tím, že přidáním z Kontaktů"
DocType: Stock Entry,Total Value Difference (Out - In),Celková hodnota Rozdíl (Out - In)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Řádek {0}: Exchange Rate je povinné
@@ -4202,7 +4231,7 @@
DocType: Item,Customer Code,Code zákazníků
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Narozeninová připomínka pro {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Počet dnů od poslední objednávky
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Debetní Na účet musí být účtu Rozvaha
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Debetní Na účet musí být účtu Rozvaha
DocType: Buying Settings,Naming Series,Číselné řady
DocType: Leave Block List,Leave Block List Name,Nechte Jméno Block List
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Datum pojištění startu by měla být menší než pojištění koncovým datem
@@ -4217,26 +4246,26 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Výplatní pásce zaměstnance {0} již vytvořili pro časové list {1}
DocType: Vehicle Log,Odometer,Počítadlo ujetých kilometrů
DocType: Sales Order Item,Ordered Qty,Objednáno Množství
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Položka {0} je zakázána
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Položka {0} je zakázána
DocType: Stock Settings,Stock Frozen Upto,Reklamní Frozen aľ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM neobsahuje žádnou skladovou položku
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM neobsahuje žádnou skladovou položku
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},"Období od a období, k datům povinné pro opakované {0}"
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Projektová činnost / úkol.
DocType: Vehicle Log,Refuelling Details,Tankovací Podrobnosti
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Generování výplatních páskách
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Nákup musí být zkontrolováno, v případě potřeby pro vybrán jako {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Nákup musí být zkontrolováno, v případě potřeby pro vybrán jako {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Sleva musí být menší než 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Poslední cena při platbě nebyl nalezen
DocType: Purchase Invoice,Write Off Amount (Company Currency),Odepsat Částka (Company měny)
DocType: Sales Invoice Timesheet,Billing Hours,Billing Hodiny
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,Výchozí BOM pro {0} nebyl nalezen
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Řádek # {0}: Prosím nastavte množství objednací
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Řádek # {0}: Prosím nastavte množství objednací
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Klepnutím na položky je můžete přidat zde
DocType: Fees,Program Enrollment,Registrace do programu
DocType: Landed Cost Voucher,Landed Cost Voucher,Přistálo Náklady Voucher
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Prosím nastavte {0}
DocType: Purchase Invoice,Repeat on Day of Month,Opakujte na den v měsíci
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} je neaktivní student
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} je neaktivní student
DocType: Employee,Health Details,Zdravotní Podrobnosti
DocType: Offer Letter,Offer Letter Terms,Nabídka Letter Podmínky
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,"Chcete-li vytvořit referenční dokument žádosti o platbu, je třeba"
@@ -4258,7 +4287,7 @@
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Příklad:. ABCD #####
Je-li série nastavuje a pořadové číslo není uvedeno v transakcích, bude vytvořen poté automaticky sériové číslo na základě této série. Pokud chcete vždy výslovně uvést pořadová čísla pro tuto položku. ponechte prázdné."
DocType: Upload Attendance,Upload Attendance,Nahrát Návštěvnost
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM a výroba množství jsou povinné
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM a výroba množství jsou povinné
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Stárnutí rozsah 2
DocType: SG Creation Tool Course,Max Strength,Max Síla
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM nahradil
@@ -4267,8 +4296,8 @@
,Prospects Engaged But Not Converted,"Perspektivy zapojení, ale nekonverze"
DocType: Manufacturing Settings,Manufacturing Settings,Výrobní nastavení
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Nastavení e-mail
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Mobile Žádné
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Zadejte prosím výchozí měnu v podniku Mistr
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile Žádné
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Zadejte prosím výchozí měnu v podniku Mistr
DocType: Stock Entry Detail,Stock Entry Detail,Detail skladové karty
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Denní Upomínky
DocType: Products Settings,Home Page is Products,Domovskou stránkou je stránka Produkty.
@@ -4277,7 +4306,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Nový název účtu
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Dodává se nákladů na suroviny
DocType: Selling Settings,Settings for Selling Module,Nastavení pro prodej Module
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Služby zákazníkům
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Služby zákazníkům
DocType: BOM,Thumbnail,Thumbnail
DocType: Item Customer Detail,Item Customer Detail,Položka Detail Zákazník
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Nabídka kandidát Job.
@@ -4286,7 +4315,7 @@
DocType: Pricing Rule,Percentage,Procento
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Položka {0} musí být skladem
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Výchozí práci ve skladu Progress
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Výchozí nastavení účetních transakcí.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Výchozí nastavení účetních transakcí.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Očekávané datum nemůže být před Materiál Poptávka Datum
DocType: Purchase Invoice Item,Stock Qty,Množství zásob
@@ -4299,10 +4328,10 @@
DocType: Sales Order,Printing Details,Tisk detailů
DocType: Task,Closing Date,Uzávěrka Datum
DocType: Sales Order Item,Produced Quantity,Produkoval Množství
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Inženýr
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Inženýr
DocType: Journal Entry,Total Amount Currency,Celková částka Měna
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Vyhledávání Sub Assemblies
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Kód položky třeba na řádku č {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Kód položky třeba na řádku č {0}
DocType: Sales Partner,Partner Type,Partner Type
DocType: Purchase Taxes and Charges,Actual,Aktuální
DocType: Authorization Rule,Customerwise Discount,Sleva podle zákazníka
@@ -4319,11 +4348,11 @@
DocType: Item Reorder,Re-Order Level,Re-Order Level
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Zadejte položku a požadované množství ks, které chcete zadat do výroby, nebo si stáhněte soupis materiálu na skladu pro výrobu."
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Pruhový diagram
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Part-time
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Part-time
DocType: Employee,Applicable Holiday List,Použitelný Seznam Svátků
DocType: Employee,Cheque,Šek
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Řada Aktualizováno
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Report Type je povinné
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Report Type je povinné
DocType: Item,Serial Number Series,Sériové číslo Series
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Sklad je povinný pro skladovou položku {0} na řádku {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Maloobchod a velkoobchod
@@ -4344,7 +4373,7 @@
DocType: BOM,Materials,Materiály
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Pokud není zatrženo, seznam bude muset být přidány ke každé oddělení, kde má být použit."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Zdrojové a cílové skladů nemohou být stejné
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Datum a čas zadání je povinný
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Datum a čas zadání je povinný
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Daňové šablona pro nákup transakcí.
,Item Prices,Ceny Položek
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"Ve slovech budou viditelné, jakmile uložíte objednávce."
@@ -4354,22 +4383,23 @@
DocType: Purchase Invoice,Advance Payments,Zálohové platby
DocType: Purchase Taxes and Charges,On Net Total,On Net Celkem
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Hodnota atributu {0} musí být v rozmezí od {1} až {2} v krocích po {3} pro item {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Target sklad v řádku {0} musí být stejná jako výrobní zakázky
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Target sklad v řádku {0} musí být stejná jako výrobní zakázky
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,"""E-mailové adresy pro oznámení"" nejsou uvedeny pro opakující se %s"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,Měna nemůže být změněn po provedení položky pomocí jiné měně
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Měna nemůže být změněn po provedení položky pomocí jiné měně
DocType: Vehicle Service,Clutch Plate,Kotouč spojky
DocType: Company,Round Off Account,Zaokrouhlovací účet
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Administrativní náklady
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Administrativní náklady
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Consulting
DocType: Customer Group,Parent Customer Group,Parent Customer Group
DocType: Purchase Invoice,Contact Email,Kontaktní e-mail
DocType: Appraisal Goal,Score Earned,Skóre Zasloužené
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Výpovědní Lhůta
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Výpovědní Lhůta
DocType: Asset Category,Asset Category Name,Asset název kategorie
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,To je kořen území a nelze upravovat.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Jméno Nová Sales Osoba
DocType: Packing Slip,Gross Weight UOM,Hrubá Hmotnost UOM
DocType: Delivery Note Item,Against Sales Invoice,Proti prodejní faktuře
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Zadejte sériová čísla pro serializovanou položku
DocType: Bin,Reserved Qty for Production,Vyhrazeno Množství pro výrobu
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Ponechte nekontrolované, pokud nechcete dávat pozor na dávku při sestavování kurzových skupin."
DocType: Asset,Frequency of Depreciation (Months),Frekvence odpisy (měsíce)
@@ -4377,25 +4407,25 @@
DocType: Landed Cost Item,Landed Cost Item,Přistálo nákladovou položkou
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Ukázat nulové hodnoty
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Množství položky získané po výrobě / přebalení z daných množství surovin
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Nastavení jednoduché webové stránky pro mou organizaci
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Nastavení jednoduché webové stránky pro mou organizaci
DocType: Payment Reconciliation,Receivable / Payable Account,Pohledávky / závazky účet
DocType: Delivery Note Item,Against Sales Order Item,Proti položce přijaté objednávky
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},Uveďte prosím atributu Hodnota atributu {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},Uveďte prosím atributu Hodnota atributu {0}
DocType: Item,Default Warehouse,Výchozí Warehouse
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Rozpočet nemůže být přiřazena na skupinový účet {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,"Prosím, zadejte nákladové středisko mateřský"
DocType: Delivery Note,Print Without Amount,Tisknout bez Částka
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,odpisy Datum
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Daň z kategorie nemůže být ""Ocenění"" nebo ""Ocenění a celkový"", protože všechny položky jsou běžně skladem"
DocType: Issue,Support Team,Tým podpory
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Doba použitelnosti (ve dnech)
DocType: Appraisal,Total Score (Out of 5),Celkové skóre (Out of 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Šarže
+DocType: Student Attendance Tool,Batch,Šarže
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Zůstatek
DocType: Room,Seating Capacity,Počet míst k sezení
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Total Expense Claim (via Expense nároků)
+DocType: GST Settings,GST Summary,Souhrn GST
DocType: Assessment Result,Total Score,Celkové skóre
DocType: Journal Entry,Debit Note,Debit Note
DocType: Stock Entry,As per Stock UOM,Podle Stock nerozpuštěných
@@ -4406,12 +4436,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Výchozí hotových výrobků Warehouse
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Prodej Osoba
DocType: SMS Parameter,SMS Parameter,SMS parametr
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Rozpočet a nákladového střediska
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Rozpočet a nákladového střediska
DocType: Vehicle Service,Half Yearly,Pololetní
DocType: Lead,Blog Subscriber,Blog Subscriber
DocType: Guardian,Alternate Number,Alternativní Number
DocType: Assessment Plan Criteria,Maximum Score,Maximální skóre
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Vytvoření pravidla pro omezení transakce na základě hodnot.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Skup
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Nechte prázdné, pokud rodíte studentské skupiny ročně"
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Pokud je zaškrtnuto, Total no. pracovních dnů bude zahrnovat dovolenou, a to sníží hodnotu platu za každý den"
DocType: Purchase Invoice,Total Advance,Total Advance
@@ -4429,6 +4460,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,To je založeno na transakcích proti tomuto zákazníkovi. Viz časovou osu níže podrobnosti
DocType: Supplier,Credit Days Based On,Úvěrové Dny Based On
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Řádek {0}: Přidělená částka {1} musí být menší než nebo se rovná částce zaplacení výstavního {2}
+,Course wise Assessment Report,Průběžná hodnotící zpráva
DocType: Tax Rule,Tax Rule,Daňové Pravidlo
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Udržovat stejná sazba po celou dobu prodejního cyklu
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Naplánujte čas protokoly mimo Workstation pracovních hodin.
@@ -4437,7 +4469,7 @@
,Items To Be Requested,Položky se budou vyžadovat
DocType: Purchase Order,Get Last Purchase Rate,Získejte posledního nákupu Cena
DocType: Company,Company Info,Společnost info
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Vyberte nebo přidání nového zákazníka
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Vyberte nebo přidání nového zákazníka
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Nákladové středisko je nutné rezervovat výdajů nárok
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aplikace fondů (aktiv)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,To je založeno na účasti základu tohoto zaměstnance
@@ -4445,27 +4477,29 @@
DocType: Fiscal Year,Year Start Date,Datum Zahájení Roku
DocType: Attendance,Employee Name,Jméno zaměstnance
DocType: Sales Invoice,Rounded Total (Company Currency),Celkem zaokrouhleno (měna solečnosti)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,"Nelze skryté do skupiny, protože je požadovaný typ účtu."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Nelze skryté do skupiny, protože je požadovaný typ účtu."
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} byl změněn. Prosím aktualizujte.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Přestaňte uživatelům provádět Nechat aplikací v následujících dnech.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Částka nákupu
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Dodavatel Cen {0} vytvořil
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Konec roku nemůže být před uvedením do provozu roku
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Zaměstnanecké benefity
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Zaměstnanecké benefity
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Balíčky množství se musí rovnat množství pro položku {0} v řadě {1}
DocType: Production Order,Manufactured Qty,Vyrobeno Množství
DocType: Purchase Receipt Item,Accepted Quantity,Schválené Množství
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Prosím nastavit výchozí Holiday List pro zaměstnance {0} nebo {1} Company
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} neexistuje
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} neexistuje
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Zvolte čísla šarží
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Směnky vznesené zákazníkům.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,ID projektu
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},"Řádek č {0}: Částka nemůže být větší než Čekající Částka proti Expense nároku {1}. Do doby, než množství je {2}"
DocType: Maintenance Schedule,Schedule,Plán
DocType: Account,Parent Account,Nadřazený účet
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,K dispozici
DocType: Quality Inspection Reading,Reading 3,Čtení 3
,Hub,Hub
DocType: GL Entry,Voucher Type,Voucher Type
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Ceník nebyl nalezen nebo zakázán
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Ceník nebyl nalezen nebo zakázán
DocType: Employee Loan Application,Approved,Schválený
DocType: Pricing Rule,Price,Cena
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',"Zaměstnanec úlevu na {0} musí být nastaven jako ""Left"""
@@ -4476,7 +4510,8 @@
DocType: Selling Settings,Campaign Naming By,Kampaň Pojmenování By
DocType: Employee,Current Address Is,Aktuální adresa je
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,Upravené
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Volitelné. Nastaví výchozí měně společnosti, není-li uvedeno."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Volitelné. Nastaví výchozí měně společnosti, není-li uvedeno."
+DocType: Sales Invoice,Customer GSTIN,Zákazník GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Zápisy v účetním deníku.
DocType: Delivery Note Item,Available Qty at From Warehouse,K dispozici Množství na Od Warehouse
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,"Prosím, vyberte zaměstnance záznam první."
@@ -4484,7 +4519,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Řádek {0}: Party / Account neshoduje s {1} / {2} do {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,"Prosím, zadejte výdajového účtu"
DocType: Account,Stock,Sklad
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Řádek # {0}: Reference Document Type musí být jedním z objednávky, faktury nebo Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Řádek # {0}: Reference Document Type musí být jedním z objednávky, faktury nebo Journal Entry"
DocType: Employee,Current Address,Aktuální adresa
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Je-li položka je varianta další položku pak popis, obraz, oceňování, daní atd bude stanoven ze šablony, pokud není výslovně uvedeno"
DocType: Serial No,Purchase / Manufacture Details,Nákup / Výroba Podrobnosti
@@ -4497,8 +4532,8 @@
DocType: Pricing Rule,Min Qty,Min Množství
DocType: Asset Movement,Transaction Date,Transakce Datum
DocType: Production Plan Item,Planned Qty,Plánované Množství
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Total Tax
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Pro Množství (Vyrobeno ks) je povinné
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Total Tax
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Pro Množství (Vyrobeno ks) je povinné
DocType: Stock Entry,Default Target Warehouse,Výchozí Target Warehouse
DocType: Purchase Invoice,Net Total (Company Currency),Net Total (Company Měna)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Rok Datum ukončení nesmí být starší než datum Rok Start. Opravte data a zkuste to znovu.
@@ -4512,13 +4547,11 @@
DocType: Hub Settings,Hub Settings,Nastavení Hub
DocType: Project,Gross Margin %,Hrubá Marže %
DocType: BOM,With Operations,S operacemi
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,"Položky účetnictví již byly provedeny v měně, {0} pro firmu {1}. Vyberte pohledávky a závazku účet s měnou {0}."
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,"Položky účetnictví již byly provedeny v měně, {0} pro firmu {1}. Vyberte pohledávky a závazku účet s měnou {0}."
DocType: Asset,Is Existing Asset,Je existujícímu aktivu
DocType: Salary Detail,Statistical Component,Statistická složka
-,Monthly Salary Register,Měsíční plat Register
DocType: Warranty Claim,If different than customer address,Pokud se liší od adresy zákazníka
DocType: BOM Operation,BOM Operation,BOM Operation
-DocType: School Settings,Validate the Student Group from Program Enrollment,Ověřte studentskou skupinu z registrace programu
DocType: Purchase Taxes and Charges,On Previous Row Amount,Na předchozí řady Částka
DocType: Student,Home Address,Domácí adresa
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Převod majetku
@@ -4526,28 +4559,27 @@
DocType: Training Event,Event Name,Název události
apps/erpnext/erpnext/config/schools.py +39,Admission,Přijetí
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Přijímací řízení pro {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Sezónnost pro nastavení rozpočtů, cíle atd."
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Položka {0} je šablona, prosím vyberte jednu z jeho variant"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Sezónnost pro nastavení rozpočtů, cíle atd."
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Položka {0} je šablona, prosím vyberte jednu z jeho variant"
DocType: Asset,Asset Category,Asset Kategorie
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Kupec
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Net plat nemůže být záporný
DocType: SMS Settings,Static Parameters,Statické parametry
DocType: Assessment Plan,Room,Pokoj
DocType: Purchase Order,Advance Paid,Vyplacené zálohy
DocType: Item,Item Tax,Daň Položky
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materiál Dodavateli
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Spotřební Faktura
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Spotřební Faktura
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Práh {0}% objeví více než jednou
DocType: Expense Claim,Employees Email Id,Zaměstnanci Email Id
DocType: Employee Attendance Tool,Marked Attendance,Výrazná Návštěvnost
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Krátkodobé závazky
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Krátkodobé závazky
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Posílat hromadné SMS vašim kontaktům
DocType: Program,Program Name,Název programu
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Zvažte daň či poplatek za
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Skutečné Množství je povinné
DocType: Employee Loan,Loan Type,Typ úvěru
DocType: Scheduling Tool,Scheduling Tool,Plánování Tool
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Kreditní karta
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Kreditní karta
DocType: BOM,Item to be manufactured or repacked,Položka k výrobě nebo zabalení
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Výchozí nastavení pro akciových transakcí.
DocType: Purchase Invoice,Next Date,Další data
@@ -4563,10 +4595,10 @@
DocType: Stock Entry,Repack,Přebalit
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Musíte Uložte formulář před pokračováním
DocType: Item Attribute,Numeric Values,Číselné hodnoty
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Připojit Logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Připojit Logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Sklad Úrovně
DocType: Customer,Commission Rate,Výše provize
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Udělat Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Udělat Variant
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Aplikace Block dovolené podle oddělení.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer",Typ platby musí být jedním z příjem Pay a interní převod
apps/erpnext/erpnext/config/selling.py +179,Analytics,analytika
@@ -4574,45 +4606,45 @@
DocType: Vehicle,Model,Model
DocType: Production Order,Actual Operating Cost,Skutečné provozní náklady
DocType: Payment Entry,Cheque/Reference No,Šek / Referenční číslo
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Root nelze upravovat.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root nelze upravovat.
DocType: Item,Units of Measure,Jednotky měření
DocType: Manufacturing Settings,Allow Production on Holidays,Povolit Výrobu při dovolené
DocType: Sales Order,Customer's Purchase Order Date,Zákazníka Objednávka Datum
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Základní kapitál
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Základní kapitál
DocType: Shopping Cart Settings,Show Public Attachments,Zobrazit veřejné přílohy
DocType: Packing Slip,Package Weight Details,Hmotnost balení Podrobnosti
DocType: Payment Gateway Account,Payment Gateway Account,Platební brána účet
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Po dokončení platby přesměrovat uživatele na vybrané stránky.
DocType: Company,Existing Company,stávající Company
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Daňová kategorie byla změněna na "Celkem", protože všechny položky jsou položky, které nejsou skladem"
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Vyberte soubor csv
DocType: Student Leave Application,Mark as Present,Označit jako dárek
DocType: Purchase Order,To Receive and Bill,Přijímat a Bill
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,představované výrobky
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Návrhář
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Návrhář
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Podmínky Template
DocType: Serial No,Delivery Details,Zasílání
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Nákladové středisko je nutné v řadě {0} na daních tabulka typu {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Nákladové středisko je nutné v řadě {0} na daních tabulka typu {1}
DocType: Program,Program Code,Kód programu
DocType: Terms and Conditions,Terms and Conditions Help,Podmínky nápovědy
,Item-wise Purchase Register,Item-wise registr nákupu
DocType: Batch,Expiry Date,Datum vypršení platnosti
-,Supplier Addresses and Contacts,Dodavatel Adresy a kontakty
,accounts-browser,Účty-browser
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,Nejdřív vyberte kategorii
apps/erpnext/erpnext/config/projects.py +13,Project master.,Master Project.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Chcete-li povolit over-fakturaci nebo over-objednávání, aktualizujte "příspěvek" v Nastavení skladem, nebo výtisku."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Chcete-li povolit over-fakturaci nebo over-objednávání, aktualizujte "příspěvek" v Nastavení skladem, nebo výtisku."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Nevykazují žádný symbol jako $ atd vedle měnám.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(půlden)
DocType: Supplier,Credit Days,Úvěrové dny
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Udělat Student Batch
DocType: Leave Type,Is Carry Forward,Je převádět
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Položka získaná z BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Položka získaná z BOM
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Dodací lhůta dny
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Řádek # {0}: Vysílání datum musí být stejné jako datum nákupu {1} aktiva {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Řádek # {0}: Vysílání datum musí být stejné jako datum nákupu {1} aktiva {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,"Prosím, zadejte Prodejní objednávky v tabulce výše"
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Nepředloženo výplatních páskách
,Stock Summary,Sklad Souhrn
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Převést aktiva z jednoho skladu do druhého
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Převést aktiva z jednoho skladu do druhého
DocType: Vehicle,Petrol,Benzín
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Kusovník
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Řádek {0}: Typ Party Party a je nutné pro pohledávky / závazky na účtu {1}
@@ -4623,6 +4655,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Sankcionována Částka
DocType: GL Entry,Is Opening,Se otevírá
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Row {0}: záporný nemůže být spojována s {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Účet {0} neexistuje
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Účet {0} neexistuje
DocType: Account,Cash,V hotovosti
DocType: Employee,Short biography for website and other publications.,Krátký životopis na internetové stránky a dalších publikací.
diff --git a/erpnext/translations/da-DK.csv b/erpnext/translations/da-DK.csv
index e3566ee..b7773d6 100644
--- a/erpnext/translations/da-DK.csv
+++ b/erpnext/translations/da-DK.csv
@@ -4,7 +4,7 @@
DocType: Timesheet,% Amount Billed,% Beløb Billed
DocType: Purchase Order,% Billed,% Billed
,Lead Id,Bly Id
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Total'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Total'
DocType: Selling Settings,Selling Settings,Salg af indstillinger
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +73,Selling Amount,Selling Beløb
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,"Bly skal indstilles, hvis Opportunity er lavet af Lead"
@@ -14,9 +14,9 @@
apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,Ultima Actualización : Fecha inválida
DocType: Sales Order,% Delivered,% Leveres
DocType: Lead,Lead Owner,Bly Owner
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Udgiftområde er obligatorisk for varen {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Udgiftområde er obligatorisk for varen {2}
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Skat skabelon til at sælge transaktioner.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,o
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,o
DocType: Sales Order,% of materials billed against this Sales Order,% Af materialer faktureret mod denne Sales Order
DocType: SMS Center,All Lead (Open),Alle Bly (Open)
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Hent opdateringer
diff --git a/erpnext/translations/da.csv b/erpnext/translations/da.csv
index 932a437..26f007d 100644
--- a/erpnext/translations/da.csv
+++ b/erpnext/translations/da.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Forbrugerprodukter
DocType: Item,Customer Items,Kundevarer
DocType: Project,Costing and Billing,Omkostningsberegning og fakturering
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Konto {0}: Forældre-konto {1} kan ikke være en finanskonto
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Konto {0}: Forældre-konto {1} kan ikke være en finanskonto
DocType: Item,Publish Item to hub.erpnext.com,Udgive Vare til hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,E-mail-meddelelser
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Evaluering
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,Evaluering
DocType: Item,Default Unit of Measure,Standard Måleenhed
DocType: SMS Center,All Sales Partner Contact,Alle Sales Partner Kontakt
DocType: Employee,Leave Approvers,Fraværsgodkendere
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Vekselkurs skal være det samme som {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Kundennavn
DocType: Vehicle,Natural Gas,Naturgas
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Bankkonto kan ikke blive navngivet som {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Bankkonto kan ikke blive navngivet som {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Hoveder (eller grupper) mod hvilken regnskabsposter er lavet og balancer opretholdes.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Enestående for {0} kan ikke være mindre end nul ({1})
DocType: Manufacturing Settings,Default 10 mins,Standard 10 min
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Alle Leverandør Kontakt
DocType: Support Settings,Support Settings,Support Indstillinger
DocType: SMS Parameter,Parameter,Parameter
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Forventet slutdato kan ikke være mindre end forventet startdato
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Forventet slutdato kan ikke være mindre end forventet startdato
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Pris skal være samme som {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Ny fraværs Application
,Batch Item Expiry Status,Partivare-udløbsstatus
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Bank Draft
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Bank Draft
DocType: Mode of Payment Account,Mode of Payment Account,Betalingsmådekonto
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Vis varianter
DocType: Academic Term,Academic Term,Akademisk Term
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Materiale
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Mængde
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Regnskab tabel kan ikke være tom.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Lån (passiver)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Lån (passiver)
DocType: Employee Education,Year of Passing,År for Passing
DocType: Item,Country of Origin,Oprindelsesland
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,På lager
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,På lager
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Åbne spørgsmål
DocType: Production Plan Item,Production Plan Item,Produktion Plan Vare
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Bruger {0} er allerede tildelt Medarbejder {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Health Care
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Forsinket betaling (dage)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,tjenesten Expense
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} er allerede refereret i salgsfaktura: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} er allerede refereret i salgsfaktura: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Faktura
DocType: Maintenance Schedule Item,Periodicity,Hyppighed
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Regnskabsår {0} er påkrævet
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Række # {0}:
DocType: Timesheet,Total Costing Amount,Total Costing Beløb
DocType: Delivery Note,Vehicle No,Køretøjsnr.
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,Vælg venligst prisliste
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Vælg venligst prisliste
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: Betaling dokument er nødvendig for at fuldføre trasaction
DocType: Production Order Operation,Work In Progress,Varer i arbejde
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Vælg venligst dato
DocType: Employee,Holiday List,Helligdagskalender
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Revisor
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Revisor
DocType: Cost Center,Stock User,Lagerbruger
DocType: Company,Phone No,Telefonnr.
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Kursusskema oprettet:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Ny {0}: # {1}
,Sales Partners Commission,Salgs Partneres Kommission
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Forkortelse kan ikke have mere end 5 tegn
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Forkortelse kan ikke have mere end 5 tegn
DocType: Payment Request,Payment Request,Betalingsanmodning
DocType: Asset,Value After Depreciation,Værdi efter afskrivninger
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,Fremmøde dato kan ikke være mindre end medarbejderens sammenføjning dato
DocType: Grading Scale,Grading Scale Name,Karakterbekendtgørelsen Navn
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Dette er en rod-konto og kan ikke redigeres.
+DocType: Sales Invoice,Company Address,Virksomhedsadresse
DocType: BOM,Operations,Operationer
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Kan ikke sætte godkendelse på grundlag af Rabat for {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Vedhæft .csv fil med to kolonner, en for det gamle navn og et til det nye navn"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ikke i noget aktivt regnskabsår.
DocType: Packed Item,Parent Detail docname,Parent Detail docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Reference: {0}, varekode: {1} og kunde: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Kg
DocType: Student Log,Log,Log
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Rekruttering
DocType: Item Attribute,Increment,Tilvækst
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Reklame
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Samme firma er indtastet mere end én gang
DocType: Employee,Married,Gift
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Ikke tilladt for {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Ikke tilladt for {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Hent varer fra
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Lager kan ikke opdateres mod følgeseddel {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Lager kan ikke opdateres mod følgeseddel {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produkt {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Ingen emner opført
DocType: Payment Reconciliation,Reconcile,Forene
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Næste afskrivningsdato kan ikke være før købsdatoen
DocType: SMS Center,All Sales Person,Alle salgsmedarbejdere
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Månedlig Distribution ** hjælper dig distribuere Budget / Target tværs måneder, hvis du har sæsonudsving i din virksomhed."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Ikke varer fundet
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Ikke varer fundet
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Lønstruktur mangler
DocType: Lead,Person Name,Navn
DocType: Sales Invoice Item,Sales Invoice Item,Salgsfakturavare
DocType: Account,Credit,Kredit
DocType: POS Profile,Write Off Cost Center,Afskriv omkostningssted
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",fx "Primary School" eller "University"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",fx "Primary School" eller "University"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Stock Rapporter
DocType: Warehouse,Warehouse Detail,Lagerinformation
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Credit grænsen er krydset for kunde {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Credit grænsen er krydset for kunde {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Den Term Slutdato kan ikke være senere end året Slutdato af skoleåret, som udtrykket er forbundet (Studieår {}). Ret de datoer og prøv igen."
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Er anlægsaktiv"" kan ikke være umarkeret, da der eksisterer et anlægsaktiv på varen"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Er anlægsaktiv"" kan ikke være umarkeret, da der eksisterer et anlægsaktiv på varen"
DocType: Vehicle Service,Brake Oil,Bremse Oil
DocType: Tax Rule,Tax Type,Skat Type
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Du har ikke tilladelse til at tilføje eller opdatere poster før {0}
DocType: BOM,Item Image (if not slideshow),Varebillede (hvis ikke lysbilledshow)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,En Kunde eksisterer med samme navn
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Timesats / 60) * TidsforbrugIMinutter
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Vælg stykliste
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Vælg stykliste
DocType: SMS Log,SMS Log,SMS Log
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Omkostninger ved Leverede varer
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Ferien på {0} er ikke mellem Fra dato og Til dato
@@ -159,13 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Fra {0} til {1}
DocType: Item,Copy From Item Group,Kopier fra varegruppe
DocType: Journal Entry,Opening Entry,Åbningsbalance
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Konto Pay Kun
DocType: Employee Loan,Repay Over Number of Periods,Tilbagebetale over antallet af perioder
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} er ikke indskrevet i den givne {2}
DocType: Stock Entry,Additional Costs,Yderligere omkostninger
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Konto med eksisterende transaktion kan ikke konverteres til gruppen.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Konto med eksisterende transaktion kan ikke konverteres til gruppen.
DocType: Lead,Product Enquiry,Produkt Forespørgsel
DocType: Academic Term,Schools,Skoler
+DocType: School Settings,Validate Batch for Students in Student Group,Valider batch for studerende i studentegruppe
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Ingen orlov rekord fundet for medarbejderen {0} for {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Indtast venligst firma først
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Vælg venligst firma først
@@ -174,48 +176,48 @@
DocType: BOM,Total Cost,Omkostninger i alt
DocType: Journal Entry Account,Employee Loan,Medarbejderlån
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Aktivitet Log:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,Vare {0} findes ikke i systemet eller er udløbet
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Vare {0} findes ikke i systemet eller er udløbet
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Real Estate
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Kontoudtog
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Lægemidler
DocType: Purchase Invoice Item,Is Fixed Asset,Er anlægsaktiv
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Tilgængelige qty er {0}, du har brug for {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Tilgængelige qty er {0}, du har brug for {1}"
DocType: Expense Claim Detail,Claim Amount,Beløb
-DocType: Employee,Mr,Hr.
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Doppelt kundegruppe forefindes i Kundegruppetabellen
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Leverandørtype / leverandør
DocType: Naming Series,Prefix,Præfiks
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Forbrugsmaterialer
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Forbrugsmaterialer
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Import-log
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Hent materialeanmodning af typen Fremstilling på grundlag af de ovennævnte kriterier
DocType: Training Result Employee,Grade,Grad
DocType: Sales Invoice Item,Delivered By Supplier,Leveret af Leverandøren
DocType: SMS Center,All Contact,Alle Kontakt
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Produktionsordre allerede skabt for alle poster med BOM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Årsløn
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Produktionsordre allerede skabt for alle poster med BOM
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Årsløn
DocType: Daily Work Summary,Daily Work Summary,Daglige arbejde Summary
DocType: Period Closing Voucher,Closing Fiscal Year,Lukning regnskabsår
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} er frosset
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Vælg eksisterende firma for at danne kontoplanen
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Stock Udgifter
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} er frosset
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Vælg eksisterende firma for at danne kontoplanen
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Stock Udgifter
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Vælg Target Warehouse
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,Indtast foretrukket kontakt e-mail
+DocType: Program Enrollment,School Bus,Skolebus
DocType: Journal Entry,Contra Entry,Contra indtastning
DocType: Journal Entry Account,Credit in Company Currency,Kredit (firmavaluta)
DocType: Delivery Note,Installation Status,Installation status
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Ønsker du at opdatere fremmøde? <br> Present: {0} \ <br> Fraværende: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Accepteret + Afvist skal være lig med Modtaget mængde for vare {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Accepteret + Afvist skal være lig med Modtaget mængde for vare {0}
DocType: Request for Quotation,RFQ-,AT-
DocType: Item,Supply Raw Materials for Purchase,Supply råstoffer til Indkøb
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,Mindst én form for betaling er nødvendig for POS faktura.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,Mindst én form for betaling er nødvendig for POS faktura.
DocType: Products Settings,Show Products as a List,Vis produkterne på en liste
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Download skabelon, fylde relevante data og vedhæfte den ændrede fil. Alle datoer og medarbejder kombination i den valgte periode vil komme i skabelonen, med eksisterende fremmøde optegnelser"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,Vare {0} er ikke aktiv eller slutningen af livet er nået
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Eksempel: Grundlæggende Matematik
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Hvis du vil medtage skat i række {0} i Item sats, skatter i rækker {1} skal også medtages"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Vare {0} er ikke aktiv eller slutningen af livet er nået
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Eksempel: Grundlæggende Matematik
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Hvis du vil medtage skat i række {0} i Item sats, skatter i rækker {1} skal også medtages"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Indstillinger for HR modul
DocType: SMS Center,SMS Center,SMS-center
DocType: Sales Invoice,Change Amount,ændring beløb
@@ -225,7 +227,7 @@
DocType: Lead,Request Type,Anmodningstype
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Opret medarbejder
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Broadcasting
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Udførelse
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Udførelse
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Oplysninger om de gennemførte transaktioner.
DocType: Serial No,Maintenance Status,Vedligeholdelse status
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Leverandøren er påkrævet mod Betales konto {2}
@@ -253,7 +255,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Tilbudsforespørgslen findes ved at klikke på følgende link
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Afsætte blade for året.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,Utilstrækkelig Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,Utilstrækkelig Stock
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Deaktiver kapacitetsplanlægning og tidsregistrering
DocType: Email Digest,New Sales Orders,Nye salgsordrer
DocType: Bank Guarantee,Bank Account,Bankkonto
@@ -264,8 +266,9 @@
DocType: Production Order Operation,Updated via 'Time Log',Opdateret via 'Time Log'
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Advance beløb kan ikke være større end {0} {1}
DocType: Naming Series,Series List for this Transaction,Serie Liste for denne transaktion
+DocType: Company,Enable Perpetual Inventory,Aktiver evigt lager
DocType: Company,Default Payroll Payable Account,Standard Payroll Betales konto
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Opdatér E-mailgruppe
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Opdatér E-mailgruppe
DocType: Sales Invoice,Is Opening Entry,Åbningspost
DocType: Customer Group,Mention if non-standard receivable account applicable,"Nævne, hvis ikke-standard tilgodehavende konto gældende"
DocType: Course Schedule,Instructor Name,Instruktør Navn
@@ -277,13 +280,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Mod salgsfakturavarer
,Production Orders in Progress,Igangværende produktionsordrer
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Netto kontant fra Finansiering
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage er fuld, ikke spare"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage er fuld, ikke spare"
DocType: Lead,Address & Contact,Adresse og kontaktperson
DocType: Leave Allocation,Add unused leaves from previous allocations,Tilføj ubrugte blade fra tidligere tildelinger
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Næste gentagende {0} vil blive oprettet den {1}
DocType: Sales Partner,Partner website,Partner hjemmeside
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Tilføj vare
-,Contact Name,Kontaktnavn
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Kontaktnavn
DocType: Course Assessment Criteria,Course Assessment Criteria,Kriterier for kursusvurdering
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Opretter lønseddel for ovennævnte kriterier.
DocType: POS Customer Group,POS Customer Group,Kassesystem-kundegruppe
@@ -292,18 +295,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Ingen beskrivelse
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Indkøbsanmodning.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Dette er baseret på de timesedler oprettes imod denne sag
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Nettoløn kan ikke være mindre end 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Nettoløn kan ikke være mindre end 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Kun den valgte fraværsgodkender kan godkende denne fraværsansøgning
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Lindre Dato skal være større end Dato for Sammenføjning
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Fravær pr. år
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Fravær pr. år
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Række {0}: Tjek venligst "Er Advance 'mod konto {1}, hvis dette er et forskud post."
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Lager {0} ikke hører til firmaet {1}
DocType: Email Digest,Profit & Loss,Profit & Loss
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,liter
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,liter
DocType: Task,Total Costing Amount (via Time Sheet),Totale omkostninger (via tidsregistrering)
DocType: Item Website Specification,Item Website Specification,Item Website Specification
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Fravær blokeret
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Vare {0} har nået slutningen af sin levetid på {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Vare {0} har nået slutningen af sin levetid på {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Bank Entries
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Årligt
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Afstemning Item
@@ -311,9 +314,9 @@
DocType: Material Request Item,Min Order Qty,Min prisen evt
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Elevgruppeværktøj til dannelse af fag
DocType: Lead,Do Not Contact,Må ikke komme i kontakt
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,"Mennesker, der underviser i din organisation"
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,"Mennesker, der underviser i din organisation"
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Den unikke id til at spore alle tilbagevendende fakturaer. Det genereres på send.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Software Developer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software Developer
DocType: Item,Minimum Order Qty,Minimum Antal
DocType: Pricing Rule,Supplier Type,Leverandørtype
DocType: Course Scheduling Tool,Course Start Date,Kursusstartdato
@@ -322,11 +325,11 @@
DocType: Item,Publish in Hub,Offentliggør i Hub
DocType: Student Admission,Student Admission,Studerende optagelse
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Vare {0} er aflyst
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Vare {0} er aflyst
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Materialeanmodning
DocType: Bank Reconciliation,Update Clearance Date,Opdatering Clearance Dato
DocType: Item,Purchase Details,Indkøbsdetaljer
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Vare {0} ikke fundet i "Raw Materials Leveres 'bord i Indkøbsordre {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Vare {0} ikke fundet i "Raw Materials Leveres 'bord i Indkøbsordre {1}
DocType: Employee,Relation,Relation
DocType: Shipping Rule,Worldwide Shipping,Levering til hele verden
DocType: Student Guardian,Mother,Mor
@@ -345,6 +348,7 @@
DocType: Student Group Student,Student Group Student,Elev i elevgruppe
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Seneste
DocType: Vehicle Service,Inspection,Kontrol
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Liste
DocType: Email Digest,New Quotations,Nye tilbud
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,"Lønseddel sendes til medarbejderen på e-mail, på baggrund af den foretrukne e-mailadresse der er valgt for medarbejderen"
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,"Den første fraværsgodkender i listen, vil blive markeret som standard-fraværsgodkender"
@@ -353,20 +357,20 @@
DocType: Asset,Next Depreciation Date,Næste afskrivningsdato
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Aktivitet Omkostninger per Medarbejder
DocType: Accounts Settings,Settings for Accounts,Indstillinger for regnskab
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Leverandør faktura nr eksisterer i købsfaktura {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Leverandør faktura nr eksisterer i købsfaktura {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Administrer Sales Person Tree.
DocType: Job Applicant,Cover Letter,Følgebrev
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Udestående Checks og Indlån at rydde
DocType: Item,Synced With Hub,Synkroniseret med Hub
DocType: Vehicle,Fleet Manager,Fleet manager
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Rækken # {0}: {1} kan ikke være negativ for vare {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Forkert adgangskode
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Forkert adgangskode
DocType: Item,Variant Of,Variant af
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',Afsluttet Antal kan ikke være større end 'antal til Fremstilling'
DocType: Period Closing Voucher,Closing Account Head,Lukning konto Hoved
DocType: Employee,External Work History,Ekstern Work History
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Cirkulær reference Fejl
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1 Navn
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 Navn
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"I ord (udlæsning) vil være synlig, når du gemmer følgesedlen."
DocType: Cheque Print Template,Distance from left edge,Afstand fra venstre kant
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} enheder af [{1}] (# Form / vare / {1}) findes i [{2}] (# Form / Warehouse / {2})
@@ -375,11 +379,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Give besked på e-mail om oprettelse af automatiske materialeanmodninger
DocType: Journal Entry,Multi Currency,Multi Valuta
DocType: Payment Reconciliation Invoice,Invoice Type,Fakturatype
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Følgeseddel
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Følgeseddel
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Opsætning Skatter
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Udgifter Solgt Asset
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,"Betaling indtastning er blevet ændret, efter at du trak det. Venligst trække det igen."
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} indtastet to gange i varemoms
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Betaling indtastning er blevet ændret, efter at du trak det. Venligst trække det igen."
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} indtastet to gange i varemoms
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Resumé for denne uge og verserende aktiviteter
DocType: Student Applicant,Admitted,Advokat
DocType: Workstation,Rent Cost,Leje Omkostninger
@@ -397,25 +401,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Indtast en værdi i feltet 'Gentagelsedag i måneden »felt værdi
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Hastighed, hvormed kunden Valuta omdannes til kundens basisvaluta"
DocType: Course Scheduling Tool,Course Scheduling Tool,Kursusplanlægningsværktøj
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Køb Faktura kan ikke foretages mod en eksisterende aktiv {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Køb Faktura kan ikke foretages mod en eksisterende aktiv {1}
DocType: Item Tax,Tax Rate,Skat
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} allerede afsat til Medarbejder {1} for perioden {2} til {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Vælg Item
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Købsfaktura {0} er allerede godkendt
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Købsfaktura {0} er allerede godkendt
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Række # {0}: Partinr. skal være det samme som {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Konverter til ikke-Group
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Batch (parti) af en vare.
DocType: C-Form Invoice Detail,Invoice Date,Fakturadato
DocType: GL Entry,Debit Amount,Debetbeløb
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Der kan kun være 1 konto pr. firma i {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,Se venligst vedhæftede fil
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Der kan kun være 1 konto pr. firma i {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,Se venligst vedhæftede fil
DocType: Purchase Order,% Received,% Modtaget
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Opret Elevgrupper
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Opsætning Allerede Complete !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Kredit Note Beløb
,Finished Goods,Færdigvarer
DocType: Delivery Note,Instructions,Instruktioner
DocType: Quality Inspection,Inspected By,Kontrolleret af
DocType: Maintenance Visit,Maintenance Type,Vedligeholdelsestype
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} er ikke tilmeldt kurset {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Serienummer {0} hører ikke til følgeseddel {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Tilføj varer
@@ -436,7 +442,7 @@
DocType: Request for Quotation,Request for Quotation,Anmodning om tilbud
DocType: Salary Slip Timesheet,Working Hours,Arbejdstider
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Skift start / aktuelle sekvensnummer af en eksisterende serie.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Opret ny kunde
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Opret ny kunde
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Hvis flere Priser Regler fortsat gældende, er brugerne bedt om at indstille prioritet manuelt for at løse konflikter."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Opret indkøbsordrer
,Purchase Register,Indkøb Register
@@ -448,7 +454,7 @@
DocType: Student Log,Medical,Medicinsk
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Tabsårsag
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Emneejer kan ikke være den samme som emnet
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,Allokeret beløb kan ikke større end ikke-justerede beløb
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,Allokeret beløb kan ikke større end ikke-justerede beløb
DocType: Announcement,Receiver,Modtager
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation er lukket på følgende datoer ifølge helligdagskalenderen: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Salgsmuligheder
@@ -462,8 +468,7 @@
DocType: Assessment Plan,Examiner Name,Censornavn
DocType: Purchase Invoice Item,Quantity and Rate,Mængde og Pris
DocType: Delivery Note,% Installed,% Installeret
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,Klasseværelser / Laboratorier osv hvor foredrag kan planlægges.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Leverandør> Leverandør Type
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,Klasseværelser / Laboratorier osv hvor foredrag kan planlægges.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Indtast venligst firmanavn først
DocType: Purchase Invoice,Supplier Name,Leverandørnavn
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Læs ERPNext-håndbogen
@@ -473,7 +478,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Tjek entydigheden af leverandørfakturanummeret
DocType: Vehicle Service,Oil Change,Olieskift
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','Til sag nr.' kan ikke være mindre end 'Fra sag nr.'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Non Profit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Non Profit
DocType: Production Order,Not Started,Ikke igangsat
DocType: Lead,Channel Partner,Channel Partner
DocType: Account,Old Parent,Gammel Parent
@@ -483,19 +488,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globale indstillinger for alle produktionsprocesser.
DocType: Accounts Settings,Accounts Frozen Upto,Regnskab Frozen Op
DocType: SMS Log,Sent On,Sendt On
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Attribut {0} valgt flere gange i attributter Tabel
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Attribut {0} valgt flere gange i attributter Tabel
DocType: HR Settings,Employee record is created using selected field. ,Medarbejder rekord er oprettet ved hjælp valgte felt.
DocType: Sales Order,Not Applicable,ikke gældende
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Ferie mester.
DocType: Request for Quotation Item,Required Date,Forfaldsdato
DocType: Delivery Note,Billing Address,Faktureringsadresse
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Indtast venligst Varenr.
DocType: BOM,Costing,Koster
DocType: Tax Rule,Billing County,Anvendes ikke
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Hvis markeret, vil momsbeløbet blive betragtet som allerede inkluderet i Print Sats / Print Beløb"
DocType: Request for Quotation,Message for Supplier,Besked til leverandøren
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Antal i alt
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 Email ID
DocType: Item,Show in Website (Variant),Vis i Website (Variant)
DocType: Employee,Health Concerns,Sundhedsmæssige betænkeligheder
DocType: Process Payroll,Select Payroll Period,Vælg Lønperiode
@@ -513,25 +517,27 @@
DocType: Sales Order Item,Used for Production Plan,Bruges til Produktionsplan
DocType: Employee Loan,Total Payment,Samlet betaling
DocType: Manufacturing Settings,Time Between Operations (in mins),Time Between Operations (i minutter)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} er annulleret, så handlingen kan ikke gennemføres"
DocType: Customer,Buyer of Goods and Services.,Køber af varer og tjenesteydelser.
DocType: Journal Entry,Accounts Payable,Kreditor
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,De valgte styklister er ikke for den samme vare
DocType: Pricing Rule,Valid Upto,Gyldig til
DocType: Training Event,Workshop,Værksted
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Nævn et par af dine kunder. Disse kunne være firmaer eller enkeltpersoner.
-,Enough Parts to Build,Nok Dele til Build
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Direkte indkomst
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Nævn et par af dine kunder. Disse kunne være firmaer eller enkeltpersoner.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Nok Dele til Build
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Direkte indkomst
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Kan ikke filtrere baseret på konto, hvis grupperet efter konto"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Kontorfuldmægtig
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Vælg kursus
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Kontorfuldmægtig
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Vælg kursus
DocType: Timesheet Detail,Hrs,timer
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Vælg firma
DocType: Stock Entry Detail,Difference Account,Forskel konto
+DocType: Purchase Invoice,Supplier GSTIN,Leverandør GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,"Opgaven kan ikke lukkes, da dens afhængige opgave {0} ikke er lukket."
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Indtast venligst lager for hvilket materialeanmodning vil blive rejst
DocType: Production Order,Additional Operating Cost,Yderligere driftsomkostninger
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kosmetik
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","At fusionere, skal følgende egenskaber være ens for begge poster"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","At fusionere, skal følgende egenskaber være ens for begge poster"
DocType: Shipping Rule,Net Weight,Nettovægt
DocType: Employee,Emergency Phone,Emergency Phone
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Køb
@@ -540,14 +546,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Angiv venligst lønklasse for Tærskel 0%
DocType: Sales Order,To Deliver,Til at levere
DocType: Purchase Invoice Item,Item,Vare
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Serienummervare kan ikke være en brøkdel
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Serienummervare kan ikke være en brøkdel
DocType: Journal Entry,Difference (Dr - Cr),Difference (Dr - Cr)
DocType: Account,Profit and Loss,Resultatopgørelse
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Håndtering af underleverancer
DocType: Project,Project will be accessible on the website to these users,Sagen vil være tilgængelig på hjemmesiden for disse brugere
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,"Hastighed, hvormed Prisliste valuta omregnes til virksomhedens basisvaluta"
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Konto {0} tilhører ikke virksomheden: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Forkortelse allerede brugt til et andet selskab
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Konto {0} tilhører ikke virksomheden: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Forkortelse allerede brugt til et andet selskab
DocType: Selling Settings,Default Customer Group,Standard kundegruppe
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Hvis deaktivere, 'Afrundet Total' felt, vil ikke være synlig i enhver transaktion"
DocType: BOM,Operating Cost,Driftsomkostninger
@@ -555,7 +561,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Tilvækst kan ikke være 0
DocType: Production Planning Tool,Material Requirement,Material Requirement
DocType: Company,Delete Company Transactions,Slet Company Transaktioner
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Referencenummer og reference Dato er obligatorisk for Bank transaktion
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Referencenummer og reference Dato er obligatorisk for Bank transaktion
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Tilføj / rediger Skatter og Afgifter
DocType: Purchase Invoice,Supplier Invoice No,Leverandør fakturanr.
DocType: Territory,For reference,For reference
@@ -566,22 +572,22 @@
DocType: Installation Note Item,Installation Note Item,Installation Bemærk Vare
DocType: Production Plan Item,Pending Qty,Afventende antal
DocType: Budget,Ignore,Ignorér
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} er ikke aktiv
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} er ikke aktiv
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS sendt til følgende numre: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,Opsætning kontrol dimensioner til udskrivning
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Opsætning kontrol dimensioner til udskrivning
DocType: Salary Slip,Salary Slip Timesheet,Lønseddel Timeseddel
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Leverandør Warehouse obligatorisk for underentreprise købskvittering
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Leverandør Warehouse obligatorisk for underentreprise købskvittering
DocType: Pricing Rule,Valid From,Gyldig fra
DocType: Sales Invoice,Total Commission,Samlet Kommissionen
DocType: Pricing Rule,Sales Partner,Salgs Partner
DocType: Buying Settings,Purchase Receipt Required,Købskvittering påkrævet
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,"Værdiansættelsesværdi er obligatorisk, hvis Åbning Stock indtastet"
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,"Værdiansættelsesværdi er obligatorisk, hvis Åbning Stock indtastet"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Ingen poster i faktureringstabellen
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Vælg Company og Party Type først
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Finansiel / regnskabsår.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Finansiel / regnskabsår.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Akkumulerede værdier
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Beklager, serienumre kan ikke blive slået sammen"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Opret salgsordre
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Opret salgsordre
DocType: Project Task,Project Task,Sagsopgave
,Lead Id,Emne-Id
DocType: C-Form Invoice Detail,Grand Total,Beløb i alt
@@ -598,7 +604,7 @@
DocType: Job Applicant,Resume Attachment,Vedhæft CV
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Gamle kunder
DocType: Leave Control Panel,Allocate,Tildele
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Salg Return
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Salg Return
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Bemærk: I alt tildelt blade {0} bør ikke være mindre end allerede godkendte blade {1} for perioden
DocType: Announcement,Posted By,Bogført af
DocType: Item,Delivered by Supplier (Drop Ship),Leveret af Leverandøren (Drop Ship)
@@ -608,8 +614,8 @@
DocType: Quotation,Quotation To,Tilbud til
DocType: Lead,Middle Income,Midterste indkomst
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Åbning (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Standard måleenhed for Item {0} kan ikke ændres direkte, fordi du allerede har gjort nogle transaktion (er) med en anden UOM. Du bliver nødt til at oprette en ny konto for at bruge en anden Standard UOM."
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Tildelte beløb kan ikke være negativ
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Standard måleenhed for Item {0} kan ikke ændres direkte, fordi du allerede har gjort nogle transaktion (er) med en anden UOM. Du bliver nødt til at oprette en ny konto for at bruge en anden Standard UOM."
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Tildelte beløb kan ikke være negativ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Angiv venligst selskabet
DocType: Purchase Order Item,Billed Amt,Billed Amt
DocType: Training Result Employee,Training Result Employee,Træning Resultat Medarbejder
@@ -621,7 +627,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Vælg Betalingskonto til bankbetalingerne
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Opret Medarbejder optegnelser til at styre blade, udgiftsopgørelser og løn"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Tilføj til vidensbasen
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Forslag Skrivning
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Forslag Skrivning
DocType: Payment Entry Deduction,Payment Entry Deduction,Betaling indtastning Fradrag
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,En anden salgsmedarbejder {0} eksisterer med samme Medarbejder-id
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Hvis markeret, vil råmaterialer til varer, der er i underentreprise indgå i materialeanmodningerne"
@@ -635,7 +641,7 @@
DocType: Timesheet,Billed,Billed
DocType: Batch,Batch Description,Partibeskrivelse
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Oprettelse af elevgrupper
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Betaling Gateway konto ikke oprettet, skal du oprette en manuelt."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Betaling Gateway konto ikke oprettet, skal du oprette en manuelt."
DocType: Sales Invoice,Sales Taxes and Charges,Salg Skatter og Afgifter
DocType: Employee,Organization Profile,Organisationsprofil
DocType: Student,Sibling Details,søskende Detaljer
@@ -657,11 +663,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Netto Ændring i Inventory
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Medarbejder Lån Management
DocType: Employee,Passport Number,Pasnummer
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Forholdet til Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Leder
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Forholdet til Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Leder
DocType: Payment Entry,Payment From / To,Betaling fra/til
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Ny kreditmaksimum er mindre end nuværende udestående beløb for kunden. Credit grænse skal være mindst {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Samme element er indtastet flere gange.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Ny kreditmaksimum er mindre end nuværende udestående beløb for kunden. Credit grænse skal være mindst {0}
DocType: SMS Settings,Receiver Parameter,Modtager Parameter
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Baseret på' og 'Sortér efter ' ikke kan være samme
DocType: Sales Person,Sales Person Targets,Salgs person Mål
@@ -670,8 +675,9 @@
DocType: Issue,Resolution Date,Løsningsdato
DocType: Student Batch Name,Batch Name,Partinavn
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timeseddel oprettet:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},Indstil standard Kontant eller bank konto i mode for betaling {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Indstil standard Kontant eller bank konto i mode for betaling {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Indskrive
+DocType: GST Settings,GST Settings,GST-indstillinger
DocType: Selling Settings,Customer Naming By,Kundenavngivning af
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Vil vise den studerende som Present i Student Månedlig Deltagelse Rapport
DocType: Depreciation Schedule,Depreciation Amount,Afskrivningsbeløb
@@ -693,6 +699,7 @@
DocType: Item,Material Transfer,Materiale Transfer
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Åbning (dr)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Udstationering tidsstempel skal være efter {0}
+,GST Itemised Purchase Register,GST Itemized Purchase Register
DocType: Employee Loan,Total Interest Payable,Samlet Renteudgifter
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Landede Cost Skatter og Afgifter
DocType: Production Order Operation,Actual Start Time,Faktisk starttid
@@ -719,10 +726,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
DocType: Account,Accounts,Regnskab
DocType: Vehicle,Odometer Value (Last),Kilometerstand (sidste aflæsning)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Betalingspost er allerede dannet
DocType: Purchase Receipt Item Supplied,Current Stock,Aktuel lagerbeholdning
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} ikke er knyttet til Vare {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} ikke er knyttet til Vare {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Eksempel lønseddel
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Konto {0} er indtastet flere gange
DocType: Account,Expenses Included In Valuation,Udgifter inkluderet i Værdiansættelse
@@ -730,7 +737,7 @@
,Absent Student Report,Fraværende studerende rapport
DocType: Email Digest,Next email will be sent on:,Næste email vil blive sendt på:
DocType: Offer Letter Term,Offer Letter Term,Ansættelsesvilkår
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Vare har varianter.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Vare har varianter.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Vare {0} ikke fundet
DocType: Bin,Stock Value,Stock Value
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Firma {0} findes ikke
@@ -739,7 +746,7 @@
DocType: Serial No,Warranty Expiry Date,Garanti udløbsdato
DocType: Material Request Item,Quantity and Warehouse,Mængde og Warehouse
DocType: Sales Invoice,Commission Rate (%),Kommissionen Rate (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Vælg venligst Program
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Vælg venligst Program
DocType: Project,Estimated Cost,Anslåede omkostninger
DocType: Purchase Order,Link to material requests,Link til materialeanmodninger
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aerospace
@@ -753,14 +760,14 @@
DocType: Purchase Order,Supply Raw Materials,Supply råmaterialer
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,"Datoen, hvor den næste faktura vil blive dannet. Den dannes ved godkendelsen."
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Omsætningsaktiver
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} er ikke en lagervare
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} er ikke en lagervare
DocType: Mode of Payment Account,Default Account,Standard-konto
DocType: Payment Entry,Received Amount (Company Currency),Modtaget beløb (firmavaluta)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,"""Er emne"" skal markeres, hvis salgsmulighed er lavet fra emne"
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,Vælg ugentlig fridag
DocType: Production Order Operation,Planned End Time,Planlagt sluttid
,Sales Person Target Variance Item Group-Wise,Salg Person Target Variance Item Group-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Konto med eksisterende transaktion kan ikke konverteres til finans
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Konto med eksisterende transaktion kan ikke konverteres til finans
DocType: Delivery Note,Customer's Purchase Order No,Kundens Indkøbsordre Nej
DocType: Budget,Budget Against,Budget Against
DocType: Employee,Cell Number,Mobiltelefonnr.
@@ -772,15 +779,13 @@
DocType: Opportunity,Opportunity From,Salgsmulighed fra
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Månedlige lønseddel.
DocType: BOM,Website Specifications,Website Specifikationer
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Venligst opsæt nummereringsserier for Tilstedeværelse via Opsætning> Nummereringsserie
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Fra {0} af typen {1}
DocType: Warranty Claim,CI-,Cl-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Række {0}: konverteringsfaktor er obligatorisk
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Række {0}: konverteringsfaktor er obligatorisk
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Flere Pris Regler eksisterer med samme kriterier, skal du løse konflikter ved at tildele prioritet. Pris Regler: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Kan ikke deaktivere eller annullere en stykliste, som det er forbundet med andre styklister"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Flere Pris Regler eksisterer med samme kriterier, skal du løse konflikter ved at tildele prioritet. Pris Regler: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Kan ikke deaktivere eller annullere en stykliste, som det er forbundet med andre styklister"
DocType: Opportunity,Maintenance,Vedligeholdelse
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Købskvitteringsnummer kræves for vare {0}
DocType: Item Attribute Value,Item Attribute Value,Item Attribut Værdi
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Salgskampagner.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Opret tidsregistreringskladde
@@ -813,29 +818,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Anlægsasset er kasseret via finanspost {0}
DocType: Employee Loan,Interest Income Account,Renter Indkomst konto
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Bioteknologi
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Kontorholdudgifter
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Kontorholdudgifter
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Opsætning Email-konto
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Indtast vare først
DocType: Account,Liability,Passiver
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,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}.
DocType: Company,Default Cost of Goods Sold Account,Standard vareforbrug konto
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Prisliste ikke valgt
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Prisliste ikke valgt
DocType: Employee,Family Background,Familiebaggrund
DocType: Request for Quotation Supplier,Send Email,Send e-mail
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Advarsel: ugyldig vedhæftet fil {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Advarsel: ugyldig vedhæftet fil {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Ingen Tilladelse
DocType: Company,Default Bank Account,Standard bankkonto
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Hvis du vil filtrere baseret på Party, skal du vælge Party Type først"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"'Opdater lager' kan ikke markeres, fordi varerne ikke leveres via {0}"
DocType: Vehicle,Acquisition Date,Erhvervelsesdato
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Nos
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Nos
DocType: Item,Items with higher weightage will be shown higher,Elementer med højere weightage vises højere
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bank Afstemning Detail
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Række # {0}: Aktiv {1} skal godkendes
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Række # {0}: Aktiv {1} skal godkendes
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Ingen medarbejder fundet
DocType: Supplier Quotation,Stopped,Stoppet
DocType: Item,If subcontracted to a vendor,Hvis underentreprise til en sælger
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Studentgruppen er allerede opdateret.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Studentgruppen er allerede opdateret.
DocType: SMS Center,All Customer Contact,Alle kundekontakter
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Upload lager balance via csv.
DocType: Warehouse,Tree Details,Tree Detaljer
@@ -847,13 +852,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: omkostningssted {2} tilhører ikke firma {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Konto {2} kan ikke være en gruppe
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Item Row {IDX}: {doctype} {DOCNAME} findes ikke i ovenstående '{doctype}' tabel
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Tidsregistreringskladde {0} er allerede afsluttet eller annulleret
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Tidsregistreringskladde {0} er allerede afsluttet eller annulleret
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Ingen opgaver
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Den dag i den måned, hvor auto faktura vil blive genereret f.eks 05, 28 osv"
DocType: Asset,Opening Accumulated Depreciation,Åbning Akkumulerede afskrivninger
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Score skal være mindre end eller lig med 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Program Tilmelding Tool
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,C-Form optegnelser
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C-Form optegnelser
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Kunde og leverandør
DocType: Email Digest,Email Digest Settings,Indstillinger for e-mail nyhedsbreve
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Tak for din forretning!
@@ -863,17 +868,19 @@
DocType: Bin,Moving Average Rate,Glidende gennemsnit Rate
DocType: Production Planning Tool,Select Items,Vælg varer
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} mod regning {1} dateret {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Køretøj / busnummer
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Kursusskema
DocType: Maintenance Visit,Completion Status,Afslutning status
DocType: HR Settings,Enter retirement age in years,Indtast pensionsalderen i år
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Target Warehouse
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Vælg venligst et lager
DocType: Cheque Print Template,Starting location from left edge,Start fra venstre kant
DocType: Item,Allow over delivery or receipt upto this percent,Tillad løbet levering eller modtagelse op denne procent
DocType: Stock Entry,STE-,Ste-
DocType: Upload Attendance,Import Attendance,Importér fremmøde
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Alle varegrupper
DocType: Process Payroll,Activity Log,Activity Log
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Nettoresultat
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Nettoresultat
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Automatisk skrive besked på indsendelse af transaktioner.
DocType: Production Order,Item To Manufacture,Item Til Fremstilling
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} status er {2}
@@ -882,16 +889,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Indkøbsordre til betaling
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Forventet antal
DocType: Sales Invoice,Payment Due Date,Sidste betalingsdato
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Item Variant {0} findes allerede med samme attributter
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Item Variant {0} findes allerede med samme attributter
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','Åbner'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Åbn Opgaver
DocType: Notification Control,Delivery Note Message,Følgeseddelmeddelelse
DocType: Expense Claim,Expenses,Udgifter
+,Support Hours,Support timer
DocType: Item Variant Attribute,Item Variant Attribute,Item Variant Attribut
,Purchase Receipt Trends,Købskvittering Tendenser
DocType: Process Payroll,Bimonthly,Hver anden måned
DocType: Vehicle Service,Brake Pad,Bremseklods
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Forskning & Udvikling
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Forskning & Udvikling
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Beløb til fakturering
DocType: Company,Registration Details,Registrering Detaljer
DocType: Timesheet,Total Billed Amount,Samlet Faktureret beløb
@@ -904,12 +912,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Kun Opnå råstoffer
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Præstationsvurdering.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Aktivering »anvendelse til indkøbskurv"", som indkøbskurv er aktiveret, og der skal være mindst én momsregel til Indkøbskurven"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Betaling indtastning {0} er forbundet mod Order {1}, kontrollere, om det skal trækkes forhånd i denne faktura."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Betaling indtastning {0} er forbundet mod Order {1}, kontrollere, om det skal trækkes forhånd i denne faktura."
DocType: Sales Invoice Item,Stock Details,Stock Detaljer
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Sagsværdi
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Kassesystem
DocType: Vehicle Log,Odometer Reading,kilometerstand
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Konto balance er kredit, Du har ikke lov til at ændre 'Balancetype' til 'debet'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Konto balance er kredit, Du har ikke lov til at ændre 'Balancetype' til 'debet'"
DocType: Account,Balance must be,Balance skal være
DocType: Hub Settings,Publish Pricing,Offentliggøre Pricing
DocType: Notification Control,Expense Claim Rejected Message,Udlæg afvist besked
@@ -919,7 +927,7 @@
DocType: Salary Slip,Working Days,Arbejdsdage
DocType: Serial No,Incoming Rate,Indgående sats
DocType: Packing Slip,Gross Weight,Bruttovægt
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,"Navnet på dit firma, som du oprette i dette system."
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,"Navnet på dit firma, som du oprette i dette system."
DocType: HR Settings,Include holidays in Total no. of Working Days,Medtag helligdage i det totale antal arbejdsdage
DocType: Job Applicant,Hold,Hold
DocType: Employee,Date of Joining,Dato for Sammenføjning
@@ -930,20 +938,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Købskvittering
,Received Items To Be Billed,Modtagne varer skal faktureres
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Godkendte lønsedler
-DocType: Employee,Ms,Fru
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Valutakursen mester.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Henvisning Doctype skal være en af {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Valutakursen mester.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Henvisning Doctype skal være en af {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Kan ikke finde Time Slot i de næste {0} dage til Operation {1}
DocType: Production Order,Plan material for sub-assemblies,Plan materiale til sub-enheder
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Salgspartnere og områder
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,"Kan ikke automatisk oprette konto, da der allerede bestand balance i kontoen. Du skal oprette en matchende konto, før du kan foretage en post på dette lager"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,Stykliste {0} skal være aktiv
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,Stykliste {0} skal være aktiv
DocType: Journal Entry,Depreciation Entry,Afskrivninger indtastning
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Vælg dokumenttypen først
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,"Annuller Materiale Besøg {0}, før den annullerer denne vedligeholdelse Besøg"
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serienummer {0} hører ikke til vare {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Nødvendigt antal
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Lager med eksisterende transaktioner kan ikke konverteres til Finans.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Lager med eksisterende transaktioner kan ikke konverteres til Finans.
DocType: Bank Reconciliation,Total Amount,Samlet beløb
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Internet Publishing
DocType: Production Planning Tool,Production Orders,Produktionsordrer
@@ -958,25 +964,26 @@
DocType: Fee Structure,Components,Lønarter
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Indtast Asset kategori i Item {0}
DocType: Quality Inspection Reading,Reading 6,Læsning 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Kan ikke {0} {1} {2} uden nogen negativ udestående faktura
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Kan ikke {0} {1} {2} uden nogen negativ udestående faktura
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Købsfaktura Advance
DocType: Hub Settings,Sync Now,Synkroniser nu
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Række {0}: Kredit indgang ikke kan knyttes med en {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Definer budget for et regnskabsår.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Definer budget for et regnskabsår.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"Standard Bank / Kontant-konto vil automatisk blive opdateret i POS faktura, når denne tilstand er valgt."
DocType: Lead,LEAD-,EMNE-
DocType: Employee,Permanent Address Is,Fast adresse
DocType: Production Order Operation,Operation completed for how many finished goods?,Operation afsluttet for hvor mange færdigvarer?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,Varemærket
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Varemærket
DocType: Employee,Exit Interview Details,Exit Interview Detaljer
DocType: Item,Is Purchase Item,Er Indkøb Item
DocType: Asset,Purchase Invoice,Købsfaktura
DocType: Stock Ledger Entry,Voucher Detail No,Voucher Detail Nej
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Nye salgsfaktura
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Nye salgsfaktura
DocType: Stock Entry,Total Outgoing Value,Samlet værdi udgående
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Åbning Dato og Closing Datoen skal ligge inden samme regnskabsår
DocType: Lead,Request for Information,Anmodning om information
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Synkroniser Offline fakturaer
+,LeaderBoard,LEADERBOARD
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Synkroniser Offline fakturaer
DocType: Payment Request,Paid,Betalt
DocType: Program Fee,Program Fee,Program Fee
DocType: Salary Slip,Total in words,I alt i ord
@@ -985,13 +992,13 @@
DocType: Cheque Print Template,Has Print Format,Har Print Format
DocType: Employee Loan,Sanctioned,sanktioneret
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,er obligatorisk. Måske Valutaveksling rekord er ikke skabt til
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Række # {0}: Angiv serienummer for vare {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","For produktpakke-varer, lagre, serienumre og partier vil blive betragtet fra pakkelistetabellen. Hvis lager og parti er ens for alle pakkede varer for enhver produktpakkevare, kan disse værdier indtastes for den vigtigste vare, og værdierne vil blive kopieret til pakkelistetabellen."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Række # {0}: Angiv serienummer for vare {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","For produktpakke-varer, lagre, serienumre og partier vil blive betragtet fra pakkelistetabellen. Hvis lager og parti er ens for alle pakkede varer for enhver produktpakkevare, kan disse værdier indtastes for den vigtigste vare, og værdierne vil blive kopieret til pakkelistetabellen."
DocType: Job Opening,Publish on website,Udgiv på hjemmesiden
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Forsendelser til kunder.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Leverandørfakturadato kan ikke være større end bogføringsdatoen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Leverandørfakturadato kan ikke være større end bogføringsdatoen
DocType: Purchase Invoice Item,Purchase Order Item,Indkøbsordre vare
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Indirekte Indkomst
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Indirekte Indkomst
DocType: Student Attendance Tool,Student Attendance Tool,Student Deltagelse Tool
DocType: Cheque Print Template,Date Settings,Datoindstillinger
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Varians
@@ -1009,20 +1016,20 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Kemisk
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Standard Bank / Kontant konto vil automatisk blive opdateret i Løn Kassekladde når denne tilstand er valgt.
DocType: BOM,Raw Material Cost(Company Currency),Råmaterialeomkostninger (firmavaluta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Alle varer er allerede blevet overført til denne produktionsordre.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Alle varer er allerede blevet overført til denne produktionsordre.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Row # {0}: Prisen kan ikke være større end den sats, der anvendes i {1} {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,Måler
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,Måler
DocType: Workstation,Electricity Cost,Elektricitetsomkostninger
DocType: HR Settings,Don't send Employee Birthday Reminders,Send ikke medarbejderfødselsdags- påmindelser
DocType: Item,Inspection Criteria,Kontrolkriterier
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Overført
DocType: BOM Website Item,BOM Website Item,BOM Website Item
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Upload dit brevhoved og logo. (Du kan redigere dem senere).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Upload dit brevhoved og logo. (Du kan redigere dem senere).
DocType: Timesheet Detail,Bill,Regning
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Næste afskrivningsdato er indtastet som tidligere dato
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Hvid
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Hvid
DocType: SMS Center,All Lead (Open),Alle emner (åbne)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Række {0}: Antal ikke tilgængelig for {4} i lageret {1} på udstationering tid af posten ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Række {0}: Antal ikke tilgængelig for {4} i lageret {1} på udstationering tid af posten ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Få forskud
DocType: Item,Automatically Create New Batch,Opret automatisk et nyt parti
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,Opret
@@ -1032,13 +1039,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Indkøbskurv
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Bestil type skal være en af {0}
DocType: Lead,Next Contact Date,Næste kontakt d.
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Åbning Antal
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,Indtast konto for returbeløb
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Åbning Antal
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,Indtast konto for returbeløb
DocType: Student Batch Name,Student Batch Name,Elevgruppenavn
DocType: Holiday List,Holiday List Name,Helligdagskalendernavn
DocType: Repayment Schedule,Balance Loan Amount,Balance Lånebeløb
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Kursusskema
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Aktieoptioner
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Aktieoptioner
DocType: Journal Entry Account,Expense Claim,Udlæg
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Vil du virkelig gendanne dette kasserede anlægsaktiv?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Antal for {0}
@@ -1050,12 +1057,12 @@
DocType: Company,Default Terms,Standard Vilkår
DocType: Packing Slip Item,Packing Slip Item,Pakkeseddelvare
DocType: Purchase Invoice,Cash/Bank Account,Kontant / Bankkonto
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Angiv en {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Angiv en {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Fjernede elementer uden nogen ændringer i mængde eller værdi.
DocType: Delivery Note,Delivery To,Levering Til
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Attributtabellen er obligatorisk
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Attributtabellen er obligatorisk
DocType: Production Planning Tool,Get Sales Orders,Få salgsordrer
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} kan ikke være negativ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} kan ikke være negativ
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Rabat
DocType: Asset,Total Number of Depreciations,Samlet antal afskrivninger
DocType: Sales Invoice Item,Rate With Margin,Vurder med margen
@@ -1075,7 +1082,6 @@
DocType: Serial No,Creation Document No,Oprettet med dok.-nr.
DocType: Issue,Issue,Issue
DocType: Asset,Scrapped,Skrottet
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Konto stemmer ikke overens med Firma
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Attributter for varer Varianter. f.eks størrelse, farve etc."
DocType: Purchase Invoice,Returns,Retur
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,Varer-i-arbejde-lager
@@ -1087,12 +1093,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,"Varer skal tilføjes ved hjælp af knappen: ""Hent varer fra købskvitteringer"""
DocType: Employee,A-,EN-
DocType: Production Planning Tool,Include non-stock items,Medtag ikke-lagervarer
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Salgsomkostninger
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Salgsomkostninger
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Standard Buying
DocType: GL Entry,Against,Imod
DocType: Item,Default Selling Cost Center,Standard salgsomkostningssted
DocType: Sales Partner,Implementation Partner,Implementering Partner
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Postnummer
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Postnummer
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Salgsordre {0} er {1}
DocType: Opportunity,Contact Info,Kontaktinformation
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Making Stock Angivelser
@@ -1105,31 +1111,31 @@
DocType: Holiday List,Get Weekly Off Dates,Hent ugentlige fridage til kalenderen
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,Slutdato kan ikke være mindre end Startdato
DocType: Sales Person,Select company name first.,Vælg firmanavn først.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Dr.
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Tilbud modtaget fra leverandører.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Til {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Gennemsnitlig alder
DocType: School Settings,Attendance Freeze Date,Tilmelding senest d.
DocType: Opportunity,Your sales person who will contact the customer in future,"Din salgsmedarbejder, som vil kontakte kunden i fremtiden"
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Nævn et par af dine leverandører. Disse kunne være firmaer eller enkeltpersoner.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Nævn et par af dine leverandører. Disse kunne være firmaer eller enkeltpersoner.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Se alle produkter
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Mindste levealder (dage)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,Alle styklister
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Alle styklister
DocType: Company,Default Currency,Standardvaluta
DocType: Expense Claim,From Employee,Fra Medarbejder
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Advarsel: Systemet vil ikke tjekke for overfakturering, da beløbet for vare {0} i {1} er nul"
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Advarsel: Systemet vil ikke tjekke for overfakturering, da beløbet for vare {0} i {1} er nul"
DocType: Journal Entry,Make Difference Entry,Make Difference indtastning
DocType: Upload Attendance,Attendance From Date,Fremmøde fradato
DocType: Appraisal Template Goal,Key Performance Area,Key Performance Area
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Transport
+DocType: Program Enrollment,Transportation,Transport
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Ugyldig Attribut
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} skal godkendes
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} skal godkendes
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Antal skal være mindre end eller lig med {0}
DocType: SMS Center,Total Characters,Total tegn
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Vælg BOM i BOM vilkår for Item {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Vælg BOM i BOM vilkår for Item {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Faktura Detail
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Betalingsafstemningsfaktura
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Bidrag%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","I henhold til købsindstillingerne, hvis købsordren er påkrævet == 'JA' og derefter for at oprette Købsfaktura skal brugeren først oprette indkøbsordre for vare {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Firma registreringsnumre til din reference. Skat numre etc.
DocType: Sales Partner,Distributor,Distributør
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Indkøbskurv forsendelsesregler
@@ -1138,23 +1144,25 @@
,Ordered Items To Be Billed,Bestilte varer at blive faktureret
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Fra Range skal være mindre end at ligge
DocType: Global Defaults,Global Defaults,Globale indstillinger
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Invitation til sagssamarbejde
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Invitation til sagssamarbejde
DocType: Salary Slip,Deductions,Fradrag
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Startår
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},De første 2 cifre i GSTIN skal svare til statens nummer {0}
DocType: Purchase Invoice,Start date of current invoice's period,Startdato for nuværende fakturaperiode
DocType: Salary Slip,Leave Without Pay,Fravær uden løn
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Kapacitetsplanlægningsfejl
,Trial Balance for Party,Trial Balance til Party
DocType: Lead,Consultant,Konsulent
DocType: Salary Slip,Earnings,Indtjening
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Færdig element {0} skal indtastes for Fremstilling typen post
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Færdig element {0} skal indtastes for Fremstilling typen post
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Åbning Regnskab Balance
+,GST Sales Register,GST salgsregistrering
DocType: Sales Invoice Advance,Sales Invoice Advance,Salgsfaktura Advance
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Intet at anmode om
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},En anden Budget rekord '{0}' findes allerede mod {1} '{2}' for regnskabsåret {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date','Faktisk startdato' kan ikke være større end 'Faktisk slutdato'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Ledelse
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Ledelse
DocType: Cheque Print Template,Payer Settings,payer Indstillinger
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Dette vil blive føjet til varen af varianten. For eksempel, hvis dit forkortelse er ""SM"", og varenummeret er ""T-SHIRT"", så vil variantens varenummer blive ""T-SHIRT-SM"""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Nettoløn (i ord) vil være synlig, når du gemmer lønsedlen."
@@ -1171,8 +1179,8 @@
DocType: Employee Loan,Partially Disbursed,Delvist udbetalt
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Leverandør database.
DocType: Account,Balance Sheet,Balance
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Omkostningssted for vare med varenr. '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Betalingsmåde er ikke konfigureret. Kontroller, om konto er blevet indstillet på betalingsmåden eller på Kassesystemprofilen."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Omkostningssted for vare med varenr. '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Betalingsmåde er ikke konfigureret. Kontroller, om konto er blevet indstillet på betalingsmåden eller på Kassesystemprofilen."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Din salgsmedarbejder vil få en påmindelse på denne dato om at kontakte kunden
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Samme vare kan ikke indtastes flere gange.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Kan gøres yderligere konti under grupper, men oplysningerne kan gøres mod ikke-grupper"
@@ -1180,7 +1188,7 @@
DocType: Email Digest,Payables,Gæld
DocType: Course,Course Intro,Kursusintroduktion
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Lagerindtastning {0} oprettet
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Afvist Antal kan ikke indtastes i Indkøb Return
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Afvist Antal kan ikke indtastes i Indkøb Return
,Purchase Order Items To Be Billed,Indkøbsordre varer til fakturering
DocType: Purchase Invoice Item,Net Rate,Nettosats
DocType: Purchase Invoice Item,Purchase Invoice Item,Købsfaktura Item
@@ -1205,7 +1213,7 @@
DocType: Sales Order,SO-,SO-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Vælg venligst præfiks først
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Forskning
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Forskning
DocType: Maintenance Visit Purpose,Work Done,Arbejdet udført
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Angiv mindst én attribut i Attributter tabellen
DocType: Announcement,All Students,Alle studerende
@@ -1213,17 +1221,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Se kladde
DocType: Grading Scale,Intervals,Intervaller
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Tidligste
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Der eksisterer en varegruppe med samme navn, og du bedes derfor ændre varenavnet eller omdøbe varegruppen"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Studerende mobiltelefonnr.
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Resten af verden
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Der eksisterer en varegruppe med samme navn, og du bedes derfor ændre varenavnet eller omdøbe varegruppen"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Studerende mobiltelefonnr.
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Resten af verden
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Vare {0} kan ikke have parti
,Budget Variance Report,Budget Variance Report
DocType: Salary Slip,Gross Pay,Gross Pay
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Række {0}: Aktivitetstypen er obligatorisk.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Betalt udbytte
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Betalt udbytte
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Regnskab Ledger
DocType: Stock Reconciliation,Difference Amount,Differencebeløb
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Overført overskud
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Overført overskud
DocType: Vehicle Log,Service Detail,service Detail
DocType: BOM,Item Description,Varebeskrivelse
DocType: Student Sibling,Student Sibling,Student Søskende
@@ -1237,11 +1245,11 @@
DocType: Opportunity Item,Opportunity Item,Salgsmulighed Vare
,Student and Guardian Contact Details,Studerende og Guardian Kontaktoplysninger
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Række {0}: For leverandør {0} E-mail-adresse er nødvendig for at sende e-mail
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Midlertidig åbning
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Midlertidig åbning
,Employee Leave Balance,Medarbejder Leave Balance
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Balance for konto {0} skal altid være {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Værdiansættelse Rate kræves for Item i række {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Eksempel: Masters i Computer Science
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Eksempel: Masters i Computer Science
DocType: Purchase Invoice,Rejected Warehouse,Afvist lager
DocType: GL Entry,Against Voucher,Modbilag
DocType: Item,Default Buying Cost Center,Standard købsomkostningssted
@@ -1254,31 +1262,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Få udestående fakturaer
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Salgsordre {0} er ikke gyldig
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Indkøbsordrer hjælpe dig med at planlægge og følge op på dine køb
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Beklager, kan virksomhederne ikke slås sammen"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Beklager, kan virksomhederne ikke slås sammen"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",Den samlede overførselsmængde {0} i materialeanmodning {1} \ kan ikke være større end den anmodede mængde {2} for vare {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Lille
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Lille
DocType: Employee,Employee Number,Medarbejdernr.
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},"(E), der allerede er i brug Case Ingen. Prøv fra sag {0}"
DocType: Project,% Completed,% afsluttet
,Invoiced Amount (Exculsive Tax),Faktureret beløb (exculsive Tax)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Vare 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Konto head {0} oprettet
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,Træning begivenhed
DocType: Item,Auto re-order,Auto re-ordre
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Total Opnået
DocType: Employee,Place of Issue,Udstedelsessted
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Kontrakt
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Kontrakt
DocType: Email Digest,Add Quote,Tilføj tilbud
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion faktor kræves for Pakke: {0} i Konto: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Indirekte udgifter
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion faktor kræves for Pakke: {0} i Konto: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Indirekte udgifter
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Række {0}: Antal er obligatorisk
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Landbrug
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sync Master Data
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Dine produkter eller tjenester
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Dine produkter eller tjenester
DocType: Mode of Payment,Mode of Payment,Betalingsmåde
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Website Billede bør være en offentlig fil eller webadresse
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Website Billede bør være en offentlig fil eller webadresse
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,Stykliste
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Dette er en rod-varegruppe og kan ikke redigeres.
@@ -1287,17 +1294,17 @@
DocType: Warehouse,Warehouse Contact Info,Lagerkontaktinformation
DocType: Payment Entry,Write Off Difference Amount,Skriv Off Forskel Beløb
DocType: Purchase Invoice,Recurring Type,Tilbagevendende Type
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: Medarbejderens e-mail er ikke fundet, og derfor er e-mailen ikke sendt"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: Medarbejderens e-mail er ikke fundet, og derfor er e-mailen ikke sendt"
DocType: Item,Foreign Trade Details,Udenrigshandel Detaljer
DocType: Email Digest,Annual Income,Årlige indkomst
DocType: Serial No,Serial No Details,Serienummeroplysninger
DocType: Purchase Invoice Item,Item Tax Rate,Varemoms-%
DocType: Student Group Student,Group Roll Number,Gruppe Roll nummer
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",For {0} kan kun kredit konti knyttes mod en anden debet post
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Totalen for vægtningen af alle opgaver skal være 1. Juster vægten af alle sagsopgaver i overensstemmelse hermed
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Følgeseddel {0} er ikke godkendt
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Vare {0} skal være en underentreprise Vare
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Capital Udstyr
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Totalen for vægtningen af alle opgaver skal være 1. Juster vægten af alle sagsopgaver i overensstemmelse hermed
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Følgeseddel {0} er ikke godkendt
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Vare {0} skal være en underentreprise Vare
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Capital Udstyr
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Prisfastsættelsesregel skal først baseres på feltet 'Gælder for', som kan indeholde vare, varegruppe eller varemærke."
DocType: Hub Settings,Seller Website,Sælger Website
DocType: Item,ITEM-,VARE-
@@ -1315,7 +1322,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Der kan kun være én forsendelsesregelbetingelse med 0 eller blank værdi i feltet ""til værdi"""
DocType: Authorization Rule,Transaction,Transaktion
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Bemærk: Dette omkostningssted er en gruppe. Kan ikke postere mod grupper.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,eksisterer Child lager for dette lager. Du kan ikke slette dette lager.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,eksisterer Child lager for dette lager. Du kan ikke slette dette lager.
DocType: Item,Website Item Groups,Webside-varegrupper
DocType: Purchase Invoice,Total (Company Currency),I alt (firmavaluta)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Serienummer {0} indtastet mere end én gang
@@ -1325,7 +1332,7 @@
DocType: Grading Scale Interval,Grade Code,Grade kode
DocType: POS Item Group,POS Item Group,Kassesystem-varegruppe
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-mail nyhedsbrev:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},Stykliste {0} hører ikke til vare {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},Stykliste {0} hører ikke til vare {1}
DocType: Sales Partner,Target Distribution,Target Distribution
DocType: Salary Slip,Bank Account No.,Bankkonto No.
DocType: Naming Series,This is the number of the last created transaction with this prefix,Dette er antallet af sidste skabte transaktionen med dette præfiks
@@ -1335,12 +1342,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Bogføring af aktivernes afskrivning automatisk
DocType: BOM Operation,Workstation,Arbejdsstation
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Anmodning om tilbud Leverandør
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Hardware
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Hardware
DocType: Sales Order,Recurring Upto,tilbagevendende Op
DocType: Attendance,HR Manager,HR-chef
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Vælg firma
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Privilege Forlad
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Vælg firma
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Privilege Forlad
DocType: Purchase Invoice,Supplier Invoice Date,Leverandør fakturadato
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,om
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Du skal aktivere Indkøbskurven
DocType: Payment Entry,Writeoff,Skrive af
DocType: Appraisal Template Goal,Appraisal Template Goal,Vurdering Template Goal
@@ -1351,10 +1359,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Overlappende betingelser fundet mellem:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Mod Kassekladde {0} er allerede justeret mod et andet bilag
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Samlet ordreværdi
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Mad
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Mad
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Ageing Range 3
DocType: Maintenance Schedule Item,No of Visits,Antal besøg
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Mark attendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Mark attendence
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Vedligeholdelsesplanen {0} eksisterer imod {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,tilmelding elev
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Valuta for Lukning Der skal være {0}
@@ -1368,6 +1376,7 @@
DocType: Rename Tool,Utilities,Forsyningsvirksomheder
DocType: Purchase Invoice Item,Accounting,Regnskab
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Vælg venligst batches for batched item
DocType: Asset,Depreciation Schedules,Afskrivninger Tidsplaner
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Ansøgningsperiode kan ikke være uden for orlov tildelingsperiode
DocType: Activity Cost,Projects,Sager
@@ -1381,6 +1390,7 @@
DocType: POS Profile,Campaign,Kampagne
DocType: Supplier,Name and Type,Navn og type
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Godkendelsesstatus skal "Godkendt" eller "Afvist"
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,bootstrap
DocType: Purchase Invoice,Contact Person,Kontaktperson
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Forventet startdato' kan ikke være større end 'Forventet slutdato '
DocType: Course Scheduling Tool,Course End Date,Kursus slutdato
@@ -1388,12 +1398,11 @@
DocType: Sales Order Item,Planned Quantity,Planlagt mængde
DocType: Purchase Invoice Item,Item Tax Amount,Varemomsbeløb
DocType: Item,Maintain Stock,Vedligehold lageret
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Stock Entries allerede skabt til produktionsordre
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Stock Entries allerede skabt til produktionsordre
DocType: Employee,Prefered Email,foretrukket Email
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Nettoændring i anlægsaktiver
DocType: Leave Control Panel,Leave blank if considered for all designations,Lad stå tomt hvis det anses for alle betegnelser
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Lager er obligatorisk for ikke-gruppekonti af typen Lager
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Afgift af typen 'Actual "i rækken {0} kan ikke indgå i Item Rate
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Afgift af typen 'Actual "i rækken {0} kan ikke indgå i Item Rate
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Fra datotid
DocType: Email Digest,For Company,Til firma
@@ -1403,15 +1412,15 @@
DocType: Sales Invoice,Shipping Address Name,Leveringsadressenavn
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Kontoplan
DocType: Material Request,Terms and Conditions Content,Vilkår og betingelser Indhold
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,må ikke være større end 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Vare {0} er ikke en lagervare
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,må ikke være større end 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Vare {0} er ikke en lagervare
DocType: Maintenance Visit,Unscheduled,Uplanlagt
DocType: Employee,Owned,Ejet
DocType: Salary Detail,Depends on Leave Without Pay,Afhænger af fravær uden løn
DocType: Pricing Rule,"Higher the number, higher the priority","Desto højere tallet er, jo højere prioritet"
,Purchase Invoice Trends,Købsfaktura Trends
DocType: Employee,Better Prospects,Bedre udsigter
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Række # {0}: Parti {1} har kun {2} mængde. Vælg venligst et andet parti, der har {3} antal tilgængelige eller opdel rækken i flere rækker for at kunne levere fra flere partier"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Række # {0}: Parti {1} har kun {2} mængde. Vælg venligst et andet parti, der har {3} antal tilgængelige eller opdel rækken i flere rækker for at kunne levere fra flere partier"
DocType: Vehicle,License Plate,Nummerplade
DocType: Appraisal,Goals,Mål
DocType: Warranty Claim,Warranty / AMC Status,Garanti / AMC status
@@ -1422,19 +1431,20 @@
,Batch-Wise Balance History,Historik sorteret pr. parti
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Udskriftsindstillinger opdateret i respektive print format
DocType: Package Code,Package Code,Pakkekode
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Lærling
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Lærling
+DocType: Purchase Invoice,Company GSTIN,Firma GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Negative Mængde er ikke tilladt
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",Skat detalje tabel hentes fra post mester som en streng og opbevares i dette område. Bruges til skatter og afgifter
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Medarbejder kan ikke referere til sig selv.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Hvis kontoen er frossen, er poster lov til begrænsede brugere."
DocType: Email Digest,Bank Balance,Bank Balance
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Regnskab Punktet om {0}: {1} kan kun foretages i valuta: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Regnskab Punktet om {0}: {1} kan kun foretages i valuta: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Stillingsprofil, kvalifikationskrav mv."
DocType: Journal Entry Account,Account Balance,Kontosaldo
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Momsregel til transaktioner.
DocType: Rename Tool,Type of document to rename.,Type dokument omdøbe.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Vi køber denne vare
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Vi køber denne vare
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Kunden er påkrævet mod Tilgodehavende konto {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Moms i alt (firmavaluta)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Vis uafsluttede finanspolitiske års P & L balancer
@@ -1445,29 +1455,30 @@
DocType: Stock Entry,Total Additional Costs,Yderligere omkostninger i alt
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Skrot materialeomkostninger (firmavaluta)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Sub forsamlinger
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Sub forsamlinger
DocType: Asset,Asset Name,Aktivnavn
DocType: Project,Task Weight,Opgavevægtning
DocType: Shipping Rule Condition,To Value,Til Value
DocType: Asset Movement,Stock Manager,Stock manager
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Kilde lageret er obligatorisk for rækken {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Pakkeseddel
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Kontorleje
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Kilde lageret er obligatorisk for rækken {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Pakkeseddel
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Kontorleje
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Opsætning SMS gateway-indstillinger
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Import mislykkedes!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Ingen adresse tilføjet endnu.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Ingen adresse tilføjet endnu.
DocType: Workstation Working Hour,Workstation Working Hour,Workstation Working Hour
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Analytiker
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Analytiker
DocType: Item,Inventory,Inventory
DocType: Item,Sales Details,Salg Detaljer
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,Med varer
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,I Antal
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,I Antal
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Valider indskrevet kursus for studerende i studentegruppe
DocType: Notification Control,Expense Claim Rejected,Udlæg afvist
DocType: Item,Item Attribute,Item Attribut
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Regeringen
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Regeringen
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Udlæg {0} findes allerede for kørebogen
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Institut Navn
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Institut Navn
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,Indtast tilbagebetaling Beløb
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Item Varianter
DocType: Company,Services,Tjenester
@@ -1477,18 +1488,18 @@
DocType: Sales Invoice,Source,Kilde
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Vis lukket
DocType: Leave Type,Is Leave Without Pay,Er fravær uden løn
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Aktivkategori er obligatorisk for en anlægsaktivvare
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Aktivkategori er obligatorisk for en anlægsaktivvare
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Ingen resultater i Payment tabellen
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Dette {0} konflikter med {1} for {2} {3}
DocType: Student Attendance Tool,Students HTML,Studerende HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Regnskabsår Startdato
DocType: POS Profile,Apply Discount,Anvend rabat
+DocType: Purchase Invoice Item,GST HSN Code,GST HSN-kode
DocType: Employee External Work History,Total Experience,Total Experience
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Åbne sager
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Pakkeseddel (ler) annulleret
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Pengestrømme fra investeringsaktiviteter
DocType: Program Course,Program Course,Kursusprogram
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Fragt og Forwarding Afgifter
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Fragt og Forwarding Afgifter
DocType: Homepage,Company Tagline for website homepage,Firma Tagline for website hjemmeside
DocType: Item Group,Item Group Name,Varegruppenavn
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Taget
@@ -1498,6 +1509,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Opret emner
DocType: Maintenance Schedule,Schedules,Tidsplaner
DocType: Purchase Invoice Item,Net Amount,Nettobeløb
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} er ikke indsendt, så handlingen kan ikke gennemføres"
DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detail Nej
DocType: Landed Cost Voucher,Additional Charges,Ekstragebyrer
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Ekstra rabatbeløb (firmavaluta)
@@ -1513,6 +1525,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Månedlige ydelse Beløb
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,Indstil Bruger-id feltet i en Medarbejder rekord at indstille Medarbejder Rolle
DocType: UOM,UOM Name,Enhedsnavn
+DocType: GST HSN Code,HSN Code,HSN kode
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Bidrag Beløb
DocType: Purchase Invoice,Shipping Address,Leveringsadresse
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Dette værktøj hjælper dig med at opdatere eller fastsætte mængden og værdiansættelse på lager i systemet. Det bruges typisk til at synkronisere systemets værdier og hvad der rent faktisk eksisterer i dine lagre.
@@ -1523,17 +1536,16 @@
DocType: Program Enrollment Tool,Program Enrollments,program Tilmeldingsaftaler
DocType: Sales Invoice Item,Brand Name,Varemærkenavn
DocType: Purchase Receipt,Transporter Details,Transporter Detaljer
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Standardlageret er påkrævet for den valgte vare
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Kasse
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Standardlageret er påkrævet for den valgte vare
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Kasse
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,mulig leverandør
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Organisationen
DocType: Budget,Monthly Distribution,Månedlig Distribution
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Modtager List er tom. Opret Modtager liste
DocType: Production Plan Sales Order,Production Plan Sales Order,Produktion Plan kundeordre
DocType: Sales Partner,Sales Partner Target,Salgs Partner Mål
DocType: Loan Type,Maximum Loan Amount,Maksimalt lånebeløb
DocType: Pricing Rule,Pricing Rule,Prisfastsættelsesregel
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Dupliceringsrulle nummer for studerende {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Dupliceringsrulle nummer for studerende {0}
DocType: Budget,Action if Annual Budget Exceeded,Action hvis årlige budgetplan overskredet
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Materialeanmodning til indkøbsordre
DocType: Shopping Cart Settings,Payment Success URL,Betaling gennemført URL
@@ -1546,11 +1558,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Åbning Stock Balance
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} må kun optræde én gang
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Ikke tilladt at overføre mere {0} end {1} mod indkøbsordre {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Ikke tilladt at overføre mere {0} end {1} mod indkøbsordre {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Fravær blev succesfuldt tildelt til {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Ingen varer at pakke
DocType: Shipping Rule Condition,From Value,Fra Value
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Produktionmængde er obligatorisk
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Produktionmængde er obligatorisk
DocType: Employee Loan,Repayment Method,tilbagebetaling Metode
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Hvis markeret, vil hjemmesiden være standard varegruppe til hjemmesiden"
DocType: Quality Inspection Reading,Reading 4,Reading 4
@@ -1560,7 +1572,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},"Row # {0}: Clearance dato {1} kan ikke være, før Cheque Dato {2}"
DocType: Company,Default Holiday List,Standard helligdagskalender
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Række {0}: Fra tid og til tid af {1} overlapper med {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Stock Passiver
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Stock Passiver
DocType: Purchase Invoice,Supplier Warehouse,Leverandør Warehouse
DocType: Opportunity,Contact Mobile No,Kontakt mobiltelefonnr.
,Material Requests for which Supplier Quotations are not created,Materialeanmodninger under hvilke leverandørtilbud ikke er oprettet
@@ -1571,35 +1583,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Opret tilbud
apps/erpnext/erpnext/config/selling.py +216,Other Reports,Andre rapporter
DocType: Dependent Task,Dependent Task,Afhængig opgave
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Omregningsfaktor for standard Måleenhed skal være 1 i række {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Omregningsfaktor for standard Måleenhed skal være 1 i række {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Fravær af typen {0} må ikke vare længere end {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Prøv at planlægge operationer for X dage i forvejen.
DocType: HR Settings,Stop Birthday Reminders,Stop Fødselsdag Påmindelser
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Venligst sæt Standard Payroll Betales konto i Company {0}
DocType: SMS Center,Receiver List,Modtageroversigt
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Søg Vare
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Søg Vare
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Forbrugt Mængde
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Nettoændring i kontanter
DocType: Assessment Plan,Grading Scale,karakterbekendtgørelsen
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Måleenhed {0} er indtastet mere end én gang i Conversion Factor Table
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Måleenhed {0} er indtastet mere end én gang i Conversion Factor Table
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,Allerede afsluttet
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock i hånden
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Betalingsanmodning findes allerede {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Omkostninger ved Udstedte Varer
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Antal må ikke være mere end {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Foregående regnskabsår er ikke lukket
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Alder (dage)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Alder (dage)
DocType: Quotation Item,Quotation Item,Tilbudt vare
+DocType: Customer,Customer POS Id,Kundens POS-id
DocType: Account,Account Name,Kontonavn
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Fra dato ikke kan være større end til dato
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serienummer {0} mængde {1} kan ikke være en brøkdel
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Leverandørtype-master.
DocType: Purchase Order Item,Supplier Part Number,Leverandør Part Number
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Omregningskurs kan ikke være 0 eller 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Omregningskurs kan ikke være 0 eller 1
DocType: Sales Invoice,Reference Document,referencedokument
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} er aflyst eller stoppet
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} er aflyst eller stoppet
DocType: Accounts Settings,Credit Controller,Credit Controller
DocType: Delivery Note,Vehicle Dispatch Date,Køretøj Dispatch Dato
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Købskvittering {0} er ikke godkendt
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Købskvittering {0} er ikke godkendt
DocType: Company,Default Payable Account,Standard Betales konto
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Indstillinger for online indkøbskurv, såsom forsendelsesregler, prisliste mv."
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% Faktureret
@@ -1618,11 +1632,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Samlede godtgjorte beløb
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Dette er baseret på kørebogen for køretøjet. Se tidslinje nedenfor for detaljer
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,Indsamle
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Imod Leverandør Faktura {0} dateret {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Imod Leverandør Faktura {0} dateret {1}
DocType: Customer,Default Price List,Standardprisliste
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Asset Movement rekord {0} skabt
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Du kan ikke slette Fiscal År {0}. Regnskabsår {0} er indstillet som standard i Globale indstillinger
DocType: Journal Entry,Entry Type,Posttype
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Ingen vurderingsplan knyttet til denne vurderingsgruppe
,Customer Credit Balance,Customer Credit Balance
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Netto Ændring i Kreditor
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Kunden kræves for 'Customerwise Discount'
@@ -1630,7 +1645,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Priser
DocType: Quotation,Term Details,Term Detaljer
DocType: Project,Total Sales Cost (via Sales Order),Samlet salgsomkostninger (via salgsordre)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Kan ikke tilmelde mere end {0} studerende til denne elevgruppe.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Kan ikke tilmelde mere end {0} studerende til denne elevgruppe.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Lead Count
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} skal være større end 0
DocType: Manufacturing Settings,Capacity Planning For (Days),Kapacitet Planlægning For (dage)
@@ -1651,7 +1666,7 @@
DocType: Sales Invoice,Packed Items,Pakkede varer
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garantikrav mod serienummer
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Udskift en bestemt BOM i alle andre styklister, hvor det bruges. Det vil erstatte den gamle BOM linket, opdatere omkostninger og regenerere "BOM Explosion Item" tabel som pr ny BOM"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','I alt'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','I alt'
DocType: Shopping Cart Settings,Enable Shopping Cart,Aktiver Indkøbskurv
DocType: Employee,Permanent Address,Permanent adresse
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1667,9 +1682,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,Angiv venligst enten mængde eller Værdiansættelse Rate eller begge
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,Opfyldelse
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Se i indkøbskurven
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Markedsføringsomkostninger
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Markedsføringsomkostninger
,Item Shortage Report,Item Mangel Rapport
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Vægt er nævnt, \ nVenligst nævne "Weight UOM" for"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Vægt er nævnt, \ nVenligst nævne "Weight UOM" for"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Materialeanmodning brugt til denne lagerpost
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Næste afskrivningsdato er obligatorisk for nye aktiver
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Separat kursusbaseret gruppe for hver batch
@@ -1678,17 +1693,18 @@
,Student Fee Collection,Student afgiftsopkrævning
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Lav Regnskab indtastning For hver Stock Movement
DocType: Leave Allocation,Total Leaves Allocated,Tildelt fravær i alt
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Lager kræves på rækkenr. {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Indtast venligst det gyldige regnskabsårs start- og slutdatoer
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Lager kræves på rækkenr. {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Indtast venligst det gyldige regnskabsårs start- og slutdatoer
DocType: Employee,Date Of Retirement,Dato for pensionering
DocType: Upload Attendance,Get Template,Hent skabelon
+DocType: Material Request,Transferred,overført
DocType: Vehicle,Doors,Døre
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext opsætning er afsluttet !
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext opsætning er afsluttet !
DocType: Course Assessment Criteria,Weightage,Vægtning
DocType: Packing Slip,PS-,PS
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: omkostningssted er påkrævet for resultatopgørelsekonto {2}. Opret venligst et standard omkostningssted for firmaet.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,En kundegruppe med samme navn findes. Ret Kundens navn eller omdøb kundegruppen
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Ny kontakt
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,En kundegruppe med samme navn findes. Ret Kundens navn eller omdøb kundegruppen
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Ny kontakt
DocType: Territory,Parent Territory,Overordnet område
DocType: Quality Inspection Reading,Reading 2,Reading 2
DocType: Stock Entry,Material Receipt,Materiale Kvittering
@@ -1697,17 +1713,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Hvis denne vare har varianter, så det kan ikke vælges i salgsordrer mv"
DocType: Lead,Next Contact By,Næste kontakt af
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},"Mængde, der kræves for Item {0} i række {1}"
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},"Lager {0} kan ikke slettes, da der eksisterer et antal varer {1} på lageret"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},"Mængde, der kræves for Item {0} i række {1}"
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Lager {0} kan ikke slettes, da der eksisterer et antal varer {1} på lageret"
DocType: Quotation,Order Type,Bestil Type
DocType: Purchase Invoice,Notification Email Address,Meddelelse E-mailadresse
,Item-wise Sales Register,Vare-wise Sales Register
DocType: Asset,Gross Purchase Amount,Bruttokøbesum
DocType: Asset,Depreciation Method,Afskrivningsmetode
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Offline
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,Offline
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Er denne Tax inkluderet i Basic Rate?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Samlet Target
-DocType: Program Course,Required,Nødvendig
DocType: Job Applicant,Applicant for a Job,Ansøger
DocType: Production Plan Material Request,Production Plan Material Request,Produktionsplan-Materialeanmodning
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Ingen produktionsordrer oprettet
@@ -1716,17 +1731,17 @@
DocType: Purchase Invoice Item,Batch No,Partinr.
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Tillad flere salgsordrer mod kundens indkøbsordre
DocType: Student Group Instructor,Student Group Instructor,Studentgruppeinstruktør
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Formynder 2 mobiltelefonnr.
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Hoved
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Formynder 2 mobiltelefonnr.
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Hoved
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variant
DocType: Naming Series,Set prefix for numbering series on your transactions,Sæt præfiks for nummerering serie om dine transaktioner
DocType: Employee Attendance Tool,Employees HTML,Medarbejdere HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Standard stykliste ({0}) skal være aktiv for denne vare eller dens skabelon
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Standard stykliste ({0}) skal være aktiv for denne vare eller dens skabelon
DocType: Employee,Leave Encashed?,Skal fravær udbetales?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Salgsmulighed Fra-feltet er obligatorisk
DocType: Email Digest,Annual Expenses,årlige Omkostninger
DocType: Item,Variants,Varianter
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Opret indkøbsordre
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Opret indkøbsordre
DocType: SMS Center,Send To,Send til
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Der er ikke nok dage til rådighed til fraværstype {0}
DocType: Payment Reconciliation Payment,Allocated amount,Tildelte beløb
@@ -1740,26 +1755,25 @@
DocType: Supplier,Statutory info and other general information about your Supplier,Lovpligtig information og andre generelle oplysninger om din leverandør
DocType: Item,Serial Nos and Batches,Serienummer og partier
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Studentgruppens styrke
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Mod Kassekladde {0} har ikke nogen uovertruffen {1} indgang
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Mod Kassekladde {0} har ikke nogen uovertruffen {1} indgang
apps/erpnext/erpnext/config/hr.py +137,Appraisals,Medarbejdervurderinger
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Doppelte serienumre er indtastet for vare {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Betingelse for en forsendelsesregel
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Kom ind
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Kan ikke overfakturere for vare {0} i række {1} for mere end {2}. For at tillade over-fakturering, skal du ændre i Indkøbsindstillinger"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Indstil filter baseret på Item eller Warehouse
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Kan ikke overfakturere for vare {0} i række {1} for mere end {2}. For at tillade over-fakturering, skal du ændre i Indkøbsindstillinger"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Indstil filter baseret på Item eller Warehouse
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Nettovægten af denne pakke. (Beregnes automatisk som summen af nettovægt på poster)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Venligst oprette en konto for denne Warehouse og link det. Dette kan ikke gøres automatisk som en konto med navnet {0} findes allerede
DocType: Sales Order,To Deliver and Bill,At levere og Bill
DocType: Student Group,Instructors,Instruktører
DocType: GL Entry,Credit Amount in Account Currency,Credit Beløb i Konto Valuta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,Stykliste {0} skal godkendes
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,Stykliste {0} skal godkendes
DocType: Authorization Control,Authorization Control,Authorization Kontrol
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Række # {0}: Afvist Warehouse er obligatorisk mod afvist element {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Række # {0}: Afvist Warehouse er obligatorisk mod afvist element {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Betaling
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Lager {0} er ikke knyttet til nogen konto, angiv venligst kontoen i lagerplaceringen eller angiv standard lagerkonto i firma {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Administrér dine ordrer
DocType: Production Order Operation,Actual Time and Cost,Aktuel leveringstid og omkostninger
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materialeanmodning af maksimum {0} kan oprettes for vare {1} mod salgsordre {2}
-DocType: Employee,Salutation,Titel
DocType: Course,Course Abbreviation,Kursusforkortelse
DocType: Student Leave Application,Student Leave Application,Student Leave Application
DocType: Item,Will also apply for variants,Vil også gælde for varianter
@@ -1771,12 +1785,12 @@
DocType: Quotation Item,Actual Qty,Faktiske Antal
DocType: Sales Invoice Item,References,Referencer
DocType: Quality Inspection Reading,Reading 10,Reading 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","List dine produkter eller tjenester, som du køber eller sælger. Sørg for at kontrollere varegruppe, måleenhed og andre egenskaber, når du starter."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","List dine produkter eller tjenester, som du køber eller sælger. Sørg for at kontrollere varegruppe, måleenhed og andre egenskaber, når du starter."
DocType: Hub Settings,Hub Node,Hub Node
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Du har indtastet dubletter. Venligst rette, og prøv igen."
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Associate
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Associate
DocType: Asset Movement,Asset Movement,Asset Movement
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,Ny kurv
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Ny kurv
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Vare {0} er ikke en serienummervare
DocType: SMS Center,Create Receiver List,Opret Modtager liste
DocType: Vehicle,Wheels,Hjul
@@ -1796,19 +1810,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Kan henvise rækken, hvis gebyret type er 'On Forrige Row Beløb "eller" Forrige Row alt'"
DocType: Sales Order Item,Delivery Warehouse,Levering Warehouse
DocType: SMS Settings,Message Parameter,Besked Parameter
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Tree of finansielle omkostningssteder.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Tree of finansielle omkostningssteder.
DocType: Serial No,Delivery Document No,Levering dokument nr
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Sæt venligst ""Gevinst/tabskonto vedr. salg af anlægsaktiv"" i firma {0}"
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Hent varer fra købskvitteringer
DocType: Serial No,Creation Date,Oprettet d.
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Vare {0} forekommer flere gange i prisliste {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Selling skal kontrolleres, om nødvendigt er valgt som {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Selling skal kontrolleres, om nødvendigt er valgt som {0}"
DocType: Production Plan Material Request,Material Request Date,Materialeanmodningsdato
DocType: Purchase Order Item,Supplier Quotation Item,Leverandør tibudt Varer
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Deaktiverer skabelse af tid logfiler mod produktionsordrer. Operationer må ikke spores mod produktionsordre
DocType: Student,Student Mobile Number,Studerende mobiltelefonnr.
DocType: Item,Has Variants,Har Varianter
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Du har allerede valgt elementer fra {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Du har allerede valgt elementer fra {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Navnet på den månedlige Distribution
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Parti-id er obligatorisk
DocType: Sales Person,Parent Sales Person,Parent Sales Person
@@ -1818,12 +1832,12 @@
DocType: Budget,Fiscal Year,Regnskabsår
DocType: Vehicle Log,Fuel Price,Brændstofpris
DocType: Budget,Budget,Budget
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Anlægsaktiv-varen skal være en ikke-lagervare.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Anlægsaktiv-varen skal være en ikke-lagervare.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budget kan ikke tildeles mod {0}, da det ikke er en indtægt eller omkostning konto"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Opnået
DocType: Student Admission,Application Form Route,Ansøgningsskema Route
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Område / kunde
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,fx 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,fx 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Fraværstype {0} kan ikke fordeles, da den er af typen uden løn"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Række {0}: Allokeret mængde {1} skal være mindre end eller lig med at fakturere udestående beløb {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"""I ord"" vil være synlig, når du gemmer salgsfakturaen."
@@ -1832,7 +1846,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Vare {0} er ikke sat op til serienumre. Tjek vare-masteren
DocType: Maintenance Visit,Maintenance Time,Vedligeholdelsestid
,Amount to Deliver,"Beløb, Deliver"
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,En vare eller tjenesteydelse
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,En vare eller tjenesteydelse
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Den Term Startdato kan ikke være tidligere end året Start Dato for skoleåret, som udtrykket er forbundet (Studieår {}). Ret de datoer og prøv igen."
DocType: Guardian,Guardian Interests,Guardian Interesser
DocType: Naming Series,Current Value,Aktuel værdi
@@ -1846,12 +1860,12 @@
must be greater than or equal to {2}","Række {0}: For at indstille {1} periodicitet, skal forskellen mellem fra og til dato \ være større end eller lig med {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Dette er baseret på lager bevægelse. Se {0} for detaljer
DocType: Pricing Rule,Selling,Salg
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Mængden {0} {1} trækkes mod {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Mængden {0} {1} trækkes mod {2}
DocType: Employee,Salary Information,Løn Information
DocType: Sales Person,Name and Employee ID,Navne og Medarbejder ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,Forfaldsdato kan ikke være før bogføringsdatoen
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,Forfaldsdato kan ikke være før bogføringsdatoen
DocType: Website Item Group,Website Item Group,Webside-varegruppe
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Skatter og afgifter
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Skatter og afgifter
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Indtast referencedato
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} betalingsposter ikke kan filtreres med {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Tabel til Vare, der vil blive vist i Web Site"
@@ -1868,9 +1882,9 @@
DocType: Payment Reconciliation Payment,Reference Row,henvisning Row
DocType: Installation Note,Installation Time,Installation Time
DocType: Sales Invoice,Accounting Details,Regnskab Detaljer
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Slette alle transaktioner for denne Company
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: Operation {1} er ikke afsluttet for {2} qty af færdigvarer i produktionsordre # {3}. Du opdatere driftsstatus via Time Logs
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Investeringer
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Slette alle transaktioner for denne Company
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: Operation {1} er ikke afsluttet for {2} qty af færdigvarer i produktionsordre # {3}. Du opdatere driftsstatus via Time Logs
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Investeringer
DocType: Issue,Resolution Details,Løsningsdetaljer
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,tildelinger
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Acceptkriterier
@@ -1895,7 +1909,7 @@
DocType: Room,Room Name,Værelsesnavn
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Lad ikke kan anvendes / annulleres, før {0}, da orlov balance allerede har været carry-fremsendt i fremtiden orlov tildeling rekord {1}"
DocType: Activity Cost,Costing Rate,Costing Rate
-,Customer Addresses And Contacts,Kundeadresser og kontakter
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Kundeadresser og kontakter
,Campaign Efficiency,Kampagneeffektivitet
DocType: Discussion,Discussion,Diskussion
DocType: Payment Entry,Transaction ID,Transaktions-ID
@@ -1905,14 +1919,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Faktureret beløb i alt (via Tidsregistrering)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Omsætning gamle kunder
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}), skal have rollen 'Udlægsgodkender'"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Par
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Vælg stykliste og produceret antal
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Par
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Vælg stykliste og produceret antal
DocType: Asset,Depreciation Schedule,Afskrivninger Schedule
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Salgspartneradresser og kontakter
DocType: Bank Reconciliation Detail,Against Account,Mod konto
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Halv Dag Dato skal være mellem Fra dato og Til dato
DocType: Maintenance Schedule Detail,Actual Date,Faktisk dato
DocType: Item,Has Batch No,Har partinr.
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Årlig fakturering: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Årlig fakturering: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Varer og tjenesteydelser Skat (GST Indien)
DocType: Delivery Note,Excise Page Number,Excise Sidetal
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Company, Fra dato og Til dato er obligatorisk"
DocType: Asset,Purchase Date,Købsdato
@@ -1920,11 +1936,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Venligst sæt 'Asset Afskrivninger Omkostninger Centers i Company {0}
,Maintenance Schedules,Vedligeholdelsesplaner
DocType: Task,Actual End Date (via Time Sheet),Faktisk Slutdato (via Tidsregistreringen)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Mængden {0} {1} mod {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Mængden {0} {1} mod {2} {3}
,Quotation Trends,Tilbud trends
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Varegruppe ikke er nævnt i vare-masteren for vare {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Debit-Til konto skal være et tilgodehavende konto
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Varegruppe ikke er nævnt i vare-masteren for vare {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Debit-Til konto skal være et tilgodehavende konto
DocType: Shipping Rule Condition,Shipping Amount,Forsendelsesmængde
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Tilføj kunder
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Afventende beløb
DocType: Purchase Invoice Item,Conversion Factor,Konverteringsfaktor
DocType: Purchase Order,Delivered,Leveret
@@ -1934,7 +1951,8 @@
DocType: Purchase Receipt,Vehicle Number,Køretøjsnummer
DocType: Purchase Invoice,The date on which recurring invoice will be stop,"Den dato, hvor tilbagevendende faktura vil blive stoppe"
DocType: Employee Loan,Loan Amount,Lånebeløb
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Række {0}: stykliste ikke fundet for vare {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Selvkørende køretøj
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Række {0}: stykliste ikke fundet for vare {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Samlede fordelte blade {0} kan ikke være mindre end allerede godkendte blade {1} for perioden
DocType: Journal Entry,Accounts Receivable,Tilgodehavender
,Supplier-Wise Sales Analytics,Salgsanalyser pr. leverandør
@@ -1951,21 +1969,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Udlæg afventer godkendelse. Kun Udlægs-godkenderen kan opdatere status.
DocType: Email Digest,New Expenses,Nye udgifter
DocType: Purchase Invoice,Additional Discount Amount,Ekstra rabatbeløb
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Række # {0}: Antal skal være én, eftersom varen er et anlægsaktiv. Brug venligst separat række til flere antal."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Række # {0}: Antal skal være én, eftersom varen er et anlægsaktiv. Brug venligst separat række til flere antal."
DocType: Leave Block List Allow,Leave Block List Allow,Tillad blokerede fraværsansøgninger
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Forkortelsen kan ikke være tom eller bestå af mellemrum
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Forkortelsen kan ikke være tom eller bestå af mellemrum
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Gruppe til ikke-Group
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sport
DocType: Loan Type,Loan Name,Lånenavn
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Samlede faktiske
DocType: Student Siblings,Student Siblings,Student Søskende
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Enhed
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,Angiv venligst firma
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Enhed
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Angiv venligst firma
,Customer Acquisition and Loyalty,Kundetilgang og -loyalitet
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Lager, hvor du vedligeholder lager af afviste varer"
DocType: Production Order,Skip Material Transfer,Spring over overførsel af materiale
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Kan ikke finde valutakurs for {0} til {1} for nøgle dato {2}. Opret venligst en valutaudvekslingsoptegnelse manuelt
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Din regnskabsår slutter den
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Kan ikke finde valutakurs for {0} til {1} for nøgle dato {2}. Opret venligst en valutaudvekslingsoptegnelse manuelt
DocType: POS Profile,Price List,Prisliste
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} er nu standard regnskabsår. Opdater venligst din browser for at ændringen træder i kraft.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Udlæg
@@ -1978,14 +1995,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Lagersaldo i parti {0} vil blive negativ {1} for vare {2} på lager {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Følgende materialeanmodninger er blevet dannet automatisk baseret på varens genbestillelsesniveau
DocType: Email Digest,Pending Sales Orders,Afventende salgsordrer
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Konto {0} er ugyldig. Konto Valuta skal være {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Konto {0} er ugyldig. Konto Valuta skal være {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM Omregningsfaktor kræves i række {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Række # {0}: referencedokumenttype skal være en af følgende: salgsordre, salgsfaktura eller kassekladde"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Række # {0}: referencedokumenttype skal være en af følgende: salgsordre, salgsfaktura eller kassekladde"
DocType: Salary Component,Deduction,Fradrag
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Række {0}: Fra tid og til tid er obligatorisk.
DocType: Stock Reconciliation Item,Amount Difference,beløb Forskel
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Varepris tilføjet for {0} i prisliste {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Varepris tilføjet for {0} i prisliste {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Indtast venligst Medarbejder Id dette salg person
DocType: Territory,Classification of Customers by region,Klassifikation af kunder efter region
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Forskel Beløb skal være nul
@@ -1997,21 +2014,21 @@
DocType: Quotation,QTN-,T-
DocType: Salary Slip,Total Deduction,Samlet Fradrag
,Production Analytics,Produktionsanalyser
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Omkostninger opdateret
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Omkostninger opdateret
DocType: Employee,Date of Birth,Fødselsdato
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Element {0} er allerede blevet returneret
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Element {0} er allerede blevet returneret
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Regnskabsår ** repræsenterer et regnskabsår. Alle regnskabsposteringer og andre større transaktioner spores mod ** regnskabsår **.
DocType: Opportunity,Customer / Lead Address,Kunde / Emne Adresse
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Advarsel: Ugyldigt SSL-certifikat på vedhæftet fil {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Advarsel: Ugyldigt SSL-certifikat på vedhæftet fil {0}
DocType: Student Admission,Eligibility,Berettigelse
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Leads hjælpe dig virksomhed, tilføje alle dine kontakter, og flere som din fører"
DocType: Production Order Operation,Actual Operation Time,Faktiske Operation Time
DocType: Authorization Rule,Applicable To (User),Gælder for (Bruger)
DocType: Purchase Taxes and Charges,Deduct,Fratræk
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Stillingsbeskrivelse
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Stillingsbeskrivelse
DocType: Student Applicant,Applied,Anvendt
DocType: Sales Invoice Item,Qty as per Stock UOM,Mængde pr. lagerenhed
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2 Navn
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 Navn
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Specialtegn undtagen "-" ".", "#", og "/" ikke tilladt i navngivning serie"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Hold styr på salgskampagner. Hold styr på emner, tilbud, salgsordrer osv fra kampagne til Return on Investment."
DocType: Expense Claim,Approver,Godkender
@@ -2022,7 +2039,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serienummer {0} er under garanti op til {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Opdel følgeseddel i pakker.
apps/erpnext/erpnext/hooks.py +87,Shipments,Forsendelser
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Kontosaldo ({0}) for {1} og lagerværdi ({2}) for lager {3} skal være ens
DocType: Payment Entry,Total Allocated Amount (Company Currency),Samlet tildelte beløb (Company Currency)
DocType: Purchase Order Item,To be delivered to customer,Der skal leveres til kunden
DocType: BOM,Scrap Material Cost,Skrot materialeomkostninger
@@ -2030,20 +2046,21 @@
DocType: Purchase Invoice,In Words (Company Currency),I Words (Company Valuta)
DocType: Asset,Supplier,Leverandør
DocType: C-Form,Quarter,Kvarter
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Diverse udgifter
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Diverse udgifter
DocType: Global Defaults,Default Company,Standardfirma
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Udgift eller Forskel konto er obligatorisk for Item {0}, da det påvirker den samlede lagerværdi"
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Udgift eller Forskel konto er obligatorisk for Item {0}, da det påvirker den samlede lagerværdi"
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Bank navn
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-over
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-over
DocType: Employee Loan,Employee Loan Account,Medarbejder Lån konto
DocType: Leave Application,Total Leave Days,Totalt antal fraværsdage
DocType: Email Digest,Note: Email will not be sent to disabled users,Bemærk: E-mail vil ikke blive sendt til deaktiverede brugere
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Antal interaktioner
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Varenummer> Varegruppe> Mærke
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Vælg firma ...
DocType: Leave Control Panel,Leave blank if considered for all departments,"Lad stå tomt, hvis det skal gælde for alle afdelinger"
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Typer af beskæftigelse (permanent, kontrakt, praktikant osv)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} er obligatorisk for vare {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} er obligatorisk for vare {1}
DocType: Process Payroll,Fortnightly,Hver 14. dag
DocType: Currency Exchange,From Currency,Fra Valuta
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Vælg tildelte beløb, Faktura Type og Fakturanummer i mindst én række"
@@ -2065,7 +2082,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,Klik på "Generer Schedule 'for at få tidsplan
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Der var fejl under sletning af følgende skemaer:
DocType: Bin,Ordered Quantity,Bestilt antal
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",fx "Byg værktøjer til bygherrer"
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",fx "Byg værktøjer til bygherrer"
DocType: Grading Scale,Grading Scale Intervals,Grading Scale Intervaller
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Regnskab Overgang til {2} kan kun foretages i valuta: {3}
DocType: Production Order,In Process,I Process
@@ -2079,12 +2096,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Studentgrupper oprettet.
DocType: Sales Invoice,Total Billing Amount,Samlet faktureringsbeløb
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,"Der skal være en standard indgående e-mail-konto aktiveret for at dette virker. Venligst setup en standard indgående e-mail-konto (POP / IMAP), og prøv igen."
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Tilgodehavende konto
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} er allerede {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Tilgodehavende konto
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} er allerede {2}
DocType: Quotation Item,Stock Balance,Stock Balance
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Salgsordre til betaling
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Indstil navngivningsserie for {0} via Setup> Settings> Naming Series
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,Direktør
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,Direktør
DocType: Expense Claim Detail,Expense Claim Detail,Udlægsdetalje
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Vælg korrekt konto
DocType: Item,Weight UOM,Vægtenhed
@@ -2093,12 +2109,12 @@
DocType: Production Order Operation,Pending,Afventer
DocType: Course,Course Name,Kursusnavn
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,"Brugere, der kan godkende en bestemt medarbejders orlov applikationer"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Kontorudstyr
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Kontorudstyr
DocType: Purchase Invoice Item,Qty,Antal
DocType: Fiscal Year,Companies,Firmaer
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Elektronik
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Start materialeanmodningen når lagerbestanden når genbestilningsniveauet
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Fuld tid
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Fuld tid
DocType: Salary Structure,Employees,Medarbejdere
DocType: Employee,Contact Details,Kontaktoplysninger
DocType: C-Form,Received Date,Modtaget d.
@@ -2108,7 +2124,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Priserne vil ikke blive vist, hvis prisliste ikke er indstillet"
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Angiv et land for denne forsendelsesregel eller check ""Levering til hele verden"""
DocType: Stock Entry,Total Incoming Value,Samlet værdi indgående
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Debet-til skal angives
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Debet-til skal angives
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Tidskladder hjælper med at holde styr på tid, omkostninger og fakturering for aktiviteter udført af dit team"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Indkøbsprisliste
DocType: Offer Letter Term,Offer Term,Offer Term
@@ -2117,17 +2133,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Afstemning af betalinger
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,Vælg Incharge Person navn
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Teknologi
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Sum ubetalt: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Sum ubetalt: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM Website Operation
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Ansættelsesbrev
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Opret materialeanmodninger og produktionsordrer
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Samlet faktureret beløb
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Samlet faktureret beløb
DocType: BOM,Conversion Rate,Omregningskurs
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Søg efter vare
DocType: Timesheet Detail,To Time,Til Time
DocType: Authorization Rule,Approving Role (above authorized value),Godkendelse (over autoriserede værdi) Rolle
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Kredit til konto skal være en Betales konto
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM rekursion: {0} kan ikke være forælder eller barn af {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Kredit til konto skal være en Betales konto
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM rekursion: {0} kan ikke være forælder eller barn af {2}
DocType: Production Order Operation,Completed Qty,Afsluttet Antal
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",For {0} kan kun betalingskort konti knyttes mod en anden kredit post
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Prisliste {0} er deaktiveret
@@ -2138,28 +2154,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,"{0} serienumre, der kræves for vare {1}. Du har angivet {2}."
DocType: Stock Reconciliation Item,Current Valuation Rate,Aktuel Værdiansættelse Rate
DocType: Item,Customer Item Codes,Kunde varenumre
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Exchange Gevinst / Tab
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange Gevinst / Tab
DocType: Opportunity,Lost Reason,Tabsårsag
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Ny adresse
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Ny adresse
DocType: Quality Inspection,Sample Size,Sample Size
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Indtast Kvittering Dokument
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Alle varer er allerede blevet faktureret
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Alle varer er allerede blevet faktureret
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',Angiv en gyldig "Fra sag nr '
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,Yderligere omkostninger centre kan foretages under Grupper men indtastninger kan foretages mod ikke-grupper
DocType: Project,External,Ekstern
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Brugere og tilladelser
DocType: Vehicle Log,VLOG.,Vlog.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Produktionsordrer Oprettet: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Produktionsordrer Oprettet: {0}
DocType: Branch,Branch,Filial
DocType: Guardian,Mobile Number,Mobiltelefonnr.
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Udskriving
DocType: Bin,Actual Quantity,Faktiske Mængde
DocType: Shipping Rule,example: Next Day Shipping,eksempel: Næste dages levering
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serienummer {0} ikke fundet
-DocType: Scheduling Tool,Student Batch,Elevgruppe
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Dine kunder
+DocType: Program Enrollment,Student Batch,Elevgruppe
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Opret studerende
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Du er blevet inviteret til at samarbejde om sag: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Du er blevet inviteret til at samarbejde om sag: {0}
DocType: Leave Block List Date,Block Date,Blokeringsdato
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Ansøg nu
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Faktisk antal {0} / ventende antal {1}
@@ -2168,7 +2183,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Opret og administrér de daglige, ugentlige og månedlige e-mail-nyhedsbreve."
DocType: Appraisal Goal,Appraisal Goal,Vurdering Goal
DocType: Stock Reconciliation Item,Current Amount,Det nuværende beløb
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,Bygninger
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,Bygninger
DocType: Fee Structure,Fee Structure,Gebyr struktur
DocType: Timesheet Detail,Costing Amount,Koster Beløb
DocType: Student Admission,Application Fee,Tilmeldingsgebyr
@@ -2180,10 +2195,10 @@
DocType: POS Profile,[Select],[Vælg]
DocType: SMS Log,Sent To,Sendt Til
DocType: Payment Request,Make Sales Invoice,Opret salgsfaktura
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,Softwares
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Softwares
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Næste kontakt d. kan ikke være i fortiden
DocType: Company,For Reference Only.,Kun til reference.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Vælg partinr.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Vælg partinr.
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Ugyldig {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-Retsinformation
DocType: Sales Invoice Advance,Advance Amount,Advance Beløb
@@ -2193,15 +2208,15 @@
DocType: Employee,Employment Details,Beskæftigelse Detaljer
DocType: Employee,New Workplace,Ny Arbejdsplads
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Angiv som Lukket
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Ingen vare med stregkode {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Ingen vare med stregkode {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Case No. ikke være 0
DocType: Item,Show a slideshow at the top of the page,Vis et diasshow på toppen af siden
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,styklister
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Butikker
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,styklister
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Butikker
DocType: Serial No,Delivery Time,Leveringstid
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Aldring Baseret på
DocType: Item,End of Life,End of Life
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Rejser
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Rejser
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Ingen aktiv eller standard-lønstruktur fundet for medarbejder {0} for de givne datoer
DocType: Leave Block List,Allow Users,Tillad brugere
DocType: Purchase Order,Customer Mobile No,Kunde mobiltelefonnr.
@@ -2210,29 +2225,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Opdatering Omkostninger
DocType: Item Reorder,Item Reorder,Genbestil vare
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Vis lønseddel
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Transfer Materiale
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Transfer Materiale
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Angiv operationer, driftsomkostninger og giver en unik Operation nej til dine operationer."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Dette dokument er over grænsen ved {0} {1} for vare {4}. Er du gør en anden {3} mod samme {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Venligst sæt tilbagevendende efter besparelse
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Vælg ændringsstørrelse konto
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Dette dokument er over grænsen ved {0} {1} for vare {4}. Er du gør en anden {3} mod samme {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Venligst sæt tilbagevendende efter besparelse
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Vælg ændringsstørrelse konto
DocType: Purchase Invoice,Price List Currency,Prisliste Valuta
DocType: Naming Series,User must always select,Brugeren skal altid vælge
DocType: Stock Settings,Allow Negative Stock,Tillad Negativ Stock
DocType: Installation Note,Installation Note,Installation Bemærk
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Tilføj Skatter
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Tilføj Skatter
DocType: Topic,Topic,Emne
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Pengestrømme fra finansaktiviteter
DocType: Budget Account,Budget Account,Budget-konto
DocType: Quality Inspection,Verified By,Bekræftet af
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Kan ikke ændre virksomhedens standard valuta, fordi den anvendes i eksisterende transaktioner. Transaktioner skal annulleres for at ændre standard valuta."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Kan ikke ændre virksomhedens standard valuta, fordi den anvendes i eksisterende transaktioner. Transaktioner skal annulleres for at ændre standard valuta."
DocType: Grading Scale Interval,Grade Description,Grade Beskrivelse
DocType: Stock Entry,Purchase Receipt No,Købskvitteringsnr.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Earnest Money
DocType: Process Payroll,Create Salary Slip,Opret lønseddel
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Sporbarhed
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Finansieringskilde (Passiver)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Antal i række {0} ({1}), skal være det samme som den fremstillede mængde {2}"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Finansieringskilde (Passiver)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Antal i række {0} ({1}), skal være det samme som den fremstillede mængde {2}"
DocType: Appraisal,Employee,Medarbejder
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Vælg Batch
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} er fuldt faktureret
DocType: Training Event,End Time,End Time
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktiv lønstruktur {0} fundet for medarbejder {1} for de givne datoer
@@ -2244,11 +2260,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Forfalder den
DocType: Rename Tool,File to Rename,Fil til Omdøb
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Vælg BOM for Item i række {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Specificeret stykliste {0} findes ikke for vare {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Konto {0} stemmer ikke overens med virksomhed {1} i kontoens tilstand: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Specificeret stykliste {0} findes ikke for vare {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,"Vedligeholdelsesplan {0} skal annulleres, før den annullerer denne Sales Order"
DocType: Notification Control,Expense Claim Approved,Udlæg godkendt
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Lønseddel af medarbejder {0} allerede oprettet for denne periode
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Farmaceutiske
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmaceutiske
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Omkostninger ved Købte varer
DocType: Selling Settings,Sales Order Required,Salgsordre påkrævet
DocType: Purchase Invoice,Credit To,Credit Til
@@ -2265,42 +2282,42 @@
DocType: Payment Gateway Account,Payment Account,Betalingskonto
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,Angiv venligst firma for at fortsætte
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Nettoændring i Debitor
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Kompenserende Off
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Kompenserende Off
DocType: Offer Letter,Accepted,Accepteret
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,Organisation
DocType: SG Creation Tool Course,Student Group Name,Elevgruppenavn
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Kontroller, at du virkelig ønsker at slette alle transaktioner for dette selskab. Dine stamdata vil forblive som den er. Denne handling kan ikke fortrydes."
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Kontroller, at du virkelig ønsker at slette alle transaktioner for dette selskab. Dine stamdata vil forblive som den er. Denne handling kan ikke fortrydes."
DocType: Room,Room Number,Værelsesnummer
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Ugyldig henvisning {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kan ikke være større end planlagt antal ({2}) på produktionsordre {3}
DocType: Shipping Rule,Shipping Rule Label,Forsendelseregeltekst
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Brugerforum
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Råmaterialer kan ikke være tom.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Kunne ikke opdatere lager, faktura indeholder drop shipping element."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Råmaterialer kan ikke være tom.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Kunne ikke opdatere lager, faktura indeholder drop shipping element."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Hurtig kassekladde
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,"Du kan ikke ændre kurs, hvis BOM nævnt agianst ethvert element"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,"Du kan ikke ændre kurs, hvis BOM nævnt agianst ethvert element"
DocType: Employee,Previous Work Experience,Tidligere erhvervserfaring
DocType: Stock Entry,For Quantity,For Mængde
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Indtast venligst Planned Antal for Item {0} på rækken {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} er ikke godkendt
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Anmodning om.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,"Vil blive oprettet separat produktion, for hver færdigvare god element."
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} skal være negativ til gengæld dokument
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} skal være negativ til gengæld dokument
,Minutes to First Response for Issues,Minutter til First Response for Issues
DocType: Purchase Invoice,Terms and Conditions1,Vilkår og forhold1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,"Navnet på det institut, som du konfigurerer dette system."
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,"Navnet på det institut, som du konfigurerer dette system."
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Kontering frosset op til denne dato, kan ingen gøre / ændre post undtagen rolle angivet nedenfor."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,"Gem venligst dokumentet, før generere vedligeholdelsesplan"
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Sagsstatus
DocType: UOM,Check this to disallow fractions. (for Nos),Markér dette for at forbyde fraktioner. (For NOS)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Følgende produktionsordrer blev dannet:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Følgende produktionsordrer blev dannet:
DocType: Student Admission,Naming Series (for Student Applicant),Navngivningsnummerserie (for elevansøger)
DocType: Delivery Note,Transporter Name,Transporter Navn
DocType: Authorization Rule,Authorized Value,Autoriseret Værdi
DocType: BOM,Show Operations,Vis Operations
,Minutes to First Response for Opportunity,Minutter til første reaktion for salgsmulighed
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Ialt fraværende
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Vare eller lager for række {0} matcher ikke materialeanmodningen
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Vare eller lager for række {0} matcher ikke materialeanmodningen
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Måleenhed
DocType: Fiscal Year,Year End Date,Sidste dag i året
DocType: Task Depends On,Task Depends On,Opgave afhænger af
@@ -2379,11 +2396,11 @@
DocType: Asset,Manual,Manuel
DocType: Salary Component Account,Salary Component Account,Lønrtskonto
DocType: Global Defaults,Hide Currency Symbol,Skjul Valuta Symbol
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","fx Bank, Kontant, Kreditkort"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","fx Bank, Kontant, Kreditkort"
DocType: Lead Source,Source Name,Kilde Navn
DocType: Journal Entry,Credit Note,Kreditnota
DocType: Warranty Claim,Service Address,Tjeneste Adresse
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Havemøbler og Kampprogram
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Havemøbler og Kampprogram
DocType: Item,Manufacture,Fremstilling
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Vælg følgeseddel først
DocType: Student Applicant,Application Date,Ansøgningsdato
@@ -2393,7 +2410,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Clearance Dato ikke nævnt
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Produktion
DocType: Guardian,Occupation,Besættelse
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Opsæt venligst medarbejdernavnesystem i menneskelige ressourcer> HR-indstillinger
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Række {0}: Start dato skal være før slutdato
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),I alt (antal)
DocType: Sales Invoice,This Document,Dette dokument
@@ -2405,19 +2421,19 @@
DocType: Purchase Receipt,Time at which materials were received,"Tidspunkt, hvor materialer blev modtaget"
DocType: Stock Ledger Entry,Outgoing Rate,Udgående Rate
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organisation filial-master.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,eller
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,eller
DocType: Sales Order,Billing Status,Faktureringsstatus
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Rapporter et problem
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,"El, vand og varmeudgifter"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,"El, vand og varmeudgifter"
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-over
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Kassekladde {1} har ikke konto {2} eller allerede matchet mod en anden kupon
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Kassekladde {1} har ikke konto {2} eller allerede matchet mod en anden kupon
DocType: Buying Settings,Default Buying Price List,Standard indkøbsprisliste
DocType: Process Payroll,Salary Slip Based on Timesheet,Lønseddel Baseret på Timesheet
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Ingen medarbejder for de ovenfor udvalgte kriterier eller lønseddel allerede skabt
DocType: Notification Control,Sales Order Message,Salgsordrebesked
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Indstil standardværdier som Firma, Valuta, indeværende regnskabsår, m.v."
DocType: Payment Entry,Payment Type,Betalingstype
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Vælg venligst et parti for vare {0}. Kunne ikke finde et eneste parti, der opfylder dette krav"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Vælg venligst et parti for vare {0}. Kunne ikke finde et eneste parti, der opfylder dette krav"
DocType: Process Payroll,Select Employees,Vælg Medarbejdere
DocType: Opportunity,Potential Sales Deal,Potentielle Sales Deal
DocType: Payment Entry,Cheque/Reference Date,Check / reference Dato
@@ -2437,7 +2453,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Kvittering skal godkendes
DocType: Purchase Invoice Item,Received Qty,Modtaget Antal
DocType: Stock Entry Detail,Serial No / Batch,Serienummer / Parti
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Ikke betalte og ikke leveret
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Ikke betalte og ikke leveret
DocType: Product Bundle,Parent Item,Overordnet vare
DocType: Account,Account Type,Kontotype
DocType: Delivery Note,DN-RET-,DN-Retsinformation
@@ -2451,24 +2467,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),Identifikation af emballagen for levering (til print)
DocType: Bin,Reserved Quantity,Reserveret mængde
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Indtast venligst en gyldig e-mailadresse
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Der er intet obligatorisk kursus for programmet {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Købskvittering varer
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Tilpasning Forms
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,bagud
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,bagud
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Afskrivningsbeløb i perioden
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Deaktiveret skabelon må ikke være standardskabelon
DocType: Account,Income Account,Indtægtskonto
DocType: Payment Request,Amount in customer's currency,Beløb i kundens valuta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Levering
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Levering
DocType: Stock Reconciliation Item,Current Qty,Aktuel Antal
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",Se "Rate Of Materials Based On" i Costing afsnit
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,forrige
DocType: Appraisal Goal,Key Responsibility Area,Key Responsibility Area
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Elevgrupper hjælper dig med at administrere fremmøde, vurderinger og gebyrer for eleverne"
DocType: Payment Entry,Total Allocated Amount,Samlet bevilgede beløb
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Indstil standard lagerkonto for evigvarende opgørelse
DocType: Item Reorder,Material Request Type,Materialeanmodningstype
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Kassekladde til løn fra {0} til {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage er fuld, ikke spare"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage er fuld, ikke spare"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Række {0}: Enhedskode-konverteringsfaktor er obligatorisk
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Ref
DocType: Budget,Cost Center,Omkostningssted
@@ -2481,19 +2497,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",Prisfastsættelseregler laves for at overskrive prislisten og for at fastlægge rabatprocenter baseret på forskellige kriterier.
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,"Lager kan kun ændres via lagerindtastning, følgeseddel eller købskvittering"
DocType: Employee Education,Class / Percentage,Klasse / Procent
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Salg- og marketingschef
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Indkomstskat
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Salg- og marketingschef
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Indkomstskat
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Hvis valgte Prisfastsættelse Regel er lavet til "pris", vil det overskrive prislisten. Prisfastsættelse Regel prisen er den endelige pris, så ingen yderligere rabat bør anvendes. Derfor i transaktioner som Sales Order, Indkøbsordre osv, det vil blive hentet i "Rate 'felt, snarere end' Prisliste Rate 'område."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Analysér emner efter branchekode.
DocType: Item Supplier,Item Supplier,Vareleverandør
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,Indtast venligst varenr. for at få partinr.
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},Vælg en værdi for {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,Indtast venligst varenr. for at få partinr.
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Vælg en værdi for {0} quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Alle adresser.
DocType: Company,Stock Settings,Stock Indstillinger
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Sammenlægning er kun muligt, hvis følgende egenskaber er ens i begge poster: Er en kontogruppe, Rodtype og firma"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Sammenlægning er kun muligt, hvis følgende egenskaber er ens i begge poster: Er en kontogruppe, Rodtype og firma"
DocType: Vehicle,Electric,Elektrisk
DocType: Task,% Progress,% fremskridt
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Gevinst/tab vedr. salg af anlægsaktiv
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Gevinst/tab vedr. salg af anlægsaktiv
DocType: Training Event,Will send an email about the event to employees with status 'Open',Vil sende en e-mail om arrangementet til medarbejdere med status 'Åbn'
DocType: Task,Depends on Tasks,Afhænger af opgaver
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Administrér Kundegruppetræ.
@@ -2502,7 +2518,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Ny Cost center navn
DocType: Leave Control Panel,Leave Control Panel,Forlad Kontrolpanel
DocType: Project,Task Completion,Opgaveafslutning
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Ikke på lager
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Ikke på lager
DocType: Appraisal,HR User,HR-bruger
DocType: Purchase Invoice,Taxes and Charges Deducted,Skatter og Afgifter Fratrukket
apps/erpnext/erpnext/hooks.py +116,Issues,Spørgsmål
@@ -2513,22 +2529,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Ingen lønseddel fundet mellem {0} og {1}
,Pending SO Items For Purchase Request,Afventende salgsordre-varer til indkøbsanmodning
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Studerende optagelser
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} er deaktiveret
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} er deaktiveret
DocType: Supplier,Billing Currency,Fakturering Valuta
DocType: Sales Invoice,SINV-RET-,SF-RET
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Extra Large
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra Large
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Fravær i alt
,Profit and Loss Statement,Resultatopgørelse
DocType: Bank Reconciliation Detail,Cheque Number,Check Number
,Sales Browser,Salg Browser
DocType: Journal Entry,Total Credit,Samlet kredit
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Advarsel: En anden {0} # {1} eksisterer mod lagerpost {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Lokal
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Lokal
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Udlån (aktiver)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Debitorer
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Stor
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Stor
DocType: Homepage Featured Product,Homepage Featured Product,Hjemmeside Featured Product
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Alle Assessment Grupper
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Alle Assessment Grupper
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Nyt lagernavn
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),I alt {0} ({1})
DocType: C-Form Invoice Detail,Territory,Område
@@ -2538,12 +2554,12 @@
DocType: Production Order Operation,Planned Start Time,Planlagt starttime
DocType: Course,Assessment,Vurdering
DocType: Payment Entry Reference,Allocated,Allokeret
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Luk Balance og book resultatopgørelsen.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Luk Balance og book resultatopgørelsen.
DocType: Student Applicant,Application Status,Ansøgning status
DocType: Fees,Fees,Gebyrer
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Angiv Exchange Rate til at konvertere en valuta til en anden
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Tilbud {0} er ikke længere gyldigt
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Samlede udestående beløb
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Samlede udestående beløb
DocType: Sales Partner,Targets,Mål
DocType: Price List,Price List Master,Master-Prisliste
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Alt salg Transaktioner kan mærkes mod flere ** Sales Personer **, så du kan indstille og overvåge mål."
@@ -2575,11 +2591,11 @@
1. Address and Contact of your Company.","Standard vilkår og betingelser, der kan føjes til salg og køb. Eksempler: 1. gyldighed tilbuddet. 1. Betalingsbetingelser (i forvejen, på kredit, del forhånd osv). 1. Hvad er ekstra (eller skulle betales af Kunden). 1. Sikkerhed / forbrug advarsel. 1. Garanti hvis nogen. 1. Retur Politik. 1. Betingelser for skibsfart, hvis relevant. 1. Måder adressering tvister, erstatning, ansvar mv 1. Adresse og Kontakt i din virksomhed."
DocType: Attendance,Leave Type,Fraværstype
DocType: Purchase Invoice,Supplier Invoice Details,Leverandør fakturadetaljer
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Udgift / Difference konto ({0}) skal være en »resultatet« konto
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Udgift / Difference konto ({0}) skal være en »resultatet« konto
DocType: Project,Copied From,Kopieret fra
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Navn fejl: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,Mangel
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} ikke tilknyttet {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} ikke tilknyttet {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Fremmøde til medarbejder {0} er allerede markeret
DocType: Packing Slip,If more than one package of the same type (for print),Hvis mere end én pakke af samme type (til udskrivning)
,Salary Register,Løn Register
@@ -2597,22 +2613,23 @@
,Requested Qty,Anmodet mængde
DocType: Tax Rule,Use for Shopping Cart,Bruges til Indkøbskurv
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Værdi {0} for Attribut {1} findes ikke på listen over gyldige Item Attribut Værdier for Item {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Vælg serienumre
DocType: BOM Item,Scrap %,Skrot-%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Afgifter vil blive fordelt forholdsmæssigt baseret på post qty eller mængden, som pr dit valg"
DocType: Maintenance Visit,Purposes,Formål
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Mindst ét element skal indtastes med negativt mængde gengæld dokument
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Mindst ét element skal indtastes med negativt mængde gengæld dokument
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Betjening {0} længere end alle tilgængelige arbejdstimer i arbejdsstation {1}, nedbryde driften i flere operationer"
,Requested,Anmodet
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Ingen bemærkninger
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Ingen bemærkninger
DocType: Purchase Invoice,Overdue,Forfalden
DocType: Account,Stock Received But Not Billed,Stock Modtaget men ikke faktureret
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Root Der skal være en gruppe
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Root Der skal være en gruppe
DocType: Fees,FEE.,BETALING.
DocType: Employee Loan,Repaid/Closed,Tilbagebetales / Lukket
DocType: Item,Total Projected Qty,Den forventede samlede Antal
DocType: Monthly Distribution,Distribution Name,Distribution Name
DocType: Course,Course Code,Kursuskode
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Kvalitetskontrol kræves for vare {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Kvalitetskontrol kræves for vare {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,"Hastighed, hvormed kundens valuta omregnes til virksomhedens basisvaluta"
DocType: Purchase Invoice Item,Net Rate (Company Currency),Nettosats (firmavaluta)
DocType: Salary Detail,Condition and Formula Help,Tilstand og formel Hjælp
@@ -2625,27 +2642,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Materiale Transfer til Fremstilling
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Rabat Procent kan anvendes enten mod en prisliste eller for alle prisliste.
DocType: Purchase Invoice,Half-yearly,Halvårlig
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Regnskab Punktet om Stock
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Regnskab Punktet om Stock
DocType: Vehicle Service,Engine Oil,Motorolie
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Opsæt venligst medarbejdernavnesystem i menneskelige ressourcer> HR-indstillinger
DocType: Sales Invoice,Sales Team1,Salgs TEAM1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Element {0} eksisterer ikke
DocType: Sales Invoice,Customer Address,Kundeadresse
DocType: Employee Loan,Loan Details,Lånedetaljer
+DocType: Company,Default Inventory Account,Standard lagerkonto
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Række {0}: suppleret Antal skal være større end nul.
DocType: Purchase Invoice,Apply Additional Discount On,Påfør Yderligere Rabat på
DocType: Account,Root Type,Rodtype
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Kan ikke returnere mere end {1} for Item {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Kan ikke returnere mere end {1} for Item {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Plot
DocType: Item Group,Show this slideshow at the top of the page,Vis denne slideshow øverst på siden
DocType: BOM,Item UOM,Vareenhed
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Skat Beløb Efter Discount Beløb (Company Valuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Target lageret er obligatorisk for rækken {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Target lageret er obligatorisk for rækken {0}
DocType: Cheque Print Template,Primary Settings,Primære indstillinger
DocType: Purchase Invoice,Select Supplier Address,Vælg leverandør Adresse
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Tilføj medarbejdere
DocType: Purchase Invoice Item,Quality Inspection,Kvalitetskontrol
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Extra Small
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small
DocType: Company,Standard Template,Standard Template
DocType: Training Event,Theory,Teori
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Advarsel: Anmodet materialemængde er mindre end minimum ordremængden
@@ -2653,7 +2672,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Juridisk enhed / Datterselskab med en separat Kontoplan tilhører organisationen.
DocType: Payment Request,Mute Email,Mute Email
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Mad, drikke og tobak"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Kan kun gøre betaling mod faktureret {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Kan kun gøre betaling mod faktureret {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Provisionssats kan ikke være større end 100
DocType: Stock Entry,Subcontract,Underleverance
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Indtast venligst {0} først
@@ -2666,18 +2685,18 @@
DocType: SMS Log,No of Sent SMS,Antal Sendte SMS'er
DocType: Account,Expense Account,Udgiftskonto
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Software
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Farve
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Farve
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Vurdering Plan Kriterier
DocType: Training Event,Scheduled,Planlagt
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Anmodning om tilbud.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Vælg venligst en vare, hvor ""Er lagervare"" er ""nej"" og ""Er salgsvare"" er ""Ja"", og der er ingen anden produktpakke"
DocType: Student Log,Academic,Akademisk
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Samlet forhånd ({0}) mod Order {1} kan ikke være større end Grand alt ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Samlet forhånd ({0}) mod Order {1} kan ikke være større end Grand alt ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Vælg Månedlig Distribution til ujævnt distribuere mål på tværs måneder.
DocType: Purchase Invoice Item,Valuation Rate,Værdiansættelse Rate
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Prisliste Valuta ikke valgt
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Prisliste Valuta ikke valgt
,Student Monthly Attendance Sheet,Student Månedlig Deltagelse Sheet
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Medarbejder {0} har allerede ansøgt om {1} mellem {2} og {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Sag startdato
@@ -2689,7 +2708,7 @@
DocType: BOM,Scrap,Skrot
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Administrer Sales Partners.
DocType: Quality Inspection,Inspection Type,Kontroltype
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Lager med eksisterende transaktion kan ikke konverteres til gruppen.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Lager med eksisterende transaktion kan ikke konverteres til gruppen.
DocType: Assessment Result Tool,Result HTML,resultat HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Udløber på
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Tilføj studerende
@@ -2697,13 +2716,13 @@
DocType: C-Form,C-Form No,C-Form Ingen
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,umærket Deltagelse
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Forsker
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Forsker
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Program Tilmelding Tool Student
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Navn eller E-mail er obligatorisk
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Kommende kvalitetskontrol.
DocType: Purchase Order Item,Returned Qty,Returneret Antal
DocType: Employee,Exit,Udgang
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Rodtypen er obligatorisk
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Rodtypen er obligatorisk
DocType: BOM,Total Cost(Company Currency),Totale omkostninger (firmavaluta)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serienummer {0} oprettet
DocType: Homepage,Company Description for website homepage,Firmabeskrivelse til hjemmesiden
@@ -2712,7 +2731,7 @@
DocType: Sales Invoice,Time Sheet List,Timeregistreringsoversigt
DocType: Employee,You can enter any date manually,Du kan indtaste et hvilket som helst tidspunkt manuelt
DocType: Asset Category Account,Depreciation Expense Account,Afskrivninger udgiftskonto
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Prøvetid
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Prøvetid
DocType: Customer Group,Only leaf nodes are allowed in transaction,Kun blade noder er tilladt i transaktionen
DocType: Expense Claim,Expense Approver,Udlægsgodkender
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Række {0}: Advance mod Kunden skal være kredit
@@ -2725,10 +2744,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Kursusskema udgår:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Logs for opretholdelse sms leveringsstatus
DocType: Accounts Settings,Make Payment via Journal Entry,Foretag betaling via kassekladden
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Trykt On
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Trykt On
DocType: Item,Inspection Required before Delivery,Kontrol påkrævet før levering
DocType: Item,Inspection Required before Purchase,Kontrol påkrævet før køb
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Afventende aktiviteter
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Din organisation
DocType: Fee Component,Fees Category,Gebyrer Kategori
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Indtast lindre dato.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
@@ -2738,9 +2758,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Genbestil Level
DocType: Company,Chart Of Accounts Template,Kontoplan Skabelon
DocType: Attendance,Attendance Date,Fremmødedato
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Vareprisen opdateret for {0} i prisliste {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Vareprisen opdateret for {0} i prisliste {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Lønnen opdelt på tillæg og fradrag.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Konto med barneknudepunkter kan ikke konverteres til finans
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Konto med barneknudepunkter kan ikke konverteres til finans
DocType: Purchase Invoice Item,Accepted Warehouse,Accepteret lager
DocType: Bank Reconciliation Detail,Posting Date,Bogføringsdato
DocType: Item,Valuation Method,Værdiansættelsesmetode
@@ -2749,14 +2769,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Duplicate entry
DocType: Program Enrollment Tool,Get Students,Hent studerende
DocType: Serial No,Under Warranty,Under garanti
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Fejl]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Fejl]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,"I Ord vil være synlig, når du gemmer Sales Order."
,Employee Birthday,Medarbejder Fødselsdag
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Elevgruppe fremmødeværktøj
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,Grænse overskredet
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Grænse overskredet
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Venture Capital
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"En akademisk sigt denne ""skoleår '{0} og"" Term Name' {1} findes allerede. Venligst ændre disse poster, og prøv igen."
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Da der er eksisterende transaktioner mod element {0}, kan du ikke ændre værdien af {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Da der er eksisterende transaktioner mod element {0}, kan du ikke ændre værdien af {1}"
DocType: UOM,Must be Whole Number,Skal være hele tal
DocType: Leave Control Panel,New Leaves Allocated (In Days),Nyt fravær tildelt (i dage)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serienummer {0} eksisterer ikke
@@ -2765,6 +2785,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Fakturanummer
DocType: Shopping Cart Settings,Orders,Ordrer
DocType: Employee Leave Approver,Leave Approver,Fraværsgodkender
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Vælg venligst et parti
DocType: Assessment Group,Assessment Group Name,Assessment Group Name
DocType: Manufacturing Settings,Material Transferred for Manufacture,Materiale Overført til Fremstilling
DocType: Expense Claim,"A user with ""Expense Approver"" role",En bruger med 'Udlægsgodkender'-rolle
@@ -2774,9 +2795,10 @@
DocType: Target Detail,Target Detail,Target Detail
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,Alle ansøgere
DocType: Sales Order,% of materials billed against this Sales Order,% af materialer faktureret mod denne salgsordre
+DocType: Program Enrollment,Mode of Transportation,Transportform
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Periode Lukning indtastning
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Omkostningssted med eksisterende transaktioner kan ikke konverteres til gruppe
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Mængden {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Mængden {0} {1} {2} {3}
DocType: Account,Depreciation,Afskrivninger
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Leverandør (er)
DocType: Employee Attendance Tool,Employee Attendance Tool,Medarbejder Deltagerliste Værktøj
@@ -2784,7 +2806,7 @@
DocType: Supplier,Credit Limit,Kreditgrænse
DocType: Production Plan Sales Order,Salse Order Date,Salse Order Dato
DocType: Salary Component,Salary Component,Lønart
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Betalings Entries {0} er un-linked
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Betalings Entries {0} er un-linked
DocType: GL Entry,Voucher No,Bilagsnr.
,Lead Owner Efficiency,Lederegenskaber Effektivitet
DocType: Leave Allocation,Leave Allocation,Fraværstildeling
@@ -2795,11 +2817,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Skabelon af vilkår eller kontrakt.
DocType: Purchase Invoice,Address and Contact,Adresse og kontaktperson
DocType: Cheque Print Template,Is Account Payable,Er konto Betales
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Lager kan ikke opdateres mod købskvittering {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Lager kan ikke opdateres mod købskvittering {0}
DocType: Supplier,Last Day of the Next Month,Sidste dag i den næste måned
DocType: Support Settings,Auto close Issue after 7 days,Auto tæt Issue efter 7 dage
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Efterlad ikke kan fordeles inden {0}, da orlov balance allerede har været carry-fremsendt i fremtiden orlov tildeling rekord {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Bemærk: forfalden / reference Dato overstiger tilladte kredit dage efter {0} dag (e)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Bemærk: forfalden / reference Dato overstiger tilladte kredit dage efter {0} dag (e)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Student Ansøger
DocType: Asset Category Account,Accumulated Depreciation Account,Akkumuleret Afskrivninger konto
DocType: Stock Settings,Freeze Stock Entries,Frys Stock Entries
@@ -2808,35 +2830,35 @@
DocType: Activity Cost,Billing Rate,Faktureringssats
,Qty to Deliver,Antal at levere
,Stock Analytics,Lageranalyser
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Operationer kan ikke være tomt
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operationer kan ikke være tomt
DocType: Maintenance Visit Purpose,Against Document Detail No,Imod Dokument Detail Nej
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Party Typen er obligatorisk
DocType: Quality Inspection,Outgoing,Udgående
DocType: Material Request,Requested For,Anmodet om
DocType: Quotation Item,Against Doctype,Mod DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} er aflyst eller lukket
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} er aflyst eller lukket
DocType: Delivery Note,Track this Delivery Note against any Project,Spor denne følgeseddel mod en hvilken som helst sag
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Netto kontant fra Investering
-,Is Primary Address,Er primære adresse
DocType: Production Order,Work-in-Progress Warehouse,Work-in-Progress Warehouse
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Aktiv {0} skal godkendes
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Tilstedeværelse {0} eksisterer for studerende {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Tilstedeværelse {0} eksisterer for studerende {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Henvisning # {0} dateret {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Bortfaldne afskrivninger grundet afhændelse af aktiver
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Administrér adresser
DocType: Asset,Item Code,Varenr.
DocType: Production Planning Tool,Create Production Orders,Opret produktionsordrer
DocType: Serial No,Warranty / AMC Details,Garanti / AMC Detaljer
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Vælg studerende manuelt for aktivitetsbaseret gruppe
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Vælg studerende manuelt for aktivitetsbaseret gruppe
DocType: Journal Entry,User Remark,Brugerbemærkning
DocType: Lead,Market Segment,Markedssegment
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Betalt beløb kan ikke være større end den samlede negative udestående beløb {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Betalt beløb kan ikke være større end den samlede negative udestående beløb {0}
DocType: Employee Internal Work History,Employee Internal Work History,Medarbejder Intern Arbejde Historie
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Lukning (dr)
DocType: Cheque Print Template,Cheque Size,Check Størrelse
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serienummer {0} ikke er på lager
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Beskatningsskabelon for salgstransaktioner.
DocType: Sales Invoice,Write Off Outstanding Amount,Skriv Off Udestående beløb
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Konto {0} stemmer ikke overens med firma {1}
DocType: School Settings,Current Academic Year,Nuværende skoleår
DocType: Stock Settings,Default Stock UOM,Standard lagerenhed
DocType: Asset,Number of Depreciations Booked,Antal Afskrivninger Reserveret
@@ -2851,27 +2873,27 @@
DocType: Asset,Double Declining Balance,Dobbelt Faldende Balance
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Lukket ordre kan ikke annulleres. Unclose at annullere.
DocType: Student Guardian,Father,Far
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'Opdater lager' kan ikke kontrolleres pga. salg af anlægsaktiver
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Opdater lager' kan ikke kontrolleres pga. salg af anlægsaktiver
DocType: Bank Reconciliation,Bank Reconciliation,Bank Afstemning
DocType: Attendance,On Leave,Fraværende
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Modtag nyhedsbrev
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Konto {2} tilhører ikke firma {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Materialeanmodning {0} er annulleret eller stoppet
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Tilføj et par prøve optegnelser
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Tilføj et par prøve optegnelser
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Fraværsadministration
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Sortér efter konto
DocType: Sales Order,Fully Delivered,Fuldt Leveres
DocType: Lead,Lower Income,Lavere indkomst
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Kilde og mål lageret ikke kan være ens for rækken {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Kilde og mål lageret ikke kan være ens for rækken {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Differencebeløbet skal være en kontotype Aktiv / Fordring, da dette Stock Forsoning er en åbning indtastning"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Udbetalte beløb kan ikke være større end Lånebeløb {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Indkøbsordrenr. påkrævet for vare {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Produktionsordre ikke oprettet
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Indkøbsordrenr. påkrævet for vare {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Produktionsordre ikke oprettet
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Fra dato' skal være efter 'Til dato'
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Kan ikke ændre status som studerende {0} er forbundet med student ansøgning {1}
DocType: Asset,Fully Depreciated,fuldt afskrevet
,Stock Projected Qty,Stock Forventet Antal
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Kunden {0} hører ikke til sag {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Kunden {0} hører ikke til sag {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Markant Deltagelse HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Citater er forslag, bud, du har sendt til dine kunder"
DocType: Sales Order,Customer's Purchase Order,Kundens Indkøbsordre
@@ -2880,33 +2902,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Summen af Snesevis af Assessment Criteria skal være {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Venligst sæt Antal Afskrivninger Reserveret
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Værdi eller mængde
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Productions Ordrer kan ikke hæves til:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Minut
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions Ordrer kan ikke hæves til:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Minut
DocType: Purchase Invoice,Purchase Taxes and Charges,Købe Skatter og Afgifter
,Qty to Receive,Antal til Modtag
DocType: Leave Block List,Leave Block List Allowed,Tillad blokerede fraværsansøgninger
DocType: Grading Scale Interval,Grading Scale Interval,Karakterskala Interval
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Udlæg for kørebog {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Rabat (%) på prisliste med margen
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,Alle lagre
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Alle lagre
DocType: Sales Partner,Retailer,Forhandler
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Kredit til konto skal være en balance konto
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Kredit til konto skal være en balance konto
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Alle leverandørtyper
DocType: Global Defaults,Disable In Words,Deaktiver i ord
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,"Varenr. er obligatorisk, fordi varen ikke nummereres automatisk"
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Varenr. er obligatorisk, fordi varen ikke nummereres automatisk"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Tilbud {0} ikke af typen {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Vedligeholdelse Skema Vare
DocType: Sales Order,% Delivered,% Leveret
DocType: Production Order,PRO-,PRO-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Bank kassekredit
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Bank kassekredit
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Opret lønseddel
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: Allokeret beløb kan ikke være større end udestående beløb.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Gennemse styklister
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Sikrede lån
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Sikrede lån
DocType: Purchase Invoice,Edit Posting Date and Time,Redigér bogføringsdato og -tid
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Venligst sæt Afskrivninger relaterede konti i Asset kategori {0} eller Company {1}
DocType: Academic Term,Academic Year,Skoleår
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Åbning Balance Egenkapital
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Åbning Balance Egenkapital
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Vurdering
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},E-mail sendt til leverandør {0}
@@ -2922,7 +2944,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Godkendelse Rolle kan ikke være det samme som rolle reglen gælder for
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Afmeld dette e-mail-nyhedsbrev
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Besked sendt
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Konto med barn noder kan ikke indstilles som hovedbog
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Konto med barn noder kan ikke indstilles som hovedbog
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,"Hastighed, hvormed Prisliste valuta omregnes til kundens basisvaluta"
DocType: Purchase Invoice Item,Net Amount (Company Currency),Nettobeløb (Firma Valuta)
@@ -2956,7 +2978,7 @@
DocType: Expense Claim,Approval Status,Godkendelsesstatus
DocType: Hub Settings,Publish Items to Hub,Udgive varer i Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},Fra værdi skal være mindre end at værdien i række {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Bankoverførsel
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Bankoverførsel
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Kontroller alt
DocType: Vehicle Log,Invoice Ref,Fakturareference
DocType: Purchase Order,Recurring Order,Tilbagevendende Order
@@ -2969,51 +2991,54 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Bank- og betalinger
,Welcome to ERPNext,Velkommen til ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Emne til tilbud
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Intet mere at vise.
DocType: Lead,From Customer,Fra kunde
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Opkald
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Opkald
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,partier
DocType: Project,Total Costing Amount (via Time Logs),Total Costing Beløb (via Time Logs)
DocType: Purchase Order Item Supplied,Stock UOM,Lagerenhed
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Indkøbsordre {0} er ikke godkendt
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Indkøbsordre {0} er ikke godkendt
DocType: Customs Tariff Number,Tariff Number,Tarif nummer
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Forventet
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serienummer {0} hører ikke til lager {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Bemærk: Systemet vil ikke kontrollere over-levering og over-booking for Item {0} som mængde eller beløb er 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Bemærk: Systemet vil ikke kontrollere over-levering og over-booking for Item {0} som mængde eller beløb er 0
DocType: Notification Control,Quotation Message,Tilbudsbesked
DocType: Employee Loan,Employee Loan Application,Medarbejder låneansøgning
DocType: Issue,Opening Date,Åbning Dato
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Deltagelse er mærket korrekt.
+DocType: Program Enrollment,Public Transport,Offentlig transport
DocType: Journal Entry,Remark,Bemærkning
DocType: Purchase Receipt Item,Rate and Amount,Sats og Beløb
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Kontotype for {0} skal være {1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,Ferie og fravær
DocType: School Settings,Current Academic Term,Nuværende Akademisk Term
DocType: Sales Order,Not Billed,Ikke Billed
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Begge lagre skal høre til samme firma
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Ingen kontakter tilføjet endnu.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Begge lagre skal høre til samme firma
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Ingen kontakter tilføjet endnu.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landed Cost Voucher Beløb
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Regninger oprettet af leverandører.
DocType: POS Profile,Write Off Account,Skriv Off konto
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Debet notat Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Rabatbeløb
DocType: Purchase Invoice,Return Against Purchase Invoice,Retur Against købsfaktura
DocType: Item,Warranty Period (in days),Garantiperiode (i dage)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Forholdet til Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Forholdet til Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Netto kontant fra drift
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,fx moms
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,fx moms
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Vare 4
DocType: Student Admission,Admission End Date,Optagelse Slutdato
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Underleverandører
DocType: Journal Entry Account,Journal Entry Account,Kassekladde konto
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Elevgruppe
DocType: Shopping Cart Settings,Quotation Series,Tilbudsnummer
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","En vare eksisterer med samme navn ({0}), og du bedes derfor ændre navnet på varegruppen eller omdøbe varen"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Vælg venligst kunde
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","En vare eksisterer med samme navn ({0}), og du bedes derfor ændre navnet på varegruppen eller omdøbe varen"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Vælg venligst kunde
DocType: C-Form,I,jeg
DocType: Company,Asset Depreciation Cost Center,Asset Afskrivninger Omkostninger center
DocType: Sales Order Item,Sales Order Date,Salgsordredato
DocType: Sales Invoice Item,Delivered Qty,Leveres Antal
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Hvis markeret, vil alle underelementer i hvert produktionselement indgå i materialeanmodningerne."
DocType: Assessment Plan,Assessment Plan,Plan Assessment
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Lager {0}: firma er obligatorisk
DocType: Stock Settings,Limit Percent,Begrænsningsprocent
,Payment Period Based On Invoice Date,Betaling Periode Baseret på Fakturadato
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Manglende Valutakurser for {0}
@@ -3025,7 +3050,7 @@
DocType: Vehicle,Insurance Details,Forsikring Detaljer
DocType: Account,Payable,Betales
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,Indtast venligst Tilbagebetalingstid
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Debitorer ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Debitorer ({0})
DocType: Pricing Rule,Margin,Margen
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Nye kunder
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Gross Profit%
@@ -3036,16 +3061,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Party er obligatorisk
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,Emnenavn
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Mindst en af salg eller køb skal vælges
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Vælg arten af din virksomhed.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Mindst en af salg eller køb skal vælges
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Vælg arten af din virksomhed.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Row # {0}: Duplicate entry i Referencer {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Hvor fremstillingsprocesser gennemføres.
DocType: Asset Movement,Source Warehouse,Kilde Warehouse
DocType: Installation Note,Installation Date,Installation Dato
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Række # {0}: Aktiv {1} hører ikke til firma {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Række # {0}: Aktiv {1} hører ikke til firma {2}
DocType: Employee,Confirmation Date,Bekræftet den
DocType: C-Form,Total Invoiced Amount,Totalt faktureret beløb
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Antal kan ikke være større end Max Antal
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Min Antal kan ikke være større end Max Antal
DocType: Account,Accumulated Depreciation,Akkumulerede afskrivninger
DocType: Stock Entry,Customer or Supplier Details,Kunde- eller leverandørdetaljer
DocType: Employee Loan Application,Required by Date,Kræves af Dato
@@ -3066,22 +3091,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Månedlig Distribution Procent
DocType: Territory,Territory Targets,Områdemål
DocType: Delivery Note,Transporter Info,Transporter Info
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Indstil standard {0} i Company {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Indstil standard {0} i Company {1}
DocType: Cheque Print Template,Starting position from top edge,Startposition fra overkanten
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Samme leverandør er indtastet flere gange
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Gross Profit / Loss
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Indkøbsordre leveret vare
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Firmaets navn kan ikke være Firma
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Firmaets navn kan ikke være Firma
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Brevhoveder til udskriftsskabeloner.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Tekster til udskriftsskabeloner fx Proforma-faktura.
DocType: Student Guardian,Student Guardian,Student Guardian
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Værdiansættelse typen omkostninger ikke er markeret som Inclusive
DocType: POS Profile,Update Stock,Opdatering Stock
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Leverandør> Leverandør Type
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Forskellige UOM for elementer vil føre til forkert (Total) Vægt værdi. Sørg for, at Nettovægt for hvert punkt er i den samme UOM."
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Rate
DocType: Asset,Journal Entry for Scrap,Kassekladde til skrot
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Træk varene fra følgeseddel
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Journaloptegnelser {0} er un-forbundet
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Journaloptegnelser {0} er un-forbundet
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Registrering af al kommunikation af type e-mail, telefon, chat, besøg osv"
DocType: Manufacturer,Manufacturers used in Items,"Producenter, der anvendes i artikler"
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Henvis afrunde omkostningssted i selskabet
@@ -3128,33 +3154,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,Leverandøren leverer til Kunden
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Vare / {0}) er udsolgt
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Næste dato skal være større end bogføringsdatoen
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Vis momsdetaljer
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Due / reference Dato kan ikke være efter {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Vis momsdetaljer
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Due / reference Dato kan ikke være efter {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Dataind- og udlæsning
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","Stock indgange findes mod Warehouse {0}, og derfor kan du ikke re-tildele eller ændre det"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Ingen studerende Fundet
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Ingen studerende Fundet
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Faktura Bogføringsdato
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Salg
DocType: Sales Invoice,Rounded Total,Afrundet i alt
DocType: Product Bundle,List items that form the package.,"Vis varer, der er indeholdt i pakken."
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Procentdel fordeling bør være lig med 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,Vælg Bogføringsdato før du vælger Party
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Vælg Bogføringsdato før du vælger Party
DocType: Program Enrollment,School House,School House
DocType: Serial No,Out of AMC,Ud af AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Vælg venligst Citater
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Vælg venligst Citater
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Antal Afskrivninger Reserverede kan ikke være større end alt Antal Afskrivninger
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Make Vedligeholdelse Besøg
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,"Kontakt venligst til den bruger, der har Sales Master manager {0} rolle"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,"Kontakt venligst til den bruger, der har Sales Master manager {0} rolle"
DocType: Company,Default Cash Account,Standard Kontant konto
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Company (ikke kunde eller leverandør) herre.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Dette er baseret på deltagelse af denne Student
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Ingen studerende i
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Ingen studerende i
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Tilføj flere varer eller åben fulde form
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',Indtast 'Forventet leveringsdato'
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,"Følgesedler {0} skal annulleres, før den salgsordre annulleres"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Betalt beløb + Skriv Off Beløb kan ikke være større end beløb i alt
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Betalt beløb + Skriv Off Beløb kan ikke være større end beløb i alt
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} er ikke et gyldigt partinummer for vare {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Bemærk: Der er ikke nok dage til rådighed til fraværstype {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,Ugyldig GSTIN eller Indtast NA for Uregistreret
DocType: Training Event,Seminar,Seminar
DocType: Program Enrollment Fee,Program Enrollment Fee,Program Tilmelding Gebyr
DocType: Item,Supplier Items,Leverandør Varer
@@ -3180,28 +3206,26 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Vare 3
DocType: Purchase Order,Customer Contact Email,Kundeservicekontakt e-mail
DocType: Warranty Claim,Item and Warranty Details,Item og garanti Detaljer
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Varenummer> Varegruppe> Mærke
DocType: Sales Team,Contribution (%),Bidrag (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Bemærk: Betaling indtastning vil ikke blive oprettet siden 'Kontant eller bank konto' er ikke angivet
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Vælg programmet for at hente obligatoriske kurser.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Ansvar
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Ansvar
DocType: Expense Claim Account,Expense Claim Account,Udlægskonto
DocType: Sales Person,Sales Person Name,Salgsmedarbejdernavn
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Indtast venligst mindst en faktura i tabellen
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Tilføj brugere
DocType: POS Item Group,Item Group,Varegruppe
DocType: Item,Safety Stock,Sikkerhed Stock
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Fremskridt-% for en opgave kan ikke være mere end 100.
DocType: Stock Reconciliation Item,Before reconciliation,Før forsoning
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Til {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Skatter og Afgifter Tilføjet (Company Valuta)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Varemoms række {0} skal have en konto med
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Varemoms række {0} skal have en konto med
typen moms, indtægt, omkostning eller kan debiteres"
DocType: Sales Order,Partly Billed,Delvist faktureret
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Vare {0} skal være en anlægsaktiv-vare
DocType: Item,Default BOM,Standard stykliste
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,Prøv venligst igen typen firmanavn for at bekræfte
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Total Enestående Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Debet Note Beløb
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Prøv venligst igen typen firmanavn for at bekræfte
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Total Enestående Amt
DocType: Journal Entry,Printing Settings,Udskrivningsindstillinger
DocType: Sales Invoice,Include Payment (POS),Medtag betaling (Kassesystem)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Debet og kredit stemmer ikke. Differencen er {0}
@@ -3215,15 +3239,16 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,På lager:
DocType: Notification Control,Custom Message,Tilpasset Message
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investment Banking
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Kontant eller bankkonto skal indtastes for post
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Studentadresse
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Kontant eller bankkonto skal indtastes for post
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Venligst opsæt nummereringsserier for Tilstedeværelse via Opsætning> Nummerserie
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentadresse
DocType: Purchase Invoice,Price List Exchange Rate,Prisliste valutakurs
DocType: Purchase Invoice Item,Rate,Sats
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Intern
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,Adresse Navn
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Intern
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,Adresse Navn
DocType: Stock Entry,From BOM,Fra stykliste
DocType: Assessment Code,Assessment Code,Assessment Code
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Grundlæggende
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Grundlæggende
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Lagertransaktioner før {0} er frosset
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',Klik på "Generer Schedule '
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","f.eks Kg, Unit, Nos, m"
@@ -3233,11 +3258,11 @@
DocType: Salary Slip,Salary Structure,Lønstruktur
DocType: Account,Bank,Bank
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Flyselskab
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Issue Materiale
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Issue Materiale
DocType: Material Request Item,For Warehouse,Til lager
DocType: Employee,Offer Date,Offer Dato
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Tilbud
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,"Du er i offline-tilstand. Du vil ikke være i stand til at genindlæse, indtil du har netværk igen."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,"Du er i offline-tilstand. Du vil ikke være i stand til at genindlæse, indtil du har netværk igen."
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Ingen elevgrupper oprettet.
DocType: Purchase Invoice Item,Serial No,Serienummer
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Månedlig tilbagebetaling beløb kan ikke være større end Lånebeløb
@@ -3245,8 +3270,8 @@
DocType: Purchase Invoice,Print Language,print Sprog
DocType: Salary Slip,Total Working Hours,Samlede arbejdstid
DocType: Stock Entry,Including items for sub assemblies,Herunder elementer til sub forsamlinger
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Indtast værdien skal være positiv
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Alle områder
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Indtast værdien skal være positiv
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Alle områder
DocType: Purchase Invoice,Items,Varer
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Student er allerede tilmeldt.
DocType: Fiscal Year,Year Name,År navn
@@ -3264,10 +3289,10 @@
DocType: Issue,Opening Time,Åbning tid
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Fra og Til dato kræves
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Værdipapirer og Commodity Exchanges
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standard måleenhed for Variant '{0}' skal være samme som i skabelon '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standard måleenhed for Variant '{0}' skal være samme som i skabelon '{1}'
DocType: Shipping Rule,Calculate Based On,Beregn baseret på
DocType: Delivery Note Item,From Warehouse,Fra lager
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Ingen stykliste-varer at fremstille
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Ingen stykliste-varer at fremstille
DocType: Assessment Plan,Supervisor Name,supervisor Navn
DocType: Program Enrollment Course,Program Enrollment Course,Tilmeldingskursusprogramm
DocType: Purchase Taxes and Charges,Valuation and Total,Værdiansættelse og Total
@@ -3282,18 +3307,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Dage siden sidste ordre' skal være større end eller lig med nul
DocType: Process Payroll,Payroll Frequency,Lønafregningsfrekvens
DocType: Asset,Amended From,Ændret Fra
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Råmateriale
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Råmateriale
DocType: Leave Application,Follow via Email,Følg via e-mail
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Planter og Machineries
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Planter og Machineries
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Skat Beløb Efter Discount Beløb
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Daglige Arbejde Resumé Indstillinger
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Valuta liste prisen {0} er ikke ens med den valgte valuta {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Valuta liste prisen {0} er ikke ens med den valgte valuta {1}
DocType: Payment Entry,Internal Transfer,Intern overførsel
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Eksisterer barn konto til denne konto. Du kan ikke slette denne konto.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Eksisterer barn konto til denne konto. Du kan ikke slette denne konto.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Enten target qty eller målbeløbet er obligatorisk
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Ingen standard-stykliste eksisterer for vare {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Ingen standard-stykliste eksisterer for vare {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Vælg bogføringsdato først
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,"Åbning Dato bør være, før Closing Dato"
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Indstil navngivningsserien for {0} via Setup> Settings> Naming Series
DocType: Leave Control Panel,Carry Forward,Carry Forward
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Cost Center med eksisterende transaktioner kan ikke konverteres til finans
DocType: Department,Days for which Holidays are blocked for this department.,"Dage, for hvilke helligdage er blokeret for denne afdeling."
@@ -3303,10 +3329,9 @@
DocType: Issue,Raised By (Email),Oprettet af (e-mail)
DocType: Training Event,Trainer Name,Trainer Navn
DocType: Mode of Payment,General,Generelt
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Vedhæft brevhoved
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Sidste kommunikation
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Ikke kan fradrage, når kategorien er for "Værdiansættelse" eller "Værdiansættelse og Total '"
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Liste dine skattemæssige hoveder (f.eks moms, Told osv de skal have entydige navne) og deres faste satser. Dette vil skabe en standard skabelon, som du kan redigere og tilføje mere senere."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Liste dine skattemæssige hoveder (f.eks moms, Told osv de skal have entydige navne) og deres faste satser. Dette vil skabe en standard skabelon, som du kan redigere og tilføje mere senere."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Serienummer påkrævet for serienummervare {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Match betalinger med fakturaer
DocType: Journal Entry,Bank Entry,Bank indtastning
@@ -3315,16 +3340,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Føj til indkøbsvogn
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Sortér efter
DocType: Guardian,Interests,Interesser
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Aktivér / deaktivér valuta.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Aktivér / deaktivér valuta.
DocType: Production Planning Tool,Get Material Request,Hent materialeanmodning
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Portoudgifter
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Portoudgifter
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),I alt (Amt)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Entertainment & Leisure
DocType: Quality Inspection,Item Serial No,Serienummer til varer
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Opret Medarbejder Records
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Samlet tilstede
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Regnskabsoversigter
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Time
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Time
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nyt serienummer kan ikke have lager angivet. Lageret skal sættes ved lagerindtastning eller købskvittering
DocType: Lead,Lead Type,Emnetype
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Du er ikke autoriseret til at godkende fravær på blokerede dage
@@ -3336,6 +3361,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,Den nye BOM efter udskiftning
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Kassesystem
DocType: Payment Entry,Received Amount,modtaget Beløb
+DocType: GST Settings,GSTIN Email Sent On,GSTIN Email Sent On
+DocType: Program Enrollment,Pick/Drop by Guardian,Vælg / Drop af Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Opret fuld mængde, ignorerer mængde allerede er i ordre"
DocType: Account,Tax,Skat
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,Ikke Markeret
@@ -3347,14 +3374,14 @@
DocType: Batch,Source Document Name,Kildedokumentnavn
DocType: Job Opening,Job Title,Titel
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Opret Brugere
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,Gram
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,Gram
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Mængde til Fremstilling skal være større end 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Besøg rapport til vedligeholdelse opkald.
DocType: Stock Entry,Update Rate and Availability,Opdatering Vurder og tilgængelighed
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Procentdel, du får lov til at modtage eller levere mere mod den bestilte mængde. For eksempel: Hvis du har bestilt 100 enheder. og din Allowance er 10%, så du får lov til at modtage 110 enheder."
DocType: POS Customer Group,Customer Group,Kundegruppe
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Nyt partinr. (valgfri)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Udgiftskonto er obligatorisk for element {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Udgiftskonto er obligatorisk for element {0}
DocType: BOM,Website Description,Hjemmesidebeskrivelse
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Nettoændring i Equity
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Annullér købsfaktura {0} først
@@ -3364,8 +3391,8 @@
,Sales Register,Salgs Register
DocType: Daily Work Summary Settings Company,Send Emails At,Send e-mails på
DocType: Quotation,Quotation Lost Reason,Tilbud afvist - årsag
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Vælg dit domæne
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Transaktion henvisning ingen {0} dateret {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Vælg dit domæne
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Transaktion henvisning ingen {0} dateret {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Der er intet at redigere.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Resumé for denne måned og verserende aktiviteter
DocType: Customer Group,Customer Group Name,Kundegruppenavn
@@ -3373,14 +3400,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Pengestrømsanalyse
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Lånebeløb kan ikke overstige det maksimale lånebeløb på {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licens
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},Fjern denne faktura {0} fra C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},Fjern denne faktura {0} fra C-Form {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Vælg Carry Forward hvis du også ønsker at inkludere foregående regnskabsår balance blade til indeværende regnskabsår
DocType: GL Entry,Against Voucher Type,Mod Bilagstype
DocType: Item,Attributes,Attributter
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,Indtast venligst Skriv Off konto
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Indtast venligst Skriv Off konto
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Sidste ordredato
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Konto {0} ikke hører til virksomheden {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Serienumre i række {0} stemmer ikke overens med Leveringsnotat
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Serienumre i række {0} stemmer ikke overens med Leveringsnotat
DocType: Student,Guardian Details,Guardian Detaljer
DocType: C-Form,C-Form,C-Form
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark Deltagelse for flere medarbejdere
@@ -3395,16 +3422,16 @@
DocType: Budget Account,Budget Amount,Budget Beløb
DocType: Appraisal Template,Appraisal Template Title,Vurderingsskabelonnavn
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},"Fra Dato {0} for Employee {1} kan ikke være, før medarbejderens sammenføjning Dato {2}"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Kommerciel
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Kommerciel
DocType: Payment Entry,Account Paid To,Konto Betalt Til
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Overordnet bare {0} må ikke være en lagervare
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Alle produkter eller tjenesteydelser.
DocType: Expense Claim,More Details,Flere detaljer
DocType: Supplier Quotation,Supplier Address,Leverandør Adresse
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} budget for konto {1} mod {2} {3} er {4}. Det vil overstige med {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Række {0} # konto skal være af typen 'Anlægsaktiv'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Out Antal
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Regler til at beregne forsendelsesmængden for et salg
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Række {0} # konto skal være af typen 'Anlægsaktiv'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Out Antal
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Regler til at beregne forsendelsesmængden for et salg
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Nummerserien er obligatorisk
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Financial Services
DocType: Student Sibling,Student ID,Studiekort
@@ -3412,13 +3439,13 @@
DocType: Tax Rule,Sales,Salg
DocType: Stock Entry Detail,Basic Amount,Grundbeløb
DocType: Training Event,Exam,Eksamen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Lager kræves for lagervare {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Lager kræves for lagervare {0}
DocType: Leave Allocation,Unused leaves,Ubrugte blade
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,Anvendes ikke
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Overførsel
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} ikke forbundet med Party konto {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Hent eksploderede BOM (herunder underenheder)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} ikke forbundet med Party konto {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Hent eksploderede BOM (herunder underenheder)
DocType: Authorization Rule,Applicable To (Employee),Gælder for (Medarbejder)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Forfaldsdato er obligatorisk
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Tilvækst til Attribut {0} kan ikke være 0
@@ -3446,7 +3473,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Råmateriale varenr.
DocType: Journal Entry,Write Off Based On,Skriv Off baseret på
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Opret emne
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Print og papirvarer
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Print og papirvarer
DocType: Stock Settings,Show Barcode Field,Vis stregkodefelter
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Send Leverandør Emails
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Løn allerede behandlet for perioden {0} til {1}, ferie ansøgningsperiode kan ikke være i dette datointerval."
@@ -3454,13 +3481,15 @@
DocType: Guardian Interest,Guardian Interest,Guardian Renter
apps/erpnext/erpnext/config/hr.py +177,Training,Uddannelse
DocType: Timesheet,Employee Detail,Medarbejder Detail
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 Email ID
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,Næste dagsdato og Gentagelsesdag i måneden skal være ens
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Indstillinger for websted hjemmeside
DocType: Offer Letter,Awaiting Response,Afventer svar
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Frem
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Frem
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},Ugyldig attribut {0} {1}
DocType: Supplier,Mention if non-standard payable account,Angiv hvis ikke-standard betalingskonto
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Samme vare er indtastet flere gange. {liste}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Vælg venligst vurderingsgruppen bortset fra 'Alle vurderingsgrupper'
DocType: Salary Slip,Earning & Deduction,Tillæg & fradrag
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Valgfri. Denne indstilling vil blive brugt til at filtrere i forskellige transaktioner.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Negative Værdiansættelses Rate er ikke tilladt
@@ -3474,9 +3503,9 @@
DocType: Sales Invoice,Product Bundle Help,Produktpakkehjælp
,Monthly Attendance Sheet,Månedlig Deltagelse Sheet
DocType: Production Order Item,Production Order Item,Produktionsordre Item
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Ingen post fundet
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Ingen post fundet
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Udgifter kasseret anlægsaktiv
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Omkostningssted er obligatorisk for vare {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Omkostningssted er obligatorisk for vare {2}
DocType: Vehicle,Policy No,Politik Ingen
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Hent varer fra produktpakke
DocType: Asset,Straight Line,Lineær afskrivning
@@ -3484,7 +3513,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Dele
DocType: GL Entry,Is Advance,Er Advance
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Fremmøde fradato og Fremmøde tildato er obligatoriske
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,Indtast "underentreprise" som Ja eller Nej
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,Indtast "underentreprise" som Ja eller Nej
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Sidste kommunikationsdato
DocType: Sales Team,Contact No.,Kontaktnr.
DocType: Bank Reconciliation,Payment Entries,Betalings Entries
@@ -3510,60 +3539,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,åbning Value
DocType: Salary Detail,Formula,Formel
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serienummer
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Salgsprovisioner
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Salgsprovisioner
DocType: Offer Letter Term,Value / Description,/ Beskrivelse
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} kan ikke indsendes, er det allerede {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} kan ikke indsendes, er det allerede {2}"
DocType: Tax Rule,Billing Country,Faktureringsland
DocType: Purchase Order Item,Expected Delivery Date,Forventet leveringsdato
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debet og kredit ikke ens for {0} # {1}. Forskellen er {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Repræsentationsudgifter
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Opret materialeanmodning
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Repræsentationsudgifter
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Opret materialeanmodning
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Åbent Item {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,"Salgsfaktura {0} skal annulleres, før denne salgsordre annulleres"
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Alder
DocType: Sales Invoice Timesheet,Billing Amount,Faktureret beløb
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Ugyldig mængde angivet for element {0}. Mængde bør være større end 0.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Søg om tilladelse til fravær.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Konto med eksisterende transaktion kan ikke slettes
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Konto med eksisterende transaktion kan ikke slettes
DocType: Vehicle,Last Carbon Check,Sidste synsdato
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Advokatudgifter
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Advokatudgifter
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Vælg venligst antal på række
DocType: Purchase Invoice,Posting Time,Bogføringsdato og -tid
DocType: Timesheet,% Amount Billed,% Faktureret beløb
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Telefonudgifter
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Telefonudgifter
DocType: Sales Partner,Logo,Logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Markér dette hvis du ønsker at tvinge brugeren til at vælge en serie før du gemmer. Der vil ikke være standard, hvis du markerer dette."
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Ingen vare med serienummer {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Ingen vare med serienummer {0}
DocType: Email Digest,Open Notifications,Åbne Meddelelser
DocType: Payment Entry,Difference Amount (Company Currency),Forskel Beløb (Company Currency)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Direkte udgifter
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Direkte udgifter
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} er en ugyldig e-mailadresse i 'Notification \ e-mail adresse'
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Omsætning nye kunder
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Rejseudgifter
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Rejseudgifter
DocType: Maintenance Visit,Breakdown,Sammenbrud
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Konto: {0} med valuta: kan ikke vælges {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Konto: {0} med valuta: kan ikke vælges {1}
DocType: Bank Reconciliation Detail,Cheque Date,Checkdato
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Forældre-konto {1} tilhører ikke virksomheden: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Forældre-konto {1} tilhører ikke virksomheden: {2}
DocType: Program Enrollment Tool,Student Applicants,Student Ansøgere
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Succesfuld slettet alle transaktioner i forbindelse med dette selskab!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Succesfuld slettet alle transaktioner i forbindelse med dette selskab!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Som på dato
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,Tilmelding Dato
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Kriminalforsorgen
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Kriminalforsorgen
apps/erpnext/erpnext/config/hr.py +115,Salary Components,Lønarter
DocType: Program Enrollment Tool,New Academic Year,Nyt skoleår
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Retur / kreditnota
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Retur / kreditnota
DocType: Stock Settings,Auto insert Price List rate if missing,"Auto insert Prisliste sats, hvis der mangler"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Samlet indbetalt beløb
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Samlet indbetalt beløb
DocType: Production Order Item,Transferred Qty,Overført antal
apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigering
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Planlægning
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Udstedt
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planlægning
+DocType: Material Request,Issued,Udstedt
DocType: Project,Total Billing Amount (via Time Logs),Faktureringsbeløb i alt (via Time Logs)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Vi sælger denne vare
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Leverandør id
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Vi sælger denne vare
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Leverandør id
DocType: Payment Request,Payment Gateway Details,Betaling Gateway Detaljer
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Mængde bør være større end 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Mængde bør være større end 0
DocType: Journal Entry,Cash Entry,indtastning af kontanter
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Child noder kan kun oprettes under 'koncernens typen noder
DocType: Leave Application,Half Day Date,Halv dag dato
@@ -3575,14 +3605,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Angiv standardkonto i udlægstype {0}
DocType: Assessment Result,Student Name,Elevnavn
DocType: Brand,Item Manager,Varechef
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,Udbetalt løn
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Udbetalt løn
DocType: Buying Settings,Default Supplier Type,Standard-leverandørtype
DocType: Production Order,Total Operating Cost,Samlede driftsomkostninger
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Bemærk: Varer {0} indtastet flere gange
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Alle kontakter.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Firma-forkortelse
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Firma-forkortelse
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Brugeren {0} eksisterer ikke
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,Råvarer kan ikke være samme som vigtigste element
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Råvarer kan ikke være samme som vigtigste element
DocType: Item Attribute Value,Abbreviation,Forkortelse
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Betaling indtastning findes allerede
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Ikke authroized da {0} overskrider grænser
@@ -3591,49 +3621,49 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Sæt momsregel for indkøbskurv
DocType: Purchase Invoice,Taxes and Charges Added,Skatter og Afgifter Tilføjet
,Sales Funnel,Salgstragt
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Forkortelsen er obligatorisk
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Forkortelsen er obligatorisk
DocType: Project,Task Progress,Opgave-fremskridt
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Kurv
,Qty to Transfer,Antal til Transfer
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Tilbud til emner eller kunder.
DocType: Stock Settings,Role Allowed to edit frozen stock,Rolle Tilladt at redigere frosne lager
,Territory Target Variance Item Group-Wise,Områdemål Variance Item Group-Wise
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Alle kundegrupper
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Alle kundegrupper
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Akkumuleret månedlig
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} er obligatorisk. Måske Valutaveksling record er ikke skabt for {1} til {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} er obligatorisk. Måske Valutaveksling record er ikke skabt for {1} til {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Skat Skabelon er obligatorisk.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Konto {0}: Forældre-konto {1} findes ikke
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Konto {0}: Forældre-konto {1} findes ikke
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Prisliste Rate (Company Valuta)
DocType: Products Settings,Products Settings,Produkter Indstillinger
DocType: Account,Temporary,Midlertidig
DocType: Program,Courses,Kurser
DocType: Monthly Distribution Percentage,Percentage Allocation,Procentvis fordeling
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Sekretær
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekretær
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Hvis deaktivere, 'I Words' område vil ikke være synlig i enhver transaktion"
DocType: Serial No,Distinct unit of an Item,Særskilt enhed af et element
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Angiv venligst firma
DocType: Pricing Rule,Buying,Køb
DocType: HR Settings,Employee Records to be created by,Medarbejdere skal oprettes af
DocType: POS Profile,Apply Discount On,Påfør Rabat på
,Reqd By Date,Reqd Efter dato
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Kreditorer
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Kreditorer
DocType: Assessment Plan,Assessment Name,Vurdering Navn
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Række # {0}: serienummer er obligatorisk
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Item Wise Tax Detail
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Institut Forkortelse
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Institut Forkortelse
,Item-wise Price List Rate,Item-wise Prisliste Rate
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Leverandørtilbud
DocType: Quotation,In Words will be visible once you save the Quotation.,"I Ord vil være synlig, når du gemmer tilbuddet."
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Mængde ({0}) kan ikke være en brøkdel i række {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,Saml Gebyrer
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Stregkode {0} allerede brugt i vare {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Stregkode {0} allerede brugt i vare {1}
DocType: Lead,Add to calendar on this date,Føj til kalender på denne dato
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Regler for at tilføje forsendelsesomkostninger.
DocType: Item,Opening Stock,Åbning Stock
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Kunde skal angives
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} er obligatorisk for Return
DocType: Purchase Order,To Receive,At Modtage
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Personlig e-mail
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Samlet Varians
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Hvis aktiveret, vil systemet sende bogføring for opgørelse automatisk."
@@ -3644,13 +3674,14 @@
DocType: Customer,From Lead,Fra Emne
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Ordrer frigives til produktion.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Vælg regnskabsår ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS profil kræves for at gøre POS indtastning
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS profil kræves for at gøre POS indtastning
DocType: Program Enrollment Tool,Enroll Students,Tilmeld Studerende
DocType: Hub Settings,Name Token,Navn Token
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard salg
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Mindst ét lager skal angives
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Mindst ét lager skal angives
DocType: Serial No,Out of Warranty,Garanti udløbet
DocType: BOM Replace Tool,Replace,Udskift
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Ingen produkter fundet.
DocType: Production Order,Unstopped,oplades
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} mod salgsfaktura {1}
DocType: Sales Invoice,SINV-,SF-
@@ -3661,13 +3692,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Stock Value Forskel
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Menneskelige Ressourcer
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Betaling Afstemning Betaling
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Skatteaktiver
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Skatteaktiver
DocType: BOM Item,BOM No,Styklistenr.
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Kassekladde {0} har ikke konto {1} eller allerede matchet mod andre kupon
DocType: Item,Moving Average,Glidende gennemsnit
DocType: BOM Replace Tool,The BOM which will be replaced,Den stykliste som vil blive erstattet
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,Elektronisk udstyr
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,Elektronisk udstyr
DocType: Account,Debit,Debet
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Fravær skal angives i multipla af 0,5"
DocType: Production Order,Operation Cost,Operation Cost
@@ -3675,7 +3706,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Enestående Amt
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Fastsatte mål Item Group-wise for denne Sales Person.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Frys Stocks Ældre end [dage]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Række {0}: Aktiv er obligatorisk for anlægsaktiv køb / salg
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Række {0}: Aktiv er obligatorisk for anlægsaktiv køb / salg
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Hvis to eller flere Priser Regler er fundet på grundlag af de ovennævnte betingelser, er Priority anvendt. Prioritet er et tal mellem 0 og 20, mens Standardværdien er nul (blank). Højere antal betyder, at det vil have forrang, hvis der er flere Priser Regler med samme betingelser."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Fiscal År: {0} ikke eksisterer
DocType: Currency Exchange,To Currency,Til Valuta
@@ -3683,7 +3714,7 @@
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Udlægstyper.
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Salgsprisen for vare {0} er lavere end dens {1}. Salgsprisen skal være mindst {2}
DocType: Item,Taxes,Moms
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Betalt og ikke leveret
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Betalt og ikke leveret
DocType: Project,Default Cost Center,Standard omkostningssted
DocType: Bank Guarantee,End Date,Slutdato
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Lagertransaktioner
@@ -3708,24 +3739,22 @@
DocType: Employee,Held On,Held On
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Produktion Vare
,Employee Information,Medarbejder Information
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Sats (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Sats (%)
DocType: Stock Entry Detail,Additional Cost,Yderligere omkostning
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Regnskabsår Slutdato
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",Kan ikke filtrere baseret på bilagsnr. hvis der sorteres efter Bilagstype
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Opret Leverandørtilbud
DocType: Quality Inspection,Incoming,Indgående
DocType: BOM,Materials Required (Exploded),Nødvendige materialer (Sprængskitse)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself",Tilføj andre brugere til din organisation end dig selv
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Bogføringsdato kan ikke være en fremtidig dato
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Række # {0}: serienummer {1} matcher ikke med {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Casual Leave
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Casual Leave
DocType: Batch,Batch ID,Parti-id
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Bemærk: {0}
,Delivery Note Trends,Følgeseddel Tendenser
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Denne uges oversigt
-,In Stock Qty,På lager Antal
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,På lager Antal
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Konto: {0} kan kun opdateres via Lagertransaktioner
-DocType: Program Enrollment,Get Courses,Hent kurser
+DocType: Student Group Creation Tool,Get Courses,Hent kurser
DocType: GL Entry,Party,Selskab
DocType: Sales Order,Delivery Date,Leveringsdato
DocType: Opportunity,Opportunity Date,Salgsmulighedsdato
@@ -3733,14 +3762,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Anmodning om tilbud Varer
DocType: Purchase Order,To Bill,Til Bill
DocType: Material Request,% Ordered,% Bestilt
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",For kursusbaseret studentegruppe vil kurset blive valideret for hver elev fra de tilmeldte kurser i programtilmelding.
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Indtast e-mail-adresse adskilt af kommaer, vil faktura blive sendt automatisk på bestemt dato"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Akkordarbejde
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Akkordarbejde
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Gns. købssats
DocType: Task,Actual Time (in Hours),Faktisk tid (i timer)
DocType: Employee,History In Company,Historie I Company
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Nyhedsbreve
DocType: Stock Ledger Entry,Stock Ledger Entry,Lagerpost
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Samme vare er blevet indtastet flere gange
DocType: Department,Leave Block List,Blokér fraværsansøgninger
DocType: Sales Invoice,Tax ID,CVR-nr.
@@ -3755,30 +3784,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} enheder af {1} behov i {2} at fuldføre denne transaktion.
DocType: Loan Type,Rate of Interest (%) Yearly,Rente (%) Årlig
DocType: SMS Settings,SMS Settings,SMS-indstillinger
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Midlertidige konti
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Sort
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Midlertidige konti
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Sort
DocType: BOM Explosion Item,BOM Explosion Item,BOM Explosion Vare
DocType: Account,Auditor,Revisor
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} varer produceret
DocType: Cheque Print Template,Distance from top edge,Afstand fra overkanten
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Prisliste {0} er deaktiveret eller findes ikke
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Prisliste {0} er deaktiveret eller findes ikke
DocType: Purchase Invoice,Return,Retur
DocType: Production Order Operation,Production Order Operation,Produktionsordre Operation
DocType: Pricing Rule,Disable,Deaktiver
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Betalingsmåde er forpligtet til at foretage en betaling
DocType: Project Task,Pending Review,Afventende anmeldelse
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} er ikke indskrevet i batch {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Anlægsaktiv {0} kan ikke kasseres, da det allerede er {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Udlæg ialt (via Udlæg)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Kunde-id
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Fraværende
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Række {0}: Valuta af BOM # {1} skal være lig med den valgte valuta {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Række {0}: Valuta af BOM # {1} skal være lig med den valgte valuta {2}
DocType: Journal Entry Account,Exchange Rate,Vekselkurs
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Salgsordre {0} er ikke godkendt
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Salgsordre {0} er ikke godkendt
DocType: Homepage,Tag Line,tag Linje
DocType: Fee Component,Fee Component,Gebyr Component
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Flådestyring
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Tilføj varer fra
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Warehouse {0}: Forældre-konto {1} ikke Bolong til virksomheden {2}
DocType: Cheque Print Template,Regular,Fast
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Samlet vægtning af alle vurderingskriterier skal være 100%
DocType: BOM,Last Purchase Rate,Sidste købsværdi
@@ -3787,11 +3815,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Stock kan ikke eksistere for Item {0} da har varianter
,Sales Person-wise Transaction Summary,SalgsPerson Transaktion Totaler
DocType: Training Event,Contact Number,Kontaktnummer
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Lager {0} eksisterer ikke
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Lager {0} eksisterer ikke
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Tilmeld dig ERPNext Hub
DocType: Monthly Distribution,Monthly Distribution Percentages,Månedlige Distribution Procenter
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Den valgte vare kan ikke have parti
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Værdiansættelse fald ikke fundet for Item {0}, som er forpligtet til at gøre regnskabsmæssige poster for {1} {2}. Hvis varen er transaktionsomkostninger som en prøve post i nævne {1}, bedes der i {1} Item bord. Ellers skal du oprette en indgående bestand transaktion for elementet eller omtale værdiansættelse sats i Item rekord, og derefter prøve submiting / annullering denne post"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Værdiansættelse fald ikke fundet for Item {0}, som er forpligtet til at gøre regnskabsmæssige poster for {1} {2}. Hvis varen er transaktionsomkostninger som en prøve post i nævne {1}, bedes der i {1} Item bord. Ellers skal du oprette en indgående bestand transaktion for elementet eller omtale værdiansættelse sats i Item rekord, og derefter prøve submiting / annullering denne post"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% af materialer leveret mod denne følgeseddel
DocType: Project,Customer Details,Kunde Detaljer
DocType: Employee,Reports to,Rapporter til
@@ -3799,41 +3827,43 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Indtast url parameter for receiver nos
DocType: Payment Entry,Paid Amount,Betalt beløb
DocType: Assessment Plan,Supervisor,Tilsynsførende
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Online
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,Online
,Available Stock for Packing Items,Tilgængelig Stock til Emballerings- Varer
DocType: Item Variant,Item Variant,Varevariant
DocType: Assessment Result Tool,Assessment Result Tool,Assessment Resultat Tool
DocType: BOM Scrap Item,BOM Scrap Item,Stykliste skrotvare
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Godkendte ordrer kan ikke slettes
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",Konto balance er debit. Du har ikke lov til at ændre 'Balancetype' til 'kredit'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Kvalitetssikring
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Godkendte ordrer kan ikke slettes
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",Konto balance er debit. Du har ikke lov til at ændre 'Balancetype' til 'kredit'
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Kvalitetssikring
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Vare {0} er blevet deaktiveret
DocType: Employee Loan,Repay Fixed Amount per Period,Tilbagebetale fast beløb pr Periode
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Indtast mængde for vare {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Kreditnota Amt
DocType: Employee External Work History,Employee External Work History,Medarbejder Ekstern Work History
DocType: Tax Rule,Purchase,Indkøb
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Balance Antal
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Balance Antal
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Mål kan ikke være tom
DocType: Item Group,Parent Item Group,Overordnet varegruppe
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} for {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Omkostningssteder
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Omkostningssteder
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,"Hastighed, hvormed leverandørens valuta omregnes til virksomhedens basisvaluta"
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: tider konflikter med rækken {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Tillad nulværdi
DocType: Training Event Employee,Invited,inviteret
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Flere aktive lønstrukturer fundet for medarbejder {0} for de givne datoer
DocType: Opportunity,Next Contact,Næste kontakt
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Opsætning Gateway konti.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Opsætning Gateway konti.
DocType: Employee,Employment Type,Beskæftigelsestype
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Anlægsaktiver
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Anlægsaktiver
DocType: Payment Entry,Set Exchange Gain / Loss,Sæt Exchange Gevinst / Tab
+,GST Purchase Register,GST købsregistrering
,Cash Flow,Pengestrøm
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Ansøgningsperiode kan ikke være på tværs af to alocation optegnelser
DocType: Item Group,Default Expense Account,Standard udgiftskonto
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Student Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student Email ID
DocType: Employee,Notice (days),Varsel (dage)
DocType: Tax Rule,Sales Tax Template,Salg Afgift Skabelon
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Vælg elementer for at gemme fakturaen
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Vælg elementer for at gemme fakturaen
DocType: Employee,Encashment Date,Indløsningsdato
DocType: Training Event,Internet,Internet
DocType: Account,Stock Adjustment,Stock Justering
@@ -3861,7 +3891,7 @@
DocType: Guardian,Guardian Of ,Guardian Of
DocType: Grading Scale Interval,Threshold,Grænseværdi
DocType: BOM Replace Tool,Current BOM,Aktuel stykliste
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Tilføj serienummer
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Tilføj serienummer
apps/erpnext/erpnext/config/support.py +22,Warranty,Garanti
DocType: Purchase Invoice,Debit Note Issued,Debit Note Udstedt
DocType: Production Order,Warehouses,Lagre
@@ -3870,20 +3900,20 @@
DocType: Workstation,per hour,per time
apps/erpnext/erpnext/config/buying.py +7,Purchasing,Indkøb
DocType: Announcement,Announcement,Bekendtgørelse
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Konto for lageret (Perpetual Inventory) vil blive oprettet under denne konto.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Lager kan ikke slettes, da der eksisterer lagerposter for dette lager."
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",For Batch-baserede Studentegruppe bliver Student Batch Valideret for hver Student fra Programindskrivningen.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Lager kan ikke slettes, da der eksisterer lagerposter for dette lager."
DocType: Company,Distribution,Distribution
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Beløb betalt
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Projektleder
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Projektleder
,Quoted Item Comparison,Sammenligning Citeret Vare
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Dispatch
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Maksimal rabat tilladt for vare: {0} er {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Dispatch
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Maksimal rabat tilladt for vare: {0} er {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Indre værdi som på
DocType: Account,Receivable,Tilgodehavende
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Række # {0}: Ikke tilladt at skifte leverandør, da indkøbsordre allerede findes"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Række # {0}: Ikke tilladt at skifte leverandør, da indkøbsordre allerede findes"
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Rolle, som får lov til at indsende transaktioner, der overstiger kredit grænser."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Vælg varer til Produktion
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master data synkronisering, kan det tage nogen tid"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Vælg varer til Produktion
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master data synkronisering, kan det tage nogen tid"
DocType: Item,Material Issue,Materiale Issue
DocType: Hub Settings,Seller Description,Sælger Beskrivelse
DocType: Employee Education,Qualification,Kvalifikation
@@ -3903,7 +3933,6 @@
DocType: BOM,Rate Of Materials Based On,Rate Of materialer baseret på
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Support Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Fravælg alle
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Virksomheden mangler i pakhuse {0}
DocType: POS Profile,Terms and Conditions,Betingelser
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Til dato bør være inden regnskabsåret. Antages Til dato = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Her kan du vedligeholde højde, vægt, allergier, medicinske problemer osv"
@@ -3918,18 +3947,17 @@
DocType: Sales Order Item,For Production,For Produktion
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Vis opgave
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Din regnskabsår begynder på
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Asset Afskrivninger og Vægte
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Mængden {0} {1} overført fra {2} til {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Mængden {0} {1} overført fra {2} til {3}
DocType: Sales Invoice,Get Advances Received,Få forskud
DocType: Email Digest,Add/Remove Recipients,Tilføj / fjern modtagere
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Transaktion ikke tilladt mod stoppet produktionsordre {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Transaktion ikke tilladt mod stoppet produktionsordre {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","For at indstille dette regnskabsår som standard, skal du klikke på 'Vælg som standard'"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,Tilslutte
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Tilslutte
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Mangel Antal
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Vare variant {0} eksisterer med samme attributter
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Vare variant {0} eksisterer med samme attributter
DocType: Employee Loan,Repay from Salary,Tilbagebetale fra Løn
DocType: Leave Application,LAP/,SKØD/
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Anmodning betaling mod {0} {1} for beløb {2}
@@ -3940,34 +3968,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Generer pakkesedler til pakker, der skal leveres. Pakkesedlen indeholder pakkenummer, pakkens indhold og dens vægt."
DocType: Sales Invoice Item,Sales Order Item,Salgsordrevare
DocType: Salary Slip,Payment Days,Betalingsdage
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Lager med referencer kan ikke konverteres til finans
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Lager med referencer kan ikke konverteres til finans
DocType: BOM,Manage cost of operations,Administrer udgifter til operationer
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Når nogen af de kontrollerede transaktioner er "Indsendt", en e-pop-up automatisk åbnet til at sende en e-mail til den tilknyttede "Kontakt" i denne transaktion, med transaktionen som en vedhæftet fil. Brugeren kan eller ikke kan sende e-mailen."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Globale indstillinger
DocType: Assessment Result Detail,Assessment Result Detail,Vurdering Resultat Detail
DocType: Employee Education,Employee Education,Medarbejder Uddannelse
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Samme varegruppe findes to gange i varegruppetabellen
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,Det er nødvendigt at hente Elementdetaljer.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,Det er nødvendigt at hente Elementdetaljer.
DocType: Salary Slip,Net Pay,Nettoløn
DocType: Account,Account,Konto
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Serienummer {0} er allerede blevet modtaget
,Requested Items To Be Transferred,"Anmodet Varer, der skal overføres"
DocType: Expense Claim,Vehicle Log,Kørebog
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Warehouse {0} er ikke knyttet til nogen konto, skal du oprette / linke den tilsvarende (Asset) konto for lageret."
DocType: Purchase Invoice,Recurring Id,Tilbagevendende Id
DocType: Customer,Sales Team Details,Salgs Team Detaljer
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Slet permanent?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Slet permanent?
DocType: Expense Claim,Total Claimed Amount,Total krævede beløb
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potentielle muligheder for at sælge.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Ugyldig {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Sygefravær
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Ugyldig {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Sygefravær
DocType: Email Digest,Email Digest,E-mail nyhedsbrev
DocType: Delivery Note,Billing Address Name,Faktureringsadressenavn
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Varehuse
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Opsætning din skole i ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Base ændring beløb (Company Currency)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Ingen bogføring for følgende lagre
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Ingen bogføring for følgende lagre
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Gem dokumentet først.
DocType: Account,Chargeable,Gebyr
DocType: Company,Change Abbreviation,Skift Forkortelse
@@ -3985,7 +4012,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,"Forventet leveringsdato kan ikke være, før indkøbsordre Dato"
DocType: Appraisal,Appraisal Template,Vurdering skabelon
DocType: Item Group,Item Classification,Item Klassifikation
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Business Development Manager
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Vedligeholdelse Besøg Formål
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Periode
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Finansbogholderi
@@ -3995,8 +4022,8 @@
DocType: Item Attribute Value,Attribute Value,Attribut Værdi
,Itemwise Recommended Reorder Level,Itemwise Anbefalet genbestillings Level
DocType: Salary Detail,Salary Detail,Løn Detail
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,Vælg {0} først
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Batch {0} af varer {1} er udløbet.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Vælg {0} først
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Batch {0} af varer {1} er udløbet.
DocType: Sales Invoice,Commission,Kommissionen
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Tidsregistrering til Produktion.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Subtotal
@@ -4007,6 +4034,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`Frys lager ældre end` skal være mindre end %d dage.
DocType: Tax Rule,Purchase Tax Template,Køb Skat Skabelon
,Project wise Stock Tracking,Opfølgning på lager sorteret efter sager
+DocType: GST HSN Code,Regional,Regional
DocType: Stock Entry Detail,Actual Qty (at source/target),Faktiske Antal (ved kilden / mål)
DocType: Item Customer Detail,Ref Code,Ref Code
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Medarbejder Records.
@@ -4017,13 +4045,13 @@
DocType: Email Digest,New Purchase Orders,Nye indkøbsordrer
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Root kan ikke have en forælder cost center
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Vælg varemærke ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Træningsarrangementer / Resultater
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Akkumulerede afskrivninger som på
DocType: Sales Invoice,C-Form Applicable,C-anvendelig
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Driftstid skal være større end 0 til drift {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Lager er obligatorisk
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Lager er obligatorisk
DocType: Supplier,Address and Contacts,Adresse og kontaktpersoner
DocType: UOM Conversion Detail,UOM Conversion Detail,UOM Konvertering Detail
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Hold det webvenligt med en bredde på 900 pixels og en højde på 100 pixels
DocType: Program,Program Abbreviation,Program Forkortelse
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Produktionsordre kan ikke rejses mod en Vare skabelon
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Afgifter er opdateret i købskvitteringen for hver enkelt vare
@@ -4031,13 +4059,13 @@
DocType: Bank Guarantee,Start Date,Startdato
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Afsætte blade i en periode.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Checks og Indskud forkert ryddet
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Konto {0}: Konto kan ikke samtidig være forældre-konto
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Konto {0}: Konto kan ikke samtidig være forældre-konto
DocType: Purchase Invoice Item,Price List Rate,Prisliste Rate
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Opret tilbud til kunder
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Vis "På lager" eller "Ikke på lager" baseret på lager til rådighed i dette lager.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Styklister
DocType: Item,Average time taken by the supplier to deliver,Gennemsnitlig tid taget af leverandøren til at levere
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,Vurdering Resultat
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,Vurdering Resultat
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Timer
DocType: Project,Expected Start Date,Forventet startdato
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,"Fjern element, hvis afgifter ikke finder anvendelse på denne post"
@@ -4051,24 +4079,23 @@
DocType: Workstation,Operating Costs,Driftsomkostninger
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Action hvis Akkumulerede Månedligt budget overskredet
DocType: Purchase Invoice,Submit on creation,Godkend ved oprettelse
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Valuta for {0} skal være {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Valuta for {0} skal være {1}
DocType: Asset,Disposal Date,Salgsdato
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-mails vil blive sendt til alle aktive medarbejdere i selskabet ved den givne time, hvis de ikke har ferie. Sammenfatning af svarene vil blive sendt ved midnat."
DocType: Employee Leave Approver,Employee Leave Approver,Medarbejder Leave Godkender
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Række {0}: En Genbestil indgang findes allerede for dette lager {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Række {0}: En Genbestil indgang findes allerede for dette lager {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Kan ikke erklæres tabt, fordi tilbud er afgivet."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Træning Feedback
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Produktionsordre {0} skal godkendes
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Produktionsordre {0} skal godkendes
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Vælg Start og slutdato for Item {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Kursus er obligatorisk i række {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Til dato kan ikke være før fra dato
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Tilføj / rediger priser
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Tilføj / rediger priser
DocType: Batch,Parent Batch,Overordnet parti
DocType: Cheque Print Template,Cheque Print Template,Check Print skabelon
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Diagram af omkostningssteder
,Requested Items To Be Ordered,Anmodet Varer skal bestilles
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,Warehouse Virksomheden skal være samme som Account selskab
DocType: Price List,Price List Name,Prislistenavn
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Daglige arbejde Summary for {0}
DocType: Employee Loan,Totals,Totaler
@@ -4090,55 +4117,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Indtast venligst gyldige mobiltelefonnumre
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Indtast venligst en meddelelse, før du sender"
DocType: Email Digest,Pending Quotations,Afventende tilbud
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Kassesystemprofil
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Kassesystemprofil
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Opdatér venligst SMS-indstillinger
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Usikrede lån
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Usikrede lån
DocType: Cost Center,Cost Center Name,Omkostningsstednavn
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Max arbejdstid mod Timesheet
DocType: Maintenance Schedule Detail,Scheduled Date,Planlagt dato
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Total Betalt Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Total Betalt Amt
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Beskeder større end 160 tegn vil blive opdelt i flere meddelelser
DocType: Purchase Receipt Item,Received and Accepted,Modtaget og accepteret
+,GST Itemised Sales Register,GST Itemized Sales Register
,Serial No Service Contract Expiry,Serienummer Servicekontrakt-udløb
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Du kan ikke kreditere og debitere samme konto på samme tid
DocType: Naming Series,Help HTML,Hjælp HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Værktøj til dannelse af elevgrupper
DocType: Item,Variant Based On,Variant Based On
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Samlet weightage tildelt skulle være 100%. Det er {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Dine Leverandører
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Dine Leverandører
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Kan ikke indstilles som Lost som Sales Order er foretaget.
DocType: Request for Quotation Item,Supplier Part No,Leverandør varenummer
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Kan ikke fratrække når kategori er for "Værdiansættelse" eller "Vaulation og Total '
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Modtaget fra
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Modtaget fra
DocType: Lead,Converted,Konverteret
DocType: Item,Has Serial No,Har serienummer
DocType: Employee,Date of Issue,Udstedt den
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Fra {0} for {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","I henhold til købsindstillingerne, hvis købsmodtagelse er påkrævet == 'JA' og derefter for at oprette købsfaktura, skal brugeren først oprette købsmodtagelse for vare {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Række # {0}: Indstil Leverandør for vare {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Række {0}: Timer værdi skal være større end nul.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Website Billede {0} er knyttet til Vare {1} kan ikke findes
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Website Billede {0} er knyttet til Vare {1} kan ikke findes
DocType: Issue,Content Type,Indholdstype
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Computer
DocType: Item,List this Item in multiple groups on the website.,Liste denne vare i flere grupper på hjemmesiden.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Kontroller venligst Multi Valuta indstilling for at tillade konti med anden valuta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Item: {0} findes ikke i systemet
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Du er ikke autoriseret til at fastsætte Frozen værdi
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Item: {0} findes ikke i systemet
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Du er ikke autoriseret til at fastsætte Frozen værdi
DocType: Payment Reconciliation,Get Unreconciled Entries,Få ikke-afstemte Entries
DocType: Payment Reconciliation,From Invoice Date,Fra fakturadato
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,Faktureringsvaluta skal være lig med enten firmaets standardvaluta eller partens kontovaluta
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Udbetal fravær
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Hvad gør det?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,Faktureringsvaluta skal være lig med enten firmaets standardvaluta eller partens kontovaluta
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Udbetal fravær
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Hvad gør det?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Til lager
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Alle Student Indlæggelser
,Average Commission Rate,Gennemsnitlig Kommissionens Rate
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,'Har serienummer' kan ikke være 'Ja' for ikke-lagerførte vare
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'Har serienummer' kan ikke være 'Ja' for ikke-lagerførte vare
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Fremmøde kan ikke markeres for fremtidige datoer
DocType: Pricing Rule,Pricing Rule Help,Hjælp til prisfastsættelsesregel
DocType: School House,House Name,Husnavn
DocType: Purchase Taxes and Charges,Account Head,Konto hoved
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Opdater yderligere omkostninger til at beregne landede udgifter til poster
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Elektrisk
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Elektrisk
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Tilsæt resten af din organisation som dine brugere. Du kan også tilføje invitere kunder til din portal ved at tilføje dem fra Kontakter
DocType: Stock Entry,Total Value Difference (Out - In),Samlet værdi (difference udgående - indgående)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Række {0}: Valutakursen er obligatorisk
@@ -4148,7 +4177,7 @@
DocType: Item,Customer Code,Kundekode
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Birthday Reminder for {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dage siden sidste ordre
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Debit-Til konto skal være en balance konto
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Debit-Til konto skal være en balance konto
DocType: Buying Settings,Naming Series,Navngivningsnummerserie
DocType: Leave Block List,Leave Block List Name,Blokering af fraværsansøgninger
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Forsikring Startdato skal være mindre end Forsikring Slutdato
@@ -4163,26 +4192,26 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Medarbejder {0} lønseddel er allerede overført til tidsregistreringskladde {1}
DocType: Vehicle Log,Odometer,kilometertæller
DocType: Sales Order Item,Ordered Qty,Bestilt antal
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Vare {0} er deaktiveret
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Vare {0} er deaktiveret
DocType: Stock Settings,Stock Frozen Upto,Stock Frozen Op
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,Stykliste indeholder ikke nogen lagervarer
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,Stykliste indeholder ikke nogen lagervarer
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Periode fra og periode datoer obligatorisk for tilbagevendende {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Sagsaktivitet / opgave.
DocType: Vehicle Log,Refuelling Details,Brændstofpåfyldningsdetaljer
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Generer lønsedler
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Indkøb skal kontrolleres, om nødvendigt er valgt som {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Indkøb skal kontrolleres, om nødvendigt er valgt som {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Rabat skal være mindre end 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Sidste købsværdi ikke fundet
DocType: Purchase Invoice,Write Off Amount (Company Currency),Skriv Off Beløb (Company Valuta)
DocType: Sales Invoice Timesheet,Billing Hours,Fakturerede timer
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,Standard stykliste for {0} blev ikke fundet
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Række # {0}: Venligst sæt genbestille mængde
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Række # {0}: Venligst sæt genbestille mængde
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Tryk på elementer for at tilføje dem her
DocType: Fees,Program Enrollment,Program Tilmelding
DocType: Landed Cost Voucher,Landed Cost Voucher,Landed Cost Voucher
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Indstil {0}
DocType: Purchase Invoice,Repeat on Day of Month,Gentag på dag i måneden
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} er inaktiv studerende
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} er inaktiv studerende
DocType: Employee,Health Details,Sundhedsdetaljer
DocType: Offer Letter,Offer Letter Terms,Ansættelsesvilkår
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,For at oprette en betalingsanmodning kræves referencedokument
@@ -4203,7 +4232,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Eksempel:. ABCD ##### Hvis nummerserien er indstillet, og serienummeret ikke fremkommer i transaktionerne, så vil serienummeret automatisk blive oprettet på grundlag af denne nummerserie. Hvis du altid ønsker, eksplicit at angive serienumre for denne vare, skal du lade dette felt være blankt."
DocType: Upload Attendance,Upload Attendance,Indlæs fremmøde
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,Stykliste and produceret mængde skal angives
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,Stykliste and produceret mængde skal angives
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Ageing Range 2
DocType: SG Creation Tool Course,Max Strength,Max Strength
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,Stykliste erstattet
@@ -4212,8 +4241,8 @@
,Prospects Engaged But Not Converted,Udsigter Engageret men ikke konverteret
DocType: Manufacturing Settings,Manufacturing Settings,Produktion Indstillinger
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Opsætning af E-mail
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Formynder 1 mobiltelefonnr.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Indtast standardvaluta i Firma-masteren
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Formynder 1 mobiltelefonnr.
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Indtast standardvaluta i Firma-masteren
DocType: Stock Entry Detail,Stock Entry Detail,Lagerindtastningsdetaljer
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Daglige påmindelser
DocType: Products Settings,Home Page is Products,Home Page er Produkter
@@ -4222,7 +4251,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Ny Kontonavn
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Raw Materials Leveres Cost
DocType: Selling Settings,Settings for Selling Module,Indstillinger for salgsmodul
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Kundeservice
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Kundeservice
DocType: BOM,Thumbnail,Thumbnail
DocType: Item Customer Detail,Item Customer Detail,Item Customer Detail
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Tilbyd ansøger en stilling
@@ -4231,7 +4260,7 @@
DocType: Pricing Rule,Percentage,Procent
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Vare {0} skal være en lagervare
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Standard varer-i-arbejde-lager
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Standardindstillinger regnskabsmæssige transaktioner.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Standardindstillinger regnskabsmæssige transaktioner.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Forventet dato kan ikke være før materialeanmodningsdatoen
DocType: Purchase Invoice Item,Stock Qty,Antal på lager
@@ -4244,10 +4273,10 @@
DocType: Sales Order,Printing Details,Udskrivning Detaljer
DocType: Task,Closing Date,Closing Dato
DocType: Sales Order Item,Produced Quantity,Produceret Mængde
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Ingeniør
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Ingeniør
DocType: Journal Entry,Total Amount Currency,Samlet beløb Valuta
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Søg Sub Assemblies
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Varenr. kræves på rækkenr. {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Varenr. kræves på rækkenr. {0}
DocType: Sales Partner,Partner Type,Partnertype
DocType: Purchase Taxes and Charges,Actual,Faktiske
DocType: Authorization Rule,Customerwise Discount,Customerwise Discount
@@ -4264,11 +4293,11 @@
DocType: Item Reorder,Re-Order Level,Re-Order Level
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Indtast poster og planlagt qty, som du ønsker at hæve produktionsordrer eller downloade råmaterialer til analyse."
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt-diagram
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Deltid
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Deltid
DocType: Employee,Applicable Holiday List,Gældende helligdagskalender
DocType: Employee,Cheque,Check
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Nummerserien opdateret
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Kontotype er obligatorisk
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Kontotype er obligatorisk
DocType: Item,Serial Number Series,Serienummer-nummerserie
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Lager er obligatorisk for lagervare {0} i række {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Detail & Wholesale
@@ -4289,7 +4318,7 @@
DocType: BOM,Materials,Materialer
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Hvis ikke afkrydset, skal hver afdeling vælges, hvor det skal anvendes."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Kilde og Target Warehouse kan ikke være samme
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Bogføringsdato og -tid er obligatorisk
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Bogføringsdato og -tid er obligatorisk
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Skat skabelon til at købe transaktioner.
,Item Prices,Varepriser
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"I Ord vil være synlig, når du gemmer indkøbsordre."
@@ -4299,22 +4328,23 @@
DocType: Purchase Invoice,Advance Payments,Forudbetalinger
DocType: Purchase Taxes and Charges,On Net Total,On Net Total
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Værdi for Egenskab {0} skal være inden for området af {1} og {2} i intervaller af {3} til konto {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Target lager i rækken {0} skal være samme som produktionsordre
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Target lager i rækken {0} skal være samme som produktionsordre
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,'Notifications Email' er ikke angivet for tilbagevendende %s
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,Valuta kan ikke ændres efter at poster ved hjælp af nogle anden valuta
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Valuta kan ikke ændres efter at poster ved hjælp af nogle anden valuta
DocType: Vehicle Service,Clutch Plate,clutch Plate
DocType: Company,Round Off Account,Afrundningskonto
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Administrationsomkostninger
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Administrationsomkostninger
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Rådgivning
DocType: Customer Group,Parent Customer Group,Overordnet kundegruppe
DocType: Purchase Invoice,Contact Email,Kontakt e-mail
DocType: Appraisal Goal,Score Earned,Score tjent
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Opsigelsesperiode
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Opsigelsesperiode
DocType: Asset Category,Asset Category Name,Asset Kategori Navn
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Dette er et overordnet område og kan ikke redigeres.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Navn på ny salgsmedarbejder
DocType: Packing Slip,Gross Weight UOM,Bruttovægtenhed
DocType: Delivery Note Item,Against Sales Invoice,Mod salgsfaktura
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Indtast serienumre for serialiseret vare
DocType: Bin,Reserved Qty for Production,Reserveret Antal for Produktion
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Markér ikke, hvis du ikke vil overveje batch mens du laver kursusbaserede grupper."
DocType: Asset,Frequency of Depreciation (Months),Hyppigheden af afskrivninger (måneder)
@@ -4322,25 +4352,25 @@
DocType: Landed Cost Item,Landed Cost Item,Landed Cost Vare
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Vis nulværdier
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Mængde post opnået efter fremstilling / ompakning fra givne mængde råvarer
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Opsæt en simpel hjemmeside for mit firma
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Opsæt en simpel hjemmeside for mit firma
DocType: Payment Reconciliation,Receivable / Payable Account,Tilgodehavende / Betales konto
DocType: Delivery Note Item,Against Sales Order Item,Mod Sales Order Item
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},Angiv Attribut Værdi for attribut {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},Angiv Attribut Værdi for attribut {0}
DocType: Item,Default Warehouse,Standard-lager
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Budget kan ikke tildeles mod Group konto {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Indtast overordnet omkostningssted
DocType: Delivery Note,Print Without Amount,Print uden Beløb
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,Afskrivningsdato
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Skat Kategori kan ikke være ""Værdiansættelse"" eller ""Værdiansættelse og Total"" eftersom alle varene er ikke-lagervarer"
DocType: Issue,Support Team,Supportteam
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Udløb (i dage)
DocType: Appraisal,Total Score (Out of 5),Samlet score (ud af 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Parti
+DocType: Student Attendance Tool,Batch,Parti
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Balance
DocType: Room,Seating Capacity,Seating Capacity
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Udlæg ialt (via Udlæg)
+DocType: GST Settings,GST Summary,GST Sammendrag
DocType: Assessment Result,Total Score,Samlet score
DocType: Journal Entry,Debit Note,Debitnota
DocType: Stock Entry,As per Stock UOM,pr. lagerenhed
@@ -4351,12 +4381,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Standard færdigvarer Warehouse
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Salgsmedarbejder
DocType: SMS Parameter,SMS Parameter,SMS Parameter
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Budget og Omkostningssted
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Budget og Omkostningssted
DocType: Vehicle Service,Half Yearly,Halvårlig
DocType: Lead,Blog Subscriber,Blog Subscriber
DocType: Guardian,Alternate Number,Alternativ Number
DocType: Assessment Plan Criteria,Maximum Score,Maksimal score
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Oprette regler til at begrænse transaktioner baseret på værdier.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Gruppe Roll nr
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Lad feltet stå tomt, hvis du laver elevergrupper hvert år"
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Hvis markeret, Total nej. af Arbejdsdage vil omfatte helligdage, og dette vil reducere værdien af Løn Per Day"
DocType: Purchase Invoice,Total Advance,Samlet Advance
@@ -4374,6 +4405,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Dette er baseret på transaktioner for denne kunde. Se tidslinje nedenfor for detaljer
DocType: Supplier,Credit Days Based On,Kreditdage baseret på
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Række {0}: Allokeret beløb {1} skal være mindre end eller lig med Payment indtastning beløb {2}
+,Course wise Assessment Report,Kursusbaseret vurderingsrapport
DocType: Tax Rule,Tax Rule,Momsregel
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Oprethold Samme Rate Gennem Sales Cycle
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planlæg tid logs uden Workstation arbejdstid.
@@ -4382,7 +4414,7 @@
,Items To Be Requested,Varer til bestilling
DocType: Purchase Order,Get Last Purchase Rate,Få Sidste Purchase Rate
DocType: Company,Company Info,Firmainformation
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Vælg eller tilføj ny kunde
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Vælg eller tilføj ny kunde
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Omkostningssted er forpligtet til at bestille et udlæg
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Anvendelse af midler (Aktiver)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Dette er baseret på deltagelse af denne Medarbejder
@@ -4390,27 +4422,29 @@
DocType: Fiscal Year,Year Start Date,År Startdato
DocType: Attendance,Employee Name,Medarbejdernavn
DocType: Sales Invoice,Rounded Total (Company Currency),Afrundet i alt (firmavaluta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,"Kan ikke skjult til gruppen, fordi Kontotype er valgt."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Kan ikke skjult til gruppen, fordi Kontotype er valgt."
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} er blevet ændret. Venligst opdater.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Stop brugere fra at oprette fraværsansøgninger for de følgende dage.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Indkøbsbeløb
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Leverandørtilbud {0} oprettet
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Slutår kan ikke være før startår
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Personalegoder
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Personalegoder
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Pakket mængde skal være lig mængde for vare {0} i række {1}
DocType: Production Order,Manufactured Qty,Fremstillet mængde
DocType: Purchase Receipt Item,Accepted Quantity,Mængde
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Angiv en standard helligdagskalender for medarbejder {0} eller firma {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} eksisterer ikke
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} eksisterer ikke
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Vælg batchnumre
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Regninger sendt til kunder.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Sags-id
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Rækkenr. {0}: Beløb kan ikke være større end Udestående Beløb overfor Udlæg {1}. Udestående Beløb er {2}
DocType: Maintenance Schedule,Schedule,Køreplan
DocType: Account,Parent Account,Parent Konto
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Tilgængelig
DocType: Quality Inspection Reading,Reading 3,Reading 3
,Hub,Hub
DocType: GL Entry,Voucher Type,Bilagstype
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Prisliste ikke fundet eller deaktiveret
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Prisliste ikke fundet eller deaktiveret
DocType: Employee Loan Application,Approved,Godkendt
DocType: Pricing Rule,Price,Pris
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Medarbejder lettet på {0} skal indstilles som "Left"
@@ -4421,7 +4455,8 @@
DocType: Selling Settings,Campaign Naming By,Kampagne Navngivning Af
DocType: Employee,Current Address Is,Nuværende adresse er
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,modificeret
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Valgfri. Sætter virksomhedens standard valuta, hvis ikke angivet."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Valgfri. Sætter virksomhedens standard valuta, hvis ikke angivet."
+DocType: Sales Invoice,Customer GSTIN,Kunde GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Regnskab journaloptegnelser.
DocType: Delivery Note Item,Available Qty at From Warehouse,Tilgængeligt antal fra vores lager
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,Vælg Medarbejder Record først.
@@ -4429,7 +4464,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Række {0}: Party / Konto matcher ikke med {1} / {2} i {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Indtast venligst udgiftskonto
DocType: Account,Stock,Lager
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: referencedokument Type skal være en af indkøbsordre, købsfaktura eller Kassekladde"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: referencedokument Type skal være en af indkøbsordre, købsfaktura eller Kassekladde"
DocType: Employee,Current Address,Nuværende adresse
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Hvis varen er en variant af et andet element derefter beskrivelse, billede, prissætning, skatter mv vil blive fastsat fra skabelonen medmindre det udtrykkeligt er angivet"
DocType: Serial No,Purchase / Manufacture Details,Indkøbs- og produktionsdetaljer
@@ -4442,8 +4477,8 @@
DocType: Pricing Rule,Min Qty,Minimum mængde
DocType: Asset Movement,Transaction Date,Transaktionsdato
DocType: Production Plan Item,Planned Qty,Planlagt mængde
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Moms i alt
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,For Mængde (Fremstillet Antal) er obligatorisk
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Moms i alt
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,For Mængde (Fremstillet Antal) er obligatorisk
DocType: Stock Entry,Default Target Warehouse,Standard Target Warehouse
DocType: Purchase Invoice,Net Total (Company Currency),Netto i alt (firmavaluta)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Året Slutdato kan ikke være tidligere end året startdato. Ret de datoer og prøv igen.
@@ -4457,13 +4492,11 @@
DocType: Hub Settings,Hub Settings,Hub Indstillinger
DocType: Project,Gross Margin %,Gross Margin%
DocType: BOM,With Operations,Med Operations
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Regnskabsposteringer er allerede foretaget i valuta {0} for virksomheden {1}. Vælg tilgodehavendets eller gældens konto med valuta {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Regnskabsposteringer er allerede foretaget i valuta {0} for virksomheden {1}. Vælg tilgodehavendets eller gældens konto med valuta {0}.
DocType: Asset,Is Existing Asset,Er eksisterende aktiv
DocType: Salary Detail,Statistical Component,Statistisk komponent
-,Monthly Salary Register,Månedlig Løn Tilmeld
DocType: Warranty Claim,If different than customer address,Hvis anderledes end kundeadresse
DocType: BOM Operation,BOM Operation,BOM Operation
-DocType: School Settings,Validate the Student Group from Program Enrollment,Godkend elevgruppen fra programindskrivning
DocType: Purchase Taxes and Charges,On Previous Row Amount,På Forrige Row Beløb
DocType: Student,Home Address,Hjemmeadresse
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Transfer Asset
@@ -4471,28 +4504,27 @@
DocType: Training Event,Event Name,begivenhed Navn
apps/erpnext/erpnext/config/schools.py +39,Admission,Adgang
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Indlæggelser for {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Sæsonudsving til indstilling budgetter, mål etc."
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Vare {0} er en skabelon, skal du vælge en af dens varianter"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Sæsonudsving til indstilling budgetter, mål etc."
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Vare {0} er en skabelon, skal du vælge en af dens varianter"
DocType: Asset,Asset Category,Asset Kategori
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Indkøber
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Nettoløn kan ikke være negativ
DocType: SMS Settings,Static Parameters,Statiske parametre
DocType: Assessment Plan,Room,Værelse
DocType: Purchase Order,Advance Paid,Forudbetalt
DocType: Item,Item Tax,Varemoms
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materiale til leverandøren
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Skattestyrelsen Faktura
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Skattestyrelsen Faktura
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Grænsen {0}% forekommer mere end én gang
DocType: Expense Claim,Employees Email Id,Medarbejdere Email Id
DocType: Employee Attendance Tool,Marked Attendance,Markant Deltagelse
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Kortfristede forpligtelser
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Kortfristede forpligtelser
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Send masse-SMS til dine kontakter
DocType: Program,Program Name,Programnavn
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Overvej Skat eller Gebyr for
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Faktiske Antal er obligatorisk
DocType: Employee Loan,Loan Type,Lånetype
DocType: Scheduling Tool,Scheduling Tool,Planlægning Tool
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Kreditkort
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Kreditkort
DocType: BOM,Item to be manufactured or repacked,"Element, der skal fremstilles eller forarbejdes"
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Standardindstillinger for lagertransaktioner.
DocType: Purchase Invoice,Next Date,Næste dato
@@ -4508,10 +4540,10 @@
DocType: Stock Entry,Repack,Pak om
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,"Du skal gemme formularen, før du fortsætter"
DocType: Item Attribute,Numeric Values,Numeriske værdier
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Vedhæft Logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Vedhæft Logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,lagrene
DocType: Customer,Commission Rate,Kommissionens Rate
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Opret Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Opret Variant
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Blokér fraværsansøgninger pr. afdeling.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Betaling Type skal være en af Modtag, Pay og Intern Transfer"
apps/erpnext/erpnext/config/selling.py +179,Analytics,Analyser
@@ -4519,45 +4551,45 @@
DocType: Vehicle,Model,Model
DocType: Production Order,Actual Operating Cost,Faktiske driftsomkostninger
DocType: Payment Entry,Cheque/Reference No,Check / referencenummer
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Root kan ikke redigeres.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root kan ikke redigeres.
DocType: Item,Units of Measure,Måleenheder
DocType: Manufacturing Settings,Allow Production on Holidays,Tillad produktion på helligdage
DocType: Sales Order,Customer's Purchase Order Date,Kundens Indkøbsordre Dato
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Capital Stock
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Capital Stock
DocType: Shopping Cart Settings,Show Public Attachments,Vis offentlige vedhæftede filer
DocType: Packing Slip,Package Weight Details,Pakkevægtdetaljer
DocType: Payment Gateway Account,Payment Gateway Account,Betaling Gateway konto
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Efter betaling afslutning omdirigere brugeren til valgte side.
DocType: Company,Existing Company,Eksisterende firma
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Skatkategori er blevet ændret til "Total", fordi alle genstande er ikke-lagerartikler"
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Vælg en CSV-fil
DocType: Student Leave Application,Mark as Present,Markér som tilstede
DocType: Purchase Order,To Receive and Bill,Til at modtage og Bill
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Fremhævede varer
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Designer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Designer
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Vilkår og betingelser Skabelon
DocType: Serial No,Delivery Details,Levering Detaljer
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Omkostningssted kræves i række {0} i Skattetabellen for type {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Omkostningssted kræves i række {0} i Skattetabellen for type {1}
DocType: Program,Program Code,programkode
DocType: Terms and Conditions,Terms and Conditions Help,Vilkår og betingelser Hjælp
,Item-wise Purchase Register,Vare-wise Purchase Tilmeld
DocType: Batch,Expiry Date,Udløbsdato
-,Supplier Addresses and Contacts,Leverandør Adresser og kontaktpersoner
,accounts-browser,konti-browser
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,Vælg kategori først
apps/erpnext/erpnext/config/projects.py +13,Project master.,Sags-master.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","For at tillade overfakturering eller overbestilling, skal du opdatere ""Allowance"" i lager- eller vareindstillingerne."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","For at tillade overfakturering eller overbestilling, skal du opdatere ""Allowance"" i lager- eller vareindstillingerne."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Vis ikke valutasymbol (fx. $) ved siden af valutaen.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Halv dag)
DocType: Supplier,Credit Days,Kreditdage
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Masseopret elever
DocType: Leave Type,Is Carry Forward,Er Carry Forward
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Hent varer fra stykliste
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Hent varer fra stykliste
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Lead Time dage
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Række # {0}: Bogføringsdato skal være den samme som købsdatoen {1} af aktivet {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Række # {0}: Bogføringsdato skal være den samme som købsdatoen {1} af aktivet {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Indtast salgsordrer i ovenstående tabel
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Ikke-godkendte lønsedler
,Stock Summary,Stock Summary
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Overfør et aktiv fra et lager til et andet
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Overfør et aktiv fra et lager til et andet
DocType: Vehicle,Petrol,Benzin
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Styklister
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Række {0}: Party Type og part er nødvendig for Tilgodehavende / Betales konto {1}
@@ -4568,6 +4600,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Sanktioneret Beløb
DocType: GL Entry,Is Opening,Er Åbning
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Række {0}: Debit indgang ikke kan knyttes med en {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Konto {0} findes ikke
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Konto {0} findes ikke
DocType: Account,Cash,Kontanter
DocType: Employee,Short biography for website and other publications.,Kort biografi for hjemmesiden og andre publikationer.
diff --git a/erpnext/translations/de.csv b/erpnext/translations/de.csv
index f5324a4..a0c380f 100644
--- a/erpnext/translations/de.csv
+++ b/erpnext/translations/de.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Verbrauchsgüter
DocType: Item,Customer Items,Kunden-Artikel
DocType: Project,Costing and Billing,Kalkulation und Abrechnung
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Konto {0}: Übergeordnetes Konto {1} kann kein Kontenblatt sein
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Konto {0}: Übergeordnetes Konto {1} kann kein Kontenblatt sein
DocType: Item,Publish Item to hub.erpnext.com,Artikel über hub.erpnext.com veröffentlichen
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,E-Mail-Benachrichtigungen
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Beurteilung
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,Beurteilung
DocType: Item,Default Unit of Measure,Standardmaßeinheit
DocType: SMS Center,All Sales Partner Contact,Alle Vertriebspartnerkontakte
DocType: Employee,Leave Approvers,Urlaubsgenehmiger
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Wechselkurs muss derselbe wie {0} {1} ({2}) sein
DocType: Sales Invoice,Customer Name,Kundenname
DocType: Vehicle,Natural Gas,Erdgas
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Bankname {0} ungültig
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Bankname {0} ungültig
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Typen (oder Gruppen), zu denen Buchungseinträge vorgenommen und Salden geführt werden."
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Ausstände für {0} können nicht kleiner als Null sein ({1})
DocType: Manufacturing Settings,Default 10 mins,Standard 10 Minuten
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Alle Lieferantenkontakte
DocType: Support Settings,Support Settings,Support-Einstellungen
DocType: SMS Parameter,Parameter,Parameter
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Voraussichtliches Enddatum kann nicht vor dem voraussichtlichen Startdatum liegen
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Voraussichtliches Enddatum kann nicht vor dem voraussichtlichen Startdatum liegen
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Zeile #{0}: Preis muss derselbe wie {1}: {2} ({3} / {4}) sein
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Neuer Urlaubsantrag
,Batch Item Expiry Status,Stapelobjekt Ablauf-Status
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Bankwechsel
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Bankwechsel
DocType: Mode of Payment Account,Mode of Payment Account,Art des Zahlungskontos
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Varianten anzeigen
DocType: Academic Term,Academic Term,Semester
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Stoff
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Menge
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Kontenliste darf nicht leer sein.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Darlehen/Kredite (Verbindlichkeiten)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Darlehen/Kredite (Verbindlichkeiten)
DocType: Employee Education,Year of Passing,Abschlussjahr
DocType: Item,Country of Origin,Herkunftsland
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,Auf Lager
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,Auf Lager
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Offene Punkte
DocType: Production Plan Item,Production Plan Item,Artikel auf dem Produktionsplan
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Benutzer {0} ist bereits Mitarbeiter {1} zugewiesen
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Gesundheitswesen
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Zahlungsverzug (Tage)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Dienstzeitaufwand
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Seriennummer: {0} wird bereits in der Verkaufsrechnung referenziert: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Seriennummer: {0} wird bereits in der Verkaufsrechnung referenziert: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Rechnung
DocType: Maintenance Schedule Item,Periodicity,Häufigkeit
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Fiscal Year {0} ist erforderlich
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Zeile # {0}:
DocType: Timesheet,Total Costing Amount,Gesamtkalkulation Betrag
DocType: Delivery Note,Vehicle No,Fahrzeug-Nr.
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,Bitte eine Preisliste auswählen
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Bitte eine Preisliste auswählen
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,"Row # {0}: Zahlungsbeleg ist erforderlich, um die trasaction abzuschließen"
DocType: Production Order Operation,Work In Progress,Laufende Arbeit/-en
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Bitte wählen Sie Datum
DocType: Employee,Holiday List,Urlaubsübersicht
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Buchhalter
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Buchhalter
DocType: Cost Center,Stock User,Benutzer Lager
DocType: Company,Phone No,Telefonnummer
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Kurstermine erstellt:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Neu {0}: #{1}
,Sales Partners Commission,Vertriebspartner-Provision
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Abkürzung darf nicht länger als 5 Zeichen sein
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Abkürzung darf nicht länger als 5 Zeichen sein
DocType: Payment Request,Payment Request,Zahlungsaufforderung
DocType: Asset,Value After Depreciation,Wert nach Abschreibung
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,Die Teilnahme Datum kann nicht kleiner sein als Verbindungsdatum des Mitarbeiters
DocType: Grading Scale,Grading Scale Name,Notenskala Namen
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Dies ist ein Root-Konto und kann nicht bearbeitet werden.
+DocType: Sales Invoice,Company Address,Firmenanschrift
DocType: BOM,Operations,Arbeitsvorbereitung
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Genehmigung kann nicht auf der Basis des Rabattes für {0} festgelegt werden
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name",".csv-Datei mit zwei Zeilen, eine für den alten und eine für den neuen Namen, anhängen"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} nicht in einem aktiven Geschäftsjahr.
DocType: Packed Item,Parent Detail docname,Übergeordnetes Detail Dokumentenname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referenz: {0}, Item Code: {1} und Kunde: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,kg
DocType: Student Log,Log,Log
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Stellenausschreibung
DocType: Item Attribute,Increment,Schrittweite
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Werbung
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Gleiche Firma wurde mehr als einmal eingegeben
DocType: Employee,Married,Verheiratet
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Nicht zulässig für {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Nicht zulässig für {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Holen Sie Elemente aus
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Lager kann nicht mit Lieferschein {0} aktualisiert werden
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Lager kann nicht mit Lieferschein {0} aktualisiert werden
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produkt {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Keine Artikel aufgeführt
DocType: Payment Reconciliation,Reconcile,Abgleichen
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Weiter Abschreibungen Datum kann nicht vor dem Kauf Datum
DocType: SMS Center,All Sales Person,Alle Vertriebsmitarbeiter
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Monatliche Ausschüttung ** hilft Ihnen, das Budget / Ziel über Monate zu verteilen, wenn Sie Saisonalität in Ihrem Unternehmen haben."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Nicht Artikel gefunden
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Nicht Artikel gefunden
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Gehaltsstruktur Fehlende
DocType: Lead,Person Name,Name der Person
DocType: Sales Invoice Item,Sales Invoice Item,Ausgangsrechnungs-Artikel
DocType: Account,Credit,Haben
DocType: POS Profile,Write Off Cost Center,Kostenstelle für Abschreibungen
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""","z.B. ""Grundschule"" oder ""Universität"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""","z.B. ""Grundschule"" oder ""Universität"""
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Auf Berichte
DocType: Warehouse,Warehouse Detail,Lagerdetail
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Kreditlimit für Kunde {0} {1}/{2} wurde überschritten
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Kreditlimit für Kunde {0} {1}/{2} wurde überschritten
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Der Begriff Enddatum kann nicht später sein als das Jahr Enddatum des Akademischen Jahres an dem der Begriff verknüpft ist (Akademisches Jahr {}). Bitte korrigieren Sie die Daten und versuchen Sie es erneut.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Ist Anlagevermögen"" kann nicht deaktiviert werden, da Anlagebuchung gegen den Artikel vorhanden"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Ist Anlagevermögen"" kann nicht deaktiviert werden, da Anlagebuchung gegen den Artikel vorhanden"
DocType: Vehicle Service,Brake Oil,Bremsöl
DocType: Tax Rule,Tax Type,Steuerart
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Sie haben keine Berechtigung Buchungen vor {0} hinzuzufügen oder zu aktualisieren
DocType: BOM,Item Image (if not slideshow),Artikelbild (wenn keine Diashow)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Es existiert bereits ein Kunde mit dem gleichen Namen
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Stundensatz / 60) * tatsächliche Betriebszeit
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Wählen Sie BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Wählen Sie BOM
DocType: SMS Log,SMS Log,SMS-Protokoll
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Aufwendungen für gelieferte Artikel
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Der Urlaub am {0} ist nicht zwischen dem Von-Datum und dem Bis-Datum
@@ -159,13 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Von {0} bis {1}
DocType: Item,Copy From Item Group,Von Artikelgruppe kopieren
DocType: Journal Entry,Opening Entry,Eröffnungsbuchung
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kunde> Kundengruppe> Territorium
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Konto Pay Nur
DocType: Employee Loan,Repay Over Number of Periods,Repay über Anzahl der Perioden
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} ist nicht für den angegebenen {2} eingeschrieben
DocType: Stock Entry,Additional Costs,Zusätzliche Kosten
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Ein Konto mit bestehenden Transaktionen kann nicht in eine Gruppe umgewandelt werden
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Ein Konto mit bestehenden Transaktionen kann nicht in eine Gruppe umgewandelt werden
DocType: Lead,Product Enquiry,Produktanfrage
DocType: Academic Term,Schools,Schulen
+DocType: School Settings,Validate Batch for Students in Student Group,Validate Batch für Studierende in der Studentengruppe
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Kein Urlaubssatz für Mitarbeiter gefunden {0} von {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Bitte zuerst die Firma angeben
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Bitte zuerst Firma auswählen
@@ -174,48 +176,48 @@
DocType: BOM,Total Cost,Gesamtkosten
DocType: Journal Entry Account,Employee Loan,Arbeitnehmerdarlehen
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Aktivitätsprotokoll:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,Artikel {0} ist nicht im System vorhanden oder abgelaufen
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Artikel {0} ist nicht im System vorhanden oder abgelaufen
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Immobilien
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Kontoauszug
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Pharmaprodukte
DocType: Purchase Invoice Item,Is Fixed Asset,Ist Anlagevermögen
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Verfügbare Menge ist {0}, müssen Sie {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Verfügbare Menge ist {0}, müssen Sie {1}"
DocType: Expense Claim Detail,Claim Amount,Betrag einfordern
-DocType: Employee,Mr,Hr.
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Doppelte Kundengruppe in der cutomer Gruppentabelle gefunden
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Lieferantentyp / Lieferant
DocType: Naming Series,Prefix,Präfix
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Verbrauchsgut
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Verbrauchsgut
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Importprotokoll
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Ziehen Werkstoff Anfrage des Typs Herstellung auf der Basis der oben genannten Kriterien
DocType: Training Result Employee,Grade,Klasse
DocType: Sales Invoice Item,Delivered By Supplier,Geliefert von Lieferant
DocType: SMS Center,All Contact,Alle Kontakte
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Fertigungsauftrag bereits für alle Positionen mit BOM erstellt
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Jahresgehalt
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Fertigungsauftrag bereits für alle Positionen mit BOM erstellt
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Jahresgehalt
DocType: Daily Work Summary,Daily Work Summary,tägliche Arbeitszusammenfassung
DocType: Period Closing Voucher,Closing Fiscal Year,Abschluss des Geschäftsjahres
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} ist gesperrt
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Bitte wählen Sie Bestehende Unternehmen für die Erstellung von Konten
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Lagerkosten
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} ist gesperrt
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Bitte wählen Sie Bestehende Unternehmen für die Erstellung von Konten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Lagerkosten
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Wählen Sie Target Warehouse
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,Bitte geben Sie Bevorzugte Kontakt per E-Mail
+DocType: Program Enrollment,School Bus,Schulbus
DocType: Journal Entry,Contra Entry,Gegenbuchung
DocType: Journal Entry Account,Credit in Company Currency,(Gut)Haben in Unternehmenswährung
DocType: Delivery Note,Installation Status,Installationsstatus
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Wollen Sie die Teilnahme zu aktualisieren? <br> Present: {0} \ <br> Abwesend: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Akzeptierte + abgelehnte Menge muss für diese Position {0} gleich der erhaltenen Menge sein
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Akzeptierte + abgelehnte Menge muss für diese Position {0} gleich der erhaltenen Menge sein
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Rohmaterial für Einkauf bereitstellen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,Mindestens eine Art der Bezahlung ist für POS-Rechnung erforderlich.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,Mindestens eine Art der Bezahlung ist für POS-Rechnung erforderlich.
DocType: Products Settings,Show Products as a List,Produkte anzeigen als Liste
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Vorlage herunterladen, passende Daten eintragen und geänderte Datei anfügen. Alle Termine und Mitarbeiter-Kombinationen im gewählten Zeitraum werden in die Vorlage übernommen, inklusive der bestehenden Anwesenheitslisten"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,Artikel {0} ist nicht aktiv oder hat das Ende der Lebensdauer erreicht
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Beispiel: Basismathematik
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Um Steuern im Artikelpreis in Zeile {0} einzubeziehen, müssen Steuern in den Zeilen {1} ebenfalls einbezogen sein"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Artikel {0} ist nicht aktiv oder hat das Ende der Lebensdauer erreicht
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Beispiel: Basismathematik
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Um Steuern im Artikelpreis in Zeile {0} einzubeziehen, müssen Steuern in den Zeilen {1} ebenfalls einbezogen sein"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Einstellungen für das Personal-Modul
DocType: SMS Center,SMS Center,SMS-Center
DocType: Sales Invoice,Change Amount,Anzahl ändern
@@ -225,7 +227,7 @@
DocType: Lead,Request Type,Anfragetyp
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Mitarbeiter anlegen
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Rundfunk
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Ausführung
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Ausführung
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Details der durchgeführten Arbeitsgänge
DocType: Serial No,Maintenance Status,Wartungsstatus
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Der Lieferant ist gegen Kreditorenkonto erforderlich {2}
@@ -253,7 +255,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Die Angebotsanfrage kann durch einen Klick auf den folgenden Link abgerufen werden
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Urlaube für ein Jahr zuordnen
DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool-Kurs
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,Unzureichende Auf
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,Unzureichende Auf
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Kapazitätsplanung und Zeiterfassung deaktivieren
DocType: Email Digest,New Sales Orders,Neue Kundenaufträge
DocType: Bank Guarantee,Bank Account,Bankkonto
@@ -264,8 +266,9 @@
DocType: Production Order Operation,Updated via 'Time Log',"Aktualisiert über ""Zeitprotokoll"""
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Anzahlung kann nicht größer sein als {0} {1}
DocType: Naming Series,Series List for this Transaction,Nummernkreise zu diesem Vorgang
+DocType: Company,Enable Perpetual Inventory,Enable Perpetual Inventory aktivieren
DocType: Company,Default Payroll Payable Account,Standardabrechnungskreditorenkonto
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Update-E-Mail-Gruppe
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Update-E-Mail-Gruppe
DocType: Sales Invoice,Is Opening Entry,Ist Eröffnungsbuchung
DocType: Customer Group,Mention if non-standard receivable account applicable,"Vermerken, wenn kein Standard-Forderungskonto verwendbar ist"
DocType: Course Schedule,Instructor Name,Ausbilder-Name
@@ -277,13 +280,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Zu Ausgangsrechnungs-Position
,Production Orders in Progress,Fertigungsaufträge in Arbeit
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Nettocashflow aus Finanzierung
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage ist voll, nicht gespeichert"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage ist voll, nicht gespeichert"
DocType: Lead,Address & Contact,Adresse & Kontakt
DocType: Leave Allocation,Add unused leaves from previous allocations,Ungenutzten Urlaub von vorherigen Zuteilungen hinzufügen
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Nächste Wiederholung {0} wird erstellt am {1}
DocType: Sales Partner,Partner website,Partner-Website
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Artikel hinzufügen
-,Contact Name,Ansprechpartner
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Ansprechpartner
DocType: Course Assessment Criteria,Course Assessment Criteria,Kursbeurteilungskriterien
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Erstellt eine Gehaltsabrechnung gemäß der oben getroffenen Auswahl.
DocType: POS Customer Group,POS Customer Group,POS Kundengruppe
@@ -292,18 +295,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Keine Beschreibung angegeben
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Lieferantenanfrage
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Dies wird auf der Grundlage der Zeitblätter gegen dieses Projekt erstellt
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Net Pay kann nicht kleiner als 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Net Pay kann nicht kleiner als 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Nur der ausgewählte Urlaubsgenehmiger kann Urlaubsgenehmigungen übertragen
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Freitstellungsdatum muss nach dem Eintrittsdatum liegen
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Abwesenheiten pro Jahr
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Abwesenheiten pro Jahr
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Zeile {0}: Wenn es sich um eine Vorkasse-Buchung handelt, bitte ""Ist Vorkasse"" zu Konto {1} anklicken, ."
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Lager {0} gehört nicht zu Firma {1}
DocType: Email Digest,Profit & Loss,Profiteinbuße
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Liter
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Liter
DocType: Task,Total Costing Amount (via Time Sheet),Gesamtkostenbetrag (über Arbeitszeitblatt)
DocType: Item Website Specification,Item Website Specification,Artikel-Webseitenspezifikation
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Urlaub gesperrt
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Artikel {0} hat das Ende seiner Lebensdauer erreicht zum Datum {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Artikel {0} hat das Ende seiner Lebensdauer erreicht zum Datum {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Bank-Einträge
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Jährlich
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Bestandsabgleich-Artikel
@@ -311,9 +314,9 @@
DocType: Material Request Item,Min Order Qty,Mindestbestellmenge
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool-Kurs
DocType: Lead,Do Not Contact,Nicht Kontakt aufnehmen
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,"Menschen, die in Ihrer Organisation lehren"
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,"Menschen, die in Ihrer Organisation lehren"
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Die eindeutige ID für die Nachverfolgung aller wiederkehrenden Rechnungen. Wird beim Übertragen erstellt.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Software-Entwickler
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software-Entwickler
DocType: Item,Minimum Order Qty,Mindestbestellmenge
DocType: Pricing Rule,Supplier Type,Lieferantentyp
DocType: Course Scheduling Tool,Course Start Date,Kursbeginn
@@ -322,11 +325,11 @@
DocType: Item,Publish in Hub,Im Hub veröffentlichen
DocType: Student Admission,Student Admission,Studenten Eintritt
,Terretory,Region
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Artikel {0} wird storniert
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Artikel {0} wird storniert
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Materialanfrage
DocType: Bank Reconciliation,Update Clearance Date,Abwicklungsdatum aktualisieren
DocType: Item,Purchase Details,Einkaufsdetails
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Artikel {0} in Tabelle ""Rohmaterialien geliefert"" des Lieferantenauftrags {1} nicht gefunden"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Artikel {0} in Tabelle ""Rohmaterialien geliefert"" des Lieferantenauftrags {1} nicht gefunden"
DocType: Employee,Relation,Beziehung
DocType: Shipping Rule,Worldwide Shipping,Weltweiter Versand
DocType: Student Guardian,Mother,Mutter
@@ -345,6 +348,7 @@
DocType: Student Group Student,Student Group Student,Student Group Student
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Neueste(r/s)
DocType: Vehicle Service,Inspection,Inspektion
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Liste
DocType: Email Digest,New Quotations,Neue Angebote
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,E-Mails Gehaltsabrechnung an Mitarbeiter auf Basis von bevorzugten E-Mail in Mitarbeiter ausgewählt
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,Der erste Urlaubsgenehmiger auf der Liste wird als standardmäßiger Urlaubsgenehmiger festgesetzt
@@ -353,20 +357,20 @@
DocType: Asset,Next Depreciation Date,Nächstes Abschreibungsdatum
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Aktivitätskosten je Mitarbeiter
DocType: Accounts Settings,Settings for Accounts,Konteneinstellungen
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Lieferantenrechnung existiert in Kauf Rechnung {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Lieferantenrechnung existiert in Kauf Rechnung {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Baumstruktur der Vertriebsmitarbeiter verwalten
DocType: Job Applicant,Cover Letter,Motivationsschreiben
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Ausstehende Schecks und Anzahlungen zum verbuchen
DocType: Item,Synced With Hub,Synchronisiert mit Hub
DocType: Vehicle,Fleet Manager,Flottenmanager
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} kann für Artikel nicht negativ sein {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Falsches Passwort
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Falsches Passwort
DocType: Item,Variant Of,Variante von
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',"Gefertigte Menge kann nicht größer sein als ""Menge für Herstellung"""
DocType: Period Closing Voucher,Closing Account Head,Bezeichnung des Abschlusskontos
DocType: Employee,External Work History,Externe Arbeits-Historie
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Zirkelschluss-Fehler
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1 Namen
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 Namen
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"""In Worten (Export)"" wird sichtbar, sobald Sie den Lieferschein speichern."
DocType: Cheque Print Template,Distance from left edge,Entfernung vom linken Rand
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} Einheiten [{1}] (# Form / Item / {1}) im Lager [{2}] (# Form / Lager / {2})
@@ -375,11 +379,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Bei Erstellung einer automatischen Materialanfrage per E-Mail benachrichtigen
DocType: Journal Entry,Multi Currency,Unterschiedliche Währungen
DocType: Payment Reconciliation Invoice,Invoice Type,Rechnungstyp
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Lieferschein
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Lieferschein
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Steuern einrichten
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Herstellungskosten der verkauften Vermögens
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,"Zahlungsbuchung wurde geändert, nachdem sie abgerufen wurde. Bitte erneut abrufen."
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} in Artikelsteuer doppelt eingegeben
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Zahlungsbuchung wurde geändert, nachdem sie abgerufen wurde. Bitte erneut abrufen."
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} in Artikelsteuer doppelt eingegeben
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Zusammenfassung für diese Woche und anstehende Aktivitäten
DocType: Student Applicant,Admitted,Zugelassen
DocType: Workstation,Rent Cost,Mietkosten
@@ -397,25 +401,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Bitte Feldwert ""Wiederholung an Tag von Monat"" eingeben"
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Kurs, zu dem die Kundenwährung in die Basiswährung des Kunden umgerechnet wird"
DocType: Course Scheduling Tool,Course Scheduling Tool,Kursplanung Werkzeug
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Kauf Rechnung kann nicht gegen einen bereits bestehenden Asset vorgenommen werden {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Kauf Rechnung kann nicht gegen einen bereits bestehenden Asset vorgenommen werden {1}
DocType: Item Tax,Tax Rate,Steuersatz
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} bereits an Mitarbeiter {1} zugeteilt für den Zeitraum {2} bis {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Artikel auswählen
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Eingangsrechnung {0} wurde bereits übertragen
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Eingangsrechnung {0} wurde bereits übertragen
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Zeile # {0}: Chargennummer muss dieselbe sein wie {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,In nicht-Gruppe umwandeln
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Charge (Los) eines Artikels
DocType: C-Form Invoice Detail,Invoice Date,Rechnungsdatum
DocType: GL Entry,Debit Amount,Soll-Betrag
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Es kann nur EIN Konto pro Unternehmen in {0} {1} geben
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,Bitte Anhang beachten
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Es kann nur EIN Konto pro Unternehmen in {0} {1} geben
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,Bitte Anhang beachten
DocType: Purchase Order,% Received,% erhalten
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Erstellen Studentengruppen
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Einrichtungsvorgang bereits abgeschlossen!!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Gutschriftbetrag
,Finished Goods,Fertigerzeugnisse
DocType: Delivery Note,Instructions,Anweisungen
DocType: Quality Inspection,Inspected By,Geprüft von
DocType: Maintenance Visit,Maintenance Type,Wartungstyp
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} ist nicht im Kurs {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Seriennummer {0} gehört nicht zu Lieferschein {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Mehrere Artikel hinzufügen
@@ -436,7 +442,7 @@
DocType: Request for Quotation,Request for Quotation,Angebotsanfrage
DocType: Salary Slip Timesheet,Working Hours,Arbeitszeit
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Anfangs- / Ist-Wert eines Nummernkreises ändern.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Erstellen Sie einen neuen Kunden
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Erstellen Sie einen neuen Kunden
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Wenn mehrere Preisregeln weiterhin gleichrangig gelten, werden die Benutzer aufgefordert, Vorrangregelungen manuell zu erstellen, um den Konflikt zu lösen."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Erstellen von Bestellungen
,Purchase Register,Übersicht über Einkäufe
@@ -448,7 +454,7 @@
DocType: Student Log,Medical,Medizinisch
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Grund für das Verlieren
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Lead-Besitzer können als Lead nicht gleich sein
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,Geschätzter Betrag kann nicht größer sein als nicht angepasster Betrag
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,Geschätzter Betrag kann nicht größer sein als nicht angepasster Betrag
DocType: Announcement,Receiver,Empfänger
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Arbeitsplatz ist an folgenden Tagen gemäß der Urlaubsliste geschlossen: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Chancen
@@ -462,8 +468,7 @@
DocType: Assessment Plan,Examiner Name,Prüfer-Name
DocType: Purchase Invoice Item,Quantity and Rate,Menge und Preis
DocType: Delivery Note,% Installed,% installiert
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,"Die Klassenräume / Laboratorien usw., wo Vorträge können geplant werden."
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Lieferant> Lieferanten Typ
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Die Klassenräume / Laboratorien usw., wo Vorträge können geplant werden."
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Bitte zuerst den Firmennamen angeben
DocType: Purchase Invoice,Supplier Name,Lieferantenname
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Lesen Sie das ERPNext-Handbuch
@@ -473,7 +478,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,"Aktivieren, damit dieselbe Lieferantenrechnungsnummer nur einmal vorkommen kann"
DocType: Vehicle Service,Oil Change,Ölwechsel
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.',"""Bis Fall Nr."" kann nicht kleiner als ""Von Fall Nr."" sein"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Gemeinnützig
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Gemeinnützig
DocType: Production Order,Not Started,Nicht begonnen
DocType: Lead,Channel Partner,Vertriebspartner
DocType: Account,Old Parent,Alte übergeordnetes Element
@@ -483,19 +488,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Allgemeine Einstellungen für alle Fertigungsprozesse
DocType: Accounts Settings,Accounts Frozen Upto,Konten gesperrt bis
DocType: SMS Log,Sent On,Gesendet am
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Attribut {0} mehrfach in Attributetabelle ausgewäht
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Attribut {0} mehrfach in Attributetabelle ausgewäht
DocType: HR Settings,Employee record is created using selected field. ,Mitarbeiter-Datensatz wird erstellt anhand des ausgewählten Feldes.
DocType: Sales Order,Not Applicable,Nicht anwenden
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Stammdaten zum Urlaub
DocType: Request for Quotation Item,Required Date,Angefragtes Datum
DocType: Delivery Note,Billing Address,Rechnungsadresse
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Bitte die Artikelnummer eingeben
DocType: BOM,Costing,Kalkulation
DocType: Tax Rule,Billing County,Rechnungs-Landesbezirk/-Gemeinde/-Kreis
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Wenn aktiviert, wird der Steuerbetrag als bereits in den Druckkosten enthalten erachtet."
DocType: Request for Quotation,Message for Supplier,Nachricht für Lieferanten
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Gesamtmenge
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 E-Mail-ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 E-Mail-ID
DocType: Item,Show in Website (Variant),Show in Webseite (Variant)
DocType: Employee,Health Concerns,Gesundheitsfragen
DocType: Process Payroll,Select Payroll Period,Wählen Sie Abrechnungsperiode
@@ -513,25 +517,27 @@
DocType: Sales Order Item,Used for Production Plan,Wird für den Produktionsplan verwendet
DocType: Employee Loan,Total Payment,Gesamtzahlung
DocType: Manufacturing Settings,Time Between Operations (in mins),Zeit zwischen den Arbeitsgängen (in Minuten)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} wird abgebrochen, damit die Aktion nicht abgeschlossen werden kann"
DocType: Customer,Buyer of Goods and Services.,Käufer von Waren und Dienstleistungen.
DocType: Journal Entry,Accounts Payable,Verbindlichkeiten
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Die ausgewählten Stücklisten sind nicht für den gleichen Artikel
DocType: Pricing Rule,Valid Upto,Gültig bis
DocType: Training Event,Workshop,Werkstatt
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Bitte ein paar Kunden angeben. Dies können Firmen oder Einzelpersonen sein.
-,Enough Parts to Build,Genug Teile zu bauen
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Direkte Erträge
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Bitte ein paar Kunden angeben. Dies können Firmen oder Einzelpersonen sein.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Genug Teile zu bauen
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Direkte Erträge
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Wenn nach Konto gruppiert wurde, kann nicht auf Grundlage des Kontos gefiltert werden."
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Administrativer Benutzer
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Bitte wählen Sie Kurs
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Administrativer Benutzer
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Bitte wählen Sie Kurs
DocType: Timesheet Detail,Hrs,Std
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Bitte Firma auswählen
DocType: Stock Entry Detail,Difference Account,Differenzkonto
+DocType: Purchase Invoice,Supplier GSTIN,Lieferant GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,"Aufgabe kann nicht geschlossen werden, da die von ihr abhängige Aufgabe {0} nicht geschlossen ist."
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"Bitte das Lager eingeben, für das eine Materialanfrage erhoben wird"
DocType: Production Order,Additional Operating Cost,Zusätzliche Betriebskosten
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kosmetika
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Um zwei Produkte zusammenzuführen, müssen folgende Eigenschaften für beide Produkte gleich sein"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Um zwei Produkte zusammenzuführen, müssen folgende Eigenschaften für beide Produkte gleich sein"
DocType: Shipping Rule,Net Weight,Nettogewicht
DocType: Employee,Emergency Phone,Notruf
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Kaufen
@@ -540,14 +546,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Bitte definieren Sie Grade for Threshold 0%
DocType: Sales Order,To Deliver,Auszuliefern
DocType: Purchase Invoice Item,Item,Artikel
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Serien-Nr Element kann nicht ein Bruchteil sein
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Serien-Nr Element kann nicht ein Bruchteil sein
DocType: Journal Entry,Difference (Dr - Cr),Differenz (Soll - Haben)
DocType: Account,Profit and Loss,Gewinn und Verlust
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Unteraufträge vergeben
DocType: Project,Project will be accessible on the website to these users,Projekt wird auf der Website für diese Benutzer zugänglich sein
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,"Kurs, zu dem die Währung der Preisliste in die Basiswährung des Unternehmens umgerechnet wird"
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Konto {0} gehört nicht zu Firma: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Abkürzung bereits für ein anderes Unternehmen verwendet
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Konto {0} gehört nicht zu Firma: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Abkürzung bereits für ein anderes Unternehmen verwendet
DocType: Selling Settings,Default Customer Group,Standardkundengruppe
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Wenn deaktiviert, wird das Feld ""Gerundeter Gesamtbetrag"" in keiner Transaktion angezeigt"
DocType: BOM,Operating Cost,Betriebskosten
@@ -555,7 +561,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Schrittweite kann nicht 0 sein
DocType: Production Planning Tool,Material Requirement,Materialbedarf
DocType: Company,Delete Company Transactions,Löschen der Transaktionen dieser Firma
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Referenznummer und Referenzdatum ist obligatorisch für Bankengeschäft
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Referenznummer und Referenzdatum ist obligatorisch für Bankengeschäft
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Hinzufügen/Bearbeiten von Steuern und Abgaben
DocType: Purchase Invoice,Supplier Invoice No,Lieferantenrechnungsnr.
DocType: Territory,For reference,Zu Referenzzwecken
@@ -566,22 +572,22 @@
DocType: Installation Note Item,Installation Note Item,Bestandteil des Installationshinweises
DocType: Production Plan Item,Pending Qty,Ausstehende Menge
DocType: Budget,Ignore,Ignorieren
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} ist nicht aktiv
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} ist nicht aktiv
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS an folgende Nummern verschickt: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,Setup-Kontrollmaße für den Druck
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Setup-Kontrollmaße für den Druck
DocType: Salary Slip,Salary Slip Timesheet,Gehaltszettel Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Lieferantenlager notwendig für Kaufbeleg aus Unteraufträgen
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Lieferantenlager notwendig für Kaufbeleg aus Unteraufträgen
DocType: Pricing Rule,Valid From,Gültig ab
DocType: Sales Invoice,Total Commission,Gesamtprovision
DocType: Pricing Rule,Sales Partner,Vertriebspartner
DocType: Buying Settings,Purchase Receipt Required,Kaufbeleg notwendig
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,"Bewertungskurs ist obligatorisch, wenn Öffnung Stock eingegeben"
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,"Bewertungskurs ist obligatorisch, wenn Öffnung Stock eingegeben"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Keine Datensätze in der Rechnungstabelle gefunden
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Bitte zuerst Firma und Gruppentyp auswählen
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Finanz-/Rechnungsjahr
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Finanz-/Rechnungsjahr
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Kumulierte Werte
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Verzeihung! Seriennummern können nicht zusammengeführt werden,"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Kundenauftrag erstellen
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Kundenauftrag erstellen
DocType: Project Task,Project Task,Projektvorgang
,Lead Id,Lead-ID
DocType: C-Form Invoice Detail,Grand Total,Gesamtbetrag
@@ -598,7 +604,7 @@
DocType: Job Applicant,Resume Attachment,Resume-Anlage
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Bestandskunden
DocType: Leave Control Panel,Allocate,Zuweisen
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Rücklieferung
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Rücklieferung
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Hinweis: Die aufteilbaren Gesamt Blätter {0} sollte nicht kleiner sein als bereits genehmigt Blätter {1} für den Zeitraum
DocType: Announcement,Posted By,Geschrieben von
DocType: Item,Delivered by Supplier (Drop Ship),durch Lieferanten geliefert (Streckengeschäft)
@@ -608,8 +614,8 @@
DocType: Quotation,Quotation To,Angebot für
DocType: Lead,Middle Income,Mittleres Einkommen
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Anfangssstand (Haben)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Die Standard-Maßeinheit für Artikel {0} kann nicht direkt geändert werden, weil Sie bereits einige Transaktionen mit einer anderen Maßeinheit durchgeführt haben. Sie müssen einen neuen Artikel erstellen, um eine andere Standard-Maßeinheit verwenden zukönnen."
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Zugewiesene Menge kann nicht negativ sein
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Die Standard-Maßeinheit für Artikel {0} kann nicht direkt geändert werden, weil Sie bereits einige Transaktionen mit einer anderen Maßeinheit durchgeführt haben. Sie müssen einen neuen Artikel erstellen, um eine andere Standard-Maßeinheit verwenden zukönnen."
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Zugewiesene Menge kann nicht negativ sein
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Bitte setzen Sie das Unternehmen
DocType: Purchase Order Item,Billed Amt,Rechnungsbetrag
DocType: Training Result Employee,Training Result Employee,Trainingsergebnis Mitarbeiter
@@ -621,7 +627,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Wählen Sie Zahlungskonto zu machen Bank Eintrag
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Erstellen Sie Mitarbeiterdaten Blätter, Spesenabrechnung und Gehaltsabrechnung zu verwalten"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Zur Knowledge Base hinzufügen
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Verfassen von Angeboten
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Verfassen von Angeboten
DocType: Payment Entry Deduction,Payment Entry Deduction,Zahlungsabzug
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Ein weiterer Vertriebsmitarbeiter {0} existiert bereits mit der gleichen Mitarbeiter ID
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Wenn diese Option aktiviert, Rohstoffe für Gegenstände, die Unteraufträge sind in den Materialwünsche aufgenommen werden"
@@ -635,7 +641,7 @@
DocType: Timesheet,Billed,Abgerechnet
DocType: Batch,Batch Description,Chargenbeschreibung
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Schaffung von Studentengruppen
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Payment Gateway-Konto nicht erstellt haben, erstellen Sie bitte ein manuell."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Payment Gateway-Konto nicht erstellt haben, erstellen Sie bitte ein manuell."
DocType: Sales Invoice,Sales Taxes and Charges,Umsatzsteuern und Gebühren auf den Verkauf
DocType: Employee,Organization Profile,Firmenprofil
DocType: Student,Sibling Details,Geschwister-Details
@@ -657,11 +663,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Nettoveränderung des Bestands
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Mitarbeiter Darlehensverwaltung
DocType: Employee,Passport Number,Passnummer
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Beziehung mit Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Leiter
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Beziehung mit Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Leiter
DocType: Payment Entry,Payment From / To,Zahlung von / an
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Neue Kreditlimit ist weniger als die aktuellen ausstehenden Betrag für den Kunden. Kreditlimit hat atleast sein {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Gleicher Artikel wurde mehrfach eingetragen.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Neue Kreditlimit ist weniger als die aktuellen ausstehenden Betrag für den Kunden. Kreditlimit hat atleast sein {0}
DocType: SMS Settings,Receiver Parameter,Empfängerparameter
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""basierend auf"" und ""guppiert nach"" können nicht gleich sein"
DocType: Sales Person,Sales Person Targets,Ziele für Vertriebsmitarbeiter
@@ -670,8 +675,9 @@
DocType: Issue,Resolution Date,Datum der Entscheidung
DocType: Student Batch Name,Batch Name,Stapelname
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timesheet erstellt:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},"Bitte Standardeinstellungen für Kassen- oder Bankkonto in ""Zahlungsart"" {0} setzen"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},"Bitte Standardeinstellungen für Kassen- oder Bankkonto in ""Zahlungsart"" {0} setzen"
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Einschreiben
+DocType: GST Settings,GST Settings,GST-Einstellungen
DocType: Selling Settings,Customer Naming By,Benennung der Kunden nach
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,"Zeigen die Schüler, wie sie in Studenten monatlichen Anwesenheitsbericht"
DocType: Depreciation Schedule,Depreciation Amount,Abschreibungsbetrag
@@ -693,6 +699,7 @@
DocType: Item,Material Transfer,Materialübertrag
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Anfangsstand (Soll)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Buchungszeitstempel muss nach {0} liegen
+,GST Itemised Purchase Register,GST Itemized Purchase Register
DocType: Employee Loan,Total Interest Payable,Gesamtsumme der Zinszahlungen
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Einstandspreis Steuern und Gebühren
DocType: Production Order Operation,Actual Start Time,Tatsächliche Startzeit
@@ -719,10 +726,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
DocType: Account,Accounts,Rechnungswesen
DocType: Vehicle,Odometer Value (Last),Odometer Wert (Last)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Payment Eintrag bereits erstellt
DocType: Purchase Receipt Item Supplied,Current Stock,Aktueller Lagerbestand
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Vermögens {1} nicht auf Artikel verknüpft {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Vermögens {1} nicht auf Artikel verknüpft {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Vorschau Gehaltsabrechnung
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Konto {0} wurde mehrmals eingegeben
DocType: Account,Expenses Included In Valuation,In der Bewertung enthaltene Aufwendungen
@@ -730,7 +737,7 @@
,Absent Student Report,Abwesend Student Report
DocType: Email Digest,Next email will be sent on:,Nächste E-Mail wird gesendet am:
DocType: Offer Letter Term,Offer Letter Term,Gültigkeit des Angebotsschreibens
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Artikel hat Varianten.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Artikel hat Varianten.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Artikel {0} nicht gefunden
DocType: Bin,Stock Value,Lagerwert
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Gesellschaft {0} existiert nicht
@@ -739,7 +746,7 @@
DocType: Serial No,Warranty Expiry Date,Ablaufsdatum der Garantie
DocType: Material Request Item,Quantity and Warehouse,Menge und Lager
DocType: Sales Invoice,Commission Rate (%),Provisionssatz (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Bitte wählen Sie Programm
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Bitte wählen Sie Programm
DocType: Project,Estimated Cost,Geschätzte Kosten
DocType: Purchase Order,Link to material requests,Link zu Materialanforderungen
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Luft- und Raumfahrt
@@ -753,14 +760,14 @@
DocType: Purchase Order,Supply Raw Materials,Rohmaterial bereitstellen
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,"Das Datum, an dem die nächste Rechnung erstellt wird. Erstellung erfolgt beim Übertragen."
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Umlaufvermögen
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} ist kein Lagerartikel
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} ist kein Lagerartikel
DocType: Mode of Payment Account,Default Account,Standardkonto
DocType: Payment Entry,Received Amount (Company Currency),Erhaltene Menge (Gesellschaft Währung)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,"Lead muss eingestellt werden, wenn eine Opportunity aus dem Lead entsteht"
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,Bitte die wöchentlichen Auszeittage auswählen
DocType: Production Order Operation,Planned End Time,Geplante Endzeit
,Sales Person Target Variance Item Group-Wise,Artikelgruppenbezogene Zielabweichung des Vertriebsmitarbeiters
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Ein Konto mit bestehenden Transaktionen kann nicht in ein Kontoblatt umgewandelt werden
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Ein Konto mit bestehenden Transaktionen kann nicht in ein Kontoblatt umgewandelt werden
DocType: Delivery Note,Customer's Purchase Order No,Kundenauftragsnr.
DocType: Budget,Budget Against,Budget gegen
DocType: Employee,Cell Number,Mobiltelefonnummer
@@ -772,15 +779,13 @@
DocType: Opportunity,Opportunity From,Chance von
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Monatliche Gehaltsabrechnung
DocType: BOM,Website Specifications,Webseiten-Spezifikationen
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Bitte richten Sie die Nummerierungsserie für die Teilnahme über die Einrichtung> Nummerierung ein
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Von {0} vom Typ {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Row {0}: Umrechnungsfaktor ist zwingend erfoderlich
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Row {0}: Umrechnungsfaktor ist zwingend erfoderlich
DocType: Employee,A+,A+
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Es sind mehrere Preisregeln mit gleichen Kriterien vorhanden, lösen Sie Konflikte, indem Sie Prioritäten zuweisen. Preis Regeln: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Stückliste kann nicht deaktiviert oder storniert werden, weil sie mit anderen Stücklisten verknüpft ist"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Es sind mehrere Preisregeln mit gleichen Kriterien vorhanden, lösen Sie Konflikte, indem Sie Prioritäten zuweisen. Preis Regeln: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Stückliste kann nicht deaktiviert oder storniert werden, weil sie mit anderen Stücklisten verknüpft ist"
DocType: Opportunity,Maintenance,Wartung
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Kaufbelegnummer ist für Artikel {0} erforderlich
DocType: Item Attribute Value,Item Attribute Value,Attributwert des Artikels
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Vertriebskampagnen
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Machen Sie Timesheet
@@ -832,29 +837,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Asset-verschrottet über Journaleintrag {0}
DocType: Employee Loan,Interest Income Account,Zinserträge Konto
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Biotechnologie
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Büro-Wartungskosten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Büro-Wartungskosten
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Einrichten E-Mail-Konto
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Bitte zuerst den Artikel angeben
DocType: Account,Liability,Verbindlichkeit
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Genehmigter Betrag kann nicht größer als geforderter Betrag in Zeile {0} sein.
DocType: Company,Default Cost of Goods Sold Account,Standard-Herstellkosten
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Preisliste nicht ausgewählt
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Preisliste nicht ausgewählt
DocType: Employee,Family Background,Familiärer Hintergrund
DocType: Request for Quotation Supplier,Send Email,E-Mail absenden
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Warnung: Ungültige Anlage {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Warnung: Ungültige Anlage {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Keine Berechtigung
DocType: Company,Default Bank Account,Standardbankkonto
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Um auf der Grundlage von Gruppen zu filtern, bitte zuerst den Gruppentyp wählen"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Lager aktualisieren"" kann nicht ausgewählt werden, da Artikel nicht über {0} geliefert wurden"
DocType: Vehicle,Acquisition Date,Kaufdatum
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Stk
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Stk
DocType: Item,Items with higher weightage will be shown higher,Artikel mit höherem Gewicht werden weiter oben angezeigt
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Ausführlicher Kontenabgleich
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Row # {0}: Vermögens {1} muss eingereicht werden
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Row # {0}: Vermögens {1} muss eingereicht werden
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Kein Mitarbeiter gefunden
DocType: Supplier Quotation,Stopped,Angehalten
DocType: Item,If subcontracted to a vendor,Wenn an einen Zulieferer untervergeben
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Studentengruppe ist bereits aktualisiert.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Studentengruppe ist bereits aktualisiert.
DocType: SMS Center,All Customer Contact,Alle Kundenkontakte
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Lagerbestand über CSV hochladen
DocType: Warehouse,Tree Details,Baum-Details
@@ -866,13 +871,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Kostenstelle {2} gehört nicht zur Firma {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Konto {2} darf keine Gruppe sein
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Artikel Row {idx}: {} {Doctype docname} existiert nicht in der oben '{Doctype}' Tisch
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Timesheet {0} ist bereits abgeschlossen oder abgebrochen
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} ist bereits abgeschlossen oder abgebrochen
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,keine Vorgänge
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Der Tag des Monats, an welchem eine automatische Rechnung erstellt wird, z. B. 05, 28 usw."
DocType: Asset,Opening Accumulated Depreciation,Öffnungs Kumulierte Abschreibungen
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Punktzahl muß kleiner oder gleich 5 sein
DocType: Program Enrollment Tool,Program Enrollment Tool,Programm-Enrollment-Tool
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,Kontakt-Formular Datensätze
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,Kontakt-Formular Datensätze
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Kunde und Lieferant
DocType: Email Digest,Email Digest Settings,Einstellungen zum täglichen E-Mail-Bericht
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Vielen Dank für Ihr Unternehmen!
@@ -882,17 +887,19 @@
DocType: Bin,Moving Average Rate,Wert für den Gleitenden Durchschnitt
DocType: Production Planning Tool,Select Items,Artikel auswählen
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} zu Rechnung {1} vom {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Fahrzeug / Bus Nummer
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Kurstermine
DocType: Maintenance Visit,Completion Status,Fertigstellungsstatus
DocType: HR Settings,Enter retirement age in years,Geben Sie das Rentenalter in Jahren
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Eingangslager
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Bitte wählen Sie ein Lager aus
DocType: Cheque Print Template,Starting location from left edge,Startposition vom linken Rand
DocType: Item,Allow over delivery or receipt upto this percent,Überlieferung bis zu diesem Prozentsatz zulassen
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,Import von Anwesenheiten
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Alle Artikelgruppen
DocType: Process Payroll,Activity Log,Aktivitätsprotokoll
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Nettogewinn/-verlust
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Nettogewinn/-verlust
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Automatisch beim Übertragen von Transaktionen Mitteilungen verfassen
DocType: Production Order,Item To Manufacture,Zu fertigender Artikel
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} Status ist {2}
@@ -901,16 +908,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Vom Lieferantenauftrag zur Zahlung
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Geplante Menge
DocType: Sales Invoice,Payment Due Date,Zahlungsstichtag
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Artikelvariante {0} mit denselben Attributen existiert bereits
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Artikelvariante {0} mit denselben Attributen existiert bereits
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',"""Eröffnung"""
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Öffnen Sie tun
DocType: Notification Control,Delivery Note Message,Lieferschein-Nachricht
DocType: Expense Claim,Expenses,Ausgaben
+,Support Hours,Unterstützungsstunden
DocType: Item Variant Attribute,Item Variant Attribute,Artikelvariantenattribut
,Purchase Receipt Trends,Trendanalyse Kaufbelege
DocType: Process Payroll,Bimonthly,Zweimonatlich
DocType: Vehicle Service,Brake Pad,Bremsklotz
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Forschung & Entwicklung
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Forschung & Entwicklung
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Rechnungsbetrag
DocType: Company,Registration Details,Details zur Registrierung
DocType: Timesheet,Total Billed Amount,Gesamtrechnungsbetrag
@@ -923,12 +931,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Erhalten Sie nur Rohstoffe
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Mitarbeiterbeurteilung
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Aktivieren "Verwendung für Einkaufswagen", wie Einkaufswagen aktiviert ist und es sollte mindestens eine Steuerregel für Einkaufswagen sein"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Zahlung {0} ist mit der Bestellung {1} verknüpft, überprüfen Sie bitte, ob es als Anteil in dieser Rechnung gezogen werden sollte."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Zahlung {0} ist mit der Bestellung {1} verknüpft, überprüfen Sie bitte, ob es als Anteil in dieser Rechnung gezogen werden sollte."
DocType: Sales Invoice Item,Stock Details,Lagerdetails
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Projektwert
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Verkaufsstelle
DocType: Vehicle Log,Odometer Reading,Kilometerstand
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Konto bereits im Haben, es ist nicht mehr möglich das Konto als Sollkonto festzulegen"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Konto bereits im Haben, es ist nicht mehr möglich das Konto als Sollkonto festzulegen"
DocType: Account,Balance must be,Saldo muss sein
DocType: Hub Settings,Publish Pricing,Preise veröffentlichen
DocType: Notification Control,Expense Claim Rejected Message,Benachrichtigung über abgelehnte Aufwandsabrechnung
@@ -938,7 +946,7 @@
DocType: Salary Slip,Working Days,Arbeitstage
DocType: Serial No,Incoming Rate,Eingangsbewertung
DocType: Packing Slip,Gross Weight,Bruttogewicht
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,"Name der Firma, für die dieses System eingerichtet wird."
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,"Name der Firma, für die dieses System eingerichtet wird."
DocType: HR Settings,Include holidays in Total no. of Working Days,Urlaub in die Gesamtzahl der Arbeitstage mit einbeziehen
DocType: Job Applicant,Hold,Anhalten
DocType: Employee,Date of Joining,Eintrittsdatum
@@ -949,20 +957,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Kaufbeleg
,Received Items To Be Billed,"Von Lieferanten gelieferte Artikel, die noch abgerechnet werden müssen"
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Eingereicht Gehaltsabrechnungen
-DocType: Employee,Ms,Fr.
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Stammdaten zur Währungsumrechnung
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Referenz Doctype muss man von {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Stammdaten zur Währungsumrechnung
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referenz Doctype muss man von {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},In den nächsten {0} Tagen kann für den Arbeitsgang {1} kein Zeitfenster gefunden werden
DocType: Production Order,Plan material for sub-assemblies,Materialplanung für Unterbaugruppen
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Vertriebspartner und Territorium
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,"Kann nicht automatisch Konto erstellen, wie es auf dem Konto bereits Aktien Gleichgewicht ist. Sie müssen ein entsprechendes Konto erstellen, bevor Sie einen Eintrag in diesem Lager zu machen"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,Stückliste {0} muss aktiv sein
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,Stückliste {0} muss aktiv sein
DocType: Journal Entry,Depreciation Entry,Abschreibungs Eintrag
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Bitte zuerst den Dokumententyp auswählen
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Materialkontrolle {0} stornieren vor Abbruch dieses Wartungsbesuchs
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Seriennummer {0} gehört nicht zu Artikel {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Erforderliche Anzahl
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Lagerhäuser mit bestehenden Transaktion kann nicht in Ledger umgewandelt werden.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Lagerhäuser mit bestehenden Transaktion kann nicht in Ledger umgewandelt werden.
DocType: Bank Reconciliation,Total Amount,Gesamtsumme
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Veröffentlichung im Internet
DocType: Production Planning Tool,Production Orders,Fertigungsaufträge
@@ -977,25 +983,26 @@
DocType: Fee Structure,Components,Komponenten
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Bitte geben Sie Anlagekategorie in Artikel {0}
DocType: Quality Inspection Reading,Reading 6,Ablesewert 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Kann nicht {0} {1} {2} ohne negative ausstehende Rechnung
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Kann nicht {0} {1} {2} ohne negative ausstehende Rechnung
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Vorkasse zur Eingangsrechnung
DocType: Hub Settings,Sync Now,Jetzt synchronisieren
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Zeile {0}: Habenbuchung kann nicht mit ein(em) {1} verknüpft werden
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Budget für ein Geschäftsjahr angeben.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Budget für ein Geschäftsjahr angeben.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"Standard Bank-/Geldkonto wird automatisch in Kassenbon aktualisiert, wenn dieser Modus ausgewählt ist."
DocType: Lead,LEAD-,TIPP-
DocType: Employee,Permanent Address Is,Feste Adresse ist
DocType: Production Order Operation,Operation completed for how many finished goods?,Für wie viele fertige Erzeugnisse wurde der Arbeitsgang abgeschlossen?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,Die Marke
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Die Marke
DocType: Employee,Exit Interview Details,Details zum Austrittsgespräch verlassen
DocType: Item,Is Purchase Item,Ist Einkaufsartikel
DocType: Asset,Purchase Invoice,Eingangsrechnung
DocType: Stock Ledger Entry,Voucher Detail No,Belegdetail-Nr.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Neue Ausgangsrechnung
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Neue Ausgangsrechnung
DocType: Stock Entry,Total Outgoing Value,Gesamtwert Auslieferungen
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Eröffnungsdatum und Abschlussdatum sollten im gleichen Geschäftsjahr sein
DocType: Lead,Request for Information,Informationsanfrage
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sync Offline-Rechnungen
+,LeaderBoard,Bestenliste
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Sync Offline-Rechnungen
DocType: Payment Request,Paid,Bezahlt
DocType: Program Fee,Program Fee,Programmgebühr
DocType: Salary Slip,Total in words,Summe in Worten
@@ -1004,13 +1011,13 @@
DocType: Cheque Print Template,Has Print Format,Hat das Druckformat
DocType: Employee Loan,Sanctioned,sanktionierte
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,ist zwingend erforderlich. Vielleicht wurde kein Datensatz für den Geldwechsel erstellt für
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Zeile #{0}: Bitte Seriennummer für Artikel {1} angeben
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Für Artikel aus ""Produkt-Bundles"" werden Lager, Seriennummer und Chargennummer aus der Tabelle ""Packliste"" berücksichtigt. Wenn Lager und Chargennummer für alle Packstücke in jedem Artikel eines Produkt-Bundles gleich sind, können diese Werte in die Tabelle ""Hauptpositionen"" eingetragen werden, Die Werte werden in die Tabelle ""Packliste"" kopiert."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Zeile #{0}: Bitte Seriennummer für Artikel {1} angeben
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Für Artikel aus ""Produkt-Bundles"" werden Lager, Seriennummer und Chargennummer aus der Tabelle ""Packliste"" berücksichtigt. Wenn Lager und Chargennummer für alle Packstücke in jedem Artikel eines Produkt-Bundles gleich sind, können diese Werte in die Tabelle ""Hauptpositionen"" eingetragen werden, Die Werte werden in die Tabelle ""Packliste"" kopiert."
DocType: Job Opening,Publish on website,Veröffentlichen Sie auf der Website
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Lieferungen an Kunden
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Lieferant Rechnungsdatum kann nicht größer sein als Datum der Veröffentlichung
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Lieferant Rechnungsdatum kann nicht größer sein als Datum der Veröffentlichung
DocType: Purchase Invoice Item,Purchase Order Item,Lieferantenauftrags-Artikel
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Indirekte Erträge
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Indirekte Erträge
DocType: Student Attendance Tool,Student Attendance Tool,Schülerteilnahme Werkzeug
DocType: Cheque Print Template,Date Settings,Datums-Einstellungen
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Abweichung
@@ -1028,20 +1035,20 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Chemische Industrie
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,"Standard Bank / Geldkonto wird automatisch in Gehalts Journal Entry aktualisiert werden, wenn dieser Modus ausgewählt ist."
DocType: BOM,Raw Material Cost(Company Currency),Rohstoffkosten (Gesellschaft Währung)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Alle Artikel wurden schon für diesen Fertigungsauftrag übernommen.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Alle Artikel wurden schon für diesen Fertigungsauftrag übernommen.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Row # {0}: Die Rate kann nicht größer sein als die Rate, die in {1} {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,Meter
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,Meter
DocType: Workstation,Electricity Cost,Stromkosten
DocType: HR Settings,Don't send Employee Birthday Reminders,Keine Mitarbeitergeburtstagserinnerungen senden
DocType: Item,Inspection Criteria,Prüfkriterien
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Übergeben
DocType: BOM Website Item,BOM Website Item,BOM Webseite Artikel
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Briefkopf und Logo hochladen. (Beides kann später noch bearbeitet werden.)
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Briefkopf und Logo hochladen. (Beides kann später noch bearbeitet werden.)
DocType: Timesheet Detail,Bill,Rechnung
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Weiter Abschreibungen Datum wird als vergangenes Datum eingegeben
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Weiß
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Weiß
DocType: SMS Center,All Lead (Open),Alle Leads (offen)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Menge nicht für {4} in Lager {1} zum Zeitpunkt des Eintrags Entsendung ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Menge nicht für {4} in Lager {1} zum Zeitpunkt des Eintrags Entsendung ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Gezahlte Anzahlungen aufrufen
DocType: Item,Automatically Create New Batch,Automatisch neue Charge erstellen
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,Erstellen
@@ -1051,13 +1058,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Mein Warenkorb
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Bestelltyp muss aus {0} sein
DocType: Lead,Next Contact Date,Nächstes Kontaktdatum
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Anfangsmenge
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,Bitte geben Sie Konto für Änderungsbetrag
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Anfangsmenge
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,Bitte geben Sie Konto für Änderungsbetrag
DocType: Student Batch Name,Student Batch Name,Studentenstapelname
DocType: Holiday List,Holiday List Name,Urlaubslistenname
DocType: Repayment Schedule,Balance Loan Amount,Bilanz Darlehensbetrag
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Unterrichtszeiten
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Lager-Optionen
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Lager-Optionen
DocType: Journal Entry Account,Expense Claim,Aufwandsabrechnung
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Wollen Sie wirklich dieses verschrottet Asset wiederherzustellen?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Menge für {0}
@@ -1069,12 +1076,12 @@
DocType: Company,Default Terms,Allgemeine Geschäftsbedingungen
DocType: Packing Slip Item,Packing Slip Item,Position auf dem Packzettel
DocType: Purchase Invoice,Cash/Bank Account,Bar-/Bankkonto
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Bitte geben Sie eine {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Bitte geben Sie eine {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Artikel wurden ohne Veränderung der Menge oder des Wertes entfernt.
DocType: Delivery Note,Delivery To,Lieferung an
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Attributtabelle ist zwingend erforderlich
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Attributtabelle ist zwingend erforderlich
DocType: Production Planning Tool,Get Sales Orders,Kundenaufträge aufrufen
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} kann nicht negativ sein
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} kann nicht negativ sein
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Rabatt
DocType: Asset,Total Number of Depreciations,Gesamtzahl der abschreibungen
DocType: Sales Invoice Item,Rate With Margin,Bewerten Sie mit Margin
@@ -1094,7 +1101,6 @@
DocType: Serial No,Creation Document No,Belegerstellungs-Nr.
DocType: Issue,Issue,Anfrage
DocType: Asset,Scrapped,Verschrottet
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Konto passt nicht zu Unternehmen
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Attribute für Artikelvarianten, z. B. Größe, Farbe usw."
DocType: Purchase Invoice,Returns,Kehrt zurück
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,Fertigungslager
@@ -1106,12 +1112,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,"Artikel müssen über die Schaltfläche ""Artikel von Kaufbeleg übernehmen"" hinzugefügt werden"
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Fügen Sie nicht auf Lager gehalten
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Vertriebskosten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Vertriebskosten
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Standard-Kauf
DocType: GL Entry,Against,Zu
DocType: Item,Default Selling Cost Center,Standard-Vertriebskostenstelle
DocType: Sales Partner,Implementation Partner,Umsetzungspartner
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Postleitzahl
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Postleitzahl
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Kundenauftrag {0} ist {1}
DocType: Opportunity,Contact Info,Kontakt-Information
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Lagerbuchungen erstellen
@@ -1124,31 +1130,31 @@
DocType: Holiday List,Get Weekly Off Dates,Wöchentliche Abwesenheitstermine abrufen
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,Enddatum kann nicht vor Startdatum liegen
DocType: Sales Person,Select company name first.,Zuerst den Firmennamen auswählen.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Soll
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Angebote von Lieferanten
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},An {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Durchschnittsalter
DocType: School Settings,Attendance Freeze Date,Anwesenheit Einfrieren Datum
DocType: Opportunity,Your sales person who will contact the customer in future,"Ihr Vertriebsmitarbeiter, der den Kunden in Zukunft kontaktiert"
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Bitte ein paar Lieferanten angeben. Diese können Firmen oder Einzelpersonen sein.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Bitte ein paar Lieferanten angeben. Diese können Firmen oder Einzelpersonen sein.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Alle Produkte
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimum Lead Age (Tage)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,Alle Stücklisten
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Alle Stücklisten
DocType: Company,Default Currency,Standardwährung
DocType: Expense Claim,From Employee,Von Mitarbeiter
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Achtung: Das System erkennt keine überhöhten Rechnungen, da der Betrag für Artikel {0} in {1} gleich Null ist"
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Achtung: Das System erkennt keine überhöhten Rechnungen, da der Betrag für Artikel {0} in {1} gleich Null ist"
DocType: Journal Entry,Make Difference Entry,Differenzbuchung erstellen
DocType: Upload Attendance,Attendance From Date,Anwesenheit von Datum
DocType: Appraisal Template Goal,Key Performance Area,Entscheidender Leistungsbereich
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Transport
+DocType: Program Enrollment,Transportation,Transport
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Invalid Attribute
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} muss vorgelegt werden
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} muss vorgelegt werden
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Menge muss gleich oder kleiner als {0} sein
DocType: SMS Center,Total Characters,Gesamtanzahl Zeichen
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Bitte aus dem Stücklistenfeld eine Stückliste für Artikel {0} auswählen
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Bitte aus dem Stücklistenfeld eine Stückliste für Artikel {0} auswählen
DocType: C-Form Invoice Detail,C-Form Invoice Detail,Kontakt-Formular Rechnungsdetail
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Rechnung zum Zahlungsabgleich
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Beitrag in %
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Nach den Kaufeinstellungen, wenn Bestellbedarf == 'JA', dann für die Erstellung der Kaufrechnung, muss der Benutzer die Bestellung zuerst für den Eintrag {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Meldenummern des Unternehmens für Ihre Unterlagen. Steuernummern usw.
DocType: Sales Partner,Distributor,Lieferant
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Warenkorb-Versandregel
@@ -1157,23 +1163,25 @@
,Ordered Items To Be Billed,"Bestellte Artikel, die abgerechnet werden müssen"
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Von-Bereich muss kleiner sein als Bis-Bereich
DocType: Global Defaults,Global Defaults,Allgemeine Voreinstellungen
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Projekt-Zusammenarbeit Einladung
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Projekt-Zusammenarbeit Einladung
DocType: Salary Slip,Deductions,Abzüge
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Startjahr
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},Die ersten 2 Ziffern von GSTIN sollten mit der Statusnummer {0} übereinstimmen
DocType: Purchase Invoice,Start date of current invoice's period,Startdatum der laufenden Rechnungsperiode
DocType: Salary Slip,Leave Without Pay,Unbezahlter Urlaub
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Fehler in der Kapazitätsplanung
,Trial Balance for Party,Summen- und Saldenliste für Gruppe
DocType: Lead,Consultant,Berater
DocType: Salary Slip,Earnings,Einkünfte
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Fertiger Artikel {0} muss für eine Fertigungsbuchung eingegeben werden
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Fertiger Artikel {0} muss für eine Fertigungsbuchung eingegeben werden
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Eröffnungsbilanz
+,GST Sales Register,GST Verkaufsregister
DocType: Sales Invoice Advance,Sales Invoice Advance,Anzahlung auf Ausgangsrechnung
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Nichts anzufragen
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Ein weiteres Budget record '{0}' existiert bereits gegen {1} {2} 'für das Geschäftsjahr {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',"Das ""Tatsächliche Startdatum"" kann nicht nach dem ""Tatsächlichen Enddatum"" liegen"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Verwaltung
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Verwaltung
DocType: Cheque Print Template,Payer Settings,Payer Einstellungen
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Dies wird an den Artikelcode der Variante angehängt. Beispiel: Wenn Ihre Abkürzung ""SM"" und der Artikelcode ""T-SHIRT"" sind, so ist der Artikelcode der Variante ""T-SHIRT-SM"""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Nettolohn (in Worten) wird angezeigt, sobald Sie die Gehaltsabrechnung speichern."
@@ -1190,8 +1198,8 @@
DocType: Employee Loan,Partially Disbursed,teil~~POS=TRUNC Zahlter
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Lieferantendatenbank
DocType: Account,Balance Sheet,Bilanz
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Kostenstelle für den Artikel mit der Artikel-Nr.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Zahlungsmittel ist nicht konfiguriert. Bitte überprüfen Sie, ob ein Konto in den Zahlungsmodi oder in einem Verkaufsstellen-Profil eingestellt wurde."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Kostenstelle für den Artikel mit der Artikel-Nr.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Zahlungsmittel ist nicht konfiguriert. Bitte überprüfen Sie, ob ein Konto in den Zahlungsmodi oder in einem Verkaufsstellen-Profil eingestellt wurde."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,"Ihr Vertriebsmitarbeiter erhält an diesem Datum eine Erinnerung, den Kunden zu kontaktieren"
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Das gleiche Einzelteil kann nicht mehrfach eingegeben werden.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Weitere Konten können unter Gruppen angelegt werden, aber Buchungen können zu nicht-Gruppen erstellt werden"
@@ -1199,7 +1207,7 @@
DocType: Email Digest,Payables,Verbindlichkeiten
DocType: Course,Course Intro,Kurs Intro
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Auf Eintrag {0} erstellt
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Zeile #{0}: Abgelehnte Menge kann nicht in Kaufrückgabe eingegeben werden
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Zeile #{0}: Abgelehnte Menge kann nicht in Kaufrückgabe eingegeben werden
,Purchase Order Items To Be Billed,"Bei Lieferanten bestellte Artikel, die noch abgerechnet werden müssen"
DocType: Purchase Invoice Item,Net Rate,Nettopreis
DocType: Purchase Invoice Item,Purchase Invoice Item,Eingangsrechnungs-Artikel
@@ -1224,7 +1232,7 @@
DocType: Sales Order,SO-,DAMIT-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Bitte zuerst Präfix auswählen
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Forschung
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Forschung
DocType: Maintenance Visit Purpose,Work Done,Arbeit erledigt
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Bitte geben Sie mindestens ein Attribut in der Attributtabelle ein
DocType: Announcement,All Students,Alle Schüler
@@ -1232,17 +1240,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Hauptbuch anzeigen
DocType: Grading Scale,Intervals,Intervalle
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Frühestens
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group",Eine Artikelgruppe mit dem gleichen Namen existiert bereits. Bitte den Artikelnamen ändern oder die Artikelgruppe umbenennen
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Student Mobil-Nr
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Rest der Welt
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group",Eine Artikelgruppe mit dem gleichen Namen existiert bereits. Bitte den Artikelnamen ändern oder die Artikelgruppe umbenennen
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobil-Nr
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Rest der Welt
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Der Artikel {0} kann keine Charge haben
,Budget Variance Report,Budget-Abweichungsbericht
DocType: Salary Slip,Gross Pay,Bruttolohn
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Row {0}: Leistungsart ist obligatorisch.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Ausgeschüttete Dividenden
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Ausgeschüttete Dividenden
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Hauptbuch
DocType: Stock Reconciliation,Difference Amount,Differenzmenge
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Gewinnrücklagen
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Gewinnrücklagen
DocType: Vehicle Log,Service Detail,Service Detail
DocType: BOM,Item Description,Artikelbeschreibung
DocType: Student Sibling,Student Sibling,Studenten Geschwister
@@ -1256,11 +1264,11 @@
DocType: Opportunity Item,Opportunity Item,Chance-Artikel
,Student and Guardian Contact Details,Student and Guardian Kontaktdaten
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Row {0}: Für Anbieter {0} E-Mail-Adresse ist erforderlich E-Mail senden
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Temporäre Eröffnungskonten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Temporäre Eröffnungskonten
,Employee Leave Balance,Übersicht der Urlaubskonten der Mitarbeiter
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Saldo für Konto {0} muss immer {1} sein
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Bewertungsrate erforderlich für den Posten in der Zeile {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Beispiel: Master in Informatik
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Beispiel: Master in Informatik
DocType: Purchase Invoice,Rejected Warehouse,Ausschusslager
DocType: GL Entry,Against Voucher,Gegenbeleg
DocType: Item,Default Buying Cost Center,Standard-Einkaufskostenstelle
@@ -1273,31 +1281,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Ausstehende Rechnungen aufrufen
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Kundenauftrag {0} ist nicht gültig
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Bestellungen helfen Ihnen bei der Planung und Follow-up auf Ihre Einkäufe
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged",Verzeihung! Firmen können nicht zusammengeführt werden
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged",Verzeihung! Firmen können nicht zusammengeführt werden
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",Die gesamte Ausgabe / Transfer Menge {0} in Material anfordern {1} \ kann nicht größer sein als die angeforderte Menge {2} für Artikel {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Klein
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Klein
DocType: Employee,Employee Number,Mitarbeiternummer
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Fall-Nr. (n) bereits in Verwendung. Versuchen Sie eine Fall-Nr. ab {0}
DocType: Project,% Completed,% abgeschlossen
,Invoiced Amount (Exculsive Tax),Rechnungsbetrag (ohne MwSt.)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Position 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Kontobezeichnung {0} erstellt
DocType: Supplier,SUPP-,des Liefe-
DocType: Training Event,Training Event,Schulungsveranstaltung
DocType: Item,Auto re-order,Automatische Nachbestellung
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Gesamtsumme erreicht
DocType: Employee,Place of Issue,Ausgabeort
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Vertrag
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Vertrag
DocType: Email Digest,Add Quote,Angebot hinzufügen
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},Maßeinheit-Umrechnungsfaktor ist erforderlich für Maßeinheit: {0} bei Artikel: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Indirekte Aufwendungen
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Maßeinheit-Umrechnungsfaktor ist erforderlich für Maßeinheit: {0} bei Artikel: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Indirekte Aufwendungen
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Zeile {0}: Menge ist zwingend erforderlich
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Landwirtschaft
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sync Master Data
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Ihre Produkte oder Dienstleistungen
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Ihre Produkte oder Dienstleistungen
DocType: Mode of Payment,Mode of Payment,Zahlungsweise
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Das Webseiten-Bild sollte eine öffentliche Datei oder eine Webseiten-URL sein
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Das Webseiten-Bild sollte eine öffentliche Datei oder eine Webseiten-URL sein
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,Stückliste
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Dies ist eine Root-Artikelgruppe und kann nicht bearbeitet werden.
@@ -1306,17 +1313,17 @@
DocType: Warehouse,Warehouse Contact Info,Kontaktinformation des Lager
DocType: Payment Entry,Write Off Difference Amount,Differenzbetrag Abschreibung
DocType: Purchase Invoice,Recurring Type,Wiederholungstyp
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: Mitarbeiter E-Mail nicht gefunden, E-Mail daher nicht gesendet"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: Mitarbeiter E-Mail nicht gefunden, E-Mail daher nicht gesendet"
DocType: Item,Foreign Trade Details,Foreign Trade Details
DocType: Email Digest,Annual Income,Jährliches Einkommen
DocType: Serial No,Serial No Details,Details zur Seriennummer
DocType: Purchase Invoice Item,Item Tax Rate,Artikelsteuersatz
DocType: Student Group Student,Group Roll Number,Gruppenrolle Nummer
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",Für {0} können nur Habenkonten mit einer weiteren Sollbuchung verknüpft werden
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Summe aller Aufgabe Gewichte sollten 1. Bitte stellen Sie Gewichte aller Projektaufgaben werden entsprechend
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Lieferschein {0} ist nicht gebucht
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Artikel {0} muss ein unterbeauftragter Artikel sein
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Betriebsvermögen
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Summe aller Aufgabe Gewichte sollten 1. Bitte stellen Sie Gewichte aller Projektaufgaben werden entsprechend
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Lieferschein {0} ist nicht gebucht
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Artikel {0} muss ein unterbeauftragter Artikel sein
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Betriebsvermögen
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Die Preisregel wird zunächst basierend auf dem Feld ""Anwenden auf"" ausgewählt. Dieses kann ein Artikel, eine Artikelgruppe oder eine Marke sein."
DocType: Hub Settings,Seller Website,Webseite des Verkäufers
DocType: Item,ITEM-,ARTIKEL-
@@ -1334,7 +1341,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Es kann nur eine Versandbedingung mit dem Wert ""0"" oder ""leer"" für ""Bis-Wert"" geben"
DocType: Authorization Rule,Transaction,Transaktion
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Hinweis: Diese Kostenstelle ist eine Gruppe. Buchungen können nicht zu Gruppen erstellt werden.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,Kinderlager existiert für dieses Lager. Sie können diese Lager nicht löschen.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Kinderlager existiert für dieses Lager. Sie können diese Lager nicht löschen.
DocType: Item,Website Item Groups,Webseiten-Artikelgruppen
DocType: Purchase Invoice,Total (Company Currency),Gesamtsumme (Firmenwährung)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Seriennummer {0} wurde mehrfach erfasst
@@ -1344,7 +1351,7 @@
DocType: Grading Scale Interval,Grade Code,Grade-Code
DocType: POS Item Group,POS Item Group,POS Artikelgruppe
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Täglicher E-Mail-Bericht:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},Stückliste {0} gehört nicht zum Artikel {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},Stückliste {0} gehört nicht zum Artikel {1}
DocType: Sales Partner,Target Distribution,Aufteilung der Zielvorgaben
DocType: Salary Slip,Bank Account No.,Bankkonto-Nr.
DocType: Naming Series,This is the number of the last created transaction with this prefix,Dies ist die Nummer der letzten erstellten Transaktion mit diesem Präfix
@@ -1354,12 +1361,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Buchen Sie den Asset Depreciation Entry automatisch
DocType: BOM Operation,Workstation,Arbeitsplatz
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Angebotsanfrage Lieferant
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Hardware
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Hardware
DocType: Sales Order,Recurring Upto,Wiederholt sich bis
DocType: Attendance,HR Manager,Leiter der Personalabteilung
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Bitte ein Unternehmen auswählen
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Bevorzugter Urlaub
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Bitte ein Unternehmen auswählen
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Bevorzugter Urlaub
DocType: Purchase Invoice,Supplier Invoice Date,Lieferantenrechnungsdatum
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,pro
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Sie müssen Ihren Einkaufswagen aktivieren.
DocType: Payment Entry,Writeoff,Abschreiben
DocType: Appraisal Template Goal,Appraisal Template Goal,Bewertungsvorlage zur Zielorientierung
@@ -1370,10 +1378,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Überlagernde Bedingungen gefunden zwischen:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,"""Zu Buchungssatz"" {0} ist bereits mit einem anderen Beleg abgeglichen"
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Gesamtbestellwert
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Lebensmittel
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Lebensmittel
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Alter Bereich 3
DocType: Maintenance Schedule Item,No of Visits,Anzahl der Besuche
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Mark attendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Mark attendence
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Wartungsplan {0} existiert gegen {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,einschreibende Student
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Die Währung des Abschlusskontos muss {0} sein
@@ -1387,6 +1395,7 @@
DocType: Rename Tool,Utilities,Dienstprogramme
DocType: Purchase Invoice Item,Accounting,Buchhaltung
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Bitte wählen Sie Chargen für Chargen
DocType: Asset,Depreciation Schedules,Abschreibungen Termine
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Beantragter Zeitraum kann nicht außerhalb der beantragten Urlaubszeit liegen
DocType: Activity Cost,Projects,Projekte
@@ -1400,6 +1409,7 @@
DocType: POS Profile,Campaign,Kampagne
DocType: Supplier,Name and Type,Name und Typ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Genehmigungsstatus muss ""Genehmigt"" oder ""Abgelehnt"" sein"
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,Bootstrap
DocType: Purchase Invoice,Contact Person,Kontaktperson
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"""Voraussichtliches Startdatum"" kann nicht nach dem ""Voraussichtlichen Enddatum"" liegen"
DocType: Course Scheduling Tool,Course End Date,Kurs Enddatum
@@ -1407,12 +1417,11 @@
DocType: Sales Order Item,Planned Quantity,Geplante Menge
DocType: Purchase Invoice Item,Item Tax Amount,Artikelsteuerbetrag
DocType: Item,Maintain Stock,Lager verwalten
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Es wurden bereits Lagerbuchungen zum Fertigungsauftrag erstellt
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Es wurden bereits Lagerbuchungen zum Fertigungsauftrag erstellt
DocType: Employee,Prefered Email,Bevorzugte E-Mail
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Nettoveränderung des Anlagevermögens
DocType: Leave Control Panel,Leave blank if considered for all designations,"Freilassen, wenn für alle Einstufungen gültig"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Warehouse ist obligatorisch für Nicht Gruppe Konten des Typs Auf
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Kosten für den Typ ""real"" in Zeile {0} können nicht in den Artikelpreis mit eingeschlossen werden"
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Kosten für den Typ ""real"" in Zeile {0} können nicht in den Artikelpreis mit eingeschlossen werden"
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Von Datum und Uhrzeit
DocType: Email Digest,For Company,Für Firma
@@ -1422,15 +1431,15 @@
DocType: Sales Invoice,Shipping Address Name,Lieferadresse Bezeichnung
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Kontenplan
DocType: Material Request,Terms and Conditions Content,Allgemeine Geschäftsbedingungen Inhalt
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,Kann nicht größer als 100 sein
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Artikel {0} ist kein Lagerartikel
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,Kann nicht größer als 100 sein
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Artikel {0} ist kein Lagerartikel
DocType: Maintenance Visit,Unscheduled,Außerplanmäßig
DocType: Employee,Owned,Im Besitz von
DocType: Salary Detail,Depends on Leave Without Pay,Hängt von unbezahltem Urlaub ab
DocType: Pricing Rule,"Higher the number, higher the priority","Je höher die Zahl, desto höher die Priorität"
,Purchase Invoice Trends,Trendanalyse Eingangsrechnungen
DocType: Employee,Better Prospects,Bessere Vorhersage
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Zeile # {0}: Der Batch {1} hat nur {2} Menge. Bitte wähle eine andere Charge aus, die {3} Menge zur Verfügung hat oder die Zeile in mehrere Zeilen aufteilt, um aus mehreren Chargen zu liefern / auszutauschen"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Zeile # {0}: Der Batch {1} hat nur {2} Menge. Bitte wähle eine andere Charge aus, die {3} Menge zur Verfügung hat oder die Zeile in mehrere Zeilen aufteilt, um aus mehreren Chargen zu liefern / auszutauschen"
DocType: Vehicle,License Plate,Nummernschild
DocType: Appraisal,Goals,Ziele
DocType: Warranty Claim,Warranty / AMC Status,Status der Garantie / des jährlichen Wartungsvertrags
@@ -1441,22 +1450,23 @@
,Batch-Wise Balance History,Chargenbezogener Bestandsverlauf
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Die Druckeinstellungen in den jeweiligen Druckformat aktualisiert
DocType: Package Code,Package Code,Package-Code
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Auszubildende(r)
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Auszubildende(r)
+DocType: Purchase Invoice,Company GSTIN,Unternehmen GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Negative Menge ist nicht erlaubt
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",Die Tabelle Steuerdetails wird aus dem Artikelstamm als Zeichenfolge entnommen und in diesem Feld gespeichert. Wird verwendet für Steuern und Abgaben
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Mitarbeiter können nicht an sich selbst Bericht erstatten
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Wenn das Konto gesperrt ist, sind einem eingeschränkten Benutzerkreis Buchungen erlaubt."
DocType: Email Digest,Bank Balance,Kontostand
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Eine Buchung für {0}: {1} kann nur in der Währung: {2} vorgenommen werden
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Eine Buchung für {0}: {1} kann nur in der Währung: {2} vorgenommen werden
DocType: Job Opening,"Job profile, qualifications required etc.","Stellenbeschreibung, erforderliche Qualifikationen usw."
DocType: Journal Entry Account,Account Balance,Kontostand
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Steuerregel für Transaktionen
DocType: Rename Tool,Type of document to rename.,"Dokumententyp, der umbenannt werden soll."
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Wir kaufen diesen Artikel
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Wir kaufen diesen Artikel
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Der Kunde muss gegen Receivable Konto {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Gesamte Steuern und Gebühren (Firmenwährung)
-apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Zeigen Sie nicht geschlossene Geschäftsjahr des P & L-Waagen
+apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Gewinn- und Verlustrechnung für nicht geschlossenes Finanzjahr zeigen.
DocType: Shipping Rule,Shipping Account,Versandkonto
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +92,{0} {1}: Account {2} is inactive,{0} {1}: Konto {2} ist inaktiv
apps/erpnext/erpnext/utilities/activation.py +80,Make Sales Orders to help you plan your work and deliver on-time,Machen Sie Kundenaufträge Sie Ihre Arbeit planen und liefern on-time
@@ -1464,29 +1474,30 @@
DocType: Stock Entry,Total Additional Costs,Gesamte Zusatzkosten
DocType: Course Schedule,SH,Sch
DocType: BOM,Scrap Material Cost(Company Currency),Schrottmaterialkosten (Gesellschaft Währung)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Unterbaugruppen
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Unterbaugruppen
DocType: Asset,Asset Name,Asset-Name
DocType: Project,Task Weight,Vorgangsgewichtung
DocType: Shipping Rule Condition,To Value,Bis-Wert
DocType: Asset Movement,Stock Manager,Lagerleiter
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Ausgangslager ist für Zeile {0} zwingend erforderlich
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Packzettel
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Büromiete
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Ausgangslager ist für Zeile {0} zwingend erforderlich
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Packzettel
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Büromiete
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Einstellungen für SMS-Gateway verwalten
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Import fehlgeschlagen!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Noch keine Adresse hinzugefügt.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Noch keine Adresse hinzugefügt.
DocType: Workstation Working Hour,Workstation Working Hour,Arbeitsplatz-Arbeitsstunde
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Analytiker
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Analytiker
DocType: Item,Inventory,Lagerbestand
DocType: Item,Sales Details,Verkaufsdetails
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,Mit Artikeln
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,In Menge
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,In Menge
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Validieren Sie den eingeschriebenen Kurs für Studierende in der Studentengruppe
DocType: Notification Control,Expense Claim Rejected,Aufwandsabrechnung abgelehnt
DocType: Item,Item Attribute,Artikelattribut
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Regierung
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Regierung
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Kostenabrechnung {0} existiert bereits für das Fahrzeug Log
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Institut Namens
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Institut Namens
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,Bitte geben Sie Rückzahlungsbetrag
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Artikelvarianten
DocType: Company,Services,Dienstleistungen
@@ -1496,18 +1507,18 @@
DocType: Sales Invoice,Source,Quelle
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Zeige geschlossen
DocType: Leave Type,Is Leave Without Pay,Ist unbezahlter Urlaub
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Anlagekategorie ist obligatorisch für Posten des Anlagevermögens
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Anlagekategorie ist obligatorisch für Posten des Anlagevermögens
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,"Keine Datensätze in der Tabelle ""Zahlungen"" gefunden"
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Diese {0} Konflikte mit {1} von {2} {3}
DocType: Student Attendance Tool,Students HTML,Studenten HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Startdatum des Geschäftsjahres
DocType: POS Profile,Apply Discount,Rabatt anwenden
+DocType: Purchase Invoice Item,GST HSN Code,GST HSN Code
DocType: Employee External Work History,Total Experience,Gesamterfahrung
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Offene Projekte
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Packzettel storniert
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Cashflow aus Investitionen
DocType: Program Course,Program Course,Programm Kurs
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Fracht- und Versandkosten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Fracht- und Versandkosten
DocType: Homepage,Company Tagline for website homepage,Unternehmen Untertitel für Internet-Homepage
DocType: Item Group,Item Group Name,Name der Artikelgruppe
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Genommen
@@ -1517,6 +1528,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,erstellen Leads
DocType: Maintenance Schedule,Schedules,Zeitablaufpläne
DocType: Purchase Invoice Item,Net Amount,Nettobetrag
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} wurde nicht eingereicht, so dass die Aktion nicht abgeschlossen werden kann"
DocType: Purchase Order Item Supplied,BOM Detail No,Stückliste Detailnr.
DocType: Landed Cost Voucher,Additional Charges,Zusätzliche Kosten
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Zusätzlicher Rabatt (Firmenwährung)
@@ -1532,6 +1544,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Monatliche Rückzahlungsbetrag
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,"Bitte in einem Mitarbeiterdatensatz das Feld Nutzer-ID setzen, um die Rolle Mitarbeiter zuzuweisen"
DocType: UOM,UOM Name,Maßeinheit-Name
+DocType: GST HSN Code,HSN Code,HSN-Code
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Beitragshöhe
DocType: Purchase Invoice,Shipping Address,Lieferadresse
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,"Dieses Werkzeug hilft Ihnen dabei, die Menge und die Bewertung von Bestand im System zu aktualisieren oder zu ändern. Es wird in der Regel verwendet, um die Systemwerte und den aktuellen Bestand Ihrer Lager zu synchronisieren."
@@ -1542,17 +1555,16 @@
DocType: Program Enrollment Tool,Program Enrollments,Programm Einschreibungen
DocType: Sales Invoice Item,Brand Name,Bezeichnung der Marke
DocType: Purchase Receipt,Transporter Details,Informationen zum Transporteur
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Standard Lager wird für das ausgewählte Element erforderlich
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Kiste
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Standard Lager wird für das ausgewählte Element erforderlich
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Kiste
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,Mögliche Lieferant
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Die Firma
DocType: Budget,Monthly Distribution,Monatsbezogene Verteilung
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Empfängerliste ist leer. Bitte eine Empfängerliste erstellen
DocType: Production Plan Sales Order,Production Plan Sales Order,Produktionsplan für Kundenauftrag
DocType: Sales Partner,Sales Partner Target,Vertriebspartner-Ziel
DocType: Loan Type,Maximum Loan Amount,Maximale Darlehensbetrag
DocType: Pricing Rule,Pricing Rule,Preisregel
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Duplikatrolle für Schüler {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Duplikatrolle für Schüler {0}
DocType: Budget,Action if Annual Budget Exceeded,Erwünschte Aktion bei überschrittenem jährlichem Budget
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Von der Materialanfrage zum Lieferantenauftrag
DocType: Shopping Cart Settings,Payment Success URL,Payment Success URL
@@ -1565,11 +1577,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Eröffnungsbestände
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} darf nur einmal vorkommen
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Übertragung von mehr {0} als {1} mit Lieferantenauftrag {2} nicht erlaubt
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Übertragung von mehr {0} als {1} mit Lieferantenauftrag {2} nicht erlaubt
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Erfolgreich zugewiesene Abwesenheiten für {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Keine Artikel zum Verpacken
DocType: Shipping Rule Condition,From Value,Von-Wert
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Eingabe einer Fertigungsmenge ist erforderlich
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Eingabe einer Fertigungsmenge ist erforderlich
DocType: Employee Loan,Repayment Method,Rückzahlweg
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Wenn diese Option aktiviert, wird die Startseite der Standardartikelgruppe für die Website sein"
DocType: Quality Inspection Reading,Reading 4,Ablesewert 4
@@ -1579,7 +1591,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Row # {0}: Räumungsdatum {1} kann nicht vor dem Scheck Datum sein {2}
DocType: Company,Default Holiday List,Standard-Urlaubsliste
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},"Row {0}: Von Zeit und Zeit, um von {1} überlappt mit {2}"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Lager-Verbindlichkeiten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Lager-Verbindlichkeiten
DocType: Purchase Invoice,Supplier Warehouse,Lieferantenlager
DocType: Opportunity,Contact Mobile No,Kontakt-Mobiltelefonnummer
,Material Requests for which Supplier Quotations are not created,"Materialanfragen, für die keine Lieferantenangebote erstellt werden"
@@ -1590,35 +1602,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Angebot erstellen
apps/erpnext/erpnext/config/selling.py +216,Other Reports,Weitere Berichte
DocType: Dependent Task,Dependent Task,Abhängiger Vorgang
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Umrechnungsfaktor für Standardmaßeinheit muss in Zeile {0} 1 sein
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Umrechnungsfaktor für Standardmaßeinheit muss in Zeile {0} 1 sein
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Abwesenheit vom Typ {0} kann nicht länger sein als {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Arbeitsgänge für X Tage im Voraus planen.
DocType: HR Settings,Stop Birthday Reminders,Geburtstagserinnerungen ausschalten
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Bitte setzen Sie Standard-Abrechnungskreditorenkonto in Gesellschaft {0}
DocType: SMS Center,Receiver List,Empfängerliste
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Suche Artikel
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Suche Artikel
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Verbrauchte Menge
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Nettoveränderung der Barmittel
DocType: Assessment Plan,Grading Scale,Bewertungsskala
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Maßeinheit {0} wurde mehr als einmal in die Umrechnungsfaktor-Tabelle eingetragen
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Maßeinheit {0} wurde mehr als einmal in die Umrechnungsfaktor-Tabelle eingetragen
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,Schon erledigt
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock In Hand
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Zahlungsanordnung bereits vorhanden ist {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Aufwendungen für in Umlauf gebrachte Artikel
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Menge darf nicht mehr als {0} sein
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Zurück Geschäftsjahr nicht geschlossen
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Alter (Tage)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Alter (Tage)
DocType: Quotation Item,Quotation Item,Angebotsposition
+DocType: Customer,Customer POS Id,Kunden-POS-ID
DocType: Account,Account Name,Kontenname
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Von-Datum kann später liegen als Bis-Datum
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Seriennummer {0} mit Menge {1} kann nicht eine Teilmenge sein
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Stammdaten zum Lieferantentyp
DocType: Purchase Order Item,Supplier Part Number,Lieferanten-Artikelnummer
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Umrechnungskurs kann nicht 0 oder 1 sein
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Umrechnungskurs kann nicht 0 oder 1 sein
DocType: Sales Invoice,Reference Document,Referenzdokument
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} wird abgebrochen oder beendet
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} wird abgebrochen oder beendet
DocType: Accounts Settings,Credit Controller,Kredit-Controller
DocType: Delivery Note,Vehicle Dispatch Date,Datum des Versands mit dem Fahrzeug
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Kaufbeleg {0} wurde nicht übertragen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Kaufbeleg {0} wurde nicht übertragen
DocType: Company,Default Payable Account,Standard-Verbindlichkeitenkonto
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Einstellungen zum Warenkorb, z.B. Versandregeln, Preislisten usw."
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% berechnet
@@ -1637,11 +1651,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Gesamterstattungsbetrag
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Dies basiert auf Protokollen gegen dieses Fahrzeug. Siehe Zeitleiste unten für Details
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,Sammeln
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Zu Eingangsrechnung {0} vom {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Zu Eingangsrechnung {0} vom {1}
DocType: Customer,Default Price List,Standardpreisliste
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Asset-Bewegung Datensatz {0} erstellt
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Sie können das Geschäftsjahr {0} nicht löschen. Das Geschäftsjahr {0} ist als Standard in den globalen Einstellungen festgelegt
DocType: Journal Entry,Entry Type,Buchungstyp
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Kein Bewertungsplan mit dieser Bewertungsgruppe verknüpft
,Customer Credit Balance,Kunden-Kreditlinien
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Nettoveränderung der Verbindlichkeiten
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',"Kunde erforderlich für ""Kundenbezogener Rabatt"""
@@ -1649,7 +1664,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Pricing
DocType: Quotation,Term Details,Details der Geschäftsbedingungen
DocType: Project,Total Sales Cost (via Sales Order),Gesamtverkaufskosten (über Kundenauftrag)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Kann nicht mehr als {0} Studenten für diese Studentengruppe einschreiben.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Kann nicht mehr als {0} Studenten für diese Studentengruppe einschreiben.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Lead Count
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} muss größer 0 sein
DocType: Manufacturing Settings,Capacity Planning For (Days),Kapazitätsplanung für (Tage)
@@ -1670,7 +1685,7 @@
DocType: Sales Invoice,Packed Items,Verpackte Artikel
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garantieantrag zu Serien-Nr.
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Eine bestimmte Stückliste in allen anderen Stücklisten austauschen, in denen sie eingesetzt wird. Ersetzt die Verknüpfung zur alten Stücklisten, aktualisiert die Kosten und erstellt die Tabelle ""Stücklistenerweiterung Artikel"" nach der neuen Stückliste"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Gesamtbetrag'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Gesamtbetrag'
DocType: Shopping Cart Settings,Enable Shopping Cart,Warenkorb aktivieren
DocType: Employee,Permanent Address,Feste Adresse
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1686,9 +1701,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,Bitte entweder die Menge oder den Wertansatz oder beides eingeben
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,Erfüllung
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Ansicht Warenkorb
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Marketingkosten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Marketingkosten
,Item Shortage Report,Artikelengpass-Bericht
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Gewicht ist angegeben, bitte auch ""Gewichts-Maßeinheit"" angeben"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Gewicht ist angegeben, bitte auch ""Gewichts-Maßeinheit"" angeben"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Materialanfrage wurde für die Erstellung dieser Lagerbuchung verwendet
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Weiter Abschreibungen Datum ist obligatorisch für neue Anlage
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Separate Kursbasierte Gruppe für jede Charge
@@ -1697,17 +1712,18 @@
,Student Fee Collection,Studiengebühren Sammlung
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Eine Buchung für jede Lagerbewegung erstellen
DocType: Leave Allocation,Total Leaves Allocated,Insgesamt zugewiesene Urlaubstage
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Angabe des Lagers ist in Zeile {0} erforderlich
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Bitte geben Sie für das Geschäftsjahr einen gültigen Start- und Endtermin an.
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Angabe des Lagers ist in Zeile {0} erforderlich
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Bitte geben Sie für das Geschäftsjahr einen gültigen Start- und Endtermin an.
DocType: Employee,Date Of Retirement,Zeitpunkt der Pensionierung
DocType: Upload Attendance,Get Template,Vorlage aufrufen
+DocType: Material Request,Transferred,Übergeben
DocType: Vehicle,Doors,Türen
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext Setup abgeschlossen!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup abgeschlossen!
DocType: Course Assessment Criteria,Weightage,Gewichtung
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Kostenstelle ist erforderlich für die "Gewinn- und Verlust 'Konto {2}. Bitte stellen Sie eine Standard-Kostenstelle für das Unternehmen.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Eine Kundengruppe mit dem gleichen Namen existiert bereits. Bitte den Kundennamen ändern oder die Kundengruppe umbenennen
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Neuer Kontakt
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Eine Kundengruppe mit dem gleichen Namen existiert bereits. Bitte den Kundennamen ändern oder die Kundengruppe umbenennen
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Neuer Kontakt
DocType: Territory,Parent Territory,Übergeordnete Region
DocType: Quality Inspection Reading,Reading 2,Ablesewert 2
DocType: Stock Entry,Material Receipt,Materialannahme
@@ -1716,17 +1732,16 @@
DocType: Employee,AB+,AB+
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Wenn dieser Artikel Varianten hat, dann kann er bei den Kundenaufträgen, etc. nicht ausgewählt werden"
DocType: Lead,Next Contact By,Nächster Kontakt durch
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Für Artikel {0} in Zeile {1} benötigte Menge
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},"Lager {0} kann nicht gelöscht werden, da noch ein Bestand für Artikel {1} existiert"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Für Artikel {0} in Zeile {1} benötigte Menge
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Lager {0} kann nicht gelöscht werden, da noch ein Bestand für Artikel {1} existiert"
DocType: Quotation,Order Type,Bestellart
DocType: Purchase Invoice,Notification Email Address,Benachrichtigungs-E-Mail-Adresse
,Item-wise Sales Register,Artikelbezogene Übersicht der Verkäufe
DocType: Asset,Gross Purchase Amount,Bruttokaufbetrag
DocType: Asset,Depreciation Method,Abschreibungsmethode
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Offline
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,Offline
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Ist diese Steuer im Basispreis enthalten?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Summe Vorgabe
-DocType: Program Course,Required,Erforderlich
DocType: Job Applicant,Applicant for a Job,Bewerber für einen Job
DocType: Production Plan Material Request,Production Plan Material Request,Produktionsplan-Material anfordern
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Keine Fertigungsaufträge erstellt
@@ -1735,17 +1750,17 @@
DocType: Purchase Invoice Item,Batch No,Chargennummer
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Zusammenfassen mehrerer Kundenaufträge zu einer Kundenbestellung erlauben
DocType: Student Group Instructor,Student Group Instructor,Student Group Instructor
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 Mobil Nein
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Haupt
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobil Nein
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Haupt
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variante
DocType: Naming Series,Set prefix for numbering series on your transactions,Präfix für die Seriennummerierung Ihrer Transaktionen festlegen
DocType: Employee Attendance Tool,Employees HTML,Mitarbeiter HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Standardstückliste ({0}) muss für diesen Artikel oder dessen Vorlage aktiv sein
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Standardstückliste ({0}) muss für diesen Artikel oder dessen Vorlage aktiv sein
DocType: Employee,Leave Encashed?,Urlaub eingelöst?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,"Feld ""Chance von"" ist zwingend erforderlich"
DocType: Email Digest,Annual Expenses,Jährliche Kosten
DocType: Item,Variants,Varianten
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Lieferantenauftrag erstellen
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Lieferantenauftrag erstellen
DocType: SMS Center,Send To,Senden an
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Es gibt nicht genügend verfügbaren Urlaub für Urlaubstyp {0}
DocType: Payment Reconciliation Payment,Allocated amount,Zugewiesene Menge
@@ -1759,26 +1774,25 @@
DocType: Supplier,Statutory info and other general information about your Supplier,Rechtlich notwendige und andere allgemeine Informationen über Ihren Lieferanten
DocType: Item,Serial Nos and Batches,Seriennummern und Chargen
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Schülergruppenstärke
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,"""Zu Buchungssatz"" {0} hat nur abgeglichene {1} Buchungen"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,"""Zu Buchungssatz"" {0} hat nur abgeglichene {1} Buchungen"
apps/erpnext/erpnext/config/hr.py +137,Appraisals,Beurteilungen
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Doppelte Seriennummer für Posten {0} eingegeben
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Bedingung für eine Versandregel
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Bitte eingeben
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Kann nicht für Artikel overbill {0} in Zeile {1} mehr als {2}. Damit über Abrechnung, setzen Sie sich bitte Einstellungen in Kauf"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Bitte setzen Sie Filter basierend auf Artikel oder Lager
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Kann nicht für Artikel overbill {0} in Zeile {1} mehr als {2}. Damit über Abrechnung, setzen Sie sich bitte Einstellungen in Kauf"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Bitte setzen Sie Filter basierend auf Artikel oder Lager
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Das Nettogewicht dieses Pakets. (Automatisch als Summe der einzelnen Nettogewichte berechnet)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Bitte ein Konto für diese Warehouse erstellen und verknüpfen. Dies kann nicht automatisch als ein Konto mit dem Namen getan werden {0} existiert bereits
DocType: Sales Order,To Deliver and Bill,Auszuliefern und Abzurechnen
DocType: Student Group,Instructors,Instructors
DocType: GL Entry,Credit Amount in Account Currency,(Gut)Haben-Betrag in Kontowährung
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,Stückliste {0} muss übertragen werden
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,Stückliste {0} muss übertragen werden
DocType: Authorization Control,Authorization Control,Berechtigungskontrolle
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Abgelehnt Warehouse ist obligatorisch gegen zurückgewiesen Artikel {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Abgelehnt Warehouse ist obligatorisch gegen zurückgewiesen Artikel {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Bezahlung
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Warehouse {0} ist nicht mit einem Konto verknüpft, bitte erwähnen Sie das Konto im Lagerbestand oder legen Sie das Inventarkonto in der Firma {1} fest."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Verwalten Sie Ihre Aufträge
DocType: Production Order Operation,Actual Time and Cost,Tatsächliche Laufzeit und Kosten
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materialanfrage von maximal {0} kann für Artikel {1} zum Kundenauftrag {2} gemacht werden
-DocType: Employee,Salutation,Anrede
DocType: Course,Course Abbreviation,Kurs Abkürzung
DocType: Student Leave Application,Student Leave Application,Student Urlaubsantrag
DocType: Item,Will also apply for variants,Gilt auch für Varianten
@@ -1790,12 +1804,12 @@
DocType: Quotation Item,Actual Qty,Tatsächliche Anzahl
DocType: Sales Invoice Item,References,Referenzen
DocType: Quality Inspection Reading,Reading 10,Ablesewert 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Produkte oder Dienstleistungen auflisten, die gekauft oder verkauft werden. Sicher stellen, dass beim Start die Artikelgruppe, die Standardeinheit und andere Einstellungen überprüft werden."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Produkte oder Dienstleistungen auflisten, die gekauft oder verkauft werden. Sicher stellen, dass beim Start die Artikelgruppe, die Standardeinheit und andere Einstellungen überprüft werden."
DocType: Hub Settings,Hub Node,Hub-Knoten
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Sie haben ein Duplikat eines Artikels eingetragen. Bitte korrigieren und erneut versuchen.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Mitarbeiter/-in
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Mitarbeiter/-in
DocType: Asset Movement,Asset Movement,Asset-Bewegung
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,neue Produkte Warenkorb
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,neue Produkte Warenkorb
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Artikel {0} ist kein Fortsetzungsartikel
DocType: SMS Center,Create Receiver List,Empfängerliste erstellen
DocType: Vehicle,Wheels,Räder
@@ -1815,19 +1829,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Kann sich nur auf eine Zeile beziehen, wenn die Berechnungsart der Kosten entweder ""auf vorherige Zeilensumme"" oder ""auf vorherigen Zeilenbetrag"" ist"
DocType: Sales Order Item,Delivery Warehouse,Auslieferungslager
DocType: SMS Settings,Message Parameter,Mitteilungsparameter
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Baum der finanziellen Kostenstellen.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Baum der finanziellen Kostenstellen.
DocType: Serial No,Delivery Document No,Lieferdokumentennummer
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Bitte setzen Sie "Gewinn / Verlustrechnung auf die Veräußerung von Vermögenswerten" in Gesellschaft {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Artikel vom Kaufbeleg übernehmen
DocType: Serial No,Creation Date,Erstelldatum
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Artikel {0} erscheint mehrfach in Preisliste {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Vertrieb muss aktiviert werden, wenn ""Anwenden auf"" ausgewählt ist bei {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Vertrieb muss aktiviert werden, wenn ""Anwenden auf"" ausgewählt ist bei {0}"
DocType: Production Plan Material Request,Material Request Date,Material Auftragsdatum
DocType: Purchase Order Item,Supplier Quotation Item,Lieferantenangebotsposition
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Deaktiviert die Erstellung von Zeitprotokollen zu Fertigungsaufträgen. Arbeitsgänge werden nicht zu Fertigungsaufträgen nachverfolgt
DocType: Student,Student Mobile Number,Student Mobile Number
DocType: Item,Has Variants,Hat Varianten
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Sie haben bereits Elemente aus {0} {1} gewählt
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Sie haben bereits Elemente aus {0} {1} gewählt
DocType: Monthly Distribution,Name of the Monthly Distribution,Bezeichnung der monatsweisen Verteilung
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Batch-ID ist obligatorisch
DocType: Sales Person,Parent Sales Person,Übergeordneter Vertriebsmitarbeiter
@@ -1837,12 +1851,12 @@
DocType: Budget,Fiscal Year,Geschäftsjahr
DocType: Vehicle Log,Fuel Price,Kraftstoff-Preis
DocType: Budget,Budget,Budget
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Posten des Anlagevermögens muss ein Nichtlagerposition sein.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Posten des Anlagevermögens muss ein Nichtlagerposition sein.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budget kann {0} nicht zugewiesen werden, da es kein Ertrags- oder Aufwandskonto ist"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Erreicht
DocType: Student Admission,Application Form Route,Antragsformular Strecke
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Region / Kunde
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,z. B. 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,z. B. 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Lassen Typ {0} kann nicht zugeordnet werden, da sie ohne Bezahlung verlassen wird"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Zeile {0}: Zugeteilte Menge {1} muss kleiner als oder gleich dem ausstehenden Betrag in Rechnung {2} sein
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"""In Worten"" wird sichtbar, sobald Sie die Ausgangsrechnung speichern."
@@ -1851,7 +1865,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Artikel {0} ist nicht für Seriennummern eingerichtet. Artikelstamm prüfen
DocType: Maintenance Visit,Maintenance Time,Wartungszeit
,Amount to Deliver,Liefermenge
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Ein Produkt oder eine Dienstleistung
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Ein Produkt oder eine Dienstleistung
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Der Begriff Startdatum kann nicht früher als das Jahr Anfang des Akademischen Jahres an dem der Begriff verknüpft ist (Akademisches Jahr {}). Bitte korrigieren Sie die Daten und versuchen Sie es erneut.
DocType: Guardian,Guardian Interests,Wächter Interessen
DocType: Naming Series,Current Value,Aktueller Wert
@@ -1865,12 +1879,12 @@
must be greater than or equal to {2}","Zeile {0}: Um Periodizität {1} zu setzen, muss die Differenz aus Von-Datum und Bis-Datum größer oder gleich {2} sein"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Dies ist auf Lager Bewegung basiert. Siehe {0} für Details
DocType: Pricing Rule,Selling,Vertrieb
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Menge {0} {1} abgezogen gegen {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Menge {0} {1} abgezogen gegen {2}
DocType: Employee,Salary Information,Gehaltsinformationen
DocType: Sales Person,Name and Employee ID,Name und Mitarbeiter-ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,Fälligkeitsdatum kann nicht vor dem Buchungsdatum liegen
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,Fälligkeitsdatum kann nicht vor dem Buchungsdatum liegen
DocType: Website Item Group,Website Item Group,Webseiten-Artikelgruppe
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Zölle und Steuern
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Zölle und Steuern
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Bitte den Stichtag eingeben
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} Zahlungsbuchungen können nicht nach {1} gefiltert werden
DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Tabelle für Artikel, der auf der Webseite angezeigt wird"
@@ -1887,9 +1901,9 @@
DocType: Payment Reconciliation Payment,Reference Row,Referenzreihe
DocType: Installation Note,Installation Time,Installationszeit
DocType: Sales Invoice,Accounting Details,Buchhaltungs-Details
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Löschen aller Transaktionen dieser Firma
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Zeile #{0}: Arbeitsgang {1} ist für {2} die Menge an Fertigerzeugnissen im Produktionsauftrag # {3} abgeschlossen. Bitte den Status des Arbeitsgangs über die Zeitprotokolle aktualisieren
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Investitionen
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Löschen aller Transaktionen dieser Firma
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Zeile #{0}: Arbeitsgang {1} ist für {2} die Menge an Fertigerzeugnissen im Produktionsauftrag # {3} abgeschlossen. Bitte den Status des Arbeitsgangs über die Zeitprotokolle aktualisieren
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Investitionen
DocType: Issue,Resolution Details,Details zur Entscheidung
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,Zuteilungen
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Akzeptanzkriterien
@@ -1914,7 +1928,7 @@
DocType: Room,Room Name,Raumname
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Da der Resturlaub bereits in den zukünftigen Datensatz für Urlaube {1} übertragen wurde, kann der Urlaub nicht vor {0} genehmigt/abgelehnt werden."
DocType: Activity Cost,Costing Rate,Kalkulationsbetrag
-,Customer Addresses And Contacts,Kundenadressen und Ansprechpartner
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Kundenadressen und Ansprechpartner
,Campaign Efficiency,Kampagneneffizienz
DocType: Discussion,Discussion,Diskussion
DocType: Payment Entry,Transaction ID,Transaktions-ID
@@ -1924,14 +1938,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Gesamtrechnungsbetrag (über Arbeitszeitblatt)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Umsatz Bestandskunden
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) muss die Rolle ""Ausgabengenehmiger"" haben"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Paar
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Wählen Sie Stückliste und Menge für Produktion
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Paar
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Wählen Sie Stückliste und Menge für Produktion
DocType: Asset,Depreciation Schedule,Abschreibungsplan
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Vertriebspartner Adressen und Kontakte
DocType: Bank Reconciliation Detail,Against Account,Gegenkonto
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Halbtages Datum sollte zwischen Von-Datum und eine aktuelle
DocType: Maintenance Schedule Detail,Actual Date,Tatsächliches Datum
DocType: Item,Has Batch No,Hat Chargennummer
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Jährliche Abrechnung: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Jährliche Abrechnung: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Waren- und Dienstleistungssteuer (GST Indien)
DocType: Delivery Note,Excise Page Number,Seitenzahl entfernen
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Company, ab Datum und bis Datum ist obligatorisch"
DocType: Asset,Purchase Date,Kaufdatum
@@ -1939,11 +1955,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Bitte setzen 'Asset-Abschreibungen Kostenstelle' in Gesellschaft {0}
,Maintenance Schedules,Wartungspläne
DocType: Task,Actual End Date (via Time Sheet),Das tatsächliche Enddatum (durch Zeiterfassung)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Menge {0} {1} gegen {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Menge {0} {1} gegen {2} {3}
,Quotation Trends,Trendanalyse Angebote
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Artikelgruppe ist im Artikelstamm für Artikel {0} nicht erwähnt
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Sollkonto muss ein Forderungskonto sein
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Artikelgruppe ist im Artikelstamm für Artikel {0} nicht erwähnt
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Sollkonto muss ein Forderungskonto sein
DocType: Shipping Rule Condition,Shipping Amount,Versandbetrag
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Kunden hinzufügen
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Ausstehender Betrag
DocType: Purchase Invoice Item,Conversion Factor,Umrechnungsfaktor
DocType: Purchase Order,Delivered,Geliefert
@@ -1953,7 +1970,8 @@
DocType: Purchase Receipt,Vehicle Number,Fahrzeugnummer
DocType: Purchase Invoice,The date on which recurring invoice will be stop,"Das Datum, an dem wiederkehrende Rechnungen angehalten werden"
DocType: Employee Loan,Loan Amount,Darlehensbetrag
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Zeile {0}: Bill of Materials nicht für den Artikel gefunden {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Selbstfahrendes Fahrzeug
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Zeile {0}: Bill of Materials nicht für den Artikel gefunden {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Die Gesamtmenge des beantragten Urlaubs {0} kann nicht kleiner sein als die bereits genehmigten Urlaube {1} für den Zeitraum
DocType: Journal Entry,Accounts Receivable,Forderungen
,Supplier-Wise Sales Analytics,Lieferantenbezogene Analyse der Verkäufe
@@ -1970,21 +1988,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Aufwandsabrechnung wartet auf Bewilligung. Nur der Ausgabenbewilliger kann den Status aktualisieren.
DocType: Email Digest,New Expenses,Neue Ausgaben
DocType: Purchase Invoice,Additional Discount Amount,Zusätzlicher Rabatt
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Menge muss 1 sein, als Element eine Anlage ist. Bitte verwenden Sie separate Zeile für mehrere Menge."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Menge muss 1 sein, als Element eine Anlage ist. Bitte verwenden Sie separate Zeile für mehrere Menge."
DocType: Leave Block List Allow,Leave Block List Allow,Urlaubssperrenliste zulassen
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,"""Abbr"" kann nicht leer oder Space sein"
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,"""Abbr"" kann nicht leer oder Space sein"
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Gruppe an konzernfremde
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sport
DocType: Loan Type,Loan Name,Loan-Name
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Summe Tatsächlich
DocType: Student Siblings,Student Siblings,Studenten Geschwister
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Einheit
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,Bitte Firma angeben
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Einheit
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Bitte Firma angeben
,Customer Acquisition and Loyalty,Kundengewinnung und -bindung
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Lager, in dem zurückerhaltene Artikel aufbewahrt werden (Sperrlager)"
DocType: Production Order,Skip Material Transfer,Materialübertragung überspringen
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Der Wechselkurs für {0} bis {1} für das Stichtag {2} kann nicht gefunden werden. Bitte erstellen Sie einen Exchange Exchange-Eintrag manuell
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Ihr Geschäftsjahr endet am
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Der Wechselkurs für {0} bis {1} für das Stichtag {2} kann nicht gefunden werden. Bitte erstellen Sie einen Exchange Exchange-Eintrag manuell
DocType: POS Profile,Price List,Preisliste
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} ist jetzt das Standardgeschäftsjahr. Bitte aktualisieren Sie Ihren Browser, damit die Änderungen wirksam werden."
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Aufwandsabrechnungen
@@ -1997,14 +2014,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Lagerbestand in Charge {0} wird für Artikel {2} im Lager {3} negativ {1}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Folgende Materialanfragen wurden automatisch auf der Grundlage der Nachbestellmenge des Artikels generiert
DocType: Email Digest,Pending Sales Orders,Bis Kundenaufträge
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Konto {0} ist ungültig. Kontenwährung muss {1} sein
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Konto {0} ist ungültig. Kontenwährung muss {1} sein
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Maßeinheit-Umrechnungsfaktor ist erforderlich in der Zeile {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Referenzdokumenttyp muss eine der Kundenauftrag, Verkaufsrechnung oder einen Journaleintrag sein"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Referenzdokumenttyp muss eine der Kundenauftrag, Verkaufsrechnung oder einen Journaleintrag sein"
DocType: Salary Component,Deduction,Abzug
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Row {0}: Von Zeit und zu Zeit ist obligatorisch.
DocType: Stock Reconciliation Item,Amount Difference,Mengendifferenz
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Artikel Preis hinzugefügt für {0} in Preisliste {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Artikel Preis hinzugefügt für {0} in Preisliste {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Bitte die Mitarbeiter-ID dieses Vertriebsmitarbeiters angeben
DocType: Territory,Classification of Customers by region,Einteilung der Kunden nach Region
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Differenzbetrag muss Null sein
@@ -2016,21 +2033,21 @@
DocType: Quotation,QTN-,ANG-
DocType: Salary Slip,Total Deduction,Gesamtabzug
,Production Analytics,Die Produktion Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Kosten aktualisiert
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Kosten aktualisiert
DocType: Employee,Date of Birth,Geburtsdatum
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Artikel {0} wurde bereits zurück gegeben
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Artikel {0} wurde bereits zurück gegeben
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,"""Geschäftsjahr"" steht für ein Finazgeschäftsjahr. Alle Buchungen und anderen größeren Transaktionen werden mit dem ""Geschäftsjahr"" verglichen."
DocType: Opportunity,Customer / Lead Address,Kunden- / Lead-Adresse
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Warnung: Ungültiges SSL-Zertifikat für Anlage {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Warnung: Ungültiges SSL-Zertifikat für Anlage {0}
DocType: Student Admission,Eligibility,Wählbarkeit
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Leads helfen Ihnen ins Geschäft zu erhalten, fügen Sie alle Ihre Kontakte und mehr als Ihre Leads"
DocType: Production Order Operation,Actual Operation Time,Tatsächliche Betriebszeit
DocType: Authorization Rule,Applicable To (User),Anwenden auf (Benutzer)
DocType: Purchase Taxes and Charges,Deduct,Abziehen
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Tätigkeitsbeschreibung
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Tätigkeitsbeschreibung
DocType: Student Applicant,Applied,angewandt
DocType: Sales Invoice Item,Qty as per Stock UOM,Menge in Lagermaßeinheit
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2 Namen
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 Namen
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Sonderzeichen außer ""-"", ""#"", ""."" und ""/"" sind in der Serienbezeichnung nicht erlaubt"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Verkaufskampagne verfolgen: Leads, Angebote, Kundenaufträge usw. von Kampagnen beobachten um die Kapitalverzinsung (RoI) zu messen."
DocType: Expense Claim,Approver,Genehmiger
@@ -2041,7 +2058,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Seriennummer {0} ist innerhalb der Garantie bis {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Lieferschein in Pakete aufteilen
apps/erpnext/erpnext/hooks.py +87,Shipments,Lieferungen
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Kontostand ({0}) für {1} und Lagerwert ({2}) für Lager {3} muss gleich sein
DocType: Payment Entry,Total Allocated Amount (Company Currency),Aufteilbaren Gesamtbetrag (Gesellschaft Währung)
DocType: Purchase Order Item,To be delivered to customer,Zur Auslieferung an den Kunden
DocType: BOM,Scrap Material Cost,Schrottmaterialkosten
@@ -2049,20 +2065,21 @@
DocType: Purchase Invoice,In Words (Company Currency),In Worten (Firmenwährung)
DocType: Asset,Supplier,Lieferant
DocType: C-Form,Quarter,Quartal
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Sonstige Aufwendungen
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Sonstige Aufwendungen
DocType: Global Defaults,Default Company,Standardfirma
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Ausgaben- oder Differenz-Konto ist Pflicht für Artikel {0}, da es Auswirkungen auf den gesamten Lagerwert hat"
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Ausgaben- oder Differenz-Konto ist Pflicht für Artikel {0}, da es Auswirkungen auf den gesamten Lagerwert hat"
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Name der Bank
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Über
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Über
DocType: Employee Loan,Employee Loan Account,Mitarbeiter Darlehenskonto
DocType: Leave Application,Total Leave Days,Urlaubstage insgesamt
DocType: Email Digest,Note: Email will not be sent to disabled users,Hinweis: E-Mail wird nicht an gesperrte Nutzer gesendet
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Anzahl der Interaktion
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Item Code> Artikelgruppe> Marke
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Firma auswählen...
DocType: Leave Control Panel,Leave blank if considered for all departments,"Freilassen, wenn für alle Abteilungen gültig"
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Art der Beschäftigung (Unbefristeter Vertrag, befristeter Vertrag, Praktikum etc.)"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} Artikel ist zwingend erfoderlich für {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} Artikel ist zwingend erfoderlich für {1}
DocType: Process Payroll,Fortnightly,vierzehntägig
DocType: Currency Exchange,From Currency,Von Währung
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Bitte zugewiesenen Betrag, Rechnungsart und Rechnungsnummer in mindestens einer Zeile auswählen"
@@ -2084,7 +2101,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,"Bitte auf ""Zeitplan generieren"" klicken, um den Zeitplan zu erhalten"
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Es gab Fehler beim folgenden Zeitpläne zu löschen:
DocType: Bin,Ordered Quantity,Bestellte Menge
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","z. B. ""Fertigungs-Werkzeuge für Hersteller"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","z. B. ""Fertigungs-Werkzeuge für Hersteller"""
DocType: Grading Scale,Grading Scale Intervals,Notenskala Intervalle
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Accounting Eintrag für {2} kann nur in der Währung vorgenommen werden: {3}
DocType: Production Order,In Process,Während des Fertigungsprozesses
@@ -2098,12 +2115,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Schülergruppen erstellt.
DocType: Sales Invoice,Total Billing Amount,Gesamtrechnungsbetrag
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,"Es muss ein Standardkonto für eingehende E-Mails aktiviert sein, damit dies funktioniert. Bitte erstellen Sie ein Standardkonto für eingehende E-Mails (POP/IMAP) und versuchen Sie es erneut."
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Forderungskonto
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Row # {0}: Vermögens {1} ist bereits {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Forderungskonto
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row # {0}: Vermögens {1} ist bereits {2}
DocType: Quotation Item,Stock Balance,Lagerbestand
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Vom Kundenauftrag zum Zahlungseinang
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Bitte nennen Sie die Naming Series für {0} über Setup> Einstellungen> Naming Series
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,CEO
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO
DocType: Expense Claim Detail,Expense Claim Detail,Aufwandsabrechnungsdetail
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Bitte richtiges Konto auswählen
DocType: Item,Weight UOM,Gewichts-Maßeinheit
@@ -2112,12 +2128,12 @@
DocType: Production Order Operation,Pending,Ausstehend
DocType: Course,Course Name,Kursname
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,"Benutzer, die die Urlaubsanträge eines bestimmten Mitarbeiters genehmigen können"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Büroausstattung
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Büroausstattung
DocType: Purchase Invoice Item,Qty,Menge
DocType: Fiscal Year,Companies,Firmen
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Elektronik
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,"Materialanfrage erstellen, wenn der Lagerbestand unter einen Wert sinkt"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Vollzeit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Vollzeit
DocType: Salary Structure,Employees,Mitarbeiter
DocType: Employee,Contact Details,Kontakt-Details
DocType: C-Form,Received Date,Empfangsdatum
@@ -2127,7 +2143,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Die Preise werden nicht angezeigt, wenn Preisliste nicht gesetzt"
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Bitte ein Land für diese Versandregel angeben oder ""Weltweiter Versand"" aktivieren"
DocType: Stock Entry,Total Incoming Value,Summe der Einnahmen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Debit Um erforderlich
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Debit Um erforderlich
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Zeiterfassungen helfen den Überblick über Zeit, Kosten und Abrechnung für Aktivitäten von Ihrem Team getan"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Einkaufspreisliste
DocType: Offer Letter Term,Offer Term,Angebotsfrist
@@ -2136,17 +2152,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Zahlungsabgleich
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,Bitte den Namen der verantwortlichen Person auswählen
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Technologie
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Noch nicht bezahlt: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Noch nicht bezahlt: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM Webseite Tätigkeits
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Angebotsschreiben
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Materialanfragen (MAF) und Fertigungsaufträge generieren
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Gesamtrechnungsbetrag
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Gesamtrechnungsbetrag
DocType: BOM,Conversion Rate,Wechselkurs
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Produkt Suche
DocType: Timesheet Detail,To Time,Bis-Zeit
DocType: Authorization Rule,Approving Role (above authorized value),Genehmigende Rolle (über dem autorisierten Wert)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Habenkonto muss ein Verbindlichkeitenkonto sein
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},Stücklisten-Rekursion: {0} kann nicht übergeordnetes Element oder Unterpunkt von {2} sein
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Habenkonto muss ein Verbindlichkeitenkonto sein
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},Stücklisten-Rekursion: {0} kann nicht übergeordnetes Element oder Unterpunkt von {2} sein
DocType: Production Order Operation,Completed Qty,Gefertigte Menge
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",Für {0} können nur Sollkonten mit einer weiteren Habenbuchung verknüpft werden
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Preisliste {0} ist deaktiviert
@@ -2157,28 +2173,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Seriennummern für Artikel {1} erforderlich. Sie haben {2} zur Verfügung gestellt.
DocType: Stock Reconciliation Item,Current Valuation Rate,Aktueller Wertansatz
DocType: Item,Customer Item Codes,Kundenartikelnummern
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Exchange-Gewinn / Verlust
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange-Gewinn / Verlust
DocType: Opportunity,Lost Reason,Verlustgrund
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Neue Adresse
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Neue Adresse
DocType: Quality Inspection,Sample Size,Stichprobenumfang
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Bitte geben Sie Eingangsbeleg
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Alle Artikel sind bereits abgerechnet
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Alle Artikel sind bereits abgerechnet
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',"Bitte eine eine gültige ""Von Fall Nr."" angeben"
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,"Weitere Kostenstellen können unter Gruppen angelegt werden, aber Buchungen können zu nicht-Gruppen erstellt werden"
DocType: Project,External,Extern
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Benutzer und Berechtigungen
DocType: Vehicle Log,VLOG.,VLOG.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Fertigungsaufträge Erstellt: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Fertigungsaufträge Erstellt: {0}
DocType: Branch,Branch,Filiale
DocType: Guardian,Mobile Number,Handynummer
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Druck und Branding
DocType: Bin,Actual Quantity,Tatsächlicher Bestand
DocType: Shipping Rule,example: Next Day Shipping,Beispiel: Versand am nächsten Tag
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Seriennummer {0} wurde nicht gefunden
-DocType: Scheduling Tool,Student Batch,Student Batch
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Ihre Kunden
+DocType: Program Enrollment,Student Batch,Student Batch
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Machen Schüler
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Sie wurden zur Zusammenarbeit für das Projekt {0} eingeladen.
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Sie wurden zur Zusammenarbeit für das Projekt {0} eingeladen.
DocType: Leave Block List Date,Block Date,Datum sperren
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Jetzt bewerben
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Tatsächliche Menge {0} / Wartezeit {1}
@@ -2187,7 +2202,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Tägliche, wöchentliche und monatliche E-Mail-Berichte erstellen und verwalten"
DocType: Appraisal Goal,Appraisal Goal,Bewertungsziel
DocType: Stock Reconciliation Item,Current Amount,Aktuelle Höhe
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,Gebäude
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,Gebäude
DocType: Fee Structure,Fee Structure,Gebührenstruktur
DocType: Timesheet Detail,Costing Amount,Kalkulationsbetrag
DocType: Student Admission,Application Fee,Anmeldegebühr
@@ -2199,10 +2214,10 @@
DocType: POS Profile,[Select],[Select]
DocType: SMS Log,Sent To,Gesendet An
DocType: Payment Request,Make Sales Invoice,Verkaufsrechnung erstellen
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,Software
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Software
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Nächste Kontakt Datum kann nicht in der Vergangenheit liegen
DocType: Company,For Reference Only.,Nur zu Referenzzwecken.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Wählen Sie Batch No
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Wählen Sie Batch No
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Ungültige(r/s) {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-Ret
DocType: Sales Invoice Advance,Advance Amount,Anzahlungsbetrag
@@ -2212,15 +2227,15 @@
DocType: Employee,Employment Details,Beschäftigungsdetails
DocType: Employee,New Workplace,Neuer Arbeitsplatz
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,"Als ""abgeschlossen"" markieren"
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Kein Artikel mit Barcode {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Kein Artikel mit Barcode {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Fall-Nr. kann nicht 0 sein
DocType: Item,Show a slideshow at the top of the page,Diaschau oben auf der Seite anzeigen
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Lagerräume
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Lagerräume
DocType: Serial No,Delivery Time,Zeitpunkt der Lieferung
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Alter basierend auf
DocType: Item,End of Life,Ende der Lebensdauer
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Reise
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Reise
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Keine aktive oder Standard-Gehaltsstruktur für Mitarbeiter gefunden {0} für die angegebenen Daten
DocType: Leave Block List,Allow Users,Benutzer zulassen
DocType: Purchase Order,Customer Mobile No,Mobilnummer des Kunden
@@ -2229,29 +2244,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Kosten aktualisieren
DocType: Item Reorder,Item Reorder,Artikelnachbestellung
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Anzeigen Gehaltsabrechnung
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Material übergeben
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Material übergeben
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",Arbeitsgänge und Betriebskosten angeben und eine eindeutige Arbeitsgang-Nr. für diesen Arbeitsgang angeben.
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Dieses Dokument ist über dem Limit von {0} {1} für item {4}. Machen Sie eine andere {3} gegen die gleiche {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Bitte setzen Sie wiederkehrende nach dem Speichern
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Wählen Sie Änderungsbetrag Konto
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Dieses Dokument ist über dem Limit von {0} {1} für item {4}. Machen Sie eine andere {3} gegen die gleiche {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Bitte setzen Sie wiederkehrende nach dem Speichern
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Wählen Sie Änderungsbetrag Konto
DocType: Purchase Invoice,Price List Currency,Preislistenwährung
DocType: Naming Series,User must always select,Benutzer muss immer auswählen
DocType: Stock Settings,Allow Negative Stock,Negativen Lagerbestand zulassen
DocType: Installation Note,Installation Note,Installationshinweis
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Steuern hinzufügen
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Steuern hinzufügen
DocType: Topic,Topic,Thema
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Cashflow aus Finanzierung
DocType: Budget Account,Budget Account,Budget Konto
DocType: Quality Inspection,Verified By,Geprüft durch
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Die Standardwährung der Firma kann nicht geändern werden, weil es bestehende Transaktionen gibt. Transaktionen müssen abgebrochen werden, um die Standardwährung zu ändern."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Die Standardwährung der Firma kann nicht geändern werden, weil es bestehende Transaktionen gibt. Transaktionen müssen abgebrochen werden, um die Standardwährung zu ändern."
DocType: Grading Scale Interval,Grade Description,Grade Beschreibung
DocType: Stock Entry,Purchase Receipt No,Kaufbeleg Nr.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Anzahlung
DocType: Process Payroll,Create Salary Slip,Gehaltsabrechnung erstellen
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Rückverfolgbarkeit
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Mittelherkunft (Verbindlichkeiten)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Menge in Zeile {0} ({1}) muss die gleiche sein wie die hergestellte Menge {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Mittelherkunft (Verbindlichkeiten)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Menge in Zeile {0} ({1}) muss die gleiche sein wie die hergestellte Menge {2}
DocType: Appraisal,Employee,Mitarbeiter
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Wählen Sie Batch
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} wird voll in Rechnung gestellt
DocType: Training Event,End Time,Endzeit
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktive Gehaltsstruktur {0} für Mitarbeiter gefunden {1} für die angegebenen Daten
@@ -2263,11 +2279,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Benötigt am
DocType: Rename Tool,File to Rename,"Datei, die umbenannt werden soll"
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Bitte wählen Sie Stückliste für Artikel in Zeile {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Angegebene Stückliste {0} gibt es nicht für Artikel {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Konto {0} stimmt nicht mit der Firma {1} im Rechnungsmodus überein: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Angegebene Stückliste {0} gibt es nicht für Artikel {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Wartungsplan {0} muss vor Stornierung dieses Kundenauftrages aufgehoben werden
DocType: Notification Control,Expense Claim Approved,Aufwandsabrechnung genehmigt
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Gehaltsabrechnung der Mitarbeiter {0} für diesen Zeitraum bereits erstellt
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Arzneimittel
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Arzneimittel
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Aufwendungen für bezogene Artikel
DocType: Selling Settings,Sales Order Required,Kundenauftrag erforderlich
DocType: Purchase Invoice,Credit To,Gutschreiben auf
@@ -2284,42 +2301,42 @@
DocType: Payment Gateway Account,Payment Account,Zahlungskonto
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,Bitte Firma angeben um fortzufahren
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Nettoveränderung der Forderungen
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Ausgleich für
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Ausgleich für
DocType: Offer Letter,Accepted,Genehmigt
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,Organisation
DocType: SG Creation Tool Course,Student Group Name,Schülergruppenname
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Bitte sicher stellen, dass wirklich alle Transaktionen für diese Firma gelöscht werden sollen. Die Stammdaten bleiben bestehen. Diese Aktion kann nicht rückgängig gemacht werden."
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Bitte sicher stellen, dass wirklich alle Transaktionen für diese Firma gelöscht werden sollen. Die Stammdaten bleiben bestehen. Diese Aktion kann nicht rückgängig gemacht werden."
DocType: Room,Room Number,Zimmernummer
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Ungültige Referenz {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kann nicht größer sein als die geplante Menge ({2}) im Fertigungsauftrag {3}
DocType: Shipping Rule,Shipping Rule Label,Bezeichnung der Versandregel
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,User Forum
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Rohmaterial kann nicht leer sein
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Lager konnte nicht aktualisiert werden, Rechnung enthält Direktversand-Artikel."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Rohmaterial kann nicht leer sein
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Lager konnte nicht aktualisiert werden, Rechnung enthält Direktversand-Artikel."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Schnellbuchung
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,"Sie können den Preis nicht ändern, wenn eine Stückliste für einen Artikel aufgeführt ist"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,"Sie können den Preis nicht ändern, wenn eine Stückliste für einen Artikel aufgeführt ist"
DocType: Employee,Previous Work Experience,Vorherige Berufserfahrung
DocType: Stock Entry,For Quantity,Für Menge
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Bitte die geplante Menge für Artikel {0} in Zeile {1} eingeben
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} wurde nicht übertragen
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Artikelanfragen
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Für jeden zu fertigenden Artikel wird ein separater Fertigungsauftrag erstellt.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} muss im Gegenzug Dokument negativ sein
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} muss im Gegenzug Dokument negativ sein
,Minutes to First Response for Issues,Minutes to First Response für Probleme
DocType: Purchase Invoice,Terms and Conditions1,Allgemeine Geschäftsbedingungen1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,"Der Name des Instituts, für die Sie setzen dieses System."
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,"Der Name des Instituts, für die Sie setzen dieses System."
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",Buchung wurde bis zu folgendem Zeitpunkt gesperrt. Bearbeiten oder ändern kann nur die Person in unten stehender Rolle.
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,Bitte das Dokument vor dem Erstellen eines Wartungsplans abspeichern
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Projektstatus
DocType: UOM,Check this to disallow fractions. (for Nos),"Hier aktivieren, um keine Bruchteile zuzulassen (für Nr.)"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Die folgenden Fertigungsaufträge wurden erstellt:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Die folgenden Fertigungsaufträge wurden erstellt:
DocType: Student Admission,Naming Series (for Student Applicant),Namens Series (für Studienbewerber)
DocType: Delivery Note,Transporter Name,Name des Transportunternehmers
DocType: Authorization Rule,Authorized Value,Autorisierter Wert
DocType: BOM,Show Operations,zeigen Operationen
,Minutes to First Response for Opportunity,Minuten bis zur ersten Antwort auf Opportunität
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Summe Abwesenheit
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Artikel oder Lager in Zeile {0} stimmen nicht mit Materialanfrage überein
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Artikel oder Lager in Zeile {0} stimmen nicht mit Materialanfrage überein
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Maßeinheit
DocType: Fiscal Year,Year End Date,Enddatum des Geschäftsjahres
DocType: Task Depends On,Task Depends On,Vorgang hängt ab von
@@ -2418,11 +2435,11 @@
DocType: Asset,Manual,Handbuch
DocType: Salary Component Account,Salary Component Account,Gehaltskomponente Account
DocType: Global Defaults,Hide Currency Symbol,Währungssymbol ausblenden
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","z. B. Bank, Bargeld, Kreditkarte"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","z. B. Bank, Bargeld, Kreditkarte"
DocType: Lead Source,Source Name,Quellenname
DocType: Journal Entry,Credit Note,Gutschrift
DocType: Warranty Claim,Service Address,Serviceadresse
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Betriebs- und Geschäftsausstattung
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Betriebs- und Geschäftsausstattung
DocType: Item,Manufacture,Fertigung
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Bitte zuerst den Lieferschein
DocType: Student Applicant,Application Date,Antragsdatum
@@ -2432,7 +2449,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Abwicklungsdatum nicht benannt
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Produktion
DocType: Guardian,Occupation,Beruf
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Bitte richten Sie Mitarbeiter-Naming-System in Human Resource> HR-Einstellungen ein
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Zeile {0}: Startdatum muss vor dem Enddatum liegen
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Summe (Anzahl)
DocType: Sales Invoice,This Document,Dieses Dokument
@@ -2444,19 +2460,19 @@
DocType: Purchase Receipt,Time at which materials were received,"Zeitpunkt, zu dem Materialien empfangen wurden"
DocType: Stock Ledger Entry,Outgoing Rate,Verkaufspreis
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Stammdaten zu Unternehmensfilialen
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,oder
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,oder
DocType: Sales Order,Billing Status,Abrechnungsstatus
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Einen Fall melden
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Versorgungsaufwendungen
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Versorgungsaufwendungen
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,Über 90
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Journal Entry {1} nicht Konto {2} oder bereits abgestimmt gegen einen anderen Gutschein
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Journal Entry {1} nicht Konto {2} oder bereits abgestimmt gegen einen anderen Gutschein
DocType: Buying Settings,Default Buying Price List,Standard-Einkaufspreisliste
DocType: Process Payroll,Salary Slip Based on Timesheet,Gehaltsabrechnung Basierend auf Timesheet
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Kein Mitarbeiter für die oben ausgewählten Kriterien oder Gehaltsabrechnung bereits erstellt
DocType: Notification Control,Sales Order Message,Benachrichtigung über Kundenauftrag
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Standardwerte wie Firma, Währung, aktuelles Geschäftsjahr usw. festlegen"
DocType: Payment Entry,Payment Type,Zahlungsart
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Bitte wählen Sie einen Batch für Item {0}. Es ist nicht möglich, eine einzelne Charge zu finden, die diese Anforderung erfüllt"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Bitte wählen Sie einen Batch für Item {0}. Es ist nicht möglich, eine einzelne Charge zu finden, die diese Anforderung erfüllt"
DocType: Process Payroll,Select Employees,Mitarbeiter auswählen
DocType: Opportunity,Potential Sales Deal,Möglicher Verkaufsabschluss
DocType: Payment Entry,Cheque/Reference Date,Scheck-/ Referenzdatum
@@ -2476,7 +2492,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Eingangsbeleg muss vorgelegt werden
DocType: Purchase Invoice Item,Received Qty,Erhaltene Menge
DocType: Stock Entry Detail,Serial No / Batch,Seriennummer / Charge
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Nicht bezahlt und nicht geliefert
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Nicht bezahlt und nicht geliefert
DocType: Product Bundle,Parent Item,Übergeordneter Artikel
DocType: Account,Account Type,Kontentyp
DocType: Delivery Note,DN-RET-,DN-Ret
@@ -2490,24 +2506,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),Kennzeichnung des Paketes für die Lieferung (für den Druck)
DocType: Bin,Reserved Quantity,Reservierte Menge
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Bitte geben Sie eine gültige Email Adresse an
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Es gibt keinen Pflichtkurs für das Programm {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Kaufbeleg-Artikel
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Formulare anpassen
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,Hinterher
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,Hinterher
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Abschreibungsbetrag in der Zeit
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Deaktiviert Vorlage muss nicht Standard-Vorlage sein
DocType: Account,Income Account,Ertragskonto
DocType: Payment Request,Amount in customer's currency,Betrag in Kundenwährung
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Auslieferung
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Auslieferung
DocType: Stock Reconciliation Item,Current Qty,Aktuelle Anzahl
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",Siehe „Anteil der zu Grunde liegenden Materialien“ im Abschnitt Kalkulation
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Vorherige
DocType: Appraisal Goal,Key Responsibility Area,Entscheidender Verantwortungsbereich
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Studenten Batches helfen Ihnen die Teilnahme, Einschätzungen und Gebühren für Studenten verfolgen"
DocType: Payment Entry,Total Allocated Amount,Insgesamt geschätzter Betrag
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Setzen Sie das Inventurkonto für das Inventar
DocType: Item Reorder,Material Request Type,Materialanfragetyp
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Journaleintrag für die Gehälter von {0} {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","Localstorage voll ist, nicht speichern"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","Localstorage voll ist, nicht speichern"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Zeile {0}: Umrechnungsfaktor für Maßeinheit ist zwingend erforderlich
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Ref.
DocType: Budget,Cost Center,Kostenstelle
@@ -2520,19 +2536,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",Die Preisregel überschreibt die Preisliste. Bitte einen Rabattsatz aufgrund bestimmter Kriterien definieren.
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Lager kann nur über Lagerbuchung / Lieferschein / Kaufbeleg geändert werden
DocType: Employee Education,Class / Percentage,Klasse / Anteil
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Leiter Marketing und Vertrieb
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Einkommensteuer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Leiter Marketing und Vertrieb
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Einkommensteuer
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Wenn für ""Preis"" eine Preisregel ausgewählt wurde, wird die Preisliste überschrieben. Der Preis aus der Preisregel ist der endgültige Preis, es sollte also kein weiterer Rabatt gewährt werden. Daher wird er in Transaktionen wie Kundenauftrag, Lieferantenauftrag etc., vorrangig aus dem Feld ""Preis"" gezogen, und dann erst aus dem Feld ""Preisliste""."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Leads nach Branchentyp nachverfolgen
DocType: Item Supplier,Item Supplier,Artikellieferant
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,Bitte die Artikelnummer eingeben um die Chargennummer zu erhalten
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},Bitte einen Wert für {0} Angebot an {1} auswählen
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,Bitte die Artikelnummer eingeben um die Chargennummer zu erhalten
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Bitte einen Wert für {0} Angebot an {1} auswählen
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Alle Adressen
DocType: Company,Stock Settings,Lager-Einstellungen
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Zusammenführung ist nur möglich, wenn folgende Eigenschaften in beiden Datensätzen identisch sind: Gruppe, Root-Typ, Firma"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Zusammenführung ist nur möglich, wenn folgende Eigenschaften in beiden Datensätzen identisch sind: Gruppe, Root-Typ, Firma"
DocType: Vehicle,Electric,elektrisch
DocType: Task,% Progress,% Fortschritt
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Gewinn / Verlust aus der Veräußerung von Vermögenswerten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Gewinn / Verlust aus der Veräußerung von Vermögenswerten
DocType: Training Event,Will send an email about the event to employees with status 'Open',Wird eine E-Mail über das Ereignis senden an Mitarbeiter mit dem Status 'Offen'
DocType: Task,Depends on Tasks,Abhängig von Vorgang
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Baumstruktur der Kundengruppen verwalten
@@ -2541,7 +2557,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Neuer Kostenstellenname
DocType: Leave Control Panel,Leave Control Panel,Urlaubsverwaltung
DocType: Project,Task Completion,Aufgabenerledigung
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Nicht lagernd
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Nicht lagernd
DocType: Appraisal,HR User,Nutzer Personalabteilung
DocType: Purchase Invoice,Taxes and Charges Deducted,Steuern und Gebühren abgezogen
apps/erpnext/erpnext/hooks.py +116,Issues,Fälle
@@ -2552,22 +2568,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Kein Gehaltszettel gefunden zwischen {0} und {1}
,Pending SO Items For Purchase Request,Ausstehende Artikel aus Kundenaufträgen für Lieferantenanfrage
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Student Admissions
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} ist deaktiviert
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} ist deaktiviert
DocType: Supplier,Billing Currency,Abrechnungswährung
DocType: Sales Invoice,SINV-RET-,SINV-Ret
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Besonders groß
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Besonders groß
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,insgesamt Blätter
,Profit and Loss Statement,Gewinn- und Verlustrechnung
DocType: Bank Reconciliation Detail,Cheque Number,Schecknummer
,Sales Browser,Vertriebs-Browser
DocType: Journal Entry,Total Credit,Gesamt-Haben
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Achtung: Zu Lagerbuchung {2} gibt es eine andere Gegenbuchung {0} # {1}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Lokal
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Lokal
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Darlehen und Anzahlungen (Aktiva)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Schuldner
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Groß
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Groß
DocType: Homepage Featured Product,Homepage Featured Product,auf Webseite vorgestelltes Produkt
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Alle Bewertungsgruppen
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Alle Bewertungsgruppen
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Neuer Lagername
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Insgesamt {0} ({1})
DocType: C-Form Invoice Detail,Territory,Region
@@ -2577,12 +2593,12 @@
DocType: Production Order Operation,Planned Start Time,Geplante Startzeit
DocType: Course,Assessment,Bewertung
DocType: Payment Entry Reference,Allocated,Zugewiesen
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Bilanz schliessen und in die Gewinn und Verlustrechnung übernehmen
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Bilanz schliessen und in die Gewinn und Verlustrechnung übernehmen
DocType: Student Applicant,Application Status,Bewerbungsstatus
DocType: Fees,Fees,Gebühren
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Wechselkurs zum Umrechnen einer Währung in eine andere angeben
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Angebot {0} wird storniert
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Offener Gesamtbetrag
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Offener Gesamtbetrag
DocType: Sales Partner,Targets,Ziele
DocType: Price List,Price List Master,Preislisten-Vorlagen
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Alle Verkaufstransaktionen können für mehrere verschiedene ""Vertriebsmitarbeiter"" markiert werden, so dass Ziele festgelegt und überwacht werden können."
@@ -2626,11 +2642,11 @@
9. Adresse und Kontaktdaten des Unternehmens."
DocType: Attendance,Leave Type,Urlaubstyp
DocType: Purchase Invoice,Supplier Invoice Details,Lieferant Rechnungsdetails
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Aufwands-/Differenz-Konto ({0}) muss ein ""Gewinn oder Verlust""-Konto sein"
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Aufwands-/Differenz-Konto ({0}) muss ein ""Gewinn oder Verlust""-Konto sein"
DocType: Project,Copied From,Kopiert von
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Name Fehler: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,Mangel
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} kann nicht mit {2} {3} in Zusammenhang gebracht werden
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} kann nicht mit {2} {3} in Zusammenhang gebracht werden
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,"""Anwesenheit von Mitarbeiter"" {0} ist bereits markiert"
DocType: Packing Slip,If more than one package of the same type (for print),Wenn es mehr als ein Paket von der gleichen Art (für den Druck) gibt
,Salary Register,Gehalt Register
@@ -2648,22 +2664,23 @@
,Requested Qty,Angeforderte Menge
DocType: Tax Rule,Use for Shopping Cart,Für den Einkaufswagen verwenden
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Wert {0} für Attribut {1} existiert nicht in der Liste der gültigen Artikelattributwerte für den Posten {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Wählen Sie Seriennummern
DocType: BOM Item,Scrap %,Ausschuss %
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection",Die Kosten werden gemäß Ihrer Wahl anteilig verteilt basierend auf Artikelmenge oder -preis
DocType: Maintenance Visit,Purposes,Zwecke
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Mindestens ein Artikel sollte mit negativer Menge in das Rückgabedokument eingegeben werden
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Mindestens ein Artikel sollte mit negativer Menge in das Rückgabedokument eingegeben werden
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations",Arbeitsgang {0} ist länger als alle verfügbaren Arbeitszeiten am Arbeitsplatz {1}. Bitte den Vorgang in mehrere Teilarbeitsgänge aufteilen.
,Requested,Angefordert
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Keine Anmerkungen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Keine Anmerkungen
DocType: Purchase Invoice,Overdue,Überfällig
DocType: Account,Stock Received But Not Billed,"Empfangener, aber nicht berechneter Lagerbestand"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Root-Konto muss eine Gruppe sein
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Root-Konto muss eine Gruppe sein
DocType: Fees,FEE.,GEBÜHR.
DocType: Employee Loan,Repaid/Closed,Vergolten / Geschlossen
DocType: Item,Total Projected Qty,Prognostizierte Gesamtmenge
DocType: Monthly Distribution,Distribution Name,Bezeichnung der Verteilung
DocType: Course,Course Code,Kursnummer
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Qualitätsprüfung für den Posten erforderlich {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Qualitätsprüfung für den Posten erforderlich {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,"Kurs, zu dem die Währung des Kunden in die Basiswährung des Unternehmens umgerechnet wird"
DocType: Purchase Invoice Item,Net Rate (Company Currency),Nettopreis (Firmenwährung)
DocType: Salary Detail,Condition and Formula Help,Zustand und Formel-Hilfe
@@ -2676,27 +2693,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Materialübertrag für Herstellung
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Der Rabatt-Prozentsatz kann entweder auf eine Preisliste oder auf alle Preislisten angewandt werden.
DocType: Purchase Invoice,Half-yearly,Halbjährlich
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Lagerbuchung
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Lagerbuchung
DocType: Vehicle Service,Engine Oil,Motoröl
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Bitte richten Sie Mitarbeiter-Naming-System in Human Resource> HR-Einstellungen ein
DocType: Sales Invoice,Sales Team1,Verkaufsteam1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Artikel {0} existiert nicht
DocType: Sales Invoice,Customer Address,Kundenadresse
DocType: Employee Loan,Loan Details,Loan-Details
+DocType: Company,Default Inventory Account,Default Inventory Account
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Row {0}: Abgeschlossen Menge muss größer als Null sein.
DocType: Purchase Invoice,Apply Additional Discount On,Zusätzlichen Rabatt gewähren auf
DocType: Account,Root Type,Root-Typ
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Zeile # {0}: Es kann nicht mehr als {1} für Artikel {2} zurückgegeben werden
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Zeile # {0}: Es kann nicht mehr als {1} für Artikel {2} zurückgegeben werden
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Linie
DocType: Item Group,Show this slideshow at the top of the page,Diese Diaschau oben auf der Seite anzeigen
DocType: BOM,Item UOM,Artikelmaßeinheit
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Steuerbetrag nach Abzug von Rabatt (Firmenwährung)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Eingangslager ist für Zeile {0} zwingend erforderlich
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Eingangslager ist für Zeile {0} zwingend erforderlich
DocType: Cheque Print Template,Primary Settings,Primäre Einstellungen
DocType: Purchase Invoice,Select Supplier Address,Lieferantenadresse auswählen
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Mitarbeiter hinzufügen
DocType: Purchase Invoice Item,Quality Inspection,Qualitätsprüfung
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Besonders klein
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Besonders klein
DocType: Company,Standard Template,Standard Template
DocType: Training Event,Theory,Theorie
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Achtung : Materialanfragemenge ist geringer als die Mindestbestellmenge
@@ -2704,7 +2723,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Juristische Person/Niederlassung mit einem separaten Kontenplan, die zum Unternehmen gehört."
DocType: Payment Request,Mute Email,Mute Email
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Lebensmittel, Getränke und Tabak"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Zahlung kann nur zu einer noch nicht abgerechneten {0} erstellt werden
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Zahlung kann nur zu einer noch nicht abgerechneten {0} erstellt werden
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Provisionssatz kann nicht größer als 100 sein
DocType: Stock Entry,Subcontract,Zulieferer
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Bitte geben Sie zuerst {0} ein
@@ -2717,18 +2736,18 @@
DocType: SMS Log,No of Sent SMS,Anzahl abgesendeter SMS
DocType: Account,Expense Account,Aufwandskonto
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Software
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Farbe
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Farbe
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Prüfplan Kriterien
DocType: Training Event,Scheduled,Geplant
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Angebotsanfrage.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Bitte einen Artikel auswählen, bei dem ""Ist Lagerartikel"" mit ""Nein"" und ""Ist Verkaufsartikel"" mit ""Ja"" bezeichnet ist, und es kein anderes Produkt-Bundle gibt"
DocType: Student Log,Academic,akademisch
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Insgesamt Voraus ({0}) gegen Bestellen {1} kann nicht größer sein als die Gesamtsumme ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Insgesamt Voraus ({0}) gegen Bestellen {1} kann nicht größer sein als die Gesamtsumme ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,"Bitte ""Monatsweise Verteilung"" wählen, um Ziele ungleichmäßig über Monate zu verteilen."
DocType: Purchase Invoice Item,Valuation Rate,Wertansatz
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Preislistenwährung nicht ausgewählt
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Preislistenwährung nicht ausgewählt
,Student Monthly Attendance Sheet,Schülermonatsanwesenheits
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Mitarbeiter {0} hat sich bereits für {1} zwischen {2} und {3} beworben
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Startdatum des Projekts
@@ -2740,7 +2759,7 @@
DocType: BOM,Scrap,Schrott
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Vertriebspartner verwalten
DocType: Quality Inspection,Inspection Type,Art der Prüfung
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Lagerhäuser mit bestehenden Transaktion nicht zu einer Gruppe umgewandelt werden.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Lagerhäuser mit bestehenden Transaktion nicht zu einer Gruppe umgewandelt werden.
DocType: Assessment Result Tool,Result HTML,Ergebnis HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Läuft aus am
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,In Students
@@ -2748,13 +2767,13 @@
DocType: C-Form,C-Form No,Kontakt-Formular-Nr.
DocType: BOM,Exploded_items,Aufgelöste Artikel
DocType: Employee Attendance Tool,Unmarked Attendance,Unmarkierte Teilnahme
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Wissenschaftler
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Wissenschaftler
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Programm-Enrollment-Tool Studenten
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Name oder E-Mail-Adresse ist zwingend erforderlich
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Wareneingangs-Qualitätsprüfung
DocType: Purchase Order Item,Returned Qty,Zurückgegebene Menge
DocType: Employee,Exit,Verlassen
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Root-Typ ist zwingend erforderlich
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root-Typ ist zwingend erforderlich
DocType: BOM,Total Cost(Company Currency),Gesamtkosten (Gesellschaft Währung)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Seriennummer {0} erstellt
DocType: Homepage,Company Description for website homepage,Firmen-Beschreibung für Internet-Homepage
@@ -2763,7 +2782,7 @@
DocType: Sales Invoice,Time Sheet List,Zeitblatt Liste
DocType: Employee,You can enter any date manually,Sie können jedes Datum manuell eingeben
DocType: Asset Category Account,Depreciation Expense Account,Aufwandskonto Abschreibungen
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Probezeit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Probezeit
DocType: Customer Group,Only leaf nodes are allowed in transaction,In dieser Transaktion sind nur Unterknoten erlaubt
DocType: Expense Claim,Expense Approver,Ausgabenbewilliger
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Row {0}: Voraus gegen Kunde muss Kredit
@@ -2776,10 +2795,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Kurstermine gestrichen:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Protokolle über den SMS-Versand
DocType: Accounts Settings,Make Payment via Journal Entry,Zahlung über Journaleintrag
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Gedruckt auf
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Gedruckt auf
DocType: Item,Inspection Required before Delivery,Inspektion Notwendige vor der Auslieferung
DocType: Item,Inspection Required before Purchase,"Inspektion erforderlich, bevor Kauf"
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Ausstehende Aktivitäten
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Deine Organisation
DocType: Fee Component,Fees Category,Gebühren Kategorie
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Bitte Freistellungsdatum eingeben.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Menge
@@ -2789,9 +2809,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Meldebestand
DocType: Company,Chart Of Accounts Template,Kontenvorlage
DocType: Attendance,Attendance Date,Anwesenheitsdatum
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Artikel Preis aktualisiert für {0} in der Preisliste {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Artikel Preis aktualisiert für {0} in der Preisliste {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Gehaltsaufteilung nach Einkommen und Abzügen.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Ein Konto mit Unterknoten kann nicht in ein Kontoblatt umgewandelt werden
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Ein Konto mit Unterknoten kann nicht in ein Kontoblatt umgewandelt werden
DocType: Purchase Invoice Item,Accepted Warehouse,Annahmelager
DocType: Bank Reconciliation Detail,Posting Date,Buchungsdatum
DocType: Item,Valuation Method,Bewertungsmethode
@@ -2800,14 +2820,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Doppelter Eintrag/doppelte Buchung
DocType: Program Enrollment Tool,Get Students,Holen Studenten
DocType: Serial No,Under Warranty,Innerhalb der Garantie
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Fehler]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Fehler]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,"""In Worten"" wird sichtbar, sobald Sie den Kundenauftrag speichern."
,Employee Birthday,Mitarbeiter-Geburtstag
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Studenten Batch Teilnahme Werkzeug
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,Grenze überschritten
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Grenze überschritten
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Risikokapital
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Ein akademischer Begriff mit diesem "Academic Year '{0} und" Bezeichnen Namen' {1} ist bereits vorhanden. Bitte ändern Sie diese Einträge und versuchen Sie es erneut.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Da bestehende Transaktionen gegen Artikel sind {0}, können Sie nicht den Wert ändern {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Da bestehende Transaktionen gegen Artikel sind {0}, können Sie nicht den Wert ändern {1}"
DocType: UOM,Must be Whole Number,Muss eine ganze Zahl sein
DocType: Leave Control Panel,New Leaves Allocated (In Days),Neue Urlaubszuordnung (in Tagen)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Seriennummer {0} existiert nicht
@@ -2816,6 +2836,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Rechnungsnummer
DocType: Shopping Cart Settings,Orders,Bestellungen
DocType: Employee Leave Approver,Leave Approver,Urlaubsgenehmiger
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Bitte wählen Sie eine Charge
DocType: Assessment Group,Assessment Group Name,Beurteilung Gruppenname
DocType: Manufacturing Settings,Material Transferred for Manufacture,Material zur Herstellung übertragen
DocType: Expense Claim,"A user with ""Expense Approver"" role","Ein Benutzer mit der Rolle ""Ausgabengenehmiger"""
@@ -2825,9 +2846,10 @@
DocType: Target Detail,Target Detail,Zieldetail
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,Alle Jobs
DocType: Sales Order,% of materials billed against this Sales Order,% der Materialien welche zu diesem Kundenauftrag gebucht wurden
+DocType: Program Enrollment,Mode of Transportation,Beförderungsart
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Periodenabschlussbuchung
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Kostenstelle mit bestehenden Transaktionen kann nicht in eine Gruppe umgewandelt werden
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Menge {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Menge {0} {1} {2} {3}
DocType: Account,Depreciation,Abschreibung
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Lieferant(en)
DocType: Employee Attendance Tool,Employee Attendance Tool,Angestellt-Anwesenheits-Tool
@@ -2835,7 +2857,7 @@
DocType: Supplier,Credit Limit,Kreditlimit
DocType: Production Plan Sales Order,Salse Order Date,Bestelldatum
DocType: Salary Component,Salary Component,Gehaltskomponente
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Zahlungs Einträge {0} sind un-linked
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Zahlungs Einträge {0} sind un-linked
DocType: GL Entry,Voucher No,Belegnr.
,Lead Owner Efficiency,Lead Besitzer Effizienz
DocType: Leave Allocation,Leave Allocation,Urlaubszuordnung
@@ -2846,11 +2868,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Vorlage für Geschäftsbedingungen oder Vertrag
DocType: Purchase Invoice,Address and Contact,Adresse und Kontakt
DocType: Cheque Print Template,Is Account Payable,Ist Konto zahlbar
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Auf nicht gegen Kaufbeleg aktualisiert werden {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Auf nicht gegen Kaufbeleg aktualisiert werden {0}
DocType: Supplier,Last Day of the Next Month,Letzter Tag des nächsten Monats
DocType: Support Settings,Auto close Issue after 7 days,Auto schließen Ausgabe nach 7 Tagen
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Da der Resturlaub bereits in den zukünftigen Datensatz für Urlaube {1} übertragen wurde, kann der Urlaub nicht vor {0} zugeteilt werden."
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Hinweis: Stichtag übersteigt das vereinbarte Zahlungsziel um {0} Tag(e)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Hinweis: Stichtag übersteigt das vereinbarte Zahlungsziel um {0} Tag(e)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Studienbewerber
DocType: Asset Category Account,Accumulated Depreciation Account,Abschreibungskonto
DocType: Stock Settings,Freeze Stock Entries,Lagerbuchungen sperren
@@ -2859,35 +2881,35 @@
DocType: Activity Cost,Billing Rate,Abrechnungsbetrag
,Qty to Deliver,Zu liefernde Menge
,Stock Analytics,Bestandsanalyse
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Der Betrieb kann nicht leer sein
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Der Betrieb kann nicht leer sein
DocType: Maintenance Visit Purpose,Against Document Detail No,Zu Dokumentendetail Nr.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Party-Typ ist Pflicht
DocType: Quality Inspection,Outgoing,Ausgang
DocType: Material Request,Requested For,Angefordert für
DocType: Quotation Item,Against Doctype,Zu DocType
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} wurde abgebrochen oder geschlossen
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} wurde abgebrochen oder geschlossen
DocType: Delivery Note,Track this Delivery Note against any Project,Diesen Lieferschein in jedem Projekt nachverfolgen
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Nettocashflow aus Investitionen
-,Is Primary Address,Ist Hauptadresse
DocType: Production Order,Work-in-Progress Warehouse,Fertigungslager
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Vermögens {0} muss eingereicht werden
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Besucherrekord {0} existiert gegen Studenten {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Besucherrekord {0} existiert gegen Studenten {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Referenz #{0} vom {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Die Abschreibungen Ausgeschieden aufgrund der Veräußerung von Vermögenswerten
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Adressen verwalten
DocType: Asset,Item Code,Artikelabkürzung
DocType: Production Planning Tool,Create Production Orders,Fertigungsaufträge erstellen
DocType: Serial No,Warranty / AMC Details,Details der Garantie / des jährlichen Wartungsvertrags
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Wählen Sie die Schüler manuell für die aktivitätsbasierte Gruppe aus
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Wählen Sie die Schüler manuell für die aktivitätsbasierte Gruppe aus
DocType: Journal Entry,User Remark,Benutzerbemerkung
DocType: Lead,Market Segment,Marktsegment
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Gezahlten Betrag kann nicht größer sein als die Gesamt negativ ausstehenden Betrag {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Gezahlten Betrag kann nicht größer sein als die Gesamt negativ ausstehenden Betrag {0}
DocType: Employee Internal Work History,Employee Internal Work History,Interne Berufserfahrung des Mitarbeiters
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Schlußstand (Soll)
DocType: Cheque Print Template,Cheque Size,Scheck Größe
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Seriennummer {0} ist nicht auf Lager
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Steuervorlage für Verkaufstransaktionen
DocType: Sales Invoice,Write Off Outstanding Amount,Offenen Betrag abschreiben
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Konto {0} stimmt nicht mit der Firma {1} überein
DocType: School Settings,Current Academic Year,Aktuelles akademisches Jahr
DocType: Stock Settings,Default Stock UOM,Standardlagermaßeinheit
DocType: Asset,Number of Depreciations Booked,Anzahl der Abschreibungen gebucht
@@ -2902,27 +2924,27 @@
DocType: Asset,Double Declining Balance,Doppelte degressive
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Geschlossen Auftrag nicht abgebrochen werden kann. Unclose abzubrechen.
DocType: Student Guardian,Father,Vater
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'Update Bestand' kann nicht für einen festen Asset-Verkauf überprüft werden
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Update Bestand' kann nicht für einen festen Asset-Verkauf überprüft werden
DocType: Bank Reconciliation,Bank Reconciliation,Kontenabgleich
DocType: Attendance,On Leave,Auf Urlaub
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Updates abholen
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Konto {2} gehört nicht zur Firma {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Materialanfrage {0} wird storniert oder gestoppt
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Ein paar Beispieldatensätze hinzufügen
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Ein paar Beispieldatensätze hinzufügen
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Urlaube verwalten
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Gruppieren nach Konto
DocType: Sales Order,Fully Delivered,Komplett geliefert
DocType: Lead,Lower Income,Niedrigeres Einkommen
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Ausgangs- und Eingangslager können nicht gleich sein für die Zeile {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Ausgangs- und Eingangslager können nicht gleich sein für die Zeile {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Differenzkonto muss ein Vermögens-/Verbindlichkeiten-Konto sein, da dieser Lagerabgleich eine Eröffnungsbuchung ist"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Zahlter Betrag kann nicht größer sein als Darlehensbetrag {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Lieferantenauftragsnummer ist für den Artikel {0} erforderlich
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Fertigungsauftrag nicht erstellt
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Lieferantenauftragsnummer ist für den Artikel {0} erforderlich
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Fertigungsauftrag nicht erstellt
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""Von-Datum"" muss nach ""Bis-Datum"" liegen"
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Kann nicht den Status als Student ändern {0} ist mit Studenten Anwendung verknüpft {1}
DocType: Asset,Fully Depreciated,vollständig abgeschriebene
,Stock Projected Qty,Projizierter Lagerbestand
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Customer {0} gehört nicht zum Projekt {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Customer {0} gehört nicht zum Projekt {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Marked Teilnahme HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",Angebote sind Offerten an einen Kunden zur Lieferung von Materialien bzw. zur Erbringung von Leistungen.
DocType: Sales Order,Customer's Purchase Order,Kundenauftrag
@@ -2931,33 +2953,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Die Summe der Ergebnisse von Bewertungskriterien muss {0} sein.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Bitte setzen Sie Anzahl der Abschreibungen gebucht
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Wert oder Menge
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Productions Bestellungen können nicht angehoben werden:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Minute
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions Bestellungen können nicht angehoben werden:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Minute
DocType: Purchase Invoice,Purchase Taxes and Charges,Einkaufsteuern und -abgaben
,Qty to Receive,Anzunehmende Menge
DocType: Leave Block List,Leave Block List Allowed,Urlaubssperrenliste zugelassen
DocType: Grading Scale Interval,Grading Scale Interval,Notenskala Interval
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Kostenabrechnung für Fahrzeug Log {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Rabatt (%) auf Preisliste Rate mit Margin
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,Alle Lagerhäuser
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Alle Lagerhäuser
DocType: Sales Partner,Retailer,Einzelhändler
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Habenkonto muss ein Bilanzkonto sein
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Habenkonto muss ein Bilanzkonto sein
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Alle Lieferantentypen
DocType: Global Defaults,Disable In Words,"""Betrag in Worten"" abschalten"
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,"Artikelnummer ist zwingend erforderlich, da der Artikel nicht automatisch nummeriert wird"
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Artikelnummer ist zwingend erforderlich, da der Artikel nicht automatisch nummeriert wird"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Angebot {0} nicht vom Typ {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Wartungsplanposten
DocType: Sales Order,% Delivered,% geliefert
DocType: Production Order,PRO-,PROFI-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Kontokorrentkredit-Konto
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Kontokorrentkredit-Konto
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Gehaltsabrechnung erstellen
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Zeile # {0}: Zugeordneter Betrag darf nicht größer als ausstehender Betrag sein.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Stückliste durchsuchen
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Gedeckte Kredite
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Gedeckte Kredite
DocType: Purchase Invoice,Edit Posting Date and Time,Bearbeiten Posting Datum und Uhrzeit
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Bitte setzen Abschreibungen im Zusammenhang mit Konten in der Anlagekategorie {0} oder Gesellschaft {1}
DocType: Academic Term,Academic Year,Schuljahr
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Anfangsstand Eigenkapital
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Anfangsstand Eigenkapital
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Bewertung
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},E-Mail an den Lieferanten gesendet {0}
@@ -2973,7 +2995,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,"Genehmigende Rolle kann nicht dieselbe Rolle sein wie diejenige, auf die die Regel anzuwenden ist"
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Abmelden von diesem E-Mail-Bericht
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Mitteilung gesendet
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Konto mit untergeordneten Knoten kann nicht als Hauptbuch festgelegt werden
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Konto mit untergeordneten Knoten kann nicht als Hauptbuch festgelegt werden
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,"Kurs, zu dem die Währung der Preisliste in die Basiswährung des Kunden umgerechnet wird"
DocType: Purchase Invoice Item,Net Amount (Company Currency),Nettobetrag (Firmenwährung)
@@ -3007,7 +3029,7 @@
DocType: Expense Claim,Approval Status,Genehmigungsstatus
DocType: Hub Settings,Publish Items to Hub,Artikel über den Hub veröffentlichen
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},Von-Wert muss weniger sein als Bis-Wert in Zeile {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Überweisung
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Überweisung
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Alle prüfen
DocType: Vehicle Log,Invoice Ref,Rechnung Ref
DocType: Purchase Order,Recurring Order,Wiederkehrende Bestellung
@@ -3020,51 +3042,54 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Bank- und Zahlungsverkehr
,Welcome to ERPNext,Willkommen bei ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Vom Lead zum Angebot
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nichts mehr zu zeigen.
DocType: Lead,From Customer,Von Kunden
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Anrufe
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Anrufe
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,Chargen
DocType: Project,Total Costing Amount (via Time Logs),Gesamtkostenbetrag (über Zeitprotokolle)
DocType: Purchase Order Item Supplied,Stock UOM,Lagermaßeinheit
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Lieferantenauftrag {0} wurde nicht übertragen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Lieferantenauftrag {0} wurde nicht übertragen
DocType: Customs Tariff Number,Tariff Number,Tarifnummer
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Geplant
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Seriennummer {0} gehört nicht zu Lager {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Hinweis: Das System überprüft Überlieferungen und Überbuchungen zu Artikel {0} nicht da Stückzahl oder Menge 0 sind
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Hinweis: Das System überprüft Überlieferungen und Überbuchungen zu Artikel {0} nicht da Stückzahl oder Menge 0 sind
DocType: Notification Control,Quotation Message,Angebotsmitteilung
DocType: Employee Loan,Employee Loan Application,Mitarbeiter Darlehensanträge
DocType: Issue,Opening Date,Eröffnungsdatum
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Die Teilnahme wurde erfolgreich markiert.
+DocType: Program Enrollment,Public Transport,Öffentlicher Verkehr
DocType: Journal Entry,Remark,Bemerkung
DocType: Purchase Receipt Item,Rate and Amount,Preis und Menge
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Account für {0} muss {1} sein
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,Blätter und Ferien
DocType: School Settings,Current Academic Term,Aktueller akademischer Begriff
DocType: Sales Order,Not Billed,Nicht abgerechnet
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Beide Lager müssen zur gleichen Firma gehören
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Noch keine Kontakte hinzugefügt.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Beide Lager müssen zur gleichen Firma gehören
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Noch keine Kontakte hinzugefügt.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Einstandskosten
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Rechnungen von Lieferanten
DocType: POS Profile,Write Off Account,Abschreibungs-Konto
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Debit Note Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Rabattbetrag
DocType: Purchase Invoice,Return Against Purchase Invoice,Zurück zur Einkaufsrechnung
DocType: Item,Warranty Period (in days),Garantiefrist (in Tagen)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Beziehung mit Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Beziehung mit Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Nettocashflow aus laufender Geschäftstätigkeit
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,z. B. Mehrwertsteuer
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,z. B. Mehrwertsteuer
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Position 4
DocType: Student Admission,Admission End Date,Der Eintritt End Date
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Zulieferung
DocType: Journal Entry Account,Journal Entry Account,Journalbuchungskonto
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Student Group
DocType: Shopping Cart Settings,Quotation Series,Nummernkreis für Angebote
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item",Ein Artikel mit dem gleichen Namen existiert bereits ({0}). Bitte den Namen der Artikelgruppe ändern oder den Artikel umbenennen
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Bitte wählen Sie Kunde
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item",Ein Artikel mit dem gleichen Namen existiert bereits ({0}). Bitte den Namen der Artikelgruppe ändern oder den Artikel umbenennen
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Bitte wählen Sie Kunde
DocType: C-Form,I,ich
DocType: Company,Asset Depreciation Cost Center,Asset-Abschreibungen Kostenstellen
DocType: Sales Order Item,Sales Order Date,Kundenauftrags-Datum
DocType: Sales Invoice Item,Delivered Qty,Gelieferte Stückzahl
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Wenn diese Option aktiviert, werden alle Kinder der einzelnen Produktionsartikel wird im Materialanforderungen einbezogen werden."
DocType: Assessment Plan,Assessment Plan,Prüfplan
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Lager {0}: Firma ist zwingend erforderlich
DocType: Stock Settings,Limit Percent,Limit-Prozent
,Payment Period Based On Invoice Date,Zahlungszeitraum basierend auf Rechnungsdatum
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Fehlende Wechselkurse für {0}
@@ -3076,7 +3101,7 @@
DocType: Vehicle,Insurance Details,Versicherungsdaten
DocType: Account,Payable,Zahlbar
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,Bitte geben Sie Laufzeiten
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Schuldnern ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Schuldnern ({0})
DocType: Pricing Rule,Margin,Marge
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Neue Kunden
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Rohgewinn %
@@ -3087,16 +3112,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Partei ist obligatorisch
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,Thema Name
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Mindestens ein Eintrag aus Vertrieb oder Einkauf muss ausgewählt werden
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Wählen Sie die Art Ihres Unternehmens.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Mindestens ein Eintrag aus Vertrieb oder Einkauf muss ausgewählt werden
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Wählen Sie die Art Ihres Unternehmens.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Zeile # {0}: Eintrag in Referenzen verdoppeln {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,"Ort, an dem Arbeitsgänge der Fertigung ablaufen."
DocType: Asset Movement,Source Warehouse,Ausgangslager
DocType: Installation Note,Installation Date,Datum der Installation
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Vermögens {1} gehört nicht zur Gesellschaft {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Vermögens {1} gehört nicht zur Gesellschaft {2}
DocType: Employee,Confirmation Date,Datum bestätigen
DocType: C-Form,Total Invoiced Amount,Gesamtrechnungsbetrag
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Mindestmenge kann nicht größer als Maximalmenge sein
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Mindestmenge kann nicht größer als Maximalmenge sein
DocType: Account,Accumulated Depreciation,Kumulierte Abschreibungen
DocType: Stock Entry,Customer or Supplier Details,Kunden- oder Lieferanten-Details
DocType: Employee Loan Application,Required by Date,Erforderlich by Date
@@ -3117,22 +3142,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Prozentuale Aufteilung der monatsweisen Verteilung
DocType: Territory,Territory Targets,Ziele für die Region
DocType: Delivery Note,Transporter Info,Informationen zum Transportunternehmer
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Bitte setzen Sie default {0} in Gesellschaft {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Bitte setzen Sie default {0} in Gesellschaft {1}
DocType: Cheque Print Template,Starting position from top edge,Ausgangsposition von der Oberkante
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Same Anbieter wurde mehrmals eingegeben
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Bruttogewinn / Verlust
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Lieferantenauftrags-Artikel geliefert
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Firmenname kann keine Firma sein
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Firmenname kann keine Firma sein
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Briefköpfe für Druckvorlagen
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Bezeichnungen für Druckvorlagen, z. B. Proforma-Rechnung"
DocType: Student Guardian,Student Guardian,Studenten Wächter
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,"Bewertungsart Gebühren kann nicht als ""inklusive"" markiert werden"
DocType: POS Profile,Update Stock,Lagerbestand aktualisieren
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Lieferant> Lieferanten Typ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Unterschiedliche Maßeinheiten für Artikel führen zu falschen Werten für das (Gesamt-)Nettogewicht. Es muss sicher gestellt sein, dass das Nettogewicht jedes einzelnen Artikels in der gleichen Maßeinheit angegeben ist."
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Stückpreis
DocType: Asset,Journal Entry for Scrap,Journaleintrag für Schrott
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Bitte Artikel vom Lieferschein nehmen
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Buchungssätze {0} sind nicht verknüpft
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Buchungssätze {0} sind nicht verknüpft
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Aufzeichnung jeglicher Kommunikation vom Typ Email, Telefon, Chat, Besuch usw."
DocType: Manufacturer,Manufacturers used in Items,Hersteller im Artikel verwendet
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Bitte Abschlusskostenstelle in Firma vermerken
@@ -3179,33 +3205,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,Lieferant liefert an Kunden
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) ist ausverkauft
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Nächster Termin muss größer sein als Datum der Veröffentlichung
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Steuerverteilung anzeigen
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Fälligkeits-/Stichdatum kann nicht nach {0} liegen
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Steuerverteilung anzeigen
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Fälligkeits-/Stichdatum kann nicht nach {0} liegen
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Daten-Import und -Export
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","Auf Einträge vorhanden sind gegen Lager {0}, daher kann man nicht neu zuweisen oder ändern"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Keine Studenten gefunden
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Keine Studenten gefunden
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Rechnungsbuchungsdatum
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Verkaufen
DocType: Sales Invoice,Rounded Total,Gerundete Gesamtsumme
DocType: Product Bundle,List items that form the package.,"Die Artikel auflisten, die das Paket bilden."
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Prozentuale Aufteilung sollte gleich 100% sein
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,Bitte wählen Sie Buchungsdatum vor dem Party-Auswahl
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Bitte wählen Sie Buchungsdatum vor dem Party-Auswahl
DocType: Program Enrollment,School House,School House
DocType: Serial No,Out of AMC,Außerhalb des jährlichen Wartungsvertrags
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Bitte wählen Sie Zitate
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Bitte wählen Sie Zitate
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Anzahl der Abschreibungen gebucht kann nicht größer sein als Gesamtzahl der abschreibungen
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Wartungsbesuch erstellen
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,"Bitte den Benutzer kontaktieren, der die Vertriebsleiter {0}-Rolle inne hat"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,"Bitte den Benutzer kontaktieren, der die Vertriebsleiter {0}-Rolle inne hat"
DocType: Company,Default Cash Account,Standardbarkonto
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Unternehmensstammdaten (nicht Kunde oder Lieferant)
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Dies basiert auf der Anwesenheit dieses Student
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Keine Studenten in
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Keine Studenten in
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Weitere Elemente hinzufügen oder vollständiges Formular öffnen
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',"Bitte ""voraussichtlichen Liefertermin"" eingeben"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Lieferscheine {0} müssen vor Löschung dieser Kundenaufträge storniert werden
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Summe aus gezahltem Betrag + ausgebuchter Betrag kann nicht größer als Gesamtsumme sein
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Summe aus gezahltem Betrag + ausgebuchter Betrag kann nicht größer als Gesamtsumme sein
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ist keine gültige Chargennummer für Artikel {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Hinweis: Es gibt nicht genügend Urlaubsguthaben für Abwesenheitstyp {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,Ungültiges GSTIN oder NA für unregistriert eingeben
DocType: Training Event,Seminar,Seminar
DocType: Program Enrollment Fee,Program Enrollment Fee,Programm Einschreibegebühr
DocType: Item,Supplier Items,Lieferantenartikel
@@ -3231,27 +3257,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Position 3
DocType: Purchase Order,Customer Contact Email,Kontakt-E-Mail des Kunden
DocType: Warranty Claim,Item and Warranty Details,Einzelheiten Artikel und Garantie
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Item Code> Artikelgruppe> Marke
DocType: Sales Team,Contribution (%),Beitrag (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Hinweis: Zahlungsbuchung wird nicht erstellt, da kein ""Kassen- oder Bankkonto"" angegeben wurde"
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,"Wählen Sie das Programm aus, um Pflichtkurse zu erhalten."
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Verantwortung
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Verantwortung
DocType: Expense Claim Account,Expense Claim Account,Kostenabrechnung Konto
DocType: Sales Person,Sales Person Name,Name des Vertriebsmitarbeiters
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Bitte mindestens eine Rechnung in die Tabelle eingeben
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Benutzer hinzufügen
DocType: POS Item Group,Item Group,Artikelgruppe
DocType: Item,Safety Stock,Sicherheitsbestand
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Fortschritt-% eines Vorgangs darf nicht größer 100 sein.
DocType: Stock Reconciliation Item,Before reconciliation,Vor Ausgleich
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},An {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Steuern und Gebühren hinzugerechnet (Firmenwährung)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Artikelsteuer Zeile {0} muss ein Konto vom Typ ""Steuer"" oder ""Erträge"" oder ""Aufwendungen"" oder ""Besteuerbar"" haben"
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Artikelsteuer Zeile {0} muss ein Konto vom Typ ""Steuer"" oder ""Erträge"" oder ""Aufwendungen"" oder ""Besteuerbar"" haben"
DocType: Sales Order,Partly Billed,Teilweise abgerechnet
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Artikel {0} muss ein Posten des Anlagevermögens sein
DocType: Item,Default BOM,Standardstückliste
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,Bitte zum Bestätigen Firmenname erneut eingeben
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Offener Gesamtbetrag
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Lastschriftbetrag
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Bitte zum Bestätigen Firmenname erneut eingeben
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Offener Gesamtbetrag
DocType: Journal Entry,Printing Settings,Druckeinstellungen
DocType: Sales Invoice,Include Payment (POS),Fügen Sie Zahlung (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Gesamt-Soll muss gleich Gesamt-Haben sein. Die Differenz ist {0}
@@ -3265,15 +3289,16 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Auf Lager:
DocType: Notification Control,Custom Message,Benutzerdefinierte Mitteilung
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investment-Banking
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Kassen- oder Bankkonto ist zwingend notwendig um eine Zahlungsbuchung zu erstellen
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Schüleradresse
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Kassen- oder Bankkonto ist zwingend notwendig um eine Zahlungsbuchung zu erstellen
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Bitte richten Sie die Nummerierungsserie für die Anwesenheit über Setup> Nummerierung ein
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Schüleradresse
DocType: Purchase Invoice,Price List Exchange Rate,Preislisten-Wechselkurs
DocType: Purchase Invoice Item,Rate,Preis
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Praktikant
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,Adresse Name
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Praktikant
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,Adresse Name
DocType: Stock Entry,From BOM,Von Stückliste
DocType: Assessment Code,Assessment Code,Bewertungs-Code
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Grundeinkommen
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Grundeinkommen
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Lagertransaktionen vor {0} werden gesperrt
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"Bitte auf ""Zeitplan generieren"" klicken"
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","z. B. Kg, Einheit, Nr, m"
@@ -3283,11 +3308,11 @@
DocType: Salary Slip,Salary Structure,Gehaltsstruktur
DocType: Account,Bank,Bank
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Fluggesellschaft
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Material ausgeben
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Material ausgeben
DocType: Material Request Item,For Warehouse,Für Lager
DocType: Employee,Offer Date,Angebotsdatum
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Angebote
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,"Sie befinden sich im Offline-Modus. Aktualisieren ist nicht möglich, bis Sie wieder online sind."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,"Sie befinden sich im Offline-Modus. Aktualisieren ist nicht möglich, bis Sie wieder online sind."
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Keine Studentengruppen erstellt.
DocType: Purchase Invoice Item,Serial No,Seriennummer
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Monatliche Rückzahlungsbetrag kann nicht größer sein als Darlehensbetrag
@@ -3295,8 +3320,8 @@
DocType: Purchase Invoice,Print Language,drucken Sprache
DocType: Salary Slip,Total Working Hours,Gesamtarbeitszeit
DocType: Stock Entry,Including items for sub assemblies,Einschließlich der Artikel für Unterbaugruppen
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Geben Sie Wert muss positiv sein
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Alle Regionen
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Geben Sie Wert muss positiv sein
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Alle Regionen
DocType: Purchase Invoice,Items,Artikel
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Student ist bereits eingetragen sind.
DocType: Fiscal Year,Year Name,Name des Jahrs
@@ -3314,10 +3339,10 @@
DocType: Issue,Opening Time,Öffnungszeit
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Von- und Bis-Daten erforderlich
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Wertpapier- & Rohstoffbörsen
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standard-Maßeinheit für Variante '{0}' muss dieselbe wie in der Vorlage '{1}' sein
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standard-Maßeinheit für Variante '{0}' muss dieselbe wie in der Vorlage '{1}' sein
DocType: Shipping Rule,Calculate Based On,Berechnen auf Grundlage von
DocType: Delivery Note Item,From Warehouse,Ab Lager
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Keine Elemente mit Bill of Materials zu Herstellung
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Keine Elemente mit Bill of Materials zu Herstellung
DocType: Assessment Plan,Supervisor Name,Name des Vorgesetzten
DocType: Program Enrollment Course,Program Enrollment Course,Programm Einschreibung Kurs
DocType: Purchase Taxes and Charges,Valuation and Total,Bewertung und Summe
@@ -3332,18 +3357,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Tage seit dem letzten Auftrag"" muss größer oder gleich Null sein"
DocType: Process Payroll,Payroll Frequency,Payroll Frequency
DocType: Asset,Amended From,Abgeändert von
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Rohmaterial
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Rohmaterial
DocType: Leave Application,Follow via Email,Per E-Mail nachverfolgen
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Pflanzen und Maschinen
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Pflanzen und Maschinen
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Steuerbetrag nach Abzug von Rabatt
DocType: Daily Work Summary Settings,Daily Work Summary Settings,tägliche Arbeitszusammenfassung-Einstellungen
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Währung der Preisliste {0} ist nicht vergleichbar mit der gewählten Währung {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Währung der Preisliste {0} ist nicht vergleichbar mit der gewählten Währung {1}
DocType: Payment Entry,Internal Transfer,Interner Transfer
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Für dieses Konto existiert ein Unterkonto. Sie können dieses Konto nicht löschen.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Für dieses Konto existiert ein Unterkonto. Sie können dieses Konto nicht löschen.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Entweder Zielstückzahl oder Zielmenge ist zwingend erforderlich
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},für Artikel {0} existiert keine Standardstückliste
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},für Artikel {0} existiert keine Standardstückliste
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Bitte zuerst ein Buchungsdatum auswählen
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Eröffnungsdatum sollte vor dem Abschlussdatum liegen
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Bitte nennen Sie die Naming Series für {0} über Setup> Einstellungen> Naming Series
DocType: Leave Control Panel,Carry Forward,Übertragen
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Kostenstelle mit bestehenden Transaktionen kann nicht in Sachkonto umgewandelt werden
DocType: Department,Days for which Holidays are blocked for this department.,"Tage, an denen eine Urlaubssperre für diese Abteilung gilt."
@@ -3353,10 +3379,9 @@
DocType: Issue,Raised By (Email),Gemeldet von (E-Mail)
DocType: Training Event,Trainer Name,Trainer-Name
DocType: Mode of Payment,General,Allgemein
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Briefkopf anhängen
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Letzte Kommunikation
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Abzug nicht möglich, wenn Kategorie ""Wertbestimmtung"" oder ""Wertbestimmung und Summe"" ist"
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Steuern (z. B. Mehrwertsteuer, Zoll, usw.; bitte möglichst eindeutige Bezeichnungen vergeben) und die zugehörigen Steuersätze auflisten. Dies erstellt eine Standardvorlage, die bearbeitet und später erweitert werden kann."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Steuern (z. B. Mehrwertsteuer, Zoll, usw.; bitte möglichst eindeutige Bezeichnungen vergeben) und die zugehörigen Steuersätze auflisten. Dies erstellt eine Standardvorlage, die bearbeitet und später erweitert werden kann."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Seriennummern sind erforderlich für den Artikel mit Seriennummer {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Zahlungen und Rechnungen abgleichen
DocType: Journal Entry,Bank Entry,Bankbuchung
@@ -3365,16 +3390,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,In den Warenkorb legen
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Gruppieren nach
DocType: Guardian,Interests,Interessen
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Aktivieren / Deaktivieren der Währungen
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Aktivieren / Deaktivieren der Währungen
DocType: Production Planning Tool,Get Material Request,Get-Material anfordern
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Portoaufwendungen
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Portoaufwendungen
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Gesamtsumme
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Unterhaltung & Freizeit
DocType: Quality Inspection,Item Serial No,Artikel-Seriennummer
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Erstellen Sie Mitarbeiterdaten
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Summe Anwesend
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Buchhaltungsauszüge
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Stunde
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Stunde
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"""Neue Seriennummer"" kann keine Lagerangabe enthalten. Lagerangaben müssen durch eine Lagerbuchung oder einen Kaufbeleg erstellt werden"
DocType: Lead,Lead Type,Lead-Typ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,"Sie sind nicht berechtigt, Urlaube für geblockte Termine zu genehmigen"
@@ -3386,6 +3411,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,Die neue Stückliste nach dem Austausch
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Verkaufsstelle
DocType: Payment Entry,Received Amount,erhaltenen Betrag
+DocType: GST Settings,GSTIN Email Sent On,GSTIN E-Mail gesendet
+DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop von Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Erstellen Sie für die volle Menge, ignorierend Menge bereits auf Bestellung"
DocType: Account,Tax,Steuer
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,nicht markiert
@@ -3397,14 +3424,14 @@
DocType: Batch,Source Document Name,Quelldokumentname
DocType: Job Opening,Job Title,Stellenbezeichnung
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Benutzer erstellen
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,Gramm
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,Gramm
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Menge Herstellung muss größer als 0 sein.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Besuchsbericht für Wartungsauftrag
DocType: Stock Entry,Update Rate and Availability,Preis und Verfügbarkeit aktualisieren
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Zur bestellten Menge zusätzlich zulässiger Prozentsatz, der angenommen oder geliefert werden kann. Beispiel: Wenn 100 Einheiten bestellt wurden, und die erlaubte Spanne 10 % beträgt, dann können 110 Einheiten angenommen werden."
DocType: POS Customer Group,Customer Group,Kundengruppe
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Neue Batch-ID (optional)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Aufwandskonto ist zwingend für Artikel {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Aufwandskonto ist zwingend für Artikel {0}
DocType: BOM,Website Description,Webseiten-Beschreibung
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Nettoveränderung des Eigenkapitals
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Bitte stornieren Einkaufsrechnung {0} zuerst
@@ -3414,8 +3441,8 @@
,Sales Register,Übersicht über den Umsatz
DocType: Daily Work Summary Settings Company,Send Emails At,Senden Sie E-Mails
DocType: Quotation,Quotation Lost Reason,Grund für verlorenes Angebotes
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Wählen Sie Ihre Domain
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Transaktion Referenznummer {0} vom {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Wählen Sie Ihre Domain
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Transaktion Referenznummer {0} vom {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Es gibt nichts zu bearbeiten.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Zusammenfassung für diesen Monat und anstehende Aktivitäten
DocType: Customer Group,Customer Group Name,Kundengruppenname
@@ -3423,14 +3450,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Geldflussrechnung
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Darlehensbetrag darf nicht länger als maximale Kreditsumme {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Lizenz
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},Bitte diese Rechnung {0} vom Kontaktformular {1} entfernen
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},Bitte diese Rechnung {0} vom Kontaktformular {1} entfernen
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Bitte auf ""Übertragen"" klicken, wenn auch die Abwesenheitskonten des vorangegangenen Geschäftsjahrs in dieses Geschäftsjahr einbezogen werden sollen"
DocType: GL Entry,Against Voucher Type,Gegenbeleg-Art
DocType: Item,Attributes,Attribute
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,Bitte Abschreibungskonto eingeben
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Bitte Abschreibungskonto eingeben
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Letztes Bestelldatum
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Konto {0} gehört nicht zu Firma {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Seriennummern in Zeile {0} stimmt nicht mit der Lieferschein überein
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Seriennummern in Zeile {0} stimmt nicht mit der Lieferschein überein
DocType: Student,Guardian Details,Wächter-Details
DocType: C-Form,C-Form,Kontakt-Formular
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark Teilnahme für mehrere Mitarbeiter
@@ -3445,16 +3472,16 @@
DocType: Budget Account,Budget Amount,Budgetbetrag
DocType: Appraisal Template,Appraisal Template Title,Bezeichnung der Bewertungsvorlage
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},"Mitarbeiter Von Datum {0} für {1} kann nicht sein, bevor Mitarbeiter-Beitritt Datum {2}"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Werbung
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Werbung
DocType: Payment Entry,Account Paid To,Eingangskonto
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Übergeordneter Artikel {0} darf kein Lagerartikel sein
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Alle Produkte oder Dienstleistungen
DocType: Expense Claim,More Details,Weitere Details
DocType: Supplier Quotation,Supplier Address,Lieferantenadresse
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Budget für Konto {1} gegen {2} {3} ist {4}. Es wird mehr als durch {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',"Konto in Zeile {0} muss vom Typ ""Anlagevermögen"" sein"
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Ausgabe-Menge
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Regeln zum Berechnen des Versandbetrags für einen Verkauf
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',"Konto in Zeile {0} muss vom Typ ""Anlagevermögen"" sein"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Ausgabe-Menge
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Regeln zum Berechnen des Versandbetrags für einen Verkauf
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Serie ist zwingend erforderlich
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Finanzdienstleistungen
DocType: Student Sibling,Student ID,Studenten ID
@@ -3462,13 +3489,13 @@
DocType: Tax Rule,Sales,Vertrieb
DocType: Stock Entry Detail,Basic Amount,Grundbetrag
DocType: Training Event,Exam,Prüfung
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Angabe des Lagers ist für den Lagerartikel {0} erforderlich
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Angabe des Lagers ist für den Lagerartikel {0} erforderlich
DocType: Leave Allocation,Unused leaves,Ungenutzter Urlaub
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Haben
DocType: Tax Rule,Billing State,Verwaltungsbezirk laut Rechnungsadresse
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Übertragung
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} nicht mit Geschäftspartner-Konto verknüpft {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Abruf der aufgelösten Stückliste (einschließlich der Unterbaugruppen)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} nicht mit Geschäftspartner-Konto verknüpft {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Abruf der aufgelösten Stückliste (einschließlich der Unterbaugruppen)
DocType: Authorization Rule,Applicable To (Employee),Anwenden auf (Mitarbeiter)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Fälligkeitsdatum wird zwingend vorausgesetzt
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Schrittweite für Attribut {0} kann nicht 0 sein
@@ -3496,7 +3523,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Rohmaterial-Artikelnummer
DocType: Journal Entry,Write Off Based On,Abschreibung basierend auf
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,neue Verkaufsanfrage
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Drucken und Papierwaren
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Drucken und Papierwaren
DocType: Stock Settings,Show Barcode Field,Anzeigen Barcode-Feld
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Senden Lieferant von E-Mails
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Gehalt bereits verarbeitet für den Zeitraum zwischen {0} und {1}, freiBewerbungsFrist kann nicht zwischen diesem Datum liegen."
@@ -3504,13 +3531,15 @@
DocType: Guardian Interest,Guardian Interest,Wächter Interesse
apps/erpnext/erpnext/config/hr.py +177,Training,Ausbildung
DocType: Timesheet,Employee Detail,Mitarbeiterdetails
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 E-Mail-ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 E-Mail-ID
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,Nächster Termin des Tages und wiederholen Sie auf Tag des Monats müssen gleich sein
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Einstellungen für die Internet-Homepage
DocType: Offer Letter,Awaiting Response,Warte auf Antwort
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Über
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Über
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},Ungültige Attribut {0} {1}
DocType: Supplier,Mention if non-standard payable account,"Erwähnen Sie, wenn nicht standardmäßig zahlbares Konto"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Gleiches Element wurde mehrfach eingegeben. {Liste}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Bitte wählen Sie die Bewertungsgruppe außer "All Assessment Groups"
DocType: Salary Slip,Earning & Deduction,Einkünfte & Abzüge
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,"Optional. Diese Einstellung wird verwendet, um in verschiedenen Transaktionen zu filtern."
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Negative Bewertung ist nicht erlaubt
@@ -3524,9 +3553,9 @@
DocType: Sales Invoice,Product Bundle Help,Produkt-Bundle-Hilfe
,Monthly Attendance Sheet,Monatliche Anwesenheitsliste
DocType: Production Order Item,Production Order Item,Produktion Artikel bestellen
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Kein Datensatz gefunden
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Kein Datensatz gefunden
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Kosten der Verschrottet Vermögens
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Kostenstelle ist zwingend erfoderlich für Artikel {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Kostenstelle ist zwingend erfoderlich für Artikel {2}
DocType: Vehicle,Policy No,Politik keine
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Artikel aus dem Produkt-Bundle übernehmen
DocType: Asset,Straight Line,Gerade Linie
@@ -3534,7 +3563,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Teilt
DocType: GL Entry,Is Advance,Ist Vorkasse
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,"""Anwesenheit ab Datum"" und ""Anwesenheit bis Datum"" sind zwingend"
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,"Bitte bei ""Untervergeben"" JA oder NEIN eingeben"
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,"Bitte bei ""Untervergeben"" JA oder NEIN eingeben"
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Letztes Kommunikationstag
DocType: Sales Team,Contact No.,Kontakt-Nr.
DocType: Bank Reconciliation,Payment Entries,Zahlungs Einträge
@@ -3560,60 +3589,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Öffnungswert
DocType: Salary Detail,Formula,Formel
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serien #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Provision auf den Umsatz
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Provision auf den Umsatz
DocType: Offer Letter Term,Value / Description,Wert / Beschreibung
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Vermögens {1} kann nicht vorgelegt werden, es ist bereits {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Vermögens {1} kann nicht vorgelegt werden, es ist bereits {2}"
DocType: Tax Rule,Billing Country,Land laut Rechnungsadresse
DocType: Purchase Order Item,Expected Delivery Date,Geplanter Liefertermin
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Soll und Haben nicht gleich für {0} #{1}. Unterschied ist {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Bewirtungskosten
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Make-Material anfordern
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Bewirtungskosten
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Make-Material anfordern
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Offene-Posten {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Ausgangsrechnung {0} muss vor Stornierung dieses Kundenauftrags abgebrochen werden
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Alter
DocType: Sales Invoice Timesheet,Billing Amount,Rechnungsbetrag
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Ungültzige Anzahl für Artikel {0} angegeben. Anzahl sollte größer als 0 sein.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Urlaubsanträge
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Ein Konto mit bestehenden Transaktionen kann nicht gelöscht werden
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Ein Konto mit bestehenden Transaktionen kann nicht gelöscht werden
DocType: Vehicle,Last Carbon Check,Last Kohlenstoff prüfen
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Rechtskosten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Rechtskosten
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Bitte wählen Sie die Menge aus
DocType: Purchase Invoice,Posting Time,Buchungszeit
DocType: Timesheet,% Amount Billed,% des Betrages berechnet
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Telefonkosten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Telefonkosten
DocType: Sales Partner,Logo,Logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Hier aktivieren, wenn der Benutzer gezwungen sein soll, vor dem Speichern eine Serie auszuwählen. Bei Aktivierung gibt es keine Standardvorgabe."
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Kein Artikel mit Seriennummer {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Kein Artikel mit Seriennummer {0}
DocType: Email Digest,Open Notifications,Offene Benachrichtigungen
DocType: Payment Entry,Difference Amount (Company Currency),Differenzbetrag (Gesellschaft Währung)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Direkte Aufwendungen
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Direkte Aufwendungen
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} ist eine ungültige E-Mail-Adresse in 'Benachrichtigung \ E-Mail-Adresse'
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Neuer Kundenumsatz
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Reisekosten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Reisekosten
DocType: Maintenance Visit,Breakdown,Ausfall
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Konto: {0} mit Währung: {1} kann nicht ausgewählt werden
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Konto: {0} mit Währung: {1} kann nicht ausgewählt werden
DocType: Bank Reconciliation Detail,Cheque Date,Scheckdatum
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Über-Konto {1} gehört nicht zur Firma: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Über-Konto {1} gehört nicht zur Firma: {2}
DocType: Program Enrollment Tool,Student Applicants,Studienbewerber
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Alle Transaktionen dieser Firma wurden erfolgreich gelöscht!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Alle Transaktionen dieser Firma wurden erfolgreich gelöscht!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Zum
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,Enrollment Datum
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Probezeit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Probezeit
apps/erpnext/erpnext/config/hr.py +115,Salary Components,Gehaltskomponenten
DocType: Program Enrollment Tool,New Academic Year,Neues Studienjahr
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Return / Gutschrift
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Return / Gutschrift
DocType: Stock Settings,Auto insert Price List rate if missing,"Preisliste automatisch einfügen, wenn sie fehlt"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Summe gezahlte Beträge
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Summe gezahlte Beträge
DocType: Production Order Item,Transferred Qty,Übergebene Menge
apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigieren
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Planung
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Ausgestellt
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planung
+DocType: Material Request,Issued,Ausgestellt
DocType: Project,Total Billing Amount (via Time Logs),Gesamtumsatz (über Zeitprotokolle)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Wir verkaufen diesen Artikel
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Lieferanten-ID
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Wir verkaufen diesen Artikel
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Lieferanten-ID
DocType: Payment Request,Payment Gateway Details,Payment Gateway-Details
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Menge sollte größer 0 sein
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Menge sollte größer 0 sein
DocType: Journal Entry,Cash Entry,Kassenbuchung
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Child-Knoten kann nur unter "Gruppe" Art Knoten erstellt werden
DocType: Leave Application,Half Day Date,Halbtagesdatum
@@ -3625,14 +3655,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Bitte setzen Sie Standardkonto in Kostenabrechnung Typ {0}
DocType: Assessment Result,Student Name,Name des Studenten
DocType: Brand,Item Manager,Artikel-Manager
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,Payroll Kreditoren
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Payroll Kreditoren
DocType: Buying Settings,Default Supplier Type,Standardlieferantentyp
DocType: Production Order,Total Operating Cost,Gesamtbetriebskosten
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Hinweis: Artikel {0} mehrfach eingegeben
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Alle Kontakte
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Firmenkürzel
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Firmenkürzel
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Benutzer {0} existiert nicht
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,Rohmaterial kann nicht dasselbe sein wie der Hauptartikel
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Rohmaterial kann nicht dasselbe sein wie der Hauptartikel
DocType: Item Attribute Value,Abbreviation,Abkürzung
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Zahlung existiert bereits
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Keine Berechtigung da {0} die Höchstgrenzen überschreitet
@@ -3641,49 +3671,49 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Steuerregel für Einkaufswagen einstellen
DocType: Purchase Invoice,Taxes and Charges Added,Steuern und Gebühren hinzugefügt
,Sales Funnel,Verkaufstrichter
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Abkürzung ist zwingend erforderlich
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Abkürzung ist zwingend erforderlich
DocType: Project,Task Progress,Vorgangsentwicklung
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Einkaufswagen
,Qty to Transfer,Zu versendende Menge
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Angebote an Leads oder Kunden
DocType: Stock Settings,Role Allowed to edit frozen stock,Rolle darf gesperrten Bestand bearbeiten
,Territory Target Variance Item Group-Wise,Artikelgruppenbezogene regionale Zielabweichung
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Alle Kundengruppen
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Alle Kundengruppen
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Kumulierte Monats
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ist zwingend erforderlich. Möglicherweise wurde der Datensatz für die Währungsumrechung für {1} bis {2} nicht erstellt.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ist zwingend erforderlich. Möglicherweise wurde der Datensatz für die Währungsumrechung für {1} bis {2} nicht erstellt.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Steuer-Vorlage ist erforderlich.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Konto {0}: Hauptkonto {1} existiert nicht
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Konto {0}: Hauptkonto {1} existiert nicht
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Preisliste (Firmenwährung)
DocType: Products Settings,Products Settings,Produkte Einstellungen
DocType: Account,Temporary,Temporär
DocType: Program,Courses,Kurse
DocType: Monthly Distribution Percentage,Percentage Allocation,Prozentuale Aufteilung
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Sekretärin
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekretärin
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Wenn deaktivieren, wird "in den Wörtern" Feld nicht in einer Transaktion sichtbar sein"
DocType: Serial No,Distinct unit of an Item,Eindeutige Einheit eines Artikels
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Bitte setzen Unternehmen
DocType: Pricing Rule,Buying,Einkauf
DocType: HR Settings,Employee Records to be created by,Mitarbeiter-Datensätze werden erstellt nach
DocType: POS Profile,Apply Discount On,Rabatt anwenden auf
,Reqd By Date,Benötigt nach Datum
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Gläubiger
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Gläubiger
DocType: Assessment Plan,Assessment Name,Bewertung Name
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Zeile # {0}: Seriennummer ist zwingend erforderlich
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Artikelbezogene Steuer-Details
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Institut Abkürzung
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Institut Abkürzung
,Item-wise Price List Rate,Artikelbezogene Preisliste
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Lieferantenangebot
DocType: Quotation,In Words will be visible once you save the Quotation.,"""In Worten"" wird sichtbar, sobald Sie das Angebot speichern."
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Menge ({0}) kann kein Bruch in Zeile {1} sein
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,Sammeln Gebühren
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Barcode {0} wird bereits für Artikel {1} verwendet
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barcode {0} wird bereits für Artikel {1} verwendet
DocType: Lead,Add to calendar on this date,Zu diesem Datum in Kalender einfügen
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Regeln für das Hinzufügen von Versandkosten
DocType: Item,Opening Stock,Anfangsbestand
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Kunde ist verpflichtet
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,"{0} ist zwingend für ""Zurück"""
DocType: Purchase Order,To Receive,Um zu empfangen
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Persönliche E-Mail
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Gesamtabweichung
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Wenn aktiviert, bucht das System Bestandsbuchungen automatisch."
@@ -3694,13 +3724,14 @@
DocType: Customer,From Lead,Von Lead
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Für die Produktion freigegebene Bestellungen
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Geschäftsjahr auswählen ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,"Verkaufsstellen-Profil benötigt, um Verkaufsstellen-Buchung zu erstellen"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,"Verkaufsstellen-Profil benötigt, um Verkaufsstellen-Buchung zu erstellen"
DocType: Program Enrollment Tool,Enroll Students,einschreiben Studenten
DocType: Hub Settings,Name Token,Kürzel benennen
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard-Vertrieb
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Mindestens ein Lager ist zwingend erforderlich
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Mindestens ein Lager ist zwingend erforderlich
DocType: Serial No,Out of Warranty,Außerhalb der Garantie
DocType: BOM Replace Tool,Replace,Ersetzen
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Keine Produkte gefunden
DocType: Production Order,Unstopped,unstopped
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} zu Verkaufsrechnung {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3711,13 +3742,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Lagerwert-Differenz
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Personal
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Zahlung zum Zahlungsabgleich
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Steuerguthaben
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Steuerguthaben
DocType: BOM Item,BOM No,Stücklisten-Nr.
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Buchungssatz {0} gehört nicht zu Konto {1} oder ist bereits mit einem anderen Beleg abgeglichen
DocType: Item,Moving Average,Gleitender Durchschnitt
DocType: BOM Replace Tool,The BOM which will be replaced,"Die Stückliste, die ersetzt wird"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,Elektronische Ausrüstungen
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,Elektronische Ausrüstungen
DocType: Account,Debit,Soll
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Abwesenheiten müssen ein Vielfaches von 0,5 sein"
DocType: Production Order,Operation Cost,Kosten eines Arbeitsgangs
@@ -3725,7 +3756,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Offener Betrag
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Ziele artikelgruppenbezogen für diesen Vertriebsmitarbeiter festlegen.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Bestände älter als [Tage] sperren
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Vermögens ist obligatorisch für Anlage Kauf / Verkauf
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Vermögens ist obligatorisch für Anlage Kauf / Verkauf
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Wenn zwei oder mehrere Preisregeln basierend auf den oben genannten Bedingungen gefunden werden, wird eine Vorrangregelung angewandt. Priorität ist eine Zahl zwischen 0 und 20, wobei der Standardwert Null (leer) ist. Die höhere Zahl hat Vorrang, wenn es mehrere Preisregeln zu den gleichen Bedingungen gibt."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Geschäftsjahr: {0} existiert nicht
DocType: Currency Exchange,To Currency,In Währung
@@ -3733,7 +3764,7 @@
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Arten der Aufwandsabrechnung
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Der Verkaufspreis für Artikel {0} ist niedriger als der {1}. Selling Rate sollte atleast {2}
DocType: Item,Taxes,Steuern
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Bezahlt und nicht geliefert
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Bezahlt und nicht geliefert
DocType: Project,Default Cost Center,Standardkostenstelle
DocType: Bank Guarantee,End Date,Enddatum
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Lagervorgänge
@@ -3758,24 +3789,22 @@
DocType: Employee,Held On,Festgehalten am
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Produktions-Artikel
,Employee Information,Mitarbeiterinformationen
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Preis (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Preis (%)
DocType: Stock Entry Detail,Additional Cost,Zusätzliche Kosten
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Enddatum des Geschäftsjahres
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Wenn nach Beleg gruppiert wurde, kann nicht auf Grundlage von Belegen gefiltert werden."
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Lieferantenangebot erstellen
DocType: Quality Inspection,Incoming,Eingehend
DocType: BOM,Materials Required (Exploded),Benötigte Materialien (erweitert)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Benutzer, außer Ihnen, zu Ihrer Firma hinzufügen"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Buchungsdatum kann nicht Datum in der Zukunft sein
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Zeile # {0}: Seriennummer {1} stimmt nicht mit {2} {3} überein
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Erholungsurlaub
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Erholungsurlaub
DocType: Batch,Batch ID,Chargen-ID
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Hinweis: {0}
,Delivery Note Trends,Entwicklung Lieferscheine
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Zusammenfassung dieser Woche
-,In Stock Qty,Vorrätig Anzahl
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Vorrätig Anzahl
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Konto: {0} kann nur über Lagertransaktionen aktualisiert werden
-DocType: Program Enrollment,Get Courses,Erhalten Sie Kurse
+DocType: Student Group Creation Tool,Get Courses,Erhalten Sie Kurse
DocType: GL Entry,Party,Gruppe
DocType: Sales Order,Delivery Date,Liefertermin
DocType: Opportunity,Opportunity Date,Datum der Chance
@@ -3783,14 +3812,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Angebotsanfrage Artikel
DocType: Purchase Order,To Bill,Abrechnen
DocType: Material Request,% Ordered,% bestellt
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",Für die Kursbasierte Studentengruppe wird der Kurs für jeden Schüler aus den eingeschriebenen Kursen in der Programmregistrierung validiert.
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Geben Sie E-Mail-Adresse durch ein Komma getrennt werden Rechnung automatisch auf bestimmte Datum abgeschickt werden,"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Akkordarbeit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Akkordarbeit
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Durchschnittlicher Einkaufspreis
DocType: Task,Actual Time (in Hours),Tatsächliche Zeit (in Stunden)
DocType: Employee,History In Company,Historie im Unternehmen
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Newsletter
DocType: Stock Ledger Entry,Stock Ledger Entry,Buchung im Lagerbuch
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kunde> Kundengruppe> Territorium
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Das gleiche Einzelteil wurde mehrfach eingegeben
DocType: Department,Leave Block List,Urlaubssperrenliste
DocType: Sales Invoice,Tax ID,Steuer ID
@@ -3805,30 +3834,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} Einheiten von {1} benötigt in {2} zum Abschluss dieser Transaktion.
DocType: Loan Type,Rate of Interest (%) Yearly,Zinssatz (%) Jahres
DocType: SMS Settings,SMS Settings,SMS-Einstellungen
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Temporäre Konten
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Schwarz
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Temporäre Konten
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Schwarz
DocType: BOM Explosion Item,BOM Explosion Item,Position der aufgelösten Stückliste
DocType: Account,Auditor,Prüfer
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} Elemente hergestellt
DocType: Cheque Print Template,Distance from top edge,Die Entfernung von der Oberkante
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Preisliste {0} ist deaktiviert oder nicht vorhanden ist
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Preisliste {0} ist deaktiviert oder nicht vorhanden ist
DocType: Purchase Invoice,Return,Zurück
DocType: Production Order Operation,Production Order Operation,Arbeitsgang im Fertigungsauftrag
DocType: Pricing Rule,Disable,Deaktivieren
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,"Modus der Zahlung ist erforderlich, um eine Zahlung zu leisten"
DocType: Project Task,Pending Review,Wartet auf Überprüfung
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ist nicht im Batch {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset-{0} kann nicht verschrottet werden, als es ohnehin schon ist {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Gesamtbetrag der Aufwandsabrechnung (über Aufwandsabrechnung)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Kunden-ID
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Abwesend setzen
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Währung der BOM # {1} sollte auf die gewählte Währung gleich {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Währung der BOM # {1} sollte auf die gewählte Währung gleich {2}
DocType: Journal Entry Account,Exchange Rate,Wechselkurs
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Kundenauftrag {0} wurde nicht übertragen
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Kundenauftrag {0} wurde nicht übertragen
DocType: Homepage,Tag Line,Tag-Linie
DocType: Fee Component,Fee Component,Fee-Komponente
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Flottenmanagement
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Elemente hinzufügen aus
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Lager {0}: Übergeordnetes Konto {1} gehört nicht zu Firma {2}
DocType: Cheque Print Template,Regular,Regulär
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Insgesamt weightage aller Bewertungskriterien muss 100% betragen
DocType: BOM,Last Purchase Rate,Letzter Anschaffungspreis
@@ -3837,11 +3865,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,"Für Artikel {0} kann es kein Lager geben, da es Varianten gibt"
,Sales Person-wise Transaction Summary,Vertriebsmitarbeiterbezogene Zusammenfassung der Transaktionen
DocType: Training Event,Contact Number,Kontaktnummer
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Lager {0} existiert nicht
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Lager {0} existiert nicht
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Für ERPNext Hub anmelden
DocType: Monthly Distribution,Monthly Distribution Percentages,Prozentuale Aufteilungen der monatsweisen Verteilung
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Der ausgewählte Artikel kann keine Charge haben
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Bewertungsrate nicht für den Artikel {0} gefunden, die die Buchungen zu tun erforderlich ist {1} {2}. Wenn das Element als ein Beispielartikel in der Abwicklung von {1}, bitte erwähnen, dass in der {1} Artikel Tisch. Andernfalls erstellen Sie bitte einen eingehenden Aktien-Transaktion für das Element oder Erwähnung Bewertungsrate in der Elementdatensatz, und dann versuchen, submiting / Cancelling diesen Eintrag"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Bewertungsrate nicht für den Artikel {0} gefunden, die die Buchungen zu tun erforderlich ist {1} {2}. Wenn das Element als ein Beispielartikel in der Abwicklung von {1}, bitte erwähnen, dass in der {1} Artikel Tisch. Andernfalls erstellen Sie bitte einen eingehenden Aktien-Transaktion für das Element oder Erwähnung Bewertungsrate in der Elementdatensatz, und dann versuchen, submiting / Cancelling diesen Eintrag"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% dieser Lieferscheinmenge geliefert
DocType: Project,Customer Details,Kundendaten
DocType: Employee,Reports to,Berichte an
@@ -3849,41 +3877,43 @@
DocType: SMS Settings,Enter url parameter for receiver nos,URL-Parameter für Empfängernummern eingeben
DocType: Payment Entry,Paid Amount,Gezahlter Betrag
DocType: Assessment Plan,Supervisor,Supervisor
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Online
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,Online
,Available Stock for Packing Items,Verfügbarer Bestand für Verpackungsartikel
DocType: Item Variant,Item Variant,Artikelvariante
DocType: Assessment Result Tool,Assessment Result Tool,Bewertungsergebnis-Tool
DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Artikel
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Übermittelt Aufträge können nicht gelöscht werden
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Konto bereits im Soll, es ist nicht mehr möglich das Konto als Habenkonto festzulegen"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Qualitätsmanagement
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Übermittelt Aufträge können nicht gelöscht werden
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Konto bereits im Soll, es ist nicht mehr möglich das Konto als Habenkonto festzulegen"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Qualitätsmanagement
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Artikel {0} wurde deaktiviert
DocType: Employee Loan,Repay Fixed Amount per Period,Repay fixen Betrag pro Periode
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Bitte die Menge für Artikel {0} eingeben
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Kreditnachweis amt
DocType: Employee External Work History,Employee External Work History,Externe Berufserfahrung des Mitarbeiters
DocType: Tax Rule,Purchase,Einkauf
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Bilanzmenge
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Bilanzmenge
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Ziele können nicht leer sein
DocType: Item Group,Parent Item Group,Übergeordnete Artikelgruppe
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} für {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Kostenstellen
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Kostenstellen
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,"Kurs, zu dem die Währung des Lieferanten in die Basiswährung des Unternehmens umgerechnet wird"
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Zeile #{0}: Timing-Konflikte mit Zeile {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Berechnungsrate zulassen
DocType: Training Event Employee,Invited,Eingeladen
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Mehrere aktive Gehaltsstrukturen für Mitarbeiter gefunden {0} für die angegebenen Daten
DocType: Opportunity,Next Contact,Nächster Kontakt
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Setup-Gateway-Konten.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Setup-Gateway-Konten.
DocType: Employee,Employment Type,Art der Beschäftigung
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Anlagevermögen
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Anlagevermögen
DocType: Payment Entry,Set Exchange Gain / Loss,Stellen Sie Exchange-Gewinn / Verlust
+,GST Purchase Register,GST Kaufregister
,Cash Flow,Cash Flow
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Beantragter Zeitraum kann sich nicht über zwei Antragsdatensätze erstrecken
DocType: Item Group,Default Expense Account,Standardaufwandskonto
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Studenten E-Mail-ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Studenten E-Mail-ID
DocType: Employee,Notice (days),Meldung(s)(-Tage)
DocType: Tax Rule,Sales Tax Template,Umsatzsteuer-Vorlage
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,"Wählen Sie Elemente, um die Rechnung zu speichern"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,"Wählen Sie Elemente, um die Rechnung zu speichern"
DocType: Employee,Encashment Date,Inkassodatum
DocType: Training Event,Internet,Internet
DocType: Account,Stock Adjustment,Bestandskorrektur
@@ -3911,7 +3941,7 @@
DocType: Guardian,Guardian Of ,Wächter von
DocType: Grading Scale Interval,Threshold,Schwelle
DocType: BOM Replace Tool,Current BOM,Aktuelle Stückliste
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Seriennummer hinzufügen
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Seriennummer hinzufügen
apps/erpnext/erpnext/config/support.py +22,Warranty,Garantie
DocType: Purchase Invoice,Debit Note Issued,Lastschrift ausgestellt am
DocType: Production Order,Warehouses,Lager
@@ -3920,20 +3950,20 @@
DocType: Workstation,per hour,pro stunde
apps/erpnext/erpnext/config/buying.py +7,Purchasing,Einkauf
DocType: Announcement,Announcement,Ankündigung
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Konto für das Lager (Permanente Inventur) wird unter diesem Konto erstellt.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Lager kann nicht gelöscht werden, da es Buchungen im Lagerbuch gibt."
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",Für die Batch-basierte Studentengruppe wird die Student Batch für jeden Schüler aus der Programmregistrierung validiert.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Lager kann nicht gelöscht werden, da es Buchungen im Lagerbuch gibt."
DocType: Company,Distribution,Großhandel
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Zahlbetrag
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Projektleiter
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Projektleiter
,Quoted Item Comparison,Vergleich angebotener Artikel
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Versand
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max erlaubter Rabatt für Artikel: {0} ist {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Versand
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max erlaubter Rabatt für Artikel: {0} ist {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Nettoinventarwert als auf
DocType: Account,Receivable,Forderung
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Zeile #{0}: Es ist nicht erlaubt den Lieferanten zu wechseln, da bereits ein Lieferantenauftrag vorhanden ist"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Zeile #{0}: Es ist nicht erlaubt den Lieferanten zu wechseln, da bereits ein Lieferantenauftrag vorhanden ist"
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Rolle, welche Transaktionen, die das gesetzte Kreditlimit überschreiten, übertragen darf."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Wählen Sie die Elemente Herstellung
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Stammdaten-Synchronisierung, kann es einige Zeit dauern,"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Wählen Sie die Elemente Herstellung
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Stammdaten-Synchronisierung, kann es einige Zeit dauern,"
DocType: Item,Material Issue,Materialentnahme
DocType: Hub Settings,Seller Description,Beschreibung des Verkäufers
DocType: Employee Education,Qualification,Qualifikation
@@ -3953,7 +3983,6 @@
DocType: BOM,Rate Of Materials Based On,Anteil der zu Grunde liegenden Materialien
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Support-Analyse
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Alle abwählen
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Firma fehlt in Lägern {0}
DocType: POS Profile,Terms and Conditions,Allgemeine Geschäftsbedingungen
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},"Bis-Datum sollte im Geschäftsjahr liegen. Unter der Annahme, dass Bis-Datum = {0} ist"
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Hier können Sie Größe, Gewicht, Allergien, medizinische Belange usw. pflegen"
@@ -3968,18 +3997,17 @@
DocType: Sales Order Item,For Production,Für die Produktion
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Aufgabe anzeigen
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Ihr Geschäftsjahr beginnt am
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Blei%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Asset-Abschreibungen und Balances
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Menge {0} {1} übertragen von {2} auf {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Menge {0} {1} übertragen von {2} auf {3}
DocType: Sales Invoice,Get Advances Received,Erhaltene Anzahlungen aufrufen
DocType: Email Digest,Add/Remove Recipients,Empfänger hinzufügen/entfernen
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Transaktion für angehaltenen Fertigungsauftrag {0} nicht erlaubt
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Transaktion für angehaltenen Fertigungsauftrag {0} nicht erlaubt
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Um dieses Geschäftsjahr als Standard festzulegen, auf ""Als Standard festlegen"" anklicken"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,Beitreten
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Beitreten
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Engpassmenge
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Artikelvariante {0} mit denselben Attributen existiert
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Artikelvariante {0} mit denselben Attributen existiert
DocType: Employee Loan,Repay from Salary,Repay von Gehalts
DocType: Leave Application,LAP/,RUNDE/
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Anfordern Zahlung gegen {0} {1} für Menge {2}
@@ -3990,34 +4018,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Packzettel für zu liefernde Pakete generieren. Wird verwendet, um Paketnummer, Packungsinhalt und das Gewicht zu dokumentieren."
DocType: Sales Invoice Item,Sales Order Item,Kundenauftrags-Artikel
DocType: Salary Slip,Payment Days,Zahlungsziel
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Lagerhäuser mit untergeordneten Knoten kann nicht umgewandelt werden Ledger
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Lagerhäuser mit untergeordneten Knoten kann nicht umgewandelt werden Ledger
DocType: BOM,Manage cost of operations,Arbeitsgangkosten verwalten
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Wenn eine der ausgewählten Transaktionen den Status ""übertragen"" erreicht hat, geht automatisch ein E-Mail-Fenster auf. Damit kann eine E-Mail mit dieser Transaktion als Anhang an die verknüpften Kontaktdaten gesendet werden. Der Benutzer kann auswählen, ob er diese E-Mail absenden will."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Allgemeine Einstellungen
DocType: Assessment Result Detail,Assessment Result Detail,Bewertungsergebnis Details
DocType: Employee Education,Employee Education,Mitarbeiterschulung
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Doppelte Artikelgruppe in der Artikelgruppentabelle gefunden
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,"Wird gebraucht, um Artikeldetails abzurufen"
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,"Wird gebraucht, um Artikeldetails abzurufen"
DocType: Salary Slip,Net Pay,Nettolohn
DocType: Account,Account,Konto
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Seriennummer {0} bereits erhalten
,Requested Items To Be Transferred,"Angeforderte Artikel, die übertragen werden sollen"
DocType: Expense Claim,Vehicle Log,Fahrzeug Log
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Lager {0} ist nicht auf ein Konto verknüpft, bitte erstellen / verknüpfen die entsprechenden (Aktiva) Konto für das Lager."
DocType: Purchase Invoice,Recurring Id,Wiederkehrende ID
DocType: Customer,Sales Team Details,Verkaufsteamdetails
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Dauerhaft löschen?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Dauerhaft löschen?
DocType: Expense Claim,Total Claimed Amount,Gesamtforderung
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Mögliche Opportunität für den Vertrieb
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Ungültige(r) {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Krankheitsbedingte Abwesenheit
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Ungültige(r) {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Krankheitsbedingte Abwesenheit
DocType: Email Digest,Email Digest,Täglicher E-Mail-Bericht
DocType: Delivery Note,Billing Address Name,Name der Rechnungsadresse
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Kaufhäuser
DocType: Warehouse,PIN,STIFT
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Richten Sie Ihre Schule in ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Base-Änderungsbetrag (Gesellschaft Währung)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Keine Buchungen für die folgenden Lager
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Keine Buchungen für die folgenden Lager
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Speichern Sie das Dokument zuerst.
DocType: Account,Chargeable,Gebührenpflichtig
DocType: Company,Change Abbreviation,Abkürzung ändern
@@ -4035,7 +4062,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Voraussichtlicher Liefertermin kann nicht vor dem Datum des Lieferantenauftrags liegen
DocType: Appraisal,Appraisal Template,Bewertungsvorlage
DocType: Item Group,Item Classification,Artikeleinteilung
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Leiter der kaufmännischen Abteilung
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Leiter der kaufmännischen Abteilung
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Zweck des Wartungsbesuchs
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Periode
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Hauptbuch
@@ -4045,8 +4072,8 @@
DocType: Item Attribute Value,Attribute Value,Attributwert
,Itemwise Recommended Reorder Level,Empfohlener artikelbezogener Meldebestand
DocType: Salary Detail,Salary Detail,Gehalt Details
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,Bitte zuerst {0} auswählen
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Charge {0} von Artikel {1} ist abgelaufen.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Bitte zuerst {0} auswählen
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Charge {0} von Artikel {1} ist abgelaufen.
DocType: Sales Invoice,Commission,Provision
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Zeitblatt für die Fertigung.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Zwischensumme
@@ -4057,6 +4084,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,"""Lagerbestände sperren, wenn älter als"" sollte kleiner sein als %d Tage."
DocType: Tax Rule,Purchase Tax Template,Umsatzsteuer-Vorlage
,Project wise Stock Tracking,Projektbezogene Lagerbestandsverfolgung
+DocType: GST HSN Code,Regional,Regional
DocType: Stock Entry Detail,Actual Qty (at source/target),Tatsächliche Anzahl (am Ursprung/Ziel)
DocType: Item Customer Detail,Ref Code,Ref-Code
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Mitarbeiterdatensätze
@@ -4067,13 +4095,13 @@
DocType: Email Digest,New Purchase Orders,Neue Bestellungen an Lieferanten
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Root kann keine übergeordnete Kostenstelle haben
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Marke auswählen ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Ausbildungsveranstaltungen / Ergebnisse
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Kumulierte Abschreibungen auf
DocType: Sales Invoice,C-Form Applicable,Anwenden auf Kontakt-Formular
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Betriebszeit muss für die Operation {0} größer als 0 sein
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Lager ist erforderlich
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Lager ist erforderlich
DocType: Supplier,Address and Contacts,Adresse und Kontaktinformationen
DocType: UOM Conversion Detail,UOM Conversion Detail,Maßeinheit-Umrechnungs-Detail
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Webfreundlich halten: 900px (breit) zu 100px (hoch)
DocType: Program,Program Abbreviation,Programm Abkürzung
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Ein Fertigungsauftrag kann nicht zu einer Artikel-Vorlage gemacht werden
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Kosten werden im Kaufbeleg für jede Position aktualisiert
@@ -4081,13 +4109,13 @@
DocType: Bank Guarantee,Start Date,Startdatum
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Urlaube für einen Zeitraum zuordnen
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Schecks und Kautionen fälschlicherweise gelöscht
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Konto {0}: Sie können dieses Konto sich selbst nicht als Über-Konto zuweisen
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Konto {0}: Sie können dieses Konto sich selbst nicht als Über-Konto zuweisen
DocType: Purchase Invoice Item,Price List Rate,Preisliste
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Erstellen Sie Angebote
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","""Auf Lager"" oder ""Nicht auf Lager"" basierend auf dem in diesem Lager enthaltenen Bestand anzeigen"
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Stückliste
DocType: Item,Average time taken by the supplier to deliver,Durchschnittliche Lieferzeit des Lieferanten
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,Bewertungsergebnis
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,Bewertungsergebnis
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Stunden
DocType: Project,Expected Start Date,Voraussichtliches Startdatum
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,"Artikel entfernen, wenn keine Gebühren angerechnet werden können"
@@ -4101,24 +4129,23 @@
DocType: Workstation,Operating Costs,Betriebskosten
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Erwünschte Aktion bei überschrittenem kumuliertem Monatsbudget
DocType: Purchase Invoice,Submit on creation,Buchen beim Erstellen
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Währung für {0} muss {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Währung für {0} muss {1}
DocType: Asset,Disposal Date,Verkauf Datum
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-Mails werden an alle aktiven Mitarbeiter des Unternehmens an der angegebenen Stunde gesendet werden, wenn sie nicht Urlaub. Zusammenfassung der Antworten wird um Mitternacht gesendet werden."
DocType: Employee Leave Approver,Employee Leave Approver,Urlaubsgenehmiger des Mitarbeiters
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Zeile {0}: Es gibt bereits eine Nachbestellungsbuchung für dieses Lager {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Zeile {0}: Es gibt bereits eine Nachbestellungsbuchung für dieses Lager {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Kann nicht als verloren deklariert werden, da bereits ein Angebot erstellt wurde."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Training Feedback
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Fertigungsauftrag {0} muss übertragen werden
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Fertigungsauftrag {0} muss übertragen werden
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Bitte Start -und Enddatum für den Artikel {0} auswählen
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Kurs ist obligatorisch in Zeile {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Bis-Datum kann nicht vor Von-Datum liegen
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Preise hinzufügen / bearbeiten
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Preise hinzufügen / bearbeiten
DocType: Batch,Parent Batch,Übergeordnete Charge
DocType: Cheque Print Template,Cheque Print Template,Scheck Druckvorlage
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Kostenstellenplan
,Requested Items To Be Ordered,"Angefragte Artikel, die bestellt werden sollen"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,Lager Unternehmen muss gleich sein wie Konto Unternehmen
DocType: Price List,Price List Name,Preislistenname
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},tägliche Arbeitszusammenfassung für {0}
DocType: Employee Loan,Totals,Summen
@@ -4140,55 +4167,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Bitte gültige Mobilnummern eingeben
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Bitte eine Nachricht vor dem Versenden eingeben
DocType: Email Digest,Pending Quotations,Ausstehende Angebote
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Verkaufsstellen-Profil
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Verkaufsstellen-Profil
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Bitte SMS-Einstellungen aktualisieren
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Ungesicherte Kredite
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Ungesicherte Kredite
DocType: Cost Center,Cost Center Name,Kostenstellenbezeichnung
DocType: Employee,B+,B+
DocType: HR Settings,Max working hours against Timesheet,Max Arbeitszeit gegen Stundenzettel
DocType: Maintenance Schedule Detail,Scheduled Date,Geplantes Datum
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Summe gezahlte Beträge
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Summe gezahlte Beträge
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Mitteilungen mit mehr als 160 Zeichen werden in mehrere Nachrichten aufgeteilt
DocType: Purchase Receipt Item,Received and Accepted,Erhalten und bestätigt
+,GST Itemised Sales Register,GST Einzelverkaufsregister
,Serial No Service Contract Expiry,Ablaufdatum des Wartungsvertrags zu Seriennummer
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Sie können ein Konto nicht gleichzeitig be- und entlasten
DocType: Naming Series,Help HTML,HTML-Hilfe
DocType: Student Group Creation Tool,Student Group Creation Tool,Student Group Creation Tool
DocType: Item,Variant Based On,Variante basierend auf
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Summe der zugeordneten Gewichtungen sollte 100% sein. Sie ist {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Ihre Lieferanten
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Ihre Lieferanten
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,"Kann nicht als verloren gekennzeichnet werden, da ein Kundenauftrag dazu existiert."
DocType: Request for Quotation Item,Supplier Part No,Lieferant Teile-Nr
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Kann nicht abziehen, wenn der Kategorie für "Bewertung" oder "Vaulation und Total 'ist"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Erhalten von
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Erhalten von
DocType: Lead,Converted,umgewandelt
DocType: Item,Has Serial No,Hat Seriennummer
DocType: Employee,Date of Issue,Ausstellungsdatum
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Von {0} für {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Nach den Kaufeinstellungen, wenn Kaufbedarf erforderlich == 'JA', dann für die Erstellung der Kauf-Rechnung, muss der Benutzer die Kaufbeleg zuerst für den Eintrag {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Zeile #{0}: Lieferanten für Artikel {1} einstellen
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Row {0}: Stunden-Wert muss größer als Null sein.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,"Das Webseiten-Bild {0}, das an Artikel {1} angehängt wurde, kann nicht gefunden werden"
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,"Das Webseiten-Bild {0}, das an Artikel {1} angehängt wurde, kann nicht gefunden werden"
DocType: Issue,Content Type,Inhaltstyp
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Rechner
DocType: Item,List this Item in multiple groups on the website.,Diesen Artikel in mehreren Gruppen auf der Webseite auflisten.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Bitte die Option ""Unterschiedliche Währungen"" aktivieren um Konten mit anderen Währungen zu erlauben"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Artikel: {0} ist nicht im System vorhanden
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Sie haben keine Berechtigung gesperrte Werte zu setzen
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Artikel: {0} ist nicht im System vorhanden
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Sie haben keine Berechtigung gesperrte Werte zu setzen
DocType: Payment Reconciliation,Get Unreconciled Entries,Nicht zugeordnete Buchungen aufrufen
DocType: Payment Reconciliation,From Invoice Date,Ab Rechnungsdatum
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,Abrechnungswährung muss entweder auf Standard comapany Währung oder Partei Kontowährung gleich
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Lassen Sie Encashment
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Unternehmenszweck
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,Abrechnungswährung muss entweder auf Standard comapany Währung oder Partei Kontowährung gleich
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Lassen Sie Encashment
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Unternehmenszweck
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,An Lager
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Alle Studenten Admissions
,Average Commission Rate,Durchschnittlicher Provisionssatz
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,"""Hat Seriennummer"" kann bei Nicht-Lagerartikeln nicht ""Ja"" sein"
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""Hat Seriennummer"" kann bei Nicht-Lagerartikeln nicht ""Ja"" sein"
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Die Anwesenheit kann nicht für zukünftige Termine markiert werden
DocType: Pricing Rule,Pricing Rule Help,Hilfe zur Preisregel
DocType: School House,House Name,Hausname
DocType: Purchase Taxes and Charges,Account Head,Kontobezeichnung
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Zusatzkosten aktualisieren um die Einstandskosten des Artikels zu kalkulieren
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Elektro
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Elektro
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Fügen Sie den Rest Ihrer Organisation als Nutzer hinzu. Sie können auch Kunden zu Ihrem Portal einladen indem Sie sie aus den Kontakten hinzufügen
DocType: Stock Entry,Total Value Difference (Out - In),Gesamt-Wertdifferenz (Aus - Ein)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Zeile {0}: Wechselkurs ist erforderlich
@@ -4198,7 +4227,7 @@
DocType: Item,Customer Code,Kunden-Nr.
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Geburtstagserinnerung für {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Tage seit dem letzten Auftrag
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Sollkonto muss ein Bilanzkonto sein
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Sollkonto muss ein Bilanzkonto sein
DocType: Buying Settings,Naming Series,Nummernkreis
DocType: Leave Block List,Leave Block List Name,Name der Urlaubssperrenliste
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Versicherung Startdatum sollte weniger als Versicherung Enddatum
@@ -4213,26 +4242,26 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Gehaltsabrechnung der Mitarbeiter {0} bereits für Zeitblatt erstellt {1}
DocType: Vehicle Log,Odometer,Kilometerzähler
DocType: Sales Order Item,Ordered Qty,Bestellte Menge
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Artikel {0} ist deaktiviert
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Artikel {0} ist deaktiviert
DocType: Stock Settings,Stock Frozen Upto,Bestand gesperrt bis
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,Stückliste enthält keine Lagerware
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,Stückliste enthält keine Lagerware
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Ab-Zeitraum und Bis-Zeitraum sind zwingend erforderlich für wiederkehrende {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Projektaktivität/-vorgang.
DocType: Vehicle Log,Refuelling Details,Betankungs Einzelheiten
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Gehaltsabrechnungen generieren
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Einkauf muss ausgewählt sein, wenn ""Anwenden auf"" auf {0} gesetzt wurde"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Einkauf muss ausgewählt sein, wenn ""Anwenden auf"" auf {0} gesetzt wurde"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Discount muss kleiner als 100 sein
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Zuletzt Kaufrate nicht gefunden
DocType: Purchase Invoice,Write Off Amount (Company Currency),Abschreibungs-Betrag (Firmenwährung)
DocType: Sales Invoice Timesheet,Billing Hours,Billing Stunden
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,Standardstückliste für {0} nicht gefunden
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Zeile #{0}: Bitte Nachbestellmenge angeben
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Zeile #{0}: Bitte Nachbestellmenge angeben
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,"Tippen Sie auf Elemente, um sie hier hinzuzufügen"
DocType: Fees,Program Enrollment,Programm Einschreibung
DocType: Landed Cost Voucher,Landed Cost Voucher,Beleg über Einstandskosten
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Bitte {0} setzen
DocType: Purchase Invoice,Repeat on Day of Month,Wiederholen an Tag des Monats
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} ist ein inaktiver Schüler
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} ist ein inaktiver Schüler
DocType: Employee,Health Details,Gesundheitsdaten
DocType: Offer Letter,Offer Letter Terms,Gültigkeit des Angebotsschreibens
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Zur Erstellung eines Zahlungsauftrags ist ein Referenzdokument erforderlich
@@ -4254,7 +4283,7 @@
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Beispiel: ABCD.#####
Wenn ""Serie"" eingestellt ist und ""Seriennummer"" in den Transaktionen nicht aufgeführt ist, dann wird eine Seriennummer automatisch auf der Grundlage dieser Serie erstellt. Wenn immer explizit Seriennummern für diesen Artikel aufgeführt werden sollen, muss das Feld leer gelassen werden."
DocType: Upload Attendance,Upload Attendance,Anwesenheit hochladen
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,Stückliste und Fertigungsmenge werden benötigt
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,Stückliste und Fertigungsmenge werden benötigt
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Alter Bereich 2
DocType: SG Creation Tool Course,Max Strength,Max Kraft
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,Stückliste ersetzt
@@ -4263,8 +4292,8 @@
,Prospects Engaged But Not Converted,"Perspektiven engagiert, aber nicht umgewandelt"
DocType: Manufacturing Settings,Manufacturing Settings,Fertigungseinstellungen
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,E-Mail einrichten
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Mobil Nein
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Bitte die Standardwährung in die Firmenstammdaten eingeben
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobil Nein
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Bitte die Standardwährung in die Firmenstammdaten eingeben
DocType: Stock Entry Detail,Stock Entry Detail,Lagerbuchungsdetail
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Tägliche Erinnerungen
DocType: Products Settings,Home Page is Products,"Startseite ist ""Products"""
@@ -4273,7 +4302,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Neuer Kontoname
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Kosten gelieferter Rohmaterialien
DocType: Selling Settings,Settings for Selling Module,Einstellungen Verkauf
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Kundenservice
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Kundenservice
DocType: BOM,Thumbnail,Thumbnail
DocType: Item Customer Detail,Item Customer Detail,kundenspezifisches Artikeldetail
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Bewerber/-in einen Arbeitsplatz anbieten
@@ -4282,7 +4311,7 @@
DocType: Pricing Rule,Percentage,Prozentsatz
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Artikel {0} muss ein Lagerartikel sein
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Standard-Fertigungslager
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Standardeinstellungen für Buchhaltungstransaktionen
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Standardeinstellungen für Buchhaltungstransaktionen
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Voraussichtliches Datum kann nicht vor dem Datum der Materialanfrage liegen
DocType: Purchase Invoice Item,Stock Qty,Lager Menge
@@ -4295,10 +4324,10 @@
DocType: Sales Order,Printing Details,Druckdetails
DocType: Task,Closing Date,Abschlussdatum
DocType: Sales Order Item,Produced Quantity,Produzierte Menge
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Ingenieur
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Ingenieur
DocType: Journal Entry,Total Amount Currency,Insgesamt Betrag Währung
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Unterbaugruppen suchen
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Artikelnummer wird in Zeile {0} benötigt
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Artikelnummer wird in Zeile {0} benötigt
DocType: Sales Partner,Partner Type,Partnertyp
DocType: Purchase Taxes and Charges,Actual,Tatsächlich
DocType: Authorization Rule,Customerwise Discount,Kundenspezifischer Rabatt
@@ -4315,11 +4344,11 @@
DocType: Item Reorder,Re-Order Level,Meldebestand
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Geben Sie die Posten und die geplante Menge ein, für die Sie Fertigungsaufträge erstellen möchten, oder laden Sie die Rohmaterialien für die Analyse herunter."
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt-Diagramm
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Teilzeit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Teilzeit
DocType: Employee,Applicable Holiday List,Geltende Urlaubsliste
DocType: Employee,Cheque,Scheck
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Serie aktualisiert
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Berichtstyp ist zwingend erforderlich
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Berichtstyp ist zwingend erforderlich
DocType: Item,Serial Number Series,Serie der Seriennummer
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Angabe des Lagers ist für Lagerartikel {0} in Zeile {1} zwingend erfoderlich
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Einzel- & Großhandel
@@ -4340,7 +4369,7 @@
DocType: BOM,Materials,Materialien
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Wenn deaktiviert, muss die Liste zu jeder Abteilung, für die sie gelten soll, hinzugefügt werden."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Quelle und Ziel-Warehouse kann nicht gleich sein
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Buchungsdatum und Buchungszeit sind zwingend erfoderlich
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Buchungsdatum und Buchungszeit sind zwingend erfoderlich
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Steuervorlage für Einkaufstransaktionen
,Item Prices,Artikelpreise
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"""In Worten"" wird sichtbar, sobald Sie den Lieferantenauftrag speichern."
@@ -4350,22 +4379,23 @@
DocType: Purchase Invoice,Advance Payments,Anzahlungen
DocType: Purchase Taxes and Charges,On Net Total,Auf Nettosumme
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Wert für das Attribut {0} muss im Bereich von {1} bis {2} in den Schritten von {3} für Artikel {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Eingangslager in Zeile {0} muss dem Fertigungsauftrag entsprechen
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Eingangslager in Zeile {0} muss dem Fertigungsauftrag entsprechen
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,"""Benachrichtigungs-E-Mail-Adresse"" nicht angegeben für das wiederkehrende Ereignis %s"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,"Die Währung kann nicht geändert werden, wenn Buchungen in einer anderen Währung getätigt wurden"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,"Die Währung kann nicht geändert werden, wenn Buchungen in einer anderen Währung getätigt wurden"
DocType: Vehicle Service,Clutch Plate,Kupplungsscheibe
DocType: Company,Round Off Account,Abschlusskonto
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Verwaltungskosten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Verwaltungskosten
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Beratung
DocType: Customer Group,Parent Customer Group,Übergeordnete Kundengruppe
DocType: Purchase Invoice,Contact Email,Kontakt-E-Mail
DocType: Appraisal Goal,Score Earned,Erreichte Punktzahl
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Mitteilungsfrist
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Mitteilungsfrist
DocType: Asset Category,Asset Category Name,Asset-Kategorie Name
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Dies ist ein Root-Gebiet und kann nicht bearbeitet werden.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Neuer Verkaufspersonenname
DocType: Packing Slip,Gross Weight UOM,Bruttogewicht-Maßeinheit
DocType: Delivery Note Item,Against Sales Invoice,Zu Ausgangsrechnung
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Bitte geben Sie Seriennummern für serialisierte Artikel ein
DocType: Bin,Reserved Qty for Production,Reserviert Menge für Produktion
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Lassen Sie unkontrolliert, wenn Sie nicht wollen, Batch während der Kurs-basierte Gruppen zu betrachten."
DocType: Asset,Frequency of Depreciation (Months),Die Häufigkeit der Abschreibungen (Monate)
@@ -4373,25 +4403,25 @@
DocType: Landed Cost Item,Landed Cost Item,Einstandspreis-Artikel
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Nullwerte anzeigen
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Menge eines Artikels nach der Herstellung/dem Umpacken auf Basis vorgegebener Mengen von Rohmaterial
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Richten Sie eine einfache Website für meine Organisation
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Richten Sie eine einfache Website für meine Organisation
DocType: Payment Reconciliation,Receivable / Payable Account,Forderungen-/Verbindlichkeiten-Konto
DocType: Delivery Note Item,Against Sales Order Item,Zu Kundenauftrags-Position
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},Bitte Attributwert für Attribut {0} angeben
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},Bitte Attributwert für Attribut {0} angeben
DocType: Item,Default Warehouse,Standardlager
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Budget kann nicht einem Gruppenkonto {0} zugeordnet werden
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Bitte übergeordnete Kostenstelle eingeben
DocType: Delivery Note,Print Without Amount,Drucken ohne Betrag
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,Abschreibungen Datum
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Steuerkategorie kann nicht ""Wertberichtigung"" oder ""Wertberichtigung und Gesamtsumme"" sein, da keiner der Artikel ein Lagerartikel ist"
DocType: Issue,Support Team,Support-Team
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Gültig (in Tagen)
DocType: Appraisal,Total Score (Out of 5),Gesamtwertung (max 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Charge
+DocType: Student Attendance Tool,Batch,Charge
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Saldo
DocType: Room,Seating Capacity,Sitzplatzkapazität
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Gesamtbetrag der Aufwandsabrechnung (über Aufwandsabrechnungen)
+DocType: GST Settings,GST Summary,GST Zusammenfassung
DocType: Assessment Result,Total Score,Gesamtpunktzahl
DocType: Journal Entry,Debit Note,Lastschrift
DocType: Stock Entry,As per Stock UOM,Gemäß Lagermaßeinheit
@@ -4402,12 +4432,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Standard-Fertigwarenlager
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Vertriebsmitarbeiter
DocType: SMS Parameter,SMS Parameter,SMS-Parameter
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Budget und Kostenstellen
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Budget und Kostenstellen
DocType: Vehicle Service,Half Yearly,Halbjährlich
DocType: Lead,Blog Subscriber,Blog-Abonnent
DocType: Guardian,Alternate Number,Alternative Nummer
DocType: Assessment Plan Criteria,Maximum Score,Maximale Punktzahl
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Regeln erstellen um Transaktionen auf Basis von Werten zu beschränken
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Gruppenrolle Nr
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Lassen Sie leer, wenn Sie Studenten Gruppen pro Jahr machen"
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Wenn aktiviert, beinhaltet die Gesamtanzahl der Arbeitstage auch Urlaubstage und dies reduziert den Wert des Gehalts pro Tag."
DocType: Purchase Invoice,Total Advance,Summe der Anzahlungen
@@ -4425,6 +4456,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Dies basiert auf Transaktionen gegen diesen Kunden. Siehe Zeitleiste unten für Details
DocType: Supplier,Credit Days Based On,Zahlungsziel basierend auf
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Zeile {0}: Zugewiesener Betrag {1} muss kleiner oder gleich der Zahlungsmenge {2} sein
+,Course wise Assessment Report,Kursweise Assessment Report
DocType: Tax Rule,Tax Rule,Steuer-Regel
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Gleiche Preise während des gesamten Verkaufszyklus beibehalten
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Zeiten außerhalb der normalen Arbeitszeiten am Arbeitsplatz zulassen.
@@ -4433,7 +4465,7 @@
,Items To Be Requested,Anzufragende Artikel
DocType: Purchase Order,Get Last Purchase Rate,Letzten Einkaufspreis aufrufen
DocType: Company,Company Info,Informationen über das Unternehmen
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Wählen oder neue Kunden hinzufügen
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Wählen oder neue Kunden hinzufügen
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,"Kostenstelle ist erforderlich, einen Aufwand Anspruch buchen"
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Mittelverwendung (Aktiva)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Dies basiert auf der Anwesenheit dieser Arbeitnehmer
@@ -4441,27 +4473,29 @@
DocType: Fiscal Year,Year Start Date,Startdatum des Geschäftsjahres
DocType: Attendance,Employee Name,Mitarbeitername
DocType: Sales Invoice,Rounded Total (Company Currency),Gerundete Gesamtsumme (Firmenwährung)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,"Kann nicht in keine Gruppe umgewandelt werden, weil Kontentyp ausgewählt ist."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Kann nicht in keine Gruppe umgewandelt werden, weil Kontentyp ausgewählt ist."
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} wurde geändert. Bitte aktualisieren.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,"Benutzer davon abhalten, Urlaubsanträge für folgende Tage einzureichen."
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Gesamtbetrag des Einkaufs
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Lieferant Quotation {0} erstellt
-apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,"Ende Jahr sein kann, nicht vor dem Startjahr"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Vergünstigungen an Mitarbeiter
+apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,End-Jahr kann nicht gleich oder kleiner dem Start-Jahr sein.
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Vergünstigungen an Mitarbeiter
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Verpackte Menge muss gleich der Menge des Artikel {0} in Zeile {1} sein
DocType: Production Order,Manufactured Qty,Produzierte Menge
DocType: Purchase Receipt Item,Accepted Quantity,Angenommene Menge
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Bitte stellen Sie eine Standard-Feiertagsliste für Mitarbeiter {0} oder Gesellschaft {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} existiert nicht
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} existiert nicht
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Wählen Sie Chargennummern aus
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Rechnungen an Kunden
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Projekt-ID
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Zeile Nr. {0}: Betrag kann nicht größer als der ausstehende Betrag zur Aufwandsabrechnung {1} sein. Ausstehender Betrag ist {2}
DocType: Maintenance Schedule,Schedule,Zeitplan
DocType: Account,Parent Account,Übergeordnetes Konto
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Verfügbar
DocType: Quality Inspection Reading,Reading 3,Ablesewert 3
,Hub,Hub
DocType: GL Entry,Voucher Type,Belegtyp
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Preisliste nicht gefunden oder deaktiviert
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Preisliste nicht gefunden oder deaktiviert
DocType: Employee Loan Application,Approved,Genehmigt
DocType: Pricing Rule,Price,Preis
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',"Freigestellter Angestellter {0} muss als ""entlassen"" gekennzeichnet werden"
@@ -4472,7 +4506,8 @@
DocType: Selling Settings,Campaign Naming By,Benennung der Kampagnen nach
DocType: Employee,Current Address Is,Aktuelle Adresse ist
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,geändert
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Optional. Stellt die Standardwährung des Unternehmens ein, falls nichts angegeben ist."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Optional. Stellt die Standardwährung des Unternehmens ein, falls nichts angegeben ist."
+DocType: Sales Invoice,Customer GSTIN,Kunde GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Buchungssätze
DocType: Delivery Note Item,Available Qty at From Warehouse,Verfügbare Stückzahl im Ausgangslager
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,Bitte zuerst Mitarbeiterdatensatz auswählen.
@@ -4480,7 +4515,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Zeile {0}: Gruppe / Konto stimmt nicht mit {1} / {2} in {3} {4} überein
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Bitte das Aufwandskonto angeben
DocType: Account,Stock,Lagerbestand
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Referenzdokumenttyp muss eine der Bestellung, Rechnung oder Kaufjournaleintrag sein"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Referenzdokumenttyp muss eine der Bestellung, Rechnung oder Kaufjournaleintrag sein"
DocType: Employee,Current Address,Aktuelle Adresse
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Wenn der Artikel eine Variante eines anderen Artikels ist, dann werden Beschreibung, Bild, Preise, Steuern usw. aus der Vorlage übernommen, sofern nicht ausdrücklich etwas angegeben ist."
DocType: Serial No,Purchase / Manufacture Details,Einzelheiten zu Kauf / Herstellung
@@ -4493,8 +4528,8 @@
DocType: Pricing Rule,Min Qty,Mindestmenge
DocType: Asset Movement,Transaction Date,Transaktionsdatum
DocType: Production Plan Item,Planned Qty,Geplante Menge
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Summe Steuern
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Für Menge (hergestellte Menge) ist zwingend erforderlich
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Summe Steuern
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Für Menge (hergestellte Menge) ist zwingend erforderlich
DocType: Stock Entry,Default Target Warehouse,Standard-Eingangslager
DocType: Purchase Invoice,Net Total (Company Currency),Nettosumme (Firmenwährung)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Das Jahr Enddatum kann nicht früher als das Jahr Startdatum. Bitte korrigieren Sie die Daten und versuchen Sie es erneut.
@@ -4508,13 +4543,11 @@
DocType: Hub Settings,Hub Settings,Hub-Einstellungen
DocType: Project,Gross Margin %,Handelsspanne %
DocType: BOM,With Operations,Mit Arbeitsgängen
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Es wurden bereits Buchungen in der Währung {0} für Firma {1} vorgenommen. Bitte ein Forderungs- oder Verbindlichkeiten-Konto mit Währung {0} wählen.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Es wurden bereits Buchungen in der Währung {0} für Firma {1} vorgenommen. Bitte ein Forderungs- oder Verbindlichkeiten-Konto mit Währung {0} wählen.
DocType: Asset,Is Existing Asset,Ist bereits bestehenden Asset
DocType: Salary Detail,Statistical Component,Statistische Komponente
-,Monthly Salary Register,Übersicht monatliche Gehälter
DocType: Warranty Claim,If different than customer address,Wenn anders als Kundenadresse
DocType: BOM Operation,BOM Operation,Stücklisten-Vorgang
-DocType: School Settings,Validate the Student Group from Program Enrollment,Überprüfen Sie die Schülergruppe aus der Programmregistrierung
DocType: Purchase Taxes and Charges,On Previous Row Amount,Auf vorherigen Zeilenbetrag
DocType: Student,Home Address,Privatadresse
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Asset übertragen
@@ -4522,28 +4555,27 @@
DocType: Training Event,Event Name,Veranstaltungsname
apps/erpnext/erpnext/config/schools.py +39,Admission,Eintritt
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Admissions für {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Saisonbedingte Besonderheiten zu Budgets, Zielen usw."
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Artikel {0} ist eine Vorlage, bitte eine seiner Varianten wählen"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Saisonbedingte Besonderheiten zu Budgets, Zielen usw."
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Artikel {0} ist eine Vorlage, bitte eine seiner Varianten wählen"
DocType: Asset,Asset Category,Anlagekategorie
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Käufer
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Nettolohn kann nicht negativ sein
DocType: SMS Settings,Static Parameters,Statische Parameter
DocType: Assessment Plan,Room,Zimmer
DocType: Purchase Order,Advance Paid,Angezahlt
DocType: Item,Item Tax,Artikelsteuer
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Material an den Lieferanten
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Verbrauch Rechnung
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Verbrauch Rechnung
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0} erscheint% mehr als einmal
DocType: Expense Claim,Employees Email Id,E-Mail-ID des Mitarbeiters
DocType: Employee Attendance Tool,Marked Attendance,Marked Teilnahme
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Kurzfristige Verbindlichkeiten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Kurzfristige Verbindlichkeiten
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Massen-SMS an Kontakte versenden
DocType: Program,Program Name,Programmname
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Steuern oder Gebühren berücksichtigen für
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Die tatsächliche Menge ist zwingend erforderlich
DocType: Employee Loan,Loan Type,Art des Darlehens
DocType: Scheduling Tool,Scheduling Tool,Scheduling-Werkzeug
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Kreditkarte
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Kreditkarte
DocType: BOM,Item to be manufactured or repacked,Zu fertigender oder umzupackender Artikel
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Standardeinstellungen für Lagertransaktionen
DocType: Purchase Invoice,Next Date,Nächster Termin
@@ -4559,10 +4591,10 @@
DocType: Stock Entry,Repack,Umpacken
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Sie müssen das Formular speichern um fortzufahren
DocType: Item Attribute,Numeric Values,Numerische Werte
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Logo anhängen
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Logo anhängen
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Lagerbestände
DocType: Customer,Commission Rate,Provisionssatz
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Variante erstellen
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Variante erstellen
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Urlaubsanträge pro Abteilung sperren
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Zahlungsart muss eine der Receive sein, Pay und interne Übertragung"
apps/erpnext/erpnext/config/selling.py +179,Analytics,Analysetools
@@ -4570,45 +4602,45 @@
DocType: Vehicle,Model,Modell
DocType: Production Order,Actual Operating Cost,Tatsächliche Betriebskosten
DocType: Payment Entry,Cheque/Reference No,Scheck-/ Referenznummer
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Root kann nicht bearbeitet werden.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root kann nicht bearbeitet werden.
DocType: Item,Units of Measure,Maßeinheiten
DocType: Manufacturing Settings,Allow Production on Holidays,Fertigung im Urlaub zulassen
DocType: Sales Order,Customer's Purchase Order Date,Kundenauftragsdatum
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Grundkapital
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Grundkapital
DocType: Shopping Cart Settings,Show Public Attachments,Öffentliche Anhänge anzeigen
DocType: Packing Slip,Package Weight Details,Details zum Verpackungsgewicht
DocType: Payment Gateway Account,Payment Gateway Account,Payment Gateway Konto
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,"Nach Abschluss der Zahlung, Benutzer auf ausgewählte Seite weiterleiten."
DocType: Company,Existing Company,Bestehende Firma
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Steuer-Kategorie wurde in "Total" geändert, da alle Artikel nicht auf Lager sind"
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Bitte eine CSV-Datei auswählen.
DocType: Student Leave Application,Mark as Present,Mark als Geschenk
DocType: Purchase Order,To Receive and Bill,Um zu empfangen und abzurechnen
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Ausgewählte Artikel
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Konstrukteur
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Konstrukteur
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Vorlage für Allgemeine Geschäftsbedingungen
DocType: Serial No,Delivery Details,Lieferdetails
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Kostenstelle wird in Zeile {0} der Steuertabelle für Typ {1} gebraucht
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Kostenstelle wird in Zeile {0} der Steuertabelle für Typ {1} gebraucht
DocType: Program,Program Code,Programmcode
DocType: Terms and Conditions,Terms and Conditions Help,Allgemeine Geschäftsbedingungen Hilfe
,Item-wise Purchase Register,Artikelbezogene Übersicht der Einkäufe
DocType: Batch,Expiry Date,Verfallsdatum
-,Supplier Addresses and Contacts,Lieferanten-Adressen und Kontaktdaten
,accounts-browser,Konten-Browser
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,Bitte zuerst Kategorie auswählen
apps/erpnext/erpnext/config/projects.py +13,Project master.,Projekt-Stammdaten
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Damit über Abrechnung oder Über Bestellung, aktualisieren "Allowance" auf Lager Einstellungen oder dem Artikel."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Damit über Abrechnung oder Über Bestellung, aktualisieren "Allowance" auf Lager Einstellungen oder dem Artikel."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Kein Symbol wie $ usw. neben Währungen anzeigen.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Halbtags)
DocType: Supplier,Credit Days,Zahlungsziel
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Machen Schüler Batch
DocType: Leave Type,Is Carry Forward,Ist Übertrag
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Artikel aus der Stückliste holen
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Artikel aus der Stückliste holen
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Lieferzeittage
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Datum der Veröffentlichung muss als Kaufdatum gleich sein {1} des Asset {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Datum der Veröffentlichung muss als Kaufdatum gleich sein {1} des Asset {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Bitte geben Sie Kundenaufträge in der obigen Tabelle
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Nicht der gesuchte Gehaltsabrechnungen
,Stock Summary,Auf Zusammenfassung
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Übertragen Sie einen Vermögenswert von einem Lager zum anderen
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Übertragen Sie einen Vermögenswert von einem Lager zum anderen
DocType: Vehicle,Petrol,Benzin
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Stückliste
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Zeile {0}: Gruppen-Typ und Gruppe sind für Forderungen-/Verbindlichkeiten-Konto {1} zwingend erforderlich
@@ -4619,6 +4651,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Genehmigter Betrag
DocType: GL Entry,Is Opening,Ist Eröffnungsbuchung
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Zeile {0}: Sollbuchung kann nicht mit ein(em) {1} verknüpft werden
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Konto {0} existiert nicht
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Konto {0} existiert nicht
DocType: Account,Cash,Bargeld
DocType: Employee,Short biography for website and other publications.,Kurzbiographie für die Webseite und andere Publikationen.
diff --git a/erpnext/translations/el.csv b/erpnext/translations/el.csv
index ca38432..62283bd 100644
--- a/erpnext/translations/el.csv
+++ b/erpnext/translations/el.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Καταναλωτικά προϊόντα
DocType: Item,Customer Items,Είδη πελάτη
DocType: Project,Costing and Billing,Κοστολόγηση και Τιμολόγηση
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Ο λογαριασμός {0}: γονικός λογαριασμός {1} δεν μπορεί να είναι καθολικός
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Ο λογαριασμός {0}: γονικός λογαριασμός {1} δεν μπορεί να είναι καθολικός
DocType: Item,Publish Item to hub.erpnext.com,Δημοσίευση είδους στο hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,Ειδοποιήσεις μέσω email
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Αξιολόγηση
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,Αξιολόγηση
DocType: Item,Default Unit of Measure,Προεπιλεγμένη μονάδα μέτρησης
DocType: SMS Center,All Sales Partner Contact,Όλες οι επαφές συνεργάτη πωλήσεων
DocType: Employee,Leave Approvers,Υπεύθυνοι έγκρισης άδειας
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Ισοτιμία πρέπει να είναι ίδιο με το {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Όνομα πελάτη
DocType: Vehicle,Natural Gas,Φυσικό αέριο
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Ο τραπεζικός λογαριασμός δεν μπορεί να ονομαστεί ως {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Ο τραπεζικός λογαριασμός δεν μπορεί να ονομαστεί ως {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Κύριες εγγραφές (ή ομάδες) κατά τις οποίες δημιουργούνται λογιστικές εγγραφές διατηρούνται υπόλοιπα.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Η εκκρεμότητα για {0} δεν μπορεί να είναι μικρότερη από το μηδέν ( {1} )
DocType: Manufacturing Settings,Default 10 mins,Προεπιλογή 10 λεπτά
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Όλες οι επαφές προμηθευτή
DocType: Support Settings,Support Settings,Ρυθμίσεις υποστήριξη
DocType: SMS Parameter,Parameter,Παράμετρος
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Αναμενόμενη ημερομηνία λήξης δεν μπορεί να είναι μικρότερη από την αναμενόμενη ημερομηνία έναρξης
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Αναμενόμενη ημερομηνία λήξης δεν μπορεί να είναι μικρότερη από την αναμενόμενη ημερομηνία έναρξης
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Σειρά # {0}: Βαθμολογία πρέπει να είναι ίδιο με το {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Νέα αίτηση άδειας
,Batch Item Expiry Status,Παρτίδα Θέση λήξης Κατάσταση
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Τραπεζική επιταγή
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Τραπεζική επιταγή
DocType: Mode of Payment Account,Mode of Payment Account,Λογαριασμός τρόπου πληρωμής
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Προβολή παραλλαγών
DocType: Academic Term,Academic Term,Ακαδημαϊκός Όρος
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Υλικό
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Ποσότητα
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Λογαριασμοί πίνακας δεν μπορεί να είναι κενό.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Δάνεια (παθητικό )
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Δάνεια (παθητικό )
DocType: Employee Education,Year of Passing,Έτος περάσματος
DocType: Item,Country of Origin,Χώρα προέλευσης
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,Σε Απόθεμα
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,Σε Απόθεμα
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Ανοιχτά ζητήματα
DocType: Production Plan Item,Production Plan Item,Είδος σχεδίου παραγωγής
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Ο χρήστης {0} έχει ήδη ανατεθεί στον εργαζομένο {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Υγειονομική περίθαλψη
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Καθυστέρηση στην πληρωμή (Ημέρες)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Δαπάνη παροχής υπηρεσιών
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Σειριακός αριθμός: {0} αναφέρεται ήδη στο Τιμολόγιο Πωλήσεων: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Σειριακός αριθμός: {0} αναφέρεται ήδη στο Τιμολόγιο Πωλήσεων: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Τιμολόγιο
DocType: Maintenance Schedule Item,Periodicity,Περιοδικότητα
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Χρήσεως {0} απαιτείται
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Γραμμή # {0}:
DocType: Timesheet,Total Costing Amount,Σύνολο Κοστολόγηση Ποσό
DocType: Delivery Note,Vehicle No,Αρ. οχήματος
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,Παρακαλώ επιλέξτε τιμοκατάλογο
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Παρακαλώ επιλέξτε τιμοκατάλογο
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Σειρά # {0}: έγγραφο πληρωμή απαιτείται για την ολοκλήρωση της trasaction
DocType: Production Order Operation,Work In Progress,Εργασία σε εξέλιξη
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Παρακαλώ επιλέξτε ημερομηνία
DocType: Employee,Holiday List,Λίστα αργιών
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Λογιστής
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Λογιστής
DocType: Cost Center,Stock User,Χρηματιστήριο χρήστη
DocType: Company,Phone No,Αρ. Τηλεφώνου
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Δρομολόγια φυσικά δημιουργήθηκε:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Νέο {0}: # {1}
,Sales Partners Commission,Προμήθεια συνεργάτη πωλήσεων
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Μια συντομογραφία δεν μπορεί να έχει περισσότερους από 5 χαρακτήρες
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Μια συντομογραφία δεν μπορεί να έχει περισσότερους από 5 χαρακτήρες
DocType: Payment Request,Payment Request,Αίτημα πληρωμής
DocType: Asset,Value After Depreciation,Αξία μετά την απόσβεση
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,ημερομηνία συμμετοχή δεν μπορεί να είναι μικρότερη από την ημερομηνία που ενώνει εργαζομένου
DocType: Grading Scale,Grading Scale Name,Κλίμακα βαθμολόγησης Όνομα
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Αυτό είναι ένας κύριος λογαριασμός και δεν μπορεί να επεξεργαστεί.
+DocType: Sales Invoice,Company Address,Διεύθυνση εταιρείας
DocType: BOM,Operations,Λειτουργίες
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Δεν είναι δυνατός ο ορισμός της άδειας με βάση την έκπτωση για {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Επισυνάψτε αρχείο .csv με δύο στήλες, μία για το παλιό όνομα και μία για το νέο όνομα"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} δεν είναι σε καμία ενεργή χρήση.
DocType: Packed Item,Parent Detail docname,Όνομα αρχείου γονικής λεπτομέρεια
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Αναφορά: {0}, Κωδικός είδους: {1} και Πελάτης: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Kg
DocType: Student Log,Log,Κούτσουρο
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Άνοιγμα θέσης εργασίας.
DocType: Item Attribute,Increment,Προσαύξηση
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Διαφήμιση
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Ίδια Εταιρεία καταχωρήθηκε περισσότερο από μία φορά
DocType: Employee,Married,Παντρεμένος
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Δεν επιτρέπεται η {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Δεν επιτρέπεται η {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Πάρτε τα στοιχεία από
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Το απόθεμα δεν μπορεί να ανανεωθεί σύμφωνα με το δελτίο αποστολής {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Το απόθεμα δεν μπορεί να ανανεωθεί σύμφωνα με το δελτίο αποστολής {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Προϊόν {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Δεν αναγράφονται στοιχεία
DocType: Payment Reconciliation,Reconcile,Συμφωνήστε
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Επόμενο Αποσβέσεις ημερομηνία αυτή δεν μπορεί να είναι πριν από την Ημερομηνία Αγοράς
DocType: SMS Center,All Sales Person,Όλοι οι πωλητές
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Μηνιαία Κατανομή ** σας βοηθά να διανείμετε το Οικονομικό / Target σε όλη μήνες, αν έχετε την εποχικότητα στην επιχείρησή σας."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Δεν βρέθηκαν στοιχεία
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Δεν βρέθηκαν στοιχεία
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Δομή του μισθού που λείπουν
DocType: Lead,Person Name,Όνομα Πρόσωπο
DocType: Sales Invoice Item,Sales Invoice Item,Είδος τιμολογίου πώλησης
DocType: Account,Credit,Πίστωση
DocType: POS Profile,Write Off Cost Center,Κέντρου κόστους διαγραφής
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",π.χ. «Δημοτικό Σχολείο» ή «Πανεπιστήμιο»
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",π.χ. «Δημοτικό Σχολείο» ή «Πανεπιστήμιο»
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Αναφορές απόθεμα
DocType: Warehouse,Warehouse Detail,Λεπτομέρειες αποθήκης
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Το πιστωτικό όριο έχει ξεπεραστεί για τον πελάτη {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Το πιστωτικό όριο έχει ξεπεραστεί για τον πελάτη {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Το τέλος Όρος ημερομηνία δεν μπορεί να είναι μεταγενέστερη της χρονιάς Ημερομηνία Λήξης του Ακαδημαϊκού Έτους στην οποία ο όρος συνδέεται (Ακαδημαϊκό Έτος {}). Διορθώστε τις ημερομηνίες και προσπαθήστε ξανά.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Είναι Παγίων" δεν μπορεί να είναι ανεξέλεγκτη, καθώς υπάρχει Asset ρεκόρ έναντι του στοιχείου"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Είναι Παγίων" δεν μπορεί να είναι ανεξέλεγκτη, καθώς υπάρχει Asset ρεκόρ έναντι του στοιχείου"
DocType: Vehicle Service,Brake Oil,Brake Oil
DocType: Tax Rule,Tax Type,Φορολογική Τύπος
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Δεν επιτρέπεται να προσθέσετε ή να ενημερώσετε τις καταχωρήσεις πριν από {0}
DocType: BOM,Item Image (if not slideshow),Φωτογραφία είδους (αν όχι slideshow)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Υπάρχει πελάτης με το ίδιο όνομα
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Ώρα Βαθμολογήστε / 60) * Πραγματικός χρόνος λειτουργίας
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Επιλέξτε BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Επιλέξτε BOM
DocType: SMS Log,SMS Log,Αρχείο καταγραφής SMS
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Κόστος των προϊόντων που έχουν παραδοθεί
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Οι διακοπές σε {0} δεν είναι μεταξύ Από Ημερομηνία και μέχρι σήμερα
@@ -159,13 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Από {0} έως {1}
DocType: Item,Copy From Item Group,Αντιγραφή από ομάδα ειδών
DocType: Journal Entry,Opening Entry,Αρχική καταχώρηση
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Πελάτης> Ομάδα πελατών> Επικράτεια
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Ο λογαριασμός πληρώνουν μόνο
DocType: Employee Loan,Repay Over Number of Periods,Εξοφλήσει Πάνω αριθμός των περιόδων
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} δεν είναι εγγεγραμμένος στο δεδομένο {2}
DocType: Stock Entry,Additional Costs,Πρόσθετα έξοδα
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Ο λογαριασμός με υπάρχουσα συναλλαγή δεν μπορεί να μετατραπεί σε ομάδα.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Ο λογαριασμός με υπάρχουσα συναλλαγή δεν μπορεί να μετατραπεί σε ομάδα.
DocType: Lead,Product Enquiry,Ερώτηση για προϊόν
DocType: Academic Term,Schools,σχολεία
+DocType: School Settings,Validate Batch for Students in Student Group,Επικύρωση παρτίδας για σπουδαστές σε ομάδα σπουδαστών
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Δεν ρεκόρ άδεια βρέθηκαν για εργαζόμενο {0} για {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Παρακαλώ εισάγετε πρώτα εταιρεία
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Επιλέξτε την εταιρεία πρώτα
@@ -174,48 +176,48 @@
DocType: BOM,Total Cost,Συνολικό κόστος
DocType: Journal Entry Account,Employee Loan,Υπάλληλος Δανείου
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Αρχείο καταγραφής δραστηριότητας:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,Το είδος {0} δεν υπάρχει στο σύστημα ή έχει λήξει
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Το είδος {0} δεν υπάρχει στο σύστημα ή έχει λήξει
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Ακίνητα
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Κατάσταση λογαριασμού
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Φαρμακευτική
DocType: Purchase Invoice Item,Is Fixed Asset,Είναι Παγίων
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Διαθέσιμη ποσότητα είναι {0}, θα πρέπει να έχετε {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Διαθέσιμη ποσότητα είναι {0}, θα πρέπει να έχετε {1}"
DocType: Expense Claim Detail,Claim Amount,Ποσό απαίτησης
-DocType: Employee,Mr,Κ
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Διπλότυπο ομάδα πελατών που βρίσκονται στο τραπέζι ομάδα cutomer
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Τύπος προμηθευτή / προμηθευτής
DocType: Naming Series,Prefix,Πρόθεμα
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Αναλώσιμα
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Αναλώσιμα
DocType: Employee,B-,ΣΙ-
DocType: Upload Attendance,Import Log,Αρχείο καταγραφής εισαγωγής
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Τραβήξτε Υλικό Αίτηση του τύπου Κατασκευή με βάση τα παραπάνω κριτήρια
DocType: Training Result Employee,Grade,Βαθμός
DocType: Sales Invoice Item,Delivered By Supplier,Παραδίδονται από τον προμηθευτή
DocType: SMS Center,All Contact,Όλες οι επαφές
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Παραγγελία Παραγωγή ήδη δημιουργήσει για όλα τα στοιχεία με BOM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Ετήσιος Μισθός
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Παραγγελία Παραγωγή ήδη δημιουργήσει για όλα τα στοιχεία με BOM
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Ετήσιος Μισθός
DocType: Daily Work Summary,Daily Work Summary,Καθημερινή Σύνοψη εργασίας
DocType: Period Closing Voucher,Closing Fiscal Year,Κλείσιμο χρήσης
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,"{0} {1} είναι ""Παγωμένο"""
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Επιλέξτε υφιστάμενης εταιρείας για τη δημιουργία Λογιστικού
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Έξοδα αποθέματος
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,"{0} {1} είναι ""Παγωμένο"""
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Επιλέξτε υφιστάμενης εταιρείας για τη δημιουργία Λογιστικού
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Έξοδα αποθέματος
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Επιλέξτε Target Warehouse
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,"Παρακαλούμε, εισάγετε Ώρες Επικοινωνίας Email"
+DocType: Program Enrollment,School Bus,Σχολικό λεωφορείο
DocType: Journal Entry,Contra Entry,Λογιστική εγγραφή ακύρωσης
DocType: Journal Entry Account,Credit in Company Currency,Πιστωτικές στην Εταιρεία Νόμισμα
DocType: Delivery Note,Installation Status,Κατάσταση εγκατάστασης
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Θέλετε να ενημερώσετε τη συμμετοχή; <br> Παρόν: {0} \ <br> Απών: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Η αποδεκτή + η απορριπτέα ποσότητα πρέπει να είναι ίση με την ληφθείσα ποσότητα για το είδος {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Η αποδεκτή + η απορριπτέα ποσότητα πρέπει να είναι ίση με την ληφθείσα ποσότητα για το είδος {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Παροχή Πρώτων Υλών για Αγορά
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,Τουλάχιστον ένα τρόπο πληρωμής απαιτείται για POS τιμολόγιο.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,Τουλάχιστον ένα τρόπο πληρωμής απαιτείται για POS τιμολόγιο.
DocType: Products Settings,Show Products as a List,Εμφάνιση προϊόντων ως Λίστα
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Κατεβάστε το πρότυπο, συμπληρώστε τα κατάλληλα δεδομένα και επισυνάψτε το τροποποιημένο αρχείο. Όλες οι ημερομηνίες και ο συνδυασμός των υπαλλήλων στην επιλεγμένη περίοδο θα εμφανιστεί στο πρότυπο, με τους υπάρχοντες καταλόγους παρουσίας"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,Το είδος {0} δεν είναι ενεργό ή το τέλος της ζωής έχει περάσει
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Παράδειγμα: Βασικά Μαθηματικά
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Για να περιληφθούν οι φόροι στη γραμμή {0} της τιμής είδους, οι φόροι στις γραμμές {1} πρέπει επίσης να συμπεριληφθούν"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Το είδος {0} δεν είναι ενεργό ή το τέλος της ζωής έχει περάσει
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Παράδειγμα: Βασικά Μαθηματικά
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Για να περιληφθούν οι φόροι στη γραμμή {0} της τιμής είδους, οι φόροι στις γραμμές {1} πρέπει επίσης να συμπεριληφθούν"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Ρυθμίσεις για τη λειτουργική μονάδα HR
DocType: SMS Center,SMS Center,Κέντρο SMS
DocType: Sales Invoice,Change Amount,αλλαγή Ποσό
@@ -225,7 +227,7 @@
DocType: Lead,Request Type,Τύπος αίτησης
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Κάντε Υπάλληλος
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Εκπομπή
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Εκτέλεση
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Εκτέλεση
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Λεπτομέρειες σχετικά με τις λειτουργίες που πραγματοποιούνται.
DocType: Serial No,Maintenance Status,Κατάσταση συντήρησης
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Προμηθευτής υποχρεούται έναντι πληρωμή του λογαριασμού {2}
@@ -253,7 +255,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Το αίτημα για προσφορά μπορεί να προσπελαστεί κάνοντας κλικ στον παρακάτω σύνδεσμο
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Κατανομή αδειών για το έτος
DocType: SG Creation Tool Course,SG Creation Tool Course,ΓΓ Δημιουργία μαθήματος Εργαλείο
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,ανεπαρκής Χρηματιστήριο
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,ανεπαρκής Χρηματιστήριο
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Απενεργοποίηση προγραμματισμός της χωρητικότητας και την παρακολούθηση του χρόνου
DocType: Email Digest,New Sales Orders,Νέες παραγγελίες πωλήσεων
DocType: Bank Guarantee,Bank Account,Τραπεζικός λογαριασμό
@@ -264,8 +266,9 @@
DocType: Production Order Operation,Updated via 'Time Log',Ενημέρωση μέσω 'αρχείου καταγραφής χρονολογίου'
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},ποσό της προκαταβολής δεν μπορεί να είναι μεγαλύτερη από {0} {1}
DocType: Naming Series,Series List for this Transaction,Λίστα σειράς για αυτή τη συναλλαγή
+DocType: Company,Enable Perpetual Inventory,Ενεργοποίηση διαρκούς απογραφής
DocType: Company,Default Payroll Payable Account,Προεπιλογή Μισθοδοσίας με πληρωμή Λογαριασμού
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Ενημέρωση Email Ομάδα
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Ενημέρωση Email Ομάδα
DocType: Sales Invoice,Is Opening Entry,Είναι αρχική καταχώρηση
DocType: Customer Group,Mention if non-standard receivable account applicable,Αναφέρετε αν μη τυποποιημένα εισπρακτέα λογαριασμό εφαρμόζεται
DocType: Course Schedule,Instructor Name,Διδάσκων Ονοματεπώνυμο
@@ -277,13 +280,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Κατά το είδος στο τιμολόγιο πώλησης
,Production Orders in Progress,Εντολές παραγωγής σε εξέλιξη
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Καθαρές ροές από επενδυτικές
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage είναι πλήρης, δεν έσωσε"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage είναι πλήρης, δεν έσωσε"
DocType: Lead,Address & Contact,Διεύθυνση & Επαφή
DocType: Leave Allocation,Add unused leaves from previous allocations,Προσθήκη αχρησιμοποίητα φύλλα από προηγούμενες κατανομές
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Το επόμενο επαναλαμβανόμενο {0} θα δημιουργηθεί στις {1}
DocType: Sales Partner,Partner website,Συνεργαζόμενη διαδικτυακή
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Πρόσθεσε είδος
-,Contact Name,Όνομα επαφής
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Όνομα επαφής
DocType: Course Assessment Criteria,Course Assessment Criteria,Κριτήρια Αξιολόγησης Μαθήματος
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Δημιουργεί βεβαίωση αποδοχών για τα προαναφερόμενα κριτήρια.
DocType: POS Customer Group,POS Customer Group,POS Ομάδα Πελατών
@@ -292,18 +295,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Δεν έχει δοθεί περιγραφή
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Αίτηση αγοράς.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Αυτό βασίζεται στα δελτία χρόνου εργασίας που δημιουργήθηκαν κατά του σχεδίου αυτού
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Καθαρές αποδοχές δεν μπορεί να είναι μικρότερη από 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Καθαρές αποδοχές δεν μπορεί να είναι μικρότερη από 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Μόνο ο επιλεγμένος υπεύθυνος έγκρισης άδειας μπορεί να υποβάλλει αυτήν την αίτηση άδειας
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Η ημερομηνία απαλλαγής πρέπει να είναι μεταγενέστερη από την ημερομηνία ένταξης
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Αφήνει ανά έτος
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Αφήνει ανά έτος
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Γραμμή {0}: παρακαλώ επιλέξτε το «είναι προκαταβολή» έναντι του λογαριασμού {1} αν αυτό είναι μια καταχώρηση προκαταβολής.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Η αποθήκη {0} δεν ανήκει στην εταιρεία {1}
DocType: Email Digest,Profit & Loss,Απώλειες κερδών
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Λίτρο
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Λίτρο
DocType: Task,Total Costing Amount (via Time Sheet),Σύνολο Κοστολόγηση Ποσό (μέσω Ώρα Φύλλο)
DocType: Item Website Specification,Item Website Specification,Προδιαγραφή ιστότοπου για το είδος
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Η άδεια εμποδίστηκε
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Το είδος {0} έχει φτάσει στο τέλος της διάρκειας ζωής του στο {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Το είδος {0} έχει φτάσει στο τέλος της διάρκειας ζωής του στο {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Τράπεζα Καταχωρήσεις
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Ετήσιος
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Είδος συμφωνίας αποθέματος
@@ -311,9 +314,9 @@
DocType: Material Request Item,Min Order Qty,Ελάχιστη ποσότητα παραγγελίας
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Μάθημα Ομάδα μαθητή Εργαλείο Δημιουργίας
DocType: Lead,Do Not Contact,Μην επικοινωνείτε
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,Οι άνθρωποι που διδάσκουν σε οργανισμό σας
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,Οι άνθρωποι που διδάσκουν σε οργανισμό σας
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Το μοναδικό αναγνωριστικό για την παρακολούθηση όλων των επαναλαμβανόμενων τιμολογίων. Παράγεται με την υποβολή.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Προγραμματιστής
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Προγραμματιστής
DocType: Item,Minimum Order Qty,Ελάχιστη ποσότητα παραγγελίας
DocType: Pricing Rule,Supplier Type,Τύπος προμηθευτή
DocType: Course Scheduling Tool,Course Start Date,Φυσικά Ημερομηνία Έναρξης
@@ -322,11 +325,11 @@
DocType: Item,Publish in Hub,Δημοσίευση στο hub
DocType: Student Admission,Student Admission,Η είσοδος φοιτητής
,Terretory,Περιοχή
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Το είδος {0} είναι ακυρωμένο
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Το είδος {0} είναι ακυρωμένο
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Αίτηση υλικού
DocType: Bank Reconciliation,Update Clearance Date,Ενημέρωση ημερομηνίας εκκαθάρισης
DocType: Item,Purchase Details,Λεπτομέρειες αγοράς
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Θέση {0} δεν βρέθηκε στο «πρώτες ύλες που προμηθεύεται« πίνακα Εντολή Αγοράς {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Θέση {0} δεν βρέθηκε στο «πρώτες ύλες που προμηθεύεται« πίνακα Εντολή Αγοράς {1}
DocType: Employee,Relation,Σχέση
DocType: Shipping Rule,Worldwide Shipping,Παγκόσμια ναυτιλία
DocType: Student Guardian,Mother,Μητέρα
@@ -345,6 +348,7 @@
DocType: Student Group Student,Student Group Student,Ομάδα Φοιτητών Φοιτητής
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Το πιο πρόσφατο
DocType: Vehicle Service,Inspection,Επιθεώρηση
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Λίστα
DocType: Email Digest,New Quotations,Νέες προσφορές
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Emails εκκαθαριστικό σημείωμα αποδοχών σε εργαζόμενο με βάση την προτιμώμενη email επιλέγονται Εργαζομένων
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,Ο πρώτος υπεύθυνος αδειών στον κατάλογο θα οριστεί ως ο προεπιλεγμένος υπεύθυνος αδειών
@@ -353,20 +357,20 @@
DocType: Asset,Next Depreciation Date,Επόμενο Ημερομηνία Αποσβέσεις
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Δραστηριότητα κόστος ανά εργαζόμενο
DocType: Accounts Settings,Settings for Accounts,Ρυθμίσεις για τους λογαριασμούς
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Προμηθευτής τιμολόγιο αριθ υπάρχει στην Αγορά Τιμολόγιο {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Προμηθευτής τιμολόγιο αριθ υπάρχει στην Αγορά Τιμολόγιο {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Διαχειριστείτε το δέντρο πωλητών.
DocType: Job Applicant,Cover Letter,συνοδευτική επιστολή
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Εξαιρετική επιταγές και καταθέσεις για να καθαρίσετε
DocType: Item,Synced With Hub,Συγχρονίστηκαν με το Hub
DocType: Vehicle,Fleet Manager,στόλου Διευθυντής
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} δεν μπορεί να είναι αρνητικό για το στοιχείο {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Λάθος Κωδικός
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Λάθος Κωδικός
DocType: Item,Variant Of,Παραλλαγή του
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',Η ολοκληρωμένη ποσότητα δεν μπορεί να είναι μεγαλύτερη από την «ποσότητα για κατασκευή»
DocType: Period Closing Voucher,Closing Account Head,Κλείσιμο κύριας εγγραφής λογαριασμού
DocType: Employee,External Work History,Ιστορικό εξωτερικής εργασίας
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Κυκλικού λάθους Αναφορά
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Όνομα Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Όνομα Guardian1
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Με λόγια (εξαγωγή) θα είναι ορατά αφού αποθηκεύσετε το δελτίο αποστολής.
DocType: Cheque Print Template,Distance from left edge,Απόσταση από το αριστερό άκρο
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} μονάδες [{1}] (# έντυπο / Θέση / {1}) βρίσκονται στο [{2}] (# έντυπο / Αποθήκη / {2})
@@ -375,11 +379,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Ειδοποίηση μέσω email σχετικά με την αυτόματη δημιουργία αιτήσης υλικού
DocType: Journal Entry,Multi Currency,Πολλαπλό Νόμισμα
DocType: Payment Reconciliation Invoice,Invoice Type,Τύπος τιμολογίου
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Δελτίο αποστολής
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Δελτίο αποστολής
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Ρύθμιση Φόροι
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Κόστος πωληθέντων περιουσιακών στοιχείων
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,Η καταχώηρση πληρωμής έχει τροποποιηθεί μετά την λήψη της. Παρακαλώ επαναλάβετε τη λήψη.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,Το {0} εισήχθηκε δύο φορές στο φόρο είδους
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Η καταχώηρση πληρωμής έχει τροποποιηθεί μετά την λήψη της. Παρακαλώ επαναλάβετε τη λήψη.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,Το {0} εισήχθηκε δύο φορές στο φόρο είδους
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Περίληψη για αυτή την εβδομάδα και εν αναμονή δραστηριότητες
DocType: Student Applicant,Admitted,Παράδεκτος
DocType: Workstation,Rent Cost,Κόστος ενοικίασης
@@ -397,25 +401,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Παρακαλώ εισάγετε τιμή στο πεδίο 'επανάληψη για την ημέρα του μήνα'
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Ισοτιμία με την οποία το νόμισμα του πελάτη μετατρέπεται στο βασικό νόμισμα του πελάτη
DocType: Course Scheduling Tool,Course Scheduling Tool,Φυσικά εργαλείο προγραμματισμού
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Σειρά # {0}: Αγορά Τιμολόγιο δεν μπορεί να γίνει κατά ένα υπάρχον στοιχείο {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Σειρά # {0}: Αγορά Τιμολόγιο δεν μπορεί να γίνει κατά ένα υπάρχον στοιχείο {1}
DocType: Item Tax,Tax Rate,Φορολογικός συντελεστής
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} έχει ήδη διατεθεί υπάλληλου {1} για χρονικό διάστημα {2} σε {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Επιλέξτε Προϊόν
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Το τιμολογίου αγοράς {0} έχει ήδη υποβληθεί
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Το τιμολογίου αγοράς {0} έχει ήδη υποβληθεί
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Σειρά # {0}: Παρτίδα Δεν πρέπει να είναι ίδιο με το {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Μετατροπή σε μη-Group
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Παρτίδας (lot) ενός είδους.
DocType: C-Form Invoice Detail,Invoice Date,Ημερομηνία τιμολογίου
DocType: GL Entry,Debit Amount,Χρεωστικό ποσό
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Μπορεί να υπάρχει μόνο 1 λογαριασμός ανά εταιρεία σε {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,Παρακαλώ δείτε συνημμένο
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Μπορεί να υπάρχει μόνο 1 λογαριασμός ανά εταιρεία σε {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,Παρακαλώ δείτε συνημμένο
DocType: Purchase Order,% Received,% Παραλήφθηκε
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Δημιουργία Ομάδων Φοιτητών
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Η εγκατάσταση έχει ήδη ολοκληρωθεί!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Ποσό πιστωτικής σημείωσης
,Finished Goods,Έτοιμα προϊόντα
DocType: Delivery Note,Instructions,Οδηγίες
DocType: Quality Inspection,Inspected By,Επιθεωρήθηκε από
DocType: Maintenance Visit,Maintenance Type,Τύπος συντήρησης
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} δεν είναι εγγεγραμμένος στο μάθημα {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Ο σειριακός αριθμός {0} δεν ανήκει στο δελτίο αποστολής {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Προσθήκη Ειδών
@@ -436,7 +442,7 @@
DocType: Request for Quotation,Request for Quotation,Αίτηση για προσφορά
DocType: Salary Slip Timesheet,Working Hours,Ώρες εργασίας
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Αλλάξτε τον αρχικό/τρέχων αύξοντα αριθμός μιας υπάρχουσας σειράς.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Δημιουργήστε ένα νέο πελάτη
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Δημιουργήστε ένα νέο πελάτη
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Αν υπάρχουν πολλοί κανόνες τιμολόγησης που συνεχίζουν να επικρατούν, οι χρήστες καλούνται να ορίσουν προτεραιότητα χειρονακτικά για την επίλυση των διενέξεων."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Δημιουργία Εντολών Αγοράς
,Purchase Register,Ταμείο αγορών
@@ -448,7 +454,7 @@
DocType: Student Log,Medical,Ιατρικός
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Αιτιολογία απώλειας
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Ο μόλυβδος Ιδιοκτήτης δεν μπορεί να είναι ίδιο με το μόλυβδο
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,Χορηγούμενο ποσό δεν μπορεί να είναι μεγαλύτερη από το μη διορθωμένο ποσό
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,Χορηγούμενο ποσό δεν μπορεί να είναι μεγαλύτερη από το μη διορθωμένο ποσό
DocType: Announcement,Receiver,Δέκτης
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Ο σταθμός εργασίας είναι κλειστός κατά τις ακόλουθες ημερομηνίες σύμφωνα με τη λίστα αργιών: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Ευκαιρίες
@@ -462,8 +468,7 @@
DocType: Assessment Plan,Examiner Name,Όνομα εξεταστής
DocType: Purchase Invoice Item,Quantity and Rate,Ποσότητα και τιμή
DocType: Delivery Note,% Installed,% Εγκατεστημένο
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,Αίθουσες διδασκαλίας / εργαστήρια κ.λπ. όπου μπορεί να προγραμματιστεί διαλέξεις.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Προμηθευτής> Τύπος προμηθευτή
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,Αίθουσες διδασκαλίας / εργαστήρια κ.λπ. όπου μπορεί να προγραμματιστεί διαλέξεις.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Παρακαλώ εισάγετε πρώτα το όνομα της εταιρείας
DocType: Purchase Invoice,Supplier Name,Όνομα προμηθευτή
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Διαβάστε το Εγχειρίδιο ERPNext
@@ -473,7 +478,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Ελέγξτε Προμηθευτής Αριθμός Τιμολογίου Μοναδικότητα
DocType: Vehicle Service,Oil Change,Αλλαγή λαδιών
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.',Το πεδίο έως αριθμό υπόθεσης δεν μπορεί να είναι μικρότερο του πεδίου από αριθμό υπόθεσης
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Μη κερδοσκοπικός
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Μη κερδοσκοπικός
DocType: Production Order,Not Started,Δεν έχει ξεκινήσει
DocType: Lead,Channel Partner,Συνεργάτης καναλιού
DocType: Account,Old Parent,Παλαιός γονέας
@@ -483,19 +488,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Παγκόσμια ρυθμίσεις για όλες τις διαδικασίες κατασκευής.
DocType: Accounts Settings,Accounts Frozen Upto,Παγωμένοι λογαριασμοί μέχρι
DocType: SMS Log,Sent On,Εστάλη στις
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Χαρακτηριστικό {0} πολλές φορές σε πίνακα Χαρακτηριστικά
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Χαρακτηριστικό {0} πολλές φορές σε πίνακα Χαρακτηριστικά
DocType: HR Settings,Employee record is created using selected field. ,Η Εγγραφή υπαλλήλου δημιουργείται χρησιμοποιώντας το επιλεγμένο πεδίο.
DocType: Sales Order,Not Applicable,Μη εφαρμόσιμο
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Κύρια εγγραφή αργιών.
DocType: Request for Quotation Item,Required Date,Απαιτούμενη ημερομηνία
DocType: Delivery Note,Billing Address,Διεύθυνση χρέωσης
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Παρακαλώ εισάγετε κωδικό είδους.
DocType: BOM,Costing,Κοστολόγηση
DocType: Tax Rule,Billing County,County χρέωσης
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Εάν είναι επιλεγμένο, το ποσό του φόρου θα πρέπει να θεωρείται ότι έχει ήδη συμπεριληφθεί στην τιμή / ποσό εκτύπωσης"
DocType: Request for Quotation,Message for Supplier,Μήνυμα για την Προμηθευτής
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Συνολική ποσότητα
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Όνομα ταυτότητας ηλεκτρονικού ταχυδρομείου Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Όνομα ταυτότητας ηλεκτρονικού ταχυδρομείου Guardian2
DocType: Item,Show in Website (Variant),Εμφάνιση στην ιστοσελίδα (Παραλλαγή)
DocType: Employee,Health Concerns,Ανησυχίες για την υγεία
DocType: Process Payroll,Select Payroll Period,Επιλέξτε Περίοδο Μισθοδοσίας
@@ -513,25 +517,27 @@
DocType: Sales Order Item,Used for Production Plan,Χρησιμοποιείται για το σχέδιο παραγωγής
DocType: Employee Loan,Total Payment,Σύνολο πληρωμών
DocType: Manufacturing Settings,Time Between Operations (in mins),Χρόνου μεταξύ των λειτουργιών (σε λεπτά)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"Η {0} {1} ακυρώνεται, επομένως η ενέργεια δεν μπορεί να ολοκληρωθεί"
DocType: Customer,Buyer of Goods and Services.,Αγοραστής αγαθών και υπηρεσιών.
DocType: Journal Entry,Accounts Payable,Πληρωτέοι λογαριασμοί
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Τα επιλεγμένα BOMs δεν είναι για το ίδιο στοιχείο
DocType: Pricing Rule,Valid Upto,Ισχύει μέχρι
DocType: Training Event,Workshop,Συνεργείο
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Απαριθμήστε μερικούς από τους πελάτες σας. Θα μπορούσαν να είναι φορείς ή ιδιώτες.
-,Enough Parts to Build,Αρκετά τμήματα για να χτίσει
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Άμεσα έσοδα
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Απαριθμήστε μερικούς από τους πελάτες σας. Θα μπορούσαν να είναι φορείς ή ιδιώτες.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Αρκετά τμήματα για να χτίσει
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Άμεσα έσοδα
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Δεν μπορείτε να φιλτράρετε με βάση λογαριασμό, εάν είναι ομαδοποιημένες ανά λογαριασμό"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Διοικητικός λειτουργός
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Επιλέξτε Course
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Διοικητικός λειτουργός
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Επιλέξτε Course
DocType: Timesheet Detail,Hrs,ώρες
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Επιλέξτε Εταιρεία
DocType: Stock Entry Detail,Difference Account,Λογαριασμός διαφορών
+DocType: Purchase Invoice,Supplier GSTIN,Προμηθευτής GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Δεν μπορεί να κλείσει το έργο ως εξαρτώμενη εργασία του {0} δεν έχει κλείσει.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Παρακαλώ εισάγετε αποθήκη για την οποία θα δημιουργηθεί η αίτηση υλικού
DocType: Production Order,Additional Operating Cost,Πρόσθετο λειτουργικό κόστος
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Καλλυντικά
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Για τη συγχώνευση, οι ακόλουθες ιδιότητες πρέπει να είναι ίδιες για τα δύο είδη"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Για τη συγχώνευση, οι ακόλουθες ιδιότητες πρέπει να είναι ίδιες για τα δύο είδη"
DocType: Shipping Rule,Net Weight,Καθαρό βάρος
DocType: Employee,Emergency Phone,Τηλέφωνο έκτακτης ανάγκης
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Αγορά
@@ -540,14 +546,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Ορίστε βαθμό για το όριο 0%
DocType: Sales Order,To Deliver,Να Παραδώσει
DocType: Purchase Invoice Item,Item,Είδος
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Serial κανένα στοιχείο δεν μπορεί να είναι ένα κλάσμα
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Serial κανένα στοιχείο δεν μπορεί να είναι ένα κλάσμα
DocType: Journal Entry,Difference (Dr - Cr),Διαφορά ( dr - cr )
DocType: Account,Profit and Loss,Κέρδη και ζημιές
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Διαχείριση της υπεργολαβίας
DocType: Project,Project will be accessible on the website to these users,Του έργου θα είναι προσβάσιμη στην ιστοσελίδα του σε αυτούς τους χρήστες
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Ισοτιμία με την οποία το νόμισμα τιμοκαταλόγου μετατρέπεται στο βασικό νόμισμα της εταιρείας
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Ο λογαριασμός {0} δεν ανήκει στην εταιρεία: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Σύντμηση που χρησιμοποιείται ήδη για μια άλλη εταιρεία
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Ο λογαριασμός {0} δεν ανήκει στην εταιρεία: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Σύντμηση που χρησιμοποιείται ήδη για μια άλλη εταιρεία
DocType: Selling Settings,Default Customer Group,Προεπιλεγμένη ομάδα πελατών
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Αν είναι απενεργοποιημένο, το πεδίο στρογγυλοποιημένο σύνολο δεν θα είναι ορατό σε καμμία συναλλαγή"
DocType: BOM,Operating Cost,Λειτουργικό κόστος
@@ -555,7 +561,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Προσαύξηση δεν μπορεί να είναι 0
DocType: Production Planning Tool,Material Requirement,Απαίτηση υλικού
DocType: Company,Delete Company Transactions,Διαγραφή Συναλλαγές Εταιρείας
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Αριθμός αναφοράς και ημερομηνία αναφοράς είναι υποχρεωτική για την Τράπεζα συναλλαγών
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Αριθμός αναφοράς και ημερομηνία αναφοράς είναι υποχρεωτική για την Τράπεζα συναλλαγών
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Προσθήκη / επεξεργασία φόρων και επιβαρύνσεων
DocType: Purchase Invoice,Supplier Invoice No,Αρ. τιμολογίου του προμηθευτή
DocType: Territory,For reference,Για αναφορά
@@ -566,22 +572,22 @@
DocType: Installation Note Item,Installation Note Item,Είδος σημείωσης εγκατάστασης
DocType: Production Plan Item,Pending Qty,Εν αναμονή Ποσότητα
DocType: Budget,Ignore,Αγνοήστε
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} δεν είναι ενεργή
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} δεν είναι ενεργή
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS αποστέλλονται στην παρακάτω αριθμούς: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,διαστάσεις Ελέγξτε τις ρυθμίσεις για εκτύπωση
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,διαστάσεις Ελέγξτε τις ρυθμίσεις για εκτύπωση
DocType: Salary Slip,Salary Slip Timesheet,Μισθός Slip Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Η αποθήκη προμηθευτή είναι απαραίτητη για το δελτίο παραλαβής από υπερεργολάβο
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Η αποθήκη προμηθευτή είναι απαραίτητη για το δελτίο παραλαβής από υπερεργολάβο
DocType: Pricing Rule,Valid From,Ισχύει από
DocType: Sales Invoice,Total Commission,Συνολική προμήθεια
DocType: Pricing Rule,Sales Partner,Συνεργάτης πωλήσεων
DocType: Buying Settings,Purchase Receipt Required,Απαιτείται αποδεικτικό παραλαβής αγοράς
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,Αποτίμηση Rate είναι υποχρεωτική εάν εισέλθει Άνοιγμα Χρηματιστήριο
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,Αποτίμηση Rate είναι υποχρεωτική εάν εισέλθει Άνοιγμα Χρηματιστήριο
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Δεν βρέθηκαν εγγραφές στον πίνακα τιμολογίων
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Παρακαλώ επιλέξτε πρώτα εταιρεία και τύπο συμβαλλόμενου
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Οικονομικό / λογιστικό έτος.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Οικονομικό / λογιστικό έτος.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,συσσωρευμένες Αξίες
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Λυπούμαστε, οι σειριακοί αρ. δεν μπορούν να συγχωνευθούν"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Δημιούργησε παραγγελία πώλησης
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Δημιούργησε παραγγελία πώλησης
DocType: Project Task,Project Task,Πρόγραμμα εργασιών
,Lead Id,ID Σύστασης
DocType: C-Form Invoice Detail,Grand Total,Γενικό σύνολο
@@ -598,7 +604,7 @@
DocType: Job Applicant,Resume Attachment,Συνέχιση Συνημμένο
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Επαναλαμβανόμενοι πελάτες
DocType: Leave Control Panel,Allocate,Κατανομή
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Επιστροφή πωλήσεων
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Επιστροφή πωλήσεων
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Σημείωση: Σύνολο των κατανεμημένων φύλλα {0} δεν πρέπει να είναι μικρότερη από τα φύλλα που έχουν ήδη εγκριθεί {1} για την περίοδο
DocType: Announcement,Posted By,Αναρτήθηκε από
DocType: Item,Delivered by Supplier (Drop Ship),Δημοσιεύθηκε από τον Προμηθευτή (Drop Ship)
@@ -608,8 +614,8 @@
DocType: Quotation,Quotation To,Προσφορά προς
DocType: Lead,Middle Income,Μέσα έσοδα
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Άνοιγμα ( cr )
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Προεπιλεγμένη μονάδα μέτρησης για τη θέση {0} δεν μπορεί να αλλάξει άμεσα, επειδή έχετε ήδη κάνει κάποια συναλλαγή (ες) με μια άλλη UOM. Θα χρειαστεί να δημιουργήσετε ένα νέο σημείο για να χρησιμοποιήσετε ένα διαφορετικό Προεπιλογή UOM."
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Το χορηγούμενο ποσό δεν μπορεί να είναι αρνητικό
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Προεπιλεγμένη μονάδα μέτρησης για τη θέση {0} δεν μπορεί να αλλάξει άμεσα, επειδή έχετε ήδη κάνει κάποια συναλλαγή (ες) με μια άλλη UOM. Θα χρειαστεί να δημιουργήσετε ένα νέο σημείο για να χρησιμοποιήσετε ένα διαφορετικό Προεπιλογή UOM."
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Το χορηγούμενο ποσό δεν μπορεί να είναι αρνητικό
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Ρυθμίστε την εταιρεία
DocType: Purchase Order Item,Billed Amt,Χρεωμένο ποσό
DocType: Training Result Employee,Training Result Employee,Εκπαίδευση Εργαζομένων Αποτέλεσμα
@@ -621,7 +627,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Επιλέξτε Λογαριασμός Πληρωμή να κάνουν Τράπεζα Έναρξη
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Δημιουργήστε τα αρχεία των εργαζομένων για τη διαχείριση των φύλλων, οι δηλώσεις εξόδων και μισθοδοσίας"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Προσθήκη στη Γνωσιακή Βάση
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Συγγραφή πρότασης
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Συγγραφή πρότασης
DocType: Payment Entry Deduction,Payment Entry Deduction,Έκπτωση Έναρξη Πληρωμής
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Ένα άλλο πρόσωπο Πωλήσεις {0} υπάρχει με την ίδια ταυτότητα υπαλλήλου
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Αν επιλεγεί, οι πρώτες ύλες για τα είδη που είναι σε υπεργολάβο θα συμπεριληφθούν στο υλικό Αιτήσεις"
@@ -635,7 +641,7 @@
DocType: Timesheet,Billed,Χρεώνεται
DocType: Batch,Batch Description,Περιγραφή παρτίδας
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Δημιουργία ομάδων σπουδαστών
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Πληρωμή Gateway Ο λογαριασμός δεν δημιουργήθηκε, παρακαλούμε δημιουργήστε ένα χέρι."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Πληρωμή Gateway Ο λογαριασμός δεν δημιουργήθηκε, παρακαλούμε δημιουργήστε ένα χέρι."
DocType: Sales Invoice,Sales Taxes and Charges,Φόροι και επιβαρύνσεις πωλήσεων
DocType: Employee,Organization Profile,Προφίλ οργανισμού
DocType: Student,Sibling Details,Αδέλφια Λεπτομέρειες
@@ -657,11 +663,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Καθαρή Αλλαγή στο Απογραφή
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Διαχείριση Δανείων των εργαζομένων
DocType: Employee,Passport Number,Αριθμός διαβατηρίου
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Σχέση με Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Προϊστάμενος
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Σχέση με Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Προϊστάμενος
DocType: Payment Entry,Payment From / To,Πληρωμή Από / Προς
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Νέο πιστωτικό όριο είναι μικρότερο από το τρέχον οφειλόμενο ποσό για τον πελάτη. Πιστωτικό όριο πρέπει να είναι atleast {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Το ίδιο είδος έχει εισαχθεί πολλές φορές.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Νέο πιστωτικό όριο είναι μικρότερο από το τρέχον οφειλόμενο ποσό για τον πελάτη. Πιστωτικό όριο πρέπει να είναι atleast {0}
DocType: SMS Settings,Receiver Parameter,Παράμετρος παραλήπτη
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,Τα πεδία με βάση και ομαδοποίηση κατά δεν μπορεί να είναι ίδια
DocType: Sales Person,Sales Person Targets,Στόχοι πωλητή
@@ -670,8 +675,9 @@
DocType: Issue,Resolution Date,Ημερομηνία επίλυσης
DocType: Student Batch Name,Batch Name,παρτίδα Όνομα
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Φύλλο κατανομής χρόνου δημιουργήθηκε:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},Παρακαλώ ορίστε τον προεπιλεγμένο λογιαριασμό μετρητών ή τραπέζης στον τρόπο πληρωμής {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Παρακαλώ ορίστε τον προεπιλεγμένο λογιαριασμό μετρητών ή τραπέζης στον τρόπο πληρωμής {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Εγγράφω
+DocType: GST Settings,GST Settings,Ρυθμίσεις GST
DocType: Selling Settings,Customer Naming By,Ονομασία πελάτη από
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Θα δείξει το μαθητή ως Παρόντες στη Φοιτητική Μηνιαία Έκθεση Συμμετοχή
DocType: Depreciation Schedule,Depreciation Amount,αποσβέσεις Ποσό
@@ -693,6 +699,7 @@
DocType: Item,Material Transfer,Μεταφορά υλικού
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Άνοιγμα ( dr )
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Η χρονοσήμανση αποστολής πρέπει να είναι μεταγενέστερη της {0}
+,GST Itemised Purchase Register,Μητρώο αγορών στοιχείων GST
DocType: Employee Loan,Total Interest Payable,Σύνολο Τόκοι πληρωτέοι
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Φόροι και εβπιβαρύνσεις κόστους αποστολής εμπορευμάτων
DocType: Production Order Operation,Actual Start Time,Πραγματική ώρα έναρξης
@@ -719,10 +726,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
DocType: Account,Accounts,Λογαριασμοί
DocType: Vehicle,Odometer Value (Last),Οδόμετρο Αξία (Τελευταία)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Έναρξη Πληρωμής έχει ήδη δημιουργηθεί
DocType: Purchase Receipt Item Supplied,Current Stock,Τρέχον απόθεμα
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Σειρά # {0}: Asset {1} δεν συνδέεται στη θέση {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Σειρά # {0}: Asset {1} δεν συνδέεται στη θέση {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Preview Μισθός Slip
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Ο λογαριασμός {0} έχει τεθεί πολλές φορές
DocType: Account,Expenses Included In Valuation,Δαπάνες που περιλαμβάνονται στην αποτίμηση
@@ -730,7 +737,7 @@
,Absent Student Report,Απών Έκθεση Φοιτητών
DocType: Email Digest,Next email will be sent on:,Το επόμενο μήνυμα email θα αποσταλεί στις:
DocType: Offer Letter Term,Offer Letter Term,Προσφορά Επιστολή Όρος
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Στοιχείο έχει παραλλαγές.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Στοιχείο έχει παραλλαγές.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Το είδος {0} δεν βρέθηκε
DocType: Bin,Stock Value,Αξία των αποθεμάτων
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Η εταιρεία {0} δεν υπάρχει
@@ -739,7 +746,7 @@
DocType: Serial No,Warranty Expiry Date,Ημερομηνία λήξης εγγύησης
DocType: Material Request Item,Quantity and Warehouse,Ποσότητα και αποθήκη
DocType: Sales Invoice,Commission Rate (%),Ποσοστό (%) προμήθειας
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Επιλέξτε Προγράμματα
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Επιλέξτε Προγράμματα
DocType: Project,Estimated Cost,Εκτιμώμενο κόστος
DocType: Purchase Order,Link to material requests,Σύνδεσμος για το υλικό των αιτήσεων
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Αεροδιάστημα
@@ -753,14 +760,14 @@
DocType: Purchase Order,Supply Raw Materials,Παροχή Πρώτων Υλών
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,Η ημερομηνία κατά την οποία θα δημιουργηθεί το επόμενο τιμολόγιο. Δημιουργείται με την υποβολή.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Τρέχον ενεργητικό
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,Το {0} δεν είναι ένα αποθηκεύσιμο είδος
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,Το {0} δεν είναι ένα αποθηκεύσιμο είδος
DocType: Mode of Payment Account,Default Account,Προεπιλεγμένος λογαριασμός
DocType: Payment Entry,Received Amount (Company Currency),Ελήφθη Ποσό (Εταιρεία νομίσματος)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,Η Σύσταση πρέπει να οριστεί αν η Ευκαιρία προέρχεται από Σύσταση
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,Παρακαλώ επιλέξτε εβδομαδιαίο ρεπό
DocType: Production Order Operation,Planned End Time,Προγραμματισμένη ώρα λήξης
,Sales Person Target Variance Item Group-Wise,Εύρος στόχου πωλητή ανά ομάδα είδους
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Ο λογαριασμός με υπάρχουσα συναλλαγή δεν μπορεί να μετατραπεί σε καθολικό
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Ο λογαριασμός με υπάρχουσα συναλλαγή δεν μπορεί να μετατραπεί σε καθολικό
DocType: Delivery Note,Customer's Purchase Order No,Αρ. παραγγελίας αγοράς πελάτη
DocType: Budget,Budget Against,προϋπολογισμού κατά
DocType: Employee,Cell Number,Αριθμός κινητού
@@ -772,15 +779,13 @@
DocType: Opportunity,Opportunity From,Ευκαιρία από
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Μηνιαία κατάσταση μισθοδοσίας.
DocType: BOM,Website Specifications,Προδιαγραφές δικτυακού τόπου
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Ρυθμίστε την σειρά αρίθμησης για τη συμμετοχή μέσω του προγράμματος Εγκατάστασης> Σειρά αρίθμησης
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Από {0} του τύπου {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Γραμμή {0}: ο συντελεστής μετατροπής είναι υποχρεωτικός
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Γραμμή {0}: ο συντελεστής μετατροπής είναι υποχρεωτικός
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Πολλαπλές Κανόνες Τιμή υπάρχει με τα ίδια κριτήρια, παρακαλούμε επίλυση των συγκρούσεων με την ανάθεση προτεραιότητα. Κανόνες Τιμή: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,Δεν είναι δυνατή η απενεργοποίηση ή ακύρωση της Λ.Υ. γιατί συνδέεται με άλλες Λ.Υ.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Πολλαπλές Κανόνες Τιμή υπάρχει με τα ίδια κριτήρια, παρακαλούμε επίλυση των συγκρούσεων με την ανάθεση προτεραιότητα. Κανόνες Τιμή: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Δεν είναι δυνατή η απενεργοποίηση ή ακύρωση της Λ.Υ. γιατί συνδέεται με άλλες Λ.Υ.
DocType: Opportunity,Maintenance,Συντήρηση
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Ο αριθμός αποδεικτικού παραλαβής αγοράς για το είδος {0} είναι απαραίτητος
DocType: Item Attribute Value,Item Attribute Value,Τιμή χαρακτηριστικού είδους
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Εκστρατείες πωλήσεων.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Κάντε Timesheet
@@ -832,29 +837,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Asset διαλυθεί μέσω Εφημερίδα Έναρξη {0}
DocType: Employee Loan,Interest Income Account,Ο λογαριασμός Έσοδα από Τόκους
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Βιοτεχνολογία
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Δαπάνες συντήρησης γραφείου
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Δαπάνες συντήρησης γραφείου
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Ρύθμιση λογαριασμού ηλεκτρονικού ταχυδρομείου
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Παρακαλώ εισάγετε πρώτα το είδος
DocType: Account,Liability,Υποχρέωση
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Κυρώσεις Το ποσό δεν μπορεί να είναι μεγαλύτερη από την αξίωση Ποσό στη σειρά {0}.
DocType: Company,Default Cost of Goods Sold Account,Προεπιλογή Κόστος Πωληθέντων Λογαριασμού
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Ο τιμοκατάλογος δεν έχει επιλεγεί
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Ο τιμοκατάλογος δεν έχει επιλεγεί
DocType: Employee,Family Background,Ιστορικό οικογένειας
DocType: Request for Quotation Supplier,Send Email,Αποστολή email
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Προειδοποίηση: Μη έγκυρη Συνημμένο {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Προειδοποίηση: Μη έγκυρη Συνημμένο {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Δεν έχετε άδεια
DocType: Company,Default Bank Account,Προεπιλεγμένος τραπεζικός λογαριασμός
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Για να φιλτράρετε με βάση Κόμμα, επιλέξτε Τύπος Πάρτυ πρώτα"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"«Ενημέρωση Αποθήκες» δεν μπορεί να ελεγχθεί, διότι τα στοιχεία δεν παραδίδονται μέσω {0}"
DocType: Vehicle,Acquisition Date,Ημερομηνία απόκτησης
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Αριθμοί
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Αριθμοί
DocType: Item,Items with higher weightage will be shown higher,Τα στοιχεία με υψηλότερες weightage θα δείξει υψηλότερη
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Λεπτομέρειες συμφωνίας τραπεζικού λογαριασμού
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Σειρά # {0}: Asset {1} πρέπει να υποβληθούν
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Σειρά # {0}: Asset {1} πρέπει να υποβληθούν
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Δεν βρέθηκε υπάλληλος
DocType: Supplier Quotation,Stopped,Σταματημένη
DocType: Item,If subcontracted to a vendor,Αν υπεργολαβία σε έναν πωλητή
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Η ομάδα σπουδαστών έχει ήδη ενημερωθεί.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Η ομάδα σπουδαστών έχει ήδη ενημερωθεί.
DocType: SMS Center,All Customer Contact,Όλες οι επαφές πελάτη
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Ανεβάστε υπόλοιπο αποθεμάτων μέσω csv.
DocType: Warehouse,Tree Details,δέντρο Λεπτομέρειες
@@ -866,13 +871,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Κέντρο Κόστους {2} δεν ανήκει στην εταιρεία {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Ο λογαριασμός {2} δεν μπορεί να είναι μια ομάδα
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Στοιχείο Σειρά {idx}: {doctype} {docname} δεν υπάρχει στην παραπάνω »{doctype} 'τραπέζι
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Φύλλο κατανομής χρόνου {0} έχει ήδη ολοκληρωθεί ή ακυρωθεί
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Φύλλο κατανομής χρόνου {0} έχει ήδη ολοκληρωθεί ή ακυρωθεί
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Δεν καθήκοντα
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Η ημέρα του μήνα κατά την οποίο θα δημιουργηθεί το αυτοματοποιημένο τιμολόγιο, π.Χ. 05, 28 Κλπ"
DocType: Asset,Opening Accumulated Depreciation,Άνοιγμα Συσσωρευμένες Αποσβέσεις
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Το αποτέλεσμα πρέπει να είναι μικρότερο από ή ίσο με 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Πρόγραμμα Εργαλείο Εγγραφή
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,C-form εγγραφές
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C-form εγγραφές
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Πελάτες και Προμηθευτές
DocType: Email Digest,Email Digest Settings,Ρυθμίσεις ενημερωτικών άρθρων μέσω email
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Ευχαριστούμε για την επιχείρησή σας!
@@ -882,17 +887,19 @@
DocType: Bin,Moving Average Rate,Κινητή μέση τιμή
DocType: Production Planning Tool,Select Items,Επιλέξτε είδη
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} κατά τη χρέωση {1} της {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Αριθμός οχήματος / λεωφορείου
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Πρόγραμμα Μαθημάτων
DocType: Maintenance Visit,Completion Status,Κατάσταση ολοκλήρωσης
DocType: HR Settings,Enter retirement age in years,Εισάγετε την ηλικία συνταξιοδότησης στα χρόνια
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Αποθήκη προορισμού
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Επιλέξτε μια αποθήκη
DocType: Cheque Print Template,Starting location from left edge,Ξεκινώντας τοποθεσία από το αριστερό άκρο
DocType: Item,Allow over delivery or receipt upto this percent,Επιτρέψτε πάνω από την παράδοση ή την παραλαβή μέχρι αυτή τη τοις εκατό
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,Εισαγωγή συμμετοχών
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Όλες οι ομάδες ειδών
DocType: Process Payroll,Activity Log,Αρχείο καταγραφής δραστηριότητας
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Καθαρά κέρδη / ζημίες
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Καθαρά κέρδη / ζημίες
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Αυτόματη σύνθεση μηνύματος για την υποβολή συναλλαγών .
DocType: Production Order,Item To Manufacture,Είδος προς κατασκευή
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} κατάσταση είναι {2}
@@ -901,16 +908,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Εντολή Αγοράς για Πληρωμή
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Προβλεπόμενη ποσότητα
DocType: Sales Invoice,Payment Due Date,Ημερομηνία λήξης προθεσμίας πληρωμής
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Θέση Παραλλαγή {0} υπάρχει ήδη με ίδια χαρακτηριστικά
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Θέση Παραλλαγή {0} υπάρχει ήδη με ίδια χαρακτηριστικά
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',«Άνοιγμα»
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Ανοικτή To Do
DocType: Notification Control,Delivery Note Message,Μήνυμα δελτίου αποστολής
DocType: Expense Claim,Expenses,Δαπάνες
+,Support Hours,Ώρες Υποστήριξης
DocType: Item Variant Attribute,Item Variant Attribute,Παραλλαγή Στοιχείο Χαρακτηριστικό
,Purchase Receipt Trends,Τάσεις αποδεικτικού παραλαβής αγοράς
DocType: Process Payroll,Bimonthly,Διμηνιαίος
DocType: Vehicle Service,Brake Pad,Τακάκια φρένων
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Έρευνα & ανάπτυξη
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Έρευνα & ανάπτυξη
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Ποσό χρέωσης
DocType: Company,Registration Details,Στοιχεία εγγραφής
DocType: Timesheet,Total Billed Amount,Τιμολογημένο ποσό
@@ -923,12 +931,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Μόνο Αποκτήστε Πρώτες Ύλες
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Αξιολόγηση της απόδοσης.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Ενεργοποίηση »Χρησιμοποιήστε για το καλάθι αγορών», όπως είναι ενεργοποιημένο το καλάθι αγορών και θα πρέπει να υπάρχει τουλάχιστον μία φορολογική Κανόνας για το καλάθι αγορών"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Έναρξη πληρωμής {0} συνδέεται κατά Παραγγελία {1}, ελέγξτε αν θα πρέπει να τραβηχτεί, όπως εκ των προτέρων σε αυτό το τιμολόγιο."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Έναρξη πληρωμής {0} συνδέεται κατά Παραγγελία {1}, ελέγξτε αν θα πρέπει να τραβηχτεί, όπως εκ των προτέρων σε αυτό το τιμολόγιο."
DocType: Sales Invoice Item,Stock Details,Χρηματιστήριο Λεπτομέρειες
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Αξία έργου
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Point-of-Sale
DocType: Vehicle Log,Odometer Reading,οδόμετρο ανάγνωση
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Το υπόλοιπο του λογαριασμού είναι ήδη πιστωτικό, δεν επιτρέπεται να ορίσετε την επιλογή το υπόλοιπο πρέπει να είναι χρεωστικό"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Το υπόλοιπο του λογαριασμού είναι ήδη πιστωτικό, δεν επιτρέπεται να ορίσετε την επιλογή το υπόλοιπο πρέπει να είναι χρεωστικό"
DocType: Account,Balance must be,Το υπόλοιπο πρέπει να
DocType: Hub Settings,Publish Pricing,Δημοσιεύστε τιμολόγηση
DocType: Notification Control,Expense Claim Rejected Message,Μήνυμα απόρριψης αξίωσης δαπανών
@@ -938,7 +946,7 @@
DocType: Salary Slip,Working Days,Εργάσιμες ημέρες
DocType: Serial No,Incoming Rate,Ρυθμός εισερχομένων
DocType: Packing Slip,Gross Weight,Μικτό βάρος
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,Το όνομα της εταιρείας σας για την οποία εγκαθιστάτε αυτό το σύστημα.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,Το όνομα της εταιρείας σας για την οποία εγκαθιστάτε αυτό το σύστημα.
DocType: HR Settings,Include holidays in Total no. of Working Days,Συμπεριέλαβε αργίες στον συνολικό αριθμό των εργάσιμων ημερών
DocType: Job Applicant,Hold,Αναμονή
DocType: Employee,Date of Joining,Ημερομηνία πρόσληψης
@@ -949,20 +957,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Αποδεικτικό παραλαβής αγοράς
,Received Items To Be Billed,Είδη που παραλήφθηκαν και πρέπει να τιμολογηθούν
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,"Υποβλήθηκε εκκαθαριστικά σημειώματα αποδοχών,"
-DocType: Employee,Ms,Κα
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Κύρια εγγραφή συναλλαγματικής ισοτιμίας.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},DocType αναφοράς πρέπει να είναι ένα από {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Κύρια εγγραφή συναλλαγματικής ισοτιμίας.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},DocType αναφοράς πρέπει να είναι ένα από {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Ανίκανος να βρει χρονοθυρίδα στα επόμενα {0} ημέρες για τη λειτουργία {1}
DocType: Production Order,Plan material for sub-assemblies,Υλικό σχεδίου για τα υποσυστήματα
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Συνεργάτες πωλήσεων και Επικράτεια
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,"δεν μπορεί να δημιουργήσει αυτόματα το λογαριασμό, καθώς υπάρχει ήδη ισορροπία απόθεμα στο Λογαριασμό. Θα πρέπει να δημιουργήσετε έναν λογαριασμό που ταιριάζουν για να μπορέσετε να κάνετε μια καταχώρηση σε αυτό αποθήκη"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,Η Λ.Υ. {0} πρέπει να είναι ενεργή
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,Η Λ.Υ. {0} πρέπει να είναι ενεργή
DocType: Journal Entry,Depreciation Entry,αποσβέσεις Έναρξη
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Παρακαλώ επιλέξτε τον τύπο του εγγράφου πρώτα
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Ακύρωση επισκέψεων {0} πριν από την ακύρωση αυτής της επίσκεψης για συντήρηση
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Ο σειριακός αριθμός {0} δεν ανήκει στο είδος {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Απαιτούμενη ποσότητα
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Αποθήκες με τα υπάρχοντα συναλλαγής δεν μπορεί να μετατραπεί σε καθολικό.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Αποθήκες με τα υπάρχοντα συναλλαγής δεν μπορεί να μετατραπεί σε καθολικό.
DocType: Bank Reconciliation,Total Amount,Συνολικό ποσό
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Δημοσίευση στο διαδίκτυο
DocType: Production Planning Tool,Production Orders,Εντολές παραγωγής
@@ -977,25 +983,26 @@
DocType: Fee Structure,Components,εξαρτήματα
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},"Παρακαλούμε, εισάγετε Asset Κατηγορία στη θέση {0}"
DocType: Quality Inspection Reading,Reading 6,Μέτρηση 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,"Δεν είναι δυνατή η {0} {1} {2}, χωρίς οποιαδήποτε αρνητική εκκρεμών τιμολογίων"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,"Δεν είναι δυνατή η {0} {1} {2}, χωρίς οποιαδήποτε αρνητική εκκρεμών τιμολογίων"
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Προκαταβολή τιμολογίου αγοράς
DocType: Hub Settings,Sync Now,Συγχρονισμός τώρα
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Γραμμή {0} : μια πιστωτική καταχώρηση δεν μπορεί να συνδεθεί με ένα {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Καθορισμός του προϋπολογισμού για ένα οικονομικό έτος.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Καθορισμός του προϋπολογισμού για ένα οικονομικό έτος.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"Ο προεπιλεγμένος λογαριασμός τραπέζης / μετρητών θα ενημερώνεται αυτόματα στην έκδοση τιμολογίου POS, όταν επιλέγεται αυτός ο τρόπος."
DocType: Lead,LEAD-,ΣΥΣΤΑΣΗ-
DocType: Employee,Permanent Address Is,Η μόνιμη διεύθυνση είναι
DocType: Production Order Operation,Operation completed for how many finished goods?,Για πόσα τελικά προϊόντα ολοκληρώθηκε η λειτουργία;
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,Το εμπορικό σήμα
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Το εμπορικό σήμα
DocType: Employee,Exit Interview Details,Λεπτομέρειες συνέντευξης εξόδου
DocType: Item,Is Purchase Item,Είναι είδος αγοράς
DocType: Asset,Purchase Invoice,Τιμολόγιο αγοράς
DocType: Stock Ledger Entry,Voucher Detail No,Αρ. λεπτομερειών αποδεικτικού
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Νέο Τιμολόγιο πωλήσεων
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Νέο Τιμολόγιο πωλήσεων
DocType: Stock Entry,Total Outgoing Value,Συνολική εξερχόμενη αξία
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Ημερομηνία ανοίγματος και καταληκτική ημερομηνία θα πρέπει να είναι εντός της ίδιας Χρήσεως
DocType: Lead,Request for Information,Αίτηση για πληροφορίες
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Συγχρονισμός Τιμολόγια Αποσυνδεδεμένος
+,LeaderBoard,LeaderBoard
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Συγχρονισμός Τιμολόγια Αποσυνδεδεμένος
DocType: Payment Request,Paid,Πληρωμένο
DocType: Program Fee,Program Fee,Χρέωση πρόγραμμα
DocType: Salary Slip,Total in words,Σύνολο ολογράφως
@@ -1004,13 +1011,13 @@
DocType: Cheque Print Template,Has Print Format,Έχει Εκτύπωση Format
DocType: Employee Loan,Sanctioned,Καθιερωμένος
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,είναι υποχρεωτική. Ίσως συναλλάγματος αρχείο δεν έχει δημιουργηθεί για
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Γραμμή # {0}: παρακαλώ ορίστε σειριακό αριθμό για το είδος {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Για τα στοιχεία «Προϊόν Bundle», Αποθήκη, Αύξων αριθμός παρτίδας και Δεν θα θεωρηθεί από την «Packing List» πίνακα. Αν Αποθήκης και Μαζική Δεν είναι ίδιες για όλα τα είδη συσκευασίας για τη θέση του κάθε «Πακέτο Προϊόντων», οι αξίες αυτές μπορούν να εγγραφούν στον κύριο πίνακα Στοιχείο, οι τιμές θα αντιγραφούν στο «Packing List» πίνακα."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Γραμμή # {0}: παρακαλώ ορίστε σειριακό αριθμό για το είδος {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Για τα στοιχεία «Προϊόν Bundle», Αποθήκη, Αύξων αριθμός παρτίδας και Δεν θα θεωρηθεί από την «Packing List» πίνακα. Αν Αποθήκης και Μαζική Δεν είναι ίδιες για όλα τα είδη συσκευασίας για τη θέση του κάθε «Πακέτο Προϊόντων», οι αξίες αυτές μπορούν να εγγραφούν στον κύριο πίνακα Στοιχείο, οι τιμές θα αντιγραφούν στο «Packing List» πίνακα."
DocType: Job Opening,Publish on website,Δημοσιεύει στην ιστοσελίδα
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Αποστολές προς τους πελάτες.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Τιμολόγιο προμηθευτή ημερομηνία αυτή δεν μπορεί να είναι μεγαλύτερη από την απόσπαση Ημερομηνία
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Τιμολόγιο προμηθευτή ημερομηνία αυτή δεν μπορεί να είναι μεγαλύτερη από την απόσπαση Ημερομηνία
DocType: Purchase Invoice Item,Purchase Order Item,Είδος παραγγελίας αγοράς
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Έμμεσα έσοδα
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Έμμεσα έσοδα
DocType: Student Attendance Tool,Student Attendance Tool,Εργαλείο φοίτηση μαθητή
DocType: Cheque Print Template,Date Settings,Ρυθμίσεις ημερομηνίας
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Διακύμανση
@@ -1028,20 +1035,20 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Χημικό
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Προεπιλογή του τραπεζικού λογαριασμού / Cash θα ενημερώνεται αυτόματα στο Μισθός Εφημερίδα Έναρξη όταν έχει επιλεγεί αυτή η λειτουργία.
DocType: BOM,Raw Material Cost(Company Currency),Κόστος των πρώτων υλών (Εταιρεία νομίσματος)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Όλα τα είδη έχουν ήδη μεταφερθεί για αυτήν την εντολή παραγωγής.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Όλα τα είδη έχουν ήδη μεταφερθεί για αυτήν την εντολή παραγωγής.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Σειρά # {0}: Η τιμή δεν μπορεί να είναι μεγαλύτερη από την τιμή {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,Μέτρο
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,Μέτρο
DocType: Workstation,Electricity Cost,Κόστος ηλεκτρικής ενέργειας
DocType: HR Settings,Don't send Employee Birthday Reminders,Μην στέλνετε υπενθυμίσεις γενεθλίων υπαλλήλου
DocType: Item,Inspection Criteria,Κριτήρια ελέγχου
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Μεταφέρονται
DocType: BOM Website Item,BOM Website Item,BOM Ιστοσελίδα του Είδους
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Ανεβάστε την κεφαλίδα επιστολόχαρτου και το λογότυπό σας. (Μπορείτε να τα επεξεργαστείτε αργότερα).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Ανεβάστε την κεφαλίδα επιστολόχαρτου και το λογότυπό σας. (Μπορείτε να τα επεξεργαστείτε αργότερα).
DocType: Timesheet Detail,Bill,Νομοσχέδιο
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Επόμενο αποσβέσεις Ημερομηνία εισάγεται ως τελευταία ημερομηνία
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Λευκό
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Λευκό
DocType: SMS Center,All Lead (Open),Όλες οι Συστάσεις (ανοιχτές)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Σειρά {0}: Ποσότητα δεν είναι διαθέσιμη για {4} στην αποθήκη {1} στην απόσπαση χρόνο έναρξης ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Σειρά {0}: Ποσότητα δεν είναι διαθέσιμη για {4} στην αποθήκη {1} στην απόσπαση χρόνο έναρξης ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Βρες προκαταβολές που καταβλήθηκαν
DocType: Item,Automatically Create New Batch,Δημιουργία αυτόματης νέας παρτίδας
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,Δημιούργησε
@@ -1051,13 +1058,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Το Καλάθι μου
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Ο τύπος παραγγελίας πρέπει να είναι ένα από τα {0}
DocType: Lead,Next Contact Date,Ημερομηνία επόμενης επικοινωνίας
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Αρχική ποσότητα
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,"Παρακαλούμε, εισάγετε Λογαριασμού για την Αλλαγή Ποσό"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Αρχική ποσότητα
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,"Παρακαλούμε, εισάγετε Λογαριασμού για την Αλλαγή Ποσό"
DocType: Student Batch Name,Student Batch Name,Φοιτητής παρτίδας Όνομα
DocType: Holiday List,Holiday List Name,Όνομα λίστας αργιών
DocType: Repayment Schedule,Balance Loan Amount,Υπόλοιπο Ποσό Δανείου
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Μάθημα πρόγραμμα
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Δικαιώματα Προαίρεσης
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Δικαιώματα Προαίρεσης
DocType: Journal Entry Account,Expense Claim,Αξίωση δαπανών
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Θέλετε πραγματικά να επαναφέρετε αυτή τη διάλυση των περιουσιακών στοιχείων;
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Ποσότητα για {0}
@@ -1069,12 +1076,12 @@
DocType: Company,Default Terms,Προεπιλογή Όροι
DocType: Packing Slip Item,Packing Slip Item,Είδος δελτίου συσκευασίας
DocType: Purchase Invoice,Cash/Bank Account,Λογαριασμός μετρητών/τραπέζης
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Παρακαλείστε να προσδιορίσετε ένα {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Παρακαλείστε να προσδιορίσετε ένα {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Που αφαιρούνται χωρίς καμία αλλαγή στην ποσότητα ή την αξία.
DocType: Delivery Note,Delivery To,Παράδοση προς
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Τραπέζι χαρακτηριστικό γνώρισμα είναι υποχρεωτικό
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Τραπέζι χαρακτηριστικό γνώρισμα είναι υποχρεωτικό
DocType: Production Planning Tool,Get Sales Orders,Βρες παραγγελίες πώλησης
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,Η {0} δεν μπορεί να είναι αρνητική
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,Η {0} δεν μπορεί να είναι αρνητική
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Έκπτωση
DocType: Asset,Total Number of Depreciations,Συνολικός αριθμός των Αποσβέσεων
DocType: Sales Invoice Item,Rate With Margin,Τιμή με περιθώριο
@@ -1094,7 +1101,6 @@
DocType: Serial No,Creation Document No,Αρ. εγγράφου δημιουργίας
DocType: Issue,Issue,Έκδοση
DocType: Asset,Scrapped,αχρηστία
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Ο λογαριασμός δεν ταιριάζει με την εταιρεία
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Χαρακτηριστικά για τις διαμορφώσεις του είδους. Π.Χ. Μέγεθος, χρώμα κ.λ.π."
DocType: Purchase Invoice,Returns,Επιστροφές
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,Αποθήκη εργασιών σε εξέλιξη
@@ -1106,12 +1112,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,Το στοιχείο πρέπει να προστεθεί με τη χρήση του κουμπιού 'Λήψη ειδών από αποδεικτικά παραλαβής'
DocType: Employee,A-,Α-
DocType: Production Planning Tool,Include non-stock items,Περιλαμβάνουν στοιχεία μη-απόθεμα
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Έξοδα πωλήσεων
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Έξοδα πωλήσεων
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Πρότυπες αγορές
DocType: GL Entry,Against,Κατά
DocType: Item,Default Selling Cost Center,Προεπιλεγμένο κέντρο κόστους πωλήσεων
DocType: Sales Partner,Implementation Partner,Συνεργάτης υλοποίησης
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Ταχυδρομικός κώδικας
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Ταχυδρομικός κώδικας
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Πωλήσεις Τάξης {0} είναι {1}
DocType: Opportunity,Contact Info,Πληροφορίες επαφής
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Κάνοντας Χρηματιστήριο Καταχωρήσεις
@@ -1124,31 +1130,31 @@
DocType: Holiday List,Get Weekly Off Dates,Βρες ημερομηνίες εβδομαδιαίων αργιών
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,Η ημερομηνία λήξης δεν μπορεί να είναι προγενέστερη της ημερομηνίας έναρξης
DocType: Sales Person,Select company name first.,Επιλέξτε το όνομα της εταιρείας πρώτα.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Dr
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Προσφορές που λήφθηκαν από προμηθευτές.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Έως {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Μέσος όρος ηλικίας
DocType: School Settings,Attendance Freeze Date,Ημερομηνία παγώματος της παρουσίας
DocType: Opportunity,Your sales person who will contact the customer in future,Ο πωλητής σας που θα επικοινωνήσει με τον πελάτη στο μέλλον
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Απαριθμήστε μερικούς από τους προμηθευτές σας. Θα μπορούσαν να είναι φορείς ή ιδιώτες.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Απαριθμήστε μερικούς από τους προμηθευτές σας. Θα μπορούσαν να είναι φορείς ή ιδιώτες.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Δείτε όλα τα προϊόντα
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Ελάχιστη ηλικία μόλυβδου (ημέρες)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,Όλα BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Όλα BOMs
DocType: Company,Default Currency,Προεπιλεγμένο νόμισμα
DocType: Expense Claim,From Employee,Από υπάλληλο
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Προσοχή : το σύστημα δεν θα ελέγξει για υπερτιμολογήσεις εφόσον το ποσό για το είδος {0} {1} είναι μηδέν
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Προσοχή : το σύστημα δεν θα ελέγξει για υπερτιμολογήσεις εφόσον το ποσό για το είδος {0} {1} είναι μηδέν
DocType: Journal Entry,Make Difference Entry,Δημιούργησε καταχώηρηση διαφοράς
DocType: Upload Attendance,Attendance From Date,Συμμετοχή από ημερομηνία
DocType: Appraisal Template Goal,Key Performance Area,Βασικός τομέας επιδόσεων
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Μεταφορά
+DocType: Program Enrollment,Transportation,Μεταφορά
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Μη έγκυρη Χαρακτηριστικό
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} Πρέπει να υποβληθεί
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} Πρέπει να υποβληθεί
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Ποσότητα πρέπει να είναι μικρότερη ή ίση με {0}
DocType: SMS Center,Total Characters,Σύνολο χαρακτήρων
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Παρακαλώ επιλέξτε Λ.Υ. στο πεδίο της Λ.Υ. για το είδος {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Παρακαλώ επιλέξτε Λ.Υ. στο πεδίο της Λ.Υ. για το είδος {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,Λεπτομέρειες τιμολογίου C-form
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Τιμολόγιο συμφωνίας πληρωμής
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Συμβολή (%)
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Σύμφωνα με τις ρυθμίσεις αγοράς, αν απαιτείται εντολή αγοράς == 'ΝΑΙ', τότε για τη δημιουργία τιμολογίου αγοράς, ο χρήστης πρέπει να δημιουργήσει πρώτα την εντολή αγοράς για στοιχείο {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Αριθμοί μητρώου των επιχειρήσεων για την αναφορά σας. Αριθμοί φόρου κ.λ.π.
DocType: Sales Partner,Distributor,Διανομέας
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Κανόνες αποστολής καλαθιού αγορών
@@ -1157,23 +1163,25 @@
,Ordered Items To Be Billed,Παραγγελθέντα είδη για τιμολόγηση
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,"Από το φάσμα πρέπει να είναι μικρότερη από ό, τι στην γκάμα"
DocType: Global Defaults,Global Defaults,Καθολικές προεπιλογές
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Συνεργασία Πρόσκληση έργου
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Συνεργασία Πρόσκληση έργου
DocType: Salary Slip,Deductions,Κρατήσεις
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Έτος έναρξης
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},Τα πρώτα 2 ψηφία GSTIN θα πρέπει να ταιριάζουν με τον αριθμό κατάστασης {0}
DocType: Purchase Invoice,Start date of current invoice's period,Ημερομηνία έναρξης της περιόδου του τρέχοντος τιμολογίου
DocType: Salary Slip,Leave Without Pay,Άδεια άνευ αποδοχών
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Χωρητικότητα Σφάλμα Προγραμματισμού
,Trial Balance for Party,Ισοζύγιο για το Κόμμα
DocType: Lead,Consultant,Σύμβουλος
DocType: Salary Slip,Earnings,Κέρδη
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Ολοκληρώθηκε Θέση {0} πρέπει να εισαχθούν για την είσοδο τύπου Κατασκευή
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Ολοκληρώθηκε Θέση {0} πρέπει να εισαχθούν για την είσοδο τύπου Κατασκευή
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Άνοιγμα λογιστικό υπόλοιπο
+,GST Sales Register,Μητρώο Πωλήσεων GST
DocType: Sales Invoice Advance,Sales Invoice Advance,Προκαταβολή τιμολογίου πώλησης
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Τίποτα να ζητηθεί
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Άλλο ένα ρεκόρ Προϋπολογισμός '{0}' υπάρχει ήδη κατά {1} '{2}' για το οικονομικό έτος {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',Η πραγματική ημερομηνία έναρξης δεν μπορεί να είναι μεταγενέστερη της πραγματικής ημερομηνίας λήξης
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Διαχείριση
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Διαχείριση
DocType: Cheque Print Template,Payer Settings,Ρυθμίσεις πληρωτή
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Αυτό θα πρέπει να επισυνάπτεται στο κφδικό είδους της παραλλαγής. Για παράδειγμα, εάν η συντομογραφία σας είναι «sm» και ο κωδικός του είδους είναι ""t-shirt"", ο κωδικός του της παραλλαγής του είδους θα είναι ""t-shirt-sm"""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Οι καθαρές αποδοχές (ολογράφως) θα είναι ορατές τη στιγμή που θα αποθηκεύσετε τη βεβαίωση αποδοχών
@@ -1190,8 +1198,8 @@
DocType: Employee Loan,Partially Disbursed,"Εν μέρει, προέβη στη χορήγηση"
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Βάση δεδομένων προμηθευτών.
DocType: Account,Balance Sheet,Ισολογισμός
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Κέντρο κόστους για το είδος με το κωδικό είδους '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Τρόπος πληρωμής δεν έχει ρυθμιστεί. Παρακαλώ ελέγξτε, εάν ο λογαριασμός έχει τεθεί σε λειτουργία πληρωμών ή σε POS προφίλ."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Κέντρο κόστους για το είδος με το κωδικό είδους '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Τρόπος πληρωμής δεν έχει ρυθμιστεί. Παρακαλώ ελέγξτε, εάν ο λογαριασμός έχει τεθεί σε λειτουργία πληρωμών ή σε POS προφίλ."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Ο πωλητής σας θα λάβει μια υπενθύμιση την ημερομηνία αυτή για να επικοινωνήσει με τον πελάτη
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Ίδιο αντικείμενο δεν μπορεί να εισαχθεί πολλές φορές.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Περαιτέρω λογαριασμών μπορούν να γίνουν στις ομάδες, αλλά εγγραφές μπορούν να γίνουν με την μη Ομάδες"
@@ -1199,7 +1207,7 @@
DocType: Email Digest,Payables,Υποχρεώσεις
DocType: Course,Course Intro,φυσικά Intro
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Χρηματιστήριο Έναρξη {0} δημιουργήθηκε
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Σειρά # {0}: Απορρίφθηκε Ποσότητα δεν μπορούν να εισαχθούν στην Αγορά Επιστροφή
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Σειρά # {0}: Απορρίφθηκε Ποσότητα δεν μπορούν να εισαχθούν στην Αγορά Επιστροφή
,Purchase Order Items To Be Billed,Είδη παραγγελίας αγοράς προς χρέωση
DocType: Purchase Invoice Item,Net Rate,Καθαρή Τιμή
DocType: Purchase Invoice Item,Purchase Invoice Item,Είδος τιμολογίου αγοράς
@@ -1224,7 +1232,7 @@
DocType: Sales Order,SO-,ΈΤΣΙ-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Παρακαλώ επιλέξτε πρόθεμα πρώτα
DocType: Employee,O-,Ο-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Έρευνα
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Έρευνα
DocType: Maintenance Visit Purpose,Work Done,Η εργασία ολοκληρώθηκε
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Παρακαλείστε να προσδιορίσετε τουλάχιστον ένα χαρακτηριστικό στον πίνακα Χαρακτηριστικά
DocType: Announcement,All Students,Όλοι οι φοιτητές
@@ -1232,17 +1240,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Προβολή καθολικού
DocType: Grading Scale,Intervals,διαστήματα
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Η πιο παλιά
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Μια ομάδα ειδών υπάρχει με το ίδιο όνομα, μπορείτε να αλλάξετε το όνομα του είδους ή να μετονομάσετε την ομάδα ειδών"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Φοιτητής Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Τρίτες χώρες
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Μια ομάδα ειδών υπάρχει με το ίδιο όνομα, μπορείτε να αλλάξετε το όνομα του είδους ή να μετονομάσετε την ομάδα ειδών"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Φοιτητής Mobile No.
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Τρίτες χώρες
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Το είδος {0} δεν μπορεί να έχει παρτίδα
,Budget Variance Report,Έκθεση διακύμανσης του προϋπολογισμού
DocType: Salary Slip,Gross Pay,Ακαθάριστες αποδοχές
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Σειρά {0}: Τύπος δραστηριότητας είναι υποχρεωτική.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Μερίσματα που καταβάλλονται
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Μερίσματα που καταβάλλονται
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Λογιστική Λογιστική
DocType: Stock Reconciliation,Difference Amount,Διαφορά Ποσό
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Αδιανέμητα Κέρδη
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Αδιανέμητα Κέρδη
DocType: Vehicle Log,Service Detail,Λεπτομέρεια υπηρεσία
DocType: BOM,Item Description,Περιγραφή είδους
DocType: Student Sibling,Student Sibling,φοιτητής Αδέλφια
@@ -1256,11 +1264,11 @@
DocType: Opportunity Item,Opportunity Item,Είδος ευκαιρίας
,Student and Guardian Contact Details,Φοιτητής και Guardian Λεπτομέρειες Επικοινωνία
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Σειρά {0}: Για τον προμηθευτή {0} η διεύθυνση ηλεκτρονικού ταχυδρομείου που απαιτείται για να στείλετε e-mail
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Προσωρινό άνοιγμα
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Προσωρινό άνοιγμα
,Employee Leave Balance,Υπόλοιπο αδείας υπαλλήλου
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Το υπόλοιπο λογαριασμού {0} πρέπει να είναι πάντα {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Αποτίμηση Βαθμολογήστε που απαιτούνται για τη θέση στη γραμμή {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Παράδειγμα: Μάστερ στην Επιστήμη των Υπολογιστών
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Παράδειγμα: Μάστερ στην Επιστήμη των Υπολογιστών
DocType: Purchase Invoice,Rejected Warehouse,Αποθήκη απορριφθέντων
DocType: GL Entry,Against Voucher,Κατά το αποδεικτικό
DocType: Item,Default Buying Cost Center,Προεπιλεγμένο κέντρο κόστους αγορών
@@ -1273,31 +1281,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Βρες εκκρεμή τιμολόγια
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Η παραγγελία πώλησης {0} δεν είναι έγκυρη
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,εντολές αγοράς σας βοηθήσει να σχεδιάσετε και να παρακολουθούν τις αγορές σας
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Δυστυχώς, οι εταιρείες δεν μπορούν να συγχωνευθούν"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Δυστυχώς, οι εταιρείες δεν μπορούν να συγχωνευθούν"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}","Η συνολική ποσότητα Issue / Μεταφορά {0} στο Αίτημα Υλικό {1} \ δεν μπορεί να είναι μεγαλύτερη από ό, τι ζητήσατε ποσότητα {2} για τη θέση {3}"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Μικρό
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Μικρό
DocType: Employee,Employee Number,Αριθμός υπαλλήλων
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Ο αρ. υπόθεσης χρησιμοποιείται ήδη. Δοκιμάστε από τον αρ. υπόθεσης {0}
DocType: Project,% Completed,% Ολοκληρώθηκε
,Invoiced Amount (Exculsive Tax),Ποσό τιμολόγησης (χωρίς φπα)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Στοιχείο 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Η κύρια εγγραφή λογαριασμού {0} δημιουργήθηκε
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,εκπαίδευση Event
DocType: Item,Auto re-order,Αυτόματη εκ νέου προκειμένου
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Σύνολο που επιτεύχθηκε
DocType: Employee,Place of Issue,Τόπος έκδοσης
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Συμβόλαιο
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Συμβόλαιο
DocType: Email Digest,Add Quote,Προσθήκη Παράθεση
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},Ο παράγοντας μετατροπής Μ.Μ. απαιτείται για τη Μ.Μ.: {0} στο είδος: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Έμμεσες δαπάνες
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Ο παράγοντας μετατροπής Μ.Μ. απαιτείται για τη Μ.Μ.: {0} στο είδος: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Έμμεσες δαπάνες
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Γραμμή {0}: η ποσότητα είναι απαραίτητη
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Γεωργία
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Συγχρονισμός Δεδομένα Βασικού Αρχείου
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Τα προϊόντα ή οι υπηρεσίες σας
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Συγχρονισμός Δεδομένα Βασικού Αρχείου
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Τα προϊόντα ή οι υπηρεσίες σας
DocType: Mode of Payment,Mode of Payment,Τρόπος πληρωμής
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Ιστοσελίδα εικόνας θα πρέπει να είναι ένα δημόσιο αρχείο ή URL της ιστοσελίδας
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Ιστοσελίδα εικόνας θα πρέπει να είναι ένα δημόσιο αρχείο ή URL της ιστοσελίδας
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Αυτή είναι μια κύρια ομάδα ειδών και δεν μπορεί να επεξεργαστεί.
@@ -1306,17 +1313,17 @@
DocType: Warehouse,Warehouse Contact Info,Πληροφορίες επικοινωνίας για την αποθήκη
DocType: Payment Entry,Write Off Difference Amount,Γράψτε Off Διαφορά Ποσό
DocType: Purchase Invoice,Recurring Type,Τύπος επαναλαμβανόμενου
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: Η δ/ση email του υπάλλήλου δεν βρέθηκε, το μυνημα δεν εστάλη"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: Η δ/ση email του υπάλλήλου δεν βρέθηκε, το μυνημα δεν εστάλη"
DocType: Item,Foreign Trade Details,Εξωτερικού Εμπορίου Λεπτομέρειες
DocType: Email Digest,Annual Income,ΕΤΗΣΙΟ εισοδημα
DocType: Serial No,Serial No Details,Λεπτομέρειες σειριακού αρ.
DocType: Purchase Invoice Item,Item Tax Rate,Φορολογικός συντελεστής είδους
DocType: Student Group Student,Group Roll Number,Αριθμός Αριθμός Roll
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Για {0}, μόνο πιστωτικοί λογαριασμοί μπορούν να συνδέονται με άλλες καταχωρήσεις χρέωσης"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Σύνολο όλων των βαρών στόχος θα πρέπει να είναι: 1. Παρακαλώ ρυθμίστε τα βάρη όλων των εργασιών του έργου ανάλογα
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Το δελτίο αποστολής {0} δεν έχει υποβληθεί
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Το είδος {0} πρέπει να είναι είδος υπεργολαβίας
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Κεφάλαιο εξοπλισμών
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Σύνολο όλων των βαρών στόχος θα πρέπει να είναι: 1. Παρακαλώ ρυθμίστε τα βάρη όλων των εργασιών του έργου ανάλογα
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Το δελτίο αποστολής {0} δεν έχει υποβληθεί
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Το είδος {0} πρέπει να είναι είδος υπεργολαβίας
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Κεφάλαιο εξοπλισμών
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Ο κανόνας τιμολόγησης πρώτα επιλέγεται με βάση το πεδίο 'εφαρμογή στο', το οποίο μπορεί να είναι είδος, ομάδα ειδών ή εμπορικό σήμα"
DocType: Hub Settings,Seller Website,Ιστοσελίδα πωλητή
DocType: Item,ITEM-,ΕΊΔΟΣ-
@@ -1334,7 +1341,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Μπορεί να υπάρχει μόνο μία συνθήκη κανόνα αποστολής με 0 ή κενή τιμή για το πεδίο 'εώς αξία'
DocType: Authorization Rule,Transaction,Συναλλαγή
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Σημείωση : αυτό το κέντρο κόστους είναι μια ομάδα. Δεν μπορούν να γίνουν λογιστικές εγγραφές σε ομάδες.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,Υπάρχει αποθήκη παιδί για αυτή την αποθήκη. Δεν μπορείτε να διαγράψετε αυτό αποθήκη.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Υπάρχει αποθήκη παιδί για αυτή την αποθήκη. Δεν μπορείτε να διαγράψετε αυτό αποθήκη.
DocType: Item,Website Item Groups,Ομάδες ειδών δικτυακού τόπου
DocType: Purchase Invoice,Total (Company Currency),Σύνολο (Εταιρεία νομίσματος)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Ο σειριακός αριθμός {0} εισήχθηκε περισσότερο από μία φορά
@@ -1344,7 +1351,7 @@
DocType: Grading Scale Interval,Grade Code,Βαθμολογία Κωδικός
DocType: POS Item Group,POS Item Group,POS Θέση του Ομίλου
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Στείλτε ενημερωτικό άρθρο email:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},Η Λ.Υ. {0} δεν ανήκει στο είδος {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},Η Λ.Υ. {0} δεν ανήκει στο είδος {1}
DocType: Sales Partner,Target Distribution,Στόχος διανομής
DocType: Salary Slip,Bank Account No.,Αριθμός τραπεζικού λογαριασμού
DocType: Naming Series,This is the number of the last created transaction with this prefix,Αυτός είναι ο αριθμός της τελευταίας συναλλαγής που δημιουργήθηκε με αυτό το πρόθεμα
@@ -1354,12 +1361,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Αποσβέσεις εγγύησης λογαριασμού βιβλίων αυτόματα
DocType: BOM Operation,Workstation,Σταθμός εργασίας
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Αίτηση για Προσφορά Προμηθευτής
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Hardware
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Hardware
DocType: Sales Order,Recurring Upto,επαναλαμβανόμενες Μέχρι
DocType: Attendance,HR Manager,Υπεύθυνος ανθρωπίνου δυναμικού
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Παρακαλώ επιλέξτε ένα Εταιρείας
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Άδεια μετ' αποδοχών
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Παρακαλώ επιλέξτε ένα Εταιρείας
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Άδεια μετ' αποδοχών
DocType: Purchase Invoice,Supplier Invoice Date,Ημερομηνία τιμολογίου του προμηθευτή
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,ανά
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Χρειάζεται να ενεργοποιήσετε το καλάθι αγορών
DocType: Payment Entry,Writeoff,Διαγράφω
DocType: Appraisal Template Goal,Appraisal Template Goal,Στόχος προτύπου αξιολόγησης
@@ -1370,10 +1378,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Βρέθηκαν συνθήκες που επικαλύπτονται μεταξύ:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Κατά την ημερολογιακή εγγραφή {0} έχει ήδη ρυθμιστεί από κάποιο άλλο αποδεικτικό
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Συνολική αξία της παραγγελίας
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Τροφή
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Τροφή
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Eύρος γήρανσης 3
DocType: Maintenance Schedule Item,No of Visits,Αρ. επισκέψεων
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Mark attendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Mark attendence
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Το πρόγραμμα συντήρησης {0} υπάρχει έναντι του {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,Η εγγραφή των φοιτητών
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Νόμισμα του Λογαριασμού κλεισίματος πρέπει να είναι {0}
@@ -1387,6 +1395,7 @@
DocType: Rename Tool,Utilities,Επιχειρήσεις κοινής ωφέλειας
DocType: Purchase Invoice Item,Accounting,Λογιστική
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Παρακαλώ επιλέξτε παρτίδες για το παραδοθέν αντικείμενο
DocType: Asset,Depreciation Schedules,Δρομολόγια αποσβέσεων
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Περίοδος υποβολής των αιτήσεων δεν μπορεί να είναι περίοδος κατανομής έξω άδειας
DocType: Activity Cost,Projects,Έργα
@@ -1400,6 +1409,7 @@
DocType: POS Profile,Campaign,Εκστρατεία
DocType: Supplier,Name and Type,Όνομα και Τύπος
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Η κατάσταση έγκρισης πρέπει να είναι εγκρίθηκε ή απορρίφθηκε
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,Bootstrap
DocType: Purchase Invoice,Contact Person,Κύρια εγγραφή επικοινωνίας
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',Η αναμενόμενη ημερομηνία έναρξης δεν μπορεί να είναι μεταγενέστερη από την αναμενόμενη ημερομηνία λήξης
DocType: Course Scheduling Tool,Course End Date,Φυσικά Ημερομηνία Λήξης
@@ -1407,12 +1417,11 @@
DocType: Sales Order Item,Planned Quantity,Προγραμματισμένη ποσότητα
DocType: Purchase Invoice Item,Item Tax Amount,Ποσό φόρου είδους
DocType: Item,Maintain Stock,Διατηρήστε Χρηματιστήριο
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Έχουν ήδη δημιουργηθεί καταχωρήσεις αποθέματος για την εντολή παραγωγής
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Έχουν ήδη δημιουργηθεί καταχωρήσεις αποθέματος για την εντολή παραγωγής
DocType: Employee,Prefered Email,προτιμώμενη Email
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Καθαρή Αλλαγή στο Παγίων
DocType: Leave Control Panel,Leave blank if considered for all designations,Άφησε το κενό αν ισχύει για όλες τις ονομασίες
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Αποθήκη είναι υποχρεωτική για μη Λογαριασμοί ομάδα του τύπου Χρηματιστήριο
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Η επιβάρυνση του τύπου 'πραγματική' στη γραμμή {0} δεν μπορεί να συμπεριληφθεί στην τιμή είδους
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Η επιβάρυνση του τύπου 'πραγματική' στη γραμμή {0} δεν μπορεί να συμπεριληφθεί στην τιμή είδους
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Μέγιστο: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Από ημερομηνία και ώρα
DocType: Email Digest,For Company,Για την εταιρεία
@@ -1422,15 +1431,15 @@
DocType: Sales Invoice,Shipping Address Name,Όνομα διεύθυνσης αποστολής
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Λογιστικό σχέδιο
DocType: Material Request,Terms and Conditions Content,Περιεχόμενο όρων και προϋποθέσεων
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,Δεν μπορεί να είναι μεγαλύτερη από 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Το είδος {0} δεν είναι ένα αποθηκεύσιμο είδος
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,Δεν μπορεί να είναι μεγαλύτερη από 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Το είδος {0} δεν είναι ένα αποθηκεύσιμο είδος
DocType: Maintenance Visit,Unscheduled,Έκτακτες
DocType: Employee,Owned,Ανήκουν
DocType: Salary Detail,Depends on Leave Without Pay,Εξαρτάται από άδειας άνευ αποδοχών
DocType: Pricing Rule,"Higher the number, higher the priority","Όσο μεγαλύτερος είναι ο αριθμός, τόσο μεγαλύτερη είναι η προτεραιότητα"
,Purchase Invoice Trends,Τάσεις τιμολογίου αγοράς
DocType: Employee,Better Prospects,Καλύτερες προοπτικές
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Σειρά # {0}: Η παρτίδα {1} έχει μόνο {2} qty. Επιλέξτε άλλη παρτίδα που έχει {3} qty διαθέσιμη ή διαχωρίστε τη σειρά σε πολλαπλές σειρές, για παράδοση / έκδοση από πολλαπλές παρτίδες"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Σειρά # {0}: Η παρτίδα {1} έχει μόνο {2} qty. Επιλέξτε άλλη παρτίδα που έχει {3} qty διαθέσιμη ή διαχωρίστε τη σειρά σε πολλαπλές σειρές, για παράδοση / έκδοση από πολλαπλές παρτίδες"
DocType: Vehicle,License Plate,Πινακίδα κυκλοφορίας
DocType: Appraisal,Goals,Στόχοι
DocType: Warranty Claim,Warranty / AMC Status,Κατάσταση εγγύησης / Ε.Σ.Υ.
@@ -1441,19 +1450,20 @@
,Batch-Wise Balance History,Ιστορικό υπολοίπων παρτίδας
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,ρυθμίσεις εκτύπωσης ενημερώθηκε στις αντίστοιχες έντυπη μορφή
DocType: Package Code,Package Code,Κωδικός πακέτου
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Μαθητευόμενος
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Μαθητευόμενος
+DocType: Purchase Invoice,Company GSTIN,Εταιρεία GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Δεν επιτρέπεται αρνητική ποσότητα
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",Ο πίνακας λεπτομερειών φόρου υπολογίζεται από την κύρια εγγραφή του είδους σαν αλφαριθμητικό και αποθηκεύεται σε αυτό το πεδίο. Χρησιμοποιείται για φόρους και τέλη
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Ο υπάλληλος δεν μπορεί να αναφέρει στον ευατό του.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Εάν ο λογαριασμός έχει παγώσει, οι καταχωρήσεις επιτρέπονται σε ορισμένους χρήστες."
DocType: Email Digest,Bank Balance,Τράπεζα Υπόλοιπο
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Λογιστική καταχώριση για {0}: {1} μπορεί να γίνει μόνο στο νόμισμα: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Λογιστική καταχώριση για {0}: {1} μπορεί να γίνει μόνο στο νόμισμα: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Επαγγελματικό προφίλ, τα προσόντα που απαιτούνται κ.λ.π."
DocType: Journal Entry Account,Account Balance,Υπόλοιπο λογαριασμού
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Φορολογικές Κανόνας για τις συναλλαγές.
DocType: Rename Tool,Type of document to rename.,Τύπος του εγγράφου για να μετονομάσετε.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Αγοράζουμε αυτό το είδος
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Αγοράζουμε αυτό το είδος
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Πελάτης υποχρεούται κατά του λογαριασμού Απαιτήσεις {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Σύνολο φόρων και επιβαρύνσεων (στο νόμισμα της εταιρείας)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Εμφάνιση P & L υπόλοιπα unclosed χρήσεως
@@ -1464,29 +1474,30 @@
DocType: Stock Entry,Total Additional Costs,Συνολικό πρόσθετο κόστος
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Άχρηστα Υλικών Κατασκευής Νέων Κτιρίων (Εταιρεία νομίσματος)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Υποσυστήματα
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Υποσυστήματα
DocType: Asset,Asset Name,Όνομα του ενεργητικού
DocType: Project,Task Weight,Task Βάρος
DocType: Shipping Rule Condition,To Value,Έως αξία
DocType: Asset Movement,Stock Manager,Διευθυντής Χρηματιστήριο
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Η αποθήκη προέλευσης είναι απαραίτητη για τη σειρά {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Δελτίο συσκευασίας
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Ενοίκιο γραφείου
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Η αποθήκη προέλευσης είναι απαραίτητη για τη σειρά {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Δελτίο συσκευασίας
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Ενοίκιο γραφείου
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Ρύθμιση στοιχείων SMS gateway
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Η εισαγωγή απέτυχε!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Δεν δημιουργήθηκαν διευθύνσεις
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Δεν δημιουργήθηκαν διευθύνσεις
DocType: Workstation Working Hour,Workstation Working Hour,Ώρες εργαασίας σταθμού εργασίας
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Αναλυτής
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Αναλυτής
DocType: Item,Inventory,Απογραφή
DocType: Item,Sales Details,Λεπτομέρειες πωλήσεων
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,Με Αντικείμενα
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,Στην ποσότητα
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,Στην ποσότητα
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Επικυρώστε το εγγεγραμμένο μάθημα για φοιτητές στην ομάδα σπουδαστών
DocType: Notification Control,Expense Claim Rejected,Η αξίωσης δαπανών απορρίφθηκε
DocType: Item,Item Attribute,Χαρακτηριστικό είδους
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Κυβέρνηση
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Κυβέρνηση
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Αξίωση βάρος {0} υπάρχει ήδη για το όχημα Σύνδεση
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,όνομα Ινστιτούτου
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,όνομα Ινστιτούτου
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,"Παρακαλούμε, εισάγετε αποπληρωμής Ποσό"
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Παραλλαγές του Είδους
DocType: Company,Services,Υπηρεσίες
@@ -1496,18 +1507,18 @@
DocType: Sales Invoice,Source,Πηγή
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Εμφάνιση κλειστά
DocType: Leave Type,Is Leave Without Pay,Είναι άδειας άνευ αποδοχών
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Περιουσιακών στοιχείων της κατηγορίας είναι υποχρεωτική για παγίου στοιχείου
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Περιουσιακών στοιχείων της κατηγορίας είναι υποχρεωτική για παγίου στοιχείου
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Δεν βρέθηκαν εγγραφές στον πίνακα πληρωμών
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Αυτό {0} συγκρούσεις με {1} για {2} {3}
DocType: Student Attendance Tool,Students HTML,φοιτητές HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Ημερομηνία έναρξης για τη χρήση
DocType: POS Profile,Apply Discount,Εφαρμόστε Έκπτωση
+DocType: Purchase Invoice Item,GST HSN Code,Κωδικός HSN του GST
DocType: Employee External Work History,Total Experience,Συνολική εμπειρία
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,ανοικτό Έργα
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Το(α) δελτίο(α) συσκευασίας ακυρώθηκε(αν)
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Ταμειακές ροές από επενδυτικές
DocType: Program Course,Program Course,Πορεία του προγράμματος
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Χρεώσεις μεταφοράς και προώθησης
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Χρεώσεις μεταφοράς και προώθησης
DocType: Homepage,Company Tagline for website homepage,Η εταιρεία Tagline για την ιστοσελίδα αρχική σελίδα
DocType: Item Group,Item Group Name,Όνομα ομάδας ειδών
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Πάρθηκε
@@ -1517,6 +1528,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Δημιουργήστε Συστάσεις
DocType: Maintenance Schedule,Schedules,Χρονοδιαγράμματα
DocType: Purchase Invoice Item,Net Amount,Καθαρό Ποσό
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} δεν έχει υποβληθεί, οπότε η ενέργεια δεν μπορεί να ολοκληρωθεί"
DocType: Purchase Order Item Supplied,BOM Detail No,Αρ. Λεπτομερειών Λ.Υ.
DocType: Landed Cost Voucher,Additional Charges,Επιπλέον χρεώσεις
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Πρόσθετες ποσό έκπτωσης (Εταιρεία νομίσματος)
@@ -1532,6 +1544,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Μηνιαία επιστροφή Ποσό
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,Παρακαλώ ορίστε το πεδίο ID χρήστη σε μια εγγραφή υπαλλήλου για να ρυθμίσετε το ρόλο του υπαλλήλου
DocType: UOM,UOM Name,Όνομα Μ.Μ.
+DocType: GST HSN Code,HSN Code,Κωδικός HSN
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Ποσό συνεισφοράς
DocType: Purchase Invoice,Shipping Address,Διεύθυνση αποστολής
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Αυτό το εργαλείο σας βοηθά να ενημερώσετε ή να διορθώσετε την ποσότητα και την αποτίμηση των αποθεμάτων στο σύστημα. Συνήθως χρησιμοποιείται για να συγχρονίσει τις τιμές του συστήματος και του τι πραγματικά υπάρχει στις αποθήκες σας.
@@ -1542,17 +1555,16 @@
DocType: Program Enrollment Tool,Program Enrollments,πρόγραμμα Εγγραφές
DocType: Sales Invoice Item,Brand Name,Εμπορική επωνυμία
DocType: Purchase Receipt,Transporter Details,Λεπτομέρειες Transporter
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Προεπιλογή αποθήκη απαιτείται για επιλεγμένες στοιχείο
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Κουτί
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Προεπιλογή αποθήκη απαιτείται για επιλεγμένες στοιχείο
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Κουτί
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,πιθανές Προμηθευτής
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Ο οργανισμός
DocType: Budget,Monthly Distribution,Μηνιαία διανομή
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Η λίστα παραλήπτη είναι άδεια. Παρακαλώ δημιουργήστε λίστα παραλήπτη
DocType: Production Plan Sales Order,Production Plan Sales Order,Παραγγελία πώλησης σχεδίου παραγωγής
DocType: Sales Partner,Sales Partner Target,Στόχος συνεργάτη πωλήσεων
DocType: Loan Type,Maximum Loan Amount,Ανώτατο ποσό του δανείου
DocType: Pricing Rule,Pricing Rule,Κανόνας τιμολόγησης
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Διπλότυπος αριθμός κυλίνδρου για φοιτητή {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Διπλότυπος αριθμός κυλίνδρου για φοιτητή {0}
DocType: Budget,Action if Annual Budget Exceeded,Δράση αν ετήσιος προϋπολογισμός του ξεπερνούσε
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Υλικό αίτηση για αγορά Παραγγελία
DocType: Shopping Cart Settings,Payment Success URL,Πληρωμή επιτυχία URL
@@ -1565,11 +1577,11 @@
DocType: C-Form,III,ΙΙΙ
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Άνοιγμα Χρηματιστήριο Υπόλοιπο
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} Πρέπει να εμφανίζεται μόνο μία φορά
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Δεν επιτρέπεται να μεταφέρουμε περισσότερο {0} από {1} εναντίον παραγγελίας {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Δεν επιτρέπεται να μεταφέρουμε περισσότερο {0} από {1} εναντίον παραγγελίας {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Οι άδειες κατανεμήθηκαν επιτυχώς για {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Δεν βρέθηκαν είδη για συσκευασία
DocType: Shipping Rule Condition,From Value,Από τιμή
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Η παραγόμενη ποσότητα είναι απαραίτητη
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Η παραγόμενη ποσότητα είναι απαραίτητη
DocType: Employee Loan,Repayment Method,Τρόπος αποπληρωμής
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Αν επιλεγεί, η σελίδα θα είναι η προεπιλεγμένη Θέση του Ομίλου για την ιστοσελίδα"
DocType: Quality Inspection Reading,Reading 4,Μέτρηση 4
@@ -1579,7 +1591,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Σειρά # {0}: Ημερομηνία Εκκαθάρισης {1} δεν μπορεί να είναι πριν Επιταγή Ημερομηνία {2}
DocType: Company,Default Holiday List,Προεπιλεγμένη λίστα διακοπών
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Σειρά {0}: από το χρόνο και την ώρα της {1} είναι η επικάλυψη με {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Υποχρεώσεις αποθέματος
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Υποχρεώσεις αποθέματος
DocType: Purchase Invoice,Supplier Warehouse,Αποθήκη προμηθευτή
DocType: Opportunity,Contact Mobile No,Αριθμός κινητού επαφής
,Material Requests for which Supplier Quotations are not created,Αιτήσεις υλικού για τις οποίες δεν έχουν δημιουργηθεί προσφορές προμηθευτή
@@ -1590,35 +1602,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Κάντε Προσφορά
apps/erpnext/erpnext/config/selling.py +216,Other Reports,άλλες εκθέσεις
DocType: Dependent Task,Dependent Task,Εξαρτημένη Εργασία
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Ο συντελεστής μετατροπής για την προεπιλεγμένη μονάδα μέτρησης πρέπει να είναι 1 στη γραμμή {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Ο συντελεστής μετατροπής για την προεπιλεγμένη μονάδα μέτρησης πρέπει να είναι 1 στη γραμμή {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Η άδεια του τύπου {0} δεν μπορεί να είναι μεγαλύτερη από {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Δοκιμάστε τον προγραμματισμό εργασιών για το X ημέρες νωρίτερα.
DocType: HR Settings,Stop Birthday Reminders,Διακοπή υπενθυμίσεων γενεθλίων
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Παρακαλούμε να ορίσετε Προεπιλογή Μισθοδοσίας Πληρωτέο Λογαριασμού Εταιρείας {0}
DocType: SMS Center,Receiver List,Λίστα παραλήπτη
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Αναζήτηση Είδους
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Αναζήτηση Είδους
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Ποσό που καταναλώθηκε
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Καθαρή Αλλαγή σε μετρητά
DocType: Assessment Plan,Grading Scale,Κλίμακα βαθμολόγησης
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Η μονάδα μέτρησης {0} έχει εισαχθεί περισσότερες από μία φορές στον πίνακας παραγόντων μετατροπής
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Η μονάδα μέτρησης {0} έχει εισαχθεί περισσότερες από μία φορές στον πίνακας παραγόντων μετατροπής
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,έχουν ήδη ολοκληρωθεί
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Χρηματιστήριο στο χέρι
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Αίτηση Πληρωμής υπάρχει ήδη {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Κόστος ειδών που εκδόθηκαν
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Η ποσότητα δεν πρέπει να είναι μεγαλύτερη από {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Προηγούμενο οικονομικό έτος δεν έχει κλείσει
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Ηλικία (ημέρες)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Ηλικία (ημέρες)
DocType: Quotation Item,Quotation Item,Είδος προσφοράς
+DocType: Customer,Customer POS Id,Αναγνωριστικό POS πελάτη
DocType: Account,Account Name,Όνομα λογαριασμού
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Από την ημερομηνία αυτή δεν μπορεί να είναι μεταγενέστερη από την έως ημερομηνία
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Ο σειριακός αριθμός {0} ποσότητα {1} δεν μπορεί να είναι ένα κλάσμα
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Κύρια εγγραφή τύπου προμηθευτή.
DocType: Purchase Order Item,Supplier Part Number,Αριθμός εξαρτήματος του προμηθευτή
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Το ποσοστό μετατροπής δεν μπορεί να είναι 0 ή 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Το ποσοστό μετατροπής δεν μπορεί να είναι 0 ή 1
DocType: Sales Invoice,Reference Document,έγγραφο αναφοράς
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} έχει ακυρωθεί ή σταματήσει
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} έχει ακυρωθεί ή σταματήσει
DocType: Accounts Settings,Credit Controller,Ελεγκτής πίστωσης
DocType: Delivery Note,Vehicle Dispatch Date,Ημερομηνία κίνησης οχήματος
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Το αποδεικτικό παραλαβής αγοράς {0} δεν έχει υποβληθεί
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Το αποδεικτικό παραλαβής αγοράς {0} δεν έχει υποβληθεί
DocType: Company,Default Payable Account,Προεπιλεγμένος λογαριασμός πληρωτέων
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Ρυθμίσεις για το online καλάθι αγορών, όπως οι κανόνες αποστολής, ο τιμοκατάλογος κλπ"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% Χρεώθηκαν
@@ -1637,11 +1651,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Συνολικού ποσού που αποδόθηκε
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Αυτό βασίζεται στα ημερολόγια του κατά αυτό το όχημα. Δείτε χρονοδιάγραμμα παρακάτω για λεπτομέρειες
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,Συλλέγω
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Κατά το τιμολόγιο προμηθευτή {0} της {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Κατά το τιμολόγιο προμηθευτή {0} της {1}
DocType: Customer,Default Price List,Προεπιλεγμένος τιμοκατάλογος
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,ρεκόρ Κίνηση περιουσιακό στοιχείο {0} δημιουργήθηκε
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Δεν μπορείτε να διαγράψετε Χρήσεως {0}. Φορολογικό Έτος {0} έχει οριστεί ως προεπιλογή στο Καθολικές ρυθμίσεις
DocType: Journal Entry,Entry Type,Τύπος εισόδου
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Δεν υπάρχει σχέδιο αξιολόγησης που να συνδέεται με αυτήν την ομάδα αξιολόγησης
,Customer Credit Balance,Υπόλοιπο πίστωσης πελάτη
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Καθαρή Αλλαγή πληρωτέων λογαριασμών
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Για την έκπτωση με βάση πελάτη είναι απαραίτητο να επιλεγεί πελάτης
@@ -1649,7 +1664,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,τιμολόγηση
DocType: Quotation,Term Details,Λεπτομέρειες όρων
DocType: Project,Total Sales Cost (via Sales Order),Συνολικό κόστος πωλήσεων (μέσω εντολής πώλησης)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Δεν μπορούν να εγγραφούν περισσότερες από {0} μαθητές για αυτή την ομάδα των σπουδαστών.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Δεν μπορούν να εγγραφούν περισσότερες από {0} μαθητές για αυτή την ομάδα των σπουδαστών.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Αρχικός αριθμός
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} πρέπει να είναι μεγαλύτερη από μηδέν
DocType: Manufacturing Settings,Capacity Planning For (Days),Ο προγραμματισμός της δυναμικότητας Για (Ημέρες)
@@ -1670,7 +1685,7 @@
DocType: Sales Invoice,Packed Items,Συσκευασμένα είδη
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Αξίωση εγγύησης για τον σειριακό αρ.
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Αντικαταστήστε μια συγκεκριμένη Λ.Υ. σε όλες τις άλλες Λ.Υ. όπου χρησιμοποιείται. Θα αντικαταστήσει το παλιό σύνδεσμο Λ.Υ., θα ενημερώσει το κόστος και τον πίνακα ""ανάλυση είδους Λ.Υ."" κατά τη νέα Λ.Υ."
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Σύνολο'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Σύνολο'
DocType: Shopping Cart Settings,Enable Shopping Cart,Ενεργοποίηση του καλαθιού αγορών
DocType: Employee,Permanent Address,Μόνιμη διεύθυνση
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1686,9 +1701,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,Παρακαλώ ορίστε είτε ποσότητα ή τιμή αποτίμησης ή και τα δύο
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,Εκπλήρωση
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Προβολή Καλάθι
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Δαπάνες marketing
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Δαπάνες marketing
,Item Shortage Report,Αναφορά έλλειψης είδους
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Το βάρος αναφέρεται, \nπαρακαλώ, αναφέρετε επίσης και τη μονάδα μέτρησης βάρους'"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Το βάρος αναφέρεται, \nπαρακαλώ, αναφέρετε επίσης και τη μονάδα μέτρησης βάρους'"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Αίτηση υλικού που χρησιμοποιείται για να γίνει αυτήν η καταχώρnση αποθέματος
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Επόμενο Αποσβέσεις ημερομηνία είναι υποχρεωτική για νέο περιουσιακό στοιχείο
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Ξεχωριστή ομάδα μαθημάτων που βασίζεται σε μαθήματα για κάθε παρτίδα
@@ -1697,17 +1712,18 @@
,Student Fee Collection,Φοιτητής είσπραξη τελών
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Δημιούργησε λογιστική καταχώρηση για κάθε κίνηση αποθέματος
DocType: Leave Allocation,Total Leaves Allocated,Σύνολο αδειών που διατέθηκε
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Αποθήκη απαιτείται κατά Row Όχι {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Παρακαλώ εισάγετε ένα έγκυρο οικονομικό έτος ημερομηνίες έναρξης και λήξης
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Αποθήκη απαιτείται κατά Row Όχι {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Παρακαλώ εισάγετε ένα έγκυρο οικονομικό έτος ημερομηνίες έναρξης και λήξης
DocType: Employee,Date Of Retirement,Ημερομηνία συνταξιοδότησης
DocType: Upload Attendance,Get Template,Βρες πρότυπο
+DocType: Material Request,Transferred,Μεταφέρθηκε
DocType: Vehicle,Doors,πόρτες
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,Ρύθμιση ERPNext Πλήρης!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Ρύθμιση ERPNext Πλήρης!
DocType: Course Assessment Criteria,Weightage,Ζύγισμα
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Κέντρο κόστος που απαιτείται για την «Αποτελεσμάτων Χρήσεως» του λογαριασμού {2}. Παρακαλείστε να δημιουργήσει ένα προεπιλεγμένο Κέντρο Κόστους για την Εταιρεία.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Μια ομάδα πελατών υπάρχει με το ίδιο όνομα παρακαλώ να αλλάξετε το όνομα του πελάτη ή να μετονομάσετε την ομάδα πελατών
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Νέα Επικοινωνία
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Μια ομάδα πελατών υπάρχει με το ίδιο όνομα παρακαλώ να αλλάξετε το όνομα του πελάτη ή να μετονομάσετε την ομάδα πελατών
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Νέα Επικοινωνία
DocType: Territory,Parent Territory,Έδαφος μητρική
DocType: Quality Inspection Reading,Reading 2,Μέτρηση 2
DocType: Stock Entry,Material Receipt,Παραλαβή υλικού
@@ -1716,17 +1732,16 @@
DocType: Employee,AB+,ΑΒ +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Εάν αυτό το στοιχείο έχει παραλλαγές, τότε δεν μπορεί να επιλεγεί σε εντολές πώλησης κ.λπ."
DocType: Lead,Next Contact By,Επόμενη επικοινωνία από
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Η ποσότητα για το είδος {0} στη γραμμή {1} είναι απαραίτητη.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},"Η αποθήκη {0} δεν μπορεί να διαγραφεί, γιατί υπάρχει ποσότητα για το είδος {1}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Η ποσότητα για το είδος {0} στη γραμμή {1} είναι απαραίτητη.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Η αποθήκη {0} δεν μπορεί να διαγραφεί, γιατί υπάρχει ποσότητα για το είδος {1}"
DocType: Quotation,Order Type,Τύπος παραγγελίας
DocType: Purchase Invoice,Notification Email Address,Διεύθυνση email ενημερώσεων
,Item-wise Sales Register,Ταμείο πωλήσεων ανά είδος
DocType: Asset,Gross Purchase Amount,Ακαθάριστο Ποσό Αγορά
DocType: Asset,Depreciation Method,Μέθοδος απόσβεσης
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,offline
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,offline
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Ο φόρος αυτός περιλαμβάνεται στη βασική τιμή;
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Σύνολο στόχου
-DocType: Program Course,Required,Απαιτείται
DocType: Job Applicant,Applicant for a Job,Αιτών εργασία
DocType: Production Plan Material Request,Production Plan Material Request,Παραγωγή Αίτημα Σχέδιο Υλικό
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Δεν δημιουργήθηκαν εντολές παραγωγής
@@ -1735,17 +1750,17 @@
DocType: Purchase Invoice Item,Batch No,Αρ. Παρτίδας
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Επιτρέψτε πολλαπλές Παραγγελίες εναντίον παραγγελίας του Πελάτη
DocType: Student Group Instructor,Student Group Instructor,Φοιτητής ομάδας εκπαιδευτών
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 Mobile Όχι
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Κύριο
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile Όχι
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Κύριο
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Παραλλαγή
DocType: Naming Series,Set prefix for numbering series on your transactions,Ορίστε πρόθεμα για τη σειρά αρίθμησης για τις συναλλαγές σας
DocType: Employee Attendance Tool,Employees HTML,Οι εργαζόμενοι HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Προεπιλογή BOM ({0}) πρέπει να είναι ενεργή για αυτό το στοιχείο ή το πρότυπο της
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Προεπιλογή BOM ({0}) πρέπει να είναι ενεργή για αυτό το στοιχείο ή το πρότυπο της
DocType: Employee,Leave Encashed?,Η άδεια εισπράχθηκε;
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Το πεδίο 'ευκαιρία από' είναι υποχρεωτικό
DocType: Email Digest,Annual Expenses,ετήσια Έξοδα
DocType: Item,Variants,Παραλλαγές
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Δημιούργησε παραγγελία αγοράς
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Δημιούργησε παραγγελία αγοράς
DocType: SMS Center,Send To,Αποστολή προς
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Δεν υπάρχει αρκετό υπόλοιπο άδειας για άδειες τύπου {0}
DocType: Payment Reconciliation Payment,Allocated amount,Ποσό που διατέθηκε
@@ -1759,26 +1774,25 @@
DocType: Supplier,Statutory info and other general information about your Supplier,Πληροφορίες καταστατικού και άλλες γενικές πληροφορίες σχετικά με τον προμηθευτή σας
DocType: Item,Serial Nos and Batches,Σειριακοί αριθμοί και παρτίδες
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Δύναμη ομάδας σπουδαστών
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Κατά την ημερολογιακή εγγραφή {0} δεν έχει καμία αταίριαστη {1} καταχώρηση
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Κατά την ημερολογιακή εγγραφή {0} δεν έχει καμία αταίριαστη {1} καταχώρηση
apps/erpnext/erpnext/config/hr.py +137,Appraisals,εκτιμήσεις
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Διπλότυπος σειριακός αριθμός για το είδος {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Μια συνθήκη για έναν κανόνα αποστολής
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Παρακαλώ περάστε
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Δεν είναι δυνατή η overbill για Θέση {0} στη γραμμή {1} περισσότερο από {2}. Για να καταστεί δυνατή η υπερβολική τιμολόγηση, ορίστε στην Αγορά Ρυθμίσεις"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Παρακαλούμε να ορίσετε το φίλτρο σύμφωνα με το σημείο ή την αποθήκη
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Δεν είναι δυνατή η overbill για Θέση {0} στη γραμμή {1} περισσότερο από {2}. Για να καταστεί δυνατή η υπερβολική τιμολόγηση, ορίστε στην Αγορά Ρυθμίσεις"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Παρακαλούμε να ορίσετε το φίλτρο σύμφωνα με το σημείο ή την αποθήκη
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Το καθαρό βάρος της εν λόγω συσκευασίας. (Υπολογίζεται αυτόματα ως το άθροισμα του καθαρού βάρους των ειδών)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,"Παρακαλούμε δημιουργήστε ένα λογαριασμό για αυτήν την αποθήκη και να τον συνδέσετε. Αυτό δεν μπορεί να γίνει αυτόματα, όπως ένα λογαριασμό με το όνομα {0} υπάρχει ήδη"
DocType: Sales Order,To Deliver and Bill,Για να παρέχουν και να τιμολογούν
DocType: Student Group,Instructors,εκπαιδευτές
DocType: GL Entry,Credit Amount in Account Currency,Πιστωτικές Ποσό σε Νόμισμα Λογαριασμού
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,Η Λ.Υ. {0} πρέπει να υποβληθεί
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,Η Λ.Υ. {0} πρέπει να υποβληθεί
DocType: Authorization Control,Authorization Control,Έλεγχος εξουσιοδότησης
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Σειρά # {0}: Απορρίφθηκε Αποθήκη είναι υποχρεωτική κατά στοιχείο που έχει απορριφθεί {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Σειρά # {0}: Απορρίφθηκε Αποθήκη είναι υποχρεωτική κατά στοιχείο που έχει απορριφθεί {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Πληρωμή
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Η αποθήκη {0} δεν συνδέεται με κανένα λογαριασμό, αναφέρετε τον λογαριασμό στο αρχείο αποθήκης ή ορίστε τον προεπιλεγμένο λογαριασμό αποθέματος στην εταιρεία {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Διαχειριστείτε τις παραγγελίες σας
DocType: Production Order Operation,Actual Time and Cost,Πραγματικός χρόνος και κόστος
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Αίτηση υλικού με μέγιστο {0} μπορεί να γίνει για το είδος {1} κατά την παραγγελία πώλησης {2}
-DocType: Employee,Salutation,Χαιρετισμός
DocType: Course,Course Abbreviation,Σύντμηση γκολφ
DocType: Student Leave Application,Student Leave Application,Φοιτητής Αφήστε Εφαρμογή
DocType: Item,Will also apply for variants,Θα ισχύουν επίσης για τις παραλλαγές
@@ -1790,12 +1804,12 @@
DocType: Quotation Item,Actual Qty,Πραγματική ποσότητα
DocType: Sales Invoice Item,References,Παραπομπές
DocType: Quality Inspection Reading,Reading 10,Μέτρηση 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Απαριθμήστε προϊόντα ή υπηρεσίες που αγοράζετε ή πουλάτε. Σιγουρέψτε πως έχει επιλεγεί η ομάδα εϊδους, η μονάδα μέτρησης και οι άλλες ιδιότητες όταν ξεκινάτε."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Απαριθμήστε προϊόντα ή υπηρεσίες που αγοράζετε ή πουλάτε. Σιγουρέψτε πως έχει επιλεγεί η ομάδα εϊδους, η μονάδα μέτρησης και οι άλλες ιδιότητες όταν ξεκινάτε."
DocType: Hub Settings,Hub Node,Κόμβος Hub
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Έχετε εισάγει διπλότυπα στοιχεία. Παρακαλώ διορθώστε και δοκιμάστε ξανά.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Συνεργάτης
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Συνεργάτης
DocType: Asset Movement,Asset Movement,Asset Κίνημα
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,νέα καλαθιού
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,νέα καλαθιού
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Το είδος {0} δεν είναι είδος μίας σειράς
DocType: SMS Center,Create Receiver List,Δημιουργία λίστας παραλήπτη
DocType: Vehicle,Wheels,τροχοί
@@ -1815,19 +1829,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Μπορεί να παραπέμψει σε γραμμή μόνο εφόσον ο τύπος χρέωσης είναι ποσό προηγούμενης γραμμής ή σύνολο προηγούμενης γραμμής
DocType: Sales Order Item,Delivery Warehouse,Αποθήκη Παράδοση
DocType: SMS Settings,Message Parameter,Παράμετρος στο μήνυμα
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Δέντρο των Κέντρων οικονομικό κόστος.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Δέντρο των Κέντρων οικονομικό κόστος.
DocType: Serial No,Delivery Document No,Αρ. εγγράφου παράδοσης
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Παρακαλούμε να ορίσετε 'Ο λογαριασμός / Ζημιά Κέρδος Asset διάθεσης »στην εταιρεία {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Πάρετε τα στοιχεία από τις πωλήσεις παραγγελίες
DocType: Serial No,Creation Date,Ημερομηνία δημιουργίας
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Το είδος {0} εμφανίζεται πολλές φορές στον τιμοκατάλογο {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Η πώληση πρέπει να επιλεγεί, αν είναι το πεδίο 'εφαρμοστέα για' έχει οριστεί ως {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Η πώληση πρέπει να επιλεγεί, αν είναι το πεδίο 'εφαρμοστέα για' έχει οριστεί ως {0}"
DocType: Production Plan Material Request,Material Request Date,Υλικό Ημερομηνία Αίτηση
DocType: Purchase Order Item,Supplier Quotation Item,Είδος της προσφοράς του προμηθευτή
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Απενεργοποιεί τη δημιουργία του χρόνου κορμών κατά Εντολές Παραγωγής. Οι πράξεις δεν θα πρέπει να παρακολουθούνται κατά την παραγωγή διαταγής
DocType: Student,Student Mobile Number,Φοιτητής Αριθμός Κινητού
DocType: Item,Has Variants,Έχει παραλλαγές
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Έχετε ήδη επιλεγμένα αντικείμενα από {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Έχετε ήδη επιλεγμένα αντικείμενα από {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Όνομα της μηνιαίας διανομής
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Το αναγνωριστικό παρτίδας είναι υποχρεωτικό
DocType: Sales Person,Parent Sales Person,Γονικός πωλητής
@@ -1837,12 +1851,12 @@
DocType: Budget,Fiscal Year,Χρήση
DocType: Vehicle Log,Fuel Price,των τιμών των καυσίμων
DocType: Budget,Budget,Προϋπολογισμός
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Πάγιο περιουσιακό στοιχείο πρέπει να είναι ένα στοιχείο μη διαθέσιμο.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Πάγιο περιουσιακό στοιχείο πρέπει να είναι ένα στοιχείο μη διαθέσιμο.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Ο προϋπολογισμός δεν μπορεί να αποδοθεί κατά {0}, δεδομένου ότι δεν είναι ένας λογαριασμός έσοδα ή έξοδα"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Επιτεύχθηκε
DocType: Student Admission,Application Form Route,Αίτηση Διαδρομή
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Περιοχή / πελάτης
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,Π.Χ. 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,Π.Χ. 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Αφήστε Τύπος {0} δεν μπορεί να διατεθεί αφού φύγετε χωρίς αμοιβή
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Γραμμή {0}: Το ποσό που διατίθεται {1} πρέπει να είναι μικρότερο ή ίσο με το οφειλόμενο ποσό του τιμολογίου {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Με λόγια θα είναι ορατά αφού αποθηκεύσετε το τιμολόγιο πώλησης.
@@ -1851,7 +1865,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Το είδος {0} δεν είναι στημένο για σειριακούς αριθμούς. Ελέγξτε την κύρια εγγραφή είδους
DocType: Maintenance Visit,Maintenance Time,Ώρα συντήρησης
,Amount to Deliver,Ποσό Παράδοση
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Ένα προϊόν ή υπηρεσία
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Ένα προϊόν ή υπηρεσία
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Η Ημερομηνία Τίτλος έναρξης δεν μπορεί να είναι νωρίτερα από το έτος έναρξης Ημερομηνία του Ακαδημαϊκού Έτους στην οποία ο όρος συνδέεται (Ακαδημαϊκό Έτος {}). Διορθώστε τις ημερομηνίες και προσπαθήστε ξανά.
DocType: Guardian,Guardian Interests,Guardian Ενδιαφέροντα
DocType: Naming Series,Current Value,Τρέχουσα αξία
@@ -1865,12 +1879,12 @@
must be greater than or equal to {2}","Γραμμή {0}: για να ρυθμίσετε {1} περιοδικότητα, η διαφορά μεταξύ της ημερομηνίας από και έως \ πρέπει να είναι μεγαλύτερη ή ίση με {2}"""
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Αυτό βασίζεται στην κίνηση των αποθεμάτων. Δείτε {0} για λεπτομέρειες
DocType: Pricing Rule,Selling,Πώληση
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Ποσό {0} {1} αφαιρούνται από {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Ποσό {0} {1} αφαιρούνται από {2}
DocType: Employee,Salary Information,Πληροφορίες μισθού
DocType: Sales Person,Name and Employee ID,Όνομα και ID υπαλλήλου
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,Η ημερομηνία λήξης προθεσμίας δεν μπορεί να είναι πριν από την ημερομηνία αποστολής
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,Η ημερομηνία λήξης προθεσμίας δεν μπορεί να είναι πριν από την ημερομηνία αποστολής
DocType: Website Item Group,Website Item Group,Ομάδα ειδών δικτυακού τόπου
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Δασμοί και φόροι
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Δασμοί και φόροι
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Παρακαλώ εισάγετε την ημερομηνία αναφοράς
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} εγγραφές πληρωμών δεν μπορεί να φιλτράρεται από {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,Πίνακας για το είδος που θα εμφανιστεί στην ιστοσελίδα
@@ -1887,9 +1901,9 @@
DocType: Payment Reconciliation Payment,Reference Row,Σειρά αναφοράς
DocType: Installation Note,Installation Time,Ώρα εγκατάστασης
DocType: Sales Invoice,Accounting Details,Λογιστική Λεπτομέρειες
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Διαγράψτε όλες τις συναλλαγές για αυτή την Εταιρεία
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Γραμμή #{0}:Η λειτουργία {1} δεν έχει ολοκληρωθεί για τη {2} ποσότητα των τελικών προϊόντων στην εντολή παραγωγής # {3}. Σας Παρακαλώ να ενημερώσετε την κατάσταση λειτουργίας μέσω των χρονικών αρχείων καταγραφής
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Επενδύσεις
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Διαγράψτε όλες τις συναλλαγές για αυτή την Εταιρεία
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Γραμμή #{0}:Η λειτουργία {1} δεν έχει ολοκληρωθεί για τη {2} ποσότητα των τελικών προϊόντων στην εντολή παραγωγής # {3}. Σας Παρακαλώ να ενημερώσετε την κατάσταση λειτουργίας μέσω των χρονικών αρχείων καταγραφής
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Επενδύσεις
DocType: Issue,Resolution Details,Λεπτομέρειες επίλυσης
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,χορηγήσεις
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Κριτήρια αποδοχής
@@ -1914,7 +1928,7 @@
DocType: Room,Room Name,Όνομα δωμάτιο
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Αφήστε που δεν μπορούν να εφαρμοστούν / ακυρωθεί πριν {0}, η ισορροπία άδεια έχει ήδη μεταφοράς διαβιβάζεται στο μέλλον ρεκόρ χορήγηση άδειας {1}"
DocType: Activity Cost,Costing Rate,Κοστολόγηση Τιμή
-,Customer Addresses And Contacts,Διευθύνσεις πελατών και των επαφών
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Διευθύνσεις πελατών και των επαφών
,Campaign Efficiency,Αποτελεσματικότητα καμπάνιας
DocType: Discussion,Discussion,Συζήτηση
DocType: Payment Entry,Transaction ID,Ταυτότητα συναλλαγής
@@ -1924,14 +1938,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Συνολικό Ποσό χρέωσης (μέσω Ώρα Φύλλο)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Έσοδα επαναλαμβανόμενων πελατών
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) Πρέπει να έχει ρόλο «υπεύθυνος έγκρισης δαπανών»
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Ζεύγος
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Επιλέξτε BOM και Ποσότητα Παραγωγής
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Ζεύγος
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Επιλέξτε BOM και Ποσότητα Παραγωγής
DocType: Asset,Depreciation Schedule,Πρόγραμμα αποσβέσεις
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Διευθύνσεις συνεργατών πωλήσεων και επαφές
DocType: Bank Reconciliation Detail,Against Account,Κατά τον λογαριασμό
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Μισό Ημερομηνία Ημέρα θα πρέπει να είναι μεταξύ Από Ημερομηνία και μέχρι σήμερα
DocType: Maintenance Schedule Detail,Actual Date,Πραγματική ημερομηνία
DocType: Item,Has Batch No,Έχει αρ. Παρτίδας
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Ετήσια Χρέωση: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Ετήσια Χρέωση: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Φόρος αγαθών και υπηρεσιών (GST Ινδία)
DocType: Delivery Note,Excise Page Number,Αριθμός σελίδας έμμεσης εσωτερικής φορολογίας
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Η εταιρεία, Από Ημερομηνία και μέχρι σήμερα είναι υποχρεωτική"
DocType: Asset,Purchase Date,Ημερομηνία αγοράς
@@ -1939,11 +1955,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Παρακαλούμε να ορίσετε «Asset Κέντρο Αποσβέσεις Κόστους» στην εταιρεία {0}
,Maintenance Schedules,Χρονοδιαγράμματα συντήρησης
DocType: Task,Actual End Date (via Time Sheet),Πραγματική Ημερομηνία λήξης (μέσω Ώρα Φύλλο)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Ποσό {0} {1} από {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Ποσό {0} {1} από {2} {3}
,Quotation Trends,Τάσεις προσφορών
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Η ομάδα είδους δεν αναφέρεται στην κύρια εγγραφή είδους για το είδος {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Ο 'λογαριασμός χρέωσης προς' Χρέωση του λογαριασμού πρέπει να είναι λογαριασμός απαιτήσεων
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Η ομάδα είδους δεν αναφέρεται στην κύρια εγγραφή είδους για το είδος {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Ο 'λογαριασμός χρέωσης προς' Χρέωση του λογαριασμού πρέπει να είναι λογαριασμός απαιτήσεων
DocType: Shipping Rule Condition,Shipping Amount,Κόστος αποστολής
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Προσθέστε πελάτες
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Ποσό που εκκρεμεί
DocType: Purchase Invoice Item,Conversion Factor,Συντελεστής μετατροπής
DocType: Purchase Order,Delivered,Παραδόθηκε
@@ -1953,7 +1970,8 @@
DocType: Purchase Receipt,Vehicle Number,Αριθμός Οχημάτων
DocType: Purchase Invoice,The date on which recurring invoice will be stop,Η ημερομηνία κατά την οποία το επαναλαμβανόμενο τιμολόγιο θα σταματήσει
DocType: Employee Loan,Loan Amount,Ποσο δανειου
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Κατάλογος Υλικών δεν βρέθηκε για την Θέση {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Αυτοκίνητο όχημα
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Κατάλογος Υλικών δεν βρέθηκε για την Θέση {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,"Σύνολο των κατανεμημένων φύλλα {0} δεν μπορεί να είναι μικρότερη από ό, τι έχει ήδη εγκριθεί φύλλα {1} για την περίοδο"
DocType: Journal Entry,Accounts Receivable,Εισπρακτέοι λογαριασμοί
,Supplier-Wise Sales Analytics,Αναφορές πωλήσεων ανά προμηθευτή
@@ -1970,21 +1988,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Η αξίωση δαπανών είναι εν αναμονή έγκρισης. Μόνο ο υπεύθυνος έγκρισης δαπανών να ενημερώσει την κατάστασή της.
DocType: Email Digest,New Expenses,νέα Έξοδα
DocType: Purchase Invoice,Additional Discount Amount,Πρόσθετες ποσό έκπτωσης
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Σειρά # {0}: Ποσότητα πρέπει να είναι 1, ως στοιχείο αποτελεί πάγιο περιουσιακό στοιχείο. Παρακαλούμε χρησιμοποιήστε ξεχωριστή σειρά για πολλαπλές ποσότητα."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Σειρά # {0}: Ποσότητα πρέπει να είναι 1, ως στοιχείο αποτελεί πάγιο περιουσιακό στοιχείο. Παρακαλούμε χρησιμοποιήστε ξεχωριστή σειρά για πολλαπλές ποσότητα."
DocType: Leave Block List Allow,Leave Block List Allow,Επίτρεψε λίστα αποκλεισμού ημερών άδειας
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Συντ δεν μπορεί να είναι κενό ή χώρος
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Συντ δεν μπορεί να είναι κενό ή χώρος
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Ομάδα για να μη Ομάδα
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Αθλητισμός
DocType: Loan Type,Loan Name,δάνειο Όνομα
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Πραγματικό σύνολο
DocType: Student Siblings,Student Siblings,φοιτητής αδέλφια
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Μονάδα
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,Παρακαλώ ορίστε εταιρεία
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Μονάδα
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Παρακαλώ ορίστε εταιρεία
,Customer Acquisition and Loyalty,Απόκτηση πελατών και πίστη
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Αποθήκη όπου θα γίνεται διατήρηση αποθέματος για απορριφθέντα στοιχεία
DocType: Production Order,Skip Material Transfer,Παράλειψη μεταφοράς υλικού
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Δεν βρέθηκε συναλλαγματική ισοτιμία {0} έως {1} για ημερομηνία κλειδιού {2}. Δημιουργήστε μια εγγραφή συναλλάγματος με μη αυτόματο τρόπο
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Το οικονομικό έτος σας τελειώνει στις
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Δεν βρέθηκε συναλλαγματική ισοτιμία {0} έως {1} για ημερομηνία κλειδιού {2}. Δημιουργήστε μια εγγραφή συναλλάγματος με μη αυτόματο τρόπο
DocType: POS Profile,Price List,Τιμοκατάλογος
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} Είναι τώρα η προεπιλεγμένη χρήση. Παρακαλώ ανανεώστε το πρόγραμμα περιήγησής σας για να τεθεί σε ισχύ η αλλαγή.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Απαιτήσεις Εξόδων
@@ -1997,14 +2014,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Το ισοζύγιο αποθεμάτων στην παρτίδα {0} θα γίνει αρνητικό {1} για το είδος {2} στην αποθήκη {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Μετά από αιτήματα Υλικό έχουν τεθεί αυτόματα ανάλογα με το επίπεδο εκ νέου την τάξη αντικειμένου
DocType: Email Digest,Pending Sales Orders,Εν αναμονή Παραγγελίες
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Ο Λογαριασμός {0} δεν είναι έγκυρη. Ο Λογαριασμός νομίσματος πρέπει να είναι {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Ο Λογαριασμός {0} δεν είναι έγκυρη. Ο Λογαριασμός νομίσματος πρέπει να είναι {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Ο συντελεστής μετατροπής Μ.Μ. είναι απαραίτητος στη γραμμή {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Σειρά # {0}: Έγγραφο Αναφοράς Τύπος πρέπει να είναι ένα από τα Πωλήσεις Τάξης, Τιμολόγιο Πωλήσεων ή Εφημερίδα Έναρξη"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Σειρά # {0}: Έγγραφο Αναφοράς Τύπος πρέπει να είναι ένα από τα Πωλήσεις Τάξης, Τιμολόγιο Πωλήσεων ή Εφημερίδα Έναρξη"
DocType: Salary Component,Deduction,Κρατήση
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Σειρά {0}: από το χρόνο και τον χρόνο είναι υποχρεωτική.
DocType: Stock Reconciliation Item,Amount Difference,ποσό Διαφορά
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Είδους Τιμή προστεθεί {0} στην Τιμοκατάλογος {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Είδους Τιμή προστεθεί {0} στην Τιμοκατάλογος {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Παρακαλώ εισάγετε το αναγνωριστικό Υπάλληλος αυτό το άτομο πωλήσεων
DocType: Territory,Classification of Customers by region,Ταξινόμηση των πελατών ανά περιοχή
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Διαφορά Ποσό πρέπει να είναι μηδέν
@@ -2016,21 +2033,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Συνολική έκπτωση
,Production Analytics,παραγωγή Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Κόστος Ενημερώθηκε
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Κόστος Ενημερώθηκε
DocType: Employee,Date of Birth,Ημερομηνία γέννησης
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Το είδος {0} έχει ήδη επιστραφεί
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Το είδος {0} έχει ήδη επιστραφεί
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Η χρήση ** αντιπροσωπεύει ένα οικονομικό έτος. Όλες οι λογιστικές εγγραφές και άλλες σημαντικές συναλλαγές παρακολουθούνται ανά ** χρήση **.
DocType: Opportunity,Customer / Lead Address,Πελάτης / διεύθυνση Σύστασης
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Προειδοποίηση: Μη έγκυρο πιστοποιητικό SSL στο συνημμένο {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Προειδοποίηση: Μη έγκυρο πιστοποιητικό SSL στο συνημμένο {0}
DocType: Student Admission,Eligibility,Αιρετότητα
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Οδηγεί σας βοηθήσει να πάρετε την επιχείρησή, προσθέστε όλες τις επαφές σας και περισσότερο, όπως σας οδηγεί"
DocType: Production Order Operation,Actual Operation Time,Πραγματικός χρόνος λειτουργίας
DocType: Authorization Rule,Applicable To (User),Εφαρμοστέα σε (user)
DocType: Purchase Taxes and Charges,Deduct,Αφαίρεσε
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Περιγραφή Δουλειάς
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Περιγραφή Δουλειάς
DocType: Student Applicant,Applied,Εφαρμοσμένος
DocType: Sales Invoice Item,Qty as per Stock UOM,Ποσότητα σύμφωνα με τη Μ.Μ. Αποθέματος
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Όνομα Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Όνομα Guardian2
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Ειδικοί χαρακτήρες εκτός από ""-"", ""#"", ""."" and ""/"" δεν επιτρέπονται στην σειρά ονομασίας"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Παρακολουθήστε εκστρατείες προώθησης των πωλήσεων. Παρακολουθήστε Συστάσεις, προσφορές, παραγγελίες πωλήσεων κλπ από τις εκστρατείες στις οποίες πρέπει να γίνει μέτρηση της απόδοσης των επενδύσεων."
DocType: Expense Claim,Approver,Ο εγκρίνων
@@ -2041,7 +2058,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Ο σειριακός αριθμός {0} έχει εγγύηση μέχρι {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Χώρισε το δελτίο αποστολής σημείωση σε πακέτα.
apps/erpnext/erpnext/hooks.py +87,Shipments,Αποστολές
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Το υπόλοιπο του λογαριασμού ({0}) για {1} και η αξία αποθεμάτων ({2}) για την αποθήκη {3} πρέπει να είναι ίδια
DocType: Payment Entry,Total Allocated Amount (Company Currency),Συνολικό ποσό που χορηγήθηκε (Εταιρεία νομίσματος)
DocType: Purchase Order Item,To be delivered to customer,Να παραδοθεί στον πελάτη
DocType: BOM,Scrap Material Cost,Άχρηστα Υλικών Κατασκευής Νέων Κτιρίων
@@ -2049,20 +2065,21 @@
DocType: Purchase Invoice,In Words (Company Currency),Με λόγια (νόμισμα της εταιρείας)
DocType: Asset,Supplier,Προμηθευτής
DocType: C-Form,Quarter,Τρίμηνο
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Διάφορες δαπάνες
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Διάφορες δαπάνες
DocType: Global Defaults,Default Company,Προεπιλεγμένη εταιρεία
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Ο λογαριασμός δαπάνης ή ποσό διαφοράς είναι απαραίτητος για το είδος {0}, καθώς επηρεάζουν τη συνολική αξία των αποθεμάτων"
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Ο λογαριασμός δαπάνης ή ποσό διαφοράς είναι απαραίτητος για το είδος {0}, καθώς επηρεάζουν τη συνολική αξία των αποθεμάτων"
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Όνομα τράπεζας
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Παραπάνω
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Παραπάνω
DocType: Employee Loan,Employee Loan Account,Ο λογαριασμός δανείου των εργαζομένων
DocType: Leave Application,Total Leave Days,Σύνολο ημερών άδειας
DocType: Email Digest,Note: Email will not be sent to disabled users,Σημείωση: το email δε θα σταλεί σε απενεργοποιημένους χρήστες
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Αριθμός Αλληλεπίδρασης
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Κωδικός στοιχείου> Ομάδα στοιχείων> Μάρκα
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Επιλέξτε εταιρία...
DocType: Leave Control Panel,Leave blank if considered for all departments,Άφησε το κενό αν ισχύει για όλα τα τμήματα
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Μορφές απασχόλησης ( μόνιμη, σύμβαση, πρακτική άσκηση κ.λ.π. )."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},Η {0} είναι απαραίτητη για το είδος {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},Η {0} είναι απαραίτητη για το είδος {1}
DocType: Process Payroll,Fortnightly,Κατά δεκατετραήμερο
DocType: Currency Exchange,From Currency,Από το νόμισμα
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Παρακαλώ επιλέξτε χορηγούμενο ποσό, τύπο τιμολογίου και αριθμό τιμολογίου σε τουλάχιστον μία σειρά"
@@ -2084,7 +2101,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,Παρακαλώ κάντε κλικ στο 'δημιουργία χρονοδιαγράμματος' για να δείτε το πρόγραμμα
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Υπήρξαν σφάλματα κατά τη διαγραφή ακόλουθα δρομολόγια:
DocType: Bin,Ordered Quantity,Παραγγελθείσα ποσότητα
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",Π.Χ. Χτίστε εργαλεία για τους κατασκευαστές '
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",Π.Χ. Χτίστε εργαλεία για τους κατασκευαστές '
DocType: Grading Scale,Grading Scale Intervals,Διαστήματα Κλίμακα βαθμολόγησης
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: λογιστική καταχώριση για {2} μπορεί να γίνει μόνο στο νόμισμα: {3}
DocType: Production Order,In Process,Σε επεξεργασία
@@ -2098,12 +2115,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Δημιουργία ομάδων σπουδαστών.
DocType: Sales Invoice,Total Billing Amount,Συνολικό Ποσό Χρέωσης
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Πρέπει να υπάρχει μια προεπιλογή εισερχόμενα λογαριασμού ηλεκτρονικού ταχυδρομείου ενεργοποιηθεί για να δουλέψει αυτό. Παρακαλείστε να στήσετε ένα προεπιλεγμένο εισερχόμενων λογαριασμού ηλεκτρονικού ταχυδρομείου (POP / IMAP) και δοκιμάστε ξανά.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Εισπρακτέα λογαριασμού
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Σειρά # {0}: Asset {1} είναι ήδη {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Εισπρακτέα λογαριασμού
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Σειρά # {0}: Asset {1} είναι ήδη {2}
DocType: Quotation Item,Stock Balance,Ισοζύγιο αποθέματος
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Πωλήσεις Τάξης να Πληρωμής
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ορίστε την Ονοματοδοσία Σειράς για {0} μέσω του Setup> Settings> Naming Series
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,CEO
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO
DocType: Expense Claim Detail,Expense Claim Detail,Λεπτομέρειες αξίωσης δαπανών
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Παρακαλώ επιλέξτε σωστό λογαριασμό
DocType: Item,Weight UOM,Μονάδα μέτρησης βάρους
@@ -2112,12 +2128,12 @@
DocType: Production Order Operation,Pending,Εκκρεμής
DocType: Course,Course Name,Όνομα Μαθήματος
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Χρήστες που μπορούν να εγκρίνουν αιτήσεις για έναν συγκεκριμένο εργαζόμενο
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Εξοπλισμός γραφείου
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Εξοπλισμός γραφείου
DocType: Purchase Invoice Item,Qty,Ποσότητα
DocType: Fiscal Year,Companies,Εταιρείες
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Ηλεκτρονικά
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Δημιουργία αιτήματος υλικού όταν το απόθεμα φτάνει το επίπεδο για επαναπαραγγελία
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Πλήρης απασχόληση
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Πλήρης απασχόληση
DocType: Salary Structure,Employees,εργαζόμενοι
DocType: Employee,Contact Details,Στοιχεία επικοινωνίας επαφής
DocType: C-Form,Received Date,Ημερομηνία παραλαβής
@@ -2127,7 +2143,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Οι τιμές δεν θα εμφανίζεται αν Τιμοκατάλογος δεν έχει οριστεί
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Προσδιορίστε μια χώρα για αυτή την αποστολή κανόνα ή ελέγξτε Παγκόσμια ναυτιλία
DocType: Stock Entry,Total Incoming Value,Συνολική εισερχόμενη αξία
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Χρεωστικό να απαιτείται
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Χρεωστικό να απαιτείται
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Φύλλων βοηθήσει να παρακολουθείτε την ώρα, το κόστος και τη χρέωση για δραστηριότητες γίνεται από την ομάδα σας"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Τιμοκατάλογος αγορών
DocType: Offer Letter Term,Offer Term,Προσφορά Όρος
@@ -2136,17 +2152,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Συμφωνία πληρωμής
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,Παρακαλώ επιλέξτε το όνομα υπευθύνου
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Τεχνολογία
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Το σύνολο των απλήρωτων: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Το σύνολο των απλήρωτων: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM λειτουργίας της ιστοσελίδας
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Επιστολή Προσφοράς
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Δημιουργία αιτήσεων υλικών (mrp) και εντολών παραγωγής.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Συνολικό ποσό που τιμολογήθηκε
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Συνολικό ποσό που τιμολογήθηκε
DocType: BOM,Conversion Rate,Συναλλαγματική ισοτιμία
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Αναζήτηση προϊόντων
DocType: Timesheet Detail,To Time,Έως ώρα
DocType: Authorization Rule,Approving Role (above authorized value),Έγκριση Ρόλος (πάνω από εξουσιοδοτημένο αξία)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Ο λογαριασμός πίστωσης πρέπει να είναι πληρωτέος λογαριασμός
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},Αναδρομή Λ.Υ.: {0} δεν μπορεί να είναι γονέας ή τέκνο της {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Ο λογαριασμός πίστωσης πρέπει να είναι πληρωτέος λογαριασμός
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},Αναδρομή Λ.Υ.: {0} δεν μπορεί να είναι γονέας ή τέκνο της {2}
DocType: Production Order Operation,Completed Qty,Ολοκληρωμένη ποσότητα
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Για {0}, μόνο χρεωστικοί λογαριασμοί μπορούν να συνδέονται με άλλες καταχωρήσεις πίστωσης"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Ο τιμοκατάλογος {0} είναι απενεργοποιημένος
@@ -2157,28 +2173,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} αύξοντες αριθμούς που απαιτούνται για τη θέση {1}. Έχετε προβλέπεται {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Τρέχουσα Αποτίμηση Τιμή
DocType: Item,Customer Item Codes,Θέση Πελάτη Κώδικες
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Ανταλλαγή Κέρδος / Ζημιά
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Ανταλλαγή Κέρδος / Ζημιά
DocType: Opportunity,Lost Reason,Αιτιολογία απώλειας
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Νέα Διεύθυνση
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Νέα Διεύθυνση
DocType: Quality Inspection,Sample Size,Μέγεθος δείγματος
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,"Παρακαλούμε, εισάγετε παραστατικό παραλαβής"
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Όλα τα είδη έχουν ήδη τιμολογηθεί
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Όλα τα είδη έχουν ήδη τιμολογηθεί
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',Καθορίστε μια έγκυρη τιμή στο πεδίο 'από τον αρ. Υπόθεσης'
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,"Περαιτέρω κέντρα κόστους μπορεί να γίνει κάτω από ομάδες, αλλά εγγραφές μπορούν να γίνουν με την μη Ομάδες"
DocType: Project,External,Εξωτερικός
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Χρήστες και δικαιώματα
DocType: Vehicle Log,VLOG.,Vlog.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Εντολές Παραγωγής Δημιουργήθηκε: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Εντολές Παραγωγής Δημιουργήθηκε: {0}
DocType: Branch,Branch,Υποκατάστημα
DocType: Guardian,Mobile Number,Αριθμός κινητού
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Εκτύπωσης και Branding
DocType: Bin,Actual Quantity,Πραγματική ποσότητα
DocType: Shipping Rule,example: Next Day Shipping,Παράδειγμα: αποστολή την επόμενη μέρα
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Ο σειριακός αριθμός {0} δεν βρέθηκε
-DocType: Scheduling Tool,Student Batch,Batch φοιτητής
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Οι πελάτες σας
+DocType: Program Enrollment,Student Batch,Batch φοιτητής
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Κάντε Φοιτητής
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Έχετε προσκληθεί να συνεργαστούν για το έργο: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Έχετε προσκληθεί να συνεργαστούν για το έργο: {0}
DocType: Leave Block List Date,Block Date,Αποκλεισμός ημερομηνίας
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Κάνε αίτηση τώρα
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Ποσότητα πραγματικού {0} / Ποσό αναμονής {1}
@@ -2187,7 +2202,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Δημιουργία και διαχείριση ημερησίων, εβδομαδιαίων και μηνιαίων ενημερώσεν email."
DocType: Appraisal Goal,Appraisal Goal,Στόχος αξιολόγησης
DocType: Stock Reconciliation Item,Current Amount,τρέχουσα Ποσό
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,κτίρια
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,κτίρια
DocType: Fee Structure,Fee Structure,Δομή χρέωση
DocType: Timesheet Detail,Costing Amount,Κοστολόγηση Ποσό
DocType: Student Admission,Application Fee,Τέλη της αίτησης
@@ -2199,10 +2214,10 @@
DocType: POS Profile,[Select],[ Επιλέξτε ]
DocType: SMS Log,Sent To,Αποστέλλονται
DocType: Payment Request,Make Sales Invoice,Δημιούργησε τιμολόγιο πώλησης
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,λογισμικά
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,λογισμικά
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Επόμενο Ημερομηνία Επικοινωνήστε δεν μπορεί να είναι στο παρελθόν
DocType: Company,For Reference Only.,Για αναφορά μόνο.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Επιλέξτε Αριθμός παρτίδας
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Επιλέξτε Αριθμός παρτίδας
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Άκυρη {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-αναδρομική έναρξη
DocType: Sales Invoice Advance,Advance Amount,Ποσό προκαταβολής
@@ -2212,15 +2227,15 @@
DocType: Employee,Employment Details,Λεπτομέρειες απασχόλησης
DocType: Employee,New Workplace,Νέος χώρος εργασίας
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Ορισμός ως Έκλεισε
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Δεν βρέθηκε είδος με barcode {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Δεν βρέθηκε είδος με barcode {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Ο αρ. Υπόθεσης δεν μπορεί να είναι 0
DocType: Item,Show a slideshow at the top of the page,Δείτε μια παρουσίαση στην κορυφή της σελίδας
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,BOMs
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Καταστήματα
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,BOMs
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Καταστήματα
DocType: Serial No,Delivery Time,Χρόνος παράδοσης
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Γήρανση με βάση την
DocType: Item,End of Life,Τέλος της ζωής
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Ταξίδι
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Ταξίδι
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Δεν ενεργή ή προεπιλογή Μισθός Δομή βρέθηκαν για εργαζόμενο {0} για τις δεδομένες ημερομηνίες
DocType: Leave Block List,Allow Users,Επίστρεψε χρήστες
DocType: Purchase Order,Customer Mobile No,Κινητό αριθ Πελατών
@@ -2229,29 +2244,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Ενημέρωση κόστους
DocType: Item Reorder,Item Reorder,Αναδιάταξη είδους
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Εμφάνιση Μισθός Slip
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Μεταφορά υλικού
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Μεταφορά υλικού
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Καθορίστε τις λειτουργίες, το κόστος λειτουργίας και να δώστε ένα μοναδικό αριθμό λειτουργίας στις λειτουργίες σας."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Το έγγραφο αυτό είναι πάνω από το όριο του {0} {1} για το στοιχείο {4}. Κάνετε μια άλλη {3} κατά την ίδια {2};
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Παρακαλούμε να ορίσετε επαναλαμβανόμενες μετά την αποθήκευση
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,υπόψη το ποσό Επιλέξτε αλλαγή
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Το έγγραφο αυτό είναι πάνω από το όριο του {0} {1} για το στοιχείο {4}. Κάνετε μια άλλη {3} κατά την ίδια {2};
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Παρακαλούμε να ορίσετε επαναλαμβανόμενες μετά την αποθήκευση
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,υπόψη το ποσό Επιλέξτε αλλαγή
DocType: Purchase Invoice,Price List Currency,Νόμισμα τιμοκαταλόγου
DocType: Naming Series,User must always select,Ο χρήστης πρέπει πάντα να επιλέγει
DocType: Stock Settings,Allow Negative Stock,Επίτρεψε αρνητικό απόθεμα
DocType: Installation Note,Installation Note,Σημείωση εγκατάστασης
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Προσθήκη φόρων
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Προσθήκη φόρων
DocType: Topic,Topic,Θέμα
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Ταμειακές ροές από χρηματοδοτικές
DocType: Budget Account,Budget Account,Ο λογαριασμός του προϋπολογισμού
DocType: Quality Inspection,Verified By,Πιστοποιημένο από
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Δεν μπορεί να αλλάξει προεπιλεγμένο νόμισμα της εταιρείας, επειδή υπάρχουν υφιστάμενες συναλλαγές. Οι συναλλαγές πρέπει να ακυρωθούν για να αλλάξετε το εξ 'ορισμού νόμισμα."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Δεν μπορεί να αλλάξει προεπιλεγμένο νόμισμα της εταιρείας, επειδή υπάρχουν υφιστάμενες συναλλαγές. Οι συναλλαγές πρέπει να ακυρωθούν για να αλλάξετε το εξ 'ορισμού νόμισμα."
DocType: Grading Scale Interval,Grade Description,βαθμός Περιγραφή
DocType: Stock Entry,Purchase Receipt No,Αρ. αποδεικτικού παραλαβής αγοράς
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Κερδιζμένα χρήματα
DocType: Process Payroll,Create Salary Slip,Δημιουργία βεβαίωσης αποδοχών
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,ιχνηλασιμότητα
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Πηγή χρηματοδότησης ( παθητικού )
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Η ποσότητα στη γραμμή {0} ( {1} ) πρέπει να είναι ίδια με την παραγόμενη ποσότητα {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Πηγή χρηματοδότησης ( παθητικού )
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Η ποσότητα στη γραμμή {0} ( {1} ) πρέπει να είναι ίδια με την παραγόμενη ποσότητα {2}
DocType: Appraisal,Employee,Υπάλληλος
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Επιλέξτε Παρτίδα
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} είναι πλήρως τιμολογημένο
DocType: Training Event,End Time,Ώρα λήξης
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Ενεργά Δομή Μισθός {0} αποτελέσματα για εργαζόμενο {1} για τις δεδομένες ημερομηνίες
@@ -2263,11 +2279,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Απαιτείται στις
DocType: Rename Tool,File to Rename,Αρχείο μετονομασίας
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Επιλέξτε BOM για τη θέση στη σειρά {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Η συγκεκριμμένη Λ.Υ. {0} δεν υπάρχει για το είδος {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Ο λογαριασμός {0} δεν αντιστοιχεί στην εταιρεία {1} στη λειτουργία λογαριασμού: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Η συγκεκριμμένη Λ.Υ. {0} δεν υπάρχει για το είδος {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Το χρονοδιάγραμμα συντήρησης {0} πρέπει να ακυρωθεί πριν από την ακύρωση αυτής της παραγγελίας πώλησης
DocType: Notification Control,Expense Claim Approved,Εγκρίθηκε η αξίωση δαπανών
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Μισθός Slip των εργαζομένων {0} έχει ήδη δημιουργηθεί για την περίοδο αυτή
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Φαρμακευτικός
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Φαρμακευτικός
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Το κόστος των αγορασθέντων ειδών
DocType: Selling Settings,Sales Order Required,Η παραγγελία πώλησης είναι απαραίτητη
DocType: Purchase Invoice,Credit To,Πίστωση προς
@@ -2284,42 +2301,42 @@
DocType: Payment Gateway Account,Payment Account,Λογαριασμός πληρωμών
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,Παρακαλώ ορίστε εταιρεία για να προχωρήσετε
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Καθαρή Αλλαγή σε εισπρακτέους λογαριασμούς
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Αντισταθμιστικά απενεργοποιημένα
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Αντισταθμιστικά απενεργοποιημένα
DocType: Offer Letter,Accepted,Αποδεκτό
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,Οργάνωση
DocType: SG Creation Tool Course,Student Group Name,Όνομα ομάδας φοιτητής
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Παρακαλώ βεβαιωθείτε ότι έχετε πραγματικά θέλετε να διαγράψετε όλες τις συναλλαγές για την εν λόγω εταιρεία. Τα δεδομένα της κύριας σας θα παραμείνει ως έχει. Αυτή η ενέργεια δεν μπορεί να αναιρεθεί.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Παρακαλώ βεβαιωθείτε ότι έχετε πραγματικά θέλετε να διαγράψετε όλες τις συναλλαγές για την εν λόγω εταιρεία. Τα δεδομένα της κύριας σας θα παραμείνει ως έχει. Αυτή η ενέργεια δεν μπορεί να αναιρεθεί.
DocType: Room,Room Number,Αριθμός δωματίου
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Άκυρη αναφορά {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) Δεν μπορεί να είναι μεγαλύτερη από τη προβλεπόμενη ποσότητα ({2}) της Εντολής Παραγωγής {3}
DocType: Shipping Rule,Shipping Rule Label,Ετικέτα κανόνα αποστολής
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Φόρουμ Χρηστών
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Το πεδίο πρώτων ύλών δεν μπορεί να είναι κενό.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Δεν ήταν δυνατή η ενημέρωση των αποθεμάτων, τιμολόγιο περιέχει πτώση στέλνοντας στοιχείο."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Το πεδίο πρώτων ύλών δεν μπορεί να είναι κενό.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Δεν ήταν δυνατή η ενημέρωση των αποθεμάτων, τιμολόγιο περιέχει πτώση στέλνοντας στοιχείο."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Γρήγορη Εφημερίδα Είσοδος
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,"Δεν μπορείτε να αλλάξετε τιμοκατάλογο, αν η λίστα υλικών αναφέρεται σε οποιουδήποτε είδος"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,"Δεν μπορείτε να αλλάξετε τιμοκατάλογο, αν η λίστα υλικών αναφέρεται σε οποιουδήποτε είδος"
DocType: Employee,Previous Work Experience,Προηγούμενη εργασιακή εμπειρία
DocType: Stock Entry,For Quantity,Για Ποσότητα
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Παρακαλώ εισάγετε προγραμματισμένη ποσότητα για το είδος {0} στη γραμμή {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} Δεν έχει υποβληθεί
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Αιτήσεις για είδη
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Μια ξεχωριστή εντολή παραγωγής θα δημιουργηθεί για κάθε τελικό καλό είδος.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} πρέπει να είναι αρνητική στο έγγραφο επιστροφή
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} πρέπει να είναι αρνητική στο έγγραφο επιστροφή
,Minutes to First Response for Issues,Λεπτά για να First Response για θέματα
DocType: Purchase Invoice,Terms and Conditions1,Όροι και προϋποθέσεις 1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,Το όνομα του ιδρύματος για το οποίο είστε δημιουργία αυτού του συστήματος.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,Το όνομα του ιδρύματος για το οποίο είστε δημιουργία αυτού του συστήματος.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Η λογιστική εγγραφή έχει παγώσει μέχρι την ημερομηνία αυτή, κανείς δεν μπορεί να κάνει / τροποποιήσει καταχωρήσεις, εκτός από τον ρόλο που καθορίζεται παρακάτω."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,Παρακαλώ αποθηκεύστε το έγγραφο πριν από τη δημιουργία του χρονοδιαγράμματος συντήρησης
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Κατάσταση έργου
DocType: UOM,Check this to disallow fractions. (for Nos),Επιλέξτε αυτό για να απαγορεύσετε κλάσματα. (Όσον αφορά τους αριθμούς)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Οι ακόλουθες Εντολές Παραγωγής δημιουργήθηκαν:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Οι ακόλουθες Εντολές Παραγωγής δημιουργήθηκαν:
DocType: Student Admission,Naming Series (for Student Applicant),Ονοματοδοσία Series (για Student αιτούντα)
DocType: Delivery Note,Transporter Name,Όνομα μεταφορέα
DocType: Authorization Rule,Authorized Value,Εξουσιοδοτημένος Αξία
DocType: BOM,Show Operations,Εμφάνιση Operations
,Minutes to First Response for Opportunity,Λεπτά για να First Response για την ευκαιρία
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Σύνολο απόντων
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Το είδος ή η αποθήκη για την γραμμή {0} δεν ταιριάζει στην αίτηση υλικού
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Το είδος ή η αποθήκη για την γραμμή {0} δεν ταιριάζει στην αίτηση υλικού
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Μονάδα μέτρησης
DocType: Fiscal Year,Year End Date,Ημερομηνία λήξης έτους
DocType: Task Depends On,Task Depends On,Εργασία Εξαρτάται από
@@ -2418,11 +2435,11 @@
DocType: Asset,Manual,Εγχειρίδιο
DocType: Salary Component Account,Salary Component Account,Ο λογαριασμός μισθός Component
DocType: Global Defaults,Hide Currency Symbol,Απόκρυψη συμβόλου νομίσματος
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","Π.Χ. Τράπεζα, μετρητά, πιστωτική κάρτα"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","Π.Χ. Τράπεζα, μετρητά, πιστωτική κάρτα"
DocType: Lead Source,Source Name,Όνομα πηγή
DocType: Journal Entry,Credit Note,Πιστωτικό σημείωμα
DocType: Warranty Claim,Service Address,Διεύθυνση υπηρεσίας
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Έπιπλα και φωτιστικών
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Έπιπλα και φωτιστικών
DocType: Item,Manufacture,Παραγωγή
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Παρακαλώ πρώτα το δελτίο αποστολής
DocType: Student Applicant,Application Date,Ημερομηνία αίτησης
@@ -2432,7 +2449,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Δεν αναφέρεται ημερομηνία εκκαθάρισης
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Παραγωγή
DocType: Guardian,Occupation,Κατοχή
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εργαζομένων σε Ανθρώπινο Δυναμικό> Ρυθμίσεις HR
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Γραμμή {0} : η ημερομηνία έναρξης πρέπει να είναι προγενέστερη της ημερομηνίας λήξης
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Σύνολο (ποσότητα)
DocType: Sales Invoice,This Document,Αυτό το έγγραφο
@@ -2444,19 +2460,19 @@
DocType: Purchase Receipt,Time at which materials were received,Η χρονική στιγμή κατά την οποία παρελήφθησαν τα υλικά
DocType: Stock Ledger Entry,Outgoing Rate,Ο απερχόμενος Τιμή
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Κύρια εγγραφή κλάδου οργανισμού.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,ή
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,ή
DocType: Sales Order,Billing Status,Κατάσταση χρέωσης
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Αναφορά προβλήματος
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Έξοδα κοινής ωφέλειας
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Έξοδα κοινής ωφέλειας
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-Παραπάνω
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Σειρά # {0}: Εφημερίδα Έναρξη {1} δεν έχει λογαριασμό {2} ή ήδη συγκρίνεται με ένα άλλο κουπόνι
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Σειρά # {0}: Εφημερίδα Έναρξη {1} δεν έχει λογαριασμό {2} ή ήδη συγκρίνεται με ένα άλλο κουπόνι
DocType: Buying Settings,Default Buying Price List,Προεπιλεγμένος τιμοκατάλογος αγορών
DocType: Process Payroll,Salary Slip Based on Timesheet,Μισθός Slip Βάσει Timesheet
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Κανένας εργαζόμενος για τις παραπάνω επιλεγμένα κριτήρια ή εκκαθαριστικό μισθοδοσίας που έχουν ήδη δημιουργηθεί
DocType: Notification Control,Sales Order Message,Μήνυμα παραγγελίας πώλησης
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Ορίστε προεπιλεγμένες τιμές όπως εταιρεία, νόμισμα, τρέχων οικονομικό έτος, κλπ."
DocType: Payment Entry,Payment Type,Τύπος πληρωμής
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Επιλέξτε μια παρτίδα για το στοιχείο {0}. Δεν είναι δυνατή η εύρεση μιας ενιαίας παρτίδας που να πληροί αυτή την απαίτηση
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Επιλέξτε μια παρτίδα για το στοιχείο {0}. Δεν είναι δυνατή η εύρεση μιας ενιαίας παρτίδας που να πληροί αυτή την απαίτηση
DocType: Process Payroll,Select Employees,Επιλέξτε εργαζόμενοι
DocType: Opportunity,Potential Sales Deal,Πιθανή συμφωνία πώλησης
DocType: Payment Entry,Cheque/Reference Date,Επιταγή / Ημερομηνία Αναφοράς
@@ -2476,7 +2492,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,παραστατικό παραλαβής πρέπει να υποβληθεί
DocType: Purchase Invoice Item,Received Qty,Ποσ. Που παραλήφθηκε
DocType: Stock Entry Detail,Serial No / Batch,Σειριακός αριθμός / παρτίδα
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Που δεν έχει καταβληθεί δεν παραδόθηκαν
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Που δεν έχει καταβληθεί δεν παραδόθηκαν
DocType: Product Bundle,Parent Item,Γονικό είδος
DocType: Account,Account Type,Τύπος λογαριασμού
DocType: Delivery Note,DN-RET-,DN-αναδρομική έναρξη
@@ -2490,24 +2506,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),Αναγνωριστικό του συσκευασίας για την παράδοση (για εκτύπωση)
DocType: Bin,Reserved Quantity,Δεσμευμένη ποσότητα
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Εισαγάγετε έγκυρη διεύθυνση ηλεκτρονικού ταχυδρομείου
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Δεν υπάρχει υποχρεωτική σειρά μαθημάτων για το πρόγραμμα {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Είδη αποδεικτικού παραλαβής αγοράς
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Έντυπα Προσαρμογή
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,Καθυστερούμενη πληρωμή
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,Καθυστερούμενη πληρωμή
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Οι αποσβέσεις Ποσό κατά τη διάρκεια της περιόδου
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Άτομα με ειδικές ανάγκες προτύπου δεν πρέπει να είναι προεπιλεγμένο πρότυπο
DocType: Account,Income Account,Λογαριασμός εσόδων
DocType: Payment Request,Amount in customer's currency,Ποσό σε νόμισμα του πελάτη
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Παράδοση
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Παράδοση
DocType: Stock Reconciliation Item,Current Qty,Τρέχουσα Ποσότητα
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",Ανατρέξτε στην ενότητα κοστολόγησης την 'τιμή υλικών με βάση'
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Προηγ
DocType: Appraisal Goal,Key Responsibility Area,Βασικός τομέας ευθύνης
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Παρτίδες φοιτητής να σας βοηθήσει να παρακολουθείτε φοίτηση, οι εκτιμήσεις και τα τέλη για τους φοιτητές"
DocType: Payment Entry,Total Allocated Amount,Συνολικό ποσό που χορηγήθηκε
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Ορίστε τον προεπιλεγμένο λογαριασμό αποθέματος για διαρκή απογραφή
DocType: Item Reorder,Material Request Type,Τύπος αίτησης υλικού
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Εφημερίδα εισόδου για τους μισθούς από {0} έως {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage είναι πλήρης, δεν έσωσε"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage είναι πλήρης, δεν έσωσε"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Σειρά {0}: UOM Συντελεστής μετατροπής είναι υποχρεωτική
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Αναφορά
DocType: Budget,Cost Center,Κέντρο κόστους
@@ -2520,19 +2536,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",Ο κανόνας τιμολόγησης γίνεται για να αντικατασταθεί ο τιμοκατάλογος / να καθοριστεί ποσοστό έκπτωσης με βάση ορισμένα κριτήρια.
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Η αποθήκη μπορεί να αλλάξει μόνο μέσω καταχώρησης αποθέματος / σημειώματος παράδοσης / αποδεικτικού παραλαβής αγοράς
DocType: Employee Education,Class / Percentage,Κλάση / ποσοστό
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Κύρια εγγραφή του marketing και των πωλήσεων
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Φόρος εισοδήματος
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Κύρια εγγραφή του marketing και των πωλήσεων
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Φόρος εισοδήματος
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Εάν ο κανόνας τιμολόγησης δημιουργήθηκε για την τιμή τότε θα αντικαταστήσει τον τιμοκατάλογο. Η τιμή του κανόνα τιμολόγησης είναι η τελική τιμή, οπότε δε θα πρέπει να εφαρμόζεται καμία επιπλέον έκπτωση. Ως εκ τούτου, στις συναλλαγές, όπως παραγγελίες πώλησης, παραγγελία αγοράς κλπ, θα εμφανίζεται στο πεδίο τιμή, παρά στο πεδίο τιμή τιμοκαταλόγου."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Παρακολούθηση επαφών με βάση τον τύπο βιομηχανίας.
DocType: Item Supplier,Item Supplier,Προμηθευτής είδους
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,Παρακαλώ εισάγετε κωδικό είδους για να δείτε τον αρ. παρτίδας
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},Παρακαλώ επιλέξτε μια τιμή για {0} προσφορά προς {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,Παρακαλώ εισάγετε κωδικό είδους για να δείτε τον αρ. παρτίδας
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Παρακαλώ επιλέξτε μια τιμή για {0} προσφορά προς {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Όλες τις διευθύνσεις.
DocType: Company,Stock Settings,Ρυθμίσεις αποθέματος
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Η συγχώνευση είναι δυνατή μόνο εάν οι ακόλουθες ιδιότητες ίδια στα δύο αρχεία. Είναι η Ομάδα, Τύπος Root, Company"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Η συγχώνευση είναι δυνατή μόνο εάν οι ακόλουθες ιδιότητες ίδια στα δύο αρχεία. Είναι η Ομάδα, Τύπος Root, Company"
DocType: Vehicle,Electric,Ηλεκτρικός
DocType: Task,% Progress,Πρόοδος%
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Κέρδος / Ζημιά από διάθεση περιουσιακών στοιχείων
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Κέρδος / Ζημιά από διάθεση περιουσιακών στοιχείων
DocType: Training Event,Will send an email about the event to employees with status 'Open',Θα στείλει ένα e-mail για την εκδήλωση για τους εργαζόμενους με καθεστώς «Άνοιγμα»
DocType: Task,Depends on Tasks,Εξαρτάται από Εργασίες
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Διαχειριστείτε το δέντρο ομάδας πελατών.
@@ -2541,7 +2557,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Νέο όνομα κέντρου κόστους
DocType: Leave Control Panel,Leave Control Panel,Πίνακας ελέγχου άδειας
DocType: Project,Task Completion,Task Ολοκλήρωση
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Όχι στο Χρηματιστήριο
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Όχι στο Χρηματιστήριο
DocType: Appraisal,HR User,Χρήστης ανθρωπίνου δυναμικού
DocType: Purchase Invoice,Taxes and Charges Deducted,Φόροι και επιβαρύνσεις που παρακρατήθηκαν
apps/erpnext/erpnext/hooks.py +116,Issues,Θέματα
@@ -2552,22 +2568,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Δεν εκκαθαριστικό σημείωμα αποδοχών που διαπιστώθηκαν μεταξύ {0} και {1}
,Pending SO Items For Purchase Request,Εκκρεμή είδη παραγγελίας πωλήσεων για αίτημα αγοράς
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Εισαγωγή φοιτητής
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} είναι απενεργοποιημένη
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} είναι απενεργοποιημένη
DocType: Supplier,Billing Currency,Νόμισμα Τιμολόγησης
DocType: Sales Invoice,SINV-RET-,SINV-αναδρομική έναρξη
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Πολύ Μεγάλο
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Πολύ Μεγάλο
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Σύνολο Φύλλα
,Profit and Loss Statement,Έκθεση αποτελέσματος χρήσης
DocType: Bank Reconciliation Detail,Cheque Number,Αριθμός επιταγής
,Sales Browser,Περιηγητής πωλήσεων
DocType: Journal Entry,Total Credit,Συνολική πίστωση
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Προειδοποίηση: Ένας άλλος {0} # {1} υπάρχει κατά την έναρξη αποθέματος {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Τοπικός
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Τοπικός
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Δάνεια και προκαταβολές ( ενεργητικό )
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Χρεώστες
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Μεγάλο
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Μεγάλο
DocType: Homepage Featured Product,Homepage Featured Product,Αρχική σελίδα Προτεινόμενο Προϊόν
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Όλες οι Ομάδες Αξιολόγησης
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Όλες οι Ομάδες Αξιολόγησης
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Νέα Αποθήκη Όνομα
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Σύνολο {0} ({1})
DocType: C-Form Invoice Detail,Territory,Περιοχή
@@ -2577,12 +2593,12 @@
DocType: Production Order Operation,Planned Start Time,Προγραμματισμένη ώρα έναρξης
DocType: Course,Assessment,Εκτίμηση
DocType: Payment Entry Reference,Allocated,Κατανεμήθηκε
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Κλείσιμο ισολογισμού και καταγραφή κέρδους ή ζημίας
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Κλείσιμο ισολογισμού και καταγραφή κέρδους ή ζημίας
DocType: Student Applicant,Application Status,Κατάσταση εφαρμογής
DocType: Fees,Fees,Αμοιβές
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Καθορίστε την ισοτιμία να μετατραπεί ένα νόμισμα σε ένα άλλο
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Η προσφορά {0} είναι ακυρωμένη
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Συνολικού ανεξόφλητου υπολοίπου
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Συνολικού ανεξόφλητου υπολοίπου
DocType: Sales Partner,Targets,Στόχοι
DocType: Price List,Price List Master,Κύρια εγγραφή τιμοκαταλόγου.
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Όλες οι συναλλαγές πωλήσεων μπορούν να σημανθούν κατά πολλαπλούς ** πωλητές ** έτσι ώστε να μπορείτε να ρυθμίσετε και να παρακολουθήσετε στόχους.
@@ -2626,11 +2642,11 @@
9. Διεύθυνση και στοιχεία επικοινωνίας της εταιρείας σας."
DocType: Attendance,Leave Type,Τύπος άδειας
DocType: Purchase Invoice,Supplier Invoice Details,Προμηθευτής Λεπτομέρειες Τιμολογίου
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Η δαπάνη / διαφορά λογαριασμού ({0}) πρέπει να είναι λογαριασμός τύπου 'κέρδη ή ζημίες'
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Η δαπάνη / διαφορά λογαριασμού ({0}) πρέπει να είναι λογαριασμός τύπου 'κέρδη ή ζημίες'
DocType: Project,Copied From,Αντιγραφή από
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},error Όνομα: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,Έλλειψη
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} δεν σχετίζεται με {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} δεν σχετίζεται με {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Η συμμετοχή για εργαζομένο {0} έχει ήδη σημειώθει
DocType: Packing Slip,If more than one package of the same type (for print),Εάν περισσότερες από μία συσκευασίες του ίδιου τύπου (για εκτύπωση)
,Salary Register,μισθός Εγγραφή
@@ -2648,22 +2664,23 @@
,Requested Qty,Ζητούμενη ποσότητα
DocType: Tax Rule,Use for Shopping Cart,Χρησιμοποιήστε για το Καλάθι Αγορών
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Αξία {0} για Χαρακτηριστικό {1} δεν υπάρχει στη λίστα των έγκυρων Στοιχείο Χαρακτηριστικό τιμές για τη θέση {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Επιλέξτε σειριακούς αριθμούς
DocType: BOM Item,Scrap %,Υπολλείματα %
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Οι επιβαρύνσεις θα κατανεμηθούν αναλογικά, σύμφωνα με την ποσότητα ή το ποσό του είδους, σύμφωνα με την επιλογή σας"
DocType: Maintenance Visit,Purposes,Σκοποί
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Atleast ένα στοιχείο πρέπει να αναγράφεται με αρνητική ποσότητα στο έγγραφο επιστροφής
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Atleast ένα στοιχείο πρέπει να αναγράφεται με αρνητική ποσότητα στο έγγραφο επιστροφής
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Λειτουργία {0} περισσότερο από οποιαδήποτε διαθέσιμη ώρα εργασίας σε θέση εργασίας {1}, αναλύονται η λειτουργία σε πολλαπλές λειτουργίες"
,Requested,Ζητήθηκαν
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Δεν βρέθηκαν παρατηρήσεις
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Δεν βρέθηκαν παρατηρήσεις
DocType: Purchase Invoice,Overdue,Εκπρόθεσμες
DocType: Account,Stock Received But Not Billed,Το απόθεμα παρελήφθηκε αλλά δεν χρεώθηκε
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Ο λογαριασμός ρίζα πρέπει να είναι μια ομάδα
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Ο λογαριασμός ρίζα πρέπει να είναι μια ομάδα
DocType: Fees,FEE.,ΤΈΛΗ.
DocType: Employee Loan,Repaid/Closed,Αποπληρωθεί / Έκλεισε
DocType: Item,Total Projected Qty,Συνολικές προβλεπόμενες Ποσότητα
DocType: Monthly Distribution,Distribution Name,Όνομα διανομής
DocType: Course,Course Code,Κωδικός Μαθήματος
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Ο έλεγχος ποιότητας για το είδος {0} είναι απαραίτητος
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Ο έλεγχος ποιότητας για το είδος {0} είναι απαραίτητος
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Ισοτιμία με την οποία το νόμισμα του πελάτη μετατρέπεται στο βασικό νόμισμα της εταιρείας
DocType: Purchase Invoice Item,Net Rate (Company Currency),Καθαρό ποσοστό (Εταιρεία νομίσματος)
DocType: Salary Detail,Condition and Formula Help,Κατάσταση και Formula Βοήθεια
@@ -2676,27 +2693,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Μεταφορά υλικού για την κατασκευή
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Το ποσοστό έκπτωσης μπορεί να εφαρμοστεί είτε ανά τιμοκατάλογο ή για όλους τους τιμοκαταλόγους
DocType: Purchase Invoice,Half-yearly,Εξαμηνιαία
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Λογιστική εγγραφή για απόθεμα
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Λογιστική εγγραφή για απόθεμα
DocType: Vehicle Service,Engine Oil,Λάδι μηχανής
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Ρυθμίστε το Σύστημα Ονοματοδοσίας Εργαζομένων σε Ανθρώπινο Δυναμικό> Ρυθμίσεις HR
DocType: Sales Invoice,Sales Team1,Ομάδα πωλήσεων 1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Το είδος {0} δεν υπάρχει
DocType: Sales Invoice,Customer Address,Διεύθυνση πελάτη
DocType: Employee Loan,Loan Details,Λεπτομέρειες δανείου
+DocType: Company,Default Inventory Account,Προεπιλεγμένος λογαριασμός αποθέματος
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Σειρά {0}: Ολοκληρώθηκε Ποσότητα πρέπει να είναι μεγαλύτερη από το μηδέν.
DocType: Purchase Invoice,Apply Additional Discount On,Εφαρμόστε επιπλέον έκπτωση On
DocType: Account,Root Type,Τύπος ρίζας
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Σειρά # {0}: Δεν μπορεί να επιστρέψει πάνω από {1} για τη θέση {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Σειρά # {0}: Δεν μπορεί να επιστρέψει πάνω από {1} για τη θέση {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Γραφική παράσταση
DocType: Item Group,Show this slideshow at the top of the page,Εμφάνιση αυτής της παρουσίασης στην κορυφή της σελίδας
DocType: BOM,Item UOM,Μ.Μ. Είδους
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Ποσό Φόρου Μετά Ποσό έκπτωσης (Εταιρεία νομίσματος)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Η αποθήκη προορισμού είναι απαραίτητη για τη γραμμή {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Η αποθήκη προορισμού είναι απαραίτητη για τη γραμμή {0}
DocType: Cheque Print Template,Primary Settings,πρωτοβάθμια Ρυθμίσεις
DocType: Purchase Invoice,Select Supplier Address,Επιλέξτε Διεύθυνση Προμηθευτή
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Προσθέστε Υπαλλήλων
DocType: Purchase Invoice Item,Quality Inspection,Επιθεώρηση ποιότητας
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Extra Small
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small
DocType: Company,Standard Template,πρότυπο πρότυπο
DocType: Training Event,Theory,Θεωρία
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Προειδοποίηση : ζητήθηκε ποσότητα υλικού που είναι μικρότερη από την ελάχιστη ποσότητα παραγγελίας
@@ -2704,7 +2723,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Νομικό πρόσωπο / θυγατρικές εταιρείες με ξεχωριστό λογιστικό σχέδιο που ανήκουν στον οργανισμό.
DocType: Payment Request,Mute Email,Σίγαση Email
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Τρόφιμα, ποτά και καπνός"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Μπορούν να πληρώνουν κατά unbilled {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Μπορούν να πληρώνουν κατά unbilled {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Το ποσοστό προμήθειας δεν μπορεί να υπερβαίνει το 100
DocType: Stock Entry,Subcontract,Υπεργολαβία
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,"Παρακαλούμε, εισάγετε {0} πρώτη"
@@ -2717,18 +2736,18 @@
DocType: SMS Log,No of Sent SMS,Αρ. Απεσταλμένων SMS
DocType: Account,Expense Account,Λογαριασμός δαπανών
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Λογισμικό
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Χρώμα
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Χρώμα
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Κριτήρια Σχεδίου Αξιολόγησης
DocType: Training Event,Scheduled,Προγραμματισμένη
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Αίτηση για προσφορά.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",Παρακαλώ επιλέξτε το στοιχείο στο οποίο «Είναι αναντικατάστατο" είναι "Όχι" και "είναι οι πωλήσεις Θέση" είναι "ναι" και δεν υπάρχει άλλος Bundle Προϊόν
DocType: Student Log,Academic,Ακαδημαϊκός
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Σύνολο εκ των προτέρων ({0}) κατά Παραγγελία {1} δεν μπορεί να είναι μεγαλύτερη από το Γενικό σύνολο ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Σύνολο εκ των προτέρων ({0}) κατά Παραγγελία {1} δεν μπορεί να είναι μεγαλύτερη από το Γενικό σύνολο ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Επιλέξτε μηνιαία κατανομή για την άνιση κατανομή στόχων στους μήνες.
DocType: Purchase Invoice Item,Valuation Rate,Ποσοστό αποτίμησης
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,Ντίζελ
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Το νόμισμα του τιμοκαταλόγου δεν έχει επιλεγεί
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Το νόμισμα του τιμοκαταλόγου δεν έχει επιλεγεί
,Student Monthly Attendance Sheet,Φοιτητής Φύλλο Μηνιαία Συμμετοχή
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Ο υπάλληλος {0} έχει ήδη υποβάλει αίτηση για {1} μεταξύ {2} και {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Ημερομηνία έναρξης του έργου
@@ -2740,7 +2759,7 @@
DocType: BOM,Scrap,Σκουπίδι
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Διαχειριστείτε συνεργάτες πωλήσεων.
DocType: Quality Inspection,Inspection Type,Τύπος ελέγχου
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Αποθήκες με τα υπάρχοντα συναλλαγή δεν μπορεί να μετατραπεί σε ομάδα.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Αποθήκες με τα υπάρχοντα συναλλαγή δεν μπορεί να μετατραπεί σε ομάδα.
DocType: Assessment Result Tool,Result HTML,αποτέλεσμα HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Λήγει στις
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Προσθέστε Φοιτητές
@@ -2748,13 +2767,13 @@
DocType: C-Form,C-Form No,Αρ. C-Form
DocType: BOM,Exploded_items,Είδη αναλυτικά
DocType: Employee Attendance Tool,Unmarked Attendance,Χωρίς διακριτικά Συμμετοχή
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Ερευνητής
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Ερευνητής
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Πρόγραμμα Εγγραφή Εργαλείο Φοιτητών
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Όνομα ή Email είναι υποχρεωτικό
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Έλεγχος ποιότητας εισερχομένων
DocType: Purchase Order Item,Returned Qty,Επέστρεψε Ποσότητα
DocType: Employee,Exit,Έξοδος
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Ο τύπος ρίζας είναι υποχρεωτικός
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Ο τύπος ρίζας είναι υποχρεωτικός
DocType: BOM,Total Cost(Company Currency),Συνολικό Κόστος (Εταιρεία νομίσματος)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Ο σειριακός αριθμός {0} δημιουργήθηκε
DocType: Homepage,Company Description for website homepage,Περιγραφή Εταιρείας για την ιστοσελίδα αρχική σελίδα
@@ -2763,7 +2782,7 @@
DocType: Sales Invoice,Time Sheet List,Λίστα Φύλλο χρόνο
DocType: Employee,You can enter any date manually,Μπορείτε να εισάγετε οποιαδήποτε ημερομηνία με το χέρι
DocType: Asset Category Account,Depreciation Expense Account,Ο λογαριασμός Αποσβέσεις
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Δοκιμαστική περίοδος
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Δοκιμαστική περίοδος
DocType: Customer Group,Only leaf nodes are allowed in transaction,Μόνο οι κόμβοι-φύλλα επιτρέπονται σε μία συναλλαγή
DocType: Expense Claim,Expense Approver,Υπεύθυνος έγκρισης δαπανών
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Σειρά {0}: Προκαταβολή έναντι των πελατών πρέπει να είναι πιστωτικά
@@ -2776,10 +2795,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,διαγράφεται Δρομολόγια μαθήματος:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Logs για τη διατήρηση της κατάστασης παράδοσης sms
DocType: Accounts Settings,Make Payment via Journal Entry,Κάντε Πληρωμή μέσω Εφημερίδα Έναρξη
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Τυπώθηκε σε
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Τυπώθηκε σε
DocType: Item,Inspection Required before Delivery,Επιθεώρησης Απαιτούμενη πριν από την παράδοση
DocType: Item,Inspection Required before Purchase,Επιθεώρησης Απαιτούμενη πριν από την αγορά
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Εν αναμονή Δραστηριότητες
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Ο οργανισμός σας
DocType: Fee Component,Fees Category,τέλη Κατηγορία
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Παρακαλώ εισάγετε την ημερομηνία απαλλαγής
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Ποσό
@@ -2789,9 +2809,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Αναδιάταξη επιπέδου
DocType: Company,Chart Of Accounts Template,Διάγραμμα του προτύπου Λογαριασμών
DocType: Attendance,Attendance Date,Ημερομηνία συμμετοχής
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Είδους Τιμή ενημερωθεί για {0} στον κατάλογο τιμή {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Είδους Τιμή ενημερωθεί για {0} στον κατάλογο τιμή {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Ανάλυση μισθού με βάση τις αποδοχές και τις παρακρατήσεις.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Ένας λογαριασμός με κόμβους παιδί δεν μπορεί να μετατραπεί σε καθολικό
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Ένας λογαριασμός με κόμβους παιδί δεν μπορεί να μετατραπεί σε καθολικό
DocType: Purchase Invoice Item,Accepted Warehouse,Έγκυρη Αποθήκη
DocType: Bank Reconciliation Detail,Posting Date,Ημερομηνία αποστολής
DocType: Item,Valuation Method,Μέθοδος αποτίμησης
@@ -2800,14 +2820,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Διπλότυπη καταχώρηση.
DocType: Program Enrollment Tool,Get Students,Πάρτε Φοιτητές
DocType: Serial No,Under Warranty,Στα πλαίσια της εγγύησης
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Σφάλμα]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Σφάλμα]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,Με λόγια θα είναι ορατά αφού αποθηκεύσετε την παραγγελία πώλησης.
,Employee Birthday,Γενέθλια υπαλλήλων
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Φοιτητής Εργαλείο Μαζική Συμμετοχή
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,όριο Crossed
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,όριο Crossed
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Αρχικό κεφάλαιο
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Μια ακαδημαϊκή περίοδο με αυτό το «Ακαδημαϊκό Έτος '{0} και« Term Όνομα »{1} υπάρχει ήδη. Παρακαλείστε να τροποποιήσετε αυτές τις καταχωρήσεις και δοκιμάστε ξανά.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Δεδομένου ότι υπάρχουν συναλλαγές κατά το στοιχείο {0}, δεν μπορείτε να αλλάξετε την τιμή του {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Δεδομένου ότι υπάρχουν συναλλαγές κατά το στοιχείο {0}, δεν μπορείτε να αλλάξετε την τιμή του {1}"
DocType: UOM,Must be Whole Number,Πρέπει να είναι ακέραιος αριθμός
DocType: Leave Control Panel,New Leaves Allocated (In Days),Νέες άδειες που κατανεμήθηκαν (σε ημέρες)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Ο σειριακός αριθμός {0} δεν υπάρχει
@@ -2816,6 +2836,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Αριθμός τιμολογίου
DocType: Shopping Cart Settings,Orders,Παραγγελίες
DocType: Employee Leave Approver,Leave Approver,Υπεύθυνος έγκρισης άδειας
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Επιλέξτε μια παρτίδα
DocType: Assessment Group,Assessment Group Name,Όνομα ομάδας αξιολόγησης
DocType: Manufacturing Settings,Material Transferred for Manufacture,Υλικό το οποίο μεταφέρεται για την Κατασκευή
DocType: Expense Claim,"A user with ""Expense Approver"" role",Ένας χρήστης με ρόλο «υπεύθυνος έγκρισης δαπανών»
@@ -2825,9 +2846,10 @@
DocType: Target Detail,Target Detail,Λεπτομέρειες στόχου
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,Όλες οι θέσεις εργασίας
DocType: Sales Order,% of materials billed against this Sales Order,% Των υλικών που χρεώθηκαν σε αυτήν την παραγγελία πώλησης
+DocType: Program Enrollment,Mode of Transportation,Τρόπος μεταφοράσ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Καταχώρηση κλεισίματος περιόδου
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Ένα κέντρο κόστους με υπάρχουσες συναλλαγές δεν μπορεί να μετατραπεί σε ομάδα
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Ποσό {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Ποσό {0} {1} {2} {3}
DocType: Account,Depreciation,Απόσβεση
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Προμηθευτής(-ές)
DocType: Employee Attendance Tool,Employee Attendance Tool,Εργαλείο συμμετοχή των εργαζομένων
@@ -2835,7 +2857,7 @@
DocType: Supplier,Credit Limit,Πιστωτικό όριο
DocType: Production Plan Sales Order,Salse Order Date,Salse Παραγγελία Ημερομηνία
DocType: Salary Component,Salary Component,μισθός Component
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Ενδείξεις πληρωμής {0} είναι μη-συνδεδεμένα
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Ενδείξεις πληρωμής {0} είναι μη-συνδεδεμένα
DocType: GL Entry,Voucher No,Αρ. αποδεικτικού
,Lead Owner Efficiency,Ηγετική απόδοση του ιδιοκτήτη
DocType: Leave Allocation,Leave Allocation,Κατανομή άδειας
@@ -2846,11 +2868,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Πρότυπο των όρων ή της σύμβασης.
DocType: Purchase Invoice,Address and Contact,Διεύθυνση και Επικοινωνία
DocType: Cheque Print Template,Is Account Payable,Είναι Λογαριασμού Πληρωτέο
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Αποθεμάτων δεν μπορεί να ενημερωθεί κατά Απόδειξη Αγοράς {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Αποθεμάτων δεν μπορεί να ενημερωθεί κατά Απόδειξη Αγοράς {0}
DocType: Supplier,Last Day of the Next Month,Τελευταία μέρα του επόμενου μήνα
DocType: Support Settings,Auto close Issue after 7 days,Αυτόματη κοντά Τεύχος μετά από 7 ημέρες
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Η άδεια δεν μπορεί να χορηγείται πριν {0}, η ισορροπία άδεια έχει ήδη μεταφοράς διαβιβάζεται στο μέλλον ρεκόρ χορήγηση άδειας {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Σημείωση : η ημερομηνία λήξης προθεσμίας υπερβαίνει τις επιτρεπόμενες ημέρες πίστωσης κατά {0} ημέρα ( ες )
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Σημείωση : η ημερομηνία λήξης προθεσμίας υπερβαίνει τις επιτρεπόμενες ημέρες πίστωσης κατά {0} ημέρα ( ες )
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,φοιτητής Αιτών
DocType: Asset Category Account,Accumulated Depreciation Account,Συσσωρευμένες Αποσβέσεις Λογαριασμού
DocType: Stock Settings,Freeze Stock Entries,Πάγωμα καταχωρήσεων αποθέματος
@@ -2859,35 +2881,35 @@
DocType: Activity Cost,Billing Rate,Χρέωση Τιμή
,Qty to Deliver,Ποσότητα για παράδοση
,Stock Analytics,Ανάλυση αποθέματος
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Εργασίες δεν μπορεί να μείνει κενό
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Εργασίες δεν μπορεί να μείνει κενό
DocType: Maintenance Visit Purpose,Against Document Detail No,Κατά λεπτομέρειες εγγράφου αρ.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Κόμμα Τύπος είναι υποχρεωτική
DocType: Quality Inspection,Outgoing,Εξερχόμενος
DocType: Material Request,Requested For,Ζητήθηκαν για
DocType: Quotation Item,Against Doctype,Κατά τύπο εγγράφου
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} είναι ακυρωμένη ή κλειστή
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} είναι ακυρωμένη ή κλειστή
DocType: Delivery Note,Track this Delivery Note against any Project,Παρακολουθήστε αυτό το δελτίο αποστολής σε οποιουδήποτε έργο
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Καθαρές ταμειακές ροές από επενδυτικές
-,Is Primary Address,Είναι Πρωτοβάθμια Διεύθυνση
DocType: Production Order,Work-in-Progress Warehouse,Αποθήκη εργασιών σε εξέλιξη
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Περιουσιακό στοιχείο {0} πρέπει να υποβληθούν
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Συμμετοχή Εγγραφή {0} υπάρχει κατά Student {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Συμμετοχή Εγγραφή {0} υπάρχει κατά Student {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Αναφορά # {0} της {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Οι αποσβέσεις Αποκλεισμός λόγω πώλησης των περιουσιακών στοιχείων
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Διαχειριστείτε Διευθύνσεις
DocType: Asset,Item Code,Κωδικός είδους
DocType: Production Planning Tool,Create Production Orders,Δημιουργία εντολών παραγωγής
DocType: Serial No,Warranty / AMC Details,Λεπτομέρειες εγγύησης / Ε.Σ.Υ.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Επιλέξτε τους σπουδαστές με μη αυτόματο τρόπο για την ομάδα που βασίζεται στην δραστηριότητα
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Επιλέξτε τους σπουδαστές με μη αυτόματο τρόπο για την ομάδα που βασίζεται στην δραστηριότητα
DocType: Journal Entry,User Remark,Παρατήρηση χρήστη
DocType: Lead,Market Segment,Τομέας της αγοράς
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Καταβληθέν ποσό δεν μπορεί να είναι μεγαλύτερη από το συνολικό αρνητικό οφειλόμενο ποσό {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Καταβληθέν ποσό δεν μπορεί να είναι μεγαλύτερη από το συνολικό αρνητικό οφειλόμενο ποσό {0}
DocType: Employee Internal Work History,Employee Internal Work History,Ιστορικό εσωτερικών εργασιών υπαλλήλου
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Κλείσιμο (dr)
DocType: Cheque Print Template,Cheque Size,Επιταγή Μέγεθος
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Ο σειριακός αριθμός {0} δεν υπάρχει στο απόθεμα
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Φορολογικό πρότυπο για συναλλαγές πώλησης.
DocType: Sales Invoice,Write Off Outstanding Amount,Διαγραφή οφειλόμενου ποσού
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Ο λογαριασμός {0} δεν αντιστοιχεί στην εταιρεία {1}
DocType: School Settings,Current Academic Year,Τρέχον ακαδημαϊκό έτος
DocType: Stock Settings,Default Stock UOM,Προεπιλεγμένη Μ.Μ. Αποθέματος
DocType: Asset,Number of Depreciations Booked,Αριθμός Αποσβέσεις κράτηση
@@ -2902,27 +2924,27 @@
DocType: Asset,Double Declining Balance,Διπλά φθίνοντος υπολοίπου
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Κλειστά ώστε να μην μπορεί να ακυρωθεί. Ανοίγω για να ακυρώσετε.
DocType: Student Guardian,Father,Πατέρας
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,«Ενημέρωση Χρηματιστήριο» δεν μπορεί να ελεγχθεί για σταθερή την πώληση περιουσιακών στοιχείων
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,«Ενημέρωση Χρηματιστήριο» δεν μπορεί να ελεγχθεί για σταθερή την πώληση περιουσιακών στοιχείων
DocType: Bank Reconciliation,Bank Reconciliation,Συμφωνία τραπεζικού λογαριασμού
DocType: Attendance,On Leave,Σε ΑΔΕΙΑ
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Λήψη ενημερώσεων
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Ο λογαριασμός {2} δεν ανήκει στην εταιρεία {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,H αίτηση υλικού {0} έχει ακυρωθεί ή διακοπεί
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Προσθέστε μερικά αρχεία του δείγματος
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Προσθέστε μερικά αρχεία του δείγματος
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Αφήστε Διαχείρισης
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Ομαδοποίηση κατά λογαριασμό
DocType: Sales Order,Fully Delivered,Έχει παραδοθεί πλήρως
DocType: Lead,Lower Income,Χαμηλότερο εισόδημα
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Η αποθήκη προέλευση και αποθήκη προορισμός δεν μπορεί να είναι η ίδια για τη σειρά {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Η αποθήκη προέλευση και αποθήκη προορισμός δεν μπορεί να είναι η ίδια για τη σειρά {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Ο λογαριασμός διαφορά πρέπει να είναι λογαριασμός τύπου Περιουσιακών Στοιχείων / Υποχρεώσεων, δεδομένου ότι το εν λόγω απόθεμα συμφιλίωση είναι μια Έναρξη Έναρξη"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Εκταμιευόμενο ποσό δεν μπορεί να είναι μεγαλύτερη από Ποσό δανείου {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Ο αριθμός παραγγελίας για το είδος {0} είναι απαραίτητος
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Παραγγελία παραγωγή δεν δημιουργήθηκε
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Ο αριθμός παραγγελίας για το είδος {0} είναι απαραίτητος
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Παραγγελία παραγωγή δεν δημιουργήθηκε
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"Το πεδίο ""Από Ημερομηνία"" πρέπει να είναι μεταγενέστερο από το πεδίο ""Έως Ημερομηνία"""
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},δεν μπορεί να αλλάξει την κατάσταση ως φοιτητής {0} συνδέεται με την εφαρμογή των φοιτητών {1}
DocType: Asset,Fully Depreciated,αποσβεσθεί πλήρως
,Stock Projected Qty,Προβλεπόμενη ποσότητα αποθέματος
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Ο πελάτης {0} δεν ανήκει στο έργο {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Ο πελάτης {0} δεν ανήκει στο έργο {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Αξιοσημείωτη Συμμετοχή HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Οι αναφορές είναι οι προτάσεις, οι προσφορές που έχουν στείλει στους πελάτες σας"
DocType: Sales Order,Customer's Purchase Order,Εντολή Αγοράς του Πελάτη
@@ -2931,33 +2953,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Άθροισμα Δεκάδες Κριτήρια αξιολόγησης πρέπει να είναι {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Παρακαλούμε να ορίσετε Αριθμός Αποσβέσεις κράτηση
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Αξία ή ποσ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Παραγωγές Παραγγελίες δεν μπορούν να αυξηθούν για:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Λεπτό
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Παραγωγές Παραγγελίες δεν μπορούν να αυξηθούν για:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Λεπτό
DocType: Purchase Invoice,Purchase Taxes and Charges,Φόροι και επιβαρύνσεις αγοράς
,Qty to Receive,Ποσότητα για παραλαβή
DocType: Leave Block List,Leave Block List Allowed,Η λίστα αποκλεισμού ημερών άδειας επετράπη
DocType: Grading Scale Interval,Grading Scale Interval,Κλίμακα βαθμολόγησης Διάστημα
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Εξόδων αξίωση για Οχήματος Σύνδεση {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Έκπτωση (%) στην Τιμοκατάλογο με Περιθώριο
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,Όλες οι Αποθήκες
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Όλες οι Αποθήκες
DocType: Sales Partner,Retailer,Έμπορος λιανικής
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Πίστωση του λογαριασμού πρέπει να είναι ένα κονδύλι του Ισολογισμού
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Πίστωση του λογαριασμού πρέπει να είναι ένα κονδύλι του Ισολογισμού
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Όλοι οι τύποι προμηθευτή
DocType: Global Defaults,Disable In Words,Απενεργοποίηση στα λόγια
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,Ο κωδικός είδους είναι απαραίτητος γιατί το είδος δεν αριθμείται αυτόματα
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Ο κωδικός είδους είναι απαραίτητος γιατί το είδος δεν αριθμείται αυτόματα
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Η προσφορά {0} δεν είναι του τύπου {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Είδος χρονοδιαγράμματος συντήρησης
DocType: Sales Order,% Delivered,Παραδόθηκε%
DocType: Production Order,PRO-,ΠΡΟΓΡΑΜΜΑ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Τραπεζικός λογαριασμός υπερανάληψης
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Τραπεζικός λογαριασμός υπερανάληψης
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Δημιούργησε βεβαίωση αποδοχών
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Σειρά # {0}: Το κατανεμημένο ποσό δεν μπορεί να είναι μεγαλύτερο από το οφειλόμενο ποσό.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Αναζήτηση BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Εξασφαλισμένα δάνεια
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Εξασφαλισμένα δάνεια
DocType: Purchase Invoice,Edit Posting Date and Time,Επεξεργασία δημοσίευσης Ημερομηνία και ώρα
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Παρακαλούμε να ορίσετε τους σχετικούς λογαριασμούς Αποσβέσεις στο Asset Κατηγορία {0} ή της Εταιρείας {1}
DocType: Academic Term,Academic Year,Ακαδημαϊκό Έτος
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Άνοιγμα Υπόλοιπο Ιδίων Κεφαλαίων
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Άνοιγμα Υπόλοιπο Ιδίων Κεφαλαίων
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Εκτίμηση
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},Email αποσταλεί στον προμηθευτή {0}
@@ -2973,7 +2995,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Ο εγκρίνων ρόλος δεν μπορεί να είναι ίδιος με το ρόλο στον οποίο κανόνας πρέπει να εφαρμόζεται
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Κατάργηση εγγραφής από αυτό το email Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Το μήνυμα εστάλη
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Ο λογαριασμός με κόμβους παιδί δεν μπορεί να οριστεί ως καθολικό
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Ο λογαριασμός με κόμβους παιδί δεν μπορεί να οριστεί ως καθολικό
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Ισοτιμία με την οποία το νόμισμα τιμοκαταλόγου μετατρέπεται στο βασικό νόμισμα του πελάτη
DocType: Purchase Invoice Item,Net Amount (Company Currency),Καθαρό Ποσό (Εταιρεία νομίσματος)
@@ -3007,7 +3029,7 @@
DocType: Expense Claim,Approval Status,Κατάσταση έγκρισης
DocType: Hub Settings,Publish Items to Hub,Δημοσιεύστε είδη στο hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},Η ΄από τιμή' πρέπει να είναι μικρότερη από την 'έως τιμή' στη γραμμή {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Τραπεζικό έμβασμα
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Τραπεζικό έμβασμα
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Ελεγξε τα ολα
DocType: Vehicle Log,Invoice Ref,τιμολόγιο Ref
DocType: Purchase Order,Recurring Order,Επαναλαμβανόμενη παραγγελία
@@ -3020,51 +3042,54 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Τραπεζικές συναλλαγές και πληρωμές
,Welcome to ERPNext,Καλώς ήλθατε στο erpnext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Να οδηγήσει σε εισαγωγικά
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Τίποτα περισσότερο για προβολή.
DocType: Lead,From Customer,Από πελάτη
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Κλήσεις
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Κλήσεις
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,Παρτίδες
DocType: Project,Total Costing Amount (via Time Logs),Σύνολο Κοστολόγηση Ποσό (μέσω χρόνος Καταγράφει)
DocType: Purchase Order Item Supplied,Stock UOM,Μ.Μ. Αποθέματος
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Η παραγγελία αγοράς {0} δεν έχει υποβληθεί
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Η παραγγελία αγοράς {0} δεν έχει υποβληθεί
DocType: Customs Tariff Number,Tariff Number,Αριθμός Δασμολογική
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Προβλεπόμενη
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Ο σειριακός αριθμός {0} δεν ανήκει στην αποθήκη {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Σημείωση : το σύστημα δεν θα ελέγχει για υπέρβαση ορίων παράδοσης και κράτησης για το είδος {0} καθώς η ποσότητα ή το ποσό είναι 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Σημείωση : το σύστημα δεν θα ελέγχει για υπέρβαση ορίων παράδοσης και κράτησης για το είδος {0} καθώς η ποσότητα ή το ποσό είναι 0
DocType: Notification Control,Quotation Message,Μήνυμα προσφοράς
DocType: Employee Loan,Employee Loan Application,Αίτηση Δανείου εργαζόμενο
DocType: Issue,Opening Date,Ημερομηνία έναρξης
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Η φοίτηση έχει επισημανθεί με επιτυχία.
+DocType: Program Enrollment,Public Transport,Δημόσια συγκοινωνία
DocType: Journal Entry,Remark,Παρατήρηση
DocType: Purchase Receipt Item,Rate and Amount,Τιμή και ποσό
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Τύπος λογαριασμού για {0} πρέπει να είναι {1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,Φύλλα και διακοπές
DocType: School Settings,Current Academic Term,Ο τρέχων ακαδημαϊκός όρος
DocType: Sales Order,Not Billed,Μη τιμολογημένο
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Και οι δύο αποθήκες πρέπει να ανήκουν στην ίδια εταιρεία
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Δεν δημιουργήθηκαν επαφές
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Και οι δύο αποθήκες πρέπει να ανήκουν στην ίδια εταιρεία
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Δεν δημιουργήθηκαν επαφές
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Ποσό αποδεικτικοού κόστους αποστολής εμπορευμάτων
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Λογαριασμοί από τους προμηθευτές.
DocType: POS Profile,Write Off Account,Διαγραφή λογαριασμού
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Χρεωστική Σημείωση Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Ποσό έκπτωσης
DocType: Purchase Invoice,Return Against Purchase Invoice,Επιστροφή Ενάντια Αγορά Τιμολόγιο
DocType: Item,Warranty Period (in days),Περίοδος εγγύησης (σε ημέρες)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Σχέση με Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Σχέση με Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Καθαρές ροές από λειτουργικές δραστηριότητες
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,Π.Χ. Φπα
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,Π.Χ. Φπα
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Στοιχείο 4
DocType: Student Admission,Admission End Date,Η είσοδος Ημερομηνία Λήξης
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Υπεργολαβίες
DocType: Journal Entry Account,Journal Entry Account,Λογαριασμός λογιστικής εγγραφής
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Ομάδα Φοιτητών
DocType: Shopping Cart Settings,Quotation Series,Σειρά προσφορών
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Ένα είδος υπάρχει με το ίδιο όνομα ( {0} ), παρακαλώ να αλλάξετε το όνομα της ομάδας ειδών ή να μετονομάσετε το είδος"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Επιλέξτε πελατών
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Ένα είδος υπάρχει με το ίδιο όνομα ( {0} ), παρακαλώ να αλλάξετε το όνομα της ομάδας ειδών ή να μετονομάσετε το είδος"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Επιλέξτε πελατών
DocType: C-Form,I,εγώ
DocType: Company,Asset Depreciation Cost Center,Asset Κέντρο Αποσβέσεις Κόστους
DocType: Sales Order Item,Sales Order Date,Ημερομηνία παραγγελίας πώλησης
DocType: Sales Invoice Item,Delivered Qty,Ποσότητα που παραδόθηκε
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Αν επιλεγεί, όλα τα παιδιά του κάθε στοιχείου παραγωγής θα πρέπει να περιλαμβάνονται στο υλικό αιτήματα."
DocType: Assessment Plan,Assessment Plan,σχέδιο αξιολόγησης
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Αποθήκη {0}: η εταιρεία είναι απαραίτητη
DocType: Stock Settings,Limit Percent,όριο Ποσοστό
,Payment Period Based On Invoice Date,Περίοδος πληρωμής με βάση την ημερομηνία τιμολογίου
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Λείπει η ισοτιμία συναλλάγματος για {0}
@@ -3076,7 +3101,7 @@
DocType: Vehicle,Insurance Details,ασφάλιση Λεπτομέρειες
DocType: Account,Payable,Πληρωτέος
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,"Παρακαλούμε, εισάγετε περιόδους αποπληρωμής"
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Οφειλέτες ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Οφειλέτες ({0})
DocType: Pricing Rule,Margin,Περιθώριο
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Νέοι πελάτες
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Μικτό κέρδος (%)
@@ -3087,16 +3112,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Κόμμα είναι υποχρεωτική
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,θέμα Όνομα
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Πρέπει να επιλεγεί τουλάχιστον μία από τις επιλογές πωλήση - αγορά
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Επιλέξτε τη φύση της επιχείρησής σας.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Πρέπει να επιλεγεί τουλάχιστον μία από τις επιλογές πωλήση - αγορά
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Επιλέξτε τη φύση της επιχείρησής σας.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Σειρά # {0}: Διπλότυπη καταχώρηση στις Αναφορές {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Που γίνονται οι μεταποιητικές εργασίες
DocType: Asset Movement,Source Warehouse,Αποθήκη προέλευσης
DocType: Installation Note,Installation Date,Ημερομηνία εγκατάστασης
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Σειρά # {0}: Asset {1} δεν ανήκει στην εταιρεία {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Σειρά # {0}: Asset {1} δεν ανήκει στην εταιρεία {2}
DocType: Employee,Confirmation Date,Ημερομηνία επιβεβαίωσης
DocType: C-Form,Total Invoiced Amount,Συνολικό ποσό που τιμολογήθηκε
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Η ελάχιστη ποσότητα δεν μπορεί να είναι μεγαλύτερη από την μέγιστη ποσότητα
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Η ελάχιστη ποσότητα δεν μπορεί να είναι μεγαλύτερη από την μέγιστη ποσότητα
DocType: Account,Accumulated Depreciation,Συσσωρευμένες αποσβέσεις
DocType: Stock Entry,Customer or Supplier Details,Πελάτη ή προμηθευτή Λεπτομέρειες
DocType: Employee Loan Application,Required by Date,Απαιτείται από την Ημερομηνία
@@ -3117,22 +3142,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Ποσοστό μηνιαίας διανομής
DocType: Territory,Territory Targets,Στόχοι περιοχών
DocType: Delivery Note,Transporter Info,Πληροφορίες μεταφορέα
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Παρακαλούμε να ορίσετε προεπιλεγμένες {0} στην εταιρεία {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Παρακαλούμε να ορίσετε προεπιλεγμένες {0} στην εταιρεία {1}
DocType: Cheque Print Template,Starting position from top edge,Αρχική θέση από το άνω άκρο
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Ίδιο προμηθευτή έχει εισαχθεί πολλές φορές
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Μικτά Κέρδη / Ζημίες
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Προμηθεύτηκε είδος παραγγελίας αγοράς
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Όνομα Εταιρίας δεν μπορεί να είναι Εταιρεία
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Όνομα Εταιρίας δεν μπορεί να είναι Εταιρεία
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Επικεφαλίδες επιστολόχαρτου για πρότυπα εκτύπωσης.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Τίτλοι για πρότυπα εκτύπωσης, π.Χ. Προτιμολόγιο."
DocType: Student Guardian,Student Guardian,Guardian φοιτητής
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Χρεώσεις τύπου αποτίμηση δεν μπορεί να χαρακτηρίζεται ως Inclusive
DocType: POS Profile,Update Stock,Ενημέρωση αποθέματος
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Προμηθευτής> Τύπος προμηθευτή
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Διαφορετικές Μ.Μ.για τα είδη θα οδηγήσουν σε λανθασμένη τιμή ( σύνολο ) καθαρού βάρους. Βεβαιωθείτε ότι το καθαρό βάρος κάθε είδοςυ είναι στην ίδια Μ.Μ.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Τιμή Λ.Υ.
DocType: Asset,Journal Entry for Scrap,Εφημερίδα Έναρξη για παλιοσίδερα
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Παρακαλώ κάντε λήψη ειδών από το δελτίο αποστολής
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Οι λογιστικές εγγραφές {0} είναι μη συνδεδεμένες
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Οι λογιστικές εγγραφές {0} είναι μη συνδεδεμένες
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Εγγραφή όλων των ανακοινώσεων τύπου e-mail, τηλέφωνο, chat, επίσκεψη, κ.α."
DocType: Manufacturer,Manufacturers used in Items,Κατασκευαστές που χρησιμοποιούνται στα σημεία
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Παρακαλείστε να αναφέρετε στρογγυλεύουν Κέντρο Κόστους στην Εταιρεία
@@ -3179,33 +3205,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,Προμηθευτής παραδίδει στον πελάτη
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# έντυπο / Θέση / {0}) έχει εξαντληθεί
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,"Επόμενη ημερομηνία πρέπει να είναι μεγαλύτερη από ό, τι Απόσπαση Ημερομηνία"
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Εμφάνιση φόρου διάλυση
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Η ημερομηνία λήξης προθεσμίας / αναφοράς δεν μπορεί να είναι μετά από {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Εμφάνιση φόρου διάλυση
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Η ημερομηνία λήξης προθεσμίας / αναφοράς δεν μπορεί να είναι μετά από {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Δεδομένα εισαγωγής και εξαγωγής
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","υπάρχουν καταχωρήσεις των αποθεμάτων κατά Αποθήκη {0}, ως εκ τούτου, δεν μπορείτε να εκχωρήσετε ξανά ή να το τροποποιήσει"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Δεν μαθητές Βρέθηκαν
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Δεν μαθητές Βρέθηκαν
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Τιμολόγιο Ημερομηνία Δημοσίευσης
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Πουλώ
DocType: Sales Invoice,Rounded Total,Στρογγυλοποιημένο σύνολο
DocType: Product Bundle,List items that form the package.,Απαριθμήστε τα είδη που αποτελούν το συσκευασία.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Το ποσοστό κατανομής θα πρέπει να είναι ίσο με το 100 %
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,Επιλέξτε Απόσπαση Ημερομηνία πριν από την επιλογή Κόμματος
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Επιλέξτε Απόσπαση Ημερομηνία πριν από την επιλογή Κόμματος
DocType: Program Enrollment,School House,Σχολείο
DocType: Serial No,Out of AMC,Εκτός Ε.Σ.Υ.
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Παρακαλώ επιλέξτε Τιμές
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Παρακαλώ επιλέξτε Τιμές
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Αριθμός Αποσβέσεις κράτηση δεν μπορεί να είναι μεγαλύτερη από Συνολικός αριθμός Αποσβέσεις
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Δημιούργησε επίσκεψη συντήρησης
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,Παρακαλώ επικοινωνήστε με τον χρήστη που έχει ρόλο διαχειριστής κύριων εγγραφών πωλήσεων {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,Παρακαλώ επικοινωνήστε με τον χρήστη που έχει ρόλο διαχειριστής κύριων εγγραφών πωλήσεων {0}
DocType: Company,Default Cash Account,Προεπιλεγμένος λογαριασμός μετρητών
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Κύρια εγγραφή εταιρείας (δεν είναι πελάτης ή προμηθευτής).
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Αυτό βασίζεται στην συμμετοχή του φοιτητή
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Δεν υπάρχουν φοιτητές στο
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Δεν υπάρχουν φοιτητές στο
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Προσθέστε περισσότερα στοιχεία ή ανοιχτή πλήρη μορφή
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',Παρακαλώ εισάγετε 'αναμενόμενη ημερομηνία παράδοσης΄
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Τα δελτία παράδοσης {0} πρέπει να ακυρώνονται πριν από την ακύρωση της παραγγελίας πώλησης
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Το άθροισμα από το καταβληθέν ποσό και το ποσό που διαγράφηκε δεν μπορεί να είναι μεγαλύτερο από το γενικό σύνολο
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Το άθροισμα από το καταβληθέν ποσό και το ποσό που διαγράφηκε δεν μπορεί να είναι μεγαλύτερο από το γενικό σύνολο
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},Ο {0} δεν είναι έγκυρος αριθμός παρτίδας για το είδος {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Σημείωση : δεν υπάρχει αρκετό υπόλοιπο άδειας για τον τύπο άδειας {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,Μη έγκυρο GSTIN ή Enter NA για μη εγγεγραμμένο
DocType: Training Event,Seminar,Σεμινάριο
DocType: Program Enrollment Fee,Program Enrollment Fee,Πρόγραμμα τελών εγγραφής
DocType: Item,Supplier Items,Είδη προμηθευτή
@@ -3231,27 +3257,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Στοιχείο 3
DocType: Purchase Order,Customer Contact Email,Πελατών Επικοινωνία Email
DocType: Warranty Claim,Item and Warranty Details,Στοιχείο και εγγύηση Λεπτομέρειες
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Κωδικός στοιχείου> Ομάδα στοιχείων> Μάρκα
DocType: Sales Team,Contribution (%),Συμβολή (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Σημείωση : η καταχώρηση πληρωμής δεν θα δημιουργηθεί γιατί δεν ορίστηκε λογαριασμός μετρητών ή τραπέζης
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Επιλέξτε το Πρόγραμμα για την εξαγωγή υποχρεωτικών μαθημάτων.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Αρμοδιότητες
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Αρμοδιότητες
DocType: Expense Claim Account,Expense Claim Account,Λογαριασμός Εξόδων αξίωσης
DocType: Sales Person,Sales Person Name,Όνομα πωλητή
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Παρακαλώ εισάγετε τουλάχιστον 1 τιμολόγιο στον πίνακα
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Προσθήκη χρηστών
DocType: POS Item Group,Item Group,Ομάδα ειδών
DocType: Item,Safety Stock,Απόθεμα ασφαλείας
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Πρόοδος% για ένα έργο δεν μπορεί να είναι πάνω από 100.
DocType: Stock Reconciliation Item,Before reconciliation,Πριν συμφιλίωση
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Έως {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Φόροι και επιβαρύνσεις που προστέθηκαν (νόμισμα της εταιρείας)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Η γραμμή φόρου είδους {0} πρέπει να έχει λογαριασμό τύπου φόρος ή έσοδα ή δαπάνη ή χρέωση
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Η γραμμή φόρου είδους {0} πρέπει να έχει λογαριασμό τύπου φόρος ή έσοδα ή δαπάνη ή χρέωση
DocType: Sales Order,Partly Billed,Μερικώς τιμολογημένος
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Θέση {0} πρέπει να είναι ένα πάγιο περιουσιακό στοιχείο του Είδους
DocType: Item,Default BOM,Προεπιλεγμένη Λ.Υ.
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,Παρακαλώ πληκτρολογήστε ξανά το όνομα της εταιρείας για να επιβεβαιώσετε
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Συνολικού ανεξόφλητου υπολοίπου
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Ποσό χρεωστικού σημειώματος
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Παρακαλώ πληκτρολογήστε ξανά το όνομα της εταιρείας για να επιβεβαιώσετε
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Συνολικού ανεξόφλητου υπολοίπου
DocType: Journal Entry,Printing Settings,Ρυθμίσεις εκτύπωσης
DocType: Sales Invoice,Include Payment (POS),Συμπεριλάβετε πληρωμής (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Η συνολική χρέωση πρέπει να είναι ίση με τη συνολική πίστωση. Η διαφορά είναι {0}
@@ -3265,15 +3289,16 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Σε απόθεμα:
DocType: Notification Control,Custom Message,Προσαρμοσμένο μήνυμα
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Επενδυτική τραπεζική
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Ο λογαριασμός μετρητών/τραπέζης είναι απαραίτητος για την κατασκευή καταχωρήσεων πληρωμής
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Διεύθυνση σπουδαστών
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Ο λογαριασμός μετρητών/τραπέζης είναι απαραίτητος για την κατασκευή καταχωρήσεων πληρωμής
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Παρακαλούμε ρυθμίστε τη σειρά αρίθμησης για τη συμμετοχή μέσω του προγράμματος Εγκατάστασης> Σειρά αρίθμησης
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Διεύθυνση σπουδαστών
DocType: Purchase Invoice,Price List Exchange Rate,Ισοτιμία τιμοκαταλόγου
DocType: Purchase Invoice Item,Rate,Τιμή
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Εκπαιδευόμενος
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,Διεύθυνση
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Εκπαιδευόμενος
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,Διεύθυνση
DocType: Stock Entry,From BOM,Από BOM
DocType: Assessment Code,Assessment Code,Κωδικός αξιολόγηση
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Βασικός
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Βασικός
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Οι μεταφορές αποθέματος πριν από τη {0} είναι παγωμένες
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',Παρακαλώ κάντε κλικ στο 'δημιουργία χρονοδιαγράμματος'
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","Π.Χ. Kg, μονάδα, αριθμοί, m"
@@ -3283,11 +3308,11 @@
DocType: Salary Slip,Salary Structure,Μισθολόγιο
DocType: Account,Bank,Τράπεζα
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Αερογραμμή
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Υλικό έκδοσης
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Υλικό έκδοσης
DocType: Material Request Item,For Warehouse,Για αποθήκη
DocType: Employee,Offer Date,Ημερομηνία προσφοράς
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Προσφορές
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Βρίσκεστε σε λειτουργία χωρίς σύνδεση. Δεν θα είστε σε θέση να φορτώσετε εκ νέου έως ότου έχετε δίκτυο.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,Βρίσκεστε σε λειτουργία χωρίς σύνδεση. Δεν θα είστε σε θέση να φορτώσετε εκ νέου έως ότου έχετε δίκτυο.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Δεν Ομάδες Φοιτητών δημιουργήθηκε.
DocType: Purchase Invoice Item,Serial No,Σειριακός αριθμός
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Μηνιαία επιστροφή ποσό δεν μπορεί να είναι μεγαλύτερη από Ποσό δανείου
@@ -3295,8 +3320,8 @@
DocType: Purchase Invoice,Print Language,Εκτύπωση Γλώσσα
DocType: Salary Slip,Total Working Hours,Σύνολο ωρών εργασίας
DocType: Stock Entry,Including items for sub assemblies,Συμπεριλαμβανομένων των στοιχείων για τις επιμέρους συνελεύσεις
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Εισάγετε τιμή πρέπει να είναι θετικός
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Όλα τα εδάφη
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Εισάγετε τιμή πρέπει να είναι θετικός
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Όλα τα εδάφη
DocType: Purchase Invoice,Items,Είδη
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Φοιτητής ήδη εγγραφεί.
DocType: Fiscal Year,Year Name,Όνομα έτους
@@ -3314,10 +3339,10 @@
DocType: Issue,Opening Time,Ώρα ανοίγματος
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Τα πεδία από και έως ημερομηνία είναι απαραίτητα
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Κινητές αξίες & χρηματιστήρια εμπορευμάτων
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Προεπιλεγμένη μονάδα μέτρησης για την παραλλαγή '{0}' πρέπει να είναι ίδιο με το πρότυπο '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Προεπιλεγμένη μονάδα μέτρησης για την παραλλαγή '{0}' πρέπει να είναι ίδιο με το πρότυπο '{1}'
DocType: Shipping Rule,Calculate Based On,Υπολογισμός με βάση:
DocType: Delivery Note Item,From Warehouse,Από Αποθήκης
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Δεν Αντικείμενα με τον Bill Υλικών για Κατασκευή
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Δεν Αντικείμενα με τον Bill Υλικών για Κατασκευή
DocType: Assessment Plan,Supervisor Name,Όνομα Επόπτη
DocType: Program Enrollment Course,Program Enrollment Course,Πρόγραμμα εγγραφής στο πρόγραμμα
DocType: Purchase Taxes and Charges,Valuation and Total,Αποτίμηση και σύνολο
@@ -3332,18 +3357,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,Οι 'ημέρες από την τελευταία παραγγελία' πρέπει να είναι περισσότερες από 0
DocType: Process Payroll,Payroll Frequency,Μισθοδοσία Συχνότητα
DocType: Asset,Amended From,Τροποποίηση από
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Πρώτη ύλη
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Πρώτη ύλη
DocType: Leave Application,Follow via Email,Ακολουθήστε μέσω email
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Φυτά και Μηχανήματα
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Φυτά και Μηχανήματα
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Ποσό φόρου μετά ποσού έκπτωσης
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Καθημερινή Ρυθμίσεις Περίληψη εργασίας
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Νόμισμα του τιμοκαταλόγου {0} δεν είναι παρόμοια με το επιλεγμένο νόμισμα {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Νόμισμα του τιμοκαταλόγου {0} δεν είναι παρόμοια με το επιλεγμένο νόμισμα {1}
DocType: Payment Entry,Internal Transfer,εσωτερική Μεταφορά
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Υπάρχει θυγατρικός λογαριασμός για αυτόν το λογαριασμό. Δεν μπορείτε να διαγράψετε αυτόν το λογαριασμό.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Υπάρχει θυγατρικός λογαριασμός για αυτόν το λογαριασμό. Δεν μπορείτε να διαγράψετε αυτόν το λογαριασμό.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Είτε ποσότητα-στόχος ή ποσό-στόχος είναι απαραίτητα.
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Δεν υπάρχει προεπιλεγμένη Λ.Υ. Για το είδος {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Δεν υπάρχει προεπιλεγμένη Λ.Υ. Για το είδος {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Παρακαλώ επιλέξτε Ημερομηνία Δημοσίευσης πρώτη
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Ημερομηνία ανοίγματος πρέπει να είναι πριν από την Ημερομηνία Κλεισίματος
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ορίστε την Ονοματοδοσία για το {0} μέσω του Setup> Settings> Naming Series
DocType: Leave Control Panel,Carry Forward,Μεταφορά προς τα εμπρός
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Ένα κέντρο κόστους με υπάρχουσες συναλλαγές δεν μπορεί να μετατραπεί σε καθολικό
DocType: Department,Days for which Holidays are blocked for this department.,Οι ημέρες για τις οποίες οι άδειες έχουν αποκλειστεί για αυτό το τμήμα
@@ -3353,10 +3379,9 @@
DocType: Issue,Raised By (Email),Δημιουργήθηκε από (email)
DocType: Training Event,Trainer Name,Όνομα εκπαιδευτής
DocType: Mode of Payment,General,Γενικός
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Επισύναψη επιστολόχαρτου
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Τελευταία ανακοίνωση
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Δεν μπορούν να αφαιρεθούν όταν η κατηγορία είναι για αποτίμηση ή αποτίμηση και σύνολο
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Λίστα φορολογική σας κεφάλια (π.χ. ΦΠΑ, Τελωνεία κλπ? Θα πρέπει να έχουν μοναδικά ονόματα) και κατ 'αποκοπή συντελεστές τους. Αυτό θα δημιουργήσει ένα πρότυπο πρότυπο, το οποίο μπορείτε να επεξεργαστείτε και να προσθέσετε περισσότερο αργότερα."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Λίστα φορολογική σας κεφάλια (π.χ. ΦΠΑ, Τελωνεία κλπ? Θα πρέπει να έχουν μοναδικά ονόματα) και κατ 'αποκοπή συντελεστές τους. Αυτό θα δημιουργήσει ένα πρότυπο πρότυπο, το οποίο μπορείτε να επεξεργαστείτε και να προσθέσετε περισσότερο αργότερα."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Οι σειριακοί αριθμοί είναι απαραίτητοι για το είδος με σειρά {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Πληρωμές αγώνα με τιμολόγια
DocType: Journal Entry,Bank Entry,Καταχώρηση τράπεζας
@@ -3365,16 +3390,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Προσθήκη στο καλάθι
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Ομαδοποίηση κατά
DocType: Guardian,Interests,Ενδιαφέροντα
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Ενεργοποίηση / απενεργοποίηση νομισμάτων.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Ενεργοποίηση / απενεργοποίηση νομισμάτων.
DocType: Production Planning Tool,Get Material Request,Πάρτε Αίτημα Υλικό
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Ταχυδρομικές δαπάνες
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Ταχυδρομικές δαπάνες
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Σύνολο (ποσό)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Διασκέδαση & ψυχαγωγία
DocType: Quality Inspection,Item Serial No,Σειριακός αριθμός είδους
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Δημιουργήστε τα αρχεία των εργαζομένων
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Σύνολο παρόντων
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,λογιστικές Καταστάσεις
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Ώρα
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Ώρα
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Ένας νέος σειριακός αριθμός δεν μπορεί να έχει αποθήκη. Η αποθήκη πρέπει να ορίζεται από καταχωρήσεις αποθέματος ή από παραλαβές αγορών
DocType: Lead,Lead Type,Τύπος επαφής
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Δεν επιτρέπεται να εγκρίνει φύλλα στο Block Ημερομηνίες
@@ -3386,6 +3411,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,Η νέα Λ.Υ. μετά την αντικατάστασή
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Point of sale
DocType: Payment Entry,Received Amount,Ελήφθη Ποσό
+DocType: GST Settings,GSTIN Email Sent On,Το μήνυμα ηλεκτρονικού ταχυδρομείου GSTIN αποστέλλεται στο
+DocType: Program Enrollment,Pick/Drop by Guardian,Επιλέξτε / Σταματήστε από τον Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Δημιουργήστε για την πλήρη ποσότητα, αγνοώντας ποσότητα ήδη στην παραγγελία"
DocType: Account,Tax,Φόρος
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,χωρίς σήμανση
@@ -3397,14 +3424,14 @@
DocType: Batch,Source Document Name,Όνομα εγγράφου προέλευσης
DocType: Job Opening,Job Title,Τίτλος εργασίας
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Δημιουργία χρηστών
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,Γραμμάριο
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,Γραμμάριο
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Ποσότητα Παρασκευή πρέπει να είναι μεγαλύτερη από 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Επισκεφθείτε την έκθεση για την έκτακτη συντήρηση.
DocType: Stock Entry,Update Rate and Availability,Ενημέρωση τιμή και τη διαθεσιμότητα
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Ποσοστό που επιτρέπεται να παραληφθεί ή να παραδοθεί περισσότερο από την ποσότητα παραγγελίας. Για παράδειγμα: εάν έχετε παραγγείλει 100 μονάδες. Και το επίδομα σας είναι 10%, τότε θα μπορούν να παραληφθούν 110 μονάδες."
DocType: POS Customer Group,Customer Group,Ομάδα πελατών
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Νέο αναγνωριστικό παρτίδας (προαιρετικό)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Ο λογαριασμός δαπανών είναι υποχρεωτικός για το είδος {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Ο λογαριασμός δαπανών είναι υποχρεωτικός για το είδος {0}
DocType: BOM,Website Description,Περιγραφή δικτυακού τόπου
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Καθαρή Μεταβολή Ιδίων Κεφαλαίων
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Παρακαλείστε να ακυρώσετε την αγορά Τιμολόγιο {0} πρώτο
@@ -3414,8 +3441,8 @@
,Sales Register,Ταμείο πωλήσεων
DocType: Daily Work Summary Settings Company,Send Emails At,Αποστολή email τους στο
DocType: Quotation,Quotation Lost Reason,Λόγος απώλειας προσφοράς
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Επιλέξτε το Domain σας
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},αναφοράς συναλλαγής δεν {0} με ημερομηνία {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Επιλέξτε το Domain σας
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},αναφοράς συναλλαγής δεν {0} με ημερομηνία {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Δεν υπάρχει τίποτα να επεξεργαστείτε.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Περίληψη για το μήνα αυτό και εν αναμονή δραστηριότητες
DocType: Customer Group,Customer Group Name,Όνομα ομάδας πελατών
@@ -3423,14 +3450,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Κατάσταση ταμειακών ροών
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Ποσό δανείου δεν μπορεί να υπερβαίνει το μέγιστο ύψος των δανείων Ποσό {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Άδεια
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},Παρακαλώ αφαιρέστε αυτό το τιμολόγιο {0} από τη c-form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},Παρακαλώ αφαιρέστε αυτό το τιμολόγιο {0} από τη c-form {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Παρακαλώ επιλέξτε μεταφορά εάν θέλετε επίσης να περιλαμβάνεται το ισοζύγιο από το προηγούμενο οικονομικό έτος σε αυτό η χρήση
DocType: GL Entry,Against Voucher Type,Κατά τον τύπο αποδεικτικού
DocType: Item,Attributes,Γνωρίσματα
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,Παρακαλώ εισάγετε λογαριασμό διαγραφών
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Παρακαλώ εισάγετε λογαριασμό διαγραφών
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Τελευταία ημερομηνία παραγγελίας
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Ο Λογαριασμός {0} δεν ανήκει στην εταιρεία {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Οι σειριακοί αριθμοί στη σειρά {0} δεν ταιριάζουν με τη Σημείωση Παραλαβής
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Οι σειριακοί αριθμοί στη σειρά {0} δεν ταιριάζουν με τη Σημείωση Παραλαβής
DocType: Student,Guardian Details,Guardian Λεπτομέρειες
DocType: C-Form,C-Form,C-form
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark φοίτηση για πολλούς εργαζόμενους
@@ -3445,16 +3472,16 @@
DocType: Budget Account,Budget Amount,προϋπολογισμός Ποσό
DocType: Appraisal Template,Appraisal Template Title,Τίτλος προτύπου αξιολόγησης
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Από Ημερομηνία {0} υπάλληλου {1} δεν μπορεί να είναι πριν από την ένταξή Ημερομηνία εργαζομένου {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Εμπορικός
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Εμπορικός
DocType: Payment Entry,Account Paid To,Καταβάλλεται στα
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Μητρική Θέση {0} δεν πρέπει να είναι ένα αναντικατάστατο
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Όλα τα προϊόντα ή τις υπηρεσίες.
DocType: Expense Claim,More Details,Περισσότερες λεπτομέρειες
DocType: Supplier Quotation,Supplier Address,Διεύθυνση προμηθευτή
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} προϋπολογισμού για το λογαριασμό {1} από {2} {3} είναι {4}. Θα υπερβαίνει {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Σειρά {0} # Ο λογαριασμός πρέπει να είναι τύπου «Παγίων»
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Ποσότητα εκτός
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Κανόνες για τον υπολογισμό του ποσού αποστολής για την πώληση
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Σειρά {0} # Ο λογαριασμός πρέπει να είναι τύπου «Παγίων»
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Ποσότητα εκτός
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Κανόνες για τον υπολογισμό του ποσού αποστολής για την πώληση
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Η σειρά είναι απαραίτητη
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Χρηματοοικονομικές υπηρεσίες
DocType: Student Sibling,Student ID,φοιτητής ID
@@ -3462,13 +3489,13 @@
DocType: Tax Rule,Sales,Πωλήσεις
DocType: Stock Entry Detail,Basic Amount,Βασικό Ποσό
DocType: Training Event,Exam,Εξέταση
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Απαιτείται αποθήκη για το είδος αποθέματος {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Απαιτείται αποθήκη για το είδος αποθέματος {0}
DocType: Leave Allocation,Unused leaves,Αχρησιμοποίητα φύλλα
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,Μέλος χρέωσης
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Μεταφορά
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} δεν σχετίζεται με το Λογαριασμό {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Φέρε αναλυτική Λ.Υ. ( Συμπεριλαμβανομένων των υποσυνόλων )
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} δεν σχετίζεται με το Λογαριασμό {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Φέρε αναλυτική Λ.Υ. ( Συμπεριλαμβανομένων των υποσυνόλων )
DocType: Authorization Rule,Applicable To (Employee),Εφαρμοστέα σε (υπάλληλος)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Due Date είναι υποχρεωτική
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Προσαύξηση για Χαρακτηριστικό {0} δεν μπορεί να είναι 0
@@ -3496,7 +3523,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Κωδικός είδους πρώτης ύλης
DocType: Journal Entry,Write Off Based On,Διαγραφή βάσει του
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Δημιουργία Σύστασης
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Εκτύπωση και Χαρτικά
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Εκτύπωση και Χαρτικά
DocType: Stock Settings,Show Barcode Field,Εμφάνιση Barcode πεδίο
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Αποστολή Emails Προμηθευτής
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Μισθός ήδη υποβάλλονται σε επεξεργασία για χρονικό διάστημα από {0} και {1}, Αφήστε περίοδος εφαρμογής δεν μπορεί να είναι μεταξύ αυτού του εύρους ημερομηνιών."
@@ -3504,13 +3531,15 @@
DocType: Guardian Interest,Guardian Interest,Guardian Ενδιαφέροντος
apps/erpnext/erpnext/config/hr.py +177,Training,Εκπαίδευση
DocType: Timesheet,Employee Detail,Λεπτομέρεια των εργαζομένων
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Όνομα ταυτότητας ηλεκτρονικού ταχυδρομείου Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Όνομα ταυτότητας ηλεκτρονικού ταχυδρομείου Guardian1
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,επόμενη ημέρα Ημερομηνία και Επαναλάβετε την Ημέρα του μήνα πρέπει να είναι ίση
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Ρυθμίσεις για την ιστοσελίδα αρχική σελίδα
DocType: Offer Letter,Awaiting Response,Αναμονή Απάντησης
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Παραπάνω
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Παραπάνω
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},Μη έγκυρο χαρακτηριστικό {0} {1}
DocType: Supplier,Mention if non-standard payable account,Αναφέρετε εάν ο μη τυποποιημένος πληρωτέος λογαριασμός
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Το ίδιο στοιχείο εισήχθη πολλές φορές. {λίστα}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',"Παρακαλώ επιλέξτε την ομάδα αξιολόγησης, εκτός από τις "Όλες οι ομάδες αξιολόγησης""
DocType: Salary Slip,Earning & Deduction,Κέρδος και έκπτωση
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Προαιρετικό. Αυτή η ρύθμιση θα χρησιμοποιηθεί για το φιλτράρισμα σε διάφορες συναλλαγές.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Δεν επιτρέπεται αρνητική τιμή αποτίμησης
@@ -3524,9 +3553,9 @@
DocType: Sales Invoice,Product Bundle Help,Προϊόν Βοήθεια Bundle
,Monthly Attendance Sheet,Μηνιαίο δελτίο συμμετοχής
DocType: Production Order Item,Production Order Item,Παραγωγή Παραγγελία Στοιχείο
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Δεν βρέθηκαν εγγραφές
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Δεν βρέθηκαν εγγραφές
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Το κόστος των αποσυρόμενων Ενεργητικού
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Tο κέντρο κόστους είναι υποχρεωτικό για το είδος {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Tο κέντρο κόστους είναι υποχρεωτικό για το είδος {2}
DocType: Vehicle,Policy No,Πολιτική Όχι
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Πάρετε τα στοιχεία από Bundle Προϊόν
DocType: Asset,Straight Line,Ευθεία
@@ -3534,7 +3563,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Σπλιτ
DocType: GL Entry,Is Advance,Είναι προκαταβολή
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Η συμμετοχή από και μέχρι είναι απαραίτητη
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,Παρακαλώ εισάγετε τιμή στο πεδίο 'υπεργολαβία' ναι ή όχι
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,Παρακαλώ εισάγετε τιμή στο πεδίο 'υπεργολαβία' ναι ή όχι
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Τελευταία ημερομηνία επικοινωνίας
DocType: Sales Team,Contact No.,Αριθμός επαφής
DocType: Bank Reconciliation,Payment Entries,Ενδείξεις πληρωμής
@@ -3560,60 +3589,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Αξία ανοίγματος
DocType: Salary Detail,Formula,Τύπος
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Σειριακός αριθμός #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Προμήθεια επί των πωλήσεων
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Προμήθεια επί των πωλήσεων
DocType: Offer Letter Term,Value / Description,Αξία / Περιγραφή
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Σειρά # {0}: Asset {1} δεν μπορεί να υποβληθεί, είναι ήδη {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Σειρά # {0}: Asset {1} δεν μπορεί να υποβληθεί, είναι ήδη {2}"
DocType: Tax Rule,Billing Country,Χρέωση Χώρα
DocType: Purchase Order Item,Expected Delivery Date,Αναμενόμενη ημερομηνία παράδοσης
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Χρεωστικών και Πιστωτικών δεν είναι ίση για {0} # {1}. Η διαφορά είναι {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Δαπάνες ψυχαγωγίας
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Κάντε την ζήτηση Υλικό
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Δαπάνες ψυχαγωγίας
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Κάντε την ζήτηση Υλικό
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Ανοικτή Θέση {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Το τιμολόγιο πώλησης {0} πρέπει να ακυρωθεί πριν από την ακύρωση αυτής της παραγγελίας πώλησης
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Ηλικία
DocType: Sales Invoice Timesheet,Billing Amount,Ποσό Χρέωσης
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Ορίστηκε μη έγκυρη ποσότητα για το είδος {0}. Η ποσότητα αυτή θα πρέπει να είναι μεγαλύτερη από 0.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Αιτήσεις για χορήγηση άδειας.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Ο λογαριασμός με υπάρχουσα συναλλαγή δεν μπορεί να διαγραφεί
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Ο λογαριασμός με υπάρχουσα συναλλαγή δεν μπορεί να διαγραφεί
DocType: Vehicle,Last Carbon Check,Τελευταία Carbon Έλεγχος
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Νομικές δαπάνες
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Νομικές δαπάνες
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Παρακαλούμε επιλέξτε ποσότητα σε σειρά
DocType: Purchase Invoice,Posting Time,Ώρα αποστολής
DocType: Timesheet,% Amount Billed,Ποσό που χρεώνεται%
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Δαπάνες τηλεφώνου
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Δαπάνες τηλεφώνου
DocType: Sales Partner,Logo,Λογότυπο
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Ελέγξτε αυτό, αν θέλετε να αναγκάσει τον χρήστη να επιλέξει μια σειρά πριν από την αποθήκευση. Δεν θα υπάρξει καμία προεπιλογή αν επιλέξετε αυτό."
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Δεν βρέθηκε είδος με σειριακός αριθμός {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Δεν βρέθηκε είδος με σειριακός αριθμός {0}
DocType: Email Digest,Open Notifications,Ανοίξτε Ειδοποιήσεις
DocType: Payment Entry,Difference Amount (Company Currency),Διαφορά Ποσό (Εταιρεία νομίσματος)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Άμεσες δαπάνες
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Άμεσες δαπάνες
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} είναι μια έγκυρη διεύθυνση ηλεκτρονικού ταχυδρομείου στο «Κοινοποίηση \ διεύθυνση ηλεκτρονικού ταχυδρομείου"
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Νέα έσοδα πελατών
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Έξοδα μετακίνησης
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Έξοδα μετακίνησης
DocType: Maintenance Visit,Breakdown,Ανάλυση
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Ο λογαριασμός: {0} με το νόμισμα: {1} δεν μπορεί να επιλεγεί
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Ο λογαριασμός: {0} με το νόμισμα: {1} δεν μπορεί να επιλεγεί
DocType: Bank Reconciliation Detail,Cheque Date,Ημερομηνία επιταγής
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Ο λογαριασμός {0}: γονικός λογαριασμός {1} δεν ανήκει στην εταιρεία: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Ο λογαριασμός {0}: γονικός λογαριασμός {1} δεν ανήκει στην εταιρεία: {2}
DocType: Program Enrollment Tool,Student Applicants,Οι υποψήφιοι φοιτητής
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Διαγράφηκε επιτυχώς όλες τις συναλλαγές που σχετίζονται με αυτή την εταιρεία!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Διαγράφηκε επιτυχώς όλες τις συναλλαγές που σχετίζονται με αυτή την εταιρεία!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Ως ημερομηνία για
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,εγγραφή Ημερομηνία
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Επιτήρηση
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Επιτήρηση
apps/erpnext/erpnext/config/hr.py +115,Salary Components,Εξαρτήματα μισθό
DocType: Program Enrollment Tool,New Academic Year,Νέο Ακαδημαϊκό Έτος
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Επιστροφή / Πιστωτική Σημείωση
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Επιστροφή / Πιστωτική Σημείωση
DocType: Stock Settings,Auto insert Price List rate if missing,Αυτόματη ένθετο ποσοστό Τιμοκατάλογος αν λείπει
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Συνολικό καταβεβλημένο ποσό
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Συνολικό καταβεβλημένο ποσό
DocType: Production Order Item,Transferred Qty,Μεταφερόμενη ποσότητα
apps/erpnext/erpnext/config/learn.py +11,Navigating,Πλοήγηση
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Προγραμματισμός
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Εκδόθηκε
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Προγραμματισμός
+DocType: Material Request,Issued,Εκδόθηκε
DocType: Project,Total Billing Amount (via Time Logs),Συνολικό Ποσό Χρέωσης (μέσω χρόνος Καταγράφει)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Πουλάμε αυτό το είδος
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,ID προμηθευτή
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Πουλάμε αυτό το είδος
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,ID προμηθευτή
DocType: Payment Request,Payment Gateway Details,Πληρωμή Gateway Λεπτομέρειες
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Ποσότητα θα πρέπει να είναι μεγαλύτερη από 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Ποσότητα θα πρέπει να είναι μεγαλύτερη από 0
DocType: Journal Entry,Cash Entry,Καταχώρηση μετρητών
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,κόμβοι παιδί μπορεί να δημιουργηθεί μόνο με κόμβους τύπου «Όμιλος»
DocType: Leave Application,Half Day Date,Μισή Μέρα Ημερομηνία
@@ -3625,14 +3655,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Παρακαλούμε να ορίσετε προεπιλεγμένο λογαριασμό στο Εξόδων αξίωση Τύπος {0}
DocType: Assessment Result,Student Name,ΟΝΟΜΑ ΜΑΘΗΤΗ
DocType: Brand,Item Manager,Θέση Διευθυντή
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,Μισθοδοσία Πληρωτέο
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Μισθοδοσία Πληρωτέο
DocType: Buying Settings,Default Supplier Type,Προεπιλεγμένος τύπος προμηθευτής
DocType: Production Order,Total Operating Cost,Συνολικό κόστος λειτουργίας
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Σημείωση : το σημείο {0} εισήχθηκε πολλαπλές φορές
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Όλες οι επαφές.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Συντομογραφία εταιρείας
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Συντομογραφία εταιρείας
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Ο χρήστης {0} δεν υπάρχει
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,Η πρώτη ύλη δεν μπορεί να είναι ίδια με το κύριο είδος
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Η πρώτη ύλη δεν μπορεί να είναι ίδια με το κύριο είδος
DocType: Item Attribute Value,Abbreviation,Συντομογραφία
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Έναρξη πληρωμής υπάρχει ήδη
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Δεν επιτρέπεται δεδομένου ότι το {0} υπερβαίνει τα όρια
@@ -3641,49 +3671,49 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Ορισμός φορολογική Κανόνας για το καλάθι αγορών
DocType: Purchase Invoice,Taxes and Charges Added,Φόροι και επιβαρύνσεις που προστέθηκαν
,Sales Funnel,Χοάνη πωλήσεων
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Σύντμηση είναι υποχρεωτική
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Σύντμηση είναι υποχρεωτική
DocType: Project,Task Progress,Task Progress
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Το Καλάθι
,Qty to Transfer,Ποσότητα για μεταφορά
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Προσφορές σε Συστάσεις ή Πελάτες.
DocType: Stock Settings,Role Allowed to edit frozen stock,Ο ρόλος έχει τη δυνατότητα επεξεργασίας παγωμένου απόθεματος
,Territory Target Variance Item Group-Wise,Εύρος στόχων περιοχής ανά ομάδα ειδών
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Όλες οι ομάδες πελατών
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Όλες οι ομάδες πελατών
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,συσσωρευμένες Μηνιαία
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,Η {0} είναι απαραίτητη. Ίσως δεν έχει δημιουργηθεί εγγραφή ισοτιμίας συναλλάγματος από {1} έως {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,Η {0} είναι απαραίτητη. Ίσως δεν έχει δημιουργηθεί εγγραφή ισοτιμίας συναλλάγματος από {1} έως {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Φόρος προτύπου είναι υποχρεωτική.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Ο λογαριασμός {0}: γονικός λογαριασμός {1} δεν υπάρχει
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Ο λογαριασμός {0}: γονικός λογαριασμός {1} δεν υπάρχει
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Τιμή τιμοκαταλόγου (νόμισμα της εταιρείας)
DocType: Products Settings,Products Settings,Ρυθμίσεις προϊόντα
DocType: Account,Temporary,Προσωρινός
DocType: Program,Courses,μαθήματα
DocType: Monthly Distribution Percentage,Percentage Allocation,Ποσοστό κατανομής
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Γραμματέας
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Γραμματέας
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Αν απενεργοποιήσετε, «σύμφωνα με τα λόγια« πεδίο δεν θα είναι ορατό σε κάθε συναλλαγή"
DocType: Serial No,Distinct unit of an Item,Διακριτή μονάδα ενός είδους
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Ρυθμίστε την εταιρεία
DocType: Pricing Rule,Buying,Αγορά
DocType: HR Settings,Employee Records to be created by,Εγγραφές των υπαλλήλων που πρόκειται να δημιουργηθούν από
DocType: POS Profile,Apply Discount On,Εφαρμόστε έκπτωση σε
,Reqd By Date,Reqd Με ημερομηνία
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Πιστωτές
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Πιστωτές
DocType: Assessment Plan,Assessment Name,Όνομα αξιολόγηση
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Σειρά # {0}: Αύξων αριθμός είναι υποχρεωτική
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Φορολογικές λεπτομέρειες για είδη
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Ινστιτούτο Σύντμηση
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Ινστιτούτο Σύντμηση
,Item-wise Price List Rate,Τιμή τιμοκαταλόγου ανά είδος
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Προσφορά προμηθευτή
DocType: Quotation,In Words will be visible once you save the Quotation.,Με λόγια θα είναι ορατά αφού αποθηκεύσετε το πρόσημο.
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Η ποσότητα ({0}) δεν μπορεί να είναι κλάσμα στη σειρά {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,εισπράττει τέλη
DocType: Attendance,ATT-,ΑΤΤ
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Το barcode {0} έχει ήδη χρησιμοποιηθεί στο είδος {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Το barcode {0} έχει ήδη χρησιμοποιηθεί στο είδος {1}
DocType: Lead,Add to calendar on this date,Προσθήκη στο ημερολόγιο την ημερομηνία αυτή
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Κανόνες για την προσθήκη εξόδων αποστολής.
DocType: Item,Opening Stock,άνοιγμα Χρηματιστήριο
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Ο πελάτης είναι απαραίτητος
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} είναι υποχρεωτική για την Επιστροφή
DocType: Purchase Order,To Receive,Να Λάβω
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Προσωπικό email
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Συνολική διακύμανση
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Εάν είναι ενεργοποιημένο, το σύστημα θα καταχωρεί λογιστικές εγγραφές για την απογραφή αυτόματα."
@@ -3695,13 +3725,14 @@
DocType: Customer,From Lead,Από Σύσταση
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Παραγγελίες ανοιχτές για παραγωγή.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Επιλέξτε οικονομικό έτος...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS Προφίλ απαιτούνται για να κάνουν POS Έναρξη
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS Προφίλ απαιτούνται για να κάνουν POS Έναρξη
DocType: Program Enrollment Tool,Enroll Students,εγγραφούν μαθητές
DocType: Hub Settings,Name Token,Name Token
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Πρότυπες πωλήσεις
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Τουλάχιστον μια αποθήκη είναι απαραίτητη
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Τουλάχιστον μια αποθήκη είναι απαραίτητη
DocType: Serial No,Out of Warranty,Εκτός εγγύησης
DocType: BOM Replace Tool,Replace,Αντικατάσταση
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Δεν βρέθηκαν προϊόντα.
DocType: Production Order,Unstopped,ανεμπόδιστη
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} κατά το τιμολόγιο πώλησης {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3712,13 +3743,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Διαφορά αξίας αποθέματος
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Ανθρώπινο Δυναμικό
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Πληρωμή συμφωνίας
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Φορολογικές απαιτήσεις
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Φορολογικές απαιτήσεις
DocType: BOM Item,BOM No,Αρ. Λ.Υ.
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Η λογιστική εγγραφή {0} δεν έχει λογαριασμό {1} ή έχει ήδη αντιπαραβληθεί με άλλο αποδεικτικό
DocType: Item,Moving Average,Κινητός μέσος
DocType: BOM Replace Tool,The BOM which will be replaced,Η Λ.Υ. που θα αντικατασταθεί
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,ηλεκτρονικού εξοπλισμού
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,ηλεκτρονικού εξοπλισμού
DocType: Account,Debit,Χρέωση
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Οι άδειες πρέπει να κατανέμονται σαν πολλαπλάσια του 0, 5"
DocType: Production Order,Operation Cost,Κόστος λειτουργίας
@@ -3726,7 +3757,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Οφειλόμενο ποσό
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Ορίστε στόχους ανά ομάδα είδους για αυτόν τον πωλητή
DocType: Stock Settings,Freeze Stocks Older Than [Days],Πάγωμα αποθεμάτων παλαιότερα από [ημέρες]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Σειρά # {0}: Asset είναι υποχρεωτική για πάγιο περιουσιακό αγορά / πώληση
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Σειρά # {0}: Asset είναι υποχρεωτική για πάγιο περιουσιακό αγορά / πώληση
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Αν δύο ή περισσότεροι κανόνες τιμολόγησης που βρέθηκαν με βάση τις παραπάνω προϋποθέσεις, εφαρμόζεται σειρά προτεραιότητας. Η προτεραιότητα είναι ένας αριθμός μεταξύ 0 και 20, ενώ η προεπιλεγμένη τιμή είναι μηδέν (κενό). Μεγαλύτερος αριθμός σημαίνει ότι θα υπερισχύσει εάν υπάρχουν πολλαπλοί κανόνες τιμολόγησης με τους ίδιους όρους."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Φορολογικό Έτος: {0} δεν υπάρχει
DocType: Currency Exchange,To Currency,Σε νόμισμα
@@ -3734,7 +3765,7 @@
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Τύποι των αιτημάτων εξόδων.
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Το ποσοστό πωλήσεων για το στοιχείο {0} είναι μικρότερο από το {1} του. Το ποσοστό πώλησης πρέπει να είναι τουλάχιστον {2}
DocType: Item,Taxes,Φόροι
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Καταβληθεί και δεν παραδόθηκαν
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Καταβληθεί και δεν παραδόθηκαν
DocType: Project,Default Cost Center,Προεπιλεγμένο κέντρο κόστους
DocType: Bank Guarantee,End Date,Ημερομηνία λήξης
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Συναλλαγές απόθεμα
@@ -3759,24 +3790,22 @@
DocType: Employee,Held On,Πραγματοποιήθηκε την
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Είδος παραγωγής
,Employee Information,Πληροφορίες υπαλλήλου
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Ποσοστό ( % )
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Ποσοστό ( % )
DocType: Stock Entry Detail,Additional Cost,Πρόσθετο κόστος
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Ημερομηνία λήξης για η χρήση
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Δεν μπορείτε να φιλτράρετε με βάση αρ. αποδεικτικού, αν είναι ομαδοποιημένες ανά αποδεικτικό"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Δημιούργησε προσφορά προμηθευτή
DocType: Quality Inspection,Incoming,Εισερχόμενος
DocType: BOM,Materials Required (Exploded),Υλικά που απαιτούνται (αναλυτικά)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Προσθέστε χρήστες για τον οργανισμό σας, εκτός από τον εαυτό σας"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Απόσπαση ημερομηνία αυτή δεν μπορεί να είναι μελλοντική ημερομηνία
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Σειρά # {0}: Αύξων αριθμός {1} δεν ταιριάζει με το {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Περιστασιακή άδεια
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Περιστασιακή άδεια
DocType: Batch,Batch ID,ID παρτίδας
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Σημείωση : {0}
,Delivery Note Trends,Τάσεις δελτίου αποστολής
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Περίληψη της Εβδομάδας
-,In Stock Qty,Σε Απόθεμα Ποσότητα
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Σε Απόθεμα Ποσότητα
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Ο λογαριασμός: {0} μπορεί να ενημερώνεται μόνο μέσω συναλλαγών αποθέματος
-DocType: Program Enrollment,Get Courses,Πάρτε μαθήματα
+DocType: Student Group Creation Tool,Get Courses,Πάρτε μαθήματα
DocType: GL Entry,Party,Συμβαλλόμενος
DocType: Sales Order,Delivery Date,Ημερομηνία παράδοσης
DocType: Opportunity,Opportunity Date,Ημερομηνία ευκαιρίας
@@ -3784,14 +3813,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Αίτηση Προσφοράς Είδους
DocType: Purchase Order,To Bill,Για τιμολόγηση
DocType: Material Request,% Ordered,% Παραγγέλθηκαν
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Για το Student Group, το μάθημα θα επικυρωθεί για κάθε φοιτητή από τα εγγεγραμμένα μαθήματα στην εγγραφή του προγράμματος."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Εισάγετε τη διεύθυνση ηλεκτρονικού ταχυδρομείου διαχωρισμένες με κόμμα, το τιμολόγιο θα αποσταλεί αυτόματα σε συγκεκριμένη ημερομηνία"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Εργασία με το κομμάτι
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Εργασία με το κομμάτι
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Μέση τιμή αγοράς
DocType: Task,Actual Time (in Hours),Πραγματικός χρόνος (σε ώρες)
DocType: Employee,History In Company,Ιστορικό στην εταιρεία
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Ενημερωτικά Δελτία
DocType: Stock Ledger Entry,Stock Ledger Entry,Καθολική καταχώρηση αποθέματος
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Πελάτης> Ομάδα πελατών> Επικράτεια
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Το ίδιο στοιχείο έχει εισαχθεί πολλές φορές
DocType: Department,Leave Block List,Λίστα ημερών Άδειας
DocType: Sales Invoice,Tax ID,Τον αριθμό φορολογικού μητρώου
@@ -3806,30 +3835,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} μονάδες {1} απαιτούνται {2} για να ολοκληρώσετε τη συναλλαγή αυτή.
DocType: Loan Type,Rate of Interest (%) Yearly,Επιτόκιο (%) Ετήσιο
DocType: SMS Settings,SMS Settings,Ρυθμίσεις SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Προσωρινή Λογαριασμοί
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Μαύρος
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Προσωρινή Λογαριασμοί
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Μαύρος
DocType: BOM Explosion Item,BOM Explosion Item,Είδος ανάπτυξης Λ.Υ.
DocType: Account,Auditor,Ελεγκτής
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} αντικείμενα που παράγονται
DocType: Cheque Print Template,Distance from top edge,Απόσταση από το άνω άκρο
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Τιμοκατάλογος {0} είναι απενεργοποιημένη ή δεν υπάρχει
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Τιμοκατάλογος {0} είναι απενεργοποιημένη ή δεν υπάρχει
DocType: Purchase Invoice,Return,Απόδοση
DocType: Production Order Operation,Production Order Operation,Λειτουργία παραγγελίας παραγωγής
DocType: Pricing Rule,Disable,Απενεργοποίηση
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Τρόπος πληρωμής υποχρεούται να προβεί σε πληρωμή
DocType: Project Task,Pending Review,Εκκρεμής αναθεώρηση
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} δεν είναι εγγεγραμμένος στην παρτίδα {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Περιουσιακό στοιχείο {0} δεν μπορεί να καταργηθεί, δεδομένου ότι είναι ήδη {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Σύνολο αξίωση Εξόδων (μέσω αιτημάτων εξόδων)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,ID πελάτη
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Απών
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Σειρά {0}: Νόμισμα της BOM # {1} θα πρέπει να είναι ίσο με το επιλεγμένο νόμισμα {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Σειρά {0}: Νόμισμα της BOM # {1} θα πρέπει να είναι ίσο με το επιλεγμένο νόμισμα {2}
DocType: Journal Entry Account,Exchange Rate,Ισοτιμία
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Η παραγγελία πώλησης {0} δεν έχει υποβληθεί
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Η παραγγελία πώλησης {0} δεν έχει υποβληθεί
DocType: Homepage,Tag Line,Γραμμή ετικέτας
DocType: Fee Component,Fee Component,χρέωση Component
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Διαχείριση στόλου
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Προσθήκη στοιχείων από
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Αποθήκη {0}:ο γονικός λογαριασμός {1} δεν ανήκει στην εταιρεία {2}
DocType: Cheque Print Template,Regular,Τακτικός
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Σύνολο weightage όλων των κριτηρίων αξιολόγησης πρέπει να είναι 100%
DocType: BOM,Last Purchase Rate,Τελευταία τιμή αγοράς
@@ -3838,11 +3866,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Δεν μπορεί να υπάρχει απόθεμα για το είδος {0} γιατί έχει παραλλαγές
,Sales Person-wise Transaction Summary,Περίληψη συναλλαγών ανά πωλητή
DocType: Training Event,Contact Number,Αριθμός επαφής
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Η αποθήκη {0} δεν υπάρχει
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Η αποθήκη {0} δεν υπάρχει
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Εγγραφή για erpnext hub
DocType: Monthly Distribution,Monthly Distribution Percentages,Ποσοστά μηνιαίας διανομής
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Το επιλεγμένο είδος δεν μπορεί να έχει παρτίδα
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","ποσοστό αποτίμηση δεν βρέθηκε για το στοιχείο {0}, η οποία απαιτείται για να κάνει λογιστικές εγγραφές για {1} {2}. Εάν το στοιχείο συναλλάσσεται ως ένα στοιχείο του δείγματος στο {1}, παρακαλούμε να αναφέρω ότι στο {1} πίνακα Στοιχείο. Διαφορετικά, παρακαλούμε να δημιουργήσετε μια εισερχόμενη συναλλαγή μετοχών για το ρυθμό αποτίμηση στοιχείο ή αναφορά στο αρχείο του Είδους, και στη συνέχεια προσπαθήστε να αποστείλουν βιογραφικά / ακύρωση αυτήν την καταχώρηση"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","ποσοστό αποτίμηση δεν βρέθηκε για το στοιχείο {0}, η οποία απαιτείται για να κάνει λογιστικές εγγραφές για {1} {2}. Εάν το στοιχείο συναλλάσσεται ως ένα στοιχείο του δείγματος στο {1}, παρακαλούμε να αναφέρω ότι στο {1} πίνακα Στοιχείο. Διαφορετικά, παρακαλούμε να δημιουργήσετε μια εισερχόμενη συναλλαγή μετοχών για το ρυθμό αποτίμηση στοιχείο ή αναφορά στο αρχείο του Είδους, και στη συνέχεια προσπαθήστε να αποστείλουν βιογραφικά / ακύρωση αυτήν την καταχώρηση"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% Των υλικών που παραδίδονται σε αυτό το δελτίο αποστολής
DocType: Project,Customer Details,Στοιχεία πελάτη
DocType: Employee,Reports to,Εκθέσεις προς
@@ -3850,41 +3878,43 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Εισάγετε παράμετρο url για αριθμούς παραλήπτη
DocType: Payment Entry,Paid Amount,Καταβληθέν ποσό
DocType: Assessment Plan,Supervisor,Επόπτης
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,σε απευθείας σύνδεση
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,σε απευθείας σύνδεση
,Available Stock for Packing Items,Διαθέσιμο απόθεμα για είδη συσκευασίας
DocType: Item Variant,Item Variant,Παραλλαγή είδους
DocType: Assessment Result Tool,Assessment Result Tool,Εργαλείο Αποτέλεσμα Αξιολόγησης
DocType: BOM Scrap Item,BOM Scrap Item,BOM Άχρηστα Στοιχείο
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Υποβλήθηκε εντολές δεν μπορούν να διαγραφούν
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Το υπόλοιπο του λογαριασμού είναι ήδη χρεωστικό, δεν μπορείτε να ορίσετε την επιλογή το υπόλοιπο πρέπει να είναι 'πιστωτικό'"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Διαχείριση ποιότητας
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Υποβλήθηκε εντολές δεν μπορούν να διαγραφούν
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Το υπόλοιπο του λογαριασμού είναι ήδη χρεωστικό, δεν μπορείτε να ορίσετε την επιλογή το υπόλοιπο πρέπει να είναι 'πιστωτικό'"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Διαχείριση ποιότητας
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Στοιχείο {0} έχει απενεργοποιηθεί
DocType: Employee Loan,Repay Fixed Amount per Period,Εξοφλήσει σταθερό ποσό ανά Περίοδο
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Παρακαλώ εισάγετε ποσότητα για το είδος {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Πιστωτική Σημείωση Amt
DocType: Employee External Work History,Employee External Work History,Ιστορικό εξωτερικών εργασιών υπαλλήλου
DocType: Tax Rule,Purchase,Αγορά
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Ισολογισμός ποσότητας
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Ισολογισμός ποσότητας
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Στόχοι δεν μπορεί να είναι κενό
DocType: Item Group,Parent Item Group,Ομάδα γονικού είδους
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} για {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Κέντρα κόστους
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Κέντρα κόστους
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Ισοτιμία με την οποία το νόμισμα του προμηθευτή μετατρέπεται στο βασικό νόμισμα της εταιρείας
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Γραμμή #{0}: υπάρχει χρονική διένεξη με τη γραμμή {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Να επιτρέπεται η μηδενική τιμή αποτίμησης
DocType: Training Event Employee,Invited,Καλεσμένος
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Πολλαπλές ενεργό Δομές Μισθός βρέθηκαν για εργαζόμενο {0} για τις δεδομένες ημερομηνίες
DocType: Opportunity,Next Contact,Επόμενο Επικοινωνία
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Ρύθμιση λογαριασμών πύλη.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Ρύθμιση λογαριασμών πύλη.
DocType: Employee,Employment Type,Τύπος απασχόλησης
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Πάγια
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Πάγια
DocType: Payment Entry,Set Exchange Gain / Loss,Ορίστε Χρηματιστήριο Κέρδος / Ζημιά
+,GST Purchase Register,Εγγραφή αγοράς GST
,Cash Flow,Κατάσταση Ταμειακών Ροών
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Περίοδος υποβολής των αιτήσεων δεν μπορεί να είναι σε δύο εγγραφές alocation
DocType: Item Group,Default Expense Account,Προεπιλεγμένος λογαριασμός δαπανών
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Φοιτητής Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Φοιτητής Email ID
DocType: Employee,Notice (days),Ειδοποίηση (ημέρες)
DocType: Tax Rule,Sales Tax Template,Φόρος επί των πωλήσεων Πρότυπο
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Επιλέξτε αντικείμενα για να σώσει το τιμολόγιο
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Επιλέξτε αντικείμενα για να σώσει το τιμολόγιο
DocType: Employee,Encashment Date,Ημερομηνία εξαργύρωσης
DocType: Training Event,Internet,Internet
DocType: Account,Stock Adjustment,Διευθέτηση αποθέματος
@@ -3912,7 +3942,7 @@
DocType: Guardian,Guardian Of ,Guardian Από
DocType: Grading Scale Interval,Threshold,Κατώφλι
DocType: BOM Replace Tool,Current BOM,Τρέχουσα Λ.Υ.
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Προσθήκη σειριακού αριθμού
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Προσθήκη σειριακού αριθμού
apps/erpnext/erpnext/config/support.py +22,Warranty,Εγγύηση
DocType: Purchase Invoice,Debit Note Issued,Χρεωστικό σημείωμα που εκδόθηκε
DocType: Production Order,Warehouses,Αποθήκες
@@ -3921,20 +3951,20 @@
DocType: Workstation,per hour,Ανά ώρα
apps/erpnext/erpnext/config/buying.py +7,Purchasing,Αγοραστικός
DocType: Announcement,Announcement,Ανακοίνωση
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Ο λογαριασμός για την αποθήκη (διαρκής απογραφή) θα δημιουργηθεί στο πλαίσιο του παρόντος λογαριασμού.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Η αποθήκη δεν μπορεί να διαγραφεί, γιατί υφίσταται καταχώρηση στα καθολικά αποθέματα για την αποθήκη αυτή."
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Για τη Ομάδα Φοιτητών που βασίζεται σε παρτίδες, η Φάκελος Φοιτητών θα επικυρωθεί για κάθε Φοιτητή από την εγγραφή του Προγράμματος."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Η αποθήκη δεν μπορεί να διαγραφεί, γιατί υφίσταται καταχώρηση στα καθολικά αποθέματα για την αποθήκη αυτή."
DocType: Company,Distribution,Διανομή
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Πληρωμένο Ποσό
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Υπεύθυνος έργου
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Υπεύθυνος έργου
,Quoted Item Comparison,Εισηγμένες Στοιχείο Σύγκριση
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Αποστολή
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Η μέγιστη έκπτωση που επιτρέπεται για το είδος: {0} είναι {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Αποστολή
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Η μέγιστη έκπτωση που επιτρέπεται για το είδος: {0} είναι {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,"Καθαρή Αξία Ενεργητικού, όπως για"
DocType: Account,Receivable,Εισπρακτέος
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Σειρά # {0}: Δεν επιτρέπεται να αλλάξουν προμηθευτή, όπως υπάρχει ήδη παραγγελίας"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Σειρά # {0}: Δεν επιτρέπεται να αλλάξουν προμηθευτή, όπως υπάρχει ήδη παραγγελίας"
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Ρόλος που έχει τη δυνατότητα να υποβάλει τις συναλλαγές που υπερβαίνουν τα όρια πίστωσης.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Επιλέξτε Στοιχεία για Κατασκευή
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Δάσκαλος συγχρονισμό δεδομένων, μπορεί να πάρει κάποιο χρόνο"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Επιλέξτε Στοιχεία για Κατασκευή
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Δάσκαλος συγχρονισμό δεδομένων, μπορεί να πάρει κάποιο χρόνο"
DocType: Item,Material Issue,Έκδοση υλικού
DocType: Hub Settings,Seller Description,Περιγραφή πωλητή
DocType: Employee Education,Qualification,Προσόν
@@ -3954,7 +3984,6 @@
DocType: BOM,Rate Of Materials Based On,Τιμή υλικών με βάση
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Στατιστικά στοιχεία υποστήριξης
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Καταργήστε την επιλογή όλων
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Η εταιρεία λείπει στις αποθήκες {0}
DocType: POS Profile,Terms and Conditions,Όροι και προϋποθέσεις
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Η 'εώς ημερομηνία' πρέπει να είναι εντός της χρήσης. Υποθέτοντας 'έως ημερομηνία' = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Εδώ μπορείτε να διατηρήσετε το ύψος, το βάρος, τις αλλεργίες, ιατροφαρμακευτική περίθαλψη, κλπ. Ανησυχίες"
@@ -3969,18 +3998,17 @@
DocType: Sales Order Item,For Production,Για την παραγωγή
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Προβολή εργασιών
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Το οικονομικό έτος σας αρχίζει
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Ενεργητικού Αποσβέσεις και Υπόλοιπα
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Ποσό {0} {1} μεταφέρεται από {2} σε {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Ποσό {0} {1} μεταφέρεται από {2} σε {3}
DocType: Sales Invoice,Get Advances Received,Βρες προκαταβολές που εισπράχθηκαν
DocType: Email Digest,Add/Remove Recipients,Προσθήκη / αφαίρεση παραληπτών
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Η συναλλαγή δεν επιτρέπεται σε σταματημένες εντολές παραγωγής {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Η συναλλαγή δεν επιτρέπεται σε σταματημένες εντολές παραγωγής {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Για να ορίσετε την τρέχουσα χρήση ως προεπιλογή, κάντε κλικ στο 'ορισμός ως προεπιλογή'"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,Συμμετοχή
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Συμμετοχή
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Έλλειψη ποσότητας
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Παραλλαγή Θέση {0} υπάρχει με ίδια χαρακτηριστικά
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Παραλλαγή Θέση {0} υπάρχει με ίδια χαρακτηριστικά
DocType: Employee Loan,Repay from Salary,Επιστρέψει από το μισθό
DocType: Leave Application,LAP/,ΑΓΚΑΛΙΆ/
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Ζητώντας την καταβολή εναντίον {0} {1} για ποσό {2}
@@ -3991,34 +4019,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Δημιουργία δελτίων συσκευασίας για τα πακέτα που είναι να παραδοθούν. Χρησιμοποιείται για να ενημερώσει τον αριθμό πακέτου, το περιεχόμενο του πακέτου και το βάρος του."
DocType: Sales Invoice Item,Sales Order Item,Είδος παραγγελίας πώλησης
DocType: Salary Slip,Payment Days,Ημέρες πληρωμής
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Αποθήκες με κόμβους παιδί δεν μπορεί να μετατραπεί σε γενικό καθολικό
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Αποθήκες με κόμβους παιδί δεν μπορεί να μετατραπεί σε γενικό καθολικό
DocType: BOM,Manage cost of operations,Διαχειριστείτε το κόστος των εργασιών
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Όταν υποβληθεί οποιαδήποτε από τις επιλεγμένες συναλλαγές, θα ανοίξει αυτόματα ένα pop-up παράθυρο email ώστε αν θέλετε να στείλετε ένα μήνυμα email στη συσχετισμένη επαφή για την εν λόγω συναλλαγή, με τη συναλλαγή ως συνημμένη."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Καθολικές ρυθμίσεις
DocType: Assessment Result Detail,Assessment Result Detail,Λεπτομέρεια Αποτέλεσμα Αξιολόγησης
DocType: Employee Education,Employee Education,Εκπαίδευση των υπαλλήλων
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Διπλότυπη ομάδα στοιχείο που βρέθηκαν στο τραπέζι ομάδα στοιχείου
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,Είναι απαραίτητη για να φέρω Λεπτομέρειες αντικειμένου.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,Είναι απαραίτητη για να φέρω Λεπτομέρειες αντικειμένου.
DocType: Salary Slip,Net Pay,Καθαρές αποδοχές
DocType: Account,Account,Λογαριασμός
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Ο σειριακός αριθμός {0} έχει ήδη ληφθεί
,Requested Items To Be Transferred,Είδη που ζητήθηκε να μεταφερθούν
DocType: Expense Claim,Vehicle Log,όχημα Σύνδεση
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Αποθήκη {0} δεν συνδέεται με οποιονδήποτε λογαριασμό, δημιουργήστε / συνδέουν την αντίστοιχη (Asset) λογαριασμό για την αποθήκη."
DocType: Purchase Invoice,Recurring Id,Id επαναλαμβανόμενου
DocType: Customer,Sales Team Details,Λεπτομέρειες ομάδας πωλήσεων
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Διαγραφή μόνιμα;
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Διαγραφή μόνιμα;
DocType: Expense Claim,Total Claimed Amount,Συνολικό αιτούμενο ποσό αποζημίωσης
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Πιθανές ευκαιρίες για πώληση.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Άκυρη {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Αναρρωτική άδεια
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Άκυρη {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Αναρρωτική άδεια
DocType: Email Digest,Email Digest,Ενημερωτικό άρθρο email
DocType: Delivery Note,Billing Address Name,Όνομα διεύθυνσης χρέωσης
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Πολυκαταστήματα
DocType: Warehouse,PIN,ΚΑΡΦΊΤΣΑ
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Ρύθμιση σχολείο σας ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Βάση Αλλαγή Ποσό (Εταιρεία νομίσματος)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Δεν βρέθηκαν λογιστικές καταχωρήσεις για τις ακόλουθες αποθήκες
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Δεν βρέθηκαν λογιστικές καταχωρήσεις για τις ακόλουθες αποθήκες
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Αποθηκεύστε πρώτα το έγγραφο.
DocType: Account,Chargeable,Χρεώσιμο
DocType: Company,Change Abbreviation,Αλλαγή συντομογραφίας
@@ -4036,7 +4063,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Η αναμενόμενη ημερομηνία παράδοσης δεν μπορεί να είναι προγενέστερη της ημερομηνίας παραγγελίας αγοράς
DocType: Appraisal,Appraisal Template,Πρότυπο αξιολόγησης
DocType: Item Group,Item Classification,Ταξινόμηση είδους
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Διαχειριστής ανάπτυξης επιχείρησης
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Διαχειριστής ανάπτυξης επιχείρησης
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Σκοπός επίσκεψης συντήρησης
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Περίοδος
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Γενικό καθολικό
@@ -4046,8 +4073,8 @@
DocType: Item Attribute Value,Attribute Value,Χαρακτηριστικό αξία
,Itemwise Recommended Reorder Level,Προτεινόμενο επίπεδο επαναπαραγγελίας ανά είδος
DocType: Salary Detail,Salary Detail,μισθός Λεπτομέρειες
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,Παρακαλώ επιλέξτε {0} πρώτα
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Παρτίδα {0} του σημείου {1} έχει λήξει.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Παρακαλώ επιλέξτε {0} πρώτα
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Παρτίδα {0} του σημείου {1} έχει λήξει.
DocType: Sales Invoice,Commission,Προμήθεια
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Ώρα Φύλλο για την κατασκευή.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Μερικό σύνολο
@@ -4058,6 +4085,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,Το `πάγωμα αποθεμάτων παλαιότερα από ` θα πρέπει να είναι μικρότερο από % d ημέρες.
DocType: Tax Rule,Purchase Tax Template,Αγοράστε Φορολογικά Πρότυπο
,Project wise Stock Tracking,Παρακολούθηση αποθέματος με βάση το έργο
+DocType: GST HSN Code,Regional,Περιφερειακό
DocType: Stock Entry Detail,Actual Qty (at source/target),Πραγματική ποσότητα (στην πηγή / στόχο)
DocType: Item Customer Detail,Ref Code,Κωδ. Αναφοράς
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Εγγραφές υπαλλήλων
@@ -4068,13 +4096,13 @@
DocType: Email Digest,New Purchase Orders,Νέες παραγγελίες αγοράς
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Η ρίζα δεν μπορεί να έχει γονικό κέντρο κόστους
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Επιλέξτε Μάρκα ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Εκδηλώσεις / Αποτελέσματα Κατάρτισης
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Συσσωρευμένες Αποσβέσεις και για
DocType: Sales Invoice,C-Form Applicable,Εφαρμόσιμο σε C-Form
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Χρόνος λειτουργίας πρέπει να είναι μεγαλύτερη από 0 για τη λειτουργία {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Αποθήκη είναι υποχρεωτική
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Αποθήκη είναι υποχρεωτική
DocType: Supplier,Address and Contacts,Διεύθυνση και Επικοινωνία
DocType: UOM Conversion Detail,UOM Conversion Detail,Λεπτομέρειες μετατροπής Μ.Μ.
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Φροντίστε να είναι φιλικό προς το web 900px ( w ) με 100px ( h )
DocType: Program,Program Abbreviation,Σύντμηση πρόγραμμα
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Παραγγελία παραγωγής δεν μπορούν να προβληθούν κατά προτύπου στοιχείου
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Οι επιβαρύνσεις ενημερώνονται στην απόδειξη αγοράς για κάθε είδος
@@ -4082,13 +4110,13 @@
DocType: Bank Guarantee,Start Date,Ημερομηνία έναρξης
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Κατανομή αδειών για μία περίοδο.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Οι επιταγές και καταθέσεις εκκαθαριστεί ορθά
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Ο λογαριασμός {0}: δεν μπορεί να οριστεί ως γονικός λογαριασμός του εαυτού του.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Ο λογαριασμός {0}: δεν μπορεί να οριστεί ως γονικός λογαριασμός του εαυτού του.
DocType: Purchase Invoice Item,Price List Rate,Τιμή τιμοκαταλόγου
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Δημιουργία εισαγωγικά πελατών
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Εμφάνισε 'διαθέσιμο' ή 'μη διαθέσιμο' με βάση το απόθεμα που είναιι διαθέσιμο στην αποθήκη αυτή.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Λίστα υλικών (Λ.Υ.)
DocType: Item,Average time taken by the supplier to deliver,Μέσος χρόνος που απαιτείται από τον προμηθευτή να παραδώσει
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,Αποτέλεσμα αξιολόγησης
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,Αποτέλεσμα αξιολόγησης
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Ώρες
DocType: Project,Expected Start Date,Αναμενόμενη ημερομηνία έναρξης
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Αφαιρέστε το είδος εάν οι επιβαρύνσεις δεν ισχύουν για αυτό το είδος
@@ -4102,24 +4130,23 @@
DocType: Workstation,Operating Costs,Λειτουργικά έξοδα
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Δράση αν συσσωρευμένη μηνιαία Προϋπολογισμός Υπέρβαση
DocType: Purchase Invoice,Submit on creation,Υποβολή στη δημιουργία
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Νόμισμα για {0} πρέπει να είναι {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Νόμισμα για {0} πρέπει να είναι {1}
DocType: Asset,Disposal Date,Ημερομηνία διάθεσης
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Μηνύματα ηλεκτρονικού ταχυδρομείου θα αποσταλεί σε όλους τους ενεργούς υπαλλήλους της εταιρείας στη δεδομένη ώρα, αν δεν έχουν διακοπές. Σύνοψη των απαντήσεων θα αποσταλούν τα μεσάνυχτα."
DocType: Employee Leave Approver,Employee Leave Approver,Υπεύθυνος έγκρισης αδειών υπαλλήλου
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Γραμμή {0}: μια καταχώρηση αναδιάταξης υπάρχει ήδη για αυτή την αποθήκη {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Γραμμή {0}: μια καταχώρηση αναδιάταξης υπάρχει ήδη για αυτή την αποθήκη {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Δεν μπορεί να δηλώθει ως απολεσθέν, επειδή έχει γίνει προσφορά."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,εκπαίδευση Σχόλια
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Η εντολή παραγωγής {0} πρέπει να υποβληθεί
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Η εντολή παραγωγής {0} πρέπει να υποβληθεί
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Παρακαλώ επιλέξτε ημερομηνία έναρξης και ημερομηνία λήξης για το είδος {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Φυσικά είναι υποχρεωτική στη σειρά {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Το πεδίο έως ημερομηνία δεν μπορεί να είναι προγενέστερο από το πεδίο από ημερομηνία
DocType: Supplier Quotation Item,Prevdoc DocType,Τύπος εγγράφου του προηγούμενου εγγράφου
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Προσθήκη / επεξεργασία τιμών
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Προσθήκη / επεξεργασία τιμών
DocType: Batch,Parent Batch,Γονική Παρτίδα
DocType: Cheque Print Template,Cheque Print Template,Επιταγή Πρότυπο Εκτύπωση
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Διάγραμμα των κέντρων κόστους
,Requested Items To Be Ordered,Είδη που ζητήθηκε να παραγγελθούν
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,Η εταιρεία αποθήκη πρέπει να είναι ίδια με την εταιρεία Λογαριασμού
DocType: Price List,Price List Name,Όνομα τιμοκαταλόγου
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Καθημερινή Σύνοψη εργασίας για {0}
DocType: Employee Loan,Totals,Σύνολα
@@ -4141,55 +4168,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Παρακαλώ εισάγετε ένα έγκυρο αριθμό κινητού
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Παρακαλώ εισάγετε το μήνυμα πριν από την αποστολή
DocType: Email Digest,Pending Quotations,Εν αναμονή Προσφορές
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Point-of-Sale Προφίλ
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale Προφίλ
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Παρακαλώ ενημερώστε τις ρυθμίσεις SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Ακάλυπτά δάνεια
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Ακάλυπτά δάνεια
DocType: Cost Center,Cost Center Name,Όνομα κέντρου κόστους
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Max ώρες εργασίας κατά Timesheet
DocType: Maintenance Schedule Detail,Scheduled Date,Προγραμματισμένη ημερομηνία
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Συνολικό καταβεβλημένο ποσό
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Συνολικό καταβεβλημένο ποσό
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Τα μηνύματα που είναι μεγαλύτερα από 160 χαρακτήρες θα χωρίζονται σε πολλαπλά μηνύματα
DocType: Purchase Receipt Item,Received and Accepted,Που έχουν παραληφθεί και έγιναν αποδεκτά
+,GST Itemised Sales Register,GST Αναλυτικό Μητρώο Πωλήσεων
,Serial No Service Contract Expiry,Λήξη σύμβασης παροχής υπηρεσιών για τον σειριακό αριθμό
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Δεν μπορείτε να πιστώσετε και να χρεώσετε ταυτόχρονα τον ίδιο λογαριασμό
DocType: Naming Series,Help HTML,Βοήθεια ΗΤΜΛ
DocType: Student Group Creation Tool,Student Group Creation Tool,Ομάδα μαθητή Εργαλείο Δημιουργίας
DocType: Item,Variant Based On,Παραλλαγή Based On
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Το σύνολο βάρους πού έχει ανατεθεί έπρεπε να είναι 100 %. Είναι {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Οι προμηθευτές σας
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Οι προμηθευτές σας
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,"Δεν μπορεί να οριστεί ως απολεσθέν, καθώς έχει γίνει παραγγελία πώλησης."
DocType: Request for Quotation Item,Supplier Part No,Προμηθευτής Μέρος Όχι
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',δεν μπορεί να εκπέσει όταν η κατηγορία είναι για την «Αποτίμηση» ή «Vaulation και Total»
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Ελήφθη Από
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Ελήφθη Από
DocType: Lead,Converted,Έχει μετατραπεί
DocType: Item,Has Serial No,Έχει σειριακό αριθμό
DocType: Employee,Date of Issue,Ημερομηνία έκδοσης
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Από {0} για {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Σύμφωνα με τις Ρυθμίσεις Αγορών, εάν απαιτείται Απαιτούμενη Αγορά == 'ΝΑΙ', τότε για τη δημιουργία Τιμολογίου Αγοράς, ο χρήστης πρέπει να δημιουργήσει πρώτα την Παραλαβή Αγοράς για το στοιχείο {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Σειρά # {0}: Ορισμός Προμηθευτή για το στοιχείο {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Σειρά {0}: Ώρες τιμή πρέπει να είναι μεγαλύτερη από το μηδέν.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Ιστοσελίδα Εικόνα {0} επισυνάπτεται στη θέση {1} δεν μπορεί να βρεθεί
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Ιστοσελίδα Εικόνα {0} επισυνάπτεται στη θέση {1} δεν μπορεί να βρεθεί
DocType: Issue,Content Type,Τύπος περιεχομένου
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Ηλεκτρονικός υπολογιστής
DocType: Item,List this Item in multiple groups on the website.,Εμφάνισε το είδος σε πολλαπλές ομάδες στην ιστοσελίδα.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Παρακαλώ ελέγξτε Πολλαπλών επιλογή νομίσματος για να επιτρέψει τους λογαριασμούς με άλλο νόμισμα
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Το είδος: {0} δεν υπάρχει στο σύστημα
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Δεν επιτρέπεται να ορίσετε παγωμένη αξία
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Το είδος: {0} δεν υπάρχει στο σύστημα
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Δεν επιτρέπεται να ορίσετε παγωμένη αξία
DocType: Payment Reconciliation,Get Unreconciled Entries,Βρες καταχωρήσεις χωρίς συμφωνία
DocType: Payment Reconciliation,From Invoice Date,Από Ημερομηνία Τιμολογίου
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,νόμισμα χρέωσης πρέπει να είναι ίσο με το νόμισμα ή το λογαριασμό κόμμα νόμισμα είτε προεπιλογή comapany του
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Αφήστε Εξαργύρωση
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Τι κάνει;
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,νόμισμα χρέωσης πρέπει να είναι ίσο με το νόμισμα ή το λογαριασμό κόμμα νόμισμα είτε προεπιλογή comapany του
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Αφήστε Εξαργύρωση
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Τι κάνει;
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Προς αποθήκη
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Όλα Εισαγωγή Φοιτητών
,Average Commission Rate,Μέσος συντελεστής προμήθειας
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,"Το πεδίο ""Έχει Σειριακό Αριθμό"" δεν μπορεί να είναι ""Ναι"" για μη αποθηκεύσιμα είδη."
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"Το πεδίο ""Έχει Σειριακό Αριθμό"" δεν μπορεί να είναι ""Ναι"" για μη αποθηκεύσιμα είδη."
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Η συμμετοχή δεν μπορεί να σημειωθεί για μελλοντικές ημερομηνίες
DocType: Pricing Rule,Pricing Rule Help,Βοήθεια για τον κανόνα τιμολόγησης
DocType: School House,House Name,Όνομα Σπίτι
DocType: Purchase Taxes and Charges,Account Head,Κύρια εγγραφή λογαριασμού
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Ενημέρωση πρόσθετων δαπανών για τον υπολογισμό του κόστος μεταφοράς των ειδών
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Ηλεκτρικός
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Ηλεκτρικός
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Προσθέστε το υπόλοιπο του οργανισμού σας καθώς οι χρήστες σας. Μπορείτε επίσης να προσθέσετε προσκαλέσει πελάτες στην πύλη σας με την προσθήκη τους από τις Επαφές
DocType: Stock Entry,Total Value Difference (Out - In),Συνολική διαφορά αξίας (εξερχόμενη - εισερχόμενη)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Σειρά {0}: συναλλαγματικής ισοτιμίας είναι υποχρεωτική
@@ -4199,7 +4228,7 @@
DocType: Item,Customer Code,Κωδικός πελάτη
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Υπενθύμιση γενεθλίων για {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Ημέρες από την τελευταία παραγγελία
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Χρέωση του λογαριασμού πρέπει να είναι ένα κονδύλι του Ισολογισμού
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Χρέωση του λογαριασμού πρέπει να είναι ένα κονδύλι του Ισολογισμού
DocType: Buying Settings,Naming Series,Σειρά ονομασίας
DocType: Leave Block List,Leave Block List Name,Όνομα λίστας αποκλεισμού ημερών άδειας
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,ημερομηνία Ασφαλιστική Αρχή θα πρέπει να είναι μικρότερη από την ημερομηνία λήξης Ασφαλιστική
@@ -4214,26 +4243,26 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Μισθός Slip των εργαζομένων {0} ήδη δημιουργήσει για φύλλο χρόνο {1}
DocType: Vehicle Log,Odometer,Οδόμετρο
DocType: Sales Order Item,Ordered Qty,Παραγγελθείσα ποσότητα
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Θέση {0} είναι απενεργοποιημένη
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Θέση {0} είναι απενεργοποιημένη
DocType: Stock Settings,Stock Frozen Upto,Παγωμένο απόθεμα μέχρι
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM δεν περιέχει κανένα στοιχείο απόθεμα
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM δεν περιέχει κανένα στοιχείο απόθεμα
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Περίοδος Από και χρονική περίοδος ημερομηνίες υποχρεωτική για τις επαναλαμβανόμενες {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Δραστηριότητες / εργασίες έργου
DocType: Vehicle Log,Refuelling Details,Λεπτομέρειες ανεφοδιασμού
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Δημιουργία βεβαιώσεων αποδοχών
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}",Η επιλογή αγορά πρέπει να οριστεί αν είναι επιλεγμένο το πεδίο 'εφαρμοστέο σε' ως {0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}",Η επιλογή αγορά πρέπει να οριστεί αν είναι επιλεγμένο το πεδίο 'εφαρμοστέο σε' ως {0}
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Η έκπτωση πρέπει να είναι μικρότερη από 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Τελευταία ποσοστό αγορά δεν βρέθηκε
DocType: Purchase Invoice,Write Off Amount (Company Currency),Γράψτε εφάπαξ ποσό (Εταιρεία νομίσματος)
DocType: Sales Invoice Timesheet,Billing Hours,Ώρες χρέωσης
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,Προεπιλογή BOM για {0} δεν βρέθηκε
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Σειρά # {0}: Παρακαλούμε ρυθμίστε την ποσότητα αναπαραγγελίας
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Σειρά # {0}: Παρακαλούμε ρυθμίστε την ποσότητα αναπαραγγελίας
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Πατήστε στοιχεία για να τα προσθέσετε εδώ
DocType: Fees,Program Enrollment,πρόγραμμα Εγγραφή
DocType: Landed Cost Voucher,Landed Cost Voucher,Αποδεικτικό κόστους αποστολής εμπορευμάτων
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Παρακαλώ να ορίσετε {0}
DocType: Purchase Invoice,Repeat on Day of Month,Επανάληψη την ημέρα του μήνα
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} είναι ανενεργός φοιτητής
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} είναι ανενεργός φοιτητής
DocType: Employee,Health Details,Λεπτομέρειες υγείας
DocType: Offer Letter,Offer Letter Terms,Προσφορά Επιστολή Όροι
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Για να δημιουργήσετε ένα έγγραφο αναφοράς αιτήματος πληρωμής απαιτείται
@@ -4254,7 +4283,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.",". Παράδειγμα: abcd # # # # # αν έχει οριστεί σειρά και ο σειριακός αριθμός δεν αναφέρεται στις συναλλαγές, τότε θα δημιουργηθεί σειριακός αριθμός αυτόματα με βάση αυτή τη σειρά. Αν θέλετε πάντα να αναφέρεται ρητά ο σειριακός αριθμός για αυτό το προϊόν, αφήστε κενό αυτό το πεδίο"
DocType: Upload Attendance,Upload Attendance,Ανεβάστε παρουσίες
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM και Βιομηχανία Ποσότητα απαιτούνται
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM και Βιομηχανία Ποσότητα απαιτούνται
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Eύρος γήρανσης 2
DocType: SG Creation Tool Course,Max Strength,Μέγιστη Αντοχή
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,Η Λ.Υ. αντικαταστάθηκε
@@ -4263,8 +4292,8 @@
,Prospects Engaged But Not Converted,Προοπτικές που ασχολούνται αλλά δεν μετατρέπονται
DocType: Manufacturing Settings,Manufacturing Settings,Ρυθμίσεις παραγωγής
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Ρύθμιση ηλεκτρονικού ταχυδρομείου
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Mobile Όχι
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Παρακαλώ εισάγετε προεπιλεγμένο νόμισμα στην κύρια εγγραφή της εταιρείας
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile Όχι
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Παρακαλώ εισάγετε προεπιλεγμένο νόμισμα στην κύρια εγγραφή της εταιρείας
DocType: Stock Entry Detail,Stock Entry Detail,Λεπτομέρειες καταχώρησης αποθέματος
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Καθημερινές υπενθυμίσεις
DocType: Products Settings,Home Page is Products,Η αρχική σελίδα είναι προϊόντα
@@ -4273,7 +4302,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Νέο όνομα λογαριασμού
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Κόστος πρώτων υλών που προμηθεύτηκαν
DocType: Selling Settings,Settings for Selling Module,Ρυθμίσεις για τη λειτουργική μονάδα πωλήσεων
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Εξυπηρέτηση πελατών
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Εξυπηρέτηση πελατών
DocType: BOM,Thumbnail,Μικρογραφία
DocType: Item Customer Detail,Item Customer Detail,Λεπτομέρειες πελατών είδους
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Προσφορά υποψήφιος δουλειά.
@@ -4282,7 +4311,7 @@
DocType: Pricing Rule,Percentage,Τοις εκατό
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Το είδος {0} πρέπει να είναι ένα αποθηκεύσιμο είδος
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Προεπιλογή Work In Progress Αποθήκη
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Οι προεπιλεγμένες ρυθμίσεις για λογιστικές πράξεις.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Οι προεπιλεγμένες ρυθμίσεις για λογιστικές πράξεις.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Η αναμενόμενη ημερομηνία δεν μπορεί να είναι προγενέστερη της ημερομηνία αίτησης υλικού
DocType: Purchase Invoice Item,Stock Qty,Ποσότητα αποθέματος
@@ -4295,10 +4324,10 @@
DocType: Sales Order,Printing Details,Λεπτομέρειες εκτύπωσης
DocType: Task,Closing Date,Καταληκτική ημερομηνία
DocType: Sales Order Item,Produced Quantity,Παραγόμενη ποσότητα
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Μηχανικός
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Μηχανικός
DocType: Journal Entry,Total Amount Currency,Σύνολο Νόμισμα Ποσό
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Συνελεύσεις Αναζήτηση Sub
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Ο κωδικός είδους απαιτείται στην γραμμή νο. {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Ο κωδικός είδους απαιτείται στην γραμμή νο. {0}
DocType: Sales Partner,Partner Type,Τύπος συνεργάτη
DocType: Purchase Taxes and Charges,Actual,Πραγματικός
DocType: Authorization Rule,Customerwise Discount,Έκπτωση με βάση πελάτη
@@ -4315,11 +4344,11 @@
DocType: Item Reorder,Re-Order Level,Επίπεδο επαναπαραγγελίας
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Εισάγετε τα είδη και την προγραμματισμένη ποσότητα για την οποία θέλετε να δημιουργηθούν οι εντολές παραγωγής ή να κατεβάσετε τις πρώτες ύλες για την ανάλυση.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Διάγραμμα gantt
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Μερικής απασχόλησης
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Μερικής απασχόλησης
DocType: Employee,Applicable Holiday List,Εφαρμοστέος κατάλογος διακοπών
DocType: Employee,Cheque,Επιταγή
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Η σειρά ενημερώθηκε
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Ο τύπος έκθεσης είναι υποχρεωτικός
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Ο τύπος έκθεσης είναι υποχρεωτικός
DocType: Item,Serial Number Series,Σειρά σειριακών αριθμών
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Η αποθήκη είναι απαραίτητη για το απόθεμα του είδους {0} στη γραμμή {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Λιανική & χονδρική πώληση
@@ -4340,7 +4369,7 @@
DocType: BOM,Materials,Υλικά
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Αν δεν είναι επιλεγμένο, η λίστα θα πρέπει να προστίθεται σε κάθε τμήμα όπου πρέπει να εφαρμοστεί."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Προέλευσης και προορισμού αποθήκη δεν μπορεί να είναι ίδια
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Η ημερομηνία αποστολής και ώρα αποστολής είναι απαραίτητες
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Η ημερομηνία αποστολής και ώρα αποστολής είναι απαραίτητες
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Φορολογικό πρότυπο για συναλλαγές αγοράς.
,Item Prices,Τιμές είδους
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Με λόγια θα είναι ορατά αφού αποθηκεύσετε την παραγγελία αγοράς.
@@ -4350,22 +4379,23 @@
DocType: Purchase Invoice,Advance Payments,Προκαταβολές
DocType: Purchase Taxes and Charges,On Net Total,Στο καθαρό σύνολο
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Σχέση Χαρακτηριστικό {0} πρέπει να είναι εντός του εύρους των {1} έως {2} στα βήματα των {3} για τη θέση {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Η αποθήκη προορισμού στη γραμμή {0} πρέπει να είναι η ίδια όπως στη εντολή παραγωγής
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Η αποθήκη προορισμού στη γραμμή {0} πρέπει να είναι η ίδια όπως στη εντολή παραγωγής
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,Οι διευθύνσεις email για επαναλαμβανόμενα %s δεν έχουν οριστεί
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,Νόμισμα δεν μπορεί να αλλάξει μετά την πραγματοποίηση εγγραφών χρησιμοποιώντας κάποιο άλλο νόμισμα
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Νόμισμα δεν μπορεί να αλλάξει μετά την πραγματοποίηση εγγραφών χρησιμοποιώντας κάποιο άλλο νόμισμα
DocType: Vehicle Service,Clutch Plate,Πιάτο συμπλεκτών
DocType: Company,Round Off Account,Στρογγυλεύουν Λογαριασμού
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Δαπάνες διοικήσεως
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Δαπάνες διοικήσεως
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Συμβουλή
DocType: Customer Group,Parent Customer Group,Γονική ομάδα πελατών
DocType: Purchase Invoice,Contact Email,Email επαφής
DocType: Appraisal Goal,Score Earned,Αποτέλεσμα
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Ανακοίνωση Περίοδος
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Ανακοίνωση Περίοδος
DocType: Asset Category,Asset Category Name,Asset Όνομα κατηγορίας
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Αυτή είναι μια κύρια περιοχή και δεν μπορεί να επεξεργαστεί.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Όνομα νέο πρόσωπο πωλήσεων
DocType: Packing Slip,Gross Weight UOM,Μ.Μ. Μικτού βάρους
DocType: Delivery Note Item,Against Sales Invoice,Κατά το τιμολόγιο πώλησης
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Καταχωρίστε σειριακούς αριθμούς για το σειριακό στοιχείο
DocType: Bin,Reserved Qty for Production,Διατηρούνται Ποσότητα Παραγωγής
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Αφήστε ανεξέλεγκτη αν δεν θέλετε να εξετάσετε παρτίδα ενώ κάνετε ομάδες μαθημάτων.
DocType: Asset,Frequency of Depreciation (Months),Συχνότητα αποσβέσεων (μήνες)
@@ -4373,25 +4403,25 @@
DocType: Landed Cost Item,Landed Cost Item,Είδος κόστους αποστολής εμπορευμάτων
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Προβολή μηδενικών τιμών
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Ποσότητα του είδους που αποκτήθηκε μετά την παραγωγή / ανασυσκευασία από συγκεκριμένες ποσότητες πρώτων υλών
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Ρύθμιση μια απλή ιστοσελίδα για τον οργανισμό μου
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Ρύθμιση μια απλή ιστοσελίδα για τον οργανισμό μου
DocType: Payment Reconciliation,Receivable / Payable Account,Εισπρακτέοι / πληρωτέοι λογαριασμού
DocType: Delivery Note Item,Against Sales Order Item,Κατά το είδος στην παραγγελία πώλησης
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},Παρακαλείστε να αναφέρετε Χαρακτηριστικό γνώρισμα Σχέση {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},Παρακαλείστε να αναφέρετε Χαρακτηριστικό γνώρισμα Σχέση {0}
DocType: Item,Default Warehouse,Προεπιλεγμένη αποθήκη
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Ο προϋπολογισμός δεν μπορεί να αποδοθεί κατά του λογαριασμού του Ομίλου {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Παρακαλώ εισάγετε γονικό κέντρο κόστους
DocType: Delivery Note,Print Without Amount,Εκτυπώστε χωρίς ποσό
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,αποσβέσεις Ημερομηνία
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Η φορολογική κατηγορία δεν μπορεί να είναι αποτίμηση ή αποτίμηση και σύνολο, γιατι τα είδη δεν είναι είδη αποθέματος"
DocType: Issue,Support Team,Ομάδα υποστήριξης
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Λήξη (σε ημέρες)
DocType: Appraisal,Total Score (Out of 5),Συνολική βαθμολογία (από 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Παρτίδα
+DocType: Student Attendance Tool,Batch,Παρτίδα
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Υπόλοιπο
DocType: Room,Seating Capacity,Καθιστικό Χωρητικότητα
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Σύνολο αξίωση Εξόδων (μέσω αξιώσεις Εξόδων)
+DocType: GST Settings,GST Summary,Σύνοψη GST
DocType: Assessment Result,Total Score,Συνολικό σκορ
DocType: Journal Entry,Debit Note,Χρεωστικό σημείωμα
DocType: Stock Entry,As per Stock UOM,Ανά Μ.Μ. Αποθέματος
@@ -4402,12 +4432,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Προεπιλογή Έτοιμα προϊόντα Αποθήκη
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Πωλητής
DocType: SMS Parameter,SMS Parameter,Παράμετροι SMS
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Προϋπολογισμός και Κέντρο Κόστους
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Προϋπολογισμός και Κέντρο Κόστους
DocType: Vehicle Service,Half Yearly,Εξαμηνιαία
DocType: Lead,Blog Subscriber,Συνδρομητής blog
DocType: Guardian,Alternate Number,αναπληρωματικό Αριθμός
DocType: Assessment Plan Criteria,Maximum Score,μέγιστο Σκορ
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Δημιουργία κανόνων για τον περιορισμό των συναλλαγών που βασίζονται σε αξίες.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Ομαδικό κύλινδρο αριθ
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Αφήστε κενό αν κάνετε ομάδες φοιτητών ανά έτος
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Εάν είναι επιλεγμένο, ο συνολικός αριθμός των εργάσιμων ημερών θα περιλαμβάνει τις αργίες, και αυτό θα μειώσει την αξία του μισθού ανά ημέρα"
DocType: Purchase Invoice,Total Advance,Σύνολο προκαταβολών
@@ -4425,6 +4456,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Αυτό βασίζεται σε συναλλαγές κατά αυτόν τον πελάτη. Δείτε χρονοδιάγραμμα παρακάτω για λεπτομέρειες
DocType: Supplier,Credit Days Based On,Πιστωτικές ημερών βάσει της
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Σειρά {0}: Κατανέμεται ποσό {1} πρέπει να είναι μικρότερο ή ίσο με το ποσό Έναρξη Πληρωμής {2}
+,Course wise Assessment Report,Μαθησιακή έκθεση αξιολόγησης
DocType: Tax Rule,Tax Rule,Φορολογικές Κανόνας
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Διατηρήστε ίδια τιμολόγηση καθ'όλο τον κύκλο πωλήσεων
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Προγραμματίστε κούτσουρα χρόνο εκτός των ωρών εργασίας του σταθμού εργασίας.
@@ -4433,7 +4465,7 @@
,Items To Be Requested,Είδη που θα ζητηθούν
DocType: Purchase Order,Get Last Purchase Rate,Βρες τελευταία τιμή αγοράς
DocType: Company,Company Info,Πληροφορίες εταιρείας
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Επιλέξτε ή προσθέστε νέο πελάτη
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Επιλέξτε ή προσθέστε νέο πελάτη
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,κέντρο κόστους που απαιτείται για να κλείσετε ένα αίτημα δαπάνη
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Εφαρμογή πόρων (ενεργητικό)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Αυτό βασίζεται στην προσέλευση του υπαλλήλου αυτού
@@ -4441,27 +4473,29 @@
DocType: Fiscal Year,Year Start Date,Ημερομηνία έναρξης έτους
DocType: Attendance,Employee Name,Όνομα υπαλλήλου
DocType: Sales Invoice,Rounded Total (Company Currency),Στρογγυλοποιημένο σύνολο (νόμισμα της εταιρείας)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,"Δεν μπορείτε να μετατρέψετε σε ομάδα, επειδή έχει επιλεγεί τύπος λογαριασμού"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Δεν μπορείτε να μετατρέψετε σε ομάδα, επειδή έχει επιλεγεί τύπος λογαριασμού"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} Έχει τροποποιηθεί. Παρακαλώ ανανεώστε.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Σταματήστε τους χρήστες από το να κάνουν αιτήσεις αδειών για τις επόμενες ημέρες.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Ποσό αγορά
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Προσφορά Προμηθευτής {0} δημιουργήθηκε
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Στο τέλος του έτους δεν μπορεί να είναι πριν από την έναρξη Έτος
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Παροχές σε εργαζομένους
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Παροχές σε εργαζομένους
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Η συσκευασμένη ποσότητα πρέπει να ισούται με την ποσότητα για το είδος {0} στη γραμμή {1}
DocType: Production Order,Manufactured Qty,Παραγόμενη ποσότητα
DocType: Purchase Receipt Item,Accepted Quantity,Αποδεκτή ποσότητα
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Παρακαλούμε να ορίσετε μια προεπιλεγμένη διακοπές Λίστα υπάλληλου {0} ή της Εταιρείας {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} δεν υπάρχει
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} δεν υπάρχει
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Επιλέξτε αριθμούς παρτίδων
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Λογαριασμοί για πελάτες.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Id έργου
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},"Σειρά Όχι {0}: Ποσό δεν μπορεί να είναι μεγαλύτερη από ό, τι εκκρεμές ποσό έναντι αιτημάτων εξόδων {1}. Εν αναμονή ποσό {2}"
DocType: Maintenance Schedule,Schedule,Χρονοδιάγραμμα
DocType: Account,Parent Account,Γονικός λογαριασμός
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Διαθέσιμος
DocType: Quality Inspection Reading,Reading 3,Μέτρηση 3
,Hub,Hub
DocType: GL Entry,Voucher Type,Τύπος αποδεικτικού
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Τιμοκατάλογος δεν βρέθηκε ή άτομα με ειδικές ανάγκες
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Τιμοκατάλογος δεν βρέθηκε ή άτομα με ειδικές ανάγκες
DocType: Employee Loan Application,Approved,Εγκρίθηκε
DocType: Pricing Rule,Price,Τιμή
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Υπάλληλος ελεύθερος για {0} πρέπει να οριστεί ως έχει φύγει
@@ -4472,7 +4506,8 @@
DocType: Selling Settings,Campaign Naming By,Ονοματοδοσία εκστρατείας με βάση
DocType: Employee,Current Address Is,Η τρέχουσα διεύθυνση είναι
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,Τροποποιήθηκε
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Προαιρετικό. Ορίζει προεπιλεγμένο νόμισμα της εταιρείας, εφόσον δεν ορίζεται."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Προαιρετικό. Ορίζει προεπιλεγμένο νόμισμα της εταιρείας, εφόσον δεν ορίζεται."
+DocType: Sales Invoice,Customer GSTIN,Πελάτης GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Λογιστικές ημερολογιακές εγγραφές.
DocType: Delivery Note Item,Available Qty at From Warehouse,Διαθέσιμο Ποσότητα σε από την αποθήκη
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,Παρακαλώ επιλέξτε πρώτα Εγγραφή Εργαζομένων.
@@ -4480,7 +4515,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Σειρά {0}: Πάρτι / λογαριασμός δεν ταιριάζει με {1} / {2} στο {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Παρακαλώ εισάγετε λογαριασμό δαπανών
DocType: Account,Stock,Απόθεμα
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Σειρά # {0}: Έγγραφο Αναφοράς Τύπος πρέπει να είναι ένα από τα παραγγελίας, τιμολογίου αγοράς ή Εφημερίδα Έναρξη"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Σειρά # {0}: Έγγραφο Αναφοράς Τύπος πρέπει να είναι ένα από τα παραγγελίας, τιμολογίου αγοράς ή Εφημερίδα Έναρξη"
DocType: Employee,Current Address,Τρέχουσα διεύθυνση
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Εάν το είδος είναι μια παραλλαγή ενός άλλου είδους, τότε η περιγραφή, η εικόνα, η τιμολόγηση, οι φόροι κλπ θα οριστούν από το πρότυπο εκτός αν οριστούν ειδικά"
DocType: Serial No,Purchase / Manufacture Details,Αγορά / λεπτομέρειες παραγωγής
@@ -4493,8 +4528,8 @@
DocType: Pricing Rule,Min Qty,Ελάχιστη ποσότητα
DocType: Asset Movement,Transaction Date,Ημερομηνία συναλλαγής
DocType: Production Plan Item,Planned Qty,Προγραμματισμένη ποσότητα
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Σύνολο φόρου
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Για Ποσότητα (Τεμ Κατασκευάζεται) είναι υποχρεωτικά
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Σύνολο φόρου
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Για Ποσότητα (Τεμ Κατασκευάζεται) είναι υποχρεωτικά
DocType: Stock Entry,Default Target Warehouse,Προεπιλεγμένη αποθήκη προορισμού
DocType: Purchase Invoice,Net Total (Company Currency),Καθαρό σύνολο (νόμισμα της εταιρείας)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Το έτος λήξης δεν μπορεί να είναι νωρίτερα από το έτος έναρξης Ημερομηνία. Διορθώστε τις ημερομηνίες και προσπαθήστε ξανά.
@@ -4508,13 +4543,11 @@
DocType: Hub Settings,Hub Settings,Ρυθμίσεις hub
DocType: Project,Gross Margin %,Μικτό κέρδος (περιθώριο) %
DocType: BOM,With Operations,Με λειτουργίες
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Οι λογιστικές εγγραφές έχουν ήδη γίνει στο νόμισμα {0} για την εταιρεία {1}. Παρακαλώ επιλέξτε ένα εισπρακτέο ή πληρωτέο λογαριασμό με το νόμισμα {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Οι λογιστικές εγγραφές έχουν ήδη γίνει στο νόμισμα {0} για την εταιρεία {1}. Παρακαλώ επιλέξτε ένα εισπρακτέο ή πληρωτέο λογαριασμό με το νόμισμα {0}.
DocType: Asset,Is Existing Asset,Είναι Υφιστάμενες Ενεργητικού
DocType: Salary Detail,Statistical Component,Στατιστικό στοιχείο
-,Monthly Salary Register,Μηνιαίο ταμείο μισθοδοσίας
DocType: Warranty Claim,If different than customer address,Αν είναι διαφορετική από τη διεύθυνση του πελάτη
DocType: BOM Operation,BOM Operation,Λειτουργία Λ.Υ.
-DocType: School Settings,Validate the Student Group from Program Enrollment,Επικυρώστε την ομάδα σπουδαστών από την εγγραφή του προγράμματος
DocType: Purchase Taxes and Charges,On Previous Row Amount,Στο ποσό της προηγούμενης γραμμής
DocType: Student,Home Address,Διεύθυνση σπιτιού
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,μεταβίβαση περιουσιακών στοιχείων
@@ -4522,28 +4555,27 @@
DocType: Training Event,Event Name,Όνομα συμβάντος
apps/erpnext/erpnext/config/schools.py +39,Admission,Άδεια
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Admissions για {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Εποχικότητα για τον καθορισμό των προϋπολογισμών, στόχων κλπ"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Θέση {0} είναι ένα πρότυπο, επιλέξτε μία από τις παραλλαγές του"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Εποχικότητα για τον καθορισμό των προϋπολογισμών, στόχων κλπ"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Θέση {0} είναι ένα πρότυπο, επιλέξτε μία από τις παραλλαγές του"
DocType: Asset,Asset Category,Κατηγορία Παγίου
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Αγοραστής
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Η καθαρή αμοιβή δεν μπορεί να είναι αρνητική
DocType: SMS Settings,Static Parameters,Στατικές παράμετροι
DocType: Assessment Plan,Room,Δωμάτιο
DocType: Purchase Order,Advance Paid,Προκαταβολή που καταβλήθηκε
DocType: Item,Item Tax,Φόρος είδους
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Υλικό Προμηθευτή
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Των ειδικών φόρων κατανάλωσης Τιμολόγιο
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Των ειδικών φόρων κατανάλωσης Τιμολόγιο
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Κατώφλι {0}% εμφανίζεται περισσότερες από μία φορά
DocType: Expense Claim,Employees Email Id,Email ID υπαλλήλων
DocType: Employee Attendance Tool,Marked Attendance,Αισθητή Συμμετοχή
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Βραχυπρόθεσμες υποχρεώσεις
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Βραχυπρόθεσμες υποχρεώσεις
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Αποστολή μαζικών SMS στις επαφές σας
DocType: Program,Program Name,Όνομα του προγράμματος
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Σκεφτείτε φόρο ή επιβάρυνση για
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Η πραγματική ποσότητα είναι υποχρεωτική
DocType: Employee Loan,Loan Type,Τύπος Δανείου
DocType: Scheduling Tool,Scheduling Tool,εργαλείο προγραμματισμού
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Πιστωτική κάρτα
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Πιστωτική κάρτα
DocType: BOM,Item to be manufactured or repacked,Είδος που θα κατασκευαστεί ή θα ανασυσκευαστεί
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Προεπιλεγμένες ρυθμίσεις για συναλλαγές αποθέματος.
DocType: Purchase Invoice,Next Date,Επόμενη ημερομηνία
@@ -4559,10 +4591,10 @@
DocType: Stock Entry,Repack,Επανασυσκευασία
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Πρέπει να αποθηκεύσετε τη φόρμα πριν προχωρήσετε
DocType: Item Attribute,Numeric Values,Αριθμητικές τιμές
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Επισύναψη logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Επισύναψη logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Τα επίπεδα των αποθεμάτων
DocType: Customer,Commission Rate,Ποσό προμήθειας
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Κάντε Παραλλαγή
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Κάντε Παραλλαγή
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Αποκλεισμός αιτήσεων άδειας από το τμήμα
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Τύπος πληρωμής πρέπει να είναι ένα από Λάβετε, Pay και εσωτερική μεταφορά"
apps/erpnext/erpnext/config/selling.py +179,Analytics,Analytics
@@ -4570,45 +4602,45 @@
DocType: Vehicle,Model,Μοντέλο
DocType: Production Order,Actual Operating Cost,Πραγματικό κόστος λειτουργίας
DocType: Payment Entry,Cheque/Reference No,Επιταγή / Αριθμός αναφοράς
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Δεν μπορεί να γίνει επεξεργασία στη ρίζα.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Δεν μπορεί να γίνει επεξεργασία στη ρίζα.
DocType: Item,Units of Measure,Μονάδες μέτρησης
DocType: Manufacturing Settings,Allow Production on Holidays,Επίτρεψε παραγωγή σε αργίες
DocType: Sales Order,Customer's Purchase Order Date,Ημερομηνία παραγγελίας αγοράς πελάτη
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Μετοχικού Κεφαλαίου
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Μετοχικού Κεφαλαίου
DocType: Shopping Cart Settings,Show Public Attachments,Εμφάνιση δημόσιων συνημμένων
DocType: Packing Slip,Package Weight Details,Λεπτομέρειες βάρος συσκευασίας
DocType: Payment Gateway Account,Payment Gateway Account,Πληρωμή Λογαριασμού Πύλη
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Μετά την ολοκλήρωση πληρωμής ανακατεύθυνση του χρήστη σε επιλεγμένη σελίδα.
DocType: Company,Existing Company,Υφιστάμενες Εταιρείας
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Η φορολογική κατηγορία έχει αλλάξει σε "Σύνολο" επειδή όλα τα στοιχεία δεν είναι στοιχεία απόθεμα
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Επιλέξτε ένα αρχείο csv
DocType: Student Leave Application,Mark as Present,Επισήμανση ως Παρόν
DocType: Purchase Order,To Receive and Bill,Για να λάβετε και Bill
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Προτεινόμενα Προϊόντα
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Σχεδιαστής
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Σχεδιαστής
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Πρότυπο όρων και προϋποθέσεων
DocType: Serial No,Delivery Details,Λεπτομέρειες παράδοσης
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Το κέντρο κόστους απαιτείται στη γραμμή {0} στον πίνακα πίνακα φόρων για τον τύπο {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Το κέντρο κόστους απαιτείται στη γραμμή {0} στον πίνακα πίνακα φόρων για τον τύπο {1}
DocType: Program,Program Code,Κωδικός προγράμματος
DocType: Terms and Conditions,Terms and Conditions Help,Όροι και προϋποθέσεις Βοήθεια
,Item-wise Purchase Register,Ταμείο αγορών ανά είδος
DocType: Batch,Expiry Date,Ημερομηνία λήξης
-,Supplier Addresses and Contacts,Διευθύνσεις προμηθευτή και επαφές
,accounts-browser,λογαριασμούς-browser
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,Παρακαλώ επιλέξτε πρώτα την κατηγορία
apps/erpnext/erpnext/config/projects.py +13,Project master.,Κύρια εγγραφή έργου.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Για να καταστεί δυνατή η υπερβολική τιμολόγηση ή πάνω-παραγγελίας, ενημέρωση "Επίδομα" στις Ρυθμίσεις Χρηματιστήριο ή το στοιχείο."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Για να καταστεί δυνατή η υπερβολική τιμολόγηση ή πάνω-παραγγελίας, ενημέρωση "Επίδομα" στις Ρυθμίσεις Χρηματιστήριο ή το στοιχείο."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Να μην εμφανίζεται κανένα σύμβολο όπως $ κλπ δίπλα σε νομίσματα.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Μισή ημέρα)
DocType: Supplier,Credit Days,Ημέρες πίστωσης
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Κάντε παρτίδας Φοιτητής
DocType: Leave Type,Is Carry Forward,Είναι μεταφορά σε άλλη χρήση
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Λήψη ειδών από Λ.Υ.
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Λήψη ειδών από Λ.Υ.
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Ημέρες ανοχής
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Σειρά # {0}: Απόσπαση Ημερομηνία πρέπει να είναι ίδια με την ημερομηνία αγοράς {1} του περιουσιακού στοιχείου {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Σειρά # {0}: Απόσπαση Ημερομηνία πρέπει να είναι ίδια με την ημερομηνία αγοράς {1} του περιουσιακού στοιχείου {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,"Παρακαλούμε, εισάγετε Παραγγελίες στον παραπάνω πίνακα"
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,"Δεν Υποβλήθηκε εκκαθαριστικά σημειώματα αποδοχών,"
,Stock Summary,Χρηματιστήριο Περίληψη
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Μεταφορά ενός στοιχείου από μια αποθήκη σε άλλη
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Μεταφορά ενός στοιχείου από μια αποθήκη σε άλλη
DocType: Vehicle,Petrol,Βενζίνη
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Bill Υλικών
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Σειρά {0}: Τύπος Πάρτυ και το Κόμμα απαιτείται για εισπρακτέοι / πληρωτέοι λογαριασμό {1}
@@ -4619,6 +4651,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Ποσό κύρωσης
DocType: GL Entry,Is Opening,Είναι άνοιγμα
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Γραμμή {0} : μια χρεωστική καταχώρηση δεν μπορεί να συνδεθεί με ένα {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Ο λογαριασμός {0} δεν υπάρχει
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Ο λογαριασμός {0} δεν υπάρχει
DocType: Account,Cash,Μετρητά
DocType: Employee,Short biography for website and other publications.,Σύντομη βιογραφία για την ιστοσελίδα και άλλες δημοσιεύσεις.
diff --git a/erpnext/translations/es-CL.csv b/erpnext/translations/es-CL.csv
index 8d9613c..fdb8146 100644
--- a/erpnext/translations/es-CL.csv
+++ b/erpnext/translations/es-CL.csv
@@ -1,6 +1,5 @@
DocType: Assessment Plan,Grading Scale,Escala de Calificación
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,No se puede crear la Cuenta automáticamente pues ya hay balance de stock en la Cuenta. Debe crear una cuenta apropiada antes de poder hacer entradas en esta bodega.
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Número de Móvil de Guardián 1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Número de Móvil de Guardián 1
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Ganancia / Pérdida Bruta
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Los cheques y depósitos resueltos de forma incorrecta
DocType: Assessment Group,Parent Assessment Group,Grupo de Evaluación Padre
@@ -8,13 +7,13 @@
DocType: Program,Fee Schedule,Programa de Tarifas
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Obtener Ítems de Paquete de Productos
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,Cobrar Tarifas
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM no contiene ningún ítem de stock
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM no contiene ningún ítem de stock
DocType: Homepage,Company Tagline for website homepage,Lema de la empresa para la página de inicio del sitio web
DocType: Delivery Note,% Installed,% Instalado
DocType: Student,Guardian Details,Detalles del Guardián
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Nombre de Guardián 1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Nombre de Guardián 1
DocType: Grading Scale Interval,Grade Code,Grado de Código
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,La moneda de facturación debe ser igual a la moneda por defecto de la compañía o la moneda de la cuenta de la parte
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,La moneda de facturación debe ser igual a la moneda por defecto de la compañía o la moneda de la cuenta de la parte
DocType: Fee Structure,Fee Structure,Estructura de Tarifas
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Calendario de Cursos creado:
DocType: Grading Scale,Grading Scale Intervals,Intervalos de Escala de Calificación
@@ -25,14 +24,14 @@
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Artículo hijo no debe ser un paquete de productos. Por favor remover el artículo `` {0} y guardar
DocType: BOM Scrap Item,Basic Amount (Company Currency),Monto Base (Divisa de Compañía)
DocType: Grading Scale,Grading Scale Name,Nombre de Escala de Calificación
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Número de Móvil de Guardián 2
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Nombre de Guardián 2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Número de Móvil de Guardián 2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Nombre de Guardián 2
DocType: Grading Scale Interval,Grading Scale Interval,Intervalo de Escala de Calificación
DocType: Stock Entry,Customer or Supplier Details,Detalle de cliente o proveedor
DocType: Course Scheduling Tool,Course Scheduling Tool,Herramienta de Programación de cursos
DocType: Shopping Cart Settings,Checkout Settings,Ajustes de Finalización de Pedido
DocType: Guardian Interest,Guardian Interest,Interés del Guardián
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,"Aulas / laboratorios, etc., donde las lecturas se pueden programar."
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Aulas / laboratorios, etc., donde las lecturas se pueden programar."
apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Finalizando pedido
DocType: Sales Invoice,Change Amount,Importe de Cambio
DocType: Guardian Student,Guardian Student,Guardián del Estudiante
diff --git a/erpnext/translations/es-NI.csv b/erpnext/translations/es-NI.csv
index 3290bd5..ab56312 100644
--- a/erpnext/translations/es-NI.csv
+++ b/erpnext/translations/es-NI.csv
@@ -1,7 +1,7 @@
DocType: Tax Rule,Tax Rule,Regla Fiscal
DocType: POS Profile,Account for Change Amount,Cuenta para el Cambio de Monto
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Lista de Materiales
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,"""Actualización de Existencia' no puede ser escogida para venta de activo fijo"
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"""Actualización de Existencia' no puede ser escogida para venta de activo fijo"
DocType: Sales Invoice,Tax ID,RUC
DocType: BOM Item,Basic Rate (Company Currency),Taza Base (Divisa de la Empresa)
DocType: Timesheet Detail,Bill,Factura
@@ -11,7 +11,7 @@
DocType: Tax Rule,Billing County,Municipio de Facturación
DocType: Sales Invoice Timesheet,Billing Hours,Horas de Facturación
DocType: Timesheet,Billing Details,Detalles de Facturación
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,Moneda de facturación debe ser igual a la moneda de la empresa o moneda de cuenta de contraparte
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,Moneda de facturación debe ser igual a la moneda de la empresa o moneda de cuenta de contraparte
DocType: Tax Rule,Billing State,Región de Facturación
DocType: Purchase Order Item,Billed Amt,Monto Facturado
DocType: Item Tax,Tax Rate,Tasa de Impuesto
diff --git a/erpnext/translations/es-PE.csv b/erpnext/translations/es-PE.csv
index 353afd9..f5a8d40 100644
--- a/erpnext/translations/es-PE.csv
+++ b/erpnext/translations/es-PE.csv
@@ -10,7 +10,7 @@
DocType: Packing Slip,From Package No.,Del Paquete N º
,Quotation Trends,Tendencias de Cotización
DocType: Purchase Invoice Item,Purchase Order Item,Articulos de la Orden de Compra
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,La materia prima no puede ser la misma que el artículo principal
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,La materia prima no puede ser la misma que el artículo principal
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Promedio de Compra
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Número de orden {0} creado
DocType: Item,If subcontracted to a vendor,Si es sub-contratado a un vendedor
@@ -25,7 +25,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Fila {0}: Débito no puede vincularse con {1}
DocType: Journal Entry,Print Heading,Título de impresión
DocType: Workstation,Electricity Cost,Coste de electricidad
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Comisión de Ventas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Comisión de Ventas
DocType: BOM,Costing,Costeo
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Venta al por menor y al por mayor
DocType: Company,Default Holiday List,Listado de vacaciones / feriados predeterminados
@@ -42,21 +42,21 @@
DocType: Purchase Receipt,Time at which materials were received,Momento en que se recibieron los materiales
DocType: Project,Expected End Date,Fecha de finalización prevista
DocType: HR Settings,HR Settings,Configuración de Recursos Humanos
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Eliminar todas las transacciones para esta empresa
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Eliminar todas las transacciones para esta empresa
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Nuevo {0}: # {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,La Abreviación es mandatoria
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,La Abreviación es mandatoria
DocType: Item,End of Life,Final de la Vida
DocType: Hub Settings,Seller Website,Sitio Web Vendedor
,Reqd By Date,Solicitado Por Fecha
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Calculo de Salario basado en los Ingresos y la Deducción.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Usted no está autorizado para fijar el valor congelado
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Usted no está autorizado para fijar el valor congelado
DocType: Employee Leave Approver,Leave Approver,Supervisor de Vacaciones
DocType: Packing Slip,Package Weight Details,Peso Detallado del Paquete
DocType: Maintenance Schedule,Generate Schedule,Generar Horario
DocType: Employee External Work History,Employee External Work History,Historial de Trabajo Externo del Empleado
DocType: Employee,"Here you can maintain family details like name and occupation of parent, spouse and children","Aquí usted puede mantener los detalles de la familia como el nombre y ocupación de los padres, cónyuge e hijos"
DocType: Task,depends_on,depende de
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Préstamos Garantizados
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Préstamos Garantizados
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Sólo el Supervisor de Vacaciones seleccionado puede presentar esta solicitud de permiso
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Este es un territorio raíz y no se puede editar .
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Crear cotización de proveedor
@@ -69,7 +69,7 @@
DocType: Production Order,Actual Start Date,Fecha de inicio actual
apps/erpnext/erpnext/hr/doctype/employee/employee.py +119,Contract End Date must be greater than Date of Joining,La Fecha de Finalización de Contrato debe ser mayor que la Fecha de la Firma
DocType: Sales Invoice Item,Delivery Note Item,Articulo de la Nota de Entrega
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Lo sentimos , las empresas no se pueden combinar"
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Lo sentimos , las empresas no se pueden combinar"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Cliente requiere para ' Customerwise descuento '
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Oportunidades de venta
DocType: Delivery Note Item,Against Sales Order Item,Contra la Orden de Venta de Artículos
@@ -87,7 +87,7 @@
DocType: Naming Series,Help HTML,Ayuda HTML
DocType: Production Order Operation,Actual Operation Time,Tiempo de operación actual
DocType: Sales Order,To Deliver and Bill,Para Entregar y Bill
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Almacén requerido para la acción del artículo {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Almacén requerido para la acción del artículo {0}
DocType: Territory,Territory Targets,Territorios Objetivos
DocType: Warranty Claim,Warranty / AMC Status,Garantía / AMC Estado
DocType: Attendance,Employee Name,Nombre del Empleado
@@ -117,7 +117,7 @@
DocType: Manufacturing Settings,Manufacturing Settings,Ajustes de Manufactura
DocType: Appraisal Template,Appraisal Template Title,Titulo de la Plantilla deEvaluación
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Fila {0}: Por favor, consulte ""¿Es Avance 'contra la Cuenta {1} si se trata de una entrada con antelación."
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Maquinaria y Equipos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Maquinaria y Equipos
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} no esta presentado
DocType: Salary Slip,Earning & Deduction,Ganancia y Descuento
DocType: Employee,Leave Encashed?,Vacaciones Descansadas?
@@ -137,17 +137,17 @@
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,El identificador único para el seguimiento de todas las facturas recurrentes. Se genera al enviar .
DocType: Target Detail,Target Detail,Objetivo Detalle
DocType: Purchase Taxes and Charges Template,Purchase Taxes and Charges Template,Plantillas de Cargos e Impuestos
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Pasivo Corriente
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Pasivo Corriente
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Títulos para plantillas de impresión, por ejemplo, Factura Proforma."
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Cargos por transporte de mercancías y transito
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Eliminado correctamente todas las transacciones relacionadas con esta empresa!
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Cuenta de Gastos o Diferencia es obligatorio para el elemento {0} , ya que impacta el valor del stock"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Cargos por transporte de mercancías y transito
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Eliminado correctamente todas las transacciones relacionadas con esta empresa!
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Cuenta de Gastos o Diferencia es obligatorio para el elemento {0} , ya que impacta el valor del stock"
DocType: Account,Credit,Crédito
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-Mayor
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Raíz no puede tener un centro de costes de los padres
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Asiento contable de inventario
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Asiento contable de inventario
DocType: Project,Total Purchase Cost (via Purchase Invoice),Coste total de compra (mediante compra de la factura)
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Fila {0}: Factor de conversión es obligatoria
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Fila {0}: Factor de conversión es obligatoria
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Recibos de Compra
DocType: Pricing Rule,Disable,Inhabilitar
DocType: Item Website Specification,Table for Item that will be shown in Web Site,Tabla de Artículo que se muestra en el Sitio Web
@@ -163,36 +163,36 @@
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Balanza de Estado de Cuenta Bancario según Libro Mayor
DocType: Naming Series,Setup Series,Serie de configuración
DocType: Production Order Operation,Actual Start Time,Hora de inicio actual
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},El código de barras {0} ya se utiliza en el elemento {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},El código de barras {0} ya se utiliza en el elemento {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Cuidado de la Salud
DocType: Item,Manufacturer Part Number,Número de Pieza del Fabricante
DocType: Item Reorder,Re-Order Level,Reordenar Nivel
DocType: Customer,Sales Team Details,Detalles del equipo de ventas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Órden de Venta {0} no esta presentada
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Órden de Venta {0} no esta presentada
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Fila # {0}: Tasa debe ser el mismo que {1}: {2} ({3} / {4})
apps/erpnext/erpnext/config/selling.py +18,Confirmed orders from Customers.,Pedidos en firme de los clientes.
DocType: Warranty Claim,Service Address,Dirección del Servicio
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aplicación de Fondos (Activos )
DocType: Pricing Rule,Discount on Price List Rate (%),Descuento sobre la tarifa del listado de precios (%)
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,El nombre de su empresa para la que va a configurar el sistema.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,El nombre de su empresa para la que va a configurar el sistema.
DocType: Account,Frozen,Congelado
DocType: Attendance,HR Manager,Gerente de Recursos Humanos
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Advertencia : El sistema no comprobará sobrefacturación desde monto para el punto {0} en {1} es cero
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Advertencia : El sistema no comprobará sobrefacturación desde monto para el punto {0} en {1} es cero
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +16,Either target qty or target amount is mandatory.,Cualquiera Cantidad de destino o importe objetivo es obligatoria.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +80,Row # {0}: Returned Item {1} does not exists in {2} {3},Fila # {0}: El artículo vuelto {1} no existe en {2} {3}
DocType: Production Order,Not Started,Sin comenzar
DocType: Company,Default Currency,Moneda Predeterminada
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Esta es una cuenta raíz y no se puede editar .
,Requested Items To Be Transferred,Artículos solicitados para ser transferido
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Recibo de Compra {0} no se presenta
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Cuenta: {0} con moneda: {1} no puede ser seleccionada
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Recibo de Compra {0} no se presenta
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Cuenta: {0} con moneda: {1} no puede ser seleccionada
DocType: Tax Rule,Sales,Venta
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Monto adicional de descuento (Moneda de la compañía)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0}: Payment against Sales/Purchase Order should always be marked as advance,Fila {0}: El pago de Compra/Venta siempre debe estar marcado como anticipo
DocType: Employee,Leave Approvers,Supervisores de Vacaciones
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +149,Please specify a valid Row ID for row {0} in table {1},"Por favor, especifique un ID de fila válida para la fila {0} en la tabla {1}"
DocType: Customer Group,Parent Customer Group,Categoría de cliente principal
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Total Monto Pendiente
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Total Monto Pendiente
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Seleccione Distribución Mensual de distribuir de manera desigual a través de objetivos meses.
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Necesita habilitar Carito de Compras
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} es obligatorio para su devolución
@@ -201,26 +201,25 @@
DocType: Sales Invoice,Shipping Address Name,Dirección de envío Nombre
DocType: Item,Moving Average,Promedio Movil
,Qty to Deliver,Cantidad para Ofrecer
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},"Fila # {0}: Por favor, especifique No de Serie de artículos {1}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Enumere sus obligaciones fiscales (Ejemplo; IVA, aduanas, etc.) deben tener nombres únicos y sus tarifas por defecto. Esto creará una plantilla estándar, que podrá editar más tarde."
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Por favor, asegúrese que realmente desea borrar todas las transacciones de esta compañía. Sus datos maestros permanecerán intactos. Esta acción no se puede deshacer."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},"Fila # {0}: Por favor, especifique No de Serie de artículos {1}"
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Enumere sus obligaciones fiscales (Ejemplo; IVA, aduanas, etc.) deben tener nombres únicos y sus tarifas por defecto. Esto creará una plantilla estándar, que podrá editar más tarde."
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Por favor, asegúrese que realmente desea borrar todas las transacciones de esta compañía. Sus datos maestros permanecerán intactos. Esta acción no se puede deshacer."
DocType: Shopping Cart Settings,Shopping Cart Settings,Compras Ajustes
DocType: BOM,Raw Material Cost,Costo de la Materia Prima
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Existe una categoría de cliente con el mismo nombre, por favor cambie el nombre del cliente o cambie el nombre de la categoría"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Existe una categoría de cliente con el mismo nombre, por favor cambie el nombre del cliente o cambie el nombre de la categoría"
apps/erpnext/erpnext/config/hr.py +147,Template for performance appraisals.,Plantilla para las evaluaciones de desempeño .
DocType: SMS Settings,"Enter static url parameters here (Eg. sender=ERPNext, username=ERPNext, password=1234 etc.)","Introduzca los parámetros de URL estáticas aquí (Ej. sender = ERPNext , nombre de usuario = ERPNext , contraseña = 1234 etc )"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Cotización {0} se cancela
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Inspección de la calidad requerida para el articulo {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,¿Qué hace?
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Inspección de la calidad requerida para el articulo {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,¿Qué hace?
DocType: Task,Actual Time (in Hours),Tiempo actual (En horas)
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Hacer Orden de Venta
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Enumere algunos de sus clientes. Pueden ser organizaciones o individuos.
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Hacer Orden de Venta
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Enumere algunos de sus clientes. Pueden ser organizaciones o individuos.
DocType: Item Customer Detail,Ref Code,Código Referencia
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Almacén {0}: Empresa es obligatoria
DocType: Item,Default Selling Cost Center,Centros de coste por defecto
DocType: Leave Block List,Leave Block List Allowed,Lista de Bloqueo de Vacaciones Permitida
DocType: Quality Inspection,Report Date,Fecha del Informe
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Factura de Compra {0} ya existe
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Factura de Compra {0} ya existe
DocType: Purchase Invoice,Currency and Price List,Divisa y Lista de precios
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Activo Corriente
DocType: Item Reorder,Re-Order Qty,Reordenar Cantidad
@@ -242,18 +241,17 @@
DocType: Supplier Quotation,Supplier Address,Dirección del proveedor
DocType: Purchase Order Item,Expected Delivery Date,Fecha Esperada de Envio
DocType: Product Bundle,Parent Item,Artículo Principal
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Desarrollador de Software
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Desarrollador de Software
DocType: Item,Website Item Groups,Grupos de Artículos del Sitio Web
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Gastos de Comercialización
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Gastos de Comercialización
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","No se puede declarar como perdido , porque la cotización ha sido hecha."
DocType: Leave Allocation,New Leaves Allocated,Nuevas Vacaciones Asignadas
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Asset Movement,Source Warehouse,fuente de depósito
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,No se han añadido contactos todavía
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Tipo Root es obligatorio
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,No se han añadido contactos todavía
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Tipo Root es obligatorio
DocType: Training Event,Scheduled,Programado
DocType: Salary Detail,Depends on Leave Without Pay,Depende de ausencia sin pago
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Total Pagado Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Total Pagado Amt
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Días desde el último pedido' debe ser mayor o igual a cero
DocType: Material Request Item,For Warehouse,Por almacén
,Purchase Order Items To Be Received,Productos de la Orden de Compra a ser Recibidos
@@ -263,23 +261,23 @@
DocType: Offer Letter Term,Offer Letter Term,Término de carta de oferta
DocType: Item,Synced With Hub,Sincronizado con Hub
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Centro de Costos de las transacciones existentes no se puede convertir en el libro mayor
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,"Por favor, ingrese el código del producto para obtener el No. de lote"
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,"Por favor, ingrese el código del producto para obtener el No. de lote"
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Serie es obligatorio
,Item Shortage Report,Reportar carencia de producto
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Grado en el que la lista de precios en moneda se convierte en la moneda base del cliente
DocType: Stock Entry,Sales Invoice No,Factura de Venta No
DocType: HR Settings,Don't send Employee Birthday Reminders,En enviar recordatorio de cumpleaños del empleado
,Ordered Items To Be Delivered,Artículos pedidos para ser entregados
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Perfiles del Punto de Venta POS
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Perfiles del Punto de Venta POS
DocType: Project,Total Costing Amount (via Time Logs),Monto total del cálculo del coste (a través de los registros de tiempo)
apps/erpnext/erpnext/stock/doctype/price_list/price_list.py +14,Price List must be applicable for Buying or Selling,la lista de precios debe ser aplicable para comprar o vender
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Almacén requerido en la fila n {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Almacén requerido en la fila n {0}
DocType: Purchase Invoice Item,Serial No,Números de Serie
,Bank Reconciliation Statement,Extractos Bancarios
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} es obligatorio para el producto {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} es obligatorio para el producto {1}
apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director etc.).","Cargo del empleado ( por ejemplo, director general, director , etc.)"
DocType: Item,Copy From Item Group,Copiar de Grupo de Elementos
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},No existe una Solicitud de Materiales por defecto para el elemento {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},No existe una Solicitud de Materiales por defecto para el elemento {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) no puede ser mayor que cantidad planificada ({2}) en la Orden de Producción {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +847,Select Item for Transfer,Seleccionar elemento de Transferencia
apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must be greater than Date of Birth,Fecha de acceso debe ser mayor que Fecha de Nacimiento
@@ -287,7 +285,7 @@
DocType: Sales Person,Sales Person Targets,Metas de Vendedor
apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Condiciones contractuales estándar para ventas y compras.
DocType: Stock Entry Detail,Actual Qty (at source/target),Cantidad Actual (en origen/destino)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Permiso con Privilegio
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Permiso con Privilegio
DocType: Cost Center,Stock User,Foto del usuario
DocType: Purchase Taxes and Charges,On Previous Row Amount,En la Fila Anterior de Cantidad
DocType: Appraisal Goal,Weightage (%),Coeficiente de ponderación (% )
@@ -303,10 +301,9 @@
DocType: Cost Center,Parent Cost Center,Centro de Costo Principal
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Préstamos y anticipos (Activos)
apps/erpnext/erpnext/hooks.py +87,Shipments,Los envíos
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Compramos este artículo
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,"Por favor, introduzca si 'Es Subcontratado' o no"
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,La Abreviación ya está siendo utilizada para otra compañía
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,La Organización
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Compramos este artículo
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,"Por favor, introduzca si 'Es Subcontratado' o no"
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,La Abreviación ya está siendo utilizada para otra compañía
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Orden de Compra del Artículo Suministrado
DocType: Selling Settings,Sales Order Required,Orden de Ventas Requerida
DocType: Request for Quotation Item,Required Date,Fecha Requerida
@@ -316,7 +313,7 @@
DocType: Project Task,View Task,Vista de tareas
DocType: Leave Type,Max Days Leave Allowed,Número Máximo de Días de Baja Permitidos
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`Congelar Inventarios Anteriores a` debe ser menor que %d días .
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Número de la Orden de Compra se requiere para el elemento {0}
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Número de la Orden de Compra se requiere para el elemento {0}
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Crear reglas para restringir las transacciones basadas en valores .
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Crea nómina para los criterios antes mencionados.
DocType: Purchase Order Item Supplied,Raw Material Item Code,Materia Prima Código del Artículo
@@ -324,23 +321,23 @@
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +29,Activity Cost exists for Employee {0} against Activity Type - {1},Existe un costo de actividad para el empleado {0} contra el tipo de actividad - {1}
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Establecer objetivos artículo grupo que tienen para este vendedor.
DocType: Stock Entry,Total Value Difference (Out - In),Diferencia (Salidas - Entradas)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,Se requiere la lista de materiales (LdM) y cantidad a fabricar.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,Se requiere la lista de materiales (LdM) y cantidad a fabricar.
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +558,Product Bundle,Conjunto/Paquete de productos
DocType: Material Request,Requested For,Solicitados para
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} contra Factura de Ventas {1}
DocType: Production Planning Tool,Select Items,Seleccione Artículos
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0}: {1} {2} does not match with {3},Fila {0}: {1} {2} no coincide con {3}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"Fila # {0}: Operación {1} no se ha completado para {2} cantidad de productos terminados en orden de producción # {3}. Por favor, actualice el estado de funcionamiento a través de los registros de tiempo"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Gestión de la Calidad
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"Fila # {0}: Operación {1} no se ha completado para {2} cantidad de productos terminados en orden de producción # {3}. Por favor, actualice el estado de funcionamiento a través de los registros de tiempo"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Gestión de la Calidad
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Los detalles de las operaciones realizadas.
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Evaluación del Desempeño .
DocType: Quality Inspection Reading,Quality Inspection Reading,Lectura de Inspección de Calidad
DocType: Purchase Invoice Item,Net Amount (Company Currency),Importe neto (moneda de la compañía)
DocType: Sales Order,Track this Sales Order against any Project,Seguir este de órdenes de venta en contra de cualquier proyecto
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Ventas debe ser seleccionado, si se selecciona Aplicable Para como {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Ventas debe ser seleccionado, si se selecciona Aplicable Para como {0}"
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Mantener misma tasa durante todo el ciclo de ventas
DocType: Employee External Work History,Salary,Salario
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Inventario de Pasivos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Inventario de Pasivos
DocType: Shipping Rule,Shipping Rule Label,Regla Etiqueta de envío
apps/erpnext/erpnext/stock/doctype/item/item.js +55,This Item is a Template and cannot be used in transactions. Item attributes will be copied over into the variants unless 'No Copy' is set,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'
DocType: Target Detail,Target Amount,Monto Objtetivo
@@ -348,10 +345,9 @@
DocType: Expense Claim Detail,Sanctioned Amount,importe sancionado
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Si la cuenta está congelada , las entradas se les permite a los usuarios restringidos."
DocType: Sales Invoice,Sales Taxes and Charges,Los impuestos y cargos de venta
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},Almacén {0} no se puede eliminar mientras exista cantidad de artículo {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Almacén {0} no se puede eliminar mientras exista cantidad de artículo {1}
DocType: Salary Slip,Bank Account No.,Número de Cuenta Bancaria
DocType: Shipping Rule,Shipping Account,cuenta Envíos
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Manténgalo adecuado para la web 900px ( w ) por 100px ( h )
DocType: Item Group,Parent Item Group,Grupo Principal de Artículos
DocType: Serial No,Warranty Period (Days),Período de garantía ( Días)
DocType: Selling Settings,Campaign Naming By,Nombramiento de la Campaña Por
@@ -365,7 +361,7 @@
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',La 'Fecha de inicio estimada' no puede ser mayor que la 'Fecha de finalización estimada'
DocType: UOM Conversion Detail,UOM Conversion Detail,Detalle de Conversión de Unidad de Medida
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Para filtrar en base a la fiesta, seleccione Partido Escriba primero"
-,Contact Name,Nombre del Contacto
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Nombre del Contacto
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Configuración completa !
DocType: Quotation,Quotation Lost Reason,Cotización Pérdida Razón
DocType: Monthly Distribution,Monthly Distribution Percentages,Los porcentajes de distribución mensuales
@@ -381,9 +377,9 @@
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Impuestos y Cargos Añadidos (Moneda Local)
DocType: Customer,Buyer of Goods and Services.,Compradores de Productos y Servicios.
DocType: Quotation Item,Stock Balance,Balance de Inventarios
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Centro de Costos para artículo con Código del artículo '
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Centro de Costos para artículo con Código del artículo '
DocType: POS Profile,Write Off Cost Center,Centro de costos de desajuste
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,"Por favor, póngase en contacto con el usuario con función de Gerente de Ventas {0}"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,"Por favor, póngase en contacto con el usuario con función de Gerente de Ventas {0}"
DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,Permitir a los usuarios siguientes aprobar Solicitudes de ausencia en bloques de días.
DocType: Purchase Invoice Item,Net Rate,Tasa neta
DocType: Purchase Taxes and Charges,Reference Row #,Referencia Fila #
@@ -393,12 +389,12 @@
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leave approver must be one of {0},Supervisor de Vacaciones debe ser uno de {0}
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Lanzamiento no puede ser anterior material Fecha de Solicitud
DocType: Quotation Item,Against Doctype,Contra Doctype
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: 'Centro de Costos' es obligatorio para el producto {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: 'Centro de Costos' es obligatorio para el producto {2}
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),El peso neto de este paquete . ( calculados automáticamente como la suma del peso neto del material)
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Cant. Proyectada
DocType: Bin,Moving Average Rate,Porcentaje de Promedio Movil
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Para la producción por separado se crea para cada buen artículo terminado.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Cuenta {0}: Cuenta Padre {1} no existe
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Cuenta {0}: Cuenta Padre {1} no existe
DocType: Purchase Invoice,Net Total (Company Currency),Total neto (Moneda Local)
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +35,Delivery Note {0} must not be submitted,Nota de Entrega {0} no debe estar presentada
,Lead Details,Iniciativas
@@ -417,12 +413,12 @@
DocType: Account,Balance must be,Balance debe ser
DocType: Sales Partner,A third party distributor / dealer / commission agent / affiliate / reseller who sells the companies products for a commission.,Terceros / proveedor / comisionista / afiliado / distribuidor que vende productos de empresas a cambio de una comisión.
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Trate de operaciones para la planificación de X días de antelación.
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,La fecha prevista de finalización no puede ser inferior a la fecha de inicio
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,La fecha prevista de finalización no puede ser inferior a la fecha de inicio
apps/erpnext/erpnext/accounts/general_ledger.py +142,Please mention Round Off Account in Company,"Por favor, indique la cuenta que utilizará para el redondeo--"
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Número de orden {0} no pertenece a la nota de entrega {1}
DocType: Target Detail,Target Qty,Cantidad Objetivo
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Se menciona Peso, \n ¡Por favor indique ""Peso Unidad de Medida"" también"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,No se puede cambiar la tasa si hay una Solicitud de Materiales contra cualquier artículo
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Se menciona Peso, \n ¡Por favor indique ""Peso Unidad de Medida"" también"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,No se puede cambiar la tasa si hay una Solicitud de Materiales contra cualquier artículo
DocType: Account,Accounts,Contabilidad
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Fecha prevista de entrega no puede ser anterior Fecha de Orden de Compra
DocType: Workstation,per hour,por horas
@@ -442,7 +438,7 @@
DocType: Bank Reconciliation,Account Currency,Moneda de la Cuenta
DocType: Journal Entry Account,Party Balance,Saldo de socio
DocType: Monthly Distribution,Name of the Monthly Distribution,Nombre de la Distribución Mensual
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,El producto terminado {0} debe ser introducido para la fabricación
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,El producto terminado {0} debe ser introducido para la fabricación
apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Estado debe ser uno de {0}
DocType: Department,Leave Block List,Lista de Bloqueo de Vacaciones
DocType: Sales Invoice Item,Customer's Item Code,Código de artículo del Cliente
@@ -450,9 +446,9 @@
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Propósito de la Visita de Mantenimiento
DocType: SMS Log,No of Sent SMS,No. de SMS enviados
DocType: Account,Stock Received But Not Billed,Inventario Recibido pero no facturados
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Tiendas
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Tiendas
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Fila {0}: Cantidad es obligatorio
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Tipo de informe es obligatorio
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Tipo de informe es obligatorio
DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Usuario del Sistema (login )ID. Si se establece , será por defecto para todas las formas de Recursos Humanos."
DocType: Purchase Order,Get Last Purchase Rate,Obtenga último precio de compra
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},"El factor de conversión de la (UdM) Unidad de medida, es requerida en la linea {0}"
@@ -460,13 +456,12 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Electrónica
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Cuentas (o grupos) contra el que las entradas contables se hacen y los saldos se mantienen.
DocType: Journal Entry Account,If Income or Expense,Si es un ingreso o egreso
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Fila {0}: Una entrada para reordenar ya existe para este almacén {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Fila {0}: Una entrada para reordenar ya existe para este almacén {1}
DocType: Lead,Lead,Iniciativas
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},No hay suficiente saldo para Tipo de Vacaciones {0}
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Bloquee solicitud de ausencias por departamento.
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Repita los Clientes
DocType: Account,Depreciation,Depreciación
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,El mismo artículo se ha introducido varias veces.
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},"Por favor, cree Cliente de la Oportunidad {0}"
DocType: Payment Request,Make Sales Invoice,Hacer Factura de Venta
DocType: Purchase Invoice,Supplier Invoice No,Factura del Proveedor No
@@ -480,7 +475,6 @@
DocType: Opportunity,With Items,Con artículos
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Número de orden {0} no existe
DocType: Purchase Receipt Item,Required By,Requerido por
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Compañía no se encuentra en los almacenes {0}
DocType: Purchase Invoice Item,Purchase Invoice Item,Factura de Compra del artículo
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Cotización {0} no es de tipo {1}
apps/erpnext/erpnext/config/hr.py +24,Attendance record.,Registro de Asistencia .
@@ -488,17 +482,17 @@
DocType: Purchase Invoice,Supplied Items,Artículos suministrados
DocType: Accounts Settings,Users with this role are allowed to set frozen accounts and create / modify accounting entries against frozen accounts,Los usuarios con esta función pueden establecer cuentas congeladas y crear / modificar los asientos contables contra las cuentas congeladas
DocType: Account,Debit,Débito
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","por ejemplo Banco, Efectivo , Tarjeta de crédito"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","por ejemplo Banco, Efectivo , Tarjeta de crédito"
DocType: Production Order,Material Transferred for Manufacturing,Material transferido para fabricación
DocType: Item Reorder,Item Reorder,Reordenar productos
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Crédito a la cuenta debe ser una cuenta por pagar
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Crédito a la cuenta debe ser una cuenta por pagar
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,El reembolso de gastos está pendiente de aprobación. Sólo el supervisor de gastos puede actualizar el estado.
,Lead Id,Iniciativa ID
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Generar etiquetas salariales
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Cotizaciones recibidas de los proveedores.
DocType: Sales Partner,Sales Partner Target,Socio de Ventas Objetivo
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Hacer Visita de Mantenimiento
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Inventario no puede actualizarse contra Nota de Envio {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Inventario no puede actualizarse contra Nota de Envio {0}
DocType: Workstation,Rent Cost,Renta Costo
apps/erpnext/erpnext/hooks.py +116,Issues,Problemas
DocType: BOM Replace Tool,Current BOM,Lista de materiales actual
@@ -509,7 +503,7 @@
apps/erpnext/erpnext/config/support.py +32,Single unit of an Item.,Números de serie únicos para cada producto
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Nota de Entrega {0} debe ser cancelado antes de cancelar esta Orden Ventas
DocType: Item Tax,Tax Rate,Tasa de Impuesto
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Los gastos de servicios públicos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Los gastos de servicios públicos
DocType: Account,Parent Account,Cuenta Primaria
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Los mensajes de más de 160 caracteres se dividirá en varios mensajes
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} no se encuentra en el detalle de la factura
@@ -520,8 +514,8 @@
DocType: Notification Control,Send automatic emails to Contacts on Submitting transactions.,Enviar correos electrónicos automáticos a Contactos en transacciones SOMETER.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} no es un número de lote válido para el producto {1}
apps/erpnext/erpnext/config/hr.py +110,Salary template master.,Plantilla Maestra para Salario .
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","No se puede cambiar la moneda por defecto de la compañía, porque existen transacciones, estas deben ser canceladas para cambiar la moneda por defecto."
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,La lista de materiales por defecto ({0}) debe estar activa para este producto o plantilla
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","No se puede cambiar la moneda por defecto de la compañía, porque existen transacciones, estas deben ser canceladas para cambiar la moneda por defecto."
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,La lista de materiales por defecto ({0}) debe estar activa para este producto o plantilla
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Nota: Este centro de costos es un grupo. No se pueden crear asientos contables en los grupos.
DocType: Email Digest,How frequently?,¿Con qué frecuencia ?
DocType: C-Form Invoice Detail,Invoice No,Factura No
@@ -542,7 +536,7 @@
DocType: Supplier Quotation,Opportunity,Oportunidades
DocType: Salary Slip,Salary Slip,Planilla
DocType: Account,Rate at which this tax is applied,Velocidad a la que se aplica este impuesto
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Proveedor Id
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Proveedor Id
DocType: Leave Block List,Block Holidays on important days.,Bloqueo de vacaciones en días importantes.
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analitico de Soporte
DocType: Stock Entry,Subcontract,Subcontrato
@@ -553,14 +547,13 @@
DocType: Bin,Actual Quantity,Cantidad actual
DocType: Asset Movement,Stock Manager,Gerente
DocType: Shipping Rule Condition,Shipping Rule Condition,Regla Condición inicial
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Apertura de saldos de capital
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Apertura de saldos de capital
DocType: Stock Entry Detail,Stock Entry Detail,Detalle de la Entrada de Inventario
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','Hasta Caso No.' no puede ser inferior a 'Desde el Caso No.'
DocType: Employee,Health Details,Detalles de la Salud
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Número de Recibo de Compra Requerido para el punto {0}
DocType: Maintenance Visit,Unscheduled,No Programada
DocType: Purchase Receipt,Other Details,Otros Datos
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Compra debe comprobarse, si se selecciona Aplicable Para como {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Compra debe comprobarse, si se selecciona Aplicable Para como {0}"
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Entradas de cierre de período
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,El costo de artículos comprados
DocType: Company,Delete Company Transactions,Eliminar Transacciones de la empresa
@@ -589,28 +582,26 @@
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Total (Amt)
DocType: Journal Entry,Credit Card Entry,Introducción de tarjetas de crédito
DocType: Authorization Rule,Applicable To (Designation),Aplicables a (Denominación )
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Opciones sobre Acciones
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Categoría de impuesto no puede ser 'Valoración ' o ""Valoración y Total"" como todos los artículos no elementos del inventario"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Opciones sobre Acciones
DocType: Account,Receivable,Cuenta por Cobrar
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,El campo 'Oportunidad de' es obligatorio
DocType: Sales Partner,Reseller,Reseller
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Mayor
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Gastos de Mantenimiento de Oficinas
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Mayor
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Gastos de Mantenimiento de Oficinas
DocType: BOM,Manufacturing,Producción
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'Entradas' no puede estar vacío
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Procentaje (% )
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Procentaje (% )
DocType: Leave Control Panel,Leave Control Panel,Salir del Panel de Control
DocType: Monthly Distribution Percentage,Percentage Allocation,Porcentaje de asignación de
DocType: Shipping Rule Condition,Shipping Amount,Importe del envío
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,El código del artículo es obligatorio porque el producto no se enumera automáticamente
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,El código del artículo es obligatorio porque el producto no se enumera automáticamente
DocType: Sales Invoice Item,Sales Order Item,Articulo de la Solicitud de Venta
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Inspección de calidad entrante
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,La Cuenta no concuerda con la Compañía
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Enumere algunos de los productos o servicios que usted compra o vende. asegúrese de revisar el 'Grupo' de los artículos, unidad de medida (UOM) y las demás propiedades."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Enumere algunos de los productos o servicios que usted compra o vende. asegúrese de revisar el 'Grupo' de los artículos, unidad de medida (UOM) y las demás propiedades."
DocType: Sales Person,Parent Sales Person,Contacto Principal de Ventas
DocType: Warehouse,Warehouse Contact Info,Información de Contacto del Almacén
DocType: Supplier,Statutory info and other general information about your Supplier,Información legal y otra información general acerca de su proveedor
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unidad de Medida {0} se ha introducido más de una vez en la Tabla de Factores de Conversión
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unidad de Medida {0} se ha introducido más de una vez en la Tabla de Factores de Conversión
apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +23,From Currency and To Currency cannot be same,'Desde Moneda' y 'A Moneda' no puede ser la misma
DocType: Shopping Cart Settings,Default settings for Shopping Cart,Ajustes por defecto para Compras
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Centro de Costos de las transacciones existentes no se puede convertir al grupo
@@ -619,21 +610,21 @@
DocType: Notification Control,Sales Invoice Message,Mensaje de la Factura
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notificarme por Email cuando se genere una nueva solicitud de materiales
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Especifique la operación , el costo de operación y dar una operación única que no a sus operaciones."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,La orden de producción {0} debe ser enviada
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,La orden de producción {0} debe ser enviada
DocType: Quotation,Shopping Cart,Cesta de la compra
DocType: Asset,Supplier,Proveedores
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Libro Mayor Contable
DocType: HR Settings,Stop Birthday Reminders,Detener recordatorios de cumpleaños
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Gastos de Ventas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Gastos de Ventas
DocType: Serial No,Warranty / AMC Details,Garantía / AMC Detalles
DocType: Maintenance Schedule Item,No of Visits,No. de visitas
DocType: Leave Application,Leave Approver Name,Nombre de Supervisor de Vacaciones
DocType: BOM,Item Description,Descripción del Artículo
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Por favor, introduzca en el campo si 'Repite un día al mes'---"
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Costo de Artículos Emitidas
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Inventario de Gastos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Inventario de Gastos
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Tiempo de Entrega en Días
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Activos por Impuestos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Activos por Impuestos
DocType: Production Planning Tool,Production Planning Tool,Herramienta de planificación de la producción
DocType: Maintenance Schedule,Schedules,Horarios
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Total de Impuestos Después Cantidad de Descuento
@@ -643,27 +634,27 @@
DocType: Serial No,Out of AMC,Fuera de AMC
DocType: Leave Application,Apply / Approve Leaves,Aplicar / Aprobar Vacaciones
DocType: Offer Letter,Select Terms and Conditions,Selecciona Términos y Condiciones
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Nota de Entrega {0} no está presentada
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Nota de Entrega {0} no está presentada
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +137,"Row {0}: To set {1} periodicity, difference between from and to date \
must be greater than or equal to {2}","Fila {0}: Para establecer {1} periodicidad, diferencia entre desde y hasta la fecha \
debe ser mayor que o igual a {2}"
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Luego las reglas de precios son filtradas en base a Cliente, Categoría de cliente, Territorio, Proveedor, Tipo de Proveedor, Campaña, Socio de Ventas, etc"
DocType: Opportunity,Enter name of campaign if source of enquiry is campaign,Introduzca el nombre de la campaña si el origen de la encuesta es una campaña
DocType: BOM Item,Scrap %,Chatarra %
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Carge su membrete y su logotipo. (Puede editarlos más tarde).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Carge su membrete y su logotipo. (Puede editarlos más tarde).
DocType: Item,Is Purchase Item,Es una compra de productos
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Utilidad/Pérdida Neta
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Utilidad/Pérdida Neta
DocType: Serial No,Delivery Document No,Entrega del documento No
DocType: Notification Control,Notification Control,Control de Notificación
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Oficial Administrativo
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Oficial Administrativo
DocType: BOM,Show In Website,Mostrar En Sitio Web
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Cuenta de sobregiros
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Cuenta de sobregiros
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Existe otro {0} # {1} contra la entrada de población {2}: Advertencia
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'Actualizar Stock' no se puede marcar porque los productos no se entregan a través de {0}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Estado de aprobación debe ser "" Aprobado "" o "" Rechazado """
DocType: Employee,Holiday List,Lista de Feriados
DocType: Selling Settings,Settings for Selling Module,Ajustes para vender Módulo
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","por ejemplo "" Herramientas para los Constructores """
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","por ejemplo "" Herramientas para los Constructores """
DocType: Process Payroll,Submit all salary slips for the above selected criteria,Presentar todas las nóminas para los criterios seleccionados anteriormente
DocType: Purchase Invoice,Taxes and Charges Deducted,Impuestos y Gastos Deducidos
DocType: Production Order Operation,Actual Time and Cost,Tiempo y costo actual
@@ -696,7 +687,7 @@
,Serial No Warranty Expiry,Número de orden de caducidad Garantía
DocType: Request for Quotation,Manufacturing Manager,Gerente de Manufactura
DocType: BOM,Item UOM,Unidad de Medida del Artículo
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Total Monto Facturado
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Total Monto Facturado
DocType: Leave Application,Total Leave Days,Total Vacaciones
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Plantilla de Impuestos para las transacciones de venta.
DocType: Appraisal Goal,Score Earned,Puntuación Obtenida
@@ -707,18 +698,18 @@
,Open Production Orders,Abrir Ordenes de Producción
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Monto de impuestos Después Cantidad de Descuento (Compañía moneda)
DocType: Holiday List,Holiday List Name,Lista de nombres de vacaciones
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Volver Ventas
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Volver Ventas
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Automotor
DocType: Purchase Order Item Supplied,Supplied Qty,Suministrado Cantidad
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Empleado no puede informar a sí mismo.
DocType: Stock Entry,Delivery Note No,No. de Nota de Entrega
DocType: Journal Entry Account,Purchase Order,Órdenes de Compra
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not active or does not exist,Empleado {0} no está activo o no existe
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,Se requiere un perfil POS para crear entradas en el Punto-de-Venta
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,Se requiere un perfil POS para crear entradas en el Punto-de-Venta
,Requested Items To Be Ordered,Solicitud de Productos Aprobados
DocType: Salary Slip,Leave Without Pay,Licencia sin Sueldo
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Root no se puede editar .
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Almacén de origen es obligatoria para la fila {0}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root no se puede editar .
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Almacén de origen es obligatoria para la fila {0}
DocType: Sales Partner,Target Distribution,Distribución Objetivo
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Apertura de un Trabajo .
DocType: BOM,Item Image (if not slideshow),"Imagen del Artículo (si no, presentación de diapositivas)"
@@ -726,40 +717,39 @@
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Depósito sólo se puede cambiar a través de la Entrada de Almacén / Nota de Entrega / Recibo de Compra
DocType: Quotation,Quotation To,Cotización Para
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,Seleccione el año fiscal
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,"'Tiene Número de Serie' no puede ser ""Sí"" para elementos que son de inventario"
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"'Tiene Número de Serie' no puede ser ""Sí"" para elementos que son de inventario"
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Efectivo Disponible
DocType: Salary Component,Earning,Ganancia
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +27,Please specify currency in Company,"Por favor, especifique la moneda en la compañía"
DocType: Notification Control,Purchase Order Message,Mensaje de la Orden de Compra
DocType: Customer Group,Only leaf nodes are allowed in transaction,Sólo las Cuentas de Detalle se permiten en una transacción
apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py +19,Date is repeated,Fecha se repite
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Almacén {0}: Cuenta Padre{1} no pertenece a la empresa {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Gobierno
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Gobierno
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Valores y Bolsas de Productos
DocType: Supplier Quotation,Stopped,Detenido
DocType: Item,Items with higher weightage will be shown higher,Los productos con mayor peso se mostraran arriba
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Ambos almacenes deben pertenecer a una misma empresa
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Fila # {0}: No se puede devolver más de {1} para el artículo {2}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Ambos almacenes deben pertenecer a una misma empresa
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Fila # {0}: No se puede devolver más de {1} para el artículo {2}
DocType: Supplier,Supplier of Goods or Services.,Proveedor de Productos o Servicios.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Secretario
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Secretario
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,La Iniciativa se debe establecer si la oportunidad está hecha desde Iniciativas
DocType: Production Order Operation,Operation completed for how many finished goods?,La operación se realizó para la cantidad de productos terminados?
DocType: Rename Tool,Type of document to rename.,Tipo de documento para cambiar el nombre.
DocType: Leave Type,Include holidays within leaves as leaves,"Incluir las vacaciones con ausencias, únicamente como ausencias"
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",Asiento contable congelado actualmente ; nadie puede modificar el asiento excepto el rol que se especifica a continuación .
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Derechos e Impuestos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Derechos e Impuestos
apps/erpnext/erpnext/config/manufacturing.py +46,Tree of Bill of Materials,Árbol de la lista de materiales
DocType: BOM,Manufacturing User,Usuario de Manufactura
,Profit and Loss Statement,Estado de Pérdidas y Ganancias
DocType: Item Supplier,Item Supplier,Proveedor del Artículo
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Cuenta {0}: Cuenta Padre {1} no puede ser una cuenta Mayor
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Cuenta {0}: Cuenta Padre {1} no puede ser una cuenta Mayor
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Asistencia Desde Fecha y Hasta Fecha de Asistencia es obligatoria
apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empty,El carro esta vacío
DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Crear entrada del banco para el sueldo total pagado por los criterios anteriormente seleccionados
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Primero la nota de entrega
,Monthly Attendance Sheet,Hoja de Asistencia Mensual
DocType: Upload Attendance,Get Template,Verificar Plantilla
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Para incluir el impuesto de la linea {0} los impuestos de las lineas {1} también deben ser incluidos
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Para incluir el impuesto de la linea {0} los impuestos de las lineas {1} también deben ser incluidos
DocType: Sales Invoice Advance,Sales Invoice Advance,Factura Anticipadas
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +126,Quantity for Item {0} must be less than {1},Cantidad de elemento {0} debe ser menor de {1}
DocType: Hub Settings,Seller City,Ciudad del vendedor
@@ -767,10 +757,10 @@
DocType: Material Request Item,Min Order Qty,Cantidad mínima de Pedido (MOQ)
DocType: Item,Website Warehouse,Almacén del Sitio Web
DocType: Item,Customer Item Codes,Códigos de clientes
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Fuente y el almacén de destino no pueden ser la misma para la fila {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Fuente y el almacén de destino no pueden ser la misma para la fila {0}
DocType: Process Payroll,Submit Salary Slip,Presentar nómina
apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Sube la asistencia de un archivo .csv
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Imagenes de entradas ya creadas por Orden de Producción
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Imagenes de entradas ya creadas por Orden de Producción
DocType: Shipping Rule,Specify conditions to calculate shipping amount,Especificar condiciones de calcular el importe de envío
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.js +13,This is a root customer group and cannot be edited.,Este es una categoría de cliente raíz y no se puede editar.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +40,Submit this Production Order for further processing.,Enviar esta Orden de Producción para su posterior procesamiento .
@@ -784,7 +774,7 @@
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +42,Appraisal {0} created for Employee {1} in the given date range,Evaluación {0} creado por Empleado {1} en el rango de fechas determinado
DocType: Employee Leave Approver,Employee Leave Approver,Supervisor de Vacaciones del Empleado
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Banca de Inversión
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Unidad
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Unidad
,Stock Analytics,Análisis de existencias
DocType: Leave Control Panel,Leave blank if considered for all departments,Dejar en blanco si se considera para todos los departamentos
,Purchase Order Items To Be Billed,Ordenes de Compra por Facturar
@@ -794,25 +784,25 @@
DocType: Account,Expenses Included In Valuation,Gastos dentro de la valoración
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Clientes Nuevos
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Total Impuestos y Cargos (Moneda Local)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Pieza de trabajo
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Pieza de trabajo
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +81,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,El elemento {0}: Con la cantidad ordenada {1} no puede ser menor que el pedido mínimo {2} (definido en el producto).
DocType: Warehouse,A logical Warehouse against which stock entries are made.,Un almacén lógico por el cual se hacen las entradas de existencia.
DocType: Item,Has Batch No,Tiene lote No
DocType: Serial No,Creation Document Type,Tipo de creación de documentos
DocType: Supplier Quotation Item,Prevdoc DocType,DocType Prevdoc
-DocType: Program Enrollment,Batch,Lotes de Producto
+DocType: Student Attendance Tool,Batch,Lotes de Producto
DocType: BOM Replace Tool,The BOM which will be replaced,La Solicitud de Materiales que será sustituida
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","El día del mes en el que se generará factura automática por ejemplo 05, 28, etc."
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,La Cuenta con subcuentas no puede convertirse en libro de diario.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,La Cuenta con subcuentas no puede convertirse en libro de diario.
,Stock Projected Qty,Cantidad de Inventario Proyectada
DocType: Hub Settings,Seller Country,País del Vendedor
DocType: Production Order Operation,Updated via 'Time Log',Actualizado a través de 'Hora de Registro'
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Vendemos este artículo
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Vendemos este artículo
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} contra Factura {1} de fecha {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Sus productos o servicios
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} es obligatorio. Tal vez tipo de cambio no se ha creado para {1} en {2}.
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Sus productos o servicios
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} es obligatorio. Tal vez tipo de cambio no se ha creado para {1} en {2}.
DocType: Timesheet Detail,To Time,Para Tiempo
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,No se ha añadido ninguna dirección todavía.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,No se ha añadido ninguna dirección todavía.
,Terretory,Territorios
DocType: Naming Series,Series List for this Transaction,Lista de series para esta transacción
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Esto se añade al Código del Artículo de la variante. Por ejemplo, si su abreviatura es ""SM"", y el código del artículo es ""CAMISETA"", el código de artículo de la variante será ""CAMISETA-SM"""
@@ -829,8 +819,8 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Serie n Necesario para artículo serializado {0}
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Mostrar ""en la acción "" o "" No disponible "", basada en stock disponible en este almacén."
DocType: Employee,Place of Issue,Lugar de emisión
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,La órden de compra {0} no existe
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},La Cuenta {0} no es válida. La Moneda de la Cuenta debe de ser {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,La órden de compra {0} no existe
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},La Cuenta {0} no es válida. La Moneda de la Cuenta debe de ser {1}
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Si este artículo tiene variantes, entonces no podrá ser seleccionado en los pedidos de venta, etc."
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,es mandatorio. Quizás el registro de Cambio de Moneda no ha sido creado para
DocType: Sales Invoice,Sales Team1,Team1 Ventas
@@ -838,14 +828,14 @@
apps/erpnext/erpnext/config/support.py +12,Support queries from customers.,Consultas de soporte de clientes .
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Cotizaciones a Oportunidades o Clientes
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Cantidad Consumida
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Campo de impuesto del producto {0} debe tener un tipo de cuenta de impuestos, ingresos, cargos o gastos"
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Campo de impuesto del producto {0} debe tener un tipo de cuenta de impuestos, ingresos, cargos o gastos"
DocType: Purchase Order Item,Supplier Part Number,Número de pieza del proveedor
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Desde fecha' debe ser después de 'Hasta Fecha'
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Cuenta con nodos hijos no se puede convertir a cuentas del libro mayor
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Cuenta con nodos hijos no se puede convertir a cuentas del libro mayor
,Serial No Service Contract Expiry,Número de orden de servicio Contrato de caducidad
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Almacén de Proveedor es necesario para recibos de compras sub contratadas
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Almacén de Proveedor es necesario para recibos de compras sub contratadas
DocType: Employee Education,School/University,Escuela / Universidad
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,El elemento {0} debe ser un producto sub-contratado
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,El elemento {0} debe ser un producto sub-contratado
DocType: Supplier,Is Frozen,Está Inactivo
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Número de orden {0} está en garantía hasta {1}
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Configuración global para todos los procesos de fabricación.
@@ -856,41 +846,40 @@
DocType: Leave Control Panel,Carry Forward,Cargar
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Cuenta {0} está congelada
DocType: Maintenance Schedule Item,Periodicity,Periodicidad
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Materias primas no pueden estar en blanco.
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Materias primas no pueden estar en blanco.
apps/erpnext/erpnext/hr/doctype/employee/employee.py +113,Date Of Retirement must be greater than Date of Joining,Fecha de la jubilación debe ser mayor que Fecha de acceso
,Employee Leave Balance,Balance de Vacaciones del Empleado
DocType: Sales Person,Sales Person Name,Nombre del Vendedor
DocType: Territory,Classification of Customers by region,Clasificación de los clientes por región
DocType: Purchase Invoice,Grand Total (Company Currency),Suma total (Moneda Local)
DocType: Purchase Invoice Item,Quantity and Rate,Cantidad y Cambio
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Can. en balance
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Can. en balance
DocType: BOM,Materials Required (Exploded),Materiales necesarios ( despiece )
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Fuente de los fondos ( Pasivo )
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Fuente de los fondos ( Pasivo )
DocType: BOM,Exploded_items,Vista detallada
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Ajustes para el Módulo de Recursos Humanos
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Factura {0} debe ser cancelado antes de cancelar esta Orden Ventas
DocType: GL Entry,Is Opening,Es apertura
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Almacén {0} no existe
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} no es un producto de stock
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Almacén {0} no existe
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} no es un producto de stock
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,La fecha de vencimiento es obligatorio
,Sales Person-wise Transaction Summary,Resumen de Transacción por Vendedor
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Reordenar Cantidad
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Cuenta secundaria existe para esta cuenta. No es posible eliminar esta cuenta.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Cuenta secundaria existe para esta cuenta. No es posible eliminar esta cuenta.
DocType: BOM,Rate Of Materials Based On,Cambio de materiales basados en
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Descargue la plantilla, para rellenar los datos apropiados y adjuntar el archivo modificado.
Todas las fechas y los empleados en el período seleccionado se adjuntara a la planilla, con los registros de asistencia existentes"
DocType: Landed Cost Voucher,Purchase Receipt Items,Artículos de Recibo de Compra
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Salir Cant.
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Salir Cant.
DocType: Sales Team,Contribution (%),Contribución (%)
DocType: Cost Center,Cost Center Name,Nombre Centro de Costo
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Solicitud de Material utilizado para hacer esta Entrada de Inventario
DocType: Fiscal Year,Year End Date,Año de Finalización
DocType: Purchase Invoice,Supplier Invoice Date,Fecha de la Factura de Proveedor
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Límite de crédito se ha cruzado para el cliente {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Límite de crédito se ha cruzado para el cliente {0} {1} / {2}
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Se trata de un grupo de elementos raíz y no se puede editar .
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Cuenta matriz {0} creada
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Solicitud de Materiales especificado {0} no existe la partida {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Solicitud de Materiales especificado {0} no existe la partida {1}
apps/erpnext/erpnext/hr/doctype/appraisal_template/appraisal_template.py +21,Sum of points for all goals should be 100. It is {0},Suma de puntos para todas las metas debe ser 100. Es {0}
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +234,There are more holidays than working days this month.,Hay más vacaciones que días de trabajo este mes.
DocType: Packing Slip,Gross Weight UOM,Peso Bruto de la Unidad de Medida
@@ -899,7 +888,7 @@
DocType: Purchase Order,Supply Raw Materials,Suministro de Materias Primas
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Tipo de Proveedor / Proveedor
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',"Por favor, introduzca 'la fecha estimada de llegada'"
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Almacén no se puede suprimir porque hay una entrada en registro de inventario para este almacén.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Almacén no se puede suprimir porque hay una entrada en registro de inventario para este almacén.
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +25,Current BOM and New BOM can not be same,Solicitud de Materiales actual y Nueva Solicitud de Materiales no pueden ser iguales
DocType: Account,Stock,Existencias
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Contribución %
@@ -928,7 +917,6 @@
DocType: Shipping Rule,Shipping Rule Conditions,Regla envío Condiciones
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Las solicitudes de licencia .
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Contribución Monto
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Su año Financiero termina en
DocType: Production Order,Item To Manufacture,Artículo Para Fabricación
DocType: Notification Control,Quotation Message,Cotización Mensaje
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +32,Stock Assets,Activos de Inventario
@@ -938,11 +926,10 @@
DocType: Employee,Employment Details,Detalles de Empleo
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Articulo de Reconciliación de Inventario
DocType: Process Payroll,Process Payroll,Nómina de Procesos
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Cuenta {0}: Cuenta Padre {1} no pertenece a la compañía: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Cuenta {0}: Cuenta Padre {1} no pertenece a la compañía: {2}
DocType: Serial No,Purchase / Manufacture Details,Detalles de Compra / Fábricas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,La cuenta para Débito debe ser una cuenta por cobrar
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,La cuenta para Débito debe ser una cuenta por cobrar
DocType: Warehouse,Warehouse Detail,Detalle de almacenes
-DocType: Employee,Salutation,Saludo
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Enviar solicitud de materiales cuando se alcance un nivel bajo el stock
DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Detalle de Calendario de Mantenimiento
DocType: POS Item Group,Item Group,Grupo de artículos
@@ -960,8 +947,8 @@
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +175,Set as Lost,Establecer como Perdidos
,Sales Partners Commission,Comisiones de Ventas
,Sales Person Target Variance Item Group-Wise,Variación por Vendedor de Meta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,La lista de materiales (LdM) {0} debe ser enviada
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},"Por favor, seleccione la Solicitud de Materiales en el campo de Solicitud de Materiales para el punto {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,La lista de materiales (LdM) {0} debe ser enviada
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},"Por favor, seleccione la Solicitud de Materiales en el campo de Solicitud de Materiales para el punto {0}"
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Grado a la que la moneda de proveedor se convierte en la moneda base de la compañía
DocType: Lead,Person Name,Nombre de la persona
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Número de lote es obligatorio para el producto {0}
@@ -981,12 +968,12 @@
DocType: Quotation Item,Quotation Item,Cotización del artículo
DocType: Employee,Date of Issue,Fecha de emisión
DocType: Sales Invoice Item,Sales Invoice Item,Articulo de la Factura de Venta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Cliente {0} no pertenece a proyectar {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Cliente {0} no pertenece a proyectar {1}
DocType: Delivery Note Item,Against Sales Invoice Item,Contra la Factura de Venta de Artículos
DocType: Sales Invoice,Accounting Details,detalles de la contabilidad
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Entradas en el diario de contabilidad.
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Falta de Tipo de Cambio de moneda para {0}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Capital Social
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Capital Social
DocType: HR Settings,Employee Records to be created by,Registros de empleados a ser creados por
DocType: Account,Expense Account,Cuenta de gastos
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Programa de mantenimiento {0} debe ser cancelado antes de cancelar esta orden de venta
@@ -997,35 +984,34 @@
DocType: Purchase Invoice Item,Amount (Company Currency),Importe (Moneda Local)
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Diagrama de Gantt
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Advertencia: Cantidad de Material Solicitado es menor que Cantidad Mínima Establecida
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Su año Financiero inicia en
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planear bitácora de trabajo para las horas fuera de la estación.
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Aquí usted puede mantener la altura , el peso, alergias , problemas médicos , etc"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Contra la Entrada de Diario {0} no tiene ninguna {1} entrada que vincular
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Fila # {0}: Rechazado Cantidad no se puede introducir en la Compra de Retorno
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Habilitar / Deshabilitar el tipo de monedas
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Contra la Entrada de Diario {0} no tiene ninguna {1} entrada que vincular
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Fila # {0}: Rechazado Cantidad no se puede introducir en la Compra de Retorno
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Habilitar / Deshabilitar el tipo de monedas
DocType: Stock Entry,Material Transfer for Manufacture,Trasferencia de Material para Manufactura
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Para combinar, la siguientes propiedades deben ser las mismas para ambos artículos"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Para combinar, la siguientes propiedades deben ser las mismas para ambos artículos"
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +195,Serial No {0} is under maintenance contract upto {1},Número de orden {0} tiene un contrato de mantenimiento hasta {1}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,"Por favor, extraiga los productos desde la nota de entrega--"
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Asignar las vacaciones para un período .
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Mezclar Solicitud de Materiales (incluyendo subconjuntos )
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Mezclar Solicitud de Materiales (incluyendo subconjuntos )
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section","Consulte "" Cambio de materiales a base On"" en la sección Cálculo del coste"
DocType: Stock Settings,Auto Material Request,Solicitud de Materiales Automatica
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Obtener elementos de la Solicitud de Materiales
-,Customer Addresses And Contacts,Las direcciones de clientes y contactos
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Cuenta {0}: no puede asignar la misma cuenta como su cuenta Padre.
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Obtener elementos de la Solicitud de Materiales
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Las direcciones de clientes y contactos
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Cuenta {0}: no puede asignar la misma cuenta como su cuenta Padre.
DocType: Item Price,Item Price,Precios de Productos
DocType: Leave Control Panel,Leave blank if considered for all branches,Dejar en blanco si se considera para todas las ramas
DocType: Purchase Order,To Bill,A Facturar
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Dividir nota de entrega en paquetes .
DocType: Production Plan Sales Order,Production Plan Sales Order,Plan de producción de la orden de ventas (OV)
DocType: Purchase Invoice,Return,Retorno
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,"Por favor, ingrese la moneda por defecto en la compañía principal"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,"Por favor, ingrese la moneda por defecto en la compañía principal"
DocType: Lead,Middle Income,Ingresos Medio
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +263,Sales Invoice {0} has already been submitted,Factura {0} ya se ha presentado
DocType: Employee Education,Year of Passing,Año de Fallecimiento
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Tasa a la cual la Moneda del Cliente se convierte a la moneda base de la compañía
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Cantidad de Fabricación es obligatoria
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Cantidad de Fabricación es obligatoria
DocType: Serial No,AMC Expiry Date,AMC Fecha de caducidad
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Fila {0}: el tipo de entidad se requiere para las cuentas por cobrar/pagar {1}
DocType: Sales Invoice,Total Billing Amount,Monto total de facturación
@@ -1034,7 +1020,7 @@
DocType: Shipping Rule,example: Next Day Shipping,ejemplo : Envío Día Siguiente
DocType: Production Order,Actual Operating Cost,Costo de operación actual
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,"No se puede convertir de 'Centros de Costos' a una cuenta del libro mayor, ya que tiene cuentas secundarias"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Gastos por Servicios Telefónicos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Gastos por Servicios Telefónicos
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Porcentaje de asignación debe ser igual al 100 %
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Contra la Entrada de Diario entrada {0} ya se ajusta contra algún otro comprobante
DocType: Holiday,Holiday,Feriado
@@ -1044,9 +1030,9 @@
DocType: POS Profile,POS Profile,Perfiles POS
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Reglas para la adición de los gastos de envío .
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Su persona de ventas recibirá un aviso con esta fecha para ponerse en contacto con el cliente
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Código del producto requerido en la fila No. {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Código del producto requerido en la fila No. {0}
DocType: SMS Log,No of Requested SMS,No. de SMS solicitados
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Números
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Números
DocType: Employee,Short biography for website and other publications.,Breve biografía de la página web y otras publicaciones.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Permiso de tipo {0} no puede tener más de {1}
,Sales Browser,Navegador de Ventas
@@ -1056,11 +1042,11 @@
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Los usuarios que pueden aprobar las solicitudes de licencia de un empleado específico
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Generar Solicitudes de Material ( MRP ) y Órdenes de Producción .
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Listado de solicitudes de productos
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Por Cantidad (Cantidad fabricada) es obligatorio
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,No puede ser mayor que 100
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Por Cantidad (Cantidad fabricada) es obligatorio
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,No puede ser mayor que 100
DocType: Maintenance Visit,Customer Feedback,Comentarios del cliente
DocType: Purchase Receipt Item Supplied,Required Qty,Cant. Necesaria
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Notas de Entrega
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Notas de Entrega
DocType: Bin,Stock Value,Valor de Inventario
DocType: Purchase Invoice,In Words (Company Currency),En palabras (Moneda Local)
DocType: Website Item Group,Website Item Group,Grupo de Artículos del Sitio Web
@@ -1069,7 +1055,7 @@
DocType: Opportunity,Opportunity Date,Oportunidad Fecha
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Sube saldo de existencias a través csv .
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +7,There was an error. One probable reason could be that you haven't saved the form. Please contact support@erpnext.com if the problem persists.,"Ha ocurrido un error . Una razón probable podría ser que usted no ha guardado el formulario. Por favor, póngase en contacto con support@erpnext.com si el problema persiste."
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Descuento máximo permitido para cada elemento: {0} es {1}%
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Descuento máximo permitido para cada elemento: {0} es {1}%
,POS,POS
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,Fecha Final no puede ser inferior a Fecha de Inicio
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Por favor seleccione trasladar, si usted desea incluir los saldos del año fiscal anterior a este año"
@@ -1077,11 +1063,11 @@
DocType: Shipping Rule,Calculate Based On,Calcular basado en
DocType: Production Order,Qty To Manufacture,Cantidad Para Fabricación
DocType: BOM Item,Basic Rate (Company Currency),Precio Base (Moneda Local)
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Monto Total Soprepasado
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Monto Total Soprepasado
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Monto Sobrepasado
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Fila {0}: Crédito no puede vincularse con {1}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Tarjeta de Crédito
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Partidas contables ya han sido realizadas en {0} para la empresa {1}. Por favor seleccione una cuenta por cobrar o pagar con moneda {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Tarjeta de Crédito
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Partidas contables ya han sido realizadas en {0} para la empresa {1}. Por favor seleccione una cuenta por cobrar o pagar con moneda {0}
apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Duplicar fila {0} con el mismo {1}
DocType: Leave Application,Leave Application,Solicitud de Vacaciones
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +782,For Supplier,Por proveedor
@@ -1092,8 +1078,8 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Condiciones coincidentes encontradas entre :
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',"Por favor, especifique 'Desde el caso No.' válido"
DocType: Process Payroll,Make Bank Entry,Hacer Entrada del Banco
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Artículo o Bodega para la fila {0} no coincide Solicitud de material
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Total'
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Artículo o Bodega para la fila {0} no coincide Solicitud de material
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Total'
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Deudores
DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Establecer presupuestos - Grupo sabio artículo en este Territorio. También puede incluir la estacionalidad mediante el establecimiento de la Distribución .
DocType: Territory,For reference,Por referencia
@@ -1103,7 +1089,7 @@
DocType: Item,Default BOM,Solicitud de Materiales por Defecto
,Delivery Note Trends,Tendencia de Notas de Entrega
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Número de orden {0} ya se ha recibido
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} ingresado dos veces en el Impuesto del producto
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} ingresado dos veces en el Impuesto del producto
apps/erpnext/erpnext/config/projects.py +13,Project master.,Proyecto maestro
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Sólo puede haber una Condición de Regla de Envió con valor 0 o valor en blanco para ""To Value"""
DocType: Item Group,Item Group Name,Nombre del grupo de artículos
@@ -1139,7 +1125,7 @@
DocType: Depreciation Schedule,Schedule Date,Horario Fecha
DocType: UOM,UOM Name,Nombre Unidad de Medida
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Asignar las hojas para el año.
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Almacenes de destino es obligatorio para la fila {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Almacenes de destino es obligatorio para la fila {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Obtener los elementos desde Recibos de Compra
DocType: Item,Serial Number Series,Número de Serie Serie
DocType: Sales Invoice,Product Bundle Help,Ayuda del conjunto/paquete de productos
diff --git a/erpnext/translations/es.csv b/erpnext/translations/es.csv
index 39aec67..0bce6fd 100644
--- a/erpnext/translations/es.csv
+++ b/erpnext/translations/es.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Productos de consumo
DocType: Item,Customer Items,Partidas de deudores
DocType: Project,Costing and Billing,Cálculo de costos y facturación
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Cuenta {0}: la cuenta padre {1} no puede ser una cuenta de libro mayor
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Cuenta {0}: la cuenta padre {1} no puede ser una cuenta de libro mayor
DocType: Item,Publish Item to hub.erpnext.com,Publicar artículo en hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,Notificaciones por correo electrónico
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Evaluación
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,Evaluación
DocType: Item,Default Unit of Measure,Unidad de Medida (UdM) predeterminada
DocType: SMS Center,All Sales Partner Contact,Listado de todos los socios de ventas
DocType: Employee,Leave Approvers,Supervisores de ausencias
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),El tipo de cambio debe ser el mismo que {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Nombre del cliente
DocType: Vehicle,Natural Gas,Gas natural
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},La cuenta bancaria no puede nombrarse como {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},La cuenta bancaria no puede nombrarse como {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Cuentas (o grupos) para el cual los asientos contables se crean y se mantienen los saldos
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),El pago pendiente para {0} no puede ser menor que cero ({1})
DocType: Manufacturing Settings,Default 10 mins,Por defecto 10 minutos
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Todos Contactos de Proveedores
DocType: Support Settings,Support Settings,Configuración de respaldo
DocType: SMS Parameter,Parameter,Parámetro
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,La fecha prevista de finalización no puede ser inferior a la fecha prevista de inicio
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,La fecha prevista de finalización no puede ser inferior a la fecha prevista de inicio
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Línea # {0}: El valor debe ser el mismo que {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Nueva solicitud de ausencia
,Batch Item Expiry Status,Lotes artículo Estado de caducidad
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Giro bancario
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Giro bancario
DocType: Mode of Payment Account,Mode of Payment Account,Modo de pago a cuenta
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Mostrar variantes
DocType: Academic Term,Academic Term,Término académico
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Material
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Cantidad
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,La tabla de cuentas no puede estar en blanco
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Préstamos (pasivos)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Préstamos (pasivos)
DocType: Employee Education,Year of Passing,Año de finalización
DocType: Item,Country of Origin,País de origen
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,En inventario
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,En inventario
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Problemas abiertos
DocType: Production Plan Item,Production Plan Item,Plan de producción de producto
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},El usuario {0} ya está asignado al empleado {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Asistencia médica
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Retraso en el pago (días)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Gasto servicio
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Número de serie: {0} ya se hace referencia en Factura de venta: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Número de serie: {0} ya se hace referencia en Factura de venta: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Factura
DocType: Maintenance Schedule Item,Periodicity,Periodo
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Año Fiscal {0} es necesario
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Línea # {0}:
DocType: Timesheet,Total Costing Amount,Monto cálculo del coste total
DocType: Delivery Note,Vehicle No,Vehículo No.
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,"Por favor, seleccione la lista de precios"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,"Por favor, seleccione la lista de precios"
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Fila # {0}: Documento de Pago es requerido para completar la transacción
DocType: Production Order Operation,Work In Progress,Trabajo en proceso
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Por favor seleccione la fecha
DocType: Employee,Holiday List,Lista de festividades
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Contador
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Contador
DocType: Cost Center,Stock User,Usuario de almacén
DocType: Company,Phone No,Teléfono No.
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Calendario de cursos creados:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Nuevo/a {0}: #{1}
,Sales Partners Commission,Comisiones de socios de ventas
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Abreviatura no puede tener más de 5 caracteres
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Abreviatura no puede tener más de 5 caracteres
DocType: Payment Request,Payment Request,Solicitud de Pago
DocType: Asset,Value After Depreciation,Valor después de Depreciación
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,La fecha de la asistencia no puede ser inferior a la fecha de ingreso de los empleados
DocType: Grading Scale,Grading Scale Name,Nombre Escala de clasificación
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Esta es una cuenta raíz y no se puede editar.
+DocType: Sales Invoice,Company Address,Dirección de la Compañía
DocType: BOM,Operations,Operaciones
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},No se puede establecer la autorización sobre la base de descuento para {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Adjuntar archivo .csv con dos columnas, una para el nombre antiguo y la otra para el nombre nuevo."
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} no en cualquier año fiscal activa.
DocType: Packed Item,Parent Detail docname,Detalle principal docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referencia: {0}, Código del Artículo: {1} y Cliente: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Kilogramo
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Kilogramo
DocType: Student Log,Log,Log
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Apertura de un puesto
DocType: Item Attribute,Increment,Incremento
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Publicidad
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,La misma Compañia es ingresada mas de una vez
DocType: Employee,Married,Casado
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},No está permitido para {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},No está permitido para {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Obtener artículos de
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Inventario no puede actualizarse contra la nota de envío {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Inventario no puede actualizarse contra la nota de envío {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Producto {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,No hay elementos en la lista
DocType: Payment Reconciliation,Reconcile,Conciliar
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Siguiente Depreciación La fecha no puede ser anterior a la fecha de compra
DocType: SMS Center,All Sales Person,Todos los vendedores
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** ** Distribución mensual ayuda a distribuir el presupuesto / Target a través de meses si tiene la estacionalidad de su negocio.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,No se encontraron artículos
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,No se encontraron artículos
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Falta Estructura Salarial
DocType: Lead,Person Name,Nombre de persona
DocType: Sales Invoice Item,Sales Invoice Item,Producto de factura de venta
DocType: Account,Credit,Haber
DocType: POS Profile,Write Off Cost Center,Desajuste de centro de costos
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""","por ejemplo, "escuela primaria" o "Universidad""
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""","por ejemplo, "escuela primaria" o "Universidad""
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Reportes de Stock
DocType: Warehouse,Warehouse Detail,Detalles del Almacén
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Límite de crédito ha sido sobrepasado para el cliente {0} {1}/{2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Límite de crédito ha sido sobrepasado para el cliente {0} {1}/{2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"La fecha final de duración no puede ser posterior a la fecha de fin de año del año académico al que está vinculado el término (año académico {}). Por favor, corrija las fechas y vuelve a intentarlo."
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Es el activo fijo" no puede estar sin marcar, ya que existe registro de activos contra el elemento"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Es el activo fijo" no puede estar sin marcar, ya que existe registro de activos contra el elemento"
DocType: Vehicle Service,Brake Oil,Aceite de Frenos
DocType: Tax Rule,Tax Type,Tipo de impuestos
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},No tiene permisos para agregar o actualizar las entradas antes de {0}
DocType: BOM,Item Image (if not slideshow),Imagen del producto (si no son diapositivas)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Existe un cliente con el mismo nombre
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tarifa por hora / 60) * Tiempo real de la operación
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Seleccione la lista de materiales
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Seleccione la lista de materiales
DocType: SMS Log,SMS Log,Registros SMS
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Costo de productos entregados
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,El día de fiesta en {0} no es entre De la fecha y Hasta la fecha
@@ -159,13 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Desde {0} a {1}
DocType: Item,Copy From Item Group,Copiar desde grupo
DocType: Journal Entry,Opening Entry,Asiento de apertura
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Cliente> Grupo de clientes> Territorio
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Sólo cuenta de pago
DocType: Employee Loan,Repay Over Number of Periods,Devolver a lo largo Número de periodos
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} no está inscrito en el {2}
DocType: Stock Entry,Additional Costs,Costes adicionales
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Cuenta con transacción existente no se puede convertir al grupo.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Cuenta con transacción existente no se puede convertir al grupo.
DocType: Lead,Product Enquiry,Petición de producto
DocType: Academic Term,Schools,Escuelas
+DocType: School Settings,Validate Batch for Students in Student Group,Validar lote para estudiantes en grupo de estudiantes
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},No hay registro de vacaciones encontrados para los empleados {0} de {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Por favor, ingrese primero la compañía"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,"Por favor, seleccione primero la compañía"
@@ -174,49 +176,49 @@
DocType: BOM,Total Cost,Coste total
DocType: Journal Entry Account,Employee Loan,Préstamo de Empleado
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Registro de Actividad:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,El elemento {0} no existe en el sistema o ha expirado
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,El elemento {0} no existe en el sistema o ha expirado
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Bienes raíces
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Estado de cuenta
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Productos farmacéuticos
DocType: Purchase Invoice Item,Is Fixed Asset,Es activo fijo
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Cantidad disponible es {0}, necesita {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Cantidad disponible es {0}, necesita {1}"
DocType: Expense Claim Detail,Claim Amount,Importe del reembolso
-DocType: Employee,Mr,Sr.
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Grupo de clientes duplicado encontrado en la tabla de grupo de clientes
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Proveedor / Tipo de proveedor
DocType: Naming Series,Prefix,Prefijo
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Consumible
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Consumible
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Importar registro
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Traer Solicitud de materiales de tipo Fabricación en base a los criterios anteriores
DocType: Training Result Employee,Grade,Grado
DocType: Sales Invoice Item,Delivered By Supplier,Entregado por proveedor
DocType: SMS Center,All Contact,Todos los Contactos
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Orden de producción ya se ha creado para todos los elementos con la lista de materiales
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Salario Anual
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Orden de producción ya se ha creado para todos los elementos con la lista de materiales
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Salario Anual
DocType: Daily Work Summary,Daily Work Summary,Resumen diario de Trabajo
DocType: Period Closing Voucher,Closing Fiscal Year,Cerrando el año fiscal
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} está congelado
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,"Por favor, seleccione empresa ya existente para la creación del plan de cuentas"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Gastos sobre existencias
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} está congelado
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,"Por favor, seleccione empresa ya existente para la creación del plan de cuentas"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Gastos sobre existencias
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Seleccionar Almacén Objetivo
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,"Por favor, introduzca preferido del contacto de correo electrónico"
+DocType: Program Enrollment,School Bus,Autobús Escolar
DocType: Journal Entry,Contra Entry,Entrada contra
DocType: Journal Entry Account,Credit in Company Currency,Divisa por defecto de la cuenta de credito
DocType: Delivery Note,Installation Status,Estado de la instalación
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",¿Quieres actualizar la asistencia? <br> Presente: {0} \ <br> Ausentes: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Cantidad Aceptada + Rechazada debe ser igual a la cantidad Recibida por el Artículo {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Cantidad Aceptada + Rechazada debe ser igual a la cantidad Recibida por el Artículo {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Suministro de materia prima para la compra
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,Se requiere al menos un modo de pago de la factura POS.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,Se requiere al menos un modo de pago de la factura POS.
DocType: Products Settings,Show Products as a List,Mostrar los productos en forma de lista
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Descargue la plantilla, para rellenar los datos apropiados y adjuntar el archivo modificado.
Todas las fechas y los empleados en el período seleccionado se adjuntara a la planilla, con los registros de asistencia existentes."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,El producto {0} no está activo o ha llegado al final de la vida útil
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Ejemplo: Matemáticas Básicas
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Para incluir el impuesto en la línea {0} los impuestos de las lineas {1} tambien deben ser incluidos
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,El producto {0} no está activo o ha llegado al final de la vida útil
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Ejemplo: Matemáticas Básicas
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Para incluir el impuesto en la línea {0} los impuestos de las lineas {1} tambien deben ser incluidos
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Configuracion para módulo de recursos humanos (RRHH)
DocType: SMS Center,SMS Center,Centro SMS
DocType: Sales Invoice,Change Amount,Importe de cambio
@@ -226,7 +228,7 @@
DocType: Lead,Request Type,Tipo de solicitud
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Crear empleado
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Difusión
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Ejecución
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Ejecución
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Detalles de las operaciones realizadas.
DocType: Serial No,Maintenance Status,Estado del mantenimiento
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: se requiere un proveedor para la cuenta por pagar {2}
@@ -254,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,La solicitud de cotización se puede acceder haciendo clic en el siguiente enlace
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Asignar las ausencias para el año.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG Curso herramienta de creación
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,insuficiente Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,insuficiente Stock
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Desactivar planificación de capacidad y seguimiento de tiempo
DocType: Email Digest,New Sales Orders,Nueva orden de venta (OV)
DocType: Bank Guarantee,Bank Account,Cuenta bancaria
@@ -265,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log',Actualizado a través de la gestión de tiempos
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Cantidad de avance no puede ser mayor que {0} {1}
DocType: Naming Series,Series List for this Transaction,Lista de secuencias para esta transacción
+DocType: Company,Enable Perpetual Inventory,Habilitar Inventario Perpetuo
DocType: Company,Default Payroll Payable Account,La nómina predeterminada de la cuenta por pagar
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Editar Grupo de Correo Electrónico
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Editar Grupo de Correo Electrónico
DocType: Sales Invoice,Is Opening Entry,Es una entrada de apertura
DocType: Customer Group,Mention if non-standard receivable account applicable,Indique si una cuenta por cobrar no estándar es aplicable
DocType: Course Schedule,Instructor Name,Nombre instructor
@@ -278,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Contra la factura de venta del producto
,Production Orders in Progress,Órdenes de producción en progreso
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Efectivo neto de financiación
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","Almacenamiento Local esta lleno, no se guardó"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","Almacenamiento Local esta lleno, no se guardó"
DocType: Lead,Address & Contact,Dirección y Contacto
DocType: Leave Allocation,Add unused leaves from previous allocations,Añadir permisos no usados de asignaciones anteriores
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},La próxima recurrencia {0} se creará el {1}
DocType: Sales Partner,Partner website,Sitio web de colaboradores
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Añadir artículo
-,Contact Name,Nombre de contacto
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Nombre de contacto
DocType: Course Assessment Criteria,Course Assessment Criteria,Criterios de Evaluación del Curso
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Crear la nómina salarial con los criterios antes seleccionados.
DocType: POS Customer Group,POS Customer Group,POS Grupo de Clientes
@@ -293,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Ninguna descripción definida
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Solicitudes de compra.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Esto se basa en la tabla de tiempos creada en contra de este proyecto
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Pago Neto no puede ser menor que 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Pago Neto no puede ser menor que 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Sólo el supervisor de ausencias responsable puede validar esta solicitud de permiso
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,La fecha de relevo debe ser mayor que la fecha de inicio
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Ausencias por año
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Ausencias por año
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Línea {0}: Por favor, verifique 'Es un anticipo' para la cuenta {1} si se trata de una entrada de pago anticipado."
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},El almacén {0} no pertenece a la compañía {1}
-DocType: Email Digest,Profit & Loss,Pérdida de beneficios
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Litro
+DocType: Email Digest,Profit & Loss,Perdidas & Ganancias
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Litro
DocType: Task,Total Costing Amount (via Time Sheet),Cálculo del coste total Monto (a través de hoja de horas)
DocType: Item Website Specification,Item Website Specification,Especificación del producto en la WEB
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Vacaciones Bloqueadas
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},El producto {0} ha llegado al fin de la vida útil el {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},El producto {0} ha llegado al fin de la vida útil el {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Asientos Bancarios
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Anual
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Elemento de reconciliación de inventarios
@@ -312,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,Cantidad mínima de Pedido
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Curso herramienta de creación de grupo de alumnos
DocType: Lead,Do Not Contact,No contactar
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,Personas que enseñan en su organización
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,Personas que enseñan en su organización
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,El ID único para el seguimiento de todas las facturas recurrentes. Este es generado al validar.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Desarrollador de Software.
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Desarrollador de Software.
DocType: Item,Minimum Order Qty,Cantidad mínima de la orden
DocType: Pricing Rule,Supplier Type,Tipo de proveedor
DocType: Course Scheduling Tool,Course Start Date,Fecha de inicio del Curso
@@ -323,11 +326,11 @@
DocType: Item,Publish in Hub,Publicar en el Hub
DocType: Student Admission,Student Admission,Admisión de Estudiantes
,Terretory,Territorio
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,El producto {0} esta cancelado
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,El producto {0} esta cancelado
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Solicitud de materiales
DocType: Bank Reconciliation,Update Clearance Date,Actualizar fecha de liquidación
DocType: Item,Purchase Details,Detalles de Compra
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},El elemento {0} no se encuentra en 'Materias Primas Suministradas' en la tabla de la órden de compra {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},El elemento {0} no se encuentra en 'Materias Primas Suministradas' en la tabla de la órden de compra {1}
DocType: Employee,Relation,Relación
DocType: Shipping Rule,Worldwide Shipping,Envío al mundo entero
DocType: Student Guardian,Mother,Madre
@@ -346,6 +349,7 @@
DocType: Student Group Student,Student Group Student,Estudiante grupo de alumnos
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Más reciente
DocType: Vehicle Service,Inspection,Inspección
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Lista
DocType: Email Digest,New Quotations,Nuevas Cotizaciones
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Los correos electrónicos de deslizamiento salarial a los empleados basadas en el correo electrónico preferido seleccionado en Empleado
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,El primer supervisor de ausencias en la lista sera definido como el administrador de ausencias/vacaciones predeterminado.
@@ -354,20 +358,20 @@
DocType: Asset,Next Depreciation Date,Siguiente Fecha de Depreciación
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Coste de actividad por empleado
DocType: Accounts Settings,Settings for Accounts,Ajustes de contabilidad
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Factura de Proveedor no existe en la Factura de Compra {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Factura de Proveedor no existe en la Factura de Compra {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Administrar las categoría de los socios de ventas
DocType: Job Applicant,Cover Letter,Carta de presentación
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Cheques pendientes y Depósitos para despejar
DocType: Item,Synced With Hub,Sincronizado con Hub.
DocType: Vehicle,Fleet Manager,Gerente de Fota
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Fila # {0}: {1} no puede ser negativo para el elemento {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Contraseña incorrecta
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Contraseña incorrecta
DocType: Item,Variant Of,Variante de
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',La cantidad completada no puede ser mayor que la cantidad a manufacturar.
DocType: Period Closing Voucher,Closing Account Head,Cuenta principal de cierre
DocType: Employee,External Work History,Historial de trabajos externos
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Error de referencia circular
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Nombre del Tutor1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Nombre del Tutor1
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,En palabras (Exportar) serán visibles una vez que guarde la nota de entrega.
DocType: Cheque Print Template,Distance from left edge,Distancia desde el borde izquierdo
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} unidades de [{1}] (# Formulario / artículo / {1}) encontradas en [{2}] (# Formulario / Almacén / {2})
@@ -376,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notificarme por Email cuando se genere una nueva requisición de materiales
DocType: Journal Entry,Multi Currency,Multi moneda
DocType: Payment Reconciliation Invoice,Invoice Type,Tipo de factura
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Nota de entrega
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Nota de entrega
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Configuración de Impuestos
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Costo del activo vendido
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,"El registro del pago ha sido modificado antes de su modificación. Por favor, inténtelo de nuevo."
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} se ingresó dos veces en impuesto del artículo
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"El registro del pago ha sido modificado antes de su modificación. Por favor, inténtelo de nuevo."
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} se ingresó dos veces en impuesto del artículo
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Resumen para esta semana y actividades pendientes
DocType: Student Applicant,Admitted,Aceptado
DocType: Workstation,Rent Cost,Costo de arrendamiento
@@ -398,25 +402,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Por favor, introduzca el valor en el campo 'Repetir un día al mes'"
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Tasa por la cual la divisa es convertida como moneda base del cliente
DocType: Course Scheduling Tool,Course Scheduling Tool,Herramienta de Programación de Cursos
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Fila # {0}: Factura de compra no se puede hacer frente a un activo existente {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Fila # {0}: Factura de compra no se puede hacer frente a un activo existente {1}
DocType: Item Tax,Tax Rate,Procentaje del impuesto
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} ya ha sido asignado para el empleado {1} para el periodo {2} hasta {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Seleccione producto
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,La factura de compra {0} ya existe o se encuentra validada
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,La factura de compra {0} ya existe o se encuentra validada
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Línea # {0}: El lote no puede ser igual a {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Convertir a 'Sin-Grupo'
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Listados de los lotes de los productos
DocType: C-Form Invoice Detail,Invoice Date,Fecha de factura
DocType: GL Entry,Debit Amount,Importe débitado
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Sólo puede existir una (1) cuenta por compañía en {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,"Por favor, revise el documento adjunto"
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Sólo puede existir una (1) cuenta por compañía en {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,"Por favor, revise el documento adjunto"
DocType: Purchase Order,% Received,% Recibido
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Crear grupos de estudiantes
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,La configuración ya se ha completado!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Monto de Nota de Credito
,Finished Goods,Productos terminados
DocType: Delivery Note,Instructions,Instrucciones
DocType: Quality Inspection,Inspected By,Inspección realizada por
DocType: Maintenance Visit,Maintenance Type,Tipo de Mantenimiento
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} no está inscrito en el curso {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},El número de serie {0} no pertenece a la nota de entrega {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,Demostración ERPNext
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Añadir los artículos
@@ -437,7 +443,7 @@
DocType: Request for Quotation,Request for Quotation,Solicitud de Cotización
DocType: Salary Slip Timesheet,Working Hours,Horas de Trabajo
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Defina el nuevo número de secuencia para esta transacción.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Crear un nuevo cliente
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Crear un nuevo cliente
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Si existen varias reglas de precios, se les pide a los usuarios que establezcan la prioridad manualmente para resolver el conflicto."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Crear órdenes de compra
,Purchase Register,Registro de compras
@@ -449,7 +455,7 @@
DocType: Student Log,Medical,Médico
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Razón de pérdida
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Propietario de Iniciativa no puede ser igual que el de la Iniciativa
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,importe asignado no puede superar el importe no ajustado
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,importe asignado no puede superar el importe no ajustado
DocType: Announcement,Receiver,Receptor
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},La estación de trabajo estará cerrada en las siguientes fechas según la lista de festividades: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Oportunidades
@@ -463,8 +469,7 @@
DocType: Assessment Plan,Examiner Name,Nombre del examinador
DocType: Purchase Invoice Item,Quantity and Rate,Cantidad y precios
DocType: Delivery Note,% Installed,% Instalado
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,"Aulas / laboratorios, etc., donde las clases se pueden programar."
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Proveedor > Tipo de proveedor
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Aulas / laboratorios, etc., donde las clases se pueden programar."
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,"Por favor, ingrese el nombre de la compañia"
DocType: Purchase Invoice,Supplier Name,Nombre de proveedor
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Lea el Manual ERPNext
@@ -474,7 +479,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Comprobar número de factura único por proveedor
DocType: Vehicle Service,Oil Change,Cambio de aceite
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','Hasta el caso nº' no puede ser menor que 'Desde el caso nº'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Sin fines de lucro
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Sin fines de lucro
DocType: Production Order,Not Started,No iniciado
DocType: Lead,Channel Partner,Canal de socio
DocType: Account,Old Parent,Antiguo Padre
@@ -484,19 +489,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Configuración global para todos los procesos de producción
DocType: Accounts Settings,Accounts Frozen Upto,Cuentas congeladas hasta
DocType: SMS Log,Sent On,Enviado por
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Atributo {0} seleccionado varias veces en la tabla Atributos
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Atributo {0} seleccionado varias veces en la tabla Atributos
DocType: HR Settings,Employee record is created using selected field. ,El registro del empleado se crea utilizando el campo seleccionado.
DocType: Sales Order,Not Applicable,No aplicable
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Master de vacaciones .
DocType: Request for Quotation Item,Required Date,Fecha de solicitud
DocType: Delivery Note,Billing Address,Dirección de facturación
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,"Por favor, introduzca el código del producto."
DocType: BOM,Costing,Presupuesto
DocType: Tax Rule,Billing County,Condado de facturación
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Si se selecciona, el valor del impuesto se considerará como ya incluido en el importe"
DocType: Request for Quotation,Message for Supplier,Mensaje para los Proveedores
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Cantidad Total
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,ID de correo electrónico del Tutor2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,ID de correo electrónico del Tutor2
DocType: Item,Show in Website (Variant),Mostrar en el sitio web (variante)
DocType: Employee,Health Concerns,Problemas de salud
DocType: Process Payroll,Select Payroll Period,Seleccione el período de nómina
@@ -514,25 +518,27 @@
DocType: Sales Order Item,Used for Production Plan,Se utiliza para el plan de producción
DocType: Employee Loan,Total Payment,Pago total
DocType: Manufacturing Settings,Time Between Operations (in mins),Tiempo entre operaciones (en minutos)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} esta cancelado por lo tanto la acción no puede estar completa
DocType: Customer,Buyer of Goods and Services.,Consumidor de productos y servicios.
DocType: Journal Entry,Accounts Payable,Cuentas por pagar
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Las listas de materiales seleccionados no son para el mismo artículo
DocType: Pricing Rule,Valid Upto,Válido hasta
DocType: Training Event,Workshop,Taller
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Enumere algunos de sus clientes. Pueden ser organizaciones o personas.
-,Enough Parts to Build,Piezas suficiente para construir
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Ingreso directo
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Enumere algunos de sus clientes. Pueden ser organizaciones o personas.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Piezas suficiente para construir
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Ingreso directo
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","No se puede filtrar en función de la cuenta , si se agrupan por cuenta"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Funcionario administrativo
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Por favor seleccione Curso
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Funcionario administrativo
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Por favor seleccione Curso
DocType: Timesheet Detail,Hrs,Horas
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,"Por favor, seleccione la empresa"
DocType: Stock Entry Detail,Difference Account,Cuenta para la Diferencia
+DocType: Purchase Invoice,Supplier GSTIN,GSTIN de Proveedor
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,No se puede cerrar la tarea que depende de {0} ya que no está cerrada.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"Por favor, ingrese el almacén en el cual la requisición de materiales sera despachada"
DocType: Production Order,Additional Operating Cost,Costos adicionales de operación
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Cosméticos
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Para fusionar, la siguientes propiedades deben ser las mismas en ambos productos"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Para fusionar, la siguientes propiedades deben ser las mismas en ambos productos"
DocType: Shipping Rule,Net Weight,Peso neto
DocType: Employee,Emergency Phone,Teléfono de Emergencia
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Comprar
@@ -541,14 +547,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Por favor defina el grado para el Umbral 0%
DocType: Sales Order,To Deliver,Para entregar
DocType: Purchase Invoice Item,Item,Productos
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Nº de serie artículo no puede ser una fracción
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Nº de serie artículo no puede ser una fracción
DocType: Journal Entry,Difference (Dr - Cr),Diferencia (Deb - Cred)
DocType: Account,Profit and Loss,Pérdidas y ganancias
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Gestión de sub-contrataciones
DocType: Project,Project will be accessible on the website to these users,Proyecto será accesible en la página web de estos usuarios
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Tasa por la cual la lista de precios es convertida como base de la compañía
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Cuenta {0} no pertenece a la compañía: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Abreviatura ya utilizada para otra empresa
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Cuenta {0} no pertenece a la compañía: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Abreviatura ya utilizada para otra empresa
DocType: Selling Settings,Default Customer Group,Categoría de cliente predeterminada
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","si es desactivado, el campo 'Total redondeado' no será visible en ninguna transacción"
DocType: BOM,Operating Cost,Costo de Operación
@@ -556,7 +562,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Incremento no puede ser 0
DocType: Production Planning Tool,Material Requirement,Solicitud de material
DocType: Company,Delete Company Transactions,Eliminar las transacciones de la compañía
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Nro de referencia y fecha de referencia es obligatoria para las transacciones bancarias
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Nro de referencia y fecha de referencia es obligatoria para las transacciones bancarias
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Añadir / Editar Impuestos y Cargos
DocType: Purchase Invoice,Supplier Invoice No,Factura de proveedor No.
DocType: Territory,For reference,Para referencia
@@ -567,22 +573,22 @@
DocType: Installation Note Item,Installation Note Item,Nota de instalación de elementos
DocType: Production Plan Item,Pending Qty,Cantidad pendiente
DocType: Budget,Ignore,Pasar por alto
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} no está activo
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} no está activo
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS enviados a los teléfonos: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,Configurar dimensiones de cheque para la impresión
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Configurar dimensiones de cheque para la impresión
DocType: Salary Slip,Salary Slip Timesheet,Registro de Horas de Nómina
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,El almacén del proveedor es necesario para compras sub-contratadas
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,El almacén del proveedor es necesario para compras sub-contratadas
DocType: Pricing Rule,Valid From,Válido desde
DocType: Sales Invoice,Total Commission,Comisión total
DocType: Pricing Rule,Sales Partner,Socio de ventas
DocType: Buying Settings,Purchase Receipt Required,Recibo de compra requerido
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,Rango de Valoración es obligatorio si se ha ingresado una Apertura de Almacén
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,Rango de Valoración es obligatorio si se ha ingresado una Apertura de Almacén
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,No se encontraron registros en la tabla de facturas
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,"Por favor, seleccione la compañía y el tipo de entidad"
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Finanzas / Ejercicio contable.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Finanzas / Ejercicio contable.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Valores acumulados
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Lamentablemente, los numeros de serie no se puede fusionar"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Crear orden de venta
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Crear orden de venta
DocType: Project Task,Project Task,Tareas del proyecto
,Lead Id,ID de iniciativa
DocType: C-Form Invoice Detail,Grand Total,Total
@@ -599,7 +605,7 @@
DocType: Job Applicant,Resume Attachment,Adjunto curriculum vitae
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Clientes recurrentes
DocType: Leave Control Panel,Allocate,Asignar
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Devoluciones de ventas
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Devoluciones de ventas
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Nota: Las hojas totales asignados {0} no debe ser inferior a las hojas ya aprobados {1} para el período
DocType: Announcement,Posted By,Publicado por
DocType: Item,Delivered by Supplier (Drop Ship),Entregado por el Proveedor (nave)
@@ -609,8 +615,8 @@
DocType: Quotation,Quotation To,Presupuesto para
DocType: Lead,Middle Income,Ingreso medio
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Apertura (Cred)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unidad de medida predeterminada para el artículo {0} no se puede cambiar directamente porque ya ha realizado alguna transacción (s) con otra UOM. Usted tendrá que crear un nuevo elemento a utilizar un UOM predeterminado diferente.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Monto asignado no puede ser negativo
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unidad de medida predeterminada para el artículo {0} no se puede cambiar directamente porque ya ha realizado alguna transacción (s) con otra UOM. Usted tendrá que crear un nuevo elemento a utilizar un UOM predeterminado diferente.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Monto asignado no puede ser negativo
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Por favor establezca la empresa
DocType: Purchase Order Item,Billed Amt,Monto facturado
DocType: Training Result Employee,Training Result Employee,Resultado del Entrenamiento del Empleado
@@ -622,7 +628,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Seleccionar la cuenta de pago para hacer la entrada del Banco
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Crear registros de los empleados para gestionar los permisos, las reclamaciones de gastos y nómina"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Añadir a la Base de Conocimiento
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Redacción de propuestas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Redacción de propuestas
DocType: Payment Entry Deduction,Payment Entry Deduction,Deducción de Entrada de Pago
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Existe otro vendedor {0} con el mismo ID de empleado
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Si está marcada, las materias primas para los artículos que son sub-contratados serán incluidos en las solicitudes de materiales"
@@ -636,7 +642,7 @@
DocType: Timesheet,Billed,Facturado
DocType: Batch,Batch Description,Descripción de lotes
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Crear grupos de estudiantes
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Cuenta de Pasarela de Pago no creada, por favor crear una manualmente."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Cuenta de Pasarela de Pago no creada, por favor crear una manualmente."
DocType: Sales Invoice,Sales Taxes and Charges,Impuestos y cargos sobre ventas
DocType: Employee,Organization Profile,Perfil de la organización
DocType: Student,Sibling Details,Detalles de hermanos
@@ -658,11 +664,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Cambio neto en el inventario
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Administración de Préstamos de Empleado
DocType: Employee,Passport Number,Número de pasaporte
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Relación con Tutor2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Gerente
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Relación con Tutor2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Gerente
DocType: Payment Entry,Payment From / To,Pago de / a
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nuevo límite de crédito es menor que la cantidad pendiente actual para el cliente. límite de crédito tiene que ser al menos {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Este artículo se ha introducido varias veces.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nuevo límite de crédito es menor que la cantidad pendiente actual para el cliente. límite de crédito tiene que ser al menos {0}
DocType: SMS Settings,Receiver Parameter,Configuración de receptor(es)
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Basado en' y 'Agrupar por' no pueden ser iguales
DocType: Sales Person,Sales Person Targets,Objetivos de ventas del vendedor
@@ -671,8 +676,9 @@
DocType: Issue,Resolution Date,Fecha de resolución
DocType: Student Batch Name,Batch Name,Nombre del lote
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Tabla de Tiempo creada:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},"Por favor, defina la cuenta de bancos o caja predeterminados en el método de pago {0}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},"Por favor, defina la cuenta de bancos o caja predeterminados en el método de pago {0}"
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Inscribirse
+DocType: GST Settings,GST Settings,Configuración de GST
DocType: Selling Settings,Customer Naming By,Ordenar cliente por
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Mostrará al estudiante como Estudiante Presente en informes mensuales de asistencia
DocType: Depreciation Schedule,Depreciation Amount,Monto de la depreciación
@@ -694,6 +700,7 @@
DocType: Item,Material Transfer,Transferencia de material
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Apertura (Deb)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Fecha y hora de contabilización deberá ser posterior a {0}
+,GST Itemised Purchase Register,Registro detallado de la TPS
DocType: Employee Loan,Total Interest Payable,Interés total a pagar
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,"Impuestos, cargos y costos de destino estimados"
DocType: Production Order Operation,Actual Start Time,Hora de inicio real
@@ -720,10 +727,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Proveedor
DocType: Account,Accounts,Cuentas
DocType: Vehicle,Odometer Value (Last),Valor del cuentakilómetros (Última)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Entrada de Pago ya creada
DocType: Purchase Receipt Item Supplied,Current Stock,Inventario actual
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Fila # {0}: Activo {1} no vinculado al elemento {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Fila # {0}: Activo {1} no vinculado al elemento {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Previsualización de Nómina
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Cuenta {0} se ha introducido varias veces
DocType: Account,Expenses Included In Valuation,GASTOS DE VALORACIÓN
@@ -731,7 +738,7 @@
,Absent Student Report,Informe del alumno ausente
DocType: Email Digest,Next email will be sent on:,El siguiente correo electrónico será enviado el:
DocType: Offer Letter Term,Offer Letter Term,Términos de carta de oferta
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,El producto tiene variantes.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,El producto tiene variantes.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Producto {0} no encontrado
DocType: Bin,Stock Value,Valor de Inventarios
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Compañía {0} no existe
@@ -740,7 +747,7 @@
DocType: Serial No,Warranty Expiry Date,Fecha de caducidad de la garantía
DocType: Material Request Item,Quantity and Warehouse,Cantidad y almacén
DocType: Sales Invoice,Commission Rate (%),Porcentaje de comisión (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Seleccione el programa
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Seleccione el programa
DocType: Project,Estimated Cost,Costo Estimado
DocType: Purchase Order,Link to material requests,Enlace a las solicitudes de materiales
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aeroespacial
@@ -754,14 +761,14 @@
DocType: Purchase Order,Supply Raw Materials,Suministro de materia prima
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,La fecha en que la próxima factura será generada. Es generada al validar.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Activo circulante
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} no es un artículo en existencia
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} no es un artículo en existencia
DocType: Mode of Payment Account,Default Account,Cuenta predeterminada
DocType: Payment Entry,Received Amount (Company Currency),Cantidad recibida (Divisa de Compañia)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,La Iniciativa se debe establecer si la oportunidad está hecha desde las Iniciativas
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,Por favor seleccione el día libre de la semana
DocType: Production Order Operation,Planned End Time,Tiempo de finalización planeado
,Sales Person Target Variance Item Group-Wise,"Variación del objetivo de ventas, por grupo de vendedores"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Cuenta con una transacción existente no se puede convertir en el libro mayor
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Cuenta con una transacción existente no se puede convertir en el libro mayor
DocType: Delivery Note,Customer's Purchase Order No,Pedido de compra No.
DocType: Budget,Budget Against,Contra Presupuesto
DocType: Employee,Cell Number,Número de movil
@@ -773,15 +780,13 @@
DocType: Opportunity,Opportunity From,Oportunidad desde
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Nómina mensual.
DocType: BOM,Website Specifications,Especificaciones del sitio web
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Configure las series de numeración para Asistencia mediante Configuración > Serie de numeración
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Desde {0} del tipo {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Línea {0}: El factor de conversión es obligatorio
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Línea {0}: El factor de conversión es obligatorio
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Reglas Precio múltiples existe con el mismo criterio, por favor, resolver los conflictos mediante la asignación de prioridad. Reglas de precios: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,No se puede desactivar o cancelar la 'Lista de Materiales (LdM)' si esta vinculada con otras
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Reglas Precio múltiples existe con el mismo criterio, por favor, resolver los conflictos mediante la asignación de prioridad. Reglas de precios: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,No se puede desactivar o cancelar la 'Lista de Materiales (LdM)' si esta vinculada con otras
DocType: Opportunity,Maintenance,Mantenimiento
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Se requiere el numero de recibo para el producto {0}
DocType: Item Attribute Value,Item Attribute Value,Atributos del producto
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Campañas de venta.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,hacer parte de horas
@@ -833,29 +838,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Activos desechado a través de entrada de diario {0}
DocType: Employee Loan,Interest Income Account,Cuenta de Utilidad interés
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Biotecnología
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Gastos de Mantenimiento de Oficina
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Gastos de Mantenimiento de Oficina
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Configuración de cuentas de correo electrónico
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,"Por favor, introduzca primero un producto"
DocType: Account,Liability,Obligaciones
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,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}.
DocType: Company,Default Cost of Goods Sold Account,Cuenta de costos (venta) por defecto
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,No ha seleccionado una lista de precios
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,No ha seleccionado una lista de precios
DocType: Employee,Family Background,Antecedentes familiares
DocType: Request for Quotation Supplier,Send Email,Enviar correo electronico
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Advertencia! archivo adjunto no valido: {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Advertencia! archivo adjunto no valido: {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Sin permiso
DocType: Company,Default Bank Account,Cuenta bancaria por defecto
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Para filtrar en base a terceros, seleccione el tipo de entidad"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'Actualizar existencias' no puede marcarse porque los artículos no se han entregado mediante {0}
DocType: Vehicle,Acquisition Date,Fecha de Adquisición
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Nos.
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Nos.
DocType: Item,Items with higher weightage will be shown higher,Los productos con mayor ponderación se mostraran arriba
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Detalle de conciliación bancaria
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Fila # {0}: Activo {1} debe ser presentado
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Fila # {0}: Activo {1} debe ser presentado
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Empleado no encontrado
DocType: Supplier Quotation,Stopped,Detenido.
DocType: Item,If subcontracted to a vendor,Si es sub-contratado a un proveedor
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,El grupo de estudiantes ya está actualizado.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,El grupo de estudiantes ya está actualizado.
DocType: SMS Center,All Customer Contact,Todos Contactos de Clientes
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Subir el balance de existencias a través de un archivo .csv
DocType: Warehouse,Tree Details,Detalles del árbol
@@ -867,13 +872,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: El centro de costos {2} no pertenece a la empresa {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Cuenta {2} no puede ser un Grupo
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Elemento Fila {idx}: {doctype} {docname} no existe en la anterior tabla '{doctype}'
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Table de Tiempo {0} ya se haya completado o cancelado
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Table de Tiempo {0} ya se haya completado o cancelado
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,No hay tareas
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Día del mes en el que se generará la factura automática por ejemplo 05, 28, etc."
DocType: Asset,Opening Accumulated Depreciation,Apertura de la depreciación acumulada
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,La puntuación debe ser menor o igual a 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Herramienta de Inscripción Programa
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,Registros C -Form
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,Registros C -Form
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Clientes y proveedores
DocType: Email Digest,Email Digest Settings,Configuración del boletín de correo electrónico
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,¡Gracias por hacer negocios!
@@ -883,17 +888,19 @@
DocType: Bin,Moving Average Rate,Porcentaje de precio medio variable
DocType: Production Planning Tool,Select Items,Seleccionar productos
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} contra la factura {1} de fecha {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Número de Vehículo/Autobús
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Calendario de cursos
DocType: Maintenance Visit,Completion Status,Estado de finalización
DocType: HR Settings,Enter retirement age in years,Introduzca la edad de jubilación en años
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Inventario estimado
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Seleccione un almacén
DocType: Cheque Print Template,Starting location from left edge,Posición inicial desde el borde izquierdo
DocType: Item,Allow over delivery or receipt upto this percent,Permitir hasta este porcentaje en la entrega y/o recepción
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,Asistente de importación
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Todos los Grupos de Artículos
DocType: Process Payroll,Activity Log,Registro de Actividad
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Utilidad / Pérdida neta
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Utilidad / Pérdida neta
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Componer automáticamente el mensaje en la presentación de las transacciones.
DocType: Production Order,Item To Manufacture,Producto para manufactura
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} el estado es {2}
@@ -902,16 +909,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Orden de compra a pago
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Cantidad proyectada
DocType: Sales Invoice,Payment Due Date,Fecha de pago
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Artículo Variant {0} ya existe con los mismos atributos
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Artículo Variant {0} ya existe con los mismos atributos
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','Apertura'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Lista de tareas abiertas
DocType: Notification Control,Delivery Note Message,Mensaje en nota de entrega
DocType: Expense Claim,Expenses,Gastos
+,Support Hours,Horas de soporte
DocType: Item Variant Attribute,Item Variant Attribute,Atributo de Variante de Producto
,Purchase Receipt Trends,Tendencias de recibos de compra
DocType: Process Payroll,Bimonthly,Bimensual
DocType: Vehicle Service,Brake Pad,Pastilla de Freno
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Investigación y desarrollo
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Investigación y desarrollo
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Monto a Facturar
DocType: Company,Registration Details,Detalles de registro
DocType: Timesheet,Total Billed Amount,Monto total Facturado
@@ -924,12 +932,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Sólo obtención de materias primas
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Evaluación de desempeño.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Habilitación de «uso de Compras ', como cesta de la compra está activado y debe haber al menos una regla fiscal para Compras"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Entrada de pago {0} está enlazada con la Orden {1}, comprobar si se debe ser retirado como avance en esta factura."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Entrada de pago {0} está enlazada con la Orden {1}, comprobar si se debe ser retirado como avance en esta factura."
DocType: Sales Invoice Item,Stock Details,Detalles de almacén
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Valor del proyecto
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Punto de venta (POS)
DocType: Vehicle Log,Odometer Reading,Lectura del podómetro
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Balance de la cuenta ya en Crédito, no le está permitido establecer 'Balance Debe Ser' como 'Débito'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Balance de la cuenta ya en Crédito, no le está permitido establecer 'Balance Debe Ser' como 'Débito'"
DocType: Account,Balance must be,El balance debe ser
DocType: Hub Settings,Publish Pricing,Publicar precios
DocType: Notification Control,Expense Claim Rejected Message,Mensaje de reembolso de gastos rechazado
@@ -939,7 +947,7 @@
DocType: Salary Slip,Working Days,Días de Trabajo
DocType: Serial No,Incoming Rate,Tasa entrante
DocType: Packing Slip,Gross Weight,Peso bruto
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,Ingrese el nombre de la compañía para configurar el sistema.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,Ingrese el nombre de la compañía para configurar el sistema.
DocType: HR Settings,Include holidays in Total no. of Working Days,Incluir vacaciones con el numero total de días laborables
DocType: Job Applicant,Hold,Mantener
DocType: Employee,Date of Joining,Fecha de ingreso
@@ -950,20 +958,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Recibo de compra
,Received Items To Be Billed,Recepciones por facturar
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Nóminas presentadas
-DocType: Employee,Ms,Sra.
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Configuración principal para el cambio de divisas
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Doctype de referencia debe ser uno de {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Configuración principal para el cambio de divisas
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Doctype de referencia debe ser uno de {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Incapaz de encontrar la ranura de tiempo en los próximos {0} días para la operación {1}
DocType: Production Order,Plan material for sub-assemblies,Plan de materiales para los subconjuntos
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Socios Comerciales y Territorio
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,No se puede crear automáticamente de la cuenta como ya existe saldo de existencias en la cuenta. Debe crear una cuenta de juego antes de poder realizar una entrada en este almacén
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,La lista de materiales (LdM) {0} debe estar activa
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,La lista de materiales (LdM) {0} debe estar activa
DocType: Journal Entry,Depreciation Entry,Entrada de Depreciación
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,"Por favor, seleccione primero el tipo de documento"
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Cancelar visitas {0} antes de cancelar la visita de mantenimiento
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Número de serie {0} no pertenece al producto {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Cant. Solicitada
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Complejos de depósito de transacciones existentes no se pueden convertir en el libro mayor.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Complejos de depósito de transacciones existentes no se pueden convertir en el libro mayor.
DocType: Bank Reconciliation,Total Amount,Importe total
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Publicación por internet
DocType: Production Planning Tool,Production Orders,Órdenes de producción
@@ -978,25 +984,26 @@
DocType: Fee Structure,Components,componentes
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},"Por favor, introduzca categoría de activos en el artículo {0}"
DocType: Quality Inspection Reading,Reading 6,Lectura 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,No se puede {0} {1} {2} sin ninguna factura pendiente negativa
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,No se puede {0} {1} {2} sin ninguna factura pendiente negativa
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Factura de compra anticipada
DocType: Hub Settings,Sync Now,Sincronizar ahora.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Línea {0}: La entrada de crédito no puede vincularse con {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Definir presupuesto para un año contable.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Definir presupuesto para un año contable.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,La cuenta de Banco / Efectivo por defecto se actualizará automáticamente en la factura del POS cuando seleccione este 'modelo'
DocType: Lead,LEAD-,INICIATIVA-
DocType: Employee,Permanent Address Is,La dirección permanente es
DocType: Production Order Operation,Operation completed for how many finished goods?,Se completo la operación para la cantidad de productos terminados?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,La marca
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,La marca
DocType: Employee,Exit Interview Details,Detalles de Entrevista de Salida
DocType: Item,Is Purchase Item,Es un producto para compra
DocType: Asset,Purchase Invoice,Factura de Compra
DocType: Stock Ledger Entry,Voucher Detail No,Detalle de Comprobante No
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Nueva factura de venta
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Nueva factura de venta
DocType: Stock Entry,Total Outgoing Value,Valor total de salidas
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Fecha de Apertura y Fecha de Cierre deben ser dentro del mismo año fiscal
DocType: Lead,Request for Information,Solicitud de información
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sincronizar Facturas
+,LeaderBoard,Tabla de Líderes
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Sincronizar Facturas
DocType: Payment Request,Paid,Pagado
DocType: Program Fee,Program Fee,Cuota del Programa
DocType: Salary Slip,Total in words,Total en palabras
@@ -1005,13 +1012,13 @@
DocType: Cheque Print Template,Has Print Format,Tiene Formato de Impresión
DocType: Employee Loan,Sanctioned,Sancionada
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,es obligatorio. Posiblemente el registro de cambio de divisa no ha sido creado para
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},"Línea #{0}: Por favor, especifique el número de serie para el producto {1}"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Para 'Paquete de Productos' el Almacén, No. de Serie y No. de lote serán considerados desde el 'Packing List'. Si el Almacén y No. de lote son los mismos para todos los productos empaquetados, los valores podrán ser ingresados en la tabla principal del artículo, estos valores serán copiados al 'Packing List'"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},"Línea #{0}: Por favor, especifique el número de serie para el producto {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Para 'Paquete de Productos' el Almacén, No. de Serie y No. de lote serán considerados desde el 'Packing List'. Si el Almacén y No. de lote son los mismos para todos los productos empaquetados, los valores podrán ser ingresados en la tabla principal del artículo, estos valores serán copiados al 'Packing List'"
DocType: Job Opening,Publish on website,Publicar en el sitio web
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Envíos realizados a los clientes
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Fecha de Factura de Proveedor no puede ser mayor que la fecha de publicación
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Fecha de Factura de Proveedor no puede ser mayor que la fecha de publicación
DocType: Purchase Invoice Item,Purchase Order Item,Producto de la orden de compra
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Ingresos indirectos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Ingresos indirectos
DocType: Student Attendance Tool,Student Attendance Tool,Herramienta de asistencia de los estudiantes
DocType: Cheque Print Template,Date Settings,Ajustes de fecha
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Variación
@@ -1029,20 +1036,20 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Químico
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Predeterminado de la cuenta bancaria / efectivo se actualizará automáticamente en el Salario entrada de diario cuando se selecciona este modo.
DocType: BOM,Raw Material Cost(Company Currency),Costo de Materiales Sin Procesar (Divisa de la Compañía)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Todos los artículos ya han sido transferidos para esta Orden de Producción.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Todos los artículos ya han sido transferidos para esta Orden de Producción.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Fila # {0}: La tasa no puede ser mayor que la tasa utilizada en {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,Metro
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,Metro
DocType: Workstation,Electricity Cost,Costos de Energía Eléctrica
DocType: HR Settings,Don't send Employee Birthday Reminders,No enviar recordatorio de cumpleaños del empleado
DocType: Item,Inspection Criteria,Criterios de inspección
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Transferido
DocType: BOM Website Item,BOM Website Item,BOM sitio web de artículos
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Cargue su membrete y el logotipo. (Estos pueden editarse más tarde).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Cargue su membrete y el logotipo. (Estos pueden editarse más tarde).
DocType: Timesheet Detail,Bill,Cuenta
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,La próxima fecha de depreciación se introduce como fecha pasada
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Blanco
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Blanco
DocType: SMS Center,All Lead (Open),Todas las Oportunidades (Abiertas)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Fila {0}: Cantidad no está disponible para {4} en el almacén {1} en el momento de publicación de la entrada ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Fila {0}: Cantidad no está disponible para {4} en el almacén {1} en el momento de publicación de la entrada ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Obtener anticipos pagados
DocType: Item,Automatically Create New Batch,Crear automáticamente nuevo lote
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,Crear
@@ -1052,13 +1059,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Mi carrito
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Tipo de orden debe ser uno de {0}
DocType: Lead,Next Contact Date,Siguiente fecha de contacto
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Cant. de Apertura
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,"Por favor, introduzca la cuenta para el Cambio Monto"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Cant. de Apertura
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,"Por favor, introduzca la cuenta para el Cambio Monto"
DocType: Student Batch Name,Student Batch Name,Nombre de Lote del Estudiante
DocType: Holiday List,Holiday List Name,Nombre de festividad
DocType: Repayment Schedule,Balance Loan Amount,Saldo del balance del préstamo
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Calendario de Cursos
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Opciones de stock
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Opciones de stock
DocType: Journal Entry Account,Expense Claim,Reembolso de gastos
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,¿Realmente desea restaurar este activo desechado?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Cantidad de {0}
@@ -1070,12 +1077,12 @@
DocType: Company,Default Terms,Términos / Condiciones predeterminados
DocType: Packing Slip Item,Packing Slip Item,Lista de embalaje del producto
DocType: Purchase Invoice,Cash/Bank Account,Cuenta de caja / banco
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Por favor especificar un {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Por favor especificar un {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Elementos eliminados que no han sido afectados en cantidad y valor
DocType: Delivery Note,Delivery To,Entregar a
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Tabla de atributos es obligatoria
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Tabla de atributos es obligatoria
DocType: Production Planning Tool,Get Sales Orders,Obtener ordenes de venta
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} no puede ser negativo
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} no puede ser negativo
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Descuento
DocType: Asset,Total Number of Depreciations,Número total de amortizaciones
DocType: Sales Invoice Item,Rate With Margin,Tarifa con margen
@@ -1095,7 +1102,6 @@
DocType: Serial No,Creation Document No,Creación del documento No
DocType: Issue,Issue,Asunto
DocType: Asset,Scrapped,Desechado
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,La cuenta no coincide con la empresa
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Atributos para Elementos variables. por ejemplo, tamaño, color, etc."
DocType: Purchase Invoice,Returns,Devoluciones
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,Almacén de trabajos en proceso
@@ -1107,12 +1113,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,El producto debe ser agregado utilizando el botón 'Obtener productos desde recibos de compra'
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Incluir elementos no están en stock
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Gastos de venta
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Gastos de venta
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Compra estándar
DocType: GL Entry,Against,Contra
DocType: Item,Default Selling Cost Center,Centro de costos por defecto
DocType: Sales Partner,Implementation Partner,Socio de implementación
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Código postal
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Código postal
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Orden de Venta {0} es {1}
DocType: Opportunity,Contact Info,Información de contacto
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Crear asientos de stock
@@ -1125,31 +1131,31 @@
DocType: Holiday List,Get Weekly Off Dates,Obtener cierre de semana
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,la fecha final no puede ser inferior a fecha de Inicio
DocType: Sales Person,Select company name first.,Seleccione primero el nombre de la empresa.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Dr
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Presupuestos recibidos de proveedores.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Para {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Edad Promedio
DocType: School Settings,Attendance Freeze Date,Fecha de congelación de asistencia
DocType: Opportunity,Your sales person who will contact the customer in future,Indique la persona de ventas que se pondrá en contacto posteriormente con el cliente
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Enumere algunos de sus proveedores. Pueden ser organizaciones o individuos.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Enumere algunos de sus proveedores. Pueden ser organizaciones o individuos.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Ver todos los Productos
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Edad mínima de Iniciativa (días)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,Todas las listas de materiales
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Todas las listas de materiales
DocType: Company,Default Currency,Divisa / modena predeterminada
DocType: Expense Claim,From Employee,Desde Empleado
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Advertencia: El sistema no comprobará la sobrefacturación si la cantidad del producto {0} en {1} es cero
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Advertencia: El sistema no comprobará la sobrefacturación si la cantidad del producto {0} en {1} es cero
DocType: Journal Entry,Make Difference Entry,Crear una entrada con una diferencia
DocType: Upload Attendance,Attendance From Date,Asistencia desde fecha
DocType: Appraisal Template Goal,Key Performance Area,Área Clave de Rendimiento
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Transporte
+DocType: Program Enrollment,Transportation,Transporte
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Atributo no válido
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} debe ser presentado
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} debe ser presentado
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},La cantidad debe ser menor que o igual a {0}
DocType: SMS Center,Total Characters,Total Caracteres
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},"Por favor, seleccione la lista de materiales (LdM) para el producto {0}"
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},"Por favor, seleccione la lista de materiales (LdM) para el producto {0}"
DocType: C-Form Invoice Detail,C-Form Invoice Detail,Detalle C -Form Factura
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Factura para reconciliación de pago
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Margen %
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Según las Configuraciones de Compras si el Pedido de Compra es Obligatorio == 'Si', para crear la Factura de Compra el usuario necesita crear el Pedido de Compra primero para el item {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Los números de registro de la compañía para su referencia. Números fiscales, etc"
DocType: Sales Partner,Distributor,Distribuidor
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Reglas de envio para el carrito de compras
@@ -1158,23 +1164,25 @@
,Ordered Items To Be Billed,Ordenes por facturar
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Rango Desde tiene que ser menor que Rango Hasta
DocType: Global Defaults,Global Defaults,Predeterminados globales
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Invitación a Colaboración de Proyecto
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Invitación a Colaboración de Proyecto
DocType: Salary Slip,Deductions,Deducciones
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Año de inicio
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},Los primero 2 dígitos de GSTIN debe coincidir con un numero de estado {0}
DocType: Purchase Invoice,Start date of current invoice's period,Fecha inicial del período de facturación
DocType: Salary Slip,Leave Without Pay,Permiso / licencia sin goce de salario (LSS)
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Error en la planificación de capacidad
,Trial Balance for Party,Balance de terceros
DocType: Lead,Consultant,Consultor
DocType: Salary Slip,Earnings,Ganancias
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,El producto terminado {0} debe ser introducido para el tipo de producción
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,El producto terminado {0} debe ser introducido para el tipo de producción
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Apertura de saldos contables
+,GST Sales Register,Registro de ventas de GST
DocType: Sales Invoice Advance,Sales Invoice Advance,Factura de ventas anticipada
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Nada que solicitar
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Otro registro de Presupuesto '{0}' ya existe en contra {1} '{2}' para el año fiscal {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date','Fecha de Inicio' no puede ser mayor que 'Fecha Final'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Gerencia
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Gerencia
DocType: Cheque Print Template,Payer Settings,Configuración del pagador
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Esto se añade al código del producto y la variante. Por ejemplo, si su abreviatura es ""SM"", y el código del artículo es ""CAMISETA"", entonces el código de artículo de la variante será ""CAMISETA-SM"""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Pago neto (en palabras) será visible una vez que guarde la nómina salarial.
@@ -1191,8 +1199,8 @@
DocType: Employee Loan,Partially Disbursed,Parcialmente Desembolsado
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Base de datos de proveedores.
DocType: Account,Balance Sheet,Hoja de balance
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Centro de costos para el producto con código '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Modo de pago no está configurado. Por favor, compruebe, si la cuenta se ha establecido en el modo de pago o en el perfil del punto de venta."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Centro de costos para el producto con código '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Modo de pago no está configurado. Por favor, compruebe, si la cuenta se ha establecido en el modo de pago o en el perfil del punto de venta."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,El vendedor recibirá un aviso en esta fecha para ponerse en contacto con el cliente
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,El mismo artículo no se puede introducir varias veces.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Las futuras cuentas se pueden crear bajo grupos, pero las entradas se crearán dentro de las subcuentas."
@@ -1200,7 +1208,7 @@
DocType: Email Digest,Payables,Cuentas por pagar
DocType: Course,Course Intro,Introducción del Curso
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Entrada de Stock {0} creada
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Línea # {0}: La cantidad rechazada no se puede introducir en el campo 'retorno de compras'
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Línea # {0}: La cantidad rechazada no se puede introducir en el campo 'retorno de compras'
,Purchase Order Items To Be Billed,Ordenes de compra por pagar
DocType: Purchase Invoice Item,Net Rate,Precio neto
DocType: Purchase Invoice Item,Purchase Invoice Item,Factura de compra del producto
@@ -1225,7 +1233,7 @@
DocType: Sales Order,SO-,SO-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,"Por favor, seleccione primero el prefijo"
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Investigación
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Investigación
DocType: Maintenance Visit Purpose,Work Done,Trabajo realizado
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,"Por favor, especifique al menos un atributo en la tabla"
DocType: Announcement,All Students,Todos los estudiantes
@@ -1233,17 +1241,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Mostrar libro mayor
DocType: Grading Scale,Intervals,intervalos
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Primeras
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Existe un grupo de elementos con el mismo nombre , por favor, cambie el nombre del artículo , o cambiar el nombre del grupo de artículos"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Número de Móvil del Estudiante.
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Resto del mundo
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Existe un grupo de elementos con el mismo nombre , por favor, cambie el nombre del artículo , o cambiar el nombre del grupo de artículos"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Número de Móvil del Estudiante.
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Resto del mundo
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,El producto {0} no puede contener lotes
,Budget Variance Report,Variación de Presupuesto
DocType: Salary Slip,Gross Pay,Pago Bruto
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Fila {0}: Tipo de actividad es obligatoria.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,DIVIDENDOS PAGADOS
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,DIVIDENDOS PAGADOS
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Libro de contabilidad
DocType: Stock Reconciliation,Difference Amount,Diferencia
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,UTILIDADES RETENIDAS
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,UTILIDADES RETENIDAS
DocType: Vehicle Log,Service Detail,Detalle del servicio
DocType: BOM,Item Description,Descripción del producto
DocType: Student Sibling,Student Sibling,Hermano del Estudiante
@@ -1257,11 +1265,11 @@
DocType: Opportunity Item,Opportunity Item,Oportunidad Artículo
,Student and Guardian Contact Details,Detalles de Contacto de Alumno y Tutor
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Fila {0}: Para el proveedor {0} se requiere la Dirección de correo electrónico para enviar correo electrónico
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Apertura temporal
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Apertura temporal
,Employee Leave Balance,Balance de ausencias de empleado
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},El balance para la cuenta {0} siempre debe ser {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Rango de Valoración requeridos para el Item en la fila {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Ejemplo: Maestría en Ciencias de la Computación
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Ejemplo: Maestría en Ciencias de la Computación
DocType: Purchase Invoice,Rejected Warehouse,Almacén rechazado
DocType: GL Entry,Against Voucher,Contra comprobante
DocType: Item,Default Buying Cost Center,Centro de costos (compra) por defecto
@@ -1274,31 +1282,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Obtener facturas pendientes de pago
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Orden de venta {0} no es válida
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Las órdenes de compra le ayudará a planificar y dar seguimiento a sus compras
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Lamentablemente, las compañías no se pueden combinar"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Lamentablemente, las compañías no se pueden combinar"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",La cantidad total de emisión / Transferencia {0} en la Solicitud de material {1} \ no puede ser mayor que la cantidad solicitada {2} para el artículo {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Pequeño
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Pequeño
DocType: Employee,Employee Number,Número de empleado
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},El numero de caso ya se encuentra en uso. Intente {0}
DocType: Project,% Completed,% Completado
,Invoiced Amount (Exculsive Tax),Cantidad facturada (Impuesto excluido)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Elemento 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Encabezado de cuenta {0} creado
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,Evento de Capacitación
DocType: Item,Auto re-order,Ordenar automáticamente
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Total Conseguido
DocType: Employee,Place of Issue,Lugar de emisión.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Contrato
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Contrato
DocType: Email Digest,Add Quote,Añadir Cita
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},Factor de conversion de la Unidad de Medida requerido para la Unidad de Medida {0} en el artículo: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Egresos indirectos
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Factor de conversion de la Unidad de Medida requerido para la Unidad de Medida {0} en el artículo: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Egresos indirectos
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Línea {0}: La cantidad es obligatoria
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Agricultura
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sincronización de datos maestros
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Sus Productos o Servicios
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sincronización de datos maestros
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Sus Productos o Servicios
DocType: Mode of Payment,Mode of Payment,Método de pago
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Sitio web imagen debe ser un archivo público o URL del sitio web
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Sitio web imagen debe ser un archivo público o URL del sitio web
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Este es un grupo principal y no se puede editar.
@@ -1307,17 +1314,17 @@
DocType: Warehouse,Warehouse Contact Info,Información del Contacto en el Almacén
DocType: Payment Entry,Write Off Difference Amount,Amortizar importe de la diferencia
DocType: Purchase Invoice,Recurring Type,Tipo de recurrencia
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: No se encontró el correo electrónico de los empleados, por lo tanto, no correo electrónico enviado"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: No se encontró el correo electrónico de los empleados, por lo tanto, no correo electrónico enviado"
DocType: Item,Foreign Trade Details,Detalles de Comercio Extranjero
DocType: Email Digest,Annual Income,Ingresos anuales
DocType: Serial No,Serial No Details,Detalles del numero de serie
DocType: Purchase Invoice Item,Item Tax Rate,Tasa de impuesto del producto
DocType: Student Group Student,Group Roll Number,Número del rollo de grupo
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Para {0}, sólo las cuentas de crédito se pueden vincular con un asiento de débito"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Total de todos los pesos de tareas debe ser 1. Por favor ajusta los pesos de todas las tareas del proyecto en consecuencia
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,La nota de entrega {0} no está validada
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,El elemento: {0} debe ser un producto sub-contratado
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,BIENES DE CAPITAL
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Total de todos los pesos de tareas debe ser 1. Por favor ajusta los pesos de todas las tareas del proyecto en consecuencia
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,La nota de entrega {0} no está validada
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,El elemento: {0} debe ser un producto sub-contratado
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,BIENES DE CAPITAL
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","La 'regla precios' es seleccionada primero basada en el campo 'Aplicar En' que puede ser un artículo, grupo de artículos o marca."
DocType: Hub Settings,Seller Website,Sitio web del vendedor
DocType: Item,ITEM-,ITEM-
@@ -1335,7 +1342,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Sólo puede existir una 'regla de envió' con valor 0 o valor en blanco en 'para el valor'
DocType: Authorization Rule,Transaction,Transacción
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Nota: este centro de costes es una categoría. No se pueden crear asientos contables en las categorías.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,No se puede eliminar este almacén. Existe almacén hijo para este almacén.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,No se puede eliminar este almacén. Existe almacén hijo para este almacén.
DocType: Item,Website Item Groups,Grupos de productos en el sitio web
DocType: Purchase Invoice,Total (Company Currency),Total (Divisa por defecto)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Número de serie {0} ha sido ingresado mas de una vez
@@ -1345,7 +1352,7 @@
DocType: Grading Scale Interval,Grade Code,Código de Grado
DocType: POS Item Group,POS Item Group,POS Grupo de artículos
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Enviar boletín:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},La lista de materiales (LdM) {0} no pertenece al producto {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},La lista de materiales (LdM) {0} no pertenece al producto {1}
DocType: Sales Partner,Target Distribution,Distribución del objetivo
DocType: Salary Slip,Bank Account No.,Cta. bancaria núm.
DocType: Naming Series,This is the number of the last created transaction with this prefix,Este es el número de la última transacción creada con este prefijo
@@ -1355,12 +1362,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Entrada de depreciación de activos de libro de forma automática
DocType: BOM Operation,Workstation,Puesto de trabajo
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Proveedor de Solicitud de Presupuesto
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Hardware
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Hardware
DocType: Sales Order,Recurring Upto,Recurrir hasta
DocType: Attendance,HR Manager,Gerente de recursos humanos (RRHH)
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,"Por favor, seleccione la compañía"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Vacaciones
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,"Por favor, seleccione la compañía"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Vacaciones
DocType: Purchase Invoice,Supplier Invoice Date,Fecha de factura de proveedor
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,por
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Necesita habilitar el carrito de compras
DocType: Payment Entry,Writeoff,Pedir por escrito
DocType: Appraisal Template Goal,Appraisal Template Goal,Objetivo de la plantilla de evaluación
@@ -1371,10 +1379,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Condiciones traslapadas entre:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,El asiento contable {0} ya se encuentra ajustado contra el importe de otro comprobante
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Valor Total del Pedido
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Comida
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Comida
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Rango de antigüedad 3
DocType: Maintenance Schedule Item,No of Visits,Número de visitas
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Marcar Asistencia
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Marcar Asistencia
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},El programa de mantenimiento {0} existe en contra de {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,Inscribiendo estudiante
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},La divisa / moneda de la cuenta de cierre debe ser {0}
@@ -1388,6 +1396,7 @@
DocType: Rename Tool,Utilities,Utilidades
DocType: Purchase Invoice Item,Accounting,Contabilidad
DocType: Employee,EMP/,EMP/
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,"Por favor, seleccione lotes para el artículo en lote"
DocType: Asset,Depreciation Schedules,programas de depreciación
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Período de aplicación no puede ser período de asignación licencia fuera
DocType: Activity Cost,Projects,Proyectos
@@ -1401,6 +1410,7 @@
DocType: POS Profile,Campaign,Campaña
DocType: Supplier,Name and Type,Nombre y Tipo
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"El estado de esta solicitud debe ser ""Aprobado"" o ""Rechazado"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,Oreja
DocType: Purchase Invoice,Contact Person,Persona de contacto
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Fecha esperada de inicio' no puede ser mayor que 'Fecha esperada de finalización'
DocType: Course Scheduling Tool,Course End Date,Fecha de finalización del curso
@@ -1408,12 +1418,11 @@
DocType: Sales Order Item,Planned Quantity,Cantidad planificada
DocType: Purchase Invoice Item,Item Tax Amount,Total impuestos de producto
DocType: Item,Maintain Stock,Mantener Stock
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Las entradas de stock ya fueron creadas para el numero de producción
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Las entradas de stock ya fueron creadas para el numero de producción
DocType: Employee,Prefered Email,Correo electrónico preferido
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Cambio neto en activos fijos
DocType: Leave Control Panel,Leave blank if considered for all designations,Dejar en blanco si es considerado para todos los puestos
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Almacén es obligatorio para las cuentas no grupales de tipo Stock
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Cambiar a tipo 'Actual' en la línea {0} no puede ser incluido en el precio
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Cambiar a tipo 'Actual' en la línea {0} no puede ser incluido en el precio
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Máximo: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Desde Fecha y Hora
DocType: Email Digest,For Company,Para la empresa
@@ -1423,15 +1432,15 @@
DocType: Sales Invoice,Shipping Address Name,Nombre de dirección de envío
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Plan de cuentas
DocType: Material Request,Terms and Conditions Content,Contenido de los términos y condiciones
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,No puede ser mayor de 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,El producto {0} no es un producto de stock
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,No puede ser mayor de 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,El producto {0} no es un producto de stock
DocType: Maintenance Visit,Unscheduled,Sin programación
DocType: Employee,Owned,Propiedad
DocType: Salary Detail,Depends on Leave Without Pay,Depende de licencia sin goce de salario
DocType: Pricing Rule,"Higher the number, higher the priority","Cuanto mayor sea el número, mayor es la prioridad"
,Purchase Invoice Trends,Tendencias de compras
DocType: Employee,Better Prospects,Mejores Prospectos
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Fila # {0}: El lote {1} tiene sólo {2} de cantidad. Por favor, seleccione otro lote que tenga {3} de cantidad disponible o dividido la fila en varias filas, para entregar / emitir desde varios lotes"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Fila # {0}: El lote {1} tiene sólo {2} de cantidad. Por favor, seleccione otro lote que tenga {3} de cantidad disponible o dividido la fila en varias filas, para entregar / emitir desde varios lotes"
DocType: Vehicle,License Plate,Matrículas
DocType: Appraisal,Goals,Objetivos
DocType: Warranty Claim,Warranty / AMC Status,Garantía / Estado de CMA
@@ -1442,19 +1451,20 @@
,Batch-Wise Balance History,Historial de saldo por lotes
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Los ajustes de impresión actualizados en formato de impresión respectivo
DocType: Package Code,Package Code,Código de paquete
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Aprendiz
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Aprendiz
+DocType: Purchase Invoice,Company GSTIN,GSTIN de la Compañía
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,No se permiten cantidades negativas
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","la tabla de detalle de impuestos se obtiene del producto principal como una cadena y es guardado en este campo, este es usado para los impuestos y cargos."
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,El empleado no puede informar a sí mismo.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Si la cuenta está congelado, las entradas estarán permitidas a los usuarios restringidos."
DocType: Email Digest,Bank Balance,Saldo bancario
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Asiento contable para {0}: {1} sólo puede realizarse con la divisa: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Asiento contable para {0}: {1} sólo puede realizarse con la divisa: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Perfil laboral, las cualificaciones necesarias, etc"
DocType: Journal Entry Account,Account Balance,Balance de la cuenta
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Regla de impuestos para las transacciones.
DocType: Rename Tool,Type of document to rename.,Indique el tipo de documento que desea cambiar de nombre.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Compramos este producto
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Compramos este producto
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Se requiere al cliente para la cuenta por cobrar {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Total impuestos y cargos (Divisa por defecto)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Mostrar P & L saldos sin cerrar el año fiscal
@@ -1465,29 +1475,30 @@
DocType: Stock Entry,Total Additional Costs,Total de costos adicionales
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Costo de Material de Desecho (Moneda de la Compañia)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Sub-Ensamblajes
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Sub-Ensamblajes
DocType: Asset,Asset Name,Nombre de Activo
DocType: Project,Task Weight,Peso de la Tarea
DocType: Shipping Rule Condition,To Value,Para el valor
DocType: Asset Movement,Stock Manager,Gerente de almacén
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},El almacén de origen es obligatorio para la línea {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Lista de embalaje
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Alquiler de Oficina
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},El almacén de origen es obligatorio para la línea {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Lista de embalaje
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Alquiler de Oficina
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Configuración de pasarela SMS
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,¡Importación fallida!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,No se ha añadido ninguna dirección
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,No se ha añadido ninguna dirección
DocType: Workstation Working Hour,Workstation Working Hour,Horario de la estación de trabajo
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Analista
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Analista
DocType: Item,Inventory,inventario
DocType: Item,Sales Details,Detalles de ventas
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,Con Productos
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,En Cantidad
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,En Cantidad
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Validar matriculados Curso para estudiantes en grupo de alumnos
DocType: Notification Control,Expense Claim Rejected,Reembolso de gastos rechazado
DocType: Item,Item Attribute,Atributos del producto
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Gubernamental
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Gubernamental
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Relación de Gastos {0} ya existe para el registro de vehículos
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,nombre del Instituto
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,nombre del Instituto
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,"Por favor, ingrese el monto de amortización"
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Variantes del producto
DocType: Company,Services,Servicios
@@ -1497,18 +1508,18 @@
DocType: Sales Invoice,Source,Referencia
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Mostrar cerrada
DocType: Leave Type,Is Leave Without Pay,Es una ausencia sin goce de salario
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Categoría activo es obligatorio para la partida del activo fijo
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Categoría activo es obligatorio para la partida del activo fijo
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,No se encontraron registros en la tabla de pagos
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Este {0} conflictos con {1} de {2} {3}
DocType: Student Attendance Tool,Students HTML,HTML de Estudiantes
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Inicio del ejercicio contable
DocType: POS Profile,Apply Discount,Aplicar Descuento
+DocType: Purchase Invoice Item,GST HSN Code,Código GST HSN
DocType: Employee External Work History,Total Experience,Experiencia total
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Proyectos abiertos
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Lista(s) de embalaje cancelada(s)
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Flujo de efectivo de inversión
DocType: Program Course,Program Course,Programa de Curso
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,CARGOS DE TRANSITO Y TRANSPORTE
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,CARGOS DE TRANSITO Y TRANSPORTE
DocType: Homepage,Company Tagline for website homepage,Lema de la empresa para la página de inicio de la página web
DocType: Item Group,Item Group Name,Nombre del grupo de productos
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Tomado
@@ -1518,6 +1529,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Crear Leads
DocType: Maintenance Schedule,Schedules,Programas
DocType: Purchase Invoice Item,Net Amount,Importe Neto
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} no fue enviado por lo tanto la acción no puede estar completa
DocType: Purchase Order Item Supplied,BOM Detail No,Detalles de Lista de materiales (LdM) No.
DocType: Landed Cost Voucher,Additional Charges,Cargos adicionales
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Monto adicional de descuento (Divisa por defecto)
@@ -1533,6 +1545,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Cantidad de pago mensual
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,"Por favor, seleccione el ID y el nombre del empleado para establecer el rol."
DocType: UOM,UOM Name,Nombre de la unidad de medida (UdM)
+DocType: GST HSN Code,HSN Code,Código HSN
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Importe de contribución
DocType: Purchase Invoice,Shipping Address,Dirección de envío.
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Esta herramienta le ayuda a actualizar o corregir la cantidad y la valoración de los valores en el sistema. Normalmente se utiliza para sincronizar los valores del sistema y lo que realmente existe en sus almacenes.
@@ -1543,17 +1556,16 @@
DocType: Program Enrollment Tool,Program Enrollments,Inscripciones del Programa
DocType: Sales Invoice Item,Brand Name,Marca
DocType: Purchase Receipt,Transporter Details,Detalles de transporte
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Se requiere depósito por omisión para el elemento seleccionado
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Caja
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Se requiere depósito por omisión para el elemento seleccionado
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Caja
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,Posible Proveedor
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Organización
DocType: Budget,Monthly Distribution,Distribución mensual
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"La lista de receptores se encuentra vacía. Por favor, cree una lista de receptores"
DocType: Production Plan Sales Order,Production Plan Sales Order,Plan de producción de ordenes de venta
DocType: Sales Partner,Sales Partner Target,Metas de socio de ventas
DocType: Loan Type,Maximum Loan Amount,Cantidad máxima del préstamo
DocType: Pricing Rule,Pricing Rule,Regla de precios
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Número de rol duplicado para el estudiante {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Número de rol duplicado para el estudiante {0}
DocType: Budget,Action if Annual Budget Exceeded,Acción Si el presupuesto anual superó
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Requisición de materiales hacia órden de compra
DocType: Shopping Cart Settings,Payment Success URL,URL de Pago Exitoso
@@ -1566,11 +1578,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Saldo inicial de Stock
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} debe aparecer sólo una vez
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},No se permite transferir más {0} de {1} para la órden de compra {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},No se permite transferir más {0} de {1} para la órden de compra {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Vacaciones Distribuidas Satisfactoriamente para {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,No hay productos para empacar
DocType: Shipping Rule Condition,From Value,Desde Valor
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,La cantidad a producir es obligatoria
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,La cantidad a producir es obligatoria
DocType: Employee Loan,Repayment Method,Método de amortización
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Si se selecciona, la página de inicio será el grupo por defecto del artículo para el sitio web"
DocType: Quality Inspection Reading,Reading 4,Lectura 4
@@ -1580,7 +1592,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Fila # {0}: Fecha de Liquidación {1} no puede ser anterior a la Fecha de Cheque {2}
DocType: Company,Default Holiday List,Lista de vacaciones / festividades predeterminadas
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Fila {0}: Tiempo Desde y Tiempo Hasta de {1} se solapan con {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Inventarios por pagar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Inventarios por pagar
DocType: Purchase Invoice,Supplier Warehouse,Almacén del proveedor
DocType: Opportunity,Contact Mobile No,No. móvil de contacto
,Material Requests for which Supplier Quotations are not created,Solicitudes de Material para los que no hay Presupuestos de Proveedor creados
@@ -1591,35 +1603,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Crear una cotización
apps/erpnext/erpnext/config/selling.py +216,Other Reports,Otros Reportes
DocType: Dependent Task,Dependent Task,Tarea dependiente
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},El factor de conversión de la unidad de medida (UdM) en la línea {0} debe ser 1
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},El factor de conversión de la unidad de medida (UdM) en la línea {0} debe ser 1
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Ausencia del tipo {0} no puede tener más de {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Procure planear las operaciones con XX días de antelación.
DocType: HR Settings,Stop Birthday Reminders,Detener recordatorios de cumpleaños.
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},"Por favor, establece nómina cuenta por pagar por defecto en la empresa {0}"
DocType: SMS Center,Receiver List,Lista de receptores
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Busca artículo
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Busca artículo
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Monto consumido
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Cambio Neto en efectivo
DocType: Assessment Plan,Grading Scale,Escala de calificación
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unidad de Medida (UdM) {0} se ha introducido más de una vez en la tabla de factores de conversión
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unidad de Medida (UdM) {0} se ha introducido más de una vez en la tabla de factores de conversión
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,Ya completado
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock en Mano
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Solicitud de pago ya existe {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Costo de productos entregados
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},La cantidad no debe ser más de {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Ejercicio anterior no está cerrado
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Edad (días)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Edad (días)
DocType: Quotation Item,Quotation Item,Ítem de Presupuesto
+DocType: Customer,Customer POS Id,id de POS del Cliente
DocType: Account,Account Name,Nombre de la Cuenta
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,La fecha 'Desde' no puede ser mayor que la fecha 'Hasta'
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,"Número de serie {0}, la cantidad {1} no puede ser una fracción"
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Categorías principales de proveedores.
DocType: Purchase Order Item,Supplier Part Number,Número de pieza del proveedor.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,La tasa de conversión no puede ser 0 o 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,La tasa de conversión no puede ser 0 o 1
DocType: Sales Invoice,Reference Document,Documento de referencia
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} está cancelado o detenido
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} está cancelado o detenido
DocType: Accounts Settings,Credit Controller,Controlador de créditos
DocType: Delivery Note,Vehicle Dispatch Date,Fecha de despacho de vehículo
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,El recibo de compra {0} no esta validado
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,El recibo de compra {0} no esta validado
DocType: Company,Default Payable Account,Cuenta por pagar por defecto
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Ajustes para las compras online, normas de envío, lista de precios, etc."
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% Facturado
@@ -1638,11 +1652,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Monto total reembolsado
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Esta basado en registros contra este Vehículo. Ver el cronograma debajo para más detalles
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,Recoger
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Contra factura de proveedor {0} con fecha{1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Contra factura de proveedor {0} con fecha{1}
DocType: Customer,Default Price List,Lista de precios por defecto
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Movimiento de activo {0} creado
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,No se puede eliminar el año fiscal {0}. Año fiscal {0} se establece por defecto en la configuración global
DocType: Journal Entry,Entry Type,Tipo de entrada
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Ningún plan de evaluación vinculado a este grupo de evaluación
,Customer Credit Balance,Saldo de clientes
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Cambio neto en cuentas por pagar
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Se requiere un cliente para el descuento
@@ -1650,7 +1665,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Precios
DocType: Quotation,Term Details,Detalles de términos y condiciones
DocType: Project,Total Sales Cost (via Sales Order),Costo total de ventas (a través de la orden de venta)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,No se puede inscribir más de {0} estudiantes para este grupo de estudiantes.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,No se puede inscribir más de {0} estudiantes para este grupo de estudiantes.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Cuenta de Iniciativa
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} debe ser mayor que 0
DocType: Manufacturing Settings,Capacity Planning For (Days),Planificación de capacidad para (Días)
@@ -1671,7 +1686,7 @@
DocType: Sales Invoice,Packed Items,Productos Empacados
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Reclamación de garantía por numero de serie
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Reemplazar una Solicitud de Materiales en particular en todas las demás Solicitudes de Materiales donde se utiliza. Sustituirá el antiguo enlace a la Solicitud de Materiales, actualizara el costo y regenerar una tabla para la nueva Solicitud de Materiales"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Total'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Total'
DocType: Shopping Cart Settings,Enable Shopping Cart,Habilitar carrito de compras
DocType: Employee,Permanent Address,Dirección permanente
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1687,9 +1702,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,"Por favor indique la Cantidad o el Tipo de Valoración, o ambos"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,Cumplimiento
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Ver en Carrito
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,GASTOS DE PUBLICIDAD
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,GASTOS DE PUBLICIDAD
,Item Shortage Report,Reporte de productos con stock bajo
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","El peso está definido,\nPor favor indique ""UDM Peso"" también"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","El peso está definido,\nPor favor indique ""UDM Peso"" también"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Solicitud de materiales usados para crear esta entrada del inventario
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,La depreciación próxima fecha es obligatorio para los nuevos activos
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Grupo independiente basado en el curso para cada lote
@@ -1698,17 +1713,18 @@
,Student Fee Collection,Cobro del Cuotas del Estudiante
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Crear un asiento contable para cada movimiento de stock
DocType: Leave Allocation,Total Leaves Allocated,Total de ausencias asigandas
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},El almacén es requerido en la línea # {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,"Por favor, introduzca fecha de Inicio y Fin válidas para el Año Fiscal"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},El almacén es requerido en la línea # {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,"Por favor, introduzca fecha de Inicio y Fin válidas para el Año Fiscal"
DocType: Employee,Date Of Retirement,Fecha de jubilación
DocType: Upload Attendance,Get Template,Obtener Plantilla
+DocType: Material Request,Transferred,Transferido
DocType: Vehicle,Doors,puertas
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,Configuración de ERPNext Completa!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Configuración de ERPNext Completa!
DocType: Course Assessment Criteria,Weightage,Asignación
DocType: Packing Slip,PS-,PD-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: El centros de costos es requerido para la cuenta de 'pérdidas y ganancias' {2}. Por favor, configure un centro de costos por defecto para la compañía."
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Existe una categoría de cliente con el mismo nombre. Por favor cambie el nombre de cliente o renombre la categoría de cliente
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Nuevo contacto
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Existe una categoría de cliente con el mismo nombre. Por favor cambie el nombre de cliente o renombre la categoría de cliente
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Nuevo contacto
DocType: Territory,Parent Territory,Territorio principal
DocType: Quality Inspection Reading,Reading 2,Lectura 2
DocType: Stock Entry,Material Receipt,Recepción de materiales
@@ -1717,36 +1733,35 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Si este producto tiene variantes, entonces no podrá ser seleccionado en los pedidos de venta, etc."
DocType: Lead,Next Contact By,Siguiente contacto por
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Cantidad requerida para el producto {0} en la línea {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},El almacén {0} no se puede eliminar ya que existen elementos para el Producto {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Cantidad requerida para el producto {0} en la línea {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},El almacén {0} no se puede eliminar ya que existen elementos para el Producto {1}
DocType: Quotation,Order Type,Tipo de orden
DocType: Purchase Invoice,Notification Email Address,Email para las notificaciones.
,Item-wise Sales Register,Detalle de ventas
DocType: Asset,Gross Purchase Amount,Compra importe bruto
DocType: Asset,Depreciation Method,Método de depreciación
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Desconectado
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,Desconectado
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,¿Está incluido este impuesto en el precio base?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Total meta / objetivo
-DocType: Program Course,Required,Necesario
DocType: Job Applicant,Applicant for a Job,Solicitante de Empleo
-DocType: Production Plan Material Request,Production Plan Material Request,Producción Solicitud Plan de materiales
+DocType: Production Plan Material Request,Production Plan Material Request,Solicitud de Material del Plan de Producción
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,No se crearon Ordenes de Producción
DocType: Stock Reconciliation,Reconciliation JSON,Reconciliación JSON
apps/erpnext/erpnext/accounts/report/financial_statements.html +3,Too many columns. Export the report and print it using a spreadsheet application.,Hay demasiadas columnas. Exportar el informe e imprimirlo mediante una aplicación de hoja de cálculo.
DocType: Purchase Invoice Item,Batch No,Lote No.
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,"Permitir varias órdenes de venta, para las ordenes de compra de los clientes"
DocType: Student Group Instructor,Student Group Instructor,Instructor de Grupo Estudiantil
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Móvil del Tutor2
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Principal
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Móvil del Tutor2
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Principal
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variante
DocType: Naming Series,Set prefix for numbering series on your transactions,Establezca los prefijos de las numeraciones en sus transacciones
DocType: Employee Attendance Tool,Employees HTML,Empleados HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,La lista de materiales (LdM) por defecto ({0}) debe estar activa para este producto o plantilla
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,La lista de materiales (LdM) por defecto ({0}) debe estar activa para este producto o plantilla
DocType: Employee,Leave Encashed?,Vacaciones pagadas?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,El campo 'oportunidad desde' es obligatorio
DocType: Email Digest,Annual Expenses,Gastos Anuales
DocType: Item,Variants,Variantes
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Crear orden de compra
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Crear orden de compra
DocType: SMS Center,Send To,Enviar a
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},No hay suficiente días para las ausencias del tipo: {0}
DocType: Payment Reconciliation Payment,Allocated amount,Monto asignado
@@ -1760,26 +1775,25 @@
DocType: Supplier,Statutory info and other general information about your Supplier,Información legal u otra información general acerca de su proveedor
DocType: Item,Serial Nos and Batches,Números de serie y lotes
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Grupo Estudiante Fuerza
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,El asiento contable {0} no tiene ninguna entrada {1} que vincular
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,El asiento contable {0} no tiene ninguna entrada {1} que vincular
apps/erpnext/erpnext/config/hr.py +137,Appraisals,Evaluaciones
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Duplicar No. de serie para el producto {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Una condición para una regla de envío
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Por favor ingrese
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","No se puede cobrar demasiado a Punto de {0} en la fila {1} más {2}. Para permitir que el exceso de facturación, por favor, defina en la compra de Ajustes"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,"Por favor, configurar el filtro basado en Elemento o Almacén"
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","No se puede cobrar demasiado a Punto de {0} en la fila {1} más {2}. Para permitir que el exceso de facturación, por favor, defina en la compra de Ajustes"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,"Por favor, configurar el filtro basado en Elemento o Almacén"
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),El peso neto de este paquete. (calculado automáticamente por la suma del peso neto de los materiales)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Por favor crea una cuenta para este almacén y vincularlo. Esto no se puede hacer automáticamente ya que una cuenta con el nombre {0} ya existe
DocType: Sales Order,To Deliver and Bill,Para entregar y facturar
DocType: Student Group,Instructors,Instructores
DocType: GL Entry,Credit Amount in Account Currency,Importe acreditado con la divisa
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,La lista de materiales (LdM) {0} debe ser validada
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,La lista de materiales (LdM) {0} debe ser validada
DocType: Authorization Control,Authorization Control,Control de Autorización
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Fila # {0}: Almacén Rechazado es obligatorio en la partida rechazada {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Fila # {0}: Almacén Rechazado es obligatorio en la partida rechazada {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Pago
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","El Almacén {0} no esta vinculado a ninguna cuenta, por favor mencione la cuenta en el registro del almacén o seleccione una cuenta de inventario por defecto en la compañía {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Gestionar sus pedidos
DocType: Production Order Operation,Actual Time and Cost,Tiempo y costo reales
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Máxima requisición de materiales {0} es posible para el producto {1} en las órdenes de venta {2}
-DocType: Employee,Salutation,Saludo.
DocType: Course,Course Abbreviation,Abreviatura del Curso
DocType: Student Leave Application,Student Leave Application,Solicitud de Licencia para Estudiante
DocType: Item,Will also apply for variants,También se aplicará para las variantes
@@ -1791,12 +1805,12 @@
DocType: Quotation Item,Actual Qty,Cantidad Real
DocType: Sales Invoice Item,References,Referencias
DocType: Quality Inspection Reading,Reading 10,Lectura 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Enumere algunos de los productos o servicios que usted compra y/o vende. Asegúrese de revisar el grupo del artículo, la unidad de medida (UdM) y demás propiedades."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Enumere algunos de los productos o servicios que usted compra y/o vende. Asegúrese de revisar el grupo del artículo, la unidad de medida (UdM) y demás propiedades."
DocType: Hub Settings,Hub Node,Nodo del centro de actividades
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Ha introducido elementos duplicados . Por favor rectifique y vuelva a intentarlo .
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Asociado
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Asociado
DocType: Asset Movement,Asset Movement,Movimiento de Activo
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,Nuevo Carrito
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Nuevo Carrito
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,El producto {0} no es un producto serializado
DocType: SMS Center,Create Receiver List,Crear lista de receptores
DocType: Vehicle,Wheels,ruedas
@@ -1816,19 +1830,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Puede referirse a la línea, sólo si el tipo de importe es 'previo al importe' o 'previo al total'"
DocType: Sales Order Item,Delivery Warehouse,Almacén de entrega
DocType: SMS Settings,Message Parameter,Parámetro del mensaje
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Árbol de Centros de costes financieros.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Árbol de Centros de costes financieros.
DocType: Serial No,Delivery Document No,Documento de entrega No.
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Ajuste 'Cuenta / Pérdida de beneficios por enajenaciones de activos' en su empresa {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Obtener productos desde recibo de compra
DocType: Serial No,Creation Date,Fecha de creación
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},El producto {0} aparece varias veces en el Listado de Precios {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","'Ventas' debe ser seleccionada, si la opción: 'Aplicable para' esta seleccionado como {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","'Ventas' debe ser seleccionada, si la opción: 'Aplicable para' esta seleccionado como {0}"
DocType: Production Plan Material Request,Material Request Date,Fecha de solicitud de materiales
DocType: Purchase Order Item,Supplier Quotation Item,Ítem de Presupuesto de Proveedor
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Desactiva la creación de registros de tiempo en contra de las órdenes de fabricación. Las operaciones no serán objeto de seguimiento contra la Orden de Producción
DocType: Student,Student Mobile Number,Número móvil del Estudiante
DocType: Item,Has Variants,Posee variantes
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Ya ha seleccionado artículos de {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Ya ha seleccionado artículos de {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Defina el nombre de la distribución mensual
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,El ID de lote es obligatorio
DocType: Sales Person,Parent Sales Person,Persona encargada de ventas
@@ -1838,12 +1852,12 @@
DocType: Budget,Fiscal Year,Año Fiscal
DocType: Vehicle Log,Fuel Price,Precio del Combustible
DocType: Budget,Budget,Presupuesto
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Activos Fijos El artículo debe ser una posición no de almacén.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Activos Fijos El artículo debe ser una posición no de almacén.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","El presupuesto no se puede asignar contra {0}, ya que no es una cuenta de ingresos o gastos"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Alcanzado
DocType: Student Admission,Application Form Route,Ruta de Formulario de Solicitud
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Localidad / Cliente
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,por ejemplo 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,por ejemplo 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Deja Tipo {0} no puede ser asignado ya que se deja sin paga
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Línea {0}: la cantidad asignada {1} debe ser menor o igual al importe pendiente de factura {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,En palabras serán visibles una vez que guarde la factura de venta.
@@ -1852,7 +1866,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,"El producto {0} no está configurado para utilizar Números de Serie, por favor revise el artículo maestro"
DocType: Maintenance Visit,Maintenance Time,Tiempo del Mantenimiento
,Amount to Deliver,Cantidad para envío
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Un Producto o Servicio
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Un Producto o Servicio
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"El Plazo Fecha de inicio no puede ser anterior a la fecha de inicio de año del año académico al que está vinculado el término (año académico {}). Por favor, corrija las fechas y vuelve a intentarlo."
DocType: Guardian,Guardian Interests,Intereses del Tutor
DocType: Naming Series,Current Value,Valor actual
@@ -1866,12 +1880,12 @@
must be greater than or equal to {2}","Fila {0}: Para establecer periodo {1}, la diferencia de tiempo debe ser mayor o igual a {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Esto se basa en el movimiento de stock. Ver {0} para obtener más detalles
DocType: Pricing Rule,Selling,Ventas
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Monto {0} {1} deducido contra {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Monto {0} {1} deducido contra {2}
DocType: Employee,Salary Information,Información salarial.
DocType: Sales Person,Name and Employee ID,Nombre y ID de empleado
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,La fecha de vencimiento no puede ser anterior a la fecha de contabilización
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,La fecha de vencimiento no puede ser anterior a la fecha de contabilización
DocType: Website Item Group,Website Item Group,Grupo de productos en el sitio web
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,IMPUESTOS Y ARANCELES
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,IMPUESTOS Y ARANCELES
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,"Por favor, introduzca la fecha de referencia"
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} entradas de pago no pueden ser filtradas por {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,la tabla del producto que se mosatrara en el sitio Web
@@ -1888,9 +1902,9 @@
DocType: Payment Reconciliation Payment,Reference Row,Fila de Referencia
DocType: Installation Note,Installation Time,Tiempo de Instalación
DocType: Sales Invoice,Accounting Details,Detalles de contabilidad
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Eliminar todas las transacciones para esta compañía
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"Línea # {0}: La operación {1} no se ha completado para la cantidad: {2} de productos terminados en orden de producción # {3}. Por favor, actualice el estado de la operación a través de la gestión de tiempos"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,INVERSIONES
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Eliminar todas las transacciones para esta compañía
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"Línea # {0}: La operación {1} no se ha completado para la cantidad: {2} de productos terminados en orden de producción # {3}. Por favor, actualice el estado de la operación a través de la gestión de tiempos"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,INVERSIONES
DocType: Issue,Resolution Details,Detalles de la resolución
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,Asignaciones
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Criterios de Aceptación
@@ -1915,7 +1929,7 @@
DocType: Room,Room Name,Nombre de la habitación
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Deja no puede aplicarse / cancelada antes de {0}, como balance de la licencia ya ha sido remitido equipaje en el futuro registro de asignación de permiso {1}"
DocType: Activity Cost,Costing Rate,Costo calculado
-,Customer Addresses And Contacts,Direcciones de clientes y contactos
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Direcciones de clientes y contactos
,Campaign Efficiency,Eficiencia de la campaña
DocType: Discussion,Discussion,Discusión
DocType: Payment Entry,Transaction ID,ID de transacción
@@ -1925,14 +1939,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Monto Total Facturable (a través de tabla de tiempo)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Ingresos de clientes recurrentes
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) debe tener el rol de 'Supervisor de gastos'
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Par
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Seleccione la lista de materiales y Cantidad para Producción
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Par
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Seleccione la lista de materiales y Cantidad para Producción
DocType: Asset,Depreciation Schedule,Programación de la depreciación
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Direcciones y Contactos de Partner de Ventas
DocType: Bank Reconciliation Detail,Against Account,Contra la cuenta
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Fecha de medio día debe estar entre la fecha desde y fecha hasta
DocType: Maintenance Schedule Detail,Actual Date,Fecha Real
DocType: Item,Has Batch No,Posee número de lote
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Facturación anual: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Facturación anual: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Impuesto de Bienes y Servicios (GST India)
DocType: Delivery Note,Excise Page Number,Número Impuestos Especiales Página
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Empresa, Desde la fecha y hasta la fecha es obligatorio"
DocType: Asset,Purchase Date,Fecha de compra
@@ -1940,11 +1956,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Ajuste 'Centro de la amortización del coste del activo' en la empresa {0}
,Maintenance Schedules,Programas de Mantenimiento
DocType: Task,Actual End Date (via Time Sheet),Fecha de finalización real (a través de hoja de horas)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Monto {0} {1} {2} contra {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Monto {0} {1} {2} contra {3}
,Quotation Trends,Tendencias de Presupuestos
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},El grupo del artículo no se menciona en producto maestro para el elemento {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,La cuenta 'Debitar a' debe ser una cuenta por cobrar
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},El grupo del artículo no se menciona en producto maestro para el elemento {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,La cuenta 'Debitar a' debe ser una cuenta por cobrar
DocType: Shipping Rule Condition,Shipping Amount,Monto de envío
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Agregar Clientes
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Monto pendiente
DocType: Purchase Invoice Item,Conversion Factor,Factor de conversión
DocType: Purchase Order,Delivered,Enviado
@@ -1954,7 +1971,8 @@
DocType: Purchase Receipt,Vehicle Number,Número de Vehículo
DocType: Purchase Invoice,The date on which recurring invoice will be stop,Fecha en que la factura recurrente es detenida
DocType: Employee Loan,Loan Amount,Monto del préstamo
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Fila {0}: Lista de materiales no se encuentra para el elemento {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Vehículo auto-manejado
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Fila {0}: Lista de materiales no se encuentra para el elemento {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Total de hojas asignadas {0} no puede ser inferior a las hojas ya aprobados {1} para el período
DocType: Journal Entry,Accounts Receivable,Cuentas por cobrar
,Supplier-Wise Sales Analytics,Análisis de ventas (Proveedores)
@@ -1971,21 +1989,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,El reembolso de gastos estará pendiente de aprobación. Sólo el supervisor de gastos puede actualizar el estado.
DocType: Email Digest,New Expenses,Los nuevos gastos
DocType: Purchase Invoice,Additional Discount Amount,Monto adicional de descuento
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Fila # {0}: Cantidad debe ser 1, como elemento es un activo fijo. Por favor, use fila separada para cantidad múltiple."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Fila # {0}: Cantidad debe ser 1, como elemento es un activo fijo. Por favor, use fila separada para cantidad múltiple."
DocType: Leave Block List Allow,Leave Block List Allow,Permitir Lista de Bloqueo de Vacaciones
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,La abreviatura no puede estar en blanco o usar espacios
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,La abreviatura no puede estar en blanco o usar espacios
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Grupo a No-Grupo
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Deportes
DocType: Loan Type,Loan Name,Nombre del préstamo
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Total Actual
DocType: Student Siblings,Student Siblings,Hermanos del Estudiante
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Unidad(es)
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,"Por favor, especifique la compañía"
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Unidad(es)
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,"Por favor, especifique la compañía"
,Customer Acquisition and Loyalty,Compras y Lealtad de Clientes
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Almacén en el cual se envian los productos rechazados
DocType: Production Order,Skip Material Transfer,Omitir transferencia de material
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,No se puede encontrar el tipo de cambio para {0} a {1} para la fecha clave {2}. Crea un registro de cambio de divisas manualmente
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,El año financiero finaliza el
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,No se puede encontrar el tipo de cambio para {0} a {1} para la fecha clave {2}. Crea un registro de cambio de divisas manualmente
DocType: POS Profile,Price List,Lista de Precios
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} es ahora el año fiscal predeterminado. Por favor, actualice su navegador para que el cambio surta efecto."
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Reembolsos de gastos
@@ -1998,14 +2015,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},El balance de Inventario en el lote {0} se convertirá en negativo {1} para el producto {2} en el almacén {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Las Solicitudes de Materiales siguientes se han planteado de forma automática según el nivel de re-pedido del articulo
DocType: Email Digest,Pending Sales Orders,Ordenes de venta pendientes
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},La cuenta {0} no es válida. La divisa de la cuenta debe ser {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},La cuenta {0} no es válida. La divisa de la cuenta debe ser {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},El factor de conversión de la (UdM) es requerido en la línea {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Fila # {0}: Tipo de documento de referencia debe ser una de órdenes de venta, factura de venta o entrada de diario"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Fila # {0}: Tipo de documento de referencia debe ser una de órdenes de venta, factura de venta o entrada de diario"
DocType: Salary Component,Deduction,Deducción
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Fila {0}: Tiempo Desde y Tiempo Hasta es obligatorio.
DocType: Stock Reconciliation Item,Amount Difference,Diferencia de monto
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Precio del producto añadido para {0} en Lista de Precios {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Precio del producto añadido para {0} en Lista de Precios {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,"Por favor, Introduzca ID de empleado para este vendedor"
DocType: Territory,Classification of Customers by region,Clasificación de clientes por región
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,La diferencia de montos debe ser cero
@@ -2017,21 +2034,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Deducción Total
,Production Analytics,Análisis de Producción
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Costo actualizado
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Costo actualizado
DocType: Employee,Date of Birth,Fecha de nacimiento
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,El producto {0} ya ha sido devuelto
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,El producto {0} ya ha sido devuelto
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Año fiscal** representa un ejercicio financiero. Todos los asientos contables y demás transacciones importantes son registradas contra el **año fiscal**.
DocType: Opportunity,Customer / Lead Address,Dirección de cliente / oportunidad
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Advertencia: certificado SSL no válido en el apego {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Advertencia: certificado SSL no válido en el apego {0}
DocType: Student Admission,Eligibility,Elegibilidad
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Las Iniciativas ayudan a obtener negocios, agrega todos tus contactos y más como clientes potenciales"
DocType: Production Order Operation,Actual Operation Time,Hora de operación real
DocType: Authorization Rule,Applicable To (User),Aplicable a (Usuario)
DocType: Purchase Taxes and Charges,Deduct,Deducir
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Descripción del trabajo
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Descripción del trabajo
DocType: Student Applicant,Applied,Aplicado
DocType: Sales Invoice Item,Qty as per Stock UOM,Cantidad de acuerdo a la unidad de medida (UdM) de stock
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Nombre del Tutor2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Nombre del Tutor2
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series",Caracteres especiales excepto '-' '.' '#' y '/' no permitido en las secuencias e identificadores
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Lleve un registro de las campañas de venta. Lleve un registro de conductores, Citas, pedidos de venta, etc de Campañas para medir retorno de la inversión."
DocType: Expense Claim,Approver,Supervisor
@@ -2042,7 +2059,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Número de serie {0} está en garantía hasta {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Dividir nota de entrega entre paquetes.
apps/erpnext/erpnext/hooks.py +87,Shipments,Envíos
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,El saldo de la cuenta ({0}) para {1} y el valor de inventario ({2}) para el almacén {3} deben ser iguales
DocType: Payment Entry,Total Allocated Amount (Company Currency),Monto Total asignado (Divisa de la Compañia)
DocType: Purchase Order Item,To be delivered to customer,Para ser entregado al cliente
DocType: BOM,Scrap Material Cost,Costo de Material de Desecho
@@ -2050,20 +2066,21 @@
DocType: Purchase Invoice,In Words (Company Currency),En palabras (Divisa por defecto)
DocType: Asset,Supplier,Proveedor
DocType: C-Form,Quarter,Trimestre
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Gastos Varios
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Gastos Varios
DocType: Global Defaults,Default Company,Compañía predeterminada
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Una cuenta de gastos o de diiferencia es obligatoria para el producto: {0} , ya que impacta el valor del stock"
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Una cuenta de gastos o de diiferencia es obligatoria para el producto: {0} , ya que impacta el valor del stock"
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Nombre del banco
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Arriba
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Arriba
DocType: Employee Loan,Employee Loan Account,Cuenta de Préstamo del Empleado
DocType: Leave Application,Total Leave Days,Días totales de ausencia
DocType: Email Digest,Note: Email will not be sent to disabled users,Nota: El correo electrónico no se enviará a los usuarios deshabilitados
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Número de interacciones
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Código del artículo> Grupo de artículos> Marca
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Seleccione la compañía...
DocType: Leave Control Panel,Leave blank if considered for all departments,Deje en blanco si se utilizará para todos los departamentos
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Tipos de empleo (permanente , contratos, pasante, etc) ."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} es obligatorio para el artículo {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} es obligatorio para el artículo {1}
DocType: Process Payroll,Fortnightly,Quincenal
DocType: Currency Exchange,From Currency,Desde Moneda
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Por favor seleccione el monto asignado, tipo de factura y número en una fila"
@@ -2085,7 +2102,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,"Por favor, haga clic en 'Generar planificación' para obtener las tareas"
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Se han producido errores mientras borra siguientes horarios:
DocType: Bin,Ordered Quantity,Cantidad ordenada
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",por ejemplo 'Herramientas para los constructores'
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",por ejemplo 'Herramientas para los constructores'
DocType: Grading Scale,Grading Scale Intervals,Intervalos de clasificación en la escala
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: La entrada contable para {2} sólo puede hacerse en la moneda: {3}
DocType: Production Order,In Process,En Proceso
@@ -2099,12 +2116,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Grupos de alumnos creados.
DocType: Sales Invoice,Total Billing Amount,Importe total de facturación
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Tiene que haber una cuenta de correo electrónico habilitada por defecto para que esto funcione. Por favor configure una cuenta entrante de correo electrónico por defecto (POP / IMAP) y vuelve a intentarlo.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Cuenta por cobrar
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Fila # {0}: Activo {1} ya es {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Cuenta por cobrar
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Fila # {0}: Activo {1} ya es {2}
DocType: Quotation Item,Stock Balance,Balance de Inventarios.
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Órdenes de venta a pagar
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Establezca Naming Series para {0} mediante Configuración > Configuración > Nombrar Series
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,CEO
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO
DocType: Expense Claim Detail,Expense Claim Detail,Detalle de reembolso de gastos
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,"Por favor, seleccione la cuenta correcta"
DocType: Item,Weight UOM,Unidad de medida (UdM)
@@ -2113,12 +2129,12 @@
DocType: Production Order Operation,Pending,Pendiente
DocType: Course,Course Name,Nombre del curso
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Usuarios que pueden aprobar las solicitudes de ausencia
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Equipos de Oficina
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Equipos de Oficina
DocType: Purchase Invoice Item,Qty,Cantidad
DocType: Fiscal Year,Companies,Compañías
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Electrónicos
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Generar requisición de materiales cuando se alcance un nivel bajo el stock
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Jornada completa
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Jornada completa
DocType: Salary Structure,Employees,Empleados
DocType: Employee,Contact Details,Detalles de contacto
DocType: C-Form,Received Date,Fecha de recepción
@@ -2128,7 +2144,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Los precios no se muestran si la lista de precios no se ha establecido
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Por favor, especifique un país para esta regla de envió o verifique los precios para envíos mundiales"
DocType: Stock Entry,Total Incoming Value,Valor total de entradas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Débito Para es requerido
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Débito Para es requerido
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Las Tablas de Tiempos ayudan a mantener la noción del tiempo, el coste y la facturación de actividades realizadas por su equipo"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Lista de precios para las compras
DocType: Offer Letter Term,Offer Term,Términos de la oferta
@@ -2137,17 +2153,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Conciliación de pagos
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,"Por favor, seleccione el nombre de la persona a cargo"
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Tecnología
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Total no pagado: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Total no pagado: {0}
DocType: BOM Website Operation,BOM Website Operation,Operación de Página Web de lista de materiales
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Carta de oferta
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Generar requisición de materiales (MRP) y órdenes de producción.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Monto total facturado
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Monto total facturado
DocType: BOM,Conversion Rate,Tasa de conversión
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Búsqueda de Producto
DocType: Timesheet Detail,To Time,Hasta hora
DocType: Authorization Rule,Approving Role (above authorized value),Aprobar Rol (por encima del valor autorizado)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,La cuenta de crédito debe pertenecer al grupo de cuentas por pagar
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},Recursividad de lista de materiales (LdM): {0} no puede ser padre o hijo de {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,La cuenta de crédito debe pertenecer al grupo de cuentas por pagar
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},Recursividad de lista de materiales (LdM): {0} no puede ser padre o hijo de {2}
DocType: Production Order Operation,Completed Qty,Cantidad completada
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Para {0}, sólo las cuentas de débito pueden vincular con un asiento de crédito"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,La lista de precios {0} está deshabilitada
@@ -2158,28 +2174,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} números de serie son requeridos para el artículo {1}. Usted ha proporcionado {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Tasa de valoración actual
DocType: Item,Customer Item Codes,Código del producto asignado por el cliente
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Ganancia/Pérdida en Cambio
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Ganancia/Pérdida en Cambio
DocType: Opportunity,Lost Reason,Razón de la pérdida
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Nueva Dirección
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Nueva Dirección
DocType: Quality Inspection,Sample Size,Tamaño de muestra
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,"Por favor, introduzca recepción de documentos"
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Todos los artículos que ya se han facturado
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Todos los artículos que ya se han facturado
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',"Por favor, especifique un numero de caso válido"
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,"Los centros de costos se pueden crear bajo grupos, pero las entradas se crearán dentro de las subcuentas."
DocType: Project,External,Externo
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Usuarios y permisos
DocType: Vehicle Log,VLOG.,VLOG.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Órdenes de fabricación creadas: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Órdenes de fabricación creadas: {0}
DocType: Branch,Branch,Sucursal
DocType: Guardian,Mobile Number,Número de teléfono móvil
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Impresión y marcas
DocType: Bin,Actual Quantity,Cantidad real
DocType: Shipping Rule,example: Next Day Shipping,ejemplo : Envío express
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Numero de serie {0} no encontrado
-DocType: Scheduling Tool,Student Batch,Lote de Estudiante
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Sus clientes
+DocType: Program Enrollment,Student Batch,Lote de Estudiante
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Crear Estudiante
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Se le ha invitado a colaborar en el proyecto: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Se le ha invitado a colaborar en el proyecto: {0}
DocType: Leave Block List Date,Block Date,Bloquear fecha
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Aplicar Ahora
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Cantidad real {0} / Cantidad esperada {1}
@@ -2188,7 +2203,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Crear y gestionar resúmenes de correos; diarios, semanales y mensuales."
DocType: Appraisal Goal,Appraisal Goal,Meta de evaluación
DocType: Stock Reconciliation Item,Current Amount,Cantidad actual
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,Edificios
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,Edificios
DocType: Fee Structure,Fee Structure,Estructura de cuotas
DocType: Timesheet Detail,Costing Amount,Costo acumulado
DocType: Student Admission,Application Fee,Cuota de solicitud
@@ -2200,10 +2215,10 @@
DocType: POS Profile,[Select],[Seleccionar]
DocType: SMS Log,Sent To,Enviado a
DocType: Payment Request,Make Sales Invoice,Crear factura de venta
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,softwares
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,softwares
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Siguiente Fecha de Contacto no puede ser en el pasado
DocType: Company,For Reference Only.,Sólo para referencia.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Seleccione Lote No
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Seleccione Lote No
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},No válido {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,Importe Anticipado
@@ -2213,15 +2228,15 @@
DocType: Employee,Employment Details,Detalles del empleo
DocType: Employee,New Workplace,Nuevo lugar de trabajo
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Establecer como cerrado/a
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Ningún producto con código de barras {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Ningún producto con código de barras {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Nº de caso no puede ser 0
DocType: Item,Show a slideshow at the top of the page,Mostrar una presentación de diapositivas en la parte superior de la página
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Sucursales
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Sucursales
DocType: Serial No,Delivery Time,Tiempo de entrega
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Antigüedad basada en
DocType: Item,End of Life,Final de vida útil
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Viajes
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Viajes
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Sin estructura de salario activa o por defecto encontrada de empleado {0} para las fechas indicadas
DocType: Leave Block List,Allow Users,Permitir que los usuarios
DocType: Purchase Order,Customer Mobile No,Numero de móvil de cliente
@@ -2230,29 +2245,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Actualizar costos
DocType: Item Reorder,Item Reorder,Reabastecer producto
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Slip Mostrar Salario
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Transferencia de Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Transferencia de Material
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Especificar las operaciones, el costo de operativo y definir un numero único de operación"
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Este documento está por encima del límite de {0} {1} para el elemento {4}. ¿Estás haciendo otra {3} contra el mismo {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Por favor configura recurrente después de guardar
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Seleccione el cambio importe de la cuenta
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Este documento está por encima del límite de {0} {1} para el elemento {4}. ¿Estás haciendo otra {3} contra el mismo {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Por favor configura recurrente después de guardar
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Seleccione el cambio importe de la cuenta
DocType: Purchase Invoice,Price List Currency,Divisa de la lista de precios
DocType: Naming Series,User must always select,El usuario deberá elegir siempre
DocType: Stock Settings,Allow Negative Stock,Permitir Inventario Negativo
DocType: Installation Note,Installation Note,Nota de instalación
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Agregar impuestos
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Agregar impuestos
DocType: Topic,Topic,Tema
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Flujo de caja de financiación
DocType: Budget Account,Budget Account,Cuenta de Presupuesto
DocType: Quality Inspection,Verified By,Verificado por
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","No se puede cambiar la divisa/moneda por defecto de la compañía, porque existen transacciones, estas deben ser canceladas antes de cambiarla"
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","No se puede cambiar la divisa/moneda por defecto de la compañía, porque existen transacciones, estas deben ser canceladas antes de cambiarla"
DocType: Grading Scale Interval,Grade Description,Descripción de Grado
DocType: Stock Entry,Purchase Receipt No,Recibo de compra No.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,GANANCIAS PERCIBIDAS
DocType: Process Payroll,Create Salary Slip,Crear nómina salarial
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Trazabilidad
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Origen de fondos (Pasivo)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},La cantidad en la línea {0} ({1}) debe ser la misma que la cantidad producida {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Origen de fondos (Pasivo)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},La cantidad en la línea {0} ({1}) debe ser la misma que la cantidad producida {2}
DocType: Appraisal,Employee,Empleado
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Seleccione lote
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} está totalmente facturado
DocType: Training Event,End Time,Hora de finalización
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Estructura salarial activa {0} encontrada para los empleados {1} en las fechas elegidas
@@ -2264,11 +2280,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Solicitado el
DocType: Rename Tool,File to Rename,Archivo a renombrar
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},"Por favor, seleccione la lista de materiales para el artículo en la fila {0}"
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},La solicitud de la lista de materiales (LdM) especificada: {0} no existe para el producto {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Cuenta {0} no coincide con la Compañía {1}en Modo de Cuenta: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},La solicitud de la lista de materiales (LdM) especificada: {0} no existe para el producto {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,El programa de mantenimiento {0} debe ser cancelado antes de cancelar esta orden de venta
DocType: Notification Control,Expense Claim Approved,Reembolso de gastos aprobado
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Nómina del empleado {0} ya creado para este periodo
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Farmacéutico
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmacéutico
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Costo de productos comprados
DocType: Selling Settings,Sales Order Required,Orden de venta requerida
DocType: Purchase Invoice,Credit To,Acreditar en
@@ -2285,42 +2302,42 @@
DocType: Payment Gateway Account,Payment Account,Cuenta de pagos
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,"Por favor, especifique la compañía para continuar"
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Cambio neto en las cuentas por cobrar
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Compensatorio
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Compensatorio
DocType: Offer Letter,Accepted,Aceptado
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,Organización
DocType: SG Creation Tool Course,Student Group Name,Nombre del grupo de estudiante
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Por favor, asegurate de que realmente desea borrar todas las transacciones de esta compañía. Sus datos maestros permanecerán intactos. Esta acción no se puede deshacer."
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Por favor, asegurate de que realmente desea borrar todas las transacciones de esta compañía. Sus datos maestros permanecerán intactos. Esta acción no se puede deshacer."
DocType: Room,Room Number,Número de habitación
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Referencia Inválida {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) no puede ser mayor que la cantidad planificada ({2}) en la orden de producción {3}
DocType: Shipping Rule,Shipping Rule Label,Etiqueta de regla de envío
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Foro de Usuarios
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,'Materias primas' no puede estar en blanco.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","No se pudo actualizar valores, factura contiene los artículos del envío de la gota."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,'Materias primas' no puede estar en blanco.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","No se pudo actualizar valores, factura contiene los artículos del envío de la gota."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Asiento Contable Rápido
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,No se puede cambiar el precio si existe una Lista de materiales (LdM) en el producto
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,No se puede cambiar el precio si existe una Lista de materiales (LdM) en el producto
DocType: Employee,Previous Work Experience,Experiencia laboral previa
DocType: Stock Entry,For Quantity,Por cantidad
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},"Por favor, ingrese la cantidad planeada para el producto {0} en la fila {1}"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} no se ha enviado
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Listado de solicitudes de productos.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Se crearan ordenes de producción separadas para cada producto terminado.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} debe ser negativo en el documento de devolución
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} debe ser negativo en el documento de devolución
,Minutes to First Response for Issues,Minutos hasta la primera respuesta para Problemas
DocType: Purchase Invoice,Terms and Conditions1,Términos y Condiciones
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,El nombre del instituto para el que está configurando este sistema.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,El nombre del instituto para el que está configurando este sistema.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Asiento contable actualmente congelado. Nadie puede generar / modificar el asiento, excepto el rol especificado a continuación."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,"Por favor, guarde el documento antes de generar el programa de mantenimiento"
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Estado del proyecto
DocType: UOM,Check this to disallow fractions. (for Nos),Marque esta opción para deshabilitar las fracciones.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Se crearon las siguientes órdenes de fabricación:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Se crearon las siguientes órdenes de fabricación:
DocType: Student Admission,Naming Series (for Student Applicant),Serie de nomenclatura (por Estudiante Solicitante)
DocType: Delivery Note,Transporter Name,Nombre del Transportista
DocType: Authorization Rule,Authorized Value,Valor Autorizado
DocType: BOM,Show Operations,Mostrar Operaciones
,Minutes to First Response for Opportunity,Minutos hasta la primera respuesta para Oportunidades
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Total Ausente
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Artículo o almacén para la línea {0} no coincide con la requisición de materiales
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Artículo o almacén para la línea {0} no coincide con la requisición de materiales
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Unidad de Medida (UdM)
DocType: Fiscal Year,Year End Date,Fecha de Finalización de Año
DocType: Task Depends On,Task Depends On,Tarea depende de
@@ -2419,11 +2436,11 @@
DocType: Asset,Manual,Manual
DocType: Salary Component Account,Salary Component Account,Cuenta Nómina Componente
DocType: Global Defaults,Hide Currency Symbol,Ocultar el símbolo de moneda
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","Los métodos de pago normalmente utilizados por ejemplo: banco, efectivo, tarjeta de crédito, etc."
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","Los métodos de pago normalmente utilizados por ejemplo: banco, efectivo, tarjeta de crédito, etc."
DocType: Lead Source,Source Name,Nombre de la fuente
DocType: Journal Entry,Credit Note,Nota de crédito
DocType: Warranty Claim,Service Address,Dirección de servicio
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Muebles y Accesorios
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Muebles y Accesorios
DocType: Item,Manufacture,Manufacturar
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Entregar primero la nota
DocType: Student Applicant,Application Date,Fecha de aplicacion
@@ -2433,7 +2450,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Fecha de liquidación no definida
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Producción
DocType: Guardian,Occupation,Ocupación
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Por favor, configure el sistema de nombres de empleado en recursos humanos > Configuración de recursos humanos"
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Línea {0}: La fecha de inicio debe ser anterior fecha de finalización
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Total (Cantidad)
DocType: Sales Invoice,This Document,Este documento
@@ -2445,19 +2461,19 @@
DocType: Purchase Receipt,Time at which materials were received,Hora en que se recibieron los materiales
DocType: Stock Ledger Entry,Outgoing Rate,Tasa saliente
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Sucursal principal de la organización.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,ó
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,ó
DocType: Sales Order,Billing Status,Estado de facturación
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Informar un problema
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Servicios públicos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Servicios públicos
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90 o más
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Fila # {0}: Asiento {1} no tiene cuenta {2} o ya compara con otro bono
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Fila # {0}: Asiento {1} no tiene cuenta {2} o ya compara con otro bono
DocType: Buying Settings,Default Buying Price List,Lista de precios por defecto
DocType: Process Payroll,Salary Slip Based on Timesheet,Sobre la base de nómina de parte de horas
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Ningún empleado para los criterios anteriormente seleccionado o nómina ya creado
DocType: Notification Control,Sales Order Message,Mensaje de la orden de venta
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Establecer los valores predeterminados como: empresa, moneda / divisa, año fiscal, etc."
DocType: Payment Entry,Payment Type,Tipo de pago
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Seleccione un lote para el artículo {0}. No se puede encontrar un solo lote que cumpla este requisito
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Seleccione un lote para el artículo {0}. No se puede encontrar un solo lote que cumpla este requisito
DocType: Process Payroll,Select Employees,Seleccione los empleados
DocType: Opportunity,Potential Sales Deal,Potenciales acuerdos de venta
DocType: Payment Entry,Cheque/Reference Date,Cheque / Fecha de referencia
@@ -2477,7 +2493,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,documento de recepción debe ser presentado
DocType: Purchase Invoice Item,Received Qty,Cantidad recibida
DocType: Stock Entry Detail,Serial No / Batch,No. de serie / lote
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,No pago y no entregado
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,No pago y no entregado
DocType: Product Bundle,Parent Item,Producto padre / principal
DocType: Account,Account Type,Tipo de Cuenta
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2491,24 +2507,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),La identificación del paquete para la entrega (para impresión)
DocType: Bin,Reserved Quantity,Cantidad Reservada
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Por favor ingrese una dirección de correo electrónico válida
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},No hay un curso obligatorio para el programa {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Productos del recibo de compra
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Formularios personalizados
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,Arrear
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,Arrear
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Monto de la depreciación durante el período
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Plantilla deshabilitada no debe ser la plantilla predeterminada
DocType: Account,Income Account,Cuenta de ingresos
DocType: Payment Request,Amount in customer's currency,Monto en divisa del cliente
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Entregar
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Entregar
DocType: Stock Reconciliation Item,Current Qty,Cant. Actual
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",Consulte 'tasa de materiales en base de' en la sección de costos
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Anterior
DocType: Appraisal Goal,Key Responsibility Area,Área de Responsabilidad Clave
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Los lotes de los estudiantes ayudan a realizar un seguimiento de asistencia, evaluaciones y cuotas para los estudiantes"
DocType: Payment Entry,Total Allocated Amount,Monto Total Asignado
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Seleccionar la cuenta de inventario por defecto para el inventario perpetuo
DocType: Item Reorder,Material Request Type,Tipo de requisición
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Entrada de diario Accural para salarios de {0} a {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","Almacenamiento Local esta lleno, no se guardó"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","Almacenamiento Local esta lleno, no se guardó"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Línea {0}: El factor de conversión de (UdM) es obligatorio
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Referencia
DocType: Budget,Cost Center,Centro de costos
@@ -2521,19 +2537,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","La regla de precios está hecha para sobrescribir la lista de precios y define un porcentaje de descuento, basado en algunos criterios."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,El almacen sólo puede ser alterado a través de: Entradas de inventario / Nota de entrega / Recibo de compra
DocType: Employee Education,Class / Percentage,Clase / Porcentaje
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Director de marketing y ventas
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Impuesto sobre la renta
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Director de marketing y ventas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Impuesto sobre la renta
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Si la regla de precios está hecha para 'Precio', sobrescribirá la lista de precios actual. La regla de precios sera el valor final definido, así que no podrá aplicarse algún descuento. Por lo tanto, en las transacciones como Pedidos de venta, órdenes de compra, etc. el campo sera traído en lugar de utilizar 'Lista de precios'"
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Listar Oportunidades por Tipo de Industria
DocType: Item Supplier,Item Supplier,Proveedor del producto
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,"Por favor, ingrese el código del producto para obtener el numero de lote"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},"Por favor, seleccione un valor para {0} quotation_to {1}"
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,"Por favor, ingrese el código del producto para obtener el numero de lote"
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},"Por favor, seleccione un valor para {0} quotation_to {1}"
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Todas las direcciones.
DocType: Company,Stock Settings,Configuración de inventarios
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","La fusión sólo es posible si las propiedades son las mismas en ambos registros. Es Grupo, Tipo Raíz, Compañía"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","La fusión sólo es posible si las propiedades son las mismas en ambos registros. Es Grupo, Tipo Raíz, Compañía"
DocType: Vehicle,Electric,Eléctrico
DocType: Task,% Progress,% Progreso
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Ganancia / Pérdida por venta de activos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Ganancia / Pérdida por venta de activos
DocType: Training Event,Will send an email about the event to employees with status 'Open',Enviará un correo electrónico sobre el evento a los empleados con el estado 'abierto'
DocType: Task,Depends on Tasks,Depende de Tareas
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Administrar el listado de las categorías de clientes.
@@ -2542,7 +2558,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Nombre del nuevo centro de costes
DocType: Leave Control Panel,Leave Control Panel,Panel de control de ausencias
DocType: Project,Task Completion,Completitud de Tarea
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,No disponible en stock
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,No disponible en stock
DocType: Appraisal,HR User,Usuario de recursos humanos
DocType: Purchase Invoice,Taxes and Charges Deducted,Impuestos y cargos deducidos
apps/erpnext/erpnext/hooks.py +116,Issues,Incidencias
@@ -2553,22 +2569,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},No se encontró nómina entre {0} y {1}
,Pending SO Items For Purchase Request,A la espera de la orden de compra (OC) para crear solicitud de compra (SC)
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Admisión de Estudiantes
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} está desactivado
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} está desactivado
DocType: Supplier,Billing Currency,Moneda de facturación
DocType: Sales Invoice,SINV-RET-,FACT-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Extra grande
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra grande
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Hojas totales
,Profit and Loss Statement,Cuenta de pérdidas y ganancias
DocType: Bank Reconciliation Detail,Cheque Number,Número de cheque
,Sales Browser,Explorar ventas
DocType: Journal Entry,Total Credit,Crédito Total
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Advertencia: Existe otra {0} # {1} para la entrada de inventario {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Local
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Local
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),INVERSIONES Y PRESTAMOS
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,DEUDORES VARIOS
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Grande
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Grande
DocType: Homepage Featured Product,Homepage Featured Product,Producto destacado en página de inicio
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Todos los grupos de evaluación
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Todos los grupos de evaluación
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Almacén nuevo nombre
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Total {0} ({1})
DocType: C-Form Invoice Detail,Territory,Territorio
@@ -2578,12 +2594,12 @@
DocType: Production Order Operation,Planned Start Time,Hora prevista de inicio
DocType: Course,Assessment,Evaluación
DocType: Payment Entry Reference,Allocated,Numerado
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Cerrar balance general y el libro de pérdidas y ganancias.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Cerrar balance general y el libro de pérdidas y ganancias.
DocType: Student Applicant,Application Status,Estado de la aplicación
DocType: Fees,Fees,Matrícula
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Especificar el tipo de cambio para convertir una moneda a otra
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,El presupuesto {0} se ha cancelado
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Monto total pendiente
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Monto total pendiente
DocType: Sales Partner,Targets,Objetivos
DocType: Price List,Price List Master,Lista de precios principal
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Todas las transacciones de venta se pueden etiquetar para múltiples **vendedores** de esta manera usted podrá definir y monitorear objetivos.
@@ -2627,11 +2643,11 @@
1. Dirección y contacto de su empresa."
DocType: Attendance,Leave Type,Tipo de Licencia
DocType: Purchase Invoice,Supplier Invoice Details,Detalles de la factura del proveedor
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"La cuenta de Gastos/Diferencia ({0}) debe ser una cuenta de 'utilidad o pérdida """
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"La cuenta de Gastos/Diferencia ({0}) debe ser una cuenta de 'utilidad o pérdida """
DocType: Project,Copied From,Copiado de
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Nombre de error: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,Escasez
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} no asociada a {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} no asociada a {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Asistencia para el empleado {0} ya está marcado
DocType: Packing Slip,If more than one package of the same type (for print),Si es más de un paquete del mismo tipo (para impresión)
,Salary Register,Registro de Salario
@@ -2649,22 +2665,23 @@
,Requested Qty,Cant. Solicitada
DocType: Tax Rule,Use for Shopping Cart,Utilizar para carrito de compras
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},El valor {0} para el atributo {1} no existe en la lista de valores de atributos de artículo válido para el punto {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Seleccionar números de serie
DocType: BOM Item,Scrap %,Desecho %
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Los cargos se distribuirán proporcionalmente basados en la cantidad o importe, según selección"
DocType: Maintenance Visit,Purposes,Propósitos
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Al menos un elemento debe introducirse con cantidad negativa en el documento de devolución
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Al menos un elemento debe introducirse con cantidad negativa en el documento de devolución
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","La operación {0} tomará mas tiempo que la capacidad de producción de la estación {1}, por favor divida la tarea en varias operaciones"
,Requested,Solicitado
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,No hay observaciones
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,No hay observaciones
DocType: Purchase Invoice,Overdue,Atrasado
DocType: Account,Stock Received But Not Billed,Inventario entrante no facturado
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Cuenta raíz debe ser un grupo
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Cuenta raíz debe ser un grupo
DocType: Fees,FEE.,CUOTA.
DocType: Employee Loan,Repaid/Closed,Reembolsado / Cerrado
DocType: Item,Total Projected Qty,Cantidad total proyectada
DocType: Monthly Distribution,Distribution Name,Nombre de la distribución
DocType: Course,Course Code,Código del curso
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Inspección de la calidad requerida para el producto {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Inspección de la calidad requerida para el producto {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Tasa por la cual la divisa es convertida como moneda base de la compañía
DocType: Purchase Invoice Item,Net Rate (Company Currency),Tasa neta (Divisa por defecto)
DocType: Salary Detail,Condition and Formula Help,Condición y la Fórmula de Ayuda
@@ -2677,27 +2694,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Trasferencia de material para producción
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,El porcentaje de descuento puede ser aplicado ya sea en una lista de precios o para todas las listas de precios.
DocType: Purchase Invoice,Half-yearly,Semestral
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Asiento contable para inventario
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Asiento contable para inventario
DocType: Vehicle Service,Engine Oil,Aceite de Motor
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Configuración del sistema de nombres de empleados en recursos humanos> Configuración de recursos humanos
DocType: Sales Invoice,Sales Team1,Equipo de ventas 1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,El elemento {0} no existe
DocType: Sales Invoice,Customer Address,Dirección del cliente
DocType: Employee Loan,Loan Details,Detalles de préstamo
+DocType: Company,Default Inventory Account,Cuenta de Inventario Predeterminada
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Fila {0}: Cantidad completada debe ser mayor que cero.
DocType: Purchase Invoice,Apply Additional Discount On,Aplicar descuento adicional en
DocType: Account,Root Type,Tipo de root
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Línea # {0}: No se puede devolver más de {1} para el producto {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Línea # {0}: No se puede devolver más de {1} para el producto {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Cuadro
DocType: Item Group,Show this slideshow at the top of the page,Mostrar esta presentación de diapositivas en la parte superior de la página
DocType: BOM,Item UOM,Unidad de medida (UdM) del producto
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Monto de impuestos después del descuento (Divisa por defecto)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},El almacén de destino es obligatorio para la línea {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},El almacén de destino es obligatorio para la línea {0}
DocType: Cheque Print Template,Primary Settings,Ajustes Primarios
DocType: Purchase Invoice,Select Supplier Address,Seleccionar dirección del proveedor
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Añadir Empleados
DocType: Purchase Invoice Item,Quality Inspection,Inspección de calidad
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Extra Pequeño
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Pequeño
DocType: Company,Standard Template,Plantilla estándar
DocType: Training Event,Theory,Teoría
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Advertencia: La requisición de materiales es menor que la orden mínima establecida
@@ -2705,7 +2724,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entidad Legal / Subsidiario con un Catalogo de Cuentas separado que pertenece a la Organización.
DocType: Payment Request,Mute Email,Email Silenciado
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Alimentos, bebidas y tabaco"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Sólo se puede crear el pago contra {0} impagado
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Sólo se puede crear el pago contra {0} impagado
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,El porcentaje de comisión no puede ser superior a 100
DocType: Stock Entry,Subcontract,Sub-contrato
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,"Por favor, introduzca {0} primero"
@@ -2718,18 +2737,18 @@
DocType: SMS Log,No of Sent SMS,Número de SMS enviados
DocType: Account,Expense Account,Cuenta de costos
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Software.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Color
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Color
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Criterios de evaluación del plan
DocType: Training Event,Scheduled,Programado.
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Solicitud de cotización.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Por favor, seleccione el ítem donde ""Es Elemento de Stock"" es ""No"" y ""¿Es de artículos de venta"" es ""Sí"", y no hay otro paquete de producto"
DocType: Student Log,Academic,Académico
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Avance total ({0}) contra la Orden {1} no puede ser mayor que el Total ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Avance total ({0}) contra la Orden {1} no puede ser mayor que el Total ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,"Seleccione la distribución mensual, para asignarla desigualmente en varios meses"
DocType: Purchase Invoice Item,Valuation Rate,Tasa de Valoración
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,El tipo de divisa para la lista de precios no ha sido seleccionado
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,El tipo de divisa para la lista de precios no ha sido seleccionado
,Student Monthly Attendance Sheet,Hoja de Asistencia Mensual de Estudiante
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},El empleado {0} ya se ha aplicado para {1} entre {2} y {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Fecha de inicio del proyecto
@@ -2741,7 +2760,7 @@
DocType: BOM,Scrap,Desecho
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Administrar socios de ventas.
DocType: Quality Inspection,Inspection Type,Tipo de inspección
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Complejos de transacción existentes no pueden ser convertidos en grupo.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Complejos de transacción existentes no pueden ser convertidos en grupo.
DocType: Assessment Result Tool,Result HTML,Resultado HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Expira el
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Añadir estudiantes
@@ -2749,13 +2768,13 @@
DocType: C-Form,C-Form No,C -Form No
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,La asistencia sin marcar
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Investigador
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Investigador
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Estudiante Herramienta de Inscripción Programa
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,El nombre o e-mail es obligatorio
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Inspección de calidad de productos entrantes
DocType: Purchase Order Item,Returned Qty,Cantidad devuelta
DocType: Employee,Exit,Salir
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,tipo de root es obligatorio
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,tipo de root es obligatorio
DocType: BOM,Total Cost(Company Currency),Costo Total (Divisa de la Compañía)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Número de serie {0} creado
DocType: Homepage,Company Description for website homepage,Descripción de la empresa para la página de inicio página web
@@ -2764,7 +2783,7 @@
DocType: Sales Invoice,Time Sheet List,Lista de hojas de tiempo
DocType: Employee,You can enter any date manually,Puede introducir cualquier fecha manualmente
DocType: Asset Category Account,Depreciation Expense Account,Cuenta de gastos de depreciación
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Período de prueba
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Período de prueba
DocType: Customer Group,Only leaf nodes are allowed in transaction,Sólo las sub-cuentas son permitidas en una transacción
DocType: Expense Claim,Expense Approver,Supervisor de gastos
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Fila {0}: Avance contra el Cliente debe ser de crédito
@@ -2777,10 +2796,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Calendario de cursos eliminados:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Estatus de mensajes SMS entregados
DocType: Accounts Settings,Make Payment via Journal Entry,Hace el pago vía entrada de diario
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Impreso en
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Impreso en
DocType: Item,Inspection Required before Delivery,Inspección requerida antes de la entrega
DocType: Item,Inspection Required before Purchase,Inspección requerida antes de la compra
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Actividades Pendientes
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Tu organización
DocType: Fee Component,Fees Category,Categoría de cuotas
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,"Por favor, introduzca la fecha de relevo"
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Monto
@@ -2790,9 +2810,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Nivel de reabastecimiento
DocType: Company,Chart Of Accounts Template,Plantilla del catálogo de cuentas
DocType: Attendance,Attendance Date,Fecha de Asistencia
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Precio del producto actualizado para {0} en Lista de Precios {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Precio del producto actualizado para {0} en Lista de Precios {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Calculo de salario basado en los ingresos y deducciones
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Una cuenta con nodos hijos no puede convertirse en libro mayor
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Una cuenta con nodos hijos no puede convertirse en libro mayor
DocType: Purchase Invoice Item,Accepted Warehouse,Almacén Aceptado
DocType: Bank Reconciliation Detail,Posting Date,Fecha de contabilización
DocType: Item,Valuation Method,Método de valoración
@@ -2801,14 +2821,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Entrada duplicada
DocType: Program Enrollment Tool,Get Students,Obtener Estudiantes
DocType: Serial No,Under Warranty,Bajo garantía
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Error]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Error]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,En palabras serán visibles una vez que guarde el pedido de ventas.
,Employee Birthday,Cumpleaños del empleado
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Herramienta de Asistencia de Estudiantes por Lote
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,Límite Cruzado
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Límite Cruzado
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Capital de riesgo
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"Un término académico con este 'Año Académico' {0} y 'Nombre de término' {1} ya existe. Por favor, modificar estas entradas y vuelva a intentarlo."
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Como hay transacciones existentes contra el elemento {0}, no se puede cambiar el valor de {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Como hay transacciones existentes contra el elemento {0}, no se puede cambiar el valor de {1}"
DocType: UOM,Must be Whole Number,Debe ser un número entero
DocType: Leave Control Panel,New Leaves Allocated (In Days),Nuevas ausencias asignadas (en días)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,El número de serie {0} no existe
@@ -2817,6 +2837,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Número de factura
DocType: Shopping Cart Settings,Orders,Órdenes
DocType: Employee Leave Approver,Leave Approver,Supervisor de ausencias
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Seleccione un lote
DocType: Assessment Group,Assessment Group Name,Nombre del grupo de evaluación
DocType: Manufacturing Settings,Material Transferred for Manufacture,Material transferido para manufacturar
DocType: Expense Claim,"A user with ""Expense Approver"" role","Un usuario con rol de ""Supervisor de gastos"""
@@ -2826,9 +2847,10 @@
DocType: Target Detail,Target Detail,Detalle de objetivo
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,Todos los trabajos
DocType: Sales Order,% of materials billed against this Sales Order,% de materiales facturados contra esta orden de venta
+DocType: Program Enrollment,Mode of Transportation,Modo de Transporte
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Asiento de cierre de período
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,El centro de costos con transacciones existentes no se puede convertir a 'grupo'
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Monto {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Monto {0} {1} {2} {3}
DocType: Account,Depreciation,DEPRECIACIONES
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Proveedor(es)
DocType: Employee Attendance Tool,Employee Attendance Tool,Herramienta de asistencia de los empleados
@@ -2836,7 +2858,7 @@
DocType: Supplier,Credit Limit,Límite de crédito
DocType: Production Plan Sales Order,Salse Order Date,Fecha de Orden de Venta
DocType: Salary Component,Salary Component,Componente Salarial
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Las entradas de pago {0} estan no-relacionadas
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Las entradas de pago {0} estan no-relacionadas
DocType: GL Entry,Voucher No,Comprobante No.
,Lead Owner Efficiency,Eficiencia del Propietario de la Iniciativa
DocType: Leave Allocation,Leave Allocation,Asignación de vacaciones
@@ -2847,11 +2869,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Configuración de las plantillas de términos y condiciones.
DocType: Purchase Invoice,Address and Contact,Dirección y contacto
DocType: Cheque Print Template,Is Account Payable,Es cuenta por pagar
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Stock no se puede actualizar en contra recibo de compra {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Stock no se puede actualizar en contra recibo de compra {0}
DocType: Supplier,Last Day of the Next Month,Último día del siguiente mes
DocType: Support Settings,Auto close Issue after 7 days,Cierre automático de incidencia después de 7 días
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Deje no pueden ser distribuidas antes {0}, como balance de la licencia ya ha sido remitido equipaje en el futuro registro de asignación de permiso {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),"Nota: El Debido/Fecha de referencia, excede los días de créditos concedidos para el cliente por {0} día(s)"
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),"Nota: El Debido/Fecha de referencia, excede los días de créditos concedidos para el cliente por {0} día(s)"
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Estudiante Solicitante
DocType: Asset Category Account,Accumulated Depreciation Account,Cuenta de depreciación acumulada
DocType: Stock Settings,Freeze Stock Entries,Congelar entradas de stock
@@ -2860,35 +2882,35 @@
DocType: Activity Cost,Billing Rate,Monto de facturación
,Qty to Deliver,Cantidad a entregar
,Stock Analytics,Análisis de existencias.
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Las operaciones no pueden dejarse en blanco
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Las operaciones no pueden dejarse en blanco
DocType: Maintenance Visit Purpose,Against Document Detail No,Contra documento No.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Tipo de parte es obligatorio
DocType: Quality Inspection,Outgoing,Saliente
DocType: Material Request,Requested For,Solicitado por
DocType: Quotation Item,Against Doctype,Contra 'DocType'
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} está cancelado o cerrado
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} está cancelado o cerrado
DocType: Delivery Note,Track this Delivery Note against any Project,Seguir este albarán en contra de cualquier proyecto
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Efectivo neto de inversión
-,Is Primary Address,Es Dirección Primaria
DocType: Production Order,Work-in-Progress Warehouse,Almacén de trabajos en proceso
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Activo {0} debe ser enviado
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Registro de asistencia {0} existe en contra de estudiantes {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Registro de asistencia {0} existe en contra de estudiantes {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Referencia # {0} de fecha {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Depreciación Eliminada debido a la venta de activos
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Administrar direcciones
DocType: Asset,Item Code,Código del producto
DocType: Production Planning Tool,Create Production Orders,Crear órdenes de producción
DocType: Serial No,Warranty / AMC Details,Garantía / Detalles de CMA
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Seleccionar a los estudiantes manualmente para el grupo basado en actividad
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Seleccionar a los estudiantes manualmente para el grupo basado en actividad
DocType: Journal Entry,User Remark,Observaciones
DocType: Lead,Market Segment,Sector de mercado
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},La cantidad pagada no puede ser superior a cantidad pendiente negativa total de {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},La cantidad pagada no puede ser superior a cantidad pendiente negativa total de {0}
DocType: Employee Internal Work History,Employee Internal Work History,Historial de trabajo del empleado
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Cierre (Deb)
DocType: Cheque Print Template,Cheque Size,Cheque Tamaño
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,El número de serie {0} no se encuentra en stock
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Plantilla de Impuestos para las transacciones de venta
DocType: Sales Invoice,Write Off Outstanding Amount,Balance de pagos pendientes
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Cuenta {0} no coincide con la Compañia {1}
DocType: School Settings,Current Academic Year,Año académico actual
DocType: Stock Settings,Default Stock UOM,Unidad de Medida (UdM) predeterminada para Inventario
DocType: Asset,Number of Depreciations Booked,Cantidad de Depreciaciones Reservadas
@@ -2903,27 +2925,27 @@
DocType: Asset,Double Declining Balance,Doble saldo decreciente
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Orden cerrada no se puede cancelar. Abrir para cancelar.
DocType: Student Guardian,Father,Padre
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'Actualización de Inventario' no se puede comprobar en venta de activos fijos
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Actualización de Inventario' no se puede comprobar en venta de activos fijos
DocType: Bank Reconciliation,Bank Reconciliation,Conciliación bancaria
DocType: Attendance,On Leave,De licencia
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Obtener Actualizaciones
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: La cuenta {2} no pertenece a la Compañía {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Requisición de materiales {0} cancelada o detenida
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Agregar algunos registros de muestra
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Agregar algunos registros de muestra
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Gestión de ausencias
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Agrupar por cuenta
DocType: Sales Order,Fully Delivered,Entregado completamente
DocType: Lead,Lower Income,Ingreso menor
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},"Almacenes de origen y destino no pueden ser los mismos, línea {0}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},"Almacenes de origen y destino no pueden ser los mismos, línea {0}"
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Una cuenta distinta debe ser del tipo Activo / Pasivo, ya que la reconciliación del stock es una entrada de apertura"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Monto desembolsado no puede ser mayor que Monto del préstamo {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Se requiere el numero de orden de compra para el producto {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Orden de producción no se ha creado
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Se requiere el numero de orden de compra para el producto {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Orden de producción no se ha creado
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Desde la fecha' debe ser después de 'Hasta Fecha'
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},No se puede cambiar el estado de estudiante {0} está vinculada con la aplicación del estudiante {1}
DocType: Asset,Fully Depreciated,Totalmente depreciado
,Stock Projected Qty,Cantidad de inventario proyectado
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Cliente {0} no pertenece al proyecto {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Cliente {0} no pertenece al proyecto {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Asistencia Marcada HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Las citas son propuestas, las ofertas que ha enviado a sus clientes"
DocType: Sales Order,Customer's Purchase Order,Ordenes de compra de clientes
@@ -2932,33 +2954,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Suma de las puntuaciones de criterios de evaluación tiene que ser {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,"Por favor, ajuste el número de amortizaciones Reservados"
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Valor o Cantidad
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Pedidos de producción no pueden ser elevados para:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Minuto
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Pedidos de producción no pueden ser elevados para:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Minuto
DocType: Purchase Invoice,Purchase Taxes and Charges,Impuestos y cargos sobre compras
,Qty to Receive,Cantidad a recibir
DocType: Leave Block List,Leave Block List Allowed,Lista de 'bloqueo de vacaciones / permisos' permitida
DocType: Grading Scale Interval,Grading Scale Interval,Escala de Calificación de intervalo
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Reclamación de gastos para el registro de vehículos {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Descuento (%) en Tarifa de lista de precios con margen
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,Todos los Almacenes
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Todos los Almacenes
DocType: Sales Partner,Retailer,Detallista
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,La cuenta de crédito debe pertenecer a las cuentas de balance
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,La cuenta de crédito debe pertenecer a las cuentas de balance
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Todos los proveedores
DocType: Global Defaults,Disable In Words,Desactivar en palabras
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,El código del producto es obligatorio porque no es enumerado automáticamente
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,El código del producto es obligatorio porque no es enumerado automáticamente
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},El presupuesto {0} no es del tipo {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Programa de mantenimiento de artículos
DocType: Sales Order,% Delivered,% Entregado
DocType: Production Order,PRO-,PRO-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Cuenta de Sobre-Giros
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Cuenta de Sobre-Giros
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Crear nómina salarial
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Fila # {0}: Importe asignado no puede ser mayor que la cantidad pendiente.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Explorar la lista de materiales
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Prestamos en garantía
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Prestamos en garantía
DocType: Purchase Invoice,Edit Posting Date and Time,Editar fecha y hora de envío
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Por favor, establece las cuentas relacionadas de depreciación de activos en Categoría {0} o de su empresa {1}"
DocType: Academic Term,Academic Year,Año académico
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Apertura de Capital
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Apertura de Capital
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Evaluación
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},Correo electrónico enviado al proveedor {0}
@@ -2974,7 +2996,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,El rol que aprueba no puede ser igual que el rol al que se aplica la regla
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Darse de baja de este boletín por correo electrónico
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Mensaje enviado
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Una cuenta con nodos hijos no puede ser establecida como libro mayor
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Una cuenta con nodos hijos no puede ser establecida como libro mayor
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Tasa por la cual la lista de precios es convertida como base del cliente.
DocType: Purchase Invoice Item,Net Amount (Company Currency),Importe neto (Divisa de la empresa)
@@ -3008,7 +3030,7 @@
DocType: Expense Claim,Approval Status,Estado de Aprobación
DocType: Hub Settings,Publish Items to Hub,Publicar artículos al Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},El valor debe ser menor que el valor de la línea {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Transferencia Bancaria
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Transferencia Bancaria
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Marcar todas
DocType: Vehicle Log,Invoice Ref,Referencia de Factura
DocType: Purchase Order,Recurring Order,Orden recurrente
@@ -3021,51 +3043,54 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Banco y Pagos
,Welcome to ERPNext,Bienvenido a ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Iniciativa a Presupuesto
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nada más para mostrar.
DocType: Lead,From Customer,Desde cliente
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Llamadas
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Llamadas
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,Lotes
DocType: Project,Total Costing Amount (via Time Logs),Importe total calculado (a través de la gestión de tiempos)
DocType: Purchase Order Item Supplied,Stock UOM,Unidad de media utilizada en el almacen
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,La orden de compra {0} no se encuentra validada
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,La orden de compra {0} no se encuentra validada
DocType: Customs Tariff Number,Tariff Number,Número de tarifa
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Proyectado
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Número de serie {0} no pertenece al Almacén {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Nota : El sistema no verificará sobre-entregas y exceso de almacenamiento para el producto {0} ya que la cantidad es 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Nota : El sistema no verificará sobre-entregas y exceso de almacenamiento para el producto {0} ya que la cantidad es 0
DocType: Notification Control,Quotation Message,Mensaje de Presupuesto
DocType: Employee Loan,Employee Loan Application,Solicitud de Préstamo del empleado
DocType: Issue,Opening Date,Fecha de apertura
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,La asistencia ha sido marcada con éxito.
+DocType: Program Enrollment,Public Transport,Transporte Público
DocType: Journal Entry,Remark,Observación
DocType: Purchase Receipt Item,Rate and Amount,Tasa y cantidad
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Tipo de cuenta para {0} debe ser {1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,Ausencias y Feriados
DocType: School Settings,Current Academic Term,Término académico actual
DocType: Sales Order,Not Billed,No facturado
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Ambos almacenes deben pertenecer a la misma compañía
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,No se han añadido contactos
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Ambos almacenes deben pertenecer a la misma compañía
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,No se han añadido contactos
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Monto de costos de destino estimados
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Listado de facturas emitidas por los proveedores.
DocType: POS Profile,Write Off Account,Cuenta de desajuste
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Monto de Nota de Debito
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Descuento
DocType: Purchase Invoice,Return Against Purchase Invoice,Devolución contra factura de compra
DocType: Item,Warranty Period (in days),Período de garantía (en días)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Relación con Tutor1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Relación con Tutor1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Efectivo neto de las operaciones
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,por ejemplo IVA
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,por ejemplo IVA
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Elemento 4
DocType: Student Admission,Admission End Date,Fecha de finalización de la admisión
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Subcontratación
DocType: Journal Entry Account,Journal Entry Account,Cuenta de asiento contable
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Grupo de Estudiantes
DocType: Shopping Cart Settings,Quotation Series,Series de Presupuestos
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Existe un elemento con el mismo nombre ({0} ) , cambie el nombre del grupo de artículos o cambiar el nombre del elemento"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,"Por favor, seleccione al cliente"
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Existe un elemento con el mismo nombre ({0} ) , cambie el nombre del grupo de artículos o cambiar el nombre del elemento"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,"Por favor, seleccione al cliente"
DocType: C-Form,I,yo
DocType: Company,Asset Depreciation Cost Center,Centro de la amortización del coste de los activos
DocType: Sales Order Item,Sales Order Date,Fecha de las órdenes de venta
DocType: Sales Invoice Item,Delivered Qty,Cantidad entregada
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Si se selecciona, todos los hijos de cada elemento de la producción se incluirán en las solicitudes de materiales."
DocType: Assessment Plan,Assessment Plan,Plan de Evaluación
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Almacén {0}: Compañía es obligatoria
DocType: Stock Settings,Limit Percent,límite de porcentaje
,Payment Period Based On Invoice Date,Periodos de pago según facturas
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Se requiere la tasa de cambio para {0}
@@ -3077,7 +3102,7 @@
DocType: Vehicle,Insurance Details,Detalles de Seguros
DocType: Account,Payable,Pagadero
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,"Por favor, introduzca plazos de amortización"
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Deudores ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Deudores ({0})
DocType: Pricing Rule,Margin,Margen
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Nuevos clientes
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Beneficio Bruto %
@@ -3088,16 +3113,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Parte es obligatoria
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,Nombre del tema
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Al menos uno de la venta o compra debe seleccionar
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Seleccione la naturaleza de su negocio.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Al menos uno de la venta o compra debe seleccionar
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Seleccione la naturaleza de su negocio.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Row # {0}: Entrada duplicada en Referencias {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Dónde se realizan las operaciones de producción
DocType: Asset Movement,Source Warehouse,Almacén de origen
DocType: Installation Note,Installation Date,Fecha de instalación
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Fila # {0}: Activo {1} no pertenece a la empresa {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Fila # {0}: Activo {1} no pertenece a la empresa {2}
DocType: Employee,Confirmation Date,Fecha de confirmación
DocType: C-Form,Total Invoiced Amount,Total Facturado
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,La cantidad mínima no puede ser mayor que la cantidad maxima
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,La cantidad mínima no puede ser mayor que la cantidad maxima
DocType: Account,Accumulated Depreciation,Depreciación acumulada
DocType: Stock Entry,Customer or Supplier Details,Detalle de cliente o proveedor
DocType: Employee Loan Application,Required by Date,Requerido por Fecha
@@ -3118,22 +3143,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Distribución mensual porcentual
DocType: Territory,Territory Targets,Metas de territorios
DocType: Delivery Note,Transporter Info,Información de Transportista
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Por favor seleccione el valor por defecto {0} en la empresa {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Por favor seleccione el valor por defecto {0} en la empresa {1}
DocType: Cheque Print Template,Starting position from top edge,Posición inicial desde el borde superior de partida
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Mismo proveedor se ha introducido varias veces
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Utilidad Bruta / Pérdida
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Producto suministrado desde orden de compra
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Nombre de la empresa no puede ser Company
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Nombre de la empresa no puede ser Company
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Membretes para las plantillas de impresión.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Títulos para las plantillas de impresión, por ejemplo, Factura proforma."
DocType: Student Guardian,Student Guardian,Tutor del estudiante
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Cargos de tipo de valoración no pueden marcado como Incluido
DocType: POS Profile,Update Stock,Actualizar el Inventario
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Proveedor> Tipo de proveedor
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Unidad de Medida diferente para elementos dará lugar a Peso Neto (Total) incorrecto. Asegúrese de que el peso neto de cada artículo esté en la misma Unidad de Medida.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Coeficiente de la lista de materiales (LdM)
DocType: Asset,Journal Entry for Scrap,Entrada de diario para desguace
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,"Por favor, extraiga los productos de la nota de entrega"
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Los asientos contables {0} no están enlazados
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Los asientos contables {0} no están enlazados
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Registro de todas las comunicaciones: correo electrónico, teléfono, chats, visitas, etc."
DocType: Manufacturer,Manufacturers used in Items,Fabricantes utilizados en artículos
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,"Por favor, indique las centro de costos de redondeo"
@@ -3180,33 +3206,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,Proveedor entrega al Cliente
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}](#Form/Item/{0}) está agotado
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,La fecha siguiente debe ser mayor que la fecha de publicación
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Mostrar impuesto fragmentado
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Vencimiento / Fecha de referencia no puede ser posterior a {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Mostrar impuesto fragmentado
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Vencimiento / Fecha de referencia no puede ser posterior a {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Importación y exportación de datos
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","Existen entradas de Stock contra {0}, por lo tanto, no se puede volver a asignar o modificarlo"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,No se han encontrado estudiantes
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,No se han encontrado estudiantes
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Fecha de la factura de envío
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Vender
DocType: Sales Invoice,Rounded Total,Total redondeado
DocType: Product Bundle,List items that form the package.,Lista de tareas que forman el paquete .
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,El porcentaje de asignación debe ser igual al 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,"Por favor, seleccione fecha de publicación antes de seleccionar la Parte"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,"Por favor, seleccione fecha de publicación antes de seleccionar la Parte"
DocType: Program Enrollment,School House,Casa de la escuela
DocType: Serial No,Out of AMC,Fuera de CMA (Contrato de mantenimiento anual)
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Por Favor seleccione Cotizaciones
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Por Favor seleccione Cotizaciones
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Número de Depreciaciones Reservadas no puede ser mayor que el número total de Depreciaciones
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Crear visita de mantenimiento
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,"Por favor, póngase en contacto con el usuario gerente de ventas {0}"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,"Por favor, póngase en contacto con el usuario gerente de ventas {0}"
DocType: Company,Default Cash Account,Cuenta de efectivo por defecto
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Configuración general del sistema.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Basado en la asistencia de este estudiante
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,No hay estudiantes en
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,No hay estudiantes en
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Añadir más elementos o abrir formulario completo
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',"Por favor, introduzca 'la fecha prevista de entrega'"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,La nota de entrega {0} debe ser cancelada antes de cancelar esta orden ventas
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,"El total de la cantidad pagada + desajuste, no puede ser mayor que el gran total"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,"El total de la cantidad pagada + desajuste, no puede ser mayor que el gran total"
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} no es un número de lote válido para el artículo {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Nota : No cuenta con suficientes días para la ausencia del tipo {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN no válido o Enter NA para No registrado
DocType: Training Event,Seminar,Seminario
DocType: Program Enrollment Fee,Program Enrollment Fee,Cuota de Inscripción al Programa
DocType: Item,Supplier Items,Artículos de proveedor
@@ -3232,27 +3258,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Elemento 3
DocType: Purchase Order,Customer Contact Email,Correo electrónico de contacto de cliente
DocType: Warranty Claim,Item and Warranty Details,Producto y detalles de garantía
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Código del artículo> Grupo de artículos> Marca
DocType: Sales Team,Contribution (%),Margen (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Nota : El registro del pago no se creará hasta que la cuenta del tipo 'Banco o Cajas' sea definida
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Seleccione el programa para obtener cursos obligatorios.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Responsabilidades
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Responsabilidades
DocType: Expense Claim Account,Expense Claim Account,Cuenta de Gastos
DocType: Sales Person,Sales Person Name,Nombre de vendedor
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,"Por favor, introduzca al menos 1 factura en la tabla"
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Agregar usuarios
DocType: POS Item Group,Item Group,Grupo de productos
DocType: Item,Safety Stock,Stock de seguridad
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,El % de avance para una tarea no puede ser más de 100.
DocType: Stock Reconciliation Item,Before reconciliation,Antes de reconciliación
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Para {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Impuestos y cargos adicionales (Divisa por defecto)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"El campo de impuesto del producto {0} debe tener un tipo de cuenta de impuestos, ingresos, cargos o gastos"
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"El campo de impuesto del producto {0} debe tener un tipo de cuenta de impuestos, ingresos, cargos o gastos"
DocType: Sales Order,Partly Billed,Parcialmente facturado
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Elemento {0} debe ser un elemento de activo fijo
DocType: Item,Default BOM,Lista de Materiales (LdM) por defecto
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,"Por favor, vuelva a escribir nombre de la empresa para confirmar"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Monto total pendiente
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Monto de Nota de Debito
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,"Por favor, vuelva a escribir nombre de la empresa para confirmar"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Monto total pendiente
DocType: Journal Entry,Printing Settings,Ajustes de impresión
DocType: Sales Invoice,Include Payment (POS),Incluir Pago (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},El débito total debe ser igual al crédito. La diferencia es {0}
@@ -3266,15 +3290,16 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,En Stock:
DocType: Notification Control,Custom Message,Mensaje personalizado
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Inversión en la banca
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,'Cuenta de Efectivo' o 'Cuenta Bancaria' es obligatoria para hacer una entrada de pago
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Dirección del estudiante
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,'Cuenta de Efectivo' o 'Cuenta Bancaria' es obligatoria para hacer una entrada de pago
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Configure las series de numeración para Asistencia mediante Configuración> Serie de numeración
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Dirección del estudiante
DocType: Purchase Invoice,Price List Exchange Rate,Tipo de cambio para la lista de precios
DocType: Purchase Invoice Item,Rate,Precio
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Interno
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,Nombre de la dirección
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Interno
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,Nombre de la dirección
DocType: Stock Entry,From BOM,Desde lista de materiales (LdM)
DocType: Assessment Code,Assessment Code,Código evaluación
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Base
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Base
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Las operaciones de inventario antes de {0} se encuentran congeladas
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"Por favor, haga clic en 'Generar planificación'"
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","por ejemplo Kg, Unidades, Metros"
@@ -3284,11 +3309,11 @@
DocType: Salary Slip,Salary Structure,Estructura salarial
DocType: Account,Bank,Banco
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Línea aérea
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Distribuir materiales
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Distribuir materiales
DocType: Material Request Item,For Warehouse,Para el almacén
DocType: Employee,Offer Date,Fecha de oferta
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Presupuestos
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Usted está en modo fuera de línea. Usted no será capaz de recargar hasta que tenga conexión a red.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,Usted está en modo fuera de línea. Usted no será capaz de recargar hasta que tenga conexión a red.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,No se crearon grupos de estudiantes.
DocType: Purchase Invoice Item,Serial No,Número de serie
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Cantidad mensual La devolución no puede ser mayor que monto del préstamo
@@ -3296,8 +3321,8 @@
DocType: Purchase Invoice,Print Language,Lenguaje de impresión
DocType: Salary Slip,Total Working Hours,Horas de trabajo total
DocType: Stock Entry,Including items for sub assemblies,Incluir productos para subconjuntos
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,El valor introducido debe ser positivo
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Todos los Territorios
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,El valor introducido debe ser positivo
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Todos los Territorios
DocType: Purchase Invoice,Items,Productos
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Estudiante ya está inscrito.
DocType: Fiscal Year,Year Name,Nombre del Año
@@ -3315,10 +3340,10 @@
DocType: Issue,Opening Time,Hora de Apertura
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Desde y Hasta la fecha solicitada
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Cambios de valores y bienes
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unidad de medida predeterminada para variante '{0}' debe ser la mismo que en la plantilla '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unidad de medida predeterminada para variante '{0}' debe ser la mismo que en la plantilla '{1}'
DocType: Shipping Rule,Calculate Based On,Calculo basado en
DocType: Delivery Note Item,From Warehouse,De Almacén
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,No hay artículos con la lista de materiales para la fabricación de
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,No hay artículos con la lista de materiales para la fabricación de
DocType: Assessment Plan,Supervisor Name,Nombre del supervisor
DocType: Program Enrollment Course,Program Enrollment Course,Curso de inscripción en el programa
DocType: Purchase Taxes and Charges,Valuation and Total,Valuación y total
@@ -3333,18 +3358,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Días desde la última orden' debe ser mayor que o igual a cero
DocType: Process Payroll,Payroll Frequency,Frecuencia de la Nómina
DocType: Asset,Amended From,Modificado Desde
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Materia prima
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Materia prima
DocType: Leave Application,Follow via Email,Seguir a través de correo electronico
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Plantas y Maquinarias
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Plantas y Maquinarias
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Total impuestos después del descuento
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Ajustes de Resumen Diario de Trabajo
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Moneda de la lista de precios {0} no es similar con la moneda seleccionada {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Moneda de la lista de precios {0} no es similar con la moneda seleccionada {1}
DocType: Payment Entry,Internal Transfer,Transferencia interna
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,"No es posible eliminar esta cuenta, ya que existe una sub-cuenta"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,"No es posible eliminar esta cuenta, ya que existe una sub-cuenta"
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Es obligatoria la meta de facturacion
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},No existe una lista de materiales por defecto para el elemento {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},No existe una lista de materiales por defecto para el elemento {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,"Por favor, seleccione fecha de publicación primero"
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Fecha de apertura debe ser antes de la Fecha de Cierre
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Establezca Naming Series para {0} a través de Configuración> Configuración> Nombrar Series
DocType: Leave Control Panel,Carry Forward,Trasladar
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,El centro de costos con transacciones existentes no se puede convertir a libro mayor
DocType: Department,Days for which Holidays are blocked for this department.,Días en que las vacaciones / permisos se bloquearan para este departamento.
@@ -3354,10 +3380,9 @@
DocType: Issue,Raised By (Email),Propuesto por (Email)
DocType: Training Event,Trainer Name,Nombre del entrenador
DocType: Mode of Payment,General,General
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Adjuntar Membrete
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Última Comunicación
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',No se puede deducir cuando categoría es para ' Valoración ' o ' de Valoración y Total '
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Enumere sus obligaciones fiscales (Ejemplo; Impuestos, aduanas, etc.) deben tener nombres únicos y sus tarifas por defecto. Esto creará una plantilla estándar, que podrá editar más tarde."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Enumere sus obligaciones fiscales (Ejemplo; Impuestos, aduanas, etc.) deben tener nombres únicos y sus tarifas por defecto. Esto creará una plantilla estándar, que podrá editar más tarde."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Número de serie requerido para el producto serializado {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Conciliacion de pagos con facturas
DocType: Journal Entry,Bank Entry,Registro de Banco
@@ -3366,16 +3391,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Añadir a la Cesta
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Agrupar por
DocType: Guardian,Interests,Intereses
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Habilitar o deshabilitar el tipo de divisas
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Habilitar o deshabilitar el tipo de divisas
DocType: Production Planning Tool,Get Material Request,Obtener Solicitud de materiales
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,GASTOS POSTALES
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,GASTOS POSTALES
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Monto total
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Entretenimiento y ocio
DocType: Quality Inspection,Item Serial No,Nº de Serie del producto
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Crear registros de empleados
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Total Presente
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Declaraciones de contabilidad
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Hora
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Hora
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,El número de serie no tiene almacén asignado. El almacén debe establecerse por entradas de inventario o recibos de compra
DocType: Lead,Lead Type,Tipo de iniciativa
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Usted no está autorizado para aprobar ausencias en fechas bloqueadas
@@ -3387,6 +3412,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,Nueva lista de materiales después de la sustitución
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Punto de Venta
DocType: Payment Entry,Received Amount,Cantidad recibida
+DocType: GST Settings,GSTIN Email Sent On,Se envía el correo electrónico de GSTIN
+DocType: Program Enrollment,Pick/Drop by Guardian,Recoger/Soltar por Tutor
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Crear para la cantidad completa, haciendo caso omiso de la cantidad que ya están en orden"
DocType: Account,Tax,Impuesto
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,No Marcado
@@ -3398,14 +3425,14 @@
DocType: Batch,Source Document Name,Nombre del documento de origen
DocType: Job Opening,Job Title,Título del trabajo
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Crear usuarios
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,Gramo
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,Gramo
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,La cantidad a producir debe ser mayor que 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Reporte de visitas para mantenimiento
DocType: Stock Entry,Update Rate and Availability,Actualización de tarifas y disponibilidad
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"El porcentaje que ud. tiene permitido para recibir o enviar mas de la cantidad ordenada. Por ejemplo: Si ha pedido 100 unidades, y su asignación es del 10%, entonces tiene permitido recibir hasta 110 unidades."
DocType: POS Customer Group,Customer Group,Categoría de cliente
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Nuevo ID de lote (opcional)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},La cuenta de gastos es obligatoria para el elemento {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},La cuenta de gastos es obligatoria para el elemento {0}
DocType: BOM,Website Description,Descripción del sitio web
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Cambio en el Patrimonio Neto
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Por favor primero cancele la Factura de Compra {0}
@@ -3415,8 +3442,8 @@
,Sales Register,Registro de ventas
DocType: Daily Work Summary Settings Company,Send Emails At,Enviar Correos Electrónicos a
DocType: Quotation,Quotation Lost Reason,Razón de la pérdida
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Seleccione su dominio
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Referencia de la transacción nro {0} fechada {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Seleccione su dominio
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Referencia de la transacción nro {0} fechada {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,No hay nada que modificar.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Resumen para este mes y actividades pendientes
DocType: Customer Group,Customer Group Name,Nombre de la categoría de cliente
@@ -3424,14 +3451,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Estado de Flujos de Efectivo
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Monto del préstamo no puede exceder cantidad máxima del préstamo de {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licencia
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},"Por favor, elimine esta factura {0} de C-Form {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},"Por favor, elimine esta factura {0} de C-Form {1}"
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Por favor seleccione 'trasladar' si usted desea incluir los saldos del año fiscal anterior a este año
DocType: GL Entry,Against Voucher Type,Tipo de comprobante
DocType: Item,Attributes,Atributos
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,"Por favor, ingrese la cuenta de desajuste"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,"Por favor, ingrese la cuenta de desajuste"
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Fecha del último pedido
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},La cuenta {0} no pertenece a la compañía {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Los números de serie en la fila {0} no coinciden con Nota de entrega
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Los números de serie en la fila {0} no coinciden con Nota de entrega
DocType: Student,Guardian Details,Detalles del Tutor
DocType: C-Form,C-Form,C - Forma
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Marcar Asistencia para múltiples empleados
@@ -3446,16 +3473,16 @@
DocType: Budget Account,Budget Amount,Monto de Presupuesto
DocType: Appraisal Template,Appraisal Template Title,Titulo de la plantilla de evaluación
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Fecha Desde {0} para el Empleado {1} no puede ser antes de la fecha de unión del empleado {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Comercial
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Comercial
DocType: Payment Entry,Account Paid To,Cuenta pagado hasta
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,El producto principal {0} no debe ser un artículo de stock
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Todos los productos o servicios.
DocType: Expense Claim,More Details,Más detalles
DocType: Supplier Quotation,Supplier Address,Dirección de proveedor
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},El presupuesto {0} de la cuenta {1} para {2} {3} es {4} superior por {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Fila {0} # La cuenta debe ser de tipo "Activo Fijo"
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Cant. enviada
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Reglas para calcular el importe de envío en una venta
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Fila {0} # La cuenta debe ser de tipo "Activo Fijo"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Cant. enviada
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Reglas para calcular el importe de envío en una venta
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,La secuencia es obligatoria
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Servicios financieros
DocType: Student Sibling,Student ID,Identificación del Estudiante
@@ -3463,13 +3490,13 @@
DocType: Tax Rule,Sales,Ventas
DocType: Stock Entry Detail,Basic Amount,Importe base
DocType: Training Event,Exam,Examen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},El almacén es requerido para el stock del producto {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},El almacén es requerido para el stock del producto {0}
DocType: Leave Allocation,Unused leaves,Ausencias no utilizadas
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cred
DocType: Tax Rule,Billing State,Región de facturación
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Transferencia
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} no asociada a la cuenta del partido {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Buscar lista de materiales (LdM) incluyendo subconjuntos
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} no asociada a la cuenta del partido {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Buscar lista de materiales (LdM) incluyendo subconjuntos
DocType: Authorization Rule,Applicable To (Employee),Aplicable a ( Empleado )
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,La fecha de vencimiento es obligatoria
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Incremento de Atributo {0} no puede ser 0
@@ -3497,7 +3524,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Código de materia prima
DocType: Journal Entry,Write Off Based On,Desajuste basado en
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Hacer una Iniciativa
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Impresión y Papelería
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Impresión y Papelería
DocType: Stock Settings,Show Barcode Field,Mostrar Campo de código de barras
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Enviar mensajes de correo electrónico del proveedor
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Salario ya procesado para el período entre {0} y {1}, Deja período de aplicación no puede estar entre este intervalo de fechas."
@@ -3505,13 +3532,15 @@
DocType: Guardian Interest,Guardian Interest,Interés del Tutor
apps/erpnext/erpnext/config/hr.py +177,Training,Formación
DocType: Timesheet,Employee Detail,Detalle de los Empleados
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,ID de correo electrónico del Tutor1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,ID de correo electrónico del Tutor1
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,"El día ""siguiente fecha"" y ""repetir un día del mes"" deben ser iguales"
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Ajustes para la página de inicio página web
DocType: Offer Letter,Awaiting Response,Esperando Respuesta
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Arriba
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Arriba
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},atributo no válido {0} {1}
DocType: Supplier,Mention if non-standard payable account,Mencionar si la cuenta no es cuenta estándar a pagar
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},El mismo Producto fue ingresado multiple veces {list}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Seleccione el grupo de evaluación que no sea 'Todos los grupos de evaluación'
DocType: Salary Slip,Earning & Deduction,Ingresos y Deducciones
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Opcional. Esta configuración es utilizada para filtrar la cuenta de otras transacciones
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,La valoración negativa no está permitida
@@ -3523,11 +3552,11 @@
DocType: Serial No,Creation Time,Hora de creación
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +62,Total Revenue,Ingresos Totales
DocType: Sales Invoice,Product Bundle Help,Ayuda de 'conjunto / paquete de productos'
-,Monthly Attendance Sheet,Hoja de ssistencia mensual
+,Monthly Attendance Sheet,Hoja de Asistencia mensual
DocType: Production Order Item,Production Order Item,Artículo de la Orden de Producción
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,No se han encontraron registros
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,No se han encontraron registros
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Costo del activo desechado
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Centro de Costes es obligatorio para el artículo {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Centro de Costes es obligatorio para el artículo {2}
DocType: Vehicle,Policy No,N° de Política
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Obtener elementos del paquete del producto
DocType: Asset,Straight Line,Línea recta
@@ -3535,7 +3564,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,División
DocType: GL Entry,Is Advance,Es un anticipo
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Asistencia 'Desde fecha' y 'Hasta fecha' son obligatorias
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,"Por favor, introduzca si 'Es sub-contratado' o no"
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,"Por favor, introduzca si 'Es sub-contratado' o no"
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Fecha de la Última Comunicación
DocType: Sales Team,Contact No.,Contacto No.
DocType: Bank Reconciliation,Payment Entries,Entradas de Pago
@@ -3561,60 +3590,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Valor de Apertura
DocType: Salary Detail,Formula,Fórmula
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial #.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Comisiones sobre ventas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Comisiones sobre ventas
DocType: Offer Letter Term,Value / Description,Valor / Descripción
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Fila # {0}: el elemento {1} no puede ser presentado, ya es {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Fila # {0}: el elemento {1} no puede ser presentado, ya es {2}"
DocType: Tax Rule,Billing Country,País de facturación
DocType: Purchase Order Item,Expected Delivery Date,Fecha prevista de entrega
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,El Débito y Crédito no es igual para {0} # {1}. La diferencia es {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,GASTOS DE ENTRETENIMIENTO
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Hacer Solicitud de materiales
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,GASTOS DE ENTRETENIMIENTO
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Hacer Solicitud de materiales
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Abrir elemento {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,La factura {0} debe ser cancelada antes de cancelar esta orden ventas
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Edad
DocType: Sales Invoice Timesheet,Billing Amount,Monto de facturación
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,La cantidad especificada es inválida para el elemento {0}. La cantidad debe ser mayor que 0 .
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Solicitudes de ausencia.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Cuenta con transacción existente no se puede eliminar
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Cuenta con transacción existente no se puede eliminar
DocType: Vehicle,Last Carbon Check,Último control de Carbono
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,GASTOS LEGALES
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,GASTOS LEGALES
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,"Por favor, seleccione la cantidad en la fila"
DocType: Purchase Invoice,Posting Time,Hora de contabilización
DocType: Timesheet,% Amount Billed,% importe facturado
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Cuenta telefonica
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Cuenta telefonica
DocType: Sales Partner,Logo,Logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Seleccione esta opción si desea obligar al usuario a seleccionar una serie antes de guardar. No habrá ninguna por defecto si marca ésta casilla.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Ningún producto con numero de serie {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Ningún producto con numero de serie {0}
DocType: Email Digest,Open Notifications,Abrir notificaciones
DocType: Payment Entry,Difference Amount (Company Currency),Diferencia de Monto (Divisas de la Compañía)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Gastos directos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Gastos directos
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} es una dirección de email inválida en 'Notificación \ Dirección de email'
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Ingresos del nuevo cliente
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Gastos de viaje
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Gastos de viaje
DocType: Maintenance Visit,Breakdown,Desglose
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Cuenta: {0} con divisa: {1} no puede ser seleccionada
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Cuenta: {0} con divisa: {1} no puede ser seleccionada
DocType: Bank Reconciliation Detail,Cheque Date,Fecha del cheque
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Cuenta {0}: la cuenta padre {1} no pertenece a la empresa: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Cuenta {0}: la cuenta padre {1} no pertenece a la empresa: {2}
DocType: Program Enrollment Tool,Student Applicants,Estudiante Solicitantes
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Todas las transacciones relacionadas con esta compañía han sido eliminadas correctamente.
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Todas las transacciones relacionadas con esta compañía han sido eliminadas correctamente.
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,A la fecha
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,Fecha de inscripción
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Período de prueba
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Período de prueba
apps/erpnext/erpnext/config/hr.py +115,Salary Components,componentes de sueldos
DocType: Program Enrollment Tool,New Academic Year,Nuevo Año Académico
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Devolución / Nota de Crédito
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Devolución / Nota de Crédito
DocType: Stock Settings,Auto insert Price List rate if missing,Insertar automáticamente Tasa de Lista de Precio si falta
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Importe total pagado
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Importe total pagado
DocType: Production Order Item,Transferred Qty,Cantidad Transferida
apps/erpnext/erpnext/config/learn.py +11,Navigating,Navegación
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Planificación
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Emitido
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planificación
+DocType: Material Request,Issued,Emitido
DocType: Project,Total Billing Amount (via Time Logs),Importe total de facturación (a través de la gestión de tiempos)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Vendemos este producto
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,ID de Proveedor
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Vendemos este producto
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,ID de Proveedor
DocType: Payment Request,Payment Gateway Details,Detalles de Pasarela de Pago
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Cantidad debe ser mayor que 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Cantidad debe ser mayor que 0
DocType: Journal Entry,Cash Entry,Entrada de caja
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Los nodos hijos sólo pueden ser creados bajo los nodos de tipo "grupo"
DocType: Leave Application,Half Day Date,Fecha de Medio Día
@@ -3626,14 +3656,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},"Por favor, establece de forma predeterminada en cuenta Tipo de Gastos {0}"
DocType: Assessment Result,Student Name,Nombre del estudiante
DocType: Brand,Item Manager,Administración de artículos
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,nómina por pagar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,nómina por pagar
DocType: Buying Settings,Default Supplier Type,Tipos de Proveedores
DocType: Production Order,Total Operating Cost,Costo Total de Funcionamiento
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Nota : El producto {0} ha sido ingresado varias veces
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Todos los Contactos.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Abreviatura de la compañia
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Abreviatura de la compañia
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,El usuario {0} no existe
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,La materia prima no puede ser la misma que el producto principal
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,La materia prima no puede ser la misma que el producto principal
DocType: Item Attribute Value,Abbreviation,Abreviación
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Entrada de pago ya existe
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,No autorizado desde {0} excede los límites
@@ -3642,49 +3672,49 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Establezca la regla fiscal (Impuestos) del carrito de compras
DocType: Purchase Invoice,Taxes and Charges Added,Impuestos y cargos adicionales
,Sales Funnel,"""Embudo"" de ventas"
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,La abreviatura es obligatoria
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,La abreviatura es obligatoria
DocType: Project,Task Progress,Progreso de Tarea
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Carrito
,Qty to Transfer,Cantidad a transferir
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Cotizaciones enviadas a los clientes u oportunidades de venta.
DocType: Stock Settings,Role Allowed to edit frozen stock,Rol que permite editar inventario congelado
,Territory Target Variance Item Group-Wise,Territory Target Variance Item Group-Wise
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Todas las categorías de clientes
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Todas las categorías de clientes
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,acumulado Mensual
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} es obligatorio. Posiblemente el registro de cambio de moneda no ha sido creado para {1} hasta {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} es obligatorio. Posiblemente el registro de cambio de moneda no ha sido creado para {1} hasta {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Plantilla de impuestos es obligatorio.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Cuenta {0}: la cuenta padre {1} no existe
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Cuenta {0}: la cuenta padre {1} no existe
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Tarifa de la lista de precios (Divisa por defecto)
DocType: Products Settings,Products Settings,Ajustes de Productos
DocType: Account,Temporary,Temporal
DocType: Program,Courses,Cursos
DocType: Monthly Distribution Percentage,Percentage Allocation,Porcentaje de asignación
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Secretaria
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Secretaria
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Si se desactiva, el campo 'En Palabras' no será visible en ninguna transacción."
DocType: Serial No,Distinct unit of an Item,Unidad distinta del producto
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Por favor seleccione Compañía
DocType: Pricing Rule,Buying,Compras
DocType: HR Settings,Employee Records to be created by,Los registros de empleados se crearán por
DocType: POS Profile,Apply Discount On,Aplicar de descuento en
,Reqd By Date,Fecha de solicitud
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Acreedores
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Acreedores
DocType: Assessment Plan,Assessment Name,Nombre de la evaluación
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Línea # {0}: El número de serie es obligatorio
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Detalle de Impuestos
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Abreviatura del Instituto
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Abreviatura del Instituto
,Item-wise Price List Rate,Detalle del listado de precios
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Presupuesto de Proveedor
DocType: Quotation,In Words will be visible once you save the Quotation.,'En palabras' será visible una vez guarde el Presupuesto
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Cantidad ({0}) no puede ser una fracción en la fila {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,Cobrar cuotas
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},El código de barras {0} ya se utiliza en el artículo {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},El código de barras {0} ya se utiliza en el artículo {1}
DocType: Lead,Add to calendar on this date,Añadir al calendario en esta fecha
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Reglas para añadir los gastos de envío.
DocType: Item,Opening Stock,Stock de Apertura
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Se requiere cliente
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} es obligatorio para la devolución
DocType: Purchase Order,To Receive,Recibir
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,usuario@ejemplo.com
DocType: Employee,Personal Email,Correo electrónico personal
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Total Variacion
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Si está habilitado, el sistema contabiliza los asientos contables para el inventario de forma automática."
@@ -3695,13 +3725,14 @@
DocType: Customer,From Lead,Desde Iniciativa
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Las órdenes publicadas para la producción.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Seleccione el año fiscal...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,Se requiere un perfil de TPV para crear entradas en el punto de venta
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,Se requiere un perfil de TPV para crear entradas en el punto de venta
DocType: Program Enrollment Tool,Enroll Students,Inscribir Estudiantes
DocType: Hub Settings,Name Token,Nombre de Token
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Venta estándar
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Al menos un almacén es obligatorio
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Al menos un almacén es obligatorio
DocType: Serial No,Out of Warranty,Fuera de garantía
DocType: BOM Replace Tool,Replace,Reemplazar
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,No se encuentran productos
DocType: Production Order,Unstopped,destapados
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} contra la factura de ventas {1}
DocType: Sales Invoice,SINV-,FACT-
@@ -3712,13 +3743,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Diferencia del valor de inventario
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Recursos Humanos
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Pago para reconciliación de saldo
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Impuestos pagados
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Impuestos pagados
DocType: BOM Item,BOM No,Lista de materiales (LdM) No.
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,El asiento {0} no tiene cuenta de {1} o ya esta enlazado con otro comprobante
DocType: Item,Moving Average,Precio medio variable
DocType: BOM Replace Tool,The BOM which will be replaced,La lista de materiales que será sustituida
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,Equipos Electrónicos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,Equipos Electrónicos
DocType: Account,Debit,Debe
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,Vacaciones deben distribuirse en múltiplos de 0.5
DocType: Production Order,Operation Cost,Costo de operación
@@ -3726,7 +3757,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Saldo pendiente
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Establecer objetivos en los grupos de productos para este vendedor
DocType: Stock Settings,Freeze Stocks Older Than [Days],Congelar stock mayores a [Days]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Fila # {0}: el elemento es obligatorio para los activos fijos de compra / venta
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Fila # {0}: el elemento es obligatorio para los activos fijos de compra / venta
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Si dos o más reglas de precios se encuentran basados en las condiciones anteriores, se aplicará prioridad. La prioridad es un número entre 0 a 20 mientras que el valor por defecto es cero (en blanco). Un número más alto significa que va a prevalecer si hay varias reglas de precios con mismas condiciones."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,El año fiscal: {0} no existe
DocType: Currency Exchange,To Currency,A moneda
@@ -3734,7 +3765,7 @@
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Tipos de reembolsos
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},La tasa de venta del elemento {0} es menor que su {1}. La tarifa de venta debe ser al menos {2}
DocType: Item,Taxes,Impuestos
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Pagados y no entregados
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Pagados y no entregados
DocType: Project,Default Cost Center,Centro de costos por defecto
DocType: Bank Guarantee,End Date,Fecha final
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Transacciones de Stock
@@ -3759,24 +3790,22 @@
DocType: Employee,Held On,Retenida en
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Elemento de producción
,Employee Information,Información del empleado
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Porcentaje (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Porcentaje (%)
DocType: Stock Entry Detail,Additional Cost,Costo adicional
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Fin del ejercicio contable
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","No se puede filtrar en función al 'No. de comprobante', si esta agrupado por el nombre"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Crear oferta de venta de un proveedor
DocType: Quality Inspection,Incoming,Entrante
DocType: BOM,Materials Required (Exploded),Materiales necesarios (despiece)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself",Añadir otros usuarios a su organización
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Fecha de entrada no puede ser fecha futura
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Línea # {0}: Número de serie {1} no coincide con {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Permiso ocacional
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Permiso ocacional
DocType: Batch,Batch ID,ID de lote
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Nota: {0}
,Delivery Note Trends,Evolución de las notas de entrega
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Resumen de la semana.
-,In Stock Qty,En Cantidad de Stock
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,En Cantidad de Stock
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Cuenta: {0} sólo puede ser actualizada mediante transacciones de inventario
-DocType: Program Enrollment,Get Courses,Obtener Cursos
+DocType: Student Group Creation Tool,Get Courses,Obtener Cursos
DocType: GL Entry,Party,Tercero
DocType: Sales Order,Delivery Date,Fecha de entrega
DocType: Opportunity,Opportunity Date,Fecha de oportunidad
@@ -3784,14 +3813,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Ítems de Solicitud de Presupuesto
DocType: Purchase Order,To Bill,Por facturar
DocType: Material Request,% Ordered,% Ordenado
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Para el Curso de Grupo de Estudiantes, el Curso será validado para cada Estudiante de los Cursos inscritos en la Inscripción del Programa."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Introducir dirección de correo electrónico separadas por comas, la factura será enviada automáticamente en fecha determinada"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Trabajo por obra
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Trabajo por obra
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Precio de compra promedio
DocType: Task,Actual Time (in Hours),Tiempo real (en horas)
DocType: Employee,History In Company,Historia en la Compañia
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Boletines
DocType: Stock Ledger Entry,Stock Ledger Entry,Entradas en el mayor de inventarios
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Cliente > Grupo de clientes > Territorio
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,El mismo artículo se ha introducido varias veces
DocType: Department,Leave Block List,Dejar lista de bloqueo
DocType: Sales Invoice,Tax ID,ID de impuesto
@@ -3806,30 +3835,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} unidades de {1} necesaria en {2} para completar esta transacción.
DocType: Loan Type,Rate of Interest (%) Yearly,Tasa de interés (%) Anual
DocType: SMS Settings,SMS Settings,Ajustes de SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Cuentas temporales
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Negro
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Cuentas temporales
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Negro
DocType: BOM Explosion Item,BOM Explosion Item,Desplegar lista de materiales (LdM) del producto
DocType: Account,Auditor,Auditor
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} artículos producidos
DocType: Cheque Print Template,Distance from top edge,Distancia desde el borde superior
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Lista de precios {0} está desactivada o no existe
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Lista de precios {0} está desactivada o no existe
DocType: Purchase Invoice,Return,Retornar
DocType: Production Order Operation,Production Order Operation,Operación en la orden de producción
DocType: Pricing Rule,Disable,Desactivar
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Forma de pago se requiere para hacer un pago
DocType: Project Task,Pending Review,Pendiente de revisar
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} no está inscrito en el lote {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Activo {0} no puede ser desechado, debido a que ya es {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Total reembolso (Vía reembolso de gastos)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,ID del cliente
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Marcar Ausente
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Fila {0}: Divisa de la lista de materiales # {1} debe ser igual a la moneda seleccionada {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Fila {0}: Divisa de la lista de materiales # {1} debe ser igual a la moneda seleccionada {2}
DocType: Journal Entry Account,Exchange Rate,Tipo de cambio
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,La órden de venta {0} no esta validada
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,La órden de venta {0} no esta validada
DocType: Homepage,Tag Line,tag Line
DocType: Fee Component,Fee Component,Componente de Couta
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Gestión de Flota
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Agregar elementos de
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Almacén {0}: La cuenta padre {1} no pertenece a la compañía {2}
DocType: Cheque Print Template,Regular,Regular
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Coeficiente de ponderación total de todos los criterios de evaluación debe ser del 100%
DocType: BOM,Last Purchase Rate,Tasa de cambio de última compra
@@ -3838,11 +3866,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,El inventario no puede existir para el pproducto {0} ya que tiene variantes
,Sales Person-wise Transaction Summary,Resumen de transacciones por vendedor
DocType: Training Event,Contact Number,Número de contacto
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,El almacén {0} no existe
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,El almacén {0} no existe
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Registrarse en el Hub de ERPNext
DocType: Monthly Distribution,Monthly Distribution Percentages,Porcentajes de distribución mensuales
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,El producto seleccionado no puede contener lotes
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","tasa de valorización no encontrado para el elemento {0}, que se requiere para hacer asientos contables para {1} {2}. Si el artículo está tramitando como un elemento de la muestra en el {1}, por favor mencionar que en la tabla {1} artículo. De lo contrario, por favor crea una transacción de acciones de entrada para la tasa de valorización artículo o mención en el registro de artículos y, a continuación, tratar de enviar / cancelación de esta entrada"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","tasa de valorización no encontrado para el elemento {0}, que se requiere para hacer asientos contables para {1} {2}. Si el artículo está tramitando como un elemento de la muestra en el {1}, por favor mencionar que en la tabla {1} artículo. De lo contrario, por favor crea una transacción de acciones de entrada para la tasa de valorización artículo o mención en el registro de artículos y, a continuación, tratar de enviar / cancelación de esta entrada"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% de materiales entregados contra esta nota de entrega
DocType: Project,Customer Details,Datos de cliente
DocType: Employee,Reports to,Enviar Informes a
@@ -3850,41 +3878,43 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Introduzca el parámetro url para los números de los receptores
DocType: Payment Entry,Paid Amount,Cantidad Pagada
DocType: Assessment Plan,Supervisor,Supervisor
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,En línea
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,En línea
,Available Stock for Packing Items,Inventario Disponible de Artículos de Embalaje
DocType: Item Variant,Item Variant,Variante del producto
DocType: Assessment Result Tool,Assessment Result Tool,Herramienta Resultado de la Evaluación
DocType: BOM Scrap Item,BOM Scrap Item,La lista de materiales de chatarra de artículos
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Ordenes presentada no se pueden eliminar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Balance de la cuenta ya en Débito, no le está permitido establecer ""Balance Debe Ser"" como ""Crédito"""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Gestión de calidad
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Ordenes presentada no se pueden eliminar
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Balance de la cuenta ya en Débito, no le está permitido establecer ""Balance Debe Ser"" como ""Crédito"""
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Gestión de calidad
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Elemento {0} ha sido desactivado
DocType: Employee Loan,Repay Fixed Amount per Period,Pagar una cantidad fija por Período
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},"Por favor, ingrese la cantidad para el producto {0}"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Monto de Nora de Credito
DocType: Employee External Work History,Employee External Work History,Historial de de trabajos anteriores
DocType: Tax Rule,Purchase,Compra
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Balance
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Balance
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Los objetivos no pueden estar vacíos
DocType: Item Group,Parent Item Group,Grupo principal de productos
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} de {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Centros de costos
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Centros de costos
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Tasa por la cual la divisa del proveedor es convertida como moneda base de la compañía
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Línea #{0}: tiene conflictos de tiempo con la linea {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Permitir tasa de valoración cero
DocType: Training Event Employee,Invited,Invitado
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Múltiples estructuras salariales activas encontradas para el empleado {0} para las fechas indicadas
DocType: Opportunity,Next Contact,Siguiente contacto
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Configuración de cuentas de puerta de enlace.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Configuración de cuentas de puerta de enlace.
DocType: Employee,Employment Type,Tipo de empleo
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,ACTIVOS FIJOS
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,ACTIVOS FIJOS
DocType: Payment Entry,Set Exchange Gain / Loss,Ajuste de ganancia del intercambio / Pérdida
+,GST Purchase Register,Registro de Compra de TPS
,Cash Flow,Flujo de fondos
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Período de aplicación no puede ser a través de dos registros alocation
DocType: Item Group,Default Expense Account,Cuenta de gastos por defecto
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,ID de Correo Electrónico de Estudiante
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,ID de Correo Electrónico de Estudiante
DocType: Employee,Notice (days),Aviso (días)
DocType: Tax Rule,Sales Tax Template,Plantilla de impuesto sobre ventas
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Seleccione artículos para guardar la factura
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Seleccione artículos para guardar la factura
DocType: Employee,Encashment Date,Fecha de cobro
DocType: Training Event,Internet,Internet
DocType: Account,Stock Adjustment,Ajuste de existencias
@@ -3912,7 +3942,7 @@
DocType: Guardian,Guardian Of ,Tutor de
DocType: Grading Scale Interval,Threshold,Límite
DocType: BOM Replace Tool,Current BOM,Lista de materiales (LdM) actual
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Agregar No. de serie
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Agregar No. de serie
apps/erpnext/erpnext/config/support.py +22,Warranty,Garantía
DocType: Purchase Invoice,Debit Note Issued,Nota de Débito Emitida
DocType: Production Order,Warehouses,Almacenes
@@ -3921,20 +3951,20 @@
DocType: Workstation,per hour,por hora
apps/erpnext/erpnext/config/buying.py +7,Purchasing,Adquisitivo
DocType: Announcement,Announcement,Anuncio
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Cuenta para el almacén ( Inventario Permanente ) se creará en esta Cuenta.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"El almacén no se puede eliminar, porque existen registros de inventario para el mismo."
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Para el grupo de estudiantes por lotes, el lote de estudiantes se validará para cada estudiante de la inscripción del programa."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"El almacén no se puede eliminar, porque existen registros de inventario para el mismo."
DocType: Company,Distribution,Distribución
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Total Pagado
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Gerente de proyectos
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Gerente de proyectos
,Quoted Item Comparison,Comparación de artículos de Cotización
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Despacho
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Descuento máximo permitido para el producto: {0} es {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Despacho
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Descuento máximo permitido para el producto: {0} es {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Valor neto de activos como en
DocType: Account,Receivable,A cobrar
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Fila # {0}: No se permite cambiar de proveedores debido a que la Orden de Compra ya existe
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Fila # {0}: No se permite cambiar de proveedores debido a que la Orden de Compra ya existe
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rol autorizado para validar las transacciones que excedan los límites de crédito establecidos.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Seleccionar artículos para Fabricación
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Sincronización de datos Maestros, puede tomar algún tiempo"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Seleccionar artículos para Fabricación
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Sincronización de datos Maestros, puede tomar algún tiempo"
DocType: Item,Material Issue,Expedición de material
DocType: Hub Settings,Seller Description,Descripción del vendedor
DocType: Employee Education,Qualification,Calificación
@@ -3954,7 +3984,6 @@
DocType: BOM,Rate Of Materials Based On,Valor de materiales basado en
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Soporte analítico
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Desmarcar todos
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Defina la compañía en los almacenes {0}
DocType: POS Profile,Terms and Conditions,Términos y condiciones
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},La fecha debe estar dentro del año fiscal. Asumiendo a la fecha = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Aquí usted puede ingresar la altura, el peso, alergias, problemas médicos, etc."
@@ -3969,18 +3998,17 @@
DocType: Sales Order Item,For Production,Por producción
DocType: Payment Request,payment_url,url_de_pago
DocType: Project Task,View Task,Ver Tareas
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,El año financiero inicia el
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Inviciativa %
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Depreciaciones de Activos y Saldos
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Monto {0} {1} transferido desde {2} a {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Monto {0} {1} transferido desde {2} a {3}
DocType: Sales Invoice,Get Advances Received,Obtener anticipos recibidos
DocType: Email Digest,Add/Remove Recipients,Agregar / Eliminar destinatarios
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Transacción no permitida contra Orden Producción Detenida {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Transacción no permitida contra Orden Producción Detenida {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Para establecer este año fiscal por defecto, haga clic en 'Establecer como predeterminado'"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,unirse
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,unirse
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Cantidad faltante
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Existe la variante de artículo {0} con mismos atributos
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Existe la variante de artículo {0} con mismos atributos
DocType: Employee Loan,Repay from Salary,Pagar de su sueldo
DocType: Leave Application,LAP/,LAP/
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Solicitando el pago contra {0} {1} para la cantidad {2}
@@ -3991,34 +4019,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Generar etiquetas de embalaje, para los paquetes que serán entregados, usados para notificar el numero, contenido y peso del paquete,"
DocType: Sales Invoice Item,Sales Order Item,Producto de la orden de venta
DocType: Salary Slip,Payment Days,Días de pago
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Almacenes con nodos secundarios no pueden ser convertidos en libro mayor
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Almacenes con nodos secundarios no pueden ser convertidos en libro mayor
DocType: BOM,Manage cost of operations,Administrar costo de las operaciones
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Cuando alguna de las operaciones comprobadas está en "" Enviado "" , una ventana emergente automáticamente se abre para enviar un correo electrónico al ""Contacto"" asociado en esa transacción , con la transacción como un archivo adjunto. El usuario puede o no puede enviar el correo electrónico."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Configuración global
DocType: Assessment Result Detail,Assessment Result Detail,Detalle del Resultado de la Evaluación
DocType: Employee Education,Employee Education,Educación del empleado
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Se encontró grupo de artículos duplicado en la table de grupo de artículos
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,Se necesita a buscar Detalles del artículo.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,Se necesita a buscar Detalles del artículo.
DocType: Salary Slip,Net Pay,Pago Neto
DocType: Account,Account,Cuenta
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,El número de serie {0} ya ha sido recibido
,Requested Items To Be Transferred,Artículos solicitados para ser transferidos
DocType: Expense Claim,Vehicle Log,Bitácora del Vehiculo
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Almacén {0} no está vinculada a ninguna cuenta, por favor crear / enlazar la cuenta correspondiente (Activo) para el almacén."
DocType: Purchase Invoice,Recurring Id,ID recurrente
DocType: Customer,Sales Team Details,Detalles del equipo de ventas.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Eliminar de forma permanente?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Eliminar de forma permanente?
DocType: Expense Claim,Total Claimed Amount,Total reembolso
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Oportunidades de venta.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},No válida {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Permiso por enfermedad
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},No válida {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Permiso por enfermedad
DocType: Email Digest,Email Digest,Boletín por correo electrónico
DocType: Delivery Note,Billing Address Name,Nombre de la dirección de facturación
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Tiendas por departamento
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Configura tu Escuela en ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Importe de Cambio Base (Divisa de la Empresa)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,No hay asientos contables para los siguientes almacenes
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,No hay asientos contables para los siguientes almacenes
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Guarde el documento primero.
DocType: Account,Chargeable,Devengable
DocType: Company,Change Abbreviation,Cambiar abreviación
@@ -4036,7 +4063,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,La fecha prevista de entrega no puede ser menor que la fecha de la orden de compra
DocType: Appraisal,Appraisal Template,Plantilla de evaluación
DocType: Item Group,Item Classification,Clasificación de producto
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Gerente de desarrollo de negocios
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Gerente de desarrollo de negocios
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Propósito de visita
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Período
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Balance general
@@ -4046,8 +4073,8 @@
DocType: Item Attribute Value,Attribute Value,Valor del Atributo
,Itemwise Recommended Reorder Level,Nivel recomendado de reabastecimiento de producto
DocType: Salary Detail,Salary Detail,Detalle de sueldos
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,"Por favor, seleccione primero {0}"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,El lote {0} del producto {1} ha expirado.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,"Por favor, seleccione primero {0}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,El lote {0} del producto {1} ha expirado.
DocType: Sales Invoice,Commission,Comisión
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Hoja de tiempo para la fabricación.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Subtotal
@@ -4058,6 +4085,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,'Congelar stock mayor a' debe ser menor a %d días.
DocType: Tax Rule,Purchase Tax Template,Plantilla de Impuestos sobre compras
,Project wise Stock Tracking,Seguimiento preciso del stock--
+DocType: GST HSN Code,Regional,Regional
DocType: Stock Entry Detail,Actual Qty (at source/target),Cantidad real (en origen/destino)
DocType: Item Customer Detail,Ref Code,Código de referencia
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Registros de los empleados.
@@ -4068,13 +4096,13 @@
DocType: Email Digest,New Purchase Orders,Nueva órdén de compra
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,la tabla raíz no puede tener un centro de costes padre / principal
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Seleccione una marca ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Eventos/Resultados de Entrenamiento
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,La depreciación acumulada como en
DocType: Sales Invoice,C-Form Applicable,C -Forma Aplicable
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},El tiempo de operación debe ser mayor que 0 para {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Almacén es obligatorio
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Almacén es obligatorio
DocType: Supplier,Address and Contacts,Dirección y contactos
DocType: UOM Conversion Detail,UOM Conversion Detail,Detalles de conversión de unidad de medida (UdM)
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Debe Mantenerse adecuado para la web 900px (H) por 100px (V)
DocType: Program,Program Abbreviation,Abreviatura del Programa
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,La orden de producción no se puede asignar a una plantilla de producto
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Los cargos se actualizan en el recibo de compra por cada producto
@@ -4082,13 +4110,13 @@
DocType: Bank Guarantee,Start Date,Fecha de inicio
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Asignar las ausencias para un período.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Los cheques y depósitos borran de forma incorrecta
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Cuenta {0}: no puede asignarse a sí misma como cuenta padre
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Cuenta {0}: no puede asignarse a sí misma como cuenta padre
DocType: Purchase Invoice Item,Price List Rate,Tarifa de la lista de precios
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Crear cotizaciones de clientes
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Mostrar 'En stock' o 'No disponible' basado en el stock disponible del almacén.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Lista de Materiales (BOM)
DocType: Item,Average time taken by the supplier to deliver,Tiempo estimado por el proveedor para el envío
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,Resultado de Evaluación
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,Resultado de Evaluación
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Horas
DocType: Project,Expected Start Date,Fecha prevista de inicio
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Eliminar el elemento si los cargos no son aplicables al mismo
@@ -4102,24 +4130,23 @@
DocType: Workstation,Operating Costs,Costos operativos
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Acción si se acumula presupuesto mensual excedido
DocType: Purchase Invoice,Submit on creation,Validar al Crear
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Moneda para {0} debe ser {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Moneda para {0} debe ser {1}
DocType: Asset,Disposal Date,Fecha de eliminación
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Los correos electrónicos serán enviados a todos los empleados activos de la empresa a la hora determinada, si no tienen vacaciones. Resumen de las respuestas será enviado a la medianoche."
DocType: Employee Leave Approver,Employee Leave Approver,Supervisor de ausencias de empleados
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Línea {0}: Una entrada de abastecimiento ya existe para el almacén {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Línea {0}: Una entrada de abastecimiento ya existe para el almacén {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","No se puede declarar como perdida, porque se ha hecho el Presupuesto"
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Comentarios del entrenamiento
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,La orden de producción {0} debe ser validada
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,La orden de producción {0} debe ser validada
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},"Por favor, seleccione Fecha de inicio y Fecha de finalización para el elemento {0}"
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Curso es obligatorio en la fila {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,La fecha no puede ser anterior a la fecha actual
DocType: Supplier Quotation Item,Prevdoc DocType,DocType Previo
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Añadir / Editar Precios
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Añadir / Editar Precios
DocType: Batch,Parent Batch,Lote padre
DocType: Cheque Print Template,Cheque Print Template,Plantilla de impresión de cheques
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Centros de costos
,Requested Items To Be Ordered,Requisiciones pendientes para ser ordenadas
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,empresa propietaria del almacén debe ser la misma que la empresa cuenta
DocType: Price List,Price List Name,Nombre de la lista de precios
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Resumen diario de trabajo para {0}
DocType: Employee Loan,Totals,Totales
@@ -4141,55 +4168,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,"Por favor, ingrese un numero de móvil válido"
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Por favor, ingrese el mensaje antes de enviarlo"
DocType: Email Digest,Pending Quotations,Presupuestos pendientes
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Perfiles de punto de venta (POS)
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Perfiles de punto de venta (POS)
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,"Por favor, actualizar la configuración SMS"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Prestamos sin garantía
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Prestamos sin garantía
DocType: Cost Center,Cost Center Name,Nombre del centro de costos
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Máximo las horas de trabajo contra la parte de horas
DocType: Maintenance Schedule Detail,Scheduled Date,Fecha prevista.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Monto total pagado
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Monto total pagado
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Los mensajes con más de 160 caracteres se dividirá en varios envios
DocType: Purchase Receipt Item,Received and Accepted,Recibidos y aceptados
+,GST Itemised Sales Register,Registro detallado de ventas de GST
,Serial No Service Contract Expiry,Número de serie de expiracion del contrato de servicios
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,No se pueden registrar Debitos y Creditos a la misma Cuenta al mismo tiempo
DocType: Naming Series,Help HTML,Ayuda 'HTML'
DocType: Student Group Creation Tool,Student Group Creation Tool,Herramienta de creación de grupo de alumnos
DocType: Item,Variant Based On,Variante basada en
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Peso total asignado debe ser de 100 %. Es {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Sus proveedores
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Sus proveedores
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,"No se puede definir como pérdida, cuando la orden de venta esta hecha."
DocType: Request for Quotation Item,Supplier Part No,Parte de Proveedor Nro
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"No se puede deducir cuando la categoría es 'de Valoración ""o"" Vaulation y Total'"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Recibido de
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Recibido de
DocType: Lead,Converted,Convertido
DocType: Item,Has Serial No,Posee numero de serie
DocType: Employee,Date of Issue,Fecha de emisión.
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Desde {0} hasta {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Según las Configuraciones de Compras si el Recibo de Compra es Obligatorio == 'Si', para crear la Factura de Compra el usuario necesita crear el Recibo de Compra primero para el item {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Fila # {0}: Asignar Proveedor para el elemento {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Fila {0}: valor Horas debe ser mayor que cero.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Sitio web Imagen {0} unido al artículo {1} no se puede encontrar
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Sitio web Imagen {0} unido al artículo {1} no se puede encontrar
DocType: Issue,Content Type,Tipo de contenido
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Computadora
DocType: Item,List this Item in multiple groups on the website.,Listar este producto en múltiples grupos del sitio web.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Por favor, consulte la opción Multi moneda para permitir cuentas con otra divisa"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,El producto: {0} no existe en el sistema
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Usted no está autorizado para definir el 'valor congelado'
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,El producto: {0} no existe en el sistema
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Usted no está autorizado para definir el 'valor congelado'
DocType: Payment Reconciliation,Get Unreconciled Entries,Verificar entradas no conciliadas
DocType: Payment Reconciliation,From Invoice Date,Desde Fecha de la Factura
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,Moneda de facturación debe ser igual a la divisa por defecto de la compañía o la divisa de la cuenta de la parte
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Deja Cobro
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,¿A qué se dedica?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,Moneda de facturación debe ser igual a la divisa por defecto de la compañía o la divisa de la cuenta de la parte
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Deja Cobro
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,¿A qué se dedica?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Para Almacén
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Todas las admisiones de estudiantes
,Average Commission Rate,Tasa de comisión promedio
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,"'Posee numero de serie' no puede ser ""Sí"" para los productos que NO son de stock"
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"'Posee numero de serie' no puede ser ""Sí"" para los productos que NO son de stock"
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,La asistencia no se puede marcar para fechas futuras
DocType: Pricing Rule,Pricing Rule Help,Ayuda de regla de precios
DocType: School House,House Name,Nombre de la casa
DocType: Purchase Taxes and Charges,Account Head,Encabezado de cuenta
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Actualización de los costes adicionales para el cálculo del precio al desembarque de artículos
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Eléctrico
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Eléctrico
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Añadir el resto de su organización como a sus usuarios. También puede agregar o invitar a los clientes a su portal con la adición de ellos desde Contactos
DocType: Stock Entry,Total Value Difference (Out - In),Total diferencia (Salidas - Entradas)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Fila {0}: Tipo de cambio es obligatorio
@@ -4199,7 +4228,7 @@
DocType: Item,Customer Code,Código de cliente
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Recordatorio de cumpleaños para {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Días desde la última orden
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,La cuenta de débito debe pertenecer a las cuentas de balance
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,La cuenta de débito debe pertenecer a las cuentas de balance
DocType: Buying Settings,Naming Series,Secuencias e identificadores
DocType: Leave Block List,Leave Block List Name,Nombre de la Lista de Bloqueo de Vacaciones
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,La fecha de comienzo del seguro debe ser menos que la fecha de fin del seguro
@@ -4214,26 +4243,26 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Nómina de sueldo del empleado {0} ya creado para la hoja de tiempo {1}
DocType: Vehicle Log,Odometer,Cuentakilómetros
DocType: Sales Order Item,Ordered Qty,Cantidad ordenada
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Artículo {0} está deshabilitado
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Artículo {0} está deshabilitado
DocType: Stock Settings,Stock Frozen Upto,Inventario congelado hasta
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM no contiene ningún artículo común
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM no contiene ningún artículo común
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Fechas de Periodo Desde y Período Hasta obligatorias para los recurrentes {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Actividad del proyecto / tarea.
DocType: Vehicle Log,Refuelling Details,Detalles de repostaje
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Generar nóminas salariales
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","'Compras' debe ser seleccionada, si la opción: 'Aplicable para' esta seleccionado como {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","'Compras' debe ser seleccionada, si la opción: 'Aplicable para' esta seleccionado como {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,El descuento debe ser inferior a 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Última tasa de compra no encontrada
DocType: Purchase Invoice,Write Off Amount (Company Currency),Saldo de perdidas y ganancias (Divisa por defecto)
DocType: Sales Invoice Timesheet,Billing Hours,Horas de facturación
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,BOM por defecto para {0} no encontrado
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Fila # {0}: Configure la cantidad de pedido
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Fila # {0}: Configure la cantidad de pedido
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Toca los elementos para agregarlos aquí
DocType: Fees,Program Enrollment,programa de Inscripción
DocType: Landed Cost Voucher,Landed Cost Voucher,Comprobante de costos de destino estimados
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},"Por favor, configure {0}"
DocType: Purchase Invoice,Repeat on Day of Month,Repetir un día al mes
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} es estudiante inactivo
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} es estudiante inactivo
DocType: Employee,Health Details,Detalles de salud
DocType: Offer Letter,Offer Letter Terms,Términos y condiciones de carta de oferta
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Para crear una Solicitud de Pago se requiere el documento de referencia
@@ -4255,7 +4284,7 @@
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Ejemplo:. ABCD #####
Si la serie se establece y el número de serie no se menciona en las transacciones, entonces se creara un número de serie automático sobre la base de esta serie. Si siempre quiere mencionar explícitamente los números de serie para este artículo, déjelo en blanco."
DocType: Upload Attendance,Upload Attendance,Subir asistencia
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,Se requiere la lista de materiales (LdM) y cantidad a manufacturar.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,Se requiere la lista de materiales (LdM) y cantidad a manufacturar.
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Rango de antigüedad 2
DocType: SG Creation Tool Course,Max Strength,Fuerza máx
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,Lista de materiales (LdM) reemplazada
@@ -4264,8 +4293,8 @@
,Prospects Engaged But Not Converted,Perspectivas comprometidas pero no convertidas
DocType: Manufacturing Settings,Manufacturing Settings,Ajustes de producción
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Configuración de correo
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Móvil del Tutor1
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,"Por favor, ingrese la divisa por defecto en la compañía principal"
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Móvil del Tutor1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,"Por favor, ingrese la divisa por defecto en la compañía principal"
DocType: Stock Entry Detail,Stock Entry Detail,Detalles de entrada de inventario
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Recordatorios diarios
DocType: Products Settings,Home Page is Products,La página de inicio son los productos
@@ -4274,7 +4303,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Nombre de la nueva cuenta
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Costo materias primas suministradas
DocType: Selling Settings,Settings for Selling Module,Ajustes para módulo de ventas
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Servicio al cliente
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Servicio al cliente
DocType: BOM,Thumbnail,Miniatura
DocType: Item Customer Detail,Item Customer Detail,Detalle del producto para el cliente
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Ofrecer al candidato un empleo.
@@ -4283,7 +4312,7 @@
DocType: Pricing Rule,Percentage,Porcentaje
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,El producto {0} debe ser un producto en stock
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Almacén predeterminado de trabajos en proceso
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Los ajustes por defecto para las transacciones contables.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Los ajustes por defecto para las transacciones contables.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,La fecha prevista no puede ser menor que la fecha de requisición de materiales
DocType: Purchase Invoice Item,Stock Qty,Cantidad de existencias
@@ -4296,10 +4325,10 @@
DocType: Sales Order,Printing Details,Detalles de impresión
DocType: Task,Closing Date,Fecha de cierre
DocType: Sales Order Item,Produced Quantity,Cantidad Producida
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Ingeniero
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Ingeniero
DocType: Journal Entry,Total Amount Currency,Monto total de divisas
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Buscar Sub-ensamblajes
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Código del producto requerido en la línea: {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Código del producto requerido en la línea: {0}
DocType: Sales Partner,Partner Type,Tipo de socio
DocType: Purchase Taxes and Charges,Actual,Actual
DocType: Authorization Rule,Customerwise Discount,Descuento de cliente
@@ -4316,11 +4345,11 @@
DocType: Item Reorder,Re-Order Level,Nivel mínimo de stock.
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Escriba artículos y Cantidad planificada para los que desea elevar las órdenes de producción o descargar la materia prima para su análisis.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Diagrama Gantt
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Tiempo parcial
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Tiempo parcial
DocType: Employee,Applicable Holiday List,Lista de días festivos
DocType: Employee,Cheque,Cheque
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Secuencia actualizada
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,El tipo de reporte es obligatorio
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,El tipo de reporte es obligatorio
DocType: Item,Serial Number Series,Secuencia del número de serie
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},El almacén es obligatorio para el producto {0} en la línea {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Ventas al por menor y por mayor
@@ -4341,7 +4370,7 @@
DocType: BOM,Materials,Materiales
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Si no está marcada, la lista tendrá que ser añadida a cada departamento donde será aplicada."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Origen y destino de depósito no puede ser el mismo
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,La fecha y hora de contabilización son obligatorias
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,La fecha y hora de contabilización son obligatorias
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Plantilla de impuestos para las transacciones de compra
,Item Prices,Precios de los productos
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,La cantidad en palabras será visible una vez que guarde la orden de compra.
@@ -4351,22 +4380,23 @@
DocType: Purchase Invoice,Advance Payments,Pagos adelantados
DocType: Purchase Taxes and Charges,On Net Total,Sobre el total neto
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Valor del atributo {0} debe estar dentro del rango de {1} a {2} en los incrementos de {3} para el artículo {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Almacenes de destino de la línea {0} deben ser los mismos para la orden de producción
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Almacenes de destino de la línea {0} deben ser los mismos para la orden de producción
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,'Direcciones de email para notificaciónes' no han sido especificado para %s recurrentes
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,El tipo de moneda/divisa no se puede cambiar después de crear la entrada contable
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,El tipo de moneda/divisa no se puede cambiar después de crear la entrada contable
DocType: Vehicle Service,Clutch Plate,Placa de embrague
DocType: Company,Round Off Account,Cuenta de redondeo por defecto
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,GASTOS DE ADMINISTRACIÓN
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,GASTOS DE ADMINISTRACIÓN
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Consuloría
DocType: Customer Group,Parent Customer Group,Categoría principal de cliente
DocType: Purchase Invoice,Contact Email,Correo electrónico de contacto
DocType: Appraisal Goal,Score Earned,Puntuación Obtenida.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Período de notificación
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Período de notificación
DocType: Asset Category,Asset Category Name,Nombre de la Categoría de Activos
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Este es un territorio principal y no se puede editar.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Nombre nuevo encargado de ventas
DocType: Packing Slip,Gross Weight UOM,Peso bruto de la unidad de medida (UdM)
DocType: Delivery Note Item,Against Sales Invoice,Contra la factura de venta
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Introduzca los números de serie para el artículo serializado
DocType: Bin,Reserved Qty for Production,Cantidad reservada para la Producción
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Deje sin marcar si no desea considerar lote mientras hace grupos basados en cursos.
DocType: Asset,Frequency of Depreciation (Months),Frecuencia de Depreciación (Meses)
@@ -4374,25 +4404,25 @@
DocType: Landed Cost Item,Landed Cost Item,Costos de destino estimados
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Mostrar valores en cero
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Cantidad del producto obtenido después de la fabricación / empaquetado desde las cantidades determinadas de materia prima
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Configuración de un sitio web sencillo para mi organización
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Configuración de un sitio web sencillo para mi organización
DocType: Payment Reconciliation,Receivable / Payable Account,Cuenta por Cobrar / Pagar
DocType: Delivery Note Item,Against Sales Order Item,Contra la orden de venta del producto
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},"Por favor, especifique el valor del atributo {0}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},"Por favor, especifique el valor del atributo {0}"
DocType: Item,Default Warehouse,Almacén por defecto
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},El presupuesto no se puede asignar contra el grupo de cuentas {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,"Por favor, ingrese el centro de costos principal"
DocType: Delivery Note,Print Without Amount,Imprimir sin importe
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,Fecha de Depreciación
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,La categoría de impuestos no puede ser 'Valoración ' o 'Valoración y totales' ya que todos los productos no son elementos de inventario
DocType: Issue,Support Team,Equipo de soporte
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Caducidad (en días)
DocType: Appraisal,Total Score (Out of 5),Puntaje total (de 5 )
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Lote
+DocType: Student Attendance Tool,Batch,Lote
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Balance
DocType: Room,Seating Capacity,Número de plazas
DocType: Issue,ISS-,ISS
DocType: Project,Total Expense Claim (via Expense Claims),Total reembolso (Vía reembolsos de gastos)
+DocType: GST Settings,GST Summary,Resumen de GST
DocType: Assessment Result,Total Score,Puntaje total
DocType: Journal Entry,Debit Note,Nota de débito
DocType: Stock Entry,As per Stock UOM,Unidad de Medida Según Inventario
@@ -4403,12 +4433,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Almacén predeterminado de productos terminados
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Vendedores
DocType: SMS Parameter,SMS Parameter,Parámetros SMS
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Presupuesto y Centro de Costo
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Presupuesto y Centro de Costo
DocType: Vehicle Service,Half Yearly,Semestral
DocType: Lead,Blog Subscriber,Suscriptor del Blog
DocType: Guardian,Alternate Number,Número Alternativo
DocType: Assessment Plan Criteria,Maximum Score,Puntuación máxima
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Crear reglas para restringir las transacciones basadas en valores.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Grupo de rollo No
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Deje en blanco si hace grupos de estudiantes por año
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Si se marca, el número total de días trabajados incluirá las vacaciones, y este reducirá el salario por día."
DocType: Purchase Invoice,Total Advance,Total anticipo
@@ -4426,6 +4457,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Esto se basa en transacciones con este cliente. Ver cronología más abajo para los detalles
DocType: Supplier,Credit Days Based On,Días de crédito basados en
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Fila {0}: cantidad asignada {1} debe ser menor o igual a la cantidad de entrada de pago {2}
+,Course wise Assessment Report,Informe de evaluación del curso
DocType: Tax Rule,Tax Rule,Regla fiscal
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Mantener mismo precio durante todo el ciclo de ventas
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planear las horas adicionales en la estación de trabajo.
@@ -4434,7 +4466,7 @@
,Items To Be Requested,Solicitud de Productos
DocType: Purchase Order,Get Last Purchase Rate,Obtener último precio de compra
DocType: Company,Company Info,Información de la compañía
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Seleccionar o añadir nuevo cliente
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Seleccionar o añadir nuevo cliente
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Centro de coste es requerido para reservar una reclamación de gastos
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),UTILIZACIÓN DE FONDOS (ACTIVOS)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Esto se basa en la presencia de este empleado
@@ -4442,27 +4474,29 @@
DocType: Fiscal Year,Year Start Date,Fecha de Inicio de Año
DocType: Attendance,Employee Name,Nombre de empleado
DocType: Sales Invoice,Rounded Total (Company Currency),Total redondeado (Divisa por defecto)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,No se puede convertir a 'Grupo' porque se seleccionó 'Tipo de Cuenta'.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,No se puede convertir a 'Grupo' porque se seleccionó 'Tipo de Cuenta'.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} ha sido modificado. Por favor actualice.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,No permitir a los usuarios crear solicitudes de ausencia en los siguientes días.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Monto de la Compra
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Presupuesto de Proveedor {0} creado
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Año de finalización no puede ser anterior al ano de inicio
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Beneficios de empleados
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Beneficios de empleados
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},La cantidad embalada debe ser igual a la del elemento {0} en la línea {1}
DocType: Production Order,Manufactured Qty,Cantidad producida
DocType: Purchase Receipt Item,Accepted Quantity,Cantidad Aceptada
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},"Por favor, establece una lista predeterminada de feriados para Empleado {0} o de su empresa {1}"
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} no existe
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} no existe
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Seleccionar números de lote
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Listado de facturas emitidas a los clientes.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,ID del proyecto
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Línea #{0}: El importe no puede ser mayor que el reembolso pendiente {1}. El importe pendiente es {2}
DocType: Maintenance Schedule,Schedule,Programa
DocType: Account,Parent Account,Cuenta principal
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Disponible
DocType: Quality Inspection Reading,Reading 3,Lectura 3
,Hub,Centro de actividades
DocType: GL Entry,Voucher Type,Tipo de comprobante
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,La lista de precios no existe o está deshabilitada.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,La lista de precios no existe o está deshabilitada.
DocType: Employee Loan Application,Approved,Aprobado
DocType: Pricing Rule,Price,Precio
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',"Empleado relevado en {0} debe definirse como ""izquierda"""
@@ -4473,7 +4507,8 @@
DocType: Selling Settings,Campaign Naming By,Nombrar campañas por
DocType: Employee,Current Address Is,La Dirección Actual es
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,modificado
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Opcional. Establece moneda por defecto de la empresa, si no se especifica."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Opcional. Establece moneda por defecto de la empresa, si no se especifica."
+DocType: Sales Invoice,Customer GSTIN,GSTIN del Cliente
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Asientos en el diario de contabilidad.
DocType: Delivery Note Item,Available Qty at From Warehouse,Camtidad Disponible Desde el Almacén
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,"Por favor, primero seleccione el registro del empleado."
@@ -4481,7 +4516,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Línea {0}: Socio / Cuenta no coincide con {1} / {2} en {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,"Por favor, ingrese la Cuenta de Gastos"
DocType: Account,Stock,Almacén
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Fila # {0}: Tipo de documento de referencia debe ser uno de la orden de compra, factura de compra o de entrada de diario"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Fila # {0}: Tipo de documento de referencia debe ser uno de la orden de compra, factura de compra o de entrada de diario"
DocType: Employee,Current Address,Dirección Actual
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Si el artículo es una variante de otro artículo entonces la descripción, imágenes, precios, impuestos, etc. se establecerán a partir de la plantilla a menos que se especifique explícitamente"
DocType: Serial No,Purchase / Manufacture Details,Detalles de compra / producción
@@ -4494,8 +4529,8 @@
DocType: Pricing Rule,Min Qty,Cantidad mínima
DocType: Asset Movement,Transaction Date,Fecha de transacción
DocType: Production Plan Item,Planned Qty,Cantidad planificada
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Impuesto Total
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Por cantidad (cantidad fabricada) es obligatoria
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Impuesto Total
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Por cantidad (cantidad fabricada) es obligatoria
DocType: Stock Entry,Default Target Warehouse,Almacen de destino predeterminado
DocType: Purchase Invoice,Net Total (Company Currency),Total neto (Divisa por defecto)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,"El Año Fecha de finalización no puede ser anterior a la fecha de inicio de año. Por favor, corrija las fechas y vuelve a intentarlo."
@@ -4509,13 +4544,11 @@
DocType: Hub Settings,Hub Settings,Ajustes del Centro de actividades
DocType: Project,Gross Margin %,Margen bruto %
DocType: BOM,With Operations,Con Operaciones
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Ya se han registrado asientos contables en la divisa {0} para la empresa {1}. Por favor seleccione una cuenta por cobrar o por pagar con divisa {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Ya se han registrado asientos contables en la divisa {0} para la empresa {1}. Por favor seleccione una cuenta por cobrar o por pagar con divisa {0}.
DocType: Asset,Is Existing Asset,Es Activo Existente
DocType: Salary Detail,Statistical Component,Componente estadístico
-,Monthly Salary Register,Registar salario mensual
DocType: Warranty Claim,If different than customer address,Si es diferente a la dirección del cliente
DocType: BOM Operation,BOM Operation,Operación de la lista de materiales (LdM)
-DocType: School Settings,Validate the Student Group from Program Enrollment,Validar el Grupo de Estudiantes de la Inscripción del Programa
DocType: Purchase Taxes and Charges,On Previous Row Amount,Sobre la línea anterior
DocType: Student,Home Address,Direccion de casa
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Transferir Activo
@@ -4523,28 +4556,27 @@
DocType: Training Event,Event Name,Nombre del Evento
apps/erpnext/erpnext/config/schools.py +39,Admission,Admisión
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Admisiones para {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Configuración general para establecer presupuestos, objetivos, etc."
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","El producto {0} es una plantilla, por favor seleccione una de sus variantes"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Configuración general para establecer presupuestos, objetivos, etc."
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","El producto {0} es una plantilla, por favor seleccione una de sus variantes"
DocType: Asset,Asset Category,Categoría de Activos
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Comprador
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,El salario neto no puede ser negativo
DocType: SMS Settings,Static Parameters,Parámetros estáticos
DocType: Assessment Plan,Room,Habitación
DocType: Purchase Order,Advance Paid,Pago Anticipado
DocType: Item,Item Tax,Impuestos del producto
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materiales de Proveedor
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Impuestos Especiales Factura
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Impuestos Especiales Factura
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Umbral {0}% aparece más de una vez
DocType: Expense Claim,Employees Email Id,ID de Email de empleados
DocType: Employee Attendance Tool,Marked Attendance,Asistencia Marcada
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Pasivo circulante
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Pasivo circulante
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Enviar mensajes SMS masivos a sus contactos
DocType: Program,Program Name,Nombre del programa
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Considerar impuestos o cargos por
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,La cantidad real es obligatoria
DocType: Employee Loan,Loan Type,Tipo de préstamo
DocType: Scheduling Tool,Scheduling Tool,Herramienta de programación
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Tarjetas de credito
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Tarjetas de credito
DocType: BOM,Item to be manufactured or repacked,Producto a manufacturar o re-empacar
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Los ajustes por defecto para las transacciones de inventario.
DocType: Purchase Invoice,Next Date,Siguiente fecha
@@ -4560,10 +4592,10 @@
DocType: Stock Entry,Repack,Re-empacar
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Debe guardar el formulario antes de proceder
DocType: Item Attribute,Numeric Values,Valores numéricos
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Adjuntar Logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Adjuntar Logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Niveles de Stock
DocType: Customer,Commission Rate,Comisión de ventas
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Crear variante
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Crear variante
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Bloquear solicitudes de ausencias por departamento.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Tipo de pago debe ser uno de Recibir, Pagar y Transferencia Interna"
apps/erpnext/erpnext/config/selling.py +179,Analytics,Analítica
@@ -4571,45 +4603,45 @@
DocType: Vehicle,Model,Modelo
DocType: Production Order,Actual Operating Cost,Costo de operación real
DocType: Payment Entry,Cheque/Reference No,Cheque / No. de Referencia
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Usuario root no se puede editar.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Usuario root no se puede editar.
DocType: Item,Units of Measure,Unidades de medida
DocType: Manufacturing Settings,Allow Production on Holidays,Permitir producción en días festivos
DocType: Sales Order,Customer's Purchase Order Date,Fecha de pedido de compra del cliente
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Capital de inventario
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Capital de inventario
DocType: Shopping Cart Settings,Show Public Attachments,Mostrar adjuntos públicos
DocType: Packing Slip,Package Weight Details,Detalles del peso del paquete
DocType: Payment Gateway Account,Payment Gateway Account,Cuenta de Pasarela de Pago
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Después de la realización del pago redirigir el usuario a la página seleccionada.
DocType: Company,Existing Company,Compañía existente
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Categoría de Impuesto fue cambiada a ""Total"" debido a que todos los Productos son items de no stock"
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,"Por favor, seleccione un archivo csv"
DocType: Student Leave Application,Mark as Present,Marcar como presente
DocType: Purchase Order,To Receive and Bill,Para recibir y pagar
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Productos Destacados
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Diseñador
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Diseñador
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Plantillas de términos y condiciones
DocType: Serial No,Delivery Details,Detalles de la entrega
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Centro de costos requerido para la línea {0} en la tabla Impuestos para el tipo {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Centro de costos requerido para la línea {0} en la tabla Impuestos para el tipo {1}
DocType: Program,Program Code,Código de programa
DocType: Terms and Conditions,Terms and Conditions Help,Ayuda de Términos y Condiciones
,Item-wise Purchase Register,Detalle de compras
DocType: Batch,Expiry Date,Fecha de caducidad
-,Supplier Addresses and Contacts,Libreta de direcciones de proveedores
,accounts-browser,cuentas en navegador
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,"Por favor, seleccione primero la categoría"
apps/erpnext/erpnext/config/projects.py +13,Project master.,Listado de todos los proyectos.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Para permitir que el exceso de facturación o exceso de pedidos, actualizar "Asignación" en el archivo Configuración o el artículo."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Para permitir que el exceso de facturación o exceso de pedidos, actualizar "Asignación" en el archivo Configuración o el artículo."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,No volver a mostrar cualquier símbolo como $ u otro junto a las monedas.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Medio día)
DocType: Supplier,Credit Days,Días de crédito
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Hacer Lote de Estudiantes
DocType: Leave Type,Is Carry Forward,Es un traslado
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Obtener productos desde lista de materiales (LdM)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Obtener productos desde lista de materiales (LdM)
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Días de iniciativa
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Fila # {0}: Fecha de ingreso debe ser la misma que la fecha de compra {1} de activos {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Fila # {0}: Fecha de ingreso debe ser la misma que la fecha de compra {1} de activos {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,"Por favor, introduzca las Ordenes de Venta en la tabla anterior"
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,No Envió Salarios
,Stock Summary,Resumen de Existencia
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Transferir un activo de un almacén a otro
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Transferir un activo de un almacén a otro
DocType: Vehicle,Petrol,Gasolina
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Lista de materiales
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Línea {0}: el tipo de entidad se requiere para la cuenta por cobrar/pagar {1}
@@ -4620,6 +4652,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Monto sancionado
DocType: GL Entry,Is Opening,De apertura
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Línea {0}: La entrada de débito no puede vincularse con {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Cuenta {0} no existe
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Cuenta {0} no existe
DocType: Account,Cash,Efectivo
DocType: Employee,Short biography for website and other publications.,Breve biografía para la página web y otras publicaciones.
diff --git a/erpnext/translations/et.csv b/erpnext/translations/et.csv
index f2adc6d..55b4b3e 100644
--- a/erpnext/translations/et.csv
+++ b/erpnext/translations/et.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Consumer Products
DocType: Item,Customer Items,Kliendi Esemed
DocType: Project,Costing and Billing,Kuluarvestus ja arvete
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Konto {0}: Parent konto {1} ei saa olla pearaamatu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Konto {0}: Parent konto {1} ei saa olla pearaamatu
DocType: Item,Publish Item to hub.erpnext.com,Ikoonidega Avalda et hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,Email teated
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,hindamine
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,hindamine
DocType: Item,Default Unit of Measure,Vaikemõõtühik
DocType: SMS Center,All Sales Partner Contact,Kõik Sales Partner Kontakt
DocType: Employee,Leave Approvers,Jäta approvers
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),"Vahetuskurss peab olema sama, {0} {1} ({2})"
DocType: Sales Invoice,Customer Name,Kliendi nimi
DocType: Vehicle,Natural Gas,Maagaas
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Pangakonto ei saa nimeks {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Pangakonto ei saa nimeks {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Heads (või rühmad), mille vastu raamatupidamiskanded tehakse ja tasakaalu säilimine."
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Maksmata {0} ei saa olla väiksem kui null ({1})
DocType: Manufacturing Settings,Default 10 mins,Vaikimisi 10 minutit
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Kõik Tarnija Kontakt
DocType: Support Settings,Support Settings,Toetus seaded
DocType: SMS Parameter,Parameter,Parameeter
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Oodatud End Date saa olla oodatust väiksem Start Date
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Oodatud End Date saa olla oodatust väiksem Start Date
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"Row # {0}: Rate peab olema sama, {1} {2} ({3} / {4})"
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,New Jäta ostusoov
,Batch Item Expiry Status,Partii Punkt lõppemine staatus
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Pangaveksel
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Pangaveksel
DocType: Mode of Payment Account,Mode of Payment Account,Makseviis konto
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Näita variandid
DocType: Academic Term,Academic Term,Academic Term
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,materjal
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Kvantiteet
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Kontode tabeli saa olla tühi.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Laenudega (kohustused)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Laenudega (kohustused)
DocType: Employee Education,Year of Passing,Aasta Passing
DocType: Item,Country of Origin,Päritoluriik
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,Laos
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,Laos
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Avatud küsimused
DocType: Production Plan Item,Production Plan Item,Tootmise kava toode
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Kasutaja {0} on juba määratud töötaja {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Tervishoid
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Makseviivitus (päevad)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Teenuse kulu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Seerianumber: {0} on juba viidatud müügiarve: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Seerianumber: {0} on juba viidatud müügiarve: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Arve
DocType: Maintenance Schedule Item,Periodicity,Perioodilisus
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Fiscal Year {0} on vajalik
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Row # {0}:
DocType: Timesheet,Total Costing Amount,Kokku kuluarvestus summa
DocType: Delivery Note,Vehicle No,Sõiduk ei
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,Palun valige hinnakiri
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Palun valige hinnakiri
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Rida # {0}: Maksedokumendi on kohustatud täitma trasaction
DocType: Production Order Operation,Work In Progress,Töö käib
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Palun valige kuupäev
DocType: Employee,Holiday List,Holiday nimekiri
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Raamatupidaja
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Raamatupidaja
DocType: Cost Center,Stock User,Stock Kasutaja
DocType: Company,Phone No,Telefon ei
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Muidugi Graafikud loodud:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},New {0}: # {1}
,Sales Partners Commission,Müük Partnerid Komisjon
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Lühend ei saa olla rohkem kui 5 tähemärki
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Lühend ei saa olla rohkem kui 5 tähemärki
DocType: Payment Request,Payment Request,Maksenõudekäsule
DocType: Asset,Value After Depreciation,Väärtus amortisatsioonijärgne
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,Osavõtjate kuupäev ei saa olla väiksem kui töötaja ühinemistähtaja
DocType: Grading Scale,Grading Scale Name,Hindamisskaala Nimi
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,See on root ja seda ei saa muuta.
+DocType: Sales Invoice,Company Address,ettevõtte aadress
DocType: BOM,Operations,Operations
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Ei saa seada loa alusel Allahindlus {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Kinnita csv faili kahte veergu, üks vana nime ja üks uus nimi"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} mitte mingil aktiivne eelarveaastal.
DocType: Packed Item,Parent Detail docname,Parent Detail docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Viide: {0}, Kood: {1} ja kliendi: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Kg
DocType: Student Log,Log,Logi
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Avamine tööd.
DocType: Item Attribute,Increment,Juurdekasv
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Reklaam
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Sama firma on kantud rohkem kui üks kord
DocType: Employee,Married,Abielus
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Ei ole lubatud {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Ei ole lubatud {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Võta esemed
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Stock ei saa uuendada vastu saateleht {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Stock ei saa uuendada vastu saateleht {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Toote {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Nr loetletud
DocType: Payment Reconciliation,Reconcile,Sobita
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Järgmine kulum kuupäev ei saa olla enne Ostukuupäevale
DocType: SMS Center,All Sales Person,Kõik Sales Person
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Kuu Distribution ** aitab levitada Eelarve / Target üle kuu, kui teil on sesoonsus firma."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Ei leitud esemed
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Ei leitud esemed
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Palgastruktuur Kadunud
DocType: Lead,Person Name,Person Nimi
DocType: Sales Invoice Item,Sales Invoice Item,Müügiarve toode
DocType: Account,Credit,Krediit
DocType: POS Profile,Write Off Cost Center,Kirjutage Off Cost Center
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",nt "algkool" või "Ülikool"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",nt "algkool" või "Ülikool"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Stock aruanded
DocType: Warehouse,Warehouse Detail,Ladu Detail
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Krediidilimiit on ületanud kliendi {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Krediidilimiit on ületanud kliendi {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Term lõppkuupäev ei saa olla hilisem kui aasta lõpu kuupäev õppeaasta, mille mõiste on seotud (Academic Year {}). Palun paranda kuupäev ja proovi uuesti."
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Kas Põhivarade" ei saa märkimata, kui Asset Olemas vastu kirje"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Kas Põhivarade" ei saa märkimata, kui Asset Olemas vastu kirje"
DocType: Vehicle Service,Brake Oil,Piduri õli
DocType: Tax Rule,Tax Type,Maksu- Type
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Sa ei ole volitatud lisada või uuendada oma andmeid enne {0}
DocType: BOM,Item Image (if not slideshow),Punkt Image (kui mitte slideshow)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Kliendi olemas sama nimega
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Hour Hinda / 60) * Tegelik tööaeg
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Vali Bom
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Vali Bom
DocType: SMS Log,SMS Log,SMS Logi
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Kulud Tarnitakse Esemed
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Puhkus on {0} ei ole vahel From kuupäev ja To Date
@@ -159,13 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Alates {0} kuni {1}
DocType: Item,Copy From Item Group,Kopeeri Punkt Group
DocType: Journal Entry,Opening Entry,Avamine Entry
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kliendi> Kliendi Group> Territory
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Konto maksta ainult
DocType: Employee Loan,Repay Over Number of Periods,Tagastama Üle perioodide arv
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} ei käi antud {2}
DocType: Stock Entry,Additional Costs,Lisakulud
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Konto olemasolevate tehing ei ole ümber rühm.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Konto olemasolevate tehing ei ole ümber rühm.
DocType: Lead,Product Enquiry,Toode Luure
DocType: Academic Term,Schools,Koolid
+DocType: School Settings,Validate Batch for Students in Student Group,Kinnita Partii üliõpilastele Student Group
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Ei puhkuse rekord leitud töötaja {0} ja {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Palun sisestage firma esimene
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Palun valige Company esimene
@@ -174,48 +176,48 @@
DocType: BOM,Total Cost,Total Cost
DocType: Journal Entry Account,Employee Loan,töötaja Loan
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Activity Log:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,Punkt {0} ei ole olemas süsteemi või on aegunud
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Punkt {0} ei ole olemas süsteemi või on aegunud
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Kinnisvara
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Kontoteatis
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Farmaatsia
DocType: Purchase Invoice Item,Is Fixed Asset,Kas Põhivarade
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Saadaval Kogus on {0}, peate {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Saadaval Kogus on {0}, peate {1}"
DocType: Expense Claim Detail,Claim Amount,Nõude suurus
-DocType: Employee,Mr,härra
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Duplicate klientide rühm leidub cutomer grupi tabelis
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Tarnija tüüp / tarnija
DocType: Naming Series,Prefix,Eesliide
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Tarbitav
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Tarbitav
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Import Logi
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Tõmba Materjal taotlus tüüpi tootmine põhineb eespool nimetatud kriteeriumidele
DocType: Training Result Employee,Grade,hinne
DocType: Sales Invoice Item,Delivered By Supplier,Toimetab tarnija
DocType: SMS Center,All Contact,Kõik Contact
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Tootmise Telli juba loodud kõik esemed Bom
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Aastapalka
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Tootmise Telli juba loodud kõik esemed Bom
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Aastapalka
DocType: Daily Work Summary,Daily Work Summary,Igapäevase töö kokkuvõte
DocType: Period Closing Voucher,Closing Fiscal Year,Sulgemine Fiscal Year
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} on külmutatud
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Palun valige olemasoleva äriühingu loomise kontoplaani
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Stock kulud
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} on külmutatud
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Palun valige olemasoleva äriühingu loomise kontoplaani
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Stock kulud
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Vali Target Warehouse
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,Palun sisesta Eelistatud Kontakt E-post
+DocType: Program Enrollment,School Bus,Koolibuss
DocType: Journal Entry,Contra Entry,Contra Entry
DocType: Journal Entry Account,Credit in Company Currency,Credit Company Valuuta
DocType: Delivery Note,Installation Status,Paigaldamine staatus
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Kas soovite värskendada käimist? <br> Present: {0} \ <br> Puudub: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Aktsepteeritud + Tõrjutud Kogus peab olema võrdne saadud koguse Punkt {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Aktsepteeritud + Tõrjutud Kogus peab olema võrdne saadud koguse Punkt {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Supply tooraine ostmiseks
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,Vähemalt üks makseviis on vajalik POS arve.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,Vähemalt üks makseviis on vajalik POS arve.
DocType: Products Settings,Show Products as a List,Näita tooteid listana
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Lae mall, täitke asjakohaste andmete ja kinnitage muudetud faili. Kõik kuupäevad ning töötaja kombinatsioon valitud perioodil tulevad malli, olemasolevate töölkäimise"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,Punkt {0} ei ole aktiivne või elu lõpuni jõutud
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Näide: Basic Mathematics
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Et sisaldada makse järjest {0} Punkti kiirus, maksud ridadesse {1} peab olema ka"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Punkt {0} ei ole aktiivne või elu lõpuni jõutud
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Näide: Basic Mathematics
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Et sisaldada makse järjest {0} Punkti kiirus, maksud ridadesse {1} peab olema ka"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Seaded HR Module
DocType: SMS Center,SMS Center,SMS Center
DocType: Sales Invoice,Change Amount,Muuda summa
@@ -225,7 +227,7 @@
DocType: Lead,Request Type,Hankelepingu liik
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Tee Employee
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Rahvusringhääling
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Hukkamine
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Hukkamine
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Andmed teostatud.
DocType: Serial No,Maintenance Status,Hooldus staatus
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Tarnija on kohustatud vastu tasulised konto {2}
@@ -253,7 +255,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Taotluse tsitaat pääseb klõpsates järgmist linki
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Eraldada lehed aastal.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG Loomistööriist kursus
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,Ebapiisav Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,Ebapiisav Stock
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Keela Capacity Planning and Time Tracking
DocType: Email Digest,New Sales Orders,Uus müügitellimuste
DocType: Bank Guarantee,Bank Account,Pangakonto
@@ -264,8 +266,9 @@
DocType: Production Order Operation,Updated via 'Time Log',Uuendatud kaudu "Aeg Logi '
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Advance summa ei saa olla suurem kui {0} {1}
DocType: Naming Series,Series List for this Transaction,Seeria nimekiri selle Tehing
+DocType: Company,Enable Perpetual Inventory,Luba Perpetual Inventory
DocType: Company,Default Payroll Payable Account,Vaikimisi palgaarvestuse tasulised konto
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Uuenda e Group
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Uuenda e Group
DocType: Sales Invoice,Is Opening Entry,Avab Entry
DocType: Customer Group,Mention if non-standard receivable account applicable,Nimetatakse mittestandardsete saadaoleva arvesse kohaldatavat
DocType: Course Schedule,Instructor Name,Juhendaja nimi
@@ -277,13 +280,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Vastu müügiarve toode
,Production Orders in Progress,Tootmine Tellimused in Progress
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Rahavood finantseerimistegevusest
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage on täis, ei päästa"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage on täis, ei päästa"
DocType: Lead,Address & Contact,Aadress ja Kontakt
DocType: Leave Allocation,Add unused leaves from previous allocations,Lisa kasutamata lehed eelmisest eraldised
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Järgmine Korduvad {0} loodud {1}
DocType: Sales Partner,Partner website,Partner kodulehel
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Lisa toode
-,Contact Name,kontaktisiku nimi
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,kontaktisiku nimi
DocType: Course Assessment Criteria,Course Assessment Criteria,Muidugi Hindamiskriteeriumid
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Loob palgaleht eespool nimetatud kriteeriume.
DocType: POS Customer Group,POS Customer Group,POS Kliendi Group
@@ -292,18 +295,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,No kirjeldusest
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Küsi osta.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,See põhineb Ajatabelid loodud vastu selle projekti
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Netopalk ei tohi olla väiksem kui 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Netopalk ei tohi olla väiksem kui 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Ainult valitud Jäta Approver võib esitada selle Jäta ostusoov
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Leevendab kuupäev peab olema suurem kui Liitumis
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Lehed aastas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Lehed aastas
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Row {0}: Palun vaadake "Kas Advance" vastu Konto {1}, kui see on ette sisenemist."
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Ladu {0} ei kuulu firma {1}
DocType: Email Digest,Profit & Loss,Kasumiaruanne
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Liiter
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Liiter
DocType: Task,Total Costing Amount (via Time Sheet),Kokku kuluarvestus summa (via Time Sheet)
DocType: Item Website Specification,Item Website Specification,Punkt Koduleht spetsifikatsioon
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Jäta blokeeritud
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Punkt {0} on jõudnud oma elu lõppu kohta {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Punkt {0} on jõudnud oma elu lõppu kohta {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Bank Sissekanded
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Aastane
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock leppimise toode
@@ -311,9 +314,9 @@
DocType: Material Request Item,Min Order Qty,Min Tellimus Kogus
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Loomistööriist kursus
DocType: Lead,Do Not Contact,Ära võta ühendust
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,"Inimesed, kes õpetavad oma organisatsiooni"
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,"Inimesed, kes õpetavad oma organisatsiooni"
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Unikaalne id jälgimise kõik korduvad arved. See on genereeritud esitada.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Tarkvara arendaja
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Tarkvara arendaja
DocType: Item,Minimum Order Qty,Tellimuse Miinimum Kogus
DocType: Pricing Rule,Supplier Type,Tarnija Type
DocType: Course Scheduling Tool,Course Start Date,Kursuse alguskuupäev
@@ -322,11 +325,11 @@
DocType: Item,Publish in Hub,Avaldab Hub
DocType: Student Admission,Student Admission,üliõpilane
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Punkt {0} on tühistatud
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Punkt {0} on tühistatud
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Materjal taotlus
DocType: Bank Reconciliation,Update Clearance Date,Värskenda Kliirens kuupäev
DocType: Item,Purchase Details,Ostu üksikasjad
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Punkt {0} ei leitud "tarnitud tooraine" tabelis Ostutellimuse {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Punkt {0} ei leitud "tarnitud tooraine" tabelis Ostutellimuse {1}
DocType: Employee,Relation,Seos
DocType: Shipping Rule,Worldwide Shipping,Worldwide Shipping
DocType: Student Guardian,Mother,ema
@@ -345,6 +348,7 @@
DocType: Student Group Student,Student Group Student,Student Group Student
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Viimased
DocType: Vehicle Service,Inspection,ülevaatus
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,nimekiri
DocType: Email Digest,New Quotations,uus tsitaadid
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,"Kirjad palgatõend, et töötaja põhineb eelistatud e valitud Employee"
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,Esimene Jäta Approver nimekirjas on vaikimisi Jäta Approver
@@ -353,20 +357,20 @@
DocType: Asset,Next Depreciation Date,Järgmine kulum kuupäev
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Aktiivsus töötaja kohta
DocType: Accounts Settings,Settings for Accounts,Seaded konto
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Tarnija Arve nr olemas ostuarve {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Tarnija Arve nr olemas ostuarve {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Manage Sales Person Tree.
DocType: Job Applicant,Cover Letter,kaaskiri
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Tasumata tšekke ja hoiused selge
DocType: Item,Synced With Hub,Sünkroniseerida Hub
DocType: Vehicle,Fleet Manager,Fleet Manager
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} ei saa olla negatiivne artiklijärgse {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Vale parool
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Vale parool
DocType: Item,Variant Of,Variant Of
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',Valminud Kogus ei saa olla suurem kui "Kogus et Tootmine"
DocType: Period Closing Voucher,Closing Account Head,Konto sulgemise Head
DocType: Employee,External Work History,Väline tööandjad
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Ringviide viga
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1 Nimi
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 Nimi
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Sõnades (Export) ilmuvad nähtavale kui salvestate saateleht.
DocType: Cheque Print Template,Distance from left edge,Kaugus vasakust servast
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} ühikut [{1}] (# Vorm / punkt / {1}) leitud [{2}] (# Vorm / Warehouse / {2})
@@ -375,11 +379,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,"Soovin e-postiga loomiseks, automaatne Material taotlus"
DocType: Journal Entry,Multi Currency,Multi Valuuta
DocType: Payment Reconciliation Invoice,Invoice Type,Arve Type
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Toimetaja märkus
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Toimetaja märkus
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Seadistamine maksud
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Müüdava vara
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,"Makse Entry on muudetud pärast seda, kui tõmbasin. Palun tõmmake uuesti."
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} sisestatud kaks korda Punkt Maksu-
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Makse Entry on muudetud pärast seda, kui tõmbasin. Palun tõmmake uuesti."
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} sisestatud kaks korda Punkt Maksu-
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Kokkuvõte sel nädalal ja kuni tegevusi
DocType: Student Applicant,Admitted,Tunnistas
DocType: Workstation,Rent Cost,Üürile Cost
@@ -397,25 +401,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Palun sisestage "Korda päev kuus väljale väärtus
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Hinda kus Klient Valuuta teisendatakse kliendi baasvaluuta
DocType: Course Scheduling Tool,Course Scheduling Tool,Kursuse planeerimine Tool
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rida # {0}: ostuarve ei saa vastu olemasoleva vara {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rida # {0}: ostuarve ei saa vastu olemasoleva vara {1}
DocType: Item Tax,Tax Rate,Maksumäär
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} on juba eraldatud Töötaja {1} ajaks {2} et {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Vali toode
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Ostuarve {0} on juba esitatud
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Ostuarve {0} on juba esitatud
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Partii nr peaks olema sama mis {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Teisenda mitte-Group
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Partii (palju) objekti.
DocType: C-Form Invoice Detail,Invoice Date,Arve kuupäev
DocType: GL Entry,Debit Amount,Deebetsummat
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Seal saab olla ainult 1 konto kohta Company {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,Palun vt lisa
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Seal saab olla ainult 1 konto kohta Company {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,Palun vt lisa
DocType: Purchase Order,% Received,% Vastatud
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Loo Üliõpilasgrupid
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Setup juba valmis !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Kreeditarve summa
,Finished Goods,Valmistoodang
DocType: Delivery Note,Instructions,Juhised
DocType: Quality Inspection,Inspected By,Kontrollima
DocType: Maintenance Visit,Maintenance Type,Hooldus Type
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} ei kaasati Course {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Serial No {0} ei kuulu saatelehele {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Lisa tooteid
@@ -436,7 +442,7 @@
DocType: Request for Quotation,Request for Quotation,Hinnapäring
DocType: Salary Slip Timesheet,Working Hours,Töötunnid
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Muuda algus / praegune järjenumber olemasoleva seeria.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Loo uus klient
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Loo uus klient
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Kui mitu Hinnakujundusreeglid jätkuvalt ülekaalus, kasutajate palutakse määrata prioriteedi käsitsi lahendada konflikte."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Loo Ostutellimuste
,Purchase Register,Ostu Registreeri
@@ -448,7 +454,7 @@
DocType: Student Log,Medical,Medical
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Põhjus kaotada
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Kaabli omanik ei saa olla sama Lead
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,Eraldatud summa ei ole suurem kui korrigeerimata summa
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,Eraldatud summa ei ole suurem kui korrigeerimata summa
DocType: Announcement,Receiver,vastuvõtja
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation on suletud järgmistel kuupäevadel kohta Holiday nimekiri: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Võimalused
@@ -462,8 +468,7 @@
DocType: Assessment Plan,Examiner Name,Kontrollija nimi
DocType: Purchase Invoice Item,Quantity and Rate,Kogus ja hind
DocType: Delivery Note,% Installed,% Paigaldatud
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,"Klassiruumid / Laboratories jne, kus loenguid saab planeeritud."
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Pakkuja> Pakkuja tüüp
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Klassiruumid / Laboratories jne, kus loenguid saab planeeritud."
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Palun sisesta ettevõtte nimi esimene
DocType: Purchase Invoice,Supplier Name,Tarnija nimi
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Loe ERPNext Käsitsi
@@ -473,7 +478,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Vaata Tarnija Arve number Uniqueness
DocType: Vehicle Service,Oil Change,Õlivahetus
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.',"Et Juhtum nr" ei saa olla väiksem kui "From Juhtum nr"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Non Profit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Non Profit
DocType: Production Order,Not Started,Alustamata
DocType: Lead,Channel Partner,Channel Partner
DocType: Account,Old Parent,Vana Parent
@@ -483,19 +488,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Global seaded kõik tootmisprotsessid.
DocType: Accounts Settings,Accounts Frozen Upto,Kontod Külmutatud Upto
DocType: SMS Log,Sent On,Saadetud
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Oskus {0} valitakse mitu korda atribuudid Table
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Oskus {0} valitakse mitu korda atribuudid Table
DocType: HR Settings,Employee record is created using selected field. ,"Töötaja rekord on loodud, kasutades valitud valdkonnas."
DocType: Sales Order,Not Applicable,Ei kasuta
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Holiday kapten.
DocType: Request for Quotation Item,Required Date,Vajalik kuupäev
DocType: Delivery Note,Billing Address,Arve Aadress
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Palun sisestage Kood.
DocType: BOM,Costing,Kuluarvestus
DocType: Tax Rule,Billing County,Arved County
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount",Märkimise korral on maksusumma loetakse juba lisatud Prindi Hinda / Print summa
DocType: Request for Quotation,Message for Supplier,Sõnum Tarnija
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Kokku Kogus
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 Saatke ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 Saatke ID
DocType: Item,Show in Website (Variant),Näita Veebileht (Variant)
DocType: Employee,Health Concerns,Terviseprobleemid
DocType: Process Payroll,Select Payroll Period,Vali palgaarvestuse Periood
@@ -513,25 +517,27 @@
DocType: Sales Order Item,Used for Production Plan,Kasutatakse tootmise kava
DocType: Employee Loan,Total Payment,Kokku tasumine
DocType: Manufacturing Settings,Time Between Operations (in mins),Aeg toimingute vahel (in minutit)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} katkeb nii toimingut ei saa lõpule
DocType: Customer,Buyer of Goods and Services.,Ostja kaupade ja teenuste.
DocType: Journal Entry,Accounts Payable,Tasumata arved
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Valitud BOMs ei ole sama objekti
DocType: Pricing Rule,Valid Upto,Kehtib Upto
DocType: Training Event,Workshop,töökoda
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Nimekiri paar oma klientidele. Nad võivad olla organisatsioonid ja üksikisikud.
-,Enough Parts to Build,Aitab Parts ehitada
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Otsene tulu
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Nimekiri paar oma klientidele. Nad võivad olla organisatsioonid ja üksikisikud.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Aitab Parts ehitada
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Otsene tulu
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Ei filtreerimiseks konto, kui rühmitatud konto"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Haldusspetsialist
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Palun valige Course
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Haldusspetsialist
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Palun valige Course
DocType: Timesheet Detail,Hrs,tundi
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Palun valige Company
DocType: Stock Entry Detail,Difference Account,Erinevus konto
+DocType: Purchase Invoice,Supplier GSTIN,Pakkuja GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Ei saa sulgeda ülesanne oma sõltuvad ülesande {0} ei ole suletud.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"Palun sisestage Warehouse, mille materjal taotlus tõstetakse"
DocType: Production Order,Additional Operating Cost,Täiendav töökulud
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kosmeetika
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Ühendamine, järgmised omadused peavad olema ühesugused teemad"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Ühendamine, järgmised omadused peavad olema ühesugused teemad"
DocType: Shipping Rule,Net Weight,Netokaal
DocType: Employee,Emergency Phone,Emergency Phone
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,ostma
@@ -540,14 +546,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Palun määratleda hinne Threshold 0%
DocType: Sales Order,To Deliver,Andma
DocType: Purchase Invoice Item,Item,Kirje
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Seerianumber objekt ei saa olla osa
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Seerianumber objekt ei saa olla osa
DocType: Journal Entry,Difference (Dr - Cr),Erinevus (Dr - Cr)
DocType: Account,Profit and Loss,Kasum ja kahjum
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Tegevjuht Alltöövõtt
DocType: Project,Project will be accessible on the website to these users,Projekt on kättesaadav veebilehel nendele kasutajatele
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Hinda kus Hinnakiri valuuta konverteeritakse ettevõtte baasvaluuta
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Konto {0} ei kuulu firma: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Lühend kasutatakse juba teise firma
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Konto {0} ei kuulu firma: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Lühend kasutatakse juba teise firma
DocType: Selling Settings,Default Customer Group,Vaikimisi Kliendi Group
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Kui keelata, "Ümardatud Kokku väljale ei ole nähtav ühegi tehinguga"
DocType: BOM,Operating Cost,Töökulud
@@ -555,7 +561,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Kasvamine ei saa olla 0
DocType: Production Planning Tool,Material Requirement,Materjal nõue
DocType: Company,Delete Company Transactions,Kustuta tehingutes
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Viitenumber ja viited kuupäev on kohustuslik Bank tehingu
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Viitenumber ja viited kuupäev on kohustuslik Bank tehingu
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Klienditeenindus Lisa / uuenda maksud ja tasud
DocType: Purchase Invoice,Supplier Invoice No,Tarnija Arve nr
DocType: Territory,For reference,Sest viide
@@ -566,22 +572,22 @@
DocType: Installation Note Item,Installation Note Item,Paigaldamine Märkus Punkt
DocType: Production Plan Item,Pending Qty,Kuni Kogus
DocType: Budget,Ignore,Ignoreerima
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} ei ole aktiivne
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} ei ole aktiivne
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS saadetakse järgmised numbrid: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,Setup check mõõtmed trükkimiseks
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Setup check mõõtmed trükkimiseks
DocType: Salary Slip,Salary Slip Timesheet,Palgatõend Töögraafik
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Tarnija Warehouse kohustuslik allhanked ostutšekk
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Tarnija Warehouse kohustuslik allhanked ostutšekk
DocType: Pricing Rule,Valid From,Kehtib alates
DocType: Sales Invoice,Total Commission,Kokku Komisjoni
DocType: Pricing Rule,Sales Partner,Müük Partner
DocType: Buying Settings,Purchase Receipt Required,Ostutšekk Vajalikud
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,"Hindamine Rate on kohustuslik, kui algvaru sisestatud"
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,"Hindamine Rate on kohustuslik, kui algvaru sisestatud"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Salvestusi ei leitud Arvel tabelis
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Palun valige Company Pidu ja Type esimene
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Financial / eelarveaastal.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Financial / eelarveaastal.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,kogunenud väärtused
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Vabandame, Serial nr saa liita"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Tee Sales Order
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Tee Sales Order
DocType: Project Task,Project Task,Projekti töörühma
,Lead Id,Plii Id
DocType: C-Form Invoice Detail,Grand Total,Üldtulemus
@@ -598,7 +604,7 @@
DocType: Job Applicant,Resume Attachment,Jätka Attachment
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Korrake klientidele
DocType: Leave Control Panel,Allocate,Eraldama
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Müügitulu
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Müügitulu
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Märkus: Kokku eraldatakse lehed {0} ei tohiks olla väiksem kui juba heaks lehed {1} perioodiks
DocType: Announcement,Posted By,postitas
DocType: Item,Delivered by Supplier (Drop Ship),Andis Tarnija (Drop Laev)
@@ -608,8 +614,8 @@
DocType: Quotation,Quotation To,Tsitaat
DocType: Lead,Middle Income,Keskmise sissetulekuga
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Avamine (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Vaikimisi mõõtühik Punkt {0} ei saa muuta otse, sest teil on juba mõned tehingu (te) teise UOM. Te peate looma uue Punkt kasutada erinevaid vaikimisi UOM."
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Eraldatud summa ei saa olla negatiivne
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Vaikimisi mõõtühik Punkt {0} ei saa muuta otse, sest teil on juba mõned tehingu (te) teise UOM. Te peate looma uue Punkt kasutada erinevaid vaikimisi UOM."
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Eraldatud summa ei saa olla negatiivne
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Määrake Company
DocType: Purchase Order Item,Billed Amt,Arve Amt
DocType: Training Result Employee,Training Result Employee,Koolitus Tulemus Employee
@@ -621,7 +627,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Vali Maksekonto teha Bank Entry
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Loo töötaja kirjete haldamiseks lehed, kulu nõuete ja palgaarvestuse"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Lisa teabebaasi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Ettepanek kirjutamine
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Ettepanek kirjutamine
DocType: Payment Entry Deduction,Payment Entry Deduction,Makse Entry mahaarvamine
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Teine Sales Person {0} on olemas sama Töötaja id
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Kui see on lubatud, tooraine objekte, mis on allhanked lisatakse materjali taotlused"
@@ -635,7 +641,7 @@
DocType: Timesheet,Billed,Maksustatakse
DocType: Batch,Batch Description,Partii kirjeldus
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Loomine õpperühm
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Payment Gateway konto ei ole loodud, siis looge see käsitsi."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Payment Gateway konto ei ole loodud, siis looge see käsitsi."
DocType: Sales Invoice,Sales Taxes and Charges,Müük maksud ja tasud
DocType: Employee,Organization Profile,Organisatsiooni andmed
DocType: Student,Sibling Details,Kaas detailid
@@ -657,11 +663,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Net muutus Varude
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Töötaja Laenu juhtimine
DocType: Employee,Passport Number,Passi number
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Seos Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Juhataja
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Seos Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Juhataja
DocType: Payment Entry,Payment From / To,Makse edasi / tagasi
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Uus krediidilimiit on alla praeguse tasumata summa kliendi jaoks. Krediidilimiit peab olema atleast {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Sama objekt on kantud mitu korda.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Uus krediidilimiit on alla praeguse tasumata summa kliendi jaoks. Krediidilimiit peab olema atleast {0}
DocType: SMS Settings,Receiver Parameter,Vastuvõtja Parameeter
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""Tuleneb"" ja ""Grupeeri alusel"" ei saa olla sama"
DocType: Sales Person,Sales Person Targets,Sales Person Eesmärgid
@@ -670,8 +675,9 @@
DocType: Issue,Resolution Date,Resolutsioon kuupäev
DocType: Student Batch Name,Batch Name,partii Nimi
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Töögraafik on loodud:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},Palun määra vaikimisi Raha või pangakonto makseviis {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Palun määra vaikimisi Raha või pangakonto makseviis {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,registreerima
+DocType: GST Settings,GST Settings,GST Seaded
DocType: Selling Settings,Customer Naming By,Kliendi nimetamine By
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Näitab õpilase kui Praegused Student Kuu osavõtt aruanne
DocType: Depreciation Schedule,Depreciation Amount,Põhivara summa
@@ -693,6 +699,7 @@
DocType: Item,Material Transfer,Material Transfer
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Avamine (Dr)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Foorumi timestamp tuleb pärast {0}
+,GST Itemised Purchase Register,GST Üksikasjalikud Ostu Registreeri
DocType: Employee Loan,Total Interest Payable,Kokku intressivõlg
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Maandus Cost maksud ja tasud
DocType: Production Order Operation,Actual Start Time,Tegelik Start Time
@@ -719,10 +726,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
DocType: Account,Accounts,Kontod
DocType: Vehicle,Odometer Value (Last),Odomeetri näit (Viimane)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Makse Entry juba loodud
DocType: Purchase Receipt Item Supplied,Current Stock,Laoseis
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Rida # {0}: Asset {1} ei ole seotud Punkt {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Rida # {0}: Asset {1} ei ole seotud Punkt {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Eelvaade palgatõend
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Konto {0} on sisestatud mitu korda
DocType: Account,Expenses Included In Valuation,Kulud sisalduvad Hindamine
@@ -730,7 +737,7 @@
,Absent Student Report,Puudub Student Report
DocType: Email Digest,Next email will be sent on:,Järgmine email saadetakse edasi:
DocType: Offer Letter Term,Offer Letter Term,Paku kiri Term
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Punkt on variante.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Punkt on variante.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Punkt {0} ei leitud
DocType: Bin,Stock Value,Stock Value
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Ettevõte {0} ei ole olemas
@@ -739,7 +746,7 @@
DocType: Serial No,Warranty Expiry Date,Garantii Aegumisaja
DocType: Material Request Item,Quantity and Warehouse,Kogus ja Warehouse
DocType: Sales Invoice,Commission Rate (%),Komisjoni Rate (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Palun valige Program
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Palun valige Program
DocType: Project,Estimated Cost,Hinnanguline maksumus
DocType: Purchase Order,Link to material requests,Link materjali taotlusi
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aerospace
@@ -753,14 +760,14 @@
DocType: Purchase Order,Supply Raw Materials,Supply tooraine
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,"Kuupäev, mil järgmise arve genereeritakse. See on genereeritud esitada."
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Käibevara
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} ei ole laos toode
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} ei ole laos toode
DocType: Mode of Payment Account,Default Account,Vaikimisi konto
DocType: Payment Entry,Received Amount (Company Currency),Saadud summa (firma Valuuta)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,"Plii tuleb määrata, kui võimalus on valmistatud Lead"
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,Palun valige iganädalane off päev
DocType: Production Order Operation,Planned End Time,Planeeritud End Time
,Sales Person Target Variance Item Group-Wise,Sales Person Target Dispersioon Punkt Group-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Konto olemasolevate tehing ei ole ümber arvestusraamatust
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Konto olemasolevate tehing ei ole ümber arvestusraamatust
DocType: Delivery Note,Customer's Purchase Order No,Kliendi ostutellimuse pole
DocType: Budget,Budget Against,Eelarve vastu
DocType: Employee,Cell Number,Mobiilinumber
@@ -772,15 +779,13 @@
DocType: Opportunity,Opportunity From,Opportunity From
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Kuupalga avalduse.
DocType: BOM,Website Specifications,Koduleht erisused
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Palun setup numbrite seeria osavõtt Setup> numbrite seeria
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: From {0} tüüpi {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Row {0}: Conversion Factor on kohustuslik
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Row {0}: Conversion Factor on kohustuslik
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Mitu Hind reeglid olemas samad kriteeriumid, palun lahendada konflikte, määrates prioriteet. Hind Reeglid: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Ei saa deaktiveerida või tühistada Bom, sest see on seotud teiste BOMs"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Mitu Hind reeglid olemas samad kriteeriumid, palun lahendada konflikte, määrates prioriteet. Hind Reeglid: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Ei saa deaktiveerida või tühistada Bom, sest see on seotud teiste BOMs"
DocType: Opportunity,Maintenance,Hooldus
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Ostutšekk number vajalik Punkt {0}
DocType: Item Attribute Value,Item Attribute Value,Punkt omadus Value
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Müügikampaaniad.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Tee Töögraafik
@@ -813,29 +818,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Asset lammutatakse kaudu päevikusissekanne {0}
DocType: Employee Loan,Interest Income Account,Intressitulu konto
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Biotehnoloogia
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Büroo ülalpidamiskulud
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Büroo ülalpidamiskulud
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Seadistamine e-posti konto
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Palun sisestage Punkt esimene
DocType: Account,Liability,Vastutus
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanktsioneeritud summa ei või olla suurem kui nõude summast reas {0}.
DocType: Company,Default Cost of Goods Sold Account,Vaikimisi müüdud toodangu kulu konto
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Hinnakiri ole valitud
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Hinnakiri ole valitud
DocType: Employee,Family Background,Perekondlik taust
DocType: Request for Quotation Supplier,Send Email,Saada E-
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Hoiatus: Vigane Attachment {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Hoiatus: Vigane Attachment {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Ei Luba
DocType: Company,Default Bank Account,Vaikimisi Bank Account
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Filtreerida põhineb Party, Party Tüüp esimene"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"Värskenda Stock "ei saa kontrollida, sest punkte ei andnud kaudu {0}"
DocType: Vehicle,Acquisition Date,omandamise kuupäevast
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Nos
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Nos
DocType: Item,Items with higher weightage will be shown higher,Esemed kõrgema weightage kuvatakse kõrgem
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bank leppimise Detail
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Rida # {0}: Asset {1} tuleb esitada
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Rida # {0}: Asset {1} tuleb esitada
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Ükski töötaja leitud
DocType: Supplier Quotation,Stopped,Peatatud
DocType: Item,If subcontracted to a vendor,Kui alltöövõtjaks müüja
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Student Group on juba uuendatud.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Student Group on juba uuendatud.
DocType: SMS Center,All Customer Contact,Kõik Kliendi Kontakt
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Laadi laoseisu kaudu csv.
DocType: Warehouse,Tree Details,Tree detailid
@@ -847,13 +852,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Cost Center {2} ei kuulu Company {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Konto {2} ei saa olla Group
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Punkt Row {idx}: {doctype} {DOCNAME} ei eksisteeri eespool {doctype} "tabelis
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Töögraafik {0} on juba lõpetatud või tühistatud
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Töögraafik {0} on juba lõpetatud või tühistatud
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ei ülesanded
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Päeval kuule auto arve genereeritakse nt 05, 28 jne"
DocType: Asset,Opening Accumulated Depreciation,Avamine akumuleeritud kulum
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Score peab olema väiksem või võrdne 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Programm Registreerimine Tool
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,C-Form arvestust
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C-Form arvestust
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Kliendi ja tarnija
DocType: Email Digest,Email Digest Settings,Email Digest Seaded
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,"Täname, et oma äri!"
@@ -863,17 +868,19 @@
DocType: Bin,Moving Average Rate,Libisev keskmine hind
DocType: Production Planning Tool,Select Items,Vali kaubad
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} vastu Bill {1} dateeritud {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Sõiduki / Bus arv
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Kursuse ajakava
DocType: Maintenance Visit,Completion Status,Lõpetamine staatus
DocType: HR Settings,Enter retirement age in years,Sisesta pensioniiga aastat
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Target Warehouse
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Palun valige laost
DocType: Cheque Print Template,Starting location from left edge,Alustades asukoha vasakust servast
DocType: Item,Allow over delivery or receipt upto this percent,Laske üle väljasaatmisel või vastuvõtmisel upto see protsenti
DocType: Stock Entry,STE-,STE
DocType: Upload Attendance,Import Attendance,Import Osavõtt
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Kõik Punkt Groups
DocType: Process Payroll,Activity Log,Activity Log
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Neto kasum / kahjum
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Neto kasum / kahjum
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Automaatselt kirjutada sõnumi esitamise tehingud.
DocType: Production Order,Item To Manufacture,Punkt toota
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} olek on {2}
@@ -882,16 +889,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Ostutellimuse maksmine
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Kavandatav Kogus
DocType: Sales Invoice,Payment Due Date,Maksetähtpäevast
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Punkt Variant {0} on juba olemas sama atribuute
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Punkt Variant {0} on juba olemas sama atribuute
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',"Avamine"
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Avatud teha
DocType: Notification Control,Delivery Note Message,Toimetaja märkus Message
DocType: Expense Claim,Expenses,Kulud
+,Support Hours,Toetus tunde
DocType: Item Variant Attribute,Item Variant Attribute,Punkt Variant Oskus
,Purchase Receipt Trends,Ostutšekk Trends
DocType: Process Payroll,Bimonthly,kaks korda kuus
DocType: Vehicle Service,Brake Pad,Brake Pad
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Teadus- ja arendustegevus
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Teadus- ja arendustegevus
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Summa Bill
DocType: Company,Registration Details,Registreerimine Üksikasjad
DocType: Timesheet,Total Billed Amount,Arve kogusumma
@@ -904,12 +912,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Saada ainult tooraine
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Tulemuslikkuse hindamise.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Lubamine "kasutamine Ostukorv", kui Ostukorv on lubatud ja seal peaks olema vähemalt üks maksueeskiri ostukorv"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Makse Entry {0} on seotud vastu Tellimus {1}, kontrollida, kas see tuleb tõmmata nagu eelnevalt antud arve."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Makse Entry {0} on seotud vastu Tellimus {1}, kontrollida, kas see tuleb tõmmata nagu eelnevalt antud arve."
DocType: Sales Invoice Item,Stock Details,Stock Üksikasjad
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Projekti väärtus
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Point-of-Sale
DocType: Vehicle Log,Odometer Reading,odomeetri näit
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Konto jääk juba Credit, sa ei tohi seada "Balance tuleb" nagu "Deebetkaart""
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Konto jääk juba Credit, sa ei tohi seada "Balance tuleb" nagu "Deebetkaart""
DocType: Account,Balance must be,Tasakaal peab olema
DocType: Hub Settings,Publish Pricing,Avalda Hinnakujundus
DocType: Notification Control,Expense Claim Rejected Message,Kulu väide lükati tagasi Message
@@ -919,7 +927,7 @@
DocType: Salary Slip,Working Days,Tööpäeva jooksul
DocType: Serial No,Incoming Rate,Saabuva Rate
DocType: Packing Slip,Gross Weight,Brutokaal
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,"Nimi oma firma jaoks, millele te Selle süsteemi rajamisel."
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,"Nimi oma firma jaoks, millele te Selle süsteemi rajamisel."
DocType: HR Settings,Include holidays in Total no. of Working Days,Kaasa pühad Kokku ole. tööpäevade
DocType: Job Applicant,Hold,Hoia
DocType: Employee,Date of Joining,Liitumis
@@ -930,20 +938,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Ostutšekk
,Received Items To Be Billed,Saadud objekte arve
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Esitatud palgalehed
-DocType: Employee,Ms,Prl
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Valuuta vahetuskursi kapten.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Viide DOCTYPE peab olema üks {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Valuuta vahetuskursi kapten.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Viide DOCTYPE peab olema üks {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Ei leia Time Slot järgmisel {0} päeva Operation {1}
DocType: Production Order,Plan material for sub-assemblies,Plan materjali sõlmed
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Müük Partnerid ja territoorium
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,"Ei saa automaatselt luua konto, kui on juba laos tasakaalu konto. Peate looma sobitamine kontole enne saate teha kanne selle lattu"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,Bom {0} peab olema aktiivne
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,Bom {0} peab olema aktiivne
DocType: Journal Entry,Depreciation Entry,Põhivara Entry
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Palun valige dokumendi tüüp esimene
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Tühista Material Külastusi {0} enne tühistades selle Hooldus Külasta
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serial No {0} ei kuulu Punkt {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Nõutav Kogus
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Laod olemasolevate tehing ei ole ümber pearaamatu.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Laod olemasolevate tehing ei ole ümber pearaamatu.
DocType: Bank Reconciliation,Total Amount,Kogu summa
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Internet kirjastamine
DocType: Production Planning Tool,Production Orders,Tootmine Tellimused
@@ -958,25 +964,26 @@
DocType: Fee Structure,Components,komponendid
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Palun sisesta Põhivarakategoori punktis {0}
DocType: Quality Inspection Reading,Reading 6,Lugemine 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Ei saa {0} {1} {2} ilma negatiivse tasumata arve
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Ei saa {0} {1} {2} ilma negatiivse tasumata arve
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Ostuarve Advance
DocType: Hub Settings,Sync Now,Sync Now
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Row {0}: Credit kirjet ei saa siduda koos {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Määrake eelarve eelarveaastaks.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Määrake eelarve eelarveaastaks.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"Vaikimisi Bank / Cash konto automaatselt ajakohastada POS Arve, kui see režiim on valitud."
DocType: Lead,LEAD-,plii-
DocType: Employee,Permanent Address Is,Alaline aadress
DocType: Production Order Operation,Operation completed for how many finished goods?,Operation lõpule mitu valmistoodang?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,Brand
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Brand
DocType: Employee,Exit Interview Details,Exit Intervjuu Üksikasjad
DocType: Item,Is Purchase Item,Kas Ostu toode
DocType: Asset,Purchase Invoice,Ostuarve
DocType: Stock Ledger Entry,Voucher Detail No,Voucher Detail Ei
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Uus müügiarve
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Uus müügiarve
DocType: Stock Entry,Total Outgoing Value,Kokku Väljuv Value
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Avamine ja lõpu kuupäev peaks jääma sama Fiscal Year
DocType: Lead,Request for Information,Teabenõue
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sync Offline arved
+,LeaderBoard,LEADERBOARD
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Sync Offline arved
DocType: Payment Request,Paid,Makstud
DocType: Program Fee,Program Fee,program Fee
DocType: Salary Slip,Total in words,Kokku sõnades
@@ -985,13 +992,13 @@
DocType: Cheque Print Template,Has Print Format,Kas Print Format
DocType: Employee Loan,Sanctioned,sanktsioneeritud
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,on kohustuslik. Ehk Valuutavahetus rekord ei ole loodud
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Palun täpsustage Serial No Punkt {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Sest "Toote Bundle esemed, Warehouse, Serial No ja partii ei loetakse alates" Pakkeleht "tabelis. Kui Lao- ja partii ei on sama kõigi asjade pakkimist tahes "Toote Bundle" kirje, need väärtused võivad olla kantud põhi tabeli väärtused kopeeritakse "Pakkeleht" tabelis."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Palun täpsustage Serial No Punkt {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Sest "Toote Bundle esemed, Warehouse, Serial No ja partii ei loetakse alates" Pakkeleht "tabelis. Kui Lao- ja partii ei on sama kõigi asjade pakkimist tahes "Toote Bundle" kirje, need väärtused võivad olla kantud põhi tabeli väärtused kopeeritakse "Pakkeleht" tabelis."
DocType: Job Opening,Publish on website,Avaldab kodulehel
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Saadetised klientidele.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Tarnija Arve kuupäev ei saa olla suurem kui Postitamise kuupäev
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Tarnija Arve kuupäev ei saa olla suurem kui Postitamise kuupäev
DocType: Purchase Invoice Item,Purchase Order Item,Ostu Telli toode
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Kaudne tulu
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Kaudne tulu
DocType: Student Attendance Tool,Student Attendance Tool,Student osavõtt Tool
DocType: Cheque Print Template,Date Settings,kuupäeva seaded
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Dispersioon
@@ -1009,20 +1016,20 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Keemilised
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Vaikimisi Bank / arvelduskontole uuendatakse automaatselt sisse palk päevikusissekanne kui see režiim on valitud.
DocType: BOM,Raw Material Cost(Company Currency),Tooraine hind (firma Valuuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Kõik esemed on juba üle selle tootmine Order.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Kõik esemed on juba üle selle tootmine Order.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Row # {0}: Rate ei saa olla suurem kui määr, mida kasutatakse {1} {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,meeter
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,meeter
DocType: Workstation,Electricity Cost,Elektri hind
DocType: HR Settings,Don't send Employee Birthday Reminders,Ärge saatke Töötaja Sünnipäev meeldetuletused
DocType: Item,Inspection Criteria,Inspekteerimiskriteeriumitele
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Siirdus
DocType: BOM Website Item,BOM Website Item,Bom Koduleht toode
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Laadi üles oma kirjas pea ja logo. (seda saab muuta hiljem).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Laadi üles oma kirjas pea ja logo. (seda saab muuta hiljem).
DocType: Timesheet Detail,Bill,arve
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Järgmine kulum kuupäev on sisestatud viimase kuupäeva
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Valge
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Valge
DocType: SMS Center,All Lead (Open),Kõik Plii (Open)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rida {0}: Kogus ole saadaval {4} laos {1} postitama aeg kanne ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rida {0}: Kogus ole saadaval {4} laos {1} postitama aeg kanne ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Saa makstud ettemaksed
DocType: Item,Automatically Create New Batch,Automaatselt Loo uus partii
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,Tee
@@ -1032,13 +1039,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Minu ostukorv
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Tellimus tüüp peab olema üks {0}
DocType: Lead,Next Contact Date,Järgmine Kontakt kuupäev
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Avamine Kogus
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,Palun sisesta konto muutuste summa
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Avamine Kogus
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,Palun sisesta konto muutuste summa
DocType: Student Batch Name,Student Batch Name,Student Partii Nimi
DocType: Holiday List,Holiday List Name,Holiday nimekiri nimi
DocType: Repayment Schedule,Balance Loan Amount,Tasakaal Laenusumma
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Ajakava kursus
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Stock Options
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Stock Options
DocType: Journal Entry Account,Expense Claim,Kuluhüvitussüsteeme
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Kas te tõesti soovite taastada seda lammutatakse vara?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Kogus eest {0}
@@ -1050,12 +1057,12 @@
DocType: Company,Default Terms,Vaikimisi Tingimused
DocType: Packing Slip Item,Packing Slip Item,Pakkesedel toode
DocType: Purchase Invoice,Cash/Bank Account,Raha / Bank Account
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Palun täpsusta {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Palun täpsusta {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Eemaldatud esemed ei muutu kogus või väärtus.
DocType: Delivery Note,Delivery To,Toimetaja
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Oskus tabelis on kohustuslik
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Oskus tabelis on kohustuslik
DocType: Production Planning Tool,Get Sales Orders,Võta müügitellimuste
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} ei tohi olla negatiivne
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} ei tohi olla negatiivne
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Soodus
DocType: Asset,Total Number of Depreciations,Kokku arv Amortisatsiooniaruanne
DocType: Sales Invoice Item,Rate With Margin,Määra Margin
@@ -1075,7 +1082,6 @@
DocType: Serial No,Creation Document No,Loomise dokument nr
DocType: Issue,Issue,Probleem
DocType: Asset,Scrapped,lammutatakse
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Konto ei ühti Company
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Atribuudid Punkt variandid. näiteks suuruse, värvi jne"
DocType: Purchase Invoice,Returns,tulu
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP Warehouse
@@ -1087,12 +1093,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,"Punkt tuleb lisada, kasutades "Võta Kirjed Ostutšekid" nuppu"
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Kaasa mitte laos toodet
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Müügikulud
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Müügikulud
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Standard ostmine
DocType: GL Entry,Against,Vastu
DocType: Item,Default Selling Cost Center,Vaikimisi müügikulude Center
DocType: Sales Partner,Implementation Partner,Rakendamine Partner
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Postiindeks
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Postiindeks
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Sales Order {0} on {1}
DocType: Opportunity,Contact Info,Kontaktinfo
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Making Stock kanded
@@ -1105,31 +1111,31 @@
DocType: Holiday List,Get Weekly Off Dates,Võta Weekly Off kuupäevad
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,End Date saa olla väiksem kui alguskuupäev
DocType: Sales Person,Select company name first.,Vali firma nimi esimesena.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Dr
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Tsitaadid Hankijatelt.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},{0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Keskmine vanus
DocType: School Settings,Attendance Freeze Date,Osavõtjate Freeze kuupäev
DocType: Opportunity,Your sales person who will contact the customer in future,"Teie müügi isik, kes kliendiga ühendust tulevikus"
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Nimekiri paar oma tarnijatele. Nad võivad olla organisatsioonid ja üksikisikud.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Nimekiri paar oma tarnijatele. Nad võivad olla organisatsioonid ja üksikisikud.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Kuva kõik tooted
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimaalne Lead Vanus (päeva)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,Kõik BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Kõik BOMs
DocType: Company,Default Currency,Vaikimisi Valuuta
DocType: Expense Claim,From Employee,Tööalasest
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Hoiatus: Süsteem ei kontrolli tegelikust suuremad arved, sest summa Punkt {0} on {1} on null"
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Hoiatus: Süsteem ei kontrolli tegelikust suuremad arved, sest summa Punkt {0} on {1} on null"
DocType: Journal Entry,Make Difference Entry,Tee Difference Entry
DocType: Upload Attendance,Attendance From Date,Osavõtt From kuupäev
DocType: Appraisal Template Goal,Key Performance Area,Key Performance Area
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Vedu
+DocType: Program Enrollment,Transportation,Vedu
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Vale Oskus
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} tuleb esitada
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} tuleb esitada
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Kogus peab olema väiksem või võrdne {0}
DocType: SMS Center,Total Characters,Kokku Lõbu
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Palun valige Bom Bom valdkonnas Punkt {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Palun valige Bom Bom valdkonnas Punkt {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Arve Detail
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Makse leppimise Arve
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Panus%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Nagu iga ostmine Seaded kui ostutellimuse sobiv == "JAH", siis luua ostuarve, kasutaja vaja luua ostutellimuse esmalt toode {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Ettevõte registreerimisnumbrid oma viide. Maksu- numbrid jms
DocType: Sales Partner,Distributor,Edasimüüja
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Ostukorv kohaletoimetamine reegel
@@ -1138,23 +1144,25 @@
,Ordered Items To Be Billed,Tellitud esemed arve
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Siit Range peab olema väiksem kui levikuala
DocType: Global Defaults,Global Defaults,Global Vaikeväärtused
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Projektikoostööd Kutse
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Projektikoostööd Kutse
DocType: Salary Slip,Deductions,Mahaarvamised
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Start Aasta
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},Esimese 2 numbrit GSTIN peaks sobima riik number {0}
DocType: Purchase Invoice,Start date of current invoice's period,Arve makseperioodi alguskuupäev
DocType: Salary Slip,Leave Without Pay,Palgata puhkust
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Capacity Planning viga
,Trial Balance for Party,Trial Balance Party
DocType: Lead,Consultant,Konsultant
DocType: Salary Slip,Earnings,Tulu
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Lõppenud Punkt {0} tuleb sisestada Tootmine tüübist kirje
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Lõppenud Punkt {0} tuleb sisestada Tootmine tüübist kirje
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Avamine Raamatupidamine Balance
+,GST Sales Register,GST Sales Registreeri
DocType: Sales Invoice Advance,Sales Invoice Advance,Müügiarve Advance
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Midagi nõuda
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Teine Eelarve rekord "{0} 'on juba olemas vastu {1} {2}" eelarveaastal {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',"""Tegelik alguskuupäev"" ei saa olla suurem kui ""Tegelik lõpukuupäev"""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Juhtimine
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Juhtimine
DocType: Cheque Print Template,Payer Settings,maksja seaded
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","See on lisatud Kood variandi. Näiteks, kui teie lühend on "SM", ning objekti kood on "T-särk", kirje kood variant on "T-särk SM""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Netopalk (sõnadega) ilmuvad nähtavale kui salvestate palgatõend.
@@ -1171,8 +1179,8 @@
DocType: Employee Loan,Partially Disbursed,osaliselt Väljastatud
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Tarnija andmebaasis.
DocType: Account,Balance Sheet,Eelarve
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Kulude Keskus eseme Kood "
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Makserežiimi ei ole seadistatud. Palun kontrollige, kas konto on seadistatud režiim maksed või POS profiili."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Kulude Keskus eseme Kood "
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Makserežiimi ei ole seadistatud. Palun kontrollige, kas konto on seadistatud režiim maksed või POS profiili."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Teie müügi isik saab meeldetuletus sellest kuupäevast ühendust kliendi
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Sama objekt ei saa sisestada mitu korda.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Lisaks kontod saab rühma all, kuid kanded saab teha peale mitte-Groups"
@@ -1180,7 +1188,7 @@
DocType: Email Digest,Payables,Võlad
DocType: Course,Course Intro,Kursuse tutvustus
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Stock Entry {0} loodud
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: lükata Kogus ei kanta Ostutagastus
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: lükata Kogus ei kanta Ostutagastus
,Purchase Order Items To Be Billed,Ostutellimuse punkte arve
DocType: Purchase Invoice Item,Net Rate,Efektiivne intressimäär
DocType: Purchase Invoice Item,Purchase Invoice Item,Ostuarve toode
@@ -1205,7 +1213,7 @@
DocType: Sales Order,SO-,SO-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Palun valige eesliide esimene
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Teadustöö
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Teadustöö
DocType: Maintenance Visit Purpose,Work Done,Töö
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Palun täpsustage vähemalt üks atribuut atribuudid tabelis
DocType: Announcement,All Students,Kõik õpilased
@@ -1213,17 +1221,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Vaata Ledger
DocType: Grading Scale,Intervals,intervallid
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Esimesed
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Elemendi Group olemas sama nimega, siis muuda objekti nimi või ümber nimetada elemendi grupp"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Student Mobiilne No.
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Ülejäänud maailm
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Elemendi Group olemas sama nimega, siis muuda objekti nimi või ümber nimetada elemendi grupp"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobiilne No.
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Ülejäänud maailm
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Artiklite {0} ei ole partii
,Budget Variance Report,Eelarve Dispersioon aruanne
DocType: Salary Slip,Gross Pay,Gross Pay
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Rida {0}: Activity Type on kohustuslik.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,"Dividende,"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,"Dividende,"
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Raamatupidamine Ledger
DocType: Stock Reconciliation,Difference Amount,Erinevus summa
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Jaotamata tulem
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Jaotamata tulem
DocType: Vehicle Log,Service Detail,Teenuse Detail
DocType: BOM,Item Description,Toote kirjeldus
DocType: Student Sibling,Student Sibling,Student Kaas
@@ -1237,11 +1245,11 @@
DocType: Opportunity Item,Opportunity Item,Opportunity toode
,Student and Guardian Contact Details,Student ja Guardian Kontakt
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Rida {0}: tarnija {0} e-posti aadress on vajalik saata e-posti
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Ajutine avamine
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Ajutine avamine
,Employee Leave Balance,Töötaja Jäta Balance
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Balance Konto {0} peab alati olema {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Hindamine Rate vajalik toode järjest {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Näide: Masters in Computer Science
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Näide: Masters in Computer Science
DocType: Purchase Invoice,Rejected Warehouse,Tagasilükatud Warehouse
DocType: GL Entry,Against Voucher,Vastu Voucher
DocType: Item,Default Buying Cost Center,Vaikimisi ostmine Cost Center
@@ -1254,31 +1262,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Võta Tasumata arved
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Sales Order {0} ei ole kehtiv
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Ostutellimuste aidata teil planeerida ja jälgida oma ostud
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Vabandame, ettevõtted ei saa liita"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Vabandame, ettevõtted ei saa liita"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",Kogu Issue / Transfer koguse {0} Material taotlus {1} \ saa olla suurem kui nõutud koguse {2} jaoks Punkt {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Väike
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Väike
DocType: Employee,Employee Number,Töötaja number
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Case (te) juba kasutusel. Proovige kohtuasjas No {0}
DocType: Project,% Completed,% Valminud
,Invoiced Amount (Exculsive Tax),Arve kogusumma (Exculsive Maksu-)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Punkt 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Konto pea {0} loodud
DocType: Supplier,SUPP-,lisatoite
DocType: Training Event,Training Event,koolitus Sündmus
DocType: Item,Auto re-order,Auto ümber korraldada
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Kokku Saavutatud
DocType: Employee,Place of Issue,Väljaandmise koht
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Leping
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Leping
DocType: Email Digest,Add Quote,Lisa Quote
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion tegur vajalik UOM: {0} punktis: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Kaudsed kulud
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion tegur vajalik UOM: {0} punktis: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Kaudsed kulud
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Row {0}: Kogus on kohustuslikuks
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Põllumajandus
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sync Master andmed
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Oma tooteid või teenuseid
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sync Master andmed
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Oma tooteid või teenuseid
DocType: Mode of Payment,Mode of Payment,Makseviis
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Koduleht Pilt peaks olema avalik faili või veebilehe URL
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Koduleht Pilt peaks olema avalik faili või veebilehe URL
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,Bom
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,See on ülemelemendile rühma ja seda ei saa muuta.
@@ -1287,17 +1294,17 @@
DocType: Warehouse,Warehouse Contact Info,Ladu Kontakt
DocType: Payment Entry,Write Off Difference Amount,Kirjutage Off erinevuse koguse
DocType: Purchase Invoice,Recurring Type,Korduvad Type
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: Töötaja e-posti ei leitud, seega e-posti ei saadeta"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: Töötaja e-posti ei leitud, seega e-posti ei saadeta"
DocType: Item,Foreign Trade Details,Väliskaubanduse detailid
DocType: Email Digest,Annual Income,Aastane sissetulek
DocType: Serial No,Serial No Details,Serial No Üksikasjad
DocType: Purchase Invoice Item,Item Tax Rate,Punkt Maksumäär
DocType: Student Group Student,Group Roll Number,Group Roll arv
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Sest {0}, ainult krediitkaardi kontod võivad olla seotud teise vastu deebetkanne"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Kokku kõigi ülesanne kaalu peaks 1. Palun reguleerida kaalu kõikide Project ülesandeid vastavalt
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Toimetaja märkus {0} ei ole esitatud
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Punkt {0} peab olema allhanked toode
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Capital seadmed
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Kokku kõigi ülesanne kaalu peaks 1. Palun reguleerida kaalu kõikide Project ülesandeid vastavalt
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Toimetaja märkus {0} ei ole esitatud
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Punkt {0} peab olema allhanked toode
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Capital seadmed
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Hinnakujundus Reegel on esimene valitud põhineb "Rakenda On väljale, mis võib olla Punkt punkt Group või kaubamärgile."
DocType: Hub Settings,Seller Website,Müüja Koduleht
DocType: Item,ITEM-,ITEM-
@@ -1315,7 +1322,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Seal saab olla ainult üks kohaletoimetamine Reegel seisukord 0 või tühi väärtus "Value"
DocType: Authorization Rule,Transaction,Tehing
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Märkus: See Cost Center on Group. Ei saa teha raamatupidamiskanded rühmade vastu.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,Lapse ladu olemas selle lattu. Sa ei saa kustutada selle lattu.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Lapse ladu olemas selle lattu. Sa ei saa kustutada selle lattu.
DocType: Item,Website Item Groups,Koduleht Punkt Groups
DocType: Purchase Invoice,Total (Company Currency),Kokku (firma Valuuta)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Serial number {0} sisestatud rohkem kui üks kord
@@ -1325,7 +1332,7 @@
DocType: Grading Scale Interval,Grade Code,Hinne kood
DocType: POS Item Group,POS Item Group,POS Artikliklasside
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Saatke Digest:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},Bom {0} ei kuulu Punkt {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},Bom {0} ei kuulu Punkt {1}
DocType: Sales Partner,Target Distribution,Target Distribution
DocType: Salary Slip,Bank Account No.,Bank Account No.
DocType: Naming Series,This is the number of the last created transaction with this prefix,See on mitmeid viimase loodud tehingu seda prefiksit
@@ -1335,12 +1342,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Broneeri Asset amortisatsioon Entry automaatselt
DocType: BOM Operation,Workstation,Workstation
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Hinnapäring Tarnija
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Riistvara
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Riistvara
DocType: Sales Order,Recurring Upto,korduvad Upto
DocType: Attendance,HR Manager,personalijuht
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Palun valige Company
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Privilege Leave
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Palun valige Company
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Privilege Leave
DocType: Purchase Invoice,Supplier Invoice Date,Tarnija Arve kuupäev
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,kohta
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Sa pead lubama Ostukorv
DocType: Payment Entry,Writeoff,Maha kirjutama
DocType: Appraisal Template Goal,Appraisal Template Goal,Hinnang Mall Goal
@@ -1351,10 +1359,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Kattumine olude vahel:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Vastu päevikusissekanne {0} on juba korrigeeritakse mõningaid teisi voucher
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Kokku tellimuse maksumus
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Toit
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Toit
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Vananemine Range 3
DocType: Maintenance Schedule Item,No of Visits,No visiit
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Mark kohalolijate
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Mark kohalolijate
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Hoolduskava {0} on olemas vastu {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,registreerimisega üliõpilane
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Valuuta sulgemise tuleb arvesse {0}
@@ -1368,6 +1376,7 @@
DocType: Rename Tool,Utilities,Kommunaalteenused
DocType: Purchase Invoice Item,Accounting,Raamatupidamine
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Palun valige partiide Jaotatud kirje
DocType: Asset,Depreciation Schedules,Kulumi
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Taotlemise tähtaeg ei tohi olla väljaspool puhkuse eraldamise ajavahemikul
DocType: Activity Cost,Projects,Projektid
@@ -1381,6 +1390,7 @@
DocType: POS Profile,Campaign,Kampaania
DocType: Supplier,Name and Type,Nimi ja tüüp
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Nõustumisstaatus tuleb "Kinnitatud" või "Tõrjutud"
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,Bootstrapi
DocType: Purchase Invoice,Contact Person,Kontaktisik
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"Oodatud Start Date" ei saa olla suurem kui "Oodatud End Date"
DocType: Course Scheduling Tool,Course End Date,Muidugi End Date
@@ -1388,12 +1398,11 @@
DocType: Sales Order Item,Planned Quantity,Planeeritud Kogus
DocType: Purchase Invoice Item,Item Tax Amount,Punkt maksusumma
DocType: Item,Maintain Stock,Säilitada Stock
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Stock kanded juba loodud Production Telli
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Stock kanded juba loodud Production Telli
DocType: Employee,Prefered Email,eelistatud Post
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Net Change põhivarade
DocType: Leave Control Panel,Leave blank if considered for all designations,"Jäta tühjaks, kui arvestada kõiki nimetusi"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Ladu on kohustuslik mitte Grupiaruannetes tüüpi Stock
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Laadige tüüp "Tegelik" in real {0} ei saa lisada Punkt Rate
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Laadige tüüp "Tegelik" in real {0} ei saa lisada Punkt Rate
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Siit Date
DocType: Email Digest,For Company,Sest Company
@@ -1403,15 +1412,15 @@
DocType: Sales Invoice,Shipping Address Name,Kohaletoimetamine Aadress Nimi
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Kontoplaan
DocType: Material Request,Terms and Conditions Content,Tingimused sisu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,ei saa olla üle 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Punkt {0} ei ole laos toode
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,ei saa olla üle 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Punkt {0} ei ole laos toode
DocType: Maintenance Visit,Unscheduled,Plaaniväline
DocType: Employee,Owned,Omanik
DocType: Salary Detail,Depends on Leave Without Pay,Oleneb palgata puhkust
DocType: Pricing Rule,"Higher the number, higher the priority","Suurem arv, seda suurem on prioriteet"
,Purchase Invoice Trends,Ostuarve Trends
DocType: Employee,Better Prospects,Paremad väljavaated
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Row # {0}: Portsjoni {1} omab ainult {2} tk. Palun valige mõni teine partii, mis on {3} Kogus kättesaadav või jagada järjest mitmeks rida, et pakkuda / küsimust mitmed partiid"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Row # {0}: Portsjoni {1} omab ainult {2} tk. Palun valige mõni teine partii, mis on {3} Kogus kättesaadav või jagada järjest mitmeks rida, et pakkuda / küsimust mitmed partiid"
DocType: Vehicle,License Plate,Numbrimärk
DocType: Appraisal,Goals,Eesmärgid
DocType: Warranty Claim,Warranty / AMC Status,Garantii / AMC staatus
@@ -1422,19 +1431,20 @@
,Batch-Wise Balance History,Osakaupa Balance ajalugu
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Prindi seaded uuendatud vastava trükiformaadis
DocType: Package Code,Package Code,pakendikood
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Praktikant
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Praktikant
+DocType: Purchase Invoice,Company GSTIN,firma GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Negatiivne Kogus ei ole lubatud
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",Maksu- detail tabelis tõmmatud kirje kapten string ja hoitakse selles valdkonnas. Kasutatakse maksud ja tasud
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Töötaja ei saa aru ise.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Kui konto on külmutatud, kanded on lubatud piiratud kasutajatele."
DocType: Email Digest,Bank Balance,Bank Balance
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Raamatupidamine kirjet {0} {1} saab teha ainult valuuta: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Raamatupidamine kirjet {0} {1} saab teha ainult valuuta: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Ametijuhendite, nõutav kvalifikatsioon jms"
DocType: Journal Entry Account,Account Balance,Kontojääk
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Maksu- reegli tehingud.
DocType: Rename Tool,Type of document to rename.,Dokumendi liik ümber.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Ostame see toode
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Ostame see toode
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Klient on kohustatud vastu võlgnevus konto {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Kokku maksud ja tasud (firma Valuuta)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Näita sulgemata eelarve aasta P & L saldod
@@ -1445,29 +1455,30 @@
DocType: Stock Entry,Total Additional Costs,Kokku Lisakulud
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Vanametalli materjali kulu (firma Valuuta)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Sub Assemblies
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Sub Assemblies
DocType: Asset,Asset Name,Asset Nimi
DocType: Project,Task Weight,ülesanne Kaal
DocType: Shipping Rule Condition,To Value,Hindama
DocType: Asset Movement,Stock Manager,Stock Manager
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Allikas lattu on kohustuslik rida {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Pakkesedel
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Office rent
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Allikas lattu on kohustuslik rida {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Pakkesedel
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Office rent
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Setup SMS gateway seaded
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Import ebaõnnestus!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,No aadress lisatakse veel.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,No aadress lisatakse veel.
DocType: Workstation Working Hour,Workstation Working Hour,Workstation töötunni
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Analüütik
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Analüütik
DocType: Item,Inventory,Inventory
DocType: Item,Sales Details,Müük Üksikasjad
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,Objekte
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,In Kogus
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,In Kogus
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Kinnita registreerunud tudengitele Student Group
DocType: Notification Control,Expense Claim Rejected,Kulu väide lükati tagasi
DocType: Item,Item Attribute,Punkt Oskus
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Valitsus
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Valitsus
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Kuluhüvitussüsteeme {0} on juba olemas Sõiduki Logi
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Instituudi Nimi
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Instituudi Nimi
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,Palun sisesta tagasimaksmise summa
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Punkt variandid
DocType: Company,Services,Teenused
@@ -1477,18 +1488,18 @@
DocType: Sales Invoice,Source,Allikas
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Näita suletud
DocType: Leave Type,Is Leave Without Pay,Kas palgata puhkust
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Põhivarakategoori on kohustuslik põhivara objektile
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Põhivarakategoori on kohustuslik põhivara objektile
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Salvestusi ei leitud Makseinfo tabelis
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},See {0} konflikte {1} jaoks {2} {3}
DocType: Student Attendance Tool,Students HTML,õpilased HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Financial alguskuupäev
DocType: POS Profile,Apply Discount,Kanna Soodus
+DocType: Purchase Invoice Item,GST HSN Code,GST HSN kood
DocType: Employee External Work History,Total Experience,Kokku Experience
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Avatud projektid
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Pakkesedel (s) tühistati
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Rahavood investeerimistegevusest
DocType: Program Course,Program Course,programmi käigus
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Kaubavedu ja Edasitoimetuskulude
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Kaubavedu ja Edasitoimetuskulude
DocType: Homepage,Company Tagline for website homepage,Ettevõte motoga veebilehel kodulehekülg
DocType: Item Group,Item Group Name,Punkt Group Nimi
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Võtnud
@@ -1498,6 +1509,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Loo Leads
DocType: Maintenance Schedule,Schedules,Sõiduplaanid
DocType: Purchase Invoice Item,Net Amount,Netokogus
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} ei ole esitatud nii toimingut ei saa lõpule
DocType: Purchase Order Item Supplied,BOM Detail No,Bom Detail Ei
DocType: Landed Cost Voucher,Additional Charges,lisatasudeta
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Täiendav Allahindluse summa (firma Valuuta)
@@ -1513,6 +1525,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Igakuine tagasimakse
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,Palun määra Kasutaja ID väli töötaja rekord seada töötaja roll
DocType: UOM,UOM Name,UOM nimi
+DocType: GST HSN Code,HSN Code,HSN kood
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Panus summa
DocType: Purchase Invoice,Shipping Address,Kohaletoimetamise aadress
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,See tööriist aitab teil värskendada või määrata koguse ja väärtuse hindamine varude süsteemi. See on tavaliselt kasutatakse sünkroonida süsteemi väärtused ja mida tegelikult olemas oma laod.
@@ -1523,17 +1536,16 @@
DocType: Program Enrollment Tool,Program Enrollments,programm sooviavaldused
DocType: Sales Invoice Item,Brand Name,Brändi nimi
DocType: Purchase Receipt,Transporter Details,Transporter Üksikasjad
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Vaikimisi ladu valimiseks on vaja kirje
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Box
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Vaikimisi ladu valimiseks on vaja kirje
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Box
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,võimalik Tarnija
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Organisatsioon
DocType: Budget,Monthly Distribution,Kuu Distribution
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Vastuvõtja nimekiri on tühi. Palun luua vastuvõtja loetelu
DocType: Production Plan Sales Order,Production Plan Sales Order,Tootmise kava Sales Order
DocType: Sales Partner,Sales Partner Target,Müük Partner Target
DocType: Loan Type,Maximum Loan Amount,Maksimaalne laenusumma
DocType: Pricing Rule,Pricing Rule,Hinnakujundus reegel
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Duplicate valtsi arvu üliõpilaste {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Duplicate valtsi arvu üliõpilaste {0}
DocType: Budget,Action if Annual Budget Exceeded,"Action, kui aastane eelarve ületatud"
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Materjal Ostusoov Telli
DocType: Shopping Cart Settings,Payment Success URL,Makse Edu URL
@@ -1546,11 +1558,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Avamine laoseisu
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} peab olema ainult üks kord
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Ei tohi tranfer rohkem {0} kui {1} vastu Ostutellimuse {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Ei tohi tranfer rohkem {0} kui {1} vastu Ostutellimuse {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Lehed Eraldatud edukalt {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,"Ole tooteid, mida pakkida"
DocType: Shipping Rule Condition,From Value,Väärtuse
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Tootmine Kogus on kohustuslikuks
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Tootmine Kogus on kohustuslikuks
DocType: Employee Loan,Repayment Method,tagasimaksmine meetod
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",Märkimise korral Kodulehekülg on vaikimisi Punkt Group kodulehel
DocType: Quality Inspection Reading,Reading 4,Lugemine 4
@@ -1560,7 +1572,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Rida # {0} kliirens kuupäeva {1} ei saa enne tšeki kuupäev {2}
DocType: Company,Default Holiday List,Vaikimisi Holiday nimekiri
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Rida {0}: From ajal ja aeg {1} kattub {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Stock Kohustused
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Stock Kohustused
DocType: Purchase Invoice,Supplier Warehouse,Tarnija Warehouse
DocType: Opportunity,Contact Mobile No,Võta Mobiilne pole
,Material Requests for which Supplier Quotations are not created,"Materjal taotlused, mis Tarnija tsitaadid ei ole loodud"
@@ -1571,35 +1583,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Tee Tsitaat
apps/erpnext/erpnext/config/selling.py +216,Other Reports,Teised aruanded
DocType: Dependent Task,Dependent Task,Sõltub Task
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Muundustegurit Vaikemõõtühik peab olema 1 rida {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Muundustegurit Vaikemõõtühik peab olema 1 rida {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Jäta tüüpi {0} ei saa olla pikem kui {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Proovige plaanis operatsioonide X päeva ette.
DocType: HR Settings,Stop Birthday Reminders,Stopp Sünnipäev meeldetuletused
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Palun määra Vaikimisi palgaarvestuse tasulised konto Company {0}
DocType: SMS Center,Receiver List,Vastuvõtja loetelu
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Otsi toode
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Otsi toode
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Tarbitud
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Net muutus Cash
DocType: Assessment Plan,Grading Scale,hindamisskaala
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mõõtühik {0} on kantud rohkem kui üks kord Conversion Factor tabel
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mõõtühik {0} on kantud rohkem kui üks kord Conversion Factor tabel
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,juba lõpetatud
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock In Hand
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Maksenõudekäsule juba olemas {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Kulud Väljastatud Esemed
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Kogus ei tohi olla rohkem kui {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Eelmisel majandusaastal ei ole suletud
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Vanus (päevad)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Vanus (päevad)
DocType: Quotation Item,Quotation Item,Tsitaat toode
+DocType: Customer,Customer POS Id,Kliendi POS Id
DocType: Account,Account Name,Kasutaja nimi
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Siit kuupäev ei saa olla suurem kui kuupäev
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serial nr {0} kogust {1} ei saa olla vaid murdosa
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Tarnija Type kapten.
DocType: Purchase Order Item,Supplier Part Number,Tarnija osa number
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Ümberarvestuskursi ei saa olla 0 või 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Ümberarvestuskursi ei saa olla 0 või 1
DocType: Sales Invoice,Reference Document,ViitedokumenDI
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} on tühistatud või peatatud
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} on tühistatud või peatatud
DocType: Accounts Settings,Credit Controller,Krediidi Controller
DocType: Delivery Note,Vehicle Dispatch Date,Sõidukite Dispatch Date
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Ostutšekk {0} ei ole esitatud
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Ostutšekk {0} ei ole esitatud
DocType: Company,Default Payable Account,Vaikimisi on tasulised konto
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Seaded online ostukorv nagu laevandus reeglid, hinnakirja jm"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% Maksustatakse
@@ -1618,11 +1632,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Hüvitatud kogusummast
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,See põhineb palke vastu Vehicle. Vaata ajakava allpool lähemalt
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,Koguma
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Vastu Tarnija Arve {0} dateeritud {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Vastu Tarnija Arve {0} dateeritud {1}
DocType: Customer,Default Price List,Vaikimisi hinnakiri
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Asset Liikumine rekord {0} loodud
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Sa ei saa kustutada eelarveaastal {0}. Eelarveaastal {0} on määratud vaikimisi Global Settings
DocType: Journal Entry,Entry Type,Entry Type
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Nr hindamise kava seotud käesoleva hindamise rühm
,Customer Credit Balance,Kliendi kreeditjääk
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Net Change kreditoorse võlgnevuse
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Kliendi vaja "Customerwise Discount"
@@ -1630,7 +1645,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,hinnapoliitika
DocType: Quotation,Term Details,Term Details
DocType: Project,Total Sales Cost (via Sales Order),Kokku müügikulud (via Sales Order)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Ei saa registreeruda rohkem kui {0} õpilasi tudeng rühm.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Ei saa registreeruda rohkem kui {0} õpilasi tudeng rühm.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Lead Krahv
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} peab olema suurem kui 0
DocType: Manufacturing Settings,Capacity Planning For (Days),Maht planeerimist (päevad)
@@ -1651,7 +1666,7 @@
DocType: Sales Invoice,Packed Items,Pakitud Esemed
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garantiinõudest vastu Serial No.
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Vahetage konkreetse BOM kõigil muudel BOMs kus seda kasutatakse. See asendab vana Bom link, uuendada kulu ja taastamisele "Bom Explosion Punkt" tabelis ühe uue Bom"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total',"Kokku"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total',"Kokku"
DocType: Shopping Cart Settings,Enable Shopping Cart,Luba Ostukorv
DocType: Employee,Permanent Address,püsiaadress
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1667,9 +1682,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,Palun täpsustage kas Kogus või Hindamine Rate või nii
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,täitmine
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Vaata Ostukorv
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Turundus kulud
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Turundus kulud
,Item Shortage Report,Punkt Puuduse aruanne
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Kaal on mainitud, \ nKui mainida "Kaal UOM" liiga"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Kaal on mainitud, \ nKui mainida "Kaal UOM" liiga"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Materjal taotlus kasutatakse selle Stock Entry
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Järgmine kulum kuupäev on kohustuslik uus vara
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Eraldi muidugi põhineb Group iga partii
@@ -1678,17 +1693,18 @@
,Student Fee Collection,Student maksukogumissüsteemidega
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Tee Raamatupidamine kirje Iga varude liikumist
DocType: Leave Allocation,Total Leaves Allocated,Kokku Lehed Eraldatud
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Ladu nõutav Row No {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Palun sisesta kehtivad majandusaasta algus- ja lõppkuupäev
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Ladu nõutav Row No {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Palun sisesta kehtivad majandusaasta algus- ja lõppkuupäev
DocType: Employee,Date Of Retirement,Kuupäev pensionile
DocType: Upload Attendance,Get Template,Võta Mall
+DocType: Material Request,Transferred,üle
DocType: Vehicle,Doors,Uksed
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext Setup Complete!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup Complete!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,PS
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Cost Center on vajalik kasumi ja kahjumi "kontole {2}. Palun luua vaikimisi Cost Center for Company.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Kliendi Group olemas sama nimega siis muuta kliendi nimi või ümber Kliendi Group
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,New Contact
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Kliendi Group olemas sama nimega siis muuta kliendi nimi või ümber Kliendi Group
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,New Contact
DocType: Territory,Parent Territory,Parent Territory
DocType: Quality Inspection Reading,Reading 2,Lugemine 2
DocType: Stock Entry,Material Receipt,Materjal laekumine
@@ -1697,17 +1713,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Kui see toode on variandid, siis ei saa valida müügi korraldusi jms"
DocType: Lead,Next Contact By,Järgmine kontakteeruda
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Kogus vaja Punkt {0} järjest {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},"Ladu {0} ei saa kustutada, kui kvantiteet on olemas Punkt {1}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Kogus vaja Punkt {0} järjest {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Ladu {0} ei saa kustutada, kui kvantiteet on olemas Punkt {1}"
DocType: Quotation,Order Type,Tellimus Type
DocType: Purchase Invoice,Notification Email Address,Teavitamine e-posti aadress
,Item-wise Sales Register,Punkt tark Sales Registreeri
DocType: Asset,Gross Purchase Amount,Gross ostusumma
DocType: Asset,Depreciation Method,Amortisatsioonimeetod
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,offline
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,offline
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,See sisaldab käibemaksu Basic Rate?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Kokku Target
-DocType: Program Course,Required,nõutav
DocType: Job Applicant,Applicant for a Job,Taotleja Töö
DocType: Production Plan Material Request,Production Plan Material Request,Tootmise kava Materjal taotlus
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,No Tootmistellimused loodud
@@ -1716,17 +1731,17 @@
DocType: Purchase Invoice Item,Batch No,Partii ei
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Laske mitu müügitellimuste vastu Kliendi ostutellimuse
DocType: Student Group Instructor,Student Group Instructor,Student Group juhendaja
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 Mobile nr
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Main
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile nr
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Main
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variant
DocType: Naming Series,Set prefix for numbering series on your transactions,Määra eesliide numeratsiooni seeria oma tehingute
DocType: Employee Attendance Tool,Employees HTML,Töötajad HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Vaikimisi Bom ({0}) peab olema aktiivne selle objekt või selle malli
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Vaikimisi Bom ({0}) peab olema aktiivne selle objekt või selle malli
DocType: Employee,Leave Encashed?,Jäta realiseeritakse?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Opportunity From väli on kohustuslik
DocType: Email Digest,Annual Expenses,Aastane kulu
DocType: Item,Variants,Variante
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Tee Ostutellimuse
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Tee Ostutellimuse
DocType: SMS Center,Send To,Saada
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Ei ole piisavalt puhkust tasakaalu Jäta tüüp {0}
DocType: Payment Reconciliation Payment,Allocated amount,Eraldatud summa
@@ -1740,26 +1755,25 @@
DocType: Supplier,Statutory info and other general information about your Supplier,Kohustuslik info ja muud üldist infot oma Tarnija
DocType: Item,Serial Nos and Batches,Serial Nos ning partiid
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Student Group Tugevus
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Vastu päevikusissekanne {0} ei ole mingit tasakaalustamata {1} kirje
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Vastu päevikusissekanne {0} ei ole mingit tasakaalustamata {1} kirje
apps/erpnext/erpnext/config/hr.py +137,Appraisals,hindamisest
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Duplicate Serial No sisestatud Punkt {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Tingimuseks laevandus reegel
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Palun sisesta
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",Ei saa liigtasu eest Oksjoni {0} järjest {1} rohkem kui {2}. Et võimaldada üle-arvete määrake ostmine Seaded
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Palun määra filter põhineb toode või Warehouse
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",Ei saa liigtasu eest Oksjoni {0} järjest {1} rohkem kui {2}. Et võimaldada üle-arvete määrake ostmine Seaded
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Palun määra filter põhineb toode või Warehouse
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Netokaal selle paketi. (arvutatakse automaatselt summana netokaal punkte)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Palun luua konto selleks Lao- ja siduda seda. See ei ole võimalik teha automaatselt kontole nime {0} on juba olemas
DocType: Sales Order,To Deliver and Bill,Pakkuda ja Bill
DocType: Student Group,Instructors,Instruktorid
DocType: GL Entry,Credit Amount in Account Currency,Krediidi Summa konto Valuuta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,Bom {0} tuleb esitada
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,Bom {0} tuleb esitada
DocType: Authorization Control,Authorization Control,Autoriseerimiskontroll
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: lükata Warehouse on kohustuslik vastu rahuldamata Punkt {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: lükata Warehouse on kohustuslik vastu rahuldamata Punkt {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Makse
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.",Ladu {0} ei ole seotud ühegi konto palume mainida konto lattu rekord või määrata vaikimisi laoseisu konto ettevõtte {1}.
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Manage oma korraldusi
DocType: Production Order Operation,Actual Time and Cost,Tegelik aeg ja maksumus
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materjal Request maksimaalselt {0} ei tehta Punkt {1} vastu Sales Order {2}
-DocType: Employee,Salutation,Tervitus
DocType: Course,Course Abbreviation,muidugi lühend
DocType: Student Leave Application,Student Leave Application,Student Jäta ostusoov
DocType: Item,Will also apply for variants,Kehtib ka variandid
@@ -1771,12 +1785,12 @@
DocType: Quotation Item,Actual Qty,Tegelik Kogus
DocType: Sales Invoice Item,References,Viited
DocType: Quality Inspection Reading,Reading 10,Lugemine 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Nimekiri oma tooteid või teenuseid, mida osta või müüa. Veenduge, et kontrollida Punkt Group, mõõtühik ja muid omadusi, kui hakkate."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Nimekiri oma tooteid või teenuseid, mida osta või müüa. Veenduge, et kontrollida Punkt Group, mõõtühik ja muid omadusi, kui hakkate."
DocType: Hub Settings,Hub Node,Hub Node
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Te olete sisenenud eksemplaris teemad. Palun paranda ja proovige uuesti.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Associate
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Associate
DocType: Asset Movement,Asset Movement,Asset liikumine
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,uus ostukorvi
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,uus ostukorvi
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Punkt {0} ei ole seeriasertide toode
DocType: SMS Center,Create Receiver List,Loo vastuvõtja loetelu
DocType: Vehicle,Wheels,rattad
@@ -1796,19 +1810,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Võib viidata rida ainult siis, kui tasu tüüp on "On eelmise rea summa" või "Eelmine Row kokku""
DocType: Sales Order Item,Delivery Warehouse,Toimetaja Warehouse
DocType: SMS Settings,Message Parameter,Sõnum Parameeter
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Puu rahalist kuluallikad.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Puu rahalist kuluallikad.
DocType: Serial No,Delivery Document No,Toimetaja dokument nr
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Palun määra "kasum / kahjum konto kohta varade realiseerimine" Company {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Võta esemed Ostutšekid
DocType: Serial No,Creation Date,Loomise kuupäev
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Punkt {0} esineb mitu korda Hinnakiri {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Müük tuleb kontrollida, kui need on kohaldatavad valitakse {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Müük tuleb kontrollida, kui need on kohaldatavad valitakse {0}"
DocType: Production Plan Material Request,Material Request Date,Materjal taotlus kuupäev
DocType: Purchase Order Item,Supplier Quotation Item,Tarnija Tsitaat toode
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Keelab loomise aeg palke vastu Tootmistellimused. Operations ei jälgita vastu Production Telli
DocType: Student,Student Mobile Number,Student Mobile arv
DocType: Item,Has Variants,Omab variandid
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Olete juba valitud objektide {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Olete juba valitud objektide {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Nimi Kuu Distribution
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Partii nr on kohustuslik
DocType: Sales Person,Parent Sales Person,Parent Sales Person
@@ -1818,12 +1832,12 @@
DocType: Budget,Fiscal Year,Eelarveaasta
DocType: Vehicle Log,Fuel Price,kütuse hind
DocType: Budget,Budget,Eelarve
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Põhivara objektile peab olema mitte-laoartikkel.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Põhivara objektile peab olema mitte-laoartikkel.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Eelarve ei saa liigitada vastu {0}, sest see ei ole tulu või kuluna konto"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Saavutatud
DocType: Student Admission,Application Form Route,Taotlusvormi Route
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Territoorium / Klienditeenindus
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,nt 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,nt 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Jäta tüüp {0} ei saa jaotada, sest see on palgata puhkust"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Row {0}: Eraldatud summa {1} peab olema väiksem või võrdne arve tasumata summa {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"Sõnades on nähtav, kui salvestate müügiarve."
@@ -1832,7 +1846,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Punkt {0} ei ole setup Serial nr. Saate Punkt master
DocType: Maintenance Visit,Maintenance Time,Hooldus aeg
,Amount to Deliver,Summa pakkuda
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Toode või teenus
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Toode või teenus
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Term Start Date ei saa olla varasem kui alguskuupäev õppeaasta, mille mõiste on seotud (Academic Year {}). Palun paranda kuupäev ja proovi uuesti."
DocType: Guardian,Guardian Interests,Guardian huvid
DocType: Naming Series,Current Value,Praegune väärtus
@@ -1846,12 +1860,12 @@
must be greater than or equal to {2}",Row {0}: seadmiseks {1} perioodilisuse vahe alates ja siiani \ peab olema suurem või võrdne {2}
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,See põhineb varude liikumist. Vaata {0} üksikasjad
DocType: Pricing Rule,Selling,Müük
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Summa {0} {1} maha vastu {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Summa {0} {1} maha vastu {2}
DocType: Employee,Salary Information,Palk Information
DocType: Sales Person,Name and Employee ID,Nimi ja Töötaja ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,Tähtaeg ei tohi olla enne postitamist kuupäev
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,Tähtaeg ei tohi olla enne postitamist kuupäev
DocType: Website Item Group,Website Item Group,Koduleht Punkt Group
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Lõivud ja maksud
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Lõivud ja maksud
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Palun sisestage Viitekuupäev
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} makse kanded ei saa filtreeritud {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Tabel toode, mis kuvatakse Web Site"
@@ -1868,9 +1882,9 @@
DocType: Payment Reconciliation Payment,Reference Row,viide Row
DocType: Installation Note,Installation Time,Paigaldamine aeg
DocType: Sales Invoice,Accounting Details,Raamatupidamine Üksikasjad
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Kustuta kõik tehingud selle firma
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: Operation {1} ei ole lõpule {2} tk valmistoodangu tootmine Tellimus {3}. Palun uuendage töö staatusest kaudu Time Palgid
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Investeeringud
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Kustuta kõik tehingud selle firma
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: Operation {1} ei ole lõpule {2} tk valmistoodangu tootmine Tellimus {3}. Palun uuendage töö staatusest kaudu Time Palgid
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Investeeringud
DocType: Issue,Resolution Details,Resolutsioon Üksikasjad
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,eraldised
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Vastuvõetavuse kriteeriumid
@@ -1895,7 +1909,7 @@
DocType: Room,Room Name,Toa nimi
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Jäta ei saa kohaldada / tühistatud enne {0}, sest puhkuse tasakaal on juba carry-edastas tulevikus puhkuse jaotamise rekord {1}"
DocType: Activity Cost,Costing Rate,Ületaksid
-,Customer Addresses And Contacts,Kliendi aadressid ja kontaktid
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Kliendi aadressid ja kontaktid
,Campaign Efficiency,kampaania Efficiency
DocType: Discussion,Discussion,arutelu
DocType: Payment Entry,Transaction ID,tehing ID
@@ -1905,14 +1919,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Arve summa (via Time Sheet)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Korrake Kliendi tulu
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) peab olema roll kulul Approver "
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Paar
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Vali Bom ja Kogus Production
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Paar
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Vali Bom ja Kogus Production
DocType: Asset,Depreciation Schedule,amortiseerumise kava
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Müük Partner aadressid ja kontaktandmed
DocType: Bank Reconciliation Detail,Against Account,Vastu konto
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Pool päeva kuupäev peab olema vahemikus From kuupäev ja To Date
DocType: Maintenance Schedule Detail,Actual Date,Tegelik kuupäev
DocType: Item,Has Batch No,Kas Partii ei
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Iga-aastane Arved: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Iga-aastane Arved: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Kaupade ja teenuste maksu (GST India)
DocType: Delivery Note,Excise Page Number,Aktsiisi Page Number
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory",Firma From kuupäev ning praegu on kohustuslik
DocType: Asset,Purchase Date,Ostu kuupäev
@@ -1920,11 +1936,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Palun määra "Vara amortisatsioonikulu Center" Company {0}
,Maintenance Schedules,Hooldusgraafikud
DocType: Task,Actual End Date (via Time Sheet),Tegelik End Date (via Time Sheet)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Summa {0} {1} vastu {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Summa {0} {1} vastu {2} {3}
,Quotation Trends,Tsitaat Trends
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Punkt Group mainimata punktis kapteni kirje {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Kanne konto peab olema võlgnevus konto
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Punkt Group mainimata punktis kapteni kirje {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Kanne konto peab olema võlgnevus konto
DocType: Shipping Rule Condition,Shipping Amount,Kohaletoimetamine summa
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Lisa Kliendid
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Kuni Summa
DocType: Purchase Invoice Item,Conversion Factor,Tulemus Factor
DocType: Purchase Order,Delivered,Tarnitakse
@@ -1934,7 +1951,8 @@
DocType: Purchase Receipt,Vehicle Number,Sõidukite arv
DocType: Purchase Invoice,The date on which recurring invoice will be stop,"Kuupäev, mil korduv arve lõpetada"
DocType: Employee Loan,Loan Amount,Laenusumma
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Materjaliandmik ei leitud Eseme {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Isesõitva Sõiduki
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Materjaliandmik ei leitud Eseme {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Kokku eraldatakse lehed {0} ei saa olla väiksem kui juba heaks lehed {1} perioodiks
DocType: Journal Entry,Accounts Receivable,Arved
,Supplier-Wise Sales Analytics,Tarnija tark Sales Analytics
@@ -1951,21 +1969,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Kuluhüvitussüsteeme kinnituse ootel. Ainult Kulu Approver saab uuendada staatus.
DocType: Email Digest,New Expenses,uus kulud
DocType: Purchase Invoice,Additional Discount Amount,Täiendav Allahindluse summa
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Rida # {0}: Kogus peab olema 1, kui objekt on põhivarana. Palun kasutage eraldi rida mitu tk."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Rida # {0}: Kogus peab olema 1, kui objekt on põhivarana. Palun kasutage eraldi rida mitu tk."
DocType: Leave Block List Allow,Leave Block List Allow,Jäta Block loetelu Laske
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Lühend ei saa olla tühi või ruumi
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Lühend ei saa olla tühi või ruumi
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Grupi Non-Group
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Spordi-
DocType: Loan Type,Loan Name,laenu Nimi
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Kokku Tegelik
DocType: Student Siblings,Student Siblings,Student Õed
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Ühik
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,Palun täpsustage Company
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Ühik
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Palun täpsustage Company
,Customer Acquisition and Loyalty,Klientide võitmiseks ja lojaalsus
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Ladu, kus hoiad varu tagasi teemad"
DocType: Production Order,Skip Material Transfer,Otse Materjal Transfer
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Ei leia Vahetuskurss {0} kuni {1} peamiste kuupäeva {2}. Looge Valuutavahetus rekord käsitsi
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Teie majandusaasta lõpeb
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Ei leia Vahetuskurss {0} kuni {1} peamiste kuupäeva {2}. Looge Valuutavahetus rekord käsitsi
DocType: POS Profile,Price List,Hinnakiri
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} on nüüd vaikimisi eelarveaastal. Palun värskendage brauserit muudatuse jõustumist.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Kuluaruanded
@@ -1978,14 +1995,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock tasakaalu Partii {0} halveneb {1} jaoks Punkt {2} lattu {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Pärast Material taotlused on tõstatatud automaatselt vastavalt objekti ümber korraldada tasemel
DocType: Email Digest,Pending Sales Orders,Kuni müügitellimuste
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Konto {0} on kehtetu. Konto Valuuta peab olema {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Konto {0} on kehtetu. Konto Valuuta peab olema {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM Ümberarvutustegur on vaja järjest {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Rida # {0}: Reference Document Type peab olema üks Sales Order, müügiarve või päevikusissekanne"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Rida # {0}: Reference Document Type peab olema üks Sales Order, müügiarve või päevikusissekanne"
DocType: Salary Component,Deduction,Kinnipeetav
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Rida {0}: From ajal ja aeg on kohustuslik.
DocType: Stock Reconciliation Item,Amount Difference,summa vahe
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Toode Hind lisatud {0} Hinnakirjas {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Toode Hind lisatud {0} Hinnakirjas {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Palun sisestage Töötaja Id selle müügi isik
DocType: Territory,Classification of Customers by region,Klientide liigitamine piirkonniti
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Erinevus summa peab olema null
@@ -1997,21 +2014,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Kokku mahaarvamine
,Production Analytics,tootmise Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Kulude Uuendatud
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Kulude Uuendatud
DocType: Employee,Date of Birth,Sünniaeg
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Punkt {0} on juba tagasi
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Punkt {0} on juba tagasi
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Fiscal Year ** esindab majandusaastal. Kõik raamatupidamiskanded ja teiste suuremate tehingute jälgitakse vastu ** Fiscal Year **.
DocType: Opportunity,Customer / Lead Address,Klienditeenindus / Plii Aadress
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Hoiatus: Vigane SSL sertifikaat kinnitus {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Hoiatus: Vigane SSL sertifikaat kinnitus {0}
DocType: Student Admission,Eligibility,kõlblikkus
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Testrijuhtmed aitavad teil äri, lisada kõik oma kontaktid ja rohkem kui oma viib"
DocType: Production Order Operation,Actual Operation Time,Tegelik tööaeg
DocType: Authorization Rule,Applicable To (User),Suhtes kohaldatava (Kasutaja)
DocType: Purchase Taxes and Charges,Deduct,Maha arvama
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Töö kirjeldus
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Töö kirjeldus
DocType: Student Applicant,Applied,rakendatud
DocType: Sales Invoice Item,Qty as per Stock UOM,Kogus ühe Stock UOM
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2 Nimi
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 Nimi
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Erimärkide välja "-", "#", "." ja "/" ei tohi nimetades seeria"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Jälgi müügikampaaniad. Jälgi Leads, tsitaadid, Sales Order etc Kampaaniad hinnata investeeringult saadavat tulu."
DocType: Expense Claim,Approver,Heakskiitja
@@ -2022,7 +2039,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial No {0} on garantii upto {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Split saateleht pakendites.
apps/erpnext/erpnext/hooks.py +87,Shipments,Saadetised
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Kontojääkide ({0}) jaoks {1} ja stock väärtus ({2}) ladu {3} peab olema sama
DocType: Payment Entry,Total Allocated Amount (Company Currency),Eraldati kokku (firma Valuuta)
DocType: Purchase Order Item,To be delivered to customer,Et toimetatakse kliendile
DocType: BOM,Scrap Material Cost,Vanametalli materjali kulu
@@ -2030,20 +2046,21 @@
DocType: Purchase Invoice,In Words (Company Currency),Sõnades (firma Valuuta)
DocType: Asset,Supplier,Tarnija
DocType: C-Form,Quarter,Kvartal
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Muud kulud
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Muud kulud
DocType: Global Defaults,Default Company,Vaikimisi Company
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Kulu või Difference konto on kohustuslik Punkt {0}, kuna see mõjutab üldist laos väärtus"
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Kulu või Difference konto on kohustuslik Punkt {0}, kuna see mõjutab üldist laos väärtus"
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Panga nimi
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Above
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Above
DocType: Employee Loan,Employee Loan Account,Töötaja Laenu konto
DocType: Leave Application,Total Leave Days,Kokku puhkusepäevade
DocType: Email Digest,Note: Email will not be sent to disabled users,Märkus: Email ei saadeta puuetega inimestele
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Arv koostoime
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kood> Punkt Group> Brand
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Valige ettevõtte ...
DocType: Leave Control Panel,Leave blank if considered for all departments,"Jäta tühjaks, kui arvestada kõik osakonnad"
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Tüübid tööhõive (püsiv, leping, intern jne)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} on kohustuslik Punkt {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} on kohustuslik Punkt {1}
DocType: Process Payroll,Fortnightly,iga kahe nädala tagant
DocType: Currency Exchange,From Currency,Siit Valuuta
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Palun valige eraldatud summa, arve liik ja arve number atleast üks rida"
@@ -2065,7 +2082,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,Palun kliki "Loo Ajakava" saada ajakava
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Vigu kustutamise ajal järgmise skeemi:
DocType: Bin,Ordered Quantity,Tellitud Kogus
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",nt "Ehita vahendid ehitajad"
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",nt "Ehita vahendid ehitajad"
DocType: Grading Scale,Grading Scale Intervals,Hindamisskaala Intervallid
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Raamatupidamine kirjet {2} saab teha ainult valuuta: {3}
DocType: Production Order,In Process,Teoksil olev
@@ -2079,12 +2096,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Üliõpilasgrupid loodud.
DocType: Sales Invoice,Total Billing Amount,Arve summa
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Peab olema vaikimisi sissetuleva e-posti konto võimaldas see toimiks. Palun setup vaikimisi sissetuleva e-posti konto (POP / IMAP) ja proovige uuesti.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Nõue konto
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Rida # {0}: Asset {1} on juba {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Nõue konto
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Rida # {0}: Asset {1} on juba {2}
DocType: Quotation Item,Stock Balance,Stock Balance
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Sales Order maksmine
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Määrake nimetamine Series {0} Setup> Seaded> nimetamine Series
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,tegevdirektor
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,tegevdirektor
DocType: Expense Claim Detail,Expense Claim Detail,Kuluhüvitussüsteeme Detail
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Palun valige õige konto
DocType: Item,Weight UOM,Kaal UOM
@@ -2093,12 +2109,12 @@
DocType: Production Order Operation,Pending,Pooleliolev
DocType: Course,Course Name,Kursuse nimi
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,"Kasutajad, kes saab kinnitada konkreetse töötaja puhkuse rakendused"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Büroo seadmed
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Büroo seadmed
DocType: Purchase Invoice Item,Qty,Kogus
DocType: Fiscal Year,Companies,Ettevõtted
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Elektroonika
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,"Tõsta materjal taotlus, kui aktsia jõuab uuesti, et tase"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Täiskohaga
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Täiskohaga
DocType: Salary Structure,Employees,Töötajad
DocType: Employee,Contact Details,Kontaktandmed
DocType: C-Form,Received Date,Vastatud kuupäev
@@ -2108,7 +2124,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Hinnad ei näidata, kui hinnakiri ei ole valitud"
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Palun täpsustage riik seda kohaletoimetamine eeskirja või vaadake Worldwide Shipping
DocType: Stock Entry,Total Incoming Value,Kokku Saabuva Value
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Kanne on vajalik
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Kanne on vajalik
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets aitab jälgida aega, kulusid ja arveldamise aja veetmiseks teha oma meeskonda"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Ostu hinnakiri
DocType: Offer Letter Term,Offer Term,Tähtajaline
@@ -2117,17 +2133,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Makse leppimise
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,Palun valige incharge isiku nimi
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Tehnoloogia
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Kokku Palgata: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Kokku Palgata: {0}
DocType: BOM Website Operation,BOM Website Operation,Bom Koduleht operatsiooni
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Paku kiri
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Loo Material taotlused (MRP) ja Tootmistellimused.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Kokku arve Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Kokku arve Amt
DocType: BOM,Conversion Rate,tulosmuuntokertoimella
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Tooteotsing
DocType: Timesheet Detail,To Time,Et aeg
DocType: Authorization Rule,Approving Role (above authorized value),Kinnitamine roll (üle lubatud väärtuse)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Krediidi konto peab olema tasulised konto
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},Bom recursion: {0} ei saa olla vanem või laps {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Krediidi konto peab olema tasulised konto
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},Bom recursion: {0} ei saa olla vanem või laps {2}
DocType: Production Order Operation,Completed Qty,Valminud Kogus
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Sest {0}, ainult deebetkontode võib olla seotud teise vastu kreeditlausend"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Hinnakiri {0} on keelatud
@@ -2138,28 +2154,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} seerianumbrid vajalik Eseme {1}. Sa andsid {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Praegune Hindamine Rate
DocType: Item,Customer Item Codes,Kliendi Punkt Koodid
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Exchange kasum / kahjum
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange kasum / kahjum
DocType: Opportunity,Lost Reason,Kaotatud Reason
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,New Address
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,New Address
DocType: Quality Inspection,Sample Size,Valimi suurus
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Palun sisesta laekumine Dokumendi
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Kõik esemed on juba arve
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Kõik esemed on juba arve
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',Palun täpsustage kehtiv "From Juhtum nr"
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,"Lisaks kuluallikad on võimalik teha rühma all, kuid kanded saab teha peale mitte-Groups"
DocType: Project,External,Väline
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Kasutajad ja reeglid
DocType: Vehicle Log,VLOG.,Videoblogi.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Tootmistellimused Loodud: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Tootmistellimused Loodud: {0}
DocType: Branch,Branch,Oks
DocType: Guardian,Mobile Number,Mobiili number
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Trükkimine ja Branding
DocType: Bin,Actual Quantity,Tegelik Kogus
DocType: Shipping Rule,example: Next Day Shipping,Näiteks: Järgmine päev kohaletoimetamine
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} ei leitud
-DocType: Scheduling Tool,Student Batch,Student Partii
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Sinu kliendid
+DocType: Program Enrollment,Student Batch,Student Partii
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Tee Student
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Sind on kutsutud koostööd projekti: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Sind on kutsutud koostööd projekti: {0}
DocType: Leave Block List Date,Block Date,Block kuupäev
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Rakendatakse kohe
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Tegelik Kogus {0} / Ooteaeg Kogus {1}
@@ -2168,7 +2183,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Luua ja hallata päeva, nädala ja kuu email digests."
DocType: Appraisal Goal,Appraisal Goal,Hinnang Goal
DocType: Stock Reconciliation Item,Current Amount,Praegune summa
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,ehitised
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,ehitised
DocType: Fee Structure,Fee Structure,Fee struktuur
DocType: Timesheet Detail,Costing Amount,Mis maksavad summa
DocType: Student Admission,Application Fee,Application Fee
@@ -2180,10 +2195,10 @@
DocType: POS Profile,[Select],[Vali]
DocType: SMS Log,Sent To,Saadetud
DocType: Payment Request,Make Sales Invoice,Tee müügiarve
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,tarkvara
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,tarkvara
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Järgmine Kontakt kuupäev ei saa olla minevikus
DocType: Company,For Reference Only.,Üksnes võrdluseks.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Valige Partii nr
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Valige Partii nr
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Vale {0} {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,Advance summa
@@ -2193,15 +2208,15 @@
DocType: Employee,Employment Details,Tööhõive Üksikasjad
DocType: Employee,New Workplace,New Töökoht
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Pane suletud
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},No Punkt Triipkood {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},No Punkt Triipkood {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Juhtum nr saa olla 0
DocType: Item,Show a slideshow at the top of the page,Näita slaidiseansi ülaosas lehele
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Kauplused
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Kauplused
DocType: Serial No,Delivery Time,Tarne aeg
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Vananemine Põhineb
DocType: Item,End of Life,End of Life
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Reisimine
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Reisimine
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Ei aktiivne või vaikimisi Palgastruktuur leitud töötaja {0} jaoks antud kuupäeva
DocType: Leave Block List,Allow Users,Luba kasutajatel
DocType: Purchase Order,Customer Mobile No,Kliendi Mobiilne pole
@@ -2210,29 +2225,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Värskenda Cost
DocType: Item Reorder,Item Reorder,Punkt Reorder
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Näita palgatõend
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Transfer Materjal
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Transfer Materjal
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",Määrake tegevuse töökulud ja annab ainulaadse operatsiooni ei oma tegevuse.
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,See dokument on üle piiri {0} {1} artiklijärgse {4}. Kas tegemist teise {3} samade {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Palun määra korduvate pärast salvestamist
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Vali muutus summa kontole
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,See dokument on üle piiri {0} {1} artiklijärgse {4}. Kas tegemist teise {3} samade {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Palun määra korduvate pärast salvestamist
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Vali muutus summa kontole
DocType: Purchase Invoice,Price List Currency,Hinnakiri Valuuta
DocType: Naming Series,User must always select,Kasutaja peab alati valida
DocType: Stock Settings,Allow Negative Stock,Laske Negatiivne Stock
DocType: Installation Note,Installation Note,Paigaldamine Märkus
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Lisa maksud
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Lisa maksud
DocType: Topic,Topic,teema
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Finantseerimistegevuse rahavoost
DocType: Budget Account,Budget Account,Eelarve konto
DocType: Quality Inspection,Verified By,Kontrollitud
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Ei saa muuta ettevõtte default valuutat, sest seal on olemasolevate tehingud. Tehingud tuleb tühistada muuta default valuutat."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Ei saa muuta ettevõtte default valuutat, sest seal on olemasolevate tehingud. Tehingud tuleb tühistada muuta default valuutat."
DocType: Grading Scale Interval,Grade Description,Hinne kirjeldus
DocType: Stock Entry,Purchase Receipt No,Ostutšekk pole
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Käsiraha
DocType: Process Payroll,Create Salary Slip,Loo palgatõend
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Jälgitavus
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Vahendite allika (Kohustused)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Kogus järjest {0} ({1}) peab olema sama, mida toodetakse kogus {2}"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Vahendite allika (Kohustused)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Kogus järjest {0} ({1}) peab olema sama, mida toodetakse kogus {2}"
DocType: Appraisal,Employee,Töötaja
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Valige Partii
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} on täielikult arve
DocType: Training Event,End Time,End Time
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktiivne Palgastruktuur {0} leitud töötaja {1} jaoks antud kuupäevad
@@ -2244,11 +2260,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Nõutav
DocType: Rename Tool,File to Rename,Fail Nimeta ümber
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Palun valige Bom Punkt reas {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Määratletud Bom {0} ei eksisteeri Punkt {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Kontole {0} ei ühti Firma {1} režiimis Ülekanderublade: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Määratletud Bom {0} ei eksisteeri Punkt {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Hoolduskava {0} tuleb tühistada enne tühistades selle Sales Order
DocType: Notification Control,Expense Claim Approved,Kuluhüvitussüsteeme Kinnitatud
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Palgatõend töötaja {0} on juba loodud selleks perioodiks
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Pharmaceutical
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Pharmaceutical
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Kulud ostetud esemed
DocType: Selling Settings,Sales Order Required,Sales Order Nõutav
DocType: Purchase Invoice,Credit To,Krediidi
@@ -2265,42 +2282,42 @@
DocType: Payment Gateway Account,Payment Account,Maksekonto
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,Palun täpsustage Company edasi
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Net muutus Arved
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Tasandusintress Off
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Tasandusintress Off
DocType: Offer Letter,Accepted,Lubatud
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,organisatsioon
DocType: SG Creation Tool Course,Student Group Name,Student Grupi nimi
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Palun veendu, et sa tõesti tahad kustutada kõik tehingud selle firma. Teie kapten andmed jäävad, nagu see on. Seda toimingut ei saa tagasi võtta."
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Palun veendu, et sa tõesti tahad kustutada kõik tehingud selle firma. Teie kapten andmed jäävad, nagu see on. Seda toimingut ei saa tagasi võtta."
DocType: Room,Room Number,Toa number
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Vale viite {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ei saa olla suurem kui planeeritud quanitity ({2}) in Production Tellimus {3}
DocType: Shipping Rule,Shipping Rule Label,Kohaletoimetamine Reegel Label
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Kasutaja Foorum
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Tooraine ei saa olla tühi.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Ei uuendada laos, arve sisaldab tilk laevandus objekt."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Tooraine ei saa olla tühi.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Ei uuendada laos, arve sisaldab tilk laevandus objekt."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Quick päevikusissekanne
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,Sa ei saa muuta kiirust kui Bom mainitud agianst tahes kirje
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,Sa ei saa muuta kiirust kui Bom mainitud agianst tahes kirje
DocType: Employee,Previous Work Experience,Eelnev töökogemus
DocType: Stock Entry,For Quantity,Sest Kogus
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Palun sisestage Planeeritud Kogus jaoks Punkt {0} real {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} ei ole esitatud
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Taotlused esemeid.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Eraldi tootmise Selleks luuakse iga valmistoote hea objekt.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} peab olema negatiivne vastutasuks dokumendi
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} peab olema negatiivne vastutasuks dokumendi
,Minutes to First Response for Issues,Protokoll First Response küsimustes
DocType: Purchase Invoice,Terms and Conditions1,Tingimused ja tingimuste kohta1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,"Nimi instituut, mida te Selle süsteemi rajamisel."
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,"Nimi instituut, mida te Selle süsteemi rajamisel."
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Raamatupidamise kirje külmutatud kuni see kuupäev, keegi ei saa / muuda kande arvatud rolli allpool."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,Palun dokumendi salvestada enne teeniva hooldusgraafiku
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Projekti staatus
DocType: UOM,Check this to disallow fractions. (for Nos),Vaata seda keelata fraktsioonid. (NOS)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Järgmised Tootmistellimused loodi:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Järgmised Tootmistellimused loodi:
DocType: Student Admission,Naming Series (for Student Applicant),Nimetamine seeria (Student taotleja)
DocType: Delivery Note,Transporter Name,Vedaja Nimi
DocType: Authorization Rule,Authorized Value,Lubatud Value
DocType: BOM,Show Operations,Näita Operations
,Minutes to First Response for Opportunity,Protokoll First Response Opportunity
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Kokku Puudub
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Punkt või lattu järjest {0} ei sobi Material taotlus
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Punkt või lattu järjest {0} ei sobi Material taotlus
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Mõõtühik
DocType: Fiscal Year,Year End Date,Aasta lõpp kuupäev
DocType: Task Depends On,Task Depends On,Task sõltub
@@ -2379,11 +2396,11 @@
DocType: Asset,Manual,käsiraamat
DocType: Salary Component Account,Salary Component Account,Palk Component konto
DocType: Global Defaults,Hide Currency Symbol,Peida Valuuta Sümbol
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","nt Bank, Raha, Krediitkaart"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","nt Bank, Raha, Krediitkaart"
DocType: Lead Source,Source Name,Allikas Nimi
DocType: Journal Entry,Credit Note,Kreeditaviis
DocType: Warranty Claim,Service Address,Teenindus Aadress
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Mööbel ja lambid
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Mööbel ja lambid
DocType: Item,Manufacture,Tootmine
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Palun saateleht esimene
DocType: Student Applicant,Application Date,Esitamise kuupäev
@@ -2393,7 +2410,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Kliirens kuupäev ei ole nimetatud
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Toodang
DocType: Guardian,Occupation,okupatsioon
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Palun setup Töötaja nimesüsteemile Human Resource> HR Seaded
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Row {0}: Start Date tuleb enne End Date
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Kokku (tk)
DocType: Sales Invoice,This Document,See dokument
@@ -2405,19 +2421,19 @@
DocType: Purchase Receipt,Time at which materials were received,"Aeg, mil materjale ei laekunud"
DocType: Stock Ledger Entry,Outgoing Rate,Väljuv Rate
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organisatsiooni haru meister.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,või
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,või
DocType: Sales Order,Billing Status,Arved staatus
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Teata probleemist
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Utility kulud
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Utility kulud
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-Above
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Rida # {0}: päevikusissekanne {1} ei ole arvesse {2} või juba võrreldakse teise kviitungi
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Rida # {0}: päevikusissekanne {1} ei ole arvesse {2} või juba võrreldakse teise kviitungi
DocType: Buying Settings,Default Buying Price List,Vaikimisi ostmine hinnakiri
DocType: Process Payroll,Salary Slip Based on Timesheet,Palgatõend põhjal Töögraafik
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Ükski töötaja eespool valitud kriteeriumid või palgatõend juba loodud
DocType: Notification Control,Sales Order Message,Sales Order Message
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Vaikeväärtuste nagu firma, valuuta, jooksval majandusaastal jms"
DocType: Payment Entry,Payment Type,Makse tüüp
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Palun valige partii Oksjoni {0}. Ei leia ühe partii, mis vastab sellele nõudele"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Palun valige partii Oksjoni {0}. Ei leia ühe partii, mis vastab sellele nõudele"
DocType: Process Payroll,Select Employees,Vali Töötajad
DocType: Opportunity,Potential Sales Deal,Potentsiaalne Sales Deal
DocType: Payment Entry,Cheque/Reference Date,Tšekk / Reference kuupäev
@@ -2437,7 +2453,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Laekumine dokument tuleb esitada
DocType: Purchase Invoice Item,Received Qty,Vastatud Kogus
DocType: Stock Entry Detail,Serial No / Batch,Serial No / Partii
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Mitte Paide ja ei ole esitanud
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Mitte Paide ja ei ole esitanud
DocType: Product Bundle,Parent Item,Eellaselement
DocType: Account,Account Type,Konto tüüp
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2451,24 +2467,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),Identifitseerimine pakett sünnitust (trüki)
DocType: Bin,Reserved Quantity,Reserveeritud Kogus
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Sisestage kehtiv e-posti aadress
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Ei ole kohustuslik muidugi programmi {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Ostutšekk Esemed
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Kohandamine vormid
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,arrear
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,arrear
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Põhivara summa perioodil
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Puudega template ei tohi olla vaikemalliga
DocType: Account,Income Account,Tulukonto
DocType: Payment Request,Amount in customer's currency,Summa kliendi valuuta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Tarne
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Tarne
DocType: Stock Reconciliation Item,Current Qty,Praegune Kogus
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",Vt "määr materjalide põhjal" on kuluarvestus jaos
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Eelmine
DocType: Appraisal Goal,Key Responsibility Area,Key Vastutus Area
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Student Partiidele aitab teil jälgida käimist, hinnanguid ja tasude õpilased"
DocType: Payment Entry,Total Allocated Amount,Eraldati kokku
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Määra vaikimisi laoseisu konto jooksva inventuuri
DocType: Item Reorder,Material Request Type,Materjal Hankelepingu liik
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural päevikusissekanne palgad alates {0} kuni {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage on täis, ei päästa"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage on täis, ei päästa"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Conversion Factor on kohustuslik
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Ref
DocType: Budget,Cost Center,Cost Center
@@ -2481,19 +2497,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Hinnakujundus Reegel on tehtud üle kirjutada Hinnakiri / defineerida allahindlus protsent, mis põhineb mõned kriteeriumid."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Ladu saab muuta ainult läbi Stock Entry / saateleht / ostutšekk
DocType: Employee Education,Class / Percentage,Klass / protsent
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Head of Marketing ja müük
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Tulumaksuseaduse
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Head of Marketing ja müük
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Tulumaksuseaduse
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Kui valitud Hinnakujundus Reegel on tehtud "Hind", siis kirjutatakse hinnakiri. Hinnakujundus Reegel hind on lõpphind, et enam allahindlust tuleks kohaldada. Seega tehingutes nagu Sales Order, Ostutellimuse jne, siis on see tõmmatud "Rate" valdkonnas, mitte "Hinnakirja Rate väljale."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Rada viib Tööstuse tüüp.
DocType: Item Supplier,Item Supplier,Punkt Tarnija
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,Palun sisestage Kood saada partii ei
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},Palun valige väärtust {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,Palun sisestage Kood saada partii ei
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Palun valige väärtust {0} quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Kõik aadressid.
DocType: Company,Stock Settings,Stock Seaded
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Ühendamine on võimalik ainult siis, kui järgmised omadused on samad nii arvestust. Kas nimel, Root tüüp, Firmade"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Ühendamine on võimalik ainult siis, kui järgmised omadused on samad nii arvestust. Kas nimel, Root tüüp, Firmade"
DocType: Vehicle,Electric,elektriline
DocType: Task,% Progress,% Progress
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Kasum / kahjum on varade realiseerimine
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Kasum / kahjum on varade realiseerimine
DocType: Training Event,Will send an email about the event to employees with status 'Open',Saadab talle umbes sündmuse töötajatele staatuse "avatud"
DocType: Task,Depends on Tasks,Oleneb Ülesanded
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Hallata klientide Group Tree.
@@ -2502,7 +2518,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,New Cost Center nimi
DocType: Leave Control Panel,Leave Control Panel,Jäta Control Panel
DocType: Project,Task Completion,ülesande täitmiseks
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Ei ole laos
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Ei ole laos
DocType: Appraisal,HR User,HR Kasutaja
DocType: Purchase Invoice,Taxes and Charges Deducted,Maksude ja tasude maha
apps/erpnext/erpnext/hooks.py +116,Issues,Issues
@@ -2513,22 +2529,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Ei palgatõend vahel leiti {0} ja {1}
,Pending SO Items For Purchase Request,Kuni SO Kirjed osta taotlusel
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Student Sisseastujale
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} on keelatud
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} on keelatud
DocType: Supplier,Billing Currency,Arved Valuuta
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Väga suur
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Väga suur
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Kokku Lehed
,Profit and Loss Statement,Kasumiaruanne
DocType: Bank Reconciliation Detail,Cheque Number,Tšekk arv
,Sales Browser,Müük Browser
DocType: Journal Entry,Total Credit,Kokku Credit
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Hoiatus: Teine {0} # {1} on olemas vastu laos kirje {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Kohalik
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Kohalik
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Laenud ja ettemaksed (vara)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Võlgnikud
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Suur
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Suur
DocType: Homepage Featured Product,Homepage Featured Product,Kodulehekülg Valitud toode
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Kõik hindamine Groups
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Kõik hindamine Groups
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Uus Warehouse Nimi
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Kokku {0} ({1})
DocType: C-Form Invoice Detail,Territory,Territoorium
@@ -2538,12 +2554,12 @@
DocType: Production Order Operation,Planned Start Time,Planeeritud Start Time
DocType: Course,Assessment,Hindamine
DocType: Payment Entry Reference,Allocated,paigutatud
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Sulge Bilanss ja raamatu kasum või kahjum.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Sulge Bilanss ja raamatu kasum või kahjum.
DocType: Student Applicant,Application Status,Application staatus
DocType: Fees,Fees,Tasud
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Täpsustada Vahetuskurss vahetada üks valuuta teise
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Tsitaat {0} on tühistatud
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Tasumata kogusumma
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Tasumata kogusumma
DocType: Sales Partner,Targets,Eesmärgid
DocType: Price List,Price List Master,Hinnakiri Master
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Kõik müügitehingud saab kodeeritud vastu mitu ** Sales Isikud ** nii et saate määrata ja jälgida eesmärgid.
@@ -2575,11 +2591,11 @@
1. Address and Contact of your Company.","Tüüptingimused, mida saab lisada ost ja müük. Näited: 1. kehtivus pakkumisi. 1. Maksetingimused (ette, krediidi osa eelnevalt jne). 1. Mis on ekstra (või mida klient maksab). 1. Safety / kasutamise hoiatus. 1. Garantii kui tahes. 1. Annab Policy. 1. Tingimused shipping vajaduse korral. 1. viise, kuidas lahendada vaidlusi, hüvitis, vastutus jms 1. Aadress ja Kontakt firma."
DocType: Attendance,Leave Type,Jäta Type
DocType: Purchase Invoice,Supplier Invoice Details,Pakkuja Arve andmed
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Kulu / Difference konto ({0}) peab olema "kasum või kahjum" kontole
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Kulu / Difference konto ({0}) peab olema "kasum või kahjum" kontole
DocType: Project,Copied From,kopeeritud
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Nimi viga: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,Puudus
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} ei seostatud {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} ei seostatud {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Osalemine töötajate {0} on juba märgitud
DocType: Packing Slip,If more than one package of the same type (for print),Kui rohkem kui üks pakett on sama tüüpi (trüki)
,Salary Register,palk Registreeri
@@ -2597,22 +2613,23 @@
,Requested Qty,Taotletud Kogus
DocType: Tax Rule,Use for Shopping Cart,Kasutage Ostukorv
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Väärtus {0} jaoks Oskus {1} ei eksisteeri nimekirja kehtib atribuut väärtused Punkt {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Valige seerianumbreid
DocType: BOM Item,Scrap %,Vanametalli%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Maksud jagatakse proportsionaalselt aluseks on elemendi Kogus või summa, ühe oma valikut"
DocType: Maintenance Visit,Purposes,Eesmärgid
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Atleast üks element peab olema kantud negatiivse koguse vastutasuks dokument
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Atleast üks element peab olema kantud negatiivse koguse vastutasuks dokument
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operation {0} kauem kui ükski saadaval töötundide tööjaama {1}, murda operatsiooni mitmeks toimingud"
,Requested,Taotletud
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,No Märkused
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,No Märkused
DocType: Purchase Invoice,Overdue,Tähtajaks tasumata
DocType: Account,Stock Received But Not Billed,"Stock kätte saanud, kuid ei maksustata"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Juur tuleb arvesse rühm
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Juur tuleb arvesse rühm
DocType: Fees,FEE.,Tasu.
DocType: Employee Loan,Repaid/Closed,Tagastatud / Suletud
DocType: Item,Total Projected Qty,Kokku prognoositakse Kogus
DocType: Monthly Distribution,Distribution Name,Distribution nimi
DocType: Course,Course Code,Kursuse kood
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Kvaliteedi kontroll on vajalikud Punkt {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Kvaliteedi kontroll on vajalikud Punkt {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Hinda kus kliendi valuuta konverteeritakse ettevõtte baasvaluuta
DocType: Purchase Invoice Item,Net Rate (Company Currency),Net Rate (firma Valuuta)
DocType: Salary Detail,Condition and Formula Help,Seisund ja Vormel Abi
@@ -2625,27 +2642,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Material Transfer tootmine
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Soodus protsent võib rakendada kas vastu Hinnakiri või kõigi hinnakiri.
DocType: Purchase Invoice,Half-yearly,Poolaasta-
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Raamatupidamine kirjet Stock
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Raamatupidamine kirjet Stock
DocType: Vehicle Service,Engine Oil,mootoriõli
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Palun setup Töötaja nimesüsteemile Human Resource> HR Seaded
DocType: Sales Invoice,Sales Team1,Müük Team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Punkt {0} ei ole olemas
DocType: Sales Invoice,Customer Address,Kliendi aadress
DocType: Employee Loan,Loan Details,laenu detailid
+DocType: Company,Default Inventory Account,Vaikimisi Inventory konto
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Rida {0}: Teostatud Kogus peab olema suurem kui null.
DocType: Purchase Invoice,Apply Additional Discount On,Rakendada täiendavaid soodustust
DocType: Account,Root Type,Juur Type
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Ei saa tagastada rohkem kui {1} jaoks Punkt {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Ei saa tagastada rohkem kui {1} jaoks Punkt {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Maatükk
DocType: Item Group,Show this slideshow at the top of the page,Näita seda slideshow ülaosas lehele
DocType: BOM,Item UOM,Punkt UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Maksusumma Pärast Allahindluse summa (firma Valuuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Target lattu on kohustuslik rida {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Target lattu on kohustuslik rida {0}
DocType: Cheque Print Template,Primary Settings,esmane seaded
DocType: Purchase Invoice,Select Supplier Address,Vali Tarnija Aadress
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Lisa Töötajad
DocType: Purchase Invoice Item,Quality Inspection,Kvaliteedi kontroll
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Mikroskoopilises
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Mikroskoopilises
DocType: Company,Standard Template,standard Template
DocType: Training Event,Theory,teooria
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Hoiatus: Materjal Taotletud Kogus alla Tellimuse Miinimum Kogus
@@ -2653,7 +2672,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Juriidilise isiku / tütarettevõtte eraldi kontoplaani kuuluv organisatsioon.
DocType: Payment Request,Mute Email,Mute Email
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Toit, jook ja tubakas"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Kas ainult tasuda vastu unbilled {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Kas ainult tasuda vastu unbilled {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Komisjoni määr ei või olla suurem kui 100
DocType: Stock Entry,Subcontract,Alltöövõtuleping
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Palun sisestage {0} Esimene
@@ -2666,18 +2685,18 @@
DocType: SMS Log,No of Sent SMS,No saadetud SMS
DocType: Account,Expense Account,Ärikohtumisteks
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Tarkvara
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Värv
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Värv
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Hindamise kava kriteeriumid
DocType: Training Event,Scheduled,Plaanitud
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Hinnapäring.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Palun valige Punkt, kus "Kas Stock Punkt" on "Ei" ja "Kas Sales Punkt" on "jah" ja ei ole muud Toote Bundle"
DocType: Student Log,Academic,Akadeemiline
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Kokku eelnevalt ({0}) vastu Order {1} ei saa olla suurem kui Grand Kokku ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Kokku eelnevalt ({0}) vastu Order {1} ei saa olla suurem kui Grand Kokku ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Vali Kuu jaotamine ebaühtlaselt jaotada eesmärkide üle kuu.
DocType: Purchase Invoice Item,Valuation Rate,Hindamine Rate
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,diisel
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Hinnakiri Valuuta ole valitud
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Hinnakiri Valuuta ole valitud
,Student Monthly Attendance Sheet,Student Kuu osavõtt Sheet
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Töötaja {0} on juba taotlenud {1} vahel {2} ja {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Projekti alguskuupäev
@@ -2689,7 +2708,7 @@
DocType: BOM,Scrap,vanametall
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Manage Sales Partners.
DocType: Quality Inspection,Inspection Type,Ülevaatus Type
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Laod olemasolevate tehing ei ole ümber rühmitada.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Laod olemasolevate tehing ei ole ümber rühmitada.
DocType: Assessment Result Tool,Result HTML,tulemus HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Aegub
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Lisa Õpilased
@@ -2697,13 +2716,13 @@
DocType: C-Form,C-Form No,C-vorm pole
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,Märkimata osavõtt
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Teadur
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Teadur
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Programm Registreerimine Tool Student
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Nimi või e on kohustuslik
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Saabuva kvaliteedi kontrolli.
DocType: Purchase Order Item,Returned Qty,Tagastatud Kogus
DocType: Employee,Exit,Väljapääs
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Juur Type on kohustuslik
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Juur Type on kohustuslik
DocType: BOM,Total Cost(Company Currency),Kogumaksumus (firma Valuuta)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serial No {0} loodud
DocType: Homepage,Company Description for website homepage,Firma kirjeldus veebisaidi avalehel
@@ -2712,7 +2731,7 @@
DocType: Sales Invoice,Time Sheet List,Aeg leheloend
DocType: Employee,You can enter any date manually,Saate sisestada mis tahes kuupäeva käsitsi
DocType: Asset Category Account,Depreciation Expense Account,Amortisatsioonikulu konto
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Katseaeg
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Katseaeg
DocType: Customer Group,Only leaf nodes are allowed in transaction,Ainult tipud on lubatud tehingut
DocType: Expense Claim,Expense Approver,Kulu Approver
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Row {0}: Advance vastu Klient peab olema krediidi
@@ -2725,10 +2744,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Muidugi Graafikud välja:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Logid säilitamiseks sms tarneseisust
DocType: Accounts Settings,Make Payment via Journal Entry,Tee makse kaudu päevikusissekanne
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,trükitud
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,trükitud
DocType: Item,Inspection Required before Delivery,Ülevaatus Vajalik enne sünnitust
DocType: Item,Inspection Required before Purchase,Ülevaatus Vajalik enne ostu
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Kuni Tegevused
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,teie organisatsiooni
DocType: Fee Component,Fees Category,Tasud Kategooria
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Palun sisestage leevendab kuupäeva.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
@@ -2738,9 +2758,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Reorder Level
DocType: Company,Chart Of Accounts Template,Kontoplaani Mall
DocType: Attendance,Attendance Date,Osavõtt kuupäev
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Toode Hind uuendatud {0} Hinnakirjas {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Toode Hind uuendatud {0} Hinnakirjas {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Palk väljasõit põhineb teenimine ja mahaarvamine.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Konto tütartippu ei saa ümber arvestusraamatust
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Konto tütartippu ei saa ümber arvestusraamatust
DocType: Purchase Invoice Item,Accepted Warehouse,Aktsepteeritud Warehouse
DocType: Bank Reconciliation Detail,Posting Date,Postitamise kuupäev
DocType: Item,Valuation Method,Hindamismeetod
@@ -2749,14 +2769,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Duplicate kirje
DocType: Program Enrollment Tool,Get Students,saada Õpilased
DocType: Serial No,Under Warranty,Garantii alla
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Error]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Error]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,"Sõnades on nähtav, kui salvestate Sales Order."
,Employee Birthday,Töötaja Sünnipäev
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Partii osavõtt Tool
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,Limit Crossed
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Limit Crossed
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Venture Capital
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Akadeemilise perspektiivis selle "Academic Year '{0} ja" Term nimi "{1} on juba olemas. Palun muuda neid sissekandeid ja proovi uuesti.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Nagu on olemasolevate tehingute vastu objekti {0}, sa ei saa muuta väärtust {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Nagu on olemasolevate tehingute vastu objekti {0}, sa ei saa muuta väärtust {1}"
DocType: UOM,Must be Whole Number,Peab olema täisarv
DocType: Leave Control Panel,New Leaves Allocated (In Days),Uus Lehed Eraldatud (päevades)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serial No {0} ei ole olemas
@@ -2765,6 +2785,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Arve number
DocType: Shopping Cart Settings,Orders,Tellimused
DocType: Employee Leave Approver,Leave Approver,Jäta Approver
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Palun valige partii
DocType: Assessment Group,Assessment Group Name,Hinnang Grupi nimi
DocType: Manufacturing Settings,Material Transferred for Manufacture,Materjal üleantud tootmine
DocType: Expense Claim,"A user with ""Expense Approver"" role",Kasutaja on "Expense Approver" rolli
@@ -2774,9 +2795,10 @@
DocType: Target Detail,Target Detail,Target Detail
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,Kõik Jobs
DocType: Sales Order,% of materials billed against this Sales Order,% Materjalidest arve vastu Sales Order
+DocType: Program Enrollment,Mode of Transportation,Transpordiliik
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Periood sulgemine Entry
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Cost Center olemasolevate tehingut ei saa ümber rühm
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Summa {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Summa {0} {1} {2} {3}
DocType: Account,Depreciation,Amortisatsioon
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Pakkuja (s)
DocType: Employee Attendance Tool,Employee Attendance Tool,Töötaja osalemise Tool
@@ -2784,7 +2806,7 @@
DocType: Supplier,Credit Limit,Krediidilimiit
DocType: Production Plan Sales Order,Salse Order Date,Salse Order Date
DocType: Salary Component,Salary Component,palk Component
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Makse Sissekanded {0} on un-seotud
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Makse Sissekanded {0} on un-seotud
DocType: GL Entry,Voucher No,Voucher ei
,Lead Owner Efficiency,Lead Omanik Efficiency
DocType: Leave Allocation,Leave Allocation,Jäta jaotamine
@@ -2795,11 +2817,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Mall terminite või leping.
DocType: Purchase Invoice,Address and Contact,Aadress ja Kontakt
DocType: Cheque Print Template,Is Account Payable,Kas konto tasulised
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Stock ei saa ajakohastada vastu ostutšekk {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Stock ei saa ajakohastada vastu ostutšekk {0}
DocType: Supplier,Last Day of the Next Month,Viimane päev järgmise kuu
DocType: Support Settings,Auto close Issue after 7 days,Auto lähedale Issue 7 päeva pärast
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Jäta ei saa eraldada enne {0}, sest puhkuse tasakaal on juba carry-edastas tulevikus puhkuse jaotamise rekord {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Märkus: Tänu / Viitekuupäev ületab lubatud klientide krediidiriski päeva {0} päeva (s)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Märkus: Tänu / Viitekuupäev ületab lubatud klientide krediidiriski päeva {0} päeva (s)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Student esitaja
DocType: Asset Category Account,Accumulated Depreciation Account,Akumuleeritud kulum konto
DocType: Stock Settings,Freeze Stock Entries,Freeze Stock kanded
@@ -2808,35 +2830,35 @@
DocType: Activity Cost,Billing Rate,Arved Rate
,Qty to Deliver,Kogus pakkuda
,Stock Analytics,Stock Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Toiminguid ei saa tühjaks jätta
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Toiminguid ei saa tühjaks jätta
DocType: Maintenance Visit Purpose,Against Document Detail No,Vastu Dokumendi Detail Ei
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Partei Type on kohustuslik
DocType: Quality Inspection,Outgoing,Väljuv
DocType: Material Request,Requested For,Taotletakse
DocType: Quotation Item,Against Doctype,Vastu DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} on tühistatud või suletud
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} on tühistatud või suletud
DocType: Delivery Note,Track this Delivery Note against any Project,Jälgi seda saateleht igasuguse Project
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Rahavood investeerimistegevusest
-,Is Primary Address,Kas esmane aadress
DocType: Production Order,Work-in-Progress Warehouse,Lõpetamata Progress Warehouse
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Asset {0} tuleb esitada
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Publikurekordiks {0} on olemas vastu Student {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Publikurekordiks {0} on olemas vastu Student {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Viide # {0} dateeritud {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Põhivara Langes tõttu varade realiseerimisel
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Manage aadressid
DocType: Asset,Item Code,Asja kood
DocType: Production Planning Tool,Create Production Orders,Loo Tootmistellimused
DocType: Serial No,Warranty / AMC Details,Garantii / AMC Üksikasjad
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Valige õpilast käsitsi tegevuspõhise Group
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Valige õpilast käsitsi tegevuspõhise Group
DocType: Journal Entry,User Remark,Kasutaja Märkus
DocType: Lead,Market Segment,Turusegment
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Paide summa ei saa olla suurem kui kogu negatiivne tasumata summa {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Paide summa ei saa olla suurem kui kogu negatiivne tasumata summa {0}
DocType: Employee Internal Work History,Employee Internal Work History,Töötaja Internal tööandjad
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Sulgemine (Dr)
DocType: Cheque Print Template,Cheque Size,Tšekk Suurus
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serial No {0} ei laos
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Maksu- malli müügitehinguid.
DocType: Sales Invoice,Write Off Outstanding Amount,Kirjutage Off tasumata summa
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Konto {0} ei ühti Company {1}
DocType: School Settings,Current Academic Year,Jooksva õppeaasta
DocType: Stock Settings,Default Stock UOM,Vaikimisi Stock UOM
DocType: Asset,Number of Depreciations Booked,Arv Amortisatsiooniaruanne Broneeritud
@@ -2851,27 +2873,27 @@
DocType: Asset,Double Declining Balance,Double Degressiivne
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Suletud tellimust ei ole võimalik tühistada. Avanema tühistada.
DocType: Student Guardian,Father,isa
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,"Uuenda Stock" ei saa kontrollida põhivara müügist
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"Uuenda Stock" ei saa kontrollida põhivara müügist
DocType: Bank Reconciliation,Bank Reconciliation,Bank leppimise
DocType: Attendance,On Leave,puhkusel
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Saada värskendusi
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Konto {2} ei kuulu Company {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Materjal taotlus {0} on tühistatud või peatatud
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Lisa mõned proovi arvestust
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Lisa mõned proovi arvestust
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Jäta juhtimine
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Grupi poolt konto
DocType: Sales Order,Fully Delivered,Täielikult Tarnitakse
DocType: Lead,Lower Income,Madalama sissetulekuga
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Allika ja eesmärgi lattu ei saa olla sama rida {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Allika ja eesmärgi lattu ei saa olla sama rida {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Erinevus konto peab olema vara / kohustuse tüübist võtta, sest see Stock leppimine on mõra Entry"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Väljastatud summa ei saa olla suurem kui Laenusumma {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Ostutellimuse numbri vaja Punkt {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Tootmise et mitte loodud
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Ostutellimuse numbri vaja Punkt {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Tootmise et mitte loodud
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"From Date" tuleb pärast "To Date"
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Selleks ei saa muuta üliõpilaste {0} on seotud õpilase taotluse {1}
DocType: Asset,Fully Depreciated,täielikult amortiseerunud
,Stock Projected Qty,Stock Kavandatav Kogus
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Kliendi {0} ei kuulu projekti {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Kliendi {0} ei kuulu projekti {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Märkimisväärne osavõtt HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Hinnapakkumised on ettepanekuid, pakkumiste saadetud oma klientidele"
DocType: Sales Order,Customer's Purchase Order,Kliendi ostutellimuse
@@ -2880,33 +2902,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Summa hulgaliselt Hindamiskriteeriumid peab olema {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Palun määra arv Amortisatsiooniaruanne Broneeritud
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Väärtus või Kogus
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Lavastused Tellimused ei saa tõsta jaoks:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Minut
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Lavastused Tellimused ei saa tõsta jaoks:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Minut
DocType: Purchase Invoice,Purchase Taxes and Charges,Ostu maksud ja tasud
,Qty to Receive,Kogus Receive
DocType: Leave Block List,Leave Block List Allowed,Jäta Block loetelu Lubatud
DocType: Grading Scale Interval,Grading Scale Interval,Hindamisskaala Intervall
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Kulu nõue Sõiduki Logi {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Soodustus (%) kohta Hinnakirja hind koos Margin
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,Kõik Laod
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Kõik Laod
DocType: Sales Partner,Retailer,Jaemüüja
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Krediidi konto peab olema bilansis
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Krediidi konto peab olema bilansis
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Kõik Tarnija liigid
DocType: Global Defaults,Disable In Words,Keela sõnades
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,"Kood on kohustuslik, sest toode ei ole automaatselt nummerdatud"
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Kood on kohustuslik, sest toode ei ole automaatselt nummerdatud"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Tsitaat {0} ei tüübiga {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Hoolduskava toode
DocType: Sales Order,% Delivered,% Tarnitakse
DocType: Production Order,PRO-,pa-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Bank arvelduskrediidi kontot
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Bank arvelduskrediidi kontot
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Tee palgatõend
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: Eraldatud summa ei saa olla suurem kui tasumata summa.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Sirvi Bom
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Tagatud laenud
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Tagatud laenud
DocType: Purchase Invoice,Edit Posting Date and Time,Edit Postitamise kuupäev ja kellaaeg
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Palun määra kulum seotud arvepidamise Põhivarakategoori {0} või ettevõtte {1}
DocType: Academic Term,Academic Year,Õppeaasta
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Algsaldo Equity
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Algsaldo Equity
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Hinnang
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},E saadetakse tarnija {0}
@@ -2922,7 +2944,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Kinnitamine roll ei saa olla sama rolli õigusriigi kohaldatakse
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Lahku sellest Email Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Sõnum saadetud
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Konto tütartippu ei saa seada pearaamatu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Konto tütartippu ei saa seada pearaamatu
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Hinda kus Hinnakiri valuuta konverteeritakse kliendi baasvaluuta
DocType: Purchase Invoice Item,Net Amount (Company Currency),Netosumma (firma Valuuta)
@@ -2956,7 +2978,7 @@
DocType: Expense Claim,Approval Status,Kinnitamine Staatus
DocType: Hub Settings,Publish Items to Hub,Avalda tooteid Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},Siit peab olema väiksem kui väärtus järjest {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Raha telegraafiülekanne
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Raha telegraafiülekanne
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Vaata kõiki
DocType: Vehicle Log,Invoice Ref,arve Ref
DocType: Purchase Order,Recurring Order,Korduvad Telli
@@ -2969,51 +2991,54 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Pank ja maksed
,Welcome to ERPNext,Tere tulemast ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Viia Tsitaat
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Midagi rohkem näidata.
DocType: Lead,From Customer,Siit Klienditeenindus
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Kutsub
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Kutsub
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,Partiid
DocType: Project,Total Costing Amount (via Time Logs),Kokku kuluarvestus summa (via aeg kajakad)
DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Ostutellimuse {0} ei ole esitatud
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Ostutellimuse {0} ei ole esitatud
DocType: Customs Tariff Number,Tariff Number,Tariifne arv
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Kavandatav
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serial No {0} ei kuulu Warehouse {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"Märkus: Süsteem ei kontrolli üle-tarne ja üle-broneerimiseks Punkt {0}, kuna maht või kogus on 0"
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"Märkus: Süsteem ei kontrolli üle-tarne ja üle-broneerimiseks Punkt {0}, kuna maht või kogus on 0"
DocType: Notification Control,Quotation Message,Tsitaat Message
DocType: Employee Loan,Employee Loan Application,Töötaja Laenutaotlus
DocType: Issue,Opening Date,Avamise kuupäev
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Osavõtt on märgitud edukalt.
+DocType: Program Enrollment,Public Transport,Ühistransport
DocType: Journal Entry,Remark,Märkus
DocType: Purchase Receipt Item,Rate and Amount,Määr ja summa
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Konto tüüp {0} peab olema {1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,Lehed ja vaba
DocType: School Settings,Current Academic Term,Praegune õppeaasta jooksul
DocType: Sales Order,Not Billed,Ei maksustata
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Mõlemad Warehouse peavad kuuluma samasse Company
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,No kontakte lisada veel.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Mõlemad Warehouse peavad kuuluma samasse Company
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,No kontakte lisada veel.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Maandus Cost Voucher summa
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Arveid tõstatatud Tarnijatele.
DocType: POS Profile,Write Off Account,Kirjutage Off konto
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Võlateate Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Soodus summa
DocType: Purchase Invoice,Return Against Purchase Invoice,Tagasi Against ostuarve
DocType: Item,Warranty Period (in days),Garantii Periood (päeva)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Seos Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Seos Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Rahavood äritegevusest
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,nt käibemaksu
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,nt käibemaksu
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Punkt 4
DocType: Student Admission,Admission End Date,Sissepääs End Date
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Alltöövõtt
DocType: Journal Entry Account,Journal Entry Account,Päevikusissekanne konto
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Student Group
DocType: Shopping Cart Settings,Quotation Series,Tsitaat Series
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Elementi on olemas sama nimega ({0}), siis muutke kirje grupi nimi või ümbernimetamiseks kirje"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Palun valige kliendile
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Elementi on olemas sama nimega ({0}), siis muutke kirje grupi nimi või ümbernimetamiseks kirje"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Palun valige kliendile
DocType: C-Form,I,mina
DocType: Company,Asset Depreciation Cost Center,Vara amortisatsioonikulu Center
DocType: Sales Order Item,Sales Order Date,Sales Order Date
DocType: Sales Invoice Item,Delivered Qty,Tarnitakse Kogus
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Kui see on lubatud, kõik lapsed iga tootmise kirje lisatakse materjali taotlused."
DocType: Assessment Plan,Assessment Plan,hindamise kava
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Ladu {0}: Firma on kohustuslik
DocType: Stock Settings,Limit Percent,Limit protsent
,Payment Period Based On Invoice Date,Makse kindlaksmääramisel tuginetakse Arve kuupäev
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Kadunud Valuutavahetus ALLAHINDLUSED {0}
@@ -3025,7 +3050,7 @@
DocType: Vehicle,Insurance Details,Kindlustus detailid
DocType: Account,Payable,Maksmisele kuuluv
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,Palun sisesta tagasimakseperioodid
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Nõuded ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Nõuded ({0})
DocType: Pricing Rule,Margin,varu
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Uutele klientidele
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Brutokasum%
@@ -3036,16 +3061,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Partei on kohustuslik
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,Teema nimi
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Atleast üks müümine või ostmine tuleb valida
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Vali laadi oma äri.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Atleast üks müümine või ostmine tuleb valida
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Vali laadi oma äri.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Row # {0}: duplikaat kande Viiteid {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Kus tootmistegevus viiakse.
DocType: Asset Movement,Source Warehouse,Allikas Warehouse
DocType: Installation Note,Installation Date,Paigaldamise kuupäev
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Rida # {0}: Asset {1} ei kuulu firma {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Rida # {0}: Asset {1} ei kuulu firma {2}
DocType: Employee,Confirmation Date,Kinnitus kuupäev
DocType: C-Form,Total Invoiced Amount,Kokku Arve kogusumma
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Kogus ei saa olla suurem kui Max Kogus
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Min Kogus ei saa olla suurem kui Max Kogus
DocType: Account,Accumulated Depreciation,akumuleeritud kulum
DocType: Stock Entry,Customer or Supplier Details,Klienditeenindus ja tarnijate andmed
DocType: Employee Loan Application,Required by Date,Vajalik kuupäev
@@ -3066,22 +3091,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Kuu Distribution osakaal
DocType: Territory,Territory Targets,Territoorium Eesmärgid
DocType: Delivery Note,Transporter Info,Transporter Info
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Palun määra vaikimisi {0} Company {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Palun määra vaikimisi {0} Company {1}
DocType: Cheque Print Template,Starting position from top edge,Lähteasend ülevalt servast
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Sama tarnija on sisestatud mitu korda
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Gross kasum / kahjum
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Ostutellimuse tooteühiku
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Firma nimi ei saa olla ettevõte
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Firma nimi ei saa olla ettevõte
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Kiri Heads print malle.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Tiitel mallide nt Esialgse arve.
DocType: Student Guardian,Student Guardian,Student Guardian
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Hindamine tüübist tasu ei märgitud Inclusive
DocType: POS Profile,Update Stock,Värskenda Stock
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Pakkuja> Pakkuja tüüp
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Erinevad UOM objekte viib vale (kokku) Net Weight väärtus. Veenduge, et Net Weight iga objekt on sama UOM."
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Bom Rate
DocType: Asset,Journal Entry for Scrap,Päevikusissekanne Vanametalli
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Palun tõmmake esemed Saateleht
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Päevikukirjed {0} on un-seotud
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Päevikukirjed {0} on un-seotud
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Record kogu suhtlust tüüpi e-posti, telefoni, chat, külastada jms"
DocType: Manufacturer,Manufacturers used in Items,Tootjad kasutada Esemed
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Palume mainida ümardada Cost Center Company
@@ -3128,33 +3154,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,Tarnija tarnib Tellija
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# vorm / Punkt / {0}) on otsas
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Järgmine kuupäev peab olema suurem kui Postitamise kuupäev
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Näita maksu break-up
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Tänu / Viitekuupäev ei saa pärast {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Näita maksu break-up
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Tänu / Viitekuupäev ei saa pärast {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Andmete impordi ja ekspordi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","Stock kirjed on ikka vastu Warehouse {0}, seega sa ei saa uuesti määrata või muuta"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,No õpilased Leitud
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,No õpilased Leitud
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Arve Postitamise kuupäev
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,müüma
DocType: Sales Invoice,Rounded Total,Ümardatud kokku
DocType: Product Bundle,List items that form the package.,"Nimekiri objekte, mis moodustavad paketi."
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Protsentuaalne jaotus peaks olema suurem kui 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,Palun valige Postitamise kuupäev enne valides Party
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Palun valige Postitamise kuupäev enne valides Party
DocType: Program Enrollment,School House,School House
DocType: Serial No,Out of AMC,Out of AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Palun valige tsitaadid
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Palun valige tsitaadid
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Arv Amortisatsiooniaruanne Broneeritud ei saa olla suurem kui koguarv Amortisatsiooniaruanne
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Tee hooldus Külasta
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,"Palun pöörduge kasutaja, kes on Sales Master Manager {0} rolli"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,"Palun pöörduge kasutaja, kes on Sales Master Manager {0} rolli"
DocType: Company,Default Cash Account,Vaikimisi arvelduskontole
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Company (mitte kliendi või hankija) kapten.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,See põhineb käimist Selle Student
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Nr Õpilased
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Nr Õpilased
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Lisa rohkem punkte või avatud täiskujul
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',Palun sisestage "Oodatud Toimetaja Date"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Saatekirjad {0} tuleb tühistada enne tühistades selle Sales Order
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Paide summa + maha summa ei saa olla suurem kui Grand Total
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Paide summa + maha summa ei saa olla suurem kui Grand Total
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ei ole kehtiv Partii number jaoks Punkt {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Märkus: Ei ole piisavalt puhkust tasakaalu Jäta tüüp {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,Kehtetu GSTIN või Sisesta NA registreerimata
DocType: Training Event,Seminar,seminar
DocType: Program Enrollment Fee,Program Enrollment Fee,Programm osavõtumaks
DocType: Item,Supplier Items,Tarnija Esemed
@@ -3180,27 +3206,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Punkt 3
DocType: Purchase Order,Customer Contact Email,Klienditeenindus Kontakt E-
DocType: Warranty Claim,Item and Warranty Details,Punkt ja garantii detailid
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kood> Punkt Group> Brand
DocType: Sales Team,Contribution (%),Panus (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Märkus: Tasumine Entry ei loonud kuna "Raha või pangakonto pole määratud
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Valige programm tõmmata kohustuslikud kursused.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Vastutus
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Vastutus
DocType: Expense Claim Account,Expense Claim Account,Kuluhüvitussüsteeme konto
DocType: Sales Person,Sales Person Name,Sales Person Nimi
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Palun sisestage atleast 1 arve tabelis
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Lisa Kasutajad
DocType: POS Item Group,Item Group,Punkt Group
DocType: Item,Safety Stock,kindlustusvaru
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Progress% ülesandega ei saa olla rohkem kui 100.
DocType: Stock Reconciliation Item,Before reconciliation,Enne leppimist
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Maksude ja tasude lisatud (firma Valuuta)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Punkt Maksu- Row {0} peab olema konto tüüpi Tax või tulu või kuluna või tasuline
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Punkt Maksu- Row {0} peab olema konto tüüpi Tax või tulu või kuluna või tasuline
DocType: Sales Order,Partly Billed,Osaliselt Maksustatakse
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Punkt {0} peab olema põhivara objektile
DocType: Item,Default BOM,Vaikimisi Bom
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,Palun ümber kirjutada firma nime kinnitamiseks
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Kokku Tasumata Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Võlateate Summa
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Palun ümber kirjutada firma nime kinnitamiseks
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Kokku Tasumata Amt
DocType: Journal Entry,Printing Settings,Printing Settings
DocType: Sales Invoice,Include Payment (POS),Kaasa makse (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Kokku Deebetkaart peab olema võrdne Kokku Credit. Erinevus on {0}
@@ -3214,15 +3238,16 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Laos:
DocType: Notification Control,Custom Message,Custom Message
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investeerimispanganduse
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Raha või pangakonto on kohustuslik makstes kirje
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Student Aadress
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Raha või pangakonto on kohustuslik makstes kirje
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Palun setup numbrite seeria osavõtt Setup> numbrite seeria
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Student Aadress
DocType: Purchase Invoice,Price List Exchange Rate,Hinnakiri Vahetuskurss
DocType: Purchase Invoice Item,Rate,Määr
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Intern
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,aadress Nimi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Intern
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,aadress Nimi
DocType: Stock Entry,From BOM,Siit Bom
DocType: Assessment Code,Assessment Code,Hinnang kood
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Põhiline
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Põhiline
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Stock tehingud enne {0} on külmutatud
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',Palun kliki "Loo Ajakava"
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","nt kg, Unit, Nos, m"
@@ -3232,11 +3257,11 @@
DocType: Salary Slip,Salary Structure,Palgastruktuur
DocType: Account,Bank,Pank
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Lennukompanii
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Väljaanne Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Väljaanne Material
DocType: Material Request Item,For Warehouse,Sest Warehouse
DocType: Employee,Offer Date,Pakkuda kuupäev
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Tsitaadid
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,"Olete võrguta režiimis. Sa ei saa uuesti enne, kui olete võrgus."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,"Olete võrguta režiimis. Sa ei saa uuesti enne, kui olete võrgus."
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Ei Üliõpilasgrupid loodud.
DocType: Purchase Invoice Item,Serial No,Seerianumber
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Igakuine tagasimakse ei saa olla suurem kui Laenusumma
@@ -3244,8 +3269,8 @@
DocType: Purchase Invoice,Print Language,Prindi keel
DocType: Salary Slip,Total Working Hours,Töötundide
DocType: Stock Entry,Including items for sub assemblies,Sealhulgas esemed sub komplektid
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Sisesta väärtus peab olema positiivne
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Kõik aladel
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Sisesta väärtus peab olema positiivne
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Kõik aladel
DocType: Purchase Invoice,Items,Esemed
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Student juba registreerunud.
DocType: Fiscal Year,Year Name,Aasta nimi
@@ -3263,10 +3288,10 @@
DocType: Issue,Opening Time,Avamine aeg
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Ja sealt soovitud vaja
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Väärtpaberite ja kaubabörsil
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Vaikimisi mõõtühik Variant "{0}" peab olema sama, Mall "{1}""
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Vaikimisi mõõtühik Variant "{0}" peab olema sama, Mall "{1}""
DocType: Shipping Rule,Calculate Based On,Arvuta põhineb
DocType: Delivery Note Item,From Warehouse,Siit Warehouse
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Ei objektid Materjaliandmik et Tootmine
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Ei objektid Materjaliandmik et Tootmine
DocType: Assessment Plan,Supervisor Name,Juhendaja nimi
DocType: Program Enrollment Course,Program Enrollment Course,Programm Registreerimine Course
DocType: Purchase Taxes and Charges,Valuation and Total,Hindamine ja kokku
@@ -3281,18 +3306,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Päevi eelmisest tellimusest"" peab olema suurem või võrdne nulliga"
DocType: Process Payroll,Payroll Frequency,palgafond Frequency
DocType: Asset,Amended From,Muudetud From
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Toormaterjal
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Toormaterjal
DocType: Leave Application,Follow via Email,Järgige e-posti teel
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Taimed ja masinad
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Taimed ja masinad
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Maksusumma Pärast Allahindluse summa
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Igapäevase töö kokkuvõte seaded
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Valuuta hinnakirja {0} ei ole sarnased valitud valuutat {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Valuuta hinnakirja {0} ei ole sarnased valitud valuutat {1}
DocType: Payment Entry,Internal Transfer,Siseülekandevormi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Lapse konto olemas selle konto. Sa ei saa selle konto kustutada.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Lapse konto olemas selle konto. Sa ei saa selle konto kustutada.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Kas eesmärk Kogus või Sihtsummaks on kohustuslik
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},No default Bom olemas Punkt {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},No default Bom olemas Punkt {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Palun valige Postitamise kuupäev esimest
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Avamise kuupäev peaks olema enne sulgemist kuupäev
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Määrake nimetamine Series {0} Setup> Seaded> nimetamine Series
DocType: Leave Control Panel,Carry Forward,Kanda
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Cost Center olemasolevate tehingut ei saa ümber arvestusraamatust
DocType: Department,Days for which Holidays are blocked for this department.,"Päeva, mis pühadel blokeeritakse selle osakonda."
@@ -3302,10 +3328,9 @@
DocType: Issue,Raised By (Email),Tõstatatud (E)
DocType: Training Event,Trainer Name,treener Nimi
DocType: Mode of Payment,General,Üldine
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Kinnita Letterhead
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,viimase Side
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Ei saa maha arvata, kui kategooria on "Hindamine" või "Hindamine ja kokku""
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Nimekiri oma maksu juhid (nt käibemaksu, tolli jne, nad peaksid olema unikaalsed nimed) ja nende ühtsed määrad. See loob standard malli, mida saab muuta ja lisada hiljem."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Nimekiri oma maksu juhid (nt käibemaksu, tolli jne, nad peaksid olema unikaalsed nimed) ja nende ühtsed määrad. See loob standard malli, mida saab muuta ja lisada hiljem."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Serial nr Nõutav SERIALIZED Punkt {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Match Maksed arvetega
DocType: Journal Entry,Bank Entry,Bank Entry
@@ -3314,16 +3339,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Lisa ostukorvi
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Group By
DocType: Guardian,Interests,Huvid
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Võimalda / blokeeri valuutades.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Võimalda / blokeeri valuutades.
DocType: Production Planning Tool,Get Material Request,Saada Materjal taotlus
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Postikulude
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Postikulude
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Kokku (Amt)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Meelelahutus ja vaba aeg
DocType: Quality Inspection,Item Serial No,Punkt Järjekorranumber
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Loo töötaja kirjete
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Kokku olevik
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,raamatupidamise aastaaruanne
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Tund
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Tund
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,New Serial No ei ole Warehouse. Ladu peab ette Stock Entry või ostutšekk
DocType: Lead,Lead Type,Plii Type
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Teil ei ole kiita lehed Block kuupäevad
@@ -3335,6 +3360,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,Uus Bom pärast asendamine
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Müügikoht
DocType: Payment Entry,Received Amount,Saadud summa
+DocType: GST Settings,GSTIN Email Sent On,GSTIN saadetud ja
+DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Loo täieliku koguse, ignoreerides kogus juba tellitud"
DocType: Account,Tax,Maks
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,ei Märgistatud
@@ -3346,14 +3373,14 @@
DocType: Batch,Source Document Name,Allikas Dokumendi nimi
DocType: Job Opening,Job Title,Töö nimetus
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Kasutajate loomine
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,gramm
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,gramm
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Kogus et Tootmine peab olema suurem kui 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Külasta aruande hooldus kõne.
DocType: Stock Entry,Update Rate and Availability,Värskenduskiirus ja saadavust
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Osakaal teil on lubatud vastu võtta või pakkuda rohkem vastu tellitav kogus. Näiteks: Kui olete tellinud 100 ühikut. ja teie toetus on 10%, siis on lubatud saada 110 ühikut."
DocType: POS Customer Group,Customer Group,Kliendi Group
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Uus Partii nr (valikuline)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Kulu konto on kohustuslik element {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Kulu konto on kohustuslik element {0}
DocType: BOM,Website Description,Koduleht kirjeldus
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Net omakapitali
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Palun tühistada ostuarve {0} esimene
@@ -3363,8 +3390,8 @@
,Sales Register,Müügiregister
DocType: Daily Work Summary Settings Company,Send Emails At,Saada e-kirju
DocType: Quotation,Quotation Lost Reason,Tsitaat Lost Reason
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Vali oma Domeeni
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Tehingu viitenumber {0} kuupäevast {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Vali oma Domeeni
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Tehingu viitenumber {0} kuupäevast {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Ei ole midagi muuta.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Kokkuvõte Selle kuu ja kuni tegevusi
DocType: Customer Group,Customer Group Name,Kliendi Group Nimi
@@ -3372,14 +3399,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Rahavoogude aruanne
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Laenusumma ei tohi ületada Maksimaalne laenusumma {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,litsents
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},Palun eemalda see Arve {0} on C-vorm {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},Palun eemalda see Arve {0} on C-vorm {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Palun valige kanda, kui soovite ka lisada eelnenud eelarveaasta saldo jätab see eelarveaastal"
DocType: GL Entry,Against Voucher Type,Vastu Voucher Type
DocType: Item,Attributes,Näitajad
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,Palun sisestage maha konto
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Palun sisestage maha konto
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Viimati Order Date
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Konto {0} ei kuuluv ettevõte {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Seerianumbrid järjest {0} ei ühti saateleht
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Seerianumbrid järjest {0} ei ühti saateleht
DocType: Student,Guardian Details,Guardian detailid
DocType: C-Form,C-Form,C-Form
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark õpib mitu töötajat
@@ -3394,16 +3421,16 @@
DocType: Budget Account,Budget Amount,Eelarve summa
DocType: Appraisal Template,Appraisal Template Title,Hinnang Mall Pealkiri
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Siit kuupäev {0} Töötajaportaali {1} ei saa enne töötaja liitumise kuupäev {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Kaubanduslik
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Kaubanduslik
DocType: Payment Entry,Account Paid To,Konto Paide
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Parent Punkt {0} ei tohi olla laoartikkel
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Kõik tooted või teenused.
DocType: Expense Claim,More Details,Rohkem detaile
DocType: Supplier Quotation,Supplier Address,Tarnija Aadress
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} eelarve konto {1} vastu {2} {3} on {4}. See ületa {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Rida {0} # Konto tüüp peab olema "Põhivarade"
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Out Kogus
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Reeglid arvutada laevandus summa müük
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Rida {0} # Konto tüüp peab olema "Põhivarade"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Out Kogus
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Reeglid arvutada laevandus summa müük
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Seeria on kohustuslik
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Finantsteenused
DocType: Student Sibling,Student ID,Õpilase ID
@@ -3411,13 +3438,13 @@
DocType: Tax Rule,Sales,Läbimüük
DocType: Stock Entry Detail,Basic Amount,Põhisummat
DocType: Training Event,Exam,eksam
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Ladu vajalik varude Punkt {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Ladu vajalik varude Punkt {0}
DocType: Leave Allocation,Unused leaves,Kasutamata lehed
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Kr
DocType: Tax Rule,Billing State,Arved riik
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Transfer
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} ei seostatud Party konto {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Tõmba plahvatas Bom (sh sõlmed)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} ei seostatud Party konto {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Tõmba plahvatas Bom (sh sõlmed)
DocType: Authorization Rule,Applicable To (Employee),Suhtes kohaldatava (töötaja)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Tähtaeg on kohustuslik
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Juurdekasv Oskus {0} ei saa olla 0
@@ -3445,7 +3472,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Raw Material Kood
DocType: Journal Entry,Write Off Based On,Kirjutage Off põhineb
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Tee Lead
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Prindi ja Stationery
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Prindi ja Stationery
DocType: Stock Settings,Show Barcode Field,Näita vöötkoodi Field
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Saada Tarnija kirjad
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",Palk juba töödeldud ajavahemikus {0} ja {1} Jäta taotlemise tähtaeg ei või olla vahel selles ajavahemikus.
@@ -3453,13 +3480,15 @@
DocType: Guardian Interest,Guardian Interest,Guardian Intress
apps/erpnext/erpnext/config/hr.py +177,Training,koolitus
DocType: Timesheet,Employee Detail,töötaja Detail
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 Saatke ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 Saatke ID
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,Järgmine kuupäev päev ja Korda päev kuus peab olema võrdne
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Seaded veebisaidi avalehel
DocType: Offer Letter,Awaiting Response,Vastuse ootamine
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Ülal
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Ülal
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},Vale atribuut {0} {1}
DocType: Supplier,Mention if non-standard payable account,"Mainida, kui mittestandardsete makstakse konto"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Sama toode on kantud mitu korda. {Nimekirja}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Palun valige hindamise rühm kui "Kõik Hindamine Grupid"
DocType: Salary Slip,Earning & Deduction,Teenimine ja mahaarvamine
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Valikuline. See seadistus filtreerida erinevate tehingute.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Negatiivne Hindamine Rate ei ole lubatud
@@ -3473,9 +3502,9 @@
DocType: Sales Invoice,Product Bundle Help,Toote Bundle Abi
,Monthly Attendance Sheet,Kuu osavõtt Sheet
DocType: Production Order Item,Production Order Item,Tootmise Telli toode
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Kirjet ei leitud
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Kirjet ei leitud
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Kulud Käibelt kõrvaldatud Asset
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Cost Center on kohustuslik Punkt {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Cost Center on kohustuslik Punkt {2}
DocType: Vehicle,Policy No,poliitika pole
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Võta Kirjed Toote Bundle
DocType: Asset,Straight Line,Sirgjoon
@@ -3483,7 +3512,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,lõhe
DocType: GL Entry,Is Advance,Kas Advance
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Osavõtt From kuupäev ja kohalolijate kuupäev on kohustuslik
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,Palun sisestage "on sisse ostetud" kui jah või ei
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,Palun sisestage "on sisse ostetud" kui jah või ei
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Viimase Side kuupäev
DocType: Sales Team,Contact No.,Võta No.
DocType: Bank Reconciliation,Payment Entries,makse Sissekanded
@@ -3509,60 +3538,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Seis
DocType: Salary Detail,Formula,valem
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Müügiprovisjon
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Müügiprovisjon
DocType: Offer Letter Term,Value / Description,Väärtus / Kirjeldus
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rida # {0}: Asset {1} ei saa esitada, siis on juba {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rida # {0}: Asset {1} ei saa esitada, siis on juba {2}"
DocType: Tax Rule,Billing Country,Arved Riik
DocType: Purchase Order Item,Expected Delivery Date,Oodatud Toimetaja kuupäev
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Deebeti ja kreediti ole võrdsed {0} # {1}. Erinevus on {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Esinduskulud
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Tee Materjal taotlus
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Esinduskulud
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Tee Materjal taotlus
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Avatud Punkt {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Müügiarve {0} tuleb tühistada enne tühistades selle Sales Order
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Ajastu
DocType: Sales Invoice Timesheet,Billing Amount,Arved summa
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Vale kogus määratud kirje {0}. Kogus peaks olema suurem kui 0.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Puhkuseavalduste.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Konto olemasolevate tehingu ei saa kustutada
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Konto olemasolevate tehingu ei saa kustutada
DocType: Vehicle,Last Carbon Check,Viimati Carbon Check
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Kohtukulude
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Kohtukulude
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Palun valige kogus real
DocType: Purchase Invoice,Posting Time,Foorumi aeg
DocType: Timesheet,% Amount Billed,% Arve summa
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Telefoni kulud
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Telefoni kulud
DocType: Sales Partner,Logo,Logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Märgi see, kui soovid sundida kasutajal valida rida enne salvestamist. Ei toimu vaikimisi, kui te vaadata seda."
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},No Punkt Serial No {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},No Punkt Serial No {0}
DocType: Email Digest,Open Notifications,Avatud teated
DocType: Payment Entry,Difference Amount (Company Currency),Erinevus summa (firma Valuuta)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Otsesed kulud
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Otsesed kulud
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} ei ole korrektne e-posti aadress "Teavitamine \ e-posti aadress"
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Uus klient tulud
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Sõidukulud
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Sõidukulud
DocType: Maintenance Visit,Breakdown,Lagunema
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Konto: {0} valuuta: {1} ei saa valida
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Konto: {0} valuuta: {1} ei saa valida
DocType: Bank Reconciliation Detail,Cheque Date,Tšekk kuupäev
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Parent konto {1} ei kuulu firma: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Parent konto {1} ei kuulu firma: {2}
DocType: Program Enrollment Tool,Student Applicants,Student Taotlejad
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,"Edukalt kustutatud kõik tehingud, mis on seotud selle firma!"
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,"Edukalt kustutatud kõik tehingud, mis on seotud selle firma!"
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Kuupäeva järgi
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,Registreerimine kuupäev
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Karistusest
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Karistusest
apps/erpnext/erpnext/config/hr.py +115,Salary Components,palk komponendid
DocType: Program Enrollment Tool,New Academic Year,Uus õppeaasta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Tagasi / kreeditarve
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Tagasi / kreeditarve
DocType: Stock Settings,Auto insert Price List rate if missing,"Auto sisestada Hinnakiri määra, kui puuduvad"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Kokku Paide summa
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Kokku Paide summa
DocType: Production Order Item,Transferred Qty,Kantud Kogus
apps/erpnext/erpnext/config/learn.py +11,Navigating,Liikumine
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Planeerimine
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Emiteeritud
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planeerimine
+DocType: Material Request,Issued,Emiteeritud
DocType: Project,Total Billing Amount (via Time Logs),Arve summa (via aeg kajakad)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Müüme see toode
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Tarnija Id
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Müüme see toode
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Tarnija Id
DocType: Payment Request,Payment Gateway Details,Payment Gateway Detailid
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Kogus peaks olema suurem kui 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Kogus peaks olema suurem kui 0
DocType: Journal Entry,Cash Entry,Raha Entry
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Tütartippu saab ainult alusel loodud töörühm tüüpi sõlmed
DocType: Leave Application,Half Day Date,Pool päeva kuupäev
@@ -3574,14 +3604,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Palun määra vaikimisi konto kulu Nõude tüüp {0}
DocType: Assessment Result,Student Name,Õpilase nimi
DocType: Brand,Item Manager,Punkt Manager
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,palgafond on tasulised
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,palgafond on tasulised
DocType: Buying Settings,Default Supplier Type,Vaikimisi Tarnija Type
DocType: Production Order,Total Operating Cost,Tegevuse kogukuludest
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Märkus: Punkt {0} sisestatud mitu korda
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Kõik kontaktid.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Ettevõte lühend
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Ettevõte lühend
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Kasutaja {0} ei ole olemas
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,Tooraine ei saa olla sama peamine toode
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Tooraine ei saa olla sama peamine toode
DocType: Item Attribute Value,Abbreviation,Lühend
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Makse Entry juba olemas
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Ei authroized kuna {0} ületab piirid
@@ -3590,49 +3620,49 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Määra maksueeskiri ostukorv
DocType: Purchase Invoice,Taxes and Charges Added,Maksude ja tasude lisatud
,Sales Funnel,Müügi lehtri
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Lühend on kohustuslik
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Lühend on kohustuslik
DocType: Project,Task Progress,ülesanne Progress
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Ostukorvi
,Qty to Transfer,Kogus Transfer
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Hinnapakkumisi Leads või klientidele.
DocType: Stock Settings,Role Allowed to edit frozen stock,Role Lubatud muuta külmutatud laos
,Territory Target Variance Item Group-Wise,Territoorium Target Dispersioon Punkt Group-Wise
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Kõik kliendigruppide
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Kõik kliendigruppide
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,kogunenud Kuu
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} on kohustuslik. Ehk Valuutavahetus rekord ei ole loodud {1} on {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} on kohustuslik. Ehk Valuutavahetus rekord ei ole loodud {1} on {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Maksu- vorm on kohustuslik.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Konto {0}: Parent konto {1} ei ole olemas
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Konto {0}: Parent konto {1} ei ole olemas
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Hinnakiri Rate (firma Valuuta)
DocType: Products Settings,Products Settings,tooted seaded
DocType: Account,Temporary,Ajutine
DocType: Program,Courses,Kursused
DocType: Monthly Distribution Percentage,Percentage Allocation,Protsentuaalne jaotus
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Sekretär
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekretär
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Kui keelata, "sõnadega" väli ei ole nähtav ühtegi tehingut"
DocType: Serial No,Distinct unit of an Item,Eraldi üksuse objekti
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Määrake Company
DocType: Pricing Rule,Buying,Ostmine
DocType: HR Settings,Employee Records to be created by,Töötajate arvestuse loodud
DocType: POS Profile,Apply Discount On,Kanna soodustust
,Reqd By Date,Reqd By Date
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Võlausaldajad
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Võlausaldajad
DocType: Assessment Plan,Assessment Name,Hinnang Nimi
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Row # {0}: Serial No on kohustuslik
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Punkt Wise Maksu- Detail
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Instituut lühend
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Instituut lühend
,Item-wise Price List Rate,Punkt tark Hinnakiri Rate
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Tarnija Tsitaat
DocType: Quotation,In Words will be visible once you save the Quotation.,"Sõnades on nähtav, kui salvestate pakkumise."
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Kogus ({0}) ei saa olla vaid murdosa reas {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,koguda lõive
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Lugu {0} on juba kasutatud Punkt {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Lugu {0} on juba kasutatud Punkt {1}
DocType: Lead,Add to calendar on this date,Lisa kalendrisse selle kuupäeva
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Reeglid lisamiseks postikulud.
DocType: Item,Opening Stock,algvaru
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Klient on kohustatud
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} on kohustuslik Tagasi
DocType: Purchase Order,To Receive,Saama
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Personal Email
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Kokku Dispersioon
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Kui on lubatud, siis süsteem postitada raamatupidamiskirjeteks inventuuri automaatselt."
@@ -3643,13 +3673,14 @@
DocType: Customer,From Lead,Plii
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Tellimused lastud tootmist.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Vali Fiscal Year ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS Profile vaja teha POS Entry
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS Profile vaja teha POS Entry
DocType: Program Enrollment Tool,Enroll Students,õppima üliõpilasi
DocType: Hub Settings,Name Token,Nimi Token
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard Selling
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Atleast üks ladu on kohustuslik
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Atleast üks ladu on kohustuslik
DocType: Serial No,Out of Warranty,Out of Garantii
DocType: BOM Replace Tool,Replace,Vahetage
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Tooteid ei leidu.
DocType: Production Order,Unstopped,unstopped
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} vastu müügiarve {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3660,13 +3691,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Stock väärtuse erinevused
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Inimressurss
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Makse leppimise maksmine
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,TULUMAKSUVARA
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,TULUMAKSUVARA
DocType: BOM Item,BOM No,Bom pole
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Päevikusissekanne {0} ei ole kontot {1} või juba sobivust teiste voucher
DocType: Item,Moving Average,Libisev keskmine
DocType: BOM Replace Tool,The BOM which will be replaced,BOM mis asendatakse
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,elektroonikaseadmete
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,elektroonikaseadmete
DocType: Account,Debit,Deebet
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Lehed tuleb eraldada kordselt 0,5"
DocType: Production Order,Operation Cost,Operation Cost
@@ -3674,7 +3705,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Tasumata Amt
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Määra eesmärgid Punkt Group tark selle müügi isik.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Varud vanem kui [Päeva]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Rida # {0}: vara on kohustuslik põhivara ost / müük
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Rida # {0}: vara on kohustuslik põhivara ost / müük
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Kui kaks või enam Hinnakujundus reeglid on vastavalt eespool nimetatud tingimustele, Priority rakendatakse. Prioriteet on number vahemikus 0 kuni 20, kui default väärtus on null (tühi). Suurem arv tähendab, et see on ülimuslik kui on mitu Hinnakujundus reeglite samadel tingimustel."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Fiscal Year: {0} ei ole olemas
DocType: Currency Exchange,To Currency,Et Valuuta
@@ -3682,7 +3713,7 @@
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Tüübid kulude langus.
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Müük määr eset {0} on madalam tema {1}. Müük kiirus olema atleast {2}
DocType: Item,Taxes,Maksud
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Paide ja ei ole esitanud
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Paide ja ei ole esitanud
DocType: Project,Default Cost Center,Vaikimisi Cost Center
DocType: Bank Guarantee,End Date,End Date
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Stock tehingud
@@ -3707,24 +3738,22 @@
DocType: Employee,Held On,Toimunud
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Tootmine toode
,Employee Information,Töötaja Information
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Määr (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Määr (%)
DocType: Stock Entry Detail,Additional Cost,Lisakulu
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Majandusaasta lõpus kuupäev
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Ei filtreerimiseks Voucher Ei, kui rühmitatud Voucher"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Tee Tarnija Tsitaat
DocType: Quality Inspection,Incoming,Saabuva
DocType: BOM,Materials Required (Exploded),Vajalikud materjalid (Koostejoonis)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself",Lisa kasutajatel oma organisatsioonid peale ise
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Postitamise kuupäev ei saa olla tulevikus
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} ei ühti {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Casual Leave
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Casual Leave
DocType: Batch,Batch ID,Partii nr
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Märkus: {0}
,Delivery Note Trends,Toimetaja märkus Trends
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Nädala kokkuvõte
-,In Stock Qty,Laos Kogus
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Laos Kogus
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Konto: {0} saab uuendada ainult läbi Stock Tehingud
-DocType: Program Enrollment,Get Courses,saada Kursused
+DocType: Student Group Creation Tool,Get Courses,saada Kursused
DocType: GL Entry,Party,Osapool
DocType: Sales Order,Delivery Date,Toimetaja kuupäev
DocType: Opportunity,Opportunity Date,Opportunity kuupäev
@@ -3732,14 +3761,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Hinnapäring toode
DocType: Purchase Order,To Bill,Et Bill
DocType: Material Request,% Ordered,% Tellitud
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Kursuse aluseks Student Group, muidugi on kinnitatud iga tudeng õpib Kursused programmi Registreerimine."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Sisesta e-posti aadress komadega eraldatult, arve saadetakse automaatselt teatud kuupäeva"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Tükitöö
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Tükitöö
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Keskm. Ostmine Rate
DocType: Task,Actual Time (in Hours),Tegelik aeg (tundides)
DocType: Employee,History In Company,Ajalugu Company
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Infolehed
DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Entry
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kliendi> Kliendi Group> Territory
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Sama toode on kantud mitu korda
DocType: Department,Leave Block List,Jäta Block loetelu
DocType: Sales Invoice,Tax ID,Maksu- ID
@@ -3754,30 +3783,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} ühikut {1} vaja {2} tehingu lõpuleviimiseks.
DocType: Loan Type,Rate of Interest (%) Yearly,Intressimäär (%) Aastane
DocType: SMS Settings,SMS Settings,SMS seaded
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Ajutise konto
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Black
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Ajutise konto
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Black
DocType: BOM Explosion Item,BOM Explosion Item,Bom Explosion toode
DocType: Account,Auditor,Audiitor
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} tooted on valmistatud
DocType: Cheque Print Template,Distance from top edge,Kaugus ülemine serv
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Hinnakiri {0} on keelatud või ei ole olemas
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Hinnakiri {0} on keelatud või ei ole olemas
DocType: Purchase Invoice,Return,Tagasipöördumine
DocType: Production Order Operation,Production Order Operation,Tootmine Tellimus operatsiooni
DocType: Pricing Rule,Disable,Keela
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Maksmise viis on kohustatud makse
DocType: Project Task,Pending Review,Kuni Review
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ei kaasati Partii {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} ei saa lammutada, sest see on juba {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Kogukulude nõue (via kuluhüvitussüsteeme)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Kliendi ID
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark leidu
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rida {0}: valuuta Bom # {1} peaks olema võrdne valitud valuuta {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rida {0}: valuuta Bom # {1} peaks olema võrdne valitud valuuta {2}
DocType: Journal Entry Account,Exchange Rate,Vahetuskurss
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Sales Order {0} ei ole esitatud
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Sales Order {0} ei ole esitatud
DocType: Homepage,Tag Line,tag Line
DocType: Fee Component,Fee Component,Fee Component
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Fleet Management
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Lisa esemed
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Ladu {0}: Parent konto {1} ei BoLong ettevõtte {2}
DocType: Cheque Print Template,Regular,regulaarne
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Kokku weightage kõik Hindamiskriteeriumid peavad olema 100%
DocType: BOM,Last Purchase Rate,Viimati ostmise korral
@@ -3786,11 +3814,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,"Stock saa esineda Punkt {0}, kuna on variandid"
,Sales Person-wise Transaction Summary,Müük isikuviisilist Tehing kokkuvõte
DocType: Training Event,Contact Number,Kontakt arv
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Ladu {0} ei ole olemas
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Ladu {0} ei ole olemas
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Registreeru For ERPNext Hub
DocType: Monthly Distribution,Monthly Distribution Percentages,Kuu jaotusprotsentide
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Valitud parameetrit ei ole partii
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Hindamine määr ei leitud Punkt {0}, mis on vaja teha, raamatupidamise kandeid {1} {2}. Kui objekt on tehinguid prooviks elemendi {1}, palume mainida, et {1} Punkt tabelis. Vastasel juhul palun luua sissetuleva börsitehingu objekt või mainimist hindamise määr Punkt rekord, ja proovige seejärel saata ühe / tühistades sõnadest"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Hindamine määr ei leitud Punkt {0}, mis on vaja teha, raamatupidamise kandeid {1} {2}. Kui objekt on tehinguid prooviks elemendi {1}, palume mainida, et {1} Punkt tabelis. Vastasel juhul palun luua sissetuleva börsitehingu objekt või mainimist hindamise määr Punkt rekord, ja proovige seejärel saata ühe / tühistades sõnadest"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% Materjalidest tarnitud vastu Saateleht
DocType: Project,Customer Details,Kliendi andmed
DocType: Employee,Reports to,Ettekanded
@@ -3798,41 +3826,43 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Sisesta url parameeter vastuvõtja nos
DocType: Payment Entry,Paid Amount,Paide summa
DocType: Assessment Plan,Supervisor,juhendaja
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Hetkel
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,Hetkel
,Available Stock for Packing Items,Saadaval Stock jaoks asjade pakkimist
DocType: Item Variant,Item Variant,Punkt Variant
DocType: Assessment Result Tool,Assessment Result Tool,Hinnang Tulemus Tool
DocType: BOM Scrap Item,BOM Scrap Item,Bom Vanametalli toode
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Esitatud tellimusi ei saa kustutada
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Konto jääk juba Deebetkaart, sa ei tohi seada "Balance tuleb" nagu "Credit""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Kvaliteedijuhtimine
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Esitatud tellimusi ei saa kustutada
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Konto jääk juba Deebetkaart, sa ei tohi seada "Balance tuleb" nagu "Credit""
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Kvaliteedijuhtimine
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Punkt {0} on keelatud
DocType: Employee Loan,Repay Fixed Amount per Period,Maksta kindlaksmääratud summa Periood
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Palun sisestage koguse Punkt {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Kreeditarve Amt
DocType: Employee External Work History,Employee External Work History,Töötaja Väline tööandjad
DocType: Tax Rule,Purchase,Ostu
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Balance Kogus
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Balance Kogus
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Eesmärgid ei saa olla tühi
DocType: Item Group,Parent Item Group,Eellaselement Group
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} ja {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Kulukeskuste
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Kulukeskuste
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Hinda kus tarnija valuuta konverteeritakse ettevõtte baasvaluuta
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: ajastus on vastuolus rea {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Luba Zero Hindamine Rate
DocType: Training Event Employee,Invited,Kutsutud
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Mitu aktiivset palk Struktuurid leiti töötaja {0} jaoks antud kuupäeva
DocType: Opportunity,Next Contact,Järgmine Kontakt
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Setup Gateway kontosid.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Setup Gateway kontosid.
DocType: Employee,Employment Type,Tööhõive tüüp
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Põhivara
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Põhivara
DocType: Payment Entry,Set Exchange Gain / Loss,Määra Exchange kasum / kahjum
+,GST Purchase Register,GST Ostu Registreeri
,Cash Flow,Rahavoog
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Taotlemise tähtaeg ei või olla üle kahe alocation arvestust
DocType: Item Group,Default Expense Account,Vaikimisi ärikohtumisteks
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Student E-ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student E-ID
DocType: Employee,Notice (days),Teade (päeva)
DocType: Tax Rule,Sales Tax Template,Sales Tax Mall
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,"Valige objekt, et salvestada arve"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,"Valige objekt, et salvestada arve"
DocType: Employee,Encashment Date,Inkassatsioon kuupäev
DocType: Training Event,Internet,Internet
DocType: Account,Stock Adjustment,Stock reguleerimine
@@ -3860,7 +3890,7 @@
DocType: Guardian,Guardian Of ,eestkostja
DocType: Grading Scale Interval,Threshold,künnis
DocType: BOM Replace Tool,Current BOM,Praegune Bom
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Lisa Järjekorranumber
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Lisa Järjekorranumber
apps/erpnext/erpnext/config/support.py +22,Warranty,Garantii
DocType: Purchase Invoice,Debit Note Issued,Deebetarvega
DocType: Production Order,Warehouses,Laod
@@ -3869,20 +3899,20 @@
DocType: Workstation,per hour,tunnis
apps/erpnext/erpnext/config/buying.py +7,Purchasing,ostmine
DocType: Announcement,Announcement,teade
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Konto lattu (Perpetual Inventory) luuakse käesoleva konto.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Ladu ei saa kustutada, kuna laožurnaal kirjet selle lattu."
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Ravimipartii põhineb Student Group, Student Partii on kinnitatud igale õpilasele programmist Registreerimine."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Ladu ei saa kustutada, kuna laožurnaal kirjet selle lattu."
DocType: Company,Distribution,Distribution
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Makstud summa
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Projektijuht
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Projektijuht
,Quoted Item Comparison,Tsiteeritud Punkt võrdlus
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Dispatch
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max allahindlust lubatud kirje: {0} on {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Dispatch
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max allahindlust lubatud kirje: {0} on {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Puhasväärtuse nii edasi
DocType: Account,Receivable,Nõuete
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Ei ole lubatud muuta tarnija Ostutellimuse juba olemas
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Ei ole lubatud muuta tarnija Ostutellimuse juba olemas
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Roll, mis on lubatud esitada tehinguid, mis ületavad laenu piirmäärade."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Vali Pane Tootmine
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master andmete sünkroonimine, see võib võtta aega"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Vali Pane Tootmine
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master andmete sünkroonimine, see võib võtta aega"
DocType: Item,Material Issue,Materjal Issue
DocType: Hub Settings,Seller Description,Müüja kirjeldus
DocType: Employee Education,Qualification,Kvalifikatsioonikeskus
@@ -3902,7 +3932,6 @@
DocType: BOM,Rate Of Materials Based On,Hinda põhinevatest materjalidest
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Toetus Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Puhasta kõik
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Ettevõte on puudu ladudes {0}
DocType: POS Profile,Terms and Conditions,Tingimused
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},"Kuupäev peaks jääma eelarveaastal. Eeldades, et Date = {0}"
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Siin saate säilitada pikkus, kaal, allergia, meditsiini muresid etc"
@@ -3917,18 +3946,17 @@
DocType: Sales Order Item,For Production,Tootmiseks
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Vaata Task
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Teie majandusaasta algab
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Plii%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Asset Amortisatsiooniaruanne ja Kaalud
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Summa {0} {1} ülekantud {2} kuni {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Summa {0} {1} ülekantud {2} kuni {3}
DocType: Sales Invoice,Get Advances Received,Saa ettemaksed
DocType: Email Digest,Add/Remove Recipients,Add / Remove saajad
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Tehing ei ole lubatud vastu lõpetas tootmise Tellimus {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Tehing ei ole lubatud vastu lõpetas tootmise Tellimus {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Et määrata selle Fiscal Year as Default, kliki "Set as Default""
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,liituma
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,liituma
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Puuduse Kogus
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Punkt variant {0} on olemas sama atribuute
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Punkt variant {0} on olemas sama atribuute
DocType: Employee Loan,Repay from Salary,Tagastama alates Palk
DocType: Leave Application,LAP/,LAP /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},TELLIN tasumises {0} {1} jaoks kogus {2}
@@ -3939,34 +3967,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Loo pakkimine libiseb paketid saadetakse. Kasutatud teatama paketi number, pakendi sisu ning selle kaalu."
DocType: Sales Invoice Item,Sales Order Item,Sales Order toode
DocType: Salary Slip,Payment Days,Makse päeva
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Ladude tütartippu ei saa ümber arvestusraamatust
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Ladude tütartippu ei saa ümber arvestusraamatust
DocType: BOM,Manage cost of operations,Manage tegevuste kuludest
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Kui mõni kontrollida tehinguid "Esitatud", talle pop-up automaatselt avada saata e-kiri seotud "kontakt", et tehing, mille tehing manusena. Kasutaja ei pruugi saata e."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Global Settings
DocType: Assessment Result Detail,Assessment Result Detail,Hindamise tulemused teave
DocType: Employee Education,Employee Education,Töötajate haridus
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Duplicate kirje rühm leidis elemendi rühma tabelis
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,"See on vajalik, et tõmbad Punkt Details."
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,"See on vajalik, et tõmbad Punkt Details."
DocType: Salary Slip,Net Pay,Netopalk
DocType: Account,Account,Konto
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Serial No {0} on juba saanud
,Requested Items To Be Transferred,Taotletud üleantavate
DocType: Expense Claim,Vehicle Log,Sõidukite Logi
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Ladu {0} ei ole seotud ühegi kontot, siis loo / link vastava (Asset) konto lattu."
DocType: Purchase Invoice,Recurring Id,Korduvad Id
DocType: Customer,Sales Team Details,Sales Team Üksikasjad
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Kustuta jäädavalt?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Kustuta jäädavalt?
DocType: Expense Claim,Total Claimed Amount,Kokku nõutav summa
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potentsiaalne võimalusi müüa.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Vale {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Haiguslehel
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Vale {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Haiguslehel
DocType: Email Digest,Email Digest,Email Digest
DocType: Delivery Note,Billing Address Name,Arved Aadress Nimi
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Kaubamajad
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Setup oma kooli ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Põhimuutus summa (firma Valuuta)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,No raamatupidamise kanded järgmiste laod
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,No raamatupidamise kanded järgmiste laod
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Säästa dokumendi esimene.
DocType: Account,Chargeable,Maksustatav
DocType: Company,Change Abbreviation,Muuda lühend
@@ -3984,7 +4011,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Oodatud Toimetaja kuupäev ei saa olla enne Ostutellimuse kuupäev
DocType: Appraisal,Appraisal Template,Hinnang Mall
DocType: Item Group,Item Classification,Punkt klassifitseerimine
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Business Development Manager
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Hooldus Külasta Purpose
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Periood
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,General Ledger
@@ -3994,8 +4021,8 @@
DocType: Item Attribute Value,Attribute Value,Omadus Value
,Itemwise Recommended Reorder Level,Itemwise Soovitatav Reorder Level
DocType: Salary Detail,Salary Detail,palk Detail
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,Palun valige {0} Esimene
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Partii {0} Punkt {1} on aegunud.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Palun valige {0} Esimene
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Partii {0} Punkt {1} on aegunud.
DocType: Sales Invoice,Commission,Vahendustasu
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Aeg Sheet valmistamiseks.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,osakokkuvõte
@@ -4006,6 +4033,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`Freeze Varud Vanemad Than` peab olema väiksem kui% d päeva.
DocType: Tax Rule,Purchase Tax Template,Ostumaks Mall
,Project wise Stock Tracking,Projekti tark Stock Tracking
+DocType: GST HSN Code,Regional,piirkondlik
DocType: Stock Entry Detail,Actual Qty (at source/target),Tegelik Kogus (tekkekohas / target)
DocType: Item Customer Detail,Ref Code,Ref kood
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Töötaja arvestust.
@@ -4016,13 +4044,13 @@
DocType: Email Digest,New Purchase Orders,Uus Ostutellimuste
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Juur ei saa olla vanem kulukeskus
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Vali brändi ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Koolitusi / Results
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Akumuleeritud kulum kohta
DocType: Sales Invoice,C-Form Applicable,C-kehtival kujul
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Tööaeg peab olema suurem kui 0 operatsiooni {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Ladu on kohustuslik
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Ladu on kohustuslik
DocType: Supplier,Address and Contacts,Aadress ja Kontakt
DocType: UOM Conversion Detail,UOM Conversion Detail,UOM Conversion Detail
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Hoidke see web sõbralik 900px (w) poolt 100px (h)
DocType: Program,Program Abbreviation,programm lühend
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Tootmine tellimust ei ole võimalik vastu tekitatud Punkt Mall
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Maksud uuendatakse ostutšekk iga punkti
@@ -4030,13 +4058,13 @@
DocType: Bank Guarantee,Start Date,Alguskuupäev
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Eraldada lehed perioodiks.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Tšekid ja hoiused valesti puhastatud
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Konto {0} Te ei saa määrata ise vanemakonto
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Konto {0} Te ei saa määrata ise vanemakonto
DocType: Purchase Invoice Item,Price List Rate,Hinnakiri Rate
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Loo klientide hinnapakkumisi
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Show "In Stock" või "Ei ole laos" põhineb laos olemas see lattu.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Materjaliandmik (BOM)
DocType: Item,Average time taken by the supplier to deliver,"Keskmine aeg, mis kulub tarnija andma"
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,Hinnang Tulemus
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,Hinnang Tulemus
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Tööaeg
DocType: Project,Expected Start Date,Oodatud Start Date
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,"Eemalda kirje, kui makse ei kohaldata selle objekti"
@@ -4050,24 +4078,23 @@
DocType: Workstation,Operating Costs,Tegevuskulud
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,"Action, kui kogunenud Kuu eelarve ületatud"
DocType: Purchase Invoice,Submit on creation,Esitada kohta loomine
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Valuuta eest {0} peab olema {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Valuuta eest {0} peab olema {1}
DocType: Asset,Disposal Date,müügikuupäevaga
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Kirjad saadetakse kõigile aktiivsetele Ettevõtte töötajad on teatud tunnil, kui neil ei ole puhkus. Vastuste kokkuvõte saadetakse keskööl."
DocType: Employee Leave Approver,Employee Leave Approver,Töötaja Jäta Approver
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: an Reorder kirje on juba olemas selle lao {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: an Reorder kirje on juba olemas selle lao {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Ei saa kuulutada kadunud, sest Tsitaat on tehtud."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,koolitus tagasiside
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Tootmine Tellimus {0} tuleb esitada
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Tootmine Tellimus {0} tuleb esitada
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Palun valige Start ja lõppkuupäeva eest Punkt {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Muidugi on kohustuslik järjest {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Praeguseks ei saa enne kuupäevast alates
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Klienditeenindus Lisa / uuenda Hinnad
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Klienditeenindus Lisa / uuenda Hinnad
DocType: Batch,Parent Batch,Vanem Partii
DocType: Cheque Print Template,Cheque Print Template,Tšekk Prindi Mall
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Graafik kulukeskuste
,Requested Items To Be Ordered,Taotlenud objekte tuleb tellida
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,Ladu ettevõte peab olema sama konto ettevõte
DocType: Price List,Price List Name,Hinnakiri nimi
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Igapäevase töö kokkuvõte {0}
DocType: Employee Loan,Totals,Summad
@@ -4089,55 +4116,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Palun sisestage kehtiv mobiiltelefoni nos
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Palun sisesta enne saatmist
DocType: Email Digest,Pending Quotations,Kuni tsitaadid
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Point-of-Sale profiili
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale profiili
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Palun uuendage SMS seaded
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Tagatiseta laenud
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Tagatiseta laenud
DocType: Cost Center,Cost Center Name,Kuluüksus nimi
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Max tööaeg vastu Töögraafik
DocType: Maintenance Schedule Detail,Scheduled Date,Tähtajad
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Kokku Paide Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Kokku Paide Amt
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Teated enam kui 160 tähemärki jagatakse mitu sõnumit
DocType: Purchase Receipt Item,Received and Accepted,Saanud ja heaks kiitnud
+,GST Itemised Sales Register,GST Üksikasjalikud Sales Registreeri
,Serial No Service Contract Expiry,Serial No Service Lepingu lõppemise
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Sa ei saa deebet- ja sama konto korraga
DocType: Naming Series,Help HTML,Abi HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Student Group Loomistööriist
DocType: Item,Variant Based On,Põhinev variant
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Kokku weightage määratud peaks olema 100%. On {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Sinu Tarnijad
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Sinu Tarnijad
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,"Ei saa määrata, kui on kaotatud Sales Order on tehtud."
DocType: Request for Quotation Item,Supplier Part No,Tarnija osa pole
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Ei saa maha arvata, kui kategooria on "Hindamine" või "Vaulation ja kokku""
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Saadud
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Saadud
DocType: Lead,Converted,Converted
DocType: Item,Has Serial No,Kas Serial No
DocType: Employee,Date of Issue,Väljastamise kuupäev
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: From {0} ja {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Nagu iga ostmine Seaded kui ost Olles kätte sobiv == "JAH", siis luua ostuarve, kasutaja vaja luua ostutšekk esmalt toode {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Row # {0}: Vali Tarnija kirje {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Rida {0}: Tundi väärtus peab olema suurem kui null.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Koduleht Pilt {0} juurde Punkt {1} ei leitud
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Koduleht Pilt {0} juurde Punkt {1} ei leitud
DocType: Issue,Content Type,Sisu tüüp
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Arvuti
DocType: Item,List this Item in multiple groups on the website.,Nimekiri see toode mitmes rühmade kodulehel.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Palun kontrollige Multi Valuuta võimalust anda kontosid muus valuutas
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Eseme: {0} ei eksisteeri süsteemis
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Teil ei ole seada Külmutatud väärtus
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Eseme: {0} ei eksisteeri süsteemis
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Teil ei ole seada Külmutatud väärtus
DocType: Payment Reconciliation,Get Unreconciled Entries,Võta unreconciled kanded
DocType: Payment Reconciliation,From Invoice Date,Siit Arve kuupäev
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,Arveldusvaluuta peab olema võrdne kas vaikimisi comapany valuuta või partei konto valuuta
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Jäta Inkassatsioon
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Mida ta teeb?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,Arveldusvaluuta peab olema võrdne kas vaikimisi comapany valuuta või partei konto valuuta
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Jäta Inkassatsioon
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Mida ta teeb?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Et Warehouse
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Kõik Student Sisseastujale
,Average Commission Rate,Keskmine Komisjoni Rate
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,"Kas Serial No" ei saa olla "Jah" mitte-laoartikkel
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"Kas Serial No" ei saa olla "Jah" mitte-laoartikkel
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Osavõtt märkida ei saa tulevikus kuupäev
DocType: Pricing Rule,Pricing Rule Help,Hinnakujundus Reegel Abi
DocType: School House,House Name,House Nimi
DocType: Purchase Taxes and Charges,Account Head,Konto Head
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Uuenda lisakulude arvutamise maandus objektide soetusmaksumus
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Elektriline
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Elektriline
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Lisa oma ülejäänud organisatsiooni kasutajatele. Võite lisada ka kutsuda kliente oma portaalis lisades neid Kontaktid
DocType: Stock Entry,Total Value Difference (Out - In),Kokku Väärtus Difference (Out - In)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Row {0}: Vahetuskurss on kohustuslik
@@ -4147,7 +4176,7 @@
DocType: Item,Customer Code,Kliendi kood
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Sünnipäev Meeldetuletus {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Päeva eelmisest Telli
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Kanne konto peab olema bilansis
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Kanne konto peab olema bilansis
DocType: Buying Settings,Naming Series,Nimetades Series
DocType: Leave Block List,Leave Block List Name,Jäta Block nimekiri nimi
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Kindlustus Alguse kuupäev peaks olema väiksem kui Kindlustus Lõppkuupäev
@@ -4162,26 +4191,26 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Palgatõend töötaja {0} on juba loodud ajaandmik {1}
DocType: Vehicle Log,Odometer,odomeetri
DocType: Sales Order Item,Ordered Qty,Tellitud Kogus
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Punkt {0} on keelatud
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Punkt {0} on keelatud
DocType: Stock Settings,Stock Frozen Upto,Stock Külmutatud Upto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,Bom ei sisalda laoartikkel
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,Bom ei sisalda laoartikkel
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Ajavahemikul ja periood soovitud kohustuslik korduvad {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Projekti tegevus / ülesanne.
DocType: Vehicle Log,Refuelling Details,tankimine detailid
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Loo palgalehed
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Ostmine tuleb kontrollida, kui need on kohaldatavad valitakse {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Ostmine tuleb kontrollida, kui need on kohaldatavad valitakse {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Soodustus peab olema väiksem kui 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Viimati ostu määr ei leitud
DocType: Purchase Invoice,Write Off Amount (Company Currency),Kirjutage Off summa (firma Valuuta)
DocType: Sales Invoice Timesheet,Billing Hours,Arved Tundi
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,Vaikimisi Bom {0} ei leitud
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Row # {0}: määrake reorganiseerima kogusest
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Row # {0}: määrake reorganiseerima kogusest
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Puuduta Toodete lisamiseks neid siin
DocType: Fees,Program Enrollment,programm Registreerimine
DocType: Landed Cost Voucher,Landed Cost Voucher,Maandus Cost Voucher
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Palun määra {0}
DocType: Purchase Invoice,Repeat on Day of Month,Korda päev kuus
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} ei ole aktiivne üliõpilane
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} ei ole aktiivne üliõpilane
DocType: Employee,Health Details,Tervis Üksikasjad
DocType: Offer Letter,Offer Letter Terms,Paku kiri Tingimused
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Et luua maksenõude viide dokument on nõutav
@@ -4202,7 +4231,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Näide: ABCD. ##### Kui seeria on seatud ja Serial No ei ole nimetatud tehingute, siis automaatne seerianumber luuakse põhineb selles sarjas. Kui tahad alati mainitaks Serial nr selle objekt. jäta tühjaks."
DocType: Upload Attendance,Upload Attendance,Laadi Osavõtt
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,Bom ja tootmine Kogus on vajalik
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,Bom ja tootmine Kogus on vajalik
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Vananemine Range 2
DocType: SG Creation Tool Course,Max Strength,max Strength
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,Bom asendatakse
@@ -4211,8 +4240,8 @@
,Prospects Engaged But Not Converted,Väljavaated Kihlatud Aga mis ei ole ümber
DocType: Manufacturing Settings,Manufacturing Settings,Tootmine Seaded
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Seadistamine E-
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Mobile nr
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Palun sisesta vaikimisi valuuta Company Master
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile nr
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Palun sisesta vaikimisi valuuta Company Master
DocType: Stock Entry Detail,Stock Entry Detail,Stock Entry Detail
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Daily meeldetuletused
DocType: Products Settings,Home Page is Products,Esileht on tooted
@@ -4221,7 +4250,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,New Account Name
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Tarnitud tooraine kulu
DocType: Selling Settings,Settings for Selling Module,Seaded Müük Module
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Kasutajatugi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Kasutajatugi
DocType: BOM,Thumbnail,Pisipilt
DocType: Item Customer Detail,Item Customer Detail,Punkt Kliendi Detail
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Pakkuda kandidaat tööd.
@@ -4230,7 +4259,7 @@
DocType: Pricing Rule,Percentage,protsent
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Punkt {0} peab olema laoartikkel
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Vaikimisi Work In Progress Warehouse
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Vaikimisi seadete raamatupidamistehingute.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Vaikimisi seadete raamatupidamistehingute.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Oodatud kuupäev ei saa olla enne Material taotlus kuupäev
DocType: Purchase Invoice Item,Stock Qty,stock Kogus
@@ -4243,10 +4272,10 @@
DocType: Sales Order,Printing Details,Printimine Üksikasjad
DocType: Task,Closing Date,Lõpptähtaeg
DocType: Sales Order Item,Produced Quantity,Toodetud kogus
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Insener
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Insener
DocType: Journal Entry,Total Amount Currency,Kokku Summa Valuuta
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Otsi Sub Assemblies
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Kood nõutav Row No {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Kood nõutav Row No {0}
DocType: Sales Partner,Partner Type,Partner Type
DocType: Purchase Taxes and Charges,Actual,Tegelik
DocType: Authorization Rule,Customerwise Discount,Customerwise Soodus
@@ -4263,11 +4292,11 @@
DocType: Item Reorder,Re-Order Level,Re-Order Level
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Sisesta esemed ja planeeritud Kogus, mille soovite tõsta tootmise tellimuste või laadida tooraine analüüsi."
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantti tabel
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Poole kohaga
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Poole kohaga
DocType: Employee,Applicable Holiday List,Rakendatav Holiday nimekiri
DocType: Employee,Cheque,Tšekk
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Seeria Uuendatud
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Aruande tüüp on kohustuslik
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Aruande tüüp on kohustuslik
DocType: Item,Serial Number Series,Serial Number Series
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Ladu on kohustuslik laos Punkt {0} järjest {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Jae- ja hulgimüük
@@ -4288,7 +4317,7 @@
DocType: BOM,Materials,Materjalid
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Kui ei kontrollita, nimekirja tuleb lisada iga osakond, kus tuleb rakendada."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Allikas ja Target Warehouse ei saa olla sama
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Postitamise kuupäev ja postitad aega on kohustuslik
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Postitamise kuupäev ja postitad aega on kohustuslik
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Maksu- malli osta tehinguid.
,Item Prices,Punkt Hinnad
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"Sõnades on nähtav, kui salvestate tellimusele."
@@ -4298,22 +4327,23 @@
DocType: Purchase Invoice,Advance Payments,Ettemaksed
DocType: Purchase Taxes and Charges,On Net Total,On Net kokku
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Väärtus Oskus {0} peab olema vahemikus {1} kuni {2} on juurdekasvuga {3} jaoks Punkt {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Target ladu rida {0} peab olema sama Production Telli
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Target ladu rida {0} peab olema sama Production Telli
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,"Teavitamine e-posti aadressid" määratlemata korduvad% s
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,Valuuta ei saa muuta pärast kande tegemiseks kasutada mõne muu valuuta
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Valuuta ei saa muuta pärast kande tegemiseks kasutada mõne muu valuuta
DocType: Vehicle Service,Clutch Plate,Siduriketas
DocType: Company,Round Off Account,Ümardada konto
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Halduskulud
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Halduskulud
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Konsulteeriv
DocType: Customer Group,Parent Customer Group,Parent Kliendi Group
DocType: Purchase Invoice,Contact Email,Kontakt E-
DocType: Appraisal Goal,Score Earned,Skoor Teenitud
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Etteteatamistähtaeg
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Etteteatamistähtaeg
DocType: Asset Category,Asset Category Name,Põhivarakategoori Nimi
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,See on root territooriumil ja seda ei saa muuta.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Uus Sales Person Nimi
DocType: Packing Slip,Gross Weight UOM,Gross Weight UOM
DocType: Delivery Note Item,Against Sales Invoice,Vastu müügiarve
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Sisestage seerianumbrid seeriatootmiseks kirje
DocType: Bin,Reserved Qty for Production,Reserveeritud Kogus Production
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Jäta märkimata, kui sa ei taha kaaluda partii tehes muidugi rühmi."
DocType: Asset,Frequency of Depreciation (Months),Sagedus kulum (kuud)
@@ -4321,25 +4351,25 @@
DocType: Landed Cost Item,Landed Cost Item,Maandus kuluartikkel
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Näita null väärtused
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Kogus punkti saadi pärast tootmise / pakkimise etteantud tooraine kogused
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Setup lihtne veebilehel oma organisatsiooni
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Setup lihtne veebilehel oma organisatsiooni
DocType: Payment Reconciliation,Receivable / Payable Account,Laekumata / maksmata konto
DocType: Delivery Note Item,Against Sales Order Item,Vastu Sales Order toode
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},Palun täpsustage omadus Väärtus atribuut {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},Palun täpsustage omadus Väärtus atribuut {0}
DocType: Item,Default Warehouse,Vaikimisi Warehouse
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Eelarve ei saa liigitada vastu Group Konto {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Palun sisestage vanem kulukeskus
DocType: Delivery Note,Print Without Amount,Trüki Ilma summa
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,Amortisatsioon kuupäev
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Maksu- Kategooria ei saa olla "Hindamine" või "Hindamine ja kokku", sest kõik teemad on mitte-laos toodet"
DocType: Issue,Support Team,Support Team
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Lõppemine (päevades)
DocType: Appraisal,Total Score (Out of 5),Üldskoor (Out of 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Partii
+DocType: Student Attendance Tool,Batch,Partii
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Saldo
DocType: Room,Seating Capacity,istekohtade arv
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Kogukulude nõue (via kuluaruanded)
+DocType: GST Settings,GST Summary,GST kokkuvõte
DocType: Assessment Result,Total Score,punkte kokku
DocType: Journal Entry,Debit Note,Võlateate
DocType: Stock Entry,As per Stock UOM,Nagu iga Stock UOM
@@ -4350,12 +4380,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Vaikimisi valmistoodangu ladu
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Sales Person
DocType: SMS Parameter,SMS Parameter,SMS Parameeter
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Eelarve ja Kulukeskus
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Eelarve ja Kulukeskus
DocType: Vehicle Service,Half Yearly,Pooleaastane
DocType: Lead,Blog Subscriber,Blogi Subscriber
DocType: Guardian,Alternate Number,Alternate arv
DocType: Assessment Plan Criteria,Maximum Score,Maksimaalne Score
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,"Loo reeglite piirata tehingud, mis põhinevad väärtustel."
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Group Roll nr
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Jäta tühjaks, kui teete õpilast rühmade aastas"
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Kui see on märgitud, kokku ei. tööpäevade hulka puhkusereisid ja see vähendab väärtust Palk päevas"
DocType: Purchase Invoice,Total Advance,Kokku Advance
@@ -4373,6 +4404,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,See põhineb tehingute vastu Klient. Vaata ajakava allpool lähemalt
DocType: Supplier,Credit Days Based On,"Krediidi päeva jooksul, olenevalt"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Rida {0}: Eraldatud summa {1} peab olema väiksem või võrdne maksmine Entry summa {2}
+,Course wise Assessment Report,Muidugi tark hindamisaruande
DocType: Tax Rule,Tax Rule,Maksueeskiri
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Säilitada sama kiirusega Kogu müügitsüklit
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Plaani aeg kajakad väljaspool Workstation tööaega.
@@ -4381,7 +4413,7 @@
,Items To Be Requested,"Esemed, mida tuleb taotleda"
DocType: Purchase Order,Get Last Purchase Rate,Võta Viimati ostmise korral
DocType: Company,Company Info,Firma Info
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Valige või lisage uus klient
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Valige või lisage uus klient
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Kuluüksus on vaja broneerida kulu nõude
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Application of Funds (vara)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,See põhineb käimist selle töötaja
@@ -4389,27 +4421,29 @@
DocType: Fiscal Year,Year Start Date,Aasta alguskuupäev
DocType: Attendance,Employee Name,Töötaja nimi
DocType: Sales Invoice,Rounded Total (Company Currency),Ümardatud kokku (firma Valuuta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,"Ei varjatud rühma, sest Konto tüüp on valitud."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Ei varjatud rühma, sest Konto tüüp on valitud."
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} on muudetud. Palun värskenda.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Peatus kasutajad tegemast Jäta Rakendused järgmistel päevadel.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,ostusummast
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Tarnija Tsitaat {0} loodud
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,End Aasta ei saa enne Start Aasta
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Töövõtjate hüvitised
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Töövõtjate hüvitised
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Pakitud kogus peab olema võrdne koguse Punkt {0} järjest {1}
DocType: Production Order,Manufactured Qty,Toodetud Kogus
DocType: Purchase Receipt Item,Accepted Quantity,Aktsepteeritud Kogus
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Palun Algsete Holiday nimekiri Töötajaportaali {0} või ettevõtte {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} pole olemas
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} pole olemas
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Valige partiinumbritele
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Arveid tõstetakse klientidele.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Project Id
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Rea nr {0}: summa ei saa olla suurem kui Kuni summa eest kuluhüvitussüsteeme {1}. Kuni Summa on {2}
DocType: Maintenance Schedule,Schedule,Graafik
DocType: Account,Parent Account,Parent konto
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,saadaval
DocType: Quality Inspection Reading,Reading 3,Lugemine 3
,Hub,Hub
DocType: GL Entry,Voucher Type,Voucher Type
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Hinnakiri ei leitud või puudega
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Hinnakiri ei leitud või puudega
DocType: Employee Loan Application,Approved,Kinnitatud
DocType: Pricing Rule,Price,Hind
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Töötaja vabastati kohta {0} tuleb valida 'Vasak'
@@ -4420,7 +4454,8 @@
DocType: Selling Settings,Campaign Naming By,Kampaania nimetamine By
DocType: Employee,Current Address Is,Praegune aadress
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,modifitseeritud
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Valikuline. Lavakujundus ettevõtte default valuutat, kui ei ole täpsustatud."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Valikuline. Lavakujundus ettevõtte default valuutat, kui ei ole täpsustatud."
+DocType: Sales Invoice,Customer GSTIN,Kliendi GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Raamatupidamine päevikukirjete.
DocType: Delivery Note Item,Available Qty at From Warehouse,Saadaval Kogus kell laost
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,Palun valige Töötaja Record esimene.
@@ -4428,7 +4463,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Pidu / konto ei ühti {1} / {2} on {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Palun sisestage ärikohtumisteks
DocType: Account,Stock,Varu
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",Rida # {0}: Reference Document Type peab olema üks ostutellimustest ostuarve või päevikusissekanne
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",Rida # {0}: Reference Document Type peab olema üks ostutellimustest ostuarve või päevikusissekanne
DocType: Employee,Current Address,Praegune aadress
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Kui objekt on variant teise elemendi siis kirjeldus, pilt, hind, maksud jne seatakse malli, kui ei ole märgitud"
DocType: Serial No,Purchase / Manufacture Details,Ostu / Tootmine Detailid
@@ -4441,8 +4476,8 @@
DocType: Pricing Rule,Min Qty,Min Kogus
DocType: Asset Movement,Transaction Date,Tehingu kuupäev
DocType: Production Plan Item,Planned Qty,Planeeritud Kogus
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Kokku maksu-
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Sest Kogus (Toodetud Kogus) on kohustuslik
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Kokku maksu-
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Sest Kogus (Toodetud Kogus) on kohustuslik
DocType: Stock Entry,Default Target Warehouse,Vaikimisi Target Warehouse
DocType: Purchase Invoice,Net Total (Company Currency),Net kokku (firma Valuuta)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Aasta lõpu kuupäev ei saa olla varasem kui alguskuupäev. Palun paranda kuupäev ja proovi uuesti.
@@ -4456,13 +4491,11 @@
DocType: Hub Settings,Hub Settings,Hub Seaded
DocType: Project,Gross Margin %,Gross Margin%
DocType: BOM,With Operations,Mis Operations
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Raamatupidamise kanded on tehtud juba valuuta {0} ja ettevõtete {1}. Palun valige saadaoleva või maksmisele konto valuuta {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Raamatupidamise kanded on tehtud juba valuuta {0} ja ettevõtete {1}. Palun valige saadaoleva või maksmisele konto valuuta {0}.
DocType: Asset,Is Existing Asset,Kas Olemasolevad Asset
DocType: Salary Detail,Statistical Component,Statistilised Component
-,Monthly Salary Register,Kuupalga Registreeri
DocType: Warranty Claim,If different than customer address,Kui teistsugune kui klient aadress
DocType: BOM Operation,BOM Operation,Bom operatsiooni
-DocType: School Settings,Validate the Student Group from Program Enrollment,Valideerida Student Group Program Registreerimine
DocType: Purchase Taxes and Charges,On Previous Row Amount,On eelmise rea summa
DocType: Student,Home Address,Kodu aadress
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Transfer Asset
@@ -4470,28 +4503,27 @@
DocType: Training Event,Event Name,sündmus Nimi
apps/erpnext/erpnext/config/schools.py +39,Admission,sissepääs
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Kordadega {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Hooajalisus jaoks eelarveid, eesmärgid jms"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Punkt {0} on mall, valige palun üks selle variandid"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Hooajalisus jaoks eelarveid, eesmärgid jms"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Punkt {0} on mall, valige palun üks selle variandid"
DocType: Asset,Asset Category,Põhivarakategoori
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Ostja
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Netopalk ei tohi olla negatiivne
DocType: SMS Settings,Static Parameters,Staatiline parameetrid
DocType: Assessment Plan,Room,ruum
DocType: Purchase Order,Advance Paid,Advance Paide
DocType: Item,Item Tax,Punkt Maksu-
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materjal Tarnija
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Aktsiisi Arve
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Aktsiisi Arve
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Lävepakk {0}% esineb enam kui ühel
DocType: Expense Claim,Employees Email Id,Töötajad Post Id
DocType: Employee Attendance Tool,Marked Attendance,Märkimisväärne osavõtt
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Lühiajalised kohustused
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Lühiajalised kohustused
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Saada mass SMS oma kontaktid
DocType: Program,Program Name,programmi nimi
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,"Mõtle maksu, sest"
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Tegelik Kogus on kohustuslikuks
DocType: Employee Loan,Loan Type,laenu liik
DocType: Scheduling Tool,Scheduling Tool,Ajastus Tool
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Krediitkaart
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Krediitkaart
DocType: BOM,Item to be manufactured or repacked,Punkt tuleb toota või ümber
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Vaikimisi seadete laos tehinguid.
DocType: Purchase Invoice,Next Date,Järgmine kuupäev
@@ -4507,10 +4539,10 @@
DocType: Stock Entry,Repack,Pakkige
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Sa pead Säästa kujul enne jätkamist
DocType: Item Attribute,Numeric Values,Arvväärtuste
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Kinnita Logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Kinnita Logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,varude
DocType: Customer,Commission Rate,Komisjonitasu määr
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Tee Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Tee Variant
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Block puhkuse taotluste osakonda.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Makse tüüp peab olema üks vastuvõtmine, palk ja Internal Transfer"
apps/erpnext/erpnext/config/selling.py +179,Analytics,Analytics
@@ -4518,45 +4550,45 @@
DocType: Vehicle,Model,mudel
DocType: Production Order,Actual Operating Cost,Tegelik töökulud
DocType: Payment Entry,Cheque/Reference No,Tšekk / Viitenumber
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Juur ei saa muuta.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Juur ei saa muuta.
DocType: Item,Units of Measure,Mõõtühikud
DocType: Manufacturing Settings,Allow Production on Holidays,Laske Production Holidays
DocType: Sales Order,Customer's Purchase Order Date,Kliendi ostutellimuse kuupäev
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Aktsiakapitali
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Aktsiakapitali
DocType: Shopping Cart Settings,Show Public Attachments,Näita avalikud failid
DocType: Packing Slip,Package Weight Details,Pakendi kaal Üksikasjad
DocType: Payment Gateway Account,Payment Gateway Account,Payment Gateway konto
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Pärast makse lõpetamist suunata kasutaja valitud leheküljele.
DocType: Company,Existing Company,olemasolevad Company
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Maksu- Kategooria on muudetud "Kokku", sest kõik valikud on mitte-stock asjade"
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Palun valige csv faili
DocType: Student Leave Application,Mark as Present,Märgi olevik
DocType: Purchase Order,To Receive and Bill,Saada ja Bill
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Soovitatavad tooted
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Projekteerija
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Projekteerija
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Tingimused Mall
DocType: Serial No,Delivery Details,Toimetaja detailid
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Cost Center on vaja järjest {0} maksude tabel tüüp {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Cost Center on vaja järjest {0} maksude tabel tüüp {1}
DocType: Program,Program Code,programmi kood
DocType: Terms and Conditions,Terms and Conditions Help,Tingimused Abi
,Item-wise Purchase Register,Punkt tark Ostu Registreeri
DocType: Batch,Expiry Date,Aegumisaja
-,Supplier Addresses and Contacts,Tarnija aadressid ja kontaktid
,accounts-browser,kontode brauser
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,Palun valige kategooria esimene
apps/erpnext/erpnext/config/projects.py +13,Project master.,Projekti kapten.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Et võimaldada üle-arvete või üle-tellimine, uuendada "toetus" Stock seaded või toode."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Et võimaldada üle-arvete või üle-tellimine, uuendada "toetus" Stock seaded või toode."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Ära näita tahes sümbol nagu $ jne kõrval valuutades.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Pool päeva)
DocType: Supplier,Credit Days,Krediidi päeva
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Tee Student Partii
DocType: Leave Type,Is Carry Forward,Kas kanda
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Võta Kirjed Bom
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Võta Kirjed Bom
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Ooteaeg päeva
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rida # {0}: Postitamise kuupäev peab olema sama ostu kuupäevast {1} vara {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rida # {0}: Postitamise kuupäev peab olema sama ostu kuupäevast {1} vara {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Palun sisesta müügitellimuste ülaltoodud tabelis
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Ei esitata palgalehed
,Stock Summary,Stock kokkuvõte
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Transfer vara ühest laost teise
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Transfer vara ühest laost teise
DocType: Vehicle,Petrol,bensiin
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Materjaliandmik
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Row {0}: Party tüüp ja partei on vajalik laekumata / maksmata konto {1}
@@ -4567,6 +4599,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Sanktsioneeritud summa
DocType: GL Entry,Is Opening,Kas avamine
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Row {0}: deebetkanne ei saa siduda koos {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Konto {0} ei ole olemas
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Konto {0} ei ole olemas
DocType: Account,Cash,Raha
DocType: Employee,Short biography for website and other publications.,Lühike elulugu kodulehel ja teistes väljaannetes.
diff --git a/erpnext/translations/fa.csv b/erpnext/translations/fa.csv
index d2d9310..20148b7 100644
--- a/erpnext/translations/fa.csv
+++ b/erpnext/translations/fa.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,محصولات مصرفی
DocType: Item,Customer Items,آیتم های مشتری
DocType: Project,Costing and Billing,هزینه یابی و حسابداری
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,حساب {0}: حساب مرجع {1} می تواند یک دفتر نمی
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,حساب {0}: حساب مرجع {1} می تواند یک دفتر نمی
DocType: Item,Publish Item to hub.erpnext.com,مورد انتشار hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,ایمیل اخبار
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,ارزیابی
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,ارزیابی
DocType: Item,Default Unit of Measure,واحد اندازه گیری پیش فرض
DocType: SMS Center,All Sales Partner Contact,اطلاعات تماس تمام شرکای فروش
DocType: Employee,Leave Approvers,ترک Approvers
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),نرخ ارز باید به همان صورت {0} {1} ({2})
DocType: Sales Invoice,Customer Name,نام مشتری
DocType: Vehicle,Natural Gas,گاز طبیعی
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},حساب بانکی می تواند به عنوان نمی شود به نام {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},حساب بانکی می تواند به عنوان نمی شود به نام {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,سر (یا گروه) که در برابر مطالب حسابداری ساخته شده است و توازن حفظ می شوند.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),برجسته برای {0} نمی تواند کمتر از صفر ({1})
DocType: Manufacturing Settings,Default 10 mins,پیش فرض 10 دقیقه
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,همه با منبع تماس با
DocType: Support Settings,Support Settings,تنظیمات پشتیبانی
DocType: SMS Parameter,Parameter,پارامتر
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,انتظار می رود تاریخ پایان نمی تواند کمتر از حد انتظار تاریخ شروع
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,انتظار می رود تاریخ پایان نمی تواند کمتر از حد انتظار تاریخ شروع
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ردیف # {0}: نرخ باید به همان صورت {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,جدید مرخصی استفاده
,Batch Item Expiry Status,دسته ای مورد وضعیت انقضاء
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,حواله بانکی
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,حواله بانکی
DocType: Mode of Payment Account,Mode of Payment Account,نحوه حساب پرداخت
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,نمایش انواع
DocType: Academic Term,Academic Term,ترم تحصیلی
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,ماده
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,مقدار
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,جدول حسابها نمی تواند خالی باشد.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),وام (بدهی)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),وام (بدهی)
DocType: Employee Education,Year of Passing,سال عبور
DocType: Item,Country of Origin,کشور مبدا
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,در انبار
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,در انبار
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,مسائل باز
DocType: Production Plan Item,Production Plan Item,تولید مورد طرح
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},کاربر {0} در حال حاضر به کارکنان اختصاص داده {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,بهداشت و درمان
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),تاخیر در پرداخت (روز)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,هزینه خدمات
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},شماره سریال: {0} در حال حاضر در فاکتور فروش اشاره: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},شماره سریال: {0} در حال حاضر در فاکتور فروش اشاره: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,فاکتور
DocType: Maintenance Schedule Item,Periodicity,تناوب
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,سال مالی {0} مورد نیاز است
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,ردیف # {0}:
DocType: Timesheet,Total Costing Amount,مبلغ کل هزینه یابی
DocType: Delivery Note,Vehicle No,خودرو بدون
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,لطفا لیست قیمت را انتخاب کنید
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,لطفا لیست قیمت را انتخاب کنید
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,ردیف # {0}: سند پرداخت مورد نیاز است برای تکمیل trasaction
DocType: Production Order Operation,Work In Progress,کار در حال انجام
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,لطفا تاریخ را انتخاب کنید
DocType: Employee,Holiday List,فهرست تعطیلات
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,حسابدار
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,حسابدار
DocType: Cost Center,Stock User,سهام کاربر
DocType: Company,Phone No,تلفن
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,برنامه دوره ایجاد:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},جدید {0}: # {1}
,Sales Partners Commission,کمیسیون همکاران فروش
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,مخفف نمی تواند بیش از 5 کاراکتر باشد
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,مخفف نمی تواند بیش از 5 کاراکتر باشد
DocType: Payment Request,Payment Request,درخواست پرداخت
DocType: Asset,Value After Depreciation,ارزش پس از استهلاک
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,تاریخ حضور و غیاب نمی تواند کمتر از تاریخ پیوستن کارکنان
DocType: Grading Scale,Grading Scale Name,درجه بندی نام مقیاس
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,این یک حساب ریشه است و نمی تواند ویرایش شود.
+DocType: Sales Invoice,Company Address,آدرس شرکت
DocType: BOM,Operations,عملیات
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},آیا می توانم مجوز بر اساس تخفیف برای تنظیم نشده {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name",ضمیمه. CSV فایل با دو ستون، یکی برای نام قدیمی و یکی برای نام جدید
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} در هر سال مالی فعال.
DocType: Packed Item,Parent Detail docname,جزئیات docname پدر و مادر
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",مرجع: {0}، کد مورد: {1} و ضوابط: {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,کیلوگرم
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,کیلوگرم
DocType: Student Log,Log,ورود
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,باز کردن برای یک کار.
DocType: Item Attribute,Increment,افزایش
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,تبلیغات
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,همان شرکت است وارد بیش از یک بار
DocType: Employee,Married,متاهل
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},برای مجاز نیست {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},برای مجاز نیست {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,گرفتن اقلام از
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},سهام می تواند در برابر تحویل توجه نمی شود به روز شده {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},سهام می تواند در برابر تحویل توجه نمی شود به روز شده {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},محصولات {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,بدون موارد ذکر شده
DocType: Payment Reconciliation,Reconcile,وفق دادن
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,بعدی تاریخ استهلاک نمی تواند قبل از تاریخ خرید می باشد
DocType: SMS Center,All Sales Person,تمام ماموران فروش
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** ماهانه ** شما کمک می کند توزیع بودجه / هدف در سراسر ماه اگر شما فصلی در کسب و کار خود را.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,نمی وسایل یافت شده
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,نمی وسایل یافت شده
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,گمشده ساختار حقوق و دستمزد
DocType: Lead,Person Name,نام شخص
DocType: Sales Invoice Item,Sales Invoice Item,مورد فاکتور فروش
DocType: Account,Credit,اعتبار
DocType: POS Profile,Write Off Cost Center,ارسال فعال مرکز هزینه
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",به عنوان مثال "مدرسه ابتدایی" یا "دانشگاه"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",به عنوان مثال "مدرسه ابتدایی" یا "دانشگاه"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,گزارش سهام
DocType: Warehouse,Warehouse Detail,جزئیات انبار
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},حد اعتبار شده است برای مشتری عبور {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},حد اعتبار شده است برای مشتری عبور {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,تاریخ پایان ترم نمی تواند بعد از تاریخ سال پایان سال تحصیلی که مدت مرتبط است باشد (سال تحصیلی {}). لطفا تاریخ های صحیح و دوباره امتحان کنید.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","آیا دارایی ثابت" نمی تواند بدون کنترل، به عنوان رکورد دارایی در برابر مورد موجود است
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","آیا دارایی ثابت" نمی تواند بدون کنترل، به عنوان رکورد دارایی در برابر مورد موجود است
DocType: Vehicle Service,Brake Oil,روغن ترمز
DocType: Tax Rule,Tax Type,نوع مالیات
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},شما مجاز به اضافه و یا به روز رسانی مطالب قبل از {0} نیستید
DocType: BOM,Item Image (if not slideshow),مورد تصویر (در صورت اسلاید نمی شود)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,مشتری با همین نام وجود دارد
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(یک ساعت یک نرخ / 60) * * * * واقعی زمان عمل
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,انتخاب BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,انتخاب BOM
DocType: SMS Log,SMS Log,SMS ورود
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,هزینه اقلام تحویل شده
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,تعطیلات در {0} است بین از تاریخ و تا به امروز نیست
@@ -159,13 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},از {0} به {1}
DocType: Item,Copy From Item Group,کپی برداری از مورد گروه
DocType: Journal Entry,Opening Entry,ورود افتتاح
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ضوابط> ضوابط گروه> قلمرو
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,حساب پرداخت تنها
DocType: Employee Loan,Repay Over Number of Periods,بازپرداخت تعداد بیش از دوره های
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} در ثبت نام نکرده داده {2}
DocType: Stock Entry,Additional Costs,هزینه های اضافی
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,حساب با معامله موجود می تواند به گروه تبدیل نمی کند.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,حساب با معامله موجود می تواند به گروه تبدیل نمی کند.
DocType: Lead,Product Enquiry,پرس و جو محصولات
DocType: Academic Term,Schools,مدارس
+DocType: School Settings,Validate Batch for Students in Student Group,اعتبارسنجی دسته ای برای دانش آموزان در گروه های دانشجویی
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},هیچ سابقه مرخصی پیدا شده برای کارکنان {0} برای {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,لطفا ابتدا وارد شرکت
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,لطفا ابتدا شرکت را انتخاب کنید
@@ -174,48 +176,48 @@
DocType: BOM,Total Cost,هزینه کل
DocType: Journal Entry Account,Employee Loan,کارمند وام
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,گزارش فعالیت:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,مورد {0} در سیستم وجود ندارد و یا تمام شده است
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,مورد {0} در سیستم وجود ندارد و یا تمام شده است
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,عقار
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,بیانیه ای از حساب
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,داروسازی
DocType: Purchase Invoice Item,Is Fixed Asset,است دارائی های ثابت
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}",تعداد موجود است {0}، شما نیاز {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}",تعداد موجود است {0}، شما نیاز {1}
DocType: Expense Claim Detail,Claim Amount,مقدار ادعا
-DocType: Employee,Mr,آقای
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,گروه مشتری تکراری در جدول گروه cutomer
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,نوع منبع / تامین کننده
DocType: Naming Series,Prefix,پیشوند
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,مصرفی
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,مصرفی
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,واردات ورود
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,نگه دار، درخواست پاسخ به مواد از نوع تولید بر اساس معیارهای فوق
DocType: Training Result Employee,Grade,مقطع تحصیلی
DocType: Sales Invoice Item,Delivered By Supplier,تحویل داده شده توسط کننده
DocType: SMS Center,All Contact,همه تماس
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,تولید سفارش در حال حاضر برای همه موارد با BOM ایجاد
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,حقوق سالانه
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,تولید سفارش در حال حاضر برای همه موارد با BOM ایجاد
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,حقوق سالانه
DocType: Daily Work Summary,Daily Work Summary,خلاصه کار روزانه
DocType: Period Closing Voucher,Closing Fiscal Year,بستن سال مالی
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} فریز شده است
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,لطفا موجود شرکت برای ایجاد نمودار از حساب را انتخاب کنید
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,هزینه سهام
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} فریز شده است
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,لطفا موجود شرکت برای ایجاد نمودار از حساب را انتخاب کنید
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,هزینه سهام
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,انتخاب هدف انبار
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,لطفا وارد ترجیحی ایمیل تماس
+DocType: Program Enrollment,School Bus,اتوبوس مدرسه
DocType: Journal Entry,Contra Entry,کنترا ورود
DocType: Journal Entry Account,Credit in Company Currency,اعتبار در شرکت ارز
DocType: Delivery Note,Installation Status,وضعیت نصب و راه اندازی
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",آیا شما می خواهید برای به روز رسانی حضور؟ <br> در حال حاضر: {0} \ <br> وجود ندارد: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},پذیرفته شده + رد تعداد باید به دریافت مقدار برابر برای مورد است {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},پذیرفته شده + رد تعداد باید به دریافت مقدار برابر برای مورد است {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,عرضه مواد اولیه برای خرید
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,باید حداقل یک حالت پرداخت برای فاکتور POS مورد نیاز است.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,باید حداقل یک حالت پرداخت برای فاکتور POS مورد نیاز است.
DocType: Products Settings,Show Products as a List,نمایش محصولات به عنوان یک فهرست
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records",دانلود الگو، داده مناسب پر کنید و ضمیمه فایل تغییر یافتهاست. همه تاریخ و کارمند ترکیبی در دوره زمانی انتخاب شده در قالب آمده، با سوابق حضور و غیاب موجود
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,مورد {0} غیر فعال است و یا پایان زندگی رسیده است
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,به عنوان مثال: ریاضیات پایه
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",شامل مالیات در ردیف {0} در مورد نرخ، مالیات در ردیف {1} باید گنجانده شود
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,مورد {0} غیر فعال است و یا پایان زندگی رسیده است
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,به عنوان مثال: ریاضیات پایه
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",شامل مالیات در ردیف {0} در مورد نرخ، مالیات در ردیف {1} باید گنجانده شود
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,تنظیمات برای ماژول HR
DocType: SMS Center,SMS Center,مرکز SMS
DocType: Sales Invoice,Change Amount,تغییر مقدار
@@ -225,7 +227,7 @@
DocType: Lead,Request Type,درخواست نوع
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,کارمند
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,رادیو و تلویزیون
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,اعدام
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,اعدام
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,جزئیات عملیات انجام شده است.
DocType: Serial No,Maintenance Status,وضعیت نگهداری
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: عرضه کننده به حساب پرداختنی مورد نیاز است {2}
@@ -253,7 +255,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,درخواست برای نقل قول می توان با کلیک بر روی لینک زیر قابل دسترسی
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,اختصاص برگ برای سال.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG ایجاد ابزار دوره
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,سهام کافی
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,سهام کافی
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,برنامه ریزی ظرفیت غیر فعال کردن و ردیابی زمان
DocType: Email Digest,New Sales Orders,جدید سفارشات فروش
DocType: Bank Guarantee,Bank Account,حساب بانکی
@@ -264,8 +266,9 @@
DocType: Production Order Operation,Updated via 'Time Log',به روز شده از طریق 'زمان ورود "
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},مقدار پیش نمی تواند بیشتر از {0} {1}
DocType: Naming Series,Series List for this Transaction,فهرست سری ها برای این تراکنش
+DocType: Company,Enable Perpetual Inventory,فعال کردن موجودی دائمی
DocType: Company,Default Payroll Payable Account,به طور پیش فرض حقوق و دستمزد پرداختنی حساب
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,به روز رسانی ایمیل گروه
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,به روز رسانی ایمیل گروه
DocType: Sales Invoice,Is Opening Entry,باز ورودی
DocType: Customer Group,Mention if non-standard receivable account applicable,اگر حساب دریافتنی ذکر غیر استاندارد قابل اجرا
DocType: Course Schedule,Instructor Name,نام مربی
@@ -277,13 +280,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,در برابر آیتم فاکتور فروش
,Production Orders in Progress,سفارشات تولید در پیشرفت
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,نقدی خالص از تامین مالی
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save",LocalStorage را کامل است، نجات نداد
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save",LocalStorage را کامل است، نجات نداد
DocType: Lead,Address & Contact,آدرس و تلفن تماس
DocType: Leave Allocation,Add unused leaves from previous allocations,اضافه کردن برگ های استفاده نشده از تخصیص قبلی
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},بعدی دوره ای {0} خواهد شد در ایجاد {1}
DocType: Sales Partner,Partner website,وب سایت شریک
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,این مورد را اضافه کنید
-,Contact Name,تماس با نام
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,تماس با نام
DocType: Course Assessment Criteria,Course Assessment Criteria,معیارهای ارزیابی دوره
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,ایجاد لغزش حقوق و دستمزد برای معیارهای ذکر شده در بالا.
DocType: POS Customer Group,POS Customer Group,POS و ضوابط گروه
@@ -292,18 +295,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,بدون شرح داده می شود
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,درخواست برای خرید.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,این است که در ورق زمان ایجاد در برابر این پروژه بر اساس
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,پرداخت خالص نمی تواند کمتر از 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,پرداخت خالص نمی تواند کمتر از 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,فقط تصویب مرخصی انتخاب می توانید از این مرخصی استفاده کنید
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,تسکین تاریخ باید بیشتر از تاریخ پیوستن شود
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,برگ در سال
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,برگ در سال
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ردیف {0}: لطفا بررسی کنید آیا پیشرفته در برابر حساب {1} در صورتی که این یک ورودی پیش است.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},انبار {0} به شرکت تعلق ندارد {1}
DocType: Email Digest,Profit & Loss,سود و زیان
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,لیتری
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,لیتری
DocType: Task,Total Costing Amount (via Time Sheet),مجموع هزینه یابی مقدار (از طریق زمان ورق)
DocType: Item Website Specification,Item Website Specification,مشخصات مورد وب سایت
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,ترک مسدود
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},مورد {0} به پایان زندگی بر روی رسید {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},مورد {0} به پایان زندگی بر روی رسید {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,مطالب بانک
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,سالیانه
DocType: Stock Reconciliation Item,Stock Reconciliation Item,مورد سهام آشتی
@@ -311,9 +314,9 @@
DocType: Material Request Item,Min Order Qty,حداقل تعداد سفارش
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,دوره دانشجویی گروه ابزار ایجاد
DocType: Lead,Do Not Contact,آیا تماس با نه
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,افرادی که در سازمان شما آموزش
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,افرادی که در سازمان شما آموزش
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,شناسه منحصر به فرد برای ردیابی تمام فاکتورها در محدوده زمانی معین. این است که در ارائه تولید می شود.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,نرم افزار توسعه
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,نرم افزار توسعه
DocType: Item,Minimum Order Qty,حداقل تعداد سفارش تعداد
DocType: Pricing Rule,Supplier Type,نوع منبع
DocType: Course Scheduling Tool,Course Start Date,البته تاریخ شروع
@@ -322,11 +325,11 @@
DocType: Item,Publish in Hub,انتشار در توپی
DocType: Student Admission,Student Admission,پذیرش دانشجو
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,مورد {0} لغو شود
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,مورد {0} لغو شود
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,درخواست مواد
DocType: Bank Reconciliation,Update Clearance Date,به روز رسانی ترخیص کالا از تاریخ
DocType: Item,Purchase Details,جزئیات خرید
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},مورد {0} در 'مواد اولیه عرضه شده جدول در سفارش خرید یافت نشد {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},مورد {0} در 'مواد اولیه عرضه شده جدول در سفارش خرید یافت نشد {1}
DocType: Employee,Relation,ارتباط
DocType: Shipping Rule,Worldwide Shipping,حمل و نقل در سراسر جهان
DocType: Student Guardian,Mother,مادر
@@ -345,6 +348,7 @@
DocType: Student Group Student,Student Group Student,دانشجویی گروه دانشجویی
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,آخرین
DocType: Vehicle Service,Inspection,بازرسی
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,فهرست
DocType: Email Digest,New Quotations,نقل قول جدید
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,لغزش ایمیل حقوق و دستمزد به کارکنان را بر اساس ایمیل مورد نظر در انتخاب کارمند
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,اولین تصویب مرخصی در لیست خواهد شد به عنوان پیش فرض مرخصی تصویب مجموعه
@@ -353,20 +357,20 @@
DocType: Asset,Next Depreciation Date,بعدی تاریخ استهلاک
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,هزینه فعالیت به ازای هر کارمند
DocType: Accounts Settings,Settings for Accounts,تنظیمات برای حساب
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},کننده فاکتور بدون در خرید فاکتور وجود دارد {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},کننده فاکتور بدون در خرید فاکتور وجود دارد {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,فروش شخص درخت را مدیریت کند.
DocType: Job Applicant,Cover Letter,جلد نامه
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,چک برجسته و سپرده برای روشن
DocType: Item,Synced With Hub,همگام سازی شده با توپی
DocType: Vehicle,Fleet Manager,ناوگان مدیر
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},ردیف # {0}: {1} نمی تواند برای قلم منفی {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,رمز اشتباه
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,رمز اشتباه
DocType: Item,Variant Of,نوع از
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',تکمیل تعداد نمی تواند بیشتر از 'تعداد برای تولید'
DocType: Period Closing Voucher,Closing Account Head,بستن سر حساب
DocType: Employee,External Work History,سابقه کار خارجی
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,خطا مرجع مدور
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,نام Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,نام Guardian1
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,به عبارت (صادرات) قابل مشاهده خواهد بود یک بار شما را تحویل توجه را نجات دهد.
DocType: Cheque Print Template,Distance from left edge,فاصله از لبه سمت چپ
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} واحد از [{1}] (فرم # / کالا / {1}) در [{2}] (فرم # / انبار / {2})
@@ -375,11 +379,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,با رایانامه آگاه کن در ایجاد درخواست مواد اتوماتیک
DocType: Journal Entry,Multi Currency,چند ارز
DocType: Payment Reconciliation Invoice,Invoice Type,فاکتور نوع
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,رسید
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,رسید
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,راه اندازی مالیات
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,هزینه دارایی فروخته شده
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,ورود پرداخت اصلاح شده است پس از آن کشیده شده است. لطفا آن را دوباره بکشید.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} دو بار در مالیات وارد شده است
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,ورود پرداخت اصلاح شده است پس از آن کشیده شده است. لطفا آن را دوباره بکشید.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} دو بار در مالیات وارد شده است
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,خلاصه برای این هفته و فعالیت های انتظار
DocType: Student Applicant,Admitted,پذیرفته
DocType: Workstation,Rent Cost,اجاره هزینه
@@ -397,25 +401,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,لطفا وارد کنید 'تکرار در روز از ماه مقدار فیلد
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,سرعت که در آن مشتریان ارز به ارز پایه مشتری تبدیل
DocType: Course Scheduling Tool,Course Scheduling Tool,البته برنامه ریزی ابزار
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ردیف # {0}: خرید فاکتور می تواند در برابر یک دارایی موجود ساخته نمی شود {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ردیف # {0}: خرید فاکتور می تواند در برابر یک دارایی موجود ساخته نمی شود {1}
DocType: Item Tax,Tax Rate,نرخ مالیات
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} در حال حاضر برای کارکنان اختصاص داده {1} برای مدت {2} به {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,انتخاب مورد
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,فاکتور خرید {0} در حال حاضر ارائه
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,فاکتور خرید {0} در حال حاضر ارائه
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},ردیف # {0}: دسته ای بدون باید همان باشد {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,تبدیل به غیر گروه
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,دسته ای (زیادی) از آیتم استفاده کنید.
DocType: C-Form Invoice Detail,Invoice Date,تاریخ فاکتور
DocType: GL Entry,Debit Amount,مقدار بدهی
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},فقط می تواند وجود 1 حساب در هر شرکت می شود {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,لطفا پیوست را ببینید
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},فقط می تواند وجود 1 حساب در هر شرکت می شود {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,لطفا پیوست را ببینید
DocType: Purchase Order,% Received,٪ دریافتی
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,ایجاد گروه دانشجویی
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,راه اندازی در حال حاضر کامل!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,اعتباری میزان
,Finished Goods,محصولات تمام شده
DocType: Delivery Note,Instructions,دستورالعمل
DocType: Quality Inspection,Inspected By,بازرسی توسط
DocType: Maintenance Visit,Maintenance Type,نوع نگهداری
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} در دوره ثبت نام نشده {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},سریال بدون {0} به تحویل توجه تعلق ندارد {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext نسخه ی نمایشی
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,اضافه کردن محصولات
@@ -436,7 +442,7 @@
DocType: Request for Quotation,Request for Quotation,درخواست برای نقل قول
DocType: Salary Slip Timesheet,Working Hours,ساعات کاری
DocType: Naming Series,Change the starting / current sequence number of an existing series.,تغییر شروع / شماره توالی فعلی از یک سری موجود است.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,ایجاد یک مشتری جدید
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,ایجاد یک مشتری جدید
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",اگر چند در قوانین قیمت گذاری ادامه غالب است، از کاربران خواسته به تنظیم اولویت دستی برای حل و فصل درگیری.
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,ایجاد سفارشات خرید
,Purchase Register,خرید ثبت نام
@@ -448,7 +454,7 @@
DocType: Student Log,Medical,پزشکی
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,دلیل برای از دست دادن
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,مالک سرب نمی تواند همان سرب
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,مقدار اختصاص داده شده می توانید بیشتر از مقدار تعدیل نشده
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,مقدار اختصاص داده شده می توانید بیشتر از مقدار تعدیل نشده
DocType: Announcement,Receiver,گیرنده
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},ایستگاه های کاری در تاریخ زیر را به عنوان در هر فهرست تعطیلات بسته است: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,فرصت ها
@@ -462,8 +468,7 @@
DocType: Assessment Plan,Examiner Name,نام امتحان
DocType: Purchase Invoice Item,Quantity and Rate,مقدار و نرخ
DocType: Delivery Note,% Installed,٪ نصب شد
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,کلاس های درس / آزمایشگاه و غیره که در آن سخنرانی می توان برنامه ریزی.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,کننده> نوع کننده
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,کلاس های درس / آزمایشگاه و غیره که در آن سخنرانی می توان برنامه ریزی.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,لطفا ابتدا نام شرکت وارد
DocType: Purchase Invoice,Supplier Name,نام منبع
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,خواندن کتابچه راهنمای کاربر ERPNext
@@ -473,7 +478,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,بررسی تولید کننده فاکتور شماره منحصر به فرد
DocType: Vehicle Service,Oil Change,تعویض روغن
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.',مقدار'تا مورد شماره' نمی تواند کمتر از 'ازمورد شماره' باشد
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,غیر انتفاعی
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,غیر انتفاعی
DocType: Production Order,Not Started,شروع نشده
DocType: Lead,Channel Partner,کانال شریک
DocType: Account,Old Parent,قدیمی مرجع
@@ -483,19 +488,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,تنظیمات جهانی برای تمام فرآیندهای تولید.
DocType: Accounts Settings,Accounts Frozen Upto,حساب منجمد تا حد
DocType: SMS Log,Sent On,فرستاده شده در
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,ویژگی {0} چند بار در صفات جدول انتخاب
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,ویژگی {0} چند بار در صفات جدول انتخاب
DocType: HR Settings,Employee record is created using selected field. ,رکورد کارمند با استفاده از درست انتخاب شده ایجاد می شود.
DocType: Sales Order,Not Applicable,قابل اجرا نیست
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,کارشناسی ارشد تعطیلات.
DocType: Request for Quotation Item,Required Date,تاریخ مورد نیاز
DocType: Delivery Note,Billing Address,نشانی صورتحساب
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,لطفا کد مورد را وارد کنید.
DocType: BOM,Costing,هزینه یابی
DocType: Tax Rule,Billing County,شهرستان صدور صورت حساب
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount",در صورت انتخاب، میزان مالیات در نظر گرفته خواهد به عنوان در حال حاضر در چاپ نرخ / چاپ مقدار شامل
DocType: Request for Quotation,Message for Supplier,پیام برای عرضه
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,مجموع تعداد
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 ID ایمیل
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 ID ایمیل
DocType: Item,Show in Website (Variant),نمایش در وب سایت (نوع)
DocType: Employee,Health Concerns,نگرانی های بهداشتی
DocType: Process Payroll,Select Payroll Period,انتخاب کنید حقوق و دستمزد دوره
@@ -513,25 +517,27 @@
DocType: Sales Order Item,Used for Production Plan,مورد استفاده برای طرح تولید
DocType: Employee Loan,Total Payment,مبلغ کل قابل پرداخت
DocType: Manufacturing Settings,Time Between Operations (in mins),زمان بین عملیات (در دقیقه)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} لغو می شود پس از عمل نمی تواند تکمیل شود
DocType: Customer,Buyer of Goods and Services.,خریدار کالا و خدمات.
DocType: Journal Entry,Accounts Payable,حساب های پرداختنی
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,BOM ها انتخاب شده برای آیتم یکسان نیست
DocType: Pricing Rule,Valid Upto,معتبر تا حد
DocType: Training Event,Workshop,کارگاه
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,لیست تعداد کمی از مشتریان خود را. آنها می تواند سازمان ها یا افراد.
-,Enough Parts to Build,قطعات اندازه کافی برای ساخت
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,درآمد مستقیم
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,لیست تعداد کمی از مشتریان خود را. آنها می تواند سازمان ها یا افراد.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,قطعات اندازه کافی برای ساخت
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,درآمد مستقیم
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account",می توانید بر روی حساب نمی فیلتر بر اساس، در صورتی که توسط حساب گروه بندی
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,افسر اداری
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,لطفا دوره را انتخاب کنید
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,افسر اداری
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,لطفا دوره را انتخاب کنید
DocType: Timesheet Detail,Hrs,ساعت
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,لطفا انتخاب کنید شرکت
DocType: Stock Entry Detail,Difference Account,حساب تفاوت
+DocType: Purchase Invoice,Supplier GSTIN,کننده GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,می توانید کار نزدیک به عنوان وظیفه وابسته به آن {0} بسته نشده است نیست.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,لطفا انبار که درخواست مواد مطرح خواهد شد را وارد کنید
DocType: Production Order,Additional Operating Cost,هزینه های عملیاتی اضافی
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,آرایشی و بهداشتی
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items",به ادغام، خواص زیر باید همین کار را برای هر دو مورد می شود
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items",به ادغام، خواص زیر باید همین کار را برای هر دو مورد می شود
DocType: Shipping Rule,Net Weight,وزن خالص
DocType: Employee,Emergency Phone,تلفن اضطراری
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,خرید
@@ -540,14 +546,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,لطفا درجه برای آستانه 0٪ تعریف
DocType: Sales Order,To Deliver,رساندن
DocType: Purchase Invoice Item,Item,بخش
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,سریال هیچ مورد نمی تواند کسری
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,سریال هیچ مورد نمی تواند کسری
DocType: Journal Entry,Difference (Dr - Cr),تفاوت (دکتر - کروم)
DocType: Account,Profit and Loss,حساب سود و زیان
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,مدیریت مقاطعه کاری فرعی
DocType: Project,Project will be accessible on the website to these users,پروژه در وب سایت به این کاربران در دسترس خواهد بود
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,سرعت که در آن لیست قیمت ارز به ارز پایه شرکت تبدیل
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},حساب {0} به شرکت تعلق ندارد: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,مخفف در حال حاضر برای یک شرکت دیگر مورد استفاده قرار گرفته است
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},حساب {0} به شرکت تعلق ندارد: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,مخفف در حال حاضر برای یک شرکت دیگر مورد استفاده قرار گرفته است
DocType: Selling Settings,Default Customer Group,گروه مشتری پیش فرض
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction",اگر غیر فعال کردن، درست "گرد مجموع خواهد در هر معامله قابل نمایش باشد
DocType: BOM,Operating Cost,هزینه های عملیاتی
@@ -555,7 +561,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,افزایش نمی تواند 0
DocType: Production Planning Tool,Material Requirement,مورد نیاز مواد
DocType: Company,Delete Company Transactions,حذف معاملات شرکت
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,مرجع و تاریخ در مرجع برای معامله بانک الزامی است
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,مرجع و تاریخ در مرجع برای معامله بانک الزامی است
DocType: Purchase Receipt,Add / Edit Taxes and Charges,افزودن / ویرایش مالیات ها و هزینه ها
DocType: Purchase Invoice,Supplier Invoice No,تامین کننده فاکتور بدون
DocType: Territory,For reference,برای مرجع
@@ -566,22 +572,22 @@
DocType: Installation Note Item,Installation Note Item,نصب و راه اندازی توجه داشته باشید مورد
DocType: Production Plan Item,Pending Qty,انتظار تعداد
DocType: Budget,Ignore,نادیده گرفتن
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} غیر فعال است
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} غیر فعال است
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS با شماره های زیر ارسال گردید: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,ابعاد چک راه اندازی برای چاپ
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,ابعاد چک راه اندازی برای چاپ
DocType: Salary Slip,Salary Slip Timesheet,برنامه زمانی حقوق و دستمزد لغزش
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,انبار تامین کننده برای رسید خرید زیر قرارداد اجباری
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,انبار تامین کننده برای رسید خرید زیر قرارداد اجباری
DocType: Pricing Rule,Valid From,معتبر از
DocType: Sales Invoice,Total Commission,کمیسیون ها
DocType: Pricing Rule,Sales Partner,شریک فروش
DocType: Buying Settings,Purchase Receipt Required,رسید خرید مورد نیاز
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,نرخ ارزش گذاری الزامی است باز کردن سهام وارد
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,نرخ ارزش گذاری الزامی است باز کردن سهام وارد
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,هیچ ثبتی یافت نشد در جدول فاکتور
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,لطفا ابتدا شرکت و حزب نوع را انتخاب کنید
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,مالی سال / حسابداری.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,مالی سال / حسابداری.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,ارزش انباشته
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged",با عرض پوزش، سریال شماره نمی تواند با هم ادغام شدند
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,را سفارش فروش
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,را سفارش فروش
DocType: Project Task,Project Task,وظیفه پروژه
,Lead Id,کد شناسایی راهبر
DocType: C-Form Invoice Detail,Grand Total,بزرگ ها
@@ -598,7 +604,7 @@
DocType: Job Applicant,Resume Attachment,پیوست رزومه
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,مشتریان تکرار
DocType: Leave Control Panel,Allocate,اختصاص دادن
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,برگشت فروش
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,برگشت فروش
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,توجه: مجموع برگ اختصاص داده {0} نباید کمتر از برگ حال حاضر مورد تایید {1} برای دوره
DocType: Announcement,Posted By,ارسال شده توسط
DocType: Item,Delivered by Supplier (Drop Ship),تحویل داده شده توسط کننده (قطره کشتی)
@@ -608,8 +614,8 @@
DocType: Quotation,Quotation To,نقل قول برای
DocType: Lead,Middle Income,با درآمد متوسط
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),افتتاح (CR)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,واحد اندازه گیری پیش فرض برای مورد {0} می توانید به طور مستقیم نمی توان تغییر چون در حال حاضر ساخته شده برخی از معامله (ها) با UOM است. شما نیاز به ایجاد یک آیتم جدید به استفاده از پیش فرض UOM متفاوت است.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,مقدار اختصاص داده شده نمی تونه منفی
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,واحد اندازه گیری پیش فرض برای مورد {0} می توانید به طور مستقیم نمی توان تغییر چون در حال حاضر ساخته شده برخی از معامله (ها) با UOM است. شما نیاز به ایجاد یک آیتم جدید به استفاده از پیش فرض UOM متفاوت است.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,مقدار اختصاص داده شده نمی تونه منفی
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,لطفا مجموعه ای از شرکت
DocType: Purchase Order Item,Billed Amt,صورتحساب AMT
DocType: Training Result Employee,Training Result Employee,کارمند آموزش نتیجه
@@ -621,7 +627,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,انتخاب حساب پرداخت به ورود بانک
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll",درست سوابق کارمند به مدیریت برگ، ادعاهای هزینه و حقوق و دستمزد
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,اضافه کردن به پایگاه دانش
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,نوشتن طرح های پیشنهادی
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,نوشتن طرح های پیشنهادی
DocType: Payment Entry Deduction,Payment Entry Deduction,پرداخت کسر ورود
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,یک نفر دیگر فروش {0} با شناسه کارمند همان وجود دارد
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests",اگر برای مواردی که زیر قرارداد خواهد شد در درخواست مواد شامل بررسی، مواد اولیه
@@ -635,7 +641,7 @@
DocType: Timesheet,Billed,فاکتور شده
DocType: Batch,Batch Description,دسته توضیحات
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,ایجاد گروه های دانشجویی
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.",پرداخت حساب دروازه ایجاد نمی کند، لطفا یک دستی ایجاد کنید.
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.",پرداخت حساب دروازه ایجاد نمی کند، لطفا یک دستی ایجاد کنید.
DocType: Sales Invoice,Sales Taxes and Charges,مالیات فروش و هزینه ها
DocType: Employee,Organization Profile,نمایش سازمان
DocType: Student,Sibling Details,جزییات خواهر و برادر
@@ -657,11 +663,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,تغییر خالص در پرسشنامه
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,کارمند مدیریت وام
DocType: Employee,Passport Number,شماره پاسپورت
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,ارتباط با Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,مدیر
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,ارتباط با Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,مدیر
DocType: Payment Entry,Payment From / To,پرداخت از / به
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},حد اعتبار جدید کمتر از مقدار برجسته فعلی برای مشتری است. حد اعتبار به حداقل می شود {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,قلم دوم از اقلام مشابه وارد شده است چندین بار.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},حد اعتبار جدید کمتر از مقدار برجسته فعلی برای مشتری است. حد اعتبار به حداقل می شود {0}
DocType: SMS Settings,Receiver Parameter,گیرنده پارامتر
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""بر اساس"" و ""گروه شده توسط"" نمی توانند همسان باشند"
DocType: Sales Person,Sales Person Targets,اهداف فروشنده
@@ -670,8 +675,9 @@
DocType: Issue,Resolution Date,قطعنامه عضویت
DocType: Student Batch Name,Batch Name,نام دسته ای
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,برنامه زمانی ایجاد شده:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},لطفا نقدی پیش فرض و یا حساب بانکی در نحوه پرداخت را تعیین {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},لطفا نقدی پیش فرض و یا حساب بانکی در نحوه پرداخت را تعیین {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,ثبت نام کردن
+DocType: GST Settings,GST Settings,تنظیمات GST
DocType: Selling Settings,Customer Naming By,نامگذاری مشتری توسط
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,آیا دانش آموز به عنوان دانش آموزان حضور و غیاب گزارش ماهانه در حال حاضر را نشان می دهد
DocType: Depreciation Schedule,Depreciation Amount,مقدار استهلاک
@@ -693,6 +699,7 @@
DocType: Item,Material Transfer,انتقال مواد
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),افتتاح (دکتر)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},مجوز های ارسال و زمان باید بعد {0}
+,GST Itemised Purchase Register,GST جزء به جزء خرید ثبت نام
DocType: Employee Loan,Total Interest Payable,منافع کل قابل پرداخت
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,مالیات هزینه فرود آمد و اتهامات
DocType: Production Order Operation,Actual Start Time,واقعی زمان شروع
@@ -719,10 +726,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
DocType: Account,Accounts,حساب ها
DocType: Vehicle,Odometer Value (Last),ارزش کیلومترشمار (آخرین)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,بازار یابی
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,بازار یابی
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,ورود پرداخت در حال حاضر ایجاد
DocType: Purchase Receipt Item Supplied,Current Stock,سهام کنونی
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},ردیف # {0}: دارایی {1} به مورد در ارتباط نیست {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},ردیف # {0}: دارایی {1} به مورد در ارتباط نیست {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,پیش نمایش لغزش حقوق
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,حساب {0} وارد شده است چندین بار
DocType: Account,Expenses Included In Valuation,هزینه های موجود در ارزش گذاری
@@ -730,7 +737,7 @@
,Absent Student Report,وجود ندارد گزارش دانشجو
DocType: Email Digest,Next email will be sent on:,ایمیل بعدی خواهد شد در ارسال:
DocType: Offer Letter Term,Offer Letter Term,ارائه نامه مدت
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,فقره انواع.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,فقره انواع.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,مورد {0} یافت نشد
DocType: Bin,Stock Value,سهام ارزش
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,شرکت {0} وجود ندارد
@@ -739,7 +746,7 @@
DocType: Serial No,Warranty Expiry Date,گارانتی تاریخ انقضاء
DocType: Material Request Item,Quantity and Warehouse,مقدار و انبار
DocType: Sales Invoice,Commission Rate (%),نرخ کمیسیون (٪)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,لطفا انتخاب برنامه
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,لطفا انتخاب برنامه
DocType: Project,Estimated Cost,هزینه تخمین زده شده
DocType: Purchase Order,Link to material requests,لینک به درخواست مواد
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,جو زمین
@@ -753,14 +760,14 @@
DocType: Purchase Order,Supply Raw Materials,تامین مواد اولیه
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,از تاریخ فاکتور بعدی تولید خواهد شد. این است که در ارائه تولید می شود.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,دارایی های نقد
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} یک آیتم انباری نیست
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} یک آیتم انباری نیست
DocType: Mode of Payment Account,Default Account,به طور پیش فرض حساب
DocType: Payment Entry,Received Amount (Company Currency),دریافت مبلغ (شرکت ارز)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,سرب باید مجموعه اگر فرصت است از سرب ساخته شده
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,لطفا روز مرخصی در هفته را انتخاب کنید
DocType: Production Order Operation,Planned End Time,برنامه ریزی زمان پایان
,Sales Person Target Variance Item Group-Wise,فرد از فروش مورد هدف واریانس گروه حکیم
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,حساب با معامله های موجود را نمی توان تبدیل به لجر
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,حساب با معامله های موجود را نمی توان تبدیل به لجر
DocType: Delivery Note,Customer's Purchase Order No,مشتری سفارش خرید بدون
DocType: Budget,Budget Against,بودجه علیه
DocType: Employee,Cell Number,شماره همراه
@@ -772,15 +779,13 @@
DocType: Opportunity,Opportunity From,فرصت از
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,بیانیه حقوق ماهانه.
DocType: BOM,Website Specifications,مشخصات وب سایت
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,لطفا راه اندازی شماره سری برای حضور و غیاب از طریق راه اندازی> شماره سری
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: از {0} از نوع {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,ردیف {0}: عامل تبدیل الزامی است
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,ردیف {0}: عامل تبدیل الزامی است
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",قوانین هزینه های متعدد را با معیارهای همان وجود دارد، لطفا حل و فصل درگیری با اختصاص اولویت است. قوانین قیمت: {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,نمی توانید غیر فعال کردن یا لغو BOM به عنوان آن را با دیگر BOMs مرتبط
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",قوانین هزینه های متعدد را با معیارهای همان وجود دارد، لطفا حل و فصل درگیری با اختصاص اولویت است. قوانین قیمت: {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,نمی توانید غیر فعال کردن یا لغو BOM به عنوان آن را با دیگر BOMs مرتبط
DocType: Opportunity,Maintenance,نگهداری
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},تعداد رسید خرید مورد نیاز برای مورد {0}
DocType: Item Attribute Value,Item Attribute Value,مورد موجودیت مقدار
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,کمپین فروش.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,را برنامه زمانی
@@ -813,29 +818,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},دارایی اوراق از طریق ورود مجله {0}
DocType: Employee Loan,Interest Income Account,حساب درآمد حاصل از بهره
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,بیوتکنولوژی
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,هزینه نگهداری و تعمیرات دفتر
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,هزینه نگهداری و تعمیرات دفتر
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,راه اندازی حساب ایمیل
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,لطفا ابتدا آیتم را وارد کنید
DocType: Account,Liability,مسئوليت
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,مقدار تحریم نیست می تواند بیشتر از مقدار ادعای در ردیف {0}.
DocType: Company,Default Cost of Goods Sold Account,به طور پیش فرض هزینه از حساب کالاهای فروخته شده
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,لیست قیمت انتخاب نشده
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,لیست قیمت انتخاب نشده
DocType: Employee,Family Background,سابقه خانواده
DocType: Request for Quotation Supplier,Send Email,ارسال ایمیل
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},هشدار: پیوست معتبر {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},هشدار: پیوست معتبر {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,بدون اجازه
DocType: Company,Default Bank Account,به طور پیش فرض حساب بانکی
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",برای فیلتر کردن بر اساس حزب، حزب انتخاب نوع اول
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'به روز رسانی موجودی'نمی تواند انتخاب شود ، زیرا موارد از طریق تحویل نمی {0}
DocType: Vehicle,Acquisition Date,تاریخ اکتساب
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,شماره
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,شماره
DocType: Item,Items with higher weightage will be shown higher,پاسخ همراه با بین وزنها بالاتر خواهد بود بالاتر نشان داده شده است
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,جزئیات مغایرت گیری بانک
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,ردیف # {0}: دارایی {1} باید ارائه شود
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,ردیف # {0}: دارایی {1} باید ارائه شود
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,بدون کارمند یافت
DocType: Supplier Quotation,Stopped,متوقف
DocType: Item,If subcontracted to a vendor,اگر به یک فروشنده واگذار شده
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,دانشجویی گروه در حال حاضر به روز شده است.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,دانشجویی گروه در حال حاضر به روز شده است.
DocType: SMS Center,All Customer Contact,همه مشتری تماس
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,تعادل سهام از طریق CSV را بارگذاری کنید.
DocType: Warehouse,Tree Details,جزییات درخت
@@ -847,13 +852,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: مرکز هزینه {2} به شرکت تعلق ندارد {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: حساب {2} نمی تواند یک گروه
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,مورد ردیف {IDX}: {} {DOCTYPE DOCNAME} در بالا وجود ندارد '{} DOCTYPE جدول
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,برنامه زمانی {0} است در حال حاضر تکمیل و یا لغو
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,برنامه زمانی {0} است در حال حاضر تکمیل و یا لغو
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,وظایف
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc",روز از ماه که در آن خودکار صورتحساب خواهد شد به عنوان مثال 05، 28 و غیره تولید
DocType: Asset,Opening Accumulated Depreciation,باز کردن استهلاک انباشته
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,امتیاز باید کمتر از یا برابر با 5 است
DocType: Program Enrollment Tool,Program Enrollment Tool,برنامه ثبت نام ابزار
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,سوابق C-فرم
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,سوابق C-فرم
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,مشتری و تامین کننده
DocType: Email Digest,Email Digest Settings,ایمیل تنظیمات خلاصه
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,از کار شما متشکرم!
@@ -863,17 +868,19 @@
DocType: Bin,Moving Average Rate,میانگین متحرک نرخ
DocType: Production Planning Tool,Select Items,انتخاب آیتم ها
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} در صورت حساب {1} تاریخ گذاری شده است به {2}
+DocType: Program Enrollment,Vehicle/Bus Number,خودرو / شماره اتوبوس
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,برنامه های آموزشی
DocType: Maintenance Visit,Completion Status,وضعیت تکمیل
DocType: HR Settings,Enter retirement age in years,سن بازنشستگی را وارد کنید در سال های
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,هدف انبار
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,لطفا یک انبار را انتخاب کنید
DocType: Cheque Print Template,Starting location from left edge,محل شروع از لبه سمت چپ
DocType: Item,Allow over delivery or receipt upto this percent,اجازه می دهد بیش از تحویل یا دریافت تا این درصد
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,واردات حضور و غیاب
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,همه گروه مورد
DocType: Process Payroll,Activity Log,گزارش فعالیت
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,سود خالص / از دست دادن
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,سود خالص / از دست دادن
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,به طور خودکار نگارش پیام در ارائه معاملات.
DocType: Production Order,Item To Manufacture,آیتم را ساخت
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} وضعیت {2}
@@ -882,16 +889,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,سفارش خرید به پرداخت
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,پیش بینی تعداد
DocType: Sales Invoice,Payment Due Date,پرداخت با توجه تاریخ
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,مورد متغیر {0} در حال حاضر با ویژگی های همان وجود دارد
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,مورد متغیر {0} در حال حاضر با ویژگی های همان وجود دارد
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','افتتاح'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,گسترش برای این کار
DocType: Notification Control,Delivery Note Message,تحویل توجه داشته باشید پیام
DocType: Expense Claim,Expenses,مخارج
+,Support Hours,ساعت پشتیبانی
DocType: Item Variant Attribute,Item Variant Attribute,مورد متغیر ویژگی
,Purchase Receipt Trends,روند رسید خرید
DocType: Process Payroll,Bimonthly,مجلهای که دوماه یکبار منتشر میشود
DocType: Vehicle Service,Brake Pad,لنت ترمز
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,تحقیق و توسعه
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,تحقیق و توسعه
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,مقدار به بیل
DocType: Company,Registration Details,جزییات ثبت نام
DocType: Timesheet,Total Billed Amount,مبلغ کل صورتحساب
@@ -904,12 +912,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,فقط دست آوردن مواد خام
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,ارزیابی عملکرد.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",فعال کردن «استفاده برای سبد خرید، به عنوان سبد خرید فعال باشد و باید حداقل یک قانون مالیاتی برای سبد خرید وجود داشته باشد
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",ورود پرداخت {0} است که در برابر سفارش {1}، بررسی کنید که آن را باید به عنوان پیش در این فاکتور کشیده مرتبط است.
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",ورود پرداخت {0} است که در برابر سفارش {1}، بررسی کنید که آن را باید به عنوان پیش در این فاکتور کشیده مرتبط است.
DocType: Sales Invoice Item,Stock Details,جزئیات سهام
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,ارزش پروژه
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,نقطه از فروش
DocType: Vehicle Log,Odometer Reading,خواندن کیلومترشمار
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",مانده حساب در حال حاضر در اعتبار، شما امکان پذیر نیست را به مجموعه "تعادل باید" را بعنوان "اعتباری"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",مانده حساب در حال حاضر در اعتبار، شما امکان پذیر نیست را به مجموعه "تعادل باید" را بعنوان "اعتباری"
DocType: Account,Balance must be,موجودی باید
DocType: Hub Settings,Publish Pricing,قیمت گذاری انتشار
DocType: Notification Control,Expense Claim Rejected Message,پیام ادعای هزینه رد
@@ -919,7 +927,7 @@
DocType: Salary Slip,Working Days,روزهای کاری
DocType: Serial No,Incoming Rate,نرخ ورودی
DocType: Packing Slip,Gross Weight,وزن ناخالص
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,نام شرکت خود را که برای آن شما راه اندازی این سیستم.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,نام شرکت خود را که برای آن شما راه اندازی این سیستم.
DocType: HR Settings,Include holidays in Total no. of Working Days,شامل تعطیلات در مجموع هیچ. از روز کاری
DocType: Job Applicant,Hold,نگه داشتن
DocType: Employee,Date of Joining,تاریخ پیوستن
@@ -930,20 +938,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,رسید خرید
,Received Items To Be Billed,دریافت گزینه هایی که صورتحساب
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,ارسال شده ورقه حقوق
-DocType: Employee,Ms,خانم
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,نرخ ارز نرخ ارز استاد.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},مرجع DOCTYPE باید یکی از شود {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,نرخ ارز نرخ ارز استاد.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},مرجع DOCTYPE باید یکی از شود {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},قادر به پیدا کردن شکاف زمان در آینده {0} روز برای عملیات {1}
DocType: Production Order,Plan material for sub-assemblies,مواد را برای طرح زیر مجموعه
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,شرکای فروش و منطقه
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,می توانید حساب به طور خودکار ایجاد عنوان در حال حاضر تعادل سهام در حساب وجود دارد. شما باید یک حساب تطبیق ایجاد قبل از شما می توانید یک ورودی در این انبار را
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} باید فعال باشد
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} باید فعال باشد
DocType: Journal Entry,Depreciation Entry,ورود استهلاک
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,لطفا ابتدا نوع سند را انتخاب کنید
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,لغو مواد بازدید {0} قبل از لغو این نگهداری سایت
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},سریال بدون {0} به مورد تعلق ندارد {1}
DocType: Purchase Receipt Item Supplied,Required Qty,مورد نیاز تعداد
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,انبارها با معامله موجود می توانید به دفتر تبدیل نمی کند.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,انبارها با معامله موجود می توانید به دفتر تبدیل نمی کند.
DocType: Bank Reconciliation,Total Amount,مقدار کل
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,انتشارات اینترنت
DocType: Production Planning Tool,Production Orders,سفارشات تولید
@@ -958,25 +964,26 @@
DocType: Fee Structure,Components,اجزاء
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},لطفا دارایی رده در آیتم را وارد کنید {0}
DocType: Quality Inspection Reading,Reading 6,خواندن 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,آیا می توانم {0} {1} {2} بدون هیچ فاکتور برجسته منفی
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,آیا می توانم {0} {1} {2} بدون هیچ فاکتور برجسته منفی
DocType: Purchase Invoice Advance,Purchase Invoice Advance,فاکتور خرید پیشرفته
DocType: Hub Settings,Sync Now,همگام سازی در حال حاضر
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},ردیف {0}: ورود اعتباری را نمی توان با مرتبط {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,تعریف بودجه برای یک سال مالی است.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,تعریف بودجه برای یک سال مالی است.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,به طور پیش فرض حساب بانک / نقدی به طور خودکار در POS فاکتور به روز شده در زمانی که این حالت انتخاب شده است.
DocType: Lead,LEAD-,هدایت-
DocType: Employee,Permanent Address Is,آدرس دائمی است
DocType: Production Order Operation,Operation completed for how many finished goods?,عملیات برای چند کالا به پایان رسید به پایان؟
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,نام تجاری
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,نام تجاری
DocType: Employee,Exit Interview Details,جزییات خروج مصاحبه
DocType: Item,Is Purchase Item,آیا مورد خرید
DocType: Asset,Purchase Invoice,فاکتورخرید
DocType: Stock Ledger Entry,Voucher Detail No,جزئیات کوپن بدون
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,جدید فاکتور فروش
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,جدید فاکتور فروش
DocType: Stock Entry,Total Outgoing Value,مجموع ارزش خروجی
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,باز کردن تاریخ و بسته شدن تاریخ باید در همان سال مالی می شود
DocType: Lead,Request for Information,درخواست اطلاعات
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,همگام سازی آفلاین فاکتورها
+,LeaderBoard,رهبران
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,همگام سازی آفلاین فاکتورها
DocType: Payment Request,Paid,پرداخت
DocType: Program Fee,Program Fee,هزینه برنامه
DocType: Salary Slip,Total in words,مجموع در کلمات
@@ -985,13 +992,13 @@
DocType: Cheque Print Template,Has Print Format,است چاپ فرمت
DocType: Employee Loan,Sanctioned,تحریم
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,این مورد الزامی است. شاید مقدار تبدیل ارز برایش ایجاد نشده است
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},ردیف # {0}: لطفا سریال مشخص نیست برای مورد {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",برای آیتم های 'محصولات بسته نرم افزاری، انبار، سریال و بدون دسته بدون خواهد شد از' بسته بندی فهرست جدول در نظر گرفته. اگر انبار و دسته ای بدون برای همه آیتم ها بسته بندی مورد هر 'محصولات بسته نرم افزاری "هستند، این ارزش ها را می توان در جدول آیتم های اصلی وارد شده، ارزش خواهد شد کپی شده به' بسته بندی فهرست جدول.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},ردیف # {0}: لطفا سریال مشخص نیست برای مورد {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",برای آیتم های 'محصولات بسته نرم افزاری، انبار، سریال و بدون دسته بدون خواهد شد از' بسته بندی فهرست جدول در نظر گرفته. اگر انبار و دسته ای بدون برای همه آیتم ها بسته بندی مورد هر 'محصولات بسته نرم افزاری "هستند، این ارزش ها را می توان در جدول آیتم های اصلی وارد شده، ارزش خواهد شد کپی شده به' بسته بندی فهرست جدول.
DocType: Job Opening,Publish on website,انتشار در وب سایت
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,محموله به مشتریان.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,تاریخ عرضه فاکتور نمی تواند بیشتر از ارسال تاریخ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,تاریخ عرضه فاکتور نمی تواند بیشتر از ارسال تاریخ
DocType: Purchase Invoice Item,Purchase Order Item,خرید سفارش مورد
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,درآمد غیر مستقیم
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,درآمد غیر مستقیم
DocType: Student Attendance Tool,Student Attendance Tool,ابزار حضور دانش آموز
DocType: Cheque Print Template,Date Settings,تنظیمات تاریخ
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,واریانس
@@ -1009,20 +1016,20 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,شیمیایی
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,به طور پیش فرض حساب بانک / نقدی به طور خودکار در حقوق ورودی مجله به روز هنگامی که این حالت انتخاب شده است.
DocType: BOM,Raw Material Cost(Company Currency),خام هزینه مواد (شرکت ارز)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,همه موارد قبلا برای این سفارش تولید منتقل می شود.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,همه موارد قبلا برای این سفارش تولید منتقل می شود.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},ردیف # {0}: نرخ نمی تواند بیشتر از نرخ مورد استفاده در {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,متر
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,متر
DocType: Workstation,Electricity Cost,هزینه برق
DocType: HR Settings,Don't send Employee Birthday Reminders,آیا کارمند تولد یادآوری ارسال کنید
DocType: Item,Inspection Criteria,معیار بازرسی
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,انتقال
DocType: BOM Website Item,BOM Website Item,BOM مورد وب سایت
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,آپلود سر نامه و آرم خود را. (شما می توانید آنها را بعد از ویرایش).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,آپلود سر نامه و آرم خود را. (شما می توانید آنها را بعد از ویرایش).
DocType: Timesheet Detail,Bill,لایحه
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,بعدی تاریخ استهلاک به عنوان تاریخ گذشته وارد
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,سفید
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,سفید
DocType: SMS Center,All Lead (Open),همه سرب (باز)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ردیف {0}: تعداد برای در دسترس نیست {4} در انبار {1} در زمان ارسال از ورود ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ردیف {0}: تعداد برای در دسترس نیست {4} در انبار {1} در زمان ارسال از ورود ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,دریافت پیشرفت پرداخت
DocType: Item,Automatically Create New Batch,به طور خودکار ایجاد دسته جدید
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,ساخت
@@ -1032,13 +1039,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,سبد من
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},نوع سفارش باید یکی از است {0}
DocType: Lead,Next Contact Date,تماس با آمار بعدی
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,باز کردن تعداد
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,لطفا حساب برای تغییر مقدار را وارد کنید
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,باز کردن تعداد
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,لطفا حساب برای تغییر مقدار را وارد کنید
DocType: Student Batch Name,Student Batch Name,دانشجو نام دسته ای
DocType: Holiday List,Holiday List Name,نام فهرست تعطیلات
DocType: Repayment Schedule,Balance Loan Amount,تعادل وام مبلغ
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,دوره برنامه
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,گزینه های سهام
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,گزینه های سهام
DocType: Journal Entry Account,Expense Claim,ادعای هزینه
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,آیا شما واقعا می خواهید برای بازگرداندن این دارایی اوراق؟
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},تعداد برای {0}
@@ -1050,12 +1057,12 @@
DocType: Company,Default Terms,به طور پیش فرض شرایط
DocType: Packing Slip Item,Packing Slip Item,بسته بندی مورد لغزش
DocType: Purchase Invoice,Cash/Bank Account,نقد / حساب بانکی
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},لطفا مشخص {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},لطفا مشخص {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,موارد حذف شده بدون تغییر در مقدار یا ارزش.
DocType: Delivery Note,Delivery To,تحویل به
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,جدول ویژگی الزامی است
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,جدول ویژگی الزامی است
DocType: Production Planning Tool,Get Sales Orders,دریافت سفارشات فروش
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} نمی تواند منفی باشد
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} نمی تواند منفی باشد
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,تخفیف
DocType: Asset,Total Number of Depreciations,تعداد کل Depreciations
DocType: Sales Invoice Item,Rate With Margin,نرخ با حاشیه
@@ -1075,7 +1082,6 @@
DocType: Serial No,Creation Document No,ایجاد سند بدون
DocType: Issue,Issue,موضوع
DocType: Asset,Scrapped,اوراق
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,حساب با شرکت مطابقت ندارد
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.",صفات برای مورد انواع. به عنوان مثال اندازه، رنگ و غیره
DocType: Purchase Invoice,Returns,بازگشت
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,انبار WIP
@@ -1087,12 +1093,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,مورد باید با استفاده از 'گرفتن اقلام از خرید رسید' را فشار دهید اضافه شود
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,شامل اقلام غیر سهام
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,هزینه فروش
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,هزینه فروش
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,خرید استاندارد
DocType: GL Entry,Against,در برابر
DocType: Item,Default Selling Cost Center,مرکز هزینه پیش فرض فروش
DocType: Sales Partner,Implementation Partner,شریک اجرای
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,کد پستی
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,کد پستی
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},سفارش فروش {0} است {1}
DocType: Opportunity,Contact Info,اطلاعات تماس
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,ساخت نوشته های سهام
@@ -1105,31 +1111,31 @@
DocType: Holiday List,Get Weekly Off Dates,دریافت هفتگی فعال تاریخ
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,تاریخ پایان نمی تواند کمتر از تاریخ شروع
DocType: Sales Person,Select company name first.,انتخاب نام شرکت برای اولین بار.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,دکتر
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,نقل قول از تولید کنندگان دریافت کرد.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},به {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,میانگین سن
DocType: School Settings,Attendance Freeze Date,حضور و غیاب یخ تاریخ
DocType: Opportunity,Your sales person who will contact the customer in future,فروشنده شما در اینده تماسی با مشتری خواهد داشت
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,لیست چند از تامین کنندگان خود را. آنها می تواند سازمان ها یا افراد.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,لیست چند از تامین کنندگان خود را. آنها می تواند سازمان ها یا افراد.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,همه محصولات
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),حداقل سن منجر (روز)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,همه BOM ها
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,همه BOM ها
DocType: Company,Default Currency,به طور پیش فرض ارز
DocType: Expense Claim,From Employee,از کارمند
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,هشدار: سیستم خواهد overbilling از مقدار برای مورد بررسی نمی {0} در {1} صفر است
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,هشدار: سیستم خواهد overbilling از مقدار برای مورد بررسی نمی {0} در {1} صفر است
DocType: Journal Entry,Make Difference Entry,ورود را تفاوت
DocType: Upload Attendance,Attendance From Date,حضور و غیاب از تاریخ
DocType: Appraisal Template Goal,Key Performance Area,منطقه کلیدی کارایی
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,حمل و نقل
+DocType: Program Enrollment,Transportation,حمل و نقل
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,ویژگی معتبر نیست
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} باید قطعی شود
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} باید قطعی شود
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},تعداد باید کمتر یا مساوی به {0}
DocType: SMS Center,Total Characters,مجموع شخصیت
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},لطفا BOM BOM در زمینه برای مورد را انتخاب کنید {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},لطفا BOM BOM در زمینه برای مورد را انتخاب کنید {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,جزئیات C-فرم فاکتور
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,پرداخت آشتی فاکتور
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,سهم٪
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",همانطور که در تنظیمات از خرید اگر سفارش خرید مورد نیاز == "YES"، پس از آن برای ایجاد خرید فاکتور، کاربر نیاز به ایجاد سفارش خرید برای اولین بار در مورد {0}
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,شماره ثبت شرکت برای رجوع کنید. شماره مالیاتی و غیره
DocType: Sales Partner,Distributor,توزیع کننده
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,سبد خرید قانون حمل و نقل
@@ -1138,23 +1144,25 @@
,Ordered Items To Be Billed,آیتم ها دستور داد تا صورتحساب
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,از محدوده است که به کمتر از به محدوده
DocType: Global Defaults,Global Defaults,به طور پیش فرض جهانی
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,پروژه دعوت همکاری
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,پروژه دعوت همکاری
DocType: Salary Slip,Deductions,کسر
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,سال شروع
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},نخست 2 رقم از GSTIN باید با تعداد دولت مطابقت {0}
DocType: Purchase Invoice,Start date of current invoice's period,تاریخ دوره صورتحساب فعلی شروع
DocType: Salary Slip,Leave Without Pay,ترک کنی بدون اینکه پرداخت
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,ظرفیت خطا برنامه ریزی
,Trial Balance for Party,تعادل دادگاه برای حزب
DocType: Lead,Consultant,مشاور
DocType: Salary Slip,Earnings,درامد
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,مورد به پایان رسید {0} باید برای ورود نوع ساخت وارد
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,مورد به پایان رسید {0} باید برای ورود نوع ساخت وارد
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,باز کردن تعادل حسابداری
+,GST Sales Register,GST فروش ثبت نام
DocType: Sales Invoice Advance,Sales Invoice Advance,فاکتور فروش پیشرفته
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,هیچ چیز برای درخواست
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},دیگری را ضبط بودجه '{0}' در حال حاضر در برابر وجود دارد {1} '{2} برای سال مالی {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date','تاریخ شروع واقعی' نمی تواند دیرتر از 'تاریخ پایان واقعی' باشد
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,اداره
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,اداره
DocType: Cheque Print Template,Payer Settings,تنظیمات پرداخت کننده
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""",این خواهد شد به کد مورد از نوع اضافه خواهد شد. برای مثال، اگر شما مخفف "SM" است، و کد مورد است "تی شرت"، کد مورد از نوع خواهد بود "تی شرت-SM"
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,پرداخت خالص (به عبارت) قابل مشاهده خواهد بود یک بار شما را لغزش حقوق و دستمزد را نجات دهد.
@@ -1171,8 +1179,8 @@
DocType: Employee Loan,Partially Disbursed,نیمه پرداخت شده
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,پایگاه داده تامین کننده.
DocType: Account,Balance Sheet,ترازنامه
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',مرکز مورد با کد آیتم های هزینه
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",حالت پرداخت پیکربندی نشده است. لطفا بررسی کنید، آیا حساب شده است در حالت پرداخت و یا در POS مشخصات تعیین شده است.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',مرکز مورد با کد آیتم های هزینه
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",حالت پرداخت پیکربندی نشده است. لطفا بررسی کنید، آیا حساب شده است در حالت پرداخت و یا در POS مشخصات تعیین شده است.
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,فروشنده شما در این تاریخ برای تماس با مشتری یاداوری خواهد داشت
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,آیتم همان نمی تواند وارد شود چند بار.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups",حساب های بیشتر می تواند در زیر گروه ساخته شده، اما مطالب را می توان در برابر غیر گروه ساخته شده
@@ -1180,7 +1188,7 @@
DocType: Email Digest,Payables,حساب های پرداختنی
DocType: Course,Course Intro,معرفی دوره
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,سهام ورودی {0} ایجاد
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,ردیف # {0}: رد تعداد می توانید در خرید بازگشت نمی شود وارد
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,ردیف # {0}: رد تعداد می توانید در خرید بازگشت نمی شود وارد
,Purchase Order Items To Be Billed,سفارش خرید گزینه هایی که صورتحساب
DocType: Purchase Invoice Item,Net Rate,نرخ خالص
DocType: Purchase Invoice Item,Purchase Invoice Item,خرید آیتم فاکتور
@@ -1205,7 +1213,7 @@
DocType: Sales Order,SO-,بنابراین-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,لطفا ابتدا پیشوند انتخاب کنید
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,پژوهش
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,پژوهش
DocType: Maintenance Visit Purpose,Work Done,کار تمام شد
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,لطفا حداقل یک ویژگی در جدول صفات مشخص
DocType: Announcement,All Students,همه ی دانش آموزان
@@ -1213,17 +1221,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,مشخصات لجر
DocType: Grading Scale,Intervals,فواصل
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,قدیمیترین
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group",گروه مورد با همین نام وجود دارد، لطفا نام مورد تغییر یا تغییر نام گروه مورد
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,شماره دانشجویی موبایل
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,بقیه دنیا
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group",گروه مورد با همین نام وجود دارد، لطفا نام مورد تغییر یا تغییر نام گروه مورد
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,شماره دانشجویی موبایل
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,بقیه دنیا
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,مورد {0} می تواند دسته ای ندارد
,Budget Variance Report,گزارش انحراف از بودجه
DocType: Salary Slip,Gross Pay,پرداخت ناخالص
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,ردیف {0}: نوع فعالیت الزامی است.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,سود سهام پرداخت
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,سود سهام پرداخت
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,حسابداری لجر
DocType: Stock Reconciliation,Difference Amount,مقدار تفاوت
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,سود انباشته
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,سود انباشته
DocType: Vehicle Log,Service Detail,جزئیات خدمات
DocType: BOM,Item Description,مورد توضیحات
DocType: Student Sibling,Student Sibling,دانشجو خواهر و برادر
@@ -1237,11 +1245,11 @@
DocType: Opportunity Item,Opportunity Item,مورد فرصت
,Student and Guardian Contact Details,دانشجویی و نگهبان اطلاعات تماس
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,ردیف {0}: عرضه کننده {0} آدرس ایمیل مورد نیاز برای ارسال ایمیل
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,افتتاح موقت
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,افتتاح موقت
,Employee Leave Balance,کارمند مرخصی تعادل
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},موجودی برای حساب {0} همیشه باید {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},نرخ ارزش گذاری مورد نیاز برای مورد در ردیف {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,به عنوان مثال: کارشناسی ارشد در رشته علوم کامپیوتر
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,به عنوان مثال: کارشناسی ارشد در رشته علوم کامپیوتر
DocType: Purchase Invoice,Rejected Warehouse,انبار را رد کرد
DocType: GL Entry,Against Voucher,علیه کوپن
DocType: Item,Default Buying Cost Center,به طور پیش فرض مرکز هزینه خرید
@@ -1254,31 +1262,30 @@
DocType: Journal Entry,Get Outstanding Invoices,دریافت فاکتورها برجسته
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,سفارش فروش {0} معتبر نیست
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,سفارشات خرید به شما کمک کند برنامه ریزی و پیگیری خرید خود را
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged",با عرض پوزش، شرکت ها نمی توانند با هم ادغام شدند
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged",با عرض پوزش، شرکت ها نمی توانند با هم ادغام شدند
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",کل مقدار شماره / انتقال {0} در درخواست پاسخ به مواد {1} \ نمی تواند بیشتر از مقدار درخواست {2} برای مورد {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,کوچک
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,کوچک
DocType: Employee,Employee Number,شماره کارمند
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},مورد هیچ (بازدید کنندگان) در حال حاضر در حال استفاده است. سعی کنید از مورد هیچ {0}
DocType: Project,% Completed,٪ تکمیل شده
,Invoiced Amount (Exculsive Tax),مقدار صورتحساب (Exculsive مالیات)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,آیتم 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,سر حساب {0} ایجاد
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,برنامه آموزشی
DocType: Item,Auto re-order,خودکار دوباره سفارش
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,مجموع بهدستآمده
DocType: Employee,Place of Issue,محل صدور
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,قرارداد
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,قرارداد
DocType: Email Digest,Add Quote,افزودن پیشنهاد قیمت
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},عامل coversion UOM مورد نیاز برای UOM: {0} در مورد: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,هزینه های غیر مستقیم
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},عامل coversion UOM مورد نیاز برای UOM: {0} در مورد: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,هزینه های غیر مستقیم
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,ردیف {0}: تعداد الزامی است
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,کشاورزی
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,همگام سازی داده های کارشناسی ارشد
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,محصولات یا خدمات شما
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,همگام سازی داده های کارشناسی ارشد
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,محصولات یا خدمات شما
DocType: Mode of Payment,Mode of Payment,نحوه پرداخت
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,وب سایت تصویر باید یک فایل عمومی و یا آدرس وب سایت می باشد
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,وب سایت تصویر باید یک فایل عمومی و یا آدرس وب سایت می باشد
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,این یک گروه مورد ریشه است و نمی تواند ویرایش شود.
@@ -1287,17 +1294,17 @@
DocType: Warehouse,Warehouse Contact Info,انبار اطلاعات تماس
DocType: Payment Entry,Write Off Difference Amount,نوشتن کردن مقدار تفاوت
DocType: Purchase Invoice,Recurring Type,تکرار نوع
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent",{0}: ایمیل کارمند یافت نشد، از این رو ایمیل ارسال نمی
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent",{0}: ایمیل کارمند یافت نشد، از این رو ایمیل ارسال نمی
DocType: Item,Foreign Trade Details,جزییات تجارت خارجی
DocType: Email Digest,Annual Income,درآمد سالانه
DocType: Serial No,Serial No Details,سریال جزئیات
DocType: Purchase Invoice Item,Item Tax Rate,مورد نرخ مالیات
DocType: Student Group Student,Group Roll Number,گروه شماره رول
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",برای {0}، تنها حساب های اعتباری می تواند در مقابل ورود بدهی دیگر مرتبط
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,در کل از همه وزن وظیفه باید باشد 1. لطفا وزن همه وظایف پروژه تنظیم بر این اساس
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,تحویل توجه داشته باشید {0} است ارسال نشده
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,مورد {0} باید مورد-فرعی قرارداد است
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,تجهیزات سرمایه
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,در کل از همه وزن وظیفه باید باشد 1. لطفا وزن همه وظایف پروژه تنظیم بر این اساس
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,تحویل توجه داشته باشید {0} است ارسال نشده
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,مورد {0} باید مورد-فرعی قرارداد است
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,تجهیزات سرمایه
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",قانون قیمت گذاری شده است برای اولین بار بر اساس انتخاب 'درخواست در' درست است که می تواند مورد، مورد گروه و یا تجاری.
DocType: Hub Settings,Seller Website,فروشنده وب سایت
DocType: Item,ITEM-,آیتم
@@ -1315,7 +1322,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",فقط یک قانون حمل و نقل شرط با 0 یا مقدار خالی برای "به ارزش"
DocType: Authorization Rule,Transaction,معامله
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,توجه: این مرکز هزینه یک گروه است. می توانید ورودی های حسابداری در برابر گروه های را ندارد.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,انبار کودک برای این انبار وجود دارد. شما می توانید این انبار را حذف کنید.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,انبار کودک برای این انبار وجود دارد. شما می توانید این انبار را حذف کنید.
DocType: Item,Website Item Groups,گروه مورد وب سایت
DocType: Purchase Invoice,Total (Company Currency),مجموع (شرکت ارز)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,شماره سریال {0} وارد بیش از یک بار
@@ -1325,7 +1332,7 @@
DocType: Grading Scale Interval,Grade Code,کد کلاس
DocType: POS Item Group,POS Item Group,POS مورد گروه
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ایمیل خلاصه:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} به مورد تعلق ندارد {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} به مورد تعلق ندارد {1}
DocType: Sales Partner,Target Distribution,توزیع هدف
DocType: Salary Slip,Bank Account No.,شماره حساب بانکی
DocType: Naming Series,This is the number of the last created transaction with this prefix,این تعداد از آخرین معامله ایجاد شده با این پیشوند است
@@ -1335,12 +1342,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,کتاب دارایی ورودی استهلاک به صورت خودکار
DocType: BOM Operation,Workstation,ایستگاه های کاری
DocType: Request for Quotation Supplier,Request for Quotation Supplier,درخواست برای عرضه دیگر
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,سخت افزار
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,سخت افزار
DocType: Sales Order,Recurring Upto,در محدوده زمانی معین تا حد
DocType: Attendance,HR Manager,مدیریت منابع انسانی
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,لطفا یک شرکت را انتخاب کنید
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,امتیاز مرخصی
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,لطفا یک شرکت را انتخاب کنید
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,امتیاز مرخصی
DocType: Purchase Invoice,Supplier Invoice Date,تامین کننده فاکتور عضویت
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,در هر
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,شما نیاز به فعال کردن سبد خرید هستید
DocType: Payment Entry,Writeoff,تسویه حساب
DocType: Appraisal Template Goal,Appraisal Template Goal,هدف ارزیابی الگو
@@ -1351,10 +1359,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,شرایط با هم تداخل دارند بین:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,علیه مجله ورودی {0} در حال حاضر در برابر برخی از کوپن های دیگر تنظیم
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,مجموع ارزش ترتیب
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,غذا
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,غذا
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,محدوده سالمندی 3
DocType: Maintenance Schedule Item,No of Visits,تعداد بازدید ها
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,علامت گذاری به عنوان حضور و غیاب
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,علامت گذاری به عنوان حضور و غیاب
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},برنامه تعمیر و نگهداری {0} در برابر وجود دارد {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,دانش آموز ثبت نام
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},نرخ ارز از بستن حساب باید {0}
@@ -1368,6 +1376,7 @@
DocType: Rename Tool,Utilities,نرم افزار
DocType: Purchase Invoice Item,Accounting,حسابداری
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,لطفا دسته مورد برای بسته بندی های کوچک را انتخاب کنید
DocType: Asset,Depreciation Schedules,برنامه استهلاک
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,دوره نرم افزار می تواند دوره تخصیص مرخصی در خارج نیست
DocType: Activity Cost,Projects,پروژه
@@ -1381,6 +1390,7 @@
DocType: POS Profile,Campaign,کمپین
DocType: Supplier,Name and Type,نام و نوع
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',وضعیت تایید باید "تایید" یا "رد"
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,خود راه انداز
DocType: Purchase Invoice,Contact Person,شخص تماس
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"'تاریخ شروع پیش بینی شده' نمی تواند بیشتر از 'تاریخ پایان پیش بینی شده"" باشد"
DocType: Course Scheduling Tool,Course End Date,البته پایان تاریخ
@@ -1388,12 +1398,11 @@
DocType: Sales Order Item,Planned Quantity,تعداد برنامه ریزی شده
DocType: Purchase Invoice Item,Item Tax Amount,مبلغ مالیات مورد
DocType: Item,Maintain Stock,حفظ سهام
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,مطالب سهام در حال حاضر برای سفارش تولید ایجاد
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,مطالب سهام در حال حاضر برای سفارش تولید ایجاد
DocType: Employee,Prefered Email,ترجیح ایمیل
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,تغییر خالص دارائی های ثابت در
DocType: Leave Control Panel,Leave blank if considered for all designations,خالی بگذارید اگر برای همه در نظر گرفته نامگذاریهای
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,انبار برای حساب های غیر گروه از نوع سهام الزامی است
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,شارژ از نوع 'واقعی' در ردیف {0} نمی تواند در مورد نرخ شامل
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,شارژ از نوع 'واقعی' در ردیف {0} نمی تواند در مورد نرخ شامل
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},حداکثر: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,از تاریخ ساعت
DocType: Email Digest,For Company,برای شرکت
@@ -1403,15 +1412,15 @@
DocType: Sales Invoice,Shipping Address Name,حمل و نقل آدرس
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,ساختار حسابها
DocType: Material Request,Terms and Conditions Content,شرایط و ضوابط محتوا
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,نمی تواند بیشتر از ۱۰۰ باشد
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,مورد {0} است مورد سهام نمی
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,نمی تواند بیشتر از ۱۰۰ باشد
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,مورد {0} است مورد سهام نمی
DocType: Maintenance Visit,Unscheduled,برنامه ریزی
DocType: Employee,Owned,متعلق به
DocType: Salary Detail,Depends on Leave Without Pay,بستگی به مرخصی بدون حقوق
DocType: Pricing Rule,"Higher the number, higher the priority",شماره بالاتر، بالاتر اولویت
,Purchase Invoice Trends,خرید روند فاکتور
DocType: Employee,Better Prospects,چشم انداز بهتر
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",ردیف # {0}: دسته {1} تنها {2} تعداد. لطفا دسته ای دیگر است که {3} تعداد موجود را انتخاب کنید و یا تقسیم ردیف به ردیف های متعدد، برای ارائه / موضوع از دسته های متعدد
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",ردیف # {0}: دسته {1} تنها {2} تعداد. لطفا دسته ای دیگر است که {3} تعداد موجود را انتخاب کنید و یا تقسیم ردیف به ردیف های متعدد، برای ارائه / موضوع از دسته های متعدد
DocType: Vehicle,License Plate,پلاک وسیله نقلیه
DocType: Appraisal,Goals,اهداف
DocType: Warranty Claim,Warranty / AMC Status,گارانتی / AMC وضعیت
@@ -1422,19 +1431,20 @@
,Batch-Wise Balance History,دسته حکیم تاریخچه تعادل
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,تنظیمات چاپ به روز در قالب چاپ مربوطه
DocType: Package Code,Package Code,کد بسته بندی
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,شاگرد
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,شاگرد
+DocType: Purchase Invoice,Company GSTIN,شرکت GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,تعداد منفی مجاز نیست
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",مالیات جدول جزئیات ذهن از آیتم های کارشناسی ارشد به عنوان یک رشته و ذخیره شده در این زمینه. مورد استفاده برای مالیات و هزینه
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,کارمند نمی تواند به خود گزارش دهید.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.",اگر حساب منجمد است، ورودی ها را به کاربران محدود شده مجاز می باشد.
DocType: Email Digest,Bank Balance,بانک تعادل
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},ثبت حسابداری برای {0}: {1} تنها می تواند در ارز ساخته شده است: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},ثبت حسابداری برای {0}: {1} تنها می تواند در ارز ساخته شده است: {2}
DocType: Job Opening,"Job profile, qualifications required etc.",مشخصات شغلی، شرایط مورد نیاز و غیره
DocType: Journal Entry Account,Account Balance,موجودی حساب
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,قانون مالیاتی برای معاملات.
DocType: Rename Tool,Type of document to rename.,نوع سند به تغییر نام دهید.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,ما خرید این مورد
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,ما خرید این مورد
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: و ضوابط به حساب دریافتنی مورد نیاز است {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),مجموع مالیات و هزینه (شرکت ارز)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,نمایش P & L مانده سال مالی بستهنشده است
@@ -1445,29 +1455,30 @@
DocType: Stock Entry,Total Additional Costs,مجموع هزینه های اضافی
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),هزینه ضایعات مواد (شرکت ارز)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,مجامع زیر
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,مجامع زیر
DocType: Asset,Asset Name,نام دارایی
DocType: Project,Task Weight,وظیفه وزن
DocType: Shipping Rule Condition,To Value,به ارزش
DocType: Asset Movement,Stock Manager,سهام مدیر
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},انبار منبع برای ردیف الزامی است {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,بسته بندی لغزش
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,دفتر اجاره
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},انبار منبع برای ردیف الزامی است {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,بسته بندی لغزش
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,دفتر اجاره
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,تنظیمات دروازه راه اندازی SMS
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,واردات نشد!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,بدون آدرس اضافه نشده است.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,بدون آدرس اضافه نشده است.
DocType: Workstation Working Hour,Workstation Working Hour,ایستگاه های کاری کار یک ساعت
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,روانکاو
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,روانکاو
DocType: Item,Inventory,فهرست
DocType: Item,Sales Details,جزییات فروش
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,با اقلام
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,در تعداد
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,در تعداد
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,اعتبارسنجی ثبت نام دوره برای دانش آموزان در گروه های دانشجویی
DocType: Notification Control,Expense Claim Rejected,ادعای هزینه رد
DocType: Item,Item Attribute,صفت مورد
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,دولت
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,دولت
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,هزینه ادعای {0} در حال حاضر برای ورود خودرو وجود دارد
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,نام موسسه
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,نام موسسه
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,لطفا مقدار بازپرداخت وارد کنید
apps/erpnext/erpnext/config/stock.py +300,Item Variants,انواع آیتم
DocType: Company,Services,خدمات
@@ -1477,18 +1488,18 @@
DocType: Sales Invoice,Source,منبع
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,نمایش بسته
DocType: Leave Type,Is Leave Without Pay,آیا ترک کنی بدون اینکه پرداخت
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,دارایی رده برای آیتم دارائی های ثابت الزامی است
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,دارایی رده برای آیتم دارائی های ثابت الزامی است
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,هیچ ثبتی یافت نشد در جدول پرداخت
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},این {0} درگیری با {1} برای {2} {3}
DocType: Student Attendance Tool,Students HTML,دانش آموزان HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,مالی سال تاریخ شروع
DocType: POS Profile,Apply Discount,اعمال تخفیف
+DocType: Purchase Invoice Item,GST HSN Code,GST کد HSN
DocType: Employee External Work History,Total Experience,تجربه ها
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,باز کردن پروژه
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,بسته بندی لغزش (بازدید کنندگان) لغو
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,جریان وجوه نقد از سرمایه گذاری
DocType: Program Course,Program Course,دوره برنامه
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,حمل و نقل و حمل و نقل اتهامات
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,حمل و نقل و حمل و نقل اتهامات
DocType: Homepage,Company Tagline for website homepage,شرکت شعار برای صفحه اصلی وب سایت
DocType: Item Group,Item Group Name,مورد نام گروه
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,گرفته
@@ -1498,6 +1509,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,ایجاد منجر می شود
DocType: Maintenance Schedule,Schedules,برنامه
DocType: Purchase Invoice Item,Net Amount,مقدار خالص
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} ارائه نشده است پس از عمل نمی تواند تکمیل شود
DocType: Purchase Order Item Supplied,BOM Detail No,جزئیات BOM بدون
DocType: Landed Cost Voucher,Additional Charges,هزینه های اضافی
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),تخفیف اضافی مبلغ (ارز شرکت)
@@ -1513,6 +1525,7 @@
DocType: Employee Loan,Monthly Repayment Amount,میزان بازپرداخت ماهانه
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,لطفا درست ID کاربر در یک پرونده کارمند به مجموعه نقش کارمند تنظیم
DocType: UOM,UOM Name,نام UOM
+DocType: GST HSN Code,HSN Code,کد HSN
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,مقدار سهم
DocType: Purchase Invoice,Shipping Address,حمل و نقل آدرس
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,این ابزار کمک می کند تا شما را به روز رسانی و یا تعمیر کمیت و ارزیابی سهام در سیستم. این است که به طور معمول برای همزمان سازی مقادیر سیستم و آنچه که واقعا در انبارها شما وجود دارد استفاده می شود.
@@ -1523,17 +1536,16 @@
DocType: Program Enrollment Tool,Program Enrollments,ثبت برنامه
DocType: Sales Invoice Item,Brand Name,نام تجاری
DocType: Purchase Receipt,Transporter Details,اطلاعات حمل و نقل
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,به طور پیش فرض ذخیره سازی برای آیتم انتخاب شده مورد نیاز است
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,جعبه
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,به طور پیش فرض ذخیره سازی برای آیتم انتخاب شده مورد نیاز است
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,جعبه
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,کننده ممکن
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,سازمان
DocType: Budget,Monthly Distribution,توزیع ماهانه
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,فهرست گیرنده خالی است. لطفا ایجاد فهرست گیرنده
DocType: Production Plan Sales Order,Production Plan Sales Order,تولید برنامه سفارش فروش
DocType: Sales Partner,Sales Partner Target,فروش شریک هدف
DocType: Loan Type,Maximum Loan Amount,حداکثر مبلغ وام
DocType: Pricing Rule,Pricing Rule,قانون قیمت گذاری
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},تعداد رول تکراری برای دانشجویان {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},تعداد رول تکراری برای دانشجویان {0}
DocType: Budget,Action if Annual Budget Exceeded,اکشن اگر بودجه سالانه بیش از حد
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,درخواست مواد به خرید سفارش
DocType: Shopping Cart Settings,Payment Success URL,پرداخت موفقیت URL
@@ -1546,11 +1558,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,باز کردن تعادل سهام
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} باید تنها یک بار ظاهر شود
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},مجاز به tranfer تر {0} از {1} در برابر سفارش خرید {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},مجاز به tranfer تر {0} از {1} در برابر سفارش خرید {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},برگ با موفقیت برای اختصاص {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,هیچ آیتمی برای بسته
DocType: Shipping Rule Condition,From Value,از ارزش
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,ساخت تعداد الزامی است
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,ساخت تعداد الزامی است
DocType: Employee Loan,Repayment Method,روش بازپرداخت
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",اگر علامت زده شود، صفحه اصلی خواهد بود که گروه پیش فرض گزینه برای وب سایت
DocType: Quality Inspection Reading,Reading 4,خواندن 4
@@ -1560,7 +1572,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},ردیف # {0}: تاریخ ترخیص کالا از {1} می توانید قبل از تاریخ چک شود {2}
DocType: Company,Default Holiday List,پیش فرض لیست تعطیلات
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},ردیف {0}: از زمان و به زمان از {1} با هم تداخل دارند {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,بدهی سهام
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,بدهی سهام
DocType: Purchase Invoice,Supplier Warehouse,انبار عرضه کننده کالا
DocType: Opportunity,Contact Mobile No,تماس با موبایل بدون
,Material Requests for which Supplier Quotations are not created,درخواست مواد که نقل قول تامین کننده ایجاد نمی
@@ -1571,35 +1583,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,را نقل قول
apps/erpnext/erpnext/config/selling.py +216,Other Reports,سایر گزارش
DocType: Dependent Task,Dependent Task,وظیفه وابسته
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},عامل تبدیل واحد اندازه گیری پیش فرض از 1 باید در ردیف شود {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},عامل تبدیل واحد اندازه گیری پیش فرض از 1 باید در ردیف شود {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},مرخصی از نوع {0} نمی تواند بیش از {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,سعی کنید برنامه ریزی عملیات به مدت چند روز X در پیش است.
DocType: HR Settings,Stop Birthday Reminders,توقف تولد یادآوری
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},لطفا پیش فرض حقوق و دستمزد پرداختنی حساب تعیین شده در شرکت {0}
DocType: SMS Center,Receiver List,فهرست گیرنده
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,جستجو مورد
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,جستجو مورد
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,مقدار مصرف
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,تغییر خالص در نقدی
DocType: Assessment Plan,Grading Scale,مقیاس درجه بندی
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,واحد اندازه گیری {0} است بیش از یک بار در تبدیل فاکتور جدول وارد شده است
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,واحد اندازه گیری {0} است بیش از یک بار در تبدیل فاکتور جدول وارد شده است
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,قبلا کامل شده
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,سهام در دست
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},درخواست پرداخت از قبل وجود دارد {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,هزینه اقلام صادر شده
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},تعداد نباید بیشتر از {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,قبلی سال مالی بسته نشده است
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),سن (روز)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),سن (روز)
DocType: Quotation Item,Quotation Item,مورد نقل قول
+DocType: Customer,Customer POS Id,ضوابط POS ها
DocType: Account,Account Name,نام حساب
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,از تاریخ نمی تواند بیشتر از به روز
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,سریال بدون {0} مقدار {1} می تواند یک بخش نمی
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,نوع منبع کارشناسی ارشد.
DocType: Purchase Order Item,Supplier Part Number,تامین کننده شماره قسمت
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,نرخ تبدیل نمی تواند 0 یا 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,نرخ تبدیل نمی تواند 0 یا 1
DocType: Sales Invoice,Reference Document,سند مرجع
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} لغو و یا متوقف شده است
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} لغو و یا متوقف شده است
DocType: Accounts Settings,Credit Controller,کنترل اعتبار
DocType: Delivery Note,Vehicle Dispatch Date,اعزام خودرو تاریخ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,رسید خرید {0} است ارسال نشده
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,رسید خرید {0} است ارسال نشده
DocType: Company,Default Payable Account,به طور پیش فرض پرداختنی حساب
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.",تنظیمات برای سبد خرید آنلاین مانند قوانین حمل و نقل، لیست قیمت و غیره
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}٪ صورتحساب شد
@@ -1618,11 +1632,12 @@
DocType: Expense Claim,Total Amount Reimbursed,مقدار کل بازپرداخت
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,این است که در سیاهههای مربوط در برابر این خودرو است. مشاهده جدول زمانی زیر برای جزئیات
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,جمع آوری
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},در برابر تامین کننده فاکتور {0} تاریخ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},در برابر تامین کننده فاکتور {0} تاریخ {1}
DocType: Customer,Default Price List,به طور پیش فرض لیست قیمت
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,ضبط حرکت دارایی {0} ایجاد
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,شما نمی توانید حذف سال مالی {0}. سال مالی {0} به عنوان پیش فرض در تنظیمات جهانی تنظیم
DocType: Journal Entry,Entry Type,نوع ورودی
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,هیچ برنامه ارزیابی مرتبط با این گروه ارزیابی
,Customer Credit Balance,تعادل اعتباری مشتری
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,تغییر خالص در حساب های پرداختنی
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',مشتری مورد نیاز برای 'تخفیف Customerwise'
@@ -1630,7 +1645,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,قیمت گذاری
DocType: Quotation,Term Details,جزییات مدت
DocType: Project,Total Sales Cost (via Sales Order),کل هزینه فروش (از طریق سفارش فروش)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,نمی توانید بیش از {0} دانش آموزان برای این گروه از دانشجویان ثبت نام.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,نمی توانید بیش از {0} دانش آموزان برای این گروه از دانشجویان ثبت نام.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,تعداد سرب
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} باید بزرگتر از 0 باشد
DocType: Manufacturing Settings,Capacity Planning For (Days),برنامه ریزی ظرفیت برای (روز)
@@ -1651,7 +1666,7 @@
DocType: Sales Invoice,Packed Items,آیتم ها بسته بندی شده
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,ادعای ضمانت نامه در مقابل شماره سریال
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM",جایگزین BOM خاص در تمام BOMs دیگر که در آن استفاده شده است. این پیوند قدیمی BOM جایگزین، به روز رسانی هزینه و بازسازی "BOM مورد انفجار" جدول به عنوان در هر BOM جدید
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','جمع'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','جمع'
DocType: Shopping Cart Settings,Enable Shopping Cart,فعال سبد خرید
DocType: Employee,Permanent Address,آدرس دائمی
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1667,9 +1682,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,لطفا یا مقدار و یا نرخ گذاری و یا هر دو مشخص
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,انجام
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,نمایش سبد خرید
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,هزینه های بازاریابی
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,هزینه های بازاریابی
,Item Shortage Report,مورد گزارش کمبود
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",وزن ذکر شده است، \ n لطفا ذکر "وزن UOM" بیش از حد
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",وزن ذکر شده است، \ n لطفا ذکر "وزن UOM" بیش از حد
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,درخواست مواد مورد استفاده در ساخت این سهام ورود
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,بعدی تاریخ استهلاک برای دارایی جدید الزامی است
DocType: Student Group Creation Tool,Separate course based Group for every Batch,جدا البته گروه بر اساس برای هر دسته ای
@@ -1678,17 +1693,18 @@
,Student Fee Collection,دانشجو هزینه مجموعه
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,را حسابداری برای ورود به جنبش هر سهام
DocType: Leave Allocation,Total Leaves Allocated,مجموع برگ اختصاص داده شده
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},انبار مورد نیاز در ردیف بدون {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,لطفا معتبر مالی سال تاریخ شروع و پایان را وارد کنید
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},انبار مورد نیاز در ردیف بدون {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,لطفا معتبر مالی سال تاریخ شروع و پایان را وارد کنید
DocType: Employee,Date Of Retirement,تاریخ بازنشستگی
DocType: Upload Attendance,Get Template,دریافت قالب
+DocType: Material Request,Transferred,منتقل شده
DocType: Vehicle,Doors,درب
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext راه اندازی کامل!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext راه اندازی کامل!
DocType: Course Assessment Criteria,Weightage,بین وزنها
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: مرکز هزینه برای سود و زیان، حساب مورد نیاز است {2}. لطفا راه اندازی یک مرکز هزینه به طور پیش فرض برای شرکت.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,یک گروه مشتری با نام مشابهی وجود دارد. لطا نام مشتری را تغییر دهید یا نام گروه مشتری را اصلاح نمایید.
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,تماس جدید
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,یک گروه مشتری با نام مشابهی وجود دارد. لطا نام مشتری را تغییر دهید یا نام گروه مشتری را اصلاح نمایید.
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,تماس جدید
DocType: Territory,Parent Territory,منطقه مرجع
DocType: Quality Inspection Reading,Reading 2,خواندن 2
DocType: Stock Entry,Material Receipt,دریافت مواد
@@ -1697,17 +1713,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",اگر این فقره انواع، سپس آن را نمی تواند در سفارشات فروش و غیره انتخاب شود
DocType: Lead,Next Contact By,بعد تماس با
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},تعداد در ردیف مورد نیاز برای مورد {0} {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},انبار {0} نمی تواند حذف شود مقدار برای مورد وجود دارد {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},تعداد در ردیف مورد نیاز برای مورد {0} {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},انبار {0} نمی تواند حذف شود مقدار برای مورد وجود دارد {1}
DocType: Quotation,Order Type,نوع سفارش
DocType: Purchase Invoice,Notification Email Address,هشدار از طریق ایمیل
,Item-wise Sales Register,مورد عاقلانه فروش ثبت نام
DocType: Asset,Gross Purchase Amount,مبلغ خرید خالص
DocType: Asset,Depreciation Method,روش استهلاک
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,آفلاین
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,آفلاین
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,آیا این مالیات شامل در نرخ پایه؟
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,مجموع هدف
-DocType: Program Course,Required,ضروری
DocType: Job Applicant,Applicant for a Job,متقاضی برای شغل
DocType: Production Plan Material Request,Production Plan Material Request,تولید درخواست پاسخ به طرح مواد
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,بدون سفارشات تولید ایجاد
@@ -1716,17 +1731,17 @@
DocType: Purchase Invoice Item,Batch No,دسته بدون
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,اجازه چندین سفارشات فروش در برابر خرید سفارش مشتری
DocType: Student Group Instructor,Student Group Instructor,مربی دانشجویی گروه
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 موبایل بدون
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,اصلی
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 موبایل بدون
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,اصلی
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,نوع دیگر
DocType: Naming Series,Set prefix for numbering series on your transactions,تنظیم پیشوند برای شماره سری در معاملات خود را
DocType: Employee Attendance Tool,Employees HTML,کارمندان HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,به طور پیش فرض BOM ({0}) باید برای این آیتم به و یا قالب آن فعال باشد
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,به طور پیش فرض BOM ({0}) باید برای این آیتم به و یا قالب آن فعال باشد
DocType: Employee,Leave Encashed?,ترک نقد شدنی؟
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,فرصت از فیلد اجباری است
DocType: Email Digest,Annual Expenses,هزینه سالانه
DocType: Item,Variants,انواع
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,را سفارش خرید
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,را سفارش خرید
DocType: SMS Center,Send To,فرستادن به
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},است تعادل مرخصی به اندازه کافی برای مرخصی نوع وجود ندارد {0}
DocType: Payment Reconciliation Payment,Allocated amount,مقدار اختصاص داده شده
@@ -1740,26 +1755,25 @@
DocType: Supplier,Statutory info and other general information about your Supplier,اطلاعات قانونی و دیگر اطلاعات کلی در مورد تامین کننده خود را
DocType: Item,Serial Nos and Batches,سریال شماره و دسته
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,قدرت دانشجویی گروه
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,علیه مجله ورودی {0} هیچ بی بدیل {1} ورود ندارد
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,علیه مجله ورودی {0} هیچ بی بدیل {1} ورود ندارد
apps/erpnext/erpnext/config/hr.py +137,Appraisals,ارزیابی
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},تکراری سریال بدون برای مورد وارد {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,یک شرط برای یک قانون ارسال کالا
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,لطفا وارد
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",آیا می توانم برای مورد {0} در ردیف overbill {1} بیش از {2}. برای اجازه بیش از حد صدور صورت حساب، لطفا در خرید تنظیمات
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,لطفا فیلتر بر اساس مورد یا انبار مجموعه
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",آیا می توانم برای مورد {0} در ردیف overbill {1} بیش از {2}. برای اجازه بیش از حد صدور صورت حساب، لطفا در خرید تنظیمات
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,لطفا فیلتر بر اساس مورد یا انبار مجموعه
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),وزن خالص این بسته. (به طور خودکار به عنوان مجموع وزن خالص از اقلام محاسبه)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,لطفا یک حساب کاربری برای این انبار ایجاد و پیوند آن. این را نمی توان به طور خودکار به عنوان یک حساب کاربری با نام انجام می شود {0} از قبل وجود دارد
DocType: Sales Order,To Deliver and Bill,برای ارائه و بیل
DocType: Student Group,Instructors,آموزش
DocType: GL Entry,Credit Amount in Account Currency,مقدار اعتبار در حساب ارز
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} باید ارائه شود
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} باید ارائه شود
DocType: Authorization Control,Authorization Control,کنترل مجوز
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ردیف # {0}: رد انبار در برابر رد مورد الزامی است {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ردیف # {0}: رد انبار در برابر رد مورد الزامی است {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,پرداخت
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.",انبار {0} است به هر حساب در ارتباط نیست، لطفا ذکر حساب در رکورد انبار و یا مجموعه ای حساب موجودی به طور پیش فرض در شرکت {1}.
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,مدیریت سفارشات خود را
DocType: Production Order Operation,Actual Time and Cost,زمان و هزینه های واقعی
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},درخواست مواد از حداکثر {0} را می توان برای مورد {1} در برابر سفارش فروش ساخته شده {2}
-DocType: Employee,Salutation,سلام
DocType: Course,Course Abbreviation,مخفف دوره
DocType: Student Leave Application,Student Leave Application,دانشجو مرخصی کاربرد
DocType: Item,Will also apply for variants,همچنین برای انواع اعمال می شود
@@ -1771,12 +1785,12 @@
DocType: Quotation Item,Actual Qty,تعداد واقعی
DocType: Sales Invoice Item,References,مراجع
DocType: Quality Inspection Reading,Reading 10,خواندن 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",لیست محصولات و یا خدمات خود را که شما خرید و یا فروش. مطمئن شوید برای بررسی گروه مورد، واحد اندازه گیری و خواص دیگر زمانی که شما شروع می شود.
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",لیست محصولات و یا خدمات خود را که شما خرید و یا فروش. مطمئن شوید برای بررسی گروه مورد، واحد اندازه گیری و خواص دیگر زمانی که شما شروع می شود.
DocType: Hub Settings,Hub Node,مرکز گره
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,شما وارد آیتم های تکراری شده اید لطفا تصحیح و دوباره سعی کنید.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,وابسته
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,وابسته
DocType: Asset Movement,Asset Movement,جنبش دارایی
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,سبد خرید
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,سبد خرید
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,مورد {0} است مورد سریال نه
DocType: SMS Center,Create Receiver List,ایجاد فهرست گیرنده
DocType: Vehicle,Wheels,چرخ ها
@@ -1796,19 +1810,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',می توانید ردیف مراجعه تنها در صورتی که نوع اتهام است 'در مقدار قبلی ردیف "یا" قبل ردیف ها'
DocType: Sales Order Item,Delivery Warehouse,انبار تحویل
DocType: SMS Settings,Message Parameter,پیام پارامتر
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,درخت مراکز هزینه مالی.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,درخت مراکز هزینه مالی.
DocType: Serial No,Delivery Document No,تحویل اسناد بدون
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},لطفا "به دست آوردن حساب / از دست دادن در دفع دارایی، مجموعه ای در شرکت {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,گرفتن اقلام از دریافت خرید
DocType: Serial No,Creation Date,تاریخ ایجاد
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},مورد {0} چند بار به نظر می رسد در لیست قیمت {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}",فروش باید بررسی شود، اگر قابل استفاده برای عنوان انتخاب شده {0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}",فروش باید بررسی شود، اگر قابل استفاده برای عنوان انتخاب شده {0}
DocType: Production Plan Material Request,Material Request Date,مواد تاریخ درخواست پاسخ به
DocType: Purchase Order Item,Supplier Quotation Item,تامین کننده مورد عبارت
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,غیر فعال ایجاد سیاهههای مربوط به زمان در برابر سفارشات تولید. عملیات باید در برابر سفارش تولید ردیابی نیست
DocType: Student,Student Mobile Number,دانشجو شماره موبایل
DocType: Item,Has Variants,دارای انواع
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},شما در حال حاضر اقلام از انتخاب {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},شما در حال حاضر اقلام از انتخاب {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,نام توزیع ماهانه
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,دسته ID الزامی است
DocType: Sales Person,Parent Sales Person,شخص پدر و مادر فروش
@@ -1818,12 +1832,12 @@
DocType: Budget,Fiscal Year,سال مالی
DocType: Vehicle Log,Fuel Price,قیمت سوخت
DocType: Budget,Budget,بودجه
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,مورد دارائی های ثابت باید یک آیتم غیر سهام باشد.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,مورد دارائی های ثابت باید یک آیتم غیر سهام باشد.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",بودجه می توانید در برابر {0} اختصاص داده نمی شود، آن را به عنوان یک حساب کاربری درآمد یا هزینه نیست
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,به دست آورد
DocType: Student Admission,Application Form Route,فرم درخواست مسیر
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,منطقه / مشتریان
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,به عنوان مثال 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,به عنوان مثال 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,ترک نوع {0} نمی تواند اختصاص داده شود از آن است که بدون حقوق ترک
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},ردیف {0}: اختصاص مقدار {1} باید کمتر از برابر می شود و یا به فاکتور مقدار برجسته {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,به عبارت قابل مشاهده خواهد بود زمانی که به فاکتور فروش را نجات دهد.
@@ -1832,7 +1846,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,مورد {0} است راه اندازی برای سریال شماره ندارید. استاد مورد
DocType: Maintenance Visit,Maintenance Time,زمان نگهداری
,Amount to Deliver,مقدار برای ارائه
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,یک محصول یا خدمت
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,یک محصول یا خدمت
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,تاریخ شروع ترم نمی تواند زودتر از تاریخ سال شروع سال تحصیلی که مدت مرتبط است باشد (سال تحصیلی {}). لطفا تاریخ های صحیح و دوباره امتحان کنید.
DocType: Guardian,Guardian Interests,نگهبان علاقه مندی ها
DocType: Naming Series,Current Value,ارزش فعلی
@@ -1846,12 +1860,12 @@
must be greater than or equal to {2}",ردیف {0}: برای تنظیم دوره تناوب {1}، تفاوت بین از و تا به امروز \ باید بزرگتر یا مساوی به صورت {2}
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,این است که در جنبش سهام است. مشاهده {0} برای جزئیات
DocType: Pricing Rule,Selling,فروش
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},مقدار {0} {1} کسر شود {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},مقدار {0} {1} کسر شود {2}
DocType: Employee,Salary Information,اطلاعات حقوق و دستمزد
DocType: Sales Person,Name and Employee ID,نام و کارمند ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,تاریخ را نمی توان قبل از ارسال تاریخ
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,تاریخ را نمی توان قبل از ارسال تاریخ
DocType: Website Item Group,Website Item Group,وب سایت مورد گروه
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,وظایف و مالیات
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,وظایف و مالیات
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,لطفا تاریخ مرجع وارد
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} نوشته های پرداخت نمی تواند فیلتر {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,جدول برای مورد است که در وب سایت نشان داده خواهد شد
@@ -1868,9 +1882,9 @@
DocType: Payment Reconciliation Payment,Reference Row,مرجع ردیف
DocType: Installation Note,Installation Time,زمان نصب و راه اندازی
DocType: Sales Invoice,Accounting Details,جزئیات حسابداری
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,حذف تمام معاملات این شرکت
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,ردیف # {0}: عملیات {1} برای {2} تعداد کالا به پایان رسید در تولید تکمیل مرتب # {3}. لطفا وضعیت عملیات به روز رسانی از طریق زمان گزارش ها
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,سرمایه گذاری
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,حذف تمام معاملات این شرکت
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,ردیف # {0}: عملیات {1} برای {2} تعداد کالا به پایان رسید در تولید تکمیل مرتب # {3}. لطفا وضعیت عملیات به روز رسانی از طریق زمان گزارش ها
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,سرمایه گذاری
DocType: Issue,Resolution Details,جزییات قطعنامه
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,تخصیص
DocType: Item Quality Inspection Parameter,Acceptance Criteria,ملاک پذیرش
@@ -1895,7 +1909,7 @@
DocType: Room,Room Name,اسم اتاق
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",ترک نمی تواند اعمال شود / قبل از {0} لغو، به عنوان تعادل مرخصی در حال حاضر شده حمل فرستاده در آینده رکورد تخصیص مرخصی {1}
DocType: Activity Cost,Costing Rate,هزینه یابی نرخ
-,Customer Addresses And Contacts,آدرس و اطلاعات تماس و ضوابط
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,آدرس و اطلاعات تماس و ضوابط
,Campaign Efficiency,بهره وری کمپین
DocType: Discussion,Discussion,بحث
DocType: Payment Entry,Transaction ID,شناسه تراکنش
@@ -1905,14 +1919,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),مبلغ کل حسابداری (از طریق زمان ورق)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,تکرار درآمد و ضوابط
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) باید اجازه 'تاییدو امضا کننده هزینه' را داشته باشید
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,جفت
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,انتخاب کنید BOM و تعداد برای تولید
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,جفت
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,انتخاب کنید BOM و تعداد برای تولید
DocType: Asset,Depreciation Schedule,برنامه استهلاک
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,آدرس فروش شریک و اطلاعات تماس
DocType: Bank Reconciliation Detail,Against Account,به حساب
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,نیم تاریخ روز باید بین از تاریخ و به روز می شود
DocType: Maintenance Schedule Detail,Actual Date,تاریخ واقعی
DocType: Item,Has Batch No,دارای دسته ای بدون
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},صدور صورت حساب سالانه: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},صدور صورت حساب سالانه: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),محصولات و خدمات مالیاتی (GST هند)
DocType: Delivery Note,Excise Page Number,مالیات کالاهای داخلی صفحه شماره
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory",شرکت، از تاریخ و تا به امروز الزامی است
DocType: Asset,Purchase Date,تاریخ خرید
@@ -1920,11 +1936,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},لطفا دارایی مرکز استهلاک هزینه در شرکت راه {0}
,Maintenance Schedules,برنامه های نگهداری و تعمیرات
DocType: Task,Actual End Date (via Time Sheet),واقعی پایان تاریخ (از طریق زمان ورق)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},مقدار {0} {1} در برابر {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},مقدار {0} {1} در برابر {2} {3}
,Quotation Trends,روند نقل قول
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},مورد گروه در مورد استاد برای آیتم ذکر نشده {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,بدهی به حساب باید یک حساب کاربری دریافتنی است
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},مورد گروه در مورد استاد برای آیتم ذکر نشده {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,بدهی به حساب باید یک حساب کاربری دریافتنی است
DocType: Shipping Rule Condition,Shipping Amount,مقدار حمل و نقل
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,اضافه کردن مشتریان
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,در انتظار مقدار
DocType: Purchase Invoice Item,Conversion Factor,عامل تبدیل
DocType: Purchase Order,Delivered,تحویل
@@ -1934,7 +1951,8 @@
DocType: Purchase Receipt,Vehicle Number,تعداد خودرو
DocType: Purchase Invoice,The date on which recurring invoice will be stop,از تاریخ تکرار می شود فاکتور را متوقف خواهد کرد
DocType: Employee Loan,Loan Amount,مبلغ وام
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},ردیف {0}: بیل از مواد برای موردی یافت نشد {1}
+DocType: Program Enrollment,Self-Driving Vehicle,خودرو بدون راننده
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},ردیف {0}: بیل از مواد برای موردی یافت نشد {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,مجموع برگ اختصاص داده {0} نمی تواند کمتر از برگ حال حاضر مورد تایید {1} برای دوره
DocType: Journal Entry,Accounts Receivable,حسابهای دریافتنی
,Supplier-Wise Sales Analytics,تامین کننده حکیم فروش تجزیه و تحلیل ترافیک
@@ -1951,21 +1969,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,ادعای هزینه منتظر تأیید است. تنها تصویب هزینه می توانید وضعیت به روز رسانی.
DocType: Email Digest,New Expenses,هزینه های جدید
DocType: Purchase Invoice,Additional Discount Amount,تخفیف اضافی مبلغ
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",ردیف # {0}: تعداد باید 1 باشد، به عنوان مورد دارایی ثابت است. لطفا ردیف جداگانه برای تعداد متعدد استفاده کنید.
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",ردیف # {0}: تعداد باید 1 باشد، به عنوان مورد دارایی ثابت است. لطفا ردیف جداگانه برای تعداد متعدد استفاده کنید.
DocType: Leave Block List Allow,Leave Block List Allow,ترک فهرست بلوک اجازه
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,مخفف نمیتواند خالی یا space باشد
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,مخفف نمیتواند خالی یا space باشد
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,گروه به غیر گروه
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,ورزشی
DocType: Loan Type,Loan Name,نام وام
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,مجموع واقعی
DocType: Student Siblings,Student Siblings,خواهر و برادر دانشجو
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,واحد
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,لطفا شرکت مشخص
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,واحد
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,لطفا شرکت مشخص
,Customer Acquisition and Loyalty,مشتری خرید و وفاداری
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,انبار که در آن شما می حفظ سهام از اقلام را رد کرد
DocType: Production Order,Skip Material Transfer,پرش انتقال مواد
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,قادر به پیدا کردن نرخ ارز برای {0} به {1} برای تاریخ های کلیدی {2}. لطفا یک رکورد ارز دستی ایجاد کنید
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,سال مالی خود را به پایان می رسد در
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,قادر به پیدا کردن نرخ ارز برای {0} به {1} برای تاریخ های کلیدی {2}. لطفا یک رکورد ارز دستی ایجاد کنید
DocType: POS Profile,Price List,لیست قیمت
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} در حال حاضر به طور پیش فرض سال مالی. لطفا مرورگر خود را برای تغییر تاثیر گذار تازه کردن.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,ادعاهای هزینه
@@ -1978,14 +1995,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},تعادل سهام در دسته {0} تبدیل خواهد شد منفی {1} برای مورد {2} در انبار {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,پس از درخواست های مواد به طور خودکار بر اساس سطح آیتم سفارش مجدد مطرح شده است
DocType: Email Digest,Pending Sales Orders,در انتظار سفارشات فروش
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},حساب {0} نامعتبر است. حساب ارزی باید {1} باشد
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},حساب {0} نامعتبر است. حساب ارزی باید {1} باشد
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},عامل UOM تبدیل در ردیف مورد نیاز است {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",ردیف # {0}: مرجع نوع سند باید یکی از سفارش فروش، فاکتور فروش و یا ورود به مجله می شود
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",ردیف # {0}: مرجع نوع سند باید یکی از سفارش فروش، فاکتور فروش و یا ورود به مجله می شود
DocType: Salary Component,Deduction,کسر
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,ردیف {0}: از زمان و به زمان الزامی است.
DocType: Stock Reconciliation Item,Amount Difference,تفاوت در مقدار
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},مورد قیمت های اضافه شده برای {0} در لیست قیمت {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},مورد قیمت های اضافه شده برای {0} در لیست قیمت {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,لطفا کارمند شناسه را وارد این فرد از فروش
DocType: Territory,Classification of Customers by region,طبقه بندی مشتریان بر اساس منطقه
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,مقدار تفاوت باید صفر باشد
@@ -1997,21 +2014,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,کسر مجموع
,Production Analytics,تجزیه و تحلیل ترافیک تولید
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,هزینه به روز رسانی
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,هزینه به روز رسانی
DocType: Employee,Date of Birth,تاریخ تولد
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,مورد {0} در حال حاضر بازگشت شده است
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,مورد {0} در حال حاضر بازگشت شده است
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ** سال مالی نشان دهنده یک سال مالی. تمام پست های حسابداری و دیگر معاملات عمده در برابر سال مالی ** ** ردیابی.
DocType: Opportunity,Customer / Lead Address,مشتری / سرب آدرس
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},هشدار: گواهینامه SSL نامعتبر در پیوست {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},هشدار: گواهینامه SSL نامعتبر در پیوست {0}
DocType: Student Admission,Eligibility,شایستگی
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads",آگهی های کمک به شما کسب و کار، اضافه کردن اطلاعات تماس خود را و بیشتر به عنوان منجر خود را
DocType: Production Order Operation,Actual Operation Time,عملیات واقعی زمان
DocType: Authorization Rule,Applicable To (User),به قابل اجرا (کاربر)
DocType: Purchase Taxes and Charges,Deduct,کسر کردن
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,شرح شغل
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,شرح شغل
DocType: Student Applicant,Applied,کاربردی
DocType: Sales Invoice Item,Qty as per Stock UOM,تعداد در هر بورس UOM
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,نام Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,نام Guardian2
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series",کاراکترهای خاص به جز "-" "."، "#"، و "/" در نامگذاری سری مجاز نیست
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.",پیگیری فروش مبارزات نگه دارید. آهنگ از آگهی های نقل قول نگه دارید، سفارش فروش و غیره را از مبارزات برای ارزیابی بازگشت سرمایه گذاری.
DocType: Expense Claim,Approver,تصویب
@@ -2022,7 +2039,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},سریال بدون {0} است تحت گارانتی تا {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,تقسیم توجه داشته باشید تحویل بسته بندی شده.
apps/erpnext/erpnext/hooks.py +87,Shipments,محموله
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,مانده حساب ({0}) برای {1} و ارزش سهام ({2}) ذخیره سازی {3} باید همان
DocType: Payment Entry,Total Allocated Amount (Company Currency),مجموع مقدار اختصاص داده شده (شرکت ارز)
DocType: Purchase Order Item,To be delivered to customer,به مشتری تحویل
DocType: BOM,Scrap Material Cost,هزینه ضایعات مواد
@@ -2030,20 +2046,21 @@
DocType: Purchase Invoice,In Words (Company Currency),به عبارت (شرکت ارز)
DocType: Asset,Supplier,تامین کننده
DocType: C-Form,Quarter,ربع
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,هزینه های متفرقه
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,هزینه های متفرقه
DocType: Global Defaults,Default Company,به طور پیش فرض شرکت
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,هزینه و یا حساب تفاوت برای مورد {0} آن را به عنوان اثرات ارزش کلی سهام الزامی است
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,هزینه و یا حساب تفاوت برای مورد {0} آن را به عنوان اثرات ارزش کلی سهام الزامی است
DocType: Payment Request,PR,روابط عمومی
DocType: Cheque Print Template,Bank Name,نام بانک
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-بالا
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-بالا
DocType: Employee Loan,Employee Loan Account,کارمند حساب وام
DocType: Leave Application,Total Leave Days,مجموع مرخصی روز
DocType: Email Digest,Note: Email will not be sent to disabled users,توجه: ایمیل را به کاربران غیر فعال شده ارسال نمی شود
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,تعداد تعامل
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,کد کالا> مورد گروه> نام تجاری
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,انتخاب شرکت ...
DocType: Leave Control Panel,Leave blank if considered for all departments,خالی بگذارید اگر برای همه گروه ها در نظر گرفته
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).",انواع اشتغال (دائمی، قرارداد، و غیره کارآموز).
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} برای آیتم الزامی است {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} برای آیتم الزامی است {1}
DocType: Process Payroll,Fortnightly,دوهفتگی
DocType: Currency Exchange,From Currency,از ارز
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",لطفا مقدار اختصاص داده شده، نوع فاکتور و شماره فاکتور در حداقل یک سطر را انتخاب کنید
@@ -2065,7 +2082,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,لطفا بر روی 'ایجاد برنامه' کلیک کنید برای دریافت برنامه
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,خطاهای حین حذف برنامه زیر وجود دارد:
DocType: Bin,Ordered Quantity,تعداد دستور داد
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",به عنوان مثال "ابزار برای سازندگان ساخت"
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",به عنوان مثال "ابزار برای سازندگان ساخت"
DocType: Grading Scale,Grading Scale Intervals,بازه مقیاس درجه بندی
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: ثبت حسابداری برای {2} تنها می تواند در ارز ساخته شده است: {3}
DocType: Production Order,In Process,در حال انجام
@@ -2079,12 +2096,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} دانشجویان ایجاد شده است.
DocType: Sales Invoice,Total Billing Amount,کل مقدار حسابداری
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,باید به طور پیش فرض ورودی حساب ایمیل فعال برای این کار وجود داشته باشد. لطفا راه اندازی به طور پیش فرض حساب ایمیل های دریافتی (POP / IMAP) و دوباره امتحان کنید.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,حساب دریافتنی
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},ردیف # {0}: دارایی {1} در حال حاضر {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,حساب دریافتنی
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},ردیف # {0}: دارایی {1} در حال حاضر {2}
DocType: Quotation Item,Stock Balance,تعادل سهام
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,سفارش فروش به پرداخت
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,لطفا مجموعه نامگذاری سری برای {0} از طریق راه اندازی> تنظیمات> نامگذاری سری
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,مدیر عامل
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,مدیر عامل
DocType: Expense Claim Detail,Expense Claim Detail,هزینه جزئیات درخواست
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,لطفا به حساب صحیح را انتخاب کنید
DocType: Item,Weight UOM,وزن UOM
@@ -2093,12 +2109,12 @@
DocType: Production Order Operation,Pending,در انتظار
DocType: Course,Course Name,نام دوره
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,کاربرانی که می توانند برنامه های مرخصی یک کارمند خاص را تایید
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,تجهیزات اداری
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,تجهیزات اداری
DocType: Purchase Invoice Item,Qty,تعداد
DocType: Fiscal Year,Companies,شرکت های
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,الکترونیک
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,افزایش درخواست مواد زمانی که سهام سطح دوباره سفارش می رسد
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,تمام وقت
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,تمام وقت
DocType: Salary Structure,Employees,کارمندان
DocType: Employee,Contact Details,اطلاعات تماس
DocType: C-Form,Received Date,تاریخ دریافت
@@ -2108,7 +2124,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,قیمت نشان داده نخواهد شد اگر لیست قیمت تنظیم نشده است
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,لطفا یک کشور برای این قانون حمل و نقل مشخص و یا بررسی حمل و نقل در سراسر جهان
DocType: Stock Entry,Total Incoming Value,مجموع ارزش ورودی
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,بدهکاری به مورد نیاز است
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,بدهکاری به مورد نیاز است
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team",برنامه های زمانی کمک به پیگیری از زمان، هزینه و صدور صورت حساب برای فعالیت های انجام شده توسط تیم خود را
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,خرید لیست قیمت
DocType: Offer Letter Term,Offer Term,مدت پیشنهاد
@@ -2117,17 +2133,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,آشتی پرداخت
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,لطفا نام Incharge فرد را انتخاب کنید
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,تکنولوژی
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},مجموع پرداخت نشده: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},مجموع پرداخت نشده: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM وب سایت عملیات
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,ارائه نامه
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,تولید مواد درخواست (MRP) و سفارشات تولید.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,مجموع صورتحساب AMT
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,مجموع صورتحساب AMT
DocType: BOM,Conversion Rate,نرخ تبدیل
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,جستجو در محصولات
DocType: Timesheet Detail,To Time,به زمان
DocType: Authorization Rule,Approving Role (above authorized value),تصویب نقش (بالاتر از ارزش مجاز)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,اعتبار به حساب باید یک حساب کاربری پرداختنی شود
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},بازگشت BOM: {0} می تواند پدر و مادر یا فرزند نمی {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,اعتبار به حساب باید یک حساب کاربری پرداختنی شود
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},بازگشت BOM: {0} می تواند پدر و مادر یا فرزند نمی {2}
DocType: Production Order Operation,Completed Qty,تکمیل تعداد
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",برای {0}، تنها حساب های بانکی را می توان در برابر ورود اعتباری دیگر مرتبط
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,لیست قیمت {0} غیر فعال است
@@ -2138,28 +2154,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} شماره سریال مورد نیاز برای مورد {1}. شما فراهم کرده اید {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,نرخ گذاری کنونی
DocType: Item,Customer Item Codes,کدهای مورد مشتری
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,تبادل کاهش / افزایش
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,تبادل کاهش / افزایش
DocType: Opportunity,Lost Reason,از دست داده دلیل
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,آدرس جدید
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,آدرس جدید
DocType: Quality Inspection,Sample Size,اندازهی نمونه
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,لطفا سند دریافت وارد کنید
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,همه موارد در حال حاضر صورتحساب شده است
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,همه موارد در حال حاضر صورتحساب شده است
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',لطفا یک معتبر را مشخص 'از مورد شماره'
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,مراکز هزینه به علاوه می تواند در زیر گروه ساخته شده اما مطالب را می توان در برابر غیر گروه ساخته شده
DocType: Project,External,خارجی
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,کاربران و ویرایش
DocType: Vehicle Log,VLOG.,را ثبت کنید.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},سفارشات تولید ایجاد شده: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},سفارشات تولید ایجاد شده: {0}
DocType: Branch,Branch,شاخه
DocType: Guardian,Mobile Number,شماره موبایل
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,چاپ و علامت گذاری
DocType: Bin,Actual Quantity,تعداد واقعی
DocType: Shipping Rule,example: Next Day Shipping,به عنوان مثال: حمل و نقل روز بعد
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,سریال بدون {0} یافت نشد
-DocType: Scheduling Tool,Student Batch,دسته ای دانشجویی
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,مشتریان شما
+DocType: Program Enrollment,Student Batch,دسته ای دانشجویی
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,دانشجویی
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},از شما دعوت شده برای همکاری در این پروژه: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},از شما دعوت شده برای همکاری در این پروژه: {0}
DocType: Leave Block List Date,Block Date,بلوک عضویت
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,درخواست کن
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},واقعی تعداد {0} / انتظار تعداد {1}
@@ -2168,7 +2183,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.",ایجاد و مدیریت روزانه، هفتگی و ماهانه هضم ایمیل.
DocType: Appraisal Goal,Appraisal Goal,ارزیابی هدف
DocType: Stock Reconciliation Item,Current Amount,مقدار کنونی
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,ساختمان
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,ساختمان
DocType: Fee Structure,Fee Structure,ساختار هزینه
DocType: Timesheet Detail,Costing Amount,هزینه مبلغ
DocType: Student Admission,Application Fee,هزینه درخواست
@@ -2180,10 +2195,10 @@
DocType: POS Profile,[Select],[انتخاب]
DocType: SMS Log,Sent To,فرستادن به
DocType: Payment Request,Make Sales Invoice,ایجاد فاکتور فروش
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,نرم افزارها
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,نرم افزارها
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,بعد تماس با آمار نمی تواند در گذشته باشد
DocType: Company,For Reference Only.,برای مرجع تنها.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,انتخاب دسته ای بدون
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,انتخاب دسته ای بدون
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},نامعتبر {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,جستجوی پیشرفته مقدار
@@ -2193,15 +2208,15 @@
DocType: Employee,Employment Details,جزییات استخدام
DocType: Employee,New Workplace,جدید محل کار
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,تنظیم به عنوان بسته
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},آیتم با بارکد بدون {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},آیتم با بارکد بدون {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,شماره مورد نمی تواند 0
DocType: Item,Show a slideshow at the top of the page,نمایش تصاویر به صورت خودکار در بالای صفحه
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,BOM ها
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,فروشگاه
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,BOM ها
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,فروشگاه
DocType: Serial No,Delivery Time,زمان تحویل
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,سالمندی بر اساس
DocType: Item,End of Life,پایان زندگی
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,سفر
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,سفر
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,فعال یا حقوق و دستمزد به طور پیش فرض ساختار پیدا شده برای کارکنان {0} برای تاریخ داده شده
DocType: Leave Block List,Allow Users,کاربران اجازه می دهد
DocType: Purchase Order,Customer Mobile No,مشتری تلفن همراه بدون
@@ -2210,29 +2225,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,به روز رسانی هزینه
DocType: Item Reorder,Item Reorder,مورد ترتیب مجدد
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,لغزش نمایش حقوق
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,مواد انتقال
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,مواد انتقال
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",مشخص عملیات، هزینه های عملیاتی و به یک عملیات منحصر به فرد بدون به عملیات خود را.
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,این سند بیش از حد مجاز است {0} {1} برای آیتم {4}. آیا شما ساخت یکی دیگر از {3} در برابر همان {2}.
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,لطفا پس از ذخیره در محدوده زمانی معین
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,انتخاب تغییر حساب مقدار
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,این سند بیش از حد مجاز است {0} {1} برای آیتم {4}. آیا شما ساخت یکی دیگر از {3} در برابر همان {2}.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,لطفا پس از ذخیره در محدوده زمانی معین
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,انتخاب تغییر حساب مقدار
DocType: Purchase Invoice,Price List Currency,لیست قیمت ارز
DocType: Naming Series,User must always select,کاربر همیشه باید انتخاب کنید
DocType: Stock Settings,Allow Negative Stock,اجازه می دهد بورس منفی
DocType: Installation Note,Installation Note,نصب و راه اندازی توجه داشته باشید
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,اضافه کردن مالیات
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,اضافه کردن مالیات
DocType: Topic,Topic,موضوع
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,جریان وجوه نقد از تامین مالی
DocType: Budget Account,Budget Account,حساب بودجه
DocType: Quality Inspection,Verified By,تایید شده توسط
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",می تواند به طور پیش فرض ارز شرکت را تغییر نمی، چرا که معاملات موجود وجود دارد. معاملات باید لغو شود برای تغییر ارز به طور پیش فرض.
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",می تواند به طور پیش فرض ارز شرکت را تغییر نمی، چرا که معاملات موجود وجود دارد. معاملات باید لغو شود برای تغییر ارز به طور پیش فرض.
DocType: Grading Scale Interval,Grade Description,درجه باشرکت
DocType: Stock Entry,Purchase Receipt No,رسید خرید بدون
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,بیعانه
DocType: Process Payroll,Create Salary Slip,ایجاد لغزش حقوق
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,قابلیت ردیابی
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),منابع درآمد (بدهی)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},تعداد در ردیف {0} ({1}) باید همان مقدار تولید شود {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),منابع درآمد (بدهی)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},تعداد در ردیف {0} ({1}) باید همان مقدار تولید شود {2}
DocType: Appraisal,Employee,کارمند
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,انتخاب دسته ای
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} به طور کامل صورتحساب شده است
DocType: Training Event,End Time,پایان زمان
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,ساختار حقوق و دستمزد فعال {0} برای کارمند {1} برای تاریخ داده شده پیدا شده
@@ -2244,11 +2260,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,مورد نیاز در
DocType: Rename Tool,File to Rename,فایل برای تغییر نام
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},لطفا BOM در ردیف را انتخاب کنید برای مورد {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},BOM تعیین {0} برای مورد وجود ندارد {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},حساب {0} با شرکت {1} در حالت حساب مطابقت ندارد: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},BOM تعیین {0} برای مورد وجود ندارد {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,نگهداری و تعمیرات برنامه {0} باید قبل از لغو این سفارش فروش لغو
DocType: Notification Control,Expense Claim Approved,ادعای هزینه تایید
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,لغزش حقوق و دستمزد کارکنان {0} در حال حاضر برای این دوره بوجود
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,دارویی
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,دارویی
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,هزینه اقلام خریداری شده
DocType: Selling Settings,Sales Order Required,سفارش فروش مورد نیاز
DocType: Purchase Invoice,Credit To,اعتبار به
@@ -2265,42 +2282,42 @@
DocType: Payment Gateway Account,Payment Account,حساب پرداخت
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,لطفا شرکت مشخص برای ادامه
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,تغییر خالص در حساب های دریافتنی
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,جبرانی فعال
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,جبرانی فعال
DocType: Offer Letter,Accepted,پذیرفته
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,سازمان
DocType: SG Creation Tool Course,Student Group Name,نام دانشجو گروه
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,لطفا مطمئن شوید که شما واقعا می خواهید به حذف تمام معاملات این شرکت. اطلاعات کارشناسی ارشد خود را باقی خواهد ماند آن را به عنوان است. این عمل قابل بازگشت نیست.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,لطفا مطمئن شوید که شما واقعا می خواهید به حذف تمام معاملات این شرکت. اطلاعات کارشناسی ارشد خود را باقی خواهد ماند آن را به عنوان است. این عمل قابل بازگشت نیست.
DocType: Room,Room Number,شماره اتاق
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},مرجع نامعتبر {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) نمی تواند بیشتر از quanitity برنامه ریزی شده ({2}) در سفارش تولید {3}
DocType: Shipping Rule,Shipping Rule Label,قانون حمل و نقل برچسب
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,انجمن کاربران
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,مواد اولیه نمی تواند خالی باشد.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.",می تواند سهام به روز رسانی نیست، فاکتور شامل آیتم افت حمل و نقل.
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,مواد اولیه نمی تواند خالی باشد.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.",می تواند سهام به روز رسانی نیست، فاکتور شامل آیتم افت حمل و نقل.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,سریع دانشگاه علوم پزشکی ورودی
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,اگر ذکر بی ا م در مقابل هر ایتمی باشد شما نمیتوانید نرخ را تغییر دهید
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,اگر ذکر بی ا م در مقابل هر ایتمی باشد شما نمیتوانید نرخ را تغییر دهید
DocType: Employee,Previous Work Experience,قبلی سابقه کار
DocType: Stock Entry,For Quantity,برای کمیت
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},لطفا برنامه ریزی شده برای مورد تعداد {0} در ردیف وارد {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} ثبت نشده است
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,درخواست ها برای اقلام است.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,سفارش تولید جداگانه خواهد شد برای هر مورد خوب به پایان رسید ساخته شده است.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} باید در سند بازگشت منفی باشد
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} باید در سند بازگشت منفی باشد
,Minutes to First Response for Issues,دقیقه به اولین پاسخ برای مسائل
DocType: Purchase Invoice,Terms and Conditions1,شرایط و Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,نام این موسسه که شما در حال راه اندازی این سیستم.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,نام این موسسه که شما در حال راه اندازی این سیستم.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",ثبت حسابداری تا این تاریخ منجمد، هیچ کس نمی تواند انجام / اصلاح ورود به جز نقش های مشخص شده زیر.
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,لطفا قبل از ایجاد برنامه های تعمیر و نگهداری سند را ذخیره کنید
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,وضعیت پروژه
DocType: UOM,Check this to disallow fractions. (for Nos),بررسی این به ندهید فراکسیون. (برای NOS)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,سفارشات تولید زیر ایجاد شد:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,سفارشات تولید زیر ایجاد شد:
DocType: Student Admission,Naming Series (for Student Applicant),نامگذاری سری (دانشجویی برای متقاضی)
DocType: Delivery Note,Transporter Name,نام حمل و نقل
DocType: Authorization Rule,Authorized Value,ارزش مجاز
DocType: BOM,Show Operations,نمایش عملیات
,Minutes to First Response for Opportunity,دقیقه به اولین پاسخ برای فرصت
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,مجموع غایب
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,موردی یا انبار ردیف {0} مطابقت ندارد درخواست مواد
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,موردی یا انبار ردیف {0} مطابقت ندارد درخواست مواد
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,واحد اندازه گیری
DocType: Fiscal Year,Year End Date,سال پایان تاریخ
DocType: Task Depends On,Task Depends On,کار بستگی به
@@ -2379,11 +2396,11 @@
DocType: Asset,Manual,کتابچه راهنمای
DocType: Salary Component Account,Salary Component Account,حساب حقوق و دستمزد و اجزای
DocType: Global Defaults,Hide Currency Symbol,مخفی ارز نماد
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card",به عنوان مثال بانکی، پول نقد، کارت اعتباری
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card",به عنوان مثال بانکی، پول نقد، کارت اعتباری
DocType: Lead Source,Source Name,نام منبع
DocType: Journal Entry,Credit Note,اعتبار توجه داشته باشید
DocType: Warranty Claim,Service Address,خدمات آدرس
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,مبلمان و لامپ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,مبلمان و لامپ
DocType: Item,Manufacture,ساخت
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,لطفا توجه داشته باشید برای اولین بار از تحویل
DocType: Student Applicant,Application Date,تاریخ برنامه
@@ -2393,7 +2410,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,ترخیص کالا از تاریخ ذکر نشده است
apps/erpnext/erpnext/config/manufacturing.py +7,Production,تولید
DocType: Guardian,Occupation,اشتغال
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,لطفا کارمند راه اندازی نامگذاری سیستم در منابع انسانی> تنظیمات HR
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,ردیف {0}: تاریخ شروع باید قبل از پایان تاریخ است
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),مجموع (تعداد)
DocType: Sales Invoice,This Document,این سند
@@ -2405,19 +2421,19 @@
DocType: Purchase Receipt,Time at which materials were received,زمانی که در آن مواد دریافت شده
DocType: Stock Ledger Entry,Outgoing Rate,نرخ خروجی
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,شاخه سازمان کارشناسی ارشد.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,یا
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,یا
DocType: Sales Order,Billing Status,حسابداری وضعیت
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,گزارش یک مشکل
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,هزینه آب و برق
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,هزینه آب و برق
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-بالاتر از
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,ردیف # {0}: مجله ورودی {1} می کند حساب کاربری ندارید {2} یا در حال حاضر همسان در برابر کوپن دیگر
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,ردیف # {0}: مجله ورودی {1} می کند حساب کاربری ندارید {2} یا در حال حاضر همسان در برابر کوپن دیگر
DocType: Buying Settings,Default Buying Price List,به طور پیش فرض لیست قیمت خرید
DocType: Process Payroll,Salary Slip Based on Timesheet,لغزش حقوق و دستمزد بر اساس برنامه زمانی
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,هیچ یک از کارکنان برای معیارهای فوق انتخاب شده و یا لغزش حقوق و دستمزد در حال حاضر ایجاد
DocType: Notification Control,Sales Order Message,سفارش فروش پیام
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",تنظیم مقادیر پیش فرض مثل شرکت، ارز، سال مالی جاری، و غیره
DocType: Payment Entry,Payment Type,نوع پرداخت
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,لطفا یک دسته ای برای آیتم را انتخاب کنید {0}. قادر به پیدا کردن یک دسته واحد است که این شرط را برآورده
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,لطفا یک دسته ای برای آیتم را انتخاب کنید {0}. قادر به پیدا کردن یک دسته واحد است که این شرط را برآورده
DocType: Process Payroll,Select Employees,انتخاب کارمندان
DocType: Opportunity,Potential Sales Deal,معامله فروش بالقوه
DocType: Payment Entry,Cheque/Reference Date,چک / تاریخ مرجع
@@ -2437,7 +2453,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,سند دریافت باید ارائه شود
DocType: Purchase Invoice Item,Received Qty,دریافت تعداد
DocType: Stock Entry Detail,Serial No / Batch,سریال بدون / دسته
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,پرداخت نمی شود و تحویل داده نشده است
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,پرداخت نمی شود و تحویل داده نشده است
DocType: Product Bundle,Parent Item,مورد پدر و مادر
DocType: Account,Account Type,نوع حساب
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2451,24 +2467,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),شناسایی بسته برای تحویل (برای چاپ)
DocType: Bin,Reserved Quantity,تعداد محفوظ است
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,لطفا آدرس ایمیل معتبر وارد کنید
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},است البته اجباری برای این برنامه وجود دارد {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,آیتم ها رسید خرید
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,فرم سفارشی
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,بدهی پس افتاده
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,بدهی پس افتاده
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,مقدار استهلاک در طول دوره
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,قالب غیر فعال نباید قالب پیش فرض
DocType: Account,Income Account,حساب درآمد
DocType: Payment Request,Amount in customer's currency,مبلغ پول مشتری
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,تحویل
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,تحویل
DocType: Stock Reconciliation Item,Current Qty,تعداد کنونی
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",نگاه کنید به "نرخ مواد بر اساس" در هزینه یابی بخش
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,قبلی
DocType: Appraisal Goal,Key Responsibility Area,منطقه مسئولیت های کلیدی
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students",دسته های دانشجویی شما کمک کند پیگیری حضور و غیاب، ارزیابی ها و هزینه های برای دانش آموزان
DocType: Payment Entry,Total Allocated Amount,مجموع مقدار اختصاص داده شده
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,تنظیم حساب موجودی به طور پیش فرض برای موجودی دائمی
DocType: Item Reorder,Material Request Type,مواد نوع درخواست
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},ورود مجله Accural برای حقوق از {0} به {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save",LocalStorage را کامل است، نجات نداد
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save",LocalStorage را کامل است، نجات نداد
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,ردیف {0}: UOM عامل تبدیل الزامی است
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,کد عکس
DocType: Budget,Cost Center,مرکز هزینه زا
@@ -2481,19 +2497,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",قانون قیمت گذاری ساخته شده است به بازنویسی لیست قیمت / تعریف درصد تخفیف، بر اساس برخی معیارهای.
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,انبار تنها می تواند از طریق بورس ورودی تغییر / تحویل توجه / رسید خرید
DocType: Employee Education,Class / Percentage,کلاس / درصد
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,رئیس بازاریابی و فروش
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,مالیات بر عایدات
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,رئیس بازاریابی و فروش
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,مالیات بر عایدات
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.",اگر قانون قیمت گذاری انتخاب شده برای قیمت "ساخته شده، آن را به لیست قیمت بازنویسی. قیمت قانون قیمت گذاری قیمت نهایی است، بنابراین هیچ تخفیف بیشتر قرار داشته باشد. از این رو، در معاملات مانند سفارش فروش، سفارش خرید و غیره، از آن خواهد شد در زمینه 'نرخ' برداشته، به جای درست "لیست قیمت نرخ.
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,آهنگ فرصت های نوع صنعت.
DocType: Item Supplier,Item Supplier,تامین کننده مورد
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,لطفا کد مورد وارد کنید دسته ای هیچ
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},لطفا یک ارزش برای {0} quotation_to انتخاب کنید {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,لطفا کد مورد وارد کنید دسته ای هیچ
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},لطفا یک ارزش برای {0} quotation_to انتخاب کنید {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,تمام آدرس.
DocType: Company,Stock Settings,تنظیمات سهام
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",ادغام زمانی ممکن است که خواص زیر در هر دو پرونده می باشد. آیا گروه، نوع ریشه، شرکت
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",ادغام زمانی ممکن است که خواص زیر در هر دو پرونده می باشد. آیا گروه، نوع ریشه، شرکت
DocType: Vehicle,Electric,برقی
DocType: Task,% Progress,٪ پیش رفتن
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,کاهش / افزایش در دفع دارایی
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,کاهش / افزایش در دفع دارایی
DocType: Training Event,Will send an email about the event to employees with status 'Open',یک ایمیل در مورد این رویداد به کارکنان با وضعیت ارسال را 'Open'
DocType: Task,Depends on Tasks,بستگی به وظایف
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,مدیریت درختواره گروه مشتری
@@ -2502,7 +2518,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,نام مرکز هزینه
DocType: Leave Control Panel,Leave Control Panel,ترک کنترل پنل
DocType: Project,Task Completion,وظیفه تکمیل
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,در انبار
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,در انبار
DocType: Appraisal,HR User,HR کاربر
DocType: Purchase Invoice,Taxes and Charges Deducted,مالیات و هزینه کسر
apps/erpnext/erpnext/hooks.py +116,Issues,مسائل مربوط به
@@ -2513,22 +2529,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},بدون لغزش حقوق و دستمزد پیدا شده بین {0} و {1}
,Pending SO Items For Purchase Request,در انتظار SO آیتم ها برای درخواست خرید
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,پذیرش دانشجو
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} غیر فعال است
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} غیر فعال است
DocType: Supplier,Billing Currency,صدور صورت حساب نرخ ارز
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,خیلی بزرگ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,خیلی بزرگ
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,مجموع برگ
,Profit and Loss Statement,بیانیه سود و زیان
DocType: Bank Reconciliation Detail,Cheque Number,شماره چک
,Sales Browser,مرورگر فروش
DocType: Journal Entry,Total Credit,مجموع اعتباری
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},هشدار: یکی دیگر از {0} # {1} در برابر ورود سهام وجود دارد {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,محلی
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,محلی
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),وام و پیشرفت (دارایی)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,بدهکاران
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,بزرگ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,بزرگ
DocType: Homepage Featured Product,Homepage Featured Product,صفحه خانگی محصول ویژه
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,همه گروه ارزیابی
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,همه گروه ارزیابی
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,جدید نام انبار
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),مجموع {0} ({1})
DocType: C-Form Invoice Detail,Territory,منطقه
@@ -2538,12 +2554,12 @@
DocType: Production Order Operation,Planned Start Time,برنامه ریزی زمان شروع
DocType: Course,Assessment,ارزیابی
DocType: Payment Entry Reference,Allocated,اختصاص داده
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,بستن ترازنامه و سود کتاب یا از دست دادن.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,بستن ترازنامه و سود کتاب یا از دست دادن.
DocType: Student Applicant,Application Status,وضعیت برنامه
DocType: Fees,Fees,هزینه
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,مشخص نرخ ارز برای تبدیل یک ارز به ارز را به یکی دیگر
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,نقل قول {0} لغو
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,مجموع مقدار برجسته
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,مجموع مقدار برجسته
DocType: Sales Partner,Targets,اهداف
DocType: Price List,Price List Master,لیست قیمت مستر
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,تمام معاملات فروش را می توان در برابر چند ** ** افراد فروش برچسب به طوری که شما می توانید تعیین و نظارت بر اهداف.
@@ -2575,11 +2591,11 @@
1. Address and Contact of your Company.",شرایط و ضوابط استاندارد است که می تواند به خرید و فروش اضافه شده است. مثال: 1. اعتبار ارائه دهد. 1. شرایط پرداخت (در پیش است، در اعتبار، بخشی از پیش و غیره). 1. چه اضافی (یا قابل پرداخت توسط مشتری) می باشد. 1. ایمنی هشدار / استفاده. 1. گارانتی در صورت وجود. 1. بازگرداندن سیاست. 1. شرایط حمل و نقل، اگر قابل اجرا است. 1. راه های مقابله با اختلافات، غرامت، مسئولیت، و غیره 1. آدرس و تماس با شرکت شما.
DocType: Attendance,Leave Type,نوع مرخصی
DocType: Purchase Invoice,Supplier Invoice Details,عرضه کننده اطلاعات فاکتور
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,حساب هزینه / تفاوت ({0}) باید یک حساب کاربری '، سود و ضرر باشد
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,حساب هزینه / تفاوت ({0}) باید یک حساب کاربری '، سود و ضرر باشد
DocType: Project,Copied From,کپی شده از
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},error نام: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,کمبود
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} با همراه نیست {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} با همراه نیست {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,حضور و غیاب کارکنان برای {0} در حال حاضر مشخص شده
DocType: Packing Slip,If more than one package of the same type (for print),اگر بیش از یک بسته از همان نوع (برای چاپ)
,Salary Register,حقوق و دستمزد ثبت نام
@@ -2597,22 +2613,23 @@
,Requested Qty,تعداد درخواست
DocType: Tax Rule,Use for Shopping Cart,استفاده برای سبد خرید
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},ارزش {0} برای صفت {1} در لیست مورد معتبر وجود ندارد مقادیر مشخصه برای مورد {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,انتخاب کنید شماره سریال
DocType: BOM Item,Scrap %,ضایعات٪
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection",اتهامات خواهد شد توزیع متناسب در تعداد آیتم یا مقدار بر اساس، به عنوان در هر انتخاب شما
DocType: Maintenance Visit,Purposes,اهداف
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,حداقل یک مورد باید با مقدار منفی در سند وارد بازگشت
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,حداقل یک مورد باید با مقدار منفی در سند وارد بازگشت
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations",عملیات {0} طولانی تر از هر ساعت کار موجود در ایستگاه های کاری {1}، شکستن عملیات به عملیات های متعدد
,Requested,خواسته
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,بدون شرح
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,بدون شرح
DocType: Purchase Invoice,Overdue,سر رسیده
DocType: Account,Stock Received But Not Billed,سهام دریافتی اما صورتحساب نه
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,حساب کاربری ریشه باید یک گروه باشد
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,حساب کاربری ریشه باید یک گروه باشد
DocType: Fees,FEE.,هزینه.
DocType: Employee Loan,Repaid/Closed,بازپرداخت / بسته
DocType: Item,Total Projected Qty,کل پیش بینی تعداد
DocType: Monthly Distribution,Distribution Name,نام توزیع
DocType: Course,Course Code,کد درس
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},بازرسی کیفیت مورد نیاز برای مورد {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},بازرسی کیفیت مورد نیاز برای مورد {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,سرعت که در آن مشتری ارز به ارز پایه شرکت تبدیل
DocType: Purchase Invoice Item,Net Rate (Company Currency),نرخ خالص (شرکت ارز)
DocType: Salary Detail,Condition and Formula Help,شرایط و فرمول راهنما
@@ -2625,27 +2642,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,انتقال مواد برای تولید
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,درصد تخفیف می تواند یا علیه یک لیست قیمت و یا برای همه لیست قیمت اعمال می شود.
DocType: Purchase Invoice,Half-yearly,نیمه سال
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,ثبت حسابداری برای انبار
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,ثبت حسابداری برای انبار
DocType: Vehicle Service,Engine Oil,روغن موتور
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,لطفا کارمند راه اندازی نامگذاری سیستم در منابع انسانی> تنظیمات HR
DocType: Sales Invoice,Sales Team1,Team1 فروش
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,مورد {0} وجود ندارد
DocType: Sales Invoice,Customer Address,آدرس مشتری
DocType: Employee Loan,Loan Details,وام جزییات
+DocType: Company,Default Inventory Account,حساب پرسشنامه به طور پیش فرض
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,ردیف {0}: پایان تعداد باید بزرگتر از صفر باشد.
DocType: Purchase Invoice,Apply Additional Discount On,درخواست تخفیف اضافی
DocType: Account,Root Type,نوع ریشه
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},ردیف # {0}: نمی تواند بیشتر از بازگشت {1} برای مورد {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},ردیف # {0}: نمی تواند بیشتر از بازگشت {1} برای مورد {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,طرح
DocType: Item Group,Show this slideshow at the top of the page,نمایش تصاویر به صورت خودکار در این بازگشت به بالای صفحه
DocType: BOM,Item UOM,مورد UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),مبلغ مالیات پس از تخفیف مقدار (شرکت ارز)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},انبار هدف برای ردیف الزامی است {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},انبار هدف برای ردیف الزامی است {0}
DocType: Cheque Print Template,Primary Settings,تنظیمات اولیه
DocType: Purchase Invoice,Select Supplier Address,کنید] را انتخاب کنید
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,اضافه کردن کارمندان
DocType: Purchase Invoice Item,Quality Inspection,بازرسی کیفیت
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,بسیار کوچک
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,بسیار کوچک
DocType: Company,Standard Template,قالب استاندارد
DocType: Training Event,Theory,تئوری
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,هشدار: مواد درخواست شده تعداد کمتر از حداقل تعداد سفارش تعداد است
@@ -2653,7 +2672,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,حقوقی نهاد / جانبی با نمودار جداگانه حساب متعلق به سازمان.
DocType: Payment Request,Mute Email,بیصدا کردن ایمیل
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco",مواد غذایی، آشامیدنی و دخانیات
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},می توانید تنها پرداخت به را unbilled را {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},می توانید تنها پرداخت به را unbilled را {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,نرخ کمیسیون نمی تواند بیشتر از 100
DocType: Stock Entry,Subcontract,مقاطعه کاری فرعی
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,لطفا ابتدا وارد {0}
@@ -2666,18 +2685,18 @@
DocType: SMS Log,No of Sent SMS,تعداد SMS های ارسال شده
DocType: Account,Expense Account,حساب هزینه
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,نرمافزار
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,رنگ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,رنگ
DocType: Assessment Plan Criteria,Assessment Plan Criteria,معیارهای ارزیابی طرح
DocType: Training Event,Scheduled,برنامه ریزی
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,برای نقل قول درخواست.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",لطفا آیتم را انتخاب کنید که در آن "آیا مورد سهام" است "نه" و "آیا مورد فروش" است "بله" است و هیچ بسته نرم افزاری محصولات دیگر وجود دارد
DocType: Student Log,Academic,علمی
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),مجموع پیش ({0}) را در برابر سفارش {1} نمی تواند بیشتر از جمع کل ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),مجموع پیش ({0}) را در برابر سفارش {1} نمی تواند بیشتر از جمع کل ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,انتخاب توزیع ماهانه به طور یکنواخت توزیع در سراسر اهداف ماه می باشد.
DocType: Purchase Invoice Item,Valuation Rate,نرخ گذاری
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,دیزل
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,لیست قیمت ارز انتخاب نشده
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,لیست قیمت ارز انتخاب نشده
,Student Monthly Attendance Sheet,دانشجو جدول حضور ماهانه
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},کارمند {0} در حال حاضر برای اعمال {1} {2} بین و {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,پروژه تاریخ شروع
@@ -2689,7 +2708,7 @@
DocType: BOM,Scrap,قراضه
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,فروش همکاران مدیریت.
DocType: Quality Inspection,Inspection Type,نوع بازرسی
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,انبارها با معامله موجود می توانید به گروه تبدیل نمی کند.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,انبارها با معامله موجود می توانید به گروه تبدیل نمی کند.
DocType: Assessment Result Tool,Result HTML,نتیجه HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,منقضی در
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,اضافه کردن دانش آموزان
@@ -2697,13 +2716,13 @@
DocType: C-Form,C-Form No,C-فرم بدون
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,حضور و غیاب بینام
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,پژوهشگر
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,پژوهشگر
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,برنامه ثبت نام دانشجو ابزار
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,نام و نام خانوادگی پست الکترونیک و یا اجباری است
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,بازرسی کیفیت ورودی.
DocType: Purchase Order Item,Returned Qty,بازگشت تعداد
DocType: Employee,Exit,خروج
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,نوع ریشه الزامی است
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,نوع ریشه الزامی است
DocType: BOM,Total Cost(Company Currency),برآورد هزینه (شرکت ارز)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,سریال بدون {0} ایجاد
DocType: Homepage,Company Description for website homepage,شرکت برای صفحه اصلی وب سایت
@@ -2712,7 +2731,7 @@
DocType: Sales Invoice,Time Sheet List,زمان فهرست ورق
DocType: Employee,You can enter any date manually,شما می توانید هر روز دستی وارد کنید
DocType: Asset Category Account,Depreciation Expense Account,حساب استهلاک هزینه
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,دوره وابسته به التزام
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,دوره وابسته به التزام
DocType: Customer Group,Only leaf nodes are allowed in transaction,تنها برگ در معامله اجازه
DocType: Expense Claim,Expense Approver,تصویب هزینه
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,ردیف {0}: پیشرفت در برابر مشتری باید اعتبار
@@ -2725,10 +2744,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,برنامه دوره حذف:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,سیاهههای مربوط به حفظ وضعیت تحویل اس ام اس
DocType: Accounts Settings,Make Payment via Journal Entry,پرداخت از طریق ورود مجله
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,چاپ شده در
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,چاپ شده در
DocType: Item,Inspection Required before Delivery,بازرسی مورد نیاز قبل از تحویل
DocType: Item,Inspection Required before Purchase,بازرسی مورد نیاز قبل از خرید
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,فعالیت در انتظار
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,سازمان شما
DocType: Fee Component,Fees Category,هزینه های رده
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,لطفا تاریخ تسکین وارد کنید.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT
@@ -2738,9 +2758,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,ترتیب مجدد سطح
DocType: Company,Chart Of Accounts Template,نمودار حساب الگو
DocType: Attendance,Attendance Date,حضور و غیاب عضویت
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},مورد قیمت به روز شده برای {0} در لیست قیمت {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},مورد قیمت به روز شده برای {0} در لیست قیمت {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,فروپاشی حقوق و دستمزد بر اساس سود و کسر.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,حساب با گره فرزند را نمی توان تبدیل به لجر
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,حساب با گره فرزند را نمی توان تبدیل به لجر
DocType: Purchase Invoice Item,Accepted Warehouse,انبار پذیرفته شده
DocType: Bank Reconciliation Detail,Posting Date,تاریخ ارسال
DocType: Item,Valuation Method,روش های ارزش گذاری
@@ -2749,14 +2769,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,ورود تکراری
DocType: Program Enrollment Tool,Get Students,دریافت دانش آموزان
DocType: Serial No,Under Warranty,تحت گارانتی
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[خطا]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[خطا]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,به عبارت قابل مشاهده خواهد بود هنگامی که شما سفارش فروش را نجات دهد.
,Employee Birthday,کارمند تولد
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,دانشجو ابزار گروهی حضور و غیاب
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,محدودیت عبور
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,محدودیت عبور
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,سرمایه گذاری سرمایه
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,مدت علمی با این سال تحصیلی '{0} و نام مدت:' {1} قبل وجود دارد. لطفا این نوشته را تغییر دهید و دوباره امتحان کنید.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}",به عنوان تراکنش های موجود در برابر آیتم {0} وجود دارد، شما می توانید مقدار را تغییر دهید {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}",به عنوان تراکنش های موجود در برابر آیتم {0} وجود دارد، شما می توانید مقدار را تغییر دهید {1}
DocType: UOM,Must be Whole Number,باید عدد
DocType: Leave Control Panel,New Leaves Allocated (In Days),برگ جدید اختصاص داده شده (در روز)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,سریال بدون {0} وجود ندارد
@@ -2765,6 +2785,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,شماره فاکتور
DocType: Shopping Cart Settings,Orders,سفارشات
DocType: Employee Leave Approver,Leave Approver,ترک تصویب
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,لطفا یک دسته را انتخاب کنید
DocType: Assessment Group,Assessment Group Name,نام گروه ارزیابی
DocType: Manufacturing Settings,Material Transferred for Manufacture,مواد منتقل شده برای ساخت
DocType: Expense Claim,"A user with ""Expense Approver"" role","یک کاربر با نقشه ""تایید کننده هزینه ها"""
@@ -2774,9 +2795,10 @@
DocType: Target Detail,Target Detail,جزئیات هدف
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,همه مشاغل
DocType: Sales Order,% of materials billed against this Sales Order,درصد از مواد در برابر این سفارش فروش ثبت شده در صورتحساب
+DocType: Program Enrollment,Mode of Transportation,روش حمل ونقل
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,ورود اختتامیه دوره
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,مرکز هزینه با معاملات موجود می تواند به گروه تبدیل می شود
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},مقدار {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},مقدار {0} {1} {2} {3}
DocType: Account,Depreciation,استهلاک
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),تامین کننده (بازدید کنندگان)
DocType: Employee Attendance Tool,Employee Attendance Tool,کارمند ابزار حضور و غیاب
@@ -2784,7 +2806,7 @@
DocType: Supplier,Credit Limit,محدودیت اعتبار
DocType: Production Plan Sales Order,Salse Order Date,Salse تاریخ سفارش
DocType: Salary Component,Salary Component,حقوق و دستمزد و اجزای
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,مطالب پرداخت {0} سازمان ملل متحد در ارتباط هستند
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,مطالب پرداخت {0} سازمان ملل متحد در ارتباط هستند
DocType: GL Entry,Voucher No,کوپن بدون
,Lead Owner Efficiency,بهره وری مالک سرب
DocType: Leave Allocation,Leave Allocation,ترک تخصیص
@@ -2795,11 +2817,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,الگو از نظر و یا قرارداد.
DocType: Purchase Invoice,Address and Contact,آدرس و تماس با
DocType: Cheque Print Template,Is Account Payable,حساب های پرداختنی
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},سهام می تواند در برابر رسید خرید به روزرسانی نمی شود {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},سهام می تواند در برابر رسید خرید به روزرسانی نمی شود {0}
DocType: Supplier,Last Day of the Next Month,آخرین روز از ماه آینده
DocType: Support Settings,Auto close Issue after 7 days,خودرو موضوع نزدیک پس از 7 روز
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",می توانید قبل از ترک نمی اختصاص داده شود {0}، به عنوان تعادل مرخصی در حال حاضر شده حمل فرستاده در آینده رکورد تخصیص مرخصی {1}
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),نکته: با توجه / بیش از مرجع تاریخ اجازه روز اعتباری مشتری توسط {0} روز (بازدید کنندگان)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),نکته: با توجه / بیش از مرجع تاریخ اجازه روز اعتباری مشتری توسط {0} روز (بازدید کنندگان)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,دانشجو متقاضی
DocType: Asset Category Account,Accumulated Depreciation Account,حساب استهلاک انباشته
DocType: Stock Settings,Freeze Stock Entries,یخ مطالب سهام
@@ -2808,35 +2830,35 @@
DocType: Activity Cost,Billing Rate,نرخ صدور صورت حساب
,Qty to Deliver,تعداد برای ارائه
,Stock Analytics,تجزیه و تحلیل ترافیک سهام
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,عملیات نمی تواند خالی باشد
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,عملیات نمی تواند خالی باشد
DocType: Maintenance Visit Purpose,Against Document Detail No,جزئیات سند علیه هیچ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,نوع حزب الزامی است
DocType: Quality Inspection,Outgoing,خروجی
DocType: Material Request,Requested For,درخواست برای
DocType: Quotation Item,Against Doctype,علیه DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} لغو یا بسته شده است
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} لغو یا بسته شده است
DocType: Delivery Note,Track this Delivery Note against any Project,پیگیری این تحویل توجه داشته باشید در مقابل هر پروژه
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,نقدی خالص از سرمایه گذاری
-,Is Primary Address,آدرس اولیه است
DocType: Production Order,Work-in-Progress Warehouse,کار در حال پیشرفت انبار
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,دارایی {0} باید ارائه شود
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},رکورد حضور {0} در برابر دانشجو وجود دارد {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},رکورد حضور {0} در برابر دانشجو وجود دارد {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},مرجع # {0} تاریخ {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,استهلاک حذف شده به دلیل دفع از دارایی
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,مدیریت آدرس
DocType: Asset,Item Code,کد مورد
DocType: Production Planning Tool,Create Production Orders,ایجاد سفارشات تولید
DocType: Serial No,Warranty / AMC Details,گارانتی / AMC اطلاعات بیشتر
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,دانش آموزان به صورت دستی برای فعالیت بر اساس گروه انتخاب
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,دانش آموزان به صورت دستی برای فعالیت بر اساس گروه انتخاب
DocType: Journal Entry,User Remark,نکته کاربری
DocType: Lead,Market Segment,بخش بازار
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},مبلغ پرداخت نمی تواند بیشتر از کل مقدار برجسته منفی {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},مبلغ پرداخت نمی تواند بیشتر از کل مقدار برجسته منفی {0}
DocType: Employee Internal Work History,Employee Internal Work History,کارمند داخلی سابقه کار
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),بسته شدن (دکتر)
DocType: Cheque Print Template,Cheque Size,حجم چک
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,سریال بدون {0} در سهام
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,قالب های مالیاتی برای فروش معاملات.
DocType: Sales Invoice,Write Off Outstanding Amount,ارسال فعال برجسته مقدار
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},حساب {0} با شرکت مطابقت ندارد {1}
DocType: School Settings,Current Academic Year,سال جاری علمی
DocType: Stock Settings,Default Stock UOM,به طور پیش فرض بورس UOM
DocType: Asset,Number of Depreciations Booked,تعداد Depreciations رزرو
@@ -2851,27 +2873,27 @@
DocType: Asset,Double Declining Balance,دو موجودی نزولی
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,سفارش بسته نمی تواند لغو شود. باز کردن به لغو.
DocType: Student Guardian,Father,پدر
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,"""به روز رسانی انبار می تواند برای فروش دارایی ثابت شود چک"
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"""به روز رسانی انبار می تواند برای فروش دارایی ثابت شود چک"
DocType: Bank Reconciliation,Bank Reconciliation,مغایرت گیری بانک
DocType: Attendance,On Leave,در مرخصی
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,دریافت به روز رسانی
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: حساب {2} به شرکت تعلق ندارد {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,درخواست مواد {0} است لغو و یا متوقف
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,اضافه کردن چند پرونده نمونه
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,اضافه کردن چند پرونده نمونه
apps/erpnext/erpnext/config/hr.py +301,Leave Management,ترک مدیریت
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,گروه های حساب
DocType: Sales Order,Fully Delivered,به طور کامل تحویل
DocType: Lead,Lower Income,درآمد پایین
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},منبع و انبار هدف نمی تواند همین کار را برای ردیف {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},منبع و انبار هدف نمی تواند همین کار را برای ردیف {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",حساب تفاوت باید یک حساب کاربری نوع دارایی / مسئولیت باشد، زیرا این سهام آشتی ورود افتتاح است
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},میزان مبالغ هزینه نمی تواند بیشتر از وام مبلغ {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},خرید شماره سفارش مورد نیاز برای مورد {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,تولید سفارش ایجاد نمی
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},خرید شماره سفارش مورد نیاز برای مورد {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,تولید سفارش ایجاد نمی
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""از تاریخ"" باید پس از ""تا تاریخ"" باشد"
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},می توانید تغییر وضعیت به عنوان دانش آموز نمی {0} است با استفاده از دانش آموزان مرتبط {1}
DocType: Asset,Fully Depreciated,به طور کامل مستهلک
,Stock Projected Qty,سهام بینی تعداد
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},مشتری {0} تعلق ندارد به پروژه {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},مشتری {0} تعلق ندارد به پروژه {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,حضور و غیاب مشخص HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",نقل قول پیشنهادات، مناقصه شما را به مشتریان خود ارسال
DocType: Sales Order,Customer's Purchase Order,سفارش خرید مشتری
@@ -2880,33 +2902,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,مجموع نمرات از معیارهای ارزیابی نیاز به {0} باشد.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,لطفا تعداد مجموعه ای از Depreciations رزرو
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,ارزش و یا تعداد
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,سفارشات محصولات می توانید برای نه مطرح شود:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,دقیقه
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,سفارشات محصولات می توانید برای نه مطرح شود:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,دقیقه
DocType: Purchase Invoice,Purchase Taxes and Charges,خرید مالیات و هزینه
,Qty to Receive,تعداد دریافت
DocType: Leave Block List,Leave Block List Allowed,ترک فهرست بلوک های مجاز
DocType: Grading Scale Interval,Grading Scale Interval,درجه بندی مقیاس فاصله
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},ادعای هزینه برای ورود خودرو {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,تخفیف (٪) در لیست قیمت نرخ با حاشیه
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,همه انبارها
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,همه انبارها
DocType: Sales Partner,Retailer,خرده فروش
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,اعتباری به حساب باید یک حساب ترازنامه شود
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,اعتباری به حساب باید یک حساب ترازنامه شود
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,انواع تامین کننده
DocType: Global Defaults,Disable In Words,غیر فعال کردن در کلمات
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,کد مورد الزامی است زیرا مورد به طور خودکار شماره نه
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,کد مورد الزامی است زیرا مورد به طور خودکار شماره نه
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},نقل قول {0} نمی از نوع {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,نگهداری و تعمیرات برنامه مورد
DocType: Sales Order,% Delivered,٪ تحویل شده
DocType: Production Order,PRO-,نرم افزار-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,بانک حساب چک بی محل
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,بانک حساب چک بی محل
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,را لغزش حقوق
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,ردیف # {0}: مقدار اختصاص داده شده نمی تواند بیشتر از مقدار برجسته.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,مرور BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,وام
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,وام
DocType: Purchase Invoice,Edit Posting Date and Time,ویرایش های ارسال و ویرایش تاریخ و زمان
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},لطفا حساب مربوط استهلاک در دارایی رده {0} یا شرکت {1}
DocType: Academic Term,Academic Year,سال تحصیلی
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,افتتاح حقوق صاحبان سهام تعادل
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,افتتاح حقوق صاحبان سهام تعادل
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,ارزیابی
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},ایمیل ارسال شده به منبع {0}
@@ -2922,7 +2944,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,تصویب نقش نمی تواند همان نقش حکومت قابل اجرا است به
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,لغو اشتراک از این ایمیل خلاصه
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,پیام های ارسال شده
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,حساب کاربری با گره فرزند می تواند به عنوان دفتر تنظیم شود
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,حساب کاربری با گره فرزند می تواند به عنوان دفتر تنظیم شود
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,سرعت که در آن لیست قیمت ارز به ارز پایه مشتری تبدیل
DocType: Purchase Invoice Item,Net Amount (Company Currency),مبلغ خالص (شرکت ارز)
@@ -2956,7 +2978,7 @@
DocType: Expense Claim,Approval Status,وضعیت تایید
DocType: Hub Settings,Publish Items to Hub,انتشار مطلبی برای توپی
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},از مقدار باید کمتر از ارزش در ردیف شود {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,انتقال سیم
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,انتقال سیم
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,بررسی همه
DocType: Vehicle Log,Invoice Ref,فاکتور کد عکس
DocType: Purchase Order,Recurring Order,ترتیب در محدوده زمانی معین
@@ -2969,51 +2991,54 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,بانکداری و پرداخت
,Welcome to ERPNext,به ERPNext خوش آمدید
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,منجر به عبارت
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,هیچ چیز بیشتر نشان می دهد.
DocType: Lead,From Customer,از مشتری
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,تماس
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,تماس
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,دسته
DocType: Project,Total Costing Amount (via Time Logs),کل مقدار هزینه یابی (از طریق زمان سیاههها)
DocType: Purchase Order Item Supplied,Stock UOM,سهام UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,خرید سفارش {0} است ارسال نشده
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,خرید سفارش {0} است ارسال نشده
DocType: Customs Tariff Number,Tariff Number,شماره تعرفه
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,بینی
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},سریال بدون {0} به انبار تعلق ندارد {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,توجه: سیستم نمی خواهد بیش از چک زایمان و بیش از رزرو مورد {0} به عنوان مقدار و یا مقدار 0 است
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,توجه: سیستم نمی خواهد بیش از چک زایمان و بیش از رزرو مورد {0} به عنوان مقدار و یا مقدار 0 است
DocType: Notification Control,Quotation Message,نقل قول پیام
DocType: Employee Loan,Employee Loan Application,کارمند وام نرم افزار
DocType: Issue,Opening Date,افتتاح عضویت
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,حضور و غیاب با موفقیت برگزار شده است.
+DocType: Program Enrollment,Public Transport,حمل و نقل عمومی
DocType: Journal Entry,Remark,اظهار
DocType: Purchase Receipt Item,Rate and Amount,سرعت و مقدار
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},نوع کاربری برای {0} باید {1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,برگ و تعطیلات
DocType: School Settings,Current Academic Term,ترم جاری
DocType: Sales Order,Not Billed,صورتحساب نه
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,هر دو انبار باید به همان شرکت تعلق
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,بدون اطلاعات تماس اضافه نشده است.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,هر دو انبار باید به همان شرکت تعلق
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,بدون اطلاعات تماس اضافه نشده است.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,هزینه فرود مقدار کوپن
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,لوایح مطرح شده توسط تولید کنندگان.
DocType: POS Profile,Write Off Account,ارسال فعال حساب
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,بدهی توجه داشته باشید مبلغ
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,مقدار تخفیف
DocType: Purchase Invoice,Return Against Purchase Invoice,بازگشت از فاکتورخرید
DocType: Item,Warranty Period (in days),دوره گارانتی (در روز)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,ارتباط با Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,ارتباط با Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,نقدی خالص عملیات
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,به عنوان مثال مالیات بر ارزش افزوده
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,به عنوان مثال مالیات بر ارزش افزوده
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,(4 مورد)
DocType: Student Admission,Admission End Date,پذیرش پایان تاریخ
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,پیمانکاری
DocType: Journal Entry Account,Journal Entry Account,حساب ورودی دفتر روزنامه
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,گروه دانشجویی
DocType: Shopping Cart Settings,Quotation Series,نقل قول سری
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item",یک مورد را با همین نام وجود دارد ({0})، لطفا نام گروه مورد تغییر یا تغییر نام آیتم
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,لطفا به مشتریان را انتخاب کنید
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item",یک مورد را با همین نام وجود دارد ({0})، لطفا نام گروه مورد تغییر یا تغییر نام آیتم
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,لطفا به مشتریان را انتخاب کنید
DocType: C-Form,I,من
DocType: Company,Asset Depreciation Cost Center,دارایی مرکز استهلاک هزینه
DocType: Sales Order Item,Sales Order Date,تاریخ سفارش فروش
DocType: Sales Invoice Item,Delivered Qty,تحویل تعداد
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.",اگر علامت زده شود، همه بچه ها از هر یک از آیتم تولید خواهد شد در درخواست مواد گنجانده شده است.
DocType: Assessment Plan,Assessment Plan,طرح ارزیابی
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,انبار {0}: شرکت الزامی است
DocType: Stock Settings,Limit Percent,درصد محدود
,Payment Period Based On Invoice Date,دوره پرداخت بر اساس فاکتور عضویت
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},از دست رفته ارز نرخ ارز برای {0}
@@ -3025,7 +3050,7 @@
DocType: Vehicle,Insurance Details,جزئیات بیمه
DocType: Account,Payable,قابل پرداخت
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,لطفا دوره بازپرداخت وارد کنید
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),بدهکاران ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),بدهکاران ({0})
DocType: Pricing Rule,Margin,حاشیه
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,مشتریان جدید
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,سود ناخالص٪
@@ -3036,16 +3061,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,حزب الزامی است
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,نام موضوع
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,حداقل یکی از خرید و یا فروش باید انتخاب شود
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,ماهیت کسب و کار خود را انتخاب کنید.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,حداقل یکی از خرید و یا فروش باید انتخاب شود
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,ماهیت کسب و کار خود را انتخاب کنید.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},ردیف # {0}: کپی مطلب در منابع {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,که در آن عملیات ساخت در حال انجام شده است.
DocType: Asset Movement,Source Warehouse,انبار منبع
DocType: Installation Note,Installation Date,نصب و راه اندازی تاریخ
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},ردیف # {0}: دارایی {1} به شرکت تعلق ندارد {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},ردیف # {0}: دارایی {1} به شرکت تعلق ندارد {2}
DocType: Employee,Confirmation Date,تایید عضویت
DocType: C-Form,Total Invoiced Amount,کل مقدار صورتحساب
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,حداقل تعداد نمی تواند بیشتر از حداکثر تعداد
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,حداقل تعداد نمی تواند بیشتر از حداکثر تعداد
DocType: Account,Accumulated Depreciation,استهلاک انباشته
DocType: Stock Entry,Customer or Supplier Details,مشتری و یا تامین کننده
DocType: Employee Loan Application,Required by Date,مورد نیاز تاریخ
@@ -3066,22 +3091,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,درصد ماهانه توزیع
DocType: Territory,Territory Targets,اهداف منطقه
DocType: Delivery Note,Transporter Info,حمل و نقل اطلاعات
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},لطفا پیش فرض {0} در {1} شرکت
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},لطفا پیش فرض {0} در {1} شرکت
DocType: Cheque Print Template,Starting position from top edge,موقعیت شروع از لبه بالا
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,منبع همان وارد شده است چندین بار
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,سود ناخالص / از دست دادن
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,خرید سفارش مورد عرضه
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,نام شرکت می تواند شرکت نیست
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,نام شرکت می تواند شرکت نیست
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,سران نامه برای قالب چاپ.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,عناوین برای قالب چاپ به عنوان مثال پروفرم فاکتور.
DocType: Student Guardian,Student Guardian,دانشجو نگهبان
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,نوع گذاری اتهامات نمی تواند به عنوان فراگیر مشخص شده
DocType: POS Profile,Update Stock,به روز رسانی سهام
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,کننده> نوع کننده
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM مختلف برای اقلام خواهد به نادرست (مجموع) خالص ارزش وزن منجر شود. مطمئن شوید که وزن خالص هر یک از آیتم است در UOM همان.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM نرخ
DocType: Asset,Journal Entry for Scrap,ورودی مجله برای ضایعات
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,لطفا توجه داشته باشید تحویل اقلام از جلو
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,ورودی های دفتر {0} مشابه نیستند
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,ورودی های دفتر {0} مشابه نیستند
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.",ضبط تمام ارتباطات از نوع ایمیل، تلفن، چت،، و غیره
DocType: Manufacturer,Manufacturers used in Items,تولید کنندگان مورد استفاده در موارد
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,لطفا دور کردن مرکز هزینه در شرکت ذکر
@@ -3128,33 +3154,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,ارائه کننده به مشتری
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (فرم # / کالا / {0}) خارج از بورس
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,تاریخ بعدی باید بزرگتر از ارسال تاریخ
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,نمایش مالیاتی تجزیه
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},با توجه / مرجع تاریخ نمی تواند بعد {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,نمایش مالیاتی تجزیه
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},با توجه / مرجع تاریخ نمی تواند بعد {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,اطلاعات واردات و صادرات
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it",نوشته سهام برابر انبار {0} وجود داشته باشد، از این رو شما می توانید دوباره اختصاص و یا آن را تغییر دهید
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,هیچ دانش آموزان یافت
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,هیچ دانش آموزان یافت
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,فاکتور های ارسال و ویرایش تاریخ
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,فروختن
DocType: Sales Invoice,Rounded Total,گرد مجموع
DocType: Product Bundle,List items that form the package.,اقلام لیست که به صورت بسته بندی شده.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,درصد تخصیص باید به 100٪ برابر باشد
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,لطفا ارسال تاریخ قبل از انتخاب حزب را انتخاب کنید
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,لطفا ارسال تاریخ قبل از انتخاب حزب را انتخاب کنید
DocType: Program Enrollment,School House,مدرسه خانه
DocType: Serial No,Out of AMC,از AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,لطفا نقل قول انتخاب
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,لطفا نقل قول انتخاب
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,تعداد Depreciations رزرو نمی تواند بیشتر از تعداد کل Depreciations
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,را نگهداری سایت
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,لطفا برای کاربری که فروش کارشناسی ارشد مدیریت {0} نقش دارند تماس
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,لطفا برای کاربری که فروش کارشناسی ارشد مدیریت {0} نقش دارند تماس
DocType: Company,Default Cash Account,به طور پیش فرض حساب های نقدی
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,شرکت (و نه مشتری و یا تامین کننده) استاد.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,این است که در حضور این دانش آموز بر اساس
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,هیچ دانشآموزی در
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,هیچ دانشآموزی در
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,اضافه کردن آیتم های بیشتر و یا به صورت کامل باز
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',لطفا "انتظار تاریخ تحویل را وارد
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,یادداشت تحویل {0} باید قبل از لغو این سفارش فروش لغو
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,مبلغ پرداخت شده + نوشتن کردن مقدار نمی تواند بیشتر از جمع کل
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,مبلغ پرداخت شده + نوشتن کردن مقدار نمی تواند بیشتر از جمع کل
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} است تعداد دسته معتبر برای مورد نمی {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},نکته: تعادل مرخصی به اندازه کافی برای مرخصی نوع وجود ندارد {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN نامعتبر یا NA را وارد کنید برای ثبت نام نشده
DocType: Training Event,Seminar,سمینار
DocType: Program Enrollment Fee,Program Enrollment Fee,برنامه ثبت نام هزینه
DocType: Item,Supplier Items,آیتم ها تامین کننده
@@ -3180,27 +3206,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,3 مورد
DocType: Purchase Order,Customer Contact Email,مشتریان تماس با ایمیل
DocType: Warranty Claim,Item and Warranty Details,آیتم و گارانتی اطلاعات
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,کد کالا> مورد گروه> نام تجاری
DocType: Sales Team,Contribution (%),سهم (٪)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,توجه: ورودی پرداخت خواهد از ایجاد شوند "نقدی یا حساب بانکی 'مشخص نشده بود
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,برنامه به بهانه دوره اجباری را انتخاب کنید.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,مسئولیت
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,مسئولیت
DocType: Expense Claim Account,Expense Claim Account,حساب ادعای هزینه
DocType: Sales Person,Sales Person Name,نام فروشنده
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,لطفا حداقل 1 فاکتور در جدول وارد کنید
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,اضافه کردن کاربران
DocType: POS Item Group,Item Group,مورد گروه
DocType: Item,Safety Stock,سهام ایمنی
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,پیشرفت٪ برای یک کار نمی تواند بیش از 100.
DocType: Stock Reconciliation Item,Before reconciliation,قبل از آشتی
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},به {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),مالیات و هزینه اضافه شده (شرکت ارز)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ردیف مالیاتی مورد {0} باید حساب از نوع مالیات یا درآمد یا هزینه یا شارژ داشته
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ردیف مالیاتی مورد {0} باید حساب از نوع مالیات یا درآمد یا هزینه یا شارژ داشته
DocType: Sales Order,Partly Billed,تا حدودی صورتحساب
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,مورد {0} باید مورد دارائی های ثابت شود
DocType: Item,Default BOM,به طور پیش فرض BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,لطفا دوباره نوع نام شرکت برای تایید
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,مجموع برجسته AMT
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,دبیت توجه مقدار
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,لطفا دوباره نوع نام شرکت برای تایید
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,مجموع برجسته AMT
DocType: Journal Entry,Printing Settings,تنظیمات چاپ
DocType: Sales Invoice,Include Payment (POS),شامل پرداخت (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},دبیت مجموع باید به مجموع اعتبار مساوی باشد. تفاوت در این است {0}
@@ -3214,15 +3238,16 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,در انبار:
DocType: Notification Control,Custom Message,سفارشی پیام
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,بانکداری سرمایه گذاری
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,نقدی یا حساب بانکی برای ساخت پرداخت ورود الزامی است
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,نشانی دانشجویی
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,نقدی یا حساب بانکی برای ساخت پرداخت ورود الزامی است
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,لطفا راه اندازی شماره سری برای حضور و غیاب از طریق راه اندازی> شماره سری
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,نشانی دانشجویی
DocType: Purchase Invoice,Price List Exchange Rate,لیست قیمت نرخ ارز
DocType: Purchase Invoice Item,Rate,نرخ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,انترن
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,نام آدرس
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,انترن
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,نام آدرس
DocType: Stock Entry,From BOM,از BOM
DocType: Assessment Code,Assessment Code,کد ارزیابی
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,پایه
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,پایه
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,معاملات سهام قبل از {0} منجمد
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',لطفا بر روی 'ایجاد برنامه کلیک کنید
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m",به عنوان مثال کیلوگرم، واحد، شماره، متر
@@ -3232,11 +3257,11 @@
DocType: Salary Slip,Salary Structure,ساختار حقوق و دستمزد
DocType: Account,Bank,بانک
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,شرکت هواپیمایی
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,مواد شماره
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,مواد شماره
DocType: Material Request Item,For Warehouse,ذخیره سازی
DocType: Employee,Offer Date,پیشنهاد عضویت
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,نقل قول
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,شما در حالت آفلاین می باشد. شما نمی قادر خواهد بود به بارگذاری مجدد تا زمانی که شما به شبکه وصل شوید.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,شما در حالت آفلاین می باشد. شما نمی قادر خواهد بود به بارگذاری مجدد تا زمانی که شما به شبکه وصل شوید.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,بدون تشکل های دانشجویی ایجاد شده است.
DocType: Purchase Invoice Item,Serial No,شماره سریال
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,میزان بازپرداخت ماهانه نمی تواند بیشتر از وام مبلغ
@@ -3244,8 +3269,8 @@
DocType: Purchase Invoice,Print Language,چاپ زبان
DocType: Salary Slip,Total Working Hours,کل ساعات کار
DocType: Stock Entry,Including items for sub assemblies,از جمله موارد زیر را برای مجامع
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,را وارد کنید مقدار باید مثبت باشد
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,همه مناطق
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,را وارد کنید مقدار باید مثبت باشد
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,همه مناطق
DocType: Purchase Invoice,Items,اقلام
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,دانشجو در حال حاضر ثبت نام.
DocType: Fiscal Year,Year Name,نام سال
@@ -3263,10 +3288,10 @@
DocType: Issue,Opening Time,زمان باز شدن
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,از و به تاریخ های الزامی
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,اوراق بهادار و بورس کالا
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',واحد اندازه گیری پیش فرض برای متغیر '{0}' باید همان است که در الگو: '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',واحد اندازه گیری پیش فرض برای متغیر '{0}' باید همان است که در الگو: '{1}'
DocType: Shipping Rule,Calculate Based On,محاسبه بر اساس
DocType: Delivery Note Item,From Warehouse,از انبار
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,هیچ موردی با بیل از مواد برای تولید
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,هیچ موردی با بیل از مواد برای تولید
DocType: Assessment Plan,Supervisor Name,نام استاد راهنما
DocType: Program Enrollment Course,Program Enrollment Course,برنامه ثبت نام دوره
DocType: Purchase Taxes and Charges,Valuation and Total,ارزش گذاری و مجموع
@@ -3281,18 +3306,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""روز پس از آخرین سفارش"" باید بزرگتر یا مساوی صفر باشد"
DocType: Process Payroll,Payroll Frequency,فرکانس حقوق و دستمزد
DocType: Asset,Amended From,اصلاح از
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,مواد اولیه
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,مواد اولیه
DocType: Leave Application,Follow via Email,از طریق ایمیل دنبال کنید
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,گیاهان و ماشین آلات
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,گیاهان و ماشین آلات
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,مبلغ مالیات پس از تخفیف مبلغ
DocType: Daily Work Summary Settings,Daily Work Summary Settings,تنظیمات خلاصه کار روزانه
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},ارز از لیست قیمت {0} است مشابه با ارز انتخاب نشده {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},ارز از لیست قیمت {0} است مشابه با ارز انتخاب نشده {1}
DocType: Payment Entry,Internal Transfer,انتقال داخلی
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,حساب کودک برای این حساب وجود دارد. شما می توانید این حساب را حذف کنید.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,حساب کودک برای این حساب وجود دارد. شما می توانید این حساب را حذف کنید.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,در هر دو صورت تعداد مورد نظر و یا مقدار هدف الزامی است
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},بدون پیش فرض BOM برای مورد وجود دارد {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},بدون پیش فرض BOM برای مورد وجود دارد {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,لطفا در ارسال تاریخ را انتخاب کنید اول
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,باز کردن تاریخ باید قبل از بسته شدن تاریخ
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,لطفا مجموعه نامگذاری سری برای {0} از طریق راه اندازی> تنظیمات> نامگذاری سری
DocType: Leave Control Panel,Carry Forward,حمل به جلو
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,مرکز هزینه با معاملات موجود را نمی توان تبدیل به لجر
DocType: Department,Days for which Holidays are blocked for this department.,روز که تعطیلات برای این بخش مسدود شده است.
@@ -3302,10 +3328,9 @@
DocType: Issue,Raised By (Email),مطرح شده توسط (ایمیل)
DocType: Training Event,Trainer Name,نام مربی
DocType: Mode of Payment,General,عمومی
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,ضمیمه سربرگ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,ارتباطات آخرین
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',نمی تواند کسر زمانی که دسته بندی است برای ارزش گذاری "یا" ارزش گذاری و مجموع "
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",لیست سر مالیاتی خود را، نرخ استاندارد (به عنوان مثال مالیات بر ارزش افزوده، آداب و رسوم و غیره آنها باید نام منحصر به فرد) و. این کار یک قالب استاندارد، که شما می توانید ویرایش و اضافه کردن بعد تر ایجاد کنید.
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",لیست سر مالیاتی خود را، نرخ استاندارد (به عنوان مثال مالیات بر ارزش افزوده، آداب و رسوم و غیره آنها باید نام منحصر به فرد) و. این کار یک قالب استاندارد، که شما می توانید ویرایش و اضافه کردن بعد تر ایجاد کنید.
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},سریال شماره سریال مورد نیاز برای مورد {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,پرداخت بازی با فاکتورها
DocType: Journal Entry,Bank Entry,بانک ورودی
@@ -3314,16 +3339,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,اضافه کردن به سبد
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,گروه توسط
DocType: Guardian,Interests,منافع
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,فعال / غیر فعال کردن ارز.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,فعال / غیر فعال کردن ارز.
DocType: Production Planning Tool,Get Material Request,دریافت درخواست مواد
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,هزینه پستی
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,هزینه پستی
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),مجموع (AMT)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,سرگرمی و اوقات فراغت
DocType: Quality Inspection,Item Serial No,مورد سریال بدون
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,درست کارمند سوابق
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,در حال حاضر مجموع
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,بیانیه های حسابداری
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,ساعت
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,ساعت
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,جدید بدون سریال را می انبار ندارد. انبار باید توسط بورس ورود یا رسید خرید مجموعه
DocType: Lead,Lead Type,سرب نوع
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,شما مجاز به تایید برگ در تاریخ های مسدود شده نیستید
@@ -3335,6 +3360,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,BOM جدید پس از تعویض
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,نقطه ای از فروش
DocType: Payment Entry,Received Amount,دریافت مبلغ
+DocType: GST Settings,GSTIN Email Sent On,GSTIN ایمیل فرستاده شده در
+DocType: Program Enrollment,Pick/Drop by Guardian,انتخاب / قطره های نگهبان
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order",درست برای مقدار کامل، نادیده گرفتن مقدار در حال حاضر در سفارش
DocType: Account,Tax,مالیات
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,مشخص شده نیست
@@ -3346,14 +3373,14 @@
DocType: Batch,Source Document Name,منبع نام سند
DocType: Job Opening,Job Title,عنوان شغلی
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,ایجاد کاربران
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,گرم
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,گرم
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,تعداد برای تولید باید بیشتر از 0 باشد.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,گزارش تماس نگهداری مراجعه کنید.
DocType: Stock Entry,Update Rate and Availability,نرخ به روز رسانی و در دسترس بودن
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,درصد شما مجاز به دریافت و یا ارائه بیش برابر مقدار سفارش داد. به عنوان مثال: اگر شما 100 واحد دستور داده اند. و کمک هزینه خود را 10٪ و سپس شما مجاز به دریافت 110 واحد است.
DocType: POS Customer Group,Customer Group,گروه مشتری
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),دسته ID جدید (اختیاری)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},حساب هزینه برای آیتم الزامی است {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},حساب هزینه برای آیتم الزامی است {0}
DocType: BOM,Website Description,وب سایت توضیحات
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,تغییر خالص در حقوق صاحبان سهام
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,لطفا لغو خرید فاکتور {0} برای اولین بار
@@ -3363,8 +3390,8 @@
,Sales Register,ثبت فروش
DocType: Daily Work Summary Settings Company,Send Emails At,ارسال ایمیل در
DocType: Quotation,Quotation Lost Reason,نقل قول را فراموش کرده اید دلیل
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,انتخاب دامنه خود
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},معامله مرجع {0} تاریخ {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,انتخاب دامنه خود
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},معامله مرجع {0} تاریخ {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,چیزی برای ویرایش وجود دارد.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,خلاصه برای این ماه و فعالیت های انتظار
DocType: Customer Group,Customer Group Name,نام گروه مشتری
@@ -3372,14 +3399,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,صورت جریان وجوه نقد
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},وام مبلغ می توانید حداکثر مبلغ وام از تجاوز نمی {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,مجوز
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},لطفا این فاکتور {0} از C-فرم حذف {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},لطفا این فاکتور {0} از C-فرم حذف {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,لطفا انتخاب کنید حمل به جلو اگر شما نیز می خواهید که شامل تعادل سال گذشته مالی برگ به سال مالی جاری
DocType: GL Entry,Against Voucher Type,در برابر نوع کوپن
DocType: Item,Attributes,ویژگی های
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,لطفا وارد حساب فعال
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,لطفا وارد حساب فعال
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,تاریخ و زمان آخرین چینش تاریخ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},حساب {0} به شرکت {1} تعلق ندارد
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,شماره سریال در ردیف {0} با تحویل توجه مطابقت ندارد
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,شماره سریال در ردیف {0} با تحویل توجه مطابقت ندارد
DocType: Student,Guardian Details,نگهبان جزییات
DocType: C-Form,C-Form,C-فرم
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,حضور و غیاب علامت برای کارکنان متعدد
@@ -3394,16 +3421,16 @@
DocType: Budget Account,Budget Amount,بودجه مقدار
DocType: Appraisal Template,Appraisal Template Title,ارزیابی الگو عنوان
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},از تاریخ {0} برای کارمند {1} نمی تواند قبل از تاریخ پیوستن کارکنان می شود {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,تجاری
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,تجاری
DocType: Payment Entry,Account Paid To,حساب پرداخت به
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,مورد پدر و مادر {0} نباید آیتم سهام
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,همه محصولات یا خدمات.
DocType: Expense Claim,More Details,جزئیات بیشتر
DocType: Supplier Quotation,Supplier Address,تامین کننده آدرس
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} بودجه برای حساب {1} در برابر {2} {3} است {4}. آن خواهد شد توسط بیش از {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',ردیف {0} # حساب باید از این نوع باشد، دارایی ثابت '
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,از تعداد
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,مشاهده قوانین برای محاسبه مقدار حمل و نقل برای فروش
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',ردیف {0} # حساب باید از این نوع باشد، دارایی ثابت '
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,از تعداد
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,مشاهده قوانین برای محاسبه مقدار حمل و نقل برای فروش
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,سری الزامی است
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,خدمات مالی
DocType: Student Sibling,Student ID,ID دانش آموز
@@ -3411,13 +3438,13 @@
DocType: Tax Rule,Sales,فروش
DocType: Stock Entry Detail,Basic Amount,مقدار اولیه
DocType: Training Event,Exam,امتحان
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},انبار مورد نیاز برای سهام مورد {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},انبار مورد نیاز برای سهام مورد {0}
DocType: Leave Allocation,Unused leaves,برگ استفاده نشده
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,کروم
DocType: Tax Rule,Billing State,دولت صدور صورت حساب
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,انتقال
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} با حساب حزب همراه نیست {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),واکشی BOM منفجر شد (از جمله زیر مجموعه)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} با حساب حزب همراه نیست {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),واکشی BOM منفجر شد (از جمله زیر مجموعه)
DocType: Authorization Rule,Applicable To (Employee),به قابل اجرا (کارمند)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,تاریخ الزامی است
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,افزایش برای صفت {0} نمی تواند 0
@@ -3445,7 +3472,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,مواد اولیه کد مورد
DocType: Journal Entry,Write Off Based On,ارسال فعال بر اساس
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,را سرب
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,چاپ و لوازم التحریر
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,چاپ و لوازم التحریر
DocType: Stock Settings,Show Barcode Field,نمایش بارکد درست
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,ارسال ایمیل کننده
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",حقوق و دستمزد در حال حاضر برای دوره بین {0} و {1}، ترک دوره نرم افزار نمی تواند بین این محدوده تاریخ پردازش شده است.
@@ -3453,13 +3480,15 @@
DocType: Guardian Interest,Guardian Interest,نگهبان علاقه
apps/erpnext/erpnext/config/hr.py +177,Training,آموزش
DocType: Timesheet,Employee Detail,جزئیات کارمند
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 ID ایمیل
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 ID ایمیل
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,روز تاریخ بعدی و تکرار در روز ماه باید برابر باشد
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,تنظیمات برای صفحه اصلی وب سایت
DocType: Offer Letter,Awaiting Response,در انتظار پاسخ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,در بالا
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,در بالا
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},ویژگی نامعتبر {0} {1}
DocType: Supplier,Mention if non-standard payable account,ذکر است اگر غیر استاندارد حساب های قابل پرداخت
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},آیتم همان وارد شده است چند بار. {} لیست
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',لطفا گروه ارزیابی غیر از 'همه گروه ارزیابی "را انتخاب کنید
DocType: Salary Slip,Earning & Deduction,سود و کسر
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,اختیاری است. این تنظیم استفاده می شود برای فیلتر کردن در معاملات مختلف است.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,نرخ گذاری منفی مجاز نیست
@@ -3473,9 +3502,9 @@
DocType: Sales Invoice,Product Bundle Help,محصولات بسته نرم افزاری راهنما
,Monthly Attendance Sheet,جدول ماهانه حضور و غیاب
DocType: Production Order Item,Production Order Item,تولید سفارش مورد
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,موردی یافت
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,موردی یافت
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,هزینه دارایی اوراق
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: مرکز هزینه برای مورد الزامی است {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: مرکز هزینه برای مورد الزامی است {2}
DocType: Vehicle,Policy No,سیاست هیچ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,گرفتن اقلام از بسته نرم افزاری محصولات
DocType: Asset,Straight Line,خط مستقیم
@@ -3483,7 +3512,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,شکاف
DocType: GL Entry,Is Advance,آیا پیشرفته
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,حضور و غیاب حضور و غیاب از تاریخ و به روز الزامی است
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,لطفا وارد است واگذار شده به عنوان بله یا نه
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,لطفا وارد است واگذار شده به عنوان بله یا نه
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,آخرین تاریخ ارتباطات
DocType: Sales Team,Contact No.,تماس با شماره
DocType: Bank Reconciliation,Payment Entries,مطالب پرداخت
@@ -3509,60 +3538,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,ارزش باز
DocType: Salary Detail,Formula,فرمول
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,سریال #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,کمیسیون فروش
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,کمیسیون فروش
DocType: Offer Letter Term,Value / Description,ارزش / توضیحات
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",ردیف # {0}: دارایی {1} نمی تواند ارائه شود، آن است که در حال حاضر {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",ردیف # {0}: دارایی {1} نمی تواند ارائه شود، آن است که در حال حاضر {2}
DocType: Tax Rule,Billing Country,کشور صدور صورت حساب
DocType: Purchase Order Item,Expected Delivery Date,انتظار می رود تاریخ تحویل
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,بدهی و اعتباری برای {0} # برابر نیست {1}. تفاوت در این است {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,هزینه سرگرمی
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,را درخواست پاسخ به مواد
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,هزینه سرگرمی
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,را درخواست پاسخ به مواد
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},مورد باز {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,فاکتور فروش {0} باید لغو شود قبل از لغو این سفارش فروش
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,سن
DocType: Sales Invoice Timesheet,Billing Amount,مقدار حسابداری
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,مقدار نامعتبر مشخص شده برای آیتم {0}. تعداد باید بیشتر از 0 باشد.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,برنامه های کاربردی برای مرخصی.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,حساب با معامله های موجود نمی تواند حذف شود
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,حساب با معامله های موجود نمی تواند حذف شود
DocType: Vehicle,Last Carbon Check,آخرین چک کربن
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,هزینه های قانونی
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,هزینه های قانونی
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,لطفا مقدار را در ردیف را انتخاب کنید
DocType: Purchase Invoice,Posting Time,مجوز های ارسال و زمان
DocType: Timesheet,% Amount Billed,٪ مبلغ صورتحساب
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,هزینه تلفن
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,هزینه تلفن
DocType: Sales Partner,Logo,آرم
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,بررسی این اگر شما می خواهید به زور کاربر برای انتخاب یک سری قبل از ذخیره. خواهد شد وجود ندارد به طور پیش فرض اگر شما این تیک بزنید.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},آیتم با سریال بدون هیچ {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},آیتم با سریال بدون هیچ {0}
DocType: Email Digest,Open Notifications,گسترش اطلاعیه
DocType: Payment Entry,Difference Amount (Company Currency),تفاوت در مقدار (شرکت ارز)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,هزینه های مستقیم
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,هزینه های مستقیم
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} آدرس ایمیل نامعتبر در هشدار از طریق \ آدرس ایمیل است
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,جدید درآمد و ضوابط
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,هزینه های سفر
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,هزینه های سفر
DocType: Maintenance Visit,Breakdown,تفکیک
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,حساب: {0} با ارز: {1} نمی تواند انتخاب شود
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,حساب: {0} با ارز: {1} نمی تواند انتخاب شود
DocType: Bank Reconciliation Detail,Cheque Date,چک تاریخ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},حساب {0}: حساب مرجع {1} به شرکت تعلق ندارد: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},حساب {0}: حساب مرجع {1} به شرکت تعلق ندارد: {2}
DocType: Program Enrollment Tool,Student Applicants,متقاضیان دانشجو
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,با موفقیت حذف تمام معاملات مربوط به این شرکت!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,با موفقیت حذف تمام معاملات مربوط به این شرکت!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,همانطور که در تاریخ
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,تاریخ ثبت نام
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,عفو مشروط
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,عفو مشروط
apps/erpnext/erpnext/config/hr.py +115,Salary Components,قطعات حقوق و دستمزد
DocType: Program Enrollment Tool,New Academic Year,سال تحصیلی
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,بازگشت / اعتباری
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,بازگشت / اعتباری
DocType: Stock Settings,Auto insert Price List rate if missing,درج خودرو نرخ لیست قیمت اگر از دست رفته
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,کل مقدار پرداخت
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,کل مقدار پرداخت
DocType: Production Order Item,Transferred Qty,انتقال تعداد
apps/erpnext/erpnext/config/learn.py +11,Navigating,ناوبری
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,برنامه ریزی
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,صادر
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,برنامه ریزی
+DocType: Material Request,Issued,صادر
DocType: Project,Total Billing Amount (via Time Logs),کل مقدار حسابداری (از طریق زمان سیاههها)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,ما فروش این مورد
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,تامین کننده کد
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,ما فروش این مورد
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,تامین کننده کد
DocType: Payment Request,Payment Gateway Details,پرداخت جزئیات دروازه
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,تعداد باید بیشتر از 0 باشد
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,تعداد باید بیشتر از 0 باشد
DocType: Journal Entry,Cash Entry,نقدی ورودی
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,گره فرزند می تواند تنها تحت 'گروه' نوع گره ایجاد
DocType: Leave Application,Half Day Date,تاریخ نیم روز
@@ -3574,14 +3604,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},لطفا به حساب پیش فرض تنظیم شده در نوع ادعا هزینه {0}
DocType: Assessment Result,Student Name,نام دانش آموز
DocType: Brand,Item Manager,مدیریت آیتم ها
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,حقوق و دستمزد پرداختنی
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,حقوق و دستمزد پرداختنی
DocType: Buying Settings,Default Supplier Type,به طور پیش فرض نوع تامین کننده
DocType: Production Order,Total Operating Cost,مجموع هزینه های عملیاتی
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,توجه: مورد {0} وارد چندین بار
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,همه اطلاعات تماس.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,مخفف شرکت
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,مخفف شرکت
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,کاربر {0} وجود ندارد
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,مواد اولیه را نمی توان همان آیتم های اصلی
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,مواد اولیه را نمی توان همان آیتم های اصلی
DocType: Item Attribute Value,Abbreviation,مخفف
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,ورود پرداخت در حال حاضر وجود دارد
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,authroized نه از {0} بیش از محدودیت
@@ -3590,49 +3620,49 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,مجموعه قوانین مالیاتی برای سبد خرید
DocType: Purchase Invoice,Taxes and Charges Added,مالیات و هزینه اضافه شده
,Sales Funnel,قیف فروش
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,مخفف الزامی است
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,مخفف الزامی است
DocType: Project,Task Progress,وظیفه پیشرفت
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,گاری
,Qty to Transfer,تعداد می توان به انتقال
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,پیشنهاد قیمت برای مشتریان یا مشتریان بالقوه
DocType: Stock Settings,Role Allowed to edit frozen stock,نقش مجاز به ویرایش سهام منجمد
,Territory Target Variance Item Group-Wise,منطقه مورد هدف واریانس گروه حکیم
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,همه گروه های مشتری
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,همه گروه های مشتری
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,انباشته ماهانه
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} الزامی است. شاید رکورد ارز برای {1} به {2} ایجاد نمی شود.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} الزامی است. شاید رکورد ارز برای {1} به {2} ایجاد نمی شود.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,قالب مالیات اجباری است.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,حساب {0}: حساب مرجع {1} وجود ندارد
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,حساب {0}: حساب مرجع {1} وجود ندارد
DocType: Purchase Invoice Item,Price List Rate (Company Currency),لیست قیمت نرخ (شرکت ارز)
DocType: Products Settings,Products Settings,محصولات تنظیمات
DocType: Account,Temporary,موقت
DocType: Program,Courses,دوره های آموزشی
DocType: Monthly Distribution Percentage,Percentage Allocation,درصد تخصیص
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,دبیر
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,دبیر
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",اگر غیر فعال کردن، »به عبارت" درست نخواهد بود در هر معامله قابل مشاهده
DocType: Serial No,Distinct unit of an Item,واحد مجزا از یک آیتم
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,لطفا مجموعه شرکت
DocType: Pricing Rule,Buying,خرید
DocType: HR Settings,Employee Records to be created by,سوابق کارمند به ایجاد شود
DocType: POS Profile,Apply Discount On,درخواست تخفیف
,Reqd By Date,Reqd بر اساس تاریخ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,طلبکاران
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,طلبکاران
DocType: Assessment Plan,Assessment Name,نام ارزیابی
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,ردیف # {0}: سریال نه اجباری است
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,مورد جزئیات حکیم مالیات
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,مخفف موسسه
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,مخفف موسسه
,Item-wise Price List Rate,مورد عاقلانه لیست قیمت نرخ
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,نقل قول تامین کننده
DocType: Quotation,In Words will be visible once you save the Quotation.,به عبارت قابل مشاهده خواهد بود هنگامی که شما نقل قول را نجات دهد.
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},تعداد ({0}) نمی تواند یک کسر در ردیف {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,جمع آوری هزینه
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},بارکد {0} در حال حاضر در مورد استفاده {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},بارکد {0} در حال حاضر در مورد استفاده {1}
DocType: Lead,Add to calendar on this date,افزودن به تقویم در این تاریخ
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,مشاهده قوانین برای اضافه کردن هزینه های حمل و نقل.
DocType: Item,Opening Stock,سهام باز کردن
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,مشتری مورد نیاز است
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} برای بازگشت الزامی است
DocType: Purchase Order,To Receive,برای دریافت
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,ایمیل شخصی
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,واریانس ها
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",اگر فعال باشد، سیستم مطالب حسابداری برای موجودی ارسال به صورت خودکار.
@@ -3643,13 +3673,14 @@
DocType: Customer,From Lead,از سرب
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,سفارشات برای تولید منتشر شد.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,انتخاب سال مالی ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,نمایش POS مورد نیاز برای ایجاد POS ورود
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,نمایش POS مورد نیاز برای ایجاد POS ورود
DocType: Program Enrollment Tool,Enroll Students,ثبت نام دانش آموزان
DocType: Hub Settings,Name Token,نام رمز
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,فروش استاندارد
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,حداقل یک انبار الزامی است
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,حداقل یک انبار الزامی است
DocType: Serial No,Out of Warranty,خارج از ضمانت
DocType: BOM Replace Tool,Replace,جایگزین کردن
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,هیچ محصولی وجود ندارد پیدا شده است.
DocType: Production Order,Unstopped,Unstopped
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} در برابر فاکتور فروش {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3660,13 +3691,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,تفاوت ارزش سهام
apps/erpnext/erpnext/config/learn.py +234,Human Resource,منابع انسانی
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,آشتی پرداخت
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,دارایی های مالیاتی
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,دارایی های مالیاتی
DocType: BOM Item,BOM No,BOM بدون
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,مجله ورودی {0} می کند حساب کاربری ندارید {1} یا در حال حاضر همسان در برابر دیگر کوپن
DocType: Item,Moving Average,میانگین متحرک
DocType: BOM Replace Tool,The BOM which will be replaced,BOM که جایگزین خواهد شد
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,تجهیزات الکترونیکی
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,تجهیزات الکترونیکی
DocType: Account,Debit,بدهی
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,برگ باید در تقسیم عددی بر مضرب 0.5 اختصاص داده
DocType: Production Order,Operation Cost,هزینه عملیات
@@ -3674,7 +3705,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,برجسته AMT
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,مجموعه اهداف مورد گروه عاقلانه برای این فرد از فروش.
DocType: Stock Settings,Freeze Stocks Older Than [Days],سهام یخ قدیمی تر از [روز]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,ردیف # {0}: دارایی برای دارائی های ثابت خرید / فروش اجباری است
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,ردیف # {0}: دارایی برای دارائی های ثابت خرید / فروش اجباری است
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",اگر دو یا چند قوانین قیمت گذاری هستند در بر داشت بر اساس شرایط فوق، اولویت اعمال می شود. اولویت یک عدد بین 0 تا 20 است در حالی که مقدار پیش فرض صفر (خالی) است. تعداد بالاتر به معنی آن خواهد ارجحیت دارد اگر قوانین قیمت گذاری های متعدد را با شرایط مشابه وجود دارد.
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,سال مالی: {0} می کند وجود دارد نمی
DocType: Currency Exchange,To Currency,به ارز
@@ -3682,7 +3713,7 @@
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,انواع ادعای هزینه.
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},نرخ برای آیتم فروش {0} کمتر از است {1} آن است. نرخ فروش باید حداقل {2}
DocType: Item,Taxes,عوارض
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,پرداخت و تحویل داده نشده است
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,پرداخت و تحویل داده نشده است
DocType: Project,Default Cost Center,مرکز هزینه به طور پیش فرض
DocType: Bank Guarantee,End Date,تاریخ پایان
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,معاملات سهام
@@ -3707,24 +3738,22 @@
DocType: Employee,Held On,برگزار
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,مورد تولید
,Employee Information,اطلاعات کارمند
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),نرخ (٪)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),نرخ (٪)
DocType: Stock Entry Detail,Additional Cost,هزینه های اضافی
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,مالی سال پایان تاریخ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",می توانید بر روی کوپن نه فیلتر بر اساس، در صورتی که توسط کوپن گروه بندی
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,را عین تامین کننده
DocType: Quality Inspection,Incoming,وارد شونده
DocType: BOM,Materials Required (Exploded),مواد مورد نیاز (منفجر شد)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself",اضافه کردن کاربران به سازمان شما، به غیر از خودتان
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,مجوز های ارسال و تاریخ نمی تواند تاریخ آینده
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},ردیف # {0}: سریال نه {1} با مطابقت ندارد {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,مرخصی گاه به گاه
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,مرخصی گاه به گاه
DocType: Batch,Batch ID,دسته ID
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},توجه: {0}
,Delivery Note Trends,روند تحویل توجه داشته باشید
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,خلاصه این هفته
-,In Stock Qty,در انبار تعداد
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,در انبار تعداد
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,حساب: {0} تنها می تواند از طریق معاملات سهام به روز شده
-DocType: Program Enrollment,Get Courses,دوره های
+DocType: Student Group Creation Tool,Get Courses,دوره های
DocType: GL Entry,Party,حزب
DocType: Sales Order,Delivery Date,تاریخ تحویل
DocType: Opportunity,Opportunity Date,فرصت تاریخ
@@ -3732,14 +3761,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,درخواست برای مورد دیگر
DocType: Purchase Order,To Bill,به بیل
DocType: Material Request,% Ordered,مرتب٪
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",برای دوره بر اساس گروه دانشجویی، دوره خواهد شد برای هر دانشجو از دوره های ثبت نام شده در برنامه ثبت نام تایید شده است.
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date",را وارد کنید آدرس ایمیل با کاما جدا شده، فاکتور به طور خودکار در تاریخ خاص از طریق پست
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,کار از روی مقاطعه
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,کار از روی مقاطعه
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,اوسط نرخ خرید
DocType: Task,Actual Time (in Hours),زمان واقعی (در ساعت)
DocType: Employee,History In Company,تاریخچه در شرکت
apps/erpnext/erpnext/config/learn.py +107,Newsletters,خبرنامه
DocType: Stock Ledger Entry,Stock Ledger Entry,سهام لجر ورود
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ضوابط> ضوابط گروه> قلمرو
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,آیتم همان وارد شده است چندین بار
DocType: Department,Leave Block List,ترک فهرست بلوک
DocType: Sales Invoice,Tax ID,ID مالیات
@@ -3754,30 +3783,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} واحد از {1} مورد نیاز در {2} برای تکمیل این معامله.
DocType: Loan Type,Rate of Interest (%) Yearly,نرخ بهره (٪) سالانه
DocType: SMS Settings,SMS Settings,تنظیمات SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,حساب موقت
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,سیاه
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,حساب موقت
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,سیاه
DocType: BOM Explosion Item,BOM Explosion Item,BOM مورد انفجار
DocType: Account,Auditor,ممیز
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} کالاهای تولید شده
DocType: Cheque Print Template,Distance from top edge,فاصله از لبه بالا
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,لیست قیمت {0} غیر فعال است و یا وجود ندارد
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,لیست قیمت {0} غیر فعال است و یا وجود ندارد
DocType: Purchase Invoice,Return,برگشت
DocType: Production Order Operation,Production Order Operation,ترتیب عملیات تولید
DocType: Pricing Rule,Disable,از کار انداختن
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,نحوه پرداخت مورد نیاز است را به پرداخت
DocType: Project Task,Pending Review,در انتظار نقد و بررسی
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} در دسته ای ثبت نام نشده {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}",دارایی {0} نمی تواند اوراق شود، آن است که در حال حاضر {1}
DocType: Task,Total Expense Claim (via Expense Claim),ادعای هزینه کل (از طریق ادعای هزینه)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,شناسه مشتری
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,علامت گذاری به عنوان غایب
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ردیف {0}: ارز BOM # در {1} باید به ارز انتخاب شده برابر باشد {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ردیف {0}: ارز BOM # در {1} باید به ارز انتخاب شده برابر باشد {2}
DocType: Journal Entry Account,Exchange Rate,مظنهء ارز
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,سفارش فروش {0} است ارسال نشده
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,سفارش فروش {0} است ارسال نشده
DocType: Homepage,Tag Line,نقطه حساس
DocType: Fee Component,Fee Component,هزینه یدکی
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,مدیریت ناوگان
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,اضافه کردن آیتم از
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},انبار {0}: حساب مرجع {1} به شرکت bolong نمی {2}
DocType: Cheque Print Template,Regular,منظم
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,وزنها در کل از همه معیارهای ارزیابی باید 100٪
DocType: BOM,Last Purchase Rate,تاریخ و زمان آخرین نرخ خرید
@@ -3786,11 +3814,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,سهام نمی تواند برای مورد وجود داشته باشد {0} از انواع است
,Sales Person-wise Transaction Summary,فروش شخص عاقل خلاصه معامله
DocType: Training Event,Contact Number,شماره تماس
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,انبار {0} وجود ندارد
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,انبار {0} وجود ندارد
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,ثبت نام برای ERPNext توپی
DocType: Monthly Distribution,Monthly Distribution Percentages,درصد ماهانه توزیع
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,آیتم انتخاب شده می تواند دسته ای ندارد
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry",نرخ ارزش گذاری برای آیتم {0}، که لازم است برای انجام ورودی حسابداری برای یافت نشد {1} {2}. در صورتی که آیتم به عنوان یک آیتم نمونه در طرف قرارداد {1}، لطفا ذکر است که در {1} جدول مورد. در غیر این صورت، لطفا ایجاد یک معامله سهام های دریافتی را برای آیتم و یا ذکر میزان ارزش در پرونده مورد، و سپس سعی کنید از ارسال / لغو این مطلب
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry",نرخ ارزش گذاری برای آیتم {0}، که لازم است برای انجام ورودی حسابداری برای یافت نشد {1} {2}. در صورتی که آیتم به عنوان یک آیتم نمونه در طرف قرارداد {1}، لطفا ذکر است که در {1} جدول مورد. در غیر این صورت، لطفا ایجاد یک معامله سهام های دریافتی را برای آیتم و یا ذکر میزان ارزش در پرونده مورد، و سپس سعی کنید از ارسال / لغو این مطلب
DocType: Delivery Note,% of materials delivered against this Delivery Note,درصد از مواد در برابر این تحویل توجه تحویل
DocType: Project,Customer Details,اطلاعات مشتری
DocType: Employee,Reports to,گزارش به
@@ -3798,41 +3826,43 @@
DocType: SMS Settings,Enter url parameter for receiver nos,پارامتر آدرس را وارد کنید برای گیرنده NOS
DocType: Payment Entry,Paid Amount,مبلغ پرداخت
DocType: Assessment Plan,Supervisor,سرپرست
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,آنلاین
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,آنلاین
,Available Stock for Packing Items,انبار موجود آیتم ها بسته بندی
DocType: Item Variant,Item Variant,مورد نوع
DocType: Assessment Result Tool,Assessment Result Tool,ابزار ارزیابی نتیجه
DocType: BOM Scrap Item,BOM Scrap Item,BOM مورد ضایعات
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,سفارشات ارسال شده را نمی توان حذف
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",مانده حساب در حال حاضر در بدهی، شما امکان پذیر نیست را به مجموعه "تعادل باید به عنوان" اعتبار "
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,مدیریت کیفیت
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,سفارشات ارسال شده را نمی توان حذف
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",مانده حساب در حال حاضر در بدهی، شما امکان پذیر نیست را به مجموعه "تعادل باید به عنوان" اعتبار "
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,مدیریت کیفیت
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,مورد {0} غیرفعال شده است
DocType: Employee Loan,Repay Fixed Amount per Period,بازپرداخت مقدار ثابت در هر دوره
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},لطفا مقدار برای آیتم را وارد کنید {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,اعتباری مبلغ
DocType: Employee External Work History,Employee External Work History,کارمند خارجی سابقه کار
DocType: Tax Rule,Purchase,خرید
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,تعداد موجودی
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,تعداد موجودی
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,اهداف نمی تواند خالی باشد
DocType: Item Group,Parent Item Group,مورد گروه پدر و مادر
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} برای {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,مراکز هزینه
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,مراکز هزینه
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,سرعت که در آن عرضه کننده کالا در ارز به ارز پایه شرکت تبدیل
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},ردیف # {0}: درگیری های تنظیم وقت با ردیف {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,اجازه رای دادن به ارزش گذاری صفر
DocType: Training Event Employee,Invited,دعوت کرد
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,چند ساختار حقوق و دستمزد فعال برای کارکنان {0} برای تاریخ داده شده پیدا شده
DocType: Opportunity,Next Contact,بعد تماس
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,راه اندازی حساب های دروازه.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,راه اندازی حساب های دروازه.
DocType: Employee,Employment Type,نوع استخدام
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,دارایی های ثابت
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,دارایی های ثابت
DocType: Payment Entry,Set Exchange Gain / Loss,تنظیم اوراق بهادار کاهش / افزایش
+,GST Purchase Register,GST خرید ثبت نام
,Cash Flow,جریان وجوه نقد
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,دوره نرم افزار نمی تواند در سراسر دو رکورد alocation شود
DocType: Item Group,Default Expense Account,حساب پیش فرض هزینه
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,دانشجو ID ایمیل
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,دانشجو ID ایمیل
DocType: Employee,Notice (days),مقررات (روز)
DocType: Tax Rule,Sales Tax Template,قالب مالیات بر فروش
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,انتخاب آیتم ها برای صرفه جویی در فاکتور
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,انتخاب آیتم ها برای صرفه جویی در فاکتور
DocType: Employee,Encashment Date,Encashment عضویت
DocType: Training Event,Internet,اینترنت
DocType: Account,Stock Adjustment,تنظیم سهام
@@ -3860,7 +3890,7 @@
DocType: Guardian,Guardian Of ,نگهبان
DocType: Grading Scale Interval,Threshold,آستانه
DocType: BOM Replace Tool,Current BOM,BOM کنونی
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,اضافه کردن سریال بدون
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,اضافه کردن سریال بدون
apps/erpnext/erpnext/config/support.py +22,Warranty,گارانتی
DocType: Purchase Invoice,Debit Note Issued,بدهی توجه صادر
DocType: Production Order,Warehouses,ساختمان و ذخیره سازی
@@ -3869,20 +3899,20 @@
DocType: Workstation,per hour,در ساعت
apps/erpnext/erpnext/config/buying.py +7,Purchasing,خرید
DocType: Announcement,Announcement,اعلان
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,حساب برای انبار (موجودی ابدی) خواهد شد تحت این حساب ایجاد شده است.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,انبار نمی تواند حذف شود به عنوان ورودی سهام دفتر برای این انبار وجود دارد.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",برای دسته ای بر اساس گروه دانشجو، دسته ای دانشجو خواهد شد برای هر دانش آموز از ثبت نام برنامه تایید شده است.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,انبار نمی تواند حذف شود به عنوان ورودی سهام دفتر برای این انبار وجود دارد.
DocType: Company,Distribution,توزیع
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,مبلغ پرداخت شده
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,مدیر پروژه
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,مدیر پروژه
,Quoted Item Comparison,مورد نقل مقایسه
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,اعزام
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,حداکثر تخفیف را برای آیتم: {0} {1}٪ است
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,اعزام
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,حداکثر تخفیف را برای آیتم: {0} {1}٪ است
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,ارزش خالص دارایی ها به عنوان بر روی
DocType: Account,Receivable,دریافتنی
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ردیف # {0}: مجاز به تغییر به عنوان کننده سفارش خرید در حال حاضر وجود
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ردیف # {0}: مجاز به تغییر به عنوان کننده سفارش خرید در حال حاضر وجود
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,نقش است که مجاز به ارائه معاملات است که بیش از محدودیت های اعتباری تعیین شده است.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,انتخاب موارد برای ساخت
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time",استاد همگام سازی داده های، ممکن است برخی از زمان
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,انتخاب موارد برای ساخت
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time",استاد همگام سازی داده های، ممکن است برخی از زمان
DocType: Item,Material Issue,شماره مواد
DocType: Hub Settings,Seller Description,فروشنده توضیحات
DocType: Employee Education,Qualification,صلاحیت
@@ -3902,7 +3932,6 @@
DocType: BOM,Rate Of Materials Based On,نرخ مواد بر اساس
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analtyics پشتیبانی
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,همه موارد را از حالت انتخاب خارج کنید
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},شرکت در انبارها از دست رفته {0}
DocType: POS Profile,Terms and Conditions,شرایط و ضوابط
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},به روز باید در سال مالی باشد. با فرض به روز = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc",در اینجا شما می توانید قد، وزن، آلرژی ها، نگرانی های پزشکی و غیره حفظ
@@ -3917,18 +3946,17 @@
DocType: Sales Order Item,For Production,برای تولید
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,مشخصات کار
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,سال مالی شما آغاز می شود
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,OPP /٪ سرب
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Depreciations دارایی و تعادل
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},مقدار {0} {1} منتقل شده از {2} به {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},مقدار {0} {1} منتقل شده از {2} به {3}
DocType: Sales Invoice,Get Advances Received,دریافت پیشرفت های دریافتی
DocType: Email Digest,Add/Remove Recipients,اضافه کردن / حذف دریافت کنندگان
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},معامله در برابر تولید متوقف مجاز ترتیب {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},معامله در برابر تولید متوقف مجاز ترتیب {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",برای تنظیم این سال مالی به عنوان پیش فرض، بر روی "تنظیم به عنوان پیش فرض '
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,پیوستن
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,پیوستن
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,کمبود تعداد
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,نوع مورد {0} با ویژگی های مشابه وجود دارد
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,نوع مورد {0} با ویژگی های مشابه وجود دارد
DocType: Employee Loan,Repay from Salary,بازپرداخت از حقوق و دستمزد
DocType: Leave Application,LAP/,LAP /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},درخواست پرداخت در مقابل {0} {1} برای مقدار {2}
@@ -3939,34 +3967,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.",تولید بسته بندی ورقه برای بسته تحویل داده می شود. مورد استفاده به اطلاع تعداد بسته، محتویات بسته و وزن آن است.
DocType: Sales Invoice Item,Sales Order Item,مورد سفارش فروش
DocType: Salary Slip,Payment Days,روز پرداخت
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,انبارها با گره فرزند را نمی توان تبدیل به لجر
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,انبارها با گره فرزند را نمی توان تبدیل به لجر
DocType: BOM,Manage cost of operations,مدیریت هزینه های عملیات
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.",هنگامی که هر یک از معاملات چک می "فرستاده"، یک ایمیل پاپ آپ به طور خودکار باز برای ارسال یک ایمیل به همراه "تماس" در آن معامله، با معامله به عنوان یک پیوست. کاربر ممکن است یا ممکن است ایمیل ارسال کنید.
apps/erpnext/erpnext/config/setup.py +14,Global Settings,تنظیمات جهانی
DocType: Assessment Result Detail,Assessment Result Detail,ارزیابی جزئیات نتیجه
DocType: Employee Education,Employee Education,آموزش و پرورش کارمند
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,گروه مورد تکراری در جدول گروه مورد
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,آن را به واکشی اطلاعات مورد نیاز است.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,آن را به واکشی اطلاعات مورد نیاز است.
DocType: Salary Slip,Net Pay,پرداخت خالص
DocType: Account,Account,حساب
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,سریال بدون {0} در حال حاضر دریافت شده است
,Requested Items To Be Transferred,آیتم ها درخواست می شود منتقل
DocType: Expense Claim,Vehicle Log,ورود خودرو
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.",انبار {0} است به هر حساب در ارتباط نیست، لطفا ایجاد / لینک مربوطه (دارایی) حساب کاربری برای انبار.
DocType: Purchase Invoice,Recurring Id,تکرار کد
DocType: Customer,Sales Team Details,جزییات تیم فروش
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,به طور دائم حذف کنید؟
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,به طور دائم حذف کنید؟
DocType: Expense Claim,Total Claimed Amount,مجموع مقدار ادعا
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,فرصت های بالقوه برای فروش.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},نامعتبر {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,مرخصی استعلاجی
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},نامعتبر {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,مرخصی استعلاجی
DocType: Email Digest,Email Digest,ایمیل خلاصه
DocType: Delivery Note,Billing Address Name,حسابداری نام آدرس
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,فروشگاه های گروه
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,راه اندازی مدرسه خود را در ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),پایه تغییر مقدار (شرکت ارز)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,هیچ نوشته حسابداری برای انبار زیر
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,هیچ نوشته حسابداری برای انبار زیر
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,ذخیره سند اول است.
DocType: Account,Chargeable,پرشدنی
DocType: Company,Change Abbreviation,تغییر اختصار
@@ -3984,7 +4011,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,انتظار می رود تاریخ تحویل نمی تواند قبل از سفارش خرید تاریخ
DocType: Appraisal,Appraisal Template,ارزیابی الگو
DocType: Item Group,Item Classification,طبقه بندی مورد
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,مدیر توسعه تجاری
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,مدیر توسعه تجاری
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,هدف نگهداری سایت
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,دوره
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,لجر عمومی
@@ -3994,8 +4021,8 @@
DocType: Item Attribute Value,Attribute Value,موجودیت مقدار
,Itemwise Recommended Reorder Level,Itemwise توصیه ترتیب مجدد سطح
DocType: Salary Detail,Salary Detail,جزئیات حقوق و دستمزد
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,لطفا انتخاب کنید {0} برای اولین بار
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,دسته {0} از {1} مورد تمام شده است.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,لطفا انتخاب کنید {0} برای اولین بار
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,دسته {0} از {1} مورد تمام شده است.
DocType: Sales Invoice,Commission,کمیسیون
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,ورق زمان برای تولید.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,جمع جزء
@@ -4006,6 +4033,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`سهام منجمد قدیمی تر از` باید کوچکتر از %d روز باشد.
DocType: Tax Rule,Purchase Tax Template,خرید قالب مالیات
,Project wise Stock Tracking,پروژه پیگیری سهام عاقلانه
+DocType: GST HSN Code,Regional,منطقه ای
DocType: Stock Entry Detail,Actual Qty (at source/target),تعداد واقعی (در منبع / هدف)
DocType: Item Customer Detail,Ref Code,کد
apps/erpnext/erpnext/config/hr.py +12,Employee records.,سوابق کارکنان.
@@ -4016,13 +4044,13 @@
DocType: Email Digest,New Purchase Orders,سفارشات خرید جدید
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,ریشه می تواند یک مرکز هزینه پدر و مادر ندارد
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,انتخاب نام تجاری ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,آموزش و رویدادها / نتایج
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,انباشته استهلاک به عنوان در
DocType: Sales Invoice,C-Form Applicable,C-فرم قابل استفاده
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},عملیات زمان باید بیشتر از 0 برای عملیات می شود {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,انبار الزامی است
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,انبار الزامی است
DocType: Supplier,Address and Contacts,آدرس و اطلاعات تماس
DocType: UOM Conversion Detail,UOM Conversion Detail,جزئیات UOM تبدیل
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),وب 900px دوستانه (W) توسط نگه داشتن آن را 100px (H)
DocType: Program,Program Abbreviation,مخفف برنامه
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,سفارش تولید می تواند در برابر یک الگو مورد نمی توان مطرح
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,اتهامات در رسید خرید بر علیه هر یک از آیتم به روز شده
@@ -4030,13 +4058,13 @@
DocType: Bank Guarantee,Start Date,تاریخ شروع
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,اختصاص برگ برای یک دوره.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,چک و واریز وجه به اشتباه پاک
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,حساب {0}: شما نمی توانید خود را به عنوان پدر و مادر اختصاص حساب
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,حساب {0}: شما نمی توانید خود را به عنوان پدر و مادر اختصاص حساب
DocType: Purchase Invoice Item,Price List Rate,لیست قیمت نرخ
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,درست به نقل از مشتری
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",نمایش "در انبار" و یا "نه در بورس" بر اساس سهام موجود در این انبار.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),صورت مواد (BOM)
DocType: Item,Average time taken by the supplier to deliver,میانگین زمان گرفته شده توسط منبع برای ارائه
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,نتیجه ارزیابی
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,نتیجه ارزیابی
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,ساعت
DocType: Project,Expected Start Date,انتظار می رود تاریخ شروع
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,حذف آیتم اگر از اتهامات عنوان شده و قابل انطباق با آن قلم نمی
@@ -4050,24 +4078,23 @@
DocType: Workstation,Operating Costs,هزینه های عملیاتی
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,اکشن اگر انباشته بودجه ماهانه بیش از حد
DocType: Purchase Invoice,Submit on creation,ارسال در ایجاد
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},ارز برای {0} باید {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},ارز برای {0} باید {1}
DocType: Asset,Disposal Date,تاریخ دفع
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",ایمیل خواهد شد به تمام کارمندان فعال این شرکت در ساعت داده ارسال می شود، اگر آنها تعطیلات ندارد. خلاصه ای از پاسخ های خواهد شد در نیمه شب فرستاده شده است.
DocType: Employee Leave Approver,Employee Leave Approver,کارمند مرخصی تصویب
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},ردیف {0}: ورود ترتیب مجدد در حال حاضر برای این انبار وجود دارد {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},ردیف {0}: ورود ترتیب مجدد در حال حاضر برای این انبار وجود دارد {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.",نمی تواند به عنوان از دست رفته اعلام، به دلیل عبارت ساخته شده است.
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,آموزش فیدبک
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,سفارش تولید {0} باید ارائه شود
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,سفارش تولید {0} باید ارائه شود
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},لطفا تاریخ شروع و پایان تاریخ برای مورد را انتخاب کنید {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},البته در ردیف الزامی است {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,تا به امروز نمی تواند قبل از از تاریخ
DocType: Supplier Quotation Item,Prevdoc DocType,DOCTYPE Prevdoc
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,افزودن / ویرایش قیمت ها
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,افزودن / ویرایش قیمت ها
DocType: Batch,Parent Batch,دسته ای پدر و مادر
DocType: Cheque Print Template,Cheque Print Template,چک الگو چاپ
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,نمودار مراکز هزینه
,Requested Items To Be Ordered,آیتم ها درخواست می شود با شماره
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,انبار باید همان شرکت حساب می شود
DocType: Price List,Price List Name,لیست قیمت نام
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},خلاصه کار روزانه برای {0}
DocType: Employee Loan,Totals,مجموع
@@ -4089,55 +4116,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,لطفا NOS تلفن همراه معتبر وارد کنید
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,لطفا قبل از ارسال پیام را وارد کنید
DocType: Email Digest,Pending Quotations,در انتظار نقل قول
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,نقطه از فروش مشخصات
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,نقطه از فروش مشخصات
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,لطفا تنظیمات SMS به روز رسانی
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,نا امن وام
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,نا امن وام
DocType: Cost Center,Cost Center Name,هزینه نام مرکز
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,حداکثر ساعات کار در برابر برنامه زمانی
DocType: Maintenance Schedule Detail,Scheduled Date,تاریخ برنامه ریزی شده
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,مجموع پرداخت AMT
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,مجموع پرداخت AMT
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,پیام های بزرگتر از 160 کاراکتر خواهد شد را به چندین پیام را تقسیم
DocType: Purchase Receipt Item,Received and Accepted,دریافت و پذیرفته
+,GST Itemised Sales Register,GST جزء به جزء فروش ثبت نام
,Serial No Service Contract Expiry,سریال بدون خدمات قرارداد انقضاء
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,شما نمی توانید اعتباری و بدهی همان حساب در همان زمان
DocType: Naming Series,Help HTML,راهنما HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,دانشجویی گروه ابزار ایجاد
DocType: Item,Variant Based On,بر اساس نوع
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},بین وزنها مجموع اختصاص داده باید 100٪ باشد. این {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,تامین کنندگان شما
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,تامین کنندگان شما
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,می توانید مجموعه ای نه به عنوان از دست داده تا سفارش فروش ساخته شده است.
DocType: Request for Quotation Item,Supplier Part No,کننده قسمت بدون
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',نمی توانید کسر وقتی دسته است برای ارزش گذاری "یا" Vaulation و مجموع:
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,دریافت شده از
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,دریافت شده از
DocType: Lead,Converted,مبدل
DocType: Item,Has Serial No,دارای سریال بدون
DocType: Employee,Date of Issue,تاریخ صدور
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: از {0} برای {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",همانطور که در تنظیمات از خرید اگر خرید Reciept مورد نیاز == "YES"، پس از آن برای ایجاد خرید فاکتور، کاربر نیاز به ایجاد رسید خرید برای اولین بار در مورد {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},ردیف # {0}: تنظیم کننده برای آیتم {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,ردیف {0}: ارزش ساعت باید بزرگتر از صفر باشد.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,وب سایت تصویر {0} متصل به مورد {1} را نمی توان یافت
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,وب سایت تصویر {0} متصل به مورد {1} را نمی توان یافت
DocType: Issue,Content Type,نوع محتوا
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,کامپیوتر
DocType: Item,List this Item in multiple groups on the website.,فهرست این مورد در گروه های متعدد بر روی وب سایت.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,لطفا گزینه ارز چند اجازه می دهد تا حساب با ارز دیگر را بررسی کنید
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,مورد: {0} در سیستم وجود ندارد
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,شما مجاز به تنظیم مقدار ثابت شده نیستید
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,مورد: {0} در سیستم وجود ندارد
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,شما مجاز به تنظیم مقدار ثابت شده نیستید
DocType: Payment Reconciliation,Get Unreconciled Entries,دریافت Unreconciled مطالب
DocType: Payment Reconciliation,From Invoice Date,از تاریخ فاکتور
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,ارز صورتحساب باید به ارز یا به حساب حزب ارز هم به طور پیش فرض comapany برابر شود
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,ترک مجموعه
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,چه کاری انجام میدهد؟
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,ارز صورتحساب باید به ارز یا به حساب حزب ارز هم به طور پیش فرض comapany برابر شود
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,ترک مجموعه
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,چه کاری انجام میدهد؟
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,به انبار
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,همه پذیرش دانشجو
,Average Commission Rate,اوسط نرخ کمیشن
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,"""دارای شماره سریال"" برای موارد غیر انباری نمی تواند ""بله"" باشد"
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""دارای شماره سریال"" برای موارد غیر انباری نمی تواند ""بله"" باشد"
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,حضور و غیاب می تواند برای تاریخ های آینده باشد مشخص شده
DocType: Pricing Rule,Pricing Rule Help,قانون قیمت گذاری راهنما
DocType: School House,House Name,نام خانه
DocType: Purchase Taxes and Charges,Account Head,سر حساب
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,به روز رسانی هزینه های اضافی برای محاسبه هزینه فرود آمد از اقلام
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,برق
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,برق
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,اضافه کردن بقیه سازمان خود را به عنوان کاربران خود را. شما همچنین می توانید دعوت مشتریان به پورتال خود را اضافه کنید با اضافه کردن آنها از اطلاعات تماس
DocType: Stock Entry,Total Value Difference (Out - In),تفاوت ارزش ها (خارج - در)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,ردیف {0}: نرخ ارز الزامی است
@@ -4147,7 +4176,7 @@
DocType: Item,Customer Code,کد مشتری
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},یادآوری تاریخ تولد برای {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,روز پس از آخرین سفارش
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,بدهکاری به حساب کاربری باید یک حساب ترازنامه شود
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,بدهکاری به حساب کاربری باید یک حساب ترازنامه شود
DocType: Buying Settings,Naming Series,نامگذاری سری
DocType: Leave Block List,Leave Block List Name,ترک نام فهرست بلوک
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,تاریخ بیمه شروع باید کمتر از تاریخ پایان باشد بیمه
@@ -4162,26 +4191,26 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},لغزش حقوق و دستمزد کارکنان {0} در حال حاضر برای ورق زمان ایجاد {1}
DocType: Vehicle Log,Odometer,کیلومتر شمار
DocType: Sales Order Item,Ordered Qty,دستور داد تعداد
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,مورد {0} غیر فعال است
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,مورد {0} غیر فعال است
DocType: Stock Settings,Stock Frozen Upto,سهام منجمد تا حد
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM هیچ گونه سهام مورد را نمی
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM هیچ گونه سهام مورد را نمی
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},دوره و دوره به تاریخ برای تکرار اجباری {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,فعالیت پروژه / وظیفه.
DocType: Vehicle Log,Refuelling Details,اطلاعات سوختگیری
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,تولید حقوق و دستمزد ورقه
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}",خرید باید بررسی شود، اگر قابل استفاده برای عنوان انتخاب شده {0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}",خرید باید بررسی شود، اگر قابل استفاده برای عنوان انتخاب شده {0}
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,تخفیف باید کمتر از 100 باشد
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,آخرین نرخ خرید یافت نشد
DocType: Purchase Invoice,Write Off Amount (Company Currency),ارسال کردن مقدار (شرکت ارز)
DocType: Sales Invoice Timesheet,Billing Hours,ساعت صدور صورت حساب
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,BOM به طور پیش فرض برای {0} یافت نشد
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,ردیف # {0}: لطفا مقدار سفارش مجدد مجموعه
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,ردیف # {0}: لطفا مقدار سفارش مجدد مجموعه
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,ضربه بزنید اقلام به آنها اضافه کردن اینجا
DocType: Fees,Program Enrollment,برنامه ثبت نام
DocType: Landed Cost Voucher,Landed Cost Voucher,فرود کوپن هزینه
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},لطفا {0}
DocType: Purchase Invoice,Repeat on Day of Month,تکرار در روز از ماه
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} دانشجوی غیر فعال است
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} دانشجوی غیر فعال است
DocType: Employee,Health Details,جزییات بهداشت
DocType: Offer Letter,Offer Letter Terms,ارائه شرایط نامه
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,برای ایجاد یک درخواست پاسخ به پرداخت سند مرجع مورد نیاز است
@@ -4202,7 +4231,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.",مثال: ABCD ##### اگر سری قرار است و سریال بدون در معاملات ذکر نشده است، پس از آن به صورت خودکار شماره سریال بر اساس این مجموعه ایجاد شده است. اگر شما همیشه می خواهید سریال شماره به صراحت ذکر برای این آیتم. این را خالی بگذارید.
DocType: Upload Attendance,Upload Attendance,بارگذاری حضور و غیاب
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM و ساخت تعداد مورد نیاز
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM و ساخت تعداد مورد نیاز
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,محدوده سالمندی 2
DocType: SG Creation Tool Course,Max Strength,حداکثر قدرت
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM جایگزین
@@ -4211,8 +4240,8 @@
,Prospects Engaged But Not Converted,چشم انداز مشغول اما تبدیل نمی
DocType: Manufacturing Settings,Manufacturing Settings,تنظیمات ساخت
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,راه اندازی ایمیل
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 موبایل بدون
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,لطفا ارز به طور پیش فرض در شرکت استاد وارد
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 موبایل بدون
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,لطفا ارز به طور پیش فرض در شرکت استاد وارد
DocType: Stock Entry Detail,Stock Entry Detail,جزئیات سهام ورود
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,یادآوری روزانه
DocType: Products Settings,Home Page is Products,صفحه اصلی وب سایت است محصولات
@@ -4221,7 +4250,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,نام حساب
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,هزینه مواد اولیه عرضه شده
DocType: Selling Settings,Settings for Selling Module,تنظیمات برای فروش ماژول
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,خدمات مشتریان
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,خدمات مشتریان
DocType: BOM,Thumbnail,بند انگشتی
DocType: Item Customer Detail,Item Customer Detail,مورد جزئیات و ضوابط
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,پیشنهاد نامزد یک کار.
@@ -4230,7 +4259,7 @@
DocType: Pricing Rule,Percentage,در صد
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,مورد {0} باید مورد سهام است
DocType: Manufacturing Settings,Default Work In Progress Warehouse,پیش فرض کار در انبار پیشرفت
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,تنظیمات پیش فرض برای انجام معاملات حسابداری.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,تنظیمات پیش فرض برای انجام معاملات حسابداری.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,تاریخ انتظار نمی رود می تواند قبل از درخواست عضویت مواد است
DocType: Purchase Invoice Item,Stock Qty,موجودی تعداد
@@ -4243,10 +4272,10 @@
DocType: Sales Order,Printing Details,اطلاعات چاپ
DocType: Task,Closing Date,اختتامیه عضویت
DocType: Sales Order Item,Produced Quantity,مقدار زیاد تولید
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,مهندس
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,مهندس
DocType: Journal Entry,Total Amount Currency,مبلغ کل ارز
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,مجامع جستجو فرعی
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},کد مورد نیاز در ردیف بدون {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},کد مورد نیاز در ردیف بدون {0}
DocType: Sales Partner,Partner Type,نوع شریک
DocType: Purchase Taxes and Charges,Actual,واقعی
DocType: Authorization Rule,Customerwise Discount,Customerwise تخفیف
@@ -4263,11 +4292,11 @@
DocType: Item Reorder,Re-Order Level,ترتیب سطح
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,اقلام و تعداد برنامه ریزی شده که برای آن شما می خواهید به افزایش سفارشات تولید و یا دانلود کنید مواد خام برای تجزیه و تحلیل را وارد کنید.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,نمودار گانت
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,پاره وقت
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,پاره وقت
DocType: Employee,Applicable Holiday List,فهرست تعطیلات قابل اجرا
DocType: Employee,Cheque,چک
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,سری به روز رسانی
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,نوع گزارش الزامی است
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,نوع گزارش الزامی است
DocType: Item,Serial Number Series,شماره سریال سری
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},انبار سهام مورد {0} در ردیف الزامی است {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,خرده فروشی و عمده فروشی
@@ -4288,7 +4317,7 @@
DocType: BOM,Materials,مصالح
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",اگر بررسی نیست، لیست خواهد باید به هر بخش که در آن به کار گرفته شوند اضافه شده است.
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,مبدا و مقصد انبار نمی تواند همان
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,تاریخ ارسال و زمان ارسال الزامی است
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,تاریخ ارسال و زمان ارسال الزامی است
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,قالب های مالیاتی برای خرید معاملات.
,Item Prices,قیمت مورد
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,به عبارت قابل مشاهده خواهد بود هنگامی که شما سفارش خرید را نجات دهد.
@@ -4298,22 +4327,23 @@
DocType: Purchase Invoice,Advance Payments,پیش پرداخت
DocType: Purchase Taxes and Charges,On Net Total,در مجموع خالص
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},ارزش صفت {0} باید در طیف وسیعی از {1} به {2} در بازه {3} برای مورد {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,انبار هدف در ردیف {0} باید به همان ترتیب تولید می شود
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,انبار هدف در ردیف {0} باید به همان ترتیب تولید می شود
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,'هشدار از طریق آدرس ایمیل' برای دوره ی زمانی محدود %s مشخص نشده است
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,نرخ ارز می تواند پس از ساخت ورودی با استفاده از یک ارز دیگر، نمی توان تغییر داد
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,نرخ ارز می تواند پس از ساخت ورودی با استفاده از یک ارز دیگر، نمی توان تغییر داد
DocType: Vehicle Service,Clutch Plate,صفحه کلاچ
DocType: Company,Round Off Account,دور کردن حساب
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,هزینه های اداری
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,هزینه های اداری
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,مشاور
DocType: Customer Group,Parent Customer Group,مشتریان پدر و مادر گروه
DocType: Purchase Invoice,Contact Email,تماس با ایمیل
DocType: Appraisal Goal,Score Earned,امتیاز کسب
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,مقررات دوره
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,مقررات دوره
DocType: Asset Category,Asset Category Name,دارایی رده نام
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,این یک سرزمین ریشه است و نمی تواند ویرایش شود.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,نام شخص جدید فروش
DocType: Packing Slip,Gross Weight UOM,وزن UOM
DocType: Delivery Note Item,Against Sales Invoice,در برابر فاکتور فروش
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,لطفا شماره سریال برای آیتم سریال وارد کنید
DocType: Bin,Reserved Qty for Production,تعداد مادی و معنوی برای تولید
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,باقی بماند اگر شما نمی خواهید به در نظر گرفتن دسته ای در حالی که ساخت گروه های دوره بر اساس.
DocType: Asset,Frequency of Depreciation (Months),فرکانس استهلاک (ماه)
@@ -4321,25 +4351,25 @@
DocType: Landed Cost Item,Landed Cost Item,فرود از اقلام هزینه
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,نمایش صفر ارزش
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,تعداد آیتم به دست آمده پس از تولید / repacking از مقادیر داده شده از مواد خام
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,راه اندازی یک وب سایت ساده برای سازمان من
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,راه اندازی یک وب سایت ساده برای سازمان من
DocType: Payment Reconciliation,Receivable / Payable Account,حساب دریافتنی / پرداختنی
DocType: Delivery Note Item,Against Sales Order Item,علیه سفارش فروش مورد
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},لطفا موجودیت مقدار برای صفت مشخص {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},لطفا موجودیت مقدار برای صفت مشخص {0}
DocType: Item,Default Warehouse,به طور پیش فرض انبار
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},بودجه می تواند در برابر حساب گروه اختصاص {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,لطفا پدر و مادر مرکز هزینه وارد
DocType: Delivery Note,Print Without Amount,چاپ بدون مقدار
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,تاریخ استهلاک
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,مالیات رده می تواند 'گذاری "یا" ارزش گذاری و مجموع "نه به عنوان همه موارد اقلام غیر سهام هستند
DocType: Issue,Support Team,تیم پشتیبانی
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),انقضاء (روز)
DocType: Appraisal,Total Score (Out of 5),نمره کل (از 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,دسته
+DocType: Student Attendance Tool,Batch,دسته
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,تراز
DocType: Room,Seating Capacity,گنجایش
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),مجموع ادعای هزینه (از طریق ادعاهای هزینه)
+DocType: GST Settings,GST Summary,GST خلاصه
DocType: Assessment Result,Total Score,نمره کل
DocType: Journal Entry,Debit Note,بدهی توجه داشته باشید
DocType: Stock Entry,As per Stock UOM,همانطور که در بورس UOM
@@ -4350,12 +4380,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,به طور پیش فرض به پایان رسید کالا انبار
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,فروشنده
DocType: SMS Parameter,SMS Parameter,پارامتر SMS
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,بودجه و هزینه مرکز
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,بودجه و هزینه مرکز
DocType: Vehicle Service,Half Yearly,نیمی سالانه
DocType: Lead,Blog Subscriber,وبلاگ مشترک
DocType: Guardian,Alternate Number,شماره های جایگزین
DocType: Assessment Plan Criteria,Maximum Score,حداکثر نمره
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,ایجاد قوانین برای محدود کردن معاملات بر اساس ارزش.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,گروه رول بدون
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,خالی بگذارید اگر شما را به گروه دانش آموز در سال
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day",اگر علامت زده شود، هیچ مجموع. از روز کاری شامل تعطیلات، و این خواهد شد که ارزش حقوق پستها در طول روز کاهش
DocType: Purchase Invoice,Total Advance,جستجوی پیشرفته مجموع
@@ -4373,6 +4404,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,این است که در معاملات در برابر این مشتری است. مشاهده جدول زمانی زیر برای جزئیات
DocType: Supplier,Credit Days Based On,روز اعتباری بر اساس
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},ردیف {0}: اختصاص مقدار {1} باید کمتر از باشد یا برابر است با مقدار ورودی پرداخت {2}
+,Course wise Assessment Report,گزارش ارزیابی عاقلانه
DocType: Tax Rule,Tax Rule,قانون مالیات
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,حفظ همان نرخ در طول چرخه فروش
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,برنامه ریزی سیاهههای مربوط به زمان در خارج از ساعات کاری ایستگاه کاری.
@@ -4381,7 +4413,7 @@
,Items To Be Requested,گزینه هایی که درخواست شده
DocType: Purchase Order,Get Last Purchase Rate,دریافت آخرین خرید نرخ
DocType: Company,Company Info,اطلاعات شرکت
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,انتخاب کنید و یا اضافه کردن مشتری جدید
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,انتخاب کنید و یا اضافه کردن مشتری جدید
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,مرکز هزینه مورد نیاز است به کتاب ادعای هزینه
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),استفاده از وجوه (دارایی)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,این است که در حضور این کارمند بر اساس
@@ -4389,27 +4421,29 @@
DocType: Fiscal Year,Year Start Date,سال تاریخ شروع
DocType: Attendance,Employee Name,نام کارمند
DocType: Sales Invoice,Rounded Total (Company Currency),گرد مجموع (شرکت ارز)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,نمی توانید به گروه پنهانی به دلیل نوع کاربری انتخاب شده است.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,نمی توانید به گروه پنهانی به دلیل نوع کاربری انتخاب شده است.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} اصلاح شده است. لطفا بازخوانی کنید.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,توقف کاربران از ساخت نرم افزار مرخصی در روز بعد.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,مبلغ خرید
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,کننده دیگر {0} ایجاد
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,پایان سال نمی تواند قبل از شروع سال می شود
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,مزایای کارکنان
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,مزایای کارکنان
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},مقدار بسته بندی شده، باید مقدار برای مورد {0} در ردیف برابر {1}
DocType: Production Order,Manufactured Qty,تولید تعداد
DocType: Purchase Receipt Item,Accepted Quantity,تعداد پذیرفته شده
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},لطفا تنظیم پیش فرض لیست تعطیلات برای کارمند {0} یا شرکت {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} وجود ندارد
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} وجود ندارد
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,تعداد دسته را انتخاب کنید
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,لوایح مطرح شده به مشتریان.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,پروژه کد
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},ردیف بدون {0}: مبلغ نمی تواند بیشتر از انتظار مقدار برابر هزینه ادعای {1}. در انتظار مقدار است {2}
DocType: Maintenance Schedule,Schedule,برنامه
DocType: Account,Parent Account,پدر و مادر حساب
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,در دسترس
DocType: Quality Inspection Reading,Reading 3,خواندن 3
,Hub,قطب
DocType: GL Entry,Voucher Type,کوپن نوع
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,لیست قیمت یافت نشد یا از کار افتاده
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,لیست قیمت یافت نشد یا از کار افتاده
DocType: Employee Loan Application,Approved,تایید
DocType: Pricing Rule,Price,قیمت
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',کارمند رها در {0} باید تنظیم شود به عنوان چپ
@@ -4420,7 +4454,8 @@
DocType: Selling Settings,Campaign Naming By,نامگذاری کمپین توسط
DocType: Employee,Current Address Is,آدرس فعلی است
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,اصلاح شده
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.",اختیاری است. مجموعه پیش فرض ارز شرکت، اگر مشخص نشده است.
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.",اختیاری است. مجموعه پیش فرض ارز شرکت، اگر مشخص نشده است.
+DocType: Sales Invoice,Customer GSTIN,GSTIN و ضوابط
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,مطالب مجله حسابداری.
DocType: Delivery Note Item,Available Qty at From Warehouse,تعداد موجود در انبار از
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,لطفا ابتدا کارمند ضبط را انتخاب کنید.
@@ -4428,7 +4463,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ردیف {0}: حزب / حساب با مطابقت ندارد {1} / {2} در {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,لطفا هزینه حساب وارد کنید
DocType: Account,Stock,موجودی
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",ردیف # {0}: مرجع نوع سند باید یکی از سفارش خرید، خرید فاکتور و یا ورود به مجله می شود
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",ردیف # {0}: مرجع نوع سند باید یکی از سفارش خرید، خرید فاکتور و یا ورود به مجله می شود
DocType: Employee,Current Address,آدرس فعلی
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified",اگر مورد یک نوع از آیتم دیگری پس از آن توضیحات، تصویر، قیمت گذاری، مالیات و غیره را از قالب مجموعه ای است مگر اینکه صریحا مشخص
DocType: Serial No,Purchase / Manufacture Details,خرید / جزئیات ساخت
@@ -4441,8 +4476,8 @@
DocType: Pricing Rule,Min Qty,حداقل تعداد
DocType: Asset Movement,Transaction Date,تاریخ تراکنش
DocType: Production Plan Item,Planned Qty,برنامه ریزی تعداد
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,مالیات ها
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,برای کمیت (تعداد تولیدی) الزامی است
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,مالیات ها
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,برای کمیت (تعداد تولیدی) الزامی است
DocType: Stock Entry,Default Target Warehouse,به طور پیش فرض هدف انبار
DocType: Purchase Invoice,Net Total (Company Currency),مجموع خالص (شرکت ارز)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,سال پایان تاریخ را نمی توان قبل از تاریخ سال شروع باشد. لطفا تاریخ های صحیح و دوباره امتحان کنید.
@@ -4456,13 +4491,11 @@
DocType: Hub Settings,Hub Settings,تنظیمات توپی
DocType: Project,Gross Margin %,حاشیه ناخالص٪
DocType: BOM,With Operations,با عملیات
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,نوشته حسابداری در حال حاضر در ارز ساخته شده {0} برای شرکت {1}. لطفا یک حساب دریافتنی و یا قابل پرداخت با ارز را انتخاب کنید {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,نوشته حسابداری در حال حاضر در ارز ساخته شده {0} برای شرکت {1}. لطفا یک حساب دریافتنی و یا قابل پرداخت با ارز را انتخاب کنید {0}.
DocType: Asset,Is Existing Asset,موجود است دارایی
DocType: Salary Detail,Statistical Component,کامپوننت آماری
-,Monthly Salary Register,ماهانه حقوق ثبت نام
DocType: Warranty Claim,If different than customer address,اگر متفاوت از آدرس مشتری
DocType: BOM Operation,BOM Operation,عملیات BOM
-DocType: School Settings,Validate the Student Group from Program Enrollment,اعتبارسنجی گروه دانشجویی از برنامه ثبت نام
DocType: Purchase Taxes and Charges,On Previous Row Amount,در قبلی مقدار ردیف
DocType: Student,Home Address,آدرس خانه
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,دارایی انتقال
@@ -4470,28 +4503,27 @@
DocType: Training Event,Event Name,نام رخداد
apps/erpnext/erpnext/config/schools.py +39,Admission,پذیرش
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},پذیرش برای {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.",فصلی برای تنظیم بودجه، اهداف و غیره
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants",مورد {0} یک قالب است، لطفا یکی از انواع آن را انتخاب کنید
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.",فصلی برای تنظیم بودجه، اهداف و غیره
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants",مورد {0} یک قالب است، لطفا یکی از انواع آن را انتخاب کنید
DocType: Asset,Asset Category,دارایی رده
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,خریدار
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,پرداخت خالص نمی تونه منفی
DocType: SMS Settings,Static Parameters,پارامترهای استاتیک
DocType: Assessment Plan,Room,اتاق
DocType: Purchase Order,Advance Paid,پیش پرداخت
DocType: Item,Item Tax,مالیات مورد
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,مواد به کننده
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,فاکتور مالیات کالاهای داخلی
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,فاکتور مالیات کالاهای داخلی
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}٪ بیش از یک بار به نظر می رسد
DocType: Expense Claim,Employees Email Id,کارکنان پست الکترونیکی شناسه
DocType: Employee Attendance Tool,Marked Attendance,حضور و غیاب مشخص شده
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,بدهی های جاری
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,بدهی های جاری
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,ارسال اس ام اس انبوه به مخاطبین خود
DocType: Program,Program Name,نام برنامه
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,مالیات و یا هزینه در نظر بگیرید برای
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,تعداد واقعی الزامی است
DocType: Employee Loan,Loan Type,نوع وام
DocType: Scheduling Tool,Scheduling Tool,ابزار برنامه ریزی
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,کارت اعتباری
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,کارت اعتباری
DocType: BOM,Item to be manufactured or repacked,آیتم به تولید و یا repacked
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,تنظیمات پیش فرض برای انجام معاملات سهام.
DocType: Purchase Invoice,Next Date,تاریخ بعدی
@@ -4507,10 +4539,10 @@
DocType: Stock Entry,Repack,REPACK
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,شما باید فرم را قبل از ادامه دادن ذخیره کنید
DocType: Item Attribute,Numeric Values,مقادیر عددی
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,ضمیمه لوگو
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,ضمیمه لوگو
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,سطح سهام
DocType: Customer,Commission Rate,کمیسیون نرخ
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,متغیر را
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,متغیر را
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,برنامه بلوک مرخصی توسط بخش.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer",نوع پرداخت باید یکی از دریافت شود، پرداخت و انتقال داخلی
apps/erpnext/erpnext/config/selling.py +179,Analytics,تجزیه و تحلیل ترافیک
@@ -4518,45 +4550,45 @@
DocType: Vehicle,Model,مدل
DocType: Production Order,Actual Operating Cost,هزینه های عملیاتی واقعی
DocType: Payment Entry,Cheque/Reference No,چک / مرجع
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,ریشه را نمیتوان ویرایش کرد.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,ریشه را نمیتوان ویرایش کرد.
DocType: Item,Units of Measure,واحدهای اندازه گیری
DocType: Manufacturing Settings,Allow Production on Holidays,اجازه تولید در تعطیلات
DocType: Sales Order,Customer's Purchase Order Date,مشتری سفارش خرید عضویت
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,سرمایه سهام
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,سرمایه سهام
DocType: Shopping Cart Settings,Show Public Attachments,نمایش فایل های پیوست عمومی
DocType: Packing Slip,Package Weight Details,بسته بندی جزییات وزن
DocType: Payment Gateway Account,Payment Gateway Account,پرداخت حساب دروازه
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,پس از اتمام پرداخت هدایت کاربر به صفحه انتخاب شده است.
DocType: Company,Existing Company,موجود شرکت
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",مالیات رده به "مجموع" تغییر یافته است چرا که تمام موارد اقلام غیر سهام هستند
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,لطفا یک فایل CSV را انتخاب کنید
DocType: Student Leave Application,Mark as Present,علامت گذاری به عنوان در حال حاضر
DocType: Purchase Order,To Receive and Bill,برای دریافت و بیل
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,محصولات ویژه
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,طراح
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,طراح
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,شرایط و ضوابط الگو
DocType: Serial No,Delivery Details,جزئیات تحویل
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},مرکز هزینه در ردیف مورد نیاز است {0} در مالیات جدول برای نوع {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},مرکز هزینه در ردیف مورد نیاز است {0} در مالیات جدول برای نوع {1}
DocType: Program,Program Code,کد برنامه
DocType: Terms and Conditions,Terms and Conditions Help,شرایط و ضوابط راهنما
,Item-wise Purchase Register,مورد عاقلانه ثبت نام خرید
DocType: Batch,Expiry Date,تاریخ انقضا
-,Supplier Addresses and Contacts,آدرس منبع و اطلاعات تماس
,accounts-browser,حساب مرورگر
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,لطفا ابتدا دسته را انتخاب کنید
apps/erpnext/erpnext/config/projects.py +13,Project master.,کارشناسی ارشد پروژه.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.",اجازه می دهد تا بیش از صدور صورت حساب و یا بیش از سفارش، به روز رسانی "کمک هزینه" در بورس تنظیمات و یا آیتم.
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.",اجازه می دهد تا بیش از صدور صورت حساب و یا بیش از سفارش، به روز رسانی "کمک هزینه" در بورس تنظیمات و یا آیتم.
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,را نشان نمی مانند هر نماد $ و غیره در کنار ارزهای.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(نیم روز)
DocType: Supplier,Credit Days,روز اعتباری
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,را دسته ای دانشجویی
DocType: Leave Type,Is Carry Forward,آیا حمل به جلو
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,گرفتن اقلام از BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,گرفتن اقلام از BOM
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,سرب زمان روز
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ردیف # {0}: ارسال تاریخ باید همان تاریخ خرید می باشد {1} دارایی {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ردیف # {0}: ارسال تاریخ باید همان تاریخ خرید می باشد {1} دارایی {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,لطفا سفارشات فروش در جدول فوق را وارد کنید
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,ارسال نمی حقوق ورقه
,Stock Summary,خلاصه سهام
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,انتقال یک دارایی از یک انبار به دیگری
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,انتقال یک دارایی از یک انبار به دیگری
DocType: Vehicle,Petrol,بنزین
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,بیل از مواد
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},ردیف {0}: حزب نوع و حزب دریافتنی / حساب پرداختنی مورد نیاز است {1}
@@ -4567,6 +4599,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,مقدار تحریم
DocType: GL Entry,Is Opening,باز
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},ردیف {0}: بدهی ورود می تواند با پیوند داده نمی شود {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,حساب {0} وجود ندارد
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,حساب {0} وجود ندارد
DocType: Account,Cash,نقد
DocType: Employee,Short biography for website and other publications.,بیوگرافی کوتاه برای وب سایت ها و نشریات دیگر.
diff --git a/erpnext/translations/fi.csv b/erpnext/translations/fi.csv
index 11f5f11..07d0478 100644
--- a/erpnext/translations/fi.csv
+++ b/erpnext/translations/fi.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Kuluttajatuotteet
DocType: Item,Customer Items,asiakkaan tuotteet
DocType: Project,Costing and Billing,Kustannuslaskenta ja laskutus
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,tili {0}: emotili {1} ei voi tilikirja
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,tili {0}: emotili {1} ei voi tilikirja
DocType: Item,Publish Item to hub.erpnext.com,Julkaise Tuote on hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,sähköposti-ilmoitukset
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,arviointi
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,arviointi
DocType: Item,Default Unit of Measure,oletus mittayksikkö
DocType: SMS Center,All Sales Partner Contact,kaikki myyntikumppanin yhteystiedot
DocType: Employee,Leave Approvers,Poistumis hyväksyjät
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Valuuttakurssi on oltava sama kuin {0} {1} ({2})
DocType: Sales Invoice,Customer Name,asiakkaan nimi
DocType: Vehicle,Natural Gas,Maakaasu
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Pankkitilin ei voida nimetty {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Pankkitilin ei voida nimetty {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Pään, (tai ryhmän), kohdistetut kirjanpidon kirjaukset tehdään ja tase säilytetään"
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),odottavat {0} ei voi olla alle nolla ({1})
DocType: Manufacturing Settings,Default 10 mins,oletus 10 min
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,kaikki toimittajan yhteystiedot
DocType: Support Settings,Support Settings,tukiasetukset
DocType: SMS Parameter,Parameter,Parametri
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,odotettu päättymispäivä ei voi olla pienempi kuin odotettu aloituspäivä
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,odotettu päättymispäivä ei voi olla pienempi kuin odotettu aloituspäivä
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,rivi # {0}: taso tulee olla sama kuin {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,uusi poistumissovellus
,Batch Item Expiry Status,Erä Item Käyt tila
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,pankki sekki
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,pankki sekki
DocType: Mode of Payment Account,Mode of Payment Account,maksutilin tila
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Näytä mallivaihtoehdot
DocType: Academic Term,Academic Term,Academic Term
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,materiaali
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Määrä
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,-Taulukon voi olla tyhjä.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),lainat (vastattavat)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),lainat (vastattavat)
DocType: Employee Education,Year of Passing,valmistumisvuosi
DocType: Item,Country of Origin,Alkuperämaa
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,Varastossa
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,Varastossa
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Avoimet kysymykset
DocType: Production Plan Item,Production Plan Item,Tuotanto Plan Item
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Käyttäjä {0} on jo asetettu työsuhteeseen organisaatiossa {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,terveydenhuolto
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Viivästyminen (päivää)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,palvelu Expense
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Sarjanumero: {0} on jo viitattu myyntilasku: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Sarjanumero: {0} on jo viitattu myyntilasku: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,lasku
DocType: Maintenance Schedule Item,Periodicity,Jaksotus
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Verovuoden {0} vaaditaan
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Rivi # {0}:
DocType: Timesheet,Total Costing Amount,Yhteensä Kustannuslaskenta Määrä
DocType: Delivery Note,Vehicle No,Ajoneuvon nro
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,Ole hyvä ja valitse hinnasto
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Ole hyvä ja valitse hinnasto
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Rivi # {0}: Maksu asiakirja täytettävä trasaction
DocType: Production Order Operation,Work In Progress,Työnalla
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Valitse päivämäärä
DocType: Employee,Holiday List,lomaluettelo
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Kirjanpitäjä
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Kirjanpitäjä
DocType: Cost Center,Stock User,varasto käyttäjä
DocType: Company,Phone No,Puhelinnumero
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Kurssin aikataulut luotu:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Uusi {0}: # {1}
,Sales Partners Commission,myyntikumppanit provisio
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Lyhenne voi olla enintään 5 merkkiä
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Lyhenne voi olla enintään 5 merkkiä
DocType: Payment Request,Payment Request,Maksupyyntö
DocType: Asset,Value After Depreciation,Arvonalennuksen jälkeinen arvo
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,Läsnäolo päivämäärä ei voi olla pienempi kuin työntekijän tuloaan päivämäärä
DocType: Grading Scale,Grading Scale Name,Arvosteluasteikko Name
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Tämä on kantatili eikä sitä voi muokata
+DocType: Sales Invoice,Company Address,yritys osoite
DocType: BOM,Operations,Toiminnot
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},oikeutusta ei voi asettaa alennuksen perusteella {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Liitä .csv-tiedoston, jossa on kaksi saraketta, toinen vanha nimi ja yksi uusi nimi"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ei missään aktiivista verovuonna.
DocType: Packed Item,Parent Detail docname,Pääselostuksen docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Viite: {0}, kohta Koodi: {1} ja Asiakas: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Kg
DocType: Student Log,Log,Loki
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Avaaminen ja työn.
DocType: Item Attribute,Increment,Lisäys
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,mainonta
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Sama yhtiö on merkitty enemmän kuin kerran
DocType: Employee,Married,Naimisissa
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Ei saa {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Ei saa {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Hae nimikkeet
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},varastoa ei voi päivittää lähetettä vastaan {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},varastoa ei voi päivittää lähetettä vastaan {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Tuotteen {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Ei luetellut
DocType: Payment Reconciliation,Reconcile,Yhteensovitus
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Seuraava Poistot Date ei voi olla ennen Ostopäivä
DocType: SMS Center,All Sales Person,kaikki myyjät
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Kuukausijako ** auttaa kausiluonteisen liiketoiminnan budjetoinnissa ja tavoiteasetannassa.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Ei kohdetta löydetty
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Ei kohdetta löydetty
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Palkka rakenne Puuttuvat
DocType: Lead,Person Name,Henkilö
DocType: Sales Invoice Item,Sales Invoice Item,"Myyntilasku, tuote"
DocType: Account,Credit,kredit
DocType: POS Profile,Write Off Cost Center,Poiston kustannuspaikka
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",esimerkiksi "Primary School" tai "University"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",esimerkiksi "Primary School" tai "University"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Perusraportit
DocType: Warehouse,Warehouse Detail,Varaston lisätiedot
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},asiakkaan {0} luottoraja on ylittynyt: {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},asiakkaan {0} luottoraja on ylittynyt: {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Term Päättymispäivä ei voi olla myöhemmin kuin vuosi Päättymispäivä Lukuvuoden johon termiä liittyy (Lukuvuosi {}). Korjaa päivämäärät ja yritä uudelleen.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Is Fixed Asset" ei voi olla valitsematta, koska Asset kirjaa olemassa vasten kohde"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Is Fixed Asset" ei voi olla valitsematta, koska Asset kirjaa olemassa vasten kohde"
DocType: Vehicle Service,Brake Oil,Brake Oil
DocType: Tax Rule,Tax Type,Verotyyppi
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},sinulla ei ole lupaa lisätä tai päivittää kirjauksia ennen {0}
DocType: BOM,Item Image (if not slideshow),tuotekuva (jos diaesitys ei käytössä)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Asiakkaan olemassa samalla nimellä
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tuntihinta / 60) * todellinen käytetty aika
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Valitse BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Valitse BOM
DocType: SMS Log,SMS Log,Tekstiviesti loki
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,toimitettujen tuotteiden kustannukset
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Loma {0} ei ajoitu aloitus- ja lopetuspäivän välille
@@ -159,13 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},alkaen {0} on {1}
DocType: Item,Copy From Item Group,kopioi tuoteryhmästä
DocType: Journal Entry,Opening Entry,Avauskirjaus
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Asiakas> Asiakaspalvelu Group> Territory
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Tilin Pay Only
DocType: Employee Loan,Repay Over Number of Periods,Repay Yli Kausien määrä
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} ei ilmoittautunut tietyn {2}
DocType: Stock Entry,Additional Costs,Lisäkustannukset
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,tilin tapahtumaa ei voi muuntaa ryhmäksi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,tilin tapahtumaa ei voi muuntaa ryhmäksi
DocType: Lead,Product Enquiry,Tavara kysely
DocType: Academic Term,Schools,Koulut
+DocType: School Settings,Validate Batch for Students in Student Group,Vahvista Erä opiskelijoille Student Group
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Ei jätä kirjaa löytynyt työntekijä {0} ja {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Anna yritys ensin
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Ole hyvä ja valitse Company ensin
@@ -174,48 +176,48 @@
DocType: BOM,Total Cost,Kokonaiskustannukset
DocType: Journal Entry Account,Employee Loan,työntekijän Loan
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,aktiivisuus loki:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,Nimikettä {0} ei löydy tai se on vanhentunut
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Nimikettä {0} ei löydy tai se on vanhentunut
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Kiinteistöt
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,tiliote
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Lääketeollisuuden tuotteet
DocType: Purchase Invoice Item,Is Fixed Asset,Onko käyttöomaisuusosakkeet
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Saatavilla Määrä on {0}, sinun {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Saatavilla Määrä on {0}, sinun {1}"
DocType: Expense Claim Detail,Claim Amount,vaatimuksen määrä
-DocType: Employee,Mr,Mr
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Monista asiakasryhmä löytyy cutomer ryhmätaulukkoon
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,toimittaja tyyppi / toimittaja
DocType: Naming Series,Prefix,Etuliite
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,käytettävä
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,käytettävä
DocType: Employee,B-,B -
DocType: Upload Attendance,Import Log,tuo loki
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Vedä materiaali Pyyntö tyypin Valmistus perustuu edellä mainitut kriteerit
DocType: Training Result Employee,Grade,Arvosana
DocType: Sales Invoice Item,Delivered By Supplier,Toimitetaan Toimittaja
DocType: SMS Center,All Contact,kaikki yhteystiedot
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Tuotantotilaus jo luotu kaikille kohteita BOM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,vuosipalkka
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Tuotantotilaus jo luotu kaikille kohteita BOM
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,vuosipalkka
DocType: Daily Work Summary,Daily Work Summary,Päivittäinen työ Yhteenveto
DocType: Period Closing Voucher,Closing Fiscal Year,tilikauden sulkeminen
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} on jäädytetty
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Valitse Olemassa Company luoda tilikartan
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,varaston kulut
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} on jäädytetty
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Valitse Olemassa Company luoda tilikartan
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,varaston kulut
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Valitse Target Varasto
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,Anna Preferred Sähköpostiosoite
+DocType: Program Enrollment,School Bus,Koulubussi
DocType: Journal Entry,Contra Entry,vastakirjaus
DocType: Journal Entry Account,Credit in Company Currency,Luotto Yritys Valuutta
DocType: Delivery Note,Installation Status,Asennuksen tila
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Haluatko päivittää läsnäolo? <br> Present: {0} \ <br> Ei lainkaan: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},hyväksyttyjen + hylättyjen yksikkömäärä on sama kuin tuotteiden vastaanotettu määrä {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},hyväksyttyjen + hylättyjen yksikkömäärä on sama kuin tuotteiden vastaanotettu määrä {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,toimita raaka-aineita ostoon
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,Ainakin yksi maksutavan vaaditaan POS laskun.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,Ainakin yksi maksutavan vaaditaan POS laskun.
DocType: Products Settings,Show Products as a List,Näytä tuotteet listana
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","lataa mallipohja, täytä tarvittavat tiedot ja liitä muokattu tiedosto, kaikki päivämäärä- ja työntekijäyhdistelmät tulee malliin valitun kauden ja olemassaolevien osallistumistietueiden mukaan"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,Nimike {0} ei ole aktiivinen tai sen elinkaari päättynyt
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Esimerkki: Basic Mathematics
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Sisällytä verorivi {0} tuotteen tasoon, verot riveillä {1} tulee myös sisällyttää"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Nimike {0} ei ole aktiivinen tai sen elinkaari päättynyt
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Esimerkki: Basic Mathematics
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Sisällytä verorivi {0} tuotteen tasoon, verot riveillä {1} tulee myös sisällyttää"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Henkilöstömoduulin asetukset
DocType: SMS Center,SMS Center,Tekstiviesti keskus
DocType: Sales Invoice,Change Amount,muutos Määrä
@@ -225,7 +227,7 @@
DocType: Lead,Request Type,pyydä tyyppi
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Tee työntekijä
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,julkaisu
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,suoritus
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,suoritus
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,toteutetuneiden toimien lisätiedot
DocType: Serial No,Maintenance Status,"huolto, tila"
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Toimittaja tarvitaan vastaan maksullisia huomioon {2}
@@ -253,7 +255,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Tarjouspyyntöön pääsee klikkaamalla seuraavaa linkkiä
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,kohdistaa poistumisen vuodelle
DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,riittämätön Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,riittämätön Stock
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,poista kapasiteettisuunnittelu ja aikaseuranta käytöstä
DocType: Email Digest,New Sales Orders,uusi myyntitilaus
DocType: Bank Guarantee,Bank Account,Pankkitili
@@ -264,8 +266,9 @@
DocType: Production Order Operation,Updated via 'Time Log',Päivitetty 'aikaloki' kautta
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Advance määrä ei voi olla suurempi kuin {0} {1}
DocType: Naming Series,Series List for this Transaction,Sarjalistaus tähän tapahtumaan
+DocType: Company,Enable Perpetual Inventory,Ota investointikertymämenetelmän
DocType: Company,Default Payroll Payable Account,Oletus Payroll Maksettava Account
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Päivitys Sähköpostiryhmä
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Päivitys Sähköpostiryhmä
DocType: Sales Invoice,Is Opening Entry,on avauskirjaus
DocType: Customer Group,Mention if non-standard receivable account applicable,maininta ellei sovelletaan saataien perustiliä käytetä
DocType: Course Schedule,Instructor Name,ohjaaja Name
@@ -277,13 +280,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Myyntilaskun kohdistus / nimike
,Production Orders in Progress,Tuotannon tilaukset on käsittelyssä
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Rahoituksen nettokassavirta
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStoragen on täynnä, ei tallentanut"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStoragen on täynnä, ei tallentanut"
DocType: Lead,Address & Contact,osoitteet ja yhteystiedot
DocType: Leave Allocation,Add unused leaves from previous allocations,Lisää käyttämättömät lähtee edellisestä määrärahoista
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},seuraava toistuva {0} tehdään {1}:n
DocType: Sales Partner,Partner website,Kumppanin verkkosivusto
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Lisää tavara
-,Contact Name,"yhteystiedot, nimi"
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,"yhteystiedot, nimi"
DocType: Course Assessment Criteria,Course Assessment Criteria,Kurssin arviointiperusteet
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Tekee palkkalaskelman edellä mainittujen kriteerien mukaan
DocType: POS Customer Group,POS Customer Group,POS Asiakas Group
@@ -292,18 +295,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,ei annettua kuvausta
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Pyydä ostaa.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Tämä perustuu projektin tuntilistoihin
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Nettopalkka ei voi olla pienempi kuin 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Nettopalkka ei voi olla pienempi kuin 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Vain valtuutettu käyttäjä voi hyväksyä tämän poistumissovelluksen
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Työsuhteen päättymisäpäivän on oltava aloituspäivän jälkeen
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Vapaat vuodessa
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Vapaat vuodessa
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"rivi {0}: täppää 'ennakko' kohdistettu tilille {1}, mikäli tämä on ennakkokirjaus"
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Varasto {0} ei kuulu yritykselle {1}
DocType: Email Digest,Profit & Loss,Voitonmenetys
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,litra
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,litra
DocType: Task,Total Costing Amount (via Time Sheet),Yhteensä Costing Määrä (via Time Sheet)
DocType: Item Website Specification,Item Website Specification,Kohteen verkkosivustoasetukset
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,vapaa kielletty
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Nimikeen {0} elinkaari on päättynyt {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Nimikeen {0} elinkaari on päättynyt {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Bank merkinnät
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Vuotuinen
DocType: Stock Reconciliation Item,Stock Reconciliation Item,"varaston täsmäytys, tuote"
@@ -311,9 +314,9 @@
DocType: Material Request Item,Min Order Qty,min tilaus yksikkömäärä
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool Course
DocType: Lead,Do Not Contact,älä ota yhteyttä
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,"Ihmiset, jotka opettavat organisaatiossa"
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,"Ihmiset, jotka opettavat organisaatiossa"
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Uniikki tunnus toistuvan laskutuksen jäljittämiseen muodostetaan lähetettäessä
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Ohjelmistokehittäjä
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Ohjelmistokehittäjä
DocType: Item,Minimum Order Qty,minimi tilaus yksikkömäärä
DocType: Pricing Rule,Supplier Type,toimittajan tyyppi
DocType: Course Scheduling Tool,Course Start Date,Kurssin aloituspäivä
@@ -322,11 +325,11 @@
DocType: Item,Publish in Hub,Julkaista Hub
DocType: Student Admission,Student Admission,Opiskelijavalinta
,Terretory,Alue
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Nimike {0} on peruutettu
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Nimike {0} on peruutettu
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,materiaalipyyntö
DocType: Bank Reconciliation,Update Clearance Date,Päivitä tilityspäivä
DocType: Item,Purchase Details,Oston lisätiedot
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Nimikettä {0} ei löydy ostotilauksen {1} toimitettujen raaka-aineiden taulusta
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Nimikettä {0} ei löydy ostotilauksen {1} toimitettujen raaka-aineiden taulusta
DocType: Employee,Relation,Suhde
DocType: Shipping Rule,Worldwide Shipping,Maailmanlaajuinen Toimitus
DocType: Student Guardian,Mother,Äiti
@@ -345,6 +348,7 @@
DocType: Student Group Student,Student Group Student,Student Group Student
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Viimeisin
DocType: Vehicle Service,Inspection,tarkastus
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Lista
DocType: Email Digest,New Quotations,Uudet tarjoukset
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Sähköpostit palkkakuitin työntekijöiden perustuu ensisijainen sähköposti valittu Työntekijän
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,Luettelon ensimmäinen vapaan hyväksyjä on oletushyväksyjä
@@ -353,20 +357,20 @@
DocType: Asset,Next Depreciation Date,Seuraava poistopäivämäärä
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Aktiviteetti kustannukset työntekijää kohti
DocType: Accounts Settings,Settings for Accounts,Tilien asetukset
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Toimittaja laskun nro olemassa Ostolasku {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Toimittaja laskun nro olemassa Ostolasku {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,hallitse myyjäpuuta
DocType: Job Applicant,Cover Letter,Saatekirje
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Erinomainen Sekkejä ja Talletukset tyhjentää
DocType: Item,Synced With Hub,synkronoi Hub:lla
DocType: Vehicle,Fleet Manager,Fleet Manager
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Rivi # {0}: {1} ei voi olla negatiivinen erä {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Väärä salasana
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Väärä salasana
DocType: Item,Variant Of,Muunnelma kohteesta
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',"valmiit yksikkömäärä ei voi olla suurempi kuin ""tuotannon määrä"""
DocType: Period Closing Voucher,Closing Account Head,tilin otsikon sulkeminen
DocType: Employee,External Work History,ulkoinen työhistoria
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,kiertoviite vihke
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1 Name
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 Name
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"sanat näkyvät, (vienti) kun tallennat lähetteen"
DocType: Cheque Print Template,Distance from left edge,Etäisyys vasemmasta reunasta
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} yksikköä [{1}] (# Form / Kohde / {1}) löytyi [{2}] (# Form / Varasto / {2})
@@ -375,11 +379,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,ilmoita automaattisen materiaalipyynnön luomisesta sähköpostitse
DocType: Journal Entry,Multi Currency,Multi Valuutta
DocType: Payment Reconciliation Invoice,Invoice Type,lasku tyyppi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,lähete
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,lähete
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Verojen perusmääritykset
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Kustannukset Myyty Asset
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,"Maksukirjausta on muutettu siirron jälkeen, siirrä se uudelleen"
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} vero on kirjattu kahdesti
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Maksukirjausta on muutettu siirron jälkeen, siirrä se uudelleen"
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} vero on kirjattu kahdesti
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Yhteenveto tällä viikolla ja keskeneräisten toimien
DocType: Student Applicant,Admitted,Hyväksytty
DocType: Workstation,Rent Cost,vuokrakustannukset
@@ -397,25 +401,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Syötä "Toista päivänä Kuukausi 'kentän arvo
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"taso, jolla asiakkaan valuutta muunnetaan asiakkaan käyttämäksi perusvaluutaksi"
DocType: Course Scheduling Tool,Course Scheduling Tool,Tietenkin ajoitustyökalun
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rivi # {0}: Ostolaskujen ei voi tehdä vastaan olemassaolevan hyödykkeen {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rivi # {0}: Ostolaskujen ei voi tehdä vastaan olemassaolevan hyödykkeen {1}
DocType: Item Tax,Tax Rate,Veroaste
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} on jo myönnetty Työsuhde {1} kauden {2} ja {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Valitse tuote
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Ostolasku {0} on lähetetty
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Ostolasku {0} on lähetetty
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Rivi # {0}: Erä on oltava sama kuin {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,muunna pois ryhmästä
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Nimikkeen eräkoodi
DocType: C-Form Invoice Detail,Invoice Date,laskun päiväys
DocType: GL Entry,Debit Amount,Debit Määrä
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Kohdassa {0} {1} voi olla vain yksi tili per yritys
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,Katso liitetiedosto
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Kohdassa {0} {1} voi olla vain yksi tili per yritys
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,Katso liitetiedosto
DocType: Purchase Order,% Received,% vastaanotettu
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Luo Student Groups
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Määritys on valmis
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Hyvityslaskun summa
,Finished Goods,Valmiit tavarat
DocType: Delivery Note,Instructions,ohjeet
DocType: Quality Inspection,Inspected By,tarkastanut
DocType: Maintenance Visit,Maintenance Type,"huolto, tyyppi"
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} ei ilmoittautunut Course {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Sarjanumero {0} ei kuulu lähetteeseen {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Lisää tuotteet
@@ -436,7 +442,7 @@
DocType: Request for Quotation,Request for Quotation,Tarjouspyyntö
DocType: Salary Slip Timesheet,Working Hours,Työaika
DocType: Naming Series,Change the starting / current sequence number of an existing series.,muuta aloitusta / nykyselle järjestysnumerolle tai olemassa oleville sarjoille
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Luo uusi asiakas
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Luo uusi asiakas
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",mikäli useampi hinnoittelu sääntö jatkaa vaikuttamista käyttäjäjiä pyydetään asettamaan prioriteetti manuaalisesti ristiriidan ratkaisemiseksi
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Luo ostotilaukset
,Purchase Register,Osto Rekisteröidy
@@ -448,7 +454,7 @@
DocType: Student Log,Medical,Lääketieteellinen
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Häviön syy
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Liidin vastuullinen ei voi olla sama kuin itse liidi
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,Jaettava määrä ei voi ylittää oikaisematon määrä
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,Jaettava määrä ei voi ylittää oikaisematon määrä
DocType: Announcement,Receiver,Vastaanotin
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Työasema on suljettu seuraavina päivinä lomapäivien {0} mukaan
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Mahdollisuudet
@@ -462,8 +468,7 @@
DocType: Assessment Plan,Examiner Name,Tutkijan Name
DocType: Purchase Invoice Item,Quantity and Rate,Määrä ja hinta
DocType: Delivery Note,% Installed,% asennettu
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,"Luokkahuoneet / Laboratories, johon käytetään luentoja voidaan ajoittaa."
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Toimittaja> toimittaja tyyppi
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Luokkahuoneet / Laboratories, johon käytetään luentoja voidaan ajoittaa."
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Anna yrityksen nimi ensin
DocType: Purchase Invoice,Supplier Name,toimittajan nimi
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Lue ERPNext Manual
@@ -473,7 +478,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,tarkista toimittajan laskunumeron yksilöllisyys
DocType: Vehicle Service,Oil Change,Öljynvaihto
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','Aloitustapahtumanumero' ei voi olla pienempi 'Päättymistapahtumanumero'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,nettotulos
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,nettotulos
DocType: Production Order,Not Started,Ei aloitettu
DocType: Lead,Channel Partner,välityskumppani
DocType: Account,Old Parent,Vanha Parent
@@ -483,19 +488,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,yleiset asetukset valmistusprosesseille
DocType: Accounts Settings,Accounts Frozen Upto,tilit jäädytetty toistaiseksi / asti
DocType: SMS Log,Sent On,lähetetty
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Taito {0} valittu useita kertoja määritteet taulukossa
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Taito {0} valittu useita kertoja määritteet taulukossa
DocType: HR Settings,Employee record is created using selected field. ,työntekijä tietue luodaan käyttämällä valittua kenttää
DocType: Sales Order,Not Applicable,ei sovellettu
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,lomien valvonta
DocType: Request for Quotation Item,Required Date,pyydetty päivä
DocType: Delivery Note,Billing Address,Laskutusosoite
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Syötä tuotekoodi
DocType: BOM,Costing,kustannuslaskenta
DocType: Tax Rule,Billing County,Laskutus lääni
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount",täpättäessä veron arvomäärää pidetään jo sisällettynä tulostetasoon / tulostemäärään
DocType: Request for Quotation,Message for Supplier,Viesti toimittaja
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,yksikkömäärä yhteensä
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 -sähköpostitunnus
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 -sähköpostitunnus
DocType: Item,Show in Website (Variant),Näytä Web-sivuston (Variant)
DocType: Employee,Health Concerns,"terveys, huolenaiheet"
DocType: Process Payroll,Select Payroll Period,Valitse Payroll Aika
@@ -513,25 +517,27 @@
DocType: Sales Order Item,Used for Production Plan,Käytetään tuotannon suunnittelussa
DocType: Employee Loan,Total Payment,Koko maksu
DocType: Manufacturing Settings,Time Between Operations (in mins),Toimintojen välinen aika (minuuteissa)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} on peruutettu, joten toiminta ei voi suorittaa"
DocType: Customer,Buyer of Goods and Services.,tavaroiden ja palvelujen ostaja
DocType: Journal Entry,Accounts Payable,maksettava tilit
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Valitut materiaaliluettelot eivät koske samaa kohdetta
DocType: Pricing Rule,Valid Upto,Voimassa asti
DocType: Training Event,Workshop,työpaja
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Luettele muutamia asiakkaitasi. Asiakkaat voivat olla organisaatioita tai yksilöitä.
-,Enough Parts to Build,Tarpeeksi osat rakentaa
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,suorat tulot
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Luettele muutamia asiakkaitasi. Asiakkaat voivat olla organisaatioita tai yksilöitä.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Tarpeeksi osat rakentaa
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,suorat tulot
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account",ei voi suodattaa tileittäin mkäli ryhmitelty tileittäin
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,hallintovirkailija
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Valitse kurssi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,hallintovirkailija
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Valitse kurssi
DocType: Timesheet Detail,Hrs,hrs
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Ole hyvä ja valitse Company
DocType: Stock Entry Detail,Difference Account,erotili
+DocType: Purchase Invoice,Supplier GSTIN,Toimittaja GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,"ei voi sulkea sillä se on toisesta riippuvainen tehtävä {0}, tehtävää ei ole suljettu"
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,syötä varasto jonne materiaalipyyntö ohjataan
DocType: Production Order,Additional Operating Cost,lisätoimintokustannukset
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,kosmetiikka
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items",Seuraavat ominaisuudet tulee olla samat molemmilla tuotteilla jotta ne voi sulauttaa
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items",Seuraavat ominaisuudet tulee olla samat molemmilla tuotteilla jotta ne voi sulauttaa
DocType: Shipping Rule,Net Weight,Nettopaino
DocType: Employee,Emergency Phone,hätänumero
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Ostaa
@@ -540,14 +546,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Tarkentakaa arvosana Threshold 0%
DocType: Sales Order,To Deliver,Toimitukseen
DocType: Purchase Invoice Item,Item,Nimike
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Sarjanumero tuote ei voi olla jae
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Sarjanumero tuote ei voi olla jae
DocType: Journal Entry,Difference (Dr - Cr),erotus (€ - TV)
DocType: Account,Profit and Loss,Tuloslaskelma
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Alihankintojen hallinta
DocType: Project,Project will be accessible on the website to these users,Projekti on näiden käyttäjien nähtävissä www-sivustolla
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,"taso, jolla hinnasto valuutta muunnetaan yrityksen käyttämäksi perusvaluutaksi"
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},tili {0} ei kuulu yritykselle: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Lyhenne on käytössä toisella yrityksellä
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},tili {0} ei kuulu yritykselle: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Lyhenne on käytössä toisella yrityksellä
DocType: Selling Settings,Default Customer Group,Oletusasiakasryhmä
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction",mikäli 'pyöristys yhteensä' kenttä on poistettu käytöstä se ei näy missään tapahtumassa
DocType: BOM,Operating Cost,Käyttökustannus
@@ -555,7 +561,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Lisäys voi olla 0
DocType: Production Planning Tool,Material Requirement,materiaalitarve
DocType: Company,Delete Company Transactions,poista yrityksen tapahtumia
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Viitenumero ja viitepäivämäärä on pakollinen Pankin myynnin
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Viitenumero ja viitepäivämäärä on pakollinen Pankin myynnin
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Lisää / muokkaa veroja ja maksuja
DocType: Purchase Invoice,Supplier Invoice No,toimittajan laskun nro
DocType: Territory,For reference,viitteeseen
@@ -566,22 +572,22 @@
DocType: Installation Note Item,Installation Note Item,asennus huomautus tuote
DocType: Production Plan Item,Pending Qty,Odottaa Kpl
DocType: Budget,Ignore,ohita
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} ei ole aktiivinen
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} ei ole aktiivinen
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},Tekstiviesti lähetetään seuraaviin numeroihin: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,Setup tarkistaa mitat tulostettavaksi
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Setup tarkistaa mitat tulostettavaksi
DocType: Salary Slip,Salary Slip Timesheet,Tuntilomake
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,toimittajan varasto pakollinen alihankinnan ostokuittin
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,toimittajan varasto pakollinen alihankinnan ostokuittin
DocType: Pricing Rule,Valid From,Voimassa alkaen
DocType: Sales Invoice,Total Commission,Provisio yhteensä
DocType: Pricing Rule,Sales Partner,Myyntikumppani
DocType: Buying Settings,Purchase Receipt Required,Ostokuitti vaaditaan
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,"Arvostustaso on pakollinen, jos avausvarasto on merkitty"
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,"Arvostustaso on pakollinen, jos avausvarasto on merkitty"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,tietuetta ei löydy laskutaulukosta
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Valitse ensin yritys ja osapuoli tyyppi
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Tili- / Kirjanpitokausi
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Tili- / Kirjanpitokausi
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,kertyneet Arvot
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged",Sarjanumeroita ei voi yhdistää
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,tee myyntitilaus
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,tee myyntitilaus
DocType: Project Task,Project Task,Projekti Tehtävä
,Lead Id,Liidin tunnus
DocType: C-Form Invoice Detail,Grand Total,kokonaissumma
@@ -598,7 +604,7 @@
DocType: Job Applicant,Resume Attachment,Resume'n liite
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Toistuvat asiakkaat
DocType: Leave Control Panel,Allocate,Jakaa
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Myynti Return
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Myynti Return
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Huomautus: Total varattu lehdet {0} ei saa olla pienempi kuin jo hyväksytty lehdet {1} kaudeksi
DocType: Announcement,Posted By,Lähettänyt
DocType: Item,Delivered by Supplier (Drop Ship),Toimittaja lähettää asiakkaalle (ns. suoratoimitus)
@@ -608,8 +614,8 @@
DocType: Quotation,Quotation To,Tarjouksen kohde
DocType: Lead,Middle Income,keskitason tulo
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Opening (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Oletus mittayksikkö Tuote {0} ei voi muuttaa suoraan, koska olet jo tehnyt joitakin tapahtuma (s) toisen UOM. Sinun täytyy luoda uusi Tuote käyttää eri Default UOM."
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,kohdennettu määrä ei voi olla negatiivinen
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Oletus mittayksikkö Tuote {0} ei voi muuttaa suoraan, koska olet jo tehnyt joitakin tapahtuma (s) toisen UOM. Sinun täytyy luoda uusi Tuote käyttää eri Default UOM."
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,kohdennettu määrä ei voi olla negatiivinen
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Aseta Yhtiö
DocType: Purchase Order Item,Billed Amt,"Laskutettu, pankkipääte"
DocType: Training Result Employee,Training Result Employee,Harjoitustulos Työntekijä
@@ -621,7 +627,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Valitse Maksutili tehdä Bank Entry
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Luo Työntekijä kirjaa hallita lehtiä, korvaushakemukset ja palkkahallinnon"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Lisää Knowledge Base
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Ehdotus Kirjoittaminen
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Ehdotus Kirjoittaminen
DocType: Payment Entry Deduction,Payment Entry Deduction,Payment Entry Vähennys
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,toinen myyjä {0} on jo olemassa samalla työntekijä tunnuksella
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Jos tämä on valittu, raaka-aineiden kohteita, jotka ovat alihankintaa sisällytetään Materiaaliin pyynnöt"
@@ -635,7 +641,7 @@
DocType: Timesheet,Billed,Laskutetaan
DocType: Batch,Batch Description,Erän kuvaus
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Luominen opiskelijaryhmät
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Payment Gateway Tili ei ole luotu, luo yksi käsin."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Payment Gateway Tili ei ole luotu, luo yksi käsin."
DocType: Sales Invoice,Sales Taxes and Charges,Myynnin verot ja maksut
DocType: Employee,Organization Profile,Organisaatio Profile
DocType: Student,Sibling Details,Sisarus tiedot
@@ -657,11 +663,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Nettomuutos Inventory
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Työntekijän Loan Management
DocType: Employee,Passport Number,Passin numero
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Suhde Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Hallinta
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Suhde Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Hallinta
DocType: Payment Entry,Payment From / To,Maksaminen / To
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Uusi luottoraja on pienempi kuin nykyinen jäljellä asiakkaalle. Luottoraja on oltava atleast {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Sama tuote on syötetty monta kertaa
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Uusi luottoraja on pienempi kuin nykyinen jäljellä asiakkaalle. Luottoraja on oltava atleast {0}
DocType: SMS Settings,Receiver Parameter,Vastaanottoparametri
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'perustaja' ja 'ryhmä' ei voi olla samat
DocType: Sales Person,Sales Person Targets,Myyjän tavoitteet
@@ -670,8 +675,9 @@
DocType: Issue,Resolution Date,johtopäätös päivä
DocType: Student Batch Name,Batch Name,erä Name
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Tuntilomake luotu:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},Valitse oletusmaksutapa kassa- tai pankkitili maksulle {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Valitse oletusmaksutapa kassa- tai pankkitili maksulle {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,kirjoittautua
+DocType: GST Settings,GST Settings,GST Asetukset
DocType: Selling Settings,Customer Naming By,asiakkaan nimennyt
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Näyttää opiskelijan Läsnä Student Kuukauden Läsnäolo Report
DocType: Depreciation Schedule,Depreciation Amount,Poistot Määrä
@@ -693,6 +699,7 @@
DocType: Item,Material Transfer,materiaalisiirto
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Perustaminen (€)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Kirjoittamisen aikaleima on sen jälkeen {0}
+,GST Itemised Purchase Register,GST Eritelty Osto Register
DocType: Employee Loan,Total Interest Payable,Koko Korkokulut
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Kohdistuneet kustannukset verot ja maksut
DocType: Production Order Operation,Actual Start Time,todellinen aloitusaika
@@ -719,10 +726,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
DocType: Account,Accounts,Tilit
DocType: Vehicle,Odometer Value (Last),Matkamittarin lukema (Last)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Markkinointi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Markkinointi
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Maksu käyttö on jo luotu
DocType: Purchase Receipt Item Supplied,Current Stock,nykyinen varasto
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Rivi # {0}: Asset {1} ei liity Tuote {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Rivi # {0}: Asset {1} ei liity Tuote {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Preview Palkka Slip
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Tili {0} on syötetty useita kertoja
DocType: Account,Expenses Included In Valuation,"kulut, jotka sisältyy arvoon"
@@ -730,7 +737,7 @@
,Absent Student Report,Absent Student Report
DocType: Email Digest,Next email will be sent on:,Seuraava sähköpostiviesti lähetetään:
DocType: Offer Letter Term,Offer Letter Term,Työtarjouksen ehto
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,tuotteella on useampia malleja
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,tuotteella on useampia malleja
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Nimikettä {0} ei löydy
DocType: Bin,Stock Value,varastoarvo
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Yritys {0} ei ole olemassa
@@ -739,7 +746,7 @@
DocType: Serial No,Warranty Expiry Date,Takuu umpeutumispäivä
DocType: Material Request Item,Quantity and Warehouse,Määrä ja Warehouse
DocType: Sales Invoice,Commission Rate (%),provisio (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Valitse ohjelma
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Valitse ohjelma
DocType: Project,Estimated Cost,Kustannusarvio
DocType: Purchase Order,Link to material requests,Linkki materiaaliin pyyntöihin
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,ilmakehä
@@ -753,14 +760,14 @@
DocType: Purchase Order,Supply Raw Materials,toimita raaka-aineita
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,Laskun luontipäivä muodostuu lähettäessä
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,lyhytaikaiset vastaavat
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} ei ole varastonimike
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} ei ole varastonimike
DocType: Mode of Payment Account,Default Account,oletustili
DocType: Payment Entry,Received Amount (Company Currency),Vastaanotetut Summa (Company valuutta)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,"Liidi on pakollinen tieto, jos myyntimahdollisuus on muodostettu liidistä"
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,Ole hyvä ja valitse viikoittain off päivä
DocType: Production Order Operation,Planned End Time,Suunniteltu päättymisaika
,Sales Person Target Variance Item Group-Wise,"Tuoteryhmä työkalu, myyjä ja vaihtelu tavoite"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,tilin tapahtumaa ei voi muuttaa tilikirjaksi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,tilin tapahtumaa ei voi muuttaa tilikirjaksi
DocType: Delivery Note,Customer's Purchase Order No,asiakkaan ostotilaus numero
DocType: Budget,Budget Against,Budget Against
DocType: Employee,Cell Number,solunumero
@@ -772,15 +779,13 @@
DocType: Opportunity,Opportunity From,tilaisuuteen
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,kuukausipalkka tosite
DocType: BOM,Website Specifications,Verkkosivuston tiedot
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Ole hyvä setup numerointi sarjan läsnäolevaksi Setup> numerointi Series
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: valitse {0} tyypistä {1}
DocType: Warranty Claim,CI-,Cl
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Rivi {0}: Conversion Factor on pakollista
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Rivi {0}: Conversion Factor on pakollista
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Useita Hinta Säännöt ovat olemassa samoja kriteereitä, ota ratkaista konflikti antamalla prioriteetti. Hinta Säännöt: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,BOM:ia ei voi poistaa tai peruuttaa sillä muita BOM:ja on linkitettynä siihen
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Useita Hinta Säännöt ovat olemassa samoja kriteereitä, ota ratkaista konflikti antamalla prioriteetti. Hinta Säännöt: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,BOM:ia ei voi poistaa tai peruuttaa sillä muita BOM:ja on linkitettynä siihen
DocType: Opportunity,Maintenance,huolto
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Ostokuitin numero vaaditaan tuotteelle {0}
DocType: Item Attribute Value,Item Attribute Value,"tuotetuntomerkki, arvo"
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Myynnin kampanjat
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Luo tuntilomake
@@ -813,29 +818,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Asset romutetaan kautta Päiväkirjakirjaus {0}
DocType: Employee Loan,Interest Income Account,Korkotuotot Account
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Biotekniikka
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Toimitilan huoltokulut
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Toimitilan huoltokulut
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Määrittäminen Sähköpostitilin
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Anna Kohta ensin
DocType: Account,Liability,vastattavat
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanktioitujen arvomäärä ei voi olla suurempi kuin vaatimuksien arvomäärä rivillä {0}.
DocType: Company,Default Cost of Goods Sold Account,oletus myytyjen tuotteiden arvo tili
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Hinnasto ei valittu
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Hinnasto ei valittu
DocType: Employee,Family Background,Perhetausta
DocType: Request for Quotation Supplier,Send Email,Lähetä sähköposti
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Varoitus: Virheellinen liite {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Varoitus: Virheellinen liite {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Ei oikeuksia
DocType: Company,Default Bank Account,oletus pankkitili
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",Valitse osapuoli tyyppi saadaksesi osapuolen mukaisen suodatuksen
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"'Päivitä varasto' ei voida käyttää tuotteille, joita ei ole toimitettu {0} kautta"
DocType: Vehicle,Acquisition Date,Hankintapäivä
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Nos
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Nos
DocType: Item,Items with higher weightage will be shown higher,tuotteet joilla on korkeampi painoarvo nätetään ylempänä
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,pankin täsmäytys lisätiedot
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Rivi # {0}: Asset {1} on esitettävä
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Rivi # {0}: Asset {1} on esitettävä
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Yhtään työntekijää ei löytynyt
DocType: Supplier Quotation,Stopped,pysäytetty
DocType: Item,If subcontracted to a vendor,alihankinta toimittajalle
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Opiskelijaryhmän on jo päivitetty.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Opiskelijaryhmän on jo päivitetty.
DocType: SMS Center,All Customer Contact,kaikki asiakkaan yhteystiedot
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Tuo varastotase .csv-tiedoston kautta
DocType: Warehouse,Tree Details,Tree Tietoja
@@ -847,13 +852,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Kustannuspaikka {2} ei kuulu yhtiön {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Tili {2} ei voi olla ryhmä
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Kohta Rivi {idx}: {DOCTYPE} {DOCNAME} ei ole olemassa edellä {DOCTYPE} table
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Tuntilomake {0} on jo täytetty tai peruttu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Tuntilomake {0} on jo täytetty tai peruttu
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ei tehtäviä
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Kuukauden päivä jolloin automaattinen lasku muodostetaan, esim 05, 28 jne"
DocType: Asset,Opening Accumulated Depreciation,Avaaminen Kertyneet poistot
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Pisteet on oltava pienempi tai yhtä suuri kuin 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Ohjelma Ilmoittautuminen Tool
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,C-muoto tietue
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C-muoto tietue
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,asiakas ja toimittaja
DocType: Email Digest,Email Digest Settings,sähköpostitiedotteen asetukset
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Kiitos liiketoimintaa!
@@ -863,17 +868,19 @@
DocType: Bin,Moving Average Rate,liukuva keskiarvo taso
DocType: Production Planning Tool,Select Items,Valitse tuotteet
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} kuittia vastaan {1} päivätty {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Ajoneuvo / bussi numero
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,kurssin aikataulu
DocType: Maintenance Visit,Completion Status,katselmus tila
DocType: HR Settings,Enter retirement age in years,Anna eläkeikä vuosina
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Tavoite varasto
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Valitse varasto
DocType: Cheque Print Template,Starting location from left edge,Alkaen sijainti vasemmasta reunasta
DocType: Item,Allow over delivery or receipt upto this percent,Salli yli toimitus- tai kuitti lähetettävään tähän prosenttia
DocType: Stock Entry,STE-,Stefan
DocType: Upload Attendance,Import Attendance,tuo osallistuminen
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Kaikki nimikeryhmät
DocType: Process Payroll,Activity Log,aktiivisuus loki
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,netto voitto/tappio
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,netto voitto/tappio
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,muodosta automaattinen viesti toiminnon lähetyksessä
DocType: Production Order,Item To Manufacture,tuote valmistukseen
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} tila on {2}
@@ -882,16 +889,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Ostotilaus to Payment
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Ennustettu yksikkömäärä
DocType: Sales Invoice,Payment Due Date,Maksun eräpäivä
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Tuote Variant {0} on jo olemassa samoja ominaisuuksia
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Tuote Variant {0} on jo olemassa samoja ominaisuuksia
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','Avattu'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Avaa tehtävä
DocType: Notification Control,Delivery Note Message,lähetteen vieti
DocType: Expense Claim,Expenses,kulut
+,Support Hours,tukiajat
DocType: Item Variant Attribute,Item Variant Attribute,Tuote Variant Taito
,Purchase Receipt Trends,Ostokuittitrendit
DocType: Process Payroll,Bimonthly,Kahdesti kuussa
DocType: Vehicle Service,Brake Pad,Jarrupala
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Tutkimus ja kehitys
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Tutkimus ja kehitys
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,laskutettava
DocType: Company,Registration Details,rekisteröinnin lisätiedot
DocType: Timesheet,Total Billed Amount,Yhteensä Laskutetut Määrä
@@ -904,12 +912,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Hanki vain raaka-aineet
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Arviointikertomusta.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","""Käytä ostoskorille"" otettu käyttöön: Ostoskoritoiminto on käytössä ja ostoskorille tulisi olla ainakin yksi määritelty veroasetus."
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Maksu Entry {0} on liitetty vastaan Order {1}, tarkistaa, jos se tulee vetää kuin etukäteen tässä laskussa."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Maksu Entry {0} on liitetty vastaan Order {1}, tarkistaa, jos se tulee vetää kuin etukäteen tässä laskussa."
DocType: Sales Invoice Item,Stock Details,Varastossa Tiedot
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Projekti Arvo
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Point-of-Sale
DocType: Vehicle Log,Odometer Reading,matkamittarin lukema
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Tilin tase on jo kredit, syötetyn arvon tulee olla 'tasapainossa' eli 'debet'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Tilin tase on jo kredit, syötetyn arvon tulee olla 'tasapainossa' eli 'debet'"
DocType: Account,Balance must be,taseen on oltava
DocType: Hub Settings,Publish Pricing,Julkaise Hinnoittelu
DocType: Notification Control,Expense Claim Rejected Message,viesti kuluvaatimuksen hylkäämisestä
@@ -919,7 +927,7 @@
DocType: Salary Slip,Working Days,Työpäivät
DocType: Serial No,Incoming Rate,saapuva taso
DocType: Packing Slip,Gross Weight,bruttopaino
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,"Yrityksen nimi, jolle olet luomassa tätä järjestelmää"
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,"Yrityksen nimi, jolle olet luomassa tätä järjestelmää"
DocType: HR Settings,Include holidays in Total no. of Working Days,"sisältää vapaapäiviä, työpäiviä yhteensä"
DocType: Job Applicant,Hold,pidä
DocType: Employee,Date of Joining,liittymispäivä
@@ -930,20 +938,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Ostokuitti
,Received Items To Be Billed,Saivat kohteet laskuttamat
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Lähettäjä palkkakuitit
-DocType: Employee,Ms,Ms
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,valuuttataso valvonta
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Viitetyypin tulee olla yksi seuraavista: {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,valuuttataso valvonta
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Viitetyypin tulee olla yksi seuraavista: {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Aika-aukkoa ei löydy seuraavaan {0} päivän toiminnolle {1}
DocType: Production Order,Plan material for sub-assemblies,Suunnittele materiaalit alituotantoon
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Myynnin Partners ja Territory
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,Ei voi automaattisesti luoda tiliä kuin on jo varastossa tilin saldo. On luotava vastaavia huomioon ennen voit tehdä merkintä tämän varaston
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} tulee olla aktiivinen
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} tulee olla aktiivinen
DocType: Journal Entry,Depreciation Entry,Poistot Entry
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Valitse ensin asiakirjan tyyppi
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,peruuta materiaalikäynti {0} ennen peruutat huoltokäynnin
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Sarjanumero {0} ei kuulu tuotteelle {1}
DocType: Purchase Receipt Item Supplied,Required Qty,vaadittu yksikkömäärä
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Varastoissa nykyisten tapahtumaa ei voida muuntaa kirjanpitoon.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Varastoissa nykyisten tapahtumaa ei voida muuntaa kirjanpitoon.
DocType: Bank Reconciliation,Total Amount,Yhteensä
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,internet julkaisu
DocType: Production Planning Tool,Production Orders,Tuotannon tilaukset
@@ -958,25 +964,26 @@
DocType: Fee Structure,Components,komponentit
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Syötä Asset Luokka momentille {0}
DocType: Quality Inspection Reading,Reading 6,Lukema 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Ei voi {0} {1} {2} ilman negatiivista maksamatta laskun
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Ei voi {0} {1} {2} ilman negatiivista maksamatta laskun
DocType: Purchase Invoice Advance,Purchase Invoice Advance,"Ostolasku, edistynyt"
DocType: Hub Settings,Sync Now,synkronoi nyt
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},rivi {0}: kredit kirjausta ei voi kohdistaa {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Määritä budjetti varainhoitovuoden.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Määritä budjetti varainhoitovuoden.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"oletuspankki / rahatililleen päivittyy automaattisesti POS laskussa, kun tila on valittuna"
DocType: Lead,LEAD-,VIHJE-
DocType: Employee,Permanent Address Is,Pysyvä osoite on
DocType: Production Order Operation,Operation completed for how many finished goods?,Kuinka montaa valmista tavaraa toiminnon suorituksen valmistuminen koskee?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,Brändi
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Brändi
DocType: Employee,Exit Interview Details,poistu haastattelun lisätiedoista
DocType: Item,Is Purchase Item,on ostotuote
DocType: Asset,Purchase Invoice,Ostolasku
DocType: Stock Ledger Entry,Voucher Detail No,Tosite lisätiedot nro
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Uusi myyntilasku
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Uusi myyntilasku
DocType: Stock Entry,Total Outgoing Value,"kokonaisarvo, lähtevä"
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Aukiolopäivä ja Päättymisaika olisi oltava sama Tilikausi
DocType: Lead,Request for Information,tietopyyntö
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Synkronointi Offline Laskut
+,LeaderBoard,leaderboard
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Synkronointi Offline Laskut
DocType: Payment Request,Paid,Maksettu
DocType: Program Fee,Program Fee,Program Fee
DocType: Salary Slip,Total in words,Sanat yhteensä
@@ -985,13 +992,13 @@
DocType: Cheque Print Template,Has Print Format,On Print Format
DocType: Employee Loan,Sanctioned,seuraamuksia
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,on pakollinen. Valuutanvaihtotietue on mahdollisesti luomatta
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Rivi # {0}: Ilmoittakaa Sarjanumero alamomentin {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","tuotteet 'tavarakokonaisuudessa' varasto, sarjanumero ja eränumero pidetään olevan samasta 'pakkausluettelosta' taulukossa, mikäli sarja- ja eränumero on sama kaikille tuotteille tai 'tuotekokonaisuus' tuotteelle, (arvoja voi kirjata tuotteen päätaulukossa), arvot kopioidaan 'pakkausluettelo' taulukkoon"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Rivi # {0}: Ilmoittakaa Sarjanumero alamomentin {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","tuotteet 'tavarakokonaisuudessa' varasto, sarjanumero ja eränumero pidetään olevan samasta 'pakkausluettelosta' taulukossa, mikäli sarja- ja eränumero on sama kaikille tuotteille tai 'tuotekokonaisuus' tuotteelle, (arvoja voi kirjata tuotteen päätaulukossa), arvot kopioidaan 'pakkausluettelo' taulukkoon"
DocType: Job Opening,Publish on website,Julkaise verkkosivusto
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Toimitukset asiakkaille
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Toimittaja Laskun päiväys ei voi olla suurempi kuin julkaisupäivämäärä
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Toimittaja Laskun päiväys ei voi olla suurempi kuin julkaisupäivämäärä
DocType: Purchase Invoice Item,Purchase Order Item,Ostotilaus Kohde
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,välilliset tulot
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,välilliset tulot
DocType: Student Attendance Tool,Student Attendance Tool,Student Läsnäolo Tool
DocType: Cheque Print Template,Date Settings,date Settings
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Vaihtelu
@@ -1009,20 +1016,20 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,kemiallinen
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Oletus Bank / rahatililleen automaattisesti päivitetään Palkka Päiväkirjakirjaus kun tämä tila on valittuna.
DocType: BOM,Raw Material Cost(Company Currency),Raaka-ainekustannukset (Company valuutta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,kaikki tavarat on jo siirretty tuotantotilaukseen
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,kaikki tavarat on jo siirretty tuotantotilaukseen
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Rivi # {0}: Luokitus ei voi olla suurempi kuin määrä käyttää {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,metri
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,metri
DocType: Workstation,Electricity Cost,sähkön kustannukset
DocType: HR Settings,Don't send Employee Birthday Reminders,älä lähetä työntekijälle syntymäpäivämuistutuksia
DocType: Item,Inspection Criteria,tarkastuskriteerit
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,siirretty
DocType: BOM Website Item,BOM Website Item,BOM-sivuston Kohta
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Tuo kirjeen ylätunniste ja logo. (voit muokata niitä myöhemmin)
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Tuo kirjeen ylätunniste ja logo. (voit muokata niitä myöhemmin)
DocType: Timesheet Detail,Bill,Laskuttaa
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Seuraavaksi Poistot Date kirjataan ohi päivämäärä
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Valkoinen
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Valkoinen
DocType: SMS Center,All Lead (Open),Kaikki Liidit (Avoimet)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rivi {0}: Määrä ei saatavilla {4} varasto {1} klo lähettämistä tullessa ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rivi {0}: Määrä ei saatavilla {4} varasto {1} klo lähettämistä tullessa ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,hae maksetut ennakot
DocType: Item,Automatically Create New Batch,Automaattisesti Luo uusi erä
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,Tehdä
@@ -1032,13 +1039,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Ostoskori
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Tilaustyypin pitää olla jokin seuraavista '{0}'
DocType: Lead,Next Contact Date,seuraava yhteydenottopvä
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Avaus yksikkömäärä
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,Anna Account for Change Summa
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Avaus yksikkömäärä
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,Anna Account for Change Summa
DocType: Student Batch Name,Student Batch Name,Opiskelijan Erä Name
DocType: Holiday List,Holiday List Name,lomaluettelo nimi
DocType: Repayment Schedule,Balance Loan Amount,Balance Lainamäärä
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Aikataulu kurssi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,"varasto, vaihtoehdot"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,"varasto, vaihtoehdot"
DocType: Journal Entry Account,Expense Claim,Kulukorvaukset
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Haluatko todella palauttaa tämän romuttaa etu?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Yksikkömäärään {0}
@@ -1050,12 +1057,12 @@
DocType: Company,Default Terms,oletus ehdot
DocType: Packing Slip Item,Packing Slip Item,"Pakkauslappu, tuote"
DocType: Purchase Invoice,Cash/Bank Account,kassa- / pankkitili
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Määritä {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Määritä {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Poistettu kohteita ei muutu määrän tai arvon.
DocType: Delivery Note,Delivery To,Toimitus vastaanottajalle
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Taito pöytä on pakollinen
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Taito pöytä on pakollinen
DocType: Production Planning Tool,Get Sales Orders,hae myyntitilaukset
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} ei voi olla negatiivinen
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} ei voi olla negatiivinen
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,alennus
DocType: Asset,Total Number of Depreciations,Poistojen kokonaismäärä
DocType: Sales Invoice Item,Rate With Margin,Hinta kanssa marginaali
@@ -1075,7 +1082,6 @@
DocType: Serial No,Creation Document No,asiakirjan luonti nro
DocType: Issue,Issue,aihe
DocType: Asset,Scrapped,Romutettu
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Tili ei vastaa Yritystä
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","määritä tuotemallien tuntomerkit, kuten koko, väri jne."
DocType: Purchase Invoice,Returns,Palautukset
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,KET-varasto
@@ -1087,12 +1093,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,"tuote tulee lisätä ""hae kohteita ostokuitit"" painikella"
DocType: Employee,A-,A -
DocType: Production Planning Tool,Include non-stock items,Ovat ei-varastosta löytyvät
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Myynnin kulut
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Myynnin kulut
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,perusostaminen
DocType: GL Entry,Against,kohdistus
DocType: Item,Default Selling Cost Center,myyntien oletuskustannuspaikka
DocType: Sales Partner,Implementation Partner,sovelluskumppani
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Postinumero
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Postinumero
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Myyntitilaus {0} on {1}
DocType: Opportunity,Contact Info,"yhteystiedot, info"
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Varastotapahtumien tekeminen
@@ -1105,31 +1111,31 @@
DocType: Holiday List,Get Weekly Off Dates,hae viikottaiset poissa päivät
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,päättymispäivä ei voi olla ennen aloituspäivää
DocType: Sales Person,Select company name first.,Valitse yrityksen nimi ensin.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Tri
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Toimittajilta saadut tarjoukset.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Vastaanottajalle {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Keskimääräinen ikä
DocType: School Settings,Attendance Freeze Date,Läsnäolo Freeze Date
DocType: Opportunity,Your sales person who will contact the customer in future,Myyjä joka ottaa jatkossa yhteyttä asiakkaaseen
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Luettele joitain toimittajiasi. Ne voivat olla organisaatioita tai yksilöitä.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Luettele joitain toimittajiasi. Ne voivat olla organisaatioita tai yksilöitä.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Kaikki tuotteet
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Pienin Lyijy ikä (päivää)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,kaikki BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,kaikki BOMs
DocType: Company,Default Currency,Oletusvaluutta
DocType: Expense Claim,From Employee,työntekijästä
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Varoitus: Järjestelmä ei tarkista liikalaskutusta koska tuotteen {0} määrä kohdassa {1} on nolla
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Varoitus: Järjestelmä ei tarkista liikalaskutusta koska tuotteen {0} määrä kohdassa {1} on nolla
DocType: Journal Entry,Make Difference Entry,tee erokirjaus
DocType: Upload Attendance,Attendance From Date,osallistuminen päivästä
DocType: Appraisal Template Goal,Key Performance Area,Key Performance Area
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,kuljetus
+DocType: Program Enrollment,Transportation,kuljetus
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Virheellinen Taito
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} on esitettävä
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} on esitettävä
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Määrä on oltava pienempi tai yhtä suuri kuin {0}
DocType: SMS Center,Total Characters,Henkilöt yhteensä
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Valitse BOM tuotteelle BOM kentästä {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Valitse BOM tuotteelle BOM kentästä {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-muoto laskutus lisätiedot
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Maksun täsmäytys laskuun
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,panostus %
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Kuten kohti ostaminen asetukset jos Ostotilauksessa Pakollinen == KYLLÄ, sitten luoda Ostolasku, käyttäjän täytyy luoda ostotilaus ensin kohteen {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Esim. yrityksen rekisterinumero, veronumero, yms."
DocType: Sales Partner,Distributor,jakelija
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ostoskorin toimitussääntö
@@ -1138,23 +1144,25 @@
,Ordered Items To Be Billed,tilatut laskutettavat tuotteet
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Vuodesta Range on oltava vähemmän kuin laitumelle
DocType: Global Defaults,Global Defaults,yleiset oletusasetukset
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Project Collaboration Kutsu
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Project Collaboration Kutsu
DocType: Salary Slip,Deductions,vähennykset
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Start Year
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},Ensimmäiset 2 numeroa GSTIN tulee vastata valtion numero {0}
DocType: Purchase Invoice,Start date of current invoice's period,aloituspäivä nykyiselle laskutuskaudelle
DocType: Salary Slip,Leave Without Pay,Palkaton vapaa
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,kapasiteetin suunnittelu virhe
,Trial Balance for Party,Alustava tase osapuolelle
DocType: Lead,Consultant,konsultti
DocType: Salary Slip,Earnings,ansiot
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Valmiit tuotteet {0} tulee vastaanottaa valmistus tyyppi kirjauksella
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Valmiit tuotteet {0} tulee vastaanottaa valmistus tyyppi kirjauksella
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Avaa kirjanpidon tase
+,GST Sales Register,GST Sales Register
DocType: Sales Invoice Advance,Sales Invoice Advance,"Myyntilasku, ennakko"
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Ei mitään pyydettävää
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Toinen Budget record '{0}' on jo olemassa vastaan {1} {2} 'verovuodelta {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',Aloituspäivän tulee olla päättymispäivää aiempi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,hallinto
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,hallinto
DocType: Cheque Print Template,Payer Settings,Maksajan Asetukset
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Tämä liitetään mallin tuotenumeroon esim, jos lyhenne on ""SM"" ja tuotekoodi on ""T-PAITA"", mallin tuotekoodi on ""T-PAITA-SM"""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Nettomaksu (sanoina) näkyy kun tallennat palkkalaskelman.
@@ -1171,8 +1179,8 @@
DocType: Employee Loan,Partially Disbursed,osittain maksettu
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,toimittaja tietokanta
DocType: Account,Balance Sheet,tasekirja
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',tuotteen kustannuspaikka tuotekoodilla
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Maksutila ei ole määritetty. Tarkista, onko tili on asetettu tila maksut tai POS Profile."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',tuotteen kustannuspaikka tuotekoodilla
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Maksutila ei ole määritetty. Tarkista, onko tili on asetettu tila maksut tai POS Profile."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Päivämäärä jona myyjää muistutetaan ottamaan yhteyttä asiakkaaseen
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Samaa kohdetta ei voi syöttää useita kertoja.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","lisätilejä voidaan tehdä kohdassa ryhmät, mutta kirjaukset toi suoraan tilille"
@@ -1180,7 +1188,7 @@
DocType: Email Digest,Payables,Maksettavat
DocType: Course,Course Intro,tietenkin Intro
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Stock Entry {0} luotu
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,rivi # {0}: hylättyä yksikkömäärää ei voi merkitä oston palautukseksi
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,rivi # {0}: hylättyä yksikkömäärää ei voi merkitä oston palautukseksi
,Purchase Order Items To Be Billed,Ostotilaus Items laskuttamat
DocType: Purchase Invoice Item,Net Rate,nettohinta
DocType: Purchase Invoice Item,Purchase Invoice Item,"Ostolasku, tuote"
@@ -1205,7 +1213,7 @@
DocType: Sales Order,SO-,NIIN-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Ole hyvä ja valitse etuliite ensin
DocType: Employee,O-,O -
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Tutkimus
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Tutkimus
DocType: Maintenance Visit Purpose,Work Done,Työ tehty
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Ilmoitathan ainakin yksi määrite Määritteet taulukossa
DocType: Announcement,All Students,kaikki opiskelijat
@@ -1213,17 +1221,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Näytä tilikirja
DocType: Grading Scale,Intervals,väliajoin
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,aikaisintaan
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Samanniminen nimikeryhmä on jo olemassa, vaihda nimikkeen nimeä tai nimeä nimikeryhmä uudelleen"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Student Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Muu maailma
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Samanniminen nimikeryhmä on jo olemassa, vaihda nimikkeen nimeä tai nimeä nimikeryhmä uudelleen"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No.
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Muu maailma
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Tuote {0} ei voi olla erä
,Budget Variance Report,budjettivaihtelu raportti
DocType: Salary Slip,Gross Pay,bruttomaksu
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Rivi {0}: Toimintalaji on pakollista.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,maksetut osingot
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,maksetut osingot
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Kirjanpito Ledger
DocType: Stock Reconciliation,Difference Amount,eron arvomäärä
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Kertyneet voittovarat
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Kertyneet voittovarat
DocType: Vehicle Log,Service Detail,palvelu Detail
DocType: BOM,Item Description,tuotteen kuvaus
DocType: Student Sibling,Student Sibling,Student Sisarukset
@@ -1237,11 +1245,11 @@
DocType: Opportunity Item,Opportunity Item,mahdollinen tuote
,Student and Guardian Contact Details,Opiskelija ja Guardian Yhteystiedot
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Rivi {0}: For toimittaja {0} Sähköpostiosoite on lähetettävä sähköpostitse
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Tilapäinen avaus
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Tilapäinen avaus
,Employee Leave Balance,Työntekijän käytettävissä olevat vapaat
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Tilin tase {0} on oltava {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Arvostustaso vaaditaan tuotteelle rivillä {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Esimerkki: Masters Computer Science
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Esimerkki: Masters Computer Science
DocType: Purchase Invoice,Rejected Warehouse,Hylätty varasto
DocType: GL Entry,Against Voucher,kuitin kohdistus
DocType: Item,Default Buying Cost Center,ostojen oletuskustannuspaikka
@@ -1254,31 +1262,30 @@
DocType: Journal Entry,Get Outstanding Invoices,hae odottavat laskut
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Myyntitilaus {0} ei ole kelvollinen
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Ostotilaukset auttaa suunnittelemaan ja seurata ostoksistasi
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged",Yhtiöitä ei voi yhdistää
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged",Yhtiöitä ei voi yhdistää
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",Yhteensä Issue / Transfer määrä {0} in Material pyyntö {1} \ ei voi olla suurempi kuin pyydetty määrä {2} alamomentin {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Pieni
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Pieni
DocType: Employee,Employee Number,työntekijän numero
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},"asianumero/numerot on jo käytössä, aloita asianumerosta {0}"
DocType: Project,% Completed,% Valmis
,Invoiced Amount (Exculsive Tax),laskutettu arvomäärä (sisältäen verot)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Nimike 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,tilin otsikko {0} luotu
DocType: Supplier,SUPP-,toimittaja-
DocType: Training Event,Training Event,koulutustapahtuma
DocType: Item,Auto re-order,Auto re-order
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,"Yhteensä, saavutettu"
DocType: Employee,Place of Issue,Aiheen alue
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,sopimus
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,sopimus
DocType: Email Digest,Add Quote,Lisää Lainaus
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},Mittayksikön muuntokerroin vaaditaan yksikölle {0} tuotteessa: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,välilliset kulut
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Mittayksikön muuntokerroin vaaditaan yksikölle {0} tuotteessa: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,välilliset kulut
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,rivi {0}: yksikkömäärä vaaditaan
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Maatalous
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sync Master Data
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Tarjotut tuotteet ja/tai palvelut
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Tarjotut tuotteet ja/tai palvelut
DocType: Mode of Payment,Mode of Payment,maksutapa
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Sivuston kuvan tulee olla kuvatiedosto tai kuvan URL-osoite
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Sivuston kuvan tulee olla kuvatiedosto tai kuvan URL-osoite
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Tämä on kantatuoteryhmä eikä sitä voi muokata
@@ -1287,17 +1294,17 @@
DocType: Warehouse,Warehouse Contact Info,Varaston yhteystiedot
DocType: Payment Entry,Write Off Difference Amount,Kirjoita Off Ero Määrä
DocType: Purchase Invoice,Recurring Type,Toistuva tyyppi
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: Työntekijän sähköpostiosoitetta ei löytynyt, joten sähköpostia ei lähetetty"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: Työntekijän sähköpostiosoitetta ei löytynyt, joten sähköpostia ei lähetetty"
DocType: Item,Foreign Trade Details,Ulkomaankauppa Yksityiskohdat
DocType: Email Digest,Annual Income,Vuositulot
DocType: Serial No,Serial No Details,Sarjanumeron lisätiedot
DocType: Purchase Invoice Item,Item Tax Rate,tuotteen veroaste
DocType: Student Group Student,Group Roll Number,Ryhmä rullanumero
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","{0}, vain kredit tili voidaan kohdistaa debet kirjaukseen"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Yhteensä Kaikkien tehtävän painojen tulisi olla 1. Säädä painoja Project tehtävien mukaisesti
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,lähetettä {0} ei ole lähetetty
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Nimikkeen {0} pitää olla alihankittava nimike
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,käyttöomaisuuspääoma
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Yhteensä Kaikkien tehtävän painojen tulisi olla 1. Säädä painoja Project tehtävien mukaisesti
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,lähetettä {0} ei ole lähetetty
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Nimikkeen {0} pitää olla alihankittava nimike
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,käyttöomaisuuspääoma
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Hinnoittelusääntö tulee ensin valita 'käytä tässä' kentästä, joka voi olla tuote, tuoteryhmä tai brändi"
DocType: Hub Settings,Seller Website,Myyjä verkkosivut
DocType: Item,ITEM-,kuvallisissa osaluetteloissa
@@ -1315,7 +1322,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","""Arvoon"" - kohdassa saa olla vain yksi toimitussääntö joka on tyhjä tai jonka arvo on 0"
DocType: Authorization Rule,Transaction,tapahtuma
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,"huom, tämä kustannuspaikka on ryhmä eikä ryhmää kohtaan voi tehdä kirjanpidon kirjauksia"
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,Lapsi varasto olemassa tähän varastoon. Et voi poistaa tätä varasto.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Lapsi varasto olemassa tähän varastoon. Et voi poistaa tätä varasto.
DocType: Item,Website Item Groups,Tuoteryhmien verkkosivu
DocType: Purchase Invoice,Total (Company Currency),Yhteensä (yrityksen valuutta)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Sarjanumero {0} kirjattu useammin kuin kerran
@@ -1325,7 +1332,7 @@
DocType: Grading Scale Interval,Grade Code,Grade koodi
DocType: POS Item Group,POS Item Group,POS Kohta Group
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,tiedote:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} ei kuulu tuotteelle {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} ei kuulu tuotteelle {1}
DocType: Sales Partner,Target Distribution,Toimitus tavoitteet
DocType: Salary Slip,Bank Account No.,Pankkitilin nro
DocType: Naming Series,This is the number of the last created transaction with this prefix,Viimeinen tapahtuma on tehty tällä numerolla ja tällä etuliitteellä
@@ -1335,12 +1342,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Kirja Asset Poistot Entry Automaattisesti
DocType: BOM Operation,Workstation,Työasema
DocType: Request for Quotation Supplier,Request for Quotation Supplier,tarjouspyynnön toimittaja
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,kova tavara
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,kova tavara
DocType: Sales Order,Recurring Upto,Toistuvat Jopa
DocType: Attendance,HR Manager,Henkilöstön hallinta
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Valitse Yritys
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Poistumisoikeus
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Valitse Yritys
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Poistumisoikeus
DocType: Purchase Invoice,Supplier Invoice Date,toimittajan laskun päiväys
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,kohti
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Sinun tulee aktivoida ostoskori
DocType: Payment Entry,Writeoff,Poisto
DocType: Appraisal Template Goal,Appraisal Template Goal,arvioinnin tavoite
@@ -1351,10 +1359,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Päällekkäiset olosuhteisiin välillä:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,päiväkirjan kohdistettu kirjaus {0} on jo säädetty muuhun tositteeseen
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,tilausten arvo yhteensä
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Ruoka
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Ruoka
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,vanhentumisen skaala 3
DocType: Maintenance Schedule Item,No of Visits,Vierailujen lukumäärä
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Mark Tapahtumaan
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Mark Tapahtumaan
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Huolto aikataulu {0} on olemassa vastaan {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,ilmoittautumalla opiskelija
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Valuutta sulkeminen on otettava {0}
@@ -1368,6 +1376,7 @@
DocType: Rename Tool,Utilities,Hyödykkeet
DocType: Purchase Invoice Item,Accounting,Kirjanpito
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Valitse erissä satseittain erä
DocType: Asset,Depreciation Schedules,Poistot aikataulut
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Hakuaika ei voi ulkona loman jakokauteen
DocType: Activity Cost,Projects,Projektit
@@ -1381,6 +1390,7 @@
DocType: POS Profile,Campaign,Kampanja
DocType: Supplier,Name and Type,Nimi ja tyyppi
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',hyväksynnän tila on 'hyväksytty' tai 'hylätty'
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,bootstrap
DocType: Purchase Invoice,Contact Person,Yhteyshenkilö
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Toivottu aloituspäivä' ei voi olla suurempi kuin 'toivottu päättymispäivä'
DocType: Course Scheduling Tool,Course End Date,Tietenkin Päättymispäivä
@@ -1388,12 +1398,11 @@
DocType: Sales Order Item,Planned Quantity,Suunnitellut määrä
DocType: Purchase Invoice Item,Item Tax Amount,tuotteen vero
DocType: Item,Maintain Stock,huolla varastoa
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,varaston kirjaukset on muodostettu tuotannon tilauksesta
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,varaston kirjaukset on muodostettu tuotannon tilauksesta
DocType: Employee,Prefered Email,prefered Sähköposti
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Nettomuutos kiinteä omaisuus
DocType: Leave Control Panel,Leave blank if considered for all designations,tyhjä mikäli se pidetään vihtoehtona kaikille nimityksille
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Varasto on pakollinen ei ryhmä Accounts tyyppiä Stock
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,maksun tyyppiä 'todellinen' rivillä {0} ei voi sisällyttää tuotearvoon
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,maksun tyyppiä 'todellinen' rivillä {0} ei voi sisällyttää tuotearvoon
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,alkaen aikajana
DocType: Email Digest,For Company,Yritykselle
@@ -1403,15 +1412,15 @@
DocType: Sales Invoice,Shipping Address Name,Toimitusosoitteen nimi
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,tilikartta
DocType: Material Request,Terms and Conditions Content,Ehdot ja säännöt sisältö
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,ei voi olla suurempi kuin 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Nimike {0} ei ole varastonimike
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,ei voi olla suurempi kuin 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Nimike {0} ei ole varastonimike
DocType: Maintenance Visit,Unscheduled,Aikatauluttamaton
DocType: Employee,Owned,Omistuksessa
DocType: Salary Detail,Depends on Leave Without Pay,riippuu poistumisesta ilman palkkaa
DocType: Pricing Rule,"Higher the number, higher the priority","mitä korkeampi numero, sitä korkeampi prioriteetti"
,Purchase Invoice Trends,"Ostolasku, trendit"
DocType: Employee,Better Prospects,Parempi Näkymät
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Rivi # {0}: Erä {1} on vain {2} kpl. Valitse toinen erä, joka on {3} kpl saatavilla tai jakaa rivin tulee useita rivejä, antaa / kysymys useista eristä"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Rivi # {0}: Erä {1} on vain {2} kpl. Valitse toinen erä, joka on {3} kpl saatavilla tai jakaa rivin tulee useita rivejä, antaa / kysymys useista eristä"
DocType: Vehicle,License Plate,Rekisterikilpi
DocType: Appraisal,Goals,tavoitteet
DocType: Warranty Claim,Warranty / AMC Status,Takuun / huollon tila
@@ -1422,19 +1431,20 @@
,Batch-Wise Balance History,Eräkohtainen tasehistoria
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Tulosta asetukset päivitetään kunkin painettuna
DocType: Package Code,Package Code,Pakkaus Code
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,opettelu
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,opettelu
+DocType: Purchase Invoice,Company GSTIN,Yritys GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Negatiivinen määrä ei ole sallittu
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","Verotaulukkotiedot, jotka merkataan ja tallennetään tähän kenttään noudetaan tuote työkalusta, jota käytetään veroihin ja maksuihin"
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,työntekijä ei voi raportoida itselleen
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","mikäli tili on jäädytetty, kirjaukset on rajattu tietyille käyttäjille"
DocType: Email Digest,Bank Balance,Pankkitilin tase
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Kirjaus {0}: {1} voidaan tehdä vain valuutassa: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Kirjaus {0}: {1} voidaan tehdä vain valuutassa: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","työprofiili, vaaditut pätevydet jne"
DocType: Journal Entry Account,Account Balance,Tilin tase
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Verosääntöön liiketoimia.
DocType: Rename Tool,Type of document to rename.,asiakirjan tyyppi uudelleenimeä
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Ostamme tätä tuotetta
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Ostamme tätä tuotetta
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Asiakkaan tarvitaan vastaan Receivable huomioon {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),verot ja maksut yhteensä (yrityksen valuutta)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Näytä unclosed tilikaudesta P & L saldot
@@ -1445,29 +1455,30 @@
DocType: Stock Entry,Total Additional Costs,Lisäkustannusten kokonaismäärää
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Romu ainekustannukset (Company valuutta)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,alikokoonpanot
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,alikokoonpanot
DocType: Asset,Asset Name,Asset Name
DocType: Project,Task Weight,tehtävä Paino
DocType: Shipping Rule Condition,To Value,Arvoon
DocType: Asset Movement,Stock Manager,Varastohallinta
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Lähde varasto on pakollinen rivin {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Pakkauslappu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Toimisto Vuokra
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Lähde varasto on pakollinen rivin {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Pakkauslappu
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Toimisto Vuokra
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Tekstiviestin reititinmääritykset
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,tuonti epäonnistui!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,osoitetta ei ole vielä lisätty
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,osoitetta ei ole vielä lisätty
DocType: Workstation Working Hour,Workstation Working Hour,Työaseman työaika
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Analyytikko
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Analyytikko
DocType: Item,Inventory,inventaario
DocType: Item,Sales Details,Myynnin lisätiedot
DocType: Quality Inspection,QI-,Qi
DocType: Opportunity,With Items,Tuotteilla
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,yksikkömääränä
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,yksikkömääränä
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Vahvista Rekisteröidyt kurssi opiskelijoille Student Group
DocType: Notification Control,Expense Claim Rejected,kuluvaatimus hylätty
DocType: Item,Item Attribute,tuotetuntomerkki
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,hallinto
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,hallinto
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Matkakorvauslomakkeet {0} on jo olemassa Vehicle Log
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Institute Name
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Institute Name
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,Anna lyhennyksen määrä
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Tuotemallit ja -variaatiot
DocType: Company,Services,Palvelut
@@ -1477,18 +1488,18 @@
DocType: Sales Invoice,Source,Lähde
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Näytäsuljetut
DocType: Leave Type,Is Leave Without Pay,on poistunut ilman palkkaa
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Asset Luokka on pakollinen Käyttöomaisuuden erä
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset Luokka on pakollinen Käyttöomaisuuden erä
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,tietuetta ei löydy maksutaulukosta
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Tämä {0} on ristiriidassa {1} ja {2} {3}
DocType: Student Attendance Tool,Students HTML,opiskelijat HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Tilikauden aloituspäivä
DocType: POS Profile,Apply Discount,Käytä alennus
+DocType: Purchase Invoice Item,GST HSN Code,GST HSN Koodi
DocType: Employee External Work History,Total Experience,Kustannukset yhteensä
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Avoimet projektit
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Pakkauslaput peruttu
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Investointien rahavirta
DocType: Program Course,Program Course,Ohjelma kurssi
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,rahdin ja huolinnan maksut
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,rahdin ja huolinnan maksut
DocType: Homepage,Company Tagline for website homepage,Verkkosivuston etusivulle sijoitettava yrityksen iskulause
DocType: Item Group,Item Group Name,tuoteryhmän nimi
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Otettu
@@ -1498,6 +1509,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Luo liidejä
DocType: Maintenance Schedule,Schedules,Aikataulut
DocType: Purchase Invoice Item,Net Amount,netto
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} ei ole esitetty, joten toiminnan ei voida suorittaa loppuun"
DocType: Purchase Order Item Supplied,BOM Detail No,BOM yksittäisnumero
DocType: Landed Cost Voucher,Additional Charges,Lisämaksut
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),lisäalennus (yrityksen valuutassa)
@@ -1513,6 +1525,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Kuukauden lyhennyksen määrä
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,kirjoita käyttäjätunnus työntekijä tietue kenttään valitaksesi työntekijän roolin
DocType: UOM,UOM Name,Mittayksikön nimi
+DocType: GST HSN Code,HSN Code,HSN koodi
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,panostuksen arvomäärä
DocType: Purchase Invoice,Shipping Address,Toimitusosoite
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Tämä työkalu auttaa sinua päivittämään tai korjaamaan varastomäärän ja -arvon järjestelmässä. Sitä käytetään yleensä synkronoitaessa järjestelmän arvoja ja varaston todellisia fyysisiä arvoja.
@@ -1523,17 +1536,16 @@
DocType: Program Enrollment Tool,Program Enrollments,Ohjelma Ilmoittautumiset
DocType: Sales Invoice Item,Brand Name,brändin nimi
DocType: Purchase Receipt,Transporter Details,Transporter Lisätiedot
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Oletus varasto tarvitaan valittu kohde
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,pl
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Oletus varasto tarvitaan valittu kohde
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,pl
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,mahdollinen toimittaja
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Organisaatio
DocType: Budget,Monthly Distribution,toimitus kuukaudessa
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"vastaanottajalista on tyhjä, tee vastaanottajalista"
DocType: Production Plan Sales Order,Production Plan Sales Order,Tuotantosuunnitelma myyntitilaukselle
DocType: Sales Partner,Sales Partner Target,Myyntikumppani tavoite
DocType: Loan Type,Maximum Loan Amount,Suurin lainamäärä
DocType: Pricing Rule,Pricing Rule,Hinnoittelusääntö
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Päällekkäisiä rullan numero opiskelijan {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Päällekkäisiä rullan numero opiskelijan {0}
DocType: Budget,Action if Annual Budget Exceeded,Toiminta jos vuosibudjetin ylitetty
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,ostotilaus materiaalipyynnöstä
DocType: Shopping Cart Settings,Payment Success URL,Maksu onnistui URL
@@ -1546,11 +1558,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Varastotaseen alkuarvo
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} saa esiintyä vain kerran
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Ei saa tranfer enemmän {0} kuin {1} vastaan Ostotilaus {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Ei saa tranfer enemmän {0} kuin {1} vastaan Ostotilaus {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Vapaat kohdennettu {0}:lle
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,ei pakattavia tuotteita
DocType: Shipping Rule Condition,From Value,arvosta
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Valmistus Määrä on pakollista
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Valmistus Määrä on pakollista
DocType: Employee Loan,Repayment Method,lyhennystapa
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Jos valittu, kotisivun tulee oletuksena Item ryhmän verkkosivuilla"
DocType: Quality Inspection Reading,Reading 4,Lukema 4
@@ -1560,7 +1572,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Rivi # {0}: Tilityspäivä {1} ei voi olla ennen shekin päivää {2}
DocType: Company,Default Holiday List,oletus lomaluettelo
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Rivi {0}: From Time ja To aika {1} on päällekkäinen {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,varasto vastattavat
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,varasto vastattavat
DocType: Purchase Invoice,Supplier Warehouse,toimittajan varasto
DocType: Opportunity,Contact Mobile No,"yhteystiedot, puhelin"
,Material Requests for which Supplier Quotations are not created,materiaalipyynnöt joista ei ole tehty toimituskykytiedustelua
@@ -1571,35 +1583,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,tee tarjous
apps/erpnext/erpnext/config/selling.py +216,Other Reports,Muut raportit
DocType: Dependent Task,Dependent Task,riippuvainen tehtävä
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},muuntokerroin oletus mittayksikkön tulee olla 1 rivillä {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},muuntokerroin oletus mittayksikkön tulee olla 1 rivillä {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},{0} -tyyppinen vapaa ei voi olla pidempi kuin {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,kokeile suunnitella toimia X päivää etukäteen
DocType: HR Settings,Stop Birthday Reminders,lopeta syntymäpäivämuistutukset
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Aseta Default Payroll maksullisia tilin Yrityksen {0}
DocType: SMS Center,Receiver List,Vastaanotin List
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,haku Tuote
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,haku Tuote
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,käytetty arvomäärä
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Rahavarojen muutos
DocType: Assessment Plan,Grading Scale,Arvosteluasteikko
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,yksikköä {0} on kirjattu useammin kuin kerran muuntokerroin taulukossa
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,yksikköä {0} on kirjattu useammin kuin kerran muuntokerroin taulukossa
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,jo valmiiksi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock kädessä
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Maksupyyntö on jo olemassa {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,aiheen tuotteiden kustannukset
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Määrä saa olla enintään {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Edellisen tilikauden ei ole suljettu
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Ikä (päivää)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Ikä (päivää)
DocType: Quotation Item,Quotation Item,Tarjouksen tuote
+DocType: Customer,Customer POS Id,Asiakas POS Id
DocType: Account,Account Name,Tilin nimi
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,alkaen päivä ei voi olla suurempi kuin päättymispäivä
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Sarjanumero {0} yksikkömäärä {1} ei voi olla murto-osa
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,toimittajatyypin valvonta
DocType: Purchase Order Item,Supplier Part Number,toimittajan osanumero
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,muuntokerroin ei voi olla 0 tai 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,muuntokerroin ei voi olla 0 tai 1
DocType: Sales Invoice,Reference Document,vertailuasiakirja
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} peruuntuu tai keskeytyy
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} peruuntuu tai keskeytyy
DocType: Accounts Settings,Credit Controller,kredit valvoja
DocType: Delivery Note,Vehicle Dispatch Date,Ajoneuvon toimituspäivä
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Ostokuittia {0} ei ole lähetetty
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Ostokuittia {0} ei ole lähetetty
DocType: Company,Default Payable Account,oletus maksettava tili
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Online-ostoskorin asetukset, kuten toimitustavat, hinnastot jne"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% laskutettu
@@ -1618,11 +1632,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Hyvitys yhteensä
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Tämä perustuu tukkien vastaan Vehicle. Katso aikajana lisätietoja alla
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,Kerätä
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},toimittajan ostolaskun kohdistus {0} päiväys {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},toimittajan ostolaskun kohdistus {0} päiväys {1}
DocType: Customer,Default Price List,oletus hinnasto
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Asset Movement record {0} luotu
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Et voi poistaa tilikautta {0}. Tilikausi {0} on asetettu oletustilikaudeksi järjestelmäasetuksissa.
DocType: Journal Entry,Entry Type,Entry Tyyppi
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Ei arviointisuunnitelma liittyy tähän arvioon ryhmään
,Customer Credit Balance,Asiakkaan kredit tase
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Nettomuutos ostovelat
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',asiakkaalla tulee olla 'asiakaskohtainen alennus'
@@ -1630,7 +1645,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Hinnoittelu
DocType: Quotation,Term Details,Ehdon lisätiedot
DocType: Project,Total Sales Cost (via Sales Order),Kokonaismyynti Kustannukset (via myyntitilaus)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Ei voi ilmoittautua enintään {0} opiskelijat tälle opiskelijaryhmälle.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Ei voi ilmoittautua enintään {0} opiskelijat tälle opiskelijaryhmälle.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,lyijy Count
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} on oltava suurempi kuin 0
DocType: Manufacturing Settings,Capacity Planning For (Days),kapasiteetin suunnittelu (päiville)
@@ -1651,7 +1666,7 @@
DocType: Sales Invoice,Packed Items,Pakatut tuotteet
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Takuuvaatimus sarjanumerolle
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","korvaa BOM kaikissa muissa BOM:ssa, jossa sitä käytetään, korvaa vanhan BOM linkin, päivittää kustannukset ja muodostaa uuden ""BOM tuote räjäytyksen"" tilaston uutena BOM:na"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Yhteensä'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Yhteensä'
DocType: Shopping Cart Settings,Enable Shopping Cart,aktivoi ostoskori
DocType: Employee,Permanent Address,Pysyvä osoite
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1667,9 +1682,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,"Aseta määrä, arvostustaso tai molemmat"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,täyttymys
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,View Cart
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,markkinointikulut
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,markkinointikulut
,Item Shortage Report,Tuotevajausraportti
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Paino on mainittu, \ ssa mainitse myös ""Painoyksikkö"""
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Paino on mainittu, \ ssa mainitse myös ""Painoyksikkö"""
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,varaston kirjaus materiaalipyynnöstä
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Seuraava Poistot Date on pakollinen uutta sisältöä
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Erillinen perustuu luonnollisesti ryhmän kutakin Erä
@@ -1678,17 +1693,18 @@
,Student Fee Collection,Student Fee Collection
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,tee kirjanpidon kirjaus kaikille varastotapahtumille
DocType: Leave Allocation,Total Leaves Allocated,"Poistumisten yhteismäärä, kohdennettu"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Varasto vaaditaan rivillä {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Anna kelvollinen tilivuoden alkamis- ja päättymispäivä
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Varasto vaaditaan rivillä {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Anna kelvollinen tilivuoden alkamis- ja päättymispäivä
DocType: Employee,Date Of Retirement,Eläkkeellesiirtymispäivä
DocType: Upload Attendance,Get Template,hae mallipohja
+DocType: Material Request,Transferred,siirretty
DocType: Vehicle,Doors,ovet
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext Asennus valmis!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Asennus valmis!
DocType: Course Assessment Criteria,Weightage,Painoarvo
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Kustannuspaikka vaaditaan "Tuloslaskelma" tilin {2}. Määritä oletuksena kustannukset Center for the Company.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"saman niminen asiakasryhmä on jo olemassa, vaihda asiakkaan nimi tai nimeä asiakasryhmä uudelleen"
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Uusi yhteystieto
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"saman niminen asiakasryhmä on jo olemassa, vaihda asiakkaan nimi tai nimeä asiakasryhmä uudelleen"
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Uusi yhteystieto
DocType: Territory,Parent Territory,Pääalue
DocType: Quality Inspection Reading,Reading 2,Lukema 2
DocType: Stock Entry,Material Receipt,materiaali kuitti
@@ -1697,17 +1713,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","mikäli tällä tuotteella on useita malleja, sitä ei voi valita esim. myyntitilaukseen"
DocType: Lead,Next Contact By,seuraava yhteydenottohlö
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Vaadittu tuotemäärä {0} rivillä {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},Varastoa {0} ei voi poistaa koska se sisältää tuotetta {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Vaadittu tuotemäärä {0} rivillä {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Varastoa {0} ei voi poistaa koska se sisältää tuotetta {1}
DocType: Quotation,Order Type,Tilaustyyppi
DocType: Purchase Invoice,Notification Email Address,sähköpostiosoite ilmoituksille
,Item-wise Sales Register,"tuote työkalu, myyntirekisteri"
DocType: Asset,Gross Purchase Amount,Gross Osto Määrä
DocType: Asset,Depreciation Method,Poistot Menetelmä
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Poissa
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,Poissa
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,kuuluuko tämä vero perustasoon?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,tavoite yhteensä
-DocType: Program Course,Required,Edellytetään
DocType: Job Applicant,Applicant for a Job,työn hakija
DocType: Production Plan Material Request,Production Plan Material Request,Tuotanto Plan Materiaali Request
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,tuotannon tilauksia ei ole tehty
@@ -1716,17 +1731,17 @@
DocType: Purchase Invoice Item,Batch No,Erän nro
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Salli useat Myyntitilaukset vastaan Asiakkaan Ostotilauksen
DocType: Student Group Instructor,Student Group Instructor,Opiskelijaryhmän Ohjaaja
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 Mobile Ei
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Tärkein
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile Ei
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Tärkein
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Malli
DocType: Naming Series,Set prefix for numbering series on your transactions,Aseta sarjojen numeroinnin etuliite tapahtumiin
DocType: Employee Attendance Tool,Employees HTML,Työntekijät HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,oletus BOM ({0}) tulee olla aktiivinen tälle tuotteelle tai sen mallipohjalle
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,oletus BOM ({0}) tulee olla aktiivinen tälle tuotteelle tai sen mallipohjalle
DocType: Employee,Leave Encashed?,vapaa kuitattu rahana?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,tilaisuuteen kenttä vaaditaan
DocType: Email Digest,Annual Expenses,Vuosittaiset kulut
DocType: Item,Variants,Mallit
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Tee Ostotilaus
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Tee Ostotilaus
DocType: SMS Center,Send To,Lähetä kenelle
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Vapaatyypille {0} ei ole tarpeeksi vapaata jäljellä
DocType: Payment Reconciliation Payment,Allocated amount,kohdennettu arvomäärä
@@ -1740,26 +1755,25 @@
DocType: Supplier,Statutory info and other general information about your Supplier,toimittajan lakisääteiset- ja muut päätiedot
DocType: Item,Serial Nos and Batches,Sarjanumerot ja Erät
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Opiskelijaryhmän Vahvuus
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,päiväkirjaan kohdistus {0} ei täsmäämättömiä {1} kirjauksia
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,päiväkirjaan kohdistus {0} ei täsmäämättömiä {1} kirjauksia
apps/erpnext/erpnext/config/hr.py +137,Appraisals,Kehityskeskustelut
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},monista tuotteelle kirjattu sarjanumero {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,edellyttää toimitustapaa
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Käy sisään
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",Nimikettä {0} ei pysty ylilaskuttamaan rivillä {1} enempää kuin {2}. Muuta oston asetuksia salliaksesi ylilaskutus.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Aseta suodatin perustuu Tuote tai Varasto
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",Nimikettä {0} ei pysty ylilaskuttamaan rivillä {1} enempää kuin {2}. Muuta oston asetuksia salliaksesi ylilaskutus.
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Aseta suodatin perustuu Tuote tai Varasto
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),"Pakkauksen nettopaino, summa lasketaan automaattisesti tuotteiden nettopainoista"
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Hyvä luoda tilin tästä Varasto ja linkittää sen. Tätä ei voida tehdä automaattisesti tilin nimellä {0} on jo olemassa
DocType: Sales Order,To Deliver and Bill,toimitukseen ja laskutukseen
DocType: Student Group,Instructors,Ohjaajina
DocType: GL Entry,Credit Amount in Account Currency,Luoton määrä Account Valuutta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} tulee lähettää
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} tulee lähettää
DocType: Authorization Control,Authorization Control,Valtuutus Ohjaus
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Rivi # {0}: Hylätyt Warehouse on pakollinen vastaan hylätään Tuote {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Rivi # {0}: Hylätyt Warehouse on pakollinen vastaan hylätään Tuote {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Maksu
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Varasto {0} ei liity mihinkään tilin, mainitse tilin varastoon kirjaa tai asettaa oletus inventaario huomioon yrityksen {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Hallitse tilauksia
DocType: Production Order Operation,Actual Time and Cost,todellinen aika ja hinta
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},materiaalipyyntö max {0} voidaan tehdä tuotteelle {1} kohdistettuna myyntitilaukseen {2}
-DocType: Employee,Salutation,Tervehdys
DocType: Course,Course Abbreviation,Course lyhenne
DocType: Student Leave Application,Student Leave Application,Student Jätä Application
DocType: Item,Will also apply for variants,Sovelletaan myös tuotemalleissa
@@ -1771,12 +1785,12 @@
DocType: Quotation Item,Actual Qty,kiinteä yksikkömäärä
DocType: Sales Invoice Item,References,Viitteet
DocType: Quality Inspection Reading,Reading 10,Lukema 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","luetteloi tavarat tai palvelut, joita ostat tai myyt, tarkista ensin tuoteryhmä, yksikkö ja muut ominaisuudet kun aloitat"
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","luetteloi tavarat tai palvelut, joita ostat tai myyt, tarkista ensin tuoteryhmä, yksikkö ja muut ominaisuudet kun aloitat"
DocType: Hub Settings,Hub Node,hubi sidos
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Olet syöttänyt kohteen joka on jo olemassa. Korjaa ja yritä uudelleen.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,kolleega
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,kolleega
DocType: Asset Movement,Asset Movement,Asset Movement
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,uusi koriin
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,uusi koriin
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Nimike {0} ei ole sarjoitettu tuote
DocType: SMS Center,Create Receiver List,tee vastaanottajalista
DocType: Vehicle,Wheels,Pyörät
@@ -1796,19 +1810,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',rivi voi viitata edelliseen riviin vain jos maksu tyyppi on 'edellisen rivin arvomäärä' tai 'edellinen rivi yhteensä'
DocType: Sales Order Item,Delivery Warehouse,toimitus varasto
DocType: SMS Settings,Message Parameter,viestiparametri
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Tree taloudellisen kustannuspaikat.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Tree taloudellisen kustannuspaikat.
DocType: Serial No,Delivery Document No,Toimitus Document No
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Aseta 'Gain / tuloslaskelma Omaisuudenhoitoalan hävittämisestä "in Company {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,hae tuotteet ostokuiteista
DocType: Serial No,Creation Date,tekopäivä
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Nimike {0} on useampaan kertaan hinnastossa hinnastossa {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}",Myynnin tulee olla täpättynä mikäli saatavilla {0} on valittu
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}",Myynnin tulee olla täpättynä mikäli saatavilla {0} on valittu
DocType: Production Plan Material Request,Material Request Date,Materiaali Request Date
DocType: Purchase Order Item,Supplier Quotation Item,Toimituskykytiedustelun tuote
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Poistaa luominen Aika Lokit vastaan toimeksiantoja. Toimia ei seurata vastaan Tuotantotilaus
DocType: Student,Student Mobile Number,Student Mobile Number
DocType: Item,Has Variants,useita tuotemalleja
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Olet jo valitut kohteet {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Olet jo valitut kohteet {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,"toimitus kuukaudessa, nimi"
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Erätunnuksesi on pakollinen
DocType: Sales Person,Parent Sales Person,Päämyyjä
@@ -1818,12 +1832,12 @@
DocType: Budget,Fiscal Year,Tilikausi
DocType: Vehicle Log,Fuel Price,polttoaineen hinta
DocType: Budget,Budget,budjetti
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Käyttö- omaisuuserän oltava ei-varastotuote.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Käyttö- omaisuuserän oltava ei-varastotuote.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Talousarvio ei voi luovuttaa vastaan {0}, koska se ei ole tuottoa tai kulua tili"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,saavutettu
DocType: Student Admission,Application Form Route,Hakulomake Route
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Alue / Asiakas
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,"esim, 5"
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,"esim, 5"
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Jätä tyyppi {0} ei voi varata, koska se jättää ilman palkkaa"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},rivi {0}: kohdennettavan arvomäärän {1} on oltava pienempi tai yhtä suuri kuin odottava arvomäärä {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"sanat näkyvät, kun tallennat myyntilaskun"
@@ -1832,7 +1846,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,"Nimikkeelle {0} ei määritetty sarjanumeroita, täppää tuote työkalu"
DocType: Maintenance Visit,Maintenance Time,"huolto, aika"
,Amount to Deliver,toimitettava arvomäärä
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,tavara tai palvelu
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,tavara tai palvelu
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Term alkamispäivä ei voi olla aikaisempi kuin vuosi alkamispäivä Lukuvuoden johon termiä liittyy (Lukuvuosi {}). Korjaa päivämäärät ja yritä uudelleen.
DocType: Guardian,Guardian Interests,Guardian Harrastukset
DocType: Naming Series,Current Value,nykyinen arvo
@@ -1846,12 +1860,12 @@
must be greater than or equal to {2}",rivi {0}: asettaaksesi {1} kausituksen aloitus ja päättymispäivän ero \ tulee olla suurempi tai yhtä suuri kuin {2}
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Varastotapahtumat. {0} sisältää tiedot tapahtumista.
DocType: Pricing Rule,Selling,Myynti
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Määrä {0} {1} vähennetään vastaan {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Määrä {0} {1} vähennetään vastaan {2}
DocType: Employee,Salary Information,Palkkatietoja
DocType: Sales Person,Name and Employee ID,Nimi ja Työntekijän ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,eräpäivä voi olla ennen lähetyspäivää
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,eräpäivä voi olla ennen lähetyspäivää
DocType: Website Item Group,Website Item Group,Tuoteryhmän verkkosivu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,tullit ja verot
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,tullit ja verot
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Anna Viiteajankohta
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} maksukirjauksia ei voida suodattaa {1}:lla
DocType: Item Website Specification,Table for Item that will be shown in Web Site,Verkkosivuilla näkyvien tuotteiden taulukko
@@ -1868,9 +1882,9 @@
DocType: Payment Reconciliation Payment,Reference Row,Viite Row
DocType: Installation Note,Installation Time,asennus aika
DocType: Sales Invoice,Accounting Details,Kirjanpito Lisätiedot
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,poista kaikki tapahtumat tältä yritykseltä
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"rivi # {0}: toiminto {1} ei ole valmis {2} valmiiden tuotteiden yksikkömäärä tuotantotilauksessa # {3}, päivitä toiminnon tila aikalokin kautta"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,sijoitukset
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,poista kaikki tapahtumat tältä yritykseltä
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"rivi # {0}: toiminto {1} ei ole valmis {2} valmiiden tuotteiden yksikkömäärä tuotantotilauksessa # {3}, päivitä toiminnon tila aikalokin kautta"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,sijoitukset
DocType: Issue,Resolution Details,johtopäätös lisätiedot
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,määrärahat
DocType: Item Quality Inspection Parameter,Acceptance Criteria,hyväksymiskriteerit
@@ -1895,7 +1909,7 @@
DocType: Room,Room Name,huoneen nimi
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Vapaita ei voida käyttää / peruuttaa ennen {0}, koska käytettävissä olevat vapaat on jo siirretty eteenpäin jaksolle {1}"
DocType: Activity Cost,Costing Rate,"kustannuslaskenta, taso"
-,Customer Addresses And Contacts,Asiakas osoitteet ja Yhteydet
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Asiakas osoitteet ja Yhteydet
,Campaign Efficiency,kampanjan tehokkuus
DocType: Discussion,Discussion,keskustelu
DocType: Payment Entry,Transaction ID,Transaction ID
@@ -1905,14 +1919,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Total Billing Määrä (via Time Sheet)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Toistuvien asiakkuuksien liikevaihto
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) tulee olla rooli 'kulujen hyväksyjä'
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Pari
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Valitse BOM ja Määrä Tuotannon
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Pari
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Valitse BOM ja Määrä Tuotannon
DocType: Asset,Depreciation Schedule,Poistot aikataulu
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,-myyjään osoitteista ja yhteystiedoista
DocType: Bank Reconciliation Detail,Against Account,tili kohdistus
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Half Day Date pitäisi olla välillä Päivästä ja Päivään
DocType: Maintenance Schedule Detail,Actual Date,todellinen päivä
DocType: Item,Has Batch No,on erä nro
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Vuotuinen laskutus: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Vuotuinen laskutus: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Tavarat ja palvelut Tax (GST Intia)
DocType: Delivery Note,Excise Page Number,poisto sivunumero
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Company, Päivästä ja Päivään on pakollinen"
DocType: Asset,Purchase Date,Ostopäivä
@@ -1920,11 +1936,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Ole hyvä ja aseta yrityksen {0} poistojen kustannuspaikka.
,Maintenance Schedules,huoltoaikataulut
DocType: Task,Actual End Date (via Time Sheet),Todellinen Lopetuspäivä (via kellokortti)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Määrä {0} {1} vastaan {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Määrä {0} {1} vastaan {2} {3}
,Quotation Trends,"Tarjous, trendit"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},tuotteen {0} tuoteryhmää ei ole mainittu kohdassa tuote työkalu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,tilin debet tulee olla saatava tili
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},tuotteen {0} tuoteryhmää ei ole mainittu kohdassa tuote työkalu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,tilin debet tulee olla saatava tili
DocType: Shipping Rule Condition,Shipping Amount,Toimituskustannus arvomäärä
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Lisää Asiakkaat
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Odottaa arvomäärä
DocType: Purchase Invoice Item,Conversion Factor,muuntokerroin
DocType: Purchase Order,Delivered,toimitettu
@@ -1934,7 +1951,8 @@
DocType: Purchase Receipt,Vehicle Number,Ajoneuvon rekisterinumero
DocType: Purchase Invoice,The date on which recurring invoice will be stop,Päivä jolloin toistuva lasku lakkaa
DocType: Employee Loan,Loan Amount,Lainan määrä
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Rivi {0}: osaluettelosi ei löytynyt Tuote {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Itsestään kulkevaa ajoneuvoa
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Rivi {0}: osaluettelosi ei löytynyt Tuote {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Yhteensä myönnetty lehdet {0} ei voi olla pienempi kuin jo hyväksytty lehdet {1} kaudeksi
DocType: Journal Entry,Accounts Receivable,saatava tilit
,Supplier-Wise Sales Analytics,Toimittajakohtainen myyntianalytiikka
@@ -1951,21 +1969,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,"kuluvaatimus odottaa hyväksyntää, vain kulujen hyväksyjä voi päivittää tilan"
DocType: Email Digest,New Expenses,uusi kulut
DocType: Purchase Invoice,Additional Discount Amount,lisäalennus
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Rivi # {0}: Määrä on 1, kun kohde on kiinteän omaisuuden. Käytä erillistä rivi useita kpl."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Rivi # {0}: Määrä on 1, kun kohde on kiinteän omaisuuden. Käytä erillistä rivi useita kpl."
DocType: Leave Block List Allow,Leave Block List Allow,Salli
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,lyhenne ei voi olla tyhjä tai välilyönti
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,lyhenne ei voi olla tyhjä tai välilyönti
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Ryhmä Non-ryhmän
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,urheilu
DocType: Loan Type,Loan Name,laina Name
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Kiinteä summa yhteensä
DocType: Student Siblings,Student Siblings,Student Sisarukset
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Yksikkö
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,Ilmoitathan Company
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Yksikkö
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Ilmoitathan Company
,Customer Acquisition and Loyalty,asiakashankinta ja suhteet
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Hylkyvarasto
DocType: Production Order,Skip Material Transfer,Ohita materiaalin siirto
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Pysty löytämään vaihtokurssi {0} ja {1} avaimen päivämäärä {2}. Luo Valuutanvaihto ennätys manuaalisesti
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Tilikautesi päättyy
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Pysty löytämään vaihtokurssi {0} ja {1} avaimen päivämäärä {2}. Luo Valuutanvaihto ennätys manuaalisesti
DocType: POS Profile,Price List,Hinnasto
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} nyt on oletustilikausi. päivitä selain, jotta muutos tulee voimaan."
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Kulukorvaukset
@@ -1978,14 +1995,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Erän varastotase {0} muuttuu negatiiviseksi {1} tuotteelle {2} varastossa {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Seuraavat Materiaali pyynnöt on esitetty automaattisesti perustuu lähetyksen uudelleen jotta taso
DocType: Email Digest,Pending Sales Orders,Odottaa Myyntitilaukset
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Tili {0} ei kelpaa. Tilin valuutan on oltava {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Tili {0} ei kelpaa. Tilin valuutan on oltava {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Mittayksikön muuntokerroin vaaditaan rivillä {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Rivi # {0}: Reference Document Type on yksi myyntitilaus, myyntilasku tai Päiväkirjakirjaus"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Rivi # {0}: Reference Document Type on yksi myyntitilaus, myyntilasku tai Päiväkirjakirjaus"
DocType: Salary Component,Deduction,vähennys
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Rivi {0}: From Time ja Kellonaikatilaan on pakollista.
DocType: Stock Reconciliation Item,Amount Difference,määrä ero
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Nimikkeen '{0}' hinta lisätty hinnastolle '{1}'
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Nimikkeen '{0}' hinta lisätty hinnastolle '{1}'
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Syötä työntekijätunnu tälle myyjälle
DocType: Territory,Classification of Customers by region,asiakkaiden luokittelu alueittain
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Ero määrä on nolla
@@ -1997,21 +2014,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Vähennys yhteensä
,Production Analytics,tuotanto Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,kustannukset päivitetty
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,kustannukset päivitetty
DocType: Employee,Date of Birth,syntymäpäivä
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Nimike {0} on palautettu
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Nimike {0} on palautettu
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**tilikausi** sisältää kaikki sen kuluessa kirjatut kirjanpito- ym. taloudenhallinnan tapahtumat
DocType: Opportunity,Customer / Lead Address,Asiakkaan / Liidin osoite
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Varoitus: Liitteen {0} SSL-varmenne ei kelpaa
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Varoitus: Liitteen {0} SSL-varmenne ei kelpaa
DocType: Student Admission,Eligibility,kelpoisuus
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads",Liidien avulla liiketoimintaasi ja kontaktiesi määrä kasvaa ja niistä syntyy uusia mahdollisuuksia
DocType: Production Order Operation,Actual Operation Time,todellinen toiminta-aika
DocType: Authorization Rule,Applicable To (User),sovellettavissa (käyttäjä)
DocType: Purchase Taxes and Charges,Deduct,vähentää
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,työn kuvaus
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,työn kuvaus
DocType: Student Applicant,Applied,soveltava
DocType: Sales Invoice Item,Qty as per Stock UOM,Yksikkömäärä / varasto UOM
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2 Name
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 Name
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","erikoismerkit ""-"", ""#"", ""."" ja ""/"" ei ole sallittuja sarjojen nimeämisessä"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","seuraa myyntikampankoita, seuraa vihjeitä, -tarjouksia, myyntitilauksia ym mitataksesi kampanjaan sijoitetun pääoman tuoton"
DocType: Expense Claim,Approver,hyväksyjä
@@ -2022,7 +2039,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Sarjanumerolla {0} on takuu {1} asti
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,jaa lähete pakkauksien kesken
apps/erpnext/erpnext/hooks.py +87,Shipments,Toimitukset
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Tilin saldo ({0}) ja {1} ja varastossa arvo ({2}) varastointi {3} on sama
DocType: Payment Entry,Total Allocated Amount (Company Currency),Yhteensä jaettava määrä (Company valuutta)
DocType: Purchase Order Item,To be delivered to customer,Toimitetaan asiakkaalle
DocType: BOM,Scrap Material Cost,Romu ainekustannukset
@@ -2030,20 +2046,21 @@
DocType: Purchase Invoice,In Words (Company Currency),sanat (yrityksen valuutta)
DocType: Asset,Supplier,toimittaja
DocType: C-Form,Quarter,Neljännes
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,sekalaiset kulut
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,sekalaiset kulut
DocType: Global Defaults,Default Company,oletus yritys
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,kulu- / erotili vaaditaan tuotteelle {0} sillä se vaikuttaa varastoarvoon
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,kulu- / erotili vaaditaan tuotteelle {0} sillä se vaikuttaa varastoarvoon
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,pankin nimi
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-yllä
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-yllä
DocType: Employee Loan,Employee Loan Account,Työntekijän lainatilin
DocType: Leave Application,Total Leave Days,"Poistumisten yhteismäärä, päivät"
DocType: Email Digest,Note: Email will not be sent to disabled users,huom: sähköpostia ei lähetetä käytöstä poistetuille käyttäjille
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Lukumäärä Vuorovaikutus
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kohta Koodi> Tuote Group> Merkki
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Valitse yritys...
DocType: Leave Control Panel,Leave blank if considered for all departments,tyhjä mikäli se pidetään vaihtoehtona kaikilla osastoilla
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","työsopimuksen tyypit (jatkuva, sopimus, sisäinen jne)"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} on pakollinen tuotteelle {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} on pakollinen tuotteelle {1}
DocType: Process Payroll,Fortnightly,joka toinen viikko
DocType: Currency Exchange,From Currency,valuutasta
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Valitse kohdennettava arvomäärä, laskun tyyppi ja laskun numero vähintään yhdelle riville"
@@ -2065,7 +2082,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,"klikkaa ""muodosta aikataulu"" saadaksesi aikataulun"
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Seuraavia aikatauluja poistaessa tapahtui virheitä:
DocType: Bin,Ordered Quantity,tilattu määrä
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","esim, ""rakenna työkaluja rakentajille"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","esim, ""rakenna työkaluja rakentajille"""
DocType: Grading Scale,Grading Scale Intervals,Arvosteluasteikko intervallit
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Accounting Entry {2} voidaan tehdä valuutta: {3}
DocType: Production Order,In Process,prosessissa
@@ -2079,12 +2096,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Opiskelija ryhmät luotu.
DocType: Sales Invoice,Total Billing Amount,Lasku yhteensä
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,"On oltava oletus saapuva sähköposti tili käytössä, jotta tämä toimisi. Ole hyvä setup oletus saapuva sähköposti tili (POP / IMAP) ja yritä uudelleen."
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Saatava tili
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Rivi # {0}: Asset {1} on jo {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Saatava tili
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Rivi # {0}: Asset {1} on jo {2}
DocType: Quotation Item,Stock Balance,Varastotase
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Myyntitilauksesta maksuun
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Aseta Nimeäminen Series {0} Setup> Asetukset> nimeäminen Series
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,toimitusjohtaja
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,toimitusjohtaja
DocType: Expense Claim Detail,Expense Claim Detail,kulukorvauksen lisätiedot
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Valitse oikea tili
DocType: Item,Weight UOM,Painoyksikkö
@@ -2093,12 +2109,12 @@
DocType: Production Order Operation,Pending,Odottaa
DocType: Course,Course Name,Kurssin nimi
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Seuraavat käyttäjät voivat hyväksyä organisaation loma-anomukset
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Toimisto välineistö
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Toimisto välineistö
DocType: Purchase Invoice Item,Qty,Yksikkömäärä
DocType: Fiscal Year,Companies,Yritykset
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,elektroniikka
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Tee materiaalipyyntö kun varastoarvo saavuttaa täydennystilaustason
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,päätoiminen
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,päätoiminen
DocType: Salary Structure,Employees,Työntekijät
DocType: Employee,Contact Details,"yhteystiedot, lisätiedot"
DocType: C-Form,Received Date,Saivat Date
@@ -2108,7 +2124,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Hinnat ei näytetä, jos hinnasto ei ole asetettu"
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Ilmoitathan maa tälle toimitus säännön tai tarkistaa Postikuluja
DocType: Stock Entry,Total Incoming Value,"Kokonaisarvo, saapuva"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Veloituksen tarvitaan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Veloituksen tarvitaan
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Kellokortit auttaa seurata aikaa, kustannuksia ja laskutusta aktiviteetti tehdä tiimisi"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Ostohinta List
DocType: Offer Letter Term,Offer Term,Tarjouksen voimassaolo
@@ -2117,17 +2133,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Maksun täsmäytys
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,Valitse vastuuhenkilön nimi
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Teknologia
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Maksamattomat yhteensä: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Maksamattomat yhteensä: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM-sivuston Käyttö
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Työtarjous
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,muodosta materiaalipyymtö (MRP) ja tuotantotilaus
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,"Kokonaislaskutus, pankkipääte"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,"Kokonaislaskutus, pankkipääte"
DocType: BOM,Conversion Rate,Muuntokurssi
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Tuotehaku
DocType: Timesheet Detail,To Time,Aikaan
DocType: Authorization Rule,Approving Role (above authorized value),Hyväksymisestä Rooli (edellä valtuutettu arvo)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,kredit tilin tulee olla maksutili
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM-rekursio: {0} ei voi olla {2}:n osa tai päinvastoin
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,kredit tilin tulee olla maksutili
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM-rekursio: {0} ei voi olla {2}:n osa tai päinvastoin
DocType: Production Order Operation,Completed Qty,valmiit yksikkömäärä
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","{0}, vain debet tili voidaan kohdistaa kredit kirjaukseen"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Hinnasto {0} on poistettu käytöstä
@@ -2138,28 +2154,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} sarjanumerot tarvitaan Tuotteelle {1}. Olet antanut {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,nykyinen arvostus
DocType: Item,Customer Item Codes,asiakkaan tuotekoodit
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Exchange voitto / tappio
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange voitto / tappio
DocType: Opportunity,Lost Reason,Häviämissyy
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Uusi osoite
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Uusi osoite
DocType: Quality Inspection,Sample Size,Näytteen koko
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Anna kuitti asiakirja
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,kaikki tuotteet on jo laskutettu
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,kaikki tuotteet on jo laskutettu
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',Määritä kelvollinen "Case No."
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,"lisää kustannuspaikkoja voidaan tehdä kohdassa ryhmät, mutta pelkät merkinnät voi kohdistaa ilman ryhmiä"
DocType: Project,External,ulkoinen
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Käyttäjät ja käyttöoikeudet
DocType: Vehicle Log,VLOG.,Vlogi.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Tuotanto Tilaukset Luotu: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Tuotanto Tilaukset Luotu: {0}
DocType: Branch,Branch,Sivutoimiala
DocType: Guardian,Mobile Number,Puhelinnumero
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Tulostus ja brändäys
DocType: Bin,Actual Quantity,kiinteä yksikkömäärä
DocType: Shipping Rule,example: Next Day Shipping,esimerkiksi: seuraavan päivän toimitus
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Sarjanumeroa {0} ei löydy
-DocType: Scheduling Tool,Student Batch,Student Erä
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Omat asiakkaat
+DocType: Program Enrollment,Student Batch,Student Erä
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Tee Student
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Sinut on kutsuttu yhteistyöhön projektissa {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Sinut on kutsuttu yhteistyöhön projektissa {0}
DocType: Leave Block List Date,Block Date,estopäivä
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Hae nyt
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Todellinen määrä {0} / Waiting määrä {1}
@@ -2168,7 +2183,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","tee ja hallitse (päivä-, viikko- ja kuukausi) sähköpostitiedotteita"
DocType: Appraisal Goal,Appraisal Goal,arvioinnin tavoite
DocType: Stock Reconciliation Item,Current Amount,nykyinen Määrä
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,Rakennukset
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,Rakennukset
DocType: Fee Structure,Fee Structure,Palkkiojärjestelmä
DocType: Timesheet Detail,Costing Amount,"kustannuslaskenta, arvomäärä"
DocType: Student Admission,Application Fee,Hakemusmaksu
@@ -2180,10 +2195,10 @@
DocType: POS Profile,[Select],[valitse]
DocType: SMS Log,Sent To,Lähetetty kenelle
DocType: Payment Request,Make Sales Invoice,tee myyntilasku
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,Ohjelmistot
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Ohjelmistot
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Seuraava Ota Date ei voi olla menneisyydessä
DocType: Company,For Reference Only.,vain viitteeksi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Valitse Erä
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Valitse Erä
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},virheellinen {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-jälkikä-
DocType: Sales Invoice Advance,Advance Amount,ennakko
@@ -2193,15 +2208,15 @@
DocType: Employee,Employment Details,"työsopimus, lisätiedot"
DocType: Employee,New Workplace,Uusi Työpaikka
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Aseta suljetuksi
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Ei Item kanssa Barcode {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Ei Item kanssa Barcode {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,asianumero ei voi olla 0
DocType: Item,Show a slideshow at the top of the page,Näytä diaesitys sivun yläreunassa
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,BOMs
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,varastoi
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,BOMs
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,varastoi
DocType: Serial No,Delivery Time,toimitusaika
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,vanhentuminen perustuu
DocType: Item,End of Life,elinkaaren loppu
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,matka
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,matka
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Ei aktiivisia tai oletus Palkkarakenne löytynyt työntekijä {0} varten kyseisenä päivänä
DocType: Leave Block List,Allow Users,Salli Käyttäjät
DocType: Purchase Order,Customer Mobile No,Matkapuhelin
@@ -2210,29 +2225,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Päivitä kustannukset
DocType: Item Reorder,Item Reorder,Tuotteen täydennystilaus
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Näytä Palkka Slip
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,materiaalisiirto
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,materiaalisiirto
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","määritä toiminnot, käyttökustannukset ja anna toiminnoille oma uniikki numero"
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Tämä asiakirja on yli rajan {0} {1} alkion {4}. Teetkö toisen {3} vasten samalla {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Ole hyvä ja aseta toistuvuustieto vasta lomakkeen tallentamisen jälkeen.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Valitse muutoksen suuruuden tili
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Tämä asiakirja on yli rajan {0} {1} alkion {4}. Teetkö toisen {3} vasten samalla {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Ole hyvä ja aseta toistuvuustieto vasta lomakkeen tallentamisen jälkeen.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Valitse muutoksen suuruuden tili
DocType: Purchase Invoice,Price List Currency,"Hinnasto, valuutta"
DocType: Naming Series,User must always select,Käyttäjän tulee aina valita
DocType: Stock Settings,Allow Negative Stock,salli negatiivinen varastoarvo
DocType: Installation Note,Installation Note,asennus huomautus
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,lisää veroja
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,lisää veroja
DocType: Topic,Topic,Aihe
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Rahoituksen rahavirta
DocType: Budget Account,Budget Account,Talousarviotili
DocType: Quality Inspection,Verified By,Vahvistanut
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Yrityksen oletusvaluuttaa ei voi muuttaa sillä tapahtumia on olemassa, tapahtumat tulee peruuttaa jotta oletusvaluuttaa voi muuttaa"
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Yrityksen oletusvaluuttaa ei voi muuttaa sillä tapahtumia on olemassa, tapahtumat tulee peruuttaa jotta oletusvaluuttaa voi muuttaa"
DocType: Grading Scale Interval,Grade Description,Grade Kuvaus
DocType: Stock Entry,Purchase Receipt No,Ostokuitti No
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,aikaisintaan raha
DocType: Process Payroll,Create Salary Slip,Tee palkkalaskelma
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,jäljitettävyys
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Rahoituksen lähde (vieras pääoma)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Määrä rivillä {0} ({1}) tulee olla sama kuin valmistettu määrä {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Rahoituksen lähde (vieras pääoma)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Määrä rivillä {0} ({1}) tulee olla sama kuin valmistettu määrä {2}
DocType: Appraisal,Employee,työntekijä
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Valitse Batch
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} on kokonaan laskutettu
DocType: Training Event,End Time,ajan loppu
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktiivinen Palkkarakenne {0} löytyi työntekijöiden {1} annetulle päivämäärät
@@ -2244,11 +2260,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,pyydetylle
DocType: Rename Tool,File to Rename,Uudelleen nimettävä tiedosto
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Valitse BOM varten Tuote rivillä {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Määriteltyä BOM:ia {0} ei löydy tuotteelle {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Tilin {0} ei vastaa yhtiön {1} -tilassa Account: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Määriteltyä BOM:ia {0} ei löydy tuotteelle {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,huoltoaikataulu {0} on peruttava ennen myyntitilauksen perumista
DocType: Notification Control,Expense Claim Approved,kulukorvaus hyväksytty
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Palkka Slip työntekijöiden {0} on jo luotu tällä kaudella
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Lääkealan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Lääkealan
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,ostettujen tuotteiden kustannukset
DocType: Selling Settings,Sales Order Required,Myyntitilaus vaaditaan
DocType: Purchase Invoice,Credit To,kredittiin
@@ -2265,42 +2282,42 @@
DocType: Payment Gateway Account,Payment Account,Maksutili
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,Ilmoitathan Yritys jatkaa
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Nettomuutos Myyntireskontra
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,korvaava on pois
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,korvaava on pois
DocType: Offer Letter,Accepted,hyväksytyt
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,organisaatio
DocType: SG Creation Tool Course,Student Group Name,Opiskelijan Group Name
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Haluatko varmasti poistaa kaikki tämän yrityksen tapahtumat, päätyedostosi säilyy silti entisellään, tätä toimintoa ei voi peruuttaa"
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Haluatko varmasti poistaa kaikki tämän yrityksen tapahtumat, päätyedostosi säilyy silti entisellään, tätä toimintoa ei voi peruuttaa"
DocType: Room,Room Number,Huoneen numero
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Virheellinen viittaus {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ei voi olla suurempi arvo kuin suunniteltu tuotantomäärä ({2}) tuotannon tilauksessa {3}
DocType: Shipping Rule,Shipping Rule Label,Toimitussäännön nimike
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Käyttäjäfoorumi
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Raaka-aineet ei voi olla tyhjiä
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Ei voinut päivittää hyllyssä, lasku sisältää pudota merenkulku erä."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Raaka-aineet ei voi olla tyhjiä
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Ei voinut päivittää hyllyssä, lasku sisältää pudota merenkulku erä."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Nopea Päiväkirjakirjaus
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,"hintaa ei voi muuttaa, jos BOM liitetty johonkin tuotteeseen"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,"hintaa ei voi muuttaa, jos BOM liitetty johonkin tuotteeseen"
DocType: Employee,Previous Work Experience,Edellinen Työkokemus
DocType: Stock Entry,For Quantity,yksikkömäärään
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Syötä suunniteltu yksikkömäärä tuotteelle {0} rivillä {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} ei ole lähetetty
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Pyynnöt kohteita.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Erillinen tuotannon tilaus luodaan jokaiselle valmistuneelle tuotteelle
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} on oltava negatiivinen vastineeksi asiakirjassa
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} on oltava negatiivinen vastineeksi asiakirjassa
,Minutes to First Response for Issues,Minuutin First Response Issues
DocType: Purchase Invoice,Terms and Conditions1,Ehdot ja säännöt 1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,Nimi Instituutin jolle olet luomassa tätä järjestelmää.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,Nimi Instituutin jolle olet luomassa tätä järjestelmää.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","kirjanpidon kirjaus on toistaiseksi jäädytetty, vain alla mainitussa roolissa voi tällä hetkellä kirjata / muokata tiliä"
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,Tallenna asiakirja ennen huoltoaikataulun muodostusta
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Projektin tila
DocType: UOM,Check this to disallow fractions. (for Nos),täppää ellet halua murtolukuja (Nos:iin)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Seuraavat tuotantotilaukset luotiin:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Seuraavat tuotantotilaukset luotiin:
DocType: Student Admission,Naming Series (for Student Applicant),Nimeäminen Series (opiskelija Hakija)
DocType: Delivery Note,Transporter Name,kuljetusyritys nimi
DocType: Authorization Rule,Authorized Value,Valtuutettu Arvo
DocType: BOM,Show Operations,Näytä Operations
,Minutes to First Response for Opportunity,Minuutin First Response Opportunity
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,"Yhteensä, puuttua"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,tuote tai varastorivi {0} ei täsmää materiaalipyynnön kanssa
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,tuote tai varastorivi {0} ei täsmää materiaalipyynnön kanssa
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Mittayksikkö
DocType: Fiscal Year,Year End Date,Vuoden viimeinen päivä
DocType: Task Depends On,Task Depends On,Tehtävä riippuu
@@ -2379,11 +2396,11 @@
DocType: Asset,Manual,manuaalinen
DocType: Salary Component Account,Salary Component Account,Palkanosasta Account
DocType: Global Defaults,Hide Currency Symbol,piilota valuuttasymbooli
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","esim, pankki, kassa, luottokortti"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","esim, pankki, kassa, luottokortti"
DocType: Lead Source,Source Name,Source Name
DocType: Journal Entry,Credit Note,hyvityslasku
DocType: Warranty Claim,Service Address,Palveluosoite
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Huonekaluja ja kalusteet
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Huonekaluja ja kalusteet
DocType: Item,Manufacture,Valmistus
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Ensin lähete
DocType: Student Applicant,Application Date,Hakupäivämäärä
@@ -2393,7 +2410,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,tilityspäivää ei ole mainittu
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Tuotanto
DocType: Guardian,Occupation,Ammatti
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Ole hyvä setup Työntekijän nimijärjestelmään Human Resource> HR Asetukset
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Rivi {0}: Aloitus on ennen Päättymispäivä
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),yhteensä (yksikkömäärä)
DocType: Sales Invoice,This Document,Tämä asiakirja
@@ -2405,19 +2421,19 @@
DocType: Purchase Receipt,Time at which materials were received,Vaihtomateriaalien vastaanottoaika
DocType: Stock Ledger Entry,Outgoing Rate,lähtevä taso
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organisaation sivutoimialamalline
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,tai
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,tai
DocType: Sales Order,Billing Status,Laskutus tila
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Raportoi asia
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Hyödykekulut
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Hyödykekulut
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90 ja yli
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Rivi # {0}: Päiväkirjakirjaus {1} ei ole huomioon {2} tai jo sovitettu toista voucher
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Rivi # {0}: Päiväkirjakirjaus {1} ei ole huomioon {2} tai jo sovitettu toista voucher
DocType: Buying Settings,Default Buying Price List,"oletus hinnasto, osto"
DocType: Process Payroll,Salary Slip Based on Timesheet,Palkka tuntilomakkeen mukaan
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Yksikään työntekijä ei edellä valitut kriteerit TAI palkkakuitin jo luotu
DocType: Notification Control,Sales Order Message,"Myyntitilaus, viesti"
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Aseta oletusarvot kuten yritys, valuutta, kuluvan tilikausi jne"
DocType: Payment Entry,Payment Type,Maksun tyyppi
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Valitse Erä momentille {0}. Pysty löytämään yhden erän, joka täyttää tämän vaatimuksen"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Valitse Erä momentille {0}. Pysty löytämään yhden erän, joka täyttää tämän vaatimuksen"
DocType: Process Payroll,Select Employees,Valitse työntekijät
DocType: Opportunity,Potential Sales Deal,Potentiaaliset Myynti Deal
DocType: Payment Entry,Cheque/Reference Date,Sekki / Viitepäivä
@@ -2437,7 +2453,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Kuitti asiakirja on esitettävä
DocType: Purchase Invoice Item,Received Qty,Saapunut yksikkömäärä
DocType: Stock Entry Detail,Serial No / Batch,Sarjanumero / erä
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Ei makseta ja ei toimiteta
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Ei makseta ja ei toimiteta
DocType: Product Bundle,Parent Item,Pääkohde
DocType: Account,Account Type,Tilin tyyppi
DocType: Delivery Note,DN-RET-,DN-jälkikä-
@@ -2451,24 +2467,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),pakkauksen tunnistus toimitukseen (tulostus)
DocType: Bin,Reserved Quantity,Varattu Määrä
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Anna voimassa oleva sähköpostiosoite
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Ei ole pakollista kurssin ohjelmaan {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Ostokuitti Items
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,muotojen muokkaus
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,arrear
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,arrear
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Poistot Määrä ajanjaksolla
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Vammaiset mallia saa olla oletuspohja
DocType: Account,Income Account,tulotili
DocType: Payment Request,Amount in customer's currency,Summa asiakkaan valuutassa
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Toimitus
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Toimitus
DocType: Stock Reconciliation Item,Current Qty,nykyinen yksikkömäärä
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section","Katso ""materiaaleihin perustuva arvo"" kustannuslaskenta osiossa"
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Taaksepäin
DocType: Appraisal Goal,Key Responsibility Area,Key Vastuu Area
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Student Erät avulla voit seurata läsnäoloa, arvioinnit ja palkkiot opiskelijoille"
DocType: Payment Entry,Total Allocated Amount,Yhteensä osuutensa
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Aseta oletus varaston osuus investointikertymämenetelmän
DocType: Item Reorder,Material Request Type,materiaalipyynnön tyyppi
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Päiväkirjakirjaus palkkojen välillä {0} ja {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStoragen on täynnä, ei tallentanut"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStoragen on täynnä, ei tallentanut"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Rivi {0}: UOM Muuntokerroin on pakollinen
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Viite
DocType: Budget,Cost Center,kustannuspaikka
@@ -2481,19 +2497,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Hinnoittelu sääntö on tehty tämä korvaa hinnaston / määritä alennus, joka perustuu kriteereihin"
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Varastoa voi muuttaa ainoastaan varaston Kirjauksella / Lähetteellä / Ostokuitilla
DocType: Employee Education,Class / Percentage,luokka / prosenttia
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,markkinoinnin ja myynnin pää
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,tulovero
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,markkinoinnin ja myynnin pää
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,tulovero
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","mikäli 'hinnalle' on tehty hinnoittelusääntö se korvaa hinnaston, hinnoittelusääntö on lopullinen hinta joten lisäalennusta ei voi antaa, näin myyntitilaus, ostotilaus ym tapahtumaissa tuote sijoittuu paremmin 'arvo' kenttään 'hinnaston arvo' kenttään"
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Seuraa vihjeitä toimialan mukaan
DocType: Item Supplier,Item Supplier,tuote toimittaja
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,Syötä tuotekoodi saadaksesi eränumeron
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},Syötä arvot tarjouksesta {0} tarjoukseen {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,Syötä tuotekoodi saadaksesi eränumeron
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Syötä arvot tarjouksesta {0} tarjoukseen {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,kaikki osoitteet
DocType: Company,Stock Settings,varastoasetukset
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","yhdistäminen on mahdollista vain, jos seuraavat arvot ovat samoja molemmissa tietueissa, kantatyyppi, ryhmä, viite, yritys"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","yhdistäminen on mahdollista vain, jos seuraavat arvot ovat samoja molemmissa tietueissa, kantatyyppi, ryhmä, viite, yritys"
DocType: Vehicle,Electric,Sähköinen
DocType: Task,% Progress,% Progress
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Voitto / tappio Omaisuudenhoitoalan Hävittäminen
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Voitto / tappio Omaisuudenhoitoalan Hävittäminen
DocType: Training Event,Will send an email about the event to employees with status 'Open',Lähettää sähköpostia tapahtumasta työntekijöiden tilassa 'Open'
DocType: Task,Depends on Tasks,Riippuu Tehtävät
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,hallitse asiakasryhmäpuuta
@@ -2502,7 +2518,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,uuden kustannuspaikan nimi
DocType: Leave Control Panel,Leave Control Panel,poistu ohjauspaneelista
DocType: Project,Task Completion,Task Täydennys
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Not in Stock
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Not in Stock
DocType: Appraisal,HR User,henkilöstön käyttäjä
DocType: Purchase Invoice,Taxes and Charges Deducted,Netto ilman veroja ja kuluja
apps/erpnext/erpnext/hooks.py +116,Issues,aiheet
@@ -2513,22 +2529,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Ei palkkakuitin välillä havaittu {0} ja {1}
,Pending SO Items For Purchase Request,"Ostettavat pyyntö, odottavat myyntitilaukset"
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Opiskelijavalinta
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} on poistettu käytöstä
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} on poistettu käytöstä
DocType: Supplier,Billing Currency,Laskutus Valuutta
DocType: Sales Invoice,SINV-RET-,SINV-jälkikä-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,erittäin suuri
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,erittäin suuri
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Yhteensä lehdet
,Profit and Loss Statement,Tuloslaskelma selvitys
DocType: Bank Reconciliation Detail,Cheque Number,takaus/shekki numero
,Sales Browser,Myyntiselain
DocType: Journal Entry,Total Credit,Kredit yhteensä
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Varoitus: toinen varaston kirjausksen kohdistus {0} # {1} on jo olemassa {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Paikallinen
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Paikallinen
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),lainat ja ennakot (vastaavat)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,velalliset
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Suuri
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Suuri
DocType: Homepage Featured Product,Homepage Featured Product,Kotisivu Erityistuotteet
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Kaikki Assessment Groups
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Kaikki Assessment Groups
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Uusi varasto Name
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Yhteensä {0} ({1})
DocType: C-Form Invoice Detail,Territory,Alue
@@ -2538,12 +2554,12 @@
DocType: Production Order Operation,Planned Start Time,Suunniteltu aloitusaika
DocType: Course,Assessment,Arviointi
DocType: Payment Entry Reference,Allocated,kohdennettu
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Sulje tase- ja tuloslaskelma kirja
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Sulje tase- ja tuloslaskelma kirja
DocType: Student Applicant,Application Status,sovellus status
DocType: Fees,Fees,Maksut
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,määritä valuutan muunnostaso vaihtaaksesi valuutan toiseen
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Tarjous {0} on peruttu
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,odottava arvomäärä yhteensä
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,odottava arvomäärä yhteensä
DocType: Sales Partner,Targets,Tavoitteet
DocType: Price List,Price List Master,Hinnasto valvonta
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,kaikki myyntitapahtumat voidaan kohdistaa useammalle ** myyjälle ** tavoitteiden asettamiseen ja seurantaan
@@ -2575,11 +2591,11 @@
1. Address and Contact of your Company.","perusehdot, jotka voidaan lisätä myynteihin ja ostoihin esim, 1. tarjouksen voimassaolo 1. maksuehdot (ennakko, luotto, osaennakko jne) 1. lisäkulut (asiakkaan maksettavaksi) 1. turvallisuus / käyttövaroitukset 1. takuuasiat 1. palautusoikeus. 1. toimitusehdot 1. riita-, korvaus- ja vastuuasioiden käsittely jne 1. omat osoite ja yhteystiedot"
DocType: Attendance,Leave Type,Vapaan tyyppi
DocType: Purchase Invoice,Supplier Invoice Details,Toimittaja Laskun tiedot
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,kulu- / erotili ({0}) tulee olla 'tuloslaskelma' tili
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,kulu- / erotili ({0}) tulee olla 'tuloslaskelma' tili
DocType: Project,Copied From,kopioitu
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Nimivirhe: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,Puute
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} ei liittynyt {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} ei liittynyt {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,työntekijän {0} osallistuminen on jo merkitty
DocType: Packing Slip,If more than one package of the same type (for print),mikäli useampi saman tyypin pakkaus (tulostus)
,Salary Register,Palkka Register
@@ -2597,22 +2613,23 @@
,Requested Qty,pyydetty yksikkömäärä
DocType: Tax Rule,Use for Shopping Cart,Käytä ostoskoriin
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Arvo {0} attribuutille {1} ei ole voimassa olevien kohdeattribuuttien luettelossa tuotteelle {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Valitse sarjanumerot
DocType: BOM Item,Scrap %,Romu %
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","maksut jaetaan suhteellisesti tuotteiden yksikkömäärän tai arvomäärän mukaan, määrityksen perusteella"
DocType: Maintenance Visit,Purposes,Tarkoituksiin
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,vähintään yhdellä tuottella tulee olla negatiivinen määrä palautus asiakirjassa
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,vähintään yhdellä tuottella tulee olla negatiivinen määrä palautus asiakirjassa
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","tuote {0} kauemmin kuin mikään saatavillaoleva työaika työasemalla {1}, hajoavat toiminta useiksi toiminnoiksi"
,Requested,Pyydetty
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Ei huomautuksia
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Ei huomautuksia
DocType: Purchase Invoice,Overdue,Myöhässä
DocType: Account,Stock Received But Not Billed,varasto vastaanotettu mutta ei laskutettu
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Root on ryhmä
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Root on ryhmä
DocType: Fees,FEE.,MAKSU.
DocType: Employee Loan,Repaid/Closed,Palautettava / Suljettu
DocType: Item,Total Projected Qty,Arvioitu kokonaismäärä
DocType: Monthly Distribution,Distribution Name,"toimitus, nimi"
DocType: Course,Course Code,Course koodi
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Tuotteelle {0} laatutarkistus
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Tuotteelle {0} laatutarkistus
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,"taso, jolla asiakkaan valuutta muunnetaan yrityksen käyttämäksi perusvaluutaksi"
DocType: Purchase Invoice Item,Net Rate (Company Currency),nettotaso (yrityksen valuutta)
DocType: Salary Detail,Condition and Formula Help,Ehto ja Formula Ohje
@@ -2625,27 +2642,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,materiaalisiirto tuotantoon
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,"alennusprosenttia voi soveltaa yhteen, tai useampaan hinnastoon"
DocType: Purchase Invoice,Half-yearly,puolivuosittain
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,kirjanpidon varaston kirjaus
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,kirjanpidon varaston kirjaus
DocType: Vehicle Service,Engine Oil,Moottoriöljy
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Ole hyvä setup Työntekijän nimijärjestelmään Human Resource> HR Asetukset
DocType: Sales Invoice,Sales Team1,Myyntitiimi 1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,tuotetta {0} ei ole olemassa
DocType: Sales Invoice,Customer Address,Asiakkaan osoite
DocType: Employee Loan,Loan Details,Loan tiedot
+DocType: Company,Default Inventory Account,Oletus Inventory Tili
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Rivi {0}: Valmis Määrä on oltava suurempi kuin nolla.
DocType: Purchase Invoice,Apply Additional Discount On,käytä lisäalennusta
DocType: Account,Root Type,kantatyyppi
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},rivi # {0}: ei voi palauttaa enemmän kuin {1} tuotteelle {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},rivi # {0}: ei voi palauttaa enemmän kuin {1} tuotteelle {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Tontti
DocType: Item Group,Show this slideshow at the top of the page,Näytä tämä diaesitys sivun yläreunassa
DocType: BOM,Item UOM,tuote UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Veron arvomäärä alennusten jälkeen (yrityksen valuutta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Tavoite varasto on pakollinen rivin {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Tavoite varasto on pakollinen rivin {0}
DocType: Cheque Print Template,Primary Settings,Perusasetukset
DocType: Purchase Invoice,Select Supplier Address,Valitse toimittajan osoite
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Lisää Työntekijät
DocType: Purchase Invoice Item,Quality Inspection,Laatutarkistus
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,erittäin pieni
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,erittäin pieni
DocType: Company,Standard Template,Standard Template
DocType: Training Event,Theory,Teoria
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Varoitus: Pyydetty materiaalin määrä alittaa vähimmäistilausmäärän
@@ -2653,7 +2672,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"juridinen hlö / tytäryhtiö, jolla on erillinen tilikartta kuuluu organisaatioon"
DocType: Payment Request,Mute Email,Mute Sähköposti
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Ruoka, Juoma ja Tupakka"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Voi vain maksun vastaan laskuttamattomia {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Voi vain maksun vastaan laskuttamattomia {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,provisio taso ei voi olla suurempi kuin 100
DocType: Stock Entry,Subcontract,alihankinta
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Kirjoita {0} ensimmäisen
@@ -2666,18 +2685,18 @@
DocType: SMS Log,No of Sent SMS,Lähetetyn SMS-viestin numero
DocType: Account,Expense Account,kulutili
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Ohjelmisto
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,väritä
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,väritä
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Assessment Plan Criteria
DocType: Training Event,Scheduled,Aikataulutettu
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Tarjouspyyntö.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Valitse tuote joka ""varastotuote"", ""numero"" ja ""myyntituote"" valinnat täpätty kohtaan ""kyllä"", tuotteella ole muuta tavarakokonaisuutta"
DocType: Student Log,Academic,akateeminen
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Yhteensä etukäteen ({0}) vastaan Order {1} ei voi olla suurempi kuin Grand Total ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Yhteensä etukäteen ({0}) vastaan Order {1} ei voi olla suurempi kuin Grand Total ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Valitse toimitusten kk jaksotus tehdäksesi kausiluonteiset toimitusttavoitteet
DocType: Purchase Invoice Item,Valuation Rate,Arvostustaso
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,diesel-
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,"Hinnasto, valuutta ole valittu"
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,"Hinnasto, valuutta ole valittu"
,Student Monthly Attendance Sheet,Student Kuukauden Läsnäolo Sheet
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},työntekijällä {0} on jo {1} hakemus {2} ja {3} välilltä
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Projekti aloituspäivä
@@ -2689,7 +2708,7 @@
DocType: BOM,Scrap,Romu
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,hallitse myyntikumppaneita
DocType: Quality Inspection,Inspection Type,tarkistus tyyppi
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Varastoissa nykyisten tapahtumaa ei voida muuntaa ryhmään.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Varastoissa nykyisten tapahtumaa ei voida muuntaa ryhmään.
DocType: Assessment Result Tool,Result HTML,tulos HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Vanhemee
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Lisää Opiskelijat
@@ -2697,13 +2716,13 @@
DocType: C-Form,C-Form No,C-muoto nro
DocType: BOM,Exploded_items,räjäytetyt_tuotteet
DocType: Employee Attendance Tool,Unmarked Attendance,Merkitsemätön Läsnäolo
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Tutkija
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Tutkija
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Ohjelma Ilmoittautuminen Tool Student
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Nimi tai Sähköposti on pakollinen
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,"saapuva, laatuntarkistus"
DocType: Purchase Order Item,Returned Qty,Palautetut Kpl
DocType: Employee,Exit,poistu
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,kantatyyppi vaaditaan
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,kantatyyppi vaaditaan
DocType: BOM,Total Cost(Company Currency),Kokonaiskustannukset (Company valuutta)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Sarjanumeron on luonut {0}
DocType: Homepage,Company Description for website homepage,Verkkosivuston etusivulle sijoitettava yrityksen kuvaus
@@ -2712,7 +2731,7 @@
DocType: Sales Invoice,Time Sheet List,Tuntilistaluettelo
DocType: Employee,You can enter any date manually,voit kirjoittaa minkä tahansa päivämäärän manuaalisesti
DocType: Asset Category Account,Depreciation Expense Account,Poistokulujen tili
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Koeaika
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Koeaika
DocType: Customer Group,Only leaf nodes are allowed in transaction,Vain jatkosidokset ovat sallittuja tapahtumassa
DocType: Expense Claim,Expense Approver,kulujen hyväksyjä
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Rivi {0}: Advance vastaan asiakkaan on luotto
@@ -2725,10 +2744,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Kurssin aikataulut poistettu:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Lokit ylläpitämiseksi sms toimituksen tila
DocType: Accounts Settings,Make Payment via Journal Entry,Tee Maksu Päiväkirjakirjaus
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,painettu
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,painettu
DocType: Item,Inspection Required before Delivery,Tarkastus Pakollinen ennen Delivery
DocType: Item,Inspection Required before Purchase,Tarkastus Pakollinen ennen Purchase
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Odottaa Aktiviteetit
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Organisaation
DocType: Fee Component,Fees Category,Maksut Luokka
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Syötä lievittää päivämäärä.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,pankkipääte
@@ -2738,9 +2758,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Täydennystilaustaso
DocType: Company,Chart Of Accounts Template,Tilikartta Template
DocType: Attendance,Attendance Date,"osallistuminen, päivä"
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Hinta päivitetty {0} in hinnasto {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Hinta päivitetty {0} in hinnasto {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Palkkaerittelyn kohdistetut ansiot ja vähennykset
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,tilin alasidoksia ei voi muuttaa tilikirjaksi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,tilin alasidoksia ei voi muuttaa tilikirjaksi
DocType: Purchase Invoice Item,Accepted Warehouse,hyväksytyt varasto
DocType: Bank Reconciliation Detail,Posting Date,Julkaisupäivä
DocType: Item,Valuation Method,Arvomenetelmä
@@ -2749,14 +2769,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,monista kirjaus
DocType: Program Enrollment Tool,Get Students,Hanki Opiskelijat
DocType: Serial No,Under Warranty,Takuu voimassa
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[virhe]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[virhe]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,"sanat näkyvät, kun tallennat myyntitilauksen"
,Employee Birthday,Työntekijän syntymäpäivä
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Erä Läsnäolo Tool
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,Raja ylitetty
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Raja ylitetty
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Pääomasijoitus
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Lukukaudessa tällä "Lukuvuosi {0} ja" Term Name '{1} on jo olemassa. Ole hyvä ja muokata näitä merkintöjä ja yritä uudelleen.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Koska on olemassa nykyisiä tapahtumia vastaan kohde {0}, et voi muuttaa arvoa {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Koska on olemassa nykyisiä tapahtumia vastaan kohde {0}, et voi muuttaa arvoa {1}"
DocType: UOM,Must be Whole Number,täytyy olla kokonaisluku
DocType: Leave Control Panel,New Leaves Allocated (In Days),uusi poistumisten kohdennus (päiviä)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Sarjanumeroa {0} ei ole olemassa
@@ -2765,6 +2785,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,laskun numero
DocType: Shopping Cart Settings,Orders,Tilaukset
DocType: Employee Leave Approver,Leave Approver,Vapaiden hyväksyjä
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Valitse erä
DocType: Assessment Group,Assessment Group Name,Assessment Group Name
DocType: Manufacturing Settings,Material Transferred for Manufacture,Materiaali Siirretty valmistus
DocType: Expense Claim,"A user with ""Expense Approver"" role","käyttäjä jolla on ""kulujen hyväksyjä"" rooli"
@@ -2774,9 +2795,10 @@
DocType: Target Detail,Target Detail,Tavoite lisätiedot
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,kaikki työt
DocType: Sales Order,% of materials billed against this Sales Order,% myyntitilauksen materiaaleista laskutettu
+DocType: Program Enrollment,Mode of Transportation,Kuljetusmuoto
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Kauden sulkukirjaus
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,olemassaolevien tapahtumien kustannuspaikkaa ei voi muuttaa ryhmäksi
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Määrä {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Määrä {0} {1} {2} {3}
DocType: Account,Depreciation,arvonalennus
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),toimittaja/toimittajat
DocType: Employee Attendance Tool,Employee Attendance Tool,Työntekijän läsnäolo Tool
@@ -2784,7 +2806,7 @@
DocType: Supplier,Credit Limit,luottoraja
DocType: Production Plan Sales Order,Salse Order Date,Salse Tilauksen päivämäärä
DocType: Salary Component,Salary Component,Palkanosasta
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Maksu merkinnät {0} ovat un sidottu
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Maksu merkinnät {0} ovat un sidottu
DocType: GL Entry,Voucher No,Tosite nro
,Lead Owner Efficiency,Lyijy Omistaja Tehokkuus
DocType: Leave Allocation,Leave Allocation,Vapaan kohdistus
@@ -2795,11 +2817,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Sopimusehtojen mallipohja
DocType: Purchase Invoice,Address and Contact,Osoite ja yhteystiedot
DocType: Cheque Print Template,Is Account Payable,Onko tili Maksettava
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Kanta ei voi päivittää vastaan Ostokuitti {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Kanta ei voi päivittää vastaan Ostokuitti {0}
DocType: Supplier,Last Day of the Next Month,seuraavan kuukauden viimeinen päivä
DocType: Support Settings,Auto close Issue after 7 days,Auto lähellä Issue 7 päivän jälkeen
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Vapaita ei voida käyttää ennen {0}, koska käytettävissä olevat vapaat on jo siirretty eteenpäin jaksolle {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),huom: viitepäivä huomioiden asiakkaan luottoraja ylittyy {0} päivää
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),huom: viitepäivä huomioiden asiakkaan luottoraja ylittyy {0} päivää
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Student Hakija
DocType: Asset Category Account,Accumulated Depreciation Account,Kertyneiden poistojen tili
DocType: Stock Settings,Freeze Stock Entries,jäädytä varaston kirjaukset
@@ -2808,35 +2830,35 @@
DocType: Activity Cost,Billing Rate,Laskutus taso
,Qty to Deliver,Toimitettava yksikkömäärä
,Stock Analytics,Varastoanalytiikka
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Toimintaa ei voi jättää tyhjäksi
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Toimintaa ei voi jättää tyhjäksi
DocType: Maintenance Visit Purpose,Against Document Detail No,asiakirjan yksityiskohta nro kohdistus
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Osapuoli tyyppi on pakollinen
DocType: Quality Inspection,Outgoing,Lähtevä
DocType: Material Request,Requested For,Pyydetty kohteelle
DocType: Quotation Item,Against Doctype,koskien tietuetyyppiä
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} on peruutettu tai suljettu
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} on peruutettu tai suljettu
DocType: Delivery Note,Track this Delivery Note against any Project,seuraa tätä lähetettä kohdistettuna projektiin
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Investointien nettokassavirta
-,Is Primary Address,On Ensisijainen osoite
DocType: Production Order,Work-in-Progress Warehouse,Työnalla varasto
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Asset {0} on toimitettava
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Läsnäolo Record {0} on olemassa vastaan Opiskelija {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Läsnäolo Record {0} on olemassa vastaan Opiskelija {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Viite # {0} päivätty {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Poistot Putosi johtuu omaisuuden myynnistä
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Hallitse Osoitteet
DocType: Asset,Item Code,tuotekoodi
DocType: Production Planning Tool,Create Production Orders,tee tuotannon tilaus
DocType: Serial No,Warranty / AMC Details,Takuun / huollon lisätiedot
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Valitse opiskelijat manuaalisesti Toiminto perustuu ryhmän
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Valitse opiskelijat manuaalisesti Toiminto perustuu ryhmän
DocType: Journal Entry,User Remark,Käyttäjä huomautus
DocType: Lead,Market Segment,Market Segment
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Maksettu summa ei voi olla suurempi kuin koko negatiivinen jäljellä {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Maksettu summa ei voi olla suurempi kuin koko negatiivinen jäljellä {0}
DocType: Employee Internal Work History,Employee Internal Work History,työntekijän sisäinen työhistoria
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),sulku (dr)
DocType: Cheque Print Template,Cheque Size,Shekki Koko
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Sarjanumero {0} ei varastossa
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Veromallipohja myyntitapahtumiin
DocType: Sales Invoice,Write Off Outstanding Amount,Poiston odottava arvomäärä
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Tilin {0} ei vastaa yhtiön {1}
DocType: School Settings,Current Academic Year,Nykyinen Lukuvuosi
DocType: Stock Settings,Default Stock UOM,oletus varasto UOM
DocType: Asset,Number of Depreciations Booked,Kirjattujen poistojen lukumäärä
@@ -2851,27 +2873,27 @@
DocType: Asset,Double Declining Balance,Double jäännösarvopoisto
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Suljettu järjestys ei voi peruuttaa. Unclose peruuttaa.
DocType: Student Guardian,Father,Isä
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'Päivitä varasto' ei voida valita käyttöomaisuuden myynteihin
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Päivitä varasto' ei voida valita käyttöomaisuuden myynteihin
DocType: Bank Reconciliation,Bank Reconciliation,pankin täsmäytys
DocType: Attendance,On Leave,lomalla
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,hae päivitykset
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Tili {2} ei kuulu yhtiön {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,materiaalipyyntö {0} on peruttu tai keskeytetty
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Lisää muutama esimerkkitietue
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Lisää muutama esimerkkitietue
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Vapaiden hallinta
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,tilin ryhmä
DocType: Sales Order,Fully Delivered,täysin toimitettu
DocType: Lead,Lower Income,matala tulo
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Lähde ja tavoite varasto eivät voi olla samat rivillä {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Lähde ja tavoite varasto eivät voi olla samat rivillä {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","erotilin tulee olla vastaavat/vastattavat tili huomioiden, että varaston täsmäytys vaatii aloituskirjauksen"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Maksettu summa ei voi olla suurempi kuin lainan määrä {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Ostotilauksen numero vaaditaan tuotteelle {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Tuotantotilaus ei luonut
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Ostotilauksen numero vaaditaan tuotteelle {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Tuotantotilaus ei luonut
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',Aloituspäivän tulee olla ennen päättymispäivää
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Ei voida muuttaa asemaa opiskelija {0} liittyy opiskelijavalinta {1}
DocType: Asset,Fully Depreciated,täydet poistot
,Stock Projected Qty,ennustettu varaston yksikkömäärä
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},asiakas {0} ei kuulu projektiin {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},asiakas {0} ei kuulu projektiin {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Merkitty Läsnäolo HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Lainaukset ovat ehdotuksia, tarjouksia olet lähettänyt asiakkaille"
DocType: Sales Order,Customer's Purchase Order,Asiakkaan Ostotilaus
@@ -2880,33 +2902,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Summa Kymmeniä Arviointikriteerit on oltava {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Aseta määrä Poistot varatut
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Arvo tai yksikkömäärä
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Productions Tilaukset ei voida nostaa varten:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Minuutti
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions Tilaukset ei voida nostaa varten:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Minuutti
DocType: Purchase Invoice,Purchase Taxes and Charges,Oston verot ja maksut
,Qty to Receive,Vastaanotettava yksikkömäärä
DocType: Leave Block List,Leave Block List Allowed,Sallitut
DocType: Grading Scale Interval,Grading Scale Interval,Arvosteluasteikko Interval
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Matkakorvauslomakkeet kulkuneuvojen Log {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Alennus (%) on Hinnasto Hinta kanssa marginaali
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,kaikki kaupalliset
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,kaikki kaupalliset
DocType: Sales Partner,Retailer,Jälleenmyyjä
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Kredit tilin on oltava tase tili
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Kredit tilin on oltava tase tili
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,kaikki toimittajatyypit
DocType: Global Defaults,Disable In Words,Poista In Sanat
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,"tuotekoodi vaaditaan, sillä tuotetta ei numeroida automaattisesti"
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"tuotekoodi vaaditaan, sillä tuotetta ei numeroida automaattisesti"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Tarjous {0} ei ole tyyppiä {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,"huoltoaikataulu, tuote"
DocType: Sales Order,% Delivered,% toimitettu
DocType: Production Order,PRO-,PRO-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,pankin tilinylitystili
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,pankin tilinylitystili
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Tee palkkalaskelma
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Rivi # {0}: osuutensa ei voi olla suurempi kuin lainamäärä.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,selaa BOM:a
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Taatut lainat
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Taatut lainat
DocType: Purchase Invoice,Edit Posting Date and Time,Edit julkaisupäivä ja aika
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Aseta poistot liittyvät tilien instrumenttikohtaisilla {0} tai Company {1}
DocType: Academic Term,Academic Year,Lukuvuosi
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Avaa oman pääoman tase
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Avaa oman pääoman tase
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Arvioinnit
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},Sähköposti lähetetään toimittaja {0}
@@ -2922,7 +2944,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,hyväksyvä rooli ei voi olla sama kuin käytetyssä säännössä oleva
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Peruuta tämän sähköpostilistan koostetilaus
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Viesti lähetetty
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Huomioon lapsen solmuja ei voida asettaa Ledger
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Huomioon lapsen solmuja ei voida asettaa Ledger
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,"taso, jolla hinnasto valuutta muunnetaan asiakkaan käyttämäksi perusvaluutaksi"
DocType: Purchase Invoice Item,Net Amount (Company Currency),netto (yrityksen valuutassa)
@@ -2956,7 +2978,7 @@
DocType: Expense Claim,Approval Status,hyväksynnän tila
DocType: Hub Settings,Publish Items to Hub,Julkaise tuotteet Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},arvosta täytyy olla pienempi kuin arvo rivillä {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Sähköinen tilisiirto
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Sähköinen tilisiirto
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Tarkista kaikki
DocType: Vehicle Log,Invoice Ref,lasku Ref
DocType: Purchase Order,Recurring Order,Toistuvat Order
@@ -2969,51 +2991,54 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Pankit ja maksut
,Welcome to ERPNext,Tervetuloa ERPNext - järjestelmään
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,vihjeestä tarjous
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Ei voi muuta osoittaa.
DocType: Lead,From Customer,asiakkaasta
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,pyynnöt
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,pyynnöt
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,erissä
DocType: Project,Total Costing Amount (via Time Logs),Kustannuslaskenta arvomäärä yhteensä (aikaloki)
DocType: Purchase Order Item Supplied,Stock UOM,varasto UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Ostotilausta {0} ei ole lähetetty
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Ostotilausta {0} ei ole lähetetty
DocType: Customs Tariff Number,Tariff Number,tariffi numero
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Ennuste
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Sarjanumero {0} ei kuulu varastoon {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,huom: järjestelmä ei tarkista ylitoimitusta tai tuotteen ylivarausta {0} yksikkömääränä tai arvomäärän ollessa 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,huom: järjestelmä ei tarkista ylitoimitusta tai tuotteen ylivarausta {0} yksikkömääränä tai arvomäärän ollessa 0
DocType: Notification Control,Quotation Message,Tarjouksen viesti
DocType: Employee Loan,Employee Loan Application,Työntekijän lainahakemuksen
DocType: Issue,Opening Date,Opening Date
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Läsnäolo on merkitty onnistuneesti.
+DocType: Program Enrollment,Public Transport,Julkinen liikenne
DocType: Journal Entry,Remark,Huomautus
DocType: Purchase Receipt Item,Rate and Amount,hinta ja arvomäärä
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Tilityyppi on {0} on {1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,Vapaat ja lomat
DocType: School Settings,Current Academic Term,Nykyinen lukukaudessa
DocType: Sales Order,Not Billed,Ei laskuteta
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Molempien varastojen tulee kuulua samalle organisaatiolle
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,yhteystietoja ei ole lisätty
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Molempien varastojen tulee kuulua samalle organisaatiolle
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,yhteystietoja ei ole lisätty
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,"Kohdistetut kustannukset, arvomäärä"
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Laskut esille Toimittajat.
DocType: POS Profile,Write Off Account,Poistotili
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Veloitusilmoituksen Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,alennus arvomäärä
DocType: Purchase Invoice,Return Against Purchase Invoice,"ostolasku, palautuksen kohdistus"
DocType: Item,Warranty Period (in days),Takuuaika (päivinä)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Suhde Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Suhde Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Liiketoiminnan nettorahavirta
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,"esim, alv"
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,"esim, alv"
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Nimike 4
DocType: Student Admission,Admission End Date,Pääsymaksu Päättymispäivä
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Alihankinta
DocType: Journal Entry Account,Journal Entry Account,päiväkirjakirjaus tili
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Student Group
DocType: Shopping Cart Settings,Quotation Series,"Tarjous, sarjat"
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Samanniminen nimike on jo olemassa ({0}), vaihda nimikeryhmän nimeä tai nimeä nimike uudelleen"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Valitse asiakas
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Samanniminen nimike on jo olemassa ({0}), vaihda nimikeryhmän nimeä tai nimeä nimike uudelleen"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Valitse asiakas
DocType: C-Form,I,minä
DocType: Company,Asset Depreciation Cost Center,Poistojen kustannuspaikka
DocType: Sales Order Item,Sales Order Date,"Myyntitilaus, päivä"
DocType: Sales Invoice Item,Delivered Qty,toimitettu yksikkömäärä
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Jos valittu, kaikki lapset kunkin tuotannon kohde sisällytetään Material pyynnöt."
DocType: Assessment Plan,Assessment Plan,arviointi Plan
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Varasto {0}: Yritys on pakollinen
DocType: Stock Settings,Limit Percent,raja Prosenttia
,Payment Period Based On Invoice Date,Maksuaikaa perustuu laskun päiväykseen
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},valuuttakurssi puuttuu {0}
@@ -3025,7 +3050,7 @@
DocType: Vehicle,Insurance Details,vakuutus Lisätiedot
DocType: Account,Payable,Maksettava
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,Anna takaisinmaksuajat
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Velalliset ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Velalliset ({0})
DocType: Pricing Rule,Margin,Marginaali
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Uudet asiakkaat
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,bruttovoitto %
@@ -3036,16 +3061,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Osapuoli on pakollinen
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,Aihe Name
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Ainakin yksi tai myyminen ostaminen on valittava
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Valitse liiketoiminnan luonteesta.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Ainakin yksi tai myyminen ostaminen on valittava
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Valitse liiketoiminnan luonteesta.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Rivi # {0}: Monista merkintä Viitteet {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Missä valmistus tapahtuu
DocType: Asset Movement,Source Warehouse,Lähde varasto
DocType: Installation Note,Installation Date,asennuspäivä
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Rivi # {0}: Asset {1} ei kuulu yhtiön {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Rivi # {0}: Asset {1} ei kuulu yhtiön {2}
DocType: Employee,Confirmation Date,Työsopimuksen vahvistamispäivä
DocType: C-Form,Total Invoiced Amount,Kokonaislaskutus arvomäärä
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,min yksikkömäärä ei voi olla suurempi kuin max yksikkömäärä
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,min yksikkömäärä ei voi olla suurempi kuin max yksikkömäärä
DocType: Account,Accumulated Depreciation,Kertyneet poistot
DocType: Stock Entry,Customer or Supplier Details,Asiakkaan tai tavarantoimittajan Tietoja
DocType: Employee Loan Application,Required by Date,Vaaditaan Date
@@ -3066,22 +3091,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,"toimitus kuukaudessa, prosenttiosuus"
DocType: Territory,Territory Targets,Aluetavoite
DocType: Delivery Note,Transporter Info,kuljetuksen info
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Aseta oletus {0} in Company {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Aseta oletus {0} in Company {1}
DocType: Cheque Print Template,Starting position from top edge,Alkuasentoon yläreunasta
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Sama toimittaja on syötetty useita kertoja
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Bruttotuottoprosentin / tappio
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Tuote ostotilaus toimitettu
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Yrityksen nimeä ei voi Company
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Yrityksen nimeä ei voi Company
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Tulosteotsakkeet mallineille
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Tulostus, mallipohjan otsikot esim, proformalaskuun"
DocType: Student Guardian,Student Guardian,Student Guardian
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Arvotyypin maksuja ei voi merkata sisältyviksi
DocType: POS Profile,Update Stock,Päivitä varasto
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Toimittaja> toimittaja tyyppi
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Erilaiset mittayksiköt voivat johtaa virheellisiin (kokonais) painoarvoihin. Varmista, että joka kohdassa käytetään samaa mittayksikköä."
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM taso
DocType: Asset,Journal Entry for Scrap,Journal Entry for Romu
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Siirrä tuotteita lähetteeltä
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,päiväkirjakirjauksia {0} ei ole kohdistettu
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,päiväkirjakirjauksia {0} ei ole kohdistettu
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Tiedot kaikesta viestinnästä; sähköposti, puhelin, pikaviestintä, käynnit, jne."
DocType: Manufacturer,Manufacturers used in Items,Valmistajat käytetään Items
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Määritä yrityksen pyöristys kustannuspaikka
@@ -3128,33 +3154,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,Toimittaja toimittaa Asiakkaalle
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) on loppunut
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Seuraava Päivämäärä on oltava suurempi kuin julkaisupäivämäärä
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Näytä vero hajottua
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},erä- / viitepäivä ei voi olla {0} jälkeen
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Näytä vero hajottua
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},erä- / viitepäivä ei voi olla {0} jälkeen
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,tietojen tuonti ja vienti
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","Kanta on merkinnät vastaan Varasto {0}, joten et voi uudelleen määrittää tai muuttaa sitä"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Ei opiskelijat Todettu
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Ei opiskelijat Todettu
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Laskun julkaisupäivä
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Myydä
DocType: Sales Invoice,Rounded Total,yhteensä pyöristettynä
DocType: Product Bundle,List items that form the package.,luetteloi tuotteet jotka muodostavat pakkauksen
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Prosenttiosuuden jako tulisi olla yhtä suuri 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,Valitse julkaisupäivä ennen valintaa Party
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Valitse julkaisupäivä ennen valintaa Party
DocType: Program Enrollment,School House,School House
DocType: Serial No,Out of AMC,Out of AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Valitse Lainaukset
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Valitse Lainaukset
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Määrä Poistot varatut ei voi olla suurempi kuin kokonaismäärä Poistot
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,tee huoltokäynti
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,"Ota yhteyttä käyttäjään, jolla on myynninhallinnan valvojan rooli {0}"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,"Ota yhteyttä käyttäjään, jolla on myynninhallinnan valvojan rooli {0}"
DocType: Company,Default Cash Account,oletus kassatili
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,yrityksen valvonta (ei asiakas tai toimittaja)
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Tämä perustuu läsnäolo tämän Student
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Ei opiskelijat
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Ei opiskelijat
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Lisätä kohteita tai avata koko lomakkeen
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',Anna "Expected Delivery Date"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,lähete {0} tulee perua ennen myyntilauksen perumista
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Maksettu arvomäärä + poistotilin summa ei voi olla suurempi kuin kokonaissumma
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Maksettu arvomäärä + poistotilin summa ei voi olla suurempi kuin kokonaissumma
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ei sallittu eränumero tuotteelle {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Huom: jäännöstyypille {0} ei ole tarpeeksi vapaata jäännöstasetta
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,Virheellinen GSTIN tai Enter NA Rekisteröimätön
DocType: Training Event,Seminar,seminaari
DocType: Program Enrollment Fee,Program Enrollment Fee,Ohjelma Ilmoittautuminen Fee
DocType: Item,Supplier Items,toimittajan tuotteet
@@ -3180,27 +3206,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Nimike 3
DocType: Purchase Order,Customer Contact Email,Asiakas Sähköpostiosoite
DocType: Warranty Claim,Item and Warranty Details,Kohta ja takuu Tietoja
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kohta Koodi> Tuote Group> Merkki
DocType: Sales Team,Contribution (%),panostus (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,huom: maksukirjausta ei synny sillä 'kassa- tai pankkitiliä' ei ole määritetty
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Valitse ohjelma hakemaan pakollisia kursseja.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Vastuut
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Vastuut
DocType: Expense Claim Account,Expense Claim Account,Matkakorvauslomakkeet Account
DocType: Sales Person,Sales Person Name,Myyjän nimi
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Syötä taulukkoon vähintään yksi lasku
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Lisää käyttäjiä
DocType: POS Item Group,Item Group,Tuoteryhmä
DocType: Item,Safety Stock,Varmuusvarasto
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Progress% tehtävään ei voi olla enemmän kuin 100.
DocType: Stock Reconciliation Item,Before reconciliation,Ennen täsmäytystä
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0}:lle
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Lisätyt verot ja maksut (yrityksen valuutassa)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"tuotteen vero, rivi {0} veron tyyppi tulee määritellä (tulo, kulu, veloitettava)"
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"tuotteen vero, rivi {0} veron tyyppi tulee määritellä (tulo, kulu, veloitettava)"
DocType: Sales Order,Partly Billed,Osittain Laskutetaan
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Kohta {0} on oltava käyttö- omaisuuserän
DocType: Item,Default BOM,oletus BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,Kirjoita yrityksen nimi uudelleen vahvistukseksi
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,"odottaa, pankkipääte yhteensä"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Veloitusilmoituksen Määrä
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Kirjoita yrityksen nimi uudelleen vahvistukseksi
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,"odottaa, pankkipääte yhteensä"
DocType: Journal Entry,Printing Settings,Tulostusasetukset
DocType: Sales Invoice,Include Payment (POS),Sisältävät maksut (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},"Debet yhteensä tulee olla sama kuin kredit yhteensä, ero on {0}"
@@ -3214,15 +3238,16 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Varastossa:
DocType: Notification Control,Custom Message,oma viesti
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,sijoitukset pankki
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,kassa tai pankkitili vaaditaan maksujen kirjaukseen
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Student Osoite
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,kassa tai pankkitili vaaditaan maksujen kirjaukseen
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Ole hyvä setup numerointi sarjan läsnäolevaksi Setup> numerointi Series
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Student Osoite
DocType: Purchase Invoice,Price List Exchange Rate,valuuttakurssi
DocType: Purchase Invoice Item,Rate,Hinta
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,harjoitella
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,Osoite Nimi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,harjoitella
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,Osoite Nimi
DocType: Stock Entry,From BOM,BOM:sta
DocType: Assessment Code,Assessment Code,arviointi koodi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,perustiedot
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,perustiedot
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,ennen {0} rekisteröidyt varastotapahtumat on jäädytetty
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"klikkaa ""muodosta aikataulu"""
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","esim, kg, m, ym"
@@ -3232,11 +3257,11 @@
DocType: Salary Slip,Salary Structure,Palkkarakenne
DocType: Account,Bank,pankki
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,lentoyhtiö
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,materiaali aihe
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,materiaali aihe
DocType: Material Request Item,For Warehouse,Varastoon
DocType: Employee,Offer Date,Työsopimusehdotuksen päivämäärä
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Lainaukset
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Olet offline-tilassa. Et voi ladata kunnes olet verkon.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,Olet offline-tilassa. Et voi ladata kunnes olet verkon.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Ei opiskelijaryhmille luotu.
DocType: Purchase Invoice Item,Serial No,Sarjanumero
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Kuukauden lyhennyksen määrä ei voi olla suurempi kuin Lainamäärä
@@ -3244,8 +3269,8 @@
DocType: Purchase Invoice,Print Language,käytettävä tulosteiden kieli
DocType: Salary Slip,Total Working Hours,Kokonaistyöaika
DocType: Stock Entry,Including items for sub assemblies,mukaanlukien alikokoonpanon tuotteet
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Anna-arvon on oltava positiivinen
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Kaikki alueet
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Anna-arvon on oltava positiivinen
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Kaikki alueet
DocType: Purchase Invoice,Items,tuotteet
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Opiskelijan on jo ilmoittautunut.
DocType: Fiscal Year,Year Name,Vuoden nimi
@@ -3263,10 +3288,10 @@
DocType: Issue,Opening Time,Aukeamisaika
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,alkaen- ja päätyen päivä vaaditaan
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Arvopaperit & hyödykkeet vaihto
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Oletus mittayksikkö Variant "{0}" on oltava sama kuin malli "{1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Oletus mittayksikkö Variant "{0}" on oltava sama kuin malli "{1}"
DocType: Shipping Rule,Calculate Based On,"laske, perusteet"
DocType: Delivery Note Item,From Warehouse,Varastosta
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Kohteita ei Bill materiaalien valmistus
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Kohteita ei Bill materiaalien valmistus
DocType: Assessment Plan,Supervisor Name,ohjaaja Name
DocType: Program Enrollment Course,Program Enrollment Course,Ohjelma Ilmoittautuminen kurssi
DocType: Purchase Taxes and Charges,Valuation and Total,Arvo ja Summa
@@ -3281,18 +3306,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Päivää edellisestä tilauksesta' on oltava suurempi tai yhtäsuuri kuin nolla
DocType: Process Payroll,Payroll Frequency,Payroll Frequency
DocType: Asset,Amended From,muutettu mistä
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Raaka-aine
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Raaka-aine
DocType: Leave Application,Follow via Email,Seuraa sähköpostitse
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Laitteet ja koneisto
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Laitteet ja koneisto
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Veron arvomäärä alennuksen jälkeen
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Päivittäinen työ Yhteenveto Asetukset
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Valuutta hinnaston {0} ei ole samanlainen valittuun valuutta {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Valuutta hinnaston {0} ei ole samanlainen valittuun valuutta {1}
DocType: Payment Entry,Internal Transfer,sisäinen siirto
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,"tällä tilillä on alatili, et voi poistaa tätä tiliä"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,"tällä tilillä on alatili, et voi poistaa tätä tiliä"
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,tavoite yksikkömäärä tai tavoite arvomäärä vaaditaan
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},tuotteelle {0} ei ole olemassa oletus BOM:ia
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},tuotteelle {0} ei ole olemassa oletus BOM:ia
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Valitse julkaisupäivä ensimmäinen
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Aukiolopäivä pitäisi olla ennen Tarjouksentekijä
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Aseta Nimeäminen Series {0} Setup> Asetukset> nimeäminen Series
DocType: Leave Control Panel,Carry Forward,siirrä
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,olemassaolevien tapahtumien kustannuspaikkaa ei voi muuttaa tilikirjaksi
DocType: Department,Days for which Holidays are blocked for this department.,päivät jolloin lomat on estetty tälle osastolle
@@ -3302,10 +3328,9 @@
DocType: Issue,Raised By (Email),Pyynnön tekijä (sähköposti)
DocType: Training Event,Trainer Name,Trainer Name
DocType: Mode of Payment,General,pää
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Kiinnitä Kirjelomake
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,viime Viestintä
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',vähennystä ei voi tehdä jos kategoria on 'arvo' tai 'arvo ja summa'
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","luettelo verotapahtumista, kuten (alv, tulli, ym, ne tulee olla uniikkeja nimiä) ja vakioarvoin, tämä luo perusmallipohjan, jota muokata tai lisätä tarpeen mukaan myöhemmin"
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","luettelo verotapahtumista, kuten (alv, tulli, ym, ne tulee olla uniikkeja nimiä) ja vakioarvoin, tämä luo perusmallipohjan, jota muokata tai lisätä tarpeen mukaan myöhemmin"
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Sarjanumero edelyttää sarjoitettua tuotetta {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Match Maksut Laskut
DocType: Journal Entry,Bank Entry,pankkikirjaus
@@ -3314,16 +3339,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Lisää koriin
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,ryhmän
DocType: Guardian,Interests,etu
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,"aktivoi / poista käytöstä, valuutat"
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,"aktivoi / poista käytöstä, valuutat"
DocType: Production Planning Tool,Get Material Request,Get Materiaali Request
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Postituskulut
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Postituskulut
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),yhteensä (summa)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,edustus & vapaa-aika
DocType: Quality Inspection,Item Serial No,tuote sarjanumero
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Luo Työntekijä Records
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Nykyarvo yhteensä
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,tilinpäätöksen
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,tunti
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,tunti
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"uusi sarjanumero voi olla varastossa, sarjanumero muodoruu varaston kirjauksella tai ostokuitilla"
DocType: Lead,Lead Type,vihjeen tyyppi
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Sinulla ei ole lupa hyväksyä lehdet Block Päivämäärät
@@ -3335,6 +3360,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,Uusi materiaaliluettelo korvauksen jälkeen
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Myyntipiste
DocType: Payment Entry,Received Amount,Vastaanotetut Määrä
+DocType: GST Settings,GSTIN Email Sent On,GSTIN Sähköposti Lähetetyt Käytössä
+DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Luo täyden määrän, välittämättä määrä jo tilattuihin"
DocType: Account,Tax,Vero
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,ei Merkitty
@@ -3346,14 +3373,14 @@
DocType: Batch,Source Document Name,Lähde Asiakirjan nimi
DocType: Job Opening,Job Title,Työtehtävä
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Luo Käyttäjät
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,Gramma
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,Gramma
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Määrä Valmistus on oltava suurempi kuin 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Käyntiraportti huoltopyynnöille
DocType: Stock Entry,Update Rate and Availability,Päivitysnopeus ja saatavuus
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Vastaanoton tai toimituksen prosenttiosuus on liian suuri suhteessa tilausmäärään, esim: mikäli 100 yksikköä on tilattu sallittu ylitys on 10% niin sallittu määrä on 110 yksikköä"
DocType: POS Customer Group,Customer Group,asiakasryhmä
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Uusi Erätunnuksesi (valinnainen)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},kulutili on vaaditaan tuotteelle {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},kulutili on vaaditaan tuotteelle {0}
DocType: BOM,Website Description,Verkkosivuston kuvaus
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Nettomuutos Equity
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Peruuta Ostolasku {0} ensimmäinen
@@ -3363,8 +3390,8 @@
,Sales Register,Myyntirekisteri
DocType: Daily Work Summary Settings Company,Send Emails At,Lähetä sähköposteja
DocType: Quotation,Quotation Lost Reason,"Tarjous hävitty, syy"
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Valitse toimiala
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Transaction viitenumero {0} päivätyn {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Valitse toimiala
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Transaction viitenumero {0} päivätyn {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Ei muokattavaa.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Yhteenveto tässä kuussa ja keskeneräisten toimien
DocType: Customer Group,Customer Group Name,asiakasryhmän nimi
@@ -3372,14 +3399,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Rahavirtalaskelma
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Lainamäärä voi ylittää suurin lainamäärä on {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,lisenssi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},Poista lasku {0} C-kaaviosta {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},Poista lasku {0} C-kaaviosta {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Valitse jatka eteenpäin mikäli haluat sisällyttää edellisen tilikauden taseen tälle tilikaudelle
DocType: GL Entry,Against Voucher Type,tositteen tyyppi kohdistus
DocType: Item,Attributes,tuntomerkkejä
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,Syötä poistotili
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Syötä poistotili
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Viimeinen tilaus päivämäärä
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Tili {0} ei kuulu yritykselle {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Sarjanumeroita peräkkäin {0} ei vastaa lähetysluettelon
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Sarjanumeroita peräkkäin {0} ei vastaa lähetysluettelon
DocType: Student,Guardian Details,Guardian Tietoja
DocType: C-Form,C-Form,C-muoto
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark Läsnäolo useita työntekijöitä
@@ -3394,16 +3421,16 @@
DocType: Budget Account,Budget Amount,talousarvio Määrä
DocType: Appraisal Template,Appraisal Template Title,arvioinnin otsikko
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Vuodesta Date {0} for Employee {1} ei voi olla ennen työntekijän liittymistä Date {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,kaupallinen
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,kaupallinen
DocType: Payment Entry,Account Paid To,Tilin Palkallinen
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Pääkohde {0} ei saa olla varasto tuote
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Kaikki tuotteet tai palvelut
DocType: Expense Claim,More Details,Lisätietoja
DocType: Supplier Quotation,Supplier Address,toimittajan osoite
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} talousarvion tili {1} vastaan {2} {3} on {4}. Se ylitä {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Rivi {0} # Account täytyy olla tyyppiä "Käyttöomaisuuden"
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,ulkona yksikkömäärä
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,sääntö laskee toimituskustannuksen arvomäärän myyntiin
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Rivi {0} # Account täytyy olla tyyppiä "Käyttöomaisuuden"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,ulkona yksikkömäärä
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,sääntö laskee toimituskustannuksen arvomäärän myyntiin
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Sarjat ovat pakollisia
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Talouspalvelu
DocType: Student Sibling,Student ID,opiskelijanumero
@@ -3411,13 +3438,13 @@
DocType: Tax Rule,Sales,Myynti
DocType: Stock Entry Detail,Basic Amount,Perusmäärät
DocType: Training Event,Exam,Koe
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Varasto vaaditaan varastotuotteelle {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Varasto vaaditaan varastotuotteelle {0}
DocType: Leave Allocation,Unused leaves,Käyttämättömät lehdet
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,Laskutus valtion
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,siirto
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} ei liittynyt PartyAccount {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Nouda BOM räjäytys (mukaan lukien alikokoonpanot)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} ei liittynyt PartyAccount {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Nouda BOM räjäytys (mukaan lukien alikokoonpanot)
DocType: Authorization Rule,Applicable To (Employee),sovellettavissa (työntekijä)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,eräpäivä vaaditaan
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Puuston Taito {0} ei voi olla 0
@@ -3445,7 +3472,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Raaka-aineen tuotekoodi
DocType: Journal Entry,Write Off Based On,Poisto perustuu
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Luo liidi
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Tulosta ja Paperi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Tulosta ja Paperi
DocType: Stock Settings,Show Barcode Field,Näytä Viivakoodi Field
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Lähetä toimittaja Sähköpostit
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Palkka jo käsitellä välisenä aikana {0} ja {1}, Jätä hakuaika voi olla välillä tällä aikavälillä."
@@ -3453,13 +3480,15 @@
DocType: Guardian Interest,Guardian Interest,Guardian Interest
apps/erpnext/erpnext/config/hr.py +177,Training,koulutus
DocType: Timesheet,Employee Detail,työntekijän Detail
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 -sähköpostitunnus
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 -sähköpostitunnus
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,Seuraava Päivämäärä päivä ja Toista kuukauden päivä on oltava sama
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Verkkosivun kotisivun asetukset
DocType: Offer Letter,Awaiting Response,Odottaa vastausta
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Yläpuolella
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Yläpuolella
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},Virheellinen määrite {0} {1}
DocType: Supplier,Mention if non-standard payable account,Mainitse jos standardista maksetaan tilille
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Sama viesti on tullut useita kertoja. {lista}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Valitse arvioinnin muu ryhmä kuin "Kaikki arviointi Ryhmien
DocType: Salary Slip,Earning & Deduction,ansio & vähennys
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,"valinnainen, asetusta käytetään suodatettaessa eri tapahtumia"
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,negatiivinen arvotaso ei ole sallittu
@@ -3473,9 +3502,9 @@
DocType: Sales Invoice,Product Bundle Help,Koostetuoteohjeistus
,Monthly Attendance Sheet,Kuukausittainen läsnäolokirjanpito
DocType: Production Order Item,Production Order Item,Tuotantotilaus Tuote
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Tietuetta ei löydy
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Tietuetta ei löydy
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Kustannukset Scrapped Asset
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: kustannuspaikka on pakollinen tuotteelle {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: kustannuspaikka on pakollinen tuotteelle {2}
DocType: Vehicle,Policy No,Policy Ei
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Hae nimikkeet tuotenipusta
DocType: Asset,Straight Line,Suora viiva
@@ -3483,7 +3512,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Jakaa
DocType: GL Entry,Is Advance,on ennakko
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,"osallistuminen päivästä, osallistuminen päivään To vaaditaan"
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,"Syötä ""on alihankittu"" (kyllä tai ei)"
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,"Syötä ""on alihankittu"" (kyllä tai ei)"
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Viime yhteyspäivä
DocType: Sales Team,Contact No.,yhteystiedot nro
DocType: Bank Reconciliation,Payment Entries,Maksu merkinnät
@@ -3509,60 +3538,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Opening Arvo
DocType: Salary Detail,Formula,Kaava
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Sarja #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,provisio myynti
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,provisio myynti
DocType: Offer Letter Term,Value / Description,Arvo / Kuvaus
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rivi # {0}: Asset {1} ei voida antaa, se on jo {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rivi # {0}: Asset {1} ei voida antaa, se on jo {2}"
DocType: Tax Rule,Billing Country,Laskutusmaa
DocType: Purchase Order Item,Expected Delivery Date,odotettu toimituspäivä
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,debet ja kredit eivät täsmää {0} # {1}. ero on {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,edustuskulut
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Tee Material Request
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,edustuskulut
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Tee Material Request
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Open Kohta {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Myyntilasku {0} tulee peruuttaa ennen myyntitilauksen perumista
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,ikä
DocType: Sales Invoice Timesheet,Billing Amount,laskutuksen arvomäärä
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,virheellinen yksikkömäärä on määritetty tuotteelle {0} se tulee olla suurempi kuin 0
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,poistumishakemukset
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,tilin tapahtumaa ei voi poistaa
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,tilin tapahtumaa ei voi poistaa
DocType: Vehicle,Last Carbon Check,Viimeksi Carbon Tarkista
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,juridiset kulut
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,juridiset kulut
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Valitse määrä rivillä
DocType: Purchase Invoice,Posting Time,Kirjoittamisen aika
DocType: Timesheet,% Amount Billed,% laskutettu arvomäärä
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Puhelinkulut
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Puhelinkulut
DocType: Sales Partner,Logo,Logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"täppää mikäli haluat pakottaa käyttäjän valitsemaan sarjan ennen tallennusta, täpästä ei synny oletusta"
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Ei Kohta Serial Ei {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Ei Kohta Serial Ei {0}
DocType: Email Digest,Open Notifications,Avaa Ilmoitukset
DocType: Payment Entry,Difference Amount (Company Currency),Ero Summa (Company valuutta)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,suorat kulut
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,suorat kulut
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} on virheellinen sähköpostiosoitteen "Ilmoitus \ sähköpostiosoite '
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Uusi asiakas Liikevaihto
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,matkakulut
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,matkakulut
DocType: Maintenance Visit,Breakdown,hajoitus
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Tili: {0} kanssa valuutta: {1} ei voi valita
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Tili: {0} kanssa valuutta: {1} ei voi valita
DocType: Bank Reconciliation Detail,Cheque Date,takaus/shekki päivä
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},tili {0}: emotili {1} ei kuulu yritykselle: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},tili {0}: emotili {1} ei kuulu yritykselle: {2}
DocType: Program Enrollment Tool,Student Applicants,Student Hakijat
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,kaikki tähän yritykseen liittyvät tapahtumat on poistettu
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,kaikki tähän yritykseen liittyvät tapahtumat on poistettu
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Kuin Päivämäärä
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,ilmoittautuminen Date
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Koeaika
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Koeaika
apps/erpnext/erpnext/config/hr.py +115,Salary Components,Palkanosat
DocType: Program Enrollment Tool,New Academic Year,Uusi Lukuvuosi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Tuotto / hyvityslasku
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Tuotto / hyvityslasku
DocType: Stock Settings,Auto insert Price List rate if missing,"Automaattinen käynnistys Hinnasto korolla, jos puuttuu"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,maksettu arvomäärä yhteensä
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,maksettu arvomäärä yhteensä
DocType: Production Order Item,Transferred Qty,siirretty yksikkömäärä
apps/erpnext/erpnext/config/learn.py +11,Navigating,Liikkuminen
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Suunnittelu
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,liitetty
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Suunnittelu
+DocType: Material Request,Issued,liitetty
DocType: Project,Total Billing Amount (via Time Logs),Laskutuksen kokomaisarvomäärä (aikaloki)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Myymme tätä tuotetta
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,toimittaja tunnus
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Myymme tätä tuotetta
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,toimittaja tunnus
DocType: Payment Request,Payment Gateway Details,Payment Gateway Tietoja
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Määrä olisi oltava suurempi kuin 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Määrä olisi oltava suurempi kuin 0
DocType: Journal Entry,Cash Entry,kassakirjaus
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Child solmut voidaan ainoastaan perustettu "ryhmä" tyyppi solmuja
DocType: Leave Application,Half Day Date,Half Day Date
@@ -3574,14 +3604,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Aseta oletus tilin Matkakorvauslomakkeet tyyppi {0}
DocType: Assessment Result,Student Name,Opiskelijan nimi
DocType: Brand,Item Manager,Tuotehallinta
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,Payroll Maksettava
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Payroll Maksettava
DocType: Buying Settings,Default Supplier Type,oletus toimittajatyyppi
DocType: Production Order,Total Operating Cost,käyttökustannukset yhteensä
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,huom: tuote {0} kirjattu useampia kertoja
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,kaikki yhteystiedot
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,yrityksen lyhenne
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,yrityksen lyhenne
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Käyttäjä {0} ei ole olemassa
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,Raaka-aine ei voi olla päätuote
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Raaka-aine ei voi olla päätuote
DocType: Item Attribute Value,Abbreviation,Lyhenne
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Maksu Entry jo olemassa
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Ei authroized koska {0} ylittää rajat
@@ -3590,49 +3620,49 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Aseta Tax Rule ostoskoriin
DocType: Purchase Invoice,Taxes and Charges Added,Lisätyt verot ja maksut
,Sales Funnel,Myyntihankekantaan
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Lyhenne on pakollinen
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Lyhenne on pakollinen
DocType: Project,Task Progress,tehtävä Progress
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,kori
,Qty to Transfer,Siirrettävä yksikkömäärä
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Noteerauksesta vihjeeksi tai asiakkaaksi
DocType: Stock Settings,Role Allowed to edit frozen stock,rooli saa muokata jäädytettyä varastoa
,Territory Target Variance Item Group-Wise,"Aluetavoite vaihtelu, tuoteryhmä työkalu"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,kaikki asiakasryhmät
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,kaikki asiakasryhmät
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,kertyneet Kuukauden
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,"{0} on pakollinen, voi olla ettei valuutanvaihto tietuetta ei tehty {1}:stä {2}:n."
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,"{0} on pakollinen, voi olla ettei valuutanvaihto tietuetta ei tehty {1}:stä {2}:n."
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Vero malli on pakollinen.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,tili {0}: emotili {1} ei ole olemassa
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,tili {0}: emotili {1} ei ole olemassa
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Hinta (yrityksen valuutassa)
DocType: Products Settings,Products Settings,Tuotteet Asetukset
DocType: Account,Temporary,Väliaikainen
DocType: Program,Courses,Kurssit
DocType: Monthly Distribution Percentage,Percentage Allocation,Prosenttiosuus
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Sihteeri
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sihteeri
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Jos poistaa käytöstä, "In Sanat" kentässä ei näy missään kauppa"
DocType: Serial No,Distinct unit of an Item,tuotteen erillisyksikkö
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Aseta Company
DocType: Pricing Rule,Buying,Ostaminen
DocType: HR Settings,Employee Records to be created by,työntekijä tietue on tehtävä
DocType: POS Profile,Apply Discount On,Levitä alennus
,Reqd By Date,Reqd Päivämäärä
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,luotonantajat
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,luotonantajat
DocType: Assessment Plan,Assessment Name,arviointi Name
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Rivi # {0}: Sarjanumero on pakollinen
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,"tuote työkalu, verotiedot"
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Institute lyhenne
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Institute lyhenne
,Item-wise Price List Rate,Tuotekohtainen hinta hinnastossa
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Toimituskykytiedustelu
DocType: Quotation,In Words will be visible once you save the Quotation.,"sanat näkyvät, kun tallennat tarjouksen"
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Määrä ({0}) ei voi olla osa rivillä {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,Kerää maksut
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},viivakoodi {0} on jo käytössä tuotteella {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},viivakoodi {0} on jo käytössä tuotteella {1}
DocType: Lead,Add to calendar on this date,lisää kalenteriin (tämä päivä)
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,toimituskustannusten lisäys säännöt
DocType: Item,Opening Stock,Aloitusvarasto
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,asiakasta velvoitetaan
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} on pakollinen palautukseen
DocType: Purchase Order,To Receive,Vastaanottoon
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Henkilökohtainen sähköposti
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,vaihtelu yhteensä
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Mikäli käytössä, järjestelmä tekee varastokirjanpidon tilikirjaukset automaattisesti."
@@ -3643,13 +3673,14 @@
DocType: Customer,From Lead,Liidistä
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,tuotantoon luovutetut tilaukset
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Valitse tilikausi ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS profiili vaatii POS kirjauksen
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS profiili vaatii POS kirjauksen
DocType: Program Enrollment Tool,Enroll Students,Ilmoittaudu Opiskelijat
DocType: Hub Settings,Name Token,Name Token
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,perusmyynti
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Ainakin yksi varasto on pakollinen
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Ainakin yksi varasto on pakollinen
DocType: Serial No,Out of Warranty,Out of Takuu
DocType: BOM Replace Tool,Replace,Vaihda
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Ei löytynyt tuotteita.
DocType: Production Order,Unstopped,Aukenevat
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} myyntilaskua vastaan {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3660,13 +3691,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,"varastoarvo, ero"
apps/erpnext/erpnext/config/learn.py +234,Human Resource,henkilöstöresurssi
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Maksun täsmäytys toiseen maksuun
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,"Vero, vastaavat"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,"Vero, vastaavat"
DocType: BOM Item,BOM No,BOM nro
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,päiväkirjakirjauksella {0} ei ole tiliä {1} tai on täsmätty toiseen tositteeseen
DocType: Item,Moving Average,Liukuva keskiarvo
DocType: BOM Replace Tool,The BOM which will be replaced,Korvattava materiaaliluettelo
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,Sähköinen Kalusto
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,Sähköinen Kalusto
DocType: Account,Debit,debet
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,Vapaat tulee kohdentaa luvun 0.5 kerrannaisina
DocType: Production Order,Operation Cost,toiminnan kustannus
@@ -3674,7 +3705,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,"odottaa, pankkipääte"
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,"Tuoteryhmä työkalu, aseta tavoitteet tälle myyjälle"
DocType: Stock Settings,Freeze Stocks Older Than [Days],jäädytä yli [päivää] vanhat varastot
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Rivi # {0}: Asset on pakollinen käyttöomaisuushankintoihin osto / myynti
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Rivi # {0}: Asset on pakollinen käyttöomaisuushankintoihin osto / myynti
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","yllämainituilla ehdoilla löytyy kaksi tai useampia hinnoittelusääntöjä ja prioriteettia tarvitaan, prioriteettinumero luku 0-20:n välillä, oletusarvona se on nolla (tyhjä), mitä korkeampi luku sitä suurempi prioriteetti"
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Tilikautta: {0} ei ole olemassa
DocType: Currency Exchange,To Currency,Valuuttakursseihin
@@ -3682,7 +3713,7 @@
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,kuluvaatimus tyypit
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Myynnin hinnan kohteen {0} on pienempi kuin sen {1}. Myynnin määrä tulisi olla vähintään {2}
DocType: Item,Taxes,Verot
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Maksettu ja ei toimitettu
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Maksettu ja ei toimitettu
DocType: Project,Default Cost Center,oletus kustannuspaikka
DocType: Bank Guarantee,End Date,päättymispäivä
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Varastotapahtumat
@@ -3707,24 +3738,22 @@
DocType: Employee,Held On,järjesteltiin
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Tuotanto tuote
,Employee Information,Työntekijöiden tiedot
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),aste (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),aste (%)
DocType: Stock Entry Detail,Additional Cost,Muita Kustannukset
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Tilikauden lopetuspäivä
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",ei voi suodattaa tositenumero pohjalta mikäli tosite on ryhmässä
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Tee toimituskykytiedustelu
DocType: Quality Inspection,Incoming,saapuva
DocType: BOM,Materials Required (Exploded),materiaalitarve (räjäytys)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself",lisää toisia käyttäjiä organisaatiosi
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Kirjoittamisen päivämäärä ei voi olla tulevaisuudessa
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Rivi # {0}: Sarjanumero {1} ei vastaa {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,tavallinen poistuminen
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,tavallinen poistuminen
DocType: Batch,Batch ID,Erän tunnus
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Huomautus: {0}
,Delivery Note Trends,Toimituslähetetrendit
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Viikon yhteenveto
-,In Stock Qty,Varastossa Määrä
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Varastossa Määrä
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Tiliä {0} voi päivittää vain varastotapahtumien kautta
-DocType: Program Enrollment,Get Courses,Get Kurssit
+DocType: Student Group Creation Tool,Get Courses,Get Kurssit
DocType: GL Entry,Party,Osapuoli
DocType: Sales Order,Delivery Date,toimituspäivä
DocType: Opportunity,Opportunity Date,mahdollisuuden päivämäärä
@@ -3732,14 +3761,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,tarjouspyynnön tuote
DocType: Purchase Order,To Bill,Laskutukseen
DocType: Material Request,% Ordered,% järjestetty
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",Kurssille pohjainen opiskelija Groupin Kurssi validoitu jokaiselle oppilaalle päässä kirjoilla Kurssit Program Ilmoittautuminen.
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Kirjoita sähköpostiosoite pilkulla erotettuna, lasku lähetetään automaattisesti tiettynä päivänä"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Urakkatyö
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Urakkatyö
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,keskimääräinen ostohinta
DocType: Task,Actual Time (in Hours),todellinen aika (tunneissa)
DocType: Employee,History In Company,yrityksen historia
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Uutiskirjeet
DocType: Stock Ledger Entry,Stock Ledger Entry,Varastokirjanpidon tilikirjaus
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Asiakas> Asiakaspalvelu Group> Territory
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Sama viesti on tullut useita kertoja
DocType: Department,Leave Block List,Estoluettelo
DocType: Sales Invoice,Tax ID,Tax ID
@@ -3754,30 +3783,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} yksikköä {1} tarvitaan {2} tapahtuman suorittamiseen.
DocType: Loan Type,Rate of Interest (%) Yearly,Korkokanta (%) Vuotuinen
DocType: SMS Settings,SMS Settings,Tekstiviesti asetukset
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Väliaikaiset tilit
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,musta
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Väliaikaiset tilit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,musta
DocType: BOM Explosion Item,BOM Explosion Item,BOM-tuotesisältö
DocType: Account,Auditor,Tilintarkastaja
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} nimikettä valmistettu
DocType: Cheque Print Template,Distance from top edge,Etäisyys yläreunasta
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Hinnasto {0} on poistettu käytöstä tai sitä ei ole
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Hinnasto {0} on poistettu käytöstä tai sitä ei ole
DocType: Purchase Invoice,Return,paluu
DocType: Production Order Operation,Production Order Operation,Tuotannon tilauksen toimenpiteet
DocType: Pricing Rule,Disable,poista käytöstä
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Tila maksu on suoritettava maksu
DocType: Project Task,Pending Review,Odottaa näkymä
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ei ilmoittautunut Erä {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} ei voida romuttaa, koska se on jo {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Kuluvaatimus yhteensä (kuluvaatimuksesta)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,asiakastunnus
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Absent
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rivi {0}: valuutta BOM # {1} pitäisi olla yhtä suuri kuin valittu valuutta {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rivi {0}: valuutta BOM # {1} pitäisi olla yhtä suuri kuin valittu valuutta {2}
DocType: Journal Entry Account,Exchange Rate,Valuuttakurssi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Myyntitilausta {0} ei ole lähetetty
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Myyntitilausta {0} ei ole lähetetty
DocType: Homepage,Tag Line,Iskulause
DocType: Fee Component,Fee Component,Fee Component
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Kaluston hallinta
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Lisää kohteita
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Varasto {0}: Emotili {1} ei kuulu yritykselle {2}
DocType: Cheque Print Template,Regular,säännöllinen
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Yhteensä weightage Kaikkien Arviointikriteerit on oltava 100%
DocType: BOM,Last Purchase Rate,Viimeisin ostohinta
@@ -3786,11 +3814,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,tälle tuotteelle ei ole varastopaikkaa {0} koska siitä on useita malleja
,Sales Person-wise Transaction Summary,"Myyjän työkalu, tapahtuma yhteenveto"
DocType: Training Event,Contact Number,Yhteysnumero
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Varastoa {0} ei ole olemassa
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Varastoa {0} ei ole olemassa
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Ilmoittaudu ERPNext Hub
DocType: Monthly Distribution,Monthly Distribution Percentages,"toimitus kuukaudessa, prosenttiosuudet"
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Valittu tuote ei voi olla erä
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Arvostus korko ei löytynyt Item {0}, jota vaaditaan tekemään kirjauksia varten {1} {2}. Jos kohde on kaupankäyntiosapuolten näytteenä eränä {1}, mainitse, että {1} Item taulukossa. Muussa tapauksessa luo saapuvan osakekauppaohjelman alkion tai maininta arvostus korko on Item kirjaa, ja yritä submiting / peruuttamalla tämän merkinnän"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Arvostus korko ei löytynyt Item {0}, jota vaaditaan tekemään kirjauksia varten {1} {2}. Jos kohde on kaupankäyntiosapuolten näytteenä eränä {1}, mainitse, että {1} Item taulukossa. Muussa tapauksessa luo saapuvan osakekauppaohjelman alkion tai maininta arvostus korko on Item kirjaa, ja yritä submiting / peruuttamalla tämän merkinnän"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% lähetteen materiaaleista toimitettu
DocType: Project,Customer Details,"asiakas, lisätiedot"
DocType: Employee,Reports to,raportoi
@@ -3798,41 +3826,43 @@
DocType: SMS Settings,Enter url parameter for receiver nos,syötä url parametrin vastaanottonro
DocType: Payment Entry,Paid Amount,Maksettu arvomäärä
DocType: Assessment Plan,Supervisor,Valvoja
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Online
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,Online
,Available Stock for Packing Items,pakattavat tuotteet saatavissa varastosta
DocType: Item Variant,Item Variant,tuotemalli
DocType: Assessment Result Tool,Assessment Result Tool,Assessment Tulos Tool
DocType: BOM Scrap Item,BOM Scrap Item,BOM romu Kohta
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Toimitettu tilauksia ei voi poistaa
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Tilin tase on jo dedet, syötetyn arvon tulee olla 'tasapainossa' eli 'krebit'"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Määrähallinta
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Toimitettu tilauksia ei voi poistaa
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Tilin tase on jo dedet, syötetyn arvon tulee olla 'tasapainossa' eli 'krebit'"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Määrähallinta
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Kohta {0} on poistettu käytöstä
DocType: Employee Loan,Repay Fixed Amount per Period,Repay kiinteä määrä Period
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Kirjoita kpl määrä tuotteelle {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Hyvityslaskun Amt
DocType: Employee External Work History,Employee External Work History,työntekijän muu työkokemus
DocType: Tax Rule,Purchase,Osto
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,taseyksikkömäärä
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,taseyksikkömäärä
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Tavoitteet voi olla tyhjä
DocType: Item Group,Parent Item Group,Päätuoteryhmä
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} on {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,kustannuspaikat
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,kustannuspaikat
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,"taso, jolla toimittajan valuutta muunnetaan yrityksen käyttämäksi perusvaluutaksi"
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Rivi # {0}: ajoitukset ristiriidassa rivin {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Salli Zero arvostus Hinta
DocType: Training Event Employee,Invited,Kutsuttu
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Useita aktiivisia Palkka Structures löytynyt työntekijä {0} varten kyseisenä päivänä
DocType: Opportunity,Next Contact,Seuraava Yhteystiedot
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Setup Gateway tilejä.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Setup Gateway tilejä.
DocType: Employee,Employment Type,Työsopimustyypit
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Kiinteät varat
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Kiinteät varat
DocType: Payment Entry,Set Exchange Gain / Loss,Aseta Exchange voitto / tappio
+,GST Purchase Register,GST Osto Register
,Cash Flow,Kassavirta
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Hakuaika ei voi yli kaksi alocation kirjaa
DocType: Item Group,Default Expense Account,oletus kulutili
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Opiskelijan Sähköposti ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Opiskelijan Sähköposti ID
DocType: Employee,Notice (days),Ilmoitus (päivää)
DocType: Tax Rule,Sales Tax Template,Sales Tax Malline
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Valitse kohteita tallentaa laskun
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Valitse kohteita tallentaa laskun
DocType: Employee,Encashment Date,perintä päivä
DocType: Training Event,Internet,Internet
DocType: Account,Stock Adjustment,Varastonsäätö
@@ -3862,7 +3892,7 @@
DocType: Guardian,Guardian Of ,Guardian Of
DocType: Grading Scale Interval,Threshold,kynnys
DocType: BOM Replace Tool,Current BOM,nykyinen BOM
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,lisää sarjanumero
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,lisää sarjanumero
apps/erpnext/erpnext/config/support.py +22,Warranty,Takuu
DocType: Purchase Invoice,Debit Note Issued,Debit Note Annettu
DocType: Production Order,Warehouses,Varastot
@@ -3871,20 +3901,20 @@
DocType: Workstation,per hour,Tunnissa
apps/erpnext/erpnext/config/buying.py +7,Purchasing,Ostot
DocType: Announcement,Announcement,Ilmoitus
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,varaston (jatkuva inventaario) tehdään tälle tilille.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Varastoa ei voi poistaa, koska varastokirjanpidossa on siihen liittyviä kirjauksia."
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",Sillä eräpohjaisia opiskelijat sekä opiskelijakunta Erä validoidaan jokaiselle oppilaalle Ohjelmasta Ilmoittautuminen.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Varastoa ei voi poistaa, koska varastokirjanpidossa on siihen liittyviä kirjauksia."
DocType: Company,Distribution,toimitus
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,maksettu summa
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Projektihallinta
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Projektihallinta
,Quoted Item Comparison,Noteeratut Kohta Vertailu
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,lähetys
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max alennus sallittua item: {0} on {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,lähetys
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max alennus sallittua item: {0} on {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Substanssi kuin
DocType: Account,Receivable,Saatava
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Rivi # {0}: Ei saa muuttaa Toimittaja kuten ostotilaus on jo olemassa
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Rivi # {0}: Ei saa muuttaa Toimittaja kuten ostotilaus on jo olemassa
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,roolilla jolla voi lähettää tapamtumia pääsee luottoraja asetuksiin
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Valitse tuotteet Valmistus
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master data synkronointia, se saattaa kestää jonkin aikaa"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Valitse tuotteet Valmistus
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master data synkronointia, se saattaa kestää jonkin aikaa"
DocType: Item,Material Issue,materiaali aihe
DocType: Hub Settings,Seller Description,Myyjän kuvaus
DocType: Employee Education,Qualification,Pätevyys
@@ -3904,7 +3934,6 @@
DocType: BOM,Rate Of Materials Based On,materiaaliarvostelu perustuen
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,tuki Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Poista kaikki
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},yritystä ei löydy varastoissa {0}
DocType: POS Profile,Terms and Conditions,Ehdot ja säännöt
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},"Päivä tulee olla tällä tilikaudella, oletettu lopetuspäivä = {0}"
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","tässä voit ylläpitää terveystietoja, pituus, paino, allergiat, lääkkeet jne"
@@ -3919,18 +3948,17 @@
DocType: Sales Order Item,For Production,tuotantoon
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Näytä tehtävä
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Tilikautesi alkaa
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,OPP / Lyijy%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Asset Poistot ja taseet
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Määrä {0} {1} siirretty {2} ja {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Määrä {0} {1} siirretty {2} ja {3}
DocType: Sales Invoice,Get Advances Received,hae saadut ennakot
DocType: Email Digest,Add/Remove Recipients,lisää / poista vastaanottajia
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},tapahtumat tuotannon tilaukseen {0} on estetty
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},tapahtumat tuotannon tilaukseen {0} on estetty
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Asettaaksesi tämän tilikaudenoletukseksi, klikkaa ""aseta oletukseksi"""
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,Liittyä seuraan
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Liittyä seuraan
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Yksikkömäärä vähissä
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Tuote variantti {0} ovat olemassa samoja ominaisuuksia
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Tuote variantti {0} ovat olemassa samoja ominaisuuksia
DocType: Employee Loan,Repay from Salary,Maksaa maasta Palkka
DocType: Leave Application,LAP/,LAP /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Maksupyynnön vastaan {0} {1} määräksi {2}
@@ -3941,34 +3969,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","muodosta pakkausluetteloita toimitettaville pakkauksille, käytetään pakkausnumeron, -sisältö ja painon määritykseen"
DocType: Sales Invoice Item,Sales Order Item,"Myyntitilaus, tuote"
DocType: Salary Slip,Payment Days,Maksupäivää
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Varasto lapsen solmuja ei voida muuntaa Ledger
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Varasto lapsen solmuja ei voida muuntaa Ledger
DocType: BOM,Manage cost of operations,hallitse toimien kustannuksia
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Kun valitut tapahtumat tallennetaan, järjestelmä avaa ponnahdusikkunaan sähköpostiviestin jolla tapahtumat voi lähettää tapahtumien yhteyshenkilöille sähköpostiliitteinä."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,yleiset asetukset
DocType: Assessment Result Detail,Assessment Result Detail,Arviointi Tulos Detail
DocType: Employee Education,Employee Education,työntekijä koulutus
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Monista kohde ryhmä löysi erään ryhmätaulukkoon
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,Sitä tarvitaan hakemaan Osa Tiedot.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,Sitä tarvitaan hakemaan Osa Tiedot.
DocType: Salary Slip,Net Pay,Nettomaksu
DocType: Account,Account,tili
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Sarjanumero {0} on jo saapunut
,Requested Items To Be Transferred,siirrettävät pyydetyt tuotteet
DocType: Expense Claim,Vehicle Log,ajoneuvo Log
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Varasto {0} ei ole sidoksissa mihinkään tilin, luo / yhdistää vastaava (Asset) osuus varastoon."
DocType: Purchase Invoice,Recurring Id,Toistuva Id
DocType: Customer,Sales Team Details,Myyntitiimin lisätiedot
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,poista pysyvästi?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,poista pysyvästi?
DocType: Expense Claim,Total Claimed Amount,Vaatimukset arvomäärä yhteensä
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Myynnin potentiaalisia tilaisuuksia
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Virheellinen {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Sairaspoistuminen
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Virheellinen {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Sairaspoistuminen
DocType: Email Digest,Email Digest,sähköpostitiedote
DocType: Delivery Note,Billing Address Name,Laskutus osoitteen nimi
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,osasto kaupat
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Setup School ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Base Muuta Summa (Company valuutta)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,ei kirjanpidon kirjauksia seuraaviin varastoihin
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,ei kirjanpidon kirjauksia seuraaviin varastoihin
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Tallenna asiakirja ensin
DocType: Account,Chargeable,veloitettava
DocType: Company,Change Abbreviation,muuta lyhennettä
@@ -3986,7 +4013,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,odotettu toimituspäivä ei voi olla ennen ostotilauksen päivää
DocType: Appraisal,Appraisal Template,Arvioinnin mallipohjat
DocType: Item Group,Item Classification,tuote luokittelu
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Liiketoiminnan kehityspäällikkö
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Liiketoiminnan kehityspäällikkö
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,"huoltokäynti, tarkoitus"
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Aika
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Päätilikirja
@@ -3996,8 +4023,8 @@
DocType: Item Attribute Value,Attribute Value,"tuntomerkki, arvo"
,Itemwise Recommended Reorder Level,Tuotekohtainen suositeltu täydennystilaustaso
DocType: Salary Detail,Salary Detail,Palkka Detail
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,Ole hyvä ja valitse {0} Ensimmäinen
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Erä {0} tuotteesta {1} on vanhentunut.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Ole hyvä ja valitse {0} Ensimmäinen
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Erä {0} tuotteesta {1} on vanhentunut.
DocType: Sales Invoice,Commission,provisio
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Valmistuksen tuntilista
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Välisumma
@@ -4008,6 +4035,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,Kylmävarasto pitäisi olla vähemmän kuin % päivää
DocType: Tax Rule,Purchase Tax Template,Myyntiverovelkojen malli
,Project wise Stock Tracking,"projekt työkalu, varastoseuranta"
+DocType: GST HSN Code,Regional,alueellinen
DocType: Stock Entry Detail,Actual Qty (at source/target),todellinen yksikkömäärä (lähde/tavoite)
DocType: Item Customer Detail,Ref Code,Viite Koodi
apps/erpnext/erpnext/config/hr.py +12,Employee records.,työntekijä tietue
@@ -4018,13 +4046,13 @@
DocType: Email Digest,New Purchase Orders,Uusi Ostotilaukset
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,kannalla ei voi olla pääkustannuspaikkaa
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Valitse Merkki ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Koulutustapahtumat / Tulokset
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Kertyneet poistot kuin
DocType: Sales Invoice,C-Form Applicable,C-muotoa sovelletaan
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Toiminta-aika on oltava suurempi kuin 0 Toiminta {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Varasto on pakollinen
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Varasto on pakollinen
DocType: Supplier,Address and Contacts,Osoite ja yhteystiedot
DocType: UOM Conversion Detail,UOM Conversion Detail,Mittayksikön muunnon lisätiedot
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Pidä se web ystävällinen 900px (w) by 100px (h)
DocType: Program,Program Abbreviation,Ohjelma lyhenne
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Tuotannon tilausta ei voi kohdistaa tuotteen mallipohjaan
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,maksut on päivitetty ostokuitilla kondistettuna jokaiseen tuotteeseen
@@ -4032,13 +4060,13 @@
DocType: Bank Guarantee,Start Date,aloituspäivä
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,kohdistaa poistumisen kaudelle
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Sekkejä ja Talletukset virheellisesti selvitetty
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,tili {0}: et voi nimetä tätä tiliä emotiliksi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,tili {0}: et voi nimetä tätä tiliä emotiliksi
DocType: Purchase Invoice Item,Price List Rate,hinta
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Luoda asiakkaalle lainausmerkit
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Näytä tämän varaston saatavat ""varastossa"" tai ""ei varastossa"" perusteella"
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Osaluettelo (BOM)
DocType: Item,Average time taken by the supplier to deliver,Keskimääräinen aika toimittajan toimittamaan
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,arviointi tulos
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,arviointi tulos
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,tuntia
DocType: Project,Expected Start Date,odotettu aloituspäivä
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,poista tuote mikäli maksuja ei voi soveltaa siihen
@@ -4052,24 +4080,23 @@
DocType: Workstation,Operating Costs,Käyttökustannukset
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Toiminta jos kuukausikulutus budjetti ylitetty
DocType: Purchase Invoice,Submit on creation,Jättää ehdotus luomiseen
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Valuutta {0} on {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Valuutta {0} on {1}
DocType: Asset,Disposal Date,hävittäminen Date
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Sähköpostit lähetetään kaikille aktiivinen Yrityksen työntekijät on tietyn tunnin, jos heillä ei ole loma. Yhteenveto vastauksista lähetetään keskiyöllä."
DocType: Employee Leave Approver,Employee Leave Approver,työntekijän poistumis hyväksyjä
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Rivi {0}: täydennystilaus on jo kirjattu tälle varastolle {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Rivi {0}: täydennystilaus on jo kirjattu tälle varastolle {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","ei voida vahvistaa hävityksi, sillä tarjous on tehty"
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Training Palaute
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Tuotannon tilaus {0} on lähetettävä
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Tuotannon tilaus {0} on lähetettävä
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Ole hyvä ja valitse alkamispäivä ja päättymispäivä Kohta {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Kurssi on pakollinen rivi {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Päivään ei voi olla ennen aloituspäivää
DocType: Supplier Quotation Item,Prevdoc DocType,Edellinen tietuetyyppi
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Lisää / muokkaa hintoja
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Lisää / muokkaa hintoja
DocType: Batch,Parent Batch,Parent Erä
DocType: Cheque Print Template,Cheque Print Template,Shekki Print Template
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,kustannuspaikkakaavio
,Requested Items To Be Ordered,tilattavat pyydetyt tuotteet
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,Varasto yhtiön on oltava sama kuin Account yritys
DocType: Price List,Price List Name,Hinnaston nimi
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Päivittäinen työ Yhteenveto {0}
DocType: Employee Loan,Totals,summat
@@ -4091,55 +4118,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Anna kelvollinen matkapuhelinnumero
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Anna viestin ennen lähettämistä
DocType: Email Digest,Pending Quotations,Odottaa Lainaukset
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Point-of-Sale Profile
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale Profile
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,päivitä teksiviestiasetukset
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Vakuudettomat lainat
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Vakuudettomat lainat
DocType: Cost Center,Cost Center Name,kustannuspaikan nimi
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Tuntilomakkeella hyväksyttyjen työtuntien enimmäismäärä
DocType: Maintenance Schedule Detail,Scheduled Date,"Aikataulutettu, päivä"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,maksettu yhteensä
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,maksettu yhteensä
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Viestit yli 160 merkkiä jaetaan useita viestejä
DocType: Purchase Receipt Item,Received and Accepted,Saanut ja hyväksynyt
+,GST Itemised Sales Register,GST Eritelty Sales Register
,Serial No Service Contract Expiry,Palvelusopimuksen päättyminen sarjanumerolle
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,sekä kredit- että debet-kirjausta ei voi tehdä samalle tilille yhtaikaa
DocType: Naming Series,Help HTML,"HTML, ohje"
DocType: Student Group Creation Tool,Student Group Creation Tool,Student Group Creation Tool
DocType: Item,Variant Based On,Variant perustuvat
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},nimetty painoarvo yhteensä tulee olla 100% nyt se on {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,omat toimittajat
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,omat toimittajat
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,ei voi asettaa hävityksi sillä myyntitilaus on tehty
DocType: Request for Quotation Item,Supplier Part No,Toimittaja osanumero
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Ei voi vähentää, kun kategoria on "arvostus" tai "Vaulation ja Total""
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Saadut
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Saadut
DocType: Lead,Converted,muunnettu
DocType: Item,Has Serial No,on sarjanumero
DocType: Employee,Date of Issue,aiheen päivä
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: valitse {0} on {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kuten kohti ostaminen Asetukset, jos hankinta Reciept Pakollinen == KYLLÄ, sitten luoda Ostolasku, käyttäjän täytyy luoda Ostokuitti ensin kohteen {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Rivi # {0}: Aseta toimittaja kohteen {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Rivi {0}: Tuntia arvon on oltava suurempi kuin nolla.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Sivsuton kuvaa {0} kohteelle {1} ei löydy
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Sivsuton kuvaa {0} kohteelle {1} ei löydy
DocType: Issue,Content Type,sisällön tyyppi
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,tietokone
DocType: Item,List this Item in multiple groups on the website.,Listaa tästä Kohta useisiin ryhmiin verkkosivuilla.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Tarkista usean valuutan mahdollisuuden sallia tilejä muu valuutta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,tuote: {0} ei ole järjestelmässä
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,sinulla ei ole oikeutta asettaa jäätymis arva
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,tuote: {0} ei ole järjestelmässä
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,sinulla ei ole oikeutta asettaa jäätymis arva
DocType: Payment Reconciliation,Get Unreconciled Entries,hae täsmäämättömät kirjaukset
DocType: Payment Reconciliation,From Invoice Date,Alkaen Laskun päiväys
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,Laskutusvaluutta on oltava yhtä suuri kuin joko oletus comapany valuuttaa tai osapuoli tilivaluutta
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,jätä perintä
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Mitä tämä tekee?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,Laskutusvaluutta on oltava yhtä suuri kuin joko oletus comapany valuuttaa tai osapuoli tilivaluutta
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,jätä perintä
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Mitä tämä tekee?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Varastoon
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Kaikki Opiskelijavalinta
,Average Commission Rate,keskimääräinen provisio
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,Varastoimattoman nimikkeen 'Sarjanumeroitu' -arvo ei voi olla 'kyllä'
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,Varastoimattoman nimikkeen 'Sarjanumeroitu' -arvo ei voi olla 'kyllä'
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,osallistumisia ei voi merkitä tuleville päiville
DocType: Pricing Rule,Pricing Rule Help,"Hinnoittelusääntö, ohjeet"
DocType: School House,House Name,Talon nimi
DocType: Purchase Taxes and Charges,Account Head,tilin otsikko
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Päivitä lisäkustannukset jotta tuotteisiin kohdistuneet kustannukset voidaan laskea
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,sähköinen
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,sähköinen
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Lisää loput organisaatiosi käyttäjille. Voit myös lisätä kutsua Asiakkaat portaaliin lisäämällä ne Yhteydet
DocType: Stock Entry,Total Value Difference (Out - In),arvoero (ulos-sisään) yhteensä
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Rivi {0}: Vaihtokurssi on pakollinen
@@ -4149,7 +4178,7 @@
DocType: Item,Customer Code,asiakkaan koodi
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Syntymäpäivämuistutus {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,päivää edellisestä tilauksesta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Debit tilin on oltava tase tili
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Debit tilin on oltava tase tili
DocType: Buying Settings,Naming Series,Nimeä sarjat
DocType: Leave Block List,Leave Block List Name,nimi
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Vakuutus Aloituspäivä pitäisi olla alle Insurance Päättymispäivä
@@ -4164,26 +4193,26 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Palkka Slip työntekijöiden {0} on jo luotu kellokortti {1}
DocType: Vehicle Log,Odometer,Matkamittari
DocType: Sales Order Item,Ordered Qty,tilattu yksikkömäärä
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Nimike {0} on poistettu käytöstä
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Nimike {0} on poistettu käytöstä
DocType: Stock Settings,Stock Frozen Upto,varasto jäädytetty asti
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,Osaluettelo ei sisällä yhtäkään varastonimikettä
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,Osaluettelo ei sisällä yhtäkään varastonimikettä
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Ajanjakso mistä ja mihin päivämäärään ovat pakollisia toistuville {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Tehtävä
DocType: Vehicle Log,Refuelling Details,Tankkaaminen tiedot
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Tuota palkkalaskelmat
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}",osto tulee täpätä mikälisovellus on valittu {0}:na
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}",osto tulee täpätä mikälisovellus on valittu {0}:na
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,alennus on oltava alle 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Viimeisin osto korko ei löytynyt
DocType: Purchase Invoice,Write Off Amount (Company Currency),Kirjoita Off Määrä (Yrityksen valuutta)
DocType: Sales Invoice Timesheet,Billing Hours,Laskutus tuntia
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,Oletus BOM varten {0} ei löytynyt
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Rivi # {0}: Aseta täydennystilauksen yksikkömäärä
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Rivi # {0}: Aseta täydennystilauksen yksikkömäärä
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Kosketa kohteita lisätä ne tästä
DocType: Fees,Program Enrollment,Ohjelma Ilmoittautuminen
DocType: Landed Cost Voucher,Landed Cost Voucher,"Kohdistetut kustannukset, tosite"
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Aseta {0}
DocType: Purchase Invoice,Repeat on Day of Month,Toista kuukauden päivänä
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} on aktiivinen opiskelija
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} on aktiivinen opiskelija
DocType: Employee,Health Details,"terveys, lisätiedot"
DocType: Offer Letter,Offer Letter Terms,Työtarjouksen ehdot
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Luoda maksatuspyyntö viiteasiakirja tarvitaan
@@ -4204,7 +4233,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","esim ABCD. ##### mikäli sarjat on määritetty ja sarjanumeroa ei ole mainittu toiminnossa, tällöin automaattinen sarjanumeron teko pohjautuu tähän sarjaan, mikäli haluat tälle tuotteelle aina nimenomaisen sarjanumeron jätä tämä kohta tyhjäksi."
DocType: Upload Attendance,Upload Attendance,Tuo osallistumistietoja
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM ja valmistusmäärä tarvitaan
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM ja valmistusmäärä tarvitaan
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,vanhentumisen skaala 2
DocType: SG Creation Tool Course,Max Strength,max Strength
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM korvattu
@@ -4213,8 +4242,8 @@
,Prospects Engaged But Not Converted,Näkymät Kihloissa Mutta ei muunneta
DocType: Manufacturing Settings,Manufacturing Settings,valmistuksen asetukset
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Sähköpostin perusmääritykset
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Mobile Ei
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Syötä oletusvaluutta yritys valvonnassa
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile Ei
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Syötä oletusvaluutta yritys valvonnassa
DocType: Stock Entry Detail,Stock Entry Detail,varaston kirjausen yksityiskohdat
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Päivittäinen Muistutukset
DocType: Products Settings,Home Page is Products,tuotteiden kotisivu
@@ -4223,7 +4252,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,nimeä uusi tili
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Raaka-aine toimitettu kustannus
DocType: Selling Settings,Settings for Selling Module,Myyntimoduulin asetukset
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,asiakaspalvelu
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,asiakaspalvelu
DocType: BOM,Thumbnail,Pikkukuva
DocType: Item Customer Detail,Item Customer Detail,tuote asiakas lisätyedot
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Tarjoa ehdokkaalle töitä.
@@ -4232,7 +4261,7 @@
DocType: Pricing Rule,Percentage,Prosenttimäärä
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Nimike {0} pitää olla varastonimike
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Oletus KET-varasto
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,kirjanpidon tapahtumien oletusasetukset
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,kirjanpidon tapahtumien oletusasetukset
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,odotettu päivä ei voi olla ennen materiaalipyynnön päiväystä
DocType: Purchase Invoice Item,Stock Qty,Stock kpl
@@ -4245,10 +4274,10 @@
DocType: Sales Order,Printing Details,Tulostus Lisätiedot
DocType: Task,Closing Date,sulkupäivä
DocType: Sales Order Item,Produced Quantity,Tuotettu Määrä
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,insinööri
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,insinööri
DocType: Journal Entry,Total Amount Currency,Yhteensä Määrä Valuutta
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,haku alikokoonpanot
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},tuotekoodi vaaditaan riville {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},tuotekoodi vaaditaan riville {0}
DocType: Sales Partner,Partner Type,Kumppani tyyppi
DocType: Purchase Taxes and Charges,Actual,kiinteä määrä
DocType: Authorization Rule,Customerwise Discount,asiakaskohtainen alennus
@@ -4265,11 +4294,11 @@
DocType: Item Reorder,Re-Order Level,Täydennystilaustaso
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"syötä tuotteet ja suunniteltu yksikkömäärä, joille haluat lisätä tuotantotilauksia tai joista haluat ladata raaka-aine analyysin"
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,gantt kaavio
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Osa-aikainen
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Osa-aikainen
DocType: Employee,Applicable Holiday List,sovellettava lomalista
DocType: Employee,Cheque,takaus/shekki
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Sarja päivitetty
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,raportin tyyppi vaaditaan
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,raportin tyyppi vaaditaan
DocType: Item,Serial Number Series,Sarjanumero sarjat
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Varasto vaaditaan varastotuotteelle {0} rivillä {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Vähittäismyynti & Tukkukauppa
@@ -4290,7 +4319,7 @@
DocType: BOM,Materials,materiaalit
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","ellei ole täpättynä luettelo on lisättävä jokaiseen osastoon, jossa sitä sovelletaan"
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Source ja Target Varasto voi olla sama
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Lähettämistä päivämäärä ja lähettämistä aika on pakollista
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Lähettämistä päivämäärä ja lähettämistä aika on pakollista
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Veromallipohja ostotapahtumiin
,Item Prices,Tuotehinnat
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"sanat näkyvät, kun tallennat ostotilauksen"
@@ -4300,22 +4329,23 @@
DocType: Purchase Invoice,Advance Payments,Ennakkomaksut
DocType: Purchase Taxes and Charges,On Net Total,nettosummasta
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Attribuutin arvo {0} on oltava alueella {1} ja {2} ja lisäyksin {3} kohteelle {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Tavoite varasto rivillä {0} on oltava yhtäsuuri kuin tuotannon tilaus
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Tavoite varasto rivillä {0} on oltava yhtäsuuri kuin tuotannon tilaus
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,'Sähköposti-ilmoituksille' ei ole määritelty jatkuvaa %
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,Valuuttaa ei voi muuttaa sen jälkeen kun kirjauksia on jo tehty jossain toisessa valuutassa.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Valuuttaa ei voi muuttaa sen jälkeen kun kirjauksia on jo tehty jossain toisessa valuutassa.
DocType: Vehicle Service,Clutch Plate,kytkin Plate
DocType: Company,Round Off Account,pyöristys tili
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,hallinnolliset kulut
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,hallinnolliset kulut
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,konsultointi
DocType: Customer Group,Parent Customer Group,Pääasiakasryhmä
DocType: Purchase Invoice,Contact Email,"yhteystiedot, sähköposti"
DocType: Appraisal Goal,Score Earned,Ansaitut pisteet
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Irtisanomisaika
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Irtisanomisaika
DocType: Asset Category,Asset Category Name,Asset Luokan nimi
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Tämä on kanta-alue eikä sitä voi muokata
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,New Sales Person Name
DocType: Packing Slip,Gross Weight UOM,bruttopaino UOM
DocType: Delivery Note Item,Against Sales Invoice,myyntilaskun kohdistus
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Anna sarjanumeroita serialized erä
DocType: Bin,Reserved Qty for Production,Varattu Määrä for Production
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Jätä valitsematta jos et halua pohtia erän samalla tietenkin toimiviin ryhmiin.
DocType: Asset,Frequency of Depreciation (Months),Taajuus Poistot (kuukautta)
@@ -4323,25 +4353,25 @@
DocType: Landed Cost Item,Landed Cost Item,"Kohdistetut kustannukset, tuote"
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Näytä nolla-arvot
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Tuotemääräarvio valmistuksen- / uudelleenpakkauksen jälkeen annetuista raaka-aineen määristä
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Asennus yksinkertainen sivusto organisaatiolleni
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Asennus yksinkertainen sivusto organisaatiolleni
DocType: Payment Reconciliation,Receivable / Payable Account,Saatava / maksettava tili
DocType: Delivery Note Item,Against Sales Order Item,Myyntitilauksen kohdistus / nimike
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},Ilmoitathan Taito Vastinetta määrite {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},Ilmoitathan Taito Vastinetta määrite {0}
DocType: Item,Default Warehouse,oletus varasto
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},budjettia ei voi nimetä ryhmätiliin {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Syötä pääkustannuspaikka
DocType: Delivery Note,Print Without Amount,Tulosta ilman arvomäärää
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,Poistot Date
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,Veroluokka ei voi olla 'arvo' tai 'arvo ja summa'sillä kaikki tuotteet ovat ei-varasto tuotteita
DocType: Issue,Support Team,tukitiimi
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Päättymisestä (päivinä)
DocType: Appraisal,Total Score (Out of 5),osumat (5:stä) yhteensä
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Erä
+DocType: Student Attendance Tool,Batch,Erä
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,tase
DocType: Room,Seating Capacity,Istumapaikkoja
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Kuluvaatimus yhteensä (kuluvaatimuksesta)
+DocType: GST Settings,GST Summary,GST Yhteenveto
DocType: Assessment Result,Total Score,Kokonaispisteet
DocType: Journal Entry,Debit Note,debet viesti
DocType: Stock Entry,As per Stock UOM,varasto UOM:ään
@@ -4352,12 +4382,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Valmiiden tavaroiden oletusvarasto
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Myyjä
DocType: SMS Parameter,SMS Parameter,Tekstiviesti parametri
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Talousarvio ja Kustannuspaikka
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Talousarvio ja Kustannuspaikka
DocType: Vehicle Service,Half Yearly,puolivuosittain
DocType: Lead,Blog Subscriber,Blogin tilaaja
DocType: Guardian,Alternate Number,vaihtoehtoinen Number
DocType: Assessment Plan Criteria,Maximum Score,maksimipistemäärä
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,tee tapahtumien arvoon perustuvia rajoitussääntöjä
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Ryhmä Roll Ei
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Jätä tyhjäksi jos teet opiskelijoiden ryhmää vuodessa
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day",täpättäessä lomapäivät sisältyvät työpäiviin ja tämä lisää palkan avoa / päivä
DocType: Purchase Invoice,Total Advance,"Yhteensä, ennakko"
@@ -4375,6 +4406,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Tämä perustuu asiakasta koskeviin tapahtumiin. Katso lisätietoja ao. aikajanalta
DocType: Supplier,Credit Days Based On,maksuaikaperuste
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Rivi {0}: Myönnetyn {1} on oltava pienempi tai yhtä suuri kuin Payment Entry määrään {2}
+,Course wise Assessment Report,Tietenkin viisasta arviointiraportti
DocType: Tax Rule,Tax Rule,Verosääntöön
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,ylläpidä samaa tasoa läpi myyntisyklin
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Suunnittele aikaa lokit ulkopuolella Workstation työaikalain.
@@ -4383,7 +4415,7 @@
,Items To Be Requested,tuotteet joita on pyydettävä
DocType: Purchase Order,Get Last Purchase Rate,käytä viimeisimmän edellisen oston hintoja
DocType: Company,Company Info,yrityksen tiedot
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Valitse tai lisätä uuden asiakkaan
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Valitse tai lisätä uuden asiakkaan
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Kustannuspaikkaa vaaditaan varata kulukorvauslasku
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),sovellus varat (vastaavat)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Tämä perustuu työntekijän läsnäoloihin
@@ -4391,27 +4423,29 @@
DocType: Fiscal Year,Year Start Date,Vuoden aloituspäivä
DocType: Attendance,Employee Name,työntekijän nimi
DocType: Sales Invoice,Rounded Total (Company Currency),pyöristys yhteensä (yrityksen valuutta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,ei voi kääntää ryhmiin sillä tilin tyyppi on valittu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,ei voi kääntää ryhmiin sillä tilin tyyppi on valittu
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,"{0} {1} on muutettu, päivitä"
DocType: Leave Block List,Stop users from making Leave Applications on following days.,estä käyttäjiä tekemästä poistumissovelluksia seuraavina päivinä
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Osto Määrä
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Toimittaja noteeraus {0} luotu
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Loppu vuosi voi olla ennen Aloitusvuosi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,työntekijä etuudet
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,työntekijä etuudet
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Pakattujen määrä tulee olla kuin tuotteen {0} määrä rivillä {1}
DocType: Production Order,Manufactured Qty,valmistettu yksikkömäärä
DocType: Purchase Receipt Item,Accepted Quantity,hyväksytyt määrä
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Aseta oletus Holiday List Työntekijä {0} tai Company {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} ei löydy
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} ei löydy
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Valitse eränumerot
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Laskut nostetaan asiakkaille.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Projekti Id
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},"rivi nro {0}: arvomäärä ei voi olla suurempi kuin odottava kuluvaatimus {1}, odottavien arvomäärä on {2}"
DocType: Maintenance Schedule,Schedule,Aikataulu
DocType: Account,Parent Account,Päätili
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,saatavissa
DocType: Quality Inspection Reading,Reading 3,Lukema 3
,Hub,hubi
DocType: GL Entry,Voucher Type,Tositetyyppi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Hinnastoa ei löydy tai se on poistettu käytöstä
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Hinnastoa ei löydy tai se on poistettu käytöstä
DocType: Employee Loan Application,Approved,hyväksytty
DocType: Pricing Rule,Price,Hinta
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',"työntekijä vapautettu {0} tulee asettaa ""vasemmalla"""
@@ -4422,7 +4456,8 @@
DocType: Selling Settings,Campaign Naming By,kampanja nimennyt
DocType: Employee,Current Address Is,nykyinen osoite on
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,muokattu
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Vapaaehtoinen. Asettaa yhtiön oletusvaluuttaa, jos ei ole määritelty."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Vapaaehtoinen. Asettaa yhtiön oletusvaluuttaa, jos ei ole määritelty."
+DocType: Sales Invoice,Customer GSTIN,asiakas GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,"kirjanpito, päiväkirjakirjaukset"
DocType: Delivery Note Item,Available Qty at From Warehouse,Available Kpl at varastosta
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,Valitse työntekijä tietue ensin
@@ -4430,7 +4465,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Rivi {0}: Party / Tili ei vastaa {1} / {2} ja {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Syötä kulutili
DocType: Account,Stock,Varasto
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Rivi # {0}: Reference Document Type on yksi Ostotilaus, Ostolasku tai Päiväkirjakirjaus"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Rivi # {0}: Reference Document Type on yksi Ostotilaus, Ostolasku tai Päiväkirjakirjaus"
DocType: Employee,Current Address,nykyinen osoite
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","mikäli tuote on toisen tuotteen malli tulee tuotteen kuvaus, kuva, hinnoittelu, verot ja muut tiedot oletuksena mallipohjasta ellei oletusta ole erikseen poistettu"
DocType: Serial No,Purchase / Manufacture Details,Oston/valmistuksen lisätiedot
@@ -4443,8 +4478,8 @@
DocType: Pricing Rule,Min Qty,min yksikkömäärä
DocType: Asset Movement,Transaction Date,tapahtuma päivä
DocType: Production Plan Item,Planned Qty,suunniteltu yksikkömäärä
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,verot yhteensä
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,yksikkömäärään (valmistettu yksikkömäärä) vaaditaan
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,verot yhteensä
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,yksikkömäärään (valmistettu yksikkömäärä) vaaditaan
DocType: Stock Entry,Default Target Warehouse,oletus tavoite varasto
DocType: Purchase Invoice,Net Total (Company Currency),netto yhteensä (yrityksen valuutta)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Teemavuosi Lopetuspäivä ei voi olla aikaisempi kuin vuosi aloituspäivä. Korjaa päivämäärät ja yritä uudelleen.
@@ -4458,13 +4493,11 @@
DocType: Hub Settings,Hub Settings,hubi asetukset
DocType: Project,Gross Margin %,bruttokate %
DocType: BOM,With Operations,Toiminnoilla
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Kirjaukset on jo tehty valuutassa {0} yhtiön {1}. Valitse saamisen tai maksettava tilille valuutta {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Kirjaukset on jo tehty valuutassa {0} yhtiön {1}. Valitse saamisen tai maksettava tilille valuutta {0}.
DocType: Asset,Is Existing Asset,Onko Olemassa Asset
DocType: Salary Detail,Statistical Component,tilastollinen Komponentti
-,Monthly Salary Register,Kuukaisittainen palkkakirjanpito
DocType: Warranty Claim,If different than customer address,mikäli eri kuin asiakkan osoite
DocType: BOM Operation,BOM Operation,BOM käyttö
-DocType: School Settings,Validate the Student Group from Program Enrollment,Validoi oppilasryhmä Program Ilmoittautuminen
DocType: Purchase Taxes and Charges,On Previous Row Amount,Edellisen rivin arvomäärä
DocType: Student,Home Address,Kotiosoite
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,siirto Asset
@@ -4472,28 +4505,27 @@
DocType: Training Event,Event Name,Tapahtuman nimi
apps/erpnext/erpnext/config/schools.py +39,Admission,sisäänpääsy
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Teatterikatsojamääriin {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","kausivaihtelu asetukset esim, budjettiin, tavoitteisiin jne"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Nimike {0} on mallipohja, valitse yksi sen variaatioista"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","kausivaihtelu asetukset esim, budjettiin, tavoitteisiin jne"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Nimike {0} on mallipohja, valitse yksi sen variaatioista"
DocType: Asset,Asset Category,Asset Luokka
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Ostaja
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Nettomaksu ei voi olla negatiivinen
DocType: SMS Settings,Static Parameters,staattinen parametri
DocType: Assessment Plan,Room,Huone
DocType: Purchase Order,Advance Paid,ennakkoon maksettu
DocType: Item,Item Tax,Tuotteen vero
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materiaalin Toimittaja
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Valmistevero Lasku
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Valmistevero Lasku
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Kynnys {0}% esiintyy useammin kuin kerran
DocType: Expense Claim,Employees Email Id,työntekijän sähköpostiosoite
DocType: Employee Attendance Tool,Marked Attendance,Merkitty Läsnäolo
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,lyhytaikaiset vastattavat
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,lyhytaikaiset vastattavat
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Lähetä massatekstiviesti yhteystiedoillesi
DocType: Program,Program Name,Ohjelman nimi
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,pidetään veroille tai maksuille
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,todellinen yksikkömäärä on pakollinen arvo
DocType: Employee Loan,Loan Type,laina Tyyppi
DocType: Scheduling Tool,Scheduling Tool,Ajoitustyökalun
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,luottokortti
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,luottokortti
DocType: BOM,Item to be manufactured or repacked,tuote joka valmistetaan- tai pakataan uudelleen
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,varastotapahtumien oletusasetukset
DocType: Purchase Invoice,Next Date,Seuraava päivä
@@ -4509,10 +4541,10 @@
DocType: Stock Entry,Repack,Pakkaa uudelleen
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Sinun tulee tallentaa lomake ennen kuin jatkat
DocType: Item Attribute,Numeric Values,Numeroarvot
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Kiinnitä Logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Kiinnitä Logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Stock Levels
DocType: Customer,Commission Rate,provisio
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Tee Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Tee Variant
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,estä poistumissovellukset osastoittain
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Maksu tyyppi on yksi vastaanottaminen, Pay ja sisäinen siirto"
apps/erpnext/erpnext/config/selling.py +179,Analytics,Analytiikka
@@ -4520,45 +4552,45 @@
DocType: Vehicle,Model,Malli
DocType: Production Order,Actual Operating Cost,todelliset toimintakustannukset
DocType: Payment Entry,Cheque/Reference No,Sekki / viitenumero
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,kantaa ei voi muokata
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,kantaa ei voi muokata
DocType: Item,Units of Measure,Mittayksiköt
DocType: Manufacturing Settings,Allow Production on Holidays,salli tuotanto lomapäivinä
DocType: Sales Order,Customer's Purchase Order Date,asiakkaan ostotilaus päivä
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,osakepääoma
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,osakepääoma
DocType: Shopping Cart Settings,Show Public Attachments,Näytä Julkinen Liitteet
DocType: Packing Slip,Package Weight Details,"Pakkauspaino, lisätiedot"
DocType: Payment Gateway Account,Payment Gateway Account,Maksu Gateway tili
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Maksun jälkeen valmistumisen ohjata käyttäjän valitulle sivulle.
DocType: Company,Existing Company,Olemassa Company
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Veroluokka on muutettu "Total", koska kaikki tuotteet ovat ei-varastosta löytyvät"
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Valitse csv tiedosto
DocType: Student Leave Application,Mark as Present,Merkitse Present
DocType: Purchase Order,To Receive and Bill,Vastaanottoon ja laskutukseen
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Esittelyssä olevat tuotteet
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,suunnittelija
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,suunnittelija
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Ehdot ja säännöt mallipohja
DocType: Serial No,Delivery Details,"toimitus, lisätiedot"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},kustannuspaikka tarvitsee rivin {0} verokannan {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},kustannuspaikka tarvitsee rivin {0} verokannan {1}
DocType: Program,Program Code,Program Code
DocType: Terms and Conditions,Terms and Conditions Help,Ehdot Ohje
,Item-wise Purchase Register,"tuote työkalu, ostorekisteri"
DocType: Batch,Expiry Date,vanhenemis päivä
-,Supplier Addresses and Contacts,toimittajien osoitteet ja yhteystiedot
,accounts-browser,tilit-selain
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,Ole hyvä ja valitse Luokka ensin
apps/erpnext/erpnext/config/projects.py +13,Project master.,projekti valvonta
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Sallia yli-laskutus tai over-tilaus, päivitä "avustus" varastossa Settings tai Item."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Sallia yli-laskutus tai over-tilaus, päivitä "avustus" varastossa Settings tai Item."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,"älä käytä symbooleita, $ jne valuuttojen vieressä"
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(1/2 päivä)
DocType: Supplier,Credit Days,kredit päivää
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Tee Student Erä
DocType: Leave Type,Is Carry Forward,siirretääkö
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,hae tuotteita BOM:sta
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,hae tuotteita BOM:sta
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,"virtausaika, päivää"
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rivi # {0}: julkaisupäivä on oltava sama kuin ostopäivästä {1} asset {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rivi # {0}: julkaisupäivä on oltava sama kuin ostopäivästä {1} asset {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Syötä Myyntitilaukset edellä olevasta taulukosta
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Not Submitted palkkakuitit
,Stock Summary,Stock Yhteenveto
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Luovuttaa omaisuuttaan yhdestä varastosta another
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Luovuttaa omaisuuttaan yhdestä varastosta another
DocType: Vehicle,Petrol,Bensiini
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Materiaalien lasku
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},rivi {0}: osapuolityyppi ja osapuoli vaaditaan saatava / maksettava tilille {1}
@@ -4569,6 +4601,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Sanktioitujen arvomäärä
DocType: GL Entry,Is Opening,on avaus
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},rivi {0}: debet kirjausta ei voi kohdistaa {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,tiliä {0} ei löydy
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,tiliä {0} ei löydy
DocType: Account,Cash,Käteinen
DocType: Employee,Short biography for website and other publications.,Lyhyt historiikki verkkosivuille ja muihin julkaisuihin
diff --git a/erpnext/translations/fr-CA.csv b/erpnext/translations/fr-CA.csv
index b1bada3..5eaac93 100644
--- a/erpnext/translations/fr-CA.csv
+++ b/erpnext/translations/fr-CA.csv
@@ -1,7 +1,7 @@
DocType: Sales Order Item,Ordered Qty,Quantité commandée
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Le Centre de Coûts {2} ne fait pas partie de la Société {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +61,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: Soit un montant au débit ou crédit est nécessaire pour {2}
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} n'est pas associé à un Compte de Partie {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} n'est pas associé à un Compte de Partie {2}
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Taux de la Liste de Prix (Devise de la Compagnie)
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Client est requis envers un compte à recevoir {2}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: L'entrée comptable pour {2} ne peut être faite qu'en devise: {3}
diff --git a/erpnext/translations/fr.csv b/erpnext/translations/fr.csv
index c4e399c..03aacef 100644
--- a/erpnext/translations/fr.csv
+++ b/erpnext/translations/fr.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Produits de Consommation
DocType: Item,Customer Items,Articles du clients
DocType: Project,Costing and Billing,Coûts et Facturation
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Compte {0}: Le Compte parent {1} ne peut pas être un grand livre
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Compte {0}: Le Compte parent {1} ne peut pas être un grand livre
DocType: Item,Publish Item to hub.erpnext.com,Publier un Artice sur hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,Notifications par Email
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Évaluation
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,Évaluation
DocType: Item,Default Unit of Measure,Unité de Mesure par Défaut
DocType: SMS Center,All Sales Partner Contact,Tous les Contacts de Partenaires Commerciaux
DocType: Employee,Leave Approvers,Approbateurs de Congés
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Taux de Change doit être le même que {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Nom du Client
DocType: Vehicle,Natural Gas,Gaz Naturel
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Compte Bancaire ne peut pas être nommé {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Compte Bancaire ne peut pas être nommé {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Titres (ou groupes) sur lequel les entrées comptables sont faites et les soldes sont maintenus.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Solde pour {0} ne peut pas être inférieur à zéro ({1})
DocType: Manufacturing Settings,Default 10 mins,10 minutes Par Défaut
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Tous les Contacts Fournisseurs
DocType: Support Settings,Support Settings,Réglages du Support
DocType: SMS Parameter,Parameter,Paramètre
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Date de Fin Attendue ne peut pas être antérieure à Date de Début Attendue
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Date de Fin Attendue ne peut pas être antérieure à Date de Début Attendue
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Ligne #{0} : Le Prix doit être le même que {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Nouvelle Demande de Congés
,Batch Item Expiry Status,Statut d'Expiration d'Article du Lot
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Traite Bancaire
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Traite Bancaire
DocType: Mode of Payment Account,Mode of Payment Account,Compte du Mode de Paiement
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Afficher les Variantes
DocType: Academic Term,Academic Term,Terme Académique
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Matériel
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Quantité
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Le tableau de comptes ne peut être vide.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Prêts (Passif)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Prêts (Passif)
DocType: Employee Education,Year of Passing,Année de Passage
DocType: Item,Country of Origin,Pays d'Origine
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,En Stock
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,En Stock
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Ouvrir les Questions
DocType: Production Plan Item,Production Plan Item,Article du Plan de Production
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Utilisateur {0} est déjà attribué à l'Employé {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Soins de Santé
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Retard de paiement (jours)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Frais de Service
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Numéro de Série: {0} est déjà référencé dans la Facture de Vente: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Numéro de Série: {0} est déjà référencé dans la Facture de Vente: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Facture
DocType: Maintenance Schedule Item,Periodicity,Périodicité
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Exercice Fiscal {0} est nécessaire
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Ligne # {0} :
DocType: Timesheet,Total Costing Amount,Montant Total des Coûts
DocType: Delivery Note,Vehicle No,N° du Véhicule
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,Veuillez sélectionner une Liste de Prix
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Veuillez sélectionner une Liste de Prix
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Ligne #{0} : Document de paiement nécessaire pour compléter la transaction
DocType: Production Order Operation,Work In Progress,Travaux En Cours
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Veuillez sélectionner une date
DocType: Employee,Holiday List,Liste de Vacances
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Comptable
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Comptable
DocType: Cost Center,Stock User,Chargé des Stocks
DocType: Company,Phone No,N° de Téléphone
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Horaires des Cours créés:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Nouveau(elle) {0}: # {1}
,Sales Partners Commission,Commission des Partenaires de Vente
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,L'abbréviation ne peut pas avoir plus de 5 caractères
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,L'abbréviation ne peut pas avoir plus de 5 caractères
DocType: Payment Request,Payment Request,Requête de Paiement
DocType: Asset,Value After Depreciation,Valeur Après Amortissement
DocType: Employee,O+,O+
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,Date de présence ne peut pas être antérieure à la date d'embauche de l'employé
DocType: Grading Scale,Grading Scale Name,Nom de l'Échelle de Notation
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Il s'agit d'un compte racine qui ne peut être modifié.
+DocType: Sales Invoice,Company Address,Adresse de la Société
DocType: BOM,Operations,Opérations
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Impossible de définir l'autorisation sur la base des Prix Réduits pour {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Attacher un fichier .csv avec deux colonnes, une pour l'ancien nom et une pour le nouveau nom"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} dans aucun Exercice actif.
DocType: Packed Item,Parent Detail docname,Nom de Document du Détail Parent
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Référence: {0}, Code de l'article: {1} et Client: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Kg
DocType: Student Log,Log,Journal
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Ouverture d'un Emploi.
DocType: Item Attribute,Increment,Incrément
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Publicité
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,La même Société a été entrée plus d'une fois
DocType: Employee,Married,Marié
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Non autorisé pour {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Non autorisé pour {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Obtenir les articles de
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Stock ne peut pas être mis à jour pour le Bon de Livraison {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Stock ne peut pas être mis à jour pour le Bon de Livraison {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produit {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Aucun article référencé
DocType: Payment Reconciliation,Reconcile,Réconcilier
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,La Date de l’Amortissement Suivant ne peut pas être avant la Date d’Achat
DocType: SMS Center,All Sales Person,Tous les Commerciaux
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,**Répartition Mensuelle** vous aide à diviser le Budget / la Cible sur plusieurs mois si vous avez de la saisonnalité dans votre entreprise.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Pas d'objets trouvés
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Pas d'objets trouvés
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Grille des Salaires Manquante
DocType: Lead,Person Name,Nom de la Personne
DocType: Sales Invoice Item,Sales Invoice Item,Article de la Facture de Vente
DocType: Account,Credit,Crédit
DocType: POS Profile,Write Off Cost Center,Centre de Coûts des Reprises
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""","e.g. ""École Primaire"" ou ""Université"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""","e.g. ""École Primaire"" ou ""Université"""
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Rapports de Stock
DocType: Warehouse,Warehouse Detail,Détail de l'Entrepôt
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},La limite de crédit a été franchie pour le client {0} {1}/{2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},La limite de crédit a été franchie pour le client {0} {1}/{2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,La Date de Fin de Terme ne peut pas être postérieure à la Date de Fin de l'Année Académique à laquelle le terme est lié (Année Académique {}). Veuillez corriger les dates et essayer à nouveau.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",'Est un Actif Immobilisé’ doit être coché car il existe une entrée d’Actif pour cet article
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",'Est un Actif Immobilisé’ doit être coché car il existe une entrée d’Actif pour cet article
DocType: Vehicle Service,Brake Oil,Liquide de Frein
DocType: Tax Rule,Tax Type,Type de Taxe
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Vous n'êtes pas autorisé à ajouter ou faire une mise à jour des écritures avant le {0}
DocType: BOM,Item Image (if not slideshow),Image de l'Article (si ce n'est diaporama)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Un Client existe avec le même nom
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tarif Horaire / 60) * Temps Réel d’Opération
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Sélectionner LDM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Sélectionner LDM
DocType: SMS Log,SMS Log,Journal des SMS
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Coût des Articles Livrés
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Le jour de vacances {0} n’est pas compris entre la Date Initiale et la Date Finale
@@ -159,13 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Du {0} au {1}
DocType: Item,Copy From Item Group,Copier Depuis un Groupe d'Articles
DocType: Journal Entry,Opening Entry,Écriture d'Ouverture
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Client> Client Group> Territoire
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Compte Bénéficiaire Seulement
DocType: Employee Loan,Repay Over Number of Periods,Rembourser Sur le Nombre de Périodes
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} n'est pas inscrit dans le {2} donné
DocType: Stock Entry,Additional Costs,Frais Supplémentaires
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Un compte contenant une transaction ne peut pas être converti en groupe
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Un compte contenant une transaction ne peut pas être converti en groupe
DocType: Lead,Product Enquiry,Demande d'Information Produit
DocType: Academic Term,Schools,Écoles
+DocType: School Settings,Validate Batch for Students in Student Group,Valider le lot pour les étudiants en groupe étudiant
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Aucun congé trouvé pour l’employé {0} pour {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Veuillez d’abord entrer une Société
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Veuillez d’abord sélectionner une Société
@@ -174,49 +176,49 @@
DocType: BOM,Total Cost,Coût Total
DocType: Journal Entry Account,Employee Loan,Prêt Employé
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Journal d'Activité :
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,L'article {0} n'existe pas dans le système ou a expiré
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,L'article {0} n'existe pas dans le système ou a expiré
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Immobilier
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Relevé de Compte
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Médicaments
DocType: Purchase Invoice Item,Is Fixed Asset,Est Immobilisation
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Qté disponible est {0}, vous avez besoin de {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Qté disponible est {0}, vous avez besoin de {1}"
DocType: Expense Claim Detail,Claim Amount,Montant Réclamé
-DocType: Employee,Mr,M.
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Groupe de clients en double trouvé dans le tableau des groupes de clients
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Fournisseur / Type de Fournisseur
DocType: Naming Series,Prefix,Préfixe
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Consommable
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Consommable
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Journal d'Importation
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Récupérer les Demandes de Matériel de Type Production sur la base des critères ci-dessus
DocType: Training Result Employee,Grade,Note
DocType: Sales Invoice Item,Delivered By Supplier,Livré par le Fournisseur
DocType: SMS Center,All Contact,Tout Contact
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Ordre de Production déjà créé pour tous les articles avec LDM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Salaire Annuel
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Ordre de Production déjà créé pour tous les articles avec LDM
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Salaire Annuel
DocType: Daily Work Summary,Daily Work Summary,Récapitulatif Quotidien de Travail
DocType: Period Closing Voucher,Closing Fiscal Year,Clôture de l'Exercice
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} est gelée
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Veuillez sélectionner une Société Existante pour créer un Plan de Compte
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Charges de Stock
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} est gelée
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Veuillez sélectionner une Société Existante pour créer un Plan de Compte
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Charges de Stock
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Sélectionner l'Entrepôt Cible
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,Veuillez entrer l’Email de Contact Préférré
+DocType: Program Enrollment,School Bus,Bus Scolaire
DocType: Journal Entry,Contra Entry,Contre-passation
DocType: Journal Entry Account,Credit in Company Currency,Crédit dans la Devise de la Société
DocType: Delivery Note,Installation Status,Etat de l'Installation
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Voulez-vous mettre à jour la fréquentation? <br> Présents: {0} \ <br> Absent: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},La Qté Acceptée + Rejetée doit être égale à la quantité Reçue pour l'Article {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},La Qté Acceptée + Rejetée doit être égale à la quantité Reçue pour l'Article {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Fournir les Matières Premières pour l'Achat
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,Au moins un mode de paiement est nécessaire pour une facture de PDV
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,Au moins un mode de paiement est nécessaire pour une facture de PDV
DocType: Products Settings,Show Products as a List,Afficher les Produits en Liste
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Téléchargez le modèle, remplissez les données appropriées et joignez le fichier modifié.
Toutes les dates et combinaisons d’employés pour la période choisie seront inclus dans le modèle, avec les registres des présences existants"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,L'article {0} n’est pas actif ou sa fin de vie a été atteinte
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Exemple : Mathématiques de Base
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Pour inclure la taxe de la ligne {0} dans le prix de l'Article, les taxes des lignes {1} doivent également être incluses"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,L'article {0} n’est pas actif ou sa fin de vie a été atteinte
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Exemple : Mathématiques de Base
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Pour inclure la taxe de la ligne {0} dans le prix de l'Article, les taxes des lignes {1} doivent également être incluses"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Réglages pour le Module RH
DocType: SMS Center,SMS Center,Centre des SMS
DocType: Sales Invoice,Change Amount,Changer le Montant
@@ -226,7 +228,7 @@
DocType: Lead,Request Type,Type de Demande
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Créer un Employé
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Radio/Télévision
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Exécution
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Exécution
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Détails des opérations effectuées.
DocType: Serial No,Maintenance Status,Statut d'Entretien
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1} : Un Fournisseur est requis pour le Compte Créditeur {2}
@@ -254,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,La demande de devis peut être consultée en cliquant sur le lien suivant
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Allouer des congés pour l'année.
DocType: SG Creation Tool Course,SG Creation Tool Course,Cours de Création d'Outil SG
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,Stock Insuffisant
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,Stock Insuffisant
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Désactiver la Plannification de Capacité et la Gestion du Temps
DocType: Email Digest,New Sales Orders,Nouvelles Commandes Client
DocType: Bank Guarantee,Bank Account,Compte Bancaire
@@ -265,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log',Mis à jour via 'Journal du Temps'
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Montant de l'avance ne peut être supérieur à {0} {1}
DocType: Naming Series,Series List for this Transaction,Liste des Séries pour cette Transaction
+DocType: Company,Enable Perpetual Inventory,Autoriser l'Inventaire Perpétuel
DocType: Company,Default Payroll Payable Account,Compte de Paie par Défaut
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Metter à jour le Groupe d'Email
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Metter à jour le Groupe d'Email
DocType: Sales Invoice,Is Opening Entry,Est Écriture Ouverte
DocType: Customer Group,Mention if non-standard receivable account applicable,Mentionner si le compte débiteur applicable n'est pas standard
DocType: Course Schedule,Instructor Name,Nom de l'Instructeur
@@ -278,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Pour l'Article de la Facture de Vente
,Production Orders in Progress,Ordres de Production en Cours
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Trésorerie Nette des Financements
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","Le Stockage Local est plein, l’enregistrement n’a pas fonctionné"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","Le Stockage Local est plein, l’enregistrement n’a pas fonctionné"
DocType: Lead,Address & Contact,Adresse & Contact
DocType: Leave Allocation,Add unused leaves from previous allocations,Ajouter les congés inutilisés des précédentes allocations
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Récurrent Suivant {0} sera créé le {1}
DocType: Sales Partner,Partner website,Site Partenaire
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Ajouter un Article
-,Contact Name,Nom du Contact
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Nom du Contact
DocType: Course Assessment Criteria,Course Assessment Criteria,Critères d'Évaluation du Cours
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Crée la fiche de paie pour les critères mentionnés ci-dessus.
DocType: POS Customer Group,POS Customer Group,Groupe Clients PDV
@@ -293,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Aucune Description
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Demande d'Achat.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Basé sur les Feuilles de Temps créées pour ce projet
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Salaire Net ne peut pas être inférieur à 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Salaire Net ne peut pas être inférieur à 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Seul l'Approbateur de Congé sélectionné peut soumettre cette Demande de Congé
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,La Date de Relève doit être postérieure à la Date d’Embauche
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Congés par Année
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Congés par Année
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Ligne {0} : Veuillez vérifier 'Est Avance' sur le compte {1} si c'est une avance.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},L'entrepôt {0} n'appartient pas à la société {1}
DocType: Email Digest,Profit & Loss,Profits & Pertes
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Litre
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Litre
DocType: Task,Total Costing Amount (via Time Sheet),Montant Total des Coûts (via Feuille de Temps)
DocType: Item Website Specification,Item Website Specification,Spécification de l'Article sur le Site Web
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Laisser Verrouillé
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},L'article {0} a atteint sa fin de vie le {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},L'article {0} a atteint sa fin de vie le {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Écritures Bancaires
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Annuel
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Article de Réconciliation du Stock
@@ -312,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,Qté de Commande Min
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Cours sur l'Outil de Création de Groupe d'Étudiants
DocType: Lead,Do Not Contact,Ne Pas Contacter
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,Personnes qui enseignent dans votre organisation
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,Personnes qui enseignent dans votre organisation
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,L'identifiant unique pour le suivi de toutes les factures récurrentes. Il est généré lors de la soumission.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Developeur Logiciel
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Developeur Logiciel
DocType: Item,Minimum Order Qty,Qté de Commande Minimum
DocType: Pricing Rule,Supplier Type,Type de Fournisseur
DocType: Course Scheduling Tool,Course Start Date,Date de Début du Cours
@@ -323,11 +326,11 @@
DocType: Item,Publish in Hub,Publier dans le Hub
DocType: Student Admission,Student Admission,Admission des Étudiants
,Terretory,Territoire
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Article {0} est annulé
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Article {0} est annulé
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Demande de Matériel
DocType: Bank Reconciliation,Update Clearance Date,Mettre à Jour la Date de Compensation
DocType: Item,Purchase Details,Détails de l'Achat
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Article {0} introuvable dans la table 'Matières Premières Fournies' dans la Commande d'Achat {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Article {0} introuvable dans la table 'Matières Premières Fournies' dans la Commande d'Achat {1}
DocType: Employee,Relation,Relation
DocType: Shipping Rule,Worldwide Shipping,Livraison Internationale
DocType: Student Guardian,Mother,Mère
@@ -346,6 +349,7 @@
DocType: Student Group Student,Student Group Student,Étudiant du Groupe d'Étudiants
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Dernier
DocType: Vehicle Service,Inspection,Inspection
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Liste
DocType: Email Digest,New Quotations,Nouveaux Devis
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Envoi des fiches de paie à l'employé par Email en fonction de l'email sélectionné dans la fiche Employé
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,Le premier Approbateur de Congé dans la liste sera défini comme Approbateur par défaut
@@ -354,20 +358,20 @@
DocType: Asset,Next Depreciation Date,Date de l’Amortissement Suivant
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Coût de l'Activité par Employé
DocType: Accounts Settings,Settings for Accounts,Réglages pour les Comptes
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},N° de la Facture du Fournisseur existe dans la Facture d'Achat {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},N° de la Facture du Fournisseur existe dans la Facture d'Achat {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Gérer l'Arborescence des Vendeurs.
DocType: Job Applicant,Cover Letter,Lettre de Motivation
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Chèques et Dépôts en suspens à compenser
DocType: Item,Synced With Hub,Synchronisé avec le Hub
DocType: Vehicle,Fleet Manager,Gestionnaire de Flotte
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Ligne #{0} : {1} ne peut pas être négatif pour l’article {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Mauvais Mot De Passe
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Mauvais Mot De Passe
DocType: Item,Variant Of,Variante De
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',"Qté Terminée ne peut pas être supérieure à ""Quantité de Fabrication"""
DocType: Period Closing Voucher,Closing Account Head,Responsable du Compte Clôturé
DocType: Employee,External Work History,Historique de Travail Externe
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Erreur de Référence Circulaire
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Nom du Tuteur 1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Nom du Tuteur 1
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,En Toutes Lettres (Exportation) Sera visible une fois que vous enregistrerez le Bon de Livraison.
DocType: Cheque Print Template,Distance from left edge,Distance du bord gauche
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} unités de [{1}] (#Formulaire/Article/{1}) trouvées dans [{2}] (#Formulaire/Entrepôt/{2})
@@ -376,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notifier par Email lors de la création automatique de la Demande de Matériel
DocType: Journal Entry,Multi Currency,Multi-Devise
DocType: Payment Reconciliation Invoice,Invoice Type,Type de Facture
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Bon de Livraison
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Bon de Livraison
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Configuration des Impôts
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Coût des Immobilisations Vendus
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,L’Écriture de Paiement a été modifié après que vous l’ayez récupérée. Veuillez la récupérer à nouveau.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} est entré deux fois dans la Taxe de l'Article
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,L’Écriture de Paiement a été modifié après que vous l’ayez récupérée. Veuillez la récupérer à nouveau.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} est entré deux fois dans la Taxe de l'Article
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Résumé de la semaine et des activités en suspens
DocType: Student Applicant,Admitted,Admis
DocType: Workstation,Rent Cost,Coût de la Location
@@ -398,25 +402,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Veuillez entrer une valeur pour 'Répéter le jour du mois'
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Taux auquel la Devise Client est convertie en devise client de base
DocType: Course Scheduling Tool,Course Scheduling Tool,Outil de Planification des Cours
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Ligne #{0} : La Facture d'Achat ne peut être faite pour un actif existant {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Ligne #{0} : La Facture d'Achat ne peut être faite pour un actif existant {1}
DocType: Item Tax,Tax Rate,Taux d'Imposition
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} déjà alloué pour l’Employé {1} pour la période {2} à {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Sélectionner l'Article
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,La Facture d’Achat {0} est déjà soumise
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,La Facture d’Achat {0} est déjà soumise
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Ligne # {0} : Le N° de Lot doit être le même que {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Convertir en non-groupe
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Lot d'un Article.
DocType: C-Form Invoice Detail,Invoice Date,Date de la Facture
DocType: GL Entry,Debit Amount,Montant du Débit
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Il ne peut y avoir qu’un Compte par Société dans {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,Veuillez voir la pièce jointe
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Il ne peut y avoir qu’un Compte par Société dans {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,Veuillez voir la pièce jointe
DocType: Purchase Order,% Received,% Reçu
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Créer des Groupes d'Étudiants
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Configuration déjà terminée !
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Montant de la Note de Crédit
,Finished Goods,Produits Finis
DocType: Delivery Note,Instructions,Instructions
DocType: Quality Inspection,Inspected By,Inspecté Par
DocType: Maintenance Visit,Maintenance Type,Type d'Entretien
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} n'est pas inscrit dans le cours {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},N° de Série {0} ne fait pas partie du Bon de Livraison {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,Demo ERPNext
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Ajouter des Articles
@@ -437,7 +443,7 @@
DocType: Request for Quotation,Request for Quotation,Appel d'Offre
DocType: Salary Slip Timesheet,Working Hours,Heures de Travail
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Changer le numéro initial/actuel d'une série existante.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Créer un nouveau Client
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Créer un nouveau Client
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Si plusieurs Règles de Prix continuent de prévaloir, les utilisateurs sont invités à définir manuellement la priorité pour résoudre les conflits."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Créer des Commandes d'Achat
,Purchase Register,Registre des Achats
@@ -449,7 +455,7 @@
DocType: Student Log,Medical,Médical
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Raison de perdre
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Le Responsable du Prospect ne peut pas être identique au Prospect
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,Le montant alloué ne peut pas être plus grand que le montant non ajusté
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,Le montant alloué ne peut pas être plus grand que le montant non ajusté
DocType: Announcement,Receiver,Récepteur
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Le bureau est fermé aux dates suivantes selon la Liste de Vacances : {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Opportunités
@@ -463,8 +469,7 @@
DocType: Assessment Plan,Examiner Name,Nom de l'Examinateur
DocType: Purchase Invoice Item,Quantity and Rate,Quantité et Taux
DocType: Delivery Note,% Installed,% Installé
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,Les Salles de Classe / Laboratoires etc. où des conférences peuvent être programmées.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Fournisseur> Type de Fournisseur
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,Les Salles de Classe / Laboratoires etc. où des conférences peuvent être programmées.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Veuillez d’abord entrer le nom de l'entreprise
DocType: Purchase Invoice,Supplier Name,Nom du Fournisseur
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Lire le manuel d’ERPNext
@@ -474,7 +479,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Vérifiez l'Unicité du Numéro de Facture du Fournisseur
DocType: Vehicle Service,Oil Change,Vidange
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','Au Cas N°’ ne peut pas être inférieur à ‘Du Cas N°’
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,À But Non Lucratif
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,À But Non Lucratif
DocType: Production Order,Not Started,Non Commencé
DocType: Lead,Channel Partner,Partenaire de Canal
DocType: Account,Old Parent,Grand Parent
@@ -484,19 +489,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Paramètres globaux pour tous les processus de fabrication.
DocType: Accounts Settings,Accounts Frozen Upto,Comptes Gelés Jusqu'au
DocType: SMS Log,Sent On,Envoyé le
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Attribut {0} sélectionné à plusieurs reprises dans le Tableau des Attributs
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Attribut {0} sélectionné à plusieurs reprises dans le Tableau des Attributs
DocType: HR Settings,Employee record is created using selected field. ,Le dossier de l'employé est créé en utilisant le champ sélectionné.
DocType: Sales Order,Not Applicable,Non Applicable
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Données de Base des Vacances
DocType: Request for Quotation Item,Required Date,Date Requise
DocType: Delivery Note,Billing Address,Adresse de Facturation
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Veuillez entrer le Code d'Article.
DocType: BOM,Costing,Coût
DocType: Tax Rule,Billing County,Département de Facturation
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Si cochée, le montant de la taxe sera considéré comme déjà inclus dans le Taux d'Impression / Prix d'Impression"
DocType: Request for Quotation,Message for Supplier,Message pour le Fournisseur
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Qté Totale
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,ID Email du Tuteur2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,ID Email du Tuteur2
DocType: Item,Show in Website (Variant),Afficher dans le Website (Variant)
DocType: Employee,Health Concerns,Problèmes de Santé
DocType: Process Payroll,Select Payroll Period,Sélectionner la Période de Paie
@@ -514,25 +518,27 @@
DocType: Sales Order Item,Used for Production Plan,Utilisé pour Plan de Production
DocType: Employee Loan,Total Payment,Paiement Total
DocType: Manufacturing Settings,Time Between Operations (in mins),Temps entre les opérations (en min)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} est annulé, donc l'action ne peut pas être complétée"
DocType: Customer,Buyer of Goods and Services.,Acheteur des Biens et Services.
DocType: Journal Entry,Accounts Payable,Comptes Créditeurs
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Les LDMs sélectionnées ne sont pas pour le même article
DocType: Pricing Rule,Valid Upto,Valide Jusqu'au
DocType: Training Event,Workshop,Atelier
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Listez quelques-uns de vos clients. Ils peuvent être des entreprise ou des individus.
-,Enough Parts to Build,Pièces Suffisantes pour Construire
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Revenu Direct
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Listez quelques-uns de vos clients. Ils peuvent être des entreprise ou des individus.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Pièces Suffisantes pour Construire
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Revenu Direct
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Impossible de filtrer sur le Compte , si les lignes sont regroupées par Compte"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Agent Administratif
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Veuillez sélectionner un Cours
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Agent Administratif
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Veuillez sélectionner un Cours
DocType: Timesheet Detail,Hrs,Hrs
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Veuillez sélectionner une Société
DocType: Stock Entry Detail,Difference Account,Compte d’Écart
+DocType: Purchase Invoice,Supplier GSTIN,GSTIN du Fournisseur
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Impossible de fermer une tâche si tâche dépendante {0} n'est pas fermée.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Veuillez entrer l’Entrepôt pour lequel une Demande de Matériel sera faite
DocType: Production Order,Additional Operating Cost,Coût d'Exploitation Supplémentaires
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Produits de Beauté
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Pour fusionner, les propriétés suivantes doivent être les mêmes pour les deux articles"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Pour fusionner, les propriétés suivantes doivent être les mêmes pour les deux articles"
DocType: Shipping Rule,Net Weight,Poids Net
DocType: Employee,Emergency Phone,Téléphone d'Urgence
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Acheter
@@ -541,14 +547,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Veuillez définir une note pour le Seuil 0%
DocType: Sales Order,To Deliver,À Livrer
DocType: Purchase Invoice Item,Item,Article
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,N° de série de l'article ne peut pas être une fraction
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,N° de série de l'article ne peut pas être une fraction
DocType: Journal Entry,Difference (Dr - Cr),Écart (Dr - Cr )
DocType: Account,Profit and Loss,Pertes et Profits
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Gestion de la Sous-traitance
DocType: Project,Project will be accessible on the website to these users,Le Projet sera accessible sur le site web à ces utilisateurs
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Taux auquel la devise de la Liste de prix est convertie en devise société de base
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Le compte {0} n'appartient pas à la société : {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Abréviation déjà utilisée pour une autre société
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Le compte {0} n'appartient pas à la société : {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Abréviation déjà utilisée pour une autre société
DocType: Selling Settings,Default Customer Group,Groupe de Clients par Défaut
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Si coché, le champ 'Total Arrondi' ne sera visible dans aucune transaction."
DocType: BOM,Operating Cost,Coût d'Exploitation
@@ -556,7 +562,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Incrément ne peut pas être 0
DocType: Production Planning Tool,Material Requirement,Exigence Matériel
DocType: Company,Delete Company Transactions,Supprimer les Transactions de la Société
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Le N° de Référence et la Date de Référence sont nécessaires pour une Transaction Bancaire
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Le N° de Référence et la Date de Référence sont nécessaires pour une Transaction Bancaire
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Ajouter / Modifier Taxes et Charges
DocType: Purchase Invoice,Supplier Invoice No,N° de Facture du Fournisseur
DocType: Territory,For reference,Pour référence
@@ -567,22 +573,22 @@
DocType: Installation Note Item,Installation Note Item,Article Remarque d'Installation
DocType: Production Plan Item,Pending Qty,Qté en Attente
DocType: Budget,Ignore,Ignorer
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} n'est pas actif
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} n'est pas actif
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS envoyé aux numéros suivants : {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,Configurez les dimensions du chèque pour l'impression
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Configurez les dimensions du chèque pour l'impression
DocType: Salary Slip,Salary Slip Timesheet,Feuille de Temps de la Fiche de Paie
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Entrepôt Fournisseur obligatoire pour les Reçus d'Achat sous-traités
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Entrepôt Fournisseur obligatoire pour les Reçus d'Achat sous-traités
DocType: Pricing Rule,Valid From,Valide à Partir de
DocType: Sales Invoice,Total Commission,Total de la Commission
DocType: Pricing Rule,Sales Partner,Partenaire Commercial
DocType: Buying Settings,Purchase Receipt Required,Reçu d’Achat Requis
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,Le Taux de Valorisation est obligatoire si un Stock Initial est entré
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,Le Taux de Valorisation est obligatoire si un Stock Initial est entré
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Aucun enregistrement trouvé dans la table Facture
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Veuillez d’abord sélectionner une Société et le Type de la Partie
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Exercice comptable / financier
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Exercice comptable / financier
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Valeurs Accumulées
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Désolé, les N° de Série ne peut pas être fusionnés"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Créer une Commande Client
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Créer une Commande Client
DocType: Project Task,Project Task,Tâche du Projet
,Lead Id,Id du Prospect
DocType: C-Form Invoice Detail,Grand Total,Total TTC
@@ -599,7 +605,7 @@
DocType: Job Applicant,Resume Attachment,Reprendre la Pièce Jointe
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Répéter Clients
DocType: Leave Control Panel,Allocate,Allouer
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Retour de Ventes
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Retour de Ventes
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Remarque : Le total des congés alloués {0} ne doit pas être inférieur aux congés déjà approuvés {1} pour la période
DocType: Announcement,Posted By,Posté par
DocType: Item,Delivered by Supplier (Drop Ship),Livré par le Fournisseur (Expédition Directe)
@@ -609,8 +615,8 @@
DocType: Quotation,Quotation To,Devis Pour
DocType: Lead,Middle Income,Revenu Intermédiaire
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Ouverture (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,L’Unité de Mesure par Défaut pour l’Article {0} ne peut pas être modifiée directement parce que vous avez déjà fait une (des) transaction (s) avec une autre unité de mesure. Vous devez créer un nouvel article pour utiliser une UDM par défaut différente.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Le montant alloué ne peut être négatif
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,L’Unité de Mesure par Défaut pour l’Article {0} ne peut pas être modifiée directement parce que vous avez déjà fait une (des) transaction (s) avec une autre unité de mesure. Vous devez créer un nouvel article pour utiliser une UDM par défaut différente.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Le montant alloué ne peut être négatif
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Veuillez définir la Société
DocType: Purchase Order Item,Billed Amt,Mnt Facturé
DocType: Training Result Employee,Training Result Employee,Résultat de la Formation – Employé
@@ -622,7 +628,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Sélectionner Compte de Crédit pour faire l'Écriture Bancaire
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Créer des dossiers Employés pour gérer les congés, les notes de frais et la paie"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Ajouter à la Base de Connaissances
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Rédaction de Propositions
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Rédaction de Propositions
DocType: Payment Entry Deduction,Payment Entry Deduction,Déduction d’Écriture de Paiement
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Un autre Commercial {0} existe avec le même ID d'Employé
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Si cochée, les matières premières pour les articles qui sont sous-traités seront inclus dans les Demandes de Matériel"
@@ -636,7 +642,7 @@
DocType: Timesheet,Billed,Facturé
DocType: Batch,Batch Description,Description du Lot
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Créer des groupes d'étudiants
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Le Compte Passerelle de Paiement n’existe pas, veuillez en créer un manuellement."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Le Compte Passerelle de Paiement n’existe pas, veuillez en créer un manuellement."
DocType: Sales Invoice,Sales Taxes and Charges,Taxes et Frais de Vente
DocType: Employee,Organization Profile,Profil de l'Organisation
DocType: Student,Sibling Details,Détails Frères et Sœurs
@@ -658,11 +664,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Variation Nette des Stocks
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Gestion des Prêts des Employés
DocType: Employee,Passport Number,Numéro de Passeport
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Relation avec Tuteur2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Directeur
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Relation avec Tuteur2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Directeur
DocType: Payment Entry,Payment From / To,Paiement De / À
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nouvelle limite de crédit est inférieure à l'encours actuel pour le client. Limite de crédit doit être au moins de {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Le même article a été saisi plusieurs fois.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nouvelle limite de crédit est inférieure à l'encours actuel pour le client. Limite de crédit doit être au moins de {0}
DocType: SMS Settings,Receiver Parameter,Paramètre Récepteur
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Basé sur' et 'Groupé par' ne peuvent pas être identiques
DocType: Sales Person,Sales Person Targets,Objectifs des Commerciaux
@@ -671,8 +676,9 @@
DocType: Issue,Resolution Date,Date de Résolution
DocType: Student Batch Name,Batch Name,Nom du Lot
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Feuille de Temps créée :
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},Veuillez définir un compte de Caisse ou de Banque par défaut pour le Mode de Paiement {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Veuillez définir un compte de Caisse ou de Banque par défaut pour le Mode de Paiement {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Inscrire
+DocType: GST Settings,GST Settings,Paramètres GST
DocType: Selling Settings,Customer Naming By,Client Nommé par
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Affichera l'étudiant comme Présent dans le Rapport Mensuel de Présence des Étudiants
DocType: Depreciation Schedule,Depreciation Amount,Montant d'Amortissement
@@ -694,6 +700,7 @@
DocType: Item,Material Transfer,Transfert de Matériel
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Ouverture (Dr)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Horodatage de Publication doit être après {0}
+,GST Itemised Purchase Register,Registre d'Achat Détaillé GST
DocType: Employee Loan,Total Interest Payable,Total des Intérêts à Payer
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Taxes et Frais du Coût au Débarquement
DocType: Production Order Operation,Actual Start Time,Heure de Début Réelle
@@ -720,10 +727,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Fournisseur
DocType: Account,Accounts,Comptes
DocType: Vehicle,Odometer Value (Last),Valeur Compteur Kilométrique (Dernier)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,L’Écriture de Paiement est déjà créée
DocType: Purchase Receipt Item Supplied,Current Stock,Stock Actuel
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Ligne #{0} : L’Actif {1} n’est pas lié à l'Article {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Ligne #{0} : L’Actif {1} n’est pas lié à l'Article {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Aperçu Fiche de Salaire
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Le compte {0} a été entré plusieurs fois
DocType: Account,Expenses Included In Valuation,Frais Inclus dans la Valorisation
@@ -731,7 +738,7 @@
,Absent Student Report,Rapport des Absences
DocType: Email Digest,Next email will be sent on:,Le prochain Email sera envoyé le :
DocType: Offer Letter Term,Offer Letter Term,Terme de la Lettre de Proposition
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,L'article a des variantes.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,L'article a des variantes.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Article {0} introuvable
DocType: Bin,Stock Value,Valeur du Stock
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Société {0} n'existe pas
@@ -740,7 +747,7 @@
DocType: Serial No,Warranty Expiry Date,Date d'Expiration de la Garantie
DocType: Material Request Item,Quantity and Warehouse,Quantité et Entrepôt
DocType: Sales Invoice,Commission Rate (%),Taux de Commission (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Veuillez sélectionner un Programme
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Veuillez sélectionner un Programme
DocType: Project,Estimated Cost,Coût Estimé
DocType: Purchase Order,Link to material requests,Lien vers les demandes de matériaux
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aérospatial
@@ -754,14 +761,14 @@
DocType: Purchase Order,Supply Raw Materials,Fournir les Matières Premières
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,La date à laquelle la prochaine facture sera générée. Elle est générée à la soumission.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Actifs Actuels
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} n'est pas un Article de stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} n'est pas un Article de stock
DocType: Mode of Payment Account,Default Account,Compte par Défaut
DocType: Payment Entry,Received Amount (Company Currency),Montant Reçu (Devise Société)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,Un prospect doit être sélectionné si l'Opportunité est créée à partir d’un Prospect
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,Veuillez sélectionnez les jours de congé hebdomadaires
DocType: Production Order Operation,Planned End Time,Heure de Fin Prévue
,Sales Person Target Variance Item Group-Wise,Variance d'Objectifs des Commerciaux par Groupe d'Articles
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Un compte contenant une transaction ne peut pas être converti en grand livre
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Un compte contenant une transaction ne peut pas être converti en grand livre
DocType: Delivery Note,Customer's Purchase Order No,Numéro bon de commande du client
DocType: Budget,Budget Against,Budget Pour
DocType: Employee,Cell Number,Numéro de Téléphone
@@ -773,15 +780,13 @@
DocType: Opportunity,Opportunity From,Opportunité De
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Fiche de paie mensuelle.
DocType: BOM,Website Specifications,Spécifications du Site Web
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Veuillez configurer la numérotation de série pour la Présence via Configuration> Numérotation de Série
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0} : Du {0} de type {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Ligne {0} : Le Facteur de Conversion est obligatoire
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Ligne {0} : Le Facteur de Conversion est obligatoire
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Plusieurs Règles de Prix existent avec les mêmes critères, veuillez résoudre les conflits en attribuant des priorités. Règles de Prix : {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,Désactivation ou annulation de la LDM impossible car elle est liée avec d'autres LDMs
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Plusieurs Règles de Prix existent avec les mêmes critères, veuillez résoudre les conflits en attribuant des priorités. Règles de Prix : {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Désactivation ou annulation de la LDM impossible car elle est liée avec d'autres LDMs
DocType: Opportunity,Maintenance,Entretien
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Numéro du Reçu d'Achat requis pour l'Article {0}
DocType: Item Attribute Value,Item Attribute Value,Valeur de l'Attribut de l'Article
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Campagnes de vente.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Créer une Feuille de Temps
@@ -834,29 +839,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Actif mis au rebut via Écriture de Journal {0}
DocType: Employee Loan,Interest Income Account,Compte d'Intérêts Créditeurs
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Biotechnologie
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Dépenses d'Entretien du Bureau
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Dépenses d'Entretien du Bureau
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Configuration du Compte Email
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Veuillez d’abord entrer l'Article
DocType: Account,Liability,Responsabilité
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,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}.
DocType: Company,Default Cost of Goods Sold Account,Compte de Coûts des Marchandises Vendues par Défaut
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Liste des Prix non sélectionnée
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Liste des Prix non sélectionnée
DocType: Employee,Family Background,Antécédents Familiaux
DocType: Request for Quotation Supplier,Send Email,Envoyer un Email
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Attention : Pièce jointe non valide {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Attention : Pièce jointe non valide {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Aucune Autorisation
DocType: Company,Default Bank Account,Compte Bancaire par Défaut
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Pour filtrer en fonction du Parti, sélectionnez d’abord le Type de Parti"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'Mettre à Jour le Stock' ne peut pas être coché car les articles ne sont pas livrés par {0}
DocType: Vehicle,Acquisition Date,Date d'Aquisition
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,N°
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,N°
DocType: Item,Items with higher weightage will be shown higher,Articles avec poids supérieur seront affichés en haut
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Détail de la Réconciliation Bancaire
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Ligne #{0} : L’Article {1} doit être soumis
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Ligne #{0} : L’Article {1} doit être soumis
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Aucun employé trouvé
DocType: Supplier Quotation,Stopped,Arrêté
DocType: Item,If subcontracted to a vendor,Si sous-traité à un fournisseur
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Le Groupe d'Étudiants est déjà mis à jour.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Le Groupe d'Étudiants est déjà mis à jour.
DocType: SMS Center,All Customer Contact,Tout Contact Client
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Charger solde de stock via csv.
DocType: Warehouse,Tree Details,Détails de l’Arbre
@@ -868,13 +873,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1} : Le Centre de Coûts {2} ne fait pas partie de la Société {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1} : Compte {2} ne peut pas être un Groupe
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Ligne d'Article {idx}: {doctype} {docname} n'existe pas dans la table '{doctype}' ci-dessus
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,La Feuille de Temps {0} est déjà terminée ou annulée
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,La Feuille de Temps {0} est déjà terminée ou annulée
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Aucune tâche
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Le jour du mois où la facture automatique sera générée. e.g. 05, 28, etc."
DocType: Asset,Opening Accumulated Depreciation,Amortissement Cumulé d'Ouverture
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Score doit être inférieur ou égal à 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Outil d’Inscription au Programme
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,Enregistrements Formulaire-C
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,Enregistrements Formulaire-C
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Clients et Fournisseurs
DocType: Email Digest,Email Digest Settings,Paramètres pour le Compte Rendu par Email
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Merci pour votre entreprise !
@@ -884,17 +889,19 @@
DocType: Bin,Moving Average Rate,Taux Mobile Moyen
DocType: Production Planning Tool,Select Items,Sélectionner les Articles
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} pour la Facture {1} du {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Numéro de Véhicule/Bus
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Horaire du Cours
DocType: Maintenance Visit,Completion Status,État d'Achèvement
DocType: HR Settings,Enter retirement age in years,Entrez l'âge de la retraite en années
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Entrepôt Cible
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Sélectionnez un entrepôt
DocType: Cheque Print Template,Starting location from left edge,Position initiale depuis bord gauche
DocType: Item,Allow over delivery or receipt upto this percent,Autoriser le dépassement des capacités livraison ou de réception jusqu'à ce pourcentage
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,Importer Participation
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Tous les Groupes d'Articles
DocType: Process Payroll,Activity Log,Journal d'Activité
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Bénéfice Net / Perte Nette
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Bénéfice Net / Perte Nette
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Composer automatiquement un message sur la soumission de transactions .
DocType: Production Order,Item To Manufacture,Article à Fabriquer
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},Le Statut de {0} {1} est {2}
@@ -903,16 +910,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Du Bon de Commande au Paiement
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Qté Projetée
DocType: Sales Invoice,Payment Due Date,Date d'Échéance de Paiement
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,La Variante de l'Article {0} existe déjà avec les mêmes caractéristiques
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,La Variante de l'Article {0} existe déjà avec les mêmes caractéristiques
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','Ouverture'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Ouvrir To Do
DocType: Notification Control,Delivery Note Message,Message du Bon de Livraison
DocType: Expense Claim,Expenses,Charges
+,Support Hours,Heures de soutien
DocType: Item Variant Attribute,Item Variant Attribute,Attribut de Variante de l'Article
,Purchase Receipt Trends,Tendances des Reçus d'Achats
DocType: Process Payroll,Bimonthly,Bimensuel
DocType: Vehicle Service,Brake Pad,Plaquettes de Frein
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Recherche & Développement
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Recherche & Développement
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Montant à Facturer
DocType: Company,Registration Details,Informations Légales
DocType: Timesheet,Total Billed Amount,Montant Total Facturé
@@ -925,12 +933,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Obtenir seulement des Matières Premières
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Évaluation des Performances.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Activation de 'Utiliser pour Panier', comme le Panier est activé et qu'il devrait y avoir au moins une Règle de Taxes pour le Panier"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","L’Écriture de Paiement {0} est liée à la Commande {1}, vérifiez si elle doit être récupérée comme une avance dans cette facture."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","L’Écriture de Paiement {0} est liée à la Commande {1}, vérifiez si elle doit être récupérée comme une avance dans cette facture."
DocType: Sales Invoice Item,Stock Details,Détails du Stock
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Valeur du Projet
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Point-de-Vente
DocType: Vehicle Log,Odometer Reading,Relevé du Compteur Kilométrique
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Le solde du compte est déjà Créditeur, vous n'êtes pas autorisé à mettre en 'Solde Doit Être' comme 'Débiteur'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Le solde du compte est déjà Créditeur, vous n'êtes pas autorisé à mettre en 'Solde Doit Être' comme 'Débiteur'"
DocType: Account,Balance must be,Solde doit être
DocType: Hub Settings,Publish Pricing,Publier la Tarification
DocType: Notification Control,Expense Claim Rejected Message,Message de Note de Frais Rejetée
@@ -940,7 +948,7 @@
DocType: Salary Slip,Working Days,Jours Ouvrables
DocType: Serial No,Incoming Rate,Taux d'Entrée
DocType: Packing Slip,Gross Weight,Poids Brut
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,Le nom de l'entreprise pour laquelle vous configurez ce système.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,Le nom de l'entreprise pour laquelle vous configurez ce système.
DocType: HR Settings,Include holidays in Total no. of Working Days,Inclure les vacances dans le nombre total de Jours Ouvrés
DocType: Job Applicant,Hold,Tenir
DocType: Employee,Date of Joining,Date d'Embauche
@@ -951,20 +959,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Reçu d’Achat
,Received Items To Be Billed,Articles Reçus à Facturer
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Fiche de Paie Soumises
-DocType: Employee,Ms,Mme
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Données de base des Taux de Change
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Doctype de la Référence doit être parmi {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Données de base des Taux de Change
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Doctype de la Référence doit être parmi {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Impossible de trouver le Créneau Horaires dans les {0} prochains jours pour l'Opération {1}
DocType: Production Order,Plan material for sub-assemblies,Plan de matériaux pour les sous-ensembles
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Partenaires Commerciaux et Régions
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,Vous ne pouvez pas créer automatiquement un compte car il y a déjà un solde dans le compte. Vous devez créer un compte correspondant avant de pouvoir faire une entrée sur cet entrepôt
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,LDM {0} doit être active
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,LDM {0} doit être active
DocType: Journal Entry,Depreciation Entry,Ecriture d’Amortissement
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Veuillez d’abord sélectionner le type de document
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Annuler les Visites Matérielles {0} avant d'annuler cette Visite de Maintenance
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},N° de Série {0} n'appartient pas à l'Article {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Qté Requise
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Les entrepôts avec des transactions existantes ne peuvent pas être convertis en livre.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Les entrepôts avec des transactions existantes ne peuvent pas être convertis en livre.
DocType: Bank Reconciliation,Total Amount,Montant Total
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Publication Internet
DocType: Production Planning Tool,Production Orders,Ordres de Production
@@ -979,25 +985,26 @@
DocType: Fee Structure,Components,Composants
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Veuillez entrer une Catégorie d'Actif dans la rubrique {0}
DocType: Quality Inspection Reading,Reading 6,Lecture 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Can not {0} {1} {2} sans aucune facture impayée négative
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Can not {0} {1} {2} sans aucune facture impayée négative
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Avance sur Facture d’Achat
DocType: Hub Settings,Sync Now,Synchroniser Maintenant
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Ligne {0} : L’Écriture de crédit ne peut pas être liée à un {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Définir le budget pour un exercice.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Définir le budget pour un exercice.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Le compte par défaut de Banque / Caisse sera automatiquement mis à jour dans la Facture PDV lorsque ce mode est sélectionné.
DocType: Lead,LEAD-,LEAD-
DocType: Employee,Permanent Address Is,L’Adresse Permanente Est
DocType: Production Order Operation,Operation completed for how many finished goods?,Opération terminée pour combien de produits finis ?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,La Marque
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,La Marque
DocType: Employee,Exit Interview Details,Entretient de Départ
DocType: Item,Is Purchase Item,Est Article d'Achat
DocType: Asset,Purchase Invoice,Facture d’Achat
DocType: Stock Ledger Entry,Voucher Detail No,Détail de la Référence N°
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Nouvelle Facture de Vente
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Nouvelle Facture de Vente
DocType: Stock Entry,Total Outgoing Value,Valeur Sortante Totale
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Date d'Ouverture et Date de Clôture devraient être dans le même Exercice
DocType: Lead,Request for Information,Demande de Renseignements
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Synchroniser les Factures hors-ligne
+,LeaderBoard,Classement
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Synchroniser les Factures hors-ligne
DocType: Payment Request,Paid,Payé
DocType: Program Fee,Program Fee,Frais du Programme
DocType: Salary Slip,Total in words,Total En Toutes Lettres
@@ -1006,13 +1013,13 @@
DocType: Cheque Print Template,Has Print Format,A un Format d'Impression
DocType: Employee Loan,Sanctioned,Sanctionné
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,est obligatoire. Peut-être que le Taux de Change n'est pas créé pour
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Ligne # {0} : Veuillez Indiquer le N° de série pour l'article {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pour les articles ""Ensembles de Produits"", l’Entrepôt, le N° de Série et le N° de Lot proviendront de la table ""Liste de Colisage"". Si l’Entrepôt et le N° de Lot sont les mêmes pour tous les produits colisés d’un même article 'Produit Groupé', ces valeurs peuvent être entrées dans la table principale de l’article et elles seront copiées dans la table ""Liste de Colisage""."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Ligne # {0} : Veuillez Indiquer le N° de série pour l'article {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pour les articles ""Ensembles de Produits"", l’Entrepôt, le N° de Série et le N° de Lot proviendront de la table ""Liste de Colisage"". Si l’Entrepôt et le N° de Lot sont les mêmes pour tous les produits colisés d’un même article 'Produit Groupé', ces valeurs peuvent être entrées dans la table principale de l’article et elles seront copiées dans la table ""Liste de Colisage""."
DocType: Job Opening,Publish on website,Publier sur le site web
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Les livraisons aux clients.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Fournisseur Date de la Facture du Fournisseur ne peut pas être postérieure à Date de Publication
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Fournisseur Date de la Facture du Fournisseur ne peut pas être postérieure à Date de Publication
DocType: Purchase Invoice Item,Purchase Order Item,Article du Bon de Commande
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Revenu Indirect
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Revenu Indirect
DocType: Student Attendance Tool,Student Attendance Tool,Outil de Présence des Étudiants
DocType: Cheque Print Template,Date Settings,Paramètres de Date
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Variance
@@ -1030,20 +1037,20 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Chimique
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Le compte par défaut de Banque / Caisse sera automatiquement mis à jour dans l’écriture de Journal de Salaire lorsque ce mode est sélectionné.
DocType: BOM,Raw Material Cost(Company Currency),Coût des Matières Premières (Devise Société)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Tous les éléments ont déjà été transférés pour cet Ordre de Fabrication.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Tous les éléments ont déjà été transférés pour cet Ordre de Fabrication.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Ligne # {0}: Le Taux ne peut pas être supérieur au taux utilisé dans {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,Mètre
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,Mètre
DocType: Workstation,Electricity Cost,Coût de l'Électricité
DocType: HR Settings,Don't send Employee Birthday Reminders,Ne pas envoyer de rappel pour le Jour d'Anniversaire des Employés
DocType: Item,Inspection Criteria,Critères d'Inspection
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Transféré
DocType: BOM Website Item,BOM Website Item,Article de LDM du Site Internet
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Charger votre en-tête et logo. (vous pouvez les modifier ultérieurement).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Charger votre en-tête et logo. (vous pouvez les modifier ultérieurement).
DocType: Timesheet Detail,Bill,Facture
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,La Date de l’Amortissement Suivant est obligatoire pour un nouvel Actif
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Blanc
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Blanc
DocType: SMS Center,All Lead (Open),Toutes les pistes (Ouvertes)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ligne {0} : Qté non disponible pour {4} dans l'entrepôt {1} au moment de la comptabilisation de l’écriture ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ligne {0} : Qté non disponible pour {4} dans l'entrepôt {1} au moment de la comptabilisation de l’écriture ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Obtenir Acomptes Payés
DocType: Item,Automatically Create New Batch,Créer un Nouveau Lot Automatiquement
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,Faire
@@ -1053,13 +1060,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Mon Panier
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Type de Commande doit être l'un des {0}
DocType: Lead,Next Contact Date,Date du Prochain Contact
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Quantité d'Ouverture
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,Veuillez entrez un Compte pour le Montant de Change
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Quantité d'Ouverture
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,Veuillez entrez un Compte pour le Montant de Change
DocType: Student Batch Name,Student Batch Name,Nom du Lot d'Étudiants
DocType: Holiday List,Holiday List Name,Nom de la Liste de Vacances
DocType: Repayment Schedule,Balance Loan Amount,Solde du Montant du Prêt
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Cours Calendrier
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Options du Stock
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Options du Stock
DocType: Journal Entry Account,Expense Claim,Note de Frais
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Voulez-vous vraiment restaurer cet actif mis au rebut ?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Qté pour {0}
@@ -1071,12 +1078,12 @@
DocType: Company,Default Terms,Termes et Conditions par Défaut
DocType: Packing Slip Item,Packing Slip Item,Article Emballé
DocType: Purchase Invoice,Cash/Bank Account,Compte Caisse/Banque
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Veuillez spécifier un {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Veuillez spécifier un {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Les articles avec aucune modification de quantité ou de valeur ont étés retirés.
DocType: Delivery Note,Delivery To,Livraison à
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Table d'Attribut est obligatoire
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Table d'Attribut est obligatoire
DocType: Production Planning Tool,Get Sales Orders,Obtenir les Commandes Client
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} ne peut pas être négatif
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} ne peut pas être négatif
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Remise
DocType: Asset,Total Number of Depreciations,Nombre Total d’Amortissements
DocType: Sales Invoice Item,Rate With Margin,Tarif Avec Marge
@@ -1096,7 +1103,6 @@
DocType: Serial No,Creation Document No,N° du Document de Création
DocType: Issue,Issue,Question
DocType: Asset,Scrapped,Mis au Rebut
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Compte ne correspond pas avec la Société
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Attributs pour les Variantes de l'Article. e.g. Taille, Couleur, etc."
DocType: Purchase Invoice,Returns,Retours
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,Entrepôt (Travaux en Cours)
@@ -1108,12 +1114,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,L'article doit être ajouté à l'aide du bouton 'Obtenir des éléments de Reçus d'Achat'
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Inclure des articles hors stock
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Charges de Vente
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Charges de Vente
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Achat Standard
DocType: GL Entry,Against,Contre
DocType: Item,Default Selling Cost Center,Centre de Coût Vendeur par Défaut
DocType: Sales Partner,Implementation Partner,Partenaire d'Implémentation
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Code Postal
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Code Postal
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Commande Client {0} est {1}
DocType: Opportunity,Contact Info,Information du Contact
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Faire des Écritures de Stock
@@ -1126,31 +1132,31 @@
DocType: Holiday List,Get Weekly Off Dates,Obtenir les Dates de Congés
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,La date de Fin ne peut pas être antérieure à la Date de Début
DocType: Sales Person,Select company name first.,Sélectionner d'abord le nom de la société.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Dr
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Devis reçus des Fournisseurs.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},À {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Âge Moyen
DocType: School Settings,Attendance Freeze Date,Date du Gel des Présences
DocType: Opportunity,Your sales person who will contact the customer in future,Votre commercial qui prendra contact avec le client ultérieurement
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Listez quelques-uns de vos fournisseurs. Ils peuvent être des entreprises ou des individus.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Listez quelques-uns de vos fournisseurs. Ils peuvent être des entreprises ou des individus.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Voir Tous Les Produits
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Âge Minimum du Prospect (Jours)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,Toutes les LDM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Toutes les LDM
DocType: Company,Default Currency,Devise par Défaut
DocType: Expense Claim,From Employee,De l'Employé
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Attention : Le système ne vérifie pas la surfacturation car le montant pour l'Article {0} dans {1} est nul
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Attention : Le système ne vérifie pas la surfacturation car le montant pour l'Article {0} dans {1} est nul
DocType: Journal Entry,Make Difference Entry,Créer l'Écriture par Différence
DocType: Upload Attendance,Attendance From Date,Présence Depuis
DocType: Appraisal Template Goal,Key Performance Area,Domaine Essentiel de Performance
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Transport
+DocType: Program Enrollment,Transportation,Transport
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Attribut Invalide
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} doit être soumis
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} doit être soumis
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},La quantité doit être inférieure ou égale à {0}
DocType: SMS Center,Total Characters,Nombre de Caractères
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Veuillez sélectionner une LDM dans le champ LDM pour l’Article {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Veuillez sélectionner une LDM dans le champ LDM pour l’Article {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,Formulaire-C Détail de la Facture
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Facture de Réconciliation des Paiements
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Contribution %
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","D'après les Paramètres d'Achat, si Bon de Commande Requis == 'OUI', alors l'utilisateur doit d'abord créer un Bon de Commande pour l'article {0} pour pouvoir créer une Facture d'Achat"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Numéro d'immatriculation de la Société pour votre référence. Numéros de taxes, etc."
DocType: Sales Partner,Distributor,Distributeur
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Règles de Livraison du Panier
@@ -1159,23 +1165,25 @@
,Ordered Items To Be Billed,Articles Commandés À Facturer
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,La Plage Initiale doit être inférieure à la Plage Finale
DocType: Global Defaults,Global Defaults,Valeurs par Défaut Globales
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Invitation de Collaboration à un Projet
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Invitation de Collaboration à un Projet
DocType: Salary Slip,Deductions,Déductions
DocType: Leave Allocation,LAL/,LAL/
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Année de Début
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},Les 2 premiers chiffres du GSTIN doivent correspondre au numéro de l'État {0}
DocType: Purchase Invoice,Start date of current invoice's period,Date de début de la période de facturation en cours
DocType: Salary Slip,Leave Without Pay,Congé Sans Solde
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Erreur de Planification de Capacité
,Trial Balance for Party,Balance Auxiliaire
DocType: Lead,Consultant,Consultant
DocType: Salary Slip,Earnings,Bénéfices
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Le Produit Fini {0} doit être saisi pour une écriture de type de Fabrication
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Le Produit Fini {0} doit être saisi pour une écriture de type de Fabrication
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Solde d'Ouverture de Comptabilité
+,GST Sales Register,Registre de Vente GST
DocType: Sales Invoice Advance,Sales Invoice Advance,Avance sur Facture de Vente
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Aucune requête à effectuer
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Un autre enregistrement de Budget '{0}' existe déjà pour {1} '{2}' pour l'exercice {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',"""Date de Début Réelle"" ne peut être postérieure à ""Date de Fin Réelle"""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Gestion
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Gestion
DocType: Cheque Print Template,Payer Settings,Paramètres du Payeur
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Ce sera ajoutée au Code de la Variante de l'Article. Par exemple, si votre abréviation est «SM», et le code de l'article est ""T-SHIRT"", le code de l'article de la variante sera ""T-SHIRT-SM"""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Salaire Net (en lettres) sera visible une fois que vous aurez enregistré la Fiche de Paie.
@@ -1192,8 +1200,8 @@
DocType: Employee Loan,Partially Disbursed,Partiellement Décaissé
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Base de données fournisseurs.
DocType: Account,Balance Sheet,Bilan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Centre de Coûts Pour Article ayant un Code Article '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",Le Mode de Paiement n’est pas configuré. Veuillez vérifier si le compte a été réglé sur Mode de Paiement ou sur Profil de Point de Vente.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Centre de Coûts Pour Article ayant un Code Article '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",Le Mode de Paiement n’est pas configuré. Veuillez vérifier si le compte a été réglé sur Mode de Paiement ou sur Profil de Point de Vente.
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Votre commercial recevra un rappel à cette date pour contacter le client
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Le même article ne peut pas être entré plusieurs fois.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","D'autres comptes individuels peuvent être créés dans les groupes, mais les écritures ne peuvent être faites que sur les comptes individuels"
@@ -1201,7 +1209,7 @@
DocType: Email Digest,Payables,Dettes
DocType: Course,Course Intro,Intro du Cours
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Écriture de Stock {0} créée
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ligne #{0} : Qté Rejetée ne peut pas être entrée dans le Retour d’Achat
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ligne #{0} : Qté Rejetée ne peut pas être entrée dans le Retour d’Achat
,Purchase Order Items To Be Billed,Articles à Facturer du Bon de Commande
DocType: Purchase Invoice Item,Net Rate,Taux Net
DocType: Purchase Invoice Item,Purchase Invoice Item,Article de la Facture d'Achat
@@ -1226,7 +1234,7 @@
DocType: Sales Order,SO-,SO-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Veuillez d’abord sélectionner un préfixe
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Recherche
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Recherche
DocType: Maintenance Visit Purpose,Work Done,Travaux Effectués
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Veuillez spécifier au moins un attribut dans la table Attributs
DocType: Announcement,All Students,Tous les Etudiants
@@ -1234,17 +1242,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Voir Grand Livre
DocType: Grading Scale,Intervals,Intervalles
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Au plus tôt
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Un Groupe d'Article existe avec le même nom, veuillez changer le nom de l'article ou renommer le groupe d'article"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,N° de Mobile de l'Étudiant
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Reste du Monde
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Un Groupe d'Article existe avec le même nom, veuillez changer le nom de l'article ou renommer le groupe d'article"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,N° de Mobile de l'Étudiant
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Reste du Monde
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,L'Article {0} ne peut être en Lot
,Budget Variance Report,Rapport d’Écarts de Budget
DocType: Salary Slip,Gross Pay,Salaire Brut
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Ligne {0} : Le Type d'Activité est obligatoire.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Dividendes Payés
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Dividendes Payés
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Livre des Comptes
DocType: Stock Reconciliation,Difference Amount,Écart de Montant
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Bénéfices Non Répartis
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Bénéfices Non Répartis
DocType: Vehicle Log,Service Detail,Détails du Service
DocType: BOM,Item Description,Description de l'Article
DocType: Student Sibling,Student Sibling,Frère et Sœur de l'Étudiant
@@ -1258,11 +1266,11 @@
DocType: Opportunity Item,Opportunity Item,Article de l'Opportunité
,Student and Guardian Contact Details,Détails des Contacts Étudiant et Tuteur
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Ligne {0} : Pour le fournisseur {0} une Adresse Email est nécessaire pour envoyer des email
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Ouverture Temporaire
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Ouverture Temporaire
,Employee Leave Balance,Solde des Congés de l'Employé
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Solde pour le compte {0} doit toujours être {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Taux de Valorisation requis pour l’Article de la ligne {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Exemple: Master en Sciences Informatiques
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Exemple: Master en Sciences Informatiques
DocType: Purchase Invoice,Rejected Warehouse,Entrepôt Rejeté
DocType: GL Entry,Against Voucher,Pour le Bon
DocType: Item,Default Buying Cost Center,Centre de Coûts d'Achat par Défaut
@@ -1275,31 +1283,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Obtenir les Factures Impayées
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Commande Client {0} invalide
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Les Bons de Commande vous aider à planifier et à assurer le suivi de vos achats
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Désolé, les sociétés ne peuvent pas être fusionnées"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Désolé, les sociétés ne peuvent pas être fusionnées"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",La quantité totale d’Émission / Transfert {0} dans la Demande de Matériel {1} \ ne peut pas être supérieure à la quantité demandée {2} pour l’Article {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Petit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Petit
DocType: Employee,Employee Number,Numéro d'Employé
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},N° de dossier déjà utilisé. Essayez depuis N° de dossier {0}
DocType: Project,% Completed,% Complété
,Invoiced Amount (Exculsive Tax),Montant Facturé (Hors Taxes)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Article 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Le compte principal {0} a été crée
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,Évènement de Formation
DocType: Item,Auto re-order,Re-commande auto
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Total Obtenu
DocType: Employee,Place of Issue,Lieu d'Émission
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Contrat
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Contrat
DocType: Email Digest,Add Quote,Ajouter une Citation
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},Facteur de coversion UDM requis pour l'UDM : {0} dans l'Article : {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Dépenses Indirectes
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Facteur de coversion UDM requis pour l'UDM : {0} dans l'Article : {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Dépenses Indirectes
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Ligne {0} : Qté obligatoire
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Agriculture
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sync Données de Base
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Vos Produits ou Services
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sync Données de Base
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Vos Produits ou Services
DocType: Mode of Payment,Mode of Payment,Mode de Paiement
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,L'Image du Site Web doit être un fichier public ou l'URL d'un site web
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,L'Image du Site Web doit être un fichier public ou l'URL d'un site web
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,LDM (Liste de Matériaux)
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Il s’agit d’un groupe d'élément racine qui ne peut être modifié.
@@ -1308,17 +1315,17 @@
DocType: Warehouse,Warehouse Contact Info,Info de Contact de l'Entrepôt
DocType: Payment Entry,Write Off Difference Amount,Montant de la Différence de la Reprise
DocType: Purchase Invoice,Recurring Type,Type Récurrent
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent",{0} : Adresse email de l'employé introuvable : l’email n'a pas été envoyé
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent",{0} : Adresse email de l'employé introuvable : l’email n'a pas été envoyé
DocType: Item,Foreign Trade Details,Détails du Commerce Extérieur
DocType: Email Digest,Annual Income,Revenu Annuel
DocType: Serial No,Serial No Details,Détails du N° de Série
DocType: Purchase Invoice Item,Item Tax Rate,Taux de la Taxe sur l'Article
DocType: Student Group Student,Group Roll Number,Numéro de Groupe
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Pour {0}, seuls les comptes de crédit peuvent être liés avec une autre écriture de débit"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Le total des poids des tâches doit être égal à 1. Veuillez ajuster les poids de toutes les tâches du Projet en conséquence
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Bon de Livraison {0} n'est pas soumis
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,L'article {0} doit être un Article Sous-traité
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Capitaux Immobilisés
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Le total des poids des tâches doit être égal à 1. Veuillez ajuster les poids de toutes les tâches du Projet en conséquence
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Bon de Livraison {0} n'est pas soumis
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,L'article {0} doit être un Article Sous-traité
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Capitaux Immobilisés
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","La Règle de Tarification est d'abord sélectionnée sur la base du champ ‘Appliquer Sur’, qui peut être un Article, un Groupe d'Articles ou une Marque."
DocType: Hub Settings,Seller Website,Site du Vendeur
DocType: Item,ITEM-,ARTICLE-
@@ -1336,7 +1343,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Il ne peut y avoir qu’une Condition de Règle de Livraison avec 0 ou une valeur vide pour « A la Valeur"""
DocType: Authorization Rule,Transaction,Transaction
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Remarque : Ce Centre de Coûts est un Groupe. Vous ne pouvez pas faire des écritures comptables sur des groupes.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,Un entrepôt enfant existe pour cet entrepôt. Vous ne pouvez pas supprimer cet entrepôt.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Un entrepôt enfant existe pour cet entrepôt. Vous ne pouvez pas supprimer cet entrepôt.
DocType: Item,Website Item Groups,Groupes d'Articles du Site Web
DocType: Purchase Invoice,Total (Company Currency),Total (Devise Société)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Numéro de série {0} est entré plus d'une fois
@@ -1346,7 +1353,7 @@
DocType: Grading Scale Interval,Grade Code,Code de la Note
DocType: POS Item Group,POS Item Group,Groupe d'Articles PDV
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Compte Rendu par Email :
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},LDM {0} n’appartient pas à l'article {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},LDM {0} n’appartient pas à l'article {1}
DocType: Sales Partner,Target Distribution,Distribution Cible
DocType: Salary Slip,Bank Account No.,N° de Compte Bancaire
DocType: Naming Series,This is the number of the last created transaction with this prefix,Numéro de la dernière transaction créée avec ce préfixe
@@ -1356,12 +1363,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Comptabiliser les Entrées de Dépréciation d'Actifs Automatiquement
DocType: BOM Operation,Workstation,Bureau
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Fournisseur de l'Appel d'Offre
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Matériel
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Matériel
DocType: Sales Order,Recurring Upto,Récurrent Jusqu'au
DocType: Attendance,HR Manager,Responsable RH
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Veuillez sélectionner une Société
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Congé de Privilège
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Veuillez sélectionner une Société
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Congé de Privilège
DocType: Purchase Invoice,Supplier Invoice Date,Date de la Facture du Fournisseur
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,par
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Vous devez activer le Panier
DocType: Payment Entry,Writeoff,Écrire
DocType: Appraisal Template Goal,Appraisal Template Goal,But du Modèle d'Évaluation
@@ -1372,10 +1380,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Conditions qui coincident touvées entre :
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,L'Écriture de Journal {0} est déjà ajustée par un autre bon
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Total de la Valeur de la Commande
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Alimentation
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Alimentation
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Balance Agée 3
DocType: Maintenance Schedule Item,No of Visits,Nb de Visites
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Valider la Présence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Valider la Présence
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Un Calendrier de Maintenance {0} existe pour {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,Inscrire un étudiant
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},La devise du Compte Cloturé doit être {0}
@@ -1389,6 +1397,7 @@
DocType: Rename Tool,Utilities,Utilitaires
DocType: Purchase Invoice Item,Accounting,Comptabilité
DocType: Employee,EMP/,EMP/
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Veuillez sélectionner les lots pour les lots
DocType: Asset,Depreciation Schedules,Calendriers d'Amortissement
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,La période de la demande ne peut pas être hors de la période d'allocation de congé
DocType: Activity Cost,Projects,Projets
@@ -1402,6 +1411,7 @@
DocType: POS Profile,Campaign,Campagne
DocType: Supplier,Name and Type,Nom et Type
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Le Statut d'Approbation doit être 'Approuvé' ou 'Rejeté'
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,Bootstrap
DocType: Purchase Invoice,Contact Person,Personne à Contacter
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Date de Début Prévue' ne peut pas être postérieure à 'Date de Fin Prévue'
DocType: Course Scheduling Tool,Course End Date,Date de Fin du Cours
@@ -1409,12 +1419,11 @@
DocType: Sales Order Item,Planned Quantity,Quantité Planifiée
DocType: Purchase Invoice Item,Item Tax Amount,Montant de la Taxe sur l'Article
DocType: Item,Maintain Stock,Maintenir Stock
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Écritures de Stock déjà créées pour l'Ordre de Fabrication
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Écritures de Stock déjà créées pour l'Ordre de Fabrication
DocType: Employee,Prefered Email,Email Préféré
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Variation Nette des Actifs Immobilisés
DocType: Leave Control Panel,Leave blank if considered for all designations,Laisser vide pour toutes les désignations
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,L'entrepôt est obligatoire pour les Comptes non-groupe de type Stock
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge de type ' réel ' à la ligne {0} ne peut pas être inclus dans le prix de l'article
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge de type ' réel ' à la ligne {0} ne peut pas être inclus dans le prix de l'article
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max : {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,A partir du (Date et Heure)
DocType: Email Digest,For Company,Pour la Société
@@ -1424,15 +1433,15 @@
DocType: Sales Invoice,Shipping Address Name,Nom de l'Adresse de Livraison
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Plan Comptable
DocType: Material Request,Terms and Conditions Content,Contenu des Termes et Conditions
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,ne peut pas être supérieure à 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Article {0} n'est pas un article stocké
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,ne peut pas être supérieure à 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Article {0} n'est pas un article stocké
DocType: Maintenance Visit,Unscheduled,Non programmé
DocType: Employee,Owned,Détenu
DocType: Salary Detail,Depends on Leave Without Pay,Dépend de Congé Non Payé
DocType: Pricing Rule,"Higher the number, higher the priority","Plus le nombre est grand, plus la priorité est haute"
,Purchase Invoice Trends,Tendances des Factures d'Achat
DocType: Employee,Better Prospects,Meilleures Perspectives
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Ligne # {0}: Le lot {1} n'a que {2} qté(s). Veuillez sélectionner un autre lot contenant {3} qtés disponible ou diviser la rangée en plusieurs lignes, pour livrer / émettre à partir de plusieurs lots"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Ligne # {0}: Le lot {1} n'a que {2} qté(s). Veuillez sélectionner un autre lot contenant {3} qtés disponible ou diviser la rangée en plusieurs lignes, pour livrer / émettre à partir de plusieurs lots"
DocType: Vehicle,License Plate,Plaque d'Immatriculation
DocType: Appraisal,Goals,Objectifs
DocType: Warranty Claim,Warranty / AMC Status,Garantie / Statut AMC
@@ -1443,19 +1452,20 @@
,Batch-Wise Balance History,Historique de Balance des Lots
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Réglages d'impression mis à jour au format d'impression respectif
DocType: Package Code,Package Code,Code du Paquet
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Apprenti
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Apprenti
+DocType: Purchase Invoice,Company GSTIN,GSTIN de la Société
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Quantité Négative n'est pas autorisée
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",La table de détails de taxe est récupérée depuis les données de base de l'article comme une chaîne de caractères et stockée dans ce champ. Elle est utilisée pour les Taxes et Frais.
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,L'employé ne peut pas rendre de compte à lui-même.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Si le compte est gelé, les écritures ne sont autorisés que pour un nombre restreint d'utilisateurs."
DocType: Email Digest,Bank Balance,Solde Bancaire
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Écriture Comptable pour {0}: {1} ne peut être effectuée qu'en devise: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Écriture Comptable pour {0}: {1} ne peut être effectuée qu'en devise: {2}
DocType: Job Opening,"Job profile, qualifications required etc.",Profil de l’Emploi. qualifications requises ect...
DocType: Journal Entry Account,Account Balance,Solde du Compte
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Règle de Taxation pour les transactions.
DocType: Rename Tool,Type of document to rename.,Type de document à renommer.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Nous achetons cet Article
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Nous achetons cet Article
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1} : Un Client est requis pour le Compte Débiteur {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Total des Taxes et Frais (Devise Société)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Afficher le solde du compte de résulat des exercices non cloturés
@@ -1466,29 +1476,30 @@
DocType: Stock Entry,Total Additional Costs,Total des Coûts Additionnels
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Coût de Mise au Rebut des Matériaux (Devise Société)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Sous-Ensembles
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Sous-Ensembles
DocType: Asset,Asset Name,Nom de l'Actif
DocType: Project,Task Weight,Poids de la Tâche
DocType: Shipping Rule Condition,To Value,Valeur Finale
DocType: Asset Movement,Stock Manager,Responsable des Stocks
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Entrepôt source est obligatoire à la ligne {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Bordereau de Colis
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Loyer du Bureau
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Entrepôt source est obligatoire à la ligne {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Bordereau de Colis
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Loyer du Bureau
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Configuration de la passerelle SMS
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Échec de l'Importation !
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Aucune adresse ajoutée.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Aucune adresse ajoutée.
DocType: Workstation Working Hour,Workstation Working Hour,Heures de Travail au Bureau
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Analyste
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Analyste
DocType: Item,Inventory,Inventaire
DocType: Item,Sales Details,Détails Ventes
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,Avec Articles
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,En Qté
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,En Qté
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Valider le cours inscrit pour les étudiants en groupe étudiant
DocType: Notification Control,Expense Claim Rejected,Note de Frais Rejetée
DocType: Item,Item Attribute,Attribut de l'Article
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Gouvernement
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Gouvernement
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Note de Frais {0} existe déjà pour l'Indémnité Kilométrique
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Nom de l'Institut
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Nom de l'Institut
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,Veuillez entrer le Montant de remboursement
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Variantes de l'Article
DocType: Company,Services,Services
@@ -1498,18 +1509,18 @@
DocType: Sales Invoice,Source,Source
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Afficher fermé
DocType: Leave Type,Is Leave Without Pay,Est un Congé Sans Solde
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Catégorie d'Actif est obligatoire pour l'article Immobilisé
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Catégorie d'Actif est obligatoire pour l'article Immobilisé
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Aucun enregistrement trouvé dans la table Paiement
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Ce {0} est en conflit avec {1} pour {2} {3}
DocType: Student Attendance Tool,Students HTML,HTML Étudiants
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Date de Début de l'Exercice Financier
DocType: POS Profile,Apply Discount,Appliquer Réduction
+DocType: Purchase Invoice Item,GST HSN Code,Code GST HSN
DocType: Employee External Work History,Total Experience,Expérience Totale
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Ouvrir les Projets
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Bordereau(x) de Colis annulé(s)
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Flux de Trésorerie des Investissements
DocType: Program Course,Program Course,Cours du Programme
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Frais de Fret et d'Expédition
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Frais de Fret et d'Expédition
DocType: Homepage,Company Tagline for website homepage,Slogan de la Société pour la page d'accueil du site web
DocType: Item Group,Item Group Name,Nom du Groupe d'Article
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Pris
@@ -1519,6 +1530,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Créer des Prospects
DocType: Maintenance Schedule,Schedules,Horaires
DocType: Purchase Invoice Item,Net Amount,Montant Net
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} n'a pas été soumis, donc l'action ne peut pas être complétée"
DocType: Purchase Order Item Supplied,BOM Detail No,N° de Détail LDM
DocType: Landed Cost Voucher,Additional Charges,Frais Supplémentaires
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Montant de la Remise Supplémentaire (Devise de la Société)
@@ -1534,6 +1546,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Montant du Remboursement Mensuel
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,Veuillez définir le champ ID de l'Utilisateur dans un dossier Employé pour définir le Rôle de l’Employés
DocType: UOM,UOM Name,Nom UDM
+DocType: GST HSN Code,HSN Code,Code HSN
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Montant de la Contribution
DocType: Purchase Invoice,Shipping Address,Adresse de Livraison
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Cet outil vous permet de mettre à jour ou de corriger la quantité et l'évaluation de stock dans le système. Il est généralement utilisé pour synchroniser les valeurs du système et ce qui existe réellement dans vos entrepôts.
@@ -1544,17 +1557,16 @@
DocType: Program Enrollment Tool,Program Enrollments,Inscriptions au Programme
DocType: Sales Invoice Item,Brand Name,Nom de la Marque
DocType: Purchase Receipt,Transporter Details,Détails du Transporteur
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Un Entrepôt par défaut est nécessaire pour l’Article sélectionné
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Boîte
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Un Entrepôt par défaut est nécessaire pour l’Article sélectionné
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Boîte
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,Fournisseur Potentiel
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,L’Organisation
DocType: Budget,Monthly Distribution,Répartition Mensuelle
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,La Liste de Destinataires est vide. Veuillez créer une Liste de Destinataires
DocType: Production Plan Sales Order,Production Plan Sales Order,Commande Client du Plan de Production
DocType: Sales Partner,Sales Partner Target,Objectif du Partenaire Commercial
DocType: Loan Type,Maximum Loan Amount,Montant Max du Prêt
DocType: Pricing Rule,Pricing Rule,Règle de Tarification
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Numéro de liste en double pour l'élève {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Numéro de liste en double pour l'élève {0}
DocType: Budget,Action if Annual Budget Exceeded,Action si le Budget Annuel est Dépassé
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Demande de Matériel au Bon de Commande
DocType: Shopping Cart Settings,Payment Success URL,URL pour Paiement Effectué avec Succès
@@ -1567,11 +1579,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Solde d'Ouverture des Stocks
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} ne doit apparaître qu'une seule fois
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Non autorisé à tranférer plus de {0} que de {1} pour Bon de Commande {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Non autorisé à tranférer plus de {0} que de {1} pour Bon de Commande {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Congés Attribués avec Succès pour {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Pas d’Articles à emballer
DocType: Shipping Rule Condition,From Value,De la Valeur
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Quantité de Fabrication est obligatoire
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Quantité de Fabrication est obligatoire
DocType: Employee Loan,Repayment Method,Méthode de Remboursement
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Si cochée, la page d'Accueil pour le site sera le Groupe d'Article par défaut"
DocType: Quality Inspection Reading,Reading 4,Reading 4
@@ -1581,7 +1593,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Ligne #{0} : Date de compensation {1} ne peut pas être antérieure à la Date du Chèque {2}
DocType: Company,Default Holiday List,Liste de Vacances par Défaut
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Ligne {0} : Heure de Début et Heure de Fin de {1} sont en conflit avec {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Passif du Stock
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Passif du Stock
DocType: Purchase Invoice,Supplier Warehouse,Entrepôt Fournisseur
DocType: Opportunity,Contact Mobile No,N° de Portable du Contact
,Material Requests for which Supplier Quotations are not created,Demandes de Matériel dont les Devis Fournisseur ne sont pas créés
@@ -1592,35 +1604,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Faire un Devis
apps/erpnext/erpnext/config/selling.py +216,Other Reports,Autres Rapports
DocType: Dependent Task,Dependent Task,Tâche Dépendante
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Facteur de conversion de l'Unité de Mesure par défaut doit être 1 dans la ligne {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Facteur de conversion de l'Unité de Mesure par défaut doit être 1 dans la ligne {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Les Congés de type {0} ne peuvent pas être plus long que {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Essayez de planifer des opérations X jours à l'avance.
DocType: HR Settings,Stop Birthday Reminders,Arrêter les Rappels d'Anniversaire
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Veuillez définir le Compte Créditeur de Paie par Défaut pour la Société {0}
DocType: SMS Center,Receiver List,Liste de Destinataires
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Rechercher Article
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Rechercher Article
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Montant Consommé
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Variation Nette de Trésorerie
DocType: Assessment Plan,Grading Scale,Échelle de Notation
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unité de Mesure {0} a été saisie plus d'une fois dans la Table de Facteur de Conversion
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unité de Mesure {0} a été saisie plus d'une fois dans la Table de Facteur de Conversion
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,Déjà terminé
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock Existant
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Demande de Paiement existe déjà {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Coût des Marchandises Vendues
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Quantité ne doit pas être plus de {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,L’Exercice Financier Précédent n’est pas fermé
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Âge (Jours)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Âge (Jours)
DocType: Quotation Item,Quotation Item,Article du Devis
+DocType: Customer,Customer POS Id,ID PDV du Client
DocType: Account,Account Name,Nom du Compte
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,La Date Initiale ne peut pas être postérieure à la Date Finale
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,N° de série {0} quantité {1} ne peut pas être une fraction
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Type de Fournisseur principal
DocType: Purchase Order Item,Supplier Part Number,Numéro de Pièce du Fournisseur
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Le taux de conversion ne peut pas être égal à 0 ou 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Le taux de conversion ne peut pas être égal à 0 ou 1
DocType: Sales Invoice,Reference Document,Document de Référence
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} est annulé ou arrêté
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} est annulé ou arrêté
DocType: Accounts Settings,Credit Controller,Controlleur du Crédit
DocType: Delivery Note,Vehicle Dispatch Date,Date d'Envoi du Véhicule
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Le Reçu d’Achat {0} n'est pas soumis
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Le Reçu d’Achat {0} n'est pas soumis
DocType: Company,Default Payable Account,Compte Créditeur par Défaut
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Réglages pour panier telles que les règles de livraison, liste de prix, etc."
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% Facturé
@@ -1639,11 +1653,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Montant Total Remboursé
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Basé sur les journaux de ce Véhicule. Voir la chronologie ci-dessous pour plus de détails
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,Collecte
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Pour la Facture Fournisseur {0} datée {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Pour la Facture Fournisseur {0} datée {1}
DocType: Customer,Default Price List,Liste des Prix par Défaut
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Registre de Mouvement de l'Actif {0} créé
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Vous ne pouvez pas supprimer l'Exercice {0}. L'exercice {0} est défini par défaut dans les Réglages Globaux
DocType: Journal Entry,Entry Type,Type d'Écriture
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Aucun plan d'évaluation lié à ce groupe d'évaluation
,Customer Credit Balance,Solde de Crédit des Clients
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Variation Nette des Comptes Créditeurs
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Client requis pour appliquer une 'Remise en fonction du Client'
@@ -1651,7 +1666,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Tarification
DocType: Quotation,Term Details,Détails du Terme
DocType: Project,Total Sales Cost (via Sales Order),Coût Total des Ventes (par Commande Client)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Inscription de plus de {0} étudiants impossible pour ce groupe d'étudiants.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Inscription de plus de {0} étudiants impossible pour ce groupe d'étudiants.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Nombre de Prospects
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} doit être supérieur à 0
DocType: Manufacturing Settings,Capacity Planning For (Days),Planification de Capacité Pendant (Jours)
@@ -1672,7 +1687,7 @@
DocType: Sales Invoice,Packed Items,Articles Emballés
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Réclamation de Garantie pour le N° de Série.
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Remplacer une LDM particulière dans tous les autres LDMs où elle est utilisée. Elle remplacera le lien vers l’ancienne LDM, mettra à jour les coûts et régénérera la table ""LDM - Article Explosé"""
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Total'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Total'
DocType: Shopping Cart Settings,Enable Shopping Cart,Activer Panier
DocType: Employee,Permanent Address,Adresse Permanente
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1688,9 +1703,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,"Veuillez spécifier la Quantité, le Taux de Valorisation ou les deux"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,Accomplissement
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Voir Panier
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Dépenses de Marketing
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Dépenses de Marketing
,Item Shortage Report,Rapport de Rupture de Stock d'Article
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Poids est mentionné,\nVeuillez aussi mentionner ""UDM de Poids"""
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Poids est mentionné,\nVeuillez aussi mentionner ""UDM de Poids"""
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Demande de Matériel utilisée pour réaliser cette Écriture de Stock
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Date de l’Amortissement Suivant est obligatoire pour un nouvel actif
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Groupes basés sur les cours différents pour chaque Lot
@@ -1699,17 +1714,18 @@
,Student Fee Collection,Frais de Scolarité
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Faites une Écriture Comptable Pour Chaque Mouvement du Stock
DocType: Leave Allocation,Total Leaves Allocated,Total des Congés Attribués
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Entrepôt requis à la Ligne N° {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Veuillez entrer des Dates de Début et de Fin d’Exercice Comptable valides
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Entrepôt requis à la Ligne N° {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Veuillez entrer des Dates de Début et de Fin d’Exercice Comptable valides
DocType: Employee,Date Of Retirement,Date de Départ à la Retraite
DocType: Upload Attendance,Get Template,Obtenir Modèle
+DocType: Material Request,Transferred,Transféré
DocType: Vehicle,Doors,Portes
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,Installation d'ERPNext Terminée!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Installation d'ERPNext Terminée!
DocType: Course Assessment Criteria,Weightage,Poids
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1} : Un Centre de Coûts est requis pour le compte ""Pertes et Profits"" {2}.Veuillez mettre en place un centre de coûts par défaut pour la Société."
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Un Groupe de Clients existe avec le même nom, veuillez changer le nom du Client ou renommer le Groupe de Clients"
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Nouveau Contact
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Un Groupe de Clients existe avec le même nom, veuillez changer le nom du Client ou renommer le Groupe de Clients"
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Nouveau Contact
DocType: Territory,Parent Territory,Territoire Parent
DocType: Quality Inspection Reading,Reading 2,Lecture 2
DocType: Stock Entry,Material Receipt,Réception Matériel
@@ -1718,17 +1734,16 @@
DocType: Employee,AB+,AB+
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Si cet article a des variantes, alors il ne peut pas être sélectionné dans les commandes clients, etc."
DocType: Lead,Next Contact By,Contact Suivant Par
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Quantité requise pour l'Article {0} à la ligne {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},L'entrepôt {0} ne peut pas être supprimé car il existe une quantité pour l'Article {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Quantité requise pour l'Article {0} à la ligne {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},L'entrepôt {0} ne peut pas être supprimé car il existe une quantité pour l'Article {1}
DocType: Quotation,Order Type,Type de Commande
DocType: Purchase Invoice,Notification Email Address,Adresse Email de Notification
,Item-wise Sales Register,Registre des Ventes par Article
DocType: Asset,Gross Purchase Amount,Montant d'Achat Brut
DocType: Asset,Depreciation Method,Méthode d'Amortissement
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Hors Ligne
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,Hors Ligne
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Cette Taxe est-elle incluse dans le Taux de Base ?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Cible Totale
-DocType: Program Course,Required,Obligatoire
DocType: Job Applicant,Applicant for a Job,Candidat à un Emploi
DocType: Production Plan Material Request,Production Plan Material Request,Demande de Matériel du Plan de Production
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Pas d'Ordre de Production créé
@@ -1737,17 +1752,17 @@
DocType: Purchase Invoice Item,Batch No,N° du Lot
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Autoriser plusieurs Commandes Clients pour un Bon de Commande d'un Client
DocType: Student Group Instructor,Student Group Instructor,Instructeur de Groupe d'Étudiant
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,N° du Mobile du Tuteur 1
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Principal
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,N° du Mobile du Tuteur 1
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Principal
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variante
DocType: Naming Series,Set prefix for numbering series on your transactions,Définir le préfixe des séries numérotées pour vos transactions
DocType: Employee Attendance Tool,Employees HTML,Employés HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,LDM par défaut ({0}) doit être actif pour ce produit ou son modèle
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,LDM par défaut ({0}) doit être actif pour ce produit ou son modèle
DocType: Employee,Leave Encashed?,Laisser Encaissé ?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Le champ Opportunité De est obligatoire
DocType: Email Digest,Annual Expenses,Dépenses Annuelles
DocType: Item,Variants,Variantes
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Faire un Bon de Commande
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Faire un Bon de Commande
DocType: SMS Center,Send To,Envoyer À
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Il n'y a pas assez de solde de congés pour les Congés de Type {0}
DocType: Payment Reconciliation Payment,Allocated amount,Montant alloué
@@ -1761,26 +1776,25 @@
DocType: Supplier,Statutory info and other general information about your Supplier,Informations légales et autres informations générales au sujet de votre Fournisseur
DocType: Item,Serial Nos and Batches,N° de Série et Lots
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Force du Groupe d'Étudiant
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,L'Écriture de Journal {0} n'a pas d'entrée non associée {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,L'Écriture de Journal {0} n'a pas d'entrée non associée {1}
apps/erpnext/erpnext/config/hr.py +137,Appraisals,Évaluation
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Dupliquer N° de Série pour l'Article {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Une condition pour une Règle de Livraison
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Veuillez entrer
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Surfacturation supérieure à {2} impossible pour l'Article {0} à la ligne {1}. Pour permettre la surfacturation, veuillez le définir dans les Réglages d'Achat"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Veuillez définir un filtre basé sur l'Article ou l'Entrepôt
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Surfacturation supérieure à {2} impossible pour l'Article {0} à la ligne {1}. Pour permettre la surfacturation, veuillez le définir dans les Réglages d'Achat"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Veuillez définir un filtre basé sur l'Article ou l'Entrepôt
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Le poids net de ce paquet. (Calculé automatiquement comme la somme du poids net des articles)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Veuillez créer un Compte pour cet Entrepôt et le lier. Cela ne peut être fait automatiquement car un compte avec le nom {0} existe déjà
DocType: Sales Order,To Deliver and Bill,À Livrer et Facturer
DocType: Student Group,Instructors,Instructeurs
DocType: GL Entry,Credit Amount in Account Currency,Montant du Crédit dans la Devise du Compte
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,LDM {0} doit être soumise
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,LDM {0} doit être soumise
DocType: Authorization Control,Authorization Control,Contrôle d'Autorisation
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ligne #{0} : Entrepôt de Rejet est obligatoire pour l’Article rejeté {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ligne #{0} : Entrepôt de Rejet est obligatoire pour l’Article rejeté {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Paiement
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","L'Entrepôt {0} n'est lié à aucun compte, veuillez mentionner ce compte dans la fiche de l'Entrepôt ou définir un compte d'Entrepôt par défaut dans la Société {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Gérer vos commandes
DocType: Production Order Operation,Actual Time and Cost,Temps et Coût Réels
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Demande de Matériel d'un maximum de {0} peut être faite pour l'article {1} pour la Commande Client {2}
-DocType: Employee,Salutation,Salutations
DocType: Course,Course Abbreviation,Abréviation du Cours
DocType: Student Leave Application,Student Leave Application,Demande de Congé d'Étudiant
DocType: Item,Will also apply for variants,S'appliquera également pour les variantes
@@ -1792,12 +1806,12 @@
DocType: Quotation Item,Actual Qty,Quantité Réelle
DocType: Sales Invoice Item,References,Références
DocType: Quality Inspection Reading,Reading 10,Lecture 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Liste des produits ou services que vous achetez ou vendez. Assurez-vous de vérifier le groupe d'articles, l'unité de mesure et les autres propriétés lorsque vous démarrez."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Liste des produits ou services que vous achetez ou vendez. Assurez-vous de vérifier le groupe d'articles, l'unité de mesure et les autres propriétés lorsque vous démarrez."
DocType: Hub Settings,Hub Node,Noeud du Hub
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Vous avez entré un doublon. Veuillez rectifier et essayer à nouveau.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Associé
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Associé
DocType: Asset Movement,Asset Movement,Mouvement d'Actif
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,Nouveau Panier
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Nouveau Panier
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,L'article {0} n'est pas un Article avec un numéro de serie
DocType: SMS Center,Create Receiver List,Créer une Liste de Réception
DocType: Vehicle,Wheels,Roues
@@ -1817,19 +1831,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Peut se référer à ligne seulement si le type de charge est 'Montant de la ligne précedente' ou 'Total des lignes précedente'
DocType: Sales Order Item,Delivery Warehouse,Entrepôt de Livraison
DocType: SMS Settings,Message Parameter,Paramètre Message
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Arbre des Centres de Coûts financiers.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Arbre des Centres de Coûts financiers.
DocType: Serial No,Delivery Document No,Numéro de Document de Livraison
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Veuillez définir ‘Compte de Gain/Perte sur les Cessions d’Immobilisations’ de la Société {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Obtenir des Articles à partir des Reçus d'Achat
DocType: Serial No,Creation Date,Date de Création
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},L'article {0} apparaît plusieurs fois dans la Liste de Prix {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Vente doit être vérifiée, si ""Applicable pour"" est sélectionné comme {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Vente doit être vérifiée, si ""Applicable pour"" est sélectionné comme {0}"
DocType: Production Plan Material Request,Material Request Date,Date de la Demande de Matériel
DocType: Purchase Order Item,Supplier Quotation Item,Article Devis Fournisseur
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Désactive la création de registres de temps pour les Ordres de Fabrication. Le suivi des Opérations ne nécessite pas d’Ordres de Fabrication
DocType: Student,Student Mobile Number,Numéro de Mobile de l'Étudiant
DocType: Item,Has Variants,A Variantes
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Vous avez déjà choisi des articles de {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Vous avez déjà choisi des articles de {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Nom de la Répartition Mensuelle
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Le N° du lot est obligatoire
DocType: Sales Person,Parent Sales Person,Commercial Parent
@@ -1839,12 +1853,12 @@
DocType: Budget,Fiscal Year,Exercice Fiscal
DocType: Vehicle Log,Fuel Price,Prix du Carburant
DocType: Budget,Budget,Budget
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Un Article Immobilisé doit être un élément non stocké.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Un Article Immobilisé doit être un élément non stocké.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budget ne peut pas être affecté pour {0}, car ce n’est pas un compte de produits ou de charges"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Atteint
DocType: Student Admission,Application Form Route,Chemin du Formulaire de Candidature
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Région / Client
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,e.g. 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,e.g. 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Le Type de Congé {0} ne peut pas être alloué, car c’est un congé sans solde"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Ligne {0} : Le montant alloué {1} doit être inférieur ou égal au montant restant sur la Facture {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,En Toutes Lettres. Sera visible une fois que vous enregistrerez la Facture.
@@ -1853,7 +1867,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,L'article {0} n'est pas configuré pour les Numéros de Série. Vérifiez la fiche de l'Article
DocType: Maintenance Visit,Maintenance Time,Temps d'Entretien
,Amount to Deliver,Nombre à Livrer
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Un Produit ou Service
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Un Produit ou Service
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,La Date de Début de Terme ne peut pas être antérieure à la Date de Début de l'Année Académique à laquelle le terme est lié (Année Académique {}). Veuillez corriger les dates et essayer à nouveau.
DocType: Guardian,Guardian Interests,Part du Tuteur
DocType: Naming Series,Current Value,Valeur actuelle
@@ -1868,12 +1882,12 @@
doit être supérieure ou égale à {2}"""
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Basé sur les mouvements de stock. Voir {0} pour plus de détails
DocType: Pricing Rule,Selling,Vente
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Montant {0} {1} déduit de {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Montant {0} {1} déduit de {2}
DocType: Employee,Salary Information,Information sur le Salaire
DocType: Sales Person,Name and Employee ID,Nom et ID de l’Employé
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,La Date d'Échéance ne peut être antérieure à la Date de Comptabilisation
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,La Date d'Échéance ne peut être antérieure à la Date de Comptabilisation
DocType: Website Item Group,Website Item Group,Groupe d'Articles du Site Web
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Droits de Douane et Taxes
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Droits de Douane et Taxes
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Veuillez entrer la date de Référence
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} écritures de paiement ne peuvent pas être filtrées par {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,Table pour l'Article qui sera affiché sur le site Web
@@ -1890,9 +1904,9 @@
DocType: Payment Reconciliation Payment,Reference Row,Ligne de Référence
DocType: Installation Note,Installation Time,Temps d'Installation
DocType: Sales Invoice,Accounting Details,Détails Comptabilité
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Supprimer toutes les Transactions pour cette Société
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Ligne #{0} : L’Opération {1} n’est pas terminée pour {2} qtés de produits finis de l’Ordre de Production # {3}. Veuillez mettre à jour le statut des opérations via les Journaux de Temps
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Investissements
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Supprimer toutes les Transactions pour cette Société
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Ligne #{0} : L’Opération {1} n’est pas terminée pour {2} qtés de produits finis de l’Ordre de Production # {3}. Veuillez mettre à jour le statut des opérations via les Journaux de Temps
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Investissements
DocType: Issue,Resolution Details,Détails de la Résolution
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,Allocations
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Critères d'Acceptation
@@ -1917,7 +1931,7 @@
DocType: Room,Room Name,Nom de la Chambre
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Congé ne peut être demandé / annulé avant le {0}, car le solde de congés a déjà été reporté dans la feuille d'allocation de congés futurs {1}"
DocType: Activity Cost,Costing Rate,Taux des Coûts
-,Customer Addresses And Contacts,Adresses et Contacts des Clients
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Adresses et Contacts des Clients
,Campaign Efficiency,Efficacité des Campagnes
DocType: Discussion,Discussion,Discussion
DocType: Payment Entry,Transaction ID,Identifiant de Transaction
@@ -1927,14 +1941,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Montant Total de Facturation (via Feuille de Temps)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Répéter Revenu Clientèle
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) doit avoir le rôle ""Approbateur de Frais"""
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Paire
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Sélectionner la LDM et la Qté pour la Production
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Paire
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Sélectionner la LDM et la Qté pour la Production
DocType: Asset,Depreciation Schedule,Calendrier d'Amortissement
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Adresses et Contacts des Partenaires de Vente
DocType: Bank Reconciliation Detail,Against Account,Pour le Compte
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,La Date de Demi-Journée doit être entre la Date de Début et la Date de Fin
DocType: Maintenance Schedule Detail,Actual Date,Date Réelle
DocType: Item,Has Batch No,A un Numéro de Lot
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Facturation Annuelle : {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Facturation Annuelle : {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Taxe sur les Biens et Services (GST India)
DocType: Delivery Note,Excise Page Number,Numéro de Page d'Accise
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Société, Date Début et Date Fin sont obligatoires"
DocType: Asset,Purchase Date,Date d'Achat
@@ -1942,11 +1958,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Veuillez définir 'Centre de Coûts des Amortissements d’Actifs’ de la Société {0}
,Maintenance Schedules,Échéanciers d'Entretien
DocType: Task,Actual End Date (via Time Sheet),Date de Fin Réelle (via la Feuille de Temps)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Montant {0} {1} pour {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Montant {0} {1} pour {2} {3}
,Quotation Trends,Tendances des Devis
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Le Groupe d'Articles n'est pas mentionné dans la fiche de l'article pour l'article {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Le compte de débit doit être un compte Débiteur
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Le Groupe d'Articles n'est pas mentionné dans la fiche de l'article pour l'article {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Le compte de débit doit être un compte Débiteur
DocType: Shipping Rule Condition,Shipping Amount,Montant de la Livraison
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Ajouter des clients
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Montant en Attente
DocType: Purchase Invoice Item,Conversion Factor,Facteur de Conversion
DocType: Purchase Order,Delivered,Livré
@@ -1956,7 +1973,8 @@
DocType: Purchase Receipt,Vehicle Number,Numéro de Véhicule
DocType: Purchase Invoice,The date on which recurring invoice will be stop,La date à laquelle la facture récurrente sera arrêtée
DocType: Employee Loan,Loan Amount,Montant du Prêt
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Ligne {0} : Liste de Matériaux non trouvée pour l’Article {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Véhicule Autonome
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Ligne {0} : Liste de Matériaux non trouvée pour l’Article {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Le Total des feuilles attribuées {0} ne peut pas être inférieur aux feuilles déjà approuvées {1} pour la période
DocType: Journal Entry,Accounts Receivable,Comptes Débiteurs
,Supplier-Wise Sales Analytics,Analyse des Ventes par Fournisseur
@@ -1973,21 +1991,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,La Note de Frais est en attente d'approbation. Seul l'Approbateur des Frais peut mettre à jour le statut.
DocType: Email Digest,New Expenses,Nouveaux Frais
DocType: Purchase Invoice,Additional Discount Amount,Montant de la Remise Supplémentaire
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Ligne #{0} : Qté doit égale à 1, car l’Article est un actif immobilisé. Veuillez utiliser une ligne distincte pour une qté multiple."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Ligne #{0} : Qté doit égale à 1, car l’Article est un actif immobilisé. Veuillez utiliser une ligne distincte pour une qté multiple."
DocType: Leave Block List Allow,Leave Block List Allow,Autoriser la Liste de Blocage des Congés
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Abré. ne peut être vide ou contenir un espace
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abré. ne peut être vide ou contenir un espace
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Groupe vers Non-Groupe
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sportif
DocType: Loan Type,Loan Name,Nom du Prêt
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Total Réel
DocType: Student Siblings,Student Siblings,Frères et Sœurs de l'Étudiants
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Unité
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,Veuillez spécifier la Société
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Unité
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Veuillez spécifier la Société
,Customer Acquisition and Loyalty,Acquisition et Fidélisation des Clients
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,L'entrepôt où vous conservez le stock d'objets refusés
DocType: Production Order,Skip Material Transfer,Sauter le Transfert de Materiel
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Impossible de trouver le taux de change pour {0} à {1} pour la date clé {2}. Veuillez créer une entrée de taux de change manuellement
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Date de fin de la période comptable
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Impossible de trouver le taux de change pour {0} à {1} pour la date clé {2}. Veuillez créer une entrée de taux de change manuellement
DocType: POS Profile,Price List,Liste de Prix
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} est désormais l’Exercice par défaut. Veuillez actualiser la page pour que les modifications soient prises en compte.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Notes de Frais
@@ -2000,14 +2017,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Solde du stock dans le Lot {0} deviendra négatif {1} pour l'Article {2} à l'Entrepôt {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Les Demandes de Matériel suivantes ont été créées automatiquement sur la base du niveau de réapprovisionnement de l’Article
DocType: Email Digest,Pending Sales Orders,Commandes Client en Attente
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Le compte {0} est invalide. La Devise du Compte doit être {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Le compte {0} est invalide. La Devise du Compte doit être {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Facteur de conversion de l'UDM est obligatoire dans la ligne {0}
DocType: Production Plan Item,material_request_item,article_demande_de_materiel
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Ligne #{0} : Le Type de Document de Référence doit être une Commande Client, une Facture de Vente ou une Écriture de Journal"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Ligne #{0} : Le Type de Document de Référence doit être une Commande Client, une Facture de Vente ou une Écriture de Journal"
DocType: Salary Component,Deduction,Déduction
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Ligne {0} : Heure de Début et Heure de Fin obligatoires.
DocType: Stock Reconciliation Item,Amount Difference,Différence de Montant
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Prix de l'Article ajouté pour {0} dans la Liste de Prix {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Prix de l'Article ajouté pour {0} dans la Liste de Prix {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Veuillez entrer l’ID Employé de ce commercial
DocType: Territory,Classification of Customers by region,Classification des Clients par région
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,L’Écart de Montant doit être égal à zéro
@@ -2019,21 +2036,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Déduction Totale
,Production Analytics,Analyse de la Production
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Coût Mise à Jour
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Coût Mise à Jour
DocType: Employee,Date of Birth,Date de Naissance
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,L'article {0} a déjà été retourné
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,L'article {0} a déjà été retourné
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Exercice** représente un Exercice Financier. Toutes les écritures comptables et autres transactions majeures sont suivis en **Exercice**.
DocType: Opportunity,Customer / Lead Address,Adresse du Client / Prospect
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Attention : certificat SSL non valide sur la pièce jointe {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Attention : certificat SSL non valide sur la pièce jointe {0}
DocType: Student Admission,Eligibility,Admissibilité
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Les prospects vous aident à obtenir des contrats, ajoutez tous vos contacts et plus dans votre liste de prospects"
DocType: Production Order Operation,Actual Operation Time,Temps d'Exploitation Réel
DocType: Authorization Rule,Applicable To (User),Applicable À (Utilisateur)
DocType: Purchase Taxes and Charges,Deduct,Déduire
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Description de l'Emploi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Description de l'Emploi
DocType: Student Applicant,Applied,Appliqué
DocType: Sales Invoice Item,Qty as per Stock UOM,Qté par UDM du Stock
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Nom du Tuteur 2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Nom du Tuteur 2
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Les caractères spéciaux sauf ""-"", ""#"", ""."" et ""/"" ne sont pas autorisés dans le nommage des séries"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Garder une Trace des Campagnes de Vente. Garder une trace des Prospects, Devis, Commandes Client etc. depuis les Campagnes pour mesurer le Retour sur Investissement."
DocType: Expense Claim,Approver,Approbateur
@@ -2044,7 +2061,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},N° de Série {0} est sous garantie jusqu'au {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Séparer le Bon de Livraison dans des paquets.
apps/erpnext/erpnext/hooks.py +87,Shipments,Livraisons
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Le solde du compte ({0}) pour {1} et la valeur du stock ({2}) pour l'entrepôt {3} doivent être identiques
DocType: Payment Entry,Total Allocated Amount (Company Currency),Montant Total Alloué (Devise Société)
DocType: Purchase Order Item,To be delivered to customer,À livrer à la clientèle
DocType: BOM,Scrap Material Cost,Coût de Mise au Rebut des Matériaux
@@ -2052,20 +2068,21 @@
DocType: Purchase Invoice,In Words (Company Currency),En Toutes Lettres (Devise Société)
DocType: Asset,Supplier,Fournisseur
DocType: C-Form,Quarter,Trimestre
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Dépenses Diverses
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Dépenses Diverses
DocType: Global Defaults,Default Company,Société par Défaut
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Compte de Charge et d'Écarts est obligatoire pour objet {0} car il impacte la valeur globale des actions
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Compte de Charge et d'Écarts est obligatoire pour objet {0} car il impacte la valeur globale des actions
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Nom de la Banque
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Au-dessus
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Au-dessus
DocType: Employee Loan,Employee Loan Account,Compte de Prêt d'un Employé
DocType: Leave Application,Total Leave Days,Total des Jours de Congé
DocType: Email Digest,Note: Email will not be sent to disabled users,Remarque : Email ne sera pas envoyé aux utilisateurs désactivés
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Nombre d'Interactions
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Code de l'article> Groupe d'articles> Marque
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Sélectionner la Société ...
DocType: Leave Control Panel,Leave blank if considered for all departments,Laisser vide pour tous les départements
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Type d’emploi (CDI, CDD, Stagiaire, etc.)"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} est obligatoire pour l’Article {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} est obligatoire pour l’Article {1}
DocType: Process Payroll,Fortnightly,Bimensuel
DocType: Currency Exchange,From Currency,De la Devise
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Veuillez sélectionner le Montant Alloué, le Type de Facture et le Numéro de Facture dans au moins une ligne"
@@ -2087,7 +2104,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,Veuillez cliquer sur ‘Générer Calendrier’ pour obtenir le calendrier
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Il y a eu des erreurs lors de la suppression des horaires suivants :
DocType: Bin,Ordered Quantity,Quantité Commandée
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","e.g. ""Construire des outils pour les constructeurs"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","e.g. ""Construire des outils pour les constructeurs"""
DocType: Grading Scale,Grading Scale Intervals,Intervalles de l'Échelle de Notation
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1} : L’Écriture Comptable pour {2} peut seulement être faite en devise: {3}
DocType: Production Order,In Process,En Cours
@@ -2101,12 +2118,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Groupes d'Étudiants créés.
DocType: Sales Invoice,Total Billing Amount,Montant Total de Facturation
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Il doit y avoir un compte Email entrant par défaut activé pour que cela fonctionne. Veuillez configurer un compte Email entrant par défaut (POP / IMAP) et essayer à nouveau.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Compte Débiteur
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Ligne #{0} : L’Actif {1} est déjà {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Compte Débiteur
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Ligne #{0} : L’Actif {1} est déjà {2}
DocType: Quotation Item,Stock Balance,Solde du Stock
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,De la Commande Client au Paiement
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Veuillez définir le Nom de Série pour {0} via Setup> Paramètres> Nom de Série
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,PDG
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,PDG
DocType: Expense Claim Detail,Expense Claim Detail,Détail Note de Frais
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Veuillez sélectionner un compte correct
DocType: Item,Weight UOM,UDM de Poids
@@ -2115,12 +2131,12 @@
DocType: Production Order Operation,Pending,En Attente
DocType: Course,Course Name,Nom du Cours
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Les utilisateurs qui peuvent approuver les demandes de congé d'un employé en particulier
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Équipements de Bureau
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Équipements de Bureau
DocType: Purchase Invoice Item,Qty,Qté
DocType: Fiscal Year,Companies,Sociétés
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Électronique
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Créer une demande de matériel lorsque le stock atteint le niveau de réapprovisionnement
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Temps Plein
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Temps Plein
DocType: Salary Structure,Employees,Employés
DocType: Employee,Contact Details,Coordonnées
DocType: C-Form,Received Date,Date de Réception
@@ -2130,7 +2146,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Les Prix ne seront pas affichés si la Liste de Prix n'est pas définie
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Veuillez spécifier un pays pour cette Règle de Livraison ou cocher Livraison Internationale
DocType: Stock Entry,Total Incoming Value,Valeur Entrante Totale
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Compte de Débit Requis
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Compte de Débit Requis
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Les Feuilles de Temps aident au suivi du temps, coût et facturation des activités effectuées par votre équipe"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Liste des Prix d'Achat
DocType: Offer Letter Term,Offer Term,Terme de la Proposition
@@ -2139,17 +2155,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Réconciliation des Paiements
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,Veuillez sélectionner le nom du/de la Responsable
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Technologie
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Total des Impayés : {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Total des Impayés : {0}
DocType: BOM Website Operation,BOM Website Operation,Opération de LDM du Site Internet
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Lettre de Proposition
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Générer des Demandes de Matériel (MRP) et des Ordres de Fabrication.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Mnt Total Facturé
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Mnt Total Facturé
DocType: BOM,Conversion Rate,Taux de Conversion
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Recherche de Produit
DocType: Timesheet Detail,To Time,Horaire de Fin
DocType: Authorization Rule,Approving Role (above authorized value),Rôle Approbateur (valeurs autorisées ci-dessus)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Le compte À Créditer doit être un compte Créditeur
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},Répétition LDM : {0} ne peut pas être parent ou enfant de {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Le compte À Créditer doit être un compte Créditeur
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},Répétition LDM : {0} ne peut pas être parent ou enfant de {2}
DocType: Production Order Operation,Completed Qty,Quantité Terminée
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Pour {0}, seuls les comptes de débit peuvent être liés avec une autre écriture de crédit"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,La Liste de Prix {0} est désactivée
@@ -2160,28 +2176,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Numéros de Série requis pour objet {1}. Vous en avez fourni {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Taux de Valorisation Actuel
DocType: Item,Customer Item Codes,Codes Articles du Client
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Profits / Pertes sur Change
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Profits / Pertes sur Change
DocType: Opportunity,Lost Reason,Raison de la Perte
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Nouvelle Adresse
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Nouvelle Adresse
DocType: Quality Inspection,Sample Size,Taille de l'Échantillon
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Veuillez entrer le Document de Réception
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Tous les articles ont déjà été facturés
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Tous les articles ont déjà été facturés
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',Veuillez spécifier un ‘Depuis le Cas N°.’ valide
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,"D'autres centres de coûts peuvent être créés dans des Groupes, mais des écritures ne peuvent être faites que sur des centres de coûts individuels."
DocType: Project,External,Externe
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Utilisateurs et Autorisations
DocType: Vehicle Log,VLOG.,VLOG.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Ordres de Production Créés: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Ordres de Production Créés: {0}
DocType: Branch,Branch,Branche
DocType: Guardian,Mobile Number,Numéro de Mobile
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Impression et Marque
DocType: Bin,Actual Quantity,Quantité Réelle
DocType: Shipping Rule,example: Next Day Shipping,Exemple : Livraison le Jour Suivant
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,N° de Série {0} introuvable
-DocType: Scheduling Tool,Student Batch,Lot d'Étudiants
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Vos clients
+DocType: Program Enrollment,Student Batch,Lot d'Étudiants
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Créer un Étudiant
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Vous avez été invité à collaborer sur le projet : {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Vous avez été invité à collaborer sur le projet : {0}
DocType: Leave Block List Date,Block Date,Bloquer la Date
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Postuler
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Qté Réelle {0} / Quantité en Attente {1}
@@ -2190,7 +2205,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Créer et gérer des résumés d'E-mail quotidiens, hebdomadaires et mensuels ."
DocType: Appraisal Goal,Appraisal Goal,Objectif d'Estimation
DocType: Stock Reconciliation Item,Current Amount,Montant Actuel
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,Bâtiments
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,Bâtiments
DocType: Fee Structure,Fee Structure,Structure d'Honoraires
DocType: Timesheet Detail,Costing Amount,Montant des Coûts
DocType: Student Admission,Application Fee,Frais de Dossier
@@ -2202,10 +2217,10 @@
DocType: POS Profile,[Select],[Choisir]
DocType: SMS Log,Sent To,Envoyé À
DocType: Payment Request,Make Sales Invoice,Faire des Factures de Vente
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,Softwares
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Softwares
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,La Date de Prochain Contact ne peut pas être dans le passé
DocType: Company,For Reference Only.,Pour Référence Seulement.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Sélectionnez le N° de Lot
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Sélectionnez le N° de Lot
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Invalide {0} : {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,Montant de l'Avance
@@ -2215,15 +2230,15 @@
DocType: Employee,Employment Details,Détails de l'Emploi
DocType: Employee,New Workplace,Nouveau Lieu de Travail
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Définir comme Fermé
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Aucun Article avec le Code Barre {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Aucun Article avec le Code Barre {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Cas N° ne peut pas être 0
DocType: Item,Show a slideshow at the top of the page,Afficher un diaporama en haut de la page
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Listes de Matériaux
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Magasins
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Listes de Matériaux
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Magasins
DocType: Serial No,Delivery Time,Heure de la Livraison
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Basé Sur le Vieillissement
DocType: Item,End of Life,Fin de Vie
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Déplacement
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Déplacement
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Aucune Structure de Salaire active ou par défaut trouvée pour employé {0} pour les dates données
DocType: Leave Block List,Allow Users,Autoriser les Utilisateurs
DocType: Purchase Order,Customer Mobile No,N° de Portable du Client
@@ -2232,29 +2247,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Mettre à jour le Coût
DocType: Item Reorder,Item Reorder,Réorganiser les Articles
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Afficher la Fiche de Salaire
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Transfert de Matériel
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Transfert de Matériel
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Spécifier les opérations, le coût d'exploitation et donner un N° d'Opération unique à vos opérations."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Ce document excède la limite de {0} {1} pour l’article {4}. Faites-vous un autre {3} contre le même {2} ?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Veuillez définir la récurrence après avoir sauvegardé
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Sélectionner le compte de change
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Ce document excède la limite de {0} {1} pour l’article {4}. Faites-vous un autre {3} contre le même {2} ?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Veuillez définir la récurrence après avoir sauvegardé
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Sélectionner le compte de change
DocType: Purchase Invoice,Price List Currency,Devise de la Liste de Prix
DocType: Naming Series,User must always select,L'utilisateur doit toujours sélectionner
DocType: Stock Settings,Allow Negative Stock,Autoriser un Stock Négatif
DocType: Installation Note,Installation Note,Note d'Installation
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Ajouter des Taxes
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Ajouter des Taxes
DocType: Topic,Topic,Sujet
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Flux de Trésorerie du Financement
DocType: Budget Account,Budget Account,Compte de Budget
DocType: Quality Inspection,Verified By,Vérifié Par
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Impossible de changer la devise par défaut de la société, parce qu'il y a des opérations existantes. Les transactions doivent être annulées pour changer la devise par défaut."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Impossible de changer la devise par défaut de la société, parce qu'il y a des opérations existantes. Les transactions doivent être annulées pour changer la devise par défaut."
DocType: Grading Scale Interval,Grade Description,Description de la Note
DocType: Stock Entry,Purchase Receipt No,N° du Reçu d'Achat
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Arrhes
DocType: Process Payroll,Create Salary Slip,Créer une Fiche de Paie
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Traçabilité
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Source des Fonds (Passif)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Quantité à la ligne {0} ({1}) doit être égale a la quantité fabriquée {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Source des Fonds (Passif)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Quantité à la ligne {0} ({1}) doit être égale a la quantité fabriquée {2}
DocType: Appraisal,Employee,Employé
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Sélectionnez le lot
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} est entièrement facturé
DocType: Training Event,End Time,Heure de Fin
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Grille de Salaire active {0} trouvée pour l'employé {1} pour les dates données
@@ -2266,11 +2282,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Requis Pour
DocType: Rename Tool,File to Rename,Fichier à Renommer
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Veuillez sélectionnez une LDM pour l’Article à la Ligne {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},La LDM {0} spécifiée n'existe pas pour l'Article {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Le Compte {0} ne correspond pas à la Société {1} dans le Mode de Compte : {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},La LDM {0} spécifiée n'existe pas pour l'Article {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,L'Échéancier d'Entretien {0} doit être annulé avant d'annuler cette Commande Client
DocType: Notification Control,Expense Claim Approved,Note de Frais Approuvée
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Fiche de Paie de l'employé {0} déjà créée pour cette période
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Pharmaceutique
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Pharmaceutique
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Coût des Articles Achetés
DocType: Selling Settings,Sales Order Required,Commande Client Requise
DocType: Purchase Invoice,Credit To,À Créditer
@@ -2287,42 +2304,42 @@
DocType: Payment Gateway Account,Payment Account,Compte de Paiement
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,Veuillez spécifier la Société pour continuer
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Variation Nette des Comptes Débiteurs
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Congé Compensatoire
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Congé Compensatoire
DocType: Offer Letter,Accepted,Accepté
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,Organisation
DocType: SG Creation Tool Course,Student Group Name,Nom du Groupe d'Étudiants
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Veuillez vous assurer que vous voulez vraiment supprimer tous les transactions de cette société. Vos données de base resteront intactes. Cette action ne peut être annulée.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Veuillez vous assurer que vous voulez vraiment supprimer tous les transactions de cette société. Vos données de base resteront intactes. Cette action ne peut être annulée.
DocType: Room,Room Number,Numéro de la Chambre
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Référence invalide {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ne peut pas être supérieur à la quantité prévue ({2}) dans l’Ordre de Production {3}
DocType: Shipping Rule,Shipping Rule Label,Étiquette de la Règle de Livraison
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forum de l'Utilisateur
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Matières Premières ne peuvent pas être vides.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Impossible de mettre à jour de stock, facture contient un élément en livraison directe."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Matières Premières ne peuvent pas être vides.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Impossible de mettre à jour de stock, facture contient un élément en livraison directe."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Écriture Rapide dans le Journal
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,Vous ne pouvez pas modifier le taux si la LDM est mentionnée pour un article
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,Vous ne pouvez pas modifier le taux si la LDM est mentionnée pour un article
DocType: Employee,Previous Work Experience,Expérience de Travail Antérieure
DocType: Stock Entry,For Quantity,Pour la Quantité
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Veuillez entrer la Qté Planifiée pour l'Article {0} à la ligne {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} n'a pas été soumis
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Demandes d’Articles.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Des ordres de fabrication séparés seront créés pour chaque article produit fini.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} doit être négatif dans le document de retour
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} doit être négatif dans le document de retour
,Minutes to First Response for Issues,Minutes avant la Première Réponse aux Questions
DocType: Purchase Invoice,Terms and Conditions1,Termes et Conditions
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,Le nom de l'institut pour lequel vous configurez ce système.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,Le nom de l'institut pour lequel vous configurez ce système.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Les écritures comptables sont gelées jusqu'à cette date, personne ne peut ajouter / modifier les entrées sauf les rôles spécifiés ci-dessous."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,Veuillez enregistrer le document avant de générer le calendrier d'entretien
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Statut du Projet
DocType: UOM,Check this to disallow fractions. (for Nos),Cochez cette case pour interdire les fractions. (Pour les numéros)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Les Ordres de Production suivants ont été créés:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Les Ordres de Production suivants ont été créés:
DocType: Student Admission,Naming Series (for Student Applicant),Nom de la Série (pour le Candidat Étudiant)
DocType: Delivery Note,Transporter Name,Nom du Transporteur
DocType: Authorization Rule,Authorized Value,Valeur Autorisée
DocType: BOM,Show Operations,Afficher Opérations
,Minutes to First Response for Opportunity,Minutes avant la Première Réponse à une Opportunité
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Total des Absences
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,L'Article ou l'Entrepôt pour la ligne {0} ne correspond pas avec la Requête de Matériel
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,L'Article ou l'Entrepôt pour la ligne {0} ne correspond pas avec la Requête de Matériel
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Unité de Mesure
DocType: Fiscal Year,Year End Date,Date de Fin de l'Exercice
DocType: Task Depends On,Task Depends On,Tâche Dépend De
@@ -2421,11 +2438,11 @@
DocType: Asset,Manual,Manuel
DocType: Salary Component Account,Salary Component Account,Compte Composante Salariale
DocType: Global Defaults,Hide Currency Symbol,Masquer le Symbole Monétaire
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","e.g. Cash, Banque, Carte de crédit"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","e.g. Cash, Banque, Carte de crédit"
DocType: Lead Source,Source Name,Nom de la Source
DocType: Journal Entry,Credit Note,Note de Crédit
DocType: Warranty Claim,Service Address,Adresse du Service
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Meubles et Accessoires
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Meubles et Accessoires
DocType: Item,Manufacture,Fabrication
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Veuillez d’abord créer un Bon de Livraison
DocType: Student Applicant,Application Date,Date de la Candidature
@@ -2435,7 +2452,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Date de Compensation non indiquée
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Production
DocType: Guardian,Occupation,Occupation
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Veuillez configurer le Système de Nommage des Employés depuis Ressources Humaines> Paramètres RH
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Ligne {0} : La Date de Début doit être avant la Date de Fin
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Total (Qté)
DocType: Sales Invoice,This Document,Ce Document
@@ -2447,19 +2463,19 @@
DocType: Purchase Receipt,Time at which materials were received,Heure à laquelle les matériaux ont été reçus
DocType: Stock Ledger Entry,Outgoing Rate,Taux Sortant
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organisation principale des branches.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,ou
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,ou
DocType: Sales Order,Billing Status,Statut de la Facturation
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Signaler un Problème
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Frais de Services Publics
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Frais de Services Publics
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-Dessus
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Ligne #{0} : L’Écriture de Journal {1} n'a pas le compte {2} ou est déjà réconciliée avec une autre référence
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Ligne #{0} : L’Écriture de Journal {1} n'a pas le compte {2} ou est déjà réconciliée avec une autre référence
DocType: Buying Settings,Default Buying Price List,Liste des Prix d'Achat par Défaut
DocType: Process Payroll,Salary Slip Based on Timesheet,Fiche de Paie basée sur la Feuille de Temps
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Aucun employé pour les critères sélectionnés ci-dessus ou pour les fiches de paie déjà créées
DocType: Notification Control,Sales Order Message,Message de la Commande Client
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Définir les Valeurs par Défaut comme : Societé, Devise, Exercice Actuel, etc..."
DocType: Payment Entry,Payment Type,Type de Paiement
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Veuillez sélectionner un Lot pour l'Article {0}. Impossible de trouver un seul lot satisfaisant à cette exigence
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Veuillez sélectionner un Lot pour l'Article {0}. Impossible de trouver un seul lot satisfaisant à cette exigence
DocType: Process Payroll,Select Employees,Sélectionner les Employés
DocType: Opportunity,Potential Sales Deal,Ventes Potentielles
DocType: Payment Entry,Cheque/Reference Date,Chèque/Date de Référence
@@ -2479,7 +2495,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Le reçu doit être soumis
DocType: Purchase Invoice Item,Received Qty,Qté Reçue
DocType: Stock Entry Detail,Serial No / Batch,N° de Série / Lot
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Non Payé et Non Livré
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Non Payé et Non Livré
DocType: Product Bundle,Parent Item,Article Parent
DocType: Account,Account Type,Type de Compte
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2493,24 +2509,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),Identification de l'emballage pour la livraison (pour l'impression)
DocType: Bin,Reserved Quantity,Quantité Réservée
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Entrez une adresse email valide
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Il n'y a pas de cours obligatoire pour le programme {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Articles du Reçu d’Achat
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Personnalisation des Formulaires
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,Arriéré
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,Arriéré
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Montant d'Amortissement au cours de la période
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Un Modèle Désactivé ne doit pas être un Modèle par Défaut
DocType: Account,Income Account,Compte de Produits
DocType: Payment Request,Amount in customer's currency,Montant dans la devise du client
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Livraison
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Livraison
DocType: Stock Reconciliation Item,Current Qty,Qté Actuelle
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section","Voir ""Taux des Matériaux Basé Sur"" dans la Section des Coûts"
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Précédent
DocType: Appraisal Goal,Key Responsibility Area,Domaine de Responsabilités Principal
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Les Lots d'Étudiants vous aide à suivre la présence, les évaluations et les frais pour les étudiants"
DocType: Payment Entry,Total Allocated Amount,Montant Total Alloué
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Configurer le compte d'inventaire par défaut pour l'inventaire perpétuel
DocType: Item Reorder,Material Request Type,Type de Demande de Matériel
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accumulation des Journaux d'Écritures pour les salaires de {0} à {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","Le Stockage Local est plein, sauvegarde impossible"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","Le Stockage Local est plein, sauvegarde impossible"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Ligne {0} : Facteur de Conversion LDM est obligatoire
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Réf
DocType: Budget,Cost Center,Centre de Coûts
@@ -2523,19 +2539,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","La Règle de Tarification est faite pour remplacer la Liste de Prix / définir le pourcentage de remise, sur la base de certains critères."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,L'entrepôt ne peut être modifié que via Écriture de Stock / Bon de Livraison / Reçu d'Achat
DocType: Employee Education,Class / Percentage,Classe / Pourcentage
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Responsable du Marketing et des Ventes
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Impôt sur le Revenu
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Responsable du Marketing et des Ventes
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Impôt sur le Revenu
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Si la Règle de Prix sélectionnée est faite pour 'Prix', elle écrasera la Liste de Prix. La prix de la Règle de Prix est le prix définitif, donc aucune réduction supplémentaire ne devrait être appliquée. Ainsi, dans les transactions comme des Commandes Clients, Bon de Commande, etc., elle sera récupérée dans le champ 'Taux', plutôt que champ 'Taux de la Liste de Prix'."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Suivre les Prospects par Type d'Industrie
DocType: Item Supplier,Item Supplier,Fournisseur de l'Article
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,Veuillez entrer le Code d'Article pour obtenir n° de lot
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},Veuillez sélectionner une valeur pour {0} devis à {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,Veuillez entrer le Code d'Article pour obtenir n° de lot
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Veuillez sélectionner une valeur pour {0} devis à {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Toutes les Adresses.
DocType: Company,Stock Settings,Réglages de Stock
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","La combinaison est possible seulement si les propriétés suivantes sont les mêmes dans les deux dossiers. Est Groupe, Type de Racine, Société"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","La combinaison est possible seulement si les propriétés suivantes sont les mêmes dans les deux dossiers. Est Groupe, Type de Racine, Société"
DocType: Vehicle,Electric,Électrique
DocType: Task,% Progress,% de Progression
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Gain/Perte sur Cessions des Immobilisations
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Gain/Perte sur Cessions des Immobilisations
DocType: Training Event,Will send an email about the event to employees with status 'Open',Enverra un email au sujet de l'événement pour les employés ayant le statut 'Ouvert'
DocType: Task,Depends on Tasks,Dépend des Tâches
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Gérer l'Arborescence des Groupes de Clients.
@@ -2544,7 +2560,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Nom du Nouveau Centre de Coûts
DocType: Leave Control Panel,Leave Control Panel,Quitter le Panneau de Configuration
DocType: Project,Task Completion,Achèvement de la Tâche
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,En Rupture de Stock
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,En Rupture de Stock
DocType: Appraisal,HR User,Chargé RH
DocType: Purchase Invoice,Taxes and Charges Deducted,Taxes et Frais Déductibles
apps/erpnext/erpnext/hooks.py +116,Issues,Questions
@@ -2555,22 +2571,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Aucune fiche de paie trouvée entre {0} et {1}
,Pending SO Items For Purchase Request,Articles de Commande Client en Attente Pour la Demande d'Achat
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Admissions des Étudiants
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} est désactivé
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} est désactivé
DocType: Supplier,Billing Currency,Devise de Facturation
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Extra Large
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra Large
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Total des Congés
,Profit and Loss Statement,Compte de Résultat
DocType: Bank Reconciliation Detail,Cheque Number,Numéro de Chèque
,Sales Browser,Navigateur des Ventes
DocType: Journal Entry,Total Credit,Total Crédit
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Attention : Un autre {0} {1} # existe pour l'écriture de stock {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Locale
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Locale
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Prêts et Avances (Actif)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Débiteurs
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Grand
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Grand
DocType: Homepage Featured Product,Homepage Featured Product,Produit Présenté sur la Page d'Accueil
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Tous les Groupes d'Évaluation
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Tous les Groupes d'Évaluation
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Nouveau Nom d'Entrepôt
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Total {0} ({1})
DocType: C-Form Invoice Detail,Territory,Région
@@ -2580,12 +2596,12 @@
DocType: Production Order Operation,Planned Start Time,Heure de Début Prévue
DocType: Course,Assessment,Évaluation
DocType: Payment Entry Reference,Allocated,Alloué
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Clôturer Bilan et Compte de Résultats.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Clôturer Bilan et Compte de Résultats.
DocType: Student Applicant,Application Status,État de la Demande
DocType: Fees,Fees,Honoraires
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Spécifier le Taux de Change pour convertir une monnaie en une autre
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Devis {0} est annulée
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Encours Total
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Encours Total
DocType: Sales Partner,Targets,Cibles
DocType: Price List,Price List Master,Données de Base des Listes de Prix
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Toutes les Transactions de Vente peuvent être assignées à plusieurs **Commerciaux** pour configurer et surveiller les objectifs.
@@ -2629,11 +2645,11 @@
8. Adresse et Contact de votre Société."
DocType: Attendance,Leave Type,Type de Congé
DocType: Purchase Invoice,Supplier Invoice Details,Détails de la Facture du Fournisseur
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Compte de Charge / d'Écart ({0}) doit être un Compte «de Résultat»
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Compte de Charge / d'Écart ({0}) doit être un Compte «de Résultat»
DocType: Project,Copied From,Copié Depuis
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Erreur de Nom: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,Pénurie
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} n'est pas associé(e) à {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} n'est pas associé(e) à {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,La présence de l'employé {0} est déjà marquée
DocType: Packing Slip,If more than one package of the same type (for print),Si plus d'un paquet du même type (pour l'impression)
,Salary Register,Registre du Salaire
@@ -2651,22 +2667,23 @@
,Requested Qty,Qté Demandée
DocType: Tax Rule,Use for Shopping Cart,Utiliser pour le Panier
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},La Valeur {0} pour l'Attribut {1} n'existe pas dans la liste des Valeurs d'Attribut d’Article valides pour l’Article {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Sélectionnez les numéros de série
DocType: BOM Item,Scrap %,% de Rebut
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Les frais seront distribués proportionnellement à la qté ou au montant de l'article, selon votre sélection"
DocType: Maintenance Visit,Purposes,Objets
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Au moins un article doit être saisi avec quantité négative dans le document de retour
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Au moins un article doit être saisi avec quantité négative dans le document de retour
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Opération {0} plus longue que toute heure de travail disponible dans le poste {1}, séparer l'opération en plusieurs opérations"
,Requested,Demandé
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Aucune Remarque
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Aucune Remarque
DocType: Purchase Invoice,Overdue,En Retard
DocType: Account,Stock Received But Not Billed,Stock Reçus Mais Non Facturés
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Le Compte Racine doit être un groupe
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Le Compte Racine doit être un groupe
DocType: Fees,FEE.,HONORAIRES.
DocType: Employee Loan,Repaid/Closed,Remboursé / Fermé
DocType: Item,Total Projected Qty,Qté Totale Prévue
DocType: Monthly Distribution,Distribution Name,Nom de Distribution
DocType: Course,Course Code,Code de Cours
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Inspection de la Qualité requise pour l'Article {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Inspection de la Qualité requise pour l'Article {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Taux auquel la devise client est convertie en devise client de base
DocType: Purchase Invoice Item,Net Rate (Company Currency),Taux Net (Devise Société)
DocType: Salary Detail,Condition and Formula Help,Aide Condition et Formule
@@ -2679,27 +2696,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Transfert de Matériel pour la Fabrication
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Pourcentage de Réduction peut être appliqué pour une liste de prix en particulier ou pour toutes les listes de prix.
DocType: Purchase Invoice,Half-yearly,Semestriel
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Écriture Comptable pour Stock
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Écriture Comptable pour Stock
DocType: Vehicle Service,Engine Oil,Huile Moteur
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Veuillez configurer le système de nommage d'employé dans Ressources humaines> Paramètres RH
DocType: Sales Invoice,Sales Team1,Équipe des Ventes 1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Article {0} n'existe pas
DocType: Sales Invoice,Customer Address,Adresse du Client
DocType: Employee Loan,Loan Details,Détails du Prêt
+DocType: Company,Default Inventory Account,Compte d'Inventaire par Défaut
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Ligne {0} : Qté Complétée doit être supérieure à zéro.
DocType: Purchase Invoice,Apply Additional Discount On,Appliquer une Remise Supplémentaire Sur
DocType: Account,Root Type,Type de Racine
DocType: Item,FIFO,"FIFO (Premier entré, Premier sorti)"
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Ligne # {0} : Vous ne pouvez pas retourner plus de {1} pour l’Article {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Ligne # {0} : Vous ne pouvez pas retourner plus de {1} pour l’Article {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Terrain
DocType: Item Group,Show this slideshow at the top of the page,Afficher ce diaporama en haut de la page
DocType: BOM,Item UOM,UDM de l'Article
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Montant de la Taxe Après Remise (Devise Société)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},L’Entrepôt cible est obligatoire pour la ligne {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},L’Entrepôt cible est obligatoire pour la ligne {0}
DocType: Cheque Print Template,Primary Settings,Réglages Principaux
DocType: Purchase Invoice,Select Supplier Address,Sélectionner l'Adresse du Fournisseur
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Ajouter des Employés
DocType: Purchase Invoice Item,Quality Inspection,Inspection de la Qualité
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Très Petit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Très Petit
DocType: Company,Standard Template,Modèle Standard
DocType: Training Event,Theory,Théorie
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Attention : La Quantité de Matériel Commandé est inférieure à la Qté Minimum de Commande
@@ -2707,7 +2726,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entité Juridique / Filiale avec un Plan de Comptes différent appartenant à l'Organisation.
DocType: Payment Request,Mute Email,Email Silencieux
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Alimentation, Boissons et Tabac"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Le paiement n'est possible qu'avec les {0} non facturés
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Le paiement n'est possible qu'avec les {0} non facturés
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Taux de commission ne peut pas être supérieure à 100
DocType: Stock Entry,Subcontract,Sous-traiter
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Veuillez d’abord entrer {0}
@@ -2720,18 +2739,18 @@
DocType: SMS Log,No of Sent SMS,Nb de SMS Envoyés
DocType: Account,Expense Account,Compte de Charge
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Logiciel
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Couleur
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Couleur
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Critères du Plan d'Évaluation
DocType: Training Event,Scheduled,Prévu
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Appel d'Offre
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Veuillez sélectionner un Article où ""Est un Article Stocké"" est ""Non"" et ""Est un Article à Vendre"" est ""Oui"" et il n'y a pas d'autre Groupe de Produits"
DocType: Student Log,Academic,Académique
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Avance totale ({0}) pour la Commande {1} ne peut pas être supérieure au Total Général ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Avance totale ({0}) pour la Commande {1} ne peut pas être supérieure au Total Général ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Sélectionner une Répartition Mensuelle afin de repartir uniformément les objectifs sur le mois.
DocType: Purchase Invoice Item,Valuation Rate,Taux de Valorisation
DocType: Stock Reconciliation,SR/,SR/
DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Devise de la Liste de Prix non sélectionnée
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Devise de la Liste de Prix non sélectionnée
,Student Monthly Attendance Sheet,Feuille de Présence Mensuelle des Étudiants
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},L'employé {0} a déjà demandé {1} entre {2} et {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Date de Début du Projet
@@ -2743,7 +2762,7 @@
DocType: BOM,Scrap,Mettre au Rebut
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Gérer les Partenaires Commerciaux.
DocType: Quality Inspection,Inspection Type,Type d'Inspection
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Les entrepôts avec des transactions existantes ne peuvent pas être convertis en groupe.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Les entrepôts avec des transactions existantes ne peuvent pas être convertis en groupe.
DocType: Assessment Result Tool,Result HTML,Résultat HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Expire Le
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Ajouter des Étudiants
@@ -2751,13 +2770,13 @@
DocType: C-Form,C-Form No,Formulaire-C Nº
DocType: BOM,Exploded_items,Articles-éclatés
DocType: Employee Attendance Tool,Unmarked Attendance,Participation Non Marquée
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Chercheur
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Chercheur
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Outil d'Inscription au Programme Éudiant
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Nom ou Email est obligatoire
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Contrôle de qualité entrant.
DocType: Purchase Order Item,Returned Qty,Qté Retournée
DocType: Employee,Exit,Quitter
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Le Type de Racine est obligatoire
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Le Type de Racine est obligatoire
DocType: BOM,Total Cost(Company Currency),Coût Total (Devise Société)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,N° de Série {0} créé
DocType: Homepage,Company Description for website homepage,Description de la Société pour la page d'accueil du site web
@@ -2766,7 +2785,7 @@
DocType: Sales Invoice,Time Sheet List,Liste de Feuille de Temps
DocType: Employee,You can enter any date manually,Vous pouvez entrer une date manuellement
DocType: Asset Category Account,Depreciation Expense Account,Compte de Dotations aux Amortissement
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Période d’Essai
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Période d’Essai
DocType: Customer Group,Only leaf nodes are allowed in transaction,Seuls les noeuds feuilles sont autorisés dans une transaction
DocType: Expense Claim,Expense Approver,Approbateur des Frais
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Ligne {0} : L’Avance du Client doit être un crédit
@@ -2779,10 +2798,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Horaires des Cours supprimés :
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Journaux pour maintenir le statut de livraison des sms
DocType: Accounts Settings,Make Payment via Journal Entry,Effectuer un Paiement par une Écriture de Journal
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Imprimé sur
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Imprimé sur
DocType: Item,Inspection Required before Delivery,Inspection Requise avant Livraison
DocType: Item,Inspection Required before Purchase,Inspection Requise avant Achat
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Activités en Attente
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Ton organisation
DocType: Fee Component,Fees Category,Catégorie d'Honoraires
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Veuillez entrer la date de relève.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Nb
@@ -2792,9 +2812,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Niveau de Réapprovisionnement
DocType: Company,Chart Of Accounts Template,Modèle de Plan Comptable
DocType: Attendance,Attendance Date,Date de Présence
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Prix de l'Article mis à jour pour {0} dans la Liste des Prix {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Prix de l'Article mis à jour pour {0} dans la Liste des Prix {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Détails du Salaire basés sur les Revenus et les Prélèvements.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Un compte avec des enfants ne peut pas être converti en grand livre
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Un compte avec des enfants ne peut pas être converti en grand livre
DocType: Purchase Invoice Item,Accepted Warehouse,Entrepôt Accepté
DocType: Bank Reconciliation Detail,Posting Date,Date de Comptabilisation
DocType: Item,Valuation Method,Méthode de Valorisation
@@ -2803,14 +2823,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Écriture en double
DocType: Program Enrollment Tool,Get Students,Obtenir les Étudiants
DocType: Serial No,Under Warranty,Sous Garantie
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Erreur]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Erreur]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,En Toutes Lettres. Sera visible une fois que vous enregistrerez la Commande Client
,Employee Birthday,Anniversaire de l'Employé
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Outil de Présence de Lot d'Étudiants
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,Limite Dépassée
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Limite Dépassée
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Capital Risque
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Une période universitaire avec cette 'Année Universitaire' {0} et 'Nom de la Période' {1} existe déjà. Veuillez modifier ces entrées et essayer à nouveau.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Comme il existe des transactions avec l'article {0}, vous ne pouvez pas changer la valeur de {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Comme il existe des transactions avec l'article {0}, vous ne pouvez pas changer la valeur de {1}"
DocType: UOM,Must be Whole Number,Doit être un Nombre Entier
DocType: Leave Control Panel,New Leaves Allocated (In Days),Nouvelle Allocation de Congés (en jours)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,N° de Série {0} n’existe pas
@@ -2819,6 +2839,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Numéro de Facture
DocType: Shopping Cart Settings,Orders,Commandes
DocType: Employee Leave Approver,Leave Approver,Approbateur de Congés
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Sélectionnez un lot
DocType: Assessment Group,Assessment Group Name,Nom du Groupe d'Évaluation
DocType: Manufacturing Settings,Material Transferred for Manufacture,Matériel Transféré pour la Fabrication
DocType: Expense Claim,"A user with ""Expense Approver"" role","Un utilisateur avec le rôle ""Approbateur des Frais"""
@@ -2828,9 +2849,10 @@
DocType: Target Detail,Target Detail,Détail Cible
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,Tous les Emplois
DocType: Sales Order,% of materials billed against this Sales Order,% de matériaux facturés pour cette Commande Client
+DocType: Program Enrollment,Mode of Transportation,Mode de Transport
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Écriture de Clôture de la Période
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Un Centre de Coûts avec des transactions existantes ne peut pas être converti en groupe
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Montant {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Montant {0} {1} {2} {3}
DocType: Account,Depreciation,Amortissement
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Fournisseur(s)
DocType: Employee Attendance Tool,Employee Attendance Tool,Outil de Gestion des Présences des Employés
@@ -2838,7 +2860,7 @@
DocType: Supplier,Credit Limit,Limite de crédit
DocType: Production Plan Sales Order,Salse Order Date,Date de la Commande Client
DocType: Salary Component,Salary Component,Composante Salariale
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Écritures de Paiement {0} ne sont pas liées
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Écritures de Paiement {0} ne sont pas liées
DocType: GL Entry,Voucher No,N° de Référence
,Lead Owner Efficiency,Efficacité des Responsables des Prospects
DocType: Leave Allocation,Leave Allocation,Allocation de Congés
@@ -2849,11 +2871,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Modèle de termes ou de contrat.
DocType: Purchase Invoice,Address and Contact,Adresse et Contact
DocType: Cheque Print Template,Is Account Payable,Est Compte Créditeur
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Stock ne peut pas être mis à jour pour le Reçu d'Achat {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Stock ne peut pas être mis à jour pour le Reçu d'Achat {0}
DocType: Supplier,Last Day of the Next Month,Dernier Jour du Mois Suivant
DocType: Support Settings,Auto close Issue after 7 days,Fermer automatique les Questions après 7 jours
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Congé ne peut être alloué avant le {0}, car le solde de congés a déjà été reporté dans la feuille d'allocation de congés futurs {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Remarque : Date de Référence / d’Échéance dépasse le nombre de jours de crédit client autorisé de {0} jour(s)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Remarque : Date de Référence / d’Échéance dépasse le nombre de jours de crédit client autorisé de {0} jour(s)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Candidature Étudiante
DocType: Asset Category Account,Accumulated Depreciation Account,Compte d'Amortissement Cumulé
DocType: Stock Settings,Freeze Stock Entries,Geler les Entrées de Stocks
@@ -2862,35 +2884,35 @@
DocType: Activity Cost,Billing Rate,Taux de Facturation
,Qty to Deliver,Quantité à Livrer
,Stock Analytics,Analyse du Stock
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Les opérations ne peuvent pas être laissées vides
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Les opérations ne peuvent pas être laissées vides
DocType: Maintenance Visit Purpose,Against Document Detail No,Pour le Détail du Document N°
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Type de Partie est Obligatoire
DocType: Quality Inspection,Outgoing,Sortant
DocType: Material Request,Requested For,Demandé Pour
DocType: Quotation Item,Against Doctype,Contre Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} est annulé ou fermé
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} est annulé ou fermé
DocType: Delivery Note,Track this Delivery Note against any Project,Suivre ce Bon de Livraison pour tous les Projets
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Trésorerie Nette des Investissements
-,Is Primary Address,Est Adresse Principale
DocType: Production Order,Work-in-Progress Warehouse,Entrepôt des Travaux en Cours
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,L'actif {0} doit être soumis
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Registre des présences {0} existe pour l'Étudiant {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Registre des présences {0} existe pour l'Étudiant {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Référence #{0} datée du {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Amortissement Eliminé en raison de cessions d'actifs
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Gérer les Adresses
DocType: Asset,Item Code,Code de l'Article
DocType: Production Planning Tool,Create Production Orders,Créer des Commandes de Production
DocType: Serial No,Warranty / AMC Details,Garantie / Détails AMC
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Sélectionner les élèves manuellement pour un Groupe basé sur l'Activité
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Sélectionner les élèves manuellement pour un Groupe basé sur l'Activité
DocType: Journal Entry,User Remark,Remarque de l'Utilisateur
DocType: Lead,Market Segment,Part de Marché
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Le Montant Payé ne peut pas être supérieur au montant impayé restant {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Le Montant Payé ne peut pas être supérieur au montant impayé restant {0}
DocType: Employee Internal Work History,Employee Internal Work History,Antécédents Professionnels Interne de l'Employé
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Fermeture (Dr)
DocType: Cheque Print Template,Cheque Size,Taille du Chèque
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,N° de Série {0} n'est pas en stock
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Modèle de taxe pour les opérations de vente.
DocType: Sales Invoice,Write Off Outstanding Amount,Encours de Reprise
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Le Compte {0} ne correspond pas à la Société {1}
DocType: School Settings,Current Academic Year,Année Académique Actuelle
DocType: Stock Settings,Default Stock UOM,UDM par Défaut des Articles
DocType: Asset,Number of Depreciations Booked,Nombre d’Amortissements Comptabilisés
@@ -2905,27 +2927,27 @@
DocType: Asset,Double Declining Balance,Double Solde Dégressif
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Les commandes fermées ne peuvent être annulées. Réouvrir pour annuler.
DocType: Student Guardian,Father,Père
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'Mettre à Jour Le Stock’ ne peut pas être coché pour la vente d'actifs immobilisés
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Mettre à Jour Le Stock’ ne peut pas être coché pour la vente d'actifs immobilisés
DocType: Bank Reconciliation,Bank Reconciliation,Réconciliation Bancaire
DocType: Attendance,On Leave,En Congé
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Obtenir les Mises à jour
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1} : Compte {2} ne fait pas partie de la Société {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Demande de Matériel {0} est annulé ou arrêté
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Ajouter quelque exemple d'entrées
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Ajouter quelque exemple d'entrées
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Gestion des Congés
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Grouper par Compte
DocType: Sales Order,Fully Delivered,Entièrement Livré
DocType: Lead,Lower Income,Revenu bas
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},L'entrepôt source et destination ne peuvent être similaire dans la ligne {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},L'entrepôt source et destination ne peuvent être similaire dans la ligne {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Le Compte d’Écart doit être un compte de type Actif / Passif, puisque cette Réconciliation de Stock est une écriture d'à-nouveau"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Le Montant Remboursé ne peut pas être supérieur au Montant du Prêt {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Numéro de Bon de Commande requis pour l'Article {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Ordre de Production non créé
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Numéro de Bon de Commande requis pour l'Article {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Ordre de Production non créé
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',La ‘Date de Début’ doit être antérieure à la ‘Date de Fin’
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Impossible de changer le statut car l'étudiant {0} est lié à la candidature de l'étudiant {1}
DocType: Asset,Fully Depreciated,Complètement Déprécié
,Stock Projected Qty,Qté de Stock Projeté
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Le Client {0} ne fait pas parti du projet {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Le Client {0} ne fait pas parti du projet {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,HTML des Présences Validées
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Les devis sont des propositions, offres que vous avez envoyées à vos clients"
DocType: Sales Order,Customer's Purchase Order,N° de Bon de Commande du Client
@@ -2934,33 +2956,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Somme des Scores de Critères d'Évaluation doit être {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Veuillez définir le Nombre d’Amortissements Comptabilisés
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Valeur ou Qté
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Les Ordres de Production ne peuvent pas être créés pour:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Minute
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Les Ordres de Production ne peuvent pas être créés pour:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Minute
DocType: Purchase Invoice,Purchase Taxes and Charges,Taxes et Frais d’Achats
,Qty to Receive,Quantité à Recevoir
DocType: Leave Block List,Leave Block List Allowed,Liste de Blocage des Congés Autorisée
DocType: Grading Scale Interval,Grading Scale Interval,Intervalle de l'Échelle de Notation
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Note de Frais pour Indémnité Kilométrique {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Remise (%) sur le Tarif de la Liste de Prix avec la Marge
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,Tous les Entrepôts
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Tous les Entrepôts
DocType: Sales Partner,Retailer,Détaillant
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Le compte À Créditer doit être un compte de Bilan
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Le compte À Créditer doit être un compte de Bilan
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Tous les Types de Fournisseurs
DocType: Global Defaults,Disable In Words,"Désactiver ""En Lettres"""
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,Le code de l'Article est obligatoire car l'Article n'est pas numéroté automatiquement
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Le code de l'Article est obligatoire car l'Article n'est pas numéroté automatiquement
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Le devis {0} n'est pas du type {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Article de Calendrier d'Entretien
DocType: Sales Order,% Delivered,% Livré
DocType: Production Order,PRO-,PRO-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Compte de Découvert Bancaire
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Compte de Découvert Bancaire
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Créer une Fiche de Paie
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Ligne # {0}: montant attribué ne peut pas être supérieur au montant en souffrance.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Parcourir la LDM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Prêts Garantis
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Prêts Garantis
DocType: Purchase Invoice,Edit Posting Date and Time,Modifier la Date et l'Heure de la Publication
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Veuillez définir le Compte relatif aux Amortissements dans la Catégorie d’Actifs {0} ou la Société {1}
DocType: Academic Term,Academic Year,Année Académique
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Ouverture de la Balance des Capitaux Propres
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Ouverture de la Balance des Capitaux Propres
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Estimation
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},Email envoyé au fournisseur {0}
@@ -2976,7 +2998,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Le Rôle Approbateur ne peut pas être identique au rôle dont la règle est Applicable
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Se Désinscire de ce Compte Rendu par Email
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Message Envoyé
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Les comptes avec des nœuds enfants ne peuvent pas être défini comme grand livre
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Les comptes avec des nœuds enfants ne peuvent pas être défini comme grand livre
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Taux auquel la devise de la Liste de prix est convertie en devise du client de base
DocType: Purchase Invoice Item,Net Amount (Company Currency),Montant Net (Devise Société)
@@ -3010,7 +3032,7 @@
DocType: Expense Claim,Approval Status,Statut d'Approbation
DocType: Hub Settings,Publish Items to Hub,Publier les articles sur le Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},De la Valeur doit être inférieure à la valeur de la ligne {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Virement
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Virement
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Cochez tout
DocType: Vehicle Log,Invoice Ref,Facture Ref
DocType: Purchase Order,Recurring Order,Commande Récurrente
@@ -3023,51 +3045,54 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Banque et Paiements
,Welcome to ERPNext,Bienvenue sur ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Du Prospect au Devis
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Rien de plus à montrer.
DocType: Lead,From Customer,Du Client
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Appels
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Appels
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,Lots
DocType: Project,Total Costing Amount (via Time Logs),Montant Total des Coûts (via Journaux de Temps)
DocType: Purchase Order Item Supplied,Stock UOM,UDM du Stock
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Le Bon de Commande {0} n’est pas soumis
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Le Bon de Commande {0} n’est pas soumis
DocType: Customs Tariff Number,Tariff Number,Tarif
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Projeté
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},N° de Série {0} ne fait pas partie de l’Entrepôt {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Remarque : Le système ne vérifiera pas les sur-livraisons et les sur-réservations pour l’Article {0} car la quantité ou le montant est égal à 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Remarque : Le système ne vérifiera pas les sur-livraisons et les sur-réservations pour l’Article {0} car la quantité ou le montant est égal à 0
DocType: Notification Control,Quotation Message,Message du Devis
DocType: Employee Loan,Employee Loan Application,Demande de Prêt d'un Employé
DocType: Issue,Opening Date,Date d'Ouverture
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,La présence a été marquée avec succès.
+DocType: Program Enrollment,Public Transport,Transports Publics
DocType: Journal Entry,Remark,Remarque
DocType: Purchase Receipt Item,Rate and Amount,Prix et Montant
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Le Type de Compte pour {0} doit être {1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,Congés et Vacances
DocType: School Settings,Current Academic Term,Terme Académique Actuel
DocType: Sales Order,Not Billed,Non Facturé
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Les deux Entrepôt doivent appartenir à la même Société
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Aucun contact ajouté.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Les deux Entrepôt doivent appartenir à la même Société
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Aucun contact ajouté.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Montant de la Référence de Coût au Débarquement
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Factures émises par des Fournisseurs.
DocType: POS Profile,Write Off Account,Compte de Reprise
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Mnt de la Note de Débit
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Remise
DocType: Purchase Invoice,Return Against Purchase Invoice,Retour contre Facture d’Achat
DocType: Item,Warranty Period (in days),Période de Garantie (en jours)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Relation avec Tuteur1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Relation avec Tuteur1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Trésorerie Nette des Opérations
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,e.g. TVA
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,e.g. TVA
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Article 4
DocType: Student Admission,Admission End Date,Date de Fin de l'Admission
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Sous-traitant
DocType: Journal Entry Account,Journal Entry Account,Compte d’Écriture de Journal
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Groupe Étudiant
DocType: Shopping Cart Settings,Quotation Series,Séries de Devis
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Un article existe avec le même nom ({0}), veuillez changer le nom du groupe d'article ou renommer l'article"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Veuillez sélectionner un client
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Un article existe avec le même nom ({0}), veuillez changer le nom du groupe d'article ou renommer l'article"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Veuillez sélectionner un client
DocType: C-Form,I,I
DocType: Company,Asset Depreciation Cost Center,Centre de Coûts de l'Amortissement d'Actifs
DocType: Sales Order Item,Sales Order Date,Date de la Commande Client
DocType: Sales Invoice Item,Delivered Qty,Qté Livrée
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Si cochée, tous les enfants de chaque article de production seront inclus dans les Demandes de Matériel."
DocType: Assessment Plan,Assessment Plan,Plan d'Évaluation
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Entrepôt {0} : Société est obligatoire
DocType: Stock Settings,Limit Percent,Pourcentage Limite
,Payment Period Based On Invoice Date,Période de Paiement basée sur la Date de la Facture
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Taux de Change Manquant pour {0}
@@ -3079,7 +3104,7 @@
DocType: Vehicle,Insurance Details,Détails Assurance
DocType: Account,Payable,Créditeur
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,Veuillez entrer les Périodes de Remboursement
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Débiteurs ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Débiteurs ({0})
DocType: Pricing Rule,Margin,Marge
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Nouveaux Clients
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Bénéfice Brut %
@@ -3090,16 +3115,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,La Partie est obligatoire
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,Nom du Sujet
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Au moins Vente ou Achat doit être sélectionné
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Sélectionner la nature de votre entreprise.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Au moins Vente ou Achat doit être sélectionné
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Sélectionner la nature de votre entreprise.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Ligne # {0}: entrée en double dans les références {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Là où les opérations de fabrication sont réalisées.
DocType: Asset Movement,Source Warehouse,Entrepôt Source
DocType: Installation Note,Installation Date,Date d'Installation
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Ligne #{0} : L’Actif {1} n’appartient pas à la société {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Ligne #{0} : L’Actif {1} n’appartient pas à la société {2}
DocType: Employee,Confirmation Date,Date de Confirmation
DocType: C-Form,Total Invoiced Amount,Montant Total Facturé
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Qté Min ne peut pas être supérieure à Qté Max
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Qté Min ne peut pas être supérieure à Qté Max
DocType: Account,Accumulated Depreciation,Amortissement Cumulé
DocType: Stock Entry,Customer or Supplier Details,Détails du Client ou du Fournisseur
DocType: Employee Loan Application,Required by Date,Requis à cette Date
@@ -3120,22 +3145,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Pourcentage de Répartition Mensuelle
DocType: Territory,Territory Targets,Objectifs Régionaux
DocType: Delivery Note,Transporter Info,Infos Transporteur
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Veuillez définir {0} par défaut dans la Société {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Veuillez définir {0} par défaut dans la Société {1}
DocType: Cheque Print Template,Starting position from top edge,Position initiale depuis bord haut
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Le même fournisseur a été saisi plusieurs fois
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Bénéfice/Perte Brut
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Article Fourni du Bon de Commande
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Nom de la Société ne peut pas être Company
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Nom de la Société ne peut pas être Company
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,En-Têtes pour les modèles d'impression.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Titres pour les modèles d'impression e.g. Facture Proforma.
DocType: Student Guardian,Student Guardian,Tuteur d'Étudiant
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Frais de type valorisation ne peuvent pas être marqués comme inclus
DocType: POS Profile,Update Stock,Mettre à Jour le Stock
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Fournisseur> Type de fournisseur
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Différentes UDM pour les articles conduira à un Poids Net (Total) incorrect . Assurez-vous que le Poids Net de chaque article a la même unité de mesure .
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Taux LDM
DocType: Asset,Journal Entry for Scrap,Écriture de Journal pour la Mise au Rebut
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Veuillez récupérer les articles des Bons de Livraison
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Les Écritures de Journal {0} ne sont pas liées
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Les Écritures de Journal {0} ne sont pas liées
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Enregistrement de toutes les communications de type email, téléphone, chat, visite, etc."
DocType: Manufacturer,Manufacturers used in Items,Fabricants utilisés dans les Articles
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Veuillez indiquer le Centre de Coûts d’Arrondi de la Société
@@ -3182,33 +3208,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,Fournisseur livre au Client
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (#Formulaire/Article/{0}) est en rupture de stock
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,La Date Suivante doit être supérieure à Date de Comptabilisation
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Afficher le détail des impôts
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Date d’échéance / de référence ne peut pas être après le {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Afficher le détail des impôts
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Date d’échéance / de référence ne peut pas être après le {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Importer et Exporter des Données
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","Des écritures de stock existent pour l'Entrepôt {0}, vous ne pouvez donc pas le réaffecter ou le modifier"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Aucun étudiant Trouvé
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Aucun étudiant Trouvé
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Date d’Envois de la Facture
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Vendre
DocType: Sales Invoice,Rounded Total,Total Arrondi
DocType: Product Bundle,List items that form the package.,Liste des articles qui composent le paquet.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Pourcentage d'Allocation doit être égale à 100 %
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,Veuillez sélectionner la Date de Comptabilisation avant de sélectionner la Partie
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Veuillez sélectionner la Date de Comptabilisation avant de sélectionner la Partie
DocType: Program Enrollment,School House,Maison de l'École
DocType: Serial No,Out of AMC,Sur AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Veuillez sélectionner des Devis
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Veuillez sélectionner des Devis
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Nombre d’Amortissements Comptabilisés ne peut pas être supérieur à Nombre Total d'Amortissements
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Effectuer une Visite d'Entretien
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,Veuillez contactez l'utilisateur qui a le rôle de Directeur des Ventes {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,Veuillez contactez l'utilisateur qui a le rôle de Directeur des Ventes {0}
DocType: Company,Default Cash Account,Compte de Caisse par Défaut
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Données de base de la Société (ni les Clients ni les Fournisseurs)
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Basé sur la présence de cet Étudiant
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Aucun étudiant dans
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Aucun étudiant dans
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Ajouter plus d'articles ou ouvrir le formulaire complet
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',Veuillez entrer ‘Date de Livraison Prévue’
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Bons de Livraison {0} doivent être annulés avant d’annuler cette Commande Client
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Le Montant Payé + Montant Repris ne peut pas être supérieur au Total Général
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Le Montant Payé + Montant Repris ne peut pas être supérieur au Total Général
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} n'est pas un Numéro de Lot valide pour l’Article {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Remarque : Le solde de congé est insuffisant pour le Type de Congé {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN invalide ou Enter NA for Unregistered
DocType: Training Event,Seminar,Séminaire
DocType: Program Enrollment Fee,Program Enrollment Fee,Frais d'Inscription au Programme
DocType: Item,Supplier Items,Articles Fournisseur
@@ -3234,27 +3260,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Article 3
DocType: Purchase Order,Customer Contact Email,Email Contact Client
DocType: Warranty Claim,Item and Warranty Details,Détails de l'Article et de la Garantie
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Code d'Article> Groupe d'Articles> Marque
DocType: Sales Team,Contribution (%),Contribution (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Remarque : Écriture de Paiement ne sera pas créée car le compte 'Compte Bancaire ou de Caisse' n'a pas été spécifié
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Sélectionner le Programme pour obtenir les cours obligatoires.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Responsabilités
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Responsabilités
DocType: Expense Claim Account,Expense Claim Account,Compte de Note de Frais
DocType: Sales Person,Sales Person Name,Nom du Vendeur
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Veuillez entrer au moins 1 facture dans le tableau
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Ajouter des Utilisateurs
DocType: POS Item Group,Item Group,Groupe d'Article
DocType: Item,Safety Stock,Stock de Sécurité
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,% de Progression pour une tâche ne peut pas être supérieur à 100.
DocType: Stock Reconciliation Item,Before reconciliation,Avant la réconciliation
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},À {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Taxes et Frais Additionnels (Devise Société)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,La Ligne de Taxe d'Article {0} doit indiquer un compte de type Taxes ou Produit ou Charge ou Facturable
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,La Ligne de Taxe d'Article {0} doit indiquer un compte de type Taxes ou Produit ou Charge ou Facturable
DocType: Sales Order,Partly Billed,Partiellement Facturé
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,L'article {0} doit être une Immobilisation
DocType: Item,Default BOM,LDM par Défaut
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,Veuillez saisir à nouveau le nom de la société pour confirmer
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Encours Total
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Montant de la Note de Débit
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Veuillez saisir à nouveau le nom de la société pour confirmer
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Encours Total
DocType: Journal Entry,Printing Settings,Réglages d'Impression
DocType: Sales Invoice,Include Payment (POS),Inclure Paiement (PDV)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Le Total du Débit doit être égal au Total du Crédit. La différence est de {0}
@@ -3268,15 +3292,16 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,En Stock :
DocType: Notification Control,Custom Message,Message Personnalisé
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Banque d'Investissement
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Espèces ou Compte Bancaire est obligatoire pour réaliser une écriture de paiement
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Adresse de l'Élève
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Espèces ou Compte Bancaire est obligatoire pour réaliser une écriture de paiement
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Veuillez configurer la série de numérotation pour la présence via Configuration> Série de numérotation
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Adresse de l'Élève
DocType: Purchase Invoice,Price List Exchange Rate,Taux de Change de la Liste de Prix
DocType: Purchase Invoice Item,Rate,Taux
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Interne
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,Nom de l'Adresse
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Interne
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,Nom de l'Adresse
DocType: Stock Entry,From BOM,De LDM
DocType: Assessment Code,Assessment Code,Code de l'Évaluation
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,de Base
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,de Base
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Les transactions du stock avant {0} sont gelées
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"Veuillez cliquer sur ""Générer calendrier''"
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","e.g. Kg, Unités, Nbr, m"
@@ -3286,11 +3311,11 @@
DocType: Salary Slip,Salary Structure,Grille des Salaires
DocType: Account,Bank,Banque
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Compagnie Aérienne
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Problème Matériel
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Problème Matériel
DocType: Material Request Item,For Warehouse,Pour l’Entrepôt
DocType: Employee,Offer Date,Date de la Proposition
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Devis
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Vous êtes en mode hors connexion. Vous ne serez pas en mesure de recharger jusqu'à ce que vous ayez du réseau.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,Vous êtes en mode hors connexion. Vous ne serez pas en mesure de recharger jusqu'à ce que vous ayez du réseau.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Aucun Groupe d'Étudiants créé.
DocType: Purchase Invoice Item,Serial No,N° de Série
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Montant du Remboursement Mensuel ne peut pas être supérieur au Montant du Prêt
@@ -3298,8 +3323,8 @@
DocType: Purchase Invoice,Print Language,Langue d’Impression
DocType: Salary Slip,Total Working Hours,Total des Heures Travaillées
DocType: Stock Entry,Including items for sub assemblies,Incluant les articles pour des sous-ensembles
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,La valeur entrée doit être positive
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Tous les Territoires
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,La valeur entrée doit être positive
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Tous les Territoires
DocType: Purchase Invoice,Items,Articles
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,L'étudiant est déjà inscrit.
DocType: Fiscal Year,Year Name,Nom de l'Année
@@ -3317,10 +3342,10 @@
DocType: Issue,Opening Time,Horaire d'Ouverture
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Les date Du et Au sont requises
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Bourses de Valeurs Mobilières et de Marchandises
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',L’Unité de mesure par défaut pour la variante '{0}' doit être la même que dans le Modèle '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',L’Unité de mesure par défaut pour la variante '{0}' doit être la même que dans le Modèle '{1}'
DocType: Shipping Rule,Calculate Based On,Calculer en fonction de
DocType: Delivery Note Item,From Warehouse,De l'Entrepôt
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Aucun Article avec une Liste de Matériel à Fabriquer
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Aucun Article avec une Liste de Matériel à Fabriquer
DocType: Assessment Plan,Supervisor Name,Nom du Superviseur
DocType: Program Enrollment Course,Program Enrollment Course,Cours d'Inscription au Programme
DocType: Purchase Taxes and Charges,Valuation and Total,Valorisation et Total
@@ -3335,18 +3360,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Jours Depuis La Dernière Commande' doit être supérieur ou égal à zéro
DocType: Process Payroll,Payroll Frequency,Fréquence de la Paie
DocType: Asset,Amended From,Modifié Depuis
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Matières Premières
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Matières Premières
DocType: Leave Application,Follow via Email,Suivre par E-mail
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Usines et Machines
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Usines et Machines
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Montant de la Taxe après Remise
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Paramètres du Récapitulatif Quotidien
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},La devise de la liste de prix {0} ne ressemble pas à la devise sélectionnée {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},La devise de la liste de prix {0} ne ressemble pas à la devise sélectionnée {1}
DocType: Payment Entry,Internal Transfer,Transfert Interne
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Un compte enfant existe pour ce compte. Vous ne pouvez pas supprimer ce compte.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Un compte enfant existe pour ce compte. Vous ne pouvez pas supprimer ce compte.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Soit la qté cible soit le montant cible est obligatoire
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Aucune LDM par défaut n’existe pour l'article {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Aucune LDM par défaut n’existe pour l'article {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Veuillez d’abord sélectionner la Date de Comptabilisation
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Date d'Ouverture devrait être antérieure à la Date de Clôture
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Veuillez configurer Naming Series pour {0} via Setup> Paramètres> Naming Series
DocType: Leave Control Panel,Carry Forward,Reporter
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Un Centre de Coûts avec des transactions existantes ne peut pas être converti en grand livre
DocType: Department,Days for which Holidays are blocked for this department.,Jours pour lesquels les Vacances sont bloquées pour ce département.
@@ -3356,10 +3382,9 @@
DocType: Issue,Raised By (Email),Créé par (Email)
DocType: Training Event,Trainer Name,Nom du Formateur
DocType: Mode of Payment,General,Général
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Joindre l'En-tête
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Dernière Communication
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Déduction impossible lorsque la catégorie est pour 'Évaluation' ou 'Vaulation et Total'
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Inscrivez vos titres d'impôts (par exemple, TVA, douanes, etc., ils doivent avoir des noms uniques) et leurs taux standards. Cela va créer un modèle standard, que vous pouvez modifier et compléter plus tard."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Inscrivez vos titres d'impôts (par exemple, TVA, douanes, etc., ils doivent avoir des noms uniques) et leurs taux standards. Cela va créer un modèle standard, que vous pouvez modifier et compléter plus tard."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},N° de Séries Requis pour Article Sérialisé {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Rapprocher les Paiements avec les Factures
DocType: Journal Entry,Bank Entry,Écriture Bancaire
@@ -3368,16 +3393,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Ajouter au Panier
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Grouper Par
DocType: Guardian,Interests,Intérêts
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Activer / Désactiver les devises
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Activer / Désactiver les devises
DocType: Production Planning Tool,Get Material Request,Obtenir la Demande de Matériel
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Frais Postaux
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Frais Postaux
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Total (Mnt)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Divertissement et Loisir
DocType: Quality Inspection,Item Serial No,No de Série de l'Article
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Créer les Dossiers des Employés
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Total des Présents
-apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Déclarations Comptables
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Heure
+apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,États Financiers
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Heure
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Les Nouveaux N° de Série ne peuvent avoir d'entrepot. L'Entrepôt doit être établi par Écriture de Stock ou Reçus d'Achat
DocType: Lead,Lead Type,Type de Prospect
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Vous n'êtes pas autorisé à approuver les congés sur les Dates Bloquées
@@ -3389,6 +3414,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,La nouvelle LDM après remplacement
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Point de Vente
DocType: Payment Entry,Received Amount,Montant Reçu
+DocType: GST Settings,GSTIN Email Sent On,E-mail de GSTIN envoyé
+DocType: Program Enrollment,Pick/Drop by Guardian,Déposé/Récupéré par le Tuteur
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Créer pour la quantité totale, en ignorant la quantité déjà commandée"
DocType: Account,Tax,Taxe
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,Non Marqué
@@ -3400,14 +3427,14 @@
DocType: Batch,Source Document Name,Nom du Document Source
DocType: Job Opening,Job Title,Titre de l'Emploi
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Créer des Utilisateurs
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,Gramme
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,Gramme
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Quantité à Fabriquer doit être supérieur à 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Rapport de visite pour appel de maintenance
DocType: Stock Entry,Update Rate and Availability,Mettre à Jour le Prix et la Disponibilité
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Pourcentage que vous êtes autorisé à recevoir ou à livrer en plus de la quantité commandée. Par exemple : Si vous avez commandé 100 unités et que votre allocation est de 10% alors que vous êtes autorisé à recevoir 110 unités.
DocType: POS Customer Group,Customer Group,Groupe de Clients
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Nouveau Numéro de Lot (Optionnel)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Compte de charge est obligatoire pour l'article {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Compte de charge est obligatoire pour l'article {0}
DocType: BOM,Website Description,Description du Site Web
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Variation Nette de Capitaux Propres
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Veuillez d’abord annuler la Facture d'Achat {0}
@@ -3417,8 +3444,8 @@
,Sales Register,Registre des Ventes
DocType: Daily Work Summary Settings Company,Send Emails At,Envoyer Emails À
DocType: Quotation,Quotation Lost Reason,Raison de la Perte du Devis
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Sélectionner votre Nom de Domaine
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Référence de la transaction n° {0} datée du {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Sélectionner votre Nom de Domaine
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Référence de la transaction n° {0} datée du {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Il n'y a rien à modifier.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Résumé du mois et des activités en suspens
DocType: Customer Group,Customer Group Name,Nom du Groupe Client
@@ -3426,14 +3453,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,États des Flux de Trésorerie
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Le Montant du prêt ne peut pas dépasser le Montant Maximal du Prêt de {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licence
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},Veuillez retirez cette Facture {0} du C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},Veuillez retirez cette Facture {0} du C-Form {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Veuillez sélectionnez Report si vous souhaitez également inclure le solde des congés de l'exercice précédent à cet exercice
DocType: GL Entry,Against Voucher Type,Pour le Type de Bon
DocType: Item,Attributes,Attributs
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,Veuillez entrer un Compte de Reprise
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Veuillez entrer un Compte de Reprise
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Date de la Dernière Commande
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Le compte {0} n'appartient pas à la société {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Les Numéros de Série dans la ligne {0} ne correspondent pas au Bon de Livraison
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Les Numéros de Série dans la ligne {0} ne correspondent pas au Bon de Livraison
DocType: Student,Guardian Details,Détails du Tuteur
DocType: C-Form,C-Form,Formulaire-C
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Valider la Présence de plusieurs employés
@@ -3448,16 +3475,16 @@
DocType: Budget Account,Budget Amount,Montant Budgétaire
DocType: Appraisal Template,Appraisal Template Title,Titre du modèle d'évaluation
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},La Date {0} pour l’Employé {1} ne peut pas être avant la Date d’embauche {2} de l’employé
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Commercial
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Commercial
DocType: Payment Entry,Account Paid To,Compte Payé Au
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,L'Article Parent {0} ne doit pas être un Élément de Stock
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Tous les Produits ou Services.
DocType: Expense Claim,More Details,Plus de Détails
DocType: Supplier Quotation,Supplier Address,Adresse du Fournisseur
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} le Budget du Compte {1} pour {2} {3} est de {4}. Il dépassera de {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Ligne {0} # Le compte doit être de type ‘Actif Immobilisé'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Qté Sortante
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Règles de calcul du montant des frais de port pour une vente
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Ligne {0} # Le compte doit être de type ‘Actif Immobilisé'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Qté Sortante
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Règles de calcul du montant des frais de port pour une vente
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Série est obligatoire
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Services Financiers
DocType: Student Sibling,Student ID,Carte d'Étudiant
@@ -3465,13 +3492,13 @@
DocType: Tax Rule,Sales,Ventes
DocType: Stock Entry Detail,Basic Amount,Montant de Base
DocType: Training Event,Exam,Examen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},L’entrepôt est obligatoire pour l'article du stock {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},L’entrepôt est obligatoire pour l'article du stock {0}
DocType: Leave Allocation,Unused leaves,Congés non utilisés
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,État de la Facturation
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Transférer
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} n'est pas associé(e) à un compte auxiliaire {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Récupérer la LDM éclatée (y compris les sous-ensembles)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} n'est pas associé(e) à un compte auxiliaire {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Récupérer la LDM éclatée (y compris les sous-ensembles)
DocType: Authorization Rule,Applicable To (Employee),Applicable À (Employé)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,La Date d’Échéance est obligatoire
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Incrément pour l'Attribut {0} ne peut pas être 0
@@ -3499,7 +3526,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Code d’Article de Matière Première
DocType: Journal Entry,Write Off Based On,Reprise Basée Sur
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Faire un Prospect
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Impression et Papeterie
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Impression et Papeterie
DocType: Stock Settings,Show Barcode Field,Afficher Champ Code Barre
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Envoyer des Emails au Fournisseur
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Salaire déjà traité pour la période entre {0} et {1}, La période de demande de congé ne peut pas être entre cette plage de dates."
@@ -3507,13 +3534,15 @@
DocType: Guardian Interest,Guardian Interest,Part du Tuteur
apps/erpnext/erpnext/config/hr.py +177,Training,Formation
DocType: Timesheet,Employee Detail,Détail Employé
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,ID Email du Tuteur1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,ID Email du Tuteur1
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,Le jour de la Date Suivante et le Jour de Répétition du Mois doivent être égal
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Réglages pour la page d'accueil du site
DocType: Offer Letter,Awaiting Response,Attente de Réponse
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Au-dessus
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Au-dessus
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},Attribut invalide {0} {1}
DocType: Supplier,Mention if non-standard payable account,Veuillez mentionner s'il s'agit d'un compte créditeur non standard
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Le même article a été entré plusieurs fois. {list}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Sélectionnez le groupe d'évaluation autre que «Tous les groupes d'évaluation»
DocType: Salary Slip,Earning & Deduction,Revenus et Déduction
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Facultatif. Ce paramètre sera utilisé pour filtrer différentes transactions.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Taux de Valorisation Négatif n'est pas autorisé
@@ -3527,9 +3556,9 @@
DocType: Sales Invoice,Product Bundle Help,Aide pour les Ensembles de Produits
,Monthly Attendance Sheet,Feuille de Présence Mensuelle
DocType: Production Order Item,Production Order Item,Article de l'Ordre de Production
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Aucun enregistrement trouvé
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Aucun enregistrement trouvé
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Coût des Immobilisations Mises au Rebut
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Centre de Coûts est obligatoire pour l’Article {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Centre de Coûts est obligatoire pour l’Article {2}
DocType: Vehicle,Policy No,Politique N°
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Obtenir les Articles du Produit Groupé
DocType: Asset,Straight Line,Ligne Droite
@@ -3537,7 +3566,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Fractionner
DocType: GL Entry,Is Advance,Est Accompte
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,La Date de Présence Depuis et la Date de Présence Jusqu'à sont obligatoires
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,Veuillez entrer Oui ou Non pour 'Est sous-traitée'
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,Veuillez entrer Oui ou Non pour 'Est sous-traitée'
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Date de la Dernière Communication
DocType: Sales Team,Contact No.,N° du Contact
DocType: Bank Reconciliation,Payment Entries,Écritures de Paiement
@@ -3563,60 +3592,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Valeur d'Ouverture
DocType: Salary Detail,Formula,Formule
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Série #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Commission sur les Ventes
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Commission sur les Ventes
DocType: Offer Letter Term,Value / Description,Valeur / Description
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Ligne #{0} : L’Actif {1} ne peut pas être soumis, il est déjà {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Ligne #{0} : L’Actif {1} ne peut pas être soumis, il est déjà {2}"
DocType: Tax Rule,Billing Country,Pays de Facturation
DocType: Purchase Order Item,Expected Delivery Date,Date de Livraison Prévue
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Débit et Crédit non égaux pour {0} # {1}. La différence est de {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Frais de Représentation
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Faire une Demande de Matériel
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Frais de Représentation
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Faire une Demande de Matériel
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Ouvrir l'Article {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Facture de Vente {0} doit être annulée avant l'annulation de cette Commande Client
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Âge
DocType: Sales Invoice Timesheet,Billing Amount,Montant de Facturation
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Quantité spécifiée invalide pour l'élément {0}. Quantité doit être supérieur à 0.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Demandes de congé.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Un compte contenant une transaction ne peut pas être supprimé
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Un compte contenant une transaction ne peut pas être supprimé
DocType: Vehicle,Last Carbon Check,Dernière Vérification Carbone
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Frais Juridiques
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Frais Juridiques
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Sélectionnez la quantité sur la rangée
DocType: Purchase Invoice,Posting Time,Heure de Publication
DocType: Timesheet,% Amount Billed,% Montant Facturé
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Frais Téléphoniques
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Frais Téléphoniques
DocType: Sales Partner,Logo,Logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Cochez cette case si vous voulez forcer l'utilisateur à sélectionner une série avant de l'enregistrer. Il n'y aura pas de série par défaut si vous cochez cette case.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Aucun Article avec le N° de Série {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Aucun Article avec le N° de Série {0}
DocType: Email Digest,Open Notifications,Ouvrir les Notifications
DocType: Payment Entry,Difference Amount (Company Currency),Écart de Montant (Devise de la Société)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Dépenses Directes
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Dépenses Directes
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} est une adresse email invalide dans 'Notification \ Adresse Email'
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Nouveaux Revenus de Clientèle
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Frais de Déplacement
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Frais de Déplacement
DocType: Maintenance Visit,Breakdown,Panne
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Compte : {0} avec la devise : {1} ne peut pas être sélectionné
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Compte : {0} avec la devise : {1} ne peut pas être sélectionné
DocType: Bank Reconciliation Detail,Cheque Date,Date du Chèque
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Compte {0}: Le Compte parent {1} n'appartient pas à l'entreprise: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Compte {0}: Le Compte parent {1} n'appartient pas à l'entreprise: {2}
DocType: Program Enrollment Tool,Student Applicants,Candidatures Étudiantes
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Suppression de toutes les transactions liées à cette société avec succès !
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Suppression de toutes les transactions liées à cette société avec succès !
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Comme à la date
DocType: Appraisal,HR,RH
DocType: Program Enrollment,Enrollment Date,Date de l'Inscription
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Essai
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Essai
apps/erpnext/erpnext/config/hr.py +115,Salary Components,Composantes Salariales
DocType: Program Enrollment Tool,New Academic Year,Nouvelle Année Académique
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Retour / Note de Crédit
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Retour / Note de Crédit
DocType: Stock Settings,Auto insert Price List rate if missing,Insertion automatique du taux de la Liste de Prix si manquante
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Montant Total Payé
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Montant Total Payé
DocType: Production Order Item,Transferred Qty,Quantité Transférée
apps/erpnext/erpnext/config/learn.py +11,Navigating,Naviguer
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Planification
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Publié
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planification
+DocType: Material Request,Issued,Publié
DocType: Project,Total Billing Amount (via Time Logs),Montant Total de Facturation (via Journaux de Temps)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Nous vendons cet Article
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,ID du Fournisseur
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Nous vendons cet Article
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,ID du Fournisseur
DocType: Payment Request,Payment Gateway Details,Détails de la Passerelle de Paiement
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Quantité doit être supérieure à 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Quantité doit être supérieure à 0
DocType: Journal Entry,Cash Entry,Écriture de Caisse
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Les noeuds enfants peuvent être créés uniquement dans les nœuds de type 'Groupe'
DocType: Leave Application,Half Day Date,Date de Demi-Journée
@@ -3628,14 +3658,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Veuillez définir le compte par défaut dans le Type de Note de Frais {0}
DocType: Assessment Result,Student Name,Nom de l'Étudiant
DocType: Brand,Item Manager,Gestionnaire d'Article
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,Paie à Payer
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Paie à Payer
DocType: Buying Settings,Default Supplier Type,Type de Fournisseur par Défaut
DocType: Production Order,Total Operating Cost,Coût d'Exploitation Total
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Remarque : Article {0} saisi plusieurs fois
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Tous les Contacts.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Abréviation de la Société
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Abréviation de la Société
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Utilisateur {0} n'existe pas
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,Les matières premières ne peuvent être identiques à l’Article principal
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Les matières premières ne peuvent être identiques à l’Article principal
DocType: Item Attribute Value,Abbreviation,Abréviation
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,L’Écriture de Paiement existe déjà
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Non autorisé car {0} dépasse les limites
@@ -3644,49 +3674,49 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Définir la Règle d'Impôt pour le panier
DocType: Purchase Invoice,Taxes and Charges Added,Taxes et Frais Additionnels
,Sales Funnel,Entonnoir de Vente
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Abréviation est obligatoire
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Abréviation est obligatoire
DocType: Project,Task Progress,Progression de la Tâche
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Panier
,Qty to Transfer,Qté à Transférer
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Devis de Prospects ou Clients.
DocType: Stock Settings,Role Allowed to edit frozen stock,Rôle Autorisé à modifier un stock gelé
,Territory Target Variance Item Group-Wise,Variance de l’Objectif par Région et par Groupe d’Article
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Tous les Groupes Client
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Tous les Groupes Client
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Cumul Mensuel
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} est obligatoire. Peut-être qu’un enregistrement de Taux de Change n'est pas créé pour {1} et {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} est obligatoire. Peut-être qu’un enregistrement de Taux de Change n'est pas créé pour {1} et {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Un Modèle de Taxe est obligatoire.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Compte {0}: Le Compte parent {1} n'existe pas
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Compte {0}: Le Compte parent {1} n'existe pas
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Taux de la Liste de Prix (Devise Société)
DocType: Products Settings,Products Settings,Réglages des Produits
DocType: Account,Temporary,Temporaire
DocType: Program,Courses,Cours
DocType: Monthly Distribution Percentage,Percentage Allocation,Allocation en Pourcentage
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Secrétaire
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Secrétaire
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Si coché, le champ 'En Lettre' ne sera visible dans aucune transaction"
DocType: Serial No,Distinct unit of an Item,Unité distincte d'un Article
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Veuillez sélectionner une Société
DocType: Pricing Rule,Buying,Achat
DocType: HR Settings,Employee Records to be created by,Dossiers de l'Employés ont été créées par
DocType: POS Profile,Apply Discount On,Appliquer Réduction Sur
,Reqd By Date,Requis par Date
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Créditeurs
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Créditeurs
DocType: Assessment Plan,Assessment Name,Nom de l'Évaluation
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Ligne # {0} : N° de série est obligatoire
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Détail des Taxes par Article
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Abréviation de l'Institut
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Abréviation de l'Institut
,Item-wise Price List Rate,Taux de la Liste des Prix par Article
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Devis Fournisseur
DocType: Quotation,In Words will be visible once you save the Quotation.,En Toutes Lettres. Sera visible une fois que vous enregistrerez le Devis.
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},La quantité ({0}) ne peut pas être une fraction dans la ligne {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,Collecter les Frais
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Le Code Barre {0} est déjà utilisé dans l'article {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Le Code Barre {0} est déjà utilisé dans l'article {1}
DocType: Lead,Add to calendar on this date,Ajouter cette date au calendrier
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Règles pour l'ajout de frais de port.
DocType: Item,Opening Stock,Stock d'Ouverture
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Client est requis
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} est obligatoire pour un Retour
DocType: Purchase Order,To Receive,À Recevoir
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,utilisateur@exemple.com
DocType: Employee,Personal Email,Email Personnel
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Variance Totale
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Si activé, le système publiera automatiquement les écritures comptables pour l'inventaire."
@@ -3697,13 +3727,14 @@
DocType: Customer,From Lead,Du Prospect
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Commandes validées pour la production.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Sélectionner Exercice ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,Profil PDV nécessaire pour faire une écriture de PDV
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,Profil PDV nécessaire pour faire une écriture de PDV
DocType: Program Enrollment Tool,Enroll Students,Inscrire des Étudiants
DocType: Hub Settings,Name Token,Nom du Jeton
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Vente Standard
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Au moins un entrepôt est obligatoire
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Au moins un entrepôt est obligatoire
DocType: Serial No,Out of Warranty,Hors Garantie
DocType: BOM Replace Tool,Replace,Remplacer
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Aucun Produit trouvé.
DocType: Production Order,Unstopped,Non Arrêté
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} pour la Facture de Vente {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3714,13 +3745,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Différence de Valeur du Sock
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Ressource Humaine
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Paiement de Réconciliation des Paiements
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Actifs d'Impôts
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Actifs d'Impôts
DocType: BOM Item,BOM No,N° LDM
DocType: Instructor,INS/,INS/
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,L’Écriture de Journal {0} n'a pas le compte {1} ou est déjà réconciliée avec une autre pièce justificative
DocType: Item,Moving Average,Moyenne Mobile
DocType: BOM Replace Tool,The BOM which will be replaced,La LDM qui sera remplacée
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,Equipements Électroniques
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,Equipements Électroniques
DocType: Account,Debit,Débit
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Les Congés doivent être alloués par multiples de 0,5"
DocType: Production Order,Operation Cost,Coût de l'Opération
@@ -3728,7 +3759,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Montant en suspens
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Définir des objectifs par Groupe d'Articles pour ce Commercial
DocType: Stock Settings,Freeze Stocks Older Than [Days],Geler les Articles plus Anciens que [Jours]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Ligne #{0} : L’Actif est obligatoire pour les achats / ventes d’actifs immobilisés
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Ligne #{0} : L’Actif est obligatoire pour les achats / ventes d’actifs immobilisés
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Si deux Règles de Prix ou plus sont trouvées sur la base des conditions ci-dessus, une Priorité est appliquée. La Priorité est un nombre compris entre 0 et 20 avec une valeur par défaut de zéro (vide). Les nombres les plus élévés sont prioritaires s'il y a plusieurs Règles de Prix avec mêmes conditions."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Exercice Fiscal: {0} n'existe pas
DocType: Currency Exchange,To Currency,Devise Finale
@@ -3736,7 +3767,7 @@
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Types de Notes de Frais.
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Le prix de vente pour l'élément {0} est inférieur à son {1}. Le prix de vente devrait être au moins {2}
DocType: Item,Taxes,Taxes
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Payé et Non Livré
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Payé et Non Livré
DocType: Project,Default Cost Center,Centre de Coûts par Défaut
DocType: Bank Guarantee,End Date,Date de Fin
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Transactions du Stock
@@ -3761,24 +3792,22 @@
DocType: Employee,Held On,Tenu le
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Article de Production
,Employee Information,Renseignements sur l'Employé
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Taux (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Taux (%)
DocType: Stock Entry Detail,Additional Cost,Frais Supplémentaire
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Date de Fin de l'Exercice Financier
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Impossible de filtrer sur la base du N° de Coupon, si les lignes sont regroupées par Coupon"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Créer un Devis Fournisseur
DocType: Quality Inspection,Incoming,Entrant
DocType: BOM,Materials Required (Exploded),Matériel Requis (Éclaté)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Ajouter des utilisateurs à votre organisation, autre que vous-même"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,La Date de Publication ne peut pas être une date future
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Ligne # {0} : N° de série {1} ne correspond pas à {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Congé Occasionnel
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Congé Occasionnel
DocType: Batch,Batch ID,ID du Lot
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Note : {0}
,Delivery Note Trends,Tendance des Bordereaux de Livraisons
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Résumé Hebdomadaire
-,In Stock Qty,Qté En Stock
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Qté En Stock
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Compte : {0} peut uniquement être mis à jour via les Mouvements de Stock
-DocType: Program Enrollment,Get Courses,Obtenir les Cours
+DocType: Student Group Creation Tool,Get Courses,Obtenir les Cours
DocType: GL Entry,Party,Partie
DocType: Sales Order,Delivery Date,Date de Livraison
DocType: Opportunity,Opportunity Date,Date d'Opportunité
@@ -3786,14 +3815,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Article de l'Appel d'Offre
DocType: Purchase Order,To Bill,À Facturer
DocType: Material Request,% Ordered,% Commandé
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Pour le groupe étudiant basé sur le cours, le cours sera validé pour chaque élève des cours inscrits dans l'inscription au programme."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Entrer les Adresses Email séparées par des virgules, la facture sera envoyée automatiquement à une date précise"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Travail à la Pièce
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Travail à la Pièce
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Moy. Taux d'achat
DocType: Task,Actual Time (in Hours),Temps Réel (en Heures)
DocType: Employee,History In Company,Ancienneté dans la Société
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Newsletters
DocType: Stock Ledger Entry,Stock Ledger Entry,Écriture du Livre d'Inventaire
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Client> Groupe de Clients> Territoire
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Le même article a été saisi plusieurs fois
DocType: Department,Leave Block List,Liste de Blocage des Congés
DocType: Sales Invoice,Tax ID,Numéro d'Identification Fiscale
@@ -3808,30 +3837,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} unités de {1} nécessaires dans {2} pour compléter cette transaction.
DocType: Loan Type,Rate of Interest (%) Yearly,Taux d'Intérêt (%) Annuel
DocType: SMS Settings,SMS Settings,Réglages des SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Comptes Temporaires
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Noir
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Comptes Temporaires
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Noir
DocType: BOM Explosion Item,BOM Explosion Item,Article Eclaté LDM
DocType: Account,Auditor,Auditeur
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} articles produits
DocType: Cheque Print Template,Distance from top edge,Distance du bord supérieur
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Liste des Prix {0} est désactivée ou n'existe pas
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Liste des Prix {0} est désactivée ou n'existe pas
DocType: Purchase Invoice,Return,Retour
DocType: Production Order Operation,Production Order Operation,Opération d’Ordre de Production
DocType: Pricing Rule,Disable,Désactiver
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Mode de paiement est requis pour effectuer un paiement
DocType: Project Task,Pending Review,Revue en Attente
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} n'est pas inscrit dans le lot {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","L'actif {0} ne peut pas être mis au rebut, car il est déjà {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Total des Notes de Frais (via Note de Frais)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Client Id
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Marquer Absent
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Ligne {0} : La devise de la LDM #{1} doit être égale à la devise sélectionnée {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Ligne {0} : La devise de la LDM #{1} doit être égale à la devise sélectionnée {2}
DocType: Journal Entry Account,Exchange Rate,Taux de Change
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Commande Client {0} n'a pas été transmise
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Commande Client {0} n'a pas été transmise
DocType: Homepage,Tag Line,Ligne de Tag
DocType: Fee Component,Fee Component,Composant d'Honoraires
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Gestion de Flotte
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Ajouter des articles de
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Entrepôt {0} : le compte Parent {1} n'appartient pas à la société {2}
DocType: Cheque Print Template,Regular,Ordinaire
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Le total des pondérations de tous les Critères d'Évaluation doit être égal à 100%
DocType: BOM,Last Purchase Rate,Dernier Prix d'Achat
@@ -3840,11 +3868,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Stock ne peut pas exister pour l'Article {0} puisqu'il a des variantes
,Sales Person-wise Transaction Summary,Résumé des Transactions par Commerciaux
DocType: Training Event,Contact Number,Numéro de Contact
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,L'entrepôt {0} n'existe pas
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,L'entrepôt {0} n'existe pas
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,S'inscrire au Hub ERPNext
DocType: Monthly Distribution,Monthly Distribution Percentages,Pourcentages de Répartition Mensuelle
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,L’article sélectionné ne peut pas avoir de Lot
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Taux de valorisation non trouvé pour l’Article {0}, qui est nécessaire pour faire les écritures comptables pour {1} {2}. Si l’article est un l'échantillon dans {1}, veuillez le mentionner dans la table d’article de {1}. Dans le cas contraire, veuillez créer une écriture de stock pour l’article ou définir un taux de valorisation dans les données de base de l’article et essayez de soumettre / annuler cette écriture"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Taux de valorisation non trouvé pour l’Article {0}, qui est nécessaire pour faire les écritures comptables pour {1} {2}. Si l’article est un l'échantillon dans {1}, veuillez le mentionner dans la table d’article de {1}. Dans le cas contraire, veuillez créer une écriture de stock pour l’article ou définir un taux de valorisation dans les données de base de l’article et essayez de soumettre / annuler cette écriture"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% de matériaux livrés pour ce Bon de Livraison
DocType: Project,Customer Details,Détails du client
DocType: Employee,Reports to,Rapports À
@@ -3852,41 +3880,43 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Entrez le paramètre url pour le nombre de destinataires
DocType: Payment Entry,Paid Amount,Montant Payé
DocType: Assessment Plan,Supervisor,Superviseur
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,En Ligne
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,En Ligne
,Available Stock for Packing Items,Stock Disponible pour les Articles d'Emballage
DocType: Item Variant,Item Variant,Variante de l'Article
DocType: Assessment Result Tool,Assessment Result Tool,Outil de Résultat d'Évaluation
DocType: BOM Scrap Item,BOM Scrap Item,Article Mis au Rebut LDM
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Commandes Soumises ne peuvent pas être supprimés
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Le solde du compte est déjà débiteur, vous n'êtes pas autorisé à définir 'Solde Doit Être' comme 'Créditeur'"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Gestion de la Qualité
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Commandes Soumises ne peuvent pas être supprimés
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Le solde du compte est déjà débiteur, vous n'êtes pas autorisé à définir 'Solde Doit Être' comme 'Créditeur'"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Gestion de la Qualité
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,L'article {0} a été désactivé
DocType: Employee Loan,Repay Fixed Amount per Period,Rembourser un Montant Fixe par Période
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Veuillez entrer une quantité pour l'article {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Mnt de la Note de Crédit
DocType: Employee External Work History,Employee External Work History,Antécédents Professionnels de l'Employé
DocType: Tax Rule,Purchase,Achat
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Solde de la Qté
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Solde de la Qté
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Les objectifs ne peuvent pas être vides
DocType: Item Group,Parent Item Group,Groupe d’Articles Parent
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} pour {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Centres de Coûts
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Centres de Coûts
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Taux auquel la devise du fournisseur est convertie en devise société de base
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Ligne #{0}: Minutage en conflit avec la ligne {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Autoriser un Taux de Valorisation Égal à Zéro
DocType: Training Event Employee,Invited,Invité
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Plusieurs Grilles de Salaires Actives trouvées pour l'employé {0} pour les dates données
DocType: Opportunity,Next Contact,Contact Suivant
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Configuration des Comptes passerelle.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Configuration des Comptes passerelle.
DocType: Employee,Employment Type,Type d'Emploi
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Actifs Immobilisés
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Actifs Immobilisés
DocType: Payment Entry,Set Exchange Gain / Loss,Définir le change Gain / Perte
+,GST Purchase Register,Registre d'Achat GST
,Cash Flow,Flux de Trésorerie
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,La période de la demande ne peut pas être sur deux dossiers d'allocation
DocType: Item Group,Default Expense Account,Compte de Charges par Défaut
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,ID Email de l'Étudiant
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,ID Email de l'Étudiant
DocType: Employee,Notice (days),Préavis (jours)
DocType: Tax Rule,Sales Tax Template,Modèle de la Taxe de Vente
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Sélectionner les articles pour sauvegarder la facture
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Sélectionner les articles pour sauvegarder la facture
DocType: Employee,Encashment Date,Date de l'Encaissement
DocType: Training Event,Internet,Internet
DocType: Account,Stock Adjustment,Ajustement du Stock
@@ -3915,7 +3945,7 @@
DocType: Guardian,Guardian Of ,Tuteur De
DocType: Grading Scale Interval,Threshold,Seuil
DocType: BOM Replace Tool,Current BOM,LDM Actuelle
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Ajouter un Numéro de série
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Ajouter un Numéro de série
apps/erpnext/erpnext/config/support.py +22,Warranty,Garantie
DocType: Purchase Invoice,Debit Note Issued,Notes de Débit Émises
DocType: Production Order,Warehouses,Entrepôts
@@ -3924,20 +3954,20 @@
DocType: Workstation,per hour,par heure
apps/erpnext/erpnext/config/buying.py +7,Purchasing,Achat
DocType: Announcement,Announcement,Annonce
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Compte de l'entrepôt (de l'Inventaire Permanent) sera créé sous ce compte.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,L'entrepôt ne peut pas être supprimé car une écriture existe dans le Livre d'Inventaire pour cet entrepôt.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Pour le groupe étudiant basé sur le lot, le lot étudiant sera validé pour chaque élève de l'inscription au programme."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,L'entrepôt ne peut pas être supprimé car une écriture existe dans le Livre d'Inventaire pour cet entrepôt.
DocType: Company,Distribution,Distribution
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Montant Payé
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Chef de Projet
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Chef de Projet
,Quoted Item Comparison,Comparaison d'Article Soumis
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Envoi
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Réduction max autorisée pour l'article : {0} est de {1} %
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Envoi
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Réduction max autorisée pour l'article : {0} est de {1} %
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Valeur Nette des Actifs au
DocType: Account,Receivable,Créance
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Ligne #{0} : Changement de Fournisseur non autorisé car un Bon de Commande existe déjà
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Ligne #{0} : Changement de Fournisseur non autorisé car un Bon de Commande existe déjà
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rôle qui est autorisé à soumettre des transactions qui dépassent les limites de crédit fixées.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Sélectionner les Articles à Fabriquer
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Données de base en cours de synchronisation, cela peut prendre un certain temps"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Sélectionner les Articles à Fabriquer
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Données de base en cours de synchronisation, cela peut prendre un certain temps"
DocType: Item,Material Issue,Sortie de Matériel
DocType: Hub Settings,Seller Description,Description du Vendeur
DocType: Employee Education,Qualification,Qualification
@@ -3957,7 +3987,6 @@
DocType: BOM,Rate Of Materials Based On,Prix des Matériaux Basé sur
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analyse du Support
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Décocher tout
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Société est manquante dans les entrepôts {0}
DocType: POS Profile,Terms and Conditions,Termes et Conditions
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},La Date Finale doit être dans l'exercice. En supposant Date Finale = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Ici vous pouvez conserver la hauteur, le poids, les allergies, les préoccupations médicales etc."
@@ -3972,18 +4001,17 @@
DocType: Sales Order Item,For Production,Pour la Production
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Voir Tâche
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Date de début de la période comptable
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Prospect %
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Amortissements et Soldes d'Actif
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Montant {0} {1} transféré de {2} à {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Montant {0} {1} transféré de {2} à {3}
DocType: Sales Invoice,Get Advances Received,Obtenir Acomptes Reçus
DocType: Email Digest,Add/Remove Recipients,Ajouter/Supprimer des Destinataires
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Transaction non autorisée pour l'Ordre de Production arrêté {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Transaction non autorisée pour l'Ordre de Production arrêté {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Pour définir cet Exercice Fiscal par défaut, cliquez sur ""Définir par défaut"""
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,Joindre
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Joindre
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Qté de Pénurie
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,La variante de l'article {0} existe avec les mêmes caractéristiques
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,La variante de l'article {0} existe avec les mêmes caractéristiques
DocType: Employee Loan,Repay from Salary,Rembourser avec le Salaire
DocType: Leave Application,LAP/,LAP/
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Demande de Paiement pour {0} {1} pour le montant {2}
@@ -3994,34 +4022,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Générer les bordereaux des colis à livrer. Utilisé pour indiquer le numéro de colis, le contenu et son poids."
DocType: Sales Invoice Item,Sales Order Item,Article de la Commande Client
DocType: Salary Slip,Payment Days,Jours de Paiement
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Les entrepôts avec nœuds enfants ne peuvent pas être convertis en livre
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Les entrepôts avec nœuds enfants ne peuvent pas être convertis en livre
DocType: BOM,Manage cost of operations,Gérer les coûts d'exploitation
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Lorsque certaines des transactions contrôlées sont ""Soumises"", une pop-up email s'ouvre automatiquement pour envoyer un email au ""Contact"" associé dans cette transaction, avec la transaction en pièce jointe. L'utilisateur peut ou peut ne pas envoyer l'email."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Paramètres Globaux
DocType: Assessment Result Detail,Assessment Result Detail,Détails des Résultats d'Évaluation
DocType: Employee Education,Employee Education,Formation de l'Employé
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Groupe d’articles en double trouvé dans la table des groupes d'articles
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,Nécessaire pour aller chercher les Détails de l'Article.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,Nécessaire pour aller chercher les Détails de l'Article.
DocType: Salary Slip,Net Pay,Salaire Net
DocType: Account,Account,Compte
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,N° de Série {0} a déjà été reçu
,Requested Items To Be Transferred,Articles Demandés à Transférer
DocType: Expense Claim,Vehicle Log,Journal du Véhicule
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","L'entrepôt {0} n'est liée à auncun compte, veuillez créer/lier le compte (Actif) correspondant pour l'entrepôt."
DocType: Purchase Invoice,Recurring Id,Id Récurrent
DocType: Customer,Sales Team Details,Détails de l'Équipe des Ventes
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Supprimer définitivement ?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Supprimer définitivement ?
DocType: Expense Claim,Total Claimed Amount,Montant Total Réclamé
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Opportunités potentielles de vente.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Invalide {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Congé Maladie
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Invalide {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Congé Maladie
DocType: Email Digest,Email Digest,Envoyer par Mail le Compte Rendu
DocType: Delivery Note,Billing Address Name,Nom de l'Adresse de Facturation
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Grands Magasins
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Configurez votre École dans ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Montant de Base à Rendre (Devise de la Société)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Pas d’écritures comptables pour les entrepôts suivants
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Pas d’écritures comptables pour les entrepôts suivants
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Enregistrez le document d'abord.
DocType: Account,Chargeable,Facturable
DocType: Company,Change Abbreviation,Changer l'Abréviation
@@ -4039,7 +4066,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Date de Livraison Prévue ne peut pas être avant la Date de Commande
DocType: Appraisal,Appraisal Template,Modèle d'évaluation
DocType: Item Group,Item Classification,Classification de l'Article
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Directeur Commercial
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Directeur Commercial
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Objectif de la Visite d'Entretien
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Période
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Grand Livre Général
@@ -4049,8 +4076,8 @@
DocType: Item Attribute Value,Attribute Value,Valeur de l'Attribut
,Itemwise Recommended Reorder Level,Renouvellement Recommandé par Article
DocType: Salary Detail,Salary Detail,Détails du Salaire
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,Veuillez d’abord sélectionner {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Lot {0} de l'Article {1} a expiré.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Veuillez d’abord sélectionner {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Lot {0} de l'Article {1} a expiré.
DocType: Sales Invoice,Commission,Commission
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Feuille de Temps pour la Fabrication.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Sous-Total
@@ -4061,6 +4088,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`Geler les stocks datant de plus` doit être inférieur à %d jours.
DocType: Tax Rule,Purchase Tax Template,Modèle de Taxes pour les Achats
,Project wise Stock Tracking,Suivi des Stocks par Projet
+DocType: GST HSN Code,Regional,Régional
DocType: Stock Entry Detail,Actual Qty (at source/target),Qté Réelle (à la source/cible)
DocType: Item Customer Detail,Ref Code,Code de Réf.
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Dossiers de l'Employé.
@@ -4071,13 +4099,13 @@
DocType: Email Digest,New Purchase Orders,Nouveaux Bons de Commande
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Racine ne peut pas avoir un centre de coûts parent
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Sélectionner une Marque ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Événements de Formation/Résultats
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Amortissement Cumulé depuis
DocType: Sales Invoice,C-Form Applicable,Formulaire-C Applicable
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Temps de l'Opération doit être supérieur à 0 pour l'Opération {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,L'entrepôt est obligatoire
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,L'entrepôt est obligatoire
DocType: Supplier,Address and Contacts,Adresse et Contacts
DocType: UOM Conversion Detail,UOM Conversion Detail,Détails de Conversion de l'UDM
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Garder le compatible avec le web 900px par 100px
DocType: Program,Program Abbreviation,Abréviation du Programme
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Ordre de Production ne peut être créé avec un Modèle d’Article
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Les frais sont mis à jour dans le Reçu d'Achat pour chaque article
@@ -4085,13 +4113,13 @@
DocType: Bank Guarantee,Start Date,Date de Début
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Allouer des congés pour une période.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Chèques et Dépôts incorrectement compensés
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Compte {0}: Vous ne pouvez pas assigner un compte comme son propre parent
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Compte {0}: Vous ne pouvez pas assigner un compte comme son propre parent
DocType: Purchase Invoice Item,Price List Rate,Taux de la Liste des Prix
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Créer les devis client
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Afficher ""En stock"" ou ""Pas en stock"" basé sur le stock disponible dans cet entrepôt."
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Liste de Matériaux (LDM)
DocType: Item,Average time taken by the supplier to deliver,Délai moyen de livraison par le fournisseur
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,Résultat de l'Évaluation
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,Résultat de l'Évaluation
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Heures
DocType: Project,Expected Start Date,Date de Début Prévue
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Retirer l'article si les charges ne lui sont pas applicables
@@ -4105,30 +4133,29 @@
DocType: Workstation,Operating Costs,Coûts d'Exploitation
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Action si le Budget Mensuel Cumulé est Dépassé
DocType: Purchase Invoice,Submit on creation,Soumettre à la Création
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Devise pour {0} doit être {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Devise pour {0} doit être {1}
DocType: Asset,Disposal Date,Date d’Élimination
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Les Emails seront envoyés à tous les Employés Actifs de la société à l'heure donnée, s'ils ne sont pas en vacances. Le résumé des réponses sera envoyé à minuit."
DocType: Employee Leave Approver,Employee Leave Approver,Approbateur des Congés de l'Employé
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Ligne {0} : Une écriture de Réapprovisionnement existe déjà pour cet entrepôt {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Ligne {0} : Une écriture de Réapprovisionnement existe déjà pour cet entrepôt {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Impossible de déclarer comme perdu, parce que le Devis a été fait."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Retour d'Expérience sur la Formation
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,L'Ordre de Production {0} doit être soumis
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,L'Ordre de Production {0} doit être soumis
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Veuillez sélectionner la Date de Début et Date de Fin pour l'Article {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Cours est obligatoire à la ligne {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,La date de fin ne peut être antérieure à la date de début
DocType: Supplier Quotation Item,Prevdoc DocType,DocPréc DocType
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Ajouter / Modifier Prix
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Ajouter / Modifier Prix
DocType: Batch,Parent Batch,Lot Parent
DocType: Cheque Print Template,Cheque Print Template,Modèles d'Impression de Chèques
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Tableau des Centres de Coûts
,Requested Items To Be Ordered,Articles Demandés à Commander
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,La société de l'entrepôt doit être la même que la société du compte
DocType: Price List,Price List Name,Nom de la Liste de Prix
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Récapitulatif Quotidien de Travail pour {0}
DocType: Employee Loan,Totals,Totaux
DocType: BOM,Manufacturing,Fabrication
,Ordered Items To Be Delivered,Articles Commandés à Livrer
-DocType: Account,Income,Revenu
+DocType: Account,Income,Revenus
DocType: Industry Type,Industry Type,Secteur d'Activité
apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Quelque chose a mal tourné !
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +124,Warning: Leave application contains following block dates,Attention : la demande de congé contient les dates bloquées suivantes
@@ -4144,55 +4171,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Veuillez entrer des N° de mobiles valides
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Veuillez entrer le message avant d'envoyer
DocType: Email Digest,Pending Quotations,Devis en Attente
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Profil de Point-De-Vente
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Profil de Point-De-Vente
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Veuillez Mettre à Jour les Réglages de SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Prêts Non Garantis
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Prêts Non Garantis
DocType: Cost Center,Cost Center Name,Nom du centre de coûts
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Heures de Travail Max pour une Feuille de Temps
DocType: Maintenance Schedule Detail,Scheduled Date,Date Prévue
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Mnt Total Payé
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Mnt Total Payé
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Message de plus de 160 caractères sera découpé en plusieurs messages
DocType: Purchase Receipt Item,Received and Accepted,Reçus et Acceptés
+,GST Itemised Sales Register,Registre de Vente Détaillé GST
,Serial No Service Contract Expiry,Expiration du Contrat de Service du N° de Série
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Vous ne pouvez pas créditer et débiter le même compte simultanément
DocType: Naming Series,Help HTML,Aide HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Outil de Création de Groupe d'Étudiants
DocType: Item,Variant Based On,Variante Basée Sur
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Le total des pondérations attribuées devrait être de 100 %. Il est {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Vos Fournisseurs
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Vos Fournisseurs
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Impossible de définir comme perdu alors qu'un Bon de Commande a été créé.
DocType: Request for Quotation Item,Supplier Part No,N° de Pièce du Fournisseur
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Vous ne pouvez pas déduire lorsqu'une catégorie est pour 'Évaluation' ou 'Évaluation et Total'
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Reçu De
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Reçu De
DocType: Lead,Converted,Converti
DocType: Item,Has Serial No,A un N° de Série
DocType: Employee,Date of Issue,Date d'Émission
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0} : Du {0} pour {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","D'après les Paramètres d'Achat, si Reçu d'Achat Requis == 'OUI', alors l'utilisateur doit d'abord créer un Reçu d'Achat pour l'article {0} pour pouvoir créer une Facture d'Achat"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Ligne #{0} : Définir Fournisseur pour l’article {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Ligne {0} : La valeur des heures doit être supérieure à zéro.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Image pour le Site Web {0} attachée à l'Article {1} ne peut pas être trouvée
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Image pour le Site Web {0} attachée à l'Article {1} ne peut pas être trouvée
DocType: Issue,Content Type,Type de Contenu
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Ordinateur
DocType: Item,List this Item in multiple groups on the website.,Liste cet article dans plusieurs groupes sur le site.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Veuillez vérifier l'option Multi-Devises pour permettre les comptes avec une autre devise
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Article : {0} n'existe pas dans le système
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Vous n'êtes pas autorisé à définir des valeurs gelées
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Article : {0} n'existe pas dans le système
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Vous n'êtes pas autorisé à définir des valeurs gelées
DocType: Payment Reconciliation,Get Unreconciled Entries,Obtenir les Écritures non Réconcilliées
DocType: Payment Reconciliation,From Invoice Date,De la Date de la Facture
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,La devise de facturation doit être égale à la devise par défaut de la société ou du compte de la partie
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Congés Accumulés à Encaisser
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Qu'est-ce que ça fait ?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,La devise de facturation doit être égale à la devise par défaut de la société ou du compte de la partie
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Congés Accumulés à Encaisser
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Qu'est-ce que ça fait ?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,À l'Entrepôt
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Toutes les Admissions des Étudiants
,Average Commission Rate,Taux Moyen de la Commission
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,'A un Numéro de Série' ne peut pas être 'Oui' pour un article hors-stock
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'A un Numéro de Série' ne peut pas être 'Oui' pour un article hors-stock
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,La présence ne peut pas être marquée pour les dates à venir
DocType: Pricing Rule,Pricing Rule Help,Aide pour les Règles de Tarification
DocType: School House,House Name,Nom de la Maison
DocType: Purchase Taxes and Charges,Account Head,Compte Principal
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Mettre à jour les frais additionnels pour calculer le coût au débarquement des articles
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Électrique
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Électrique
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Ajouter le reste de votre organisation en tant qu'utilisateurs. Vous pouvez aussi inviter des Clients sur votre portail en les ajoutant depuis les Contacts
DocType: Stock Entry,Total Value Difference (Out - In),Différence Valeur Totale (Sor - En)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Ligne {0} : Le Taux de Change est obligatoire
@@ -4202,7 +4231,7 @@
DocType: Item,Customer Code,Code Client
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Rappel d'Anniversaire pour {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Jours Depuis la Dernière Commande
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Le compte de débit doit être un compte de Bilan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Le compte de débit doit être un compte de Bilan
DocType: Buying Settings,Naming Series,Nom de la Série
DocType: Leave Block List,Leave Block List Name,Nom de la Liste de Blocage des Congés
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Date de Début d'Assurance devrait être antérieure à la Date de Fin d'Assurance
@@ -4217,26 +4246,26 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Fiche de Paie de l'employé {0} déjà créée pour la feuille de temps {1}
DocType: Vehicle Log,Odometer,Odomètre
DocType: Sales Order Item,Ordered Qty,Qté Commandée
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Article {0} est désactivé
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Article {0} est désactivé
DocType: Stock Settings,Stock Frozen Upto,Stock Gelé Jusqu'au
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,LDM ne contient aucun article en stock
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,LDM ne contient aucun article en stock
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Les Dates de Période Initiale et de Période Finale sont obligatoires pour {0} récurrent(e)
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Activité du projet / tâche.
DocType: Vehicle Log,Refuelling Details,Détails de Ravitaillement
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Générer les Fiches de Paie
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Achat doit être vérifié, si Applicable Pour {0} est sélectionné"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Achat doit être vérifié, si Applicable Pour {0} est sélectionné"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,La remise doit être inférieure à 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Dernier montant d'achat introuvable
DocType: Purchase Invoice,Write Off Amount (Company Currency),Montant de la Reprise (Devise Société)
DocType: Sales Invoice Timesheet,Billing Hours,Heures Facturées
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,LDM par défaut {0} introuvable
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Ligne #{0} : Veuillez définir la quantité de réapprovisionnement
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Ligne #{0} : Veuillez définir la quantité de réapprovisionnement
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Choisissez des articles pour les ajouter ici
DocType: Fees,Program Enrollment,Inscription au Programme
DocType: Landed Cost Voucher,Landed Cost Voucher,Référence de Coût au Débarquement
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Veuillez définir {0}
DocType: Purchase Invoice,Repeat on Day of Month,Répéter le Jour du Mois
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} est un étudiant inactif
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} est un étudiant inactif
DocType: Employee,Health Details,Détails de Santé
DocType: Offer Letter,Offer Letter Terms,Termes de la Lettre de Proposition
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,"Pour créer une Demande de Paiement, un document de référence est requis"
@@ -4257,7 +4286,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Exemple:. ABCD ##### Si la série est définie et que le N° de série n'est pas mentionné dans les transactions, alors un numéro de série automatique sera créé basé sur cette série. Si vous voulez toujours mentionner explicitement les numéros de série pour ce produit. laissez ce champ vide."
DocType: Upload Attendance,Upload Attendance,Charger Fréquentation
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,LDM et Quantité de Fabrication sont nécessaires
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,LDM et Quantité de Fabrication sont nécessaires
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Balance Agée 2
DocType: SG Creation Tool Course,Max Strength,Force Max
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,LDM Remplacée
@@ -4266,8 +4295,8 @@
,Prospects Engaged But Not Converted,Prospects Contactés mais non Convertis
DocType: Manufacturing Settings,Manufacturing Settings,Paramètres de Fabrication
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Configurer l'Email
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,N° du Mobile du Tuteur 1
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Veuillez entrer la devise par défaut dans les Données de Base de la Société
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,N° du Mobile du Tuteur 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Veuillez entrer la devise par défaut dans les Données de Base de la Société
DocType: Stock Entry Detail,Stock Entry Detail,Détails de l'Écriture de Stock
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Rappels Quotidiens
DocType: Products Settings,Home Page is Products,La Page d'Accueil est Produits
@@ -4276,7 +4305,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Nouveau Nom de Compte
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Coût des Matières Premières Fournies
DocType: Selling Settings,Settings for Selling Module,Réglages pour le Module Vente
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Service Client
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Service Client
DocType: BOM,Thumbnail,Vignette
DocType: Item Customer Detail,Item Customer Detail,Détail de l'Article Client
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Proposer un Emploi au candidat
@@ -4285,7 +4314,7 @@
DocType: Pricing Rule,Percentage,Pourcentage
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,L'article {0} doit être un article en stock
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Entrepôt de Travail en Cours par Défaut
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Paramètres par défaut pour les opérations comptables .
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Paramètres par défaut pour les opérations comptables .
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Date Prévue ne peut pas être avant la Date de Demande de Matériel
DocType: Purchase Invoice Item,Stock Qty,Qté en Stock
@@ -4298,10 +4327,10 @@
DocType: Sales Order,Printing Details,Détails d'Impression
DocType: Task,Closing Date,Date de Clôture
DocType: Sales Order Item,Produced Quantity,Quantité Produite
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Ingénieur
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Ingénieur
DocType: Journal Entry,Total Amount Currency,Montant Total en Devise
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Rechercher les Sous-Ensembles
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Code de l'Article est requis à la Ligne No {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Code de l'Article est requis à la Ligne No {0}
DocType: Sales Partner,Partner Type,Type de Partenaire
DocType: Purchase Taxes and Charges,Actual,Réel
DocType: Authorization Rule,Customerwise Discount,Remise en fonction du Client
@@ -4318,11 +4347,11 @@
DocType: Item Reorder,Re-Order Level,Niveau de Réapprovisionnement
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Entrez les articles et qté planifiée pour lesquels vous voulez augmenter les ordres de fabrication ou télécharger des donées brutes pour les analyser.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Diagramme de Gantt
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Temps-Partiel
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Temps-Partiel
DocType: Employee,Applicable Holiday List,Liste de Vacances Valable
DocType: Employee,Cheque,Chèque
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Série Mise à Jour
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Le Type de Rapport est nécessaire
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Le Type de Rapport est nécessaire
DocType: Item,Serial Number Series,Séries de Numéros de Série
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},L’entrepôt est obligatoire pour l'Article du stock {0} dans la ligne {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Vente de Détail & en Gros
@@ -4343,7 +4372,7 @@
DocType: BOM,Materials,Matériels
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Si décochée, la liste devra être ajoutée à chaque département où elle doit être appliquée."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Entrepôt Source et Destination ne peuvent pas être le même
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,La Date et l’heure de comptabilisation sont obligatoires
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,La Date et l’heure de comptabilisation sont obligatoires
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Modèle de taxe pour les opérations d’achat.
,Item Prices,Prix des Articles
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,En Toutes Lettres. Sera visible une fois que vous enregistrerez le Bon de Commande.
@@ -4353,22 +4382,23 @@
DocType: Purchase Invoice,Advance Payments,Paiements Anticipés
DocType: Purchase Taxes and Charges,On Net Total,Sur le Total Net
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Valeur pour l'attribut {0} doit être dans la gamme de {1} à {2} dans les incréments de {3} pour le poste {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,L’Entrepôt cible à la ligne {0} doit être le même que dans l'Ordre de Production
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,L’Entrepôt cible à la ligne {0} doit être le même que dans l'Ordre de Production
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,'Adresse Email de Notification’ non spécifiée pour %s récurrents
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,Devise ne peut être modifiée après avoir fait des entrées en utilisant une autre devise
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Devise ne peut être modifiée après avoir fait des entrées en utilisant une autre devise
DocType: Vehicle Service,Clutch Plate,Plaque d'Embrayage
DocType: Company,Round Off Account,Compte d’Arrondi
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Dépenses Administratives
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Dépenses Administratives
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Consultant
DocType: Customer Group,Parent Customer Group,Groupe Client Parent
DocType: Purchase Invoice,Contact Email,Email du Contact
DocType: Appraisal Goal,Score Earned,Score Gagné
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Période de Préavis
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Période de Préavis
DocType: Asset Category,Asset Category Name,Nom de Catégorie d'Actif
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Il s’agit d’une région racine qui ne peut être modifiée.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Nouveau Nom de Commercial
DocType: Packing Slip,Gross Weight UOM,UDM du Poids Brut
DocType: Delivery Note Item,Against Sales Invoice,Pour la Facture de Vente
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Entrez les numéros de série pour l'élément sérialisé
DocType: Bin,Reserved Qty for Production,Qté Réservée pour la Production
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Laisser désactivé si vous ne souhaitez pas considérer les lots en faisant des groupes basés sur les cours.
DocType: Asset,Frequency of Depreciation (Months),Fréquence des Amortissements (Mois)
@@ -4376,25 +4406,25 @@
DocType: Landed Cost Item,Landed Cost Item,Coût de l'Article au Débarquement
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Afficher les valeurs nulles
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Quantité de produit obtenue après fabrication / reconditionnement des quantités données de matières premières
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Installation d'un site web simple pour mon organisation
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Installation d'un site web simple pour mon organisation
DocType: Payment Reconciliation,Receivable / Payable Account,Compte Débiteur / Créditeur
DocType: Delivery Note Item,Against Sales Order Item,Pour l'Article de la Commande Client
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},Veuillez spécifier une Valeur d’Attribut pour l'attribut {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},Veuillez spécifier une Valeur d’Attribut pour l'attribut {0}
DocType: Item,Default Warehouse,Entrepôt par Défaut
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Budget ne peut pas être attribué pour le Compte de Groupe {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Veuillez entrer le centre de coût parent
DocType: Delivery Note,Print Without Amount,Imprimer Sans Montant
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,Date d’Amortissement
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"La Catégorie de Taxe ne peut pas être ‘Valorisation’ ou ‘Valorisation et Total’, car tous les articles sont des articles hors stock"
DocType: Issue,Support Team,Équipe de Support
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Expiration (En Jours)
DocType: Appraisal,Total Score (Out of 5),Score Total (sur 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Lot
+DocType: Student Attendance Tool,Batch,Lot
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Solde
DocType: Room,Seating Capacity,Nombre de places
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Total des Notes de Frais (via Notes de Frais)
+DocType: GST Settings,GST Summary,Résumé de la TPS
DocType: Assessment Result,Total Score,Score Total
DocType: Journal Entry,Debit Note,Note de Débit
DocType: Stock Entry,As per Stock UOM,Selon UDM du Stock
@@ -4405,12 +4435,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Entrepôt de Produits Finis par Défaut
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Vendeur
DocType: SMS Parameter,SMS Parameter,Paramètres des SMS
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Centre de Budget et Coûts
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Centre de Budget et Coûts
DocType: Vehicle Service,Half Yearly,Semestriel
DocType: Lead,Blog Subscriber,Abonné au Blog
DocType: Guardian,Alternate Number,Autre Numéro
DocType: Assessment Plan Criteria,Maximum Score,Score Maximum
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Créer des règles pour restreindre les transactions basées sur les valeurs .
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,N° de Rôle du Groupe
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Laisser vide si vous faites des groupes d'étudiants par année
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Si cochée, Le nombre total de Jours Ouvrés comprendra les vacances, ce qui réduira la valeur du Salaire Par Jour"
DocType: Purchase Invoice,Total Advance,Total Avance
@@ -4428,6 +4459,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Basé sur les transactions avec ce client. Voir la chronologie ci-dessous pour plus de détails
DocType: Supplier,Credit Days Based On,Jours de Crédit Basés sur
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Ligne {0} : Le montant alloué {1} doit être inférieur ou égal au montant du Paiement {2}
+,Course wise Assessment Report,Rapport d'évaluation du cours
DocType: Tax Rule,Tax Rule,Règle de Taxation
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Maintenir le Même Taux Durant le Cycle de Vente
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planifier les journaux de temps en dehors des Heures de Travail du Bureau.
@@ -4436,7 +4468,7 @@
,Items To Be Requested,Articles À Demander
DocType: Purchase Order,Get Last Purchase Rate,Obtenir le Dernier Tarif d'Achat
DocType: Company,Company Info,Informations sur la Société
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Sélectionner ou ajoutez nouveau client
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Sélectionner ou ajoutez nouveau client
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Un centre de coût est requis pour comptabiliser une note de frais
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Emplois des Ressources (Actifs)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Basé sur la présence de cet Employé
@@ -4444,27 +4476,29 @@
DocType: Fiscal Year,Year Start Date,Date de Début de l'Exercice
DocType: Attendance,Employee Name,Nom de l'Employé
DocType: Sales Invoice,Rounded Total (Company Currency),Total Arrondi (Devise Société)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,Conversion impossible en Groupe car le Type de Compte est sélectionné.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Conversion impossible en Groupe car le Type de Compte est sélectionné.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} a été modifié. Veuillez actualiser.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Empêcher les utilisateurs de faire des Demandes de Congé les jours suivants.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Montant de l'Achat
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Devis Fournisseur {0} créé
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,L'Année de Fin ne peut pas être avant l'Année de Début
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Avantages de l'Employé
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Avantages de l'Employé
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},La quantité emballée doit être égale à la quantité pour l'Article {0} à la ligne {1}
DocType: Production Order,Manufactured Qty,Qté Fabriquée
DocType: Purchase Receipt Item,Accepted Quantity,Quantité Acceptée
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Veuillez définir une Liste de Vacances par défaut pour l'Employé {0} ou la Société {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0} : {1} n’existe pas
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0} : {1} n’existe pas
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Sélectionnez les numéros de lot
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Factures émises pour des Clients.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,ID du Projet
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Ligne N° {0}: Le montant ne peut être supérieur au Montant en Attente pour le Remboursement de Frais {1}. Le Montant en Attente est de {2}
DocType: Maintenance Schedule,Schedule,Calendrier
DocType: Account,Parent Account,Compte Parent
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,disponible
DocType: Quality Inspection Reading,Reading 3,Reading 3
,Hub,Hub
DocType: GL Entry,Voucher Type,Type de Référence
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Liste de Prix introuvable ou desactivée
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Liste de Prix introuvable ou desactivée
DocType: Employee Loan Application,Approved,Approuvé
DocType: Pricing Rule,Price,Prix
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Employé dégagé de {0} doit être défini comme 'Gauche'
@@ -4475,7 +4509,8 @@
DocType: Selling Settings,Campaign Naming By,Campagne Nommée Par
DocType: Employee,Current Address Is,L'Adresse Actuelle est
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,modifié
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Optionnel. Défini la devise par défaut de l'entreprise, si non spécifié."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Optionnel. Défini la devise par défaut de l'entreprise, si non spécifié."
+DocType: Sales Invoice,Customer GSTIN,GSTIN Client
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Les écritures comptables.
DocType: Delivery Note Item,Available Qty at From Warehouse,Qté Disponible Depuis l'Entrepôt
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,Veuillez d’abord sélectionner le Dossier de l'Employé.
@@ -4483,7 +4518,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Ligne {0} : Partie / Compte ne correspond pas à {1} / {2} en {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Veuillez entrer un Compte de Charges
DocType: Account,Stock,Stock
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Ligne #{0} : Type de Document de Référence doit être un Bon de Commande, une Facture d'Achat ou une Écriture de Journal"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Ligne #{0} : Type de Document de Référence doit être un Bon de Commande, une Facture d'Achat ou une Écriture de Journal"
DocType: Employee,Current Address,Adresse Actuelle
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Si l'article est une variante d'un autre article, alors la description, l'image, le prix, les taxes etc seront fixés à partir du modèle sauf si spécifiés explicitement"
DocType: Serial No,Purchase / Manufacture Details,Achat / Fabrication Détails
@@ -4496,8 +4531,8 @@
DocType: Pricing Rule,Min Qty,Qté Min
DocType: Asset Movement,Transaction Date,Date de la Transaction
DocType: Production Plan Item,Planned Qty,Qté Planifiée
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Total des Taxes
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Pour Quantité (Qté Fabriqué) est obligatoire
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Total des Taxes
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Pour Quantité (Qté Fabriqué) est obligatoire
DocType: Stock Entry,Default Target Warehouse,Entrepôt Cible par Défaut
DocType: Purchase Invoice,Net Total (Company Currency),Total Net (Devise Société)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,La Date de Fin d'Année ne peut pas être antérieure à la Date de Début d’Année. Veuillez corriger les dates et essayer à nouveau.
@@ -4511,13 +4546,11 @@
DocType: Hub Settings,Hub Settings,Paramètres du Hub
DocType: Project,Gross Margin %,Marge Brute %
DocType: BOM,With Operations,Avec des Opérations
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Des écritures comptables ont déjà été réalisées en devise {0} pour la société {1}. Veuillez sélectionner un compte de crédit ou de débit en devise {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Des écritures comptables ont déjà été réalisées en devise {0} pour la société {1}. Veuillez sélectionner un compte de crédit ou de débit en devise {0}.
DocType: Asset,Is Existing Asset,Est Actif Existant
DocType: Salary Detail,Statistical Component,Composante Statistique
-,Monthly Salary Register,Registre Mensuel des Salaires
DocType: Warranty Claim,If different than customer address,Si différente de l'adresse du client
DocType: BOM Operation,BOM Operation,Opération LDM
-DocType: School Settings,Validate the Student Group from Program Enrollment,Valider le Groupe d'Étudiant depuis l'Inscription au Programme
DocType: Purchase Taxes and Charges,On Previous Row Amount,Le Montant de la Rangée Précédente
DocType: Student,Home Address,Adresse du Domicile
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Transfert d'Actifs
@@ -4525,28 +4558,27 @@
DocType: Training Event,Event Name,Nom de l'Événement
apps/erpnext/erpnext/config/schools.py +39,Admission,Admission
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Admissions pour {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Saisonnalité de l'établissement des budgets, des objectifs, etc."
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","L'article {0} est un modèle, veuillez sélectionner l'une de ses variantes"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Saisonnalité de l'établissement des budgets, des objectifs, etc."
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","L'article {0} est un modèle, veuillez sélectionner l'une de ses variantes"
DocType: Asset,Asset Category,Catégorie d'Actif
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Acheteur
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Salaire Net ne peut pas être négatif
DocType: SMS Settings,Static Parameters,Paramètres Statiques
DocType: Assessment Plan,Room,Chambre
DocType: Purchase Order,Advance Paid,Avance Payée
DocType: Item,Item Tax,Taxe sur l'Article
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Du Matériel au Fournisseur
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Facture d'Accise
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Facture d'Accise
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Le seuil {0}% apparaît plus d'une fois
DocType: Expense Claim,Employees Email Id,Identifiants Email des employés
DocType: Employee Attendance Tool,Marked Attendance,Présence Validée
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Dettes Actuelles
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Dettes Actuelles
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Envoyer un SMS en masse à vos contacts
DocType: Program,Program Name,Nom du Programme
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Tenir Compte de la Taxe et des Frais pour
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Qté Réelle est obligatoire
DocType: Employee Loan,Loan Type,Type de Prêt
DocType: Scheduling Tool,Scheduling Tool,Outil de Planification
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Carte de Crédit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Carte de Crédit
DocType: BOM,Item to be manufactured or repacked,Article à manufacturer ou à réemballer
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Paramètres par défaut pour les mouvements de stock.
DocType: Purchase Invoice,Next Date,Date Suivante
@@ -4562,10 +4594,10 @@
DocType: Stock Entry,Repack,Ré-emballer
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Vous devez sauvegarder le formulaire avant de continuer
DocType: Item Attribute,Numeric Values,Valeurs Numériques
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Joindre le Logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Joindre le Logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Niveaux du Stocks
DocType: Customer,Commission Rate,Taux de Commission
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Faire une Variante
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Faire une Variante
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Bloquer les demandes de congé par département
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Type de Paiement doit être Recevoir, Payer ou Transfert Interne"
apps/erpnext/erpnext/config/selling.py +179,Analytics,Analytique
@@ -4573,45 +4605,45 @@
DocType: Vehicle,Model,Modèle
DocType: Production Order,Actual Operating Cost,Coût d'Exploitation Réel
DocType: Payment Entry,Cheque/Reference No,Chèque/N° de Référence
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,La Racine ne peut pas être modifiée.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,La Racine ne peut pas être modifiée.
DocType: Item,Units of Measure,Unités de Mesure
DocType: Manufacturing Settings,Allow Production on Holidays,Autoriser la Fabrication pendant les Vacances
DocType: Sales Order,Customer's Purchase Order Date,Date du Bon de Commande du Client
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Capital Social
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Capital Social
DocType: Shopping Cart Settings,Show Public Attachments,Afficher les Pièces Jointes Publiques
DocType: Packing Slip,Package Weight Details,Détails du Poids du Paquet
DocType: Payment Gateway Account,Payment Gateway Account,Compte Passerelle de Paiement
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,"Le paiement terminé, rediriger l'utilisateur vers la page sélectionnée."
DocType: Company,Existing Company,Société Existante
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","La Catégorie de Taxe a été changée à ""Total"" car tous les articles sont des articles hors stock"
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Veuillez sélectionner un fichier csv
DocType: Student Leave Application,Mark as Present,Marquer comme Présent
DocType: Purchase Order,To Receive and Bill,À Recevoir et Facturer
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Produits Présentés
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Designer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Designer
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Modèle des Termes et Conditions
DocType: Serial No,Delivery Details,Détails de la Livraison
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Le Centre de Coûts est requis à la ligne {0} dans le tableau des Taxes pour le type {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Le Centre de Coûts est requis à la ligne {0} dans le tableau des Taxes pour le type {1}
DocType: Program,Program Code,Code du Programme
DocType: Terms and Conditions,Terms and Conditions Help,Aide des Termes et Conditions
,Item-wise Purchase Register,Registre des Achats par Article
DocType: Batch,Expiry Date,Date d'expiration
-,Supplier Addresses and Contacts,Adresses et Contacts des Fournisseurs
,accounts-browser,navigateur-de-comptes
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,Veuillez d’abord sélectionner une Catégorie
apps/erpnext/erpnext/config/projects.py +13,Project master.,Données de Base du Projet.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Pour permettre la sur-facturation ou la sur-commande, mettez à jour ""Indulgence"" dans les Paramètres de Stock ou dans l’Article."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Pour permettre la sur-facturation ou la sur-commande, mettez à jour ""Indulgence"" dans les Paramètres de Stock ou dans l’Article."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,"Ne plus afficher le symbole (tel que $, €...) à côté des montants."
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Demi-Journée)
DocType: Supplier,Credit Days,Jours de Crédit
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Créer un Lot d'Étudiant
DocType: Leave Type,Is Carry Forward,Est un Report
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Obtenir les Articles depuis LDM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Obtenir les Articles depuis LDM
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Jours de Délai
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Ligne #{0} : La Date de Comptabilisation doit être la même que la date d'achat {1} de l’actif {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Ligne #{0} : La Date de Comptabilisation doit être la même que la date d'achat {1} de l’actif {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Veuillez entrer des Commandes Clients dans le tableau ci-dessus
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Fiches de Paie Non Soumises
,Stock Summary,Résumé du Stock
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Transfert d'un actif d'un entrepôt à un autre
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Transfert d'un actif d'un entrepôt à un autre
DocType: Vehicle,Petrol,Essence
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Liste de Matériaux
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Ligne {0} : Le Type de Partie et la Partie sont requis pour le compte Débiteur / Créditeur {1}
@@ -4622,6 +4654,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Montant Approuvé
DocType: GL Entry,Is Opening,Écriture d'Ouverture
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Ligne {0} : L’Écriture de Débit ne peut pas être lié à un {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Compte {0} n'existe pas
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Compte {0} n'existe pas
DocType: Account,Cash,Espèces
DocType: Employee,Short biography for website and other publications.,Courte biographie pour le site web et d'autres publications.
diff --git a/erpnext/translations/gu.csv b/erpnext/translations/gu.csv
index 79c316f..b3c11f1 100644
--- a/erpnext/translations/gu.csv
+++ b/erpnext/translations/gu.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,કન્ઝ્યુમર પ્રોડક્ટ્સ
DocType: Item,Customer Items,ગ્રાહક વસ્તુઓ
DocType: Project,Costing and Billing,પડતર અને બિલિંગ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,એકાઉન્ટ {0}: પિતૃ એકાઉન્ટ {1} ખાતાવહી ન હોઈ શકે
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,એકાઉન્ટ {0}: પિતૃ એકાઉન્ટ {1} ખાતાવહી ન હોઈ શકે
DocType: Item,Publish Item to hub.erpnext.com,Hub.erpnext.com વસ્તુ પ્રકાશિત
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,ઈમેઈલ સૂચનો
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,મૂલ્યાંકન
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,મૂલ્યાંકન
DocType: Item,Default Unit of Measure,માપવા એકમ મૂળભૂત
DocType: SMS Center,All Sales Partner Contact,બધા વેચાણ ભાગીદાર સંપર્ક
DocType: Employee,Leave Approvers,સાક્ષી છોડો
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),વિનિમય દર તરીકે જ હોવી જોઈએ {0} {1} ({2})
DocType: Sales Invoice,Customer Name,ગ્રાહક નું નામ
DocType: Vehicle,Natural Gas,કુદરતી વાયુ
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},બેન્ક એકાઉન્ટ તરીકે નામ આપવામાં આવ્યું ન કરી શકાય {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},બેન્ક એકાઉન્ટ તરીકે નામ આપવામાં આવ્યું ન કરી શકાય {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,ચેતવણી (અથવા જૂથો) જે સામે હિસાબી પ્રવેશ કરવામાં આવે છે અને બેલેન્સ જાળવવામાં આવે છે.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),ઉત્કૃષ્ટ {0} કરી શકાય નહીં શૂન્ય કરતાં ઓછી ({1})
DocType: Manufacturing Settings,Default 10 mins,10 મિનિટ મૂળભૂત
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,બધા પુરવઠોકર્તા સંપર્ક
DocType: Support Settings,Support Settings,આધાર સેટિંગ્સ
DocType: SMS Parameter,Parameter,પરિમાણ
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,અપેક્ષિત ઓવરને તારીખ અપેક્ષિત પ્રારંભ તારીખ કરતાં ઓછા ન હોઈ શકે
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,અપેક્ષિત ઓવરને તારીખ અપેક્ષિત પ્રારંભ તારીખ કરતાં ઓછા ન હોઈ શકે
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ROW # {0}: દર જ હોવી જોઈએ {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,ન્યૂ છોડો અરજી
,Batch Item Expiry Status,બેચ વસ્તુ સમાપ્તિ સ્થિતિ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,બેંક ડ્રાફ્ટ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,બેંક ડ્રાફ્ટ
DocType: Mode of Payment Account,Mode of Payment Account,ચુકવણી એકાઉન્ટ પ્રકાર
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,બતાવો ચલો
DocType: Academic Term,Academic Term,શૈક્ષણિક ટર્મ
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,સામગ્રી
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,જથ્થો
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,એકાઉન્ટ્સ ટેબલ ખાલી ન હોઈ શકે.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),લોન્સ (જવાબદારીઓ)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),લોન્સ (જવાબદારીઓ)
DocType: Employee Education,Year of Passing,પસાર વર્ષ
DocType: Item,Country of Origin,તે મૂળનો દેશ
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,ઉપલબ્ધ છે
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,ઉપલબ્ધ છે
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,ઓપન મુદ્દાઓ
DocType: Production Plan Item,Production Plan Item,ઉત્પાદન યોજના વસ્તુ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},વપરાશકર્તા {0} પહેલાથી જ કર્મચારી સોંપેલ છે {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,સ્વાસ્થ્ય કાળજી
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ચુકવણી વિલંબ (દિવસ)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,સેવા ખર્ચ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},શૃંખલા ક્રમાંક: {0} પહેલાથી સેલ્સ ઇન્વોઇસ સંદર્ભ થયેલ છે: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},શૃંખલા ક્રમાંક: {0} પહેલાથી સેલ્સ ઇન્વોઇસ સંદર્ભ થયેલ છે: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,ભરતિયું
DocType: Maintenance Schedule Item,Periodicity,સમયગાળાના
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ફિસ્કલ વર્ષ {0} જરૂરી છે
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,ROW # {0}:
DocType: Timesheet,Total Costing Amount,કુલ પડતર રકમ
DocType: Delivery Note,Vehicle No,વાહન કોઈ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,ભાવ યાદી પસંદ કરો
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,ભાવ યાદી પસંદ કરો
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,રો # {0}: ચુકવણી દસ્તાવેજ trasaction પૂર્ણ કરવા માટે જરૂરી છે
DocType: Production Order Operation,Work In Progress,પ્રગતિમાં કામ
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,કૃપા કરીને તારીખ પસંદ
DocType: Employee,Holiday List,રજા યાદી
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,એકાઉન્ટન્ટ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,એકાઉન્ટન્ટ
DocType: Cost Center,Stock User,સ્ટોક વપરાશકર્તા
DocType: Company,Phone No,ફોન કોઈ
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,કોર્સ શેડ્યુલ બનાવવામાં:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},ન્યૂ {0}: # {1}
,Sales Partners Commission,સેલ્સ પાર્ટનર્સ કમિશન
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,કરતાં વધુ 5 અક્ષરો છે નથી કરી શકો છો સંક્ષેપનો
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,કરતાં વધુ 5 અક્ષરો છે નથી કરી શકો છો સંક્ષેપનો
DocType: Payment Request,Payment Request,ચુકવણી વિનંતી
DocType: Asset,Value After Depreciation,ભાવ અવમૂલ્યન પછી
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,એટેન્ડન્સ તારીખ કર્મચારીની જોડાયા તારીખ કરતાં ઓછી હોઇ શકે નહીં
DocType: Grading Scale,Grading Scale Name,ગ્રેડીંગ સ્કેલ નામ
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,આ રુટ ખાતુ અને સંપાદિત કરી શકતા નથી.
+DocType: Sales Invoice,Company Address,કંપનીનું સરનામું
DocType: BOM,Operations,ઓપરેશન્સ
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},માટે ડિસ્કાઉન્ટ આધારે અધિકૃતિ સેટ કરી શકાતો નથી {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","બે કૉલમ, જૂના નામ માટે એક અને નવા નામ માટે એક સાથે CSV ફાઈલ જોડો"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} કોઈપણ સક્રિય નાણાકીય વર્ષમાં નથી.
DocType: Packed Item,Parent Detail docname,પિતૃ વિગતવાર docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","સંદર્ભ: {0}, આઇટમ કોડ: {1} અને ગ્રાહક: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,કિલો ગ્રામ
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,કિલો ગ્રામ
DocType: Student Log,Log,પ્રવેશ કરો
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,નોકરી માટે ખોલીને.
DocType: Item Attribute,Increment,વૃદ્ધિ
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,જાહેરાત
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,સેમ કંપની એક કરતા વધુ વખત દાખલ થયેલ
DocType: Employee,Married,પરણિત
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},માટે પરવાનગી નથી {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},માટે પરવાનગી નથી {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,વસ્તુઓ મેળવો
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},સ્ટોક બોલ પર કોઈ નોંધ સામે અપડેટ કરી શકાતું નથી {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},સ્ટોક બોલ પર કોઈ નોંધ સામે અપડેટ કરી શકાતું નથી {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},ઉત્પાદન {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,કોઈ આઇટમ સૂચિબદ્ધ નથી
DocType: Payment Reconciliation,Reconcile,સમાધાન
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,આગળ અવમૂલ્યન તારીખ પહેલાં ખરીદી તારીખ ન હોઈ શકે
DocType: SMS Center,All Sales Person,બધા વેચાણ વ્યક્તિ
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** માસિક વિતરણ ** જો તમે તમારા બિઝનેસ મોસમ હોય તો તમે મહિના સમગ્ર બજેટ / લક્ષ્યાંક વિતરિત કરે છે.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,વસ્તુઓ મળી
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,વસ્તુઓ મળી
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,પગાર માળખું ખૂટે
DocType: Lead,Person Name,વ્યક્તિ નામ
DocType: Sales Invoice Item,Sales Invoice Item,સેલ્સ ભરતિયું વસ્તુ
DocType: Account,Credit,ક્રેડિટ
DocType: POS Profile,Write Off Cost Center,ખર્ચ કેન્દ્રને માંડવાળ
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",દા.ત. "પ્રાથમિક શાળા" અથવા "યુનિવર્સિટી"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",દા.ત. "પ્રાથમિક શાળા" અથવા "યુનિવર્સિટી"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,સ્ટોક અહેવાલ
DocType: Warehouse,Warehouse Detail,વેરહાઉસ વિગતવાર
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},ક્રેડિટ મર્યાદા ગ્રાહક માટે ઓળંગી કરવામાં આવી છે {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},ક્રેડિટ મર્યાદા ગ્રાહક માટે ઓળંગી કરવામાં આવી છે {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ટર્મ સમાપ્તિ તારીખ કરતાં પાછળથી શૈક્ષણિક વર્ષ સમાપ્તિ તારીખ જે શબ્દ સાથે કડી થયેલ છે હોઈ શકે નહિં (શૈક્ષણિક વર્ષ {}). તારીખો સુધારવા અને ફરીથી પ્રયાસ કરો.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",", અનચેક કરી શકાતી નથી કારણ કે એસેટ રેકોર્ડ વસ્તુ સામે અસ્તિત્વમાં "સ્થિર એસેટ છે""
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",", અનચેક કરી શકાતી નથી કારણ કે એસેટ રેકોર્ડ વસ્તુ સામે અસ્તિત્વમાં "સ્થિર એસેટ છે""
DocType: Vehicle Service,Brake Oil,બ્રેક ઓઈલ
DocType: Tax Rule,Tax Type,ટેક્સ પ્રકાર
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},જો તમે પહેલાં પ્રવેશો ઉમેરવા અથવા અપડેટ કરવા માટે અધિકૃત નથી {0}
DocType: BOM,Item Image (if not slideshow),આઇટમ છબી (જોક્સ ન હોય તો)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,ગ્રાહક જ નામ સાથે હાજર
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(કલાક દર / 60) * વાસ્તવિક કામગીરી સમય
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,BOM પસંદ કરો
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,BOM પસંદ કરો
DocType: SMS Log,SMS Log,એસએમએસ લોગ
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,વિતરિત વસ્તુઓ કિંમત
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,પર {0} રજા વચ્ચે તારીખ થી અને તારીખ નથી
@@ -159,13 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},પ્રતિ {0} માટે {1}
DocType: Item,Copy From Item Group,વસ્તુ ગ્રુપ નકલ
DocType: Journal Entry,Opening Entry,ખુલી એન્ટ્રી
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ગ્રાહક> ગ્રાહક જૂથ> ટેરિટરી
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,એકાઉન્ટ પે માત્ર
DocType: Employee Loan,Repay Over Number of Periods,ચુકવણી બોલ કાળ સંખ્યા
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} માં પ્રવેશ નથી આપવામાં {2}
DocType: Stock Entry,Additional Costs,વધારાના ખર્ચ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,હાલની વ્યવહાર સાથે એકાઉન્ટ જૂથ રૂપાંતરિત કરી શકતા નથી.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,હાલની વ્યવહાર સાથે એકાઉન્ટ જૂથ રૂપાંતરિત કરી શકતા નથી.
DocType: Lead,Product Enquiry,ઉત્પાદન ઇન્કવાયરી
DocType: Academic Term,Schools,શાળાઓ
+DocType: School Settings,Validate Batch for Students in Student Group,વિદ્યાર્થી જૂથમાં વિદ્યાર્થીઓ માટે બેચ માન્ય
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},કોઈ રજા રેકોર્ડ કર્મચારી મળી {0} માટે {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,પ્રથમ કંપની દાખલ કરો
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,પ્રથમ કંપની પસંદ કરો
@@ -174,48 +176,48 @@
DocType: BOM,Total Cost,કુલ ખર્ચ
DocType: Journal Entry Account,Employee Loan,કર્મચારીનું લોન
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,પ્રવૃત્તિ લોગ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,{0} વસ્તુ સિસ્ટમમાં અસ્તિત્વમાં નથી અથવા નિવૃત્ત થઈ ગયેલ છે
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,{0} વસ્તુ સિસ્ટમમાં અસ્તિત્વમાં નથી અથવા નિવૃત્ત થઈ ગયેલ છે
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,રિયલ એસ્ટેટ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,એકાઉન્ટ સ્ટેટમેન્ટ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,ફાર્માસ્યુટિકલ્સ
DocType: Purchase Invoice Item,Is Fixed Asset,સ્થિર એસેટ છે
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","ઉપલબ્ધ Qty {0}, તમને જરૂર છે {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","ઉપલબ્ધ Qty {0}, તમને જરૂર છે {1}"
DocType: Expense Claim Detail,Claim Amount,દાવો રકમ
-DocType: Employee,Mr,શ્રીમાન
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,નકલી ગ્રાહક જૂથ cutomer જૂથ ટેબલ મળી
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,પુરવઠોકર્તા પ્રકાર / પુરવઠોકર્તા
DocType: Naming Series,Prefix,પૂર્વગ
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,ઉપભોજ્ય
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,ઉપભોજ્ય
DocType: Employee,B-,બી
DocType: Upload Attendance,Import Log,આયાત લોગ
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,પુલ ઉપર માપદંડ પર આધારિત પ્રકાર ઉત્પાદન સામગ્રી વિનંતી
DocType: Training Result Employee,Grade,ગ્રેડ
DocType: Sales Invoice Item,Delivered By Supplier,સપ્લાયર દ્વારા વિતરિત
DocType: SMS Center,All Contact,તમામ સંપર્ક
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,ઉત્પાદન ઓર્ડર પહેલેથી BOM સાથે તમામ વસ્તુઓ બનાવવામાં
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,વાર્ષિક પગાર
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,ઉત્પાદન ઓર્ડર પહેલેથી BOM સાથે તમામ વસ્તુઓ બનાવવામાં
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,વાર્ષિક પગાર
DocType: Daily Work Summary,Daily Work Summary,દૈનિક કામ સારાંશ
DocType: Period Closing Voucher,Closing Fiscal Year,ફિસ્કલ વર્ષ બંધ
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} સ્થિર છે
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,કૃપા કરીને એકાઉન્ટ્સ ઓફ ચાર્ટ બનાવવા માટે હાલના કંપની પસંદ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,સ્ટોક ખર્ચ
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} સ્થિર છે
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,કૃપા કરીને એકાઉન્ટ્સ ઓફ ચાર્ટ બનાવવા માટે હાલના કંપની પસંદ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,સ્ટોક ખર્ચ
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,પસંદ લક્ષ્યાંક વેરહાઉસ
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,કૃપા કરીને દાખલ મનપસંદ સંપર્ક ઇમેઇલ
+DocType: Program Enrollment,School Bus,શાળા બસ
DocType: Journal Entry,Contra Entry,ઊલટું એન્ટ્રી
DocType: Journal Entry Account,Credit in Company Currency,કંપની કરન્સી ક્રેડિટ
DocType: Delivery Note,Installation Status,સ્થાપન સ્થિતિ
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",તમે હાજરી અપડેટ કરવા માંગો છો? <br> હાજર: {0} \ <br> ગેરહાજર: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Qty નકારેલું સ્વીકારાયું + વસ્તુ માટે પ્રાપ્ત જથ્થો માટે સમાન હોવો જોઈએ {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Qty નકારેલું સ્વીકારાયું + વસ્તુ માટે પ્રાપ્ત જથ્થો માટે સમાન હોવો જોઈએ {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,પુરવઠા કાચો માલ ખરીદી માટે
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,ચુકવણી ઓછામાં ઓછો એક મોડ POS ભરતિયું માટે જરૂરી છે.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,ચુકવણી ઓછામાં ઓછો એક મોડ POS ભરતિયું માટે જરૂરી છે.
DocType: Products Settings,Show Products as a List,શો ઉત્પાદનો યાદી તરીકે
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records",", નમૂનો ડાઉનલોડ યોગ્ય માહિતી ભરો અને ફેરફાર ફાઇલ સાથે જોડે છે. પસંદ કરેલ સમયગાળામાં તમામ તારીખો અને કર્મચારી સંયોજન હાલની એટેન્ડન્સ રેકર્ડઝ સાથે, નમૂનો આવશે"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,{0} વસ્તુ સક્રિય નથી અથવા જીવનનો અંત સુધી પહોંચી ગઇ હશે
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,ઉદાહરણ: મૂળભૂત ગણિત
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","આઇટમ રેટ પંક્તિ {0} કર સમાવેશ કરવા માટે, પંક્તિઓ કર {1} પણ સમાવેશ કરવો જ જોઈએ"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,{0} વસ્તુ સક્રિય નથી અથવા જીવનનો અંત સુધી પહોંચી ગઇ હશે
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,ઉદાહરણ: મૂળભૂત ગણિત
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","આઇટમ રેટ પંક્તિ {0} કર સમાવેશ કરવા માટે, પંક્તિઓ કર {1} પણ સમાવેશ કરવો જ જોઈએ"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,એચઆર મોડ્યુલ માટે સેટિંગ્સ
DocType: SMS Center,SMS Center,એસએમએસ કેન્દ્ર
DocType: Sales Invoice,Change Amount,જથ્થો બદલી
@@ -225,7 +227,7 @@
DocType: Lead,Request Type,વિનંતી પ્રકાર
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,કર્મચારીનું બનાવો
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,પ્રસારણ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,એક્ઝેક્યુશન
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,એક્ઝેક્યુશન
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,કામગીરી વિગતો બહાર કરવામાં આવે છે.
DocType: Serial No,Maintenance Status,જાળવણી સ્થિતિ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: પુરવઠોકર્તા ચૂકવવાપાત્ર એકાઉન્ટ સામે જરૂરી છે {2}
@@ -253,7 +255,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,અવતરણ માટે વિનંતી નીચેની લિંક પર ક્લિક કરીને વાપરી શકાય છે
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,વર્ષ માટે પાંદડા ફાળવો.
DocType: SG Creation Tool Course,SG Creation Tool Course,એસજી બનાવટ સાધન કોર્સ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,અપૂરતી સ્ટોક
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,અપૂરતી સ્ટોક
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,અક્ષમ કરો ક્ષમતા આયોજન અને સમય ટ્રેકિંગ
DocType: Email Digest,New Sales Orders,નવા વેચાણની ઓર્ડર
DocType: Bank Guarantee,Bank Account,બેંક એકાઉન્ટ
@@ -264,8 +266,9 @@
DocType: Production Order Operation,Updated via 'Time Log','સમય લોગ' મારફતે સુધારાશે
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},એડવાન્સ રકમ કરતાં વધારે ન હોઈ શકે {0} {1}
DocType: Naming Series,Series List for this Transaction,આ સોદા માટે સિરીઝ યાદી
+DocType: Company,Enable Perpetual Inventory,પર્પેચ્યુઅલ ઈન્વેન્ટરી સક્ષમ
DocType: Company,Default Payroll Payable Account,ડિફૉલ્ટ પગારપત્રક ચૂકવવાપાત્ર એકાઉન્ટ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,સુધારા ઇમેઇલ ગ્રુપ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,સુધારા ઇમેઇલ ગ્રુપ
DocType: Sales Invoice,Is Opening Entry,એન્ટ્રી ખુલી છે
DocType: Customer Group,Mention if non-standard receivable account applicable,ઉલ્લેખ બિન પ્રમાણભૂત મળવાપાત્ર એકાઉન્ટ લાગુ પડતું હોય તો
DocType: Course Schedule,Instructor Name,પ્રશિક્ષક નામ
@@ -277,13 +280,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,સેલ્સ ભરતિયું વસ્તુ સામે
,Production Orders in Progress,પ્રગતિ ઉત્પાદન ઓર્ડર્સ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,નાણાકીય થી ચોખ્ખી રોકડ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage સંપૂર્ણ છે, સાચવી ન હતી"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage સંપૂર્ણ છે, સાચવી ન હતી"
DocType: Lead,Address & Contact,સરનામું અને સંપર્ક
DocType: Leave Allocation,Add unused leaves from previous allocations,અગાઉના ફાળવણી માંથી નહિં વપરાયેલ પાંદડા ઉમેરો
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},આગળ રીકરીંગ {0} પર બનાવવામાં આવશે {1}
DocType: Sales Partner,Partner website,જીવનસાથી વેબસાઇટ
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,આઇટમ ઉમેરો
-,Contact Name,સંપર્ક નામ
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,સંપર્ક નામ
DocType: Course Assessment Criteria,Course Assessment Criteria,કોર્સ આકારણી માપદંડ
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,ઉપર ઉલ્લેખ કર્યો માપદંડ માટે પગાર સ્લીપ બનાવે છે.
DocType: POS Customer Group,POS Customer Group,POS ગ્રાહક જૂથ
@@ -292,18 +295,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,આપવામાં કોઈ વર્ણન
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,ખરીદી માટે વિનંતી.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,આ સમય શીટ્સ આ પ્રોજેક્ટ સામે બનાવવામાં પર આધારિત છે
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,નેટ પે 0 કરતાં ઓછી ન હોઈ શકે
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,નેટ પે 0 કરતાં ઓછી ન હોઈ શકે
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,ફક્ત પસંદ કરેલ છોડો તાજનો આ છોડી અરજી સબમિટ કરી શકો છો
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,તારીખ રાહત જોડાયા તારીખ કરતાં મોટી હોવી જ જોઈએ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,દર વર્ષે પાંદડાં
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,દર વર્ષે પાંદડાં
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,રો {0}: કૃપા કરીને તપાસો એકાઉન્ટ સામે 'અગાઉથી છે' {1} આ એક અગાઉથી પ્રવેશ હોય તો.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},{0} વેરહાઉસ કંપની ને અનુલક્ષતું નથી {1}
DocType: Email Digest,Profit & Loss,નફો અને નુકસાન
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Litre
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Litre
DocType: Task,Total Costing Amount (via Time Sheet),કુલ પડતર રકમ (સમયનો શીટ મારફતે)
DocType: Item Website Specification,Item Website Specification,વસ્તુ વેબસાઇટ સ્પષ્ટીકરણ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,છોડો અવરોધિત
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},વસ્તુ {0} પર તેના જીવનના અંતે પહોંચી ગયું છે {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},વસ્તુ {0} પર તેના જીવનના અંતે પહોંચી ગયું છે {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,બેન્ક પ્રવેશો
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,વાર્ષિક
DocType: Stock Reconciliation Item,Stock Reconciliation Item,સ્ટોક રિકંસીલેશન વસ્તુ
@@ -311,9 +314,9 @@
DocType: Material Request Item,Min Order Qty,મીન ઓર્ડર Qty
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,વિદ્યાર્થી જૂથ બનાવવાનું સાધન
DocType: Lead,Do Not Contact,સંપર્ક કરો
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,જે લોકો તમારી સંસ્થા ખાતે શીખવે
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,જે લોકો તમારી સંસ્થા ખાતે શીખવે
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,બધા રિકરિંગ ઇન્વૉઇસેસ ટ્રેકિંગ માટે અનન્ય આઈડી. તેને સબમિટ પર પેદા થયેલ છે.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,સોફ્ટવેર ડેવલોપર
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,સોફ્ટવેર ડેવલોપર
DocType: Item,Minimum Order Qty,ન્યુનત્તમ ઓર્ડર Qty
DocType: Pricing Rule,Supplier Type,પુરવઠોકર્તા પ્રકાર
DocType: Course Scheduling Tool,Course Start Date,કોર્સ શરૂ તારીખ
@@ -322,11 +325,11 @@
DocType: Item,Publish in Hub,હબ પ્રકાશિત
DocType: Student Admission,Student Admission,વિદ્યાર્થી પ્રવેશ
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,{0} વસ્તુ રદ કરવામાં આવે છે
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,{0} વસ્તુ રદ કરવામાં આવે છે
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,સામગ્રી વિનંતી
DocType: Bank Reconciliation,Update Clearance Date,સુધારા ક્લિયરન્સ તારીખ
DocType: Item,Purchase Details,ખરીદી વિગતો
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ખરીદી માટે 'કાચો માલ પાડેલ' ટેબલ મળી નથી વસ્તુ {0} {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ખરીદી માટે 'કાચો માલ પાડેલ' ટેબલ મળી નથી વસ્તુ {0} {1}
DocType: Employee,Relation,સંબંધ
DocType: Shipping Rule,Worldwide Shipping,વિશ્વભરમાં શીપીંગ
DocType: Student Guardian,Mother,મધર
@@ -345,6 +348,7 @@
DocType: Student Group Student,Student Group Student,વિદ્યાર્થી જૂથ વિદ્યાર્થી
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,તાજેતરના
DocType: Vehicle Service,Inspection,નિરીક્ષણ
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,યાદી
DocType: Email Digest,New Quotations,ન્યૂ સુવાકયો
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,કર્મચારી માટે ઇમેઇલ્સ પગાર સ્લિપ કર્મચારી પસંદગી મનપસંદ ઇમેઇલ પર આધારિત
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,યાદીમાં પ્રથમ છોડો તાજનો મૂળભૂત છોડો તાજનો તરીકે સેટ કરવામાં આવશે
@@ -353,20 +357,20 @@
DocType: Asset,Next Depreciation Date,આગળ અવમૂલ્યન તારીખ
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,કર્મચારી દીઠ પ્રવૃત્તિ કિંમત
DocType: Accounts Settings,Settings for Accounts,એકાઉન્ટ્સ માટે સુયોજનો
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},પુરવઠોકર્તા ભરતિયું બોલ પર કોઈ ખરીદી ભરતિયું અસ્તિત્વમાં {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},પુરવઠોકર્તા ભરતિયું બોલ પર કોઈ ખરીદી ભરતિયું અસ્તિત્વમાં {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,વેચાણ વ્યક્તિ વૃક્ષ મેનેજ કરો.
DocType: Job Applicant,Cover Letter,પરબિડીયુ
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,ઉત્કૃષ્ટ Cheques અને સાફ ડિપોઝિટ
DocType: Item,Synced With Hub,હબ સાથે સમન્વયિત
DocType: Vehicle,Fleet Manager,ફ્લીટ વ્યવસ્થાપક
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},રો # {0}: {1} આઇટમ માટે નકારાત્મક ન હોઈ શકે {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,ખોટો પાસવર્ડ
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,ખોટો પાસવર્ડ
DocType: Item,Variant Of,ચલ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',કરતાં 'Qty ઉત્પાદન' પૂર્ણ Qty વધારે ન હોઈ શકે
DocType: Period Closing Voucher,Closing Account Head,એકાઉન્ટ વડા બંધ
DocType: Employee,External Work History,બાહ્ય કામ ઇતિહાસ
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,ગોળ સંદર્ભ ભૂલ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1 નામ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 નામ
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,તમે બોલ પર કોઈ નોંધ સેવ વાર શબ્દો (નિકાસ) દૃશ્યમાન થશે.
DocType: Cheque Print Template,Distance from left edge,ડાબી ધાર થી અંતર
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{1}] એકમો (# ફોર્મ / વસ્તુ / {1}) [{2}] માં જોવા મળે છે (# ફોર્મ / વેરહાઉસ / {2})
@@ -375,11 +379,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,આપોઆપ સામગ્રી વિનંતી બનાવટ પર ઇમેઇલ દ્વારા સૂચિત
DocType: Journal Entry,Multi Currency,મલ્ટી કરન્સી
DocType: Payment Reconciliation Invoice,Invoice Type,ભરતિયું પ્રકાર
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,ડિલીવરી નોંધ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,ડિલીવરી નોંધ
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,કર સુયોજિત કરી રહ્યા છે
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,વેચાઈ એસેટ કિંમત
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,તમે તેને ખેંચી ચુકવણી પછી એન્ટ્રી સુધારાઈ ગયેલ છે. તેને ફરીથી ખેંચી કરો.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} વસ્તુ ટેક્સ બે વખત દાખલ
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,તમે તેને ખેંચી ચુકવણી પછી એન્ટ્રી સુધારાઈ ગયેલ છે. તેને ફરીથી ખેંચી કરો.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} વસ્તુ ટેક્સ બે વખત દાખલ
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,આ અઠવાડિયે અને બાકી પ્રવૃત્તિઓ માટે સારાંશ
DocType: Student Applicant,Admitted,પ્રવેશ
DocType: Workstation,Rent Cost,ભાડું ખર્ચ
@@ -397,25 +401,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,દાખલ ક્ષેત્ર કિંમત 'ડે મહિનો પર પુનરાવર્તન' કરો
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"ગ્રાહક કરન્સી ગ્રાહક આધાર ચલણ ફેરવાય છે, જે અંતે દર"
DocType: Course Scheduling Tool,Course Scheduling Tool,કોર્સ સુનિશ્ચિત સાધન
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},રો # {0} ખરીદી ભરતિયું હાલની એસેટ સામે નથી કરી શકાય છે {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},રો # {0} ખરીદી ભરતિયું હાલની એસેટ સામે નથી કરી શકાય છે {1}
DocType: Item Tax,Tax Rate,ટેક્સ રેટ
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} પહેલાથી જ કર્મચારી માટે ફાળવવામાં {1} માટે સમય {2} માટે {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,પસંદ કરો વસ્તુ
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,ભરતિયું {0} પહેલાથી જ રજૂ કરવામાં આવે છે ખરીદી
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,ભરતિયું {0} પહેલાથી જ રજૂ કરવામાં આવે છે ખરીદી
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},ROW # {0}: બેચ કોઈ તરીકે જ હોવી જોઈએ {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,બિન-ગ્રુપ માટે કન્વર્ટ
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,આઇટમ બેચ (ઘણો).
DocType: C-Form Invoice Detail,Invoice Date,ભરતિયું તારીખ
DocType: GL Entry,Debit Amount,ડેબિટ રકમ
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},માત્ર કંપની દીઠ 1 એકાઉન્ટ હોઈ શકે છે {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,જોડાણ જુઓ
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},માત્ર કંપની દીઠ 1 એકાઉન્ટ હોઈ શકે છે {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,જોડાણ જુઓ
DocType: Purchase Order,% Received,% પ્રાપ્ત
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,વિદ્યાર્થી જૂથો બનાવો
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,સેટઅપ પહેલેથી પૂર્ણ !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,ક્રેડિટ નોટ રકમ
,Finished Goods,ફિનિશ્ડ ગૂડ્સ
DocType: Delivery Note,Instructions,સૂચનાઓ
DocType: Quality Inspection,Inspected By,દ્વારા પરીક્ષણ
DocType: Maintenance Visit,Maintenance Type,જાળવણી પ્રકાર
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} કોર્સ પ્રવેશ નથી {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},સીરીયલ કોઈ {0} બોલ પર કોઈ નોંધ સંબંધ નથી {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext ડેમો
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,વસ્તુઓ ઉમેરો
@@ -436,7 +442,7 @@
DocType: Request for Quotation,Request for Quotation,અવતરણ માટે વિનંતી
DocType: Salary Slip Timesheet,Working Hours,કામ નાં કલાકો
DocType: Naming Series,Change the starting / current sequence number of an existing series.,હાલની શ્રેણી શરૂ / વર્તમાન ક્રમ નંબર બદલો.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,નવી ગ્રાહક બનાવવા
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,નવી ગ્રાહક બનાવવા
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","બહુવિધ કિંમતના નિયમોમાં જીતવું ચાલુ હોય, વપરાશકર્તાઓ તકરાર ઉકેલવા માટે જાતે અગ્રતા સુયોજિત કરવા માટે કહેવામાં આવે છે."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,ખરીદી ઓર્ડર બનાવો
,Purchase Register,ખરીદી રજીસ્ટર
@@ -448,7 +454,7 @@
DocType: Student Log,Medical,મેડિકલ
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,ગુમાવી માટે કારણ
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,અગ્ર માલિક લીડ તરીકે જ ન હોઈ શકે
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,સોંપાયેલ રકમ અસમાયોજિત રકમ કરતાં વધારે ન કરી શકો છો
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,સોંપાયેલ રકમ અસમાયોજિત રકમ કરતાં વધારે ન કરી શકો છો
DocType: Announcement,Receiver,રીસીવર
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},વર્કસ્ટેશન રજા યાદી મુજબ નીચેની તારીખો પર બંધ છે: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,તકો
@@ -462,8 +468,7 @@
DocType: Assessment Plan,Examiner Name,એક્ઝામિનર નામ
DocType: Purchase Invoice Item,Quantity and Rate,જથ્થો અને દર
DocType: Delivery Note,% Installed,% ઇન્સ્ટોલ
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,વર્ગખંડો / લેબોરેટરીઝ વગેરે જ્યાં પ્રવચનો સુનિશ્ચિત કરી શકાય છે.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,પુરવઠોકર્તા> પુરવઠોકર્તા પ્રકાર
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,વર્ગખંડો / લેબોરેટરીઝ વગેરે જ્યાં પ્રવચનો સુનિશ્ચિત કરી શકાય છે.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,પ્રથમ કંપની નામ દાખલ કરો
DocType: Purchase Invoice,Supplier Name,પુરવઠોકર્તા નામ
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,આ ERPNext માર્ગદર્શિકા વાંચવા
@@ -473,7 +478,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,ચેક પુરવઠોકર્તા ભરતિયું નંબર વિશિષ્ટતા
DocType: Vehicle Service,Oil Change,તેલ બદલો
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','કેસ નંબર' 'કેસ નંબર પ્રતિ' કરતાં ઓછી ન હોઈ શકે
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,બિન નફો
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,બિન નફો
DocType: Production Order,Not Started,શરૂ કરી નથી
DocType: Lead,Channel Partner,ચેનલ ભાગીદાર
DocType: Account,Old Parent,ઓલ્ડ પિતૃ
@@ -483,19 +488,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,બધા ઉત્પાદન પ્રક્રિયા માટે વૈશ્વિક સુયોજનો.
DocType: Accounts Settings,Accounts Frozen Upto,ફ્રોઝન સુધી એકાઉન્ટ્સ
DocType: SMS Log,Sent On,પર મોકલવામાં
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,એટ્રીબ્યુટ {0} લક્ષણો ટેબલ ઘણી વખત પસંદ
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,એટ્રીબ્યુટ {0} લક્ષણો ટેબલ ઘણી વખત પસંદ
DocType: HR Settings,Employee record is created using selected field. ,કર્મચારીનું રેકોર્ડ પસંદ ક્ષેત્ર ઉપયોગ કરીને બનાવવામાં આવે છે.
DocType: Sales Order,Not Applicable,લાગુ નથી
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,હોલિડે માસ્ટર.
DocType: Request for Quotation Item,Required Date,જરૂરી તારીખ
DocType: Delivery Note,Billing Address,બિલિંગ સરનામું
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,વસ્તુ કોડ દાખલ કરો.
DocType: BOM,Costing,પડતર
DocType: Tax Rule,Billing County,બિલિંગ કાઉન્ટી
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","ચકાસાયેલ જો પહેલેથી પ્રિન્ટ દર છાપો / રકમ સમાવેશ થાય છે, કારણ કે કર રકમ ગણવામાં આવશે"
DocType: Request for Quotation,Message for Supplier,પુરવઠોકર્તા માટે સંદેશ
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,કુલ Qty
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 ઇમેઇલ આઈડી
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 ઇમેઇલ આઈડી
DocType: Item,Show in Website (Variant),વેબસાઇટ બતાવો (variant)
DocType: Employee,Health Concerns,આરોગ્ય ચિંતા
DocType: Process Payroll,Select Payroll Period,પગારપત્રક અવધિ પસંદ
@@ -513,25 +517,27 @@
DocType: Sales Order Item,Used for Production Plan,ઉત્પાદન યોજના માટે વપરાય છે
DocType: Employee Loan,Total Payment,કુલ ચુકવણી
DocType: Manufacturing Settings,Time Between Operations (in mins),(મિનિટ) ઓપરેશન્સ વચ્ચે સમય
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} રદ થઇ ગઇ છે કે જેથી ક્રિયા પૂર્ણ કરી શકાતી નથી
DocType: Customer,Buyer of Goods and Services.,સામાન અને સેવાઓ ખરીદનાર.
DocType: Journal Entry,Accounts Payable,ચુકવવાપાત્ર ખાતાઓ
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,પસંદ BOMs જ વસ્તુ માટે નથી
DocType: Pricing Rule,Valid Upto,માન્ય સુધી
DocType: Training Event,Workshop,વર્કશોપ
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,તમારા ગ્રાહકો થોડા યાદી આપે છે. તેઓ સંસ્થાઓ અથવા વ્યક્તિઓ હોઈ શકે છે.
-,Enough Parts to Build,પૂરતી ભાગો બિલ્ડ કરવા માટે
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,સીધી આવક
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,તમારા ગ્રાહકો થોડા યાદી આપે છે. તેઓ સંસ્થાઓ અથવા વ્યક્તિઓ હોઈ શકે છે.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,પૂરતી ભાગો બિલ્ડ કરવા માટે
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,સીધી આવક
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","એકાઉન્ટ દ્વારા જૂથ, તો એકાઉન્ટ પર આધારિત ફિલ્ટર કરી શકો છો"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,વહીવટી અધિકારીશ્રી
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,કૃપા કરીને અભ્યાસક્રમનો પસંદ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,વહીવટી અધિકારીશ્રી
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,કૃપા કરીને અભ્યાસક્રમનો પસંદ
DocType: Timesheet Detail,Hrs,કલાકે
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,કંપની પસંદ કરો
DocType: Stock Entry Detail,Difference Account,તફાવત એકાઉન્ટ
+DocType: Purchase Invoice,Supplier GSTIN,પુરવઠોકર્તા GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,તેના આશ્રિત કાર્ય {0} બંધ નથી નજીક કાર્ય નથી કરી શકો છો.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"સામગ્રી વિનંતી ઊભા કરવામાં આવશે, જેના માટે વેરહાઉસ દાખલ કરો"
DocType: Production Order,Additional Operating Cost,વધારાની ઓપરેટીંગ ખર્ચ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,કોસ્મેટિક્સ
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","મર્જ, નીચેના ગુણધર્મો બંને આઇટમ્સ માટે જ હોવી જોઈએ"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","મર્જ, નીચેના ગુણધર્મો બંને આઇટમ્સ માટે જ હોવી જોઈએ"
DocType: Shipping Rule,Net Weight,કુલ વજન
DocType: Employee,Emergency Phone,સંકટકાલીન ફોન
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,ખરીદો
@@ -540,14 +546,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,કૃપા કરીને માટે થ્રેશોલ્ડ 0% ગ્રેડ વ્યાખ્યાયિત
DocType: Sales Order,To Deliver,વિતરિત કરવા માટે
DocType: Purchase Invoice Item,Item,વસ્તુ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,સીરીયલ કોઈ આઇટમ એક અપૂર્ણાંક ન હોઈ શકે
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,સીરીયલ કોઈ આઇટમ એક અપૂર્ણાંક ન હોઈ શકે
DocType: Journal Entry,Difference (Dr - Cr),તફાવત (ડૉ - સીઆર)
DocType: Account,Profit and Loss,નફો અને નુકસાનનું
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,મેનેજિંગ Subcontracting
DocType: Project,Project will be accessible on the website to these users,પ્રોજેક્ટ આ વપરાશકર્તાઓ માટે વેબસાઇટ પર સુલભ હશે
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,દર ભાવ યાદી ચલણ પર કંપનીના આધાર ચલણ ફેરવાય છે
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},{0} એકાઉન્ટ કંપની ને અનુલક્ષતું નથી: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,સંક્ષેપનો પહેલેથી બીજી કંપની માટે વપરાય
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},{0} એકાઉન્ટ કંપની ને અનુલક્ષતું નથી: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,સંક્ષેપનો પહેલેથી બીજી કંપની માટે વપરાય
DocType: Selling Settings,Default Customer Group,મૂળભૂત ગ્રાહક જૂથ
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","અક્ષમ કરો છો, 'ગોળાકાર કુલ' ક્ષેત્ર કોઈપણ વ્યવહાર માં દૃશ્યમાન હશે નહિં"
DocType: BOM,Operating Cost,સંચાલન ખર્ચ
@@ -555,7 +561,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,વૃદ્ધિ 0 ન હોઈ શકે
DocType: Production Planning Tool,Material Requirement,સામગ્રી જરૂરિયાત
DocType: Company,Delete Company Transactions,કંપની વ્યવહારો કાઢી નાખો
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,સંદર્ભ કોઈ અને સંદર્ભ તારીખ બેન્ક ટ્રાન્ઝેક્શન માટે ફરજિયાત છે
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,સંદર્ભ કોઈ અને સંદર્ભ તારીખ બેન્ક ટ્રાન્ઝેક્શન માટે ફરજિયાત છે
DocType: Purchase Receipt,Add / Edit Taxes and Charges,/ સંપાદિત કરો કર અને ખર્ચ ઉમેરો
DocType: Purchase Invoice,Supplier Invoice No,પુરવઠોકર્તા ભરતિયું કોઈ
DocType: Territory,For reference,સંદર્ભ માટે
@@ -566,22 +572,22 @@
DocType: Installation Note Item,Installation Note Item,સ્થાપન નોંધ વસ્તુ
DocType: Production Plan Item,Pending Qty,બાકી Qty
DocType: Budget,Ignore,અવગણો
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} સક્રિય નથી
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} સક્રિય નથી
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},એસએમએસ નીચેના નંબરો પર મોકલવામાં: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,સેટઅપ ચેક પ્રિન્ટીંગ માટે પરિમાણો
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,સેટઅપ ચેક પ્રિન્ટીંગ માટે પરિમાણો
DocType: Salary Slip,Salary Slip Timesheet,પગાર કાપલી Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,પેટા કોન્ટ્રાક્ટ ખરીદી રસીદ માટે ફરજિયાત પુરવઠોકર્તા વેરહાઉસ
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,પેટા કોન્ટ્રાક્ટ ખરીદી રસીદ માટે ફરજિયાત પુરવઠોકર્તા વેરહાઉસ
DocType: Pricing Rule,Valid From,થી માન્ય
DocType: Sales Invoice,Total Commission,કુલ કમિશન
DocType: Pricing Rule,Sales Partner,વેચાણ ભાગીદાર
DocType: Buying Settings,Purchase Receipt Required,ખરીદી રસીદ જરૂરી
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,જો ખુલે સ્ટોક દાખલ મૂલ્યાંકન દર ફરજિયાત છે
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,જો ખુલે સ્ટોક દાખલ મૂલ્યાંકન દર ફરજિયાત છે
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,ભરતિયું ટેબલ માં શોધી કોઈ રેકોર્ડ
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,પ્રથમ કંપની અને પાર્ટી પ્રકાર પસંદ કરો
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,નાણાકીય / હિસાબી વર્ષ.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,નાણાકીય / હિસાબી વર્ષ.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,સંચિત મૂલ્યો
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","માફ કરશો, સીરીયલ અમે મર્જ કરી શકાતા નથી"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,વેચાણ ઓર્ડર બનાવો
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,વેચાણ ઓર્ડર બનાવો
DocType: Project Task,Project Task,પ્રોજેક્ટ ટાસ્ક
,Lead Id,લીડ આઈડી
DocType: C-Form Invoice Detail,Grand Total,કુલ સરવાળો
@@ -598,7 +604,7 @@
DocType: Job Applicant,Resume Attachment,ફરી શરૂ કરો જોડાણ
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,પુનરાવર્તન ગ્રાહકો
DocType: Leave Control Panel,Allocate,ફાળવો
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,વેચાણ પરત
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,વેચાણ પરત
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,નોંધ: કુલ ફાળવેલ પાંદડા {0} પહેલાથી મંજૂર પાંદડા કરતાં ઓછી ન હોવી જોઈએ {1} સમયગાળા માટે
DocType: Announcement,Posted By,દ્વારા પોસ્ટ કરવામાં આવ્યું
DocType: Item,Delivered by Supplier (Drop Ship),સપ્લાયર દ્વારા વિતરિત (ડ્રૉપ જહાજ)
@@ -608,8 +614,8 @@
DocType: Quotation,Quotation To,માટે અવતરણ
DocType: Lead,Middle Income,મધ્યમ આવક
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),ખુલી (સીઆર)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,જો તમે પહેલાથી જ અન્ય UOM સાથે કેટલાક વ્યવહાર (ઓ) કર્યા છે કારણ કે વસ્તુ માટે માપવા એકમ મૂળભૂત {0} સીધા બદલી શકાતું નથી. તમે વિવિધ મૂળભૂત UOM વાપરવા માટે એક નવી આઇટમ બનાવવા માટે જરૂર પડશે.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,ફાળવેલ રકમ નકારાત્મક ન હોઈ શકે
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,જો તમે પહેલાથી જ અન્ય UOM સાથે કેટલાક વ્યવહાર (ઓ) કર્યા છે કારણ કે વસ્તુ માટે માપવા એકમ મૂળભૂત {0} સીધા બદલી શકાતું નથી. તમે વિવિધ મૂળભૂત UOM વાપરવા માટે એક નવી આઇટમ બનાવવા માટે જરૂર પડશે.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,ફાળવેલ રકમ નકારાત્મક ન હોઈ શકે
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,કંપની સેટ કરો
DocType: Purchase Order Item,Billed Amt,ચાંચ એએમટી
DocType: Training Result Employee,Training Result Employee,તાલીમ પરિણામ કર્મચારીનું
@@ -621,7 +627,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,પસંદ ચુકવણી એકાઉન્ટ બેન્ક એન્ટ્રી બનાવવા માટે
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","પાંદડા, ખર્ચ દાવાઓ અને પેરોલ વ્યવસ્થા કર્મચારી રેકોર્ડ બનાવવા"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,નોલેજ બેઝ ઉમેરો
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,દરખાસ્ત લેખન
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,દરખાસ્ત લેખન
DocType: Payment Entry Deduction,Payment Entry Deduction,ચુકવણી એન્ટ્રી કપાત
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,અન્ય વેચાણ વ્યક્તિ {0} એ જ કર્મચારીનું ID સાથે અસ્તિત્વમાં
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","જો વસ્તુઓ છે કે જે પેટા કોન્ટ્રાક્ટ સામગ્રી અરજીઓ સમાવવામાં આવશે છે ચકાસાયેલ છે, કાચી સામગ્રી"
@@ -635,7 +641,7 @@
DocType: Timesheet,Billed,ગણાવી
DocType: Batch,Batch Description,બેચ વર્ણન
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,વિદ્યાર્થી જૂથો બનાવી
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","પેમેન્ટ ગેટવે ખાતું નથી, એક જાતે બનાવવા કૃપા કરીને."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","પેમેન્ટ ગેટવે ખાતું નથી, એક જાતે બનાવવા કૃપા કરીને."
DocType: Sales Invoice,Sales Taxes and Charges,વેચાણ કર અને ખર્ચ
DocType: Employee,Organization Profile,સંસ્થા પ્રોફાઇલ
DocType: Student,Sibling Details,બહેન વિગતો
@@ -657,11 +663,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,ઇન્વેન્ટરીમાં કુલ ફેરફાર
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,કર્મચારીનું લોન મેનેજમેન્ટ
DocType: Employee,Passport Number,પાસપોર્ટ નંબર
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Guardian2 સાથે સંબંધ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,વ્યવસ્થાપક
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2 સાથે સંબંધ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,વ્યવસ્થાપક
DocType: Payment Entry,Payment From / To,ચુકવણી / to
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},નવું ક્રેડિટ મર્યાદા ગ્રાહક માટે વર્તમાન બાકી રકમ કરતાં ઓછી છે. ક્રેડિટ મર્યાદા ઓછામાં ઓછા હોઈ શકે છે {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,જ વસ્તુ ઘણી વખત દાખલ કરવામાં આવી છે.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},નવું ક્રેડિટ મર્યાદા ગ્રાહક માટે વર્તમાન બાકી રકમ કરતાં ઓછી છે. ક્રેડિટ મર્યાદા ઓછામાં ઓછા હોઈ શકે છે {0}
DocType: SMS Settings,Receiver Parameter,રીસીવર પરિમાણ
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,અને 'ગ્રુપ દ્વારા' 'પર આધારિત' જ ન હોઈ શકે
DocType: Sales Person,Sales Person Targets,વેચાણ વ્યક્તિ લક્ષ્યાંક
@@ -670,8 +675,9 @@
DocType: Issue,Resolution Date,ઠરાવ તારીખ
DocType: Student Batch Name,Batch Name,બેચ નામ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timesheet બનાવવામાં:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},ચૂકવણીની પદ્ધતિ મૂળભૂત કેશ અથવા બેન્ક એકાઉન્ટ સેટ કરો {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},ચૂકવણીની પદ્ધતિ મૂળભૂત કેશ અથવા બેન્ક એકાઉન્ટ સેટ કરો {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,નોંધણી
+DocType: GST Settings,GST Settings,જીએસટી સેટિંગ્સ
DocType: Selling Settings,Customer Naming By,કરીને ગ્રાહક નામકરણ
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,તવદ્યાથી માસિક હાજરી રિપોર્ટ તરીકે પ્રસ્તુત બતાવશે
DocType: Depreciation Schedule,Depreciation Amount,અવમૂલ્યન રકમ
@@ -693,6 +699,7 @@
DocType: Item,Material Transfer,માલ પરિવહન
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),ખુલી (DR)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},પોસ્ટ ટાઇમસ્ટેમ્પ પછી જ હોવી જોઈએ {0}
+,GST Itemised Purchase Register,જીએસટી આઇટમાઇઝ્ડ ખરીદી રજિસ્ટર
DocType: Employee Loan,Total Interest Payable,ચૂકવવાપાત્ર કુલ વ્યાજ
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ઉતારેલ માલની કિંમત કર અને ખર્ચ
DocType: Production Order Operation,Actual Start Time,વાસ્તવિક પ્રારંભ સમય
@@ -719,10 +726,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
DocType: Account,Accounts,એકાઉન્ટ્સ
DocType: Vehicle,Odometer Value (Last),ઑડોમીટર ભાવ (છેલ્લું)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,માર્કેટિંગ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,માર્કેટિંગ
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,ચુકવણી એન્ટ્રી પહેલાથી જ બનાવવામાં આવે છે
DocType: Purchase Receipt Item Supplied,Current Stock,વર્તમાન સ્ટોક
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},રો # {0}: એસેટ {1} વસ્તુ કડી નથી {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},રો # {0}: એસેટ {1} વસ્તુ કડી નથી {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,પૂર્વદર્શન પગાર કાપલી
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,એકાઉન્ટ {0} ઘણી વખત દાખલ કરવામાં આવી છે
DocType: Account,Expenses Included In Valuation,ખર્ચ વેલ્યુએશનમાં સમાવાયેલ
@@ -730,7 +737,7 @@
,Absent Student Report,ગેરહાજર વિદ્યાર્થી રિપોર્ટ
DocType: Email Digest,Next email will be sent on:,આગામી ઇમેઇલ પર મોકલવામાં આવશે:
DocType: Offer Letter Term,Offer Letter Term,પત્ર ગાળાના ઓફર
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,વસ્તુ ચલો છે.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,વસ્તુ ચલો છે.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,વસ્તુ {0} મળી નથી
DocType: Bin,Stock Value,સ્ટોક ભાવ
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,કંપની {0} અસ્તિત્વમાં નથી
@@ -739,7 +746,7 @@
DocType: Serial No,Warranty Expiry Date,વોરંટી સમાપ્તિ તારીખ
DocType: Material Request Item,Quantity and Warehouse,જથ્થો અને વેરહાઉસ
DocType: Sales Invoice,Commission Rate (%),કમિશન દર (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,પસંદ કરો કાર્યક્રમ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,પસંદ કરો કાર્યક્રમ
DocType: Project,Estimated Cost,અંદાજીત કિંમત
DocType: Purchase Order,Link to material requests,સામગ્રી વિનંતીઓ લિંક
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,એરોસ્પેસ
@@ -753,14 +760,14 @@
DocType: Purchase Order,Supply Raw Materials,પુરવઠા કાચો માલ
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,આગળ ભરતિયું પેદા થશે કે જેના પર તારીખ. તેને સબમિટ પર પેદા થયેલ છે.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,વર્તમાન અસ્કયામતો
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} સ્ટોક વસ્તુ નથી
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} સ્ટોક વસ્તુ નથી
DocType: Mode of Payment Account,Default Account,મૂળભૂત એકાઉન્ટ
DocType: Payment Entry,Received Amount (Company Currency),મળેલી રકમ (કંપની ચલણ)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,"તક લીડ બનાવવામાં આવે છે, તો લીડ સુયોજિત થવુ જ જોઇએ"
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,સાપ્તાહિક બોલ દિવસ પસંદ કરો
DocType: Production Order Operation,Planned End Time,આયોજિત સમાપ્તિ સમય
,Sales Person Target Variance Item Group-Wise,વેચાણ વ્યક્તિ લક્ષ્યાંક ફેરફાર વસ્તુ ગ્રુપ મુજબની
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,હાલની વ્યવહાર સાથે એકાઉન્ટ ખાતાવહી રૂપાંતરિત કરી શકતા નથી
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,હાલની વ્યવહાર સાથે એકાઉન્ટ ખાતાવહી રૂપાંતરિત કરી શકતા નથી
DocType: Delivery Note,Customer's Purchase Order No,ગ્રાહક ખરીદી ઓર્ડર કોઈ
DocType: Budget,Budget Against,બજેટ સામે
DocType: Employee,Cell Number,સેલ સંખ્યા
@@ -772,15 +779,13 @@
DocType: Opportunity,Opportunity From,પ્રતિ તક
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,માસિક પગાર નિવેદન.
DocType: BOM,Website Specifications,વેબસાઇટ તરફથી
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,કૃપા કરીને સેટઅપ સેટઅપ મારફતે હાજરી શ્રેણી સંખ્યા> નંબરિંગ સિરીઝ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: પ્રતિ {0} પ્રકારની {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,રો {0}: રૂપાંતર ફેક્ટર ફરજિયાત છે
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,રો {0}: રૂપાંતર ફેક્ટર ફરજિયાત છે
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","મલ્ટીપલ ભાવ નિયમો જ માપદંડ સાથે અસ્તિત્વ ધરાવે છે, અગ્રતા સોંપણી દ્વારા તકરાર ઉકેલવા કરો. ભાવ નિયમો: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,"નિષ્ક્રિય અથવા તે અન્ય BOMs સાથે કડી થયેલ છે, કારણ કે BOM રદ કરી શકાતી નથી"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","મલ્ટીપલ ભાવ નિયમો જ માપદંડ સાથે અસ્તિત્વ ધરાવે છે, અગ્રતા સોંપણી દ્વારા તકરાર ઉકેલવા કરો. ભાવ નિયમો: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,"નિષ્ક્રિય અથવા તે અન્ય BOMs સાથે કડી થયેલ છે, કારણ કે BOM રદ કરી શકાતી નથી"
DocType: Opportunity,Maintenance,જાળવણી
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},વસ્તુ માટે જરૂરી ખરીદી રસીદ નંબર {0}
DocType: Item Attribute Value,Item Attribute Value,વસ્તુ કિંમત એટ્રીબ્યુટ
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,વેચાણ ઝુંબેશ.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Timesheet બનાવો
@@ -813,29 +818,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},એસેટ જર્નલ પ્રવેશ મારફતે ભાંગી પડયો {0}
DocType: Employee Loan,Interest Income Account,વ્યાજની આવક એકાઉન્ટ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,બાયોટેકનોલોજી
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,ઓફિસ જાળવણી ખર્ચ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,ઓફિસ જાળવણી ખર્ચ
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ઇમેઇલ એકાઉન્ટ સુયોજિત કરી રહ્યા છે
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,પ્રથમ વસ્તુ દાખલ કરો
DocType: Account,Liability,જવાબદારી
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,મંજુર રકમ રો દાવો રકમ કરતાં વધારે ન હોઈ શકે {0}.
DocType: Company,Default Cost of Goods Sold Account,ચીજવસ્તુઓનું વેચાણ એકાઉન્ટ મૂળભૂત કિંમત
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,ભાવ યાદી પસંદ નહી
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,ભાવ યાદી પસંદ નહી
DocType: Employee,Family Background,કૌટુંબિક પૃષ્ઠભૂમિ
DocType: Request for Quotation Supplier,Send Email,ઇમેઇલ મોકલો
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},ચેતવણી: અમાન્ય જોડાણ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},ચેતવણી: અમાન્ય જોડાણ {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,પરવાનગી નથી
DocType: Company,Default Bank Account,મૂળભૂત બેન્ક એકાઉન્ટ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","પાર્ટી પર આધારિત ફિલ્ટર કરવા માટે, પસંદ પાર્ટી પ્રથમ પ્રકાર"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},વસ્તુઓ મારફતે પહોંચાડાય નથી કારણ કે 'સુધારા સ્ટોક' તપાસી શકાતું નથી {0}
DocType: Vehicle,Acquisition Date,સંપાદન તારીખ
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,અમે
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,અમે
DocType: Item,Items with higher weightage will be shown higher,ઉચ્ચ ભારાંક સાથે વસ્તુઓ વધારે બતાવવામાં આવશે
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,બેન્ક રિકંસીલેશન વિગતવાર
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,રો # {0}: એસેટ {1} સબમિટ હોવું જ જોઈએ
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,રો # {0}: એસેટ {1} સબમિટ હોવું જ જોઈએ
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,કોઈ કર્મચારી મળી
DocType: Supplier Quotation,Stopped,બંધ
DocType: Item,If subcontracted to a vendor,એક વિક્રેતા subcontracted તો
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,વિદ્યાર્થી જૂથ પહેલેથી અપડેટ થયેલ છે.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,વિદ્યાર્થી જૂથ પહેલેથી અપડેટ થયેલ છે.
DocType: SMS Center,All Customer Contact,બધા ગ્રાહક સંપર્ક
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,CSV મારફતે સ્ટોક બેલેન્સ અપલોડ કરો.
DocType: Warehouse,Tree Details,વૃક્ષ વિગતો
@@ -847,13 +852,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: આ કિંમત કેન્દ્ર {2} કંપની ને અનુલક્ષતું નથી {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: એકાઉન્ટ {2} એક જૂથ હોઈ શકે છે
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,વસ્તુ રો {IDX}: {Doctype} {DOCNAME} ઉપર અસ્તિત્વમાં નથી '{Doctype}' ટેબલ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Timesheet {0} પહેલેથી જ પૂર્ણ અથવા રદ થયેલ છે
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} પહેલેથી જ પૂર્ણ અથવા રદ થયેલ છે
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,કોઈ કાર્યો
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","ઓટો ભરતિયું 05, 28 વગેરે દા.ત. પેદા થશે કે જેના પર મહિનાનો દિવસ"
DocType: Asset,Opening Accumulated Depreciation,ખુલવાનો સંચિત અવમૂલ્યન
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,કુલ સ્કોર 5 કરતાં ઓછી અથવા સમાન હોવા જ જોઈએ
DocType: Program Enrollment Tool,Program Enrollment Tool,કાર્યક્રમ પ્રવેશ સાધન
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,સી-ફોર્મ રેકોર્ડ
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,સી-ફોર્મ રેકોર્ડ
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,ગ્રાહક અને સપ્લાયર
DocType: Email Digest,Email Digest Settings,ઇમેઇલ ડાયજેસ્ટ સેટિંગ્સ
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,તમારા વ્યવસાય માટે આભાર!
@@ -863,17 +868,19 @@
DocType: Bin,Moving Average Rate,સરેરાશ દર ખસેડવું
DocType: Production Planning Tool,Select Items,આઇટમ્સ પસંદ કરો
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} બિલ સામે {1} ના રોજ {2}
+DocType: Program Enrollment,Vehicle/Bus Number,વાહન / બસ સંખ્યા
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,કોર્સ શેડ્યૂલ
DocType: Maintenance Visit,Completion Status,પૂર્ણ સ્થિતિ
DocType: HR Settings,Enter retirement age in years,વર્ષમાં નિવૃત્તિ વય દાખલ
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,લક્ષ્યાંક વેરહાઉસ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,કૃપા કરીને એક વેરહાઉસ પસંદ
DocType: Cheque Print Template,Starting location from left edge,ડાબી ધાર થી સ્થાન શરૂ કરી રહ્યા છીએ
DocType: Item,Allow over delivery or receipt upto this percent,આ ટકા સુધી ડિલિવરી અથવા રસીદ પર પરવાનગી આપે છે
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,આયાત એટેન્ડન્સ
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,બધા આઇટમ જૂથો
DocType: Process Payroll,Activity Log,પ્રવૃત્તિ લોગ
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,ચોખ્ખો નફો / નુકશાન
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,ચોખ્ખો નફો / નુકશાન
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,આપમેળે વ્યવહારો સબમિશન પર સંદેશ કંપોઝ.
DocType: Production Order,Item To Manufacture,વસ્તુ ઉત્પાદન
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} સ્થિતિ {2} છે
@@ -882,16 +889,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,ચુકવણી માટે ઓર્ડર ખરીદી
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,અંદાજિત Qty
DocType: Sales Invoice,Payment Due Date,ચુકવણી કારણે તારીખ
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,વસ્તુ વેરિએન્ટ {0} પહેલાથી જ લક્ષણો સાથે હાજર
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,વસ્તુ વેરિએન્ટ {0} પહેલાથી જ લક્ષણો સાથે હાજર
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','ખુલી'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,આવું કરવા માટે ઓપન
DocType: Notification Control,Delivery Note Message,ડ લવર નોંધ સંદેશ
DocType: Expense Claim,Expenses,ખર્ચ
+,Support Hours,આધાર કલાક
DocType: Item Variant Attribute,Item Variant Attribute,વસ્તુ વેરિએન્ટ એટ્રીબ્યુટ
,Purchase Receipt Trends,ખરીદી રસીદ પ્રવાહો
DocType: Process Payroll,Bimonthly,દ્વિમાસિક
DocType: Vehicle Service,Brake Pad,બ્રેક પેડ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,રિસર્ચ એન્ડ ડેવલપમેન્ટ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,રિસર્ચ એન્ડ ડેવલપમેન્ટ
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,બિલ રકમ
DocType: Company,Registration Details,નોંધણી વિગતો
DocType: Timesheet,Total Billed Amount,કુલ ગણાવી રકમ
@@ -904,12 +912,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,માત્ર મેળવો કાચો માલ
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,કામગીરી મૂલ્યાંકન.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","સક્રિય, 'શોપિંગ કાર્ટ માટે ઉપયોગ' શોપિંગ કાર્ટ તરીકે સક્રિય છે અને શોપિંગ કાર્ટ માટે ઓછામાં ઓછી એક કર નિયમ ત્યાં પ્રયત્ન કરીશું"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","ચુકવણી એન્ટ્રી {0} ઓર્ડર {1}, ચેક, તો તે આ બિલ અગાઉથી તરીકે ખેંચાય જોઇએ સામે કડી થયેલ છે."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","ચુકવણી એન્ટ્રી {0} ઓર્ડર {1}, ચેક, તો તે આ બિલ અગાઉથી તરીકે ખેંચાય જોઇએ સામે કડી થયેલ છે."
DocType: Sales Invoice Item,Stock Details,સ્ટોક વિગતો
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,પ્રોજેક્ટ ભાવ
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,પોઇન્ટ ઓફ સેલ
DocType: Vehicle Log,Odometer Reading,ઑડોમીટર વાંચન
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","પહેલેથી ક્રેડિટ એકાઉન્ટ બેલેન્સ, તમે ડેબિટ 'તરીકે' બેલેન્સ હોવું જોઈએ 'સુયોજિત કરવા માટે માન્ય નથી"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","પહેલેથી ક્રેડિટ એકાઉન્ટ બેલેન્સ, તમે ડેબિટ 'તરીકે' બેલેન્સ હોવું જોઈએ 'સુયોજિત કરવા માટે માન્ય નથી"
DocType: Account,Balance must be,બેલેન્સ હોવા જ જોઈએ
DocType: Hub Settings,Publish Pricing,પ્રાઇસીંગ પ્રકાશિત
DocType: Notification Control,Expense Claim Rejected Message,ખર્ચ દાવો નકારી સંદેશ
@@ -919,7 +927,7 @@
DocType: Salary Slip,Working Days,કાર્યદિવસ
DocType: Serial No,Incoming Rate,ઇનકમિંગ દર
DocType: Packing Slip,Gross Weight,સરેરાશ વજન
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,તમારી કંપનીના નામ કે જેના માટે તમે આ સિસ્ટમ સુયોજિત કરી રહ્યા હોય.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,તમારી કંપનીના નામ કે જેના માટે તમે આ સિસ્ટમ સુયોજિત કરી રહ્યા હોય.
DocType: HR Settings,Include holidays in Total no. of Working Days,કોઈ કુલ રજાઓ સમાવેશ થાય છે. દિવસની
DocType: Job Applicant,Hold,હોલ્ડ
DocType: Employee,Date of Joining,જોડાયા તારીખ
@@ -930,20 +938,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,ખરીદી રસીદ
,Received Items To Be Billed,પ્રાપ્ત વસ્તુઓ બિલ કરવા
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,સબમિટ પગાર સ્લિપ
-DocType: Employee,Ms,Ms
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,ચલણ વિનિમય દર માસ્ટર.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},સંદર્ભ Doctype એક હોવો જ જોઈએ {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,ચલણ વિનિમય દર માસ્ટર.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},સંદર્ભ Doctype એક હોવો જ જોઈએ {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},ઓપરેશન માટે આગામી {0} દિવસોમાં સમય સ્લોટ શોધવામાં અસમર્થ {1}
DocType: Production Order,Plan material for sub-assemblies,પેટા-સ્થળોના માટે યોજના સામગ્રી
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,સેલ્સ પાર્ટનર્સ અને પ્રદેશ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,આપોઆપ એકાઉન્ટ બનાવી શકાતું નથી કારણ કે ત્યાં પહેલેથી એકાઉન્ટ સ્ટોક સંતુલન છે. પહેલાં તમે આ વેરહાઉસ પર પ્રવેશ કરી શકો છો તમે એક બંધબેસતા એકાઉન્ટ બનાવવા જ પડશે
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} સક્રિય હોવા જ જોઈએ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} સક્રિય હોવા જ જોઈએ
DocType: Journal Entry,Depreciation Entry,અવમૂલ્યન એન્ટ્રી
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,પ્રથમ દસ્તાવેજ પ્રકાર પસંદ કરો
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,આ જાળવણી મુલાકાત લો રદ રદ સામગ્રી મુલાકાત {0}
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},સીરીયલ કોઈ {0} વસ્તુ ને અનુલક્ષતું નથી {1}
DocType: Purchase Receipt Item Supplied,Required Qty,જરૂરી Qty
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,હાલની વ્યવહાર સાથે વખારો ખાતાવહી રૂપાંતરિત કરી શકાય છે.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,હાલની વ્યવહાર સાથે વખારો ખાતાવહી રૂપાંતરિત કરી શકાય છે.
DocType: Bank Reconciliation,Total Amount,કુલ રકમ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,ઈન્ટરનેટ પબ્લિશિંગ
DocType: Production Planning Tool,Production Orders,ઉત્પાદન ઓર્ડર્સ
@@ -958,25 +964,26 @@
DocType: Fee Structure,Components,ઘટકો
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},વસ્તુ દાખલ કરો એસેટ વર્ગ {0}
DocType: Quality Inspection Reading,Reading 6,6 વાંચન
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,નથી {0} {1} {2} વગર કોઈપણ નકારાત્મક બાકી ભરતિયું કરી શકો છો
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,નથી {0} {1} {2} વગર કોઈપણ નકારાત્મક બાકી ભરતિયું કરી શકો છો
DocType: Purchase Invoice Advance,Purchase Invoice Advance,ભરતિયું એડવાન્સ ખરીદી
DocType: Hub Settings,Sync Now,હવે સમન્વય
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},રો {0}: ક્રેડિટ પ્રવેશ સાથે લિંક કરી શકતા નથી {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,એક નાણાકીય વર્ષ માટે બજેટ વ્યાખ્યાયિત કરે છે.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,એક નાણાકીય વર્ષ માટે બજેટ વ્યાખ્યાયિત કરે છે.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,આ સ્થિતિમાં પસંદ થયેલ હોય ત્યારે ડિફૉલ્ટ બેન્ક / રોકડ એકાઉન્ટ આપોઆપ POS ભરતિયું અપડેટ કરવામાં આવશે.
DocType: Lead,LEAD-,LEAD-
DocType: Employee,Permanent Address Is,કાયમી સરનામું
DocType: Production Order Operation,Operation completed for how many finished goods?,ઓપરેશન કેટલા ફિનિશ્ડ ગૂડ્સ માટે પૂર્ણ?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,આ બ્રાન્ડ
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,આ બ્રાન્ડ
DocType: Employee,Exit Interview Details,બહાર નીકળો મુલાકાત વિગતો
DocType: Item,Is Purchase Item,ખરીદી વસ્તુ છે
DocType: Asset,Purchase Invoice,ખરીદી ભરતિયું
DocType: Stock Ledger Entry,Voucher Detail No,વાઉચર વિગતવાર કોઈ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,ન્યૂ વેચાણ ભરતિયું
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,ન્યૂ વેચાણ ભરતિયું
DocType: Stock Entry,Total Outgoing Value,કુલ આઉટગોઇંગ ભાવ
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,તારીખ અને છેલ્લી તારીખ ખોલીને એકસરખું જ રાજવૃત્તીય વર્ષ અંદર હોવો જોઈએ
DocType: Lead,Request for Information,માહિતી માટે વિનંતી
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,સમન્વય ઑફલાઇન ઇનવૉઇસેસ
+,LeaderBoard,લીડરબોર્ડ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,સમન્વય ઑફલાઇન ઇનવૉઇસેસ
DocType: Payment Request,Paid,ચૂકવેલ
DocType: Program Fee,Program Fee,કાર્યક્રમ ફી
DocType: Salary Slip,Total in words,શબ્દોમાં કુલ
@@ -985,13 +992,13 @@
DocType: Cheque Print Template,Has Print Format,પ્રિન્ટ ફોર્મેટ છે
DocType: Employee Loan,Sanctioned,મંજૂર
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,ફરજિયાત છે. કદાચ ચલણ એક્સચેન્જ રેકોર્ડ માટે બનાવવામાં નથી
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},ROW # {0}: વસ્તુ માટે કોઈ સીરીયલ સ્પષ્ટ કરો {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'ઉત્પાદન બંડલ' વસ્તુઓ, વેરહાઉસ, સીરીયલ કોઈ અને બેચ માટે કોઈ 'પેકિંગ યાદી' ટેબલ પરથી ગણવામાં આવશે. વેરહાઉસ અને બેચ કોઈ કોઈ 'ઉત્પાદન બંડલ' આઇટમ માટે બધા પેકિંગ વસ્તુઓ માટે જ છે, તો તે કિંમતો મુખ્ય વસ્તુ ટેબલ દાખલ કરી શકાય, મૂલ્યો મેજની યાદી પેકિંગ 'નકલ થશે."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},ROW # {0}: વસ્તુ માટે કોઈ સીરીયલ સ્પષ્ટ કરો {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'ઉત્પાદન બંડલ' વસ્તુઓ, વેરહાઉસ, સીરીયલ કોઈ અને બેચ માટે કોઈ 'પેકિંગ યાદી' ટેબલ પરથી ગણવામાં આવશે. વેરહાઉસ અને બેચ કોઈ કોઈ 'ઉત્પાદન બંડલ' આઇટમ માટે બધા પેકિંગ વસ્તુઓ માટે જ છે, તો તે કિંમતો મુખ્ય વસ્તુ ટેબલ દાખલ કરી શકાય, મૂલ્યો મેજની યાદી પેકિંગ 'નકલ થશે."
DocType: Job Opening,Publish on website,વેબસાઇટ પર પ્રકાશિત
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,ગ્રાહકો માટે આવેલા શિપમેન્ટની.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,પુરવઠોકર્તા ભરતિયું તારીખ પોસ્ટ તારીખ કરતાં વધારે ન હોઈ શકે
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,પુરવઠોકર્તા ભરતિયું તારીખ પોસ્ટ તારીખ કરતાં વધારે ન હોઈ શકે
DocType: Purchase Invoice Item,Purchase Order Item,ઓર્ડર વસ્તુ ખરીદી
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,પરોક્ષ આવક
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,પરોક્ષ આવક
DocType: Student Attendance Tool,Student Attendance Tool,વિદ્યાર્થી એટેન્ડન્સ સાધન
DocType: Cheque Print Template,Date Settings,તારીખ સેટિંગ્સ
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,ફેરફાર
@@ -1009,20 +1016,20 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,કેમિકલ
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,મૂળભૂત બેન્ક / રોકડ એકાઉન્ટ આપમેળે જ્યારે આ સ્થિતિ પસંદ થયેલ પગાર જર્નલ પ્રવેશ અપડેટ કરવામાં આવશે.
DocType: BOM,Raw Material Cost(Company Currency),કાચો સામગ્રી ખર્ચ (કંપની ચલણ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,બધી વસ્તુઓ પહેલેથી જ આ ઉત્પાદન ઓર્ડર માટે તબદીલ કરવામાં આવી છે.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,બધી વસ્તુઓ પહેલેથી જ આ ઉત્પાદન ઓર્ડર માટે તબદીલ કરવામાં આવી છે.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},રો # {0}: દર ઉપયોગમાં દર કરતાં વધારે ન હોઈ શકે {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,મીટર
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,મીટર
DocType: Workstation,Electricity Cost,વીજળી ખર્ચ
DocType: HR Settings,Don't send Employee Birthday Reminders,કર્મચારીનું જન્મદિવસ રિમાઇન્ડર્સ મોકલશો નહીં
DocType: Item,Inspection Criteria,નિરીક્ષણ માપદંડ
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,ટ્રાન્સફર
DocType: BOM Website Item,BOM Website Item,BOM વેબસાઇટ વસ્તુ
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,તમારો પત્ર વડા અને લોગો અપલોડ કરો. (જો તમે પછીથી તેમને ફેરફાર કરી શકો છો).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,તમારો પત્ર વડા અને લોગો અપલોડ કરો. (જો તમે પછીથી તેમને ફેરફાર કરી શકો છો).
DocType: Timesheet Detail,Bill,બિલ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,આગળ અવમૂલ્યન તારીખ છેલ્લા તારીખ તરીકે દાખલ થયેલ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,વ્હાઇટ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,વ્હાઇટ
DocType: SMS Center,All Lead (Open),બધા સીસું (ઓપન)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),રો {0}: Qty માટે ઉપલબ્ધ નથી {4} વેરહાઉસ {1} પ્રવેશ સમયે પોસ્ટ પર ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),રો {0}: Qty માટે ઉપલબ્ધ નથી {4} વેરહાઉસ {1} પ્રવેશ સમયે પોસ્ટ પર ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,એડવાન્સિસ ચૂકવેલ મેળવો
DocType: Item,Automatically Create New Batch,ન્યૂ બેચ આપમેળે બનાવો
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,બનાવો
@@ -1032,13 +1039,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,મારા કાર્ટ
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},ઓર્ડર પ્રકાર એક હોવા જ જોઈએ {0}
DocType: Lead,Next Contact Date,આગામી સંપર્ક તારીખ
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Qty ખુલવાનો
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,જથ્થો બદલી માટે એકાઉન્ટ દાખલ કરો
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Qty ખુલવાનો
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,જથ્થો બદલી માટે એકાઉન્ટ દાખલ કરો
DocType: Student Batch Name,Student Batch Name,વિદ્યાર્થી બેચ નામ
DocType: Holiday List,Holiday List Name,રજા યાદી નામ
DocType: Repayment Schedule,Balance Loan Amount,બેલેન્સ લોન રકમ
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,સૂચિ કોર્સ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,સ્ટોક ઓપ્શન્સ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,સ્ટોક ઓપ્શન્સ
DocType: Journal Entry Account,Expense Claim,ખર્ચ દાવો
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,શું તમે ખરેખર આ પડયો એસેટ પુનઃસ્થાપિત કરવા માંગો છો?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},માટે Qty {0}
@@ -1050,12 +1057,12 @@
DocType: Company,Default Terms,મૂળભૂત શરતો
DocType: Packing Slip Item,Packing Slip Item,પેકિંગ કાપલી વસ્તુ
DocType: Purchase Invoice,Cash/Bank Account,કેશ / બેન્ક એકાઉન્ટ
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},ઉલ્લેખ કરો એક {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},ઉલ્લેખ કરો એક {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,જથ્થો અથવા કિંમત કોઈ ફેરફાર સાથે દૂર વસ્તુઓ.
DocType: Delivery Note,Delivery To,ડ લવર
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,એટ્રીબ્યુટ ટેબલ ફરજિયાત છે
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,એટ્રીબ્યુટ ટેબલ ફરજિયાત છે
DocType: Production Planning Tool,Get Sales Orders,વેચાણ ઓર્ડર મેળવો
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} નકારાત્મક ન હોઈ શકે
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} નકારાત્મક ન હોઈ શકે
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,ડિસ્કાઉન્ટ
DocType: Asset,Total Number of Depreciations,કુલ Depreciations સંખ્યા
DocType: Sales Invoice Item,Rate With Margin,માર્જિનથી દર
@@ -1075,7 +1082,6 @@
DocType: Serial No,Creation Document No,બનાવટ દસ્તાવેજ કોઈ
DocType: Issue,Issue,મુદ્દો
DocType: Asset,Scrapped,રદ
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,એકાઉન્ટ કંપની સાથે મેળ ખાતું નથી
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","વસ્તુ ચલો માટે શ્રેય. દા.ત. કદ, રંગ વગેરે"
DocType: Purchase Invoice,Returns,રિટર્ન્સ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP વેરહાઉસ
@@ -1087,12 +1093,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,વસ્તુ બટન 'ખરીદી રસીદો થી વસ્તુઓ વિચાર' નો ઉપયોગ ઉમેરાવી જ જોઈએ
DocType: Employee,A-,એ
DocType: Production Planning Tool,Include non-stock items,નોન-સ્ટોક વસ્તુઓ સમાવેશ થાય છે
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,સેલ્સ ખર્ચ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,સેલ્સ ખર્ચ
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,સ્ટાન્ડર્ડ ખરીદી
DocType: GL Entry,Against,સામે
DocType: Item,Default Selling Cost Center,મૂળભૂત વેચાણ ખર્ચ કેન્દ્ર
DocType: Sales Partner,Implementation Partner,અમલીકરણ જીવનસાથી
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,પિન કોડ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,પિન કોડ
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},વેચાણ ઓર્ડર {0} છે {1}
DocType: Opportunity,Contact Info,સંપર્ક માહિતી
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,સ્ટોક પ્રવેશો બનાવે
@@ -1105,31 +1111,31 @@
DocType: Holiday List,Get Weekly Off Dates,અઠવાડિક બંધ તારીખો મેળવો
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,સમાપ્તિ તારીખ પ્રારંભ તારીખ કરતાં ઓછા ન હોઈ શકે
DocType: Sales Person,Select company name first.,પ્રથમ પસંદ કંપની નામ.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,ડૉ
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,સુવાકયો સપ્લાયરો પાસેથી પ્રાપ્ત થઈ છે.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},માટે {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,સરેરાશ ઉંમર
DocType: School Settings,Attendance Freeze Date,એટેન્ડન્સ ફ્રીઝ તારીખ
DocType: Opportunity,Your sales person who will contact the customer in future,ભવિષ્યમાં ગ્રાહક સંપર્ક કરશે જે તમારા વેચાણ વ્યક્તિ
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,તમારા સપ્લાયર્સ થોડા યાદી આપે છે. તેઓ સંસ્થાઓ અથવા વ્યક્તિઓ હોઈ શકે છે.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,તમારા સપ્લાયર્સ થોડા યાદી આપે છે. તેઓ સંસ્થાઓ અથવા વ્યક્તિઓ હોઈ શકે છે.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,બધા ઉત્પાદનો જોવા
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),ન્યુનત્તમ લીડ યુગ (દિવસો)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,બધા BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,બધા BOMs
DocType: Company,Default Currency,મૂળભૂત ચલણ
DocType: Expense Claim,From Employee,કર્મચારી
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,ચેતવણી: સિસ્ટમ વસ્તુ માટે રકમ કારણ overbilling તપાસ કરશે નહીં {0} માં {1} શૂન્ય છે
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,ચેતવણી: સિસ્ટમ વસ્તુ માટે રકમ કારણ overbilling તપાસ કરશે નહીં {0} માં {1} શૂન્ય છે
DocType: Journal Entry,Make Difference Entry,તફાવત પ્રવેશ કરો
DocType: Upload Attendance,Attendance From Date,તારીખ થી એટેન્ડન્સ
DocType: Appraisal Template Goal,Key Performance Area,કી બોનસ વિસ્તાર
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,ટ્રાન્સપોર્ટેશન
+DocType: Program Enrollment,Transportation,ટ્રાન્સપોર્ટેશન
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,અમાન્ય એટ્રીબ્યુટ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} સબમિટ હોવું જ જોઈએ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} સબમિટ હોવું જ જોઈએ
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},જથ્થો કરતાં ઓછી અથવા સમાન હોવા જ જોઈએ {0}
DocType: SMS Center,Total Characters,કુલ અક્ષરો
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},વસ્તુ માટે BOM ક્ષેત્રમાં BOM પસંદ કરો {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},વસ્તુ માટે BOM ક્ષેત્રમાં BOM પસંદ કરો {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,સી-ફોર્મ ભરતિયું વિગતવાર
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ચુકવણી રિકંસીલેશન ભરતિયું
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,યોગદાન%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ખરીદી સેટિંગ્સ મુજબ જો ખરીદી ઓર્ડર જરૂરી == 'હા' હોય, તો પછી ખરીદી ઇન્વોઇસ બનાવવા માટે, વપરાશકર્તા આઇટમ માટે પ્રથમ ખરીદી હુકમ બનાવવાની જરૂર {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,તમારા સંદર્ભ માટે કંપની નોંધણી નંબરો. ટેક્સ નંબરો વગેરે
DocType: Sales Partner,Distributor,ડિસ્ટ્રીબ્યુટર
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,શોપિંગ કાર્ટ શીપીંગ નિયમ
@@ -1138,23 +1144,25 @@
,Ordered Items To Be Billed,આદેશ આપ્યો વસ્તુઓ બિલ કરવા
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,રેન્જ ઓછી હોઈ શકે છે કરતાં શ્રેણી
DocType: Global Defaults,Global Defaults,વૈશ્વિક ડિફૉલ્ટ્સ
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,પ્રોજેક્ટ સહયોગ આમંત્રણ
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,પ્રોજેક્ટ સહયોગ આમંત્રણ
DocType: Salary Slip,Deductions,કપાત
DocType: Leave Allocation,LAL/,લાલ /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,પ્રારંભ વર્ષ
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},GSTIN પ્રથમ 2 અંકો રાજ્ય નંબર સાથે મેળ ખાતી હોવી જોઈએ {0}
DocType: Purchase Invoice,Start date of current invoice's period,વર્તમાન ભરતિયું માતાનો સમયગાળા તારીખ શરૂ
DocType: Salary Slip,Leave Without Pay,પગાર વિના છોડો
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,ક્ષમતા આયોજન ભૂલ
,Trial Balance for Party,પાર્ટી માટે ટ્રાયલ બેલેન્સ
DocType: Lead,Consultant,સલાહકાર
DocType: Salary Slip,Earnings,કમાણી
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,સમાપ્ત વસ્તુ {0} ઉત્પાદન પ્રકાર પ્રવેશ માટે દાખલ કરવો જ પડશે
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,સમાપ્ત વસ્તુ {0} ઉત્પાદન પ્રકાર પ્રવેશ માટે દાખલ કરવો જ પડશે
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,ખુલવાનો હિસાબી બેલેન્સ
+,GST Sales Register,જીએસટી સેલ્સ રજિસ્ટર
DocType: Sales Invoice Advance,Sales Invoice Advance,સેલ્સ ભરતિયું એડવાન્સ
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,કંઈ વિનંતી કરવા
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},અન્ય બજેટ રેકોર્ડ '{0}' પહેલાથી જ સામે અસ્તિત્વમાં {1} '{2}' નાણાકીય વર્ષ માટે {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date','વાસ્તવિક પ્રારંભ તારીખ' 'વાસ્તવિક ઓવરને તારીખ' કરતાં વધારે ન હોઈ શકે
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,મેનેજમેન્ટ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,મેનેજમેન્ટ
DocType: Cheque Print Template,Payer Settings,ચુકવણીકાર સેટિંગ્સ
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","આ ચલ વસ્તુ કોડ ઉમેરાવું કરવામાં આવશે. તમારા સંક્ષેપ "શૌન" છે, અને ઉદાહરણ તરીકે, જો આઇટમ કોડ "ટી શર્ટ", "ટી-શર્ટ શૌન" હશે ચલ આઇટમ કોડ છે"
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,તમે પગાર કાપલી સેવ વાર (શબ્દોમાં) નેટ પે દૃશ્યમાન થશે.
@@ -1171,8 +1179,8 @@
DocType: Employee Loan,Partially Disbursed,આંશિક વિતરિત
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,પુરવઠોકર્તા ડેટાબેઝ.
DocType: Account,Balance Sheet,સરવૈયા
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ','આઇટમ કોડ સાથે આઇટમ માટે કેન્દ્ર ખર્ચ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","ચુકવણી સ્થિતિ રૂપરેખાંકિત થયેલ નથી. કૃપા કરીને તપાસો, કે શું એકાઉન્ટ ચૂકવણી સ્થિતિ પર અથવા POS પ્રોફાઇલ પર સેટ કરવામાં આવ્યો છે."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ','આઇટમ કોડ સાથે આઇટમ માટે કેન્દ્ર ખર્ચ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","ચુકવણી સ્થિતિ રૂપરેખાંકિત થયેલ નથી. કૃપા કરીને તપાસો, કે શું એકાઉન્ટ ચૂકવણી સ્થિતિ પર અથવા POS પ્રોફાઇલ પર સેટ કરવામાં આવ્યો છે."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,તમારા વેચાણ વ્યક્તિ ગ્રાહક સંપર્ક કરવા માટે આ તારીખ પર એક રીમાઇન્ડર મળશે
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,એ જ વસ્તુ ઘણી વખત દાખલ કરી શકાતી નથી.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","વધુ એકાઉન્ટ્સ જૂથો હેઠળ કરી શકાય છે, પરંતુ પ્રવેશો બિન-જૂથો સામે કરી શકાય છે"
@@ -1180,7 +1188,7 @@
DocType: Email Digest,Payables,ચૂકવણીના
DocType: Course,Course Intro,કોર્સ પ્રસ્તાવના
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,સ્ટોક એન્ટ્રી {0} બનાવવામાં
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,ROW # {0}: Qty ખરીદી રીટર્ન દાખલ કરી શકાતા નથી નકારેલું
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,ROW # {0}: Qty ખરીદી રીટર્ન દાખલ કરી શકાતા નથી નકારેલું
,Purchase Order Items To Be Billed,ખરીદી ક્રમમાં વસ્તુઓ બિલ કરવા
DocType: Purchase Invoice Item,Net Rate,નેટ દર
DocType: Purchase Invoice Item,Purchase Invoice Item,ભરતિયું આઇટમ ખરીદી
@@ -1205,7 +1213,7 @@
DocType: Sales Order,SO-,SO-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,પ્રથમ ઉપસર્ગ પસંદ કરો
DocType: Employee,O-,ઓ-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,સંશોધન
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,સંશોધન
DocType: Maintenance Visit Purpose,Work Done,કામ કર્યું
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,લક્ષણો ટેબલ ઓછામાં ઓછા એક લક્ષણ સ્પષ્ટ કરો
DocType: Announcement,All Students,બધા વિદ્યાર્થીઓ
@@ -1213,17 +1221,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,જુઓ ખાતાવહી
DocType: Grading Scale,Intervals,અંતરાલો
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,જુનું
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","એક વસ્તુ ગ્રુપ જ નામ સાથે હાજર, આઇટમ નામ બદલવા અથવા વસ્તુ જૂથ નામ બદલી કૃપા કરીને"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,વિદ્યાર્થી મોબાઇલ નંબર
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,બાકીનું વિશ્વ
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","એક વસ્તુ ગ્રુપ જ નામ સાથે હાજર, આઇટમ નામ બદલવા અથવા વસ્તુ જૂથ નામ બદલી કૃપા કરીને"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,વિદ્યાર્થી મોબાઇલ નંબર
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,બાકીનું વિશ્વ
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,આ આઇટમ {0} બેચ હોઈ શકે નહિં
,Budget Variance Report,બજેટ ફેરફાર રિપોર્ટ
DocType: Salary Slip,Gross Pay,કુલ પે
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,રો {0}: પ્રવૃત્તિ પ્રકાર ફરજિયાત છે.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,ડિવિડન્ડ ચૂકવેલ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,ડિવિડન્ડ ચૂકવેલ
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,હિસાબી ખાતાવહી
DocType: Stock Reconciliation,Difference Amount,તફાવત રકમ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,રાખેલી કમાણી
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,રાખેલી કમાણી
DocType: Vehicle Log,Service Detail,સેવા વિગતવાર
DocType: BOM,Item Description,વસ્તુ વર્ણન
DocType: Student Sibling,Student Sibling,વિદ્યાર્થી બહેન
@@ -1237,11 +1245,11 @@
DocType: Opportunity Item,Opportunity Item,તક વસ્તુ
,Student and Guardian Contact Details,વિદ્યાર્થી અને વાલી સંપર્ક વિગતો
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,"રો {0}: સપ્લાયર માટે {0} ઇમેઇલ સરનામું, ઇમેઇલ મોકલવા માટે જરૂરી છે"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,કામચલાઉ ખુલી
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,કામચલાઉ ખુલી
,Employee Leave Balance,કર્મચારી રજા બેલેન્સ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},એકાઉન્ટ માટે બેલેન્સ {0} હંમેશા હોવી જ જોઈએ {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},મૂલ્યાંકન દર પંક્તિ માં વસ્તુ માટે જરૂરી {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,ઉદાહરણ: કોમ્પ્યુટર સાયન્સમાં માસ્ટર્સ
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,ઉદાહરણ: કોમ્પ્યુટર સાયન્સમાં માસ્ટર્સ
DocType: Purchase Invoice,Rejected Warehouse,નકારેલું વેરહાઉસ
DocType: GL Entry,Against Voucher,વાઉચર સામે
DocType: Item,Default Buying Cost Center,ડિફૉલ્ટ ખરીદી ખર્ચ કેન્દ્રને
@@ -1254,31 +1262,30 @@
DocType: Journal Entry,Get Outstanding Invoices,બાકી ઇન્વૉઇસેસ મેળવો
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,વેચાણ ઓર્ડર {0} માન્ય નથી
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,ખરીદી ઓર્ડર કરવાની યોજના ઘડી મદદ અને તમારી ખરીદી પર અનુસરો
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","માફ કરશો, કંપનીઓ મર્જ કરી શકાતા નથી"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","માફ કરશો, કંપનીઓ મર્જ કરી શકાતા નથી"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",કુલ અંક / ટ્રાન્સફર જથ્થો {0} સામગ્રી વિનંતી {1} \ વસ્તુ માટે વિનંતી જથ્થો {2} કરતાં વધારે ન હોઈ શકે {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,નાના
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,નાના
DocType: Employee,Employee Number,કર્મચારીનું સંખ્યા
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},કેસ ના (ઓ) પહેલેથી જ વપરાશમાં છે. કેસ કોઈ થી પ્રયાસ {0}
DocType: Project,% Completed,% પૂર્ણ
,Invoiced Amount (Exculsive Tax),ભરતિયું રકમ (Exculsive ટેક્સ)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,આઇટમ 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,એકાઉન્ટ વડા {0} બનાવવામાં
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,તાલીમ ઘટના
DocType: Item,Auto re-order,ઓટો ફરી ઓર્ડર
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,કુલ પ્રાપ્ત
DocType: Employee,Place of Issue,ઇશ્યૂ સ્થળ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,કરાર
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,કરાર
DocType: Email Digest,Add Quote,ભાવ ઉમેરો
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},UOM માટે જરૂરી UOM coversion પરિબળ: {0} વસ્તુ: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,પરોક્ષ ખર્ચ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM માટે જરૂરી UOM coversion પરિબળ: {0} વસ્તુ: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,પરોક્ષ ખર્ચ
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,રો {0}: Qty ફરજિયાત છે
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,કૃષિ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,સમન્વય માસ્ટર ડેટા
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,તમારી ઉત્પાદનો અથવા સેવાઓ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,સમન્વય માસ્ટર ડેટા
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,તમારી ઉત્પાદનો અથવા સેવાઓ
DocType: Mode of Payment,Mode of Payment,ચૂકવણીની પદ્ધતિ
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,વેબસાઇટ છબી જાહેર ફાઈલ અથવા વેબસાઇટ URL હોવો જોઈએ
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,વેબસાઇટ છબી જાહેર ફાઈલ અથવા વેબસાઇટ URL હોવો જોઈએ
DocType: Student Applicant,AP,એપી
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,આ રુટ વસ્તુ જૂથ છે અને સંપાદિત કરી શકાતી નથી.
@@ -1287,17 +1294,17 @@
DocType: Warehouse,Warehouse Contact Info,વેરહાઉસ સંપર્ક માહિતી
DocType: Payment Entry,Write Off Difference Amount,માંડવાળ તફાવત રકમ
DocType: Purchase Invoice,Recurring Type,રીકરીંગ પ્રકાર
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: કર્મચારીનું ઇમેઇલ મળી નથી, તેથી નથી મોકલવામાં ઇમેઇલ"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: કર્મચારીનું ઇમેઇલ મળી નથી, તેથી નથી મોકલવામાં ઇમેઇલ"
DocType: Item,Foreign Trade Details,ફોરેન ટ્રેડ વિગતો
DocType: Email Digest,Annual Income,વાર્ષિક આવક
DocType: Serial No,Serial No Details,સીરીયલ કોઈ વિગતો
DocType: Purchase Invoice Item,Item Tax Rate,વસ્તુ ટેક્સ રેટ
DocType: Student Group Student,Group Roll Number,ગ્રુપ રોલ નંબર
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","{0}, માત્ર ક્રેડિટ ખાતાઓ અન્ય ડેબિટ પ્રવેશ સામે લિંક કરી શકો છો"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,બધા કાર્ય વજન કુલ પ્રયત્ન કરીશું 1. મુજબ બધા પ્રોજેક્ટ કાર્યો વજન સંતુલિત કૃપા કરીને
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,ડ લવર નોંધ {0} અપર્ણ ન કરાય
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,વસ્તુ {0} એ પેટા કોન્ટ્રાક્ટ વસ્તુ જ હોવી જોઈએ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,કેપિટલ સાધનો
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,બધા કાર્ય વજન કુલ પ્રયત્ન કરીશું 1. મુજબ બધા પ્રોજેક્ટ કાર્યો વજન સંતુલિત કૃપા કરીને
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,ડ લવર નોંધ {0} અપર્ણ ન કરાય
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,વસ્તુ {0} એ પેટા કોન્ટ્રાક્ટ વસ્તુ જ હોવી જોઈએ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,કેપિટલ સાધનો
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","પ્રાઇસીંગ નિયમ પ્રથમ પર આધારિત પસંદ થયેલ વસ્તુ, આઇટમ ગ્રુપ અથવા બ્રાન્ડ બની શકે છે, જે ક્ષેત્ર 'પર લાગુ પડે છે."
DocType: Hub Settings,Seller Website,વિક્રેતા વેબસાઇટ
DocType: Item,ITEM-,ITEM-
@@ -1315,7 +1322,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",માત્ર "કિંમત" 0 અથવા ખાલી કિંમત સાથે એક શીપીંગ નિયમ શરત હોઈ શકે છે
DocType: Authorization Rule,Transaction,ટ્રાન્ઝેક્શન
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,નોંધ: આ ખર્ચ કેન્દ્ર એક જૂથ છે. જૂથો સામે હિસાબી પ્રવેશો બનાવી શકાતી નથી.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,બાળ વેરહાઉસ આ વેરહાઉસ માટે અસ્તિત્વમાં છે. તમે આ વેરહાઉસ કાઢી શકતા નથી.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,બાળ વેરહાઉસ આ વેરહાઉસ માટે અસ્તિત્વમાં છે. તમે આ વેરહાઉસ કાઢી શકતા નથી.
DocType: Item,Website Item Groups,વેબસાઇટ વસ્તુ જૂથો
DocType: Purchase Invoice,Total (Company Currency),કુલ (કંપની ચલણ)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,{0} સીરીયલ નંબર એક કરતા વધુ વખત દાખલ
@@ -1325,7 +1332,7 @@
DocType: Grading Scale Interval,Grade Code,ગ્રેડ કોડ
DocType: POS Item Group,POS Item Group,POS વસ્તુ ગ્રુપ
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ડાયજેસ્ટ ઇમેઇલ:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} વસ્તુ ને અનુલક્ષતું નથી {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} વસ્તુ ને અનુલક્ષતું નથી {1}
DocType: Sales Partner,Target Distribution,લક્ષ્ય વિતરણની
DocType: Salary Slip,Bank Account No.,બેન્ક એકાઉન્ટ નંબર
DocType: Naming Series,This is the number of the last created transaction with this prefix,આ ઉપસર્ગ સાથે છેલ્લા બનાવવામાં વ્યવહાર સંખ્યા છે
@@ -1335,12 +1342,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,બુક એસેટ ઘસારો એન્ટ્રી આપમેળે
DocType: BOM Operation,Workstation,વર્કસ્ટેશન
DocType: Request for Quotation Supplier,Request for Quotation Supplier,અવતરણ પુરવઠોકર્તા માટે વિનંતી
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,હાર્ડવેર
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,હાર્ડવેર
DocType: Sales Order,Recurring Upto,રીકરીંગ સુધી
DocType: Attendance,HR Manager,એચઆર મેનેજર
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,કંપની પસંદ કરો
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,પ્રિવિલેજ છોડો
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,કંપની પસંદ કરો
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,પ્રિવિલેજ છોડો
DocType: Purchase Invoice,Supplier Invoice Date,પુરવઠોકર્તા ભરતિયું તારીખ
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,પ્રતિ
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,તમે શોપિંગ કાર્ટ સક્રિય કરવાની જરૂર છે
DocType: Payment Entry,Writeoff,Writeoff
DocType: Appraisal Template Goal,Appraisal Template Goal,મૂલ્યાંકન ઢાંચો ગોલ
@@ -1351,10 +1359,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,વચ્ચે ઑવરલેપ શરતો:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,જર્નલ સામે એન્ટ્રી {0} પહેલેથી જ કેટલાક અન્ય વાઉચર સામે ગોઠવ્યો છે
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,કુલ ઓર્ડર ભાવ
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,ફૂડ
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,ફૂડ
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,એઇજીંગનો રેન્જ 3
DocType: Maintenance Schedule Item,No of Visits,મુલાકાત કોઈ
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,માર્ક Attendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,માર્ક Attendence
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},જાળવણી સુનિશ્ચિત {0} સામે અસ્તિત્વમાં {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,નોંધણી વિદ્યાર્થી
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},બંધ એકાઉન્ટ કરન્સી હોવા જ જોઈએ {0}
@@ -1368,6 +1376,7 @@
DocType: Rename Tool,Utilities,ઉપયોગીતાઓ
DocType: Purchase Invoice Item,Accounting,હિસાબી
DocType: Employee,EMP/,પયાર્વરણીય /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,બેચ આઇટમ માટે બૅચેસ પસંદ કરો
DocType: Asset,Depreciation Schedules,અવમૂલ્યન શેડ્યુલ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,એપ્લિકેશન સમયગાળાની બહાર રજા ફાળવણી સમય ન હોઈ શકે
DocType: Activity Cost,Projects,પ્રોજેક્ટ્સ
@@ -1381,6 +1390,7 @@
DocType: POS Profile,Campaign,ઝુંબેશ
DocType: Supplier,Name and Type,નામ અને પ્રકાર
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',મંજૂરી પરિસ્થિતિ 'માન્ય' અથવા 'નકારેલું' હોવું જ જોઈએ
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,બુટસ્ટ્રેપ
DocType: Purchase Invoice,Contact Person,સંપર્ક વ્યક્તિ
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','અપેક્ષા પ્રારંભ તારીખ' કરતાં વધારે 'અપેક્ષિત ઓવરને તારીખ' ન હોઈ શકે
DocType: Course Scheduling Tool,Course End Date,કોર્સ સમાપ્તિ તારીખ
@@ -1388,12 +1398,11 @@
DocType: Sales Order Item,Planned Quantity,આયોજિત જથ્થો
DocType: Purchase Invoice Item,Item Tax Amount,વસ્તુ ટેક્સની રકમ
DocType: Item,Maintain Stock,સ્ટોક જાળવો
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,પહેલેથી જ ઉત્પાદન ઓર્ડર માટે બનાવવામાં સ્ટોક પ્રવેશો
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,પહેલેથી જ ઉત્પાદન ઓર્ડર માટે બનાવવામાં સ્ટોક પ્રવેશો
DocType: Employee,Prefered Email,prefered ઇમેઇલ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,સ્થિર એસેટ કુલ ફેરફાર
DocType: Leave Control Panel,Leave blank if considered for all designations,બધા ડેઝીગ્નેશન્સ માટે વિચારણા તો ખાલી છોડી દો
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,વેરહાઉસ પ્રકાર સ્ટોક બિન જૂથ એકાઉન્ટ્સ માટે ફરજિયાત છે
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,પ્રકાર 'વાસ્તવિક' પંક્તિ માં ચાર્જ {0} આઇટમ રેટ સમાવેશ કરવામાં નથી કરી શકો છો
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,પ્રકાર 'વાસ્તવિક' પંક્તિ માં ચાર્જ {0} આઇટમ રેટ સમાવેશ કરવામાં નથી કરી શકો છો
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},મહત્તમ: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,તારીખ સમય પ્રતિ
DocType: Email Digest,For Company,કંપની માટે
@@ -1403,15 +1412,15 @@
DocType: Sales Invoice,Shipping Address Name,શિપિંગ સરનામું નામ
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,એકાઉન્ટ્સ ઓફ ચાર્ટ
DocType: Material Request,Terms and Conditions Content,નિયમો અને શરતો સામગ્રી
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,100 કરતા વધારે ન હોઈ શકે
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,{0} વસ્તુ સ્ટોક વસ્તુ નથી
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,100 કરતા વધારે ન હોઈ શકે
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,{0} વસ્તુ સ્ટોક વસ્તુ નથી
DocType: Maintenance Visit,Unscheduled,અનિશ્ચિત
DocType: Employee,Owned,માલિકીની
DocType: Salary Detail,Depends on Leave Without Pay,પગાર વિના રજા પર આધાર રાખે છે
DocType: Pricing Rule,"Higher the number, higher the priority","ઉચ્ચ સંખ્યા, ઉચ્ચ અગ્રતા"
,Purchase Invoice Trends,ભરતિયું પ્રવાહો ખરીદી
DocType: Employee,Better Prospects,સારી સંભાવના
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","રો # {0}: બેચ {1} માત્ર {2} Qty છે. કૃપા કરીને બીજી બેચ જે {3} Qty ઉપલબ્ધ છે પસંદ કરો અથવા બહુવિધ પંક્તિઓ માં પંક્તિ પડ્યા, બહુવિધ બૅચેસ થી પહોંચાડવા / મુદ્દાને"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","રો # {0}: બેચ {1} માત્ર {2} Qty છે. કૃપા કરીને બીજી બેચ જે {3} Qty ઉપલબ્ધ છે પસંદ કરો અથવા બહુવિધ પંક્તિઓ માં પંક્તિ પડ્યા, બહુવિધ બૅચેસ થી પહોંચાડવા / મુદ્દાને"
DocType: Vehicle,License Plate,લાઇસન્સ પ્લેટ
DocType: Appraisal,Goals,લક્ષ્યાંક
DocType: Warranty Claim,Warranty / AMC Status,વોરંટી / એએમસી સ્થિતિ
@@ -1422,19 +1431,20 @@
,Batch-Wise Balance History,બેચ વાઈસ બેલેન્સ ઇતિહાસ
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,પ્રિંટ સેટિંગ્સને સંબંધિત પ્રિન્ટ બંધારણમાં સુધારાશે
DocType: Package Code,Package Code,પેકેજ કોડ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,એપ્રેન્ટિસ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,એપ્રેન્ટિસ
+DocType: Purchase Invoice,Company GSTIN,કંપની GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,નકારાત્મક જથ્થો મંજૂરી નથી
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",સ્ટ્રિંગ તરીકે વસ્તુ માસ્ટર પાસેથી મેળવ્યાં અને આ ક્ષેત્રમાં સંગ્રહિત કર વિગતવાર કોષ્ટક. કર અને ખર્ચ માટે વપરાય છે
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,કર્મચારીનું પોતાની જાતને જાણ કરી શકો છો.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","એકાઉન્ટ સ્થિર છે, તો પ્રવેશો પ્રતિબંધિત વપરાશકર્તાઓ માટે માન્ય છે."
DocType: Email Digest,Bank Balance,બેંક બેલેન્સ
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},{1} માત્ર ચલણ કરી શકાય છે: {0} માટે એકાઉન્ટિંગ એન્ટ્રી {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},{1} માત્ર ચલણ કરી શકાય છે: {0} માટે એકાઉન્ટિંગ એન્ટ્રી {2}
DocType: Job Opening,"Job profile, qualifications required etc.","જોબ પ્રોફાઇલ, યોગ્યતાઓ જરૂરી વગેરે"
DocType: Journal Entry Account,Account Balance,એકાઉન્ટ બેલેન્સ
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,વ્યવહારો માટે કરવેરા નિયમ.
DocType: Rename Tool,Type of document to rename.,દસ્તાવેજ પ્રકાર નામ.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,અમે આ આઇટમ ખરીદી
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,અમે આ આઇટમ ખરીદી
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: ગ્રાહક પ્રાપ્ત એકાઉન્ટ સામે જરૂરી છે {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),કુલ કર અને ખર્ચ (કંપની ચલણ)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,unclosed નાણાકીય વર્ષના પી એન્ડ એલ બેલેન્સ બતાવો
@@ -1445,29 +1455,30 @@
DocType: Stock Entry,Total Additional Costs,કુલ વધારાના ખર્ચ
DocType: Course Schedule,SH,એસ.એચ
DocType: BOM,Scrap Material Cost(Company Currency),સ્ક્રેપ સામગ્રી ખર્ચ (કંપની ચલણ)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,પેટા એસેમ્બલીઝ
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,પેટા એસેમ્બલીઝ
DocType: Asset,Asset Name,એસેટ નામ
DocType: Project,Task Weight,ટાસ્ક વજન
DocType: Shipping Rule Condition,To Value,કિંમત
DocType: Asset Movement,Stock Manager,સ્ટોક વ્યવસ્થાપક
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},સોર્સ વેરહાઉસ પંક્તિ માટે ફરજિયાત છે {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,પેકિંગ કાપલી
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,ઓફિસ ભાડે
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},સોર્સ વેરહાઉસ પંક્તિ માટે ફરજિયાત છે {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,પેકિંગ કાપલી
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,ઓફિસ ભાડે
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,સેટઅપ એસએમએસ ગેટવે સેટિંગ્સ
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,આયાત નિષ્ફળ!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,કોઈ સરનામું હજુ સુધી ઉમેર્યું.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,કોઈ સરનામું હજુ સુધી ઉમેર્યું.
DocType: Workstation Working Hour,Workstation Working Hour,વર્કસ્ટેશન કામ કલાક
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,એનાલિસ્ટ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,એનાલિસ્ટ
DocType: Item,Inventory,ઈન્વેન્ટરી
DocType: Item,Sales Details,સેલ્સ વિગતો
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,વસ્તુઓ સાથે
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,Qty માં
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,Qty માં
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,વિદ્યાર્થી જૂથમાં વિદ્યાર્થીઓ પ્રવેશ કોર્સ માન્ય
DocType: Notification Control,Expense Claim Rejected,ખર્ચ દાવો નકારી
DocType: Item,Item Attribute,વસ્તુ એટ્રીબ્યુટ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,સરકાર
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,સરકાર
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,ખર્ચ દાવો {0} પહેલાથી જ વાહન પ્રવેશ અસ્તિત્વમાં
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,સંસ્થાનું નામ
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,સંસ્થાનું નામ
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,ચુકવણી રકમ દાખલ કરો
apps/erpnext/erpnext/config/stock.py +300,Item Variants,વસ્તુ ચલો
DocType: Company,Services,સેવાઓ
@@ -1477,18 +1488,18 @@
DocType: Sales Invoice,Source,સોર્સ
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,બતાવો બંધ
DocType: Leave Type,Is Leave Without Pay,પગાર વિના છોડી દો
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,એસેટ વર્ગ સ્થિર એસેટ આઇટમ માટે ફરજિયાત છે
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,એસેટ વર્ગ સ્થિર એસેટ આઇટમ માટે ફરજિયાત છે
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,આ ચુકવણી ટેબલ માં શોધી કોઈ રેકોર્ડ
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},આ {0} સાથે તકરાર {1} માટે {2} {3}
DocType: Student Attendance Tool,Students HTML,વિદ્યાર્થીઓ HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,નાણાકીય વર્ષ શરૂ તારીખ
DocType: POS Profile,Apply Discount,ડિસ્કાઉન્ટ લાગુ
+DocType: Purchase Invoice Item,GST HSN Code,જીએસટી HSN કોડ
DocType: Employee External Work History,Total Experience,કુલ અનુભવ
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,ઓપન પ્રોજેક્ટ્સ
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,રદ પેકિંગ કાપલી (ઓ)
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,રોકાણ કેશ ફ્લો
DocType: Program Course,Program Course,કાર્યક્રમ કોર્સ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,નૂર અને ફોરવર્ડિંગ સમાયોજિત
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,નૂર અને ફોરવર્ડિંગ સમાયોજિત
DocType: Homepage,Company Tagline for website homepage,વેબસાઇટ હોમપેજ માટે કંપની ટૅગલાઇન
DocType: Item Group,Item Group Name,વસ્તુ ગ્રુપ નામ
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,લેવામાં
@@ -1498,6 +1509,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,લીડ્સ બનાવો
DocType: Maintenance Schedule,Schedules,ફ્લાઈટ શેડ્યુલ
DocType: Purchase Invoice Item,Net Amount,ચોખ્ખી રકમ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} સબમિટ કરવામાં આવી નથી જેથી ક્રિયા પૂર્ણ કરી શકાતી નથી
DocType: Purchase Order Item Supplied,BOM Detail No,BOM વિગતવાર કોઈ
DocType: Landed Cost Voucher,Additional Charges,વધારાના ખર્ચ
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),વધારાના ડિસ્કાઉન્ટ રકમ (કંપની ચલણ)
@@ -1513,6 +1525,7 @@
DocType: Employee Loan,Monthly Repayment Amount,માસિક ચુકવણી રકમ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,કર્મચારીનું ભૂમિકા સુયોજિત કરવા માટે એક કર્મચારી રેકોર્ડ વપરાશકર્તા ID ક્ષેત્ર સુયોજિત કરો
DocType: UOM,UOM Name,UOM નામ
+DocType: GST HSN Code,HSN Code,HSN કોડ
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,ફાળાની રકમ
DocType: Purchase Invoice,Shipping Address,પહોંચાડવાનું સરનામું
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,આ સાધન તમે અપડેટ અથવા સિસ્ટમ સ્ટોક જથ્થો અને મૂલ્યાંકન સુધારવા માટે મદદ કરે છે. તે સામાન્ય રીતે સિસ્ટમ મૂલ્યો અને શું ખરેખર તમારા વખારો માં અસ્તિત્વમાં સુમેળ કરવા માટે વપરાય છે.
@@ -1523,17 +1536,16 @@
DocType: Program Enrollment Tool,Program Enrollments,કાર્યક્રમ પ્રવેશ
DocType: Sales Invoice Item,Brand Name,બ્રાન્ડ નામ
DocType: Purchase Receipt,Transporter Details,ટ્રાન્સપોર્ટર વિગતો
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,મૂળભૂત વેરહાઉસ પસંદ આઇટમ માટે જરૂરી છે
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,બોક્સ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,મૂળભૂત વેરહાઉસ પસંદ આઇટમ માટે જરૂરી છે
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,બોક્સ
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,શક્ય પુરવઠોકર્તા
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,સંસ્થા
DocType: Budget,Monthly Distribution,માસિક વિતરણ
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,રીસીવર સૂચિ ખાલી છે. રીસીવર યાદી બનાવવા કરો
DocType: Production Plan Sales Order,Production Plan Sales Order,ઉત્પાદન યોજના વેચાણ ઓર્ડર
DocType: Sales Partner,Sales Partner Target,વેચાણ ભાગીદાર લક્ષ્યાંક
DocType: Loan Type,Maximum Loan Amount,મહત્તમ લોન રકમ
DocType: Pricing Rule,Pricing Rule,પ્રાઇસીંગ નિયમ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},વિદ્યાર્થી માટે ડુપ્લિકેટ રોલ નંબર {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},વિદ્યાર્થી માટે ડુપ્લિકેટ રોલ નંબર {0}
DocType: Budget,Action if Annual Budget Exceeded,જો વાર્ષિક બજેટ વટાવી ક્રિયા
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,ઓર્ડર ખરીદી સામગ્રી વિનંતી
DocType: Shopping Cart Settings,Payment Success URL,ચુકવણી સફળતા URL
@@ -1546,11 +1558,11 @@
DocType: C-Form,III,ત્રીજા
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,ખુલવાનો સ્ટોક બેલેન્સ
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} માત્ર એક જ વાર દેખાય જ જોઈએ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},વધુ tranfer માટે મંજૂરી નથી {0} કરતાં {1} ખરીદી ઓર્ડર સામે {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},વધુ tranfer માટે મંજૂરી નથી {0} કરતાં {1} ખરીદી ઓર્ડર સામે {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},માટે સફળતાપૂર્વક સોંપાયેલ પાંદડાઓ {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,કોઈ વસ્તુઓ પૅક કરવા માટે
DocType: Shipping Rule Condition,From Value,ભાવ પ્રતિ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,ઉત્પાદન જથ્થો ફરજિયાત છે
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,ઉત્પાદન જથ્થો ફરજિયાત છે
DocType: Employee Loan,Repayment Method,ચુકવણી પદ્ધતિ
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","જો ચકાસાયેલ છે, મુખ્ય પૃષ્ઠ પાનું વેબસાઇટ માટે મૂળભૂત વસ્તુ ગ્રુપ હશે"
DocType: Quality Inspection Reading,Reading 4,4 વાંચન
@@ -1560,7 +1572,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},રો # {0}: ક્લિયરન્સ તારીખ {1} પહેલાં ચેક તારીખ ન હોઈ શકે {2}
DocType: Company,Default Holiday List,રજા યાદી મૂળભૂત
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},રો {0}: પ્રતિ સમય અને સમય {1} સાથે ઓવરલેપિંગ છે {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,સ્ટોક જવાબદારીઓ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,સ્ટોક જવાબદારીઓ
DocType: Purchase Invoice,Supplier Warehouse,પુરવઠોકર્તા વેરહાઉસ
DocType: Opportunity,Contact Mobile No,સંપર્ક મોબાઈલ નં
,Material Requests for which Supplier Quotations are not created,"પુરવઠોકર્તા સુવાકયો બનાવવામાં આવે છે, જેના માટે સામગ્રી અરજીઓ"
@@ -1571,35 +1583,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,અવતરણ બનાવો
apps/erpnext/erpnext/config/selling.py +216,Other Reports,અન્ય અહેવાલો
DocType: Dependent Task,Dependent Task,આશ્રિત ટાસ્ક
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},માપવા એકમ મૂળભૂત માટે રૂપાંતર પરિબળ પંક્તિ માં 1 હોવા જ જોઈએ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},માપવા એકમ મૂળભૂત માટે રૂપાંતર પરિબળ પંક્તિ માં 1 હોવા જ જોઈએ {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},પ્રકાર રજા {0} કરતાં લાંબા સમય સુધી ન હોઈ શકે {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,અગાઉથી X દિવસ માટે કામગીરી આયોજન કરવાનો પ્રયાસ કરો.
DocType: HR Settings,Stop Birthday Reminders,સ્ટોપ જન્મદિવસ રિમાઇન્ડર્સ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},કંપની મૂળભૂત પગારપત્રક ચૂકવવાપાત્ર એકાઉન્ટ સેટ કૃપા કરીને {0}
DocType: SMS Center,Receiver List,રીસીવર યાદી
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,શોધ વસ્તુ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,શોધ વસ્તુ
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,કમ્પોનન્ટ રકમ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,કેશ કુલ ફેરફાર
DocType: Assessment Plan,Grading Scale,ગ્રેડીંગ સ્કેલ
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,મેઝર {0} એકમ રૂપાંતર ફેક્ટર ટેબલ એક કરતા વધુ વખત દાખલ કરવામાં આવી છે
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,મેઝર {0} એકમ રૂપાંતર ફેક્ટર ટેબલ એક કરતા વધુ વખત દાખલ કરવામાં આવી છે
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,પહેલેથી જ પૂર્ણ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,સ્ટોક હેન્ડ માં
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},ચુકવણી વિનંતી પહેલેથી હાજર જ છે {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,બહાર પાડેલી વસ્તુઓ કિંમત
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},જથ્થો કરતાં વધુ ન હોવું જોઈએ {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,અગાઉના નાણાકીય વર્ષમાં બંધ છે
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),ઉંમર (દિવસ)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),ઉંમર (દિવસ)
DocType: Quotation Item,Quotation Item,અવતરણ વસ્તુ
+DocType: Customer,Customer POS Id,ગ્રાહક POS Id
DocType: Account,Account Name,ખાતાનું નામ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,તારીખ તારીખ કરતાં વધારે ન હોઈ શકે થી
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,સીરીયલ કોઈ {0} જથ્થો {1} એક અપૂર્ણાંક ન હોઈ શકે
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,પુરવઠોકર્તા પ્રકાર માસ્ટર.
DocType: Purchase Order Item,Supplier Part Number,પુરવઠોકર્તા ભાગ સંખ્યા
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,રૂપાંતરણ દર 0 અથવા 1 હોઇ શકે છે નથી કરી શકો છો
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,રૂપાંતરણ દર 0 અથવા 1 હોઇ શકે છે નથી કરી શકો છો
DocType: Sales Invoice,Reference Document,સંદર્ભ દસ્તાવેજ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} રદ અથવા બંધ છે
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} રદ અથવા બંધ છે
DocType: Accounts Settings,Credit Controller,ક્રેડિટ કંટ્રોલર
DocType: Delivery Note,Vehicle Dispatch Date,વાહન રવાનગી તારીખ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,ખરીદી રસીદ {0} અપર્ણ ન કરાય
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,ખરીદી રસીદ {0} અપર્ણ ન કરાય
DocType: Company,Default Payable Account,મૂળભૂત ચૂકવવાપાત્ર એકાઉન્ટ
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","આવા શીપીંગ નિયમો, ભાવ યાદી વગેરે શોપિંગ કાર્ટ માટે સુયોજનો"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% ગણાવી
@@ -1618,11 +1632,12 @@
DocType: Expense Claim,Total Amount Reimbursed,કુલ રકમ reimbursed
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,આ વાહન સામે લોગ પર આધારિત છે. વિગતો માટે નીચે જુઓ ટાઇમલાઇન
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,એકત્રિત
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},પુરવઠોકર્તા સામે ભરતિયું {0} ના રોજ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},પુરવઠોકર્તા સામે ભરતિયું {0} ના રોજ {1}
DocType: Customer,Default Price List,ડિફૉલ્ટ ભાવ યાદી
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,એસેટ ચળવળ રેકોર્ડ {0} બનાવવામાં
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,તમે કાઢી શકતા નથી ફિસ્કલ વર્ષ {0}. ફિસ્કલ વર્ષ {0} વૈશ્વિક સેટિંગ્સ મૂળભૂત તરીકે સુયોજિત છે
DocType: Journal Entry,Entry Type,એન્ટ્રી પ્રકાર
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,કોઈ આકારણી યોજના આ આકારણી જૂથ સાથે જોડાયેલા
,Customer Credit Balance,ગ્રાહક ક્રેડિટ બેલેન્સ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,ચૂકવવાપાત્ર હિસાબ નેટ બદલો
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount','Customerwise ડિસ્કાઉન્ટ' માટે જરૂરી ગ્રાહક
@@ -1630,7 +1645,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,પ્રાઇસીંગ
DocType: Quotation,Term Details,શબ્દ વિગતો
DocType: Project,Total Sales Cost (via Sales Order),કુલ વેચાણ કિંમત (સેલ્સ ઓર્ડર મારફતે)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,{0} આ વિદ્યાર્થી જૂથ માટે વિદ્યાર્થીઓ કરતાં વધુ નોંધણી કરી શકતા નથી.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,{0} આ વિદ્યાર્થી જૂથ માટે વિદ્યાર્થીઓ કરતાં વધુ નોંધણી કરી શકતા નથી.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,લીડ કાઉન્ટ
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} 0 કરતાં મોટી હોવી જ જોઈએ
DocType: Manufacturing Settings,Capacity Planning For (Days),(દિવસ) માટે ક્ષમતા આયોજન
@@ -1651,7 +1666,7 @@
DocType: Sales Invoice,Packed Items,પેક વસ્તુઓ
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,સીરીયલ નંબર સામે વોરંટી દાવાની
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM",તે વપરાય છે જ્યાં અન્ય તમામ BOMs ચોક્કસ BOM બદલો. તે જૂના BOM લિંક બદલો કિંમત સુધારા અને નવી BOM મુજબ "BOM વિસ્ફોટ વસ્તુ" ટેબલ પુનર્જીવિત કરશે
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','કુલ'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','કુલ'
DocType: Shopping Cart Settings,Enable Shopping Cart,શોપિંગ કાર્ટ સક્ષમ
DocType: Employee,Permanent Address,કાયમી સરનામું
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1667,9 +1682,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,થો અથવા મૂલ્યાંકન દર અથવા બંને ક્યાં સ્પષ્ટ કરો
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,પરિપૂર્ણતા
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,કાર્ટ માં જુઓ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,માર્કેટિંગ ખર્ચ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,માર્કેટિંગ ખર્ચ
,Item Shortage Report,વસ્તુ અછત રિપોર્ટ
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","વજન \ n કૃપા કરીને પણ "વજન UOM" ઉલ્લેખ, ઉલ્લેખ કર્યો છે"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","વજન \ n કૃપા કરીને પણ "વજન UOM" ઉલ્લેખ, ઉલ્લેખ કર્યો છે"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,સામગ્રી વિનંતી આ સ્ટોક એન્ટ્રી બનાવવા માટે વપરાય
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,આગળ અવમૂલ્યન તારીખ નવા એસેટ માટે ફરજિયાત છે
DocType: Student Group Creation Tool,Separate course based Group for every Batch,દરેક બેચ માટે અલગ અભ્યાસક્રમ આધારિત ગ્રુપ
@@ -1678,17 +1693,18 @@
,Student Fee Collection,વિદ્યાર્થી ફી કલેક્શન
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,દરેક સ્ટોક ચળવળ માટે એકાઉન્ટિંગ પ્રવેશ કરો
DocType: Leave Allocation,Total Leaves Allocated,કુલ પાંદડા સોંપાયેલ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},રો કોઈ જરૂરી વેરહાઉસ {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,માન્ય નાણાકીય વર્ષ શરૂઆત અને અંતિમ તારીખ દાખલ કરો
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},રો કોઈ જરૂરી વેરહાઉસ {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,માન્ય નાણાકીય વર્ષ શરૂઆત અને અંતિમ તારીખ દાખલ કરો
DocType: Employee,Date Of Retirement,નિવૃત્તિ તારીખ
DocType: Upload Attendance,Get Template,નમૂના મેળવવા
+DocType: Material Request,Transferred,પર સ્થાનાંતરિત કરવામાં આવી
DocType: Vehicle,Doors,દરવાજા
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext સેટઅપ પૂર્ણ કરો!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext સેટઅપ પૂર્ણ કરો!
DocType: Course Assessment Criteria,Weightage,ભારાંકન
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: આ કિંમત કેન્દ્ર 'નફો અને નુકસાનનું' એકાઉન્ટ માટે જરૂરી છે {2}. કૃપા કરીને કંપની માટે મૂળભૂત કિંમત કેન્દ્ર સુયોજિત કરો.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,એક ગ્રાહક જૂથ જ નામ સાથે હાજર ગ્રાહક નામ બદલી અથવા ગ્રાહક જૂથ નામ બદલી કૃપા કરીને
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,ન્યૂ સંપર્ક
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,એક ગ્રાહક જૂથ જ નામ સાથે હાજર ગ્રાહક નામ બદલી અથવા ગ્રાહક જૂથ નામ બદલી કૃપા કરીને
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,ન્યૂ સંપર્ક
DocType: Territory,Parent Territory,પિતૃ પ્રદેશ
DocType: Quality Inspection Reading,Reading 2,2 વાંચન
DocType: Stock Entry,Material Receipt,સામગ્રી રસીદ
@@ -1697,17 +1713,16 @@
DocType: Employee,AB+,એબી +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","આ આઇટમ ચલો છે, તો પછી તે વેચાણ ઓર્ડર વગેરે પસંદ કરી શકાતી નથી"
DocType: Lead,Next Contact By,આગામી સંપર્ક
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},પંક્તિ માં વસ્તુ {0} માટે જરૂરી જથ્થો {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},જથ્થો વસ્તુ માટે અસ્તિત્વમાં તરીકે વેરહાઉસ {0} કાઢી શકાતી નથી {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},પંક્તિ માં વસ્તુ {0} માટે જરૂરી જથ્થો {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},જથ્થો વસ્તુ માટે અસ્તિત્વમાં તરીકે વેરહાઉસ {0} કાઢી શકાતી નથી {1}
DocType: Quotation,Order Type,ઓર્ડર પ્રકાર
DocType: Purchase Invoice,Notification Email Address,સૂચના ઇમેઇલ સરનામું
,Item-wise Sales Register,વસ્તુ મુજબના સેલ્સ રજિસ્ટર
DocType: Asset,Gross Purchase Amount,કુલ ખરીદી જથ્થો
DocType: Asset,Depreciation Method,અવમૂલ્યન પદ્ધતિ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,ઑફલાઇન
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,ઑફલાઇન
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,મૂળભૂત દર માં સમાવેલ આ કર છે?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,કુલ લક્ષ્યાંકના
-DocType: Program Course,Required,જરૂરી
DocType: Job Applicant,Applicant for a Job,નોકરી માટે અરજી
DocType: Production Plan Material Request,Production Plan Material Request,ઉત્પાદન યોજના સામગ્રી વિનંતી
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,બનાવવામાં કોઈ ઉત્પાદન ઓર્ડર્સ
@@ -1716,17 +1731,17 @@
DocType: Purchase Invoice Item,Batch No,બેચ કોઈ
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,એક ગ્રાહક ખરીદી ઓર્ડર સામે બહુવિધ વેચાણ ઓર્ડર માટે પરવાનગી આપે છે
DocType: Student Group Instructor,Student Group Instructor,વિદ્યાર્થીઓની જૂથ પ્રશિક્ષક
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 મોબાઇલ કોઈ
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,મુખ્ય
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 મોબાઇલ કોઈ
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,મુખ્ય
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,વેરિએન્ટ
DocType: Naming Series,Set prefix for numbering series on your transactions,તમારા વ્યવહારો પર શ્રેણી નંબર માટે સેટ ઉપસર્ગ
DocType: Employee Attendance Tool,Employees HTML,કર્મચારીઓ HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,મૂળભૂત BOM ({0}) આ આઇટમ અથવા તેના નમૂના માટે સક્રિય હોવા જ જોઈએ
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,મૂળભૂત BOM ({0}) આ આઇટમ અથવા તેના નમૂના માટે સક્રિય હોવા જ જોઈએ
DocType: Employee,Leave Encashed?,વટાવી છોડી?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ક્ષેત્રમાં પ્રતિ તક ફરજિયાત છે
DocType: Email Digest,Annual Expenses,વાર્ષિક ખર્ચ
DocType: Item,Variants,ચલો
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,ખરીદી ઓર્ડર બનાવો
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,ખરીદી ઓર્ડર બનાવો
DocType: SMS Center,Send To,ને મોકલવું
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},છોડો પ્રકાર માટે પૂરતી રજા બેલેન્સ નથી {0}
DocType: Payment Reconciliation Payment,Allocated amount,ફાળવેલ રકમ
@@ -1740,26 +1755,25 @@
DocType: Supplier,Statutory info and other general information about your Supplier,તમારા સપ્લાયર વિશે વૈધાિનક માહિતી અને અન્ય સામાન્ય માહિતી
DocType: Item,Serial Nos and Batches,સીરીયલ સંખ્યા અને બૅચેસ
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,વિદ્યાર્થીઓની જૂથ સ્ટ્રેન્થ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,જર્નલ સામે એન્ટ્રી {0} કોઈપણ મેળ ન ખાતી {1} પ્રવેશ નથી
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,જર્નલ સામે એન્ટ્રી {0} કોઈપણ મેળ ન ખાતી {1} પ્રવેશ નથી
apps/erpnext/erpnext/config/hr.py +137,Appraisals,appraisals
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},સીરીયલ કોઈ વસ્તુ માટે દાખલ ડુપ્લિકેટ {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,એક શિપિંગ નિયમ માટે એક શરત
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,દાખલ કરો
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","સળંગ આઇટમ {0} માટે overbill શકાતું નથી {1} કરતાં વધુ {2}. ઓવર બિલિંગ પરવાનગી આપવા માટે, સેટિંગ્સ ખરીદવી સેટ કૃપા કરીને"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,આઇટમ અથવા વેરહાઉસ પર આધારિત ફિલ્ટર સેટ
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","સળંગ આઇટમ {0} માટે overbill શકાતું નથી {1} કરતાં વધુ {2}. ઓવર બિલિંગ પરવાનગી આપવા માટે, સેટિંગ્સ ખરીદવી સેટ કૃપા કરીને"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,આઇટમ અથવા વેરહાઉસ પર આધારિત ફિલ્ટર સેટ
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),આ પેકેજની નેટ વજન. (વસ્તુઓ નેટ વજન રકમ તરીકે આપોઆપ ગણતરી)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,આ વેરહાઉસ માટે એક એકાઉન્ટ બનાવો અને તે લિંક કરો. આ આપોઆપ નામ સાથે એકાઉન્ટ તરીકે કરી શકાય છે {0} પહેલાથી જ અસ્તિત્વમાં છે
DocType: Sales Order,To Deliver and Bill,વિતરિત અને બિલ
DocType: Student Group,Instructors,પ્રશિક્ષકો
DocType: GL Entry,Credit Amount in Account Currency,એકાઉન્ટ કરન્સી ક્રેડિટ રકમ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} સબમિટ હોવું જ જોઈએ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} સબમિટ હોવું જ જોઈએ
DocType: Authorization Control,Authorization Control,અધિકૃતિ નિયંત્રણ
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ROW # {0}: વેરહાઉસ નકારેલું ફગાવી વસ્તુ સામે ફરજિયાત છે {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ROW # {0}: વેરહાઉસ નકારેલું ફગાવી વસ્તુ સામે ફરજિયાત છે {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,ચુકવણી
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","વેરહાઉસ {0} કોઈપણ એકાઉન્ટ સાથે સંકળાયેલ નથી, તો કૃપા કરીને કંપનીમાં વેરહાઉસ રેકોર્ડમાં એકાઉન્ટ અથવા સેટ મૂળભૂત યાદી એકાઉન્ટ ઉલ્લેખ {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,તમારા ઓર્ડર મેનેજ
DocType: Production Order Operation,Actual Time and Cost,વાસ્તવિક સમય અને ખર્ચ
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},મહત્તમ {0} ના સામગ્રી વિનંતી {1} વેચાણ ઓર્ડર સામે વસ્તુ માટે કરી શકાય છે {2}
-DocType: Employee,Salutation,નમસ્કાર
DocType: Course,Course Abbreviation,કોર્સ સંક્ષેપનો
DocType: Student Leave Application,Student Leave Application,વિદ્યાર્થી છોડો અરજી
DocType: Item,Will also apply for variants,પણ ચલો માટે લાગુ પડશે
@@ -1771,12 +1785,12 @@
DocType: Quotation Item,Actual Qty,વાસ્તવિક Qty
DocType: Sales Invoice Item,References,સંદર્ભો
DocType: Quality Inspection Reading,Reading 10,10 વાંચન
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","તમે ખરીદી અથવા વેચાણ કે તમારા ઉત્પાદનો અથવા સેવાઓ યાદી. તમે શરૂ કરો છો ત્યારે માપ અને અન્ય ગુણધર્મો આઇટમ ગ્રુપ, એકમ ચકાસવા માટે ખાતરી કરો."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","તમે ખરીદી અથવા વેચાણ કે તમારા ઉત્પાદનો અથવા સેવાઓ યાદી. તમે શરૂ કરો છો ત્યારે માપ અને અન્ય ગુણધર્મો આઇટમ ગ્રુપ, એકમ ચકાસવા માટે ખાતરી કરો."
DocType: Hub Settings,Hub Node,હબ નોડ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,તમે નકલી વસ્તુઓ દાખલ કર્યો છે. સુધારવું અને ફરીથી પ્રયાસ કરો.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,એસોસિયેટ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,એસોસિયેટ
DocType: Asset Movement,Asset Movement,એસેટ ચળવળ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,ન્યૂ કાર્ટ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,ન્યૂ કાર્ટ
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,{0} વસ્તુ એક શ્રેણીબદ્ધ વસ્તુ નથી
DocType: SMS Center,Create Receiver List,રીસીવર યાદી બનાવો
DocType: Vehicle,Wheels,વ્હિલ્સ
@@ -1796,19 +1810,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',અથવા 'અગાઉના પંક્તિ કુલ' 'અગાઉના પંક્તિ રકમ પર' ચાર્જ પ્રકાર છે તો જ પંક્તિ નો સંદર્ભ લો કરી શકો છો
DocType: Sales Order Item,Delivery Warehouse,ડ લવર વેરહાઉસ
DocType: SMS Settings,Message Parameter,સંદેશ પરિમાણ
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,નાણાકીય ખર્ચ કેન્દ્રો વૃક્ષ.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,નાણાકીય ખર્ચ કેન્દ્રો વૃક્ષ.
DocType: Serial No,Delivery Document No,ડ લવર દસ્તાવેજ કોઈ
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},કંપની એસેટ નિકાલ પર ગેઇન / નુકશાન એકાઉન્ટ 'સુયોજિત કરો {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,ખરીદી રસીદો વસ્તુઓ મેળવો
DocType: Serial No,Creation Date,સર્જન તારીખ
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},{0} વસ્તુ ભાવ યાદી ઘણી વખત દેખાય {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","માટે લાગુ તરીકે પસંદ કરેલ છે તે વેચાણ, ચકાસાયેલ જ હોવું જોઈએ {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","માટે લાગુ તરીકે પસંદ કરેલ છે તે વેચાણ, ચકાસાયેલ જ હોવું જોઈએ {0}"
DocType: Production Plan Material Request,Material Request Date,સામગ્રી વિનંતી તારીખ
DocType: Purchase Order Item,Supplier Quotation Item,પુરવઠોકર્તા અવતરણ વસ્તુ
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,ઉત્પાદન ઓર્ડર સામે સમય લોગ બનાવટને નિષ્ક્રિય કરે. ઓપરેશન્સ ઉત્પાદન ઓર્ડર સામે ટ્રેક કરી નહિ
DocType: Student,Student Mobile Number,વિદ્યાર્થી મોબાઇલ નંબર
DocType: Item,Has Variants,ચલો છે
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},જો તમે પહેલાથી જ વસ્તુઓ પસંદ કરેલ {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},જો તમે પહેલાથી જ વસ્તુઓ પસંદ કરેલ {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,માસિક વિતરણ નામ
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,બૅચ ID ફરજિયાત છે
DocType: Sales Person,Parent Sales Person,પિતૃ વેચાણ વ્યક્તિ
@@ -1818,12 +1832,12 @@
DocType: Budget,Fiscal Year,નાણાકીય વર્ષ
DocType: Vehicle Log,Fuel Price,ફ્યુઅલ પ્રાઈસ
DocType: Budget,Budget,બજેટ
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,સ્થિર એસેટ વસ્તુ નોન-સ્ટોક વસ્તુ હોવી જ જોઈએ.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,સ્થિર એસેટ વસ્તુ નોન-સ્ટોક વસ્તુ હોવી જ જોઈએ.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",તે આવક અથવા ખર્ચ એકાઉન્ટ નથી તરીકે બજેટ સામે {0} અસાઇન કરી શકાતી નથી
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,પ્રાપ્ત
DocType: Student Admission,Application Form Route,અરજી ફોર્મ રૂટ
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,પ્રદેશ / ગ્રાહક
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,દા.ત. 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,દા.ત. 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,છોડો પ્રકાર {0} ફાળવવામાં કરી શકાતી નથી કારણ કે તે પગાર વિના છોડી
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},રો {0}: સોંપાયેલ રકમ {1} કરતાં ઓછી હોઈ શકે છે અથવા બાકી રકમ ભરતિયું બરાબર જ જોઈએ {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,તમે વેચાણ ભરતિયું સેવ વાર શબ્દો દૃશ્યમાન થશે.
@@ -1832,7 +1846,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,{0} વસ્તુ સીરીયલ અમે માટે સુયોજિત નથી. વસ્તુ માસ્ટર તપાસો
DocType: Maintenance Visit,Maintenance Time,જાળવણી સમય
,Amount to Deliver,જથ્થો પહોંચાડવા માટે
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,ઉત્પાદન અથવા સેવા
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,ઉત્પાદન અથવા સેવા
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ટર્મ પ્રારંભ તારીખ કરતાં શૈક્ષણિક વર્ષ શરૂ તારીખ શબ્દ સાથે કડી થયેલ છે અગાઉ ન હોઈ શકે (શૈક્ષણિક વર્ષ {}). તારીખો સુધારવા અને ફરીથી પ્રયાસ કરો.
DocType: Guardian,Guardian Interests,ગાર્ડિયન રૂચિ
DocType: Naming Series,Current Value,વર્તમાન કિંમત
@@ -1846,12 +1860,12 @@
must be greater than or equal to {2}","રો {0}: સુયોજિત કરવા માટે {1} સમયગાળાના, અને તારીખ \ વચ્ચે તફાવત કરતાં વધારે અથવા સમાન હોવો જોઈએ {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,આ સ્ટોક ચળવળ પર આધારિત છે. જુઓ {0} વિગતો માટે
DocType: Pricing Rule,Selling,વેચાણ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},રકમ {0} {1} સામે બાદ {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},રકમ {0} {1} સામે બાદ {2}
DocType: Employee,Salary Information,પગાર માહિતી
DocType: Sales Person,Name and Employee ID,નામ અને કર્મચારી ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,કારણે તારીખ તારીખ પોસ્ટ કરતા પહેલા ન હોઈ શકે
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,કારણે તારીખ તારીખ પોસ્ટ કરતા પહેલા ન હોઈ શકે
DocType: Website Item Group,Website Item Group,વેબસાઇટ વસ્તુ ગ્રુપ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,કર અને વેરામાંથી
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,કર અને વેરામાંથી
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,સંદર્ભ તારીખ દાખલ કરો
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} ચુકવણી પ્રવેશો દ્વારા ફિલ્ટર કરી શકતા નથી {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,વેબ સાઇટ બતાવવામાં આવશે કે વસ્તુ માટે કોષ્ટક
@@ -1868,9 +1882,9 @@
DocType: Payment Reconciliation Payment,Reference Row,સંદર્ભ રો
DocType: Installation Note,Installation Time,સ્થાપન સમયે
DocType: Sales Invoice,Accounting Details,હિસાબી વિગતો
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,આ કંપની માટે તમામ વ્યવહારો કાઢી નાખો
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,ROW # {0}: ઓપરેશન {1} ઉત્પાદન સમાપ્ત માલ {2} Qty માટે પૂર્ણ નથી ઓર્ડર # {3}. સમય લોગ મારફતે કામગીરી સ્થિતિ અપડેટ કરો
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,રોકાણો
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,આ કંપની માટે તમામ વ્યવહારો કાઢી નાખો
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,ROW # {0}: ઓપરેશન {1} ઉત્પાદન સમાપ્ત માલ {2} Qty માટે પૂર્ણ નથી ઓર્ડર # {3}. સમય લોગ મારફતે કામગીરી સ્થિતિ અપડેટ કરો
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,રોકાણો
DocType: Issue,Resolution Details,ઠરાવ વિગતો
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,ફાળવણી
DocType: Item Quality Inspection Parameter,Acceptance Criteria,સ્વીકૃતિ માપદંડ
@@ -1895,7 +1909,7 @@
DocType: Room,Room Name,રૂમ નામ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","રજા બેલેન્સ પહેલેથી કેરી આગળ ભવિષ્યમાં રજા ફાળવણી રેકોર્ડ કરવામાં આવી છે, પહેલાં {0} રદ / લાગુ કરી શકાય નહીં છોડો {1}"
DocType: Activity Cost,Costing Rate,પડતર દર
-,Customer Addresses And Contacts,ગ્રાહક સરનામાં અને સંપર્કો
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,ગ્રાહક સરનામાં અને સંપર્કો
,Campaign Efficiency,ઝુંબેશ કાર્યક્ષમતા
DocType: Discussion,Discussion,ચર્ચા
DocType: Payment Entry,Transaction ID,ટ્રાન્ઝેક્શન આઈડી
@@ -1905,14 +1919,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),કુલ બિલિંગ રકમ (સમયનો શીટ મારફતે)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,પુનરાવર્તન ગ્રાહક આવક
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) ભૂમિકા 'ખર્ચ તાજનો' હોવી જ જોઈએ
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,જોડી
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,ઉત્પાદન માટે BOM અને ક્વાલિટી પસંદ કરો
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,જોડી
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,ઉત્પાદન માટે BOM અને ક્વાલિટી પસંદ કરો
DocType: Asset,Depreciation Schedule,અવમૂલ્યન સૂચિ
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,વેચાણ ભાગીદાર સરનામાં અને સંપર્કો
DocType: Bank Reconciliation Detail,Against Account,એકાઉન્ટ સામે
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,અડધા દિવસ તારીખ તારીખ થી અને તારીખ વચ્ચે પ્રયત્ન કરીશું
DocType: Maintenance Schedule Detail,Actual Date,વાસ્તવિક તારીખ
DocType: Item,Has Batch No,બેચ કોઈ છે
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},વાર્ષિક બિલિંગ: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},વાર્ષિક બિલિંગ: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),ગુડ્ઝ એન્ડ સર્વિસ ટેક્સ (જીએસટી ઈન્ડિયા)
DocType: Delivery Note,Excise Page Number,એક્સાઇઝ પાનાં ક્રમાંક
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","કંપની, તારીખ થી અને તારીખ ફરજિયાત છે"
DocType: Asset,Purchase Date,ખરીદ તારીખ
@@ -1920,11 +1936,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},કંપની એસેટ અવમૂલ્યન કિંમત કેન્દ્ર 'સુયોજિત કરો {0}
,Maintenance Schedules,જાળવણી શેડ્યુલ
DocType: Task,Actual End Date (via Time Sheet),વાસ્તવિક ઓવરને તારીખ (સમયનો શીટ મારફતે)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},રકમ {0} {1} સામે {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},રકમ {0} {1} સામે {2} {3}
,Quotation Trends,અવતરણ પ્રવાહો
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},વસ્તુ ગ્રુપ આઇટમ માટે વસ્તુ માસ્ટર ઉલ્લેખ નથી {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,એકાઉન્ટ ડેબિટ એક પ્રાપ્ત એકાઉન્ટ હોવું જ જોઈએ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},વસ્તુ ગ્રુપ આઇટમ માટે વસ્તુ માસ્ટર ઉલ્લેખ નથી {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,એકાઉન્ટ ડેબિટ એક પ્રાપ્ત એકાઉન્ટ હોવું જ જોઈએ
DocType: Shipping Rule Condition,Shipping Amount,શીપીંગ રકમ
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,ગ્રાહકો ઉમેરો
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,બાકી રકમ
DocType: Purchase Invoice Item,Conversion Factor,રૂપાંતર ફેક્ટર
DocType: Purchase Order,Delivered,વિતરિત
@@ -1934,7 +1951,8 @@
DocType: Purchase Receipt,Vehicle Number,વાહન સંખ્યા
DocType: Purchase Invoice,The date on which recurring invoice will be stop,રિકરિંગ ભરતિયું સ્ટોપ હશે કે જેના પર તારીખ
DocType: Employee Loan,Loan Amount,લોન રકમ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},રો {0}: મટીરીયલ્સ બિલ આઇટમ માટે મળી નથી {1}
+DocType: Program Enrollment,Self-Driving Vehicle,સેલ્ફ ડ્રાઈવીંગ વાહન
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},રો {0}: મટીરીયલ્સ બિલ આઇટમ માટે મળી નથી {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,કુલ ફાળવેલ પાંદડા {0} ઓછી ન હોઈ શકે સમયગાળા માટે પહેલાથી મંજૂર પાંદડા {1} કરતાં
DocType: Journal Entry,Accounts Receivable,મળવાપાત્ર હિસાબ
,Supplier-Wise Sales Analytics,પુરવઠોકર્તા-વાઈસ વેચાણ ઍનલિટિક્સ
@@ -1951,21 +1969,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,ખર્ચ દાવો મંજૂરી બાકી છે. માત્ર ખર્ચ તાજનો સ્થિતિ અપડેટ કરી શકો છો.
DocType: Email Digest,New Expenses,ન્યૂ ખર્ચ
DocType: Purchase Invoice,Additional Discount Amount,વધારાના ડિસ્કાઉન્ટ રકમ
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","રો # {0}: Qty, 1 હોવું જ જોઈએ, કારણ કે આઇટમ એક સ્થિર એસેટ છે. બહુવિધ Qty માટે અલગ પંક્તિ ઉપયોગ કરો."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","રો # {0}: Qty, 1 હોવું જ જોઈએ, કારણ કે આઇટમ એક સ્થિર એસેટ છે. બહુવિધ Qty માટે અલગ પંક્તિ ઉપયોગ કરો."
DocType: Leave Block List Allow,Leave Block List Allow,બ્લોક પરવાનગી સૂચિ છોડો
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,સંક્ષિપ્ત ખાલી અથવા જગ્યા ન હોઈ શકે
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,સંક્ષિપ્ત ખાલી અથવા જગ્યા ન હોઈ શકે
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,બિન-ગ્રુપ ગ્રુપ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,રમતો
DocType: Loan Type,Loan Name,લોન નામ
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,વાસ્તવિક કુલ
DocType: Student Siblings,Student Siblings,વિદ્યાર્થી બહેન
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,એકમ
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,કંપની સ્પષ્ટ કરો
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,એકમ
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,કંપની સ્પષ્ટ કરો
,Customer Acquisition and Loyalty,ગ્રાહક સંપાદન અને વફાદારી
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,તમે નકારી વસ્તુઓ સ્ટોક જાળવણી કરવામાં આવે છે જ્યાં વેરહાઉસ
DocType: Production Order,Skip Material Transfer,જાઓ સામગ્રી ટ્રાન્સફર
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,માટે વિનિમય દર શોધવામાં અસમર્થ {0} પર {1} કી તારીખ માટે {2}. ચલણ વિનિમય રેકોર્ડ મેન્યુઅલી બનાવવા કૃપા કરીને
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,તમારી નાણાકીય વર્ષ પર સમાપ્ત થાય છે
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,માટે વિનિમય દર શોધવામાં અસમર્થ {0} પર {1} કી તારીખ માટે {2}. ચલણ વિનિમય રેકોર્ડ મેન્યુઅલી બનાવવા કૃપા કરીને
DocType: POS Profile,Price List,ભાવ યાદી
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} મૂળભૂત ફિસ્કલ વર્ષ હવે છે. ફેરફાર અસર લેવા માટે કે તમારા બ્રાઉઝરને તાજું કરો.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,ખર્ચ દાવાઓ
@@ -1978,14 +1995,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},બેચ સ્ટોક બેલેન્સ {0} બનશે નકારાત્મક {1} વેરહાઉસ ખાતે વસ્તુ {2} માટે {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,સામગ્રી અરજીઓ નીચેની આઇટમ ફરીથી ક્રમમાં સ્તર પર આધારિત આપોઆપ ઊભા કરવામાં આવ્યા છે
DocType: Email Digest,Pending Sales Orders,વેચાણ ઓર્ડર બાકી
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},એકાઉન્ટ {0} અમાન્ય છે. એકાઉન્ટ કરન્સી હોવા જ જોઈએ {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},એકાઉન્ટ {0} અમાન્ય છે. એકાઉન્ટ કરન્સી હોવા જ જોઈએ {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM રૂપાંતર પરિબળ પંક્તિ જરૂરી છે {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","રો # {0}: સંદર્ભ દસ્તાવેજ પ્રકાર વેચાણ ઓર્ડર એક, સેલ્સ ભરતિયું અથવા જર્નલ પ્રવેશ હોવું જ જોઈએ"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","રો # {0}: સંદર્ભ દસ્તાવેજ પ્રકાર વેચાણ ઓર્ડર એક, સેલ્સ ભરતિયું અથવા જર્નલ પ્રવેશ હોવું જ જોઈએ"
DocType: Salary Component,Deduction,કપાત
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,રો {0}: સમય અને સમય ફરજિયાત છે.
DocType: Stock Reconciliation Item,Amount Difference,રકમ તફાવત
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},વસ્તુ ભાવ માટે ઉમેરવામાં {0} ભાવ યાદીમાં {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},વસ્તુ ભાવ માટે ઉમેરવામાં {0} ભાવ યાદીમાં {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,આ વેચાણ વ્યક્તિ કર્મચારી ID દાખલ કરો
DocType: Territory,Classification of Customers by region,પ્રદેશ દ્વારા ગ્રાહકો વર્ગીકરણ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,તફાવત રકમ શૂન્ય હોવી જોઈએ
@@ -1997,21 +2014,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,કુલ કપાત
,Production Analytics,ઉત્પાદન ઍનલિટિક્સ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,કિંમત સુધારાશે
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,કિંમત સુધારાશે
DocType: Employee,Date of Birth,જ્ન્મતારીખ
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,વસ્તુ {0} પહેલાથી જ પરત કરવામાં આવી છે
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,વસ્તુ {0} પહેલાથી જ પરત કરવામાં આવી છે
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ફિસ્કલ વર્ષ ** એક નાણાકીય વર્ષ રજૂ કરે છે. બધા હિસાબી પ્રવેશો અને અન્ય મોટા પાયાના વ્યવહારો ** ** ફિસ્કલ યર સામે ટ્રેક છે.
DocType: Opportunity,Customer / Lead Address,ગ્રાહક / લીડ સરનામું
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},ચેતવણી: જોડાણ પર અમાન્ય SSL પ્રમાણપત્ર {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},ચેતવણી: જોડાણ પર અમાન્ય SSL પ્રમાણપત્ર {0}
DocType: Student Admission,Eligibility,લાયકાત
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","તરફ દોરી જાય છે, તમે વ્યવસાય, તમારા પગલે તરીકે તમારા બધા સંપર્કો અને વધુ ઉમેરો વિચાર મદદ"
DocType: Production Order Operation,Actual Operation Time,વાસ્તવિક કામગીરી સમય
DocType: Authorization Rule,Applicable To (User),લાગુ કરો (વપરાશકર્તા)
DocType: Purchase Taxes and Charges,Deduct,કપાત
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,જોબ વર્ણન
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,જોબ વર્ણન
DocType: Student Applicant,Applied,એપ્લાઇડ
DocType: Sales Invoice Item,Qty as per Stock UOM,સ્ટોક Qty UOM મુજબ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2 નામ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 નામ
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","સિવાય ખાસ અક્ષરો "-" "." "#", અને "/" શ્રેણી નામકરણ મંજૂરી નથી"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","વેચાણ ઝુંબેશ ટ્રેક રાખો. દોરી જાય છે, સુવાકયો ટ્રૅક રાખો, વેચાણ ઓર્ડર વગેરે અભિયાન રોકાણ પર વળતર જાણવા માટે."
DocType: Expense Claim,Approver,તાજનો
@@ -2022,7 +2039,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},સીરીયલ કોઈ {0} સુધી વોરંટી હેઠળ છે {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,પેકેજોમાં વિભાજિત બોલ પર કોઈ નોંધ.
apps/erpnext/erpnext/hooks.py +87,Shipments,આવેલા શિપમેન્ટની
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,એકાઉન્ટ બેલેન્સ ({0}) {1} અને શેરના મૂલ્ય પર આધારિત છે ({2}) વેરહાઉસ માટે {3} જ હોવો જોઈએ
DocType: Payment Entry,Total Allocated Amount (Company Currency),કુલ ફાળવેલ રકમ (કંપની ચલણ)
DocType: Purchase Order Item,To be delivered to customer,ગ્રાહક પર વિતરિત કરવામાં
DocType: BOM,Scrap Material Cost,સ્ક્રેપ સામગ્રી ખર્ચ
@@ -2030,20 +2046,21 @@
DocType: Purchase Invoice,In Words (Company Currency),શબ્દો માં (કંપની ચલણ)
DocType: Asset,Supplier,પુરવઠોકર્તા
DocType: C-Form,Quarter,ક્વાર્ટર
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,લખેલા ન હોય તેવા ખર્ચ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,લખેલા ન હોય તેવા ખર્ચ
DocType: Global Defaults,Default Company,મૂળભૂત કંપની
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"ખર્ચ કે તફાવત એકાઉન્ટ વસ્તુ {0}, કે અસર સમગ્ર મૂલ્ય માટે ફરજિયાત છે"
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"ખર્ચ કે તફાવત એકાઉન્ટ વસ્તુ {0}, કે અસર સમગ્ર મૂલ્ય માટે ફરજિયાત છે"
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,બેન્ક નામ
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Above
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Above
DocType: Employee Loan,Employee Loan Account,કર્મચારીનું લોન એકાઉન્ટ
DocType: Leave Application,Total Leave Days,કુલ છોડો દિવસો
DocType: Email Digest,Note: Email will not be sent to disabled users,નોંધ: આ ઇમેઇલ નિષ્ક્રિય વપરાશકર્તાઓ માટે મોકલવામાં આવશે નહીં
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,ઇન્ટરેક્શન સંખ્યા
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,આઇટમ code> આઇટમ ગ્રુપ> બ્રાન્ડ
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,કંપની પસંદ કરો ...
DocType: Leave Control Panel,Leave blank if considered for all departments,તમામ વિભાગો માટે ગણવામાં તો ખાલી છોડી દો
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","રોજગાર પ્રકાર (કાયમી, કરાર, ઇન્ટર્ન વગેરે)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} વસ્તુ માટે ફરજિયાત છે {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} વસ્તુ માટે ફરજિયાત છે {1}
DocType: Process Payroll,Fortnightly,પાક્ષિક
DocType: Currency Exchange,From Currency,ચલણ
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","ઓછામાં ઓછા એક પંક્તિ ફાળવવામાં રકમ, ભરતિયું પ્રકાર અને ભરતિયું નંબર પસંદ કરો"
@@ -2065,7 +2082,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,શેડ્યૂલ મેળવવા માટે 'બનાવો સૂચિ' પર ક્લિક કરો
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,ત્યાં ભૂલો નીચેનાનો શેડ્યુલ કાઢતી વખતે હતા:
DocType: Bin,Ordered Quantity,આદેશ આપ્યો જથ્થો
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",દા.ત. "બિલ્ડરો માટે સાધનો બનાવો"
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",દા.ત. "બિલ્ડરો માટે સાધનો બનાવો"
DocType: Grading Scale,Grading Scale Intervals,ગ્રેડીંગ સ્કેલ અંતરાલો
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: {2} માટે એકાઉન્ટિંગ એન્ટ્રી માત્ર ચલણ કરી શકાય છે: {3}
DocType: Production Order,In Process,પ્રક્રિયામાં
@@ -2079,12 +2096,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} વિદ્યાર્થીઓના જૂથો બનાવી.
DocType: Sales Invoice,Total Billing Amount,કુલ બિલિંગ રકમ
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,ત્યાં મૂળભૂત આવતા ઇમેઇલ એકાઉન્ટ આ કામ કરવા માટે સક્ષમ હોવા જ જોઈએ. કૃપા કરીને સુયોજિત મૂળભૂત આવનારા ઇમેઇલ એકાઉન્ટ (POP / IMAP) અને ફરીથી પ્રયાસ કરો.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,પ્રાપ્ત એકાઉન્ટ
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},રો # {0}: એસેટ {1} પહેલેથી જ છે {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,પ્રાપ્ત એકાઉન્ટ
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},રો # {0}: એસેટ {1} પહેલેથી જ છે {2}
DocType: Quotation Item,Stock Balance,સ્ટોક બેલેન્સ
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,ચુકવણી માટે વેચાણ ઓર્ડર
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} સેટઅપ> સેટિંગ્સ દ્વારા> નામકરણ સિરીઝ માટે સિરીઝ નામકરણ સેટ કરો
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,સીઇઓ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,સીઇઓ
DocType: Expense Claim Detail,Expense Claim Detail,ખર્ચ દાવાની વિગત
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,યોગ્ય એકાઉન્ટ પસંદ કરો
DocType: Item,Weight UOM,વજન UOM
@@ -2093,12 +2109,12 @@
DocType: Production Order Operation,Pending,બાકી
DocType: Course,Course Name,અભ્યાસક્રમનું નામ
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,ચોક્કસ કર્મચારી રજા કાર્યક્રમો મંજૂર કરી શકો છો વપરાશકર્તાઓ કે જેઓ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,ઓફિસ સાધનો
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,ઓફિસ સાધનો
DocType: Purchase Invoice Item,Qty,Qty
DocType: Fiscal Year,Companies,કંપનીઓ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,ઇલેક્ટ્રોનિક્સ
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,સ્ટોક ફરીથી ક્રમમાં સ્તર સુધી પહોંચે છે ત્યારે સામગ્રી વિનંતી વધારો
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,આખો સમય
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,આખો સમય
DocType: Salary Structure,Employees,કર્મચારીઓની
DocType: Employee,Contact Details,સંપર્ક વિગતો
DocType: C-Form,Received Date,પ્રાપ્ત તારીખ
@@ -2108,7 +2124,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,કિંમતો બતાવવામાં આવશે નહીં તો ભાવ સૂચિ સેટ નથી
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,આ શીપીંગ નિયમ માટે એક દેશ ઉલ્લેખ કરો અથવા વિશ્વભરમાં શીપીંગ તપાસો
DocType: Stock Entry,Total Incoming Value,કુલ ઇનકમિંગ ભાવ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,ડેબિટ કરવા માટે જરૂરી છે
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,ડેબિટ કરવા માટે જરૂરી છે
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets મદદ તમારી ટીમ દ્વારા કરવામાં activites માટે સમય, ખર્ચ અને બિલિંગ ટ્રેક રાખવા"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,ખરીદી ભાવ યાદી
DocType: Offer Letter Term,Offer Term,ઓફર ગાળાના
@@ -2117,17 +2133,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,ચુકવણી રિકંસીલેશન
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,ઇનચાર્જ વ્યક્તિ નામ પસંદ કરો
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,ટેકનોલોજી
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},કુલ અવેતન: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},કુલ અવેતન: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM વેબસાઇટ કામગીરીમાં
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,પત્ર ઓફર
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,સામગ્રી અરજીઓ (MRP) અને ઉત્પાદન ઓર્ડર્સ બનાવો.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,કુલ ભરતિયું એએમટી
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,કુલ ભરતિયું એએમટી
DocType: BOM,Conversion Rate,રૂપાંતરણ દર
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,ઉત્પાદન શોધ
DocType: Timesheet Detail,To Time,સમય
DocType: Authorization Rule,Approving Role (above authorized value),(અધિકૃત કિંમત ઉપર) ભૂમિકા એપ્રૂવિંગ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,એકાઉન્ટ ક્રેડિટ ચૂકવવાપાત્ર એકાઉન્ટ હોવું જ જોઈએ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM રિકર્ઝન: {0} ના માતાપિતા અથવા બાળકને ન હોઈ શકે {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,એકાઉન્ટ ક્રેડિટ ચૂકવવાપાત્ર એકાઉન્ટ હોવું જ જોઈએ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM રિકર્ઝન: {0} ના માતાપિતા અથવા બાળકને ન હોઈ શકે {2}
DocType: Production Order Operation,Completed Qty,પૂર્ણ Qty
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","{0}, માત્ર ડેબિટ એકાઉન્ટ્સ બીજા ક્રેડિટ પ્રવેશ સામે લિંક કરી શકો છો"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,ભાવ યાદી {0} અક્ષમ છે
@@ -2138,28 +2154,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} વસ્તુ માટે જરૂરી સીરીયલ નંબર {1}. તમે પ્રદાન કરે છે {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,વર્તમાન મૂલ્યાંકન દર
DocType: Item,Customer Item Codes,ગ્રાહક વસ્તુ કોડ્સ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,એક્સચેન્જ મેળવી / નુકશાન
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,એક્સચેન્જ મેળવી / નુકશાન
DocType: Opportunity,Lost Reason,લોસ્ટ કારણ
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,નવું સરનામું
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,નવું સરનામું
DocType: Quality Inspection,Sample Size,સેમ્પલ કદ
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,રસીદ દસ્તાવેજ દાખલ કરો
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,બધી વસ્તુઓ પહેલેથી જ તેનું ભરતિયું કરાય છે
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,બધી વસ્તુઓ પહેલેથી જ તેનું ભરતિયું કરાય છે
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.','કેસ નંબર પ્રતિ' માન્ય સ્પષ્ટ કરો
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,વધુ ખર્ચ કેન્દ્રો જૂથો હેઠળ કરી શકાય છે પરંતુ પ્રવેશો બિન-જૂથો સામે કરી શકાય છે
DocType: Project,External,બાહ્ય
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,વપરાશકર્તાઓ અને પરવાનગીઓ
DocType: Vehicle Log,VLOG.,Vlog.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},ઉત્પાદન ઓર્ડર્સ બનાવ્યું: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},ઉત્પાદન ઓર્ડર્સ બનાવ્યું: {0}
DocType: Branch,Branch,શાખા
DocType: Guardian,Mobile Number,મોબાઇલ નંબર
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,પ્રિન્ટર અને બ્રાંડિંગ
DocType: Bin,Actual Quantity,ખરેખર જ થો
DocType: Shipping Rule,example: Next Day Shipping,ઉદાહરણ: આગામી દિવસે શિપિંગ
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,મળી નથી સીરીયલ કોઈ {0}
-DocType: Scheduling Tool,Student Batch,વિદ્યાર્થી બેચ
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,તમારા ગ્રાહકો
+DocType: Program Enrollment,Student Batch,વિદ્યાર્થી બેચ
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,વિદ્યાર્થી બનાવો
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},તમે આ પ્રોજેક્ટ પર સહયોગ કરવા માટે આમંત્રિત કરવામાં આવ્યા છે: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},તમે આ પ્રોજેક્ટ પર સહયોગ કરવા માટે આમંત્રિત કરવામાં આવ્યા છે: {0}
DocType: Leave Block List Date,Block Date,બ્લોક તારીખ
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,હવે લાગુ
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},વાસ્તવિક Qty {0} / રાહ જોઈ Qty {1}
@@ -2168,7 +2183,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","બનાવો અને દૈનિક, સાપ્તાહિક અને માસિક ઇમેઇલ પચાવી મેનેજ કરો."
DocType: Appraisal Goal,Appraisal Goal,મૂલ્યાંકન ગોલ
DocType: Stock Reconciliation Item,Current Amount,વર્તમાન જથ્થો
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,મકાન
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,મકાન
DocType: Fee Structure,Fee Structure,ફી માળખું
DocType: Timesheet Detail,Costing Amount,પડતર રકમ
DocType: Student Admission,Application Fee,અરજી ફી
@@ -2180,10 +2195,10 @@
DocType: POS Profile,[Select],[પસંદ કરો]
DocType: SMS Log,Sent To,મોકલવામાં
DocType: Payment Request,Make Sales Invoice,સેલ્સ ભરતિયું બનાવો
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,સોફ્ટવેર્સ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,સોફ્ટવેર્સ
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,આગામી સંપર્ક તારીખ ભૂતકાળમાં ન હોઈ શકે
DocType: Company,For Reference Only.,સંદર્ભ માટે માત્ર.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,બેચ પસંદ કોઈ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,બેચ પસંદ કોઈ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},અમાન્ય {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,એડવાન્સ રકમ
@@ -2193,15 +2208,15 @@
DocType: Employee,Employment Details,રોજગાર વિગતો
DocType: Employee,New Workplace,ન્યૂ નોકરીના સ્થળે
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,બંધ કરો
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},બારકોડ કોઈ વસ્તુ {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},બારકોડ કોઈ વસ્તુ {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,કેસ નંબર 0 ન હોઈ શકે
DocType: Item,Show a slideshow at the top of the page,પાનાંની ટોચ પર એક સ્લાઇડ શો બતાવવા
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,સ્ટોર્સ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,સ્ટોર્સ
DocType: Serial No,Delivery Time,ડ લવર સમય
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,પર આધારિત એઇજીંગનો
DocType: Item,End of Life,જીવનનો અંત
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,યાત્રા
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,યાત્રા
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,આપવામાં તારીખો માટે કર્મચારી {0} મળી કોઈ સક્રિય અથવા મૂળભૂત પગાર માળખું
DocType: Leave Block List,Allow Users,વપરાશકર્તાઓ માટે પરવાનગી આપે છે
DocType: Purchase Order,Customer Mobile No,ગ્રાહક મોબાઇલ કોઈ
@@ -2210,29 +2225,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,સુધારો કિંમત
DocType: Item Reorder,Item Reorder,વસ્તુ પુનઃક્રમાંકિત કરો
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,પગાર બતાવો કાપલી
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,ટ્રાન્સફર સામગ્રી
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,ટ્રાન્સફર સામગ્રી
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","કામગીરી, સંચાલન ખર્ચ સ્પષ્ટ અને તમારી કામગીરી કરવા માટે કોઈ એક અનન્ય ઓપરેશન આપે છે."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,આ દસ્તાવેજ દ્વારા મર્યાદા વધારે છે {0} {1} આઇટમ માટે {4}. તમે બનાવે છે અન્ય {3} જ સામે {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,બચત પછી રિકરિંગ સુયોજિત કરો
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,પસંદ કરો ફેરફાર રકમ એકાઉન્ટ
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,આ દસ્તાવેજ દ્વારા મર્યાદા વધારે છે {0} {1} આઇટમ માટે {4}. તમે બનાવે છે અન્ય {3} જ સામે {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,બચત પછી રિકરિંગ સુયોજિત કરો
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,પસંદ કરો ફેરફાર રકમ એકાઉન્ટ
DocType: Purchase Invoice,Price List Currency,ભાવ યાદી કરન્સી
DocType: Naming Series,User must always select,વપરાશકર્તા હંમેશા પસંદ કરવી જ પડશે
DocType: Stock Settings,Allow Negative Stock,નકારાત્મક સ્ટોક પરવાનગી આપે છે
DocType: Installation Note,Installation Note,સ્થાપન નોંધ
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,કર ઉમેરો
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,કર ઉમેરો
DocType: Topic,Topic,વિષય
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,નાણાકીય રોકડ પ્રવાહ
DocType: Budget Account,Budget Account,બજેટ એકાઉન્ટ
DocType: Quality Inspection,Verified By,દ્વારા ચકાસવામાં
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","હાલની વ્યવહારો છે, કારણ કે કંપની મૂળભૂત ચલણ બદલી શકાતું નથી. વ્યવહારો મૂળભૂત ચલણ બદલવાની રદ હોવું જ જોઈએ."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","હાલની વ્યવહારો છે, કારણ કે કંપની મૂળભૂત ચલણ બદલી શકાતું નથી. વ્યવહારો મૂળભૂત ચલણ બદલવાની રદ હોવું જ જોઈએ."
DocType: Grading Scale Interval,Grade Description,ગ્રેડ વર્ણન
DocType: Stock Entry,Purchase Receipt No,ખરીદી રસીદ કોઈ
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,બાનું
DocType: Process Payroll,Create Salary Slip,પગાર કાપલી બનાવો
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,traceability
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),ફંડ ઓફ સોર્સ (જવાબદારીઓ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},પંક્તિ માં જથ્થો {0} ({1}) ઉત્પાદન જથ્થો તરીકે જ હોવી જોઈએ {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),ફંડ ઓફ સોર્સ (જવાબદારીઓ)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},પંક્તિ માં જથ્થો {0} ({1}) ઉત્પાદન જથ્થો તરીકે જ હોવી જોઈએ {2}
DocType: Appraisal,Employee,કર્મચારીનું
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,બેચ પસંદ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} સંપૂર્ણપણે ગણાવી છે
DocType: Training Event,End Time,અંત સમય
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,સક્રિય પગાર માળખું {0} આપવામાં તારીખો માટે કર્મચારી {1} મળી
@@ -2244,11 +2260,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,જરૂરી પર
DocType: Rename Tool,File to Rename,નામ ફાઇલ
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},રો વસ્તુ BOM પસંદ કરો {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},વસ્તુ માટે અસ્તિત્વમાં નથી સ્પષ્ટ BOM {0} {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},એકાઉન્ટ {0} {1} એકાઉન્ટ મોડ માં કંપનીની મેચ થતો નથી: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},વસ્તુ માટે અસ્તિત્વમાં નથી સ્પષ્ટ BOM {0} {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,જાળવણી સુનિશ્ચિત {0} આ વેચાણ ઓર્ડર રદ પહેલાં રદ થયેલ હોવું જ જોઈએ
DocType: Notification Control,Expense Claim Approved,ખર્ચ દાવો મંજૂર
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,કર્મચારી પગાર કાપલી {0} પહેલાથી જ આ સમયગાળા માટે બનાવવામાં
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,ફાર્માસ્યુટિકલ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,ફાર્માસ્યુટિકલ
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,ખરીદી વસ્તુઓ કિંમત
DocType: Selling Settings,Sales Order Required,વેચાણ ઓર્ડર જરૂરી
DocType: Purchase Invoice,Credit To,માટે ક્રેડિટ
@@ -2265,42 +2282,42 @@
DocType: Payment Gateway Account,Payment Account,ચુકવણી એકાઉન્ટ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,આગળ વધવા માટે કંપની સ્પષ્ટ કરો
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,એકાઉન્ટ્સ પ્રાપ્ત નેટ બદલો
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,વળતર બંધ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,વળતર બંધ
DocType: Offer Letter,Accepted,સ્વીકારાયું
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,સંસ્થા
DocType: SG Creation Tool Course,Student Group Name,વિદ્યાર્થી જૂથ નામ
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,શું તમે ખરેખર આ કંપની માટે તમામ વ્યવહારો કાઢી નાખવા માંગો છો તેની ખાતરી કરો. તે છે તમારા માસ્ટર ડેટા રહેશે. આ ક્રિયા પૂર્વવત્ કરી શકાતી નથી.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,શું તમે ખરેખર આ કંપની માટે તમામ વ્યવહારો કાઢી નાખવા માંગો છો તેની ખાતરી કરો. તે છે તમારા માસ્ટર ડેટા રહેશે. આ ક્રિયા પૂર્વવત્ કરી શકાતી નથી.
DocType: Room,Room Number,રૂમ સંખ્યા
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},અમાન્ય સંદર્ભ {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) આયોજિત quanitity કરતાં વધારે ન હોઈ શકે છે ({2}) ઉત્પાદન ઓર્ડર {3}
DocType: Shipping Rule,Shipping Rule Label,શીપીંગ નિયમ લેબલ
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,વપરાશકર્તા ફોરમ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,કાચો માલ ખાલી ન હોઈ શકે.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","સ્ટોક અપડેટ કરી શકાયું નથી, ભરતિયું ડ્રોપ શીપીંગ વસ્તુ છે."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,કાચો માલ ખાલી ન હોઈ શકે.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","સ્ટોક અપડેટ કરી શકાયું નથી, ભરતિયું ડ્રોપ શીપીંગ વસ્તુ છે."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,ઝડપી જર્નલ પ્રવેશ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,BOM કોઈપણ વસ્તુ agianst ઉલ્લેખ તો તમે દર બદલી શકતા નથી
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,BOM કોઈપણ વસ્તુ agianst ઉલ્લેખ તો તમે દર બદલી શકતા નથી
DocType: Employee,Previous Work Experience,પહેલાંના કામ અનુભવ
DocType: Stock Entry,For Quantity,જથ્થો માટે
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},પંક્તિ પર વસ્તુ {0} માટે આયોજન Qty દાખલ કરો {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} અપર્ણ ન કરાય
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,આઇટમ્સ માટે વિનંતી કરે છે.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,અલગ ઉત્પાદન ક્રમમાં દરેક સમાપ્ત સારી વસ્તુ માટે બનાવવામાં આવશે.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} વળતર દસ્તાવેજમાં નકારાત્મક હોવા જ જોઈએ
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} વળતર દસ્તાવેજમાં નકારાત્મક હોવા જ જોઈએ
,Minutes to First Response for Issues,મુદ્દાઓ માટે પ્રથમ પ્રતિભાવ મિનિટ
DocType: Purchase Invoice,Terms and Conditions1,નિયમો અને Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,સંસ્થા નામ કે જેના માટે તમે આ સિસ્ટમ સુયોજિત કરી રહ્યા હોય.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,સંસ્થા નામ કે જેના માટે તમે આ સિસ્ટમ સુયોજિત કરી રહ્યા હોય.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","આ તારીખ સુધી સ્થિર હિસાબી પ્રવેશ, કોઈએ / કરવા નીચે સ્પષ્ટ ભૂમિકા સિવાય પ્રવેશ સુધારી શકો છો."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,જાળવણી સૂચિ પેદા પહેલાં દસ્તાવેજ સેવ કરો
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,પ્રોજેક્ટ સ્થિતિ
DocType: UOM,Check this to disallow fractions. (for Nos),અપૂર્ણાંક નામંજૂર કરવા માટે આ તપાસો. (સંખ્યા માટે)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,નીચેના ઉત્પાદન ઓર્ડર્સ બનાવવામાં આવી હતી:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,નીચેના ઉત્પાદન ઓર્ડર્સ બનાવવામાં આવી હતી:
DocType: Student Admission,Naming Series (for Student Applicant),સિરીઝ નામકરણ (વિદ્યાર્થી અરજદાર માટે)
DocType: Delivery Note,Transporter Name,ટ્રાન્સપોર્ટર નામ
DocType: Authorization Rule,Authorized Value,અધિકૃત ભાવ
DocType: BOM,Show Operations,બતાવો ઓપરેશન્સ
,Minutes to First Response for Opportunity,તકો માટે પ્રથમ પ્રતિભાવ મિનિટ
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,કુલ ગેરહાજર
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,પંક્તિ {0} સાથે મેળ ખાતું નથી સામગ્રી વિનંતી વસ્તુ અથવા વેરહાઉસ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,પંક્તિ {0} સાથે મેળ ખાતું નથી સામગ્રી વિનંતી વસ્તુ અથવા વેરહાઉસ
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,માપવા એકમ
DocType: Fiscal Year,Year End Date,વર્ષ અંતે તારીખ
DocType: Task Depends On,Task Depends On,કાર્ય પર આધાર રાખે છે
@@ -2379,11 +2396,11 @@
DocType: Asset,Manual,મેન્યુઅલ
DocType: Salary Component Account,Salary Component Account,પગાર પુન એકાઉન્ટ
DocType: Global Defaults,Hide Currency Symbol,કરન્સી નિશાનીનો છુપાવો
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","દા.ત. બેન્ક, રોકડ, ક્રેડિટ કાર્ડ"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","દા.ત. બેન્ક, રોકડ, ક્રેડિટ કાર્ડ"
DocType: Lead Source,Source Name,સોર્સ નામ
DocType: Journal Entry,Credit Note,ઉધાર નોધ
DocType: Warranty Claim,Service Address,સેવા સરનામું
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Furnitures અને ફિક્સર
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Furnitures અને ફિક્સર
DocType: Item,Manufacture,ઉત્પાદન
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,કૃપા કરીને બોલ પર કોઈ નોંધ પ્રથમ
DocType: Student Applicant,Application Date,અરજી તારીખ
@@ -2393,7 +2410,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,ક્લિયરન્સ તારીખ ઉલ્લેખ નથી
apps/erpnext/erpnext/config/manufacturing.py +7,Production,ઉત્પાદન
DocType: Guardian,Occupation,વ્યવસાય
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,કૃપા કરીને સેટઅપ કર્મચારી માનવ સંસાધન માં નામકરણ સિસ્ટમ> એચઆર સેટિંગ્સ
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,રો {0}: પ્રારંભ તારીખ સમાપ્તિ તારીખ પહેલાં જ હોવી જોઈએ
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),કુલ (Qty)
DocType: Sales Invoice,This Document,આ દસ્તાવેજ
@@ -2405,19 +2421,19 @@
DocType: Purchase Receipt,Time at which materials were received,"સામગ્રી પ્રાપ્ત કરવામાં આવી હતી, જે અંતે સમય"
DocType: Stock Ledger Entry,Outgoing Rate,આઉટગોઇંગ દર
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,સંસ્થા શાખા માસ્ટર.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,અથવા
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,અથવા
DocType: Sales Order,Billing Status,બિલિંગ સ્થિતિ
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,સમસ્યાની જાણ કરો
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,ઉપયોગિતા ખર્ચ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,ઉપયોગિતા ખર્ચ
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-ઉપર
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,રો # {0}: જર્નલ પ્રવેશ {1} એકાઉન્ટ નથી {2} અથવા પહેલાથી જ બીજા વાઉચર સામે મેળ ખાતી
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,રો # {0}: જર્નલ પ્રવેશ {1} એકાઉન્ટ નથી {2} અથવા પહેલાથી જ બીજા વાઉચર સામે મેળ ખાતી
DocType: Buying Settings,Default Buying Price List,ડિફૉલ્ટ ખરીદી ભાવ યાદી
DocType: Process Payroll,Salary Slip Based on Timesheet,પગાર કાપલી Timesheet પર આધારિત
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,ઉપર પસંદ માપદંડ અથવા પગાર સ્લીપ માટે કોઈ કર્મચારી પહેલેથી જ બનાવનાર
DocType: Notification Control,Sales Order Message,વેચાણ ઓર્ડર સંદેશ
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","વગેરે કંપની, કરન્સી, ચાલુ નાણાકીય વર્ષના, જેવા સેટ મૂળભૂત મૂલ્યો"
DocType: Payment Entry,Payment Type,ચુકવણી પ્રકાર
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,કૃપા કરીને આઇટમ માટે બેચ પસંદ {0}. એક બેચ કે આ જરૂરિયાત પૂર્ણ શોધવામાં અસમર્થ
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,કૃપા કરીને આઇટમ માટે બેચ પસંદ {0}. એક બેચ કે આ જરૂરિયાત પૂર્ણ શોધવામાં અસમર્થ
DocType: Process Payroll,Select Employees,પસંદગીના કર્મચારીઓને
DocType: Opportunity,Potential Sales Deal,સંભવિત વેચાણની ડીલ
DocType: Payment Entry,Cheque/Reference Date,ચેક / સંદર્ભ તારીખ
@@ -2437,7 +2453,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,રસીદ દસ્તાવેજ સબમિટ હોવું જ જોઈએ
DocType: Purchase Invoice Item,Received Qty,પ્રાપ્ત Qty
DocType: Stock Entry Detail,Serial No / Batch,સીરીયલ કોઈ / બેચ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,નથી ચૂકવણી અને બચાવી શક્યા
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,નથી ચૂકવણી અને બચાવી શક્યા
DocType: Product Bundle,Parent Item,પિતૃ વસ્તુ
DocType: Account,Account Type,એકાઉન્ટ પ્રકાર
DocType: Delivery Note,DN-RET-,Dn-RET-
@@ -2451,24 +2467,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),વિતરણ માટે પેકેજ ઓળખ (પ્રિન્ટ માટે)
DocType: Bin,Reserved Quantity,અનામત જથ્થો
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,કૃપા કરીને માન્ય ઇમેઇલ સરનામું દાખલ
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},ત્યાં કાર્યક્રમ માટે કોઈ ફરજિયાત કોર્સ છે {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,ખરીદી રસીદ વસ્તુઓ
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,જોઈએ એ પ્રમાણે લેખનું ફોર્મ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,બાકીનો
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,બાકીનો
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,આ સમયગાળા દરમિયાન અવમૂલ્યન રકમ
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,અપંગ નમૂનો ડિફૉલ્ટ નમૂનો ન હોવું જોઈએ
DocType: Account,Income Account,આવક એકાઉન્ટ
DocType: Payment Request,Amount in customer's currency,ગ્રાહકોના ચલણ માં જથ્થો
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,ડ લવર
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,ડ લવર
DocType: Stock Reconciliation Item,Current Qty,વર્તમાન Qty
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",જુઓ પડતર વિભાગ "સામગ્રી પર આધારિત દર"
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,પાછલું
DocType: Appraisal Goal,Key Responsibility Area,કી જવાબદારી વિસ્તાર
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","વિદ્યાર્થી બૅચેસ તમે હાજરી, આકારણીઓ અને વિદ્યાર્થીઓ માટે ફી ટ્રૅક મદદ"
DocType: Payment Entry,Total Allocated Amount,કુલ ફાળવેલ રકમ
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,શાશ્વત યાદી માટે ડિફોલ્ટ યાદી એકાઉન્ટ સેટ
DocType: Item Reorder,Material Request Type,સામગ્રી વિનંતી પ્રકાર
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},થી {0} પગાર માટે Accural જર્નલ પ્રવેશ {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage સંપૂર્ણ છે, સાચવી નહોતી"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage સંપૂર્ણ છે, સાચવી નહોતી"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,રો {0}: UOM રૂપાંતર ફેક્ટર ફરજિયાત છે
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,સંદર્ભ
DocType: Budget,Cost Center,ખર્ચ કેન્દ્રને
@@ -2481,19 +2497,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","પ્રાઇસીંગ નિયમ કેટલાક માપદંડ પર આધારિત, / ભાવ યાદી પર ફરીથી લખી ડિસ્કાઉન્ટ ટકાવારી વ્યાખ્યાયિત કરવા માટે કરવામાં આવે છે."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,વેરહાઉસ માત્ર સ્ટોક એન્ટ્રી મારફતે બદલી શકાય છે / ડિલિવરી નોંધ / ખરીદી રસીદ
DocType: Employee Education,Class / Percentage,વર્ગ / ટકાવારી
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,માર્કેટિંગ અને સેલ્સ હેડ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,આય કર
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,માર્કેટિંગ અને સેલ્સ હેડ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,આય કર
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","પસંદ પ્રાઇસીંગ નિયમ 'કિંમત' માટે કરવામાં આવે છે, તો તે ભાવ યાદી પર ફરીથી લખી નાંખશે. પ્રાઇસીંગ નિયમ ભાવ અંતિમ ભાવ છે, તેથી કોઇ વધુ ડિસ્કાઉન્ટ લાગુ પાડવામાં આવવી જોઈએ. તેથી, વગેરે સેલ્સ ઓર્ડર, ખરીદી ઓર્ડર જેવા વ્યવહારો, તે બદલે 'ભાવ યાદી દર' ક્ષેત્ર કરતાં 'રેટ ભૂલી નથી' ફીલ્ડમાં મેળવ્યાં કરવામાં આવશે."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,ટ્રેક ઉદ્યોગ પ્રકાર દ્વારા દોરી જાય છે.
DocType: Item Supplier,Item Supplier,વસ્તુ પુરવઠોકર્તા
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,બેચ કોઈ વિચાર વસ્તુ કોડ દાખલ કરો
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},{0} quotation_to માટે નીચેની પસંદ કરો {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,બેચ કોઈ વિચાર વસ્તુ કોડ દાખલ કરો
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},{0} quotation_to માટે નીચેની પસંદ કરો {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,બધા સંબોધે છે.
DocType: Company,Stock Settings,સ્ટોક સેટિંગ્સ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","નીચેના ગુણધર્મો બંને રેકોર્ડ જ છે, તો મર્જ જ શક્ય છે. ગ્રુપ root લખવું, કંપની છે"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","નીચેના ગુણધર્મો બંને રેકોર્ડ જ છે, તો મર્જ જ શક્ય છે. ગ્રુપ root લખવું, કંપની છે"
DocType: Vehicle,Electric,ઇલેક્ટ્રીક
DocType: Task,% Progress,% પ્રગતિ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,લાભ / એસેટ નિકાલ પર નુકશાન
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,લાભ / એસેટ નિકાલ પર નુકશાન
DocType: Training Event,Will send an email about the event to employees with status 'Open',સ્થિતિ સાથે કર્મચારીઓને ઘટના વિશે એક ઇમેઇલ મોકલશે 'ઓપન'
DocType: Task,Depends on Tasks,કાર્યો પર આધાર રાખે છે
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,ગ્રાહક જૂથ વૃક્ષ મેનેજ કરો.
@@ -2502,7 +2518,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,ન્યૂ ખર્ચ કેન્દ્રને નામ
DocType: Leave Control Panel,Leave Control Panel,નિયંત્રણ પેનલ છોડો
DocType: Project,Task Completion,ટાસ્ક સમાપ્તિ
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,સ્ટોક નથી
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,સ્ટોક નથી
DocType: Appraisal,HR User,એચઆર વપરાશકર્તા
DocType: Purchase Invoice,Taxes and Charges Deducted,કર અને ખર્ચ બાદ
apps/erpnext/erpnext/hooks.py +116,Issues,મુદ્દાઓ
@@ -2513,22 +2529,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},કોઈ પગાર સ્લિપ વચ્ચે મળી {0} અને {1}
,Pending SO Items For Purchase Request,ખરીદી વિનંતી તેથી વસ્તુઓ બાકી
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,વિદ્યાર્થી પ્રવેશ
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} અક્ષમ છે
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} અક્ષમ છે
DocType: Supplier,Billing Currency,બિલિંગ કરન્સી
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,બહુ્ મોટુ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,બહુ્ મોટુ
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,કુલ પાંદડા
,Profit and Loss Statement,નફો અને નુકસાનનું નિવેદન
DocType: Bank Reconciliation Detail,Cheque Number,ચેક સંખ્યા
,Sales Browser,સેલ્સ બ્રાઉઝર
DocType: Journal Entry,Total Credit,કુલ ક્રેડિટ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},ચેતવણી: અન્ય {0} # {1} સ્ટોક પ્રવેશ સામે અસ્તિત્વમાં {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,સ્થાનિક
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,સ્થાનિક
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),લોન અને એડવાન્સિસ (અસ્ક્યામત)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,ડેટર્સ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,મોટા
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,મોટા
DocType: Homepage Featured Product,Homepage Featured Product,મુખપૃષ્ઠ ફીચર્ડ ઉત્પાદન
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,બધા આકારણી જૂથો
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,બધા આકારણી જૂથો
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,નવી વેરહાઉસ નામ
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),કુલ {0} ({1})
DocType: C-Form Invoice Detail,Territory,પ્રદેશ
@@ -2538,12 +2554,12 @@
DocType: Production Order Operation,Planned Start Time,આયોજિત પ્રારંભ સમય
DocType: Course,Assessment,આકારણી
DocType: Payment Entry Reference,Allocated,સોંપાયેલ
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,બંધ બેલેન્સ શીટ અને પુસ્તક નફો અથવા નુકસાન.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,બંધ બેલેન્સ શીટ અને પુસ્તક નફો અથવા નુકસાન.
DocType: Student Applicant,Application Status,એપ્લિકેશન સ્થિતિ
DocType: Fees,Fees,ફી
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,વિનિમય દર અન્ય એક ચલણ કન્વર્ટ કરવા માટે સ્પષ્ટ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,અવતરણ {0} રદ કરવામાં આવે છે
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,કુલ બાકી રકમ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,કુલ બાકી રકમ
DocType: Sales Partner,Targets,લક્ષ્યાંક
DocType: Price List,Price List Master,ભાવ યાદી માસ્ટર
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,તમે સુયોજિત અને લક્ષ્યો મોનીટર કરી શકે છે કે જેથી બધા સેલ્સ વ્યવહારો બહુવિધ ** વેચાણ વ્યક્તિઓ ** સામે ટૅગ કરી શકો છો.
@@ -2575,11 +2591,11 @@
1. Address and Contact of your Company.","સ્ટાન્ડર્ડ નિયમો અને વેચાણ અને ખરીદી માટે ઉમેરી શકાય છે કે શરતો. ઉદાહરણો: આ ઓફર 1. માન્યતા. 1. ચુકવણી શરતો (ક્રેડિટ પર અગાઉથી, ભાગ અગાઉથી વગેરે). 1. વધારાની (અથવા ગ્રાહક દ્વારા ચૂકવવાપાત્ર છે) છે. 1. સુરક્ષા / વપરાશ ચેતવણી. 1. વોરંટી કોઈ હોય તો. 1. નીતિ આપે છે. શીપીંગ 1. શરતો લાગુ પડતું હોય તો. વિવાદો સંબોધન, ક્ષતિપૂર્તિ, જવાબદારી 1. રીતો, વગેરે 1. સરનામું અને તમારી કંપની સંપર્ક."
DocType: Attendance,Leave Type,રજા પ્રકાર
DocType: Purchase Invoice,Supplier Invoice Details,પુરવઠોકર્તા ઇન્વૉઇસ વિગતો
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,ખર્ચ / તફાવત એકાઉન્ટ ({0}) એક 'નફો અથવા નુકસાન ખાતામાં હોવા જ જોઈએ
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,ખર્ચ / તફાવત એકાઉન્ટ ({0}) એક 'નફો અથવા નુકસાન ખાતામાં હોવા જ જોઈએ
DocType: Project,Copied From,નકલ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},નામ ભૂલ: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,શોર્ટેજ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} સાથે સંકળાયેલ નથી {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} સાથે સંકળાયેલ નથી {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,કર્મચારી {0} માટે હાજરી પહેલેથી ચિહ્નિત થયેલ છે
DocType: Packing Slip,If more than one package of the same type (for print),જો એક જ પ્રકારના એક કરતાં વધુ પેકેજ (પ્રિન્ટ માટે)
,Salary Register,પગાર રજિસ્ટર
@@ -2597,22 +2613,23 @@
,Requested Qty,વિનંતી Qty
DocType: Tax Rule,Use for Shopping Cart,શોપિંગ કાર્ટ માટે વાપરો
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},ભાવ {0} લક્ષણ માટે {1} માન્ય વસ્તુ યાદી અસ્તિત્વમાં નથી વસ્તુ માટે કિંમતો એટ્રીબ્યુટ {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,ક્રમાંકોમાં પસંદ
DocType: BOM Item,Scrap %,સ્ક્રેપ%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","સમાયોજિત પ્રમાણમાં તમારી પસંદગી મુજબ, વસ્તુ Qty અથવા રકમ પર આધારિત વિતરણ કરવામાં આવશે"
DocType: Maintenance Visit,Purposes,હેતુઓ
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,ઓછામાં ઓછા એક વસ્તુ પાછી દસ્તાવેજ નકારાત્મક જથ્થો દાખલ કરવું જોઈએ
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,ઓછામાં ઓછા એક વસ્તુ પાછી દસ્તાવેજ નકારાત્મક જથ્થો દાખલ કરવું જોઈએ
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","ઓપરેશન {0} વર્કસ્ટેશન કોઇપણ ઉપલ્બધ કામના કલાકો કરતાં લાંબા સમય સુધી {1}, બહુવિધ કામગીરી માં ઓપરેશન તોડી"
,Requested,વિનંતી
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,કોઈ ટિપ્પણી
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,કોઈ ટિપ્પણી
DocType: Purchase Invoice,Overdue,મુદતવીતી
DocType: Account,Stock Received But Not Billed,"સ્ટોક મળ્યો હતો, પણ રજુ કરવામાં આવ્યું ન"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,રુટ ખાતું એક જૂથ હોવા જ જોઈએ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,રુટ ખાતું એક જૂથ હોવા જ જોઈએ
DocType: Fees,FEE.,ફી.
DocType: Employee Loan,Repaid/Closed,પાછી / બંધ
DocType: Item,Total Projected Qty,કુલ અંદાજ Qty
DocType: Monthly Distribution,Distribution Name,વિતરણ નામ
DocType: Course,Course Code,કોર્સ કોડ
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},વસ્તુ માટે જરૂરી ગુણવત્તા નિરીક્ષણ {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},વસ્તુ માટે જરૂરી ગુણવત્તા નિરીક્ષણ {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,જે ગ્રાહક ચલણ પર દર કંપનીના આધાર ચલણ ફેરવાય છે
DocType: Purchase Invoice Item,Net Rate (Company Currency),નેટ દર (કંપની ચલણ)
DocType: Salary Detail,Condition and Formula Help,સ્થિતિ અને ફોર્મ્યુલા મદદ
@@ -2625,27 +2642,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,ઉત્પાદન માટે માલ પરિવહન
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,ડિસ્કાઉન્ટ ટકાવારી ભાવ યાદી સામે અથવા બધું ભાવ યાદી માટે ક્યાં લાગુ પાડી શકાય છે.
DocType: Purchase Invoice,Half-yearly,અર્ધ-વાર્ષિક
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,સ્ટોક માટે એકાઉન્ટિંગ એન્ટ્રી
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,સ્ટોક માટે એકાઉન્ટિંગ એન્ટ્રી
DocType: Vehicle Service,Engine Oil,એન્જિન તેલ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,કૃપા કરીને સેટઅપ કર્મચારી માનવ સંસાધન માં નામકરણ સિસ્ટમ> એચઆર સેટિંગ્સ
DocType: Sales Invoice,Sales Team1,સેલ્સ team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,વસ્તુ {0} અસ્તિત્વમાં નથી
DocType: Sales Invoice,Customer Address,ગ્રાહક સરનામું
DocType: Employee Loan,Loan Details,લોન વિગતો
+DocType: Company,Default Inventory Account,ડિફૉલ્ટ ઈન્વેન્ટરી એકાઉન્ટ
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,રો {0}: પૂર્ણ Qty શૂન્ય કરતાં મોટી હોવી જ જોઈએ.
DocType: Purchase Invoice,Apply Additional Discount On,વધારાના ડિસ્કાઉન્ટ પર લાગુ પડે છે
DocType: Account,Root Type,Root લખવું
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},ROW # {0}: કરતાં વધુ પાછા ન કરી શકે {1} વસ્તુ માટે {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},ROW # {0}: કરતાં વધુ પાછા ન કરી શકે {1} વસ્તુ માટે {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,પ્લોટ
DocType: Item Group,Show this slideshow at the top of the page,પાનાંની ટોચ પર આ સ્લાઇડશો બતાવો
DocType: BOM,Item UOM,વસ્તુ UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),ડિસ્કાઉન્ટ રકમ બાદ ટેક્સની રકમ (કંપની ચલણ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},લક્ષ્યાંક વેરહાઉસ પંક્તિ માટે ફરજિયાત છે {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},લક્ષ્યાંક વેરહાઉસ પંક્તિ માટે ફરજિયાત છે {0}
DocType: Cheque Print Template,Primary Settings,પ્રાથમિક સેટિંગ્સ
DocType: Purchase Invoice,Select Supplier Address,પુરવઠોકર્તા સરનામું પસંદ
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,કર્મચારીઓની ઉમેરો
DocType: Purchase Invoice Item,Quality Inspection,ગુણવત્તા નિરીક્ષણ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,વિશેષ નાના
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,વિશેષ નાના
DocType: Company,Standard Template,સ્ટાન્ડર્ડ ટેમ્પલેટ
DocType: Training Event,Theory,થિયરી
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,ચેતવણી: Qty વિનંતી સામગ્રી ન્યુનત્તમ ઓર્ડર Qty કરતાં ઓછી છે
@@ -2653,7 +2672,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,સંસ્થા સાથે જોડાયેલા એકાઉન્ટ્સ એક અલગ ચાર્ટ સાથે કાનૂની એન્ટિટી / સબસિડીયરી.
DocType: Payment Request,Mute Email,મ્યૂટ કરો ઇમેઇલ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","ફૂડ, પીણું અને તમાકુ"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},માત્ર સામે ચુકવણી કરી શકો છો unbilled {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},માત્ર સામે ચુકવણી કરી શકો છો unbilled {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,કમિશન દર કરતા વધારે 100 ન હોઈ શકે
DocType: Stock Entry,Subcontract,Subcontract
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,પ્રથમ {0} દાખલ કરો
@@ -2666,18 +2685,18 @@
DocType: SMS Log,No of Sent SMS,એસએમએસ કોઈ
DocType: Account,Expense Account,ખર્ચ એકાઉન્ટ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,સોફ્ટવેર
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,કલર
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,કલર
DocType: Assessment Plan Criteria,Assessment Plan Criteria,આકારણી યોજના માપદંડ
DocType: Training Event,Scheduled,અનુસૂચિત
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,અવતરણ માટે વિનંતી.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",""ના" અને "વેચાણ વસ્તુ છે" "સ્ટોક વસ્તુ છે" છે, જ્યાં "હા" છે વસ્તુ પસંદ કરો અને કોઈ અન્ય ઉત્પાદન બંડલ છે, કૃપા કરીને"
DocType: Student Log,Academic,શૈક્ષણિક
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),કુલ એડવાન્સ ({0}) ઓર્ડર સામે {1} ગ્રાન્ડ કુલ કરતાં વધારે ન હોઈ શકે છે ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),કુલ એડવાન્સ ({0}) ઓર્ડર સામે {1} ગ્રાન્ડ કુલ કરતાં વધારે ન હોઈ શકે છે ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,અસમાન મહિના સમગ્ર લક્ષ્યો વિતરિત કરવા માટે માસિક વિતરણ પસંદ કરો.
DocType: Purchase Invoice Item,Valuation Rate,મૂલ્યાંકન દર
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,ડીઝલ
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,ભાવ યાદી કરન્સી પસંદ નહી
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,ભાવ યાદી કરન્સી પસંદ નહી
,Student Monthly Attendance Sheet,વિદ્યાર્થી માસિક હાજરી શીટ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},કર્મચારીનું {0} પહેલાથી માટે અરજી કરી છે {1} વચ્ચે {2} અને {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,પ્રોજેક્ટ પ્રારંભ તારીખ
@@ -2689,7 +2708,7 @@
DocType: BOM,Scrap,સ્ક્રેપ
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,સેલ્સ પાર્ટનર્સ મેનેજ કરો.
DocType: Quality Inspection,Inspection Type,નિરીક્ષણ પ્રકાર
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,હાલની વ્યવહાર સાથે વખારો જૂથ રૂપાંતરિત કરી શકાય છે.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,હાલની વ્યવહાર સાથે વખારો જૂથ રૂપાંતરિત કરી શકાય છે.
DocType: Assessment Result Tool,Result HTML,પરિણામ HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,ના રોજ સમાપ્ત થાય
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,વિદ્યાર્થીઓ ઉમેરી
@@ -2697,13 +2716,13 @@
DocType: C-Form,C-Form No,સી-ફોર્મ નં
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,જેનું એટેન્ડન્સ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,સંશોધક
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,સંશોધક
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,કાર્યક્રમ પ્રવેશ સાધન વિદ્યાર્થી
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,નામ અથવા ઇમેઇલ ફરજિયાત છે
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,ઇનકમિંગ ગુણવત્તા નિરીક્ષણ.
DocType: Purchase Order Item,Returned Qty,પરત Qty
DocType: Employee,Exit,બહાર નીકળો
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Root લખવું ફરજિયાત છે
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root લખવું ફરજિયાત છે
DocType: BOM,Total Cost(Company Currency),કુલ ખર્ચ (કંપની ચલણ)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,{0} બનાવવામાં સીરીયલ કોઈ
DocType: Homepage,Company Description for website homepage,વેબસાઇટ હોમપેજ માટે કંપની વર્ણન
@@ -2712,7 +2731,7 @@
DocType: Sales Invoice,Time Sheet List,સમયનો શીટ યાદી
DocType: Employee,You can enter any date manually,તમે જાતે કોઈપણ તારીખ દાખલ કરી શકો છો
DocType: Asset Category Account,Depreciation Expense Account,અવમૂલ્યન ખર્ચ એકાઉન્ટ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,અજમાયશી સમય
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,અજમાયશી સમય
DocType: Customer Group,Only leaf nodes are allowed in transaction,માત્ર પર્ણ ગાંઠો વ્યવહાર માન્ય છે
DocType: Expense Claim,Expense Approver,ખર્ચ તાજનો
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,રો {0}: ગ્રાહક સામે એડવાન્સ ક્રેડિટ હોવા જ જોઈએ
@@ -2725,10 +2744,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,કોર્સ શેડ્યુલ કાઢી:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,SMS વિતરણ સ્થિતિ જાળવવા માટે લોગ
DocType: Accounts Settings,Make Payment via Journal Entry,જર્નલ પ્રવેશ મારફતે ચુકવણી બનાવો
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,મુદ્રિત પર
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,મુદ્રિત પર
DocType: Item,Inspection Required before Delivery,નિરીક્ષણ ડ લવર પહેલાં જરૂરી
DocType: Item,Inspection Required before Purchase,નિરીક્ષણ ખરીદી પહેલાં જરૂરી
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,બાકી પ્રવૃત્તિઓ
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,તમારી સંસ્થા
DocType: Fee Component,Fees Category,ફી વર્ગ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,તારીખ રાહત દાખલ કરો.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,એએમટી
@@ -2738,9 +2758,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,પુનઃક્રમાંકિત કરો સ્તર
DocType: Company,Chart Of Accounts Template,એકાઉન્ટ્સ ઢાંચો ચાર્ટ
DocType: Attendance,Attendance Date,એટેન્ડન્સ તારીખ
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},વસ્તુ ભાવ {0} માં ભાવ યાદી માટે સુધારાશે {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},વસ્તુ ભાવ {0} માં ભાવ યાદી માટે સુધારાશે {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,આવક અને કપાત પર આધારિત પગાર ભાંગ્યા.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,બાળક ગાંઠો સાથે એકાઉન્ટ ખાતાવહી રૂપાંતરિત કરી શકતા નથી
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,બાળક ગાંઠો સાથે એકાઉન્ટ ખાતાવહી રૂપાંતરિત કરી શકતા નથી
DocType: Purchase Invoice Item,Accepted Warehouse,સ્વીકારાયું વેરહાઉસ
DocType: Bank Reconciliation Detail,Posting Date,પોસ્ટ તારીખ
DocType: Item,Valuation Method,મૂલ્યાંકન પદ્ધતિ
@@ -2749,14 +2769,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,નકલી નોંધણી
DocType: Program Enrollment Tool,Get Students,વિદ્યાર્થીઓ મેળવો
DocType: Serial No,Under Warranty,વોરંટી હેઠળ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[ભૂલ]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[ભૂલ]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,તમે વેચાણ ઓર્ડર સેવ વાર શબ્દો દૃશ્યમાન થશે.
,Employee Birthday,કર્મચારીનું જન્મદિવસ
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,વિદ્યાર્થી બેચ એટેન્ડન્સ સાધન
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,મર્યાદા ઓળંગી
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,મર્યાદા ઓળંગી
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,વેન્ચર કેપિટલ
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,આ શૈક્ષણિક વર્ષ 'સાથે એક શૈક્ષણિક શબ્દ {0} અને' શબ્દ નામ '{1} પહેલેથી હાજર છે. આ પ્રવેશો સુધારવા માટે અને ફરીથી પ્રયાસ કરો.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","વસ્તુ {0} વિરુદ્ધનાં પ્રવર્તમાન વ્યવહારો છે કે, તમે કિંમત બદલી શકતા નથી {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","વસ્તુ {0} વિરુદ્ધનાં પ્રવર્તમાન વ્યવહારો છે કે, તમે કિંમત બદલી શકતા નથી {1}"
DocType: UOM,Must be Whole Number,સમગ્ર નંબર હોવો જોઈએ
DocType: Leave Control Panel,New Leaves Allocated (In Days),(દિવસોમાં) સોંપાયેલ નવા પાંદડા
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,સીરીયલ કોઈ {0} અસ્તિત્વમાં નથી
@@ -2765,6 +2785,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,બીલ નંબર
DocType: Shopping Cart Settings,Orders,ઓર્ડર્સ
DocType: Employee Leave Approver,Leave Approver,તાજનો છોડો
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,કૃપા કરીને એક બેચ પસંદ
DocType: Assessment Group,Assessment Group Name,આકારણી ગ્રુપ નામ
DocType: Manufacturing Settings,Material Transferred for Manufacture,સામગ્રી ઉત્પાદન માટે તબદીલ
DocType: Expense Claim,"A user with ""Expense Approver"" role","ખર્ચ તાજનો" ભૂમિકા સાથે વપરાશકર્તા
@@ -2774,9 +2795,10 @@
DocType: Target Detail,Target Detail,લક્ષ્યાંક વિગતવાર
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,બધા નોકરીઓ
DocType: Sales Order,% of materials billed against this Sales Order,સામગ્રી% આ વેચાણ ઓર્ડર સામે બિલ
+DocType: Program Enrollment,Mode of Transportation,પરિવહનનો મોડ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,પીરિયડ બંધ એન્ટ્રી
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,હાલની વ્યવહારો સાથે ખર્ચ કેન્દ્રને જૂથ રૂપાંતરિત કરી શકતા નથી
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},રકમ {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},રકમ {0} {1} {2} {3}
DocType: Account,Depreciation,અવમૂલ્યન
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),પુરવઠોકર્તા (ઓ)
DocType: Employee Attendance Tool,Employee Attendance Tool,કર્મચારીનું એટેન્ડન્સ સાધન
@@ -2784,7 +2806,7 @@
DocType: Supplier,Credit Limit,ક્રેડિટ મર્યાદા
DocType: Production Plan Sales Order,Salse Order Date,Salse ઓર્ડર તારીખ
DocType: Salary Component,Salary Component,પગાર પુન
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,ચુકવણી પ્રવેશો {0} યુએન સાથે જોડાયેલી છે
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,ચુકવણી પ્રવેશો {0} યુએન સાથે જોડાયેલી છે
DocType: GL Entry,Voucher No,વાઉચર કોઈ
,Lead Owner Efficiency,અગ્ર માલિક કાર્યક્ષમતા
DocType: Leave Allocation,Leave Allocation,ફાળવણી છોડો
@@ -2795,11 +2817,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,શરતો અથવા કરારની ઢાંચો.
DocType: Purchase Invoice,Address and Contact,એડ્રેસ અને સંપર્ક
DocType: Cheque Print Template,Is Account Payable,એકાઉન્ટ ચૂકવવાપાત્ર છે
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},સ્ટોક ખરીદી રસીદ સામે અપડેટ કરી શકો છો {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},સ્ટોક ખરીદી રસીદ સામે અપડેટ કરી શકો છો {0}
DocType: Supplier,Last Day of the Next Month,આગામી મહિને છેલ્લો દિવસ
DocType: Support Settings,Auto close Issue after 7 days,7 દિવસ પછી ઓટો બંધ અંક
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","પહેલાં ફાળવવામાં કરી શકાતી નથી મૂકો {0}, રજા બેલેન્સ પહેલેથી કેરી આગળ ભવિષ્યમાં રજા ફાળવણી રેકોર્ડ કરવામાં આવી છે {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),નોંધ: કારણે / સંદર્ભ તારીખ {0} દિવસ દ્વારા મંજૂરી ગ્રાહક ક્રેડિટ દિવસ કરતાં વધી જાય (ઓ)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),નોંધ: કારણે / સંદર્ભ તારીખ {0} દિવસ દ્વારા મંજૂરી ગ્રાહક ક્રેડિટ દિવસ કરતાં વધી જાય (ઓ)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,વિદ્યાર્થી અરજદાર
DocType: Asset Category Account,Accumulated Depreciation Account,સંચિત અવમૂલ્યન એકાઉન્ટ
DocType: Stock Settings,Freeze Stock Entries,ફ્રીઝ સ્ટોક પ્રવેશો
@@ -2808,35 +2830,35 @@
DocType: Activity Cost,Billing Rate,બિલિંગ રેટ
,Qty to Deliver,વિતરિત કરવા માટે Qty
,Stock Analytics,સ્ટોક ઍનલિટિક્સ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,ઓપરેશન્સ ખાલી છોડી શકાશે નહીં
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,ઓપરેશન્સ ખાલી છોડી શકાશે નહીં
DocType: Maintenance Visit Purpose,Against Document Detail No,દસ્તાવેજ વિગતવાર સામે કોઈ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,પાર્ટી પ્રકાર ફરજિયાત છે
DocType: Quality Inspection,Outgoing,આઉટગોઇંગ
DocType: Material Request,Requested For,વિનંતી
DocType: Quotation Item,Against Doctype,Doctype સામે
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} રદ અથવા બંધ છે
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} રદ અથવા બંધ છે
DocType: Delivery Note,Track this Delivery Note against any Project,કોઈ પણ પ્રોજેક્ટ સામે આ બોલ પર કોઈ નોંધ ટ્રૅક
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,રોકાણ ચોખ્ખી રોકડ
-,Is Primary Address,પ્રાથમિક સરનામું છે
DocType: Production Order,Work-in-Progress Warehouse,વર્ક ઈન પ્રોગ્રેસ વેરહાઉસ
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,એસેટ {0} સબમિટ હોવું જ જોઈએ
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},હાજરીનો વિક્રમ {0} વિદ્યાર્થી સામે અસ્તિત્વમાં {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},હાજરીનો વિક્રમ {0} વિદ્યાર્થી સામે અસ્તિત્વમાં {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},સંદર્ભ # {0} ના રોજ {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,અવમૂલ્યન અસ્કયામતો ના નિકાલ કારણે નાબૂદ
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,સરનામાંઓ મેનેજ કરો
DocType: Asset,Item Code,વસ્તુ કોડ
DocType: Production Planning Tool,Create Production Orders,ઉત્પાદન ઓર્ડર્સ બનાવો
DocType: Serial No,Warranty / AMC Details,વોરંટી / એએમસી વિગતો
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,પ્રવૃત્તિ આધારિત ગ્રુપ માટે જાતે વિદ્યાર્થીઓની પસંદગી
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,પ્રવૃત્તિ આધારિત ગ્રુપ માટે જાતે વિદ્યાર્થીઓની પસંદગી
DocType: Journal Entry,User Remark,વપરાશકર્તા ટીકા
DocType: Lead,Market Segment,માર્કેટ સેગમેન્ટ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},ચૂકવેલ રકમ કુલ નકારાત્મક બાકી રકમ કરતાં વધારે ન હોઈ શકે {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},ચૂકવેલ રકમ કુલ નકારાત્મક બાકી રકમ કરતાં વધારે ન હોઈ શકે {0}
DocType: Employee Internal Work History,Employee Internal Work History,કર્મચારીનું આંતરિક કામ ઇતિહાસ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),બંધ (DR)
DocType: Cheque Print Template,Cheque Size,ચેક માપ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,નથી સ્ટોક સીરીયલ કોઈ {0}
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,વ્યવહારો વેચાણ માટે કરવેરા નમૂનો.
DocType: Sales Invoice,Write Off Outstanding Amount,બાકી રકમ માંડવાળ
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},"એકાઉન્ટ {0} કંપની સાથે મેળ ખાતો નથી, {1}"
DocType: School Settings,Current Academic Year,વર્તમાન શૈક્ષણિક વર્ષ
DocType: Stock Settings,Default Stock UOM,મૂળભૂત સ્ટોક UOM
DocType: Asset,Number of Depreciations Booked,Depreciations સંખ્યા નક્કી
@@ -2851,27 +2873,27 @@
DocType: Asset,Double Declining Balance,ડબલ કથળતું જતું બેલેન્સ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,બંધ કરવા માટે રદ ન કરી શકાય છે. રદ કરવા Unclose.
DocType: Student Guardian,Father,પિતા
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'સુધારા સ્ટોક' સ્થિર એસેટ વેચાણ માટે તપાસી શકાતું નથી
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'સુધારા સ્ટોક' સ્થિર એસેટ વેચાણ માટે તપાસી શકાતું નથી
DocType: Bank Reconciliation,Bank Reconciliation,બેન્ક રિકંસીલેશન
DocType: Attendance,On Leave,રજા પર
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,સુધારાઓ મેળવો
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: એકાઉન્ટ {2} કંપની ને અનુલક્ષતું નથી {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,સામગ્રી વિનંતી {0} રદ અથવા બંધ છે
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,થોડા નમૂના રેકોર્ડ ઉમેરો
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,થોડા નમૂના રેકોર્ડ ઉમેરો
apps/erpnext/erpnext/config/hr.py +301,Leave Management,મેનેજમેન્ટ છોડો
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,એકાઉન્ટ દ્વારા ગ્રુપ
DocType: Sales Order,Fully Delivered,સંપૂર્ણપણે વિતરિત
DocType: Lead,Lower Income,ઓછી આવક
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},સોર્સ અને ટાર્ગેટ વેરહાઉસ પંક્તિ માટે જ ન હોઈ શકે {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},સોર્સ અને ટાર્ગેટ વેરહાઉસ પંક્તિ માટે જ ન હોઈ શકે {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","આ સ્ટોક રિકંસીલેશન એક ખુલી પ્રવેશ છે, કારણ કે તફાવત એકાઉન્ટ, એક એસેટ / જવાબદારી પ્રકાર એકાઉન્ટ હોવું જ જોઈએ"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},વિતરિત રકમ લોન રકમ કરતાં વધારે ન હોઈ શકે {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},વસ્તુ માટે જરૂરી ઓર્ડર નંબર ખરીદી {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,ઉત્પાદન ઓર્ડર બનાવવામાં આવી ન
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},વસ્તુ માટે જરૂરી ઓર્ડર નંબર ખરીદી {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,ઉત્પાદન ઓર્ડર બનાવવામાં આવી ન
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','તારીખ પ્રતિ' પછી 'તારીખ' હોવા જ જોઈએ
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},વિદ્યાર્થી તરીકે સ્થિતિ બદલી શકાતું નથી {0} વિદ્યાર્થી અરજી સાથે કડી થયેલ છે {1}
DocType: Asset,Fully Depreciated,સંપૂર્ણપણે અવમૂલ્યન
,Stock Projected Qty,સ્ટોક Qty અંદાજિત
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},સંબંધ નથી {0} ગ્રાહક પ્રોજેક્ટ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},સંબંધ નથી {0} ગ્રાહક પ્રોજેક્ટ {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,નોંધપાત્ર હાજરી HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",સુવાકયો દરખાસ્તો બિડ તમે તમારા ગ્રાહકો માટે મોકલી છે
DocType: Sales Order,Customer's Purchase Order,ગ્રાહક ખરીદી ઓર્ડર
@@ -2880,33 +2902,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,આકારણી માપદંડ સ્કોર્સ ની રકમ {0} હોઈ જરૂર છે.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Depreciations સંખ્યા નક્કી સુયોજિત કરો
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,ભાવ અથવા Qty
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,પ્રોડક્શન્સ ઓર્ડર્સ માટે ઊભા ન કરી શકો છો:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,મિનિટ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,પ્રોડક્શન્સ ઓર્ડર્સ માટે ઊભા ન કરી શકો છો:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,મિનિટ
DocType: Purchase Invoice,Purchase Taxes and Charges,કર અને ખર્ચ ખરીદી
,Qty to Receive,પ્રાપ્ત Qty
DocType: Leave Block List,Leave Block List Allowed,બ્લોક યાદી મંજૂર છોડો
DocType: Grading Scale Interval,Grading Scale Interval,ગ્રેડીંગ સ્કેલ અંતરાલ
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},વાહન પ્રવેશ માટે ખર્ચ દાવો {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ડિસ્કાઉન્ટ (%) પર માર્જિન સાથે ભાવ યાદી દર
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,બધા વખારો
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,બધા વખારો
DocType: Sales Partner,Retailer,છૂટક વિક્રેતા
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,એકાઉન્ટ ક્રેડિટ બેલેન્સ શીટ એકાઉન્ટ હોવું જ જોઈએ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,એકાઉન્ટ ક્રેડિટ બેલેન્સ શીટ એકાઉન્ટ હોવું જ જોઈએ
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,બધા પુરવઠોકર્તા પ્રકાર
DocType: Global Defaults,Disable In Words,શબ્દો માં અક્ષમ
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,વસ્તુ આપોઆપ નંબર નથી કારણ કે વસ્તુ કોડ ફરજિયાત છે
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,વસ્તુ આપોઆપ નંબર નથી કારણ કે વસ્તુ કોડ ફરજિયાત છે
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},અવતરણ {0} નથી પ્રકાર {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,જાળવણી સુનિશ્ચિત વસ્તુ
DocType: Sales Order,% Delivered,% વિતરિત
DocType: Production Order,PRO-,પ્રો-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,બેન્ક ઓવરડ્રાફટ એકાઉન્ટ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,બેન્ક ઓવરડ્રાફટ એકાઉન્ટ
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,પગાર કાપલી બનાવો
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,રો # {0}: ફાળવેલ રકમ બાકી રકમ કરતાં વધારે ન હોઈ શકે.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,બ્રાઉઝ BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,સુરક્ષીત લોન્સ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,સુરક્ષીત લોન્સ
DocType: Purchase Invoice,Edit Posting Date and Time,પોસ્ટ તારીખ અને સમયને સંપાદિત
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},એસેટ વર્ગ {0} અથવા કંપની અવમૂલ્યન સંબંધિત એકાઉન્ટ્સ સુયોજિત કરો {1}
DocType: Academic Term,Academic Year,શૈક્ષણીક વર્ષ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,પ્રારંભિક સિલક ઈક્વિટી
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,પ્રારંભિક સિલક ઈક્વિટી
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,મૂલ્યાંકન
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},સપ્લાયર મોકલવામાં ઇમેઇલ {0}
@@ -2922,7 +2944,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,ભૂમિકા એપ્રૂવિંગ નિયમ લાગુ પડે છે ભૂમિકા તરીકે જ ન હોઈ શકે
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,આ ઇમેઇલ ડાયજેસ્ટ માંથી અનસબ્સ્ક્રાઇબ
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,સંદેશ મોકલ્યો
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,બાળક ગાંઠો સાથે એકાઉન્ટ ખાતાવહી તરીકે સેટ કરી શકાય છે
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,બાળક ગાંઠો સાથે એકાઉન્ટ ખાતાવહી તરીકે સેટ કરી શકાય છે
DocType: C-Form,II,બીજા
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,દર ભાવ યાદી ચલણ ગ્રાહક આધાર ચલણ ફેરવાય છે
DocType: Purchase Invoice Item,Net Amount (Company Currency),ચોખ્ખી રકમ (કંપની ચલણ)
@@ -2956,7 +2978,7 @@
DocType: Expense Claim,Approval Status,મંજૂરી સ્થિતિ
DocType: Hub Settings,Publish Items to Hub,હબ વસ્તુઓ પ્રકાશિત
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},કિંમત પંક્તિ માં કિંમત કરતાં ઓછી હોવી જોઈએ થી {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,વાયર ટ્રાન્સફર
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,વાયર ટ્રાન્સફર
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,બધા તપાસો
DocType: Vehicle Log,Invoice Ref,ભરતિયું સંદર્ભ
DocType: Purchase Order,Recurring Order,રીકરીંગ ઓર્ડર
@@ -2969,51 +2991,54 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,બેંકિંગ અને ચુકવણીઓ
,Welcome to ERPNext,ERPNext માટે આપનું સ્વાગત છે
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,અવતરણ માટે લીડ
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,વધુ કંઇ બતાવવા માટે.
DocType: Lead,From Customer,ગ્રાહક પાસેથી
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,કોલ્સ
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,કોલ્સ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,બૅચેસ
DocType: Project,Total Costing Amount (via Time Logs),કુલ પડતર રકમ (સમય લોગ મારફતે)
DocType: Purchase Order Item Supplied,Stock UOM,સ્ટોક UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,ઓર્ડર {0} અપર્ણ ન કરાય ખરીદી
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,ઓર્ડર {0} અપર્ણ ન કરાય ખરીદી
DocType: Customs Tariff Number,Tariff Number,જકાત સંખ્યા
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,અંદાજિત
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},સીરીયલ કોઈ {0} વેરહાઉસ ને અનુલક્ષતું નથી {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"નોંધ: {0} જથ્થો કે રકમ 0 છે, કારણ કે ડિલિવરી ઉપર અને ઉપર બુકિંગ વસ્તુ માટે સિસ્ટમ તપાસ કરશે નહીં"
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"નોંધ: {0} જથ્થો કે રકમ 0 છે, કારણ કે ડિલિવરી ઉપર અને ઉપર બુકિંગ વસ્તુ માટે સિસ્ટમ તપાસ કરશે નહીં"
DocType: Notification Control,Quotation Message,અવતરણ સંદેશ
DocType: Employee Loan,Employee Loan Application,કર્મચારીનું લોન અરજી
DocType: Issue,Opening Date,શરૂઆતના તારીખ
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,એટેન્ડન્સ સફળતાપૂર્વક ચિહ્નિત કરવામાં આવી છે.
+DocType: Program Enrollment,Public Transport,જાહેર પરિવહન
DocType: Journal Entry,Remark,ટીકા
DocType: Purchase Receipt Item,Rate and Amount,દર અને રકમ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},એકાઉન્ટ પ્રકાર {0} હોવા જ જોઈએ {1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,પાંદડા અને હોલિડે
DocType: School Settings,Current Academic Term,વર્તમાન શૈક્ષણિક ટર્મ
DocType: Sales Order,Not Billed,રજુ કરવામાં આવ્યું ન
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,બંને વેરહાઉસ જ કંપની સંબંધ માટે જ જોઈએ
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,કોઈ સંપર્કો હજુ સુધી ઉમેર્યું.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,બંને વેરહાઉસ જ કંપની સંબંધ માટે જ જોઈએ
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,કોઈ સંપર્કો હજુ સુધી ઉમેર્યું.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ઉતારેલ માલની કિંમત વાઉચર જથ્થો
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,સપ્લાયર્સ દ્વારા ઉઠાવવામાં બીલો.
DocType: POS Profile,Write Off Account,એકાઉન્ટ માંડવાળ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,ડેબિટ નોટ એએમટી
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,ડિસ્કાઉન્ટ રકમ
DocType: Purchase Invoice,Return Against Purchase Invoice,સામે ખરીદી ભરતિયું પાછા ફરો
DocType: Item,Warranty Period (in days),(દિવસોમાં) વોરંટી સમયગાળા
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Guardian1 સાથે સંબંધ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1 સાથે સંબંધ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,ઓપરેશન્સ થી ચોખ્ખી રોકડ
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,દા.ત. વેટ
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,દા.ત. વેટ
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,આઇટમ 4
DocType: Student Admission,Admission End Date,પ્રવેશ સમાપ્તિ તારીખ
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,પેટા કરાર
DocType: Journal Entry Account,Journal Entry Account,જર્નલ પ્રવેશ એકાઉન્ટ
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,વિદ્યાર્થી જૂથ
DocType: Shopping Cart Settings,Quotation Series,અવતરણ સિરીઝ
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","એક વસ્તુ જ નામ સાથે હાજર ({0}), આઇટમ જૂથ નામ બદલવા અથવા વસ્તુ નામ બદલી કૃપા કરીને"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,કૃપા કરીને ગ્રાહક પસંદ
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","એક વસ્તુ જ નામ સાથે હાજર ({0}), આઇટમ જૂથ નામ બદલવા અથવા વસ્તુ નામ બદલી કૃપા કરીને"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,કૃપા કરીને ગ્રાહક પસંદ
DocType: C-Form,I,હું
DocType: Company,Asset Depreciation Cost Center,એસેટ અવમૂલ્યન કિંમત કેન્દ્ર
DocType: Sales Order Item,Sales Order Date,સેલ્સ ઓર્ડર તારીખ
DocType: Sales Invoice Item,Delivered Qty,વિતરિત Qty
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","જો ચકાસાયેલ છે, દરેક ઉત્પાદન વસ્તુ તમામ બાળકો સામગ્રી અરજીઓ સમાવવામાં આવશે."
DocType: Assessment Plan,Assessment Plan,આકારણી યોજના
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,વેરહાઉસ {0}: કંપની ફરજિયાત છે
DocType: Stock Settings,Limit Percent,મર્યાદા ટકા
,Payment Period Based On Invoice Date,ભરતિયું તારીખ પર આધારિત ચુકવણી સમય
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},માટે ખૂટે કરન્સી વિનિમય દરો {0}
@@ -3025,7 +3050,7 @@
DocType: Vehicle,Insurance Details,વીમા વિગતો
DocType: Account,Payable,ચૂકવવાપાત્ર
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,ચુકવણી કાળ દાખલ કરો
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),ડેટર્સ ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),ડેટર્સ ({0})
DocType: Pricing Rule,Margin,માર્જિન
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,નવા ગ્રાહકો
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,કુલ નફો %
@@ -3036,16 +3061,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,પાર્ટી ફરજિયાત છે
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,વિષય નામ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,વેચાણ અથવા ખરીદી ઓછામાં ઓછા એક પસંદ કરેલ હોવું જ જોઈએ
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,તમારા વેપાર સ્વભાવ પસંદ કરો.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,વેચાણ અથવા ખરીદી ઓછામાં ઓછા એક પસંદ કરેલ હોવું જ જોઈએ
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,તમારા વેપાર સ્વભાવ પસંદ કરો.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},રો # {0}: ડુપ્લિકેટ સંદર્ભો એન્ટ્રી {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,ઉત્પાદન કામગીરી જ્યાં ધરવામાં આવે છે.
DocType: Asset Movement,Source Warehouse,સોર્સ વેરહાઉસ
DocType: Installation Note,Installation Date,સ્થાપન તારીખ
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},રો # {0}: એસેટ {1} કંપની ને અનુલક્ષતું નથી {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},રો # {0}: એસેટ {1} કંપની ને અનુલક્ષતું નથી {2}
DocType: Employee,Confirmation Date,સમર્થન તારીખ
DocType: C-Form,Total Invoiced Amount,કુલ ભરતિયું રકમ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,મીન Qty મેક્સ Qty કરતાં વધારે ન હોઈ શકે
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,મીન Qty મેક્સ Qty કરતાં વધારે ન હોઈ શકે
DocType: Account,Accumulated Depreciation,સંચિત અવમૂલ્યન
DocType: Stock Entry,Customer or Supplier Details,ગ્રાહક અથવા સપ્લાયર વિગતો
DocType: Employee Loan Application,Required by Date,તારીખ દ્વારા જરૂરી
@@ -3066,22 +3091,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,માસિક વિતરણ ટકાવારી
DocType: Territory,Territory Targets,પ્રદેશ લક્ષ્યાંક
DocType: Delivery Note,Transporter Info,ટ્રાન્સપોર્ટર માહિતી
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},મૂળભૂત {0} કંપની સુયોજિત કરો {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},મૂળભૂત {0} કંપની સુયોજિત કરો {1}
DocType: Cheque Print Template,Starting position from top edge,ટોચ ધાર પરથી શરૂ સ્થિતિમાં
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,જ સપ્લાયર ઘણી વખત દાખલ કરવામાં આવી છે
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,ગ્રોસ પ્રોફિટ / નુકશાન
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,ઓર્ડર વસ્તુ પાડેલ ખરીદી
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,કંપની નામ કંપની ન હોઈ શકે
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,કંપની નામ કંપની ન હોઈ શકે
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,પ્રિન્ટ નમૂનાઓ માટે પત્ર ચેતવણી.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,પ્રિન્ટ ટેમ્પલેટો માટે શિર્ષકો કાચું ભરતિયું દા.ત..
DocType: Student Guardian,Student Guardian,વિદ્યાર્થી ગાર્ડિયન
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,મૂલ્યાંકન પ્રકાર ખર્ચ વ્યાપક તરીકે ચિહ્નિત નથી કરી શકો છો
DocType: POS Profile,Update Stock,સુધારા સ્ટોક
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,પુરવઠોકર્તા> પુરવઠોકર્તા પ્રકાર
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,વસ્તુઓ માટે વિવિધ UOM ખોટી (કુલ) નેટ વજન કિંમત તરફ દોરી જશે. દરેક વસ્તુ ચોખ્ખી વજન જ UOM છે કે તેની ખાતરી કરો.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM દર
DocType: Asset,Journal Entry for Scrap,સ્ક્રેપ માટે જર્નલ પ્રવેશ
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,ડ લવર નોંધ વસ્તુઓ ખેંચી કરો
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,જર્નલ પ્રવેશો {0}-અન જોડાયેલા છે
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,જર્નલ પ્રવેશો {0}-અન જોડાયેલા છે
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","પ્રકાર ઈમેઈલ, ફોન, ચેટ, મુલાકાત, વગેરે બધા સંચાર રેકોર્ડ"
DocType: Manufacturer,Manufacturers used in Items,વસ્તુઓ વપરાય ઉત્પાદકો
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,કંપની રાઉન્ડ બંધ ખર્ચ કેન્દ્રને ઉલ્લેખ કરો
@@ -3128,33 +3154,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,પુરવઠોકર્તા ગ્રાહક માટે પહોંચાડે છે
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ફોર્મ / વસ્તુ / {0}) સ્ટોક બહાર છે
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,આગામી તારીખ પોસ્ટ તારીખ કરતાં મોટી હોવી જ જોઈએ
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,બતાવો કર બ્રેક અપ
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},કારણે / સંદર્ભ તારીખ પછી ન હોઈ શકે {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,બતાવો કર બ્રેક અપ
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},કારણે / સંદર્ભ તારીખ પછી ન હોઈ શકે {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,માહિતી આયાત અને નિકાસ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","સ્ટોક પ્રવેશો, {0} વેરહાઉસ સામે અસ્તિત્વમાં તેથી તમે ફરીથી સોંપવા અથવા સંશોધિત કરી શકો છો"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,કોઈ વિદ્યાર્થીઓ મળ્યો
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,કોઈ વિદ્યાર્થીઓ મળ્યો
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,ભરતિયું પોસ્ટ તારીખ
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,વેચાણ
DocType: Sales Invoice,Rounded Total,ગોળાકાર કુલ
DocType: Product Bundle,List items that form the package.,પેકેજ રચે છે કે યાદી વસ્તુઓ.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,ટકાવારી ફાળવણી 100% સમાન હોવું જોઈએ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,કૃપા કરીને પાર્ટી પસંદ કર્યા પહેલાં પોસ્ટ તારીખ સિલેક્ટ કરો
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,કૃપા કરીને પાર્ટી પસંદ કર્યા પહેલાં પોસ્ટ તારીખ સિલેક્ટ કરો
DocType: Program Enrollment,School House,શાળા હાઉસ
DocType: Serial No,Out of AMC,એએમસીના આઉટ
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,સુવાકયો પસંદ કરો
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,સુવાકયો પસંદ કરો
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,નક્કી Depreciations સંખ્યા કુલ Depreciations સંખ્યા કરતાં વધારે ન હોઈ શકે
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,જાળવણી મુલાકાત કરી
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,સેલ્સ માસ્ટર વ્યવસ્થાપક {0} ભૂમિકા છે જે વપરાશકર્તા માટે સંપર્ક કરો
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,સેલ્સ માસ્ટર વ્યવસ્થાપક {0} ભૂમિકા છે જે વપરાશકર્તા માટે સંપર્ક કરો
DocType: Company,Default Cash Account,ડિફૉલ્ટ કેશ એકાઉન્ટ
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,કંપની (નથી ગ્રાહક અથવા સપ્લાયર) માસ્ટર.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,આ વિદ્યાર્થી હાજરી પર આધારિત છે
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,કોઈ વિદ્યાર્થી
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,કોઈ વિદ્યાર્થી
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,વધુ વસ્તુઓ અથવા ઓપન સંપૂર્ણ ફોર્મ ઉમેરો
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date','અપેક્ષા બોલ તારીખ' દાખલ કરો
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ડ લવર નોંધો {0} આ વેચાણ ઓર્ડર રદ પહેલાં રદ થયેલ હોવું જ જોઈએ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,ચૂકવેલ રકમ રકમ ગ્રાન્ડ કુલ કરતાં વધારે ન હોઈ શકે માંડવાળ +
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,ચૂકવેલ રકમ રકમ ગ્રાન્ડ કુલ કરતાં વધારે ન હોઈ શકે માંડવાળ +
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} વસ્તુ માટે માન્ય બેચ નંબર નથી {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},નોંધ: છોડો પ્રકાર માટે પૂરતી રજા બેલેન્સ નથી {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,અમાન્ય GSTIN અથવા બિનનોંધાયેલ માટે NA દાખલ
DocType: Training Event,Seminar,સેમિનાર
DocType: Program Enrollment Fee,Program Enrollment Fee,કાર્યક્રમ પ્રવેશ ફી
DocType: Item,Supplier Items,પુરવઠોકર્તા વસ્તુઓ
@@ -3180,27 +3206,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,આઇટમ 3
DocType: Purchase Order,Customer Contact Email,ગ્રાહક સંપર્ક ઇમેઇલ
DocType: Warranty Claim,Item and Warranty Details,વસ્તુ અને વોરંટી વિગતો
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,આઇટમ code> આઇટમ ગ્રુપ> બ્રાન્ડ
DocType: Sales Team,Contribution (%),યોગદાન (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,નોંધ: ચુકવણી એન્ટ્રી થી બનાવી શકાય નહીં 'કેશ અથવા બેન્ક એકાઉન્ટ' સ્પષ્ટ કરેલ ન હતી
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,કાર્યક્રમ ફરજિયાત કોર્સ આનયન પસંદ કરો.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,જવાબદારીઓ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,જવાબદારીઓ
DocType: Expense Claim Account,Expense Claim Account,ખર્ચ દાવો એકાઉન્ટ
DocType: Sales Person,Sales Person Name,વેચાણ વ્યક્તિ નામ
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,કોષ્ટકમાં ઓછામાં ઓછા 1 ભરતિયું દાખલ કરો
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,વપરાશકર્તાઓ ઉમેરો
DocType: POS Item Group,Item Group,વસ્તુ ગ્રુપ
DocType: Item,Safety Stock,સુરક્ષા સ્ટોક
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,એક કાર્ય માટે પ્રગતિ% 100 કરતાં વધુ ન હોઈ શકે.
DocType: Stock Reconciliation Item,Before reconciliation,સમાધાન પહેલાં
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},માટે {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),કર અને ખર્ચ ઉમેરાયેલ (કંપની ચલણ)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,વસ્તુ ટેક્સ રો {0} પ્રકાર વેરો કે આવક અથવા ખર્ચ અથવા લેવાપાત્ર કારણે હોવી જ જોઈએ
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,વસ્તુ ટેક્સ રો {0} પ્રકાર વેરો કે આવક અથવા ખર્ચ અથવા લેવાપાત્ર કારણે હોવી જ જોઈએ
DocType: Sales Order,Partly Billed,આંશિક ગણાવી
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,વસ્તુ {0} એક નિશ્ચિત એસેટ વસ્તુ જ હોવી જોઈએ
DocType: Item,Default BOM,મૂળભૂત BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,ફરીથી લખો કંપની નામ ખાતરી કરવા માટે કરો
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,કુલ બાકી એએમટી
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,ડેબિટ નોટ રકમ
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,ફરીથી લખો કંપની નામ ખાતરી કરવા માટે કરો
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,કુલ બાકી એએમટી
DocType: Journal Entry,Printing Settings,પ્રિન્ટિંગ સેટિંગ્સ
DocType: Sales Invoice,Include Payment (POS),ચુકવણી સમાવેશ થાય છે (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},કુલ ડેબિટ કુલ ક્રેડિટ માટે સમાન હોવો જોઈએ. તફાવત છે {0}
@@ -3214,15 +3238,16 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,ઉપલબ્ધ છે:
DocType: Notification Control,Custom Message,કસ્ટમ સંદેશ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,ઇન્વેસ્ટમેન્ટ બેન્કિંગ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,કેશ અથવા બેન્ક એકાઉન્ટ ચુકવણી પ્રવેશ બનાવવા માટે ફરજિયાત છે
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,વિદ્યાર્થી સરનામું
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,કેશ અથવા બેન્ક એકાઉન્ટ ચુકવણી પ્રવેશ બનાવવા માટે ફરજિયાત છે
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,કૃપા કરીને સેટઅપ સેટઅપ મારફતે હાજરી શ્રેણી સંખ્યા> નંબરિંગ સિરીઝ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,વિદ્યાર્થી સરનામું
DocType: Purchase Invoice,Price List Exchange Rate,ભાવ યાદી એક્સચેન્જ રેટ
DocType: Purchase Invoice Item,Rate,દર
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,ઇન્ટર્ન
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,એડ્રેસ નામ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,ઇન્ટર્ન
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,એડ્રેસ નામ
DocType: Stock Entry,From BOM,BOM થી
DocType: Assessment Code,Assessment Code,આકારણી કોડ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,મૂળભૂત
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,મૂળભૂત
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,{0} સ્થિર થાય તે પહેલા સ્ટોક વ્યવહારો
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule','બનાવો સૂચિ' પર ક્લિક કરો
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","દા.ત. કિલો, એકમ, અમે, એમ"
@@ -3232,11 +3257,11 @@
DocType: Salary Slip,Salary Structure,પગાર માળખું
DocType: Account,Bank,બેન્ક
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,એરલાઇન
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,ઇશ્યૂ સામગ્રી
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,ઇશ્યૂ સામગ્રી
DocType: Material Request Item,For Warehouse,વેરહાઉસ માટે
DocType: Employee,Offer Date,ઓફર તારીખ
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,સુવાકયો
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,તમે ઑફલાઇન મોડ છે. તમે જ્યાં સુધી તમે નેટવર્ક ફરીથી લોડ કરવા માટે સમર્થ હશે નહિં.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,તમે ઑફલાઇન મોડ છે. તમે જ્યાં સુધી તમે નેટવર્ક ફરીથી લોડ કરવા માટે સમર્થ હશે નહિં.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,કોઈ વિદ્યાર્થી જૂથો બનાવી છે.
DocType: Purchase Invoice Item,Serial No,સીરીયલ કોઈ
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,માસિક ચુકવણી રકમ લોન રકમ કરતાં વધારે ન હોઈ શકે
@@ -3244,8 +3269,8 @@
DocType: Purchase Invoice,Print Language,પ્રિંટ ભાષા
DocType: Salary Slip,Total Working Hours,કુલ કામ કલાક
DocType: Stock Entry,Including items for sub assemblies,પેટા વિધાનસભાઓ માટે વસ્તુઓ સહિત
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,દાખલ કિંમત હકારાત્મક હોવો જ જોઈએ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,બધા પ્રદેશો
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,દાખલ કિંમત હકારાત્મક હોવો જ જોઈએ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,બધા પ્રદેશો
DocType: Purchase Invoice,Items,વસ્તુઓ
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,વિદ્યાર્થી પહેલેથી પ્રવેશ છે.
DocType: Fiscal Year,Year Name,વર્ષ નામ
@@ -3263,10 +3288,10 @@
DocType: Issue,Opening Time,ઉદઘાટન સમય
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,પ્રતિ અને જરૂરી તારીખો
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,સિક્યોરિટીઝ એન્ડ કોમોડિટી એક્સચેન્જો
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',વેરિએન્ટ માટે માપવા એકમ મૂળભૂત '{0}' નમૂનો તરીકે જ હોવી જોઈએ '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',વેરિએન્ટ માટે માપવા એકમ મૂળભૂત '{0}' નમૂનો તરીકે જ હોવી જોઈએ '{1}'
DocType: Shipping Rule,Calculate Based On,પર આધારિત ગણતરી
DocType: Delivery Note Item,From Warehouse,વેરહાઉસ માંથી
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,માલ બિલ સાથે કોઈ વસ્તુઓ ઉત્પાદન
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,માલ બિલ સાથે કોઈ વસ્તુઓ ઉત્પાદન
DocType: Assessment Plan,Supervisor Name,સુપરવાઇઝર નામ
DocType: Program Enrollment Course,Program Enrollment Course,કાર્યક્રમ નોંધણી કોર્સ
DocType: Purchase Taxes and Charges,Valuation and Total,મૂલ્યાંકન અને કુલ
@@ -3281,18 +3306,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'છેલ્લું ઓર્ડર સુધીનાં દિવસો' શૂન્ય કરતાં વધારે અથવા સમાન હોવો જોઈએ
DocType: Process Payroll,Payroll Frequency,પગારપત્રક આવર્તન
DocType: Asset,Amended From,સુધારો
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,કાચો માલ
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,કાચો માલ
DocType: Leave Application,Follow via Email,ઈમેઈલ મારફતે અનુસરો
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,છોડ અને મશીનરી
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,છોડ અને મશીનરી
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,ડિસ્કાઉન્ટ રકમ બાદ કર જથ્થો
DocType: Daily Work Summary Settings,Daily Work Summary Settings,દૈનિક કામ સારાંશ સેટિંગ્સ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},ભાવ યાદી {0} ચલણ પસંદ ચલણ સાથે સમાન નથી {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},ભાવ યાદી {0} ચલણ પસંદ ચલણ સાથે સમાન નથી {1}
DocType: Payment Entry,Internal Transfer,આંતરિક ટ્રાન્સફર
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,બાળ એકાઉન્ટ આ એકાઉન્ટ માટે અસ્તિત્વમાં છે. તમે આ એકાઉન્ટ કાઢી શકતા નથી.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,બાળ એકાઉન્ટ આ એકાઉન્ટ માટે અસ્તિત્વમાં છે. તમે આ એકાઉન્ટ કાઢી શકતા નથી.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ક્યાં લક્ષ્ય Qty અથવા લક્ષ્ય રકમ ફરજિયાત છે
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},મૂળભૂત BOM વસ્તુ માટે અસ્તિત્વમાં {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},મૂળભૂત BOM વસ્તુ માટે અસ્તિત્વમાં {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,પ્રથમ પોસ્ટ તારીખ પસંદ કરો
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,તારીખ ઓપનિંગ તારીખ બંધ કરતા પહેલા પ્રયત્ન કરીશું
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} સેટઅપ> સેટિંગ્સ દ્વારા> નામકરણ સિરીઝ માટે સિરીઝ નામકરણ સેટ કરો
DocType: Leave Control Panel,Carry Forward,આગળ લઈ
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,હાલની વ્યવહારો સાથે ખર્ચ કેન્દ્રને ખાતાવહી રૂપાંતરિત કરી શકતા નથી
DocType: Department,Days for which Holidays are blocked for this department.,દિવસો કે જેના માટે રજાઓ આ વિભાગ માટે બ્લોક કરી દેવામાં આવે છે.
@@ -3302,10 +3328,9 @@
DocType: Issue,Raised By (Email),દ્વારા ઊભા (ઇમેઇલ)
DocType: Training Event,Trainer Name,ટ્રેનર નામ
DocType: Mode of Payment,General,જનરલ
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,લેટરહેડ જોડો
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,છેલ્લે કોમ્યુનિકેશન
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',શ્રેણી 'મૂલ્યાંકન' અથવા 'મૂલ્યાંકન અને કુલ' માટે છે જ્યારે કપાત કરી શકો છો
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","તમારી કર હેડ યાદી (દા.ત. વેટ, કસ્ટમ્સ વગેરે; તેઓ અનન્ય નામો હોવી જોઈએ) અને તેમના પ્રમાણભૂત દરો. આ તમને સંપાદિત કરો અને વધુ પાછળથી ઉમેરી શકો છો કે જે સ્ટાન્ડર્ડ ટેમ્પલેટ, બનાવશે."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","તમારી કર હેડ યાદી (દા.ત. વેટ, કસ્ટમ્સ વગેરે; તેઓ અનન્ય નામો હોવી જોઈએ) અને તેમના પ્રમાણભૂત દરો. આ તમને સંપાદિત કરો અને વધુ પાછળથી ઉમેરી શકો છો કે જે સ્ટાન્ડર્ડ ટેમ્પલેટ, બનાવશે."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},શ્રેણીબદ્ધ વસ્તુ માટે સીરીયલ અમે જરૂરી {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,ઇન્વૉઇસેસ સાથે મેળ ચુકવણીઓ
DocType: Journal Entry,Bank Entry,બેન્ક એન્ટ્રી
@@ -3314,16 +3339,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,સૂચી માં સામેલ કરો
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,ગ્રુપ દ્વારા
DocType: Guardian,Interests,રૂચિ
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,/ અક્ષમ કરો કરન્સી સક્રિય કરો.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,/ અક્ષમ કરો કરન્સી સક્રિય કરો.
DocType: Production Planning Tool,Get Material Request,સામગ્રી વિનંતી વિચાર
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,ટપાલ ખર્ચ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,ટપાલ ખર્ચ
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),કુલ (એએમટી)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,મનોરંજન & ફુરસદની પ્રવૃત્તિઓ
DocType: Quality Inspection,Item Serial No,વસ્તુ સીરીયલ કોઈ
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,કર્મચારીનું રેકોર્ડ બનાવવા
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,કુલ પ્રેઝન્ટ
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,હિસાબી નિવેદનો
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,કલાક
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,કલાક
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,ન્યૂ સીરીયલ કોઈ વેરહાઉસ કરી શકે છે. વેરહાઉસ સ્ટોક એન્ટ્રી અથવા ખરીદી રસીદ દ્વારા સુયોજિત થયેલ હોવું જ જોઈએ
DocType: Lead,Lead Type,લીડ પ્રકાર
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,તમે બ્લોક તારીખો પર પાંદડા મંજૂર કરવા માટે અધિકૃત નથી
@@ -3335,6 +3360,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,રિપ્લેસમેન્ટ પછી નવા BOM
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,વેચાણ પોઇન્ટ
DocType: Payment Entry,Received Amount,મળેલી રકમ
+DocType: GST Settings,GSTIN Email Sent On,GSTIN ઇમેઇલ પર મોકલ્યું
+DocType: Program Enrollment,Pick/Drop by Guardian,ચૂંટો / પાલક દ્વારા ડ્રોપ
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","સંપૂર્ણ જથ્થો માટે બનાવવા માટે, ઓર્ડર પર પહેલેથી જ જથ્થો અવગણીને"
DocType: Account,Tax,ટેક્સ
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,માર્ક ન
@@ -3346,14 +3373,14 @@
DocType: Batch,Source Document Name,સોર્સ દસ્તાવેજનું નામ
DocType: Job Opening,Job Title,જોબ શીર્ષક
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,બનાવવા વપરાશકર્તાઓ
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,ગ્રામ
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,ગ્રામ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,ઉત્પાદન જથ્થો 0 કરતાં મોટી હોવી જ જોઈએ.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,જાળવણી કોલ માટે અહેવાલ મુલાકાત લો.
DocType: Stock Entry,Update Rate and Availability,સુધારા દર અને ઉપલબ્ધતા
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,ટકાવારી તમે પ્રાપ્ત અથવા આદેશ આપ્યો જથ્થો સામે વધુ પહોંચાડવા માટે માન્ય છે. ઉદાહરણ તરીકે: તમે 100 એકમો આદેશ આપ્યો હોય તો. અને તમારા ભથ્થું પછી તમે 110 એકમો મેળવવા માટે માન્ય છે 10% છે.
DocType: POS Customer Group,Customer Group,ગ્રાહક જૂથ
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),ન્યૂ બેચ આઈડી (વૈકલ્પિક)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},ખર્ચ હિસાબ આઇટમ માટે ફરજિયાત છે {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},ખર્ચ હિસાબ આઇટમ માટે ફરજિયાત છે {0}
DocType: BOM,Website Description,વેબસાઇટ વર્ણન
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,ઈક્વિટી કુલ ફેરફાર
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,ખરીદી ભરતિયું {0} રદ કૃપા કરીને પ્રથમ
@@ -3363,8 +3390,8 @@
,Sales Register,સેલ્સ રજિસ્ટર
DocType: Daily Work Summary Settings Company,Send Emails At,ઇમેઇલ્સ મોકલો ખાતે
DocType: Quotation,Quotation Lost Reason,અવતરણ લોસ્ટ કારણ
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,તમારા ડોમેન પસંદ કરો
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},ટ્રાન્ઝેક્શન સંદર્ભ કોઈ {0} ના રોજ {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,તમારા ડોમેન પસંદ કરો
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},ટ્રાન્ઝેક્શન સંદર્ભ કોઈ {0} ના રોજ {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,ફેરફાર કરવા માટે કંઈ નથી.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,આ મહિને અને બાકી પ્રવૃત્તિઓ માટે સારાંશ
DocType: Customer Group,Customer Group Name,ગ્રાહક જૂથ નામ
@@ -3372,14 +3399,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,કેશ ફ્લો સ્ટેટમેન્ટ
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},લોન રકમ મહત્તમ લોન રકમ કરતાં વધી શકે છે {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,લાઈસન્સ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},સી-ફોર્મ આ બિલ {0} દૂર કરો {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},સી-ફોર્મ આ બિલ {0} દૂર કરો {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"તમે પણ અગાઉના નાણાકીય વર્ષમાં બેલેન્સ ચાલુ નાણાકીય વર્ષના નહીં સામેલ કરવા માંગો છો, તો આગળ લઈ પસંદ કરો"
DocType: GL Entry,Against Voucher Type,વાઉચર પ્રકાર સામે
DocType: Item,Attributes,લક્ષણો
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,એકાઉન્ટ માંડવાળ દાખલ કરો
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,એકાઉન્ટ માંડવાળ દાખલ કરો
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,છેલ્લે ઓર્ડર તારીખ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},એકાઉન્ટ {0} કરે કંપની માટે અનુસરે છે નથી {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,{0} પંક્તિમાં ક્રમાંકોમાં સાથે ડિલીવરી નોંધ મેચ થતો નથી
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,{0} પંક્તિમાં ક્રમાંકોમાં સાથે ડિલીવરી નોંધ મેચ થતો નથી
DocType: Student,Guardian Details,ગાર્ડિયન વિગતો
DocType: C-Form,C-Form,સી-ફોર્મ
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,બહુવિધ કર્મચારીઓ માટે માર્ક એટેન્ડન્સ
@@ -3394,16 +3421,16 @@
DocType: Budget Account,Budget Amount,બજેટ રકમ
DocType: Appraisal Template,Appraisal Template Title,મૂલ્યાંકન ઢાંચો શીર્ષક
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},તારીખ થી {0} માટે કર્મચારી {1} પહેલાં કર્મચારી જોડાયા તારીખ ન હોઈ શકે {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,કોમર્શિયલ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,કોમર્શિયલ
DocType: Payment Entry,Account Paid To,એકાઉન્ટ ચૂકવેલ
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,પિતૃ વસ્તુ {0} સ્ટોક વસ્તુ ન હોવું જોઈએ
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,બધા ઉત્પાદનો અથવા સેવાઓ.
DocType: Expense Claim,More Details,વધુ વિગતો
DocType: Supplier Quotation,Supplier Address,પુરવઠોકર્તા સરનામું
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} એકાઉન્ટ માટે બજેટ {1} સામે {2} {3} છે {4}. તે દ્વારા કરતાં વધી જશે {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',રો {0} # એકાઉન્ટ પ્રકાર હોવા જ જોઈએ 'સ્થિર એસેટ'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Qty આઉટ
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,નિયમો વેચાણ માટે શીપીંગ જથ્થો ગણતરી માટે
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',રો {0} # એકાઉન્ટ પ્રકાર હોવા જ જોઈએ 'સ્થિર એસેટ'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Qty આઉટ
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,નિયમો વેચાણ માટે શીપીંગ જથ્થો ગણતરી માટે
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,સિરીઝ ફરજિયાત છે
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,ફાઈનાન્સિયલ સર્વિસીસ
DocType: Student Sibling,Student ID,વિદ્યાર્થી ID
@@ -3411,13 +3438,13 @@
DocType: Tax Rule,Sales,સેલ્સ
DocType: Stock Entry Detail,Basic Amount,મૂળભૂત રકમ
DocType: Training Event,Exam,પરીક્ષા
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},વેરહાઉસ સ્ટોક વસ્તુ માટે જરૂરી {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},વેરહાઉસ સ્ટોક વસ્તુ માટે જરૂરી {0}
DocType: Leave Allocation,Unused leaves,નહિં વપરાયેલ પાંદડા
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,લાખોમાં
DocType: Tax Rule,Billing State,બિલિંગ રાજ્ય
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,ટ્રાન્સફર
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} પક્ષ એકાઉન્ટ સાથે સંકળાયેલ નથી {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),(પેટા-સ્થળોના સહિત) ફેલાય છે BOM મેળવો
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} પક્ષ એકાઉન્ટ સાથે સંકળાયેલ નથી {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),(પેટા-સ્થળોના સહિત) ફેલાય છે BOM મેળવો
DocType: Authorization Rule,Applicable To (Employee),લાગુ કરો (કર્મચારી)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,કારણે તારીખ ફરજિયાત છે
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,લક્ષણ માટે વૃદ્ધિ {0} 0 ન હોઈ શકે
@@ -3445,7 +3472,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,કાચો સામગ્રી વસ્તુ કોડ
DocType: Journal Entry,Write Off Based On,પર આધારિત માંડવાળ
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,લીડ બનાવો
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,પ્રિન્ટ અને સ્ટેશનરી
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,પ્રિન્ટ અને સ્ટેશનરી
DocType: Stock Settings,Show Barcode Field,બતાવો બારકોડ ક્ષેત્ર
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,પુરવઠોકર્તા ઇમેઇલ્સ મોકલો
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","પગાર પહેલેથી જ વચ્ચે {0} અને {1}, એપ્લિકેશન સમયગાળા છોડો આ તારીખ શ્રેણી વચ્ચે ન હોઈ શકે સમયગાળા માટે પ્રક્રિયા."
@@ -3453,13 +3480,15 @@
DocType: Guardian Interest,Guardian Interest,ગાર્ડિયન વ્યાજ
apps/erpnext/erpnext/config/hr.py +177,Training,તાલીમ
DocType: Timesheet,Employee Detail,કર્મચારીનું વિગતવાર
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 ઇમેઇલ આઈડી
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 ઇમેઇલ આઈડી
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,આગામી તારીખ ડે અને મહિનાનો દિવસ પર પુનરાવર્તન સમાન હોવા જ જોઈએ
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,વેબસાઇટ હોમપેજ માટે સેટિંગ્સ
DocType: Offer Letter,Awaiting Response,પ્રતિભાવ પ્રતીક્ષામાં
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,ઉપર
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,ઉપર
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},અમાન્ય લક્ષણ {0} {1}
DocType: Supplier,Mention if non-standard payable account,ઉલ્લેખ જો નોન-સ્ટાન્ડર્ડ ચૂકવવાપાત્ર એકાઉન્ટ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},એક જ આઇટમ્સનો અનેકવાર દાખલ કરવામાં આવી છે. {યાદી}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',કૃપા કરીને આકારણી 'તમામ એસેસમેન્ટ જૂથો' કરતાં અન્ય જૂથ પસંદ
DocType: Salary Slip,Earning & Deduction,અર્નિંગ અને કપાત
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,વૈકલ્પિક. આ ગોઠવણી વિવિધ વ્યવહારો ફિલ્ટર કરવા માટે ઉપયોગ કરવામાં આવશે.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,નકારાત્મક મૂલ્યાંકન દર મંજૂરી નથી
@@ -3473,9 +3502,9 @@
DocType: Sales Invoice,Product Bundle Help,ઉત્પાદન બંડલ મદદ
,Monthly Attendance Sheet,માસિક હાજરી શીટ
DocType: Production Order Item,Production Order Item,ઉત્પાદન ઓર્ડર વસ્તુ
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,મળ્યું નથી રેકોર્ડ
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,મળ્યું નથી રેકોર્ડ
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,રદ એસેટ કિંમત
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: ખર્ચ કેન્દ્રને વસ્તુ માટે ફરજિયાત છે {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: ખર્ચ કેન્દ્રને વસ્તુ માટે ફરજિયાત છે {2}
DocType: Vehicle,Policy No,નીતિ કોઈ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,ઉત્પાદન બંડલ થી વસ્તુઓ વિચાર
DocType: Asset,Straight Line,સીધી રેખા
@@ -3483,7 +3512,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,સ્પ્લિટ
DocType: GL Entry,Is Advance,અગાઉથી છે
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,તારીખ તારીખ અને હાજરી થી એટેન્ડન્સ ફરજિયાત છે
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,હા અથવા ના હોય તરીકે 'subcontracted છે' દાખલ કરો
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,હા અથવા ના હોય તરીકે 'subcontracted છે' દાખલ કરો
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,છેલ્લે કોમ્યુનિકેશન તારીખ
DocType: Sales Team,Contact No.,સંપર્ક નંબર
DocType: Bank Reconciliation,Payment Entries,ચુકવણી પ્રવેશો
@@ -3509,60 +3538,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,ખુલી ભાવ
DocType: Salary Detail,Formula,ફોર્મ્યુલા
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,સીરીયલ #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,સેલ્સ પર કમિશન
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,સેલ્સ પર કમિશન
DocType: Offer Letter Term,Value / Description,ભાવ / વર્ણન
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","રો # {0}: એસેટ {1} સુપ્રત કરી શકાય નહીં, તે પહેલેથી જ છે {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","રો # {0}: એસેટ {1} સુપ્રત કરી શકાય નહીં, તે પહેલેથી જ છે {2}"
DocType: Tax Rule,Billing Country,બિલિંગ દેશ
DocType: Purchase Order Item,Expected Delivery Date,અપેક્ષિત બોલ તારીખ
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,ડેબિટ અને ક્રેડિટ {0} # માટે સમાન નથી {1}. તફાવત છે {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,મનોરંજન ખર્ચ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,સામગ્રી વિનંતી કરવા
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,મનોરંજન ખર્ચ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,સામગ્રી વિનંતી કરવા
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},ખોલો વસ્તુ {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,આ વેચાણ ઓર્ડર રદ પહેલાં ભરતિયું {0} રદ થયેલ હોવું જ જોઈએ સેલ્સ
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,ઉંમર
DocType: Sales Invoice Timesheet,Billing Amount,બિલિંગ રકમ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,આઇટમ માટે સ્પષ્ટ અમાન્ય જથ્થો {0}. જથ્થો 0 કરતાં મોટી હોવી જોઈએ.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,રજા માટે કાર્યક્રમો.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,હાલની વ્યવહાર સાથે એકાઉન્ટ કાઢી શકાતી નથી
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,હાલની વ્યવહાર સાથે એકાઉન્ટ કાઢી શકાતી નથી
DocType: Vehicle,Last Carbon Check,છેલ્લા કાર્બન ચેક
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,કાનૂની ખર્ચ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,કાનૂની ખર્ચ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,કૃપા કરીને પંક્તિ પર જથ્થો પસંદ
DocType: Purchase Invoice,Posting Time,પોસ્ટિંગ સમય
DocType: Timesheet,% Amount Billed,% રકમ ગણાવી
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,ટેલિફોન ખર્ચ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,ટેલિફોન ખર્ચ
DocType: Sales Partner,Logo,લોગો
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"તમે બચત પહેલાં શ્રેણી પસંદ કરો વપરાશકર્તા પર દબાણ કરવા માંગો છો, તો આ તપાસો. તમે આ તપાસો જો કોઈ મૂળભૂત હશે."
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},સીરીયલ કોઈ સાથે કોઈ વસ્તુ {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},સીરીયલ કોઈ સાથે કોઈ વસ્તુ {0}
DocType: Email Digest,Open Notifications,ઓપન સૂચનાઓ
DocType: Payment Entry,Difference Amount (Company Currency),તફાવત રકમ (કંપની ચલણ)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,પ્રત્યક્ષ ખર્ચ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,પ્રત્યક્ષ ખર્ચ
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} 'સૂચના \ ઇમેઇલ સરનામું' એક અમાન્ય ઇમેઇલ સરનામું
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,નવા ગ્રાહક આવક
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,પ્રવાસ ખર્ચ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,પ્રવાસ ખર્ચ
DocType: Maintenance Visit,Breakdown,વિરામ
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,ખાતું: {0} ચલણ સાથે: {1} પસંદ કરી શકાતી નથી
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,ખાતું: {0} ચલણ સાથે: {1} પસંદ કરી શકાતી નથી
DocType: Bank Reconciliation Detail,Cheque Date,ચેક તારીખ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},એકાઉન્ટ {0}: પિતૃ એકાઉન્ટ {1} કંપની ને અનુલક્ષતું નથી: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},એકાઉન્ટ {0}: પિતૃ એકાઉન્ટ {1} કંપની ને અનુલક્ષતું નથી: {2}
DocType: Program Enrollment Tool,Student Applicants,વિદ્યાર્થી અરજદારો
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,સફળતાપૂર્વક આ કંપની સંબંધિત તમામ વ્યવહારો કાઢી!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,સફળતાપૂર્વક આ કંપની સંબંધિત તમામ વ્યવહારો કાઢી!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,તારીખના રોજ
DocType: Appraisal,HR,એચઆર
DocType: Program Enrollment,Enrollment Date,નોંધણી તારીખ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,પ્રોબેશન
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,પ્રોબેશન
apps/erpnext/erpnext/config/hr.py +115,Salary Components,પગાર ઘટકો
DocType: Program Enrollment Tool,New Academic Year,નવા શૈક્ષણિક વર્ષ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,રીટર્ન / ક્રેડિટ નોટ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,રીટર્ન / ક્રેડિટ નોટ
DocType: Stock Settings,Auto insert Price List rate if missing,ઓટો સામેલ ભાવ યાદી દર ગુમ તો
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,કુલ ભરપાઈ રકમ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,કુલ ભરપાઈ રકમ
DocType: Production Order Item,Transferred Qty,પરિવહન Qty
apps/erpnext/erpnext/config/learn.py +11,Navigating,શોધખોળ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,આયોજન
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,જારી
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,આયોજન
+DocType: Material Request,Issued,જારી
DocType: Project,Total Billing Amount (via Time Logs),કુલ બિલિંગ રકમ (સમય લોગ મારફતે)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,અમે આ આઇટમ વેચાણ
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,પુરવઠોકર્તા આઈડી
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,અમે આ આઇટમ વેચાણ
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,પુરવઠોકર્તા આઈડી
DocType: Payment Request,Payment Gateway Details,પેમેન્ટ ગેટવે વિગતો
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,જથ્થો 0 કરતાં મોટી હોવી જોઈએ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,જથ્થો 0 કરતાં મોટી હોવી જોઈએ
DocType: Journal Entry,Cash Entry,કેશ એન્ટ્રી
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,બાળક ગાંઠો માત્ર 'ગ્રુપ' પ્રકાર ગાંઠો હેઠળ બનાવી શકાય છે
DocType: Leave Application,Half Day Date,અડધા દિવસ તારીખ
@@ -3574,14 +3604,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},ખર્ચ દાવો પ્રકાર મૂળભૂત એકાઉન્ટ સુયોજિત કરો {0}
DocType: Assessment Result,Student Name,વિદ્યાર્થી નામ
DocType: Brand,Item Manager,વસ્તુ વ્યવસ્થાપક
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,પગારપત્રક ચૂકવવાપાત્ર
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,પગારપત્રક ચૂકવવાપાત્ર
DocType: Buying Settings,Default Supplier Type,મૂળભૂત પુરવઠોકર્તા પ્રકાર
DocType: Production Order,Total Operating Cost,કુલ સંચાલન ખર્ચ
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,નોંધ: વસ્તુ {0} ઘણી વખત દાખલ
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,બધા સંપર્કો.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,કંપની સંક્ષેપનો
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,કંપની સંક્ષેપનો
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,વપરાશકર્તા {0} અસ્તિત્વમાં નથી
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,કાચો માલ મુખ્ય વસ્તુ તરીકે જ ન હોઈ શકે
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,કાચો માલ મુખ્ય વસ્તુ તરીકે જ ન હોઈ શકે
DocType: Item Attribute Value,Abbreviation,સંક્ષેપનો
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,ચુકવણી એન્ટ્રી પહેલેથી હાજર જ છે
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,"{0} મર્યાદા કરતાં વધી જાય છે, કારણ કે authroized નથી"
@@ -3590,49 +3620,49 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,શોપિંગ કાર્ટ માટે સેટ ટેક્સ નિયમ
DocType: Purchase Invoice,Taxes and Charges Added,કર અને ખર્ચ ઉમેર્યું
,Sales Funnel,વેચાણ નાળચું
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,સંક્ષેપનો ફરજિયાત છે
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,સંક્ષેપનો ફરજિયાત છે
DocType: Project,Task Progress,ટાસ્ક પ્રગતિ
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,કાર્ટ
,Qty to Transfer,પરિવહન માટે Qty
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,દોરી જાય છે અથવા ગ્રાહકો માટે ખર્ચ.
DocType: Stock Settings,Role Allowed to edit frozen stock,ભૂમિકા સ્થિર સ્ટોક ફેરફાર કરવા માટે પરવાનગી
,Territory Target Variance Item Group-Wise,પ્રદેશ લક્ષ્યાંક ફેરફાર વસ્તુ ગ્રુપ મુજબની
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,બધા ગ્રાહક જૂથો
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,બધા ગ્રાહક જૂથો
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,સંચિત માસિક
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ફરજિયાત છે. કદાચ ચલણ એક્સચેન્જ રેકોર્ડ {1} {2} માટે બનાવેલ નથી.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ફરજિયાત છે. કદાચ ચલણ એક્સચેન્જ રેકોર્ડ {1} {2} માટે બનાવેલ નથી.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,ટેક્સ ઢાંચો ફરજિયાત છે.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,એકાઉન્ટ {0}: પિતૃ એકાઉન્ટ {1} અસ્તિત્વમાં નથી
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,એકાઉન્ટ {0}: પિતૃ એકાઉન્ટ {1} અસ્તિત્વમાં નથી
DocType: Purchase Invoice Item,Price List Rate (Company Currency),ભાવ યાદી દર (કંપની ચલણ)
DocType: Products Settings,Products Settings,પ્રોડક્ટ્સ સેટિંગ્સ
DocType: Account,Temporary,કામચલાઉ
DocType: Program,Courses,અભ્યાસક્રમો
DocType: Monthly Distribution Percentage,Percentage Allocation,ટકાવારી ફાળવણી
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,સચિવ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,સચિવ
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","અક્ષમ કરો છો, તો આ ક્ષેત્ર શબ્દો માં 'કોઈપણ વ્યવહાર દૃશ્યમાન હશે નહિં"
DocType: Serial No,Distinct unit of an Item,આઇટમ અલગ એકમ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,સેટ કરો કંપની
DocType: Pricing Rule,Buying,ખરીદી
DocType: HR Settings,Employee Records to be created by,કર્મચારીનું રેકોર્ડ્સ દ્વારા બનાવી શકાય
DocType: POS Profile,Apply Discount On,લાગુ ડિસ્કાઉન્ટ પર
,Reqd By Date,Reqd તારીખ દ્વારા
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,ક્રેડિટર્સ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,ક્રેડિટર્સ
DocType: Assessment Plan,Assessment Name,આકારણી નામ
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,ROW # {0}: સીરીયલ કોઈ ફરજિયાત છે
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,વસ્તુ વાઈસ ટેક્સ વિગતવાર
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,સંસ્થા સંક્ષેપનો
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,સંસ્થા સંક્ષેપનો
,Item-wise Price List Rate,વસ્તુ મુજબના ભાવ યાદી દર
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,પુરવઠોકર્તા અવતરણ
DocType: Quotation,In Words will be visible once you save the Quotation.,તમે આ અવતરણ સેવ વાર શબ્દો દૃશ્યમાન થશે.
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},જથ્થા ({0}) પંક્તિમાં અપૂર્ણાંક ન હોઈ શકે {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,ફી એકઠી
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},બારકોડ {0} પહેલાથી જ વસ્તુ ઉપયોગ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},બારકોડ {0} પહેલાથી જ વસ્તુ ઉપયોગ {1}
DocType: Lead,Add to calendar on this date,આ તારીખ પર કૅલેન્ડર ઉમેરો
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,શિપિંગ ખર્ચ ઉમેરવા માટે નિયમો.
DocType: Item,Opening Stock,ખુલવાનો સ્ટોક
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,ગ્રાહક જરૂરી છે
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} રીટર્ન ફરજિયાત છે
DocType: Purchase Order,To Receive,પ્રાપ્ત
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,વ્યક્તિગત ઇમેઇલ
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,કુલ ફેરફાર
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","જો સક્રિય હોય તો, સિસ્ટમ આપોઆપ યાદી માટે એકાઉન્ટિંગ પ્રવેશો પોસ્ટ થશે."
@@ -3643,13 +3673,14 @@
DocType: Customer,From Lead,લીડ પ્રતિ
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ઓર્ડર્સ ઉત્પાદન માટે પ્રકાશિત થાય છે.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,ફિસ્કલ વર્ષ પસંદ કરો ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS પ્રોફાઇલ POS એન્ટ્રી બનાવવા માટે જરૂરી
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS પ્રોફાઇલ POS એન્ટ્રી બનાવવા માટે જરૂરી
DocType: Program Enrollment Tool,Enroll Students,વિદ્યાર્થી નોંધણી
DocType: Hub Settings,Name Token,નામ ટોકન
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,ધોરણ વેચાણ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,ઓછામાં ઓછા એક વખાર ફરજિયાત છે
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,ઓછામાં ઓછા એક વખાર ફરજિયાત છે
DocType: Serial No,Out of Warranty,વોરંટી બહાર
DocType: BOM Replace Tool,Replace,બદલો
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,કોઈ ઉત્પાદનો મળી.
DocType: Production Order,Unstopped,ઉઘાડવામાં
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} સેલ્સ ભરતિયું સામે {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3660,13 +3691,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,સ્ટોક વેલ્યુ તફાવત
apps/erpnext/erpnext/config/learn.py +234,Human Resource,માનવ સંસાધન
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,ચુકવણી રિકંસીલેશન ચુકવણી
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,ટેક્સ અસ્કયામતો
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,ટેક્સ અસ્કયામતો
DocType: BOM Item,BOM No,BOM કોઈ
DocType: Instructor,INS/,આઈએનએસ /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,જર્નલ પ્રવેશ {0} {1} અથવા પહેલેથી જ અન્ય વાઉચર સામે મેળ ખાતી એકાઉન્ટ નથી
DocType: Item,Moving Average,ખસેડવું સરેરાશ
DocType: BOM Replace Tool,The BOM which will be replaced,બદલાયેલ હશે જે બોમ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,ઇલેક્ટ્રોનિક સાધનો
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,ઇલેક્ટ્રોનિક સાધનો
DocType: Account,Debit,ડેબિટ
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,પાંદડા 0.5 ના ગુણાંકમાં ફાળવવામાં હોવું જ જોઈએ
DocType: Production Order,Operation Cost,ઓપરેશન ખર્ચ
@@ -3674,7 +3705,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,ઉત્કૃષ્ટ એએમટી
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,સેટ લક્ષ્યો વસ્તુ ગ્રુપ મુજબની આ વેચાણ વ્યક્તિ માટે.
DocType: Stock Settings,Freeze Stocks Older Than [Days],ફ્રીઝ સ્ટોક્સ કરતાં જૂની [ટ્રેડીંગ]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,રો # {0}: એસેટ સ્થિર એસેટ ખરીદી / વેચાણ માટે ફરજિયાત છે
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,રો # {0}: એસેટ સ્થિર એસેટ ખરીદી / વેચાણ માટે ફરજિયાત છે
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","બે અથવા વધુ કિંમતના નિયમોમાં ઉપર શરતો પર આધારિત જોવા મળે છે, પ્રાધાન્યતા લાગુ પડે છે. મૂળભૂત કિંમત શૂન્ય (ખાલી) છે, જ્યારે પ્રાધાન્યતા 20 0 વચ્ચે એક નંબર છે. ઉચ્ચ નંબર સમાન શરતો સાથે બહુવિધ પ્રાઇસીંગ નિયમો હોય છે, જો તે અગ્રતા લે છે એનો અર્થ એ થાય."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,ફિસ્કલ વર્ષ: {0} નથી અસ્તિત્વમાં
DocType: Currency Exchange,To Currency,ચલણ
@@ -3682,7 +3713,7 @@
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,ખર્ચ દાવા પ્રકાર.
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},તેના {1} આઇટમ માટે દર વેચાણ {0} કરતાં ઓછું છે. વેચાણ દર હોવા જોઈએ ઓછામાં ઓછા {2}
DocType: Item,Taxes,કર
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,ચૂકવેલ અને વિતરિત નથી
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,ચૂકવેલ અને વિતરિત નથી
DocType: Project,Default Cost Center,મૂળભૂત ખર્ચ કેન્દ્રને
DocType: Bank Guarantee,End Date,સમાપ્તિ તારીખ
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,સ્ટોક વ્યવહારો
@@ -3707,24 +3738,22 @@
DocType: Employee,Held On,આયોજન પર
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,ઉત્પાદન વસ્તુ
,Employee Information,કર્મચારીનું માહિતી
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),દર (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),દર (%)
DocType: Stock Entry Detail,Additional Cost,વધારાના ખર્ચ
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,નાણાકીય વર્ષ સમાપ્તિ તારીખ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","વાઉચર કોઈ પર આધારિત ફિલ્ટર કરી શકો છો, વાઉચર દ્વારા જૂથ તો"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,પુરવઠોકર્તા અવતરણ બનાવો
DocType: Quality Inspection,Incoming,ઇનકમિંગ
DocType: BOM,Materials Required (Exploded),મટિરીયલ્સ (વિસ્ફોટ) જરૂરી
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","જાતે કરતાં અન્ય, તમારી સંસ્થા માટે વપરાશકર્તાઓ ઉમેરો"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,પોસ્ટ તારીખ ભવિષ્યના તારીખ ન હોઈ શકે
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},ROW # {0}: સીરીયલ કોઈ {1} સાથે મેળ ખાતું નથી {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,પરચુરણ રજા
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,પરચુરણ રજા
DocType: Batch,Batch ID,બેચ ID ને
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},નોંધ: {0}
,Delivery Note Trends,ડ લવર નોંધ પ્રવાહો
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,આ અઠવાડિયાના સારાંશ
-,In Stock Qty,સ્ટોક Qty માં
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,સ્ટોક Qty માં
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,ખાતું: {0} માત્ર સ્ટોક વ્યવહારો દ્વારા સુધારી શકાય છે
-DocType: Program Enrollment,Get Courses,અભ્યાસક્રમો મેળવો
+DocType: Student Group Creation Tool,Get Courses,અભ્યાસક્રમો મેળવો
DocType: GL Entry,Party,પાર્ટી
DocType: Sales Order,Delivery Date,સોંપણી તારીખ
DocType: Opportunity,Opportunity Date,તક તારીખ
@@ -3732,14 +3761,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,અવતરણ વસ્તુ માટે વિનંતી
DocType: Purchase Order,To Bill,બિલ
DocType: Material Request,% Ordered,% આદેશ આપ્યો
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","કોર્સ આધારિત વિદ્યાર્થી જૂથ માટે, કોર્સ કાર્યક્રમ નોંધણી પ્રવેશ અભ્યાસક્રમો થી દરેક વિદ્યાર્થી માટે માન્ય કરવામાં આવશે."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","દાખલ ઇમેઇલ સરનામું અલ્પવિરામ દ્વારા અલગ, ભરતિયું ચોક્કસ તારીખે આપમેળે મોકલવામાં આવશે"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,છૂટક કામ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,છૂટક કામ
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,સરેરાશ. ખરીદી દર
DocType: Task,Actual Time (in Hours),(કલાકોમાં) વાસ્તવિક સમય
DocType: Employee,History In Company,કંપની ઇતિહાસ
apps/erpnext/erpnext/config/learn.py +107,Newsletters,ન્યૂઝલેટર્સ
DocType: Stock Ledger Entry,Stock Ledger Entry,સ્ટોક ખાતાવહી એન્ટ્રી
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ગ્રાહક> ગ્રાહક જૂથ> ટેરિટરી
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,એક જ આઇટમ્સનો અનેકવાર દાખલ કરવામાં આવી
DocType: Department,Leave Block List,બ્લોક યાદી છોડો
DocType: Sales Invoice,Tax ID,કરવેરા ID ને
@@ -3754,30 +3783,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} એકમો {1} {2} આ વ્યવહાર પૂર્ણ કરવા માટે જરૂર છે.
DocType: Loan Type,Rate of Interest (%) Yearly,વ્યાજ દર (%) વાર્ષિક
DocType: SMS Settings,SMS Settings,એસએમએસ સેટિંગ્સ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,કામચલાઉ ખાતાઓને
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,બ્લેક
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,કામચલાઉ ખાતાઓને
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,બ્લેક
DocType: BOM Explosion Item,BOM Explosion Item,BOM વિસ્ફોટ વસ્તુ
DocType: Account,Auditor,ઓડિટર
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} બનતી વસ્તુઓ
DocType: Cheque Print Template,Distance from top edge,ટોચ ધાર અંતર
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,ભાવ યાદી {0} અક્ષમ કરેલી છે અથવા અસ્તિત્વમાં નથી
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,ભાવ યાદી {0} અક્ષમ કરેલી છે અથવા અસ્તિત્વમાં નથી
DocType: Purchase Invoice,Return,રીટર્ન
DocType: Production Order Operation,Production Order Operation,ઉત્પાદન ઓર્ડર ઓપરેશન
DocType: Pricing Rule,Disable,અક્ષમ કરો
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,ચુકવણી સ્થિતિ ચૂકવણી કરવા માટે જરૂરી છે
DocType: Project Task,Pending Review,બાકી સમીક્ષા
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} બેચ પ્રવેશ નથી {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","એસેટ {0}, રદ કરી શકાતી નથી કારણ કે તે પહેલેથી જ છે {1}"
DocType: Task,Total Expense Claim (via Expense Claim),(ખર્ચ દાવો મારફતે) કુલ ખર્ચ દાવો
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,ગ્રાહક આઈડી
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,માર્ક ગેરહાજર
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},રો {0}: બોમ # ચલણ {1} પસંદ ચલણ સમાન હોવું જોઈએ {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},રો {0}: બોમ # ચલણ {1} પસંદ ચલણ સમાન હોવું જોઈએ {2}
DocType: Journal Entry Account,Exchange Rate,વિનિમય દર
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,વેચાણ ઓર્ડર {0} અપર્ણ ન કરાય
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,વેચાણ ઓર્ડર {0} અપર્ણ ન કરાય
DocType: Homepage,Tag Line,ટેગ લાઇન
DocType: Fee Component,Fee Component,ફી પુન
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,ફ્લીટ મેનેજમેન્ટ
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,વસ્તુઓ ઉમેરો
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},વેરહાઉસ {0}: પિતૃ એકાઉન્ટ {1} કંપની bolong નથી {2}
DocType: Cheque Print Template,Regular,નિયમિત
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,બધા આકારણી માપદંડ કુલ ભારાંકન 100% હોવા જ જોઈએ
DocType: BOM,Last Purchase Rate,છેલ્લા ખરીદી દર
@@ -3786,11 +3814,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,વસ્તુ માટે અસ્તિત્વમાં નથી કરી શકો છો સ્ટોક {0} થી ચલો છે
,Sales Person-wise Transaction Summary,વેચાણ વ્યક્તિ મુજબના ટ્રાન્ઝેક્શન સારાંશ
DocType: Training Event,Contact Number,સંપર્ક નંબર
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,વેરહાઉસ {0} અસ્તિત્વમાં નથી
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,વેરહાઉસ {0} અસ્તિત્વમાં નથી
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,ERPNext હબ માટે નોંધણી
DocType: Monthly Distribution,Monthly Distribution Percentages,માસિક વિતરણ ટકાવારી
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,પસંદ કરેલ વસ્તુ બેચ હોઈ શકે નહિં
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","મૂલ્યાંકન દર વસ્તુ {0}, જેના માટે એકાઉન્ટિંગ પ્રવેશો કરવા માટે જરૂરી છે માટે નથી મળી {1} {2}. આઇટમ એક નમૂના વસ્તુ તરીકે ટ્રાન્ઝેક્શન્સ છે, તો {1}, કે {1} વસ્તુ ટેબલ ઉલ્લેખ કરો. નહિંતર, આઇટમ રેકોર્ડ વસ્તુ અથવા ઉલ્લેખ મૂલ્યાંકન દર માટે ઇનકમિંગ સ્ટોક ટ્રાન્ઝેક્શન બનાવો, અને પછી / submiting પ્રયાસ આ પ્રવેશ રદ"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","મૂલ્યાંકન દર વસ્તુ {0}, જેના માટે એકાઉન્ટિંગ પ્રવેશો કરવા માટે જરૂરી છે માટે નથી મળી {1} {2}. આઇટમ એક નમૂના વસ્તુ તરીકે ટ્રાન્ઝેક્શન્સ છે, તો {1}, કે {1} વસ્તુ ટેબલ ઉલ્લેખ કરો. નહિંતર, આઇટમ રેકોર્ડ વસ્તુ અથવા ઉલ્લેખ મૂલ્યાંકન દર માટે ઇનકમિંગ સ્ટોક ટ્રાન્ઝેક્શન બનાવો, અને પછી / submiting પ્રયાસ આ પ્રવેશ રદ"
DocType: Delivery Note,% of materials delivered against this Delivery Note,સામગ્રી% આ બોલ પર કોઈ નોંધ સામે વિતરિત
DocType: Project,Customer Details,ગ્રાહક વિગતો
DocType: Employee,Reports to,અહેવાલો
@@ -3798,41 +3826,43 @@
DocType: SMS Settings,Enter url parameter for receiver nos,રીસીવર અમે માટે URL પરિમાણ દાખલ
DocType: Payment Entry,Paid Amount,ચૂકવેલ રકમ
DocType: Assessment Plan,Supervisor,સુપરવાઇઝર
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,ઓનલાઇન
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,ઓનલાઇન
,Available Stock for Packing Items,પેકિંગ આઇટમ્સ માટે ઉપલબ્ધ સ્ટોક
DocType: Item Variant,Item Variant,વસ્તુ વેરિએન્ટ
DocType: Assessment Result Tool,Assessment Result Tool,આકારણી પરિણામ સાધન
DocType: BOM Scrap Item,BOM Scrap Item,BOM સ્ક્રેપ વસ્તુ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,સબમિટ ઓર્ડર કાઢી શકાતી નથી
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","પહેલેથી જ ડેબિટ એકાઉન્ટ બેલેન્સ, તમે ક્રેડિટ 'તરીકે' બેલેન્સ હોવું જોઈએ 'સુયોજિત કરવા માટે માન્ય નથી"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,ક્વોલિટી મેનેજમેન્ટ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,સબમિટ ઓર્ડર કાઢી શકાતી નથી
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","પહેલેથી જ ડેબિટ એકાઉન્ટ બેલેન્સ, તમે ક્રેડિટ 'તરીકે' બેલેન્સ હોવું જોઈએ 'સુયોજિત કરવા માટે માન્ય નથી"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,ક્વોલિટી મેનેજમેન્ટ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,વસ્તુ {0} અક્ષમ કરવામાં આવ્યું છે
DocType: Employee Loan,Repay Fixed Amount per Period,ચુકવણી સમય દીઠ નિશ્ચિત રકમ
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},વસ્તુ માટે જથ્થો દાખલ કરો {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,ક્રેડિટ નોટ એએમટી
DocType: Employee External Work History,Employee External Work History,કર્મચારીનું બાહ્ય કામ ઇતિહાસ
DocType: Tax Rule,Purchase,ખરીદી
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,બેલેન્સ Qty
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,બેલેન્સ Qty
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,લક્ષ્યાંક ખાલી ન હોઈ શકે
DocType: Item Group,Parent Item Group,પિતૃ વસ્તુ ગ્રુપ
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} માટે {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,કિંમત કેન્દ્રો
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,કિંમત કેન્દ્રો
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,જે સપ્લાયર ચલણ પર દર કંપનીના આધાર ચલણ ફેરવાય છે
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},ROW # {0}: પંક્તિ સાથે સમય તકરાર {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,ઝીરો મૂલ્યાંકન દર મંજૂરી આપો
DocType: Training Event Employee,Invited,આમંત્રિત
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,મલ્ટીપલ સક્રિય પગાર માળખાં આપવામાં તારીખો માટે કર્મચારી {0} મળી
DocType: Opportunity,Next Contact,આગામી સંપર્ક
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,સેટઅપ ગેટવે હિસ્સો ધરાવે છે.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,સેટઅપ ગેટવે હિસ્સો ધરાવે છે.
DocType: Employee,Employment Type,રોજગાર પ્રકાર
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,"ચોક્કસ સંપતી, નક્કી કરેલી સંપતી"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,"ચોક્કસ સંપતી, નક્કી કરેલી સંપતી"
DocType: Payment Entry,Set Exchange Gain / Loss,સેટ એક્સચેન્જ મેળવી / નુકશાન
+,GST Purchase Register,જીએસટી ખરીદી રજિસ્ટર
,Cash Flow,રોકડ પ્રવાહ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,એપ્લિકેશન સમયગાળા બે alocation રેકોર્ડ તરફ ન હોઈ શકે
DocType: Item Group,Default Expense Account,મૂળભૂત ખર્ચ એકાઉન્ટ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,વિદ્યાર્થી ઇમેઇલ ને
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,વિદ્યાર્થી ઇમેઇલ ને
DocType: Employee,Notice (days),સૂચના (દિવસ)
DocType: Tax Rule,Sales Tax Template,સેલ્સ ટેક્સ ઢાંચો
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,ભરતિયું સેવ આઇટમ્સ પસંદ કરો
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,ભરતિયું સેવ આઇટમ્સ પસંદ કરો
DocType: Employee,Encashment Date,એન્કેશમેન્ટ તારીખ
DocType: Training Event,Internet,ઈન્ટરનેટ
DocType: Account,Stock Adjustment,સ્ટોક એડજસ્ટમેન્ટ
@@ -3860,7 +3890,7 @@
DocType: Guardian,Guardian Of ,ધ ગાર્ડિયન
DocType: Grading Scale Interval,Threshold,થ્રેશોલ્ડ
DocType: BOM Replace Tool,Current BOM,વર્તમાન BOM
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,સીરીયલ કોઈ ઉમેરો
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,સીરીયલ કોઈ ઉમેરો
apps/erpnext/erpnext/config/support.py +22,Warranty,વોરંટી
DocType: Purchase Invoice,Debit Note Issued,ડેબિટ નોટ જારી
DocType: Production Order,Warehouses,વખારો
@@ -3869,20 +3899,20 @@
DocType: Workstation,per hour,કલાક દીઠ
apps/erpnext/erpnext/config/buying.py +7,Purchasing,ખરીદી
DocType: Announcement,Announcement,જાહેરાત
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,વેરહાઉસ (પર્પેચ્યુઅલ ઈન્વેન્ટરી) માટે એકાઉન્ટ આ એકાઉન્ટ હેઠળ બનાવવામાં આવશે.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,સ્ટોક ખાતાવહી પ્રવેશ આ વેરહાઉસ માટે અસ્તિત્વમાં તરીકે વેરહાઉસ કાઢી શકાતી નથી.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","બેચ આધારિત વિદ્યાર્થી જૂથ માટે, વિદ્યાર્થી બેચ કાર્યક્રમ નોંધણીમાંથી દરેક વિદ્યાર્થી માટે માન્ય કરવામાં આવશે."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,સ્ટોક ખાતાવહી પ્રવેશ આ વેરહાઉસ માટે અસ્તિત્વમાં તરીકે વેરહાઉસ કાઢી શકાતી નથી.
DocType: Company,Distribution,વિતરણ
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,રકમ ચૂકવવામાં
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,પ્રોજેક્ટ મેનેજર
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,પ્રોજેક્ટ મેનેજર
,Quoted Item Comparison,નોંધાયેલા વસ્તુ સરખામણી
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,રવાનગી
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,આઇટમ માટે મંજૂરી મેક્સ ડિસ્કાઉન્ટ: {0} {1}% છે
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,રવાનગી
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,આઇટમ માટે મંજૂરી મેક્સ ડિસ્કાઉન્ટ: {0} {1}% છે
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,નેટ એસેટ વેલ્યુ તરીકે
DocType: Account,Receivable,પ્રાપ્ત
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ROW # {0}: ખરીદી ઓર્ડર પહેલેથી જ અસ્તિત્વમાં છે સપ્લાયર બદલવાની મંજૂરી નથી
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ROW # {0}: ખરીદી ઓર્ડર પહેલેથી જ અસ્તિત્વમાં છે સપ્લાયર બદલવાની મંજૂરી નથી
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,સેટ ક્રેડિટ મર્યાદા કરતાં વધી કે વ્યવહારો સબમિટ કરવા માટે માન્ય છે તે ભૂમિકા.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,ઉત્પાદન વસ્તુઓ પસંદ કરો
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","મુખ્ય માહિતી સમન્વય, તે થોડો સમય લાગી શકે છે"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,ઉત્પાદન વસ્તુઓ પસંદ કરો
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","મુખ્ય માહિતી સમન્વય, તે થોડો સમય લાગી શકે છે"
DocType: Item,Material Issue,મહત્વનો મુદ્દો
DocType: Hub Settings,Seller Description,વિક્રેતા વર્ણન
DocType: Employee Education,Qualification,લાયકાત
@@ -3902,7 +3932,6 @@
DocType: BOM,Rate Of Materials Based On,દર સામગ્રી પર આધારિત
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,આધાર Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,અનચેક બધા
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},કંપની વખારો માં ગુમ થયેલ {0}
DocType: POS Profile,Terms and Conditions,નિયમો અને શરત
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},"તારીખ કરવા માટે, નાણાકીય વર્ષ અંદર પ્રયત્ન કરીશું. = તારીખ ધારી રહ્યા છીએ {0}"
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","અહીં તમે વગેરે ઊંચાઇ, વજન, એલર્જી, તબીબી બાબતો જાળવી શકે છે"
@@ -3917,18 +3946,17 @@
DocType: Sales Order Item,For Production,ઉત્પાદન માટે
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,જુઓ ટાસ્ક
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,તમારી નાણાકીય વર્ષ શરૂ થાય છે
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,એસ.ટી. / લીડ%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,એસેટ Depreciations અને બેલેન્સ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},રકમ {0} {1} માંથી તબદીલ {2} માટે {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},રકમ {0} {1} માંથી તબદીલ {2} માટે {3}
DocType: Sales Invoice,Get Advances Received,એડવાન્સિસ પ્રાપ્ત કરો
DocType: Email Digest,Add/Remove Recipients,મેળવનારા ઉમેરો / દૂર કરો
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},ટ્રાન્ઝેક્શન બંધ કરી દીધું ઉત્પાદન સામે મંજૂરી નથી ક્રમમાં {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},ટ્રાન્ઝેક્શન બંધ કરી દીધું ઉત્પાદન સામે મંજૂરી નથી ક્રમમાં {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",મૂળભૂત તરીકે ચાલુ નાણાકીય વર્ષના સુયોજિત કરવા માટે 'મૂળભૂત તરીકે સેટ કરો' પર ક્લિક કરો
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,જોડાઓ
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,જોડાઓ
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,અછત Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,વસ્તુ ચલ {0} જ લક્ષણો સાથે હાજર
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,વસ્તુ ચલ {0} જ લક્ષણો સાથે હાજર
DocType: Employee Loan,Repay from Salary,પગારની ચુકવણી
DocType: Leave Application,LAP/,LAP /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},સામે ચુકવણી વિનંતી {0} {1} રકમ માટે {2}
@@ -3939,34 +3967,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","પેકેજો પહોંચાડી શકાય માટે સ્લિપ પેકિંગ બનાવો. પેકેજ નંબર, પેકેજ સમાવિષ્ટો અને તેનું વજન સૂચિત કરવા માટે વપરાય છે."
DocType: Sales Invoice Item,Sales Order Item,વેચાણ ઓર્ડર વસ્તુ
DocType: Salary Slip,Payment Days,ચુકવણી દિવસ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,બાળક ગાંઠો સાથે વખારો ખાતાવહી રૂપાંતરિત કરી શકાય છે
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,બાળક ગાંઠો સાથે વખારો ખાતાવહી રૂપાંતરિત કરી શકાય છે
DocType: BOM,Manage cost of operations,કામગીરી ખર્ચ મેનેજ કરો
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","આ ચકાસાયેલ વ્યવહારો કોઈપણ "સબમિટ" કરવામાં આવે છે, એક ઇમેઇલ પોપ અપ આપોઆપ જોડાણ તરીકે સોદા સાથે, કે વ્યવહાર માં સંકળાયેલ "સંપર્ક" માટે એક ઇમેઇલ મોકલવા માટે ખોલવામાં આવી હતી. વપરાશકર્તા શકે છે અથવા ઇમેઇલ મોકલી શકે છે."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,વૈશ્વિક સેટિંગ્સ
DocType: Assessment Result Detail,Assessment Result Detail,આકારણી પરિણામ વિગતવાર
DocType: Employee Education,Employee Education,કર્મચારીનું શિક્ષણ
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,નકલી વસ્તુ જૂથ આઇટમ જૂથ ટેબલ મળી
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,તે વસ્તુ વિગતો મેળવવા માટે જરૂરી છે.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,તે વસ્તુ વિગતો મેળવવા માટે જરૂરી છે.
DocType: Salary Slip,Net Pay,નેટ પે
DocType: Account,Account,એકાઉન્ટ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,સીરીયલ કોઈ {0} પહેલાથી જ પ્રાપ્ત કરવામાં આવ્યો છે
,Requested Items To Be Transferred,વિનંતી વસ્તુઓ ટ્રાન્સફર કરી
DocType: Expense Claim,Vehicle Log,વાહન પ્રવેશ
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","વેરહાઉસ {0} કોઈપણ એકાઉન્ટ સાથે સંકળાયેલ નથી, કૃપા કરીને / વેરહાઉસ માટે અનુરૂપ (અસ્ક્યામત) એકાઉન્ટ લિંક બનાવો."
DocType: Purchase Invoice,Recurring Id,રીકરીંગ આઈડી
DocType: Customer,Sales Team Details,સેલ્સ ટીમ વિગતો
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,કાયમી કાઢી નાખો?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,કાયમી કાઢી નાખો?
DocType: Expense Claim,Total Claimed Amount,કુલ દાવો રકમ
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,વેચાણ માટે સંભવિત તકો.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},અમાન્ય {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,માંદગી રજા
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},અમાન્ય {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,માંદગી રજા
DocType: Email Digest,Email Digest,ઇમેઇલ ડાયજેસ્ટ
DocType: Delivery Note,Billing Address Name,બિલિંગ સરનામું નામ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,ડિપાર્ટમેન્ટ સ્ટોર્સ
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,સેટઅપ ERPNext તમારા શાળા
DocType: Sales Invoice,Base Change Amount (Company Currency),આધાર બદલી રકમ (કંપની ચલણ)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,નીચેના વખારો માટે કોઈ હિસાબ પ્રવેશો
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,નીચેના વખારો માટે કોઈ હિસાબ પ્રવેશો
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,પ્રથમ દસ્તાવેજ સાચવો.
DocType: Account,Chargeable,લેવાપાત્ર
DocType: Company,Change Abbreviation,બદલો સંક્ષેપનો
@@ -3984,7 +4011,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,અપેક્ષિત બોલ તારીખ ખરીદી ઓર્ડર તારીખ પહેલાં ન હોઈ શકે
DocType: Appraisal,Appraisal Template,મૂલ્યાંકન ઢાંચો
DocType: Item Group,Item Classification,વસ્તુ વર્ગીકરણ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,બિઝનેસ ડેવલપમેન્ટ મેનેજર
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,બિઝનેસ ડેવલપમેન્ટ મેનેજર
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,જાળવણી મુલાકાત લો હેતુ
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,પીરિયડ
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,સામાન્ય ખાતાવહી
@@ -3994,8 +4021,8 @@
DocType: Item Attribute Value,Attribute Value,લક્ષણની કિંમત
,Itemwise Recommended Reorder Level,મુદ્દાવાર પુનઃક્રમાંકિત કરો સ્તર ભલામણ
DocType: Salary Detail,Salary Detail,પગાર વિગતવાર
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,પ્રથમ {0} પસંદ કરો
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,વસ્તુ બેચ {0} {1} સમયસીમા સમાપ્ત થઈ ગઈ છે.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,પ્રથમ {0} પસંદ કરો
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,વસ્તુ બેચ {0} {1} સમયસીમા સમાપ્ત થઈ ગઈ છે.
DocType: Sales Invoice,Commission,કમિશન
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,ઉત્પાદન માટે સમય શીટ.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,પેટાસરવાળો
@@ -4006,6 +4033,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`ફ્રીઝ સ્ટોક્સ જૂની Than`% d દિવસ કરતાં ઓછું હોવું જોઈએ.
DocType: Tax Rule,Purchase Tax Template,ટેક્સ ઢાંચો ખરીદી
,Project wise Stock Tracking,પ્રોજેક્ટ મુજબની સ્ટોક ટ્રેકિંગ
+DocType: GST HSN Code,Regional,પ્રાદેશિક
DocType: Stock Entry Detail,Actual Qty (at source/target),(સ્રોત / લક્ષ્ય પર) વાસ્તવિક Qty
DocType: Item Customer Detail,Ref Code,સંદર્ભ કોડ
apps/erpnext/erpnext/config/hr.py +12,Employee records.,કર્મચારીનું રેકોર્ડ.
@@ -4016,13 +4044,13 @@
DocType: Email Digest,New Purchase Orders,નવી ખરીદી ઓર્ડર
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,રુટ પિતૃ ખર્ચ કેન્દ્રને હોઈ શકે નહિં
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,બ્રાન્ડ પસંદ કરો ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,તાલીમ ઘટનાઓ / પરિણામો
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,તરીકે અવમૂલ્યન સંચિત
DocType: Sales Invoice,C-Form Applicable,સી-ફોર્મ લાગુ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},ઓપરેશન સમય ઓપરેશન કરતાં વધારે 0 હોવા જ જોઈએ {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,વેરહાઉસ ફરજિયાત છે
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,વેરહાઉસ ફરજિયાત છે
DocType: Supplier,Address and Contacts,એડ્રેસ અને સંપર્કો
DocType: UOM Conversion Detail,UOM Conversion Detail,UOM રૂપાંતર વિગતવાર
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),100 પીએક્સ દ્વારા તે (ડબલ્યુ) વેબ મૈત્રી 900px રાખો (h)
DocType: Program,Program Abbreviation,કાર્યક્રમ સંક્ષેપનો
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,ઉત્પાદન ઓર્ડર એક વસ્તુ ઢાંચો સામે ઊભા કરી શકાતી નથી
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,સમાયોજિત દરેક વસ્તુ સામે ખરીદી રસીદ અપડેટ કરવામાં આવે છે
@@ -4030,13 +4058,13 @@
DocType: Bank Guarantee,Start Date,પ્રારંભ તારીખ
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,સમયગાળા માટે પાંદડા ફાળવો.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Cheques અને થાપણો ખોટી રીતે સાફ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,એકાઉન્ટ {0}: તમે પિતૃ એકાઉન્ટ તરીકે પોતાને સોંપી શકો છો
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,એકાઉન્ટ {0}: તમે પિતૃ એકાઉન્ટ તરીકે પોતાને સોંપી શકો છો
DocType: Purchase Invoice Item,Price List Rate,ભાવ યાદી દર
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,ગ્રાહક અવતરણ બનાવો
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","સ્ટોક" અથવા આ વેરહાઉસ ઉપલબ્ધ સ્ટોક પર આધારિત "નથી સ્ટોક" શો.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),સામગ્રી બિલ (BOM)
DocType: Item,Average time taken by the supplier to deliver,સપ્લાયર દ્વારા લેવામાં સરેરાશ સમય પહોંચાડવા માટે
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,આકારણી પરિણામ
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,આકારણી પરિણામ
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,કલાક
DocType: Project,Expected Start Date,અપેક્ષિત પ્રારંભ તારીખ
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,ખર્ચ કે આઇટમ પર લાગુ નથી તો આઇટમ દૂર
@@ -4050,24 +4078,23 @@
DocType: Workstation,Operating Costs,ઓપરેટિંગ ખર્ચ
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,ક્રિયા જો સંચિત માસિક બજેટ વટાવી
DocType: Purchase Invoice,Submit on creation,સબમિટ બનાવટ પર
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},કરન્સી {0} હોવા જ જોઈએ {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},કરન્સી {0} હોવા જ જોઈએ {1}
DocType: Asset,Disposal Date,નિકાલ તારીખ
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","ઇમેઇલ્સ આપવામાં કલાક કંપની બધી સક્રિય કર્મચારીઓની મોકલવામાં આવશે, જો તેઓ રજા નથી. પ્રતિસાદ સારાંશ મધ્યરાત્રિએ મોકલવામાં આવશે."
DocType: Employee Leave Approver,Employee Leave Approver,કર્મચારી રજા તાજનો
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},રો {0}: એક પુનઃક્રમાંકિત કરો પ્રવેશ પહેલેથી જ આ વેરહાઉસ માટે અસ્તિત્વમાં {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},રો {0}: એક પુનઃક્રમાંકિત કરો પ્રવેશ પહેલેથી જ આ વેરહાઉસ માટે અસ્તિત્વમાં {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","અવતરણ કરવામાં આવી છે, કારણ કે લોસ્ટ જાહેર કરી શકતા નથી."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,તાલીમ પ્રતિસાદ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,ઓર્ડર {0} સબમિટ હોવું જ જોઈએ ઉત્પાદન
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,ઓર્ડર {0} સબમિટ હોવું જ જોઈએ ઉત્પાદન
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},વસ્તુ માટે શરૂઆત તારીખ અને સમાપ્તિ તારીખ પસંદ કરો {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},કોર્સ પંક્તિ માં ફરજિયાત છે {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,તારીખ કરવા માટે તારીખથી પહેલાં ન હોઈ શકે
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc Doctype
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,/ સંપાદિત કરો ભાવમાં ઉમેરો
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,/ સંપાદિત કરો ભાવમાં ઉમેરો
DocType: Batch,Parent Batch,પિતૃ બેચ
DocType: Cheque Print Template,Cheque Print Template,ચેક પ્રિન્ટ ઢાંચો
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,કિંમત કેન્દ્રો ચાર્ટ
,Requested Items To Be Ordered,વિનંતી વસ્તુઓ ઓર્ડર કરી
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,વેરહાઉસ કંપની હિસાબ કંપની તરીકે જ હોવી જોઈએ
DocType: Price List,Price List Name,ભાવ યાદી નામ
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},માટે દૈનિક કામ સારાંશ {0}
DocType: Employee Loan,Totals,કૂલ
@@ -4089,55 +4116,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,માન્ય મોબાઇલ અમે દાખલ કરો
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,મોકલતા પહેલા સંદેશ દાખલ કરો
DocType: Email Digest,Pending Quotations,સુવાકયો બાકી
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,પોઇન્ટ ઓફ સેલ પ્રોફાઇલ
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,પોઇન્ટ ઓફ સેલ પ્રોફાઇલ
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,એસએમએસ સેટિંગ્સ અપડેટ કરો
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,અસુરક્ષીત લોન્સ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,અસુરક્ષીત લોન્સ
DocType: Cost Center,Cost Center Name,ખર્ચ કેન્દ્રને નામ
DocType: Employee,B+,બી +
DocType: HR Settings,Max working hours against Timesheet,મેક્સ Timesheet સામે કામના કલાકો
DocType: Maintenance Schedule Detail,Scheduled Date,અનુસૂચિત તારીખ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,કુલ ભરપાઈ એએમટી
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,કુલ ભરપાઈ એએમટી
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 અક્ષરો કરતાં વધારે સંદેશાઓ બહુવિધ સંદેશાઓ વિભાજિત કરવામાં આવશે
DocType: Purchase Receipt Item,Received and Accepted,પ્રાપ્ત થઈ છે અને સ્વીકારાયું
+,GST Itemised Sales Register,જીએસટી આઇટમાઇઝ્ડ સેલ્સ રજિસ્ટર
,Serial No Service Contract Expiry,સીરીયલ કોઈ સેવા કોન્ટ્રેક્ટ સમાપ્તિ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,તમે ક્રેડિટ અને તે જ સમયે એક જ ખાતામાં ડેબિટ શકતા નથી
DocType: Naming Series,Help HTML,મદદ HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,વિદ્યાર્થી જૂથ બનાવવાનું સાધન
DocType: Item,Variant Based On,વેરિએન્ટ પર આધારિત
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},100% પ્રયત્ન કરીશું સોંપાયેલ કુલ વેઇટેજ. તે {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,તમારા સપ્લાયર્સ
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,તમારા સપ્લાયર્સ
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,વેચાણ ઓર્ડર કરવામાં આવે છે ગુમાવી સેટ કરી શકાતો નથી.
DocType: Request for Quotation Item,Supplier Part No,પુરવઠોકર્તા ભાગ કોઈ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',કપાત કરી શકો છો જ્યારે શ્રેણી 'વેલ્યુએશન' અથવા 'Vaulation અને કુલ' માટે છે
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,પ્રતિ પ્રાપ્ત
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,પ્રતિ પ્રાપ્ત
DocType: Lead,Converted,રૂપાંતરિત
DocType: Item,Has Serial No,સીરીયલ કોઈ છે
DocType: Employee,Date of Issue,ઇશ્યૂ તારીખ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: પ્રતિ {0} માટે {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ખરીદી સેટિંગ્સ મુજબ ખરીદી Reciept જરૂરી == 'હા' હોય, તો પછી ખરીદી ઇન્વોઇસ બનાવવા માટે, વપરાશકર્તા આઇટમ માટે પ્રથમ ખરીદી રસીદ બનાવવા માટે જરૂર હોય તો {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},ROW # {0}: આઇટમ માટે સેટ પુરવઠોકર્તા {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,રો {0}: કલાક કિંમત શૂન્ય કરતાં મોટી હોવી જ જોઈએ.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,વસ્તુ {1} સાથે જોડાયેલ વેબસાઇટ છબી {0} શોધી શકાતી નથી
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,વસ્તુ {1} સાથે જોડાયેલ વેબસાઇટ છબી {0} શોધી શકાતી નથી
DocType: Issue,Content Type,સામગ્રી પ્રકાર
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,કમ્પ્યુટર
DocType: Item,List this Item in multiple groups on the website.,આ વેબસાઇટ પર બહુવિધ જૂથો આ આઇટમ યાદી.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,અન્ય ચલણ સાથે એકાઉન્ટ્સ માટે પરવાનગી આપે છે મલ્ટી કરન્સી વિકલ્પ તપાસો
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,વસ્તુ: {0} સિસ્ટમ અસ્તિત્વમાં નથી
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,તમે ફ્રોઝન કિંમત સુયોજિત કરવા માટે અધિકૃત નથી
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,વસ્તુ: {0} સિસ્ટમ અસ્તિત્વમાં નથી
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,તમે ફ્રોઝન કિંમત સુયોજિત કરવા માટે અધિકૃત નથી
DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled પ્રવેશો મળી
DocType: Payment Reconciliation,From Invoice Date,ભરતિયું તારીખથી
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,બિલિંગ ચલણ ક્યાંતો મૂળભૂત comapany ચલણ અથવા પક્ષ એકાઉન્ટ ચલણ માટે સમાન હોવો જોઈએ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,એન્કેશમેન્ટ છોડો
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,તે શું કરે છે?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,બિલિંગ ચલણ ક્યાંતો મૂળભૂત comapany ચલણ અથવા પક્ષ એકાઉન્ટ ચલણ માટે સમાન હોવો જોઈએ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,એન્કેશમેન્ટ છોડો
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,તે શું કરે છે?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,વેરહાઉસ
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,બધા વિદ્યાર્થી પ્રવેશ
,Average Commission Rate,સરેરાશ કમિશન દર
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,નોન-સ્ટોક વસ્તુ માટે સીરીયલ નંબર 'હા' કરી શકશો નહિ.
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,નોન-સ્ટોક વસ્તુ માટે સીરીયલ નંબર 'હા' કરી શકશો નહિ.
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,એટેન્ડન્સ ભવિષ્યમાં તારીખો માટે ચિહ્નિત કરી શકાતી નથી
DocType: Pricing Rule,Pricing Rule Help,પ્રાઇસીંગ નિયમ મદદ
DocType: School House,House Name,હાઉસ નામ
DocType: Purchase Taxes and Charges,Account Head,એકાઉન્ટ હેડ
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,વસ્તુઓ ઉતરાણ ખર્ચ ગણતરી માટે વધારાના ખર્ચ અપડેટ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,ઇલેક્ટ્રિકલ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,ઇલેક્ટ્રિકલ
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,તમારી સંસ્થા બાકીના તમારા વપરાશકર્તાઓ તરીકે ઉમેરો. તમે પણ તેમને સંપર્કો માંથી ઉમેરીને તમારી પોર્ટલ ગ્રાહકો આમંત્રિત ઉમેરી શકો છો
DocType: Stock Entry,Total Value Difference (Out - In),કુલ મૂલ્ય તફાવત (બહાર - માં)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,રો {0}: વિનિમય દર ફરજિયાત છે
@@ -4147,7 +4176,7 @@
DocType: Item,Customer Code,ગ્રાહક કોડ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},માટે જન્મદિવસ રીમાઇન્ડર {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,છેલ્લે ઓર્ડર સુધીનાં દિવસો
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,એકાઉન્ટ ડેબિટ એક બેલેન્સ શીટ એકાઉન્ટ હોવું જ જોઈએ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,એકાઉન્ટ ડેબિટ એક બેલેન્સ શીટ એકાઉન્ટ હોવું જ જોઈએ
DocType: Buying Settings,Naming Series,નામકરણ સિરીઝ
DocType: Leave Block List,Leave Block List Name,બ્લોક યાદી મૂકો નામ
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,વીમા પ્રારંભ તારીખ કરતાં વીમા અંતિમ તારીખ ઓછી હોવી જોઈએ
@@ -4162,26 +4191,26 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},કર્મચારી પગાર કાપલી {0} પહેલાથી જ સમય શીટ માટે બનાવવામાં {1}
DocType: Vehicle Log,Odometer,ઑડોમીટર
DocType: Sales Order Item,Ordered Qty,આદેશ આપ્યો Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,વસ્તુ {0} અક્ષમ છે
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,વસ્તુ {0} અક્ષમ છે
DocType: Stock Settings,Stock Frozen Upto,સ્ટોક ફ્રોઝન સુધી
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM કોઈપણ સ્ટોક વસ્તુ સમાવી નથી
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM કોઈપણ સ્ટોક વસ્તુ સમાવી નથી
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},પ્રતિ અને સમય રિકરિંગ માટે ફરજિયાત તારીખો પીરિયડ {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,પ્રોજેક્ટ પ્રવૃત્તિ / કાર્ય.
DocType: Vehicle Log,Refuelling Details,Refuelling વિગતો
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,પગાર સ્લિપ બનાવો
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","માટે લાગુ તરીકે પસંદ કરેલ છે તે ખરીદી, ચકાસાયેલ જ હોવું જોઈએ {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","માટે લાગુ તરીકે પસંદ કરેલ છે તે ખરીદી, ચકાસાયેલ જ હોવું જોઈએ {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,ડિસ્કાઉન્ટ કરતાં ઓછી 100 હોવી જ જોઈએ
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,છેલ્લા ખરીદી દર મળી નથી
DocType: Purchase Invoice,Write Off Amount (Company Currency),રકમ માંડવાળ (કંપની ચલણ)
DocType: Sales Invoice Timesheet,Billing Hours,બિલિંગ કલાક
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,માટે {0} મળી નથી ડિફૉલ્ટ BOM
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,ROW # {0}: પુનઃક્રમાંકિત કરો જથ્થો સુયોજિત કરો
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,ROW # {0}: પુનઃક્રમાંકિત કરો જથ્થો સુયોજિત કરો
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,તેમને અહીં ઉમેરવા માટે વસ્તુઓ ટેપ
DocType: Fees,Program Enrollment,કાર્યક્રમ પ્રવેશ
DocType: Landed Cost Voucher,Landed Cost Voucher,ઉતારેલ માલની કિંમત વાઉચર
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},સેટ કરો {0}
DocType: Purchase Invoice,Repeat on Day of Month,મહિનાનો દિવસ પર પુનરાવર્તન
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} નિષ્ક્રિય વિદ્યાર્થી છે
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} નિષ્ક્રિય વિદ્યાર્થી છે
DocType: Employee,Health Details,આરોગ્ય વિગતો
DocType: Offer Letter,Offer Letter Terms,પત્ર શરતો ઓફર
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,ચુકવણી વિનંતી સંદર્ભ દસ્તાવેજ જરૂરી છે બનાવવા માટે
@@ -4202,7 +4231,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","ઉદાહરણ:. શ્રેણી સુયોજિત છે અને સીરીયલ કોઈ વ્યવહારો માં ઉલ્લેખ નથી તો ABCD #####, તો પછી આપોઆપ સીરીયલ નંબર આ શ્રેણી પર આધારિત બનાવવામાં આવશે. તમે હંમેશા નિશ્ચિતપણે આ આઇટમ માટે સીરીયલ અમે ઉલ્લેખ કરવા માંગો છો. આ ખાલી છોડી દો."
DocType: Upload Attendance,Upload Attendance,અપલોડ કરો એટેન્ડન્સ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM અને ઉત્પાદન જથ્થો જરૂરી છે
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM અને ઉત્પાદન જથ્થો જરૂરી છે
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,એઇજીંગનો રેન્જ 2
DocType: SG Creation Tool Course,Max Strength,મેક્સ શક્તિ
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM બદલાઈ
@@ -4211,8 +4240,8 @@
,Prospects Engaged But Not Converted,પ્રોસ્પેક્ટ્સ રોકાયેલા પરંતુ રૂપાંતરિત
DocType: Manufacturing Settings,Manufacturing Settings,ઉત્પાદન સેટિંગ્સ
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,ઇમેઇલ સુયોજિત કરી રહ્યા છે
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 મોબાઇલ કોઈ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,કંપની માસ્ટર મૂળભૂત ચલણ દાખલ કરો
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 મોબાઇલ કોઈ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,કંપની માસ્ટર મૂળભૂત ચલણ દાખલ કરો
DocType: Stock Entry Detail,Stock Entry Detail,સ્ટોક એન્ટ્રી વિગતવાર
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,દૈનિક રીમાઇન્ડર્સ
DocType: Products Settings,Home Page is Products,મુખ્ય પૃષ્ઠ પેજમાં પ્રોડક્ટ્સ
@@ -4221,7 +4250,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,નવા એકાઉન્ટ નામ
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,કાચો માલ પાડેલ કિંમત
DocType: Selling Settings,Settings for Selling Module,મોડ્યુલ વેચાણ માટે સેટિંગ્સ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,ગ્રાહક સેવા
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,ગ્રાહક સેવા
DocType: BOM,Thumbnail,થંબનેલ
DocType: Item Customer Detail,Item Customer Detail,વસ્તુ ગ્રાહક વિગતવાર
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,ઓફર ઉમેદવાર જોબ.
@@ -4230,7 +4259,7 @@
DocType: Pricing Rule,Percentage,ટકાવારી
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,વસ્તુ {0} સ્ટોક વસ્તુ જ હોવી જોઈએ
DocType: Manufacturing Settings,Default Work In Progress Warehouse,પ્રગતિ વેરહાઉસ માં મૂળભૂત કામ
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,હિસાબી વ્યવહારો માટે મૂળભૂત સુયોજનો.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,હિસાબી વ્યવહારો માટે મૂળભૂત સુયોજનો.
DocType: Maintenance Visit,MV,એમવી
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,અપેક્ષિત તારીખ સામગ્રી વિનંતી તારીખ પહેલાં ન હોઈ શકે
DocType: Purchase Invoice Item,Stock Qty,સ્ટોક Qty
@@ -4243,10 +4272,10 @@
DocType: Sales Order,Printing Details,પ્રિન્ટિંગ વિગતો
DocType: Task,Closing Date,છેલ્લી તારીખ
DocType: Sales Order Item,Produced Quantity,ઉત્પાદન જથ્થો
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,ઇજનેર
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,ઇજનેર
DocType: Journal Entry,Total Amount Currency,કુલ રકમ કરન્સી
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,શોધ પેટા એસેમ્બલીઝ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},વસ્તુ કોડ રો કોઈ જરૂરી {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},વસ્તુ કોડ રો કોઈ જરૂરી {0}
DocType: Sales Partner,Partner Type,જીવનસાથી પ્રકાર
DocType: Purchase Taxes and Charges,Actual,વાસ્તવિક
DocType: Authorization Rule,Customerwise Discount,Customerwise ડિસ્કાઉન્ટ
@@ -4263,11 +4292,11 @@
DocType: Item Reorder,Re-Order Level,ફરીથી ઓર્ડર સ્તર
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,તમે ઉત્પાદન ઓર્ડર વધારવા અથવા વિશ્લેષણ માટે કાચી સામગ્રી ડાઉનલોડ કરવા માંગો છો કે જેના માટે વસ્તુઓ અને આયોજન Qty દાખલ કરો.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,ગેન્ટ ચાર્ટ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,ભાગ સમય
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,ભાગ સમય
DocType: Employee,Applicable Holiday List,લાગુ રજા યાદી
DocType: Employee,Cheque,ચેક
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,સિરીઝ સુધારાશે
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,રિપોર્ટ પ્રકાર ફરજિયાત છે
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,રિપોર્ટ પ્રકાર ફરજિયાત છે
DocType: Item,Serial Number Series,સીરિયલ નંબર સિરીઝ
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},વેરહાઉસ પંક્તિ સ્ટોક વસ્તુ {0} માટે ફરજિયાત છે {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,રિટેલ અને હોલસેલ
@@ -4288,7 +4317,7 @@
DocType: BOM,Materials,સામગ્રી
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","ચકાસાયેલ જો નહિં, તો આ યાદીમાં તે લાગુ પાડી શકાય છે, જ્યાં દરેક વિભાગ ઉમેરવામાં આવશે હશે."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,સ્ત્રોત અને લક્ષ્ય વેરહાઉસ જ ન હોઈ શકે
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,તારીખ પોસ્ટ અને સમય પોસ્ટ ફરજિયાત છે
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,તારીખ પોસ્ટ અને સમય પોસ્ટ ફરજિયાત છે
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,વ્યવહારો ખરીદી માટે કરવેરા નમૂનો.
,Item Prices,વસ્તુ એની
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,તમે ખરીદી માટે સેવ વાર શબ્દો દૃશ્યમાન થશે.
@@ -4298,22 +4327,23 @@
DocType: Purchase Invoice,Advance Payments,અગાઉથી ચૂકવણી
DocType: Purchase Taxes and Charges,On Net Total,નેટ કુલ પર
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},{0} લક્ષણ માટે કિંમત શ્રેણી અંદર હોવા જ જોઈએ {1} માટે {2} ઇન્ક્રીમેન્ટ {3} વસ્તુ {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,{0} પંક્તિ માં લક્ષ્યાંક વેરહાઉસ ઉત્પાદન ઓર્ડર તરીકે જ હોવી જોઈએ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,{0} પંક્તિ માં લક્ષ્યાંક વેરહાઉસ ઉત્પાદન ઓર્ડર તરીકે જ હોવી જોઈએ
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,% S રિકરિંગ માટે સ્પષ્ટ નથી 'સૂચના ઇમેઇલ સરનામાંઓ'
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,કરન્સી કેટલાક અન્ય ચલણ ઉપયોગ પ્રવેશો કર્યા પછી બદલી શકાતું નથી
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,કરન્સી કેટલાક અન્ય ચલણ ઉપયોગ પ્રવેશો કર્યા પછી બદલી શકાતું નથી
DocType: Vehicle Service,Clutch Plate,ક્લચ પ્લેટ
DocType: Company,Round Off Account,એકાઉન્ટ બંધ રાઉન્ડ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,વહીવટી ખર્ચ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,વહીવટી ખર્ચ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,કન્સલ્ટિંગ
DocType: Customer Group,Parent Customer Group,પિતૃ ગ્રાહક જૂથ
DocType: Purchase Invoice,Contact Email,સંપર્ક ઇમેઇલ
DocType: Appraisal Goal,Score Earned,કુલ સ્કોર કમાવેલી
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,સૂચના સમયગાળા
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,સૂચના સમયગાળા
DocType: Asset Category,Asset Category Name,એસેટ વર્ગ નામ
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,આ રુટ પ્રદેશ છે અને સંપાદિત કરી શકાતી નથી.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,ન્યૂ વેચાણ વ્યક્તિ નામ
DocType: Packing Slip,Gross Weight UOM,એકંદર વજન UOM
DocType: Delivery Note Item,Against Sales Invoice,સેલ્સ ભરતિયું સામે
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,શ્રેણીબદ્ધ આઇટમ માટે ક્રમાંકોમાં દાખલ કરો
DocType: Bin,Reserved Qty for Production,ઉત્પાદન માટે Qty અનામત
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"અનચેક છોડી દો, તો તમે બેચ ધ્યાનમાં જ્યારે અભ્યાસક્રમ આધારિત જૂથો બનાવવા નથી માંગતા."
DocType: Asset,Frequency of Depreciation (Months),અવમૂલ્યન આવર્તન (મહિના)
@@ -4321,25 +4351,25 @@
DocType: Landed Cost Item,Landed Cost Item,ઉતારેલ માલની કિંમત વસ્તુ
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,શૂન્ય કિંમતો બતાવો
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,આઇટમ જથ્થો કાચા માલના આપવામાં જથ્થામાં થી repacking / ઉત્પાદન પછી પ્રાપ્ત
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,સેટઅપ મારા સંસ્થા માટે એક સરળ વેબસાઇટ
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,સેટઅપ મારા સંસ્થા માટે એક સરળ વેબસાઇટ
DocType: Payment Reconciliation,Receivable / Payable Account,પ્રાપ્ત / ચૂકવવાપાત્ર એકાઉન્ટ
DocType: Delivery Note Item,Against Sales Order Item,વેચાણ ઓર્ડર વસ્તુ સામે
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},લક્ષણ માટે લક્ષણની કિંમત સ્પષ્ટ કરો {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},લક્ષણ માટે લક્ષણની કિંમત સ્પષ્ટ કરો {0}
DocType: Item,Default Warehouse,મૂળભૂત વેરહાઉસ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},બજેટ ગ્રુપ એકાઉન્ટ સામે અસાઇન કરી શકાતી નથી {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,પિતૃ ખર્ચ કેન્દ્રને દાખલ કરો
DocType: Delivery Note,Print Without Amount,રકમ વિના છાપો
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,અવમૂલ્યન તારીખ
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,બધી વસ્તુઓ નોન-સ્ટોક વસ્તુઓ છે કર કેટેગરી 'મૂલ્યાંકન' અથવા 'મૂલ્યાંકન અને કુલ' ન હોઈ શકે
DocType: Issue,Support Team,સપોર્ટ ટીમ
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),સમાપ્તિ (દિવસોમાં)
DocType: Appraisal,Total Score (Out of 5),(5) કુલ સ્કોર
DocType: Fee Structure,FS.,એફએસ.
-DocType: Program Enrollment,Batch,બેચ
+DocType: Student Attendance Tool,Batch,બેચ
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,બેલેન્સ
DocType: Room,Seating Capacity,બેઠક ક્ષમતા
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),કુલ ખર્ચ દાવો (ખર્ચ દાવાઓ મારફતે)
+DocType: GST Settings,GST Summary,જીએસટી સારાંશ
DocType: Assessment Result,Total Score,કુલ સ્કોર
DocType: Journal Entry,Debit Note,ડેબિટ નોટ
DocType: Stock Entry,As per Stock UOM,સ્ટોક UOM મુજબ
@@ -4350,12 +4380,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,મૂળભૂત ફિનિશ્ડ ગૂડ્સ વેરહાઉસ
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,વેચાણ વ્યક્તિ
DocType: SMS Parameter,SMS Parameter,એસએમએસ પરિમાણ
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,બજેટ અને ખર્ચ કેન્દ્ર
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,બજેટ અને ખર્ચ કેન્દ્ર
DocType: Vehicle Service,Half Yearly,અર્ધ વાર્ષિક
DocType: Lead,Blog Subscriber,બ્લોગ ઉપભોક્તા
DocType: Guardian,Alternate Number,વૈકલ્પિક સંખ્યા
DocType: Assessment Plan Criteria,Maximum Score,મહત્તમ ગુણ
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,મૂલ્યો પર આધારિત વ્યવહારો પ્રતિબંધિત કરવા માટે નિયમો બનાવો.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,ગ્રુપ રોલ કોઈ
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"ખાલી છોડો છો, તો તમે દર વર્ષે વિદ્યાર્થીઓ ગ્રુપ બનાવી"
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","ચકાસાયેલ હોય, તો કુલ નં. દિવસની રજાઓ સમાવેશ થાય છે, અને આ પગાર પ્રતિ દિવસ ની કિંમત ઘટાડશે"
DocType: Purchase Invoice,Total Advance,કુલ એડવાન્સ
@@ -4373,6 +4404,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,આ ગ્રાહક સામે વ્યવહારો પર આધારિત છે. વિગતો માટે નીચે જુઓ ટાઇમલાઇન
DocType: Supplier,Credit Days Based On,ક્રેડિટ ટ્રેડીંગ પર આધારિત છે
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},રો {0}: સોંપાયેલ રકમ {1} કરતાં ઓછી હોઈ શકે છે અથવા ચુકવણી એન્ટ્રી રકમ બરાબર જ જોઈએ {2}
+,Course wise Assessment Report,કોર્સ મુજબની એસેસમેન્ટ રિપોર્ટ
DocType: Tax Rule,Tax Rule,ટેક્સ નિયમ
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,સેલ્સ ચક્ર દરમ્યાન જ દર જાળવો
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,વર્કસ્ટેશન કામ કલાકો બહાર સમય લોગ યોજના બનાવો.
@@ -4381,7 +4413,7 @@
,Items To Be Requested,વસ્તુઓ વિનંતી કરવામાં
DocType: Purchase Order,Get Last Purchase Rate,છેલ્લા ખરીદી દર વિચાર
DocType: Company,Company Info,કંપની માહિતી
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,પસંદ કરો અથવા નવા ગ્રાહક ઉમેરો
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,પસંદ કરો અથવા નવા ગ્રાહક ઉમેરો
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,ખર્ચ કેન્દ્રને ખર્ચ દાવો બુક કરવા માટે જરૂરી છે
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),ફંડ (અસ્ક્યામત) અરજી
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,આ કર્મચારીનું હાજરી પર આધારિત છે
@@ -4389,27 +4421,29 @@
DocType: Fiscal Year,Year Start Date,વર્ષે શરૂ તારીખ
DocType: Attendance,Employee Name,કર્મચારીનું નામ
DocType: Sales Invoice,Rounded Total (Company Currency),ગોળાકાર કુલ (કંપની ચલણ)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,"એકાઉન્ટ પ્રકાર પસંદ છે, કારણ કે ગ્રુપ અપ્રગટ કરી શકતા નથી."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"એકાઉન્ટ પ્રકાર પસંદ છે, કારણ કે ગ્રુપ અપ્રગટ કરી શકતા નથી."
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} સુધારાઈ ગયેલ છે. તાજું કરો.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,પછીના દિવસોમાં રજા કાર્યક્રમો બનાવવા વપરાશકર્તાઓ રોકો.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,ખરીદી જથ્થો
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,પુરવઠોકર્તા અવતરણ {0} બનાવવામાં
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,અંતે વર્ષ શરૂ વર્ષ પહેલાં ન હોઈ શકે
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,એમ્પ્લોયી બેનિફિટ્સ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,એમ્પ્લોયી બેનિફિટ્સ
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},ભરેલા જથ્થો પંક્તિ માં વસ્તુ {0} માટે જથ્થો બરાબર હોવું જોઈએ {1}
DocType: Production Order,Manufactured Qty,ઉત્પાદન Qty
DocType: Purchase Receipt Item,Accepted Quantity,સ્વીકારાયું જથ્થો
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},મૂળભૂત કર્મચારી માટે રજા યાદી સુયોજિત કરો {0} અથવા કંપની {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} નથી અસ્તિત્વમાં
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} નથી અસ્તિત્વમાં
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,બેચ નંબર્સ પસંદ
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,ગ્રાહકો માટે ઊભા બીલો.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,પ્રોજેક્ટ ID
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},રો કોઈ {0}: રકમ ખર્ચ દાવો {1} સામે રકમ બાકી કરતાં વધારે ન હોઈ શકે. બાકી રકમ છે {2}
DocType: Maintenance Schedule,Schedule,સૂચિ
DocType: Account,Parent Account,પિતૃ એકાઉન્ટ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,ઉપલબ્ધ
DocType: Quality Inspection Reading,Reading 3,3 વાંચન
,Hub,હબ
DocType: GL Entry,Voucher Type,વાઉચર પ્રકાર
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,ભાવ યાદી મળી અથવા અક્ષમ નથી
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,ભાવ યાદી મળી અથવા અક્ષમ નથી
DocType: Employee Loan Application,Approved,મંજૂર
DocType: Pricing Rule,Price,ભાવ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0} સુયોજિત થયેલ હોવું જ જોઈએ પર રાહત કર્મચારી 'ડાબી' તરીકે
@@ -4420,7 +4454,8 @@
DocType: Selling Settings,Campaign Naming By,દ્વારા ઝુંબેશ નામકરણ
DocType: Employee,Current Address Is,વર્તમાન સરનામું
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,સંશોધિત
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","વૈકલ્પિક. સ્પષ્ટ થયેલ નહિં હોય, તો કંપની મૂળભૂત ચલણ સુયોજિત કરે છે."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","વૈકલ્પિક. સ્પષ્ટ થયેલ નહિં હોય, તો કંપની મૂળભૂત ચલણ સુયોજિત કરે છે."
+DocType: Sales Invoice,Customer GSTIN,ગ્રાહક GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,હિસાબી જર્નલ પ્રવેશો.
DocType: Delivery Note Item,Available Qty at From Warehouse,વેરહાઉસ માંથી ઉપલબ્ધ Qty
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,પ્રથમ કર્મચારી રેકોર્ડ પસંદ કરો.
@@ -4428,7 +4463,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},રો {0}: પાર્ટી / એકાઉન્ટ સાથે મેળ ખાતું નથી {1} / {2} માં {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,ખર્ચ એકાઉન્ટ દાખલ કરો
DocType: Account,Stock,સ્ટોક
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","રો # {0}: સંદર્ભ દસ્તાવેજ પ્રકારની ખરીદી ઓર્ડર એક, ખરીદી ભરતિયું અથવા જર્નલ પ્રવેશ હોવું જ જોઈએ"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","રો # {0}: સંદર્ભ દસ્તાવેજ પ્રકારની ખરીદી ઓર્ડર એક, ખરીદી ભરતિયું અથવા જર્નલ પ્રવેશ હોવું જ જોઈએ"
DocType: Employee,Current Address,અત્યારનું સરનામુ
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","સ્પષ્ટ સિવાય વસ્તુ પછી વર્ણન, છબી, ભાવો, કર નમૂનો સુયોજિત કરવામાં આવશે, વગેરે અન્ય વસ્તુ જ એક પ્રકાર છે, તો"
DocType: Serial No,Purchase / Manufacture Details,ખરીદી / ઉત્પાદન વિગતો
@@ -4441,8 +4476,8 @@
DocType: Pricing Rule,Min Qty,મીન Qty
DocType: Asset Movement,Transaction Date,ટ્રાન્ઝેક્શન તારીખ
DocType: Production Plan Item,Planned Qty,આયોજિત Qty
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,કુલ કર
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,જથ્થો માટે (Qty ઉત્પાદિત થતા) ફરજિયાત છે
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,કુલ કર
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,જથ્થો માટે (Qty ઉત્પાદિત થતા) ફરજિયાત છે
DocType: Stock Entry,Default Target Warehouse,મૂળભૂત લક્ષ્ય વેરહાઉસ
DocType: Purchase Invoice,Net Total (Company Currency),નેટ કુલ (કંપની ચલણ)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,વર્ષ અંતે તારીખ વર્ષ કરતાં પ્રારંભ તારીખ પહેલાં ન હોઈ શકે. તારીખો સુધારવા અને ફરીથી પ્રયાસ કરો.
@@ -4456,13 +4491,11 @@
DocType: Hub Settings,Hub Settings,હબ સેટિંગ્સ
DocType: Project,Gross Margin %,એકંદર માર્જીન%
DocType: BOM,With Operations,કામગીરી સાથે
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,હિસાબી પ્રવેશો પહેલાથી જ ચલણ માં કરવામાં આવેલ છે {0} કંપની માટે {1}. ચલણ સાથે મળવાપાત્ર અથવા ચૂકવવાપાત્ર એકાઉન્ટ પસંદ કરો {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,હિસાબી પ્રવેશો પહેલાથી જ ચલણ માં કરવામાં આવેલ છે {0} કંપની માટે {1}. ચલણ સાથે મળવાપાત્ર અથવા ચૂકવવાપાત્ર એકાઉન્ટ પસંદ કરો {0}.
DocType: Asset,Is Existing Asset,હાલની એસેટ છે
DocType: Salary Detail,Statistical Component,સ્ટેટિસ્ટિકલ કમ્પોનન્ટ
-,Monthly Salary Register,માસિક પગાર રજિસ્ટર
DocType: Warranty Claim,If different than customer address,ગ્રાહક સરનામું કરતાં અલગ તો
DocType: BOM Operation,BOM Operation,BOM ઓપરેશન
-DocType: School Settings,Validate the Student Group from Program Enrollment,કાર્યક્રમ નોંધણીમાંથી વિદ્યાર્થીઓની જૂથ માન્ય
DocType: Purchase Taxes and Charges,On Previous Row Amount,Next અગાઉના આગળ રો રકમ પર
DocType: Student,Home Address,ઘરનું સરનામું
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,ટ્રાન્સફર એસેટ
@@ -4470,28 +4503,27 @@
DocType: Training Event,Event Name,ઇવેન્ટનું નામ
apps/erpnext/erpnext/config/schools.py +39,Admission,પ્રવેશ
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},માટે પ્રવેશ {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","સુયોજિત બજેટ, લક્ષ્યાંકો વગેરે માટે મોસમ"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","{0} વસ્તુ એક નમૂનો છે, તેના ચલો એક પસંદ કરો"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","સુયોજિત બજેટ, લક્ષ્યાંકો વગેરે માટે મોસમ"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","{0} વસ્તુ એક નમૂનો છે, તેના ચલો એક પસંદ કરો"
DocType: Asset,Asset Category,એસેટ વર્ગ
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,ખરીદનાર
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,નેટ પગાર નકારાત્મક ન હોઈ શકે
DocType: SMS Settings,Static Parameters,સ્થિર પરિમાણો
DocType: Assessment Plan,Room,રૂમ
DocType: Purchase Order,Advance Paid,આગોતરી ચુકવણી
DocType: Item,Item Tax,વસ્તુ ટેક્સ
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,સપ્લાયર સામગ્રી
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,એક્સાઇઝ ભરતિયું
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,એક્સાઇઝ ભરતિયું
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,થ્રેશોલ્ડ {0}% કરતાં વધુ એક વખત દેખાય છે
DocType: Expense Claim,Employees Email Id,કર્મચારીઓ ઇમેઇલ આઈડી
DocType: Employee Attendance Tool,Marked Attendance,માર્કડ એટેન્ડન્સ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,વર્તમાન જવાબદારીઓ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,વર્તમાન જવાબદારીઓ
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,સામૂહિક એસએમએસ તમારા સંપર્કો મોકલો
DocType: Program,Program Name,કાર્યક્રમ નામ
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,માટે કરવેરા અથવા ચાર્જ ધ્યાનમાં
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,વાસ્તવિક Qty ફરજિયાત છે
DocType: Employee Loan,Loan Type,લોન પ્રકાર
DocType: Scheduling Tool,Scheduling Tool,સુનિશ્ચિત સાધન
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,ક્રેડીટ કાર્ડ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,ક્રેડીટ કાર્ડ
DocType: BOM,Item to be manufactured or repacked,વસ્તુ ઉત્પાદન અથવા repacked શકાય
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,સ્ટોક વ્યવહારો માટે મૂળભૂત સુયોજનો.
DocType: Purchase Invoice,Next Date,આગામી તારીખ
@@ -4507,10 +4539,10 @@
DocType: Stock Entry,Repack,RePack
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,તમને પ્રક્રિયા કરવા પહેલાં ફોર્મ સેવ જ જોઈએ
DocType: Item Attribute,Numeric Values,આંકડાકીય મૂલ્યો
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,લોગો જોડો
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,લોગો જોડો
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,સ્ટોક સ્તર
DocType: Customer,Commission Rate,કમિશન દર
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,વેરિએન્ટ બનાવો
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,વેરિએન્ટ બનાવો
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,વિભાગ દ્વારા બ્લોક છોડી કાર્યક્રમો.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","ચુકવણી પ્રકાર, પ્રાપ્ત એક હોવું જોઈએ પે અને આંતરિક ટ્રાન્સફર"
apps/erpnext/erpnext/config/selling.py +179,Analytics,ઍનલિટિક્સ
@@ -4518,45 +4550,45 @@
DocType: Vehicle,Model,મોડલ
DocType: Production Order,Actual Operating Cost,વાસ્તવિક ઓપરેટિંગ ખર્ચ
DocType: Payment Entry,Cheque/Reference No,ચેક / સંદર્ભ કોઈ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,રુટ ફેરફાર કરી શકતા નથી.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,રુટ ફેરફાર કરી શકતા નથી.
DocType: Item,Units of Measure,માપવા એકમો
DocType: Manufacturing Settings,Allow Production on Holidays,રજાઓ પર ઉત્પાદન માટે પરવાનગી આપે છે
DocType: Sales Order,Customer's Purchase Order Date,ગ્રાહક ખરીદી ઓર્ડર તારીખ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,કેપિટલ સ્ટોક
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,કેપિટલ સ્ટોક
DocType: Shopping Cart Settings,Show Public Attachments,જાહેર જોડાણો બતાવો
DocType: Packing Slip,Package Weight Details,પેકેજ વજન વિગતો
DocType: Payment Gateway Account,Payment Gateway Account,પેમેન્ટ ગેટવે એકાઉન્ટ
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,"ચુકવણી પૂર્ણ કર્યા પછી, પસંદ કરેલ પાનું વપરાશકર્તા પુનઃદિશામાન."
DocType: Company,Existing Company,હાલના કંપની
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","ટેક્સ કેટેગરી "કુલ" પર બદલવામાં આવ્યું છે, કારણ કે તમામ વસ્તુઓ નોન-સ્ટોક વસ્તુઓ"
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,CSV ફાઈલ પસંદ કરો
DocType: Student Leave Application,Mark as Present,પ્રેઝન્ટ તરીકે માર્ક
DocType: Purchase Order,To Receive and Bill,પ્રાપ્ત અને બિલ
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,ફીચર્ડ પ્રોડક્ટ્સ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,ડીઝાઈનર
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,ડીઝાઈનર
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,નિયમો અને શરતો ઢાંચો
DocType: Serial No,Delivery Details,ડ લવર વિગતો
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},પ્રકાર માટે ખર્ચ કેન્દ્રને પંક્તિ જરૂરી છે {0} કર ટેબલ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},પ્રકાર માટે ખર્ચ કેન્દ્રને પંક્તિ જરૂરી છે {0} કર ટેબલ {1}
DocType: Program,Program Code,કાર્યક્રમ કોડ
DocType: Terms and Conditions,Terms and Conditions Help,નિયમો અને શરતો મદદ
,Item-wise Purchase Register,વસ્તુ મુજબના ખરીદી રજીસ્ટર
DocType: Batch,Expiry Date,અંતિમ તારીખ
-,Supplier Addresses and Contacts,પુરવઠોકર્તા સરનામાંઓ અને સંપર્કો
,accounts-browser,એકાઉન્ટ્સ બ્રાઉઝર
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,પ્રથમ શ્રેણી પસંદ કરો
apps/erpnext/erpnext/config/projects.py +13,Project master.,પ્રોજેક્ટ માસ્ટર.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","ઓવર બિલિંગ અથવા વધારે ક્રમ પરવાનગી આપવા માટે, "ભથ્થું" અપડેટ સ્ટોક સેટિંગ્સ અથવા વસ્તુ છે."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","ઓવર બિલિંગ અથવા વધારે ક્રમ પરવાનગી આપવા માટે, "ભથ્થું" અપડેટ સ્ટોક સેટિંગ્સ અથવા વસ્તુ છે."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,કરન્સી વગેરે $ જેવી કોઇ પ્રતીક આગામી બતાવશો નહીં.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(અડધા દિવસ)
DocType: Supplier,Credit Days,ક્રેડિટ દિવસો
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,વિદ્યાર્થી બેચ બનાવવા
DocType: Leave Type,Is Carry Forward,આગળ લઈ છે
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,BOM થી વસ્તુઓ વિચાર
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,BOM થી વસ્તુઓ વિચાર
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,સમય દિવસમાં લીડ
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},રો # {0}: પોસ્ટ તારીખ ખરીદી તારીખ તરીકે જ હોવી જોઈએ {1} એસેટ {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},રો # {0}: પોસ્ટ તારીખ ખરીદી તારીખ તરીકે જ હોવી જોઈએ {1} એસેટ {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,ઉપરના કોષ્ટકમાં વેચાણ ઓર્ડર દાખલ કરો
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,રજૂ ન પગાર સ્લિપ
,Stock Summary,સ્ટોક સારાંશ
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,બીજા એક વખાર માંથી એસેટ ટ્રાન્સફર
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,બીજા એક વખાર માંથી એસેટ ટ્રાન્સફર
DocType: Vehicle,Petrol,પેટ્રોલ
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,સામગ્રી બિલ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},રો {0}: પાર્ટી પ્રકાર અને પાર્ટી પ્રાપ્ત / ચૂકવવાપાત્ર એકાઉન્ટ માટે જરૂરી છે {1}
@@ -4567,6 +4599,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,મંજુર રકમ
DocType: GL Entry,Is Opening,ખોલ્યા છે
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},રો {0}: ડેબિટ પ્રવેશ સાથે લિંક કરી શકતા નથી {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,એકાઉન્ટ {0} અસ્તિત્વમાં નથી
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,એકાઉન્ટ {0} અસ્તિત્વમાં નથી
DocType: Account,Cash,કેશ
DocType: Employee,Short biography for website and other publications.,વેબસાઇટ અને અન્ય પ્રકાશનો માટે લઘુ જીવનચરિત્ર.
diff --git a/erpnext/translations/he.csv b/erpnext/translations/he.csv
index 905c283..b805d31 100644
--- a/erpnext/translations/he.csv
+++ b/erpnext/translations/he.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,מוצרים צריכה
DocType: Item,Customer Items,פריטים לקוח
DocType: Project,Costing and Billing,תמחיר וחיובים
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,חשבון {0}: הורה חשבון {1} לא יכול להיות פנקס
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,חשבון {0}: הורה חשבון {1} לא יכול להיות פנקס
DocType: Item,Publish Item to hub.erpnext.com,פרסם פריט לhub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,"הודעות דוא""ל"
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,הַעֲרָכָה
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,הַעֲרָכָה
DocType: Item,Default Unit of Measure,ברירת מחדל של יחידת מדידה
DocType: SMS Center,All Sales Partner Contact,כל מכירות הפרטנר לתקשר
DocType: Employee,Leave Approvers,השאר מאשרים
@@ -33,7 +33,7 @@
DocType: Purchase Order,% Billed,% שחויבו
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),שער החליפין חייב להיות זהה {0} {1} ({2})
DocType: Sales Invoice,Customer Name,שם לקוח
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},חשבון בנק לא יכול להיות שם בתור {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},חשבון בנק לא יכול להיות שם בתור {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,ראשים (או קבוצות) נגד שרישומים חשבונאיים נעשים ומתוחזקים יתרות.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),יוצא מן הכלל עבור {0} אינם יכולים להיות פחות מאפס ({1})
DocType: Manufacturing Settings,Default 10 mins,ברירת מחדל 10 דקות
@@ -46,19 +46,19 @@
,Purchase Order Items To Be Received,פריטים הזמנת רכש שיתקבלו
DocType: SMS Center,All Supplier Contact,כל לתקשר עם הספק
DocType: SMS Parameter,Parameter,פרמטר
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,תאריך הסיום צפוי לא יכול להיות פחות מתאריך ההתחלה צפויה
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,תאריך הסיום צפוי לא יכול להיות פחות מתאריך ההתחלה צפויה
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,# השורה {0}: שיעור חייב להיות זהה {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,החדש Leave Application
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,המחאה בנקאית
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,המחאה בנקאית
DocType: Mode of Payment Account,Mode of Payment Account,מצב של חשבון תשלומים
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,גרסאות הצג
DocType: Academic Term,Academic Term,מונח אקדמי
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,חוֹמֶר
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,כמות
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,טבלת החשבונות לא יכולה להיות ריקה.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),הלוואות (התחייבויות)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),הלוואות (התחייבויות)
DocType: Employee Education,Year of Passing,שנה של פטירה
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,במלאי
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,במלאי
DocType: Production Plan Item,Production Plan Item,פריט תכנית ייצור
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},משתמש {0} כבר הוקצה לעובדי {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,בריאות
@@ -72,16 +72,16 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0}: {1} {2} does not match with {3},שורת {0}: {1} {2} אינה תואמת עם {3}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,# השורה {0}:
DocType: Delivery Note,Vehicle No,רכב לא
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,אנא בחר מחירון
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,אנא בחר מחירון
DocType: Production Order Operation,Work In Progress,עבודה בתהליך
DocType: Employee,Holiday List,רשימת החג
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,חשב
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,חשב
DocType: Cost Center,Stock User,משתמש המניה
DocType: Company,Phone No,מס 'טלפון
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,קורס לוחות זמנים נוצרו:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},חדש {0}: # {1}
,Sales Partners Commission,ועדת שותפי מכירות
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,קיצור לא יכול להיות יותר מ 5 תווים
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,קיצור לא יכול להיות יותר מ 5 תווים
DocType: Payment Request,Payment Request,בקשת תשלום
DocType: Asset,Value After Depreciation,ערך לאחר פחת
DocType: Employee,O+,O +
@@ -91,16 +91,16 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},לא ניתן להגדיר הרשאות על בסיס הנחה עבור {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","צרף קובץ csv עם שתי עמודות, אחת לשם הישן ואחד לשם החדש"
DocType: Packed Item,Parent Detail docname,docname פרט הורה
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,קילוגרם
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,קילוגרם
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,פתיחה לעבודה.
DocType: Item Attribute,Increment,תוספת
apps/erpnext/erpnext/public/js/stock_analytics.js +61,Select Warehouse...,בחר מחסן ...
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,פרסום
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,אותו החברה נכנסה יותר מפעם אחת
DocType: Employee,Married,נשוי
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},חל איסור על {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},חל איסור על {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,קבל פריטים מ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},המניה לא ניתן לעדכן נגד תעודת משלוח {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},המניה לא ניתן לעדכן נגד תעודת משלוח {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},מוצרים {0}
DocType: Payment Reconciliation,Reconcile,ליישב
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +30,Grocery,מכולת
@@ -114,11 +114,11 @@
DocType: Sales Invoice Item,Sales Invoice Item,פריט חשבונית מכירות
DocType: Account,Credit,אשראי
DocType: POS Profile,Write Off Cost Center,לכתוב את מרכז עלות
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",למשל "בית הספר היסודי" או "האוניברסיטה"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",למשל "בית הספר היסודי" או "האוניברסיטה"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,דוחות במלאי
DocType: Warehouse,Warehouse Detail,פרט מחסן
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},מסגרת אשראי נחצתה ללקוחות {0} {1} / {2}
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""האם רכוש קבוע" לא יכול להיות מסומן, כמו שיא נכסים קיים כנגד הפריט"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},מסגרת אשראי נחצתה ללקוחות {0} {1} / {2}
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""האם רכוש קבוע" לא יכול להיות מסומן, כמו שיא נכסים קיים כנגד הפריט"
DocType: Tax Rule,Tax Type,סוג המס
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},אין לך ההרשאה להוסיף או עדכון ערכים לפני {0}
DocType: BOM,Item Image (if not slideshow),תמונת פריט (אם לא מצגת)
@@ -135,7 +135,7 @@
DocType: Journal Entry,Opening Entry,כניסת פתיחה
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,חשבון משלם רק
DocType: Stock Entry,Additional Costs,עלויות נוספות
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,חשבון עם עסקה הקיימת לא ניתן להמיר לקבוצה.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,חשבון עם עסקה הקיימת לא ניתן להמיר לקבוצה.
DocType: Lead,Product Enquiry,חקירה מוצר
DocType: Academic Term,Schools,בתי ספר
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,אנא ראשון להיכנס החברה
@@ -144,38 +144,37 @@
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,יעד ב
DocType: BOM,Total Cost,עלות כוללת
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,יומן פעילות:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,פריט {0} אינו קיים במערכת או שפג תוקף
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,פריט {0} אינו קיים במערכת או שפג תוקף
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,"נדל""ן"
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,הצהרה של חשבון
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,תרופות
DocType: Purchase Invoice Item,Is Fixed Asset,האם קבוע נכסים
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","כמות זמינה הוא {0}, אתה צריך {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","כמות זמינה הוא {0}, אתה צריך {1}"
DocType: Expense Claim Detail,Claim Amount,סכום תביעה
-DocType: Employee,Mr,מר
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,סוג ספק / ספק
DocType: Naming Series,Prefix,קידומת
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,מתכלה
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,מתכלה
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,יבוא יומן
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,משוך בקשת חומר של ייצור סוג בהתבסס על הקריטריונים לעיל
DocType: Sales Invoice Item,Delivered By Supplier,נמסר על ידי ספק
DocType: SMS Center,All Contact,כל הקשר
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,משכורת שנתית
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,משכורת שנתית
DocType: Period Closing Voucher,Closing Fiscal Year,סגירת שנת כספים
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} הוא קפוא
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,הוצאות המניה
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} הוא קפוא
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,הוצאות המניה
DocType: Journal Entry,Contra Entry,קונטרה כניסה
DocType: Journal Entry Account,Credit in Company Currency,אשראי במטבע החברה
DocType: Delivery Note,Installation Status,מצב התקנה
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},+ מקובל שנדחו הכמות חייבת להיות שווה לכמות שהתקבל עבור פריט {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},+ מקובל שנדחו הכמות חייבת להיות שווה לכמות שהתקבל עבור פריט {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,חומרי גלם לאספקת רכישה
DocType: Products Settings,Show Products as a List,הצג מוצרים כרשימה
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","הורד את התבנית, למלא נתונים מתאימים ולצרף את הקובץ הנוכחי. כל שילוב התאריכים ועובדים בתקופה שנבחרה יבוא בתבנית, עם רישומי נוכחות קיימים"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,פריט {0} אינו פעיל או שהגיע הסוף של חיים
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,דוגמה: מתמטיקה בסיסית
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","כדי לכלול מס בשורת {0} בשיעור פריט, מסים בשורות {1} חייבים להיות כלולים גם"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,פריט {0} אינו פעיל או שהגיע הסוף של חיים
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,דוגמה: מתמטיקה בסיסית
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","כדי לכלול מס בשורת {0} בשיעור פריט, מסים בשורות {1} חייבים להיות כלולים גם"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,הגדרות עבור מודול HR
DocType: SMS Center,SMS Center,SMS מרכז
DocType: Sales Invoice,Change Amount,שנת הסכום
@@ -185,7 +184,7 @@
DocType: Lead,Request Type,סוג הבקשה
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,הפוך שכיר
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,שידור
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,ביצוע
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,ביצוע
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,פרטים של הפעולות שביצעו.
DocType: Serial No,Maintenance Status,מצב תחזוקה
apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,פריטים ותמחור
@@ -208,7 +207,7 @@
,Purchase Order Trends,לרכוש מגמות להזמין
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,להקצות עלים לשנה.
DocType: SG Creation Tool Course,SG Creation Tool Course,קורס כלי יצירת SG
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,מאגר מספיק
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,מאגר מספיק
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,תכנון קיבולת השבת ומעקב זמן
DocType: Email Digest,New Sales Orders,הזמנות ומכירות חדשות
DocType: Bank Guarantee,Bank Account,חשבון בנק
@@ -228,13 +227,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,נגד פריט מכירות חשבונית
,Production Orders in Progress,הזמנות ייצור בהתקדמות
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,מזומנים נטו ממימון
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage מלא, לא הציל"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage מלא, לא הציל"
DocType: Lead,Address & Contact,כתובת ולתקשר
DocType: Leave Allocation,Add unused leaves from previous allocations,להוסיף עלים שאינם בשימוש מהקצאות קודמות
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},הבא חוזר {0} ייווצר על {1}
DocType: Sales Partner,Partner website,אתר שותף
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,הוסף פריט
-,Contact Name,שם איש קשר
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,שם איש קשר
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,יוצר תלוש משכורת לקריטריונים שהוזכרו לעיל.
DocType: Cheque Print Template,Line spacing for amount in words,מרווח בין שורות עבור הסכום במילים
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,אין תיאור נתון
@@ -242,33 +241,33 @@
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,זה מבוסס על פחי הזמנים נוצרו נגד הפרויקט הזה
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,רק המאשר Leave נבחר יכול להגיש בקשה זו החופשה
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,להקלה על התאריך חייבת להיות גדולה מ תאריך ההצטרפות
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,עלים בכל שנה
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,עלים בכל שנה
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,שורת {0}: בדוק את 'האם Advance' נגד חשבון {1} אם זה כניסה מראש.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},מחסן {0} אינו שייך לחברת {1}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,לִיטר
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,לִיטר
DocType: Task,Total Costing Amount (via Time Sheet),סה"כ תמחיר הסכום (באמצעות גיליון זמן)
DocType: Item Website Specification,Item Website Specification,מפרט אתר פריט
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,השאר חסימה
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},פריט {0} הגיע לסיומו של חיים על {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},פריט {0} הגיע לסיומו של חיים על {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,פוסט בנק
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,שנתי
DocType: Stock Reconciliation Item,Stock Reconciliation Item,פריט במלאי פיוס
DocType: Stock Entry,Sales Invoice No,מכירות חשבונית לא
DocType: Material Request Item,Min Order Qty,להזמין כמות מינימום
DocType: Lead,Do Not Contact,אל תצור קשר
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,אנשים המלמדים בארגון שלך
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,אנשים המלמדים בארגון שלך
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Id הייחודי למעקב אחר כל החשבוניות חוזרות. הוא נוצר על שליחה.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,מפתח תוכנה
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,מפתח תוכנה
DocType: Item,Minimum Order Qty,להזמין כמות מינימום
DocType: Pricing Rule,Supplier Type,סוג ספק
DocType: Course Scheduling Tool,Course Start Date,תאריך פתיחת הקורס
DocType: Item,Publish in Hub,פרסם בHub
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,פריט {0} יבוטל
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,פריט {0} יבוטל
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,בקשת חומר
DocType: Bank Reconciliation,Update Clearance Date,תאריך שחרור עדכון
DocType: Item,Purchase Details,פרטי רכישה
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},פריט {0} לא נמצא בטבלה "חומרי גלם מסופקת 'בהזמנת רכש {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},פריט {0} לא נמצא בטבלה "חומרי גלם מסופקת 'בהזמנת רכש {1}
DocType: Employee,Relation,ביחס
DocType: Shipping Rule,Worldwide Shipping,משלוח ברחבי העולם
apps/erpnext/erpnext/config/selling.py +18,Confirmed orders from Customers.,הזמנות אישרו מלקוחות.
@@ -292,12 +291,12 @@
DocType: Asset,Next Depreciation Date,תאריך הפחת הבא
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,עלות פעילות לעובדים
DocType: Accounts Settings,Settings for Accounts,הגדרות עבור חשבונות
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},ספק חשבונית לא קיים חשבונית רכישת {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},ספק חשבונית לא קיים חשבונית רכישת {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,ניהול מכירות אדם עץ.
DocType: Job Applicant,Cover Letter,מכתב כיסוי
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,המחאות ופיקדונות כדי לנקות מצטיינים
DocType: Item,Synced With Hub,סונכרן עם רכזת
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,סיסמא שגויה
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,סיסמא שגויה
DocType: Item,Variant Of,גרסה של
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',"כמות שהושלמה לא יכולה להיות גדולה מ 'כמות לייצור """
DocType: Period Closing Voucher,Closing Account Head,סגירת חשבון ראש
@@ -311,11 +310,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,להודיע באמצעות דואר אלקטרוני על יצירת בקשת חומר אוטומטית
DocType: Journal Entry,Multi Currency,מטבע רב
DocType: Payment Reconciliation Invoice,Invoice Type,סוג חשבונית
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,תעודת משלוח
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,תעודת משלוח
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,הגדרת מסים
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,עלות נמכר נכס
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,כניסת תשלום השתנתה לאחר שמשכת אותו. אנא למשוך אותו שוב.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} נכנס פעמיים במס פריט
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,כניסת תשלום השתנתה לאחר שמשכת אותו. אנא למשוך אותו שוב.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} נכנס פעמיים במס פריט
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,סיכום השבוע הזה ופעילויות תלויות ועומדות
DocType: Student Applicant,Admitted,רישיון
DocType: Workstation,Rent Cost,עלות השכרה
@@ -330,18 +329,18 @@
apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director etc.).","ייעוד עובד (למשל מנכ""ל, מנהל וכו ')."
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,נא להזין את 'חזור על פעולה ביום בחודש' ערך שדה
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,קצב שבו מטבע לקוחות מומר למטבע הבסיס של הלקוח
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},שורה # {0}: חשבונית הרכש אינו יכול להתבצע נגד נכס קיים {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},שורה # {0}: חשבונית הרכש אינו יכול להתבצע נגד נכס קיים {1}
DocType: Item Tax,Tax Rate,שיעור מס
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} כבר הוקצה לעובדי {1} לתקופה {2} {3} ל
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,פריט בחר
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,לרכוש חשבונית {0} כבר הוגשה
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,לרכוש חשבונית {0} כבר הוגשה
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},# השורה {0}: אצווה לא חייב להיות זהה {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,המרת שאינה קבוצה
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,אצווה (הרבה) של פריט.
DocType: C-Form Invoice Detail,Invoice Date,תאריך חשבונית
DocType: GL Entry,Debit Amount,סכום חיוב
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},לא יכול להיות רק 1 חשבון לכל חברת {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,אנא ראה קובץ מצורף
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},לא יכול להיות רק 1 חשבון לכל חברת {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,אנא ראה קובץ מצורף
DocType: Purchase Order,% Received,% התקבל
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,יצירת קבוצות סטודנטים
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,התקנה כבר מלא !!
@@ -375,7 +374,7 @@
DocType: Purchase Receipt,Vehicle Date,תאריך רכב
DocType: Student Log,Medical,רפואי
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,סיבה לאיבוד
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,הסכום שהוקצה לא יכול מעל לסכום ללא התאמות
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,הסכום שהוקצה לא יכול מעל לסכום ללא התאמות
DocType: Announcement,Receiver,מַקְלֵט
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},תחנת עבודה סגורה בתאריכים הבאים בהתאם לרשימת Holiday: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,הזדמנויות
@@ -388,7 +387,7 @@
DocType: Assessment Plan,Examiner Name,שם הבודק
DocType: Purchase Invoice Item,Quantity and Rate,כמות ושיעור
DocType: Delivery Note,% Installed,% מותקן
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,כיתות / מעבדות וכו שבו הרצאות ניתן לתזמן.
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,כיתות / מעבדות וכו שבו הרצאות ניתן לתזמן.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,אנא ראשון להזין את שם חברה
DocType: Purchase Invoice,Supplier Name,שם ספק
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,לקרוא את מדריך ERPNext
@@ -396,7 +395,7 @@
DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,הגדר סידורי מס באופן אוטומטי על בסיס FIFO
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,ספק בדוק חשבונית מספר הייחוד
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.',"""למקרה מס ' לא יכול להיות פחות מ 'מתיק מס' '"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,ללא כוונת רווח
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,ללא כוונת רווח
DocType: Production Order,Not Started,לא התחיל
DocType: Lead,Channel Partner,Channel Partner
DocType: Account,Old Parent,האם ישן
@@ -404,13 +403,12 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,הגדרות גלובליות עבור כל תהליכי הייצור.
DocType: Accounts Settings,Accounts Frozen Upto,חשבונות קפואים Upto
DocType: SMS Log,Sent On,נשלח ב
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,תכונה {0} נבחר מספר פעמים בטבלה תכונות
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,תכונה {0} נבחר מספר פעמים בטבלה תכונות
DocType: HR Settings,Employee record is created using selected field. ,שיא עובד שנוצר באמצעות שדה שנבחר.
DocType: Sales Order,Not Applicable,לא ישים
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,אב חג.
DocType: Request for Quotation Item,Required Date,תאריך הנדרש
DocType: Delivery Note,Billing Address,כתובת לחיוב
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,נא להזין את קוד פריט.
DocType: BOM,Costing,תמחיר
DocType: Tax Rule,Billing County,מחוז חיוב
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","אם מסומן, את סכום המס ייחשב כפי שכבר כלול במחיר ההדפסה / סכום ההדפסה"
@@ -433,17 +431,17 @@
DocType: Journal Entry,Accounts Payable,חשבונות לתשלום
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,בומס שנבחר אינו תמורת אותו הפריט
DocType: Pricing Rule,Valid Upto,Upto חוקי
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,רשימה כמה מהלקוחות שלך. הם יכולים להיות ארגונים או יחידים.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,הכנסה ישירה
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,רשימה כמה מהלקוחות שלך. הם יכולים להיות ארגונים או יחידים.
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,הכנסה ישירה
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","לא יכול לסנן על פי חשבון, אם מקובצים לפי חשבון"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,קצין מנהלי
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,קצין מנהלי
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,אנא בחר חברה
DocType: Stock Entry Detail,Difference Account,חשבון הבדל
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,לא יכולה לסגור משימה כמשימה התלויה {0} אינה סגורה.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,נא להזין את המחסן שלבקשת חומר יועלה
DocType: Production Order,Additional Operating Cost,עלות הפעלה נוספות
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,קוסמטיקה
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","למזג, המאפיינים הבאים חייבים להיות זהים בשני הפריטים"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","למזג, המאפיינים הבאים חייבים להיות זהים בשני הפריטים"
DocType: Shipping Rule,Net Weight,משקל נטו
DocType: Employee,Emergency Phone,טל 'חירום
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,לִקְנוֹת
@@ -451,14 +449,14 @@
DocType: Sales Invoice,Offline POS Name,שם קופה מנותקת
DocType: Sales Order,To Deliver,כדי לספק
DocType: Purchase Invoice Item,Item,פריט
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,אין פריט סידורי לא יכול להיות חלק
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,אין פריט סידורי לא יכול להיות חלק
DocType: Journal Entry,Difference (Dr - Cr),"הבדל (ד""ר - Cr)"
DocType: Account,Profit and Loss,רווח והפסד
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,קבלנות משנה ניהול
DocType: Project,Project will be accessible on the website to these users,הפרויקט יהיה נגיש באתר למשתמשים אלה
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,קצב שבו רשימת מחיר המטבע מומר למטבע הבסיס של החברה
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},חשבון {0} אינו שייך לחברה: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,קיצור כבר בשימוש עבור חברה אחרת
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},חשבון {0} אינו שייך לחברה: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,קיצור כבר בשימוש עבור חברה אחרת
DocType: Selling Settings,Default Customer Group,קבוצת לקוחות המוגדרת כברירת מחדל
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","אם להשבית, השדה 'מעוגל סה""כ' לא יהיה גלוי בכל עסקה"
DocType: BOM,Operating Cost,עלות הפעלה
@@ -466,7 +464,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,תוספת לא יכולה להיות 0
DocType: Production Planning Tool,Material Requirement,דרישת חומר
DocType: Company,Delete Company Transactions,מחק עסקות חברה
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,אסמכתא ותאריך ההפניה הוא חובה עבור עסקת הבנק
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,אסמכתא ותאריך ההפניה הוא חובה עבור עסקת הבנק
DocType: Purchase Receipt,Add / Edit Taxes and Charges,להוסיף מסים / עריכה וחיובים
DocType: Purchase Invoice,Supplier Invoice No,ספק חשבונית לא
DocType: Territory,For reference,לעיון
@@ -478,20 +476,20 @@
DocType: Production Plan Item,Pending Qty,בהמתנה כמות
DocType: Budget,Ignore,התעלם
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS שנשלח למספרים הבאים: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,ממדים בדוק את הגדרות להדפסה
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,ממדים בדוק את הגדרות להדפסה
DocType: Salary Slip,Salary Slip Timesheet,גיליון תלוש משכורת
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,מחסן ספק חובה לקבלה-נדבק תת רכישה
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,מחסן ספק חובה לקבלה-נדבק תת רכישה
DocType: Pricing Rule,Valid From,בתוקף מ
DocType: Sales Invoice,Total Commission,"הוועדה סה""כ"
DocType: Pricing Rule,Sales Partner,פרטנר מכירות
DocType: Buying Settings,Purchase Receipt Required,קבלת רכישת חובה
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,דרג ההערכה היא חובה אם Stock פתיחה נכנס
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,דרג ההערכה היא חובה אם Stock פתיחה נכנס
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,לא נמצא רשומות בטבלת החשבונית
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,אנא בחר סוג החברה והמפלגה ראשון
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,כספי לשנה / חשבונאות.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,כספי לשנה / חשבונאות.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,ערכים מצטברים
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","מצטער, לא ניתן למזג מס סידורי"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,הפוך להזמין מכירות
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,הפוך להזמין מכירות
DocType: Project Task,Project Task,פרויקט משימה
,Lead Id,זיהוי ליד
DocType: C-Form Invoice Detail,Grand Total,סך כולל
@@ -507,7 +505,7 @@
DocType: Job Applicant,Resume Attachment,מצורף קורות חיים
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,חזרו על לקוחות
DocType: Leave Control Panel,Allocate,להקצות
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,חזור מכירות
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,חזור מכירות
DocType: Announcement,Posted By,פורסם על ידי
DocType: Item,Delivered by Supplier (Drop Ship),נמסר על ידי ספק (זרוק משלוח)
apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,מסד הנתונים של לקוחות פוטנציאליים.
@@ -516,13 +514,13 @@
DocType: Quotation,Quotation To,הצעת מחיר ל
DocType: Lead,Middle Income,הכנסה התיכונה
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),פתיחה (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"ברירת מחדל של יחידת מדידה לפריט {0} לא ניתן לשנות באופן ישיר, כי כבר עשו כמה עסקה (ים) עם יחידת מידה אחרת. יהיה עליך ליצור פריט חדש לשימוש יחידת מידת ברירת מחדל שונה."
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,סכום שהוקצה אינו יכול להיות שלילי
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"ברירת מחדל של יחידת מדידה לפריט {0} לא ניתן לשנות באופן ישיר, כי כבר עשו כמה עסקה (ים) עם יחידת מידה אחרת. יהיה עליך ליצור פריט חדש לשימוש יחידת מידת ברירת מחדל שונה."
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,סכום שהוקצה אינו יכול להיות שלילי
DocType: Purchase Order Item,Billed Amt,Amt שחויב
DocType: Warehouse,A logical Warehouse against which stock entries are made.,מחסן לוגי שנגדו מרשמו רשומות מלאי
DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,גליון חשבונית מכירות
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +118,Reference No & Reference Date is required for {0},התייחסות לא & תאריך הפניה נדרש עבור {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,כתיבת הצעה
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,כתיבת הצעה
DocType: Payment Entry Deduction,Payment Entry Deduction,ניכוי קליט הוצאות
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,אדם אחר מכירות {0} קיים עם אותו זיהוי העובד
apps/erpnext/erpnext/config/accounts.py +80,Masters,תואר שני
@@ -547,8 +545,7 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","חוקים ואז תמחור מסוננים החוצה על בסיס לקוחות, קבוצת לקוחות, טריטוריה, ספק, סוג של ספק, המבצע, שותף מכירות וכו '"
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,שינוי נטו במלאי
DocType: Employee,Passport Number,דרכון מספר
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,מנהל
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,אותו פריט כבר נכנס מספר רב של פעמים.
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,מנהל
DocType: SMS Settings,Receiver Parameter,מקלט פרמטר
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'מבוסס על-Based On' ו-'מקובץ על ידי-Group By' אינם יכולים להיות זהים.
DocType: Sales Person,Sales Person Targets,מטרות איש מכירות
@@ -556,7 +553,7 @@
DocType: Production Order Operation,In minutes,בדקות
DocType: Issue,Resolution Date,תאריך החלטה
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,גיליון נוצר:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},אנא הגדר מזומנים ברירת מחדל או חשבון בנק במצב של תשלום {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},אנא הגדר מזומנים ברירת מחדל או חשבון בנק במצב של תשלום {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,לְהִרָשֵׁם
DocType: Selling Settings,Customer Naming By,Naming הלקוח על ידי
DocType: Depreciation Schedule,Depreciation Amount,סכום הפחת
@@ -594,16 +591,16 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,קדם מכירות
DocType: Purchase Receipt,Other Details,פרטים נוספים
DocType: Account,Accounts,חשבונות
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,שיווק
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,שיווק
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,כניסת תשלום כבר נוצר
DocType: Purchase Receipt Item Supplied,Current Stock,מלאי נוכחי
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},# שורה {0}: Asset {1} אינו קשור פריט {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},# שורה {0}: Asset {1} אינו קשור פריט {2}
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,חשבון {0} הוזן מספר פעמים
DocType: Account,Expenses Included In Valuation,הוצאות שנכללו בהערכת שווי
DocType: Hub Settings,Seller City,מוכר עיר
DocType: Email Digest,Next email will be sent on:,"הדוא""ל הבא יישלח על:"
DocType: Offer Letter Term,Offer Letter Term,להציע מכתב לטווח
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,יש פריט גרסאות.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,יש פריט גרסאות.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,פריט {0} לא נמצא
DocType: Bin,Stock Value,מניית ערך
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,החברה {0} לא קיים
@@ -623,14 +620,14 @@
DocType: Purchase Order,Supply Raw Materials,חומרי גלם אספקה
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,התאריך שבו החשבונית הבאה תופק. הוא נוצר על שליחה.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,נכסים שוטפים
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} הוא לא פריט מלאי
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} הוא לא פריט מלאי
DocType: Mode of Payment Account,Default Account,חשבון ברירת מחדל
DocType: Payment Entry,Received Amount (Company Currency),הסכום שהתקבל (חברת מטבע)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,עופרת יש להגדיר אם הזדמנות עשויה מעופרת
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,אנא בחר יום מנוחה שבועי
DocType: Production Order Operation,Planned End Time,שעת סיום מתוכננת
,Sales Person Target Variance Item Group-Wise,פריט יעד שונות איש מכירות קבוצה-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,חשבון עם עסקה הקיימת לא ניתן להמיר לדג'ר
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,חשבון עם עסקה הקיימת לא ניתן להמיר לדג'ר
DocType: Delivery Note,Customer's Purchase Order No,להזמין ללא הרכישה של הלקוח
DocType: Employee,Cell Number,מספר סלולארי
apps/erpnext/erpnext/stock/reorder_item.py +177,Auto Material Requests Generated,בקשות אוטומטיות חומר שנוצרו
@@ -643,12 +640,11 @@
DocType: BOM,Website Specifications,מפרט אתר
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: החל מ- {0} מסוג {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,שורת {0}: המרת פקטור הוא חובה
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,שורת {0}: המרת פקטור הוא חובה
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","חוקי מחיר מרובים קיימים עם אותם הקריטריונים, בבקשה לפתור את סכסוך על ידי הקצאת עדיפות. חוקי מחיר: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,לא יכול לבטל או לבטל BOM כפי שהוא מקושר עם עצי מוצר אחרים
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","חוקי מחיר מרובים קיימים עם אותם הקריטריונים, בבקשה לפתור את סכסוך על ידי הקצאת עדיפות. חוקי מחיר: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,לא יכול לבטל או לבטל BOM כפי שהוא מקושר עם עצי מוצר אחרים
DocType: Opportunity,Maintenance,תחזוקה
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},מספר קבלת רכישה הנדרש לפריט {0}
DocType: Item Attribute Value,Item Attribute Value,פריט תכונה ערך
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,מבצעי מכירות.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,הפוך גיליון
@@ -679,23 +675,23 @@
DocType: Shopping Cart Settings,Default settings for Shopping Cart,הגדרות ברירת מחדל עבור עגלת קניות
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},נכסים לגרוטאות באמצעות תנועת יומן {0}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,ביוטכנולוגיה
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,הוצאות משרד תחזוקה
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,הוצאות משרד תחזוקה
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,אנא ראשון להיכנס פריט
DocType: Account,Liability,אחריות
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,סכום גושפנקא לא יכול להיות גדול מסכום תביעה בשורה {0}.
DocType: Company,Default Cost of Goods Sold Account,עלות ברירת מחדל של חשבון מכר
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,מחיר המחירון לא נבחר
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,מחיר המחירון לא נבחר
DocType: Employee,Family Background,רקע משפחתי
DocType: Request for Quotation Supplier,Send Email,שלח אי-מייל
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},אזהרה: קובץ מצורף לא חוקי {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},אזהרה: קובץ מצורף לא חוקי {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,אין אישור
DocType: Company,Default Bank Account,חשבון בנק ברירת מחדל
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","כדי לסנן מבוסס על המפלגה, מפלגה בחר את הסוג ראשון"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"לא ניתן לבדוק את "מלאי עדכון ', כי פריטים אינם מועברים באמצעות {0}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,מס
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,מס
DocType: Item,Items with higher weightage will be shown higher,פריטים עם weightage גבוה יותר תוכלו לראות גבוהים יותר
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,פרט בנק פיוס
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,# שורה {0}: Asset {1} יש להגיש
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,# שורה {0}: Asset {1} יש להגיש
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,אף עובדים מצא
DocType: Supplier Quotation,Stopped,נעצר
DocType: Item,If subcontracted to a vendor,אם קבלן לספקים
@@ -706,12 +702,12 @@
DocType: Item,Website Warehouse,מחסן אתר
DocType: Payment Reconciliation,Minimum Invoice Amount,סכום חשבונית מינימום
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,פריט שורה {idx}: {DOCTYPE} {DOCNAME} אינה קיימת מעל '{DOCTYPE} שולחן
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,גיליון {0} כבר הושלם או בוטל
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,גיליון {0} כבר הושלם או בוטל
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","היום בחודש שבו חשבונית אוטומטית תיווצר למשל 05, 28 וכו '"
DocType: Asset,Opening Accumulated Depreciation,פתיחת פחת שנצבר
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,ציון חייב להיות קטן או שווה ל 5
DocType: Program Enrollment Tool,Program Enrollment Tool,כלי הרשמה לתכנית
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,רשומות C-טופס
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,רשומות C-טופס
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,לקוחות וספקים
DocType: Email Digest,Email Digest Settings,"הגדרות Digest דוא""ל"
apps/erpnext/erpnext/config/support.py +12,Support queries from customers.,שאילתות התמיכה של לקוחות.
@@ -729,7 +725,7 @@
DocType: Upload Attendance,Import Attendance,נוכחות יבוא
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,בכל קבוצות הפריט
DocType: Process Payroll,Activity Log,יומן פעילות
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,רווח נקי / הפסד
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,רווח נקי / הפסד
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,באופן אוטומטי לחבר את ההודעה על הגשת עסקות.
DocType: Production Order,Item To Manufacture,פריט לייצור
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} המצב הוא {2}
@@ -737,13 +733,13 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,הזמנת רכש לתשלום
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,כמות חזויה
DocType: Sales Invoice,Payment Due Date,מועד תשלום
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,פריט Variant {0} כבר קיים עימן תכונות
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,פריט Variant {0} כבר קיים עימן תכונות
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',"פתיחה"
DocType: Notification Control,Delivery Note Message,מסר תעודת משלוח
DocType: Expense Claim,Expenses,הוצאות
DocType: Item Variant Attribute,Item Variant Attribute,תכונה Variant פריט
,Purchase Receipt Trends,מגמות קבלת רכישה
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,מחקר ופיתוח
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,מחקר ופיתוח
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,הסכום להצעת החוק
DocType: Company,Registration Details,פרטי רישום
DocType: Item Reorder,Re-Order Qty,Re-להזמין כמות
@@ -753,11 +749,11 @@
DocType: SMS Log,Requested Numbers,מספרים מבוקשים
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,הערכת ביצועים.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","'השתמש עבור סל קניות' האפשור, כמו סל הקניות מופעל ולא צריך להיות לפחות כלל מס אחד עבור סל קניות"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","קליטת הוצאות {0} מקושרת נגד להזמין {1}, לבדוק אם הוא צריך להיות משך כפי מראש בחשבונית זו."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","קליטת הוצאות {0} מקושרת נגד להזמין {1}, לבדוק אם הוא צריך להיות משך כפי מראש בחשבונית זו."
DocType: Sales Invoice Item,Stock Details,פרטי מלאי
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,פרויקט ערך
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,נקודת מכירה
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","יתרת חשבון כבר בקרדיט, שאינך מורשה להגדרה 'יתרה חייבים להיות' כמו 'חיוב'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","יתרת חשבון כבר בקרדיט, שאינך מורשה להגדרה 'יתרה חייבים להיות' כמו 'חיוב'"
DocType: Account,Balance must be,איזון חייב להיות
DocType: Hub Settings,Publish Pricing,פרסם תמחור
DocType: Notification Control,Expense Claim Rejected Message,הודעת תביעת הוצאות שנדחו
@@ -767,7 +763,7 @@
DocType: Salary Slip,Working Days,ימי עבודה
DocType: Serial No,Incoming Rate,שערי נכנסים
DocType: Packing Slip,Gross Weight,משקל ברוטו
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,שמה של החברה שלך שאתה מגדיר את המערכת הזאת.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,שמה של החברה שלך שאתה מגדיר את המערכת הזאת.
DocType: HR Settings,Include holidays in Total no. of Working Days,כולל חגים בסך הכל לא. ימי עבודה
DocType: Job Applicant,Hold,החזק
DocType: Employee,Date of Joining,תאריך ההצטרפות
@@ -777,19 +773,18 @@
DocType: Examination Result,Examination Result,תוצאת בחינה
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,קבלת רכישה
,Received Items To Be Billed,פריטים שהתקבלו לחיוב
-DocType: Employee,Ms,גב '
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,שער חליפין של מטבע שני.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},הפניה Doctype חייב להיות אחד {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,שער חליפין של מטבע שני.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},הפניה Doctype חייב להיות אחד {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},לא ניתן למצוא משבצת הזמן בעולם הבא {0} ימים למבצע {1}
DocType: Production Order,Plan material for sub-assemblies,חומר תכנית לתת מכלולים
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,שותפי מכירות טריטוריה
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} חייב להיות פעיל
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} חייב להיות פעיל
DocType: Journal Entry,Depreciation Entry,כניסת פחת
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,אנא בחר את סוג המסמך ראשון
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,ביקורי חומר לבטל {0} לפני ביטול תחזוקת הביקור הזה
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},מספר סידורי {0} אינו שייך לפריט {1}
DocType: Purchase Receipt Item Supplied,Required Qty,חובה כמות
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,מחסן עם עסקה קיימת לא ניתן להמיר לדג'ר.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,מחסן עם עסקה קיימת לא ניתן להמיר לדג'ר.
DocType: Bank Reconciliation,Total Amount,"סה""כ לתשלום"
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,הוצאה לאור באינטרנט
DocType: Production Planning Tool,Production Orders,הזמנות ייצור
@@ -803,21 +798,21 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not active or does not exist,עובד {0} אינו פעיל או שאינו קיים
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},נא להזין קטגורית Asset בסעיף {0}
DocType: Quality Inspection Reading,Reading 6,קריאת 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,אין אפשרות {0} {1} {2} ללא כל חשבונית מצטיינים שלילית
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,אין אפשרות {0} {1} {2} ללא כל חשבונית מצטיינים שלילית
DocType: Purchase Invoice Advance,Purchase Invoice Advance,לרכוש חשבונית מראש
DocType: Hub Settings,Sync Now,Sync עכשיו
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},שורת {0}: כניסת אשראי לא יכולה להיות מקושרת עם {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,גדר תקציב עבור שנת כספים.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,גדר תקציב עבור שנת כספים.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,חשבון בנק / מזומנים ברירת מחדל יהיה מעודכן באופן אוטומטי בקופת חשבונית כאשר מצב זה נבחר.
DocType: Lead,LEAD-,עוֹפֶרֶת-
DocType: Employee,Permanent Address Is,כתובת קבע
DocType: Production Order Operation,Operation completed for how many finished goods?,מבצע הושלם לכמה מוצרים מוגמרים?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,המותג
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,המותג
DocType: Employee,Exit Interview Details,פרטי ראיון יציאה
DocType: Item,Is Purchase Item,האם פריט הרכישה
DocType: Asset,Purchase Invoice,רכישת חשבוניות
DocType: Stock Ledger Entry,Voucher Detail No,פרט שובר לא
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,חשבונית מכירת בתים חדשה
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,חשבונית מכירת בתים חדשה
DocType: Stock Entry,Total Outgoing Value,"ערך יוצא סה""כ"
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,פתיחת תאריך ותאריך סגירה צריכה להיות באותה שנת כספים
DocType: Lead,Request for Information,בקשה לקבלת מידע
@@ -827,13 +822,13 @@
DocType: Material Request Item,Lead Time Date,תאריך ליד זמן
DocType: Cheque Print Template,Has Print Format,יש פורמט להדפסה
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,הוא חובה. אולי שיא המרה לא נוצר ל
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},# שורה {0}: נא לציין את מספר סידורי לפריט {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","לפריטים 'מוצרי Bundle', מחסן, מספר סידורי ויצוו לא ייחשב מהשולחן "רשימת האריזה". אם מחסן ויצוו אין הם זהים עבור כל פריטי האריזה עבור כל הפריט "מוצרים Bundle ', ניתן להזין ערכים אלה בטבלת הפריט העיקרית, ערכים יועתקו ל'אריזת רשימה' שולחן."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},# שורה {0}: נא לציין את מספר סידורי לפריט {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","לפריטים 'מוצרי Bundle', מחסן, מספר סידורי ויצוו לא ייחשב מהשולחן "רשימת האריזה". אם מחסן ויצוו אין הם זהים עבור כל פריטי האריזה עבור כל הפריט "מוצרים Bundle ', ניתן להזין ערכים אלה בטבלת הפריט העיקרית, ערכים יועתקו ל'אריזת רשימה' שולחן."
DocType: Job Opening,Publish on website,פרסם באתר
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,משלוחים ללקוחות.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,תאריך חשבונית ספק לא יכול להיות גדול מ תאריך פרסום
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,תאריך חשבונית ספק לא יכול להיות גדול מ תאריך פרסום
DocType: Purchase Invoice Item,Purchase Order Item,לרכוש פריט להזמין
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,הכנסות עקיפות
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,הכנסות עקיפות
DocType: Cheque Print Template,Date Settings,הגדרות תאריך
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,שונות
,Company Name,שם חברה
@@ -848,16 +843,16 @@
Please enter a valid Invoice","שורת {0}: חשבונית {1} אינה חוקית, זה עלול להתבטל / לא קיימת. \ זן חשבונית תקפה"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0}: Payment against Sales/Purchase Order should always be marked as advance,שורת {0}: תשלום נגד מכירות / הזמנת רכש תמיד צריך להיות מסומן כמראש
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,כימיה
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,כל הפריטים כבר הועברו להזמנת ייצור זה.
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,מטר
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,כל הפריטים כבר הועברו להזמנת ייצור זה.
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,מטר
DocType: Workstation,Electricity Cost,עלות חשמל
DocType: HR Settings,Don't send Employee Birthday Reminders,אל תשלחו לעובדי יום הולדת תזכורות
DocType: Item,Inspection Criteria,קריטריונים לבדיקה
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,הועבר
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,העלה ראש המכתב ואת הלוגו שלך. (אתה יכול לערוך אותם מאוחר יותר).
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,לבן
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,העלה ראש המכתב ואת הלוגו שלך. (אתה יכול לערוך אותם מאוחר יותר).
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,לבן
DocType: SMS Center,All Lead (Open),כל הלידים (פתוח)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),שורה {0}: כמות אינה זמינה עבור {4} במחסן {1} בכל שעת הפרסום של כניסה ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),שורה {0}: כמות אינה זמינה עבור {4} במחסן {1} בכל שעת הפרסום של כניסה ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,קבלו תשלום מקדמות
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,הפוך
DocType: Journal Entry,Total Amount in Words,סכתי-הכל סכום מילים
@@ -865,11 +860,11 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,סל הקניות שלי
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},סוג ההזמנה חייבת להיות אחד {0}
DocType: Lead,Next Contact Date,התאריך לתקשר הבא
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,פתיחת כמות
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,פתיחת כמות
DocType: Student Batch Name,Student Batch Name,שם תצווה סטודנטים
DocType: Holiday List,Holiday List Name,שם רשימת החג
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,קורס לו"ז
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,אופציות
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,אופציות
DocType: Journal Entry Account,Expense Claim,תביעת הוצאות
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,האם אתה באמת רוצה לשחזר נכס לגרוטאות זה?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},כמות עבור {0}
@@ -883,9 +878,9 @@
DocType: Purchase Invoice,Cash/Bank Account,מזומנים / חשבון בנק
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,פריטים הוסרו ללא שינוי בכמות או ערך.
DocType: Delivery Note,Delivery To,משלוח ל
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,שולחן תכונה הוא חובה
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,שולחן תכונה הוא חובה
DocType: Production Planning Tool,Get Sales Orders,קבל הזמנות ומכירות
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} אינו יכול להיות שלילי
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} אינו יכול להיות שלילי
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,דיסקונט
DocType: Asset,Total Number of Depreciations,מספר כולל של פחת
DocType: Workstation,Wages,שכר
@@ -903,7 +898,6 @@
DocType: Serial No,Creation Document No,יצירת מסמך לא
DocType: Issue,Issue,נושא
DocType: Asset,Scrapped,לגרוטאות
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,חשבון אינו תואם עם חברה
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","תכונות לפריט גרסאות. למשל גודל, צבע וכו '"
DocType: Purchase Invoice,Returns,החזרות
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,מחסן WIP
@@ -913,7 +907,7 @@
DocType: Tax Rule,Shipping State,מדינת משלוח
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,"פריט יש להוסיף באמצעות 'לקבל פריטים מרכישת קבלות ""כפתור"
DocType: Employee,A-,א-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,הוצאות מכירה
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,הוצאות מכירה
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,קנייה סטנדרטית
DocType: GL Entry,Against,נגד
DocType: Item,Default Selling Cost Center,מרכז עלות מכירת ברירת מחדל
@@ -928,25 +922,24 @@
DocType: Holiday List,Get Weekly Off Dates,קבל תאריכי מנוחה שבועיים
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,תאריך סיום לא יכול להיות פחות מתאריך ההתחלה
DocType: Sales Person,Select company name first.,שם חברה בחר ראשון.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,"ד""ר"
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,ציטוטים המתקבלים מספקים.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},כדי {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,גיל ממוצע
DocType: Opportunity,Your sales person who will contact the customer in future,איש המכירות שלך שייצור קשר עם הלקוח בעתיד
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,רשימה כמה מהספקים שלך. הם יכולים להיות ארגונים או יחידים.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,רשימה כמה מהספקים שלך. הם יכולים להיות ארגונים או יחידים.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,הצג את כל המוצרים
DocType: Company,Default Currency,מטבע ברירת מחדל
DocType: Expense Claim,From Employee,מעובדים
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,אזהרה: מערכת לא תבדוק overbilling מאז סכום עבור פריט {0} ב {1} הוא אפס
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,אזהרה: מערכת לא תבדוק overbilling מאז סכום עבור פריט {0} ב {1} הוא אפס
DocType: Journal Entry,Make Difference Entry,הפוך כניסת הבדל
DocType: Upload Attendance,Attendance From Date,נוכחות מתאריך
DocType: Appraisal Template Goal,Key Performance Area,פינת של ביצועים מרכזיים
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,תחבורה
+DocType: Program Enrollment,Transportation,תחבורה
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,תכונה לא חוקית
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} יש להגיש
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} יש להגיש
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},כמות חייבת להיות קטנה או שווה ל {0}
DocType: SMS Center,Total Characters,"סה""כ תווים"
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},אנא בחר BOM בתחום BOM לפריט {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},אנא בחר BOM בתחום BOM לפריט {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,פרט C-טופס חשבונית
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,תשלום פיוס חשבונית
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,% תרומה
@@ -958,7 +951,7 @@
,Ordered Items To Be Billed,פריטים שהוזמנו להיות מחויב
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,מהטווח צריך להיות פחות מטווח
DocType: Global Defaults,Global Defaults,ברירות מחדל גלובליות
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,הזמנה לשיתוף פעולה בניהול פרויקטים
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,הזמנה לשיתוף פעולה בניהול פרויקטים
DocType: Salary Slip,Deductions,ניכויים
DocType: Purchase Invoice,Start date of current invoice's period,תאריך התחלה של תקופה של החשבונית הנוכחית
DocType: Salary Slip,Leave Without Pay,חופשה ללא תשלום
@@ -966,12 +959,12 @@
,Trial Balance for Party,מאזן בוחן למפלגה
DocType: Lead,Consultant,יועץ
DocType: Salary Slip,Earnings,רווחים
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,פריט סיים {0} יש להזין לכניסת סוג הייצור
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,פריט סיים {0} יש להזין לכניסת סוג הייצור
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,מאזן חשבונאי פתיחה
DocType: Sales Invoice Advance,Sales Invoice Advance,מכירות חשבונית מראש
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,שום דבר לא לבקש
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date','תאריך התחלה בפועל' לא יכול להיות גדול מ 'תאריך סיום בפועל'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,ניהול
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,ניהול
DocType: Cheque Print Template,Payer Settings,גדרות משלמות
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","זה יצורף לקוד הפריט של הגרסה. לדוגמא, אם הקיצור שלך הוא ""SM"", ואת קוד הפריט הוא ""T-shirt"", קוד הפריט של הגרסה יהיה ""T-shirt-SM"""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,חבילת נקי (במילים) תהיה גלויה ברגע שאתה לשמור את תלוש המשכורת.
@@ -985,15 +978,15 @@
DocType: Stock Settings,Default Item Group,קבוצת ברירת מחדל של הפריט
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,מסד נתוני ספק.
DocType: Account,Balance Sheet,מאזן
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',עלות מרכז לפריט עם קוד פריט '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","מצב תשלום אינו מוגדר. אנא קרא, אם חשבון הוגדר על מצב תשלומים או על פרופיל קופה."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',עלות מרכז לפריט עם קוד פריט '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","מצב תשלום אינו מוגדר. אנא קרא, אם חשבון הוגדר על מצב תשלומים או על פרופיל קופה."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,איש המכירות שלך יקבל תזכורת על מועד זה ליצור קשר עם הלקוח
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","חשבונות נוספים יכולים להתבצע תחת קבוצות, אבל ערכים יכולים להתבצע נגד לא-קבוצות"
DocType: Lead,Lead,לידים
DocType: Email Digest,Payables,זכאי
DocType: Course,Course Intro,קורס מבוא
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,מאגר כניסת {0} נוצרה
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,# השורה {0}: נדחו לא ניתן להזין כמות ברכישת חזרה
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,# השורה {0}: נדחו לא ניתן להזין כמות ברכישת חזרה
,Purchase Order Items To Be Billed,פריטים הזמנת רכש לחיוב
DocType: Purchase Invoice Item,Net Rate,שיעור נטו
DocType: Purchase Invoice Item,Purchase Invoice Item,לרכוש פריט החשבונית
@@ -1013,23 +1006,23 @@
DocType: Sales Order,SO-,כך-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,אנא בחר תחילה קידומת
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,מחקר
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,מחקר
DocType: Maintenance Visit Purpose,Work Done,מה נעשה
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,ציין מאפיין אחד לפחות בטבלת התכונות
DocType: Announcement,All Students,כל הסטודנטים
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +45,Item {0} must be a non-stock item,פריט {0} חייב להיות לפריט שאינו מוחזק במלאי
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,צפה לדג'ר
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,המוקדם
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","קבוצת פריט קיימת עם אותו שם, בבקשה לשנות את שם הפריט או לשנות את שם קבוצת הפריט"
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,שאר העולם
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","קבוצת פריט קיימת עם אותו שם, בבקשה לשנות את שם הפריט או לשנות את שם קבוצת הפריט"
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,שאר העולם
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,פריט {0} לא יכול להיות אצווה
,Budget Variance Report,תקציב שונות דווח
DocType: Salary Slip,Gross Pay,חבילת גרוס
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,שורת {0}: סוג פעילות חובה.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,דיבידנדים ששולם
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,דיבידנדים ששולם
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,החשבונאות לדג'ר
DocType: Stock Reconciliation,Difference Amount,סכום הבדל
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,עודפים
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,עודפים
DocType: BOM,Item Description,תיאור פריט
DocType: Purchase Invoice,Is Recurring,האם חוזר
DocType: Purchase Invoice,Supplied Items,פריטים שסופקו
@@ -1037,11 +1030,11 @@
DocType: Production Order,Qty To Manufacture,כמות לייצור
DocType: Buying Settings,Maintain same rate throughout purchase cycle,לשמור על אותו קצב לאורך כל מחזור הרכישה
DocType: Opportunity Item,Opportunity Item,פריט הזדמנות
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,פתיחה זמנית
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,פתיחה זמנית
,Employee Leave Balance,עובד חופשת מאזן
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},מאזן לחשבון {0} חייב תמיד להיות {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},דרג הערכה הנדרשים פריט בשורת {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,דוגמה: שני במדעי המחשב
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,דוגמה: שני במדעי המחשב
DocType: Purchase Invoice,Rejected Warehouse,מחסן שנדחו
DocType: GL Entry,Against Voucher,נגד שובר
DocType: Item,Default Buying Cost Center,מרכז עלות רכישת ברירת מחדל
@@ -1052,44 +1045,43 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},אינך רשאי לערוך חשבון קפוא {0}
DocType: Journal Entry,Get Outstanding Invoices,קבל חשבוניות מצטיינים
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,להזמין מכירות {0} אינו חוקי
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","מצטער, לא ניתן למזג חברות"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","מצטער, לא ניתן למזג חברות"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",כמות הנפקה / ההעברה הכולל {0} ב בקשת חומר {1} \ לא יכולה להיות גדולה מ כמות מבוקשת {2} עבור פריט {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,קטן
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,קטן
DocType: Employee,Employee Number,מספר עובדים
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},מקרה לא (ים) כבר בשימוש. נסה מקייס לא {0}
DocType: Project,% Completed,% הושלם
,Invoiced Amount (Exculsive Tax),סכום חשבונית (מס Exculsive)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,פריט 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,ראש חשבון {0} נוצר
DocType: Supplier,SUPP-,SUPP-
DocType: Item,Auto re-order,רכב מחדש כדי
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,"סה""כ הושג"
DocType: Employee,Place of Issue,מקום ההנפקה
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,חוזה
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,חוזה
DocType: Email Digest,Add Quote,להוסיף ציטוט
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},גורם coversion של אוני 'מישגן נדרש לאונים' מישגן: {0} בפריט: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,הוצאות עקיפות
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},גורם coversion של אוני 'מישגן נדרש לאונים' מישגן: {0} בפריט: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,הוצאות עקיפות
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,שורת {0}: הכמות היא חובה
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,חקלאות
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sync Master Data
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,המוצרים או השירותים שלך
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,המוצרים או השירותים שלך
DocType: Mode of Payment,Mode of Payment,מצב של תשלום
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,תמונה: אתר אינטרנט צריכה להיות קובץ ציבורי או כתובת אתר אינטרנט
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,תמונה: אתר אינטרנט צריכה להיות קובץ ציבורי או כתובת אתר אינטרנט
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,מדובר בקבוצת פריט שורש ולא ניתן לערוך.
DocType: Journal Entry Account,Purchase Order,הזמנת רכש
DocType: Warehouse,Warehouse Contact Info,מחסן פרטים ליצירת קשר
DocType: Payment Entry,Write Off Difference Amount,מחיקת חוב סכום הפרש
DocType: Purchase Invoice,Recurring Type,סוג חוזר
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: דוא"ל שכיר לא נמצא, ומכאן דוא"ל לא נשלח"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: דוא"ל שכיר לא נמצא, ומכאן דוא"ל לא נשלח"
DocType: Email Digest,Annual Income,הכנסה שנתית
DocType: Serial No,Serial No Details,Serial No פרטים
DocType: Purchase Invoice Item,Item Tax Rate,שיעור מס פריט
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","עבור {0}, רק חשבונות האשראי יכולים להיות מקושרים נגד כניסת חיוב נוספת"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,משלוח הערה {0} לא תוגש
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,פריט {0} חייב להיות פריט-נדבק Sub
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,ציוד הון
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,משלוח הערה {0} לא תוגש
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,פריט {0} חייב להיות פריט-נדבק Sub
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,ציוד הון
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","כלל תמחור נבחר ראשון המבוססת על 'החל ב'שדה, אשר יכול להיות פריט, קבוצת פריט או מותג."
DocType: Hub Settings,Seller Website,אתר מוכר
DocType: Item,ITEM-,פריט-
@@ -1106,7 +1098,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","יכול להיות רק אחד משלוח כלל מצב עם 0 או ערך ריק עבור ""לשווי"""
DocType: Authorization Rule,Transaction,עסקה
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,שים לב: מרכז עלות זו קבוצה. לא יכול לעשות רישומים חשבונאיים כנגד קבוצות.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,ילד מחסן קיים מחסן זה. אתה לא יכול למחוק את המחסן הזה.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,ילד מחסן קיים מחסן זה. אתה לא יכול למחוק את המחסן הזה.
DocType: Item,Website Item Groups,קבוצות פריט באתר
DocType: Purchase Invoice,Total (Company Currency),סה"כ (חברת מטבע)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,מספר סידורי {0} נכנס יותר מפעם אחת
@@ -1114,7 +1106,7 @@
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +78,{0} items in progress,{0} פריטי התקדמות
DocType: Workstation,Workstation Name,שם תחנת עבודה
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,"תקציר דוא""ל:"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} אינו שייך לפריט {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} אינו שייך לפריט {1}
DocType: Sales Partner,Target Distribution,הפצת יעד
DocType: Salary Slip,Bank Account No.,מס 'חשבון הבנק
DocType: Naming Series,This is the number of the last created transaction with this prefix,זהו המספר של העסקה יצרה האחרונה עם קידומת זו
@@ -1123,11 +1115,11 @@
DocType: Purchase Invoice,Taxes and Charges Calculation,חישוב מסים וחיובים
DocType: BOM Operation,Workstation,Workstation
DocType: Request for Quotation Supplier,Request for Quotation Supplier,בקשה להצעת מחיר הספק
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,חומרה
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,חומרה
DocType: Sales Order,Recurring Upto,Upto חוזר
DocType: Attendance,HR Manager,מנהל משאבי אנוש
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,אנא בחר חברה
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,זכות Leave
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,אנא בחר חברה
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,זכות Leave
DocType: Purchase Invoice,Supplier Invoice Date,תאריך חשבונית ספק
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,אתה צריך לאפשר סל קניות
DocType: Payment Entry,Writeoff,מחיקת חוב
@@ -1139,10 +1131,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,חפיפה בין תנאים מצאו:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,נגד תנועת היומן {0} כבר תואם כמה שובר אחר
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,"ערך להזמין סה""כ"
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,מזון
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,מזון
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,טווח הזדקנות 3
DocType: Maintenance Schedule Item,No of Visits,אין ביקורים
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,מארק Attendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,מארק Attendence
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},מטבע של חשבון הסגירה חייב להיות {0}
apps/erpnext/erpnext/hr/doctype/appraisal_template/appraisal_template.py +21,Sum of points for all goals should be 100. It is {0},הסכום של נקודות לכל המטרות צריך להיות 100. זה {0}
DocType: Project,Start and End Dates,תאריכי התחלה וסיום
@@ -1173,10 +1165,10 @@
DocType: Sales Order Item,Planned Quantity,כמות מתוכננת
DocType: Purchase Invoice Item,Item Tax Amount,סכום מס פריט
DocType: Item,Maintain Stock,לשמור על המלאי
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,ערכי מניות כבר יצרו להפקה להזמין
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,ערכי מניות כבר יצרו להפקה להזמין
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,שינוי נטו בנכסים קבועים
DocType: Leave Control Panel,Leave blank if considered for all designations,שאר ריק אם תיחשב לכל הכינויים
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,תשלום מסוג 'בפועל' בשורת {0} אינו יכול להיות כלולים במחיר הפריט
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,תשלום מסוג 'בפועל' בשורת {0} אינו יכול להיות כלולים במחיר הפריט
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},מקס: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,מDatetime
DocType: Email Digest,For Company,לחברה
@@ -1186,8 +1178,8 @@
DocType: Sales Invoice,Shipping Address Name,שם כתובת למשלוח
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,תרשים של חשבונות
DocType: Material Request,Terms and Conditions Content,תוכן תנאים והגבלות
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,לא יכול להיות גדול מ 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,פריט {0} הוא לא פריט מניות
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,לא יכול להיות גדול מ 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,פריט {0} הוא לא פריט מניות
DocType: Maintenance Visit,Unscheduled,לא מתוכנן
DocType: Employee,Owned,בבעלות
DocType: Salary Detail,Depends on Leave Without Pay,תלוי בחופשה ללא תשלום
@@ -1202,44 +1194,44 @@
DocType: HR Settings,Employee Settings,הגדרות עובד
,Batch-Wise Balance History,אצווה-Wise היסטוריה מאזן
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,הגדרות הדפסה עודכנו מודפסות בהתאמה
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Apprentice
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Apprentice
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,כמות שלילית אינה מותרת
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",שולחן פירוט מס לכת מהפריט שני כמחרוזת ומאוחסן בתחום זה. משמש למסים וחיובים
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,עובד לא יכול לדווח לעצמו.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","אם החשבון הוא קפוא, ערכים מותרים למשתמשים מוגבלים."
DocType: Email Digest,Bank Balance,עובר ושב
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},חשבונאות כניסה עבור {0}: {1} יכול להתבצע רק במטבע: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},חשבונאות כניסה עבור {0}: {1} יכול להתבצע רק במטבע: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","פרופיל תפקיד, כישורים נדרשים וכו '"
DocType: Journal Entry Account,Account Balance,יתרת חשבון
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,כלל מס לעסקות.
DocType: Rename Tool,Type of document to rename.,סוג של מסמך כדי לשנות את השם.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,אנחנו קונים פריט זה
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,אנחנו קונים פריט זה
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),"סה""כ מסים וחיובים (מטבע חברה)"
DocType: Shipping Rule,Shipping Account,חשבון משלוח
DocType: Quality Inspection,Readings,קריאות
DocType: Stock Entry,Total Additional Costs,עלויות נוספות סה"כ
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,הרכבות תת
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,הרכבות תת
DocType: Asset,Asset Name,שם נכס
DocType: Shipping Rule Condition,To Value,לערך
DocType: Asset Movement,Stock Manager,ניהול מלאי
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},מחסן המקור הוא חובה עבור שורת {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Slip אריזה
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,השכרת משרד
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},מחסן המקור הוא חובה עבור שורת {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Slip אריזה
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,השכרת משרד
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,הגדרות שער SMS ההתקנה
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,יבוא נכשל!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,אין כתובת הוסיפה עדיין.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,אין כתובת הוסיפה עדיין.
DocType: Workstation Working Hour,Workstation Working Hour,Workstation עבודה שעה
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,אנליסט
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,אנליסט
DocType: Item,Inventory,מלאי
DocType: Item,Sales Details,פרטי מכירות
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,עם פריטים
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,בכמות
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,בכמות
DocType: Notification Control,Expense Claim Rejected,תביעה נדחתה חשבון
DocType: Item,Item Attribute,תכונה פריט
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,ממשלה
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,שם המוסד
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,ממשלה
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,שם המוסד
apps/erpnext/erpnext/config/stock.py +300,Item Variants,גרסאות פריט
DocType: Company,Services,שירותים
DocType: HR Settings,Email Salary Slip to Employee,תלוש משכורת דוא"ל לאותו עובד
@@ -1247,17 +1239,16 @@
DocType: Sales Invoice,Source,מקור
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,הצג סגור
DocType: Leave Type,Is Leave Without Pay,האם חופשה ללא תשלום
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,קטגורית נכסים היא חובה עבור פריט רכוש קבוע
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,קטגורית נכסים היא חובה עבור פריט רכוש קבוע
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,לא נמצא רשומות בטבלת התשלום
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},{0} זו מתנגשת עם {1} עבור {2} {3}
DocType: Student Attendance Tool,Students HTML,HTML סטודנטים
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,תאריך כספי לשנה שהתחל
DocType: POS Profile,Apply Discount,חל הנחה
DocType: Employee External Work History,Total Experience,"ניסיון סה""כ"
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Slip אריזה (ים) בוטל
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,תזרים מזומנים מהשקעות
DocType: Program Course,Program Course,קורס תכנית
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,הוצאות הובלה והשילוח
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,הוצאות הובלה והשילוח
DocType: Homepage,Company Tagline for website homepage,חברת שורת תגים עבור בית של אתר
DocType: Item Group,Item Group Name,שם קבוצת פריט
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,לקחתי
@@ -1287,8 +1278,7 @@
DocType: Program Enrollment Tool,Program Enrollments,רשמות תכנית
DocType: Sales Invoice Item,Brand Name,שם מותג
DocType: Purchase Receipt,Transporter Details,פרטי Transporter
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,תיבה
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,הארגון
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,תיבה
DocType: Budget,Monthly Distribution,בחתך חודשי
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,מקלט רשימה ריקה. אנא ליצור מקלט רשימה
DocType: Production Plan Sales Order,Production Plan Sales Order,הפקת תכנית להזמין מכירות
@@ -1306,17 +1296,17 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,יתרת מלאי פתיחה
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} חייבים להופיע רק פעם אחת
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},אסור לי תשלומי העברה יותר {0} מ {1} נגד הזמנת רכש {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},אסור לי תשלומי העברה יותר {0} מ {1} נגד הזמנת רכש {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},עלים שהוקצו בהצלחה עבור {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,אין פריטים לארוז
DocType: Shipping Rule Condition,From Value,מערך
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,כמות ייצור היא תנאי הכרחית
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,כמות ייצור היא תנאי הכרחית
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","אם אפשרות זו מסומנת, בדף הבית יהיה בקבוצת פריט ברירת מחדל עבור האתר"
DocType: Quality Inspection Reading,Reading 4,קריאת 4
apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,תביעות לחשבון חברה.
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},# שורה {0}: תאריך עמילות {1} לא יכול להיות לפני תאריך המחאה {2}
DocType: Company,Default Holiday List,ימי חופש ברירת מחדל
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,התחייבויות מניות
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,התחייבויות מניות
DocType: Purchase Invoice,Supplier Warehouse,מחסן ספק
DocType: Opportunity,Contact Mobile No,לתקשר נייד לא
,Material Requests for which Supplier Quotations are not created,בקשות מהותיות שלציטוטי ספק הם לא נוצרו
@@ -1326,32 +1316,32 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,הפוך הצעת מחיר
apps/erpnext/erpnext/config/selling.py +216,Other Reports,דוחות נוספים
DocType: Dependent Task,Dependent Task,משימה תלויה
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},גורם המרה ליחידת ברירת מחדל של מדד חייב להיות 1 בשורה {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},גורם המרה ליחידת ברירת מחדל של מדד חייב להיות 1 בשורה {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Leave מסוג {0} אינו יכול להיות ארוך מ- {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,נסה לתכנן פעולות לימי X מראש.
DocType: HR Settings,Stop Birthday Reminders,Stop יום הולדת תזכורות
DocType: SMS Center,Receiver List,מקלט רשימה
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,כמות הנצרכת
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,שינוי נטו במזומנים
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,יחידת מידת {0} כבר נכנסה יותר מפעם אחת בהמרת פקטור טבלה
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,יחידת מידת {0} כבר נכנסה יותר מפעם אחת בהמרת פקטור טבלה
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,הושלם כבר
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},בקשת תשלום כבר קיימת {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,עלות פריטים הונפק
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},כמות לא חייבת להיות יותר מ {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,קודם שנת הכספים אינה סגורה
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),גיל (ימים)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),גיל (ימים)
DocType: Quotation Item,Quotation Item,פריט ציטוט
DocType: Account,Account Name,שם חשבון
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,מתאריך לא יכול להיות גדול יותר מאשר תאריך
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,לא {0} כמות סידורי {1} לא יכולה להיות חלק
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,סוג ספק אמן.
DocType: Purchase Order Item,Supplier Part Number,"ספק מק""ט"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,שער המרה לא יכול להיות 0 או 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,שער המרה לא יכול להיות 0 או 1
DocType: Sales Invoice,Reference Document,מסמך ההפניה
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} יבוטל או הפסיק
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} יבוטל או הפסיק
DocType: Accounts Settings,Credit Controller,בקר אשראי
DocType: Delivery Note,Vehicle Dispatch Date,תאריך שיגור רכב
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,קבלת רכישת {0} לא תוגש
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,קבלת רכישת {0} לא תוגש
DocType: Company,Default Payable Account,חשבון זכאים ברירת מחדל
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","הגדרות לעגלת קניות מקוונות כגון כללי משלוח, מחירון וכו '"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% שחויבו
@@ -1367,7 +1357,7 @@
DocType: Company,Default Values,ערכי ברירת מחדל
DocType: Expense Claim,Total Amount Reimbursed,הסכום כולל החזר
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,לאסוף
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},נגד ספק חשבונית {0} יום {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},נגד ספק חשבונית {0} יום {1}
DocType: Customer,Default Price List,מחיר מחירון ברירת מחדל
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,שיא תנועת נכסים {0} נוצרו
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,אתה לא יכול למחוק את שנת הכספים {0}. שנת הכספים {0} מוגדרת כברירת מחדל ב הגדרות גלובליות
@@ -1378,7 +1368,7 @@
apps/erpnext/erpnext/config/accounts.py +142,Update bank payment dates with journals.,עדכון מועדי תשלום בנק עם כתבי עת.
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,תמחור
DocType: Quotation,Term Details,פרטי טווח
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,לא יכול לרשום יותר מ {0} סטודנטים עבור קבוצת סטודנטים זה.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,לא יכול לרשום יותר מ {0} סטודנטים עבור קבוצת סטודנטים זה.
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} חייב להיות גדול מ 0
DocType: Manufacturing Settings,Capacity Planning For (Days),תכנון קיבולת ל( ימים)
apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,רֶכֶשׁ
@@ -1394,7 +1384,7 @@
DocType: Sales Invoice,Packed Items,פריטים ארוזים
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,הפעיל אחריות נגד מס 'סידורי
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","החלף BOM מסוים בכל עצי המוצר האחרים שבם נעשה בו שימוש. הוא יחליף את קישור BOM הישן, לעדכן עלות ולהתחדש שולחן ""פריט פיצוץ BOM"" לפי BOM החדש"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','סה"כ'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','סה"כ'
DocType: Shopping Cart Settings,Enable Shopping Cart,אפשר סל קניות
DocType: Employee,Permanent Address,כתובת קבועה
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1408,9 +1398,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +39,Online Auctions,מכירות פומביות באינטרנט
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,נא לציין גם כמות או דרגו את ההערכה או שניהם
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,הַגשָׁמָה
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,הוצאות שיווק
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,הוצאות שיווק
,Item Shortage Report,דווח מחסור פריט
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","המשקל מוזכר, \ n להזכיר ""משקל של אוני 'מישגן"" מדי"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","המשקל מוזכר, \ n להזכיר ""משקל של אוני 'מישגן"" מדי"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,בקשת חומר המשמשת לייצור Stock רשומת זו
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,תאריך הפחת הבא הוא חובה של נכסים חדשים
apps/erpnext/erpnext/config/support.py +32,Single unit of an Item.,יחידה אחת של פריט.
@@ -1418,15 +1408,15 @@
,Student Fee Collection,אוסף דמי סטודנטים
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,הפוך חשבונאות כניסה לכל מנית תנועה
DocType: Leave Allocation,Total Leaves Allocated,"סה""כ עלים מוקצבות"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},מחסן נדרש בשורה לא {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,נא להזין פיננסית בתוקף השנה תאריכי ההתחלה וסיום
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},מחסן נדרש בשורה לא {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,נא להזין פיננסית בתוקף השנה תאריכי ההתחלה וסיום
DocType: Employee,Date Of Retirement,מועד הפרישה
DocType: Upload Attendance,Get Template,קבל תבנית
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext ההתקנה הושלמה!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext ההתקנה הושלמה!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,PS-
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"קבוצת לקוחות קיימת עם אותו שם, בבקשה לשנות את שם הלקוח או לשנות את שם קבוצת הלקוחות"
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,איש קשר חדש
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"קבוצת לקוחות קיימת עם אותו שם, בבקשה לשנות את שם הלקוח או לשנות את שם קבוצת הלקוחות"
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,איש קשר חדש
DocType: Territory,Parent Territory,טריטורית הורה
DocType: Quality Inspection Reading,Reading 2,קריאת 2
DocType: Stock Entry,Material Receipt,קבלת חומר
@@ -1435,8 +1425,8 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","אם פריט זה יש גרסאות, אז זה לא יכול להיות שנבחר בהזמנות וכו '"
DocType: Lead,Next Contact By,לתקשר בא על ידי
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},הכמות הנדרשת לפריט {0} בשורת {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},מחסן {0} לא ניתן למחוק ככמות קיימת עבור פריט {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},הכמות הנדרשת לפריט {0} בשורת {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},מחסן {0} לא ניתן למחוק ככמות קיימת עבור פריט {1}
DocType: Quotation,Order Type,סוג להזמין
DocType: Purchase Invoice,Notification Email Address,"כתובת דוא""ל להודעות"
,Item-wise Sales Register,פריט חכם מכירות הרשמה
@@ -1444,7 +1434,6 @@
DocType: Asset,Depreciation Method,שיטת הפחת
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,האם מס זה כלול ביסוד שיעור?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,"יעד סה""כ"
-DocType: Program Course,Required,נדרש
DocType: Job Applicant,Applicant for a Job,מועמד לעבודה
DocType: Production Plan Material Request,Production Plan Material Request,בקשת חומר תכנית ייצור
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,אין הזמנות ייצור שנוצרו
@@ -1452,15 +1441,15 @@
apps/erpnext/erpnext/accounts/report/financial_statements.html +3,Too many columns. Export the report and print it using a spreadsheet application.,יותר מדי עמודות. לייצא את הדוח ולהדפיס אותו באמצעות יישום גיליון אלקטרוני.
DocType: Purchase Invoice Item,Batch No,אצווה לא
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,לאפשר הזמנות ומכירות מרובות נגד הלקוח הזמנת הרכש
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,ראשי
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,ראשי
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variant
DocType: Naming Series,Set prefix for numbering series on your transactions,קידומת להגדיר למספור סדרה על העסקות שלך
DocType: Employee Attendance Tool,Employees HTML,עובד HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,BOM ברירת המחדל ({0}) חייב להיות פעיל לפריט זה או התבנית שלה
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,BOM ברירת המחדל ({0}) חייב להיות פעיל לפריט זה או התבנית שלה
DocType: Employee,Leave Encashed?,השאר Encashed?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,הזדמנות מ השדה היא חובה
DocType: Item,Variants,גרסאות
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,הפוך הזמנת רכש
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,הפוך הזמנת רכש
DocType: SMS Center,Send To,שלח אל
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},אין איזון חופשה מספיק לחופשת סוג {0}
DocType: Payment Reconciliation Payment,Allocated amount,סכום שהוקצה
@@ -1472,21 +1461,20 @@
apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,מועמד לעבודה.
DocType: Purchase Order Item,Warehouse and Reference,מחסן והפניה
DocType: Supplier,Statutory info and other general information about your Supplier,מידע סטטוטורי ומידע כללי אחר על הספק שלך
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,נגד תנועת היומן {0} אין {1} כניסה ללא תחרות
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,נגד תנועת היומן {0} אין {1} כניסה ללא תחרות
apps/erpnext/erpnext/config/hr.py +137,Appraisals,ערכות
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},לשכפל מספר סידורי נכנס לפריט {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,תנאי עבור כלל משלוח
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,אנא להגדיר מסנן מבוסס על פריט או מחסן
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,אנא להגדיר מסנן מבוסס על פריט או מחסן
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),משקל נטו של חבילה זו. (מחושב באופן אוטומטי כסכום של משקל נטו של פריטים)
DocType: Sales Order,To Deliver and Bill,לספק וביל
DocType: GL Entry,Credit Amount in Account Currency,סכום אשראי במטבע חשבון
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} יש להגיש
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} יש להגיש
DocType: Authorization Control,Authorization Control,אישור בקרה
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},# השורה {0}: נדחה מחסן הוא חובה נגד פריט דחה {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},# השורה {0}: נדחה מחסן הוא חובה נגד פריט דחה {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,תשלום
DocType: Production Order Operation,Actual Time and Cost,זמן ועלות בפועל
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},בקשת חומר של מקסימום {0} יכולה להתבצע עבור פריט {1} נגד להזמין מכירות {2}
-DocType: Employee,Salutation,שְׁאֵילָה
DocType: Course,Course Abbreviation,קיצור קורס
DocType: Item,Will also apply for variants,תחול גם לגרסות
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +159,"Asset cannot be cancelled, as it is already {0}","נכסים לא ניתן לבטל, כפי שהוא כבר {0}"
@@ -1495,10 +1483,10 @@
DocType: Quotation Item,Actual Qty,כמות בפועל
DocType: Sales Invoice Item,References,אזכור
DocType: Quality Inspection Reading,Reading 10,קריאת 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","רשימת המוצרים שלך או שירותים שאתה לקנות או למכור. הקפד לבדוק את קבוצת הפריט, יחידת המידה ונכסים אחרים בעת ההפעלה."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","רשימת המוצרים שלך או שירותים שאתה לקנות או למכור. הקפד לבדוק את קבוצת הפריט, יחידת המידה ונכסים אחרים בעת ההפעלה."
DocType: Hub Settings,Hub Node,רכזת צומת
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,אתה נכנס פריטים כפולים. אנא לתקן ונסה שוב.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,חבר
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,חבר
DocType: Asset Movement,Asset Movement,תנועת נכסים
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,פריט {0} הוא לא פריט בהמשכים
DocType: SMS Center,Create Receiver List,צור מקלט רשימה
@@ -1518,13 +1506,13 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"יכול להתייחס שורה רק אם סוג תשלום הוא 'בסכום הקודם שורה' או 'שורה סה""כ קודמת """
DocType: Sales Order Item,Delivery Warehouse,מחסן אספקה
DocType: SMS Settings,Message Parameter,פרמטר הודעה
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,עץ מרכזי עלות הכספיים.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,עץ מרכזי עלות הכספיים.
DocType: Serial No,Delivery Document No,משלוח מסמך לא
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},אנא הגדירו 'החשבון רווח / הפסד בעת מימוש הנכסים בחברה {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,לקבל פריטים מתקבולי הרכישה
DocType: Serial No,Creation Date,תאריך יצירה
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},פריט {0} מופיע מספר פעמים במחירון {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","מכירה חייבת להיבדק, אם לישים שנבחרה הוא {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","מכירה חייבת להיבדק, אם לישים שנבחרה הוא {0}"
DocType: Production Plan Material Request,Material Request Date,תאריך בקשת חומר
DocType: Purchase Order Item,Supplier Quotation Item,פריט הצעת המחיר של ספק
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,משבית יצירת יומני זמן נגד הזמנות ייצור. פעולות לא להיות במעקב נגד ההפקה להזמין
@@ -1536,11 +1524,11 @@
DocType: Supplier,Supplier of Goods or Services.,ספק של מוצרים או שירותים.
DocType: Budget,Fiscal Year,שנת כספים
DocType: Budget,Budget,תקציב
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,פריט רכוש קבוע חייב להיות לפריט שאינו מוחזק במלאי.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,פריט רכוש קבוע חייב להיות לפריט שאינו מוחזק במלאי.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","תקציב לא ניתן להקצות כנגד {0}, כמו שזה לא חשבון הכנסה או הוצאה"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,הושג
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,שטח / לקוחות
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,לדוגמא 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,לדוגמא 5
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},{0} שורה: סכום שהוקצה {1} חייב להיות פחות מ או שווה לסכום חשבונית מצטיין {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,במילים יהיו גלוי ברגע שאתה לשמור את חשבונית המכירות.
DocType: Item,Is Sales Item,האם פריט מכירות
@@ -1548,7 +1536,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,פריט {0} הוא לא התקנה למס סידורי. בדוק אדון פריט
DocType: Maintenance Visit,Maintenance Time,תחזוקת זמן
,Amount to Deliver,הסכום לאספקת
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,מוצר או שירות
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,מוצר או שירות
DocType: Naming Series,Current Value,ערך נוכחי
apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,שנתי כספים מרובות קיימות במועד {0}. אנא להגדיר חברה בשנת הכספים
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} נוצר
@@ -1560,12 +1548,12 @@
must be greater than or equal to {2}","שורת {0}: כדי להגדיר {1} מחזורי, הבדל בין מ ו תאריך \ חייב להיות גדול או שווה ל {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,זה מבוסס על תנועת המניה. ראה {0} לפרטים
DocType: Pricing Rule,Selling,מכירה
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},סכום {0} {1} לנכות כנגד {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},סכום {0} {1} לנכות כנגד {2}
DocType: Employee,Salary Information,מידע משכורת
DocType: Sales Person,Name and Employee ID,שם והעובדים ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,תאריך יעד לא יכול להיות לפני פרסום תאריך
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,תאריך יעד לא יכול להיות לפני פרסום תאריך
DocType: Website Item Group,Website Item Group,קבוצת פריט באתר
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,חובות ומסים
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,חובות ומסים
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,נא להזין את תאריך הפניה
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},לא יכולים להיות מסוננים {0} ערכי תשלום על ידי {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,שולחן לפריט שיוצג באתר אינטרנט
@@ -1582,9 +1570,9 @@
DocType: Payment Reconciliation Payment,Reference Row,הפניה Row
DocType: Installation Note,Installation Time,זמן התקנה
DocType: Sales Invoice,Accounting Details,חשבונאות פרטים
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,מחק את כל העסקאות לחברה זו
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,# השורה {0}: מבצע {1} לא הושלם עבור {2} כמות של מוצרים מוגמרים הפקה שמספרת {3}. עדכן מצב פעולה באמצעות יומני זמן
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,השקעות
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,מחק את כל העסקאות לחברה זו
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,# השורה {0}: מבצע {1} לא הושלם עבור {2} כמות של מוצרים מוגמרים הפקה שמספרת {3}. עדכן מצב פעולה באמצעות יומני זמן
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,השקעות
DocType: Issue,Resolution Details,רזולוציה פרטים
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,הקצבות
DocType: Item Quality Inspection Parameter,Acceptance Criteria,קריטריונים לקבלה
@@ -1604,7 +1592,7 @@
DocType: Room,Room Name,שם חדר
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","השאר לא ניתן ליישם / בוטל לפני {0}, כאיזון חופשה כבר היה בשיא הקצאת חופשת העתיד יועבר לשאת {1}"
DocType: Activity Cost,Costing Rate,דרג תמחיר
-,Customer Addresses And Contacts,כתובות של לקוחות ואנשי קשר
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,כתובות של לקוחות ואנשי קשר
DocType: Discussion,Discussion,דִיוּן
DocType: Payment Entry,Transaction ID,מזהה עסקה
DocType: Employee,Resignation Letter Date,תאריך מכתב התפטרות
@@ -1612,7 +1600,7 @@
DocType: Task,Total Billing Amount (via Time Sheet),סכום לחיוב סה"כ (דרך הזמן גיליון)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,הכנסות לקוח חוזרות
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) חייב להיות 'מאשר מהוצאות' תפקיד
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,זוג
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,זוג
DocType: Asset,Depreciation Schedule,בתוספת פחת
DocType: Bank Reconciliation Detail,Against Account,נגד חשבון
DocType: Maintenance Schedule Detail,Actual Date,תאריך בפועל
@@ -1623,10 +1611,10 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},אנא הגדר 'מרכז עלות נכסי פחת' ב חברת {0}
,Maintenance Schedules,לוחות זמנים תחזוקה
DocType: Task,Actual End Date (via Time Sheet),תאריך סיום בפועל (באמצעות גיליון זמן)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},סכום {0} {1} נגד {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},סכום {0} {1} נגד {2} {3}
,Quotation Trends,מגמות ציטוט
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},קבוצת פריט שלא צוינה באב פריט לפריט {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,חיוב החשבון חייב להיות חשבון חייבים
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},קבוצת פריט שלא צוינה באב פריט לפריט {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,חיוב החשבון חייב להיות חשבון חייבים
DocType: Shipping Rule Condition,Shipping Amount,סכום משלוח
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,סכום תלוי ועומד
DocType: Purchase Invoice Item,Conversion Factor,המרת פקטור
@@ -1646,17 +1634,16 @@
DocType: HR Settings,HR Settings,הגדרות HR
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,תביעת חשבון ממתינה לאישור. רק המאשר ההוצאות יכול לעדכן את הסטטוס.
DocType: Purchase Invoice,Additional Discount Amount,סכום הנחה נוסף
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","# השורה {0}: כמות חייבת להיות 1, כפריט הוא נכס קבוע. השתמש בשורה נפרדת עבור כמות מרובה."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","# השורה {0}: כמות חייבת להיות 1, כפריט הוא נכס קבוע. השתמש בשורה נפרדת עבור כמות מרובה."
DocType: Leave Block List Allow,Leave Block List Allow,השאר בלוק רשימה אפשר
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Abbr לא יכול להיות ריק או חלל
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr לא יכול להיות ריק או חלל
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,קבוצה לקבוצה ללא
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,ספורט
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,"סה""כ בפועל"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,יחידה
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,נא לציין את החברה
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,יחידה
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,נא לציין את החברה
,Customer Acquisition and Loyalty,לקוחות רכישה ונאמנות
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,מחסן שבו אתה שומר מלאי של פריטים דחו
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,השנה שלך הפיננסית מסתיימת ב
DocType: POS Profile,Price List,מחיר מחירון
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} הוא כעת ברירת מחדל שנת כספים. רענן את הדפדפן שלך כדי שהשינוי ייכנס לתוקף.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,תביעות חשבון
@@ -1667,13 +1654,13 @@
DocType: Workstation,Wages per hour,שכר לשעה
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},איזון המניה בתצווה {0} יהפוך שלילי {1} לפריט {2} במחסן {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,בעקבות בקשות חומר הועלה באופן אוטומטי המבוסס על הרמה מחדש כדי של הפריט
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},חשבון {0} אינו חוקי. מטבע חשבון חייב להיות {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},חשבון {0} אינו חוקי. מטבע חשבון חייב להיות {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},גורם של אוני 'מישגן ההמרה נדרש בשורת {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","# השורה {0}: Reference סוג המסמך חייב להיות אחד להזמין מכירות, חשבוניות מכירות או תנועת יומן"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","# השורה {0}: Reference סוג המסמך חייב להיות אחד להזמין מכירות, חשבוניות מכירות או תנועת יומן"
DocType: Salary Component,Deduction,ניכוי
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,שורת {0}: מעת לעת ו היא חובה.
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},מחיר הפריט נוסף עבור {0} ב מחירון {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},מחיר הפריט נוסף עבור {0} ב מחירון {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,נא להזין את עובדי זיהוי של איש מכירות זה
DocType: Territory,Classification of Customers by region,סיווג של לקוחות מאזור לאזור
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,סכום ההבדל חייב להיות אפס
@@ -1684,16 +1671,16 @@
apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +748,Quotation,הצעת מחיר
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,סך ניכוי
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,עלות עדכון
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,עלות עדכון
DocType: Employee,Date of Birth,תאריך לידה
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,פריט {0} הוחזר כבר
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,פריט {0} הוחזר כבר
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** שנת כספים ** מייצגת שנת כספים. כל הרישומים החשבונאיים ועסקות גדולות אחרות מתבצעים מעקב נגד שנת כספים ** **.
DocType: Opportunity,Customer / Lead Address,לקוחות / כתובת לידים
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},אזהרה: תעודת SSL לא חוקית בקובץ מצורף {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},אזהרה: תעודת SSL לא חוקית בקובץ מצורף {0}
DocType: Production Order Operation,Actual Operation Time,בפועל מבצע זמן
DocType: Authorization Rule,Applicable To (User),כדי ישים (משתמש)
DocType: Purchase Taxes and Charges,Deduct,לנכות
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,תיאור התפקיד
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,תיאור התפקיד
DocType: Student Applicant,Applied,אפלייד
DocType: Sales Invoice Item,Qty as per Stock UOM,כמות כמו לכל בורסה של אוני 'מישגן
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","תווים מיוחדים מלבד ""-"" ""."", ""#"", ו"" / ""אסור בשמות סדרה"
@@ -1711,17 +1698,17 @@
DocType: Purchase Invoice,In Words (Company Currency),במילים (חברת מטבע)
DocType: Asset,Supplier,ספק
DocType: C-Form,Quarter,רבעון
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,הוצאות שונות
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,הוצאות שונות
DocType: Global Defaults,Default Company,חברת ברירת מחדל
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,הוצאה או חשבון הבדל היא חובה עבור פריט {0} כערך המניה בסך הכל זה משפיע
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,הוצאה או חשבון הבדל היא חובה עבור פריט {0} כערך המניה בסך הכל זה משפיע
DocType: Cheque Print Template,Bank Name,שם בנק
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-מעל
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-מעל
DocType: Leave Application,Total Leave Days,"ימי חופשה סה""כ"
DocType: Email Digest,Note: Email will not be sent to disabled users,הערה: דואר אלקטרוני לא יישלח למשתמשים בעלי מוגבלויות
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,בחר חברה ...
DocType: Leave Control Panel,Leave blank if considered for all departments,שאר ריק אם תיחשב לכל המחלקות
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","סוגי התעסוקה (קבוע, חוזה, וכו 'מתמחה)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} הוא חובה עבור פריט {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} הוא חובה עבור פריט {1}
DocType: Currency Exchange,From Currency,ממטבע
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","אנא בחר סכום שהוקצה, סוג החשבונית וחשבונית מספר בatleast שורה אחת"
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,עלות רכישה חדשה
@@ -1738,7 +1725,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,אנא לחץ על 'צור לוח זמנים' כדי לקבל לוח זמנים
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,היו שגיאות בעת מחיקת לוחות הזמנים הבאים:
DocType: Bin,Ordered Quantity,כמות מוזמנת
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","לדוגמא: ""לבנות כלים לבונים"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","לדוגמא: ""לבנות כלים לבונים"""
DocType: Production Order,In Process,בתהליך
DocType: Authorization Rule,Itemwise Discount,Itemwise דיסקונט
apps/erpnext/erpnext/config/accounts.py +69,Tree of financial accounts.,עץ חשבונות כספיים.
@@ -1747,11 +1734,11 @@
apps/erpnext/erpnext/config/stock.py +315,Serialized Inventory,מלאי בהמשכים
DocType: Activity Type,Default Billing Rate,דרג חיוב ברירת מחדל
DocType: Sales Invoice,Total Billing Amount,סכום חיוב סה"כ
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,חשבון חייבים
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},# שורה {0}: Asset {1} הוא כבר {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,חשבון חייבים
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},# שורה {0}: Asset {1} הוא כבר {2}
DocType: Quotation Item,Stock Balance,יתרת מלאי
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,להזמין מכירות לתשלום
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,מנכ"ל
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,מנכ"ל
DocType: Expense Claim Detail,Expense Claim Detail,פרטי תביעת חשבון
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,אנא בחר חשבון נכון
DocType: Item,Weight UOM,המשקל של אוני 'מישגן
@@ -1759,18 +1746,18 @@
DocType: Production Order Operation,Pending,ממתין ל
DocType: Course,Course Name,שם קורס
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,משתמשים שיכולים לאשר בקשות החופשה של עובד ספציפי
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,ציוד משרדי
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,ציוד משרדי
DocType: Purchase Invoice Item,Qty,כמות
DocType: Fiscal Year,Companies,חברות
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,אלקטרוניקה
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,להעלות בקשת חומר כאשר המלאי מגיע לרמה מחדש כדי
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,משרה מלאה
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,משרה מלאה
DocType: Employee,Contact Details,פרטי
DocType: C-Form,Received Date,תאריך קבלה
DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","אם יצרת תבנית סטנדרטית בתבנית מסים מכירות וחיובים, בחר אחד ולחץ על הכפתור למטה."
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,נא לציין מדינה לכלל משלוח זה או לבדוק משלוח ברחבי העולם
DocType: Stock Entry,Total Incoming Value,"ערך הנכנס סה""כ"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,חיוב נדרש
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,חיוב נדרש
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,מחיר מחירון רכישה
DocType: Offer Letter Term,Offer Term,טווח הצעה
DocType: Quality Inspection,Quality Manager,מנהל איכות
@@ -1780,11 +1767,11 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,טכנולוגיה
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,להציע מכתב
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,צור בקשות חומר (MRP) והזמנות ייצור.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,"סה""כ חשבונית Amt"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,"סה""כ חשבונית Amt"
DocType: Timesheet Detail,To Time,לעת
DocType: Authorization Rule,Approving Role (above authorized value),אישור תפקיד (מעל הערך מורשה)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,אשראי לחשבון חייב להיות חשבון לתשלום
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},רקורסיה BOM: {0} אינה יכולה להיות הורה או ילד של {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,אשראי לחשבון חייב להיות חשבון לתשלום
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},רקורסיה BOM: {0} אינה יכולה להיות הורה או ילד של {2}
DocType: Production Order Operation,Completed Qty,כמות שהושלמה
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","עבור {0}, רק חשבונות החיוב יכולים להיות מקושרים נגד כניסת אשראי אחרת"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,מחיר המחירון {0} אינו זמין
@@ -1792,12 +1779,12 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} מספרים סידוריים הנדרשים לפריט {1}. שסיפקת {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,דרג הערכה נוכחי
DocType: Item,Customer Item Codes,קודי פריט לקוחות
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Exchange רווח / הפסד
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange רווח / הפסד
DocType: Opportunity,Lost Reason,סיבה לאיבוד
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,כתובת חדשה
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,כתובת חדשה
DocType: Quality Inspection,Sample Size,גודל מדגם
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,נא להזין את מסמך הקבלה
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,כל הפריטים כבר בחשבונית
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,כל הפריטים כבר בחשבונית
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',נא לציין חוקי 'מתיק מס' '
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,מרכזי עלות נוספים יכולים להתבצע תחת קבוצות אבל ערכים יכולים להתבצע נגד לא-קבוצות
DocType: Project,External,חיצוני
@@ -1807,16 +1794,15 @@
DocType: Bin,Actual Quantity,כמות בפועל
DocType: Shipping Rule,example: Next Day Shipping,דוגמא: משלוח היום הבא
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,מספר סידורי {0} לא נמצאו
-DocType: Scheduling Tool,Student Batch,יצווה סטודנטים
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,הלקוחות שלך
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},הוזמנת לשתף פעולה על הפרויקט: {0}
+DocType: Program Enrollment,Student Batch,יצווה סטודנטים
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},הוזמנת לשתף פעולה על הפרויקט: {0}
DocType: Leave Block List Date,Block Date,תאריך בלוק
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,החל עכשיו
DocType: Sales Order,Not Delivered,לא נמסר
,Bank Clearance Summary,סיכום עמילות בנק
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","יצירה וניהול של מעכל דוא""ל יומי, שבועית וחודשית."
DocType: Appraisal Goal,Appraisal Goal,מטרת הערכה
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,בניינים
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,בניינים
DocType: Fee Structure,Fee Structure,מבנה עמלות
DocType: Timesheet Detail,Costing Amount,סכום תמחיר
DocType: Process Payroll,Submit Salary Slip,שלח שכר Slip
@@ -1827,7 +1813,7 @@
DocType: POS Profile,[Select],[בחר]
DocType: SMS Log,Sent To,נשלח ל
DocType: Payment Request,Make Sales Invoice,הפוך מכירות חשבונית
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,תוכנות
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,תוכנות
DocType: Company,For Reference Only.,לעיון בלבד.
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},לא חוקי {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
@@ -1838,14 +1824,14 @@
DocType: Employee,Employment Details,פרטי תעסוקה
DocType: Employee,New Workplace,חדש במקום העבודה
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,קבע כסגור
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},אין פריט ברקוד {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},אין פריט ברקוד {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,מקרה מס 'לא יכול להיות 0
DocType: Item,Show a slideshow at the top of the page,הצג מצגת בחלק העליון של הדף
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,חנויות
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,חנויות
DocType: Serial No,Delivery Time,זמן אספקה
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,הזדקנות המבוסס על
DocType: Item,End of Life,סוף החיים
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,נסיעות
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,נסיעות
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,אין מבנה פעיל או שכר מחדל נמצא עבור עובד {0} לתאריכים הנתונים
DocType: Leave Block List,Allow Users,אפשר למשתמשים
DocType: Purchase Order,Customer Mobile No,לקוחות ניידים לא
@@ -1853,26 +1839,26 @@
DocType: Rename Tool,Rename Tool,שינוי שם כלי
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,עלות עדכון
DocType: Item Reorder,Item Reorder,פריט סידור מחדש
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,העברת חומר
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,העברת חומר
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","ציין את הפעולות, עלויות הפעלה ולתת מבצע ייחודי לא לפעולות שלך."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,מסמך זה חורג מהמגבלה על ידי {0} {1} עבור פריט {4}. האם אתה גורם אחר {3} נגד אותו {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,אנא קבע חוזר לאחר השמירה
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,מסמך זה חורג מהמגבלה על ידי {0} {1} עבור פריט {4}. האם אתה גורם אחר {3} נגד אותו {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,אנא קבע חוזר לאחר השמירה
DocType: Purchase Invoice,Price List Currency,מטבע מחירון
DocType: Naming Series,User must always select,משתמש חייב תמיד לבחור
DocType: Stock Settings,Allow Negative Stock,אפשר מלאי שלילי
DocType: Installation Note,Installation Note,הערה התקנה
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,להוסיף מסים
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,להוסיף מסים
DocType: Topic,Topic,נוֹשֵׂא
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,תזרים מזומנים ממימון
DocType: Budget Account,Budget Account,חשבון תקציב
DocType: Quality Inspection,Verified By,מאומת על ידי
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","לא ניתן לשנות את ברירת המחדל של המטבע של החברה, כי יש עסקות קיימות. עסקות יש לבטל לשנות את מטבע ברירת המחדל."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","לא ניתן לשנות את ברירת המחדל של המטבע של החברה, כי יש עסקות קיימות. עסקות יש לבטל לשנות את מטבע ברירת המחדל."
DocType: Stock Entry,Purchase Receipt No,קבלת רכישה לא
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,דְמֵי קְדִימָה
DocType: Process Payroll,Create Salary Slip,צור שכר Slip
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,עקיב
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),מקור הכספים (התחייבויות)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},כמות בשורת {0} ({1}) חייבת להיות זהה לכמות שיוצרה {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),מקור הכספים (התחייבויות)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},כמות בשורת {0} ({1}) חייבת להיות זהה לכמות שיוצרה {2}
DocType: Appraisal,Employee,עובד
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} מחויב באופן מלא
DocType: Training Event,End Time,שעת סיום
@@ -1883,11 +1869,11 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,הנדרש על
DocType: Rename Tool,File to Rename,קובץ לשינוי השם
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},אנא בחר BOM עבור פריט בטור {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},BOM צוין {0} אינו קיימת עבור פריט {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},BOM צוין {0} אינו קיימת עבור פריט {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,לוח זמנים תחזוקת {0} יש לבטל לפני ביטול הזמנת מכירות זה
DocType: Notification Control,Expense Claim Approved,תביעת הוצאות שאושרה
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,תלוש משכורת של עובד {0} נוצר כבר בתקופה זו
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,תרופות
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,תרופות
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,עלות של פריטים שנרכשו
DocType: Selling Settings,Sales Order Required,סדר הנדרש מכירות
DocType: Purchase Invoice,Credit To,אשראי ל
@@ -1904,18 +1890,18 @@
DocType: Payment Gateway Account,Payment Account,חשבון תשלומים
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,נא לציין את חברה כדי להמשיך
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,שינוי נטו בחשבונות חייבים
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Off המפצה
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Off המפצה
DocType: Offer Letter,Accepted,קיבלתי
DocType: SG Creation Tool Course,Student Group Name,שם סטודנט הקבוצה
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,אנא ודא שאתה באמת רוצה למחוק את כל העסקות לחברה זו. נתוני אביך יישארו כפי שהוא. לא ניתן לבטל פעולה זו.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,אנא ודא שאתה באמת רוצה למחוק את כל העסקות לחברה זו. נתוני אביך יישארו כפי שהוא. לא ניתן לבטל פעולה זו.
DocType: Room,Room Number,מספר חדר
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},התייחסות לא חוקית {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) לא יכול להיות גדול יותר מquanitity המתוכנן ({2}) בהפקה להזמין {3}
DocType: Shipping Rule,Shipping Rule Label,תווית כלל משלוח
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,חומרי גלם לא יכולים להיות ריקים.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","לא ניתן לעדכן מניות, חשבונית מכילה פריט ירידת משלוח."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,חומרי גלם לא יכולים להיות ריקים.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","לא ניתן לעדכן מניות, חשבונית מכילה פריט ירידת משלוח."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,מהיר יומן
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,אתה לא יכול לשנות את השיעור אם BOM ציינו agianst כל פריט
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,אתה לא יכול לשנות את השיעור אם BOM ציינו agianst כל פריט
DocType: Employee,Previous Work Experience,ניסיון בעבודה קודם
DocType: Stock Entry,For Quantity,לכמות
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},נא להזין מתוכננת כמות לפריט {0} בשורת {1}
@@ -1924,17 +1910,17 @@
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,הזמנת ייצור נפרדת תיווצר לכל פריט טוב מוגמר.
,Minutes to First Response for Issues,דקות התגובה ראשונה לעניינים
DocType: Purchase Invoice,Terms and Conditions1,תנאים וConditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,שמו של המכון אשר אתה מגדיר מערכת זו.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,שמו של המכון אשר אתה מגדיר מערכת זו.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","כניסת חשבונאות קפואה עד למועד זה, אף אחד לא יכול לעשות / לשנות כניסה מלבד התפקיד שיפורט להלן."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,אנא שמור את המסמך לפני יצירת לוח זמנים תחזוקה
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,סטטוס פרויקט
DocType: UOM,Check this to disallow fractions. (for Nos),לבדוק את זה כדי לאסור שברים. (למס)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,הזמנות הייצור הבאות נוצרו:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,הזמנות הייצור הבאות נוצרו:
DocType: Delivery Note,Transporter Name,שם Transporter
DocType: Authorization Rule,Authorized Value,ערך מורשה
,Minutes to First Response for Opportunity,דקות תגובה ראשונה הזדמנות
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,"סה""כ נעדר"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,פריט או מחסן לשורת {0} אינו תואם בקשת חומר
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,פריט או מחסן לשורת {0} אינו תואם בקשת חומר
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,יְחִידַת מִידָה
DocType: Fiscal Year,Year End Date,תאריך סיום שנה
DocType: Task Depends On,Task Depends On,המשימה תלויה ב
@@ -2004,10 +1990,10 @@
DocType: Payment Reconciliation,Bank / Cash Account,חשבון בנק / מזומנים
DocType: Tax Rule,Billing City,עיר חיוב
DocType: Global Defaults,Hide Currency Symbol,הסתר סמל מטבע
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","למשל בנק, מזומן, כרטיס אשראי"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","למשל בנק, מזומן, כרטיס אשראי"
DocType: Journal Entry,Credit Note,כְּתַב זְכוּיוֹת
DocType: Warranty Claim,Service Address,כתובת שירות
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,ריהוט ואבזרים
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,ריהוט ואבזרים
DocType: Item,Manufacture,ייצור
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,אנא משלוח הערה ראשון
DocType: Student Applicant,Application Date,תאריך הבקשה
@@ -2025,12 +2011,12 @@
DocType: Purchase Receipt,Time at which materials were received,זמן שבו חומרים שהתקבלו
DocType: Stock Ledger Entry,Outgoing Rate,דרג יוצא
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,אדון סניף ארגון.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,או
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,או
DocType: Sales Order,Billing Status,סטטוס חיוב
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,דווח על בעיה
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,הוצאות שירות
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,הוצאות שירות
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-מעל
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,# השורה {0}: תנועת היומן {1} אין חשבון {2} או כבר מתאים נגד בשובר אחר
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,# השורה {0}: תנועת היומן {1} אין חשבון {2} או כבר מתאים נגד בשובר אחר
DocType: Buying Settings,Default Buying Price List,מחיר מחירון קניית ברירת מחדל
DocType: Process Payroll,Salary Slip Based on Timesheet,תלוש משכורת בהתבסס על גיליון
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,אף עובדים לקריטריונים לעיל נבחרים או תלוש משכורת כבר נוצר
@@ -2056,7 +2042,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,מסמך הקבלה יוגש
DocType: Purchase Invoice Item,Received Qty,כמות התקבלה
DocType: Stock Entry Detail,Serial No / Batch,לא / אצווה סידוריים
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,לא שילם ולא נמסר
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,לא שילם ולא נמסר
DocType: Product Bundle,Parent Item,פריט הורה
DocType: Account,Account Type,סוג החשבון
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2073,7 +2059,7 @@
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,תבנית לנכים אסור להיות תבנית ברירת המחדל
DocType: Account,Income Account,חשבון הכנסות
DocType: Payment Request,Amount in customer's currency,הסכום במטבע של הלקוח
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,משלוח
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,משלוח
DocType: Stock Reconciliation Item,Current Qty,כמות נוכחית
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section","ראה ""שיעור חומרים הבוסס על"" בסעיף תמחיר"
DocType: Appraisal Goal,Key Responsibility Area,פינת אחריות מפתח
@@ -2090,22 +2076,22 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","כלל תמחור נעשה כדי לדרוס מחיר מחירון / להגדיר אחוז הנחה, המבוסס על כמה קריטריונים."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,מחסן ניתן לשנות רק באמצעות צילומים כניסה / תעודת משלוח / קבלת רכישה
DocType: Employee Education,Class / Percentage,כיתה / אחוז
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,ראש אגף השיווק ומכירות
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,מס הכנסה
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,ראש אגף השיווק ומכירות
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,מס הכנסה
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","אם שלטון תמחור שנבחר הוא עשה עבור 'מחיר', זה יחליף את מחיר מחירון. מחיר כלל תמחור הוא המחיר הסופי, ולכן אין עוד הנחה צריכה להיות מיושמת. מכאן, בעסקות כמו מכירה להזמין, הזמנת רכש וכו ', זה יהיה הביא בשדה' דרג ', ולא בשדה' מחיר מחירון שערי '."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,צפייה בלידים לפי סוג התעשייה.
DocType: Item Supplier,Item Supplier,ספק פריט
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,נא להזין את קוד פריט כדי לקבל אצווה לא
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},אנא בחר ערך עבור {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,נא להזין את קוד פריט כדי לקבל אצווה לא
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},אנא בחר ערך עבור {0} quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,כל הכתובות.
DocType: Company,Stock Settings,הגדרות מניות
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","המיזוג אפשרי רק אם המאפיינים הבאים הם זהים בשני רשומות. האם קבוצה, סוג רוט, חברה"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,רווח / הפסד בעת מימוש נכסים
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","המיזוג אפשרי רק אם המאפיינים הבאים הם זהים בשני רשומות. האם קבוצה, סוג רוט, חברה"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,רווח / הפסד בעת מימוש נכסים
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,ניהול קבוצת לקוחות עץ.
DocType: Supplier Quotation,SQTN-,SQTN-
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,שם מרכז העלות חדש
DocType: Leave Control Panel,Leave Control Panel,השאר לוח הבקרה
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,לא במלאי
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,לא במלאי
DocType: Appraisal,HR User,משתמש HR
DocType: Purchase Invoice,Taxes and Charges Deducted,מסים והיטלים שנוכה
apps/erpnext/erpnext/hooks.py +116,Issues,נושאים
@@ -2114,19 +2100,19 @@
DocType: Delivery Note,Required only for sample item.,נדרש רק עבור פריט מדגם.
DocType: Stock Ledger Entry,Actual Qty After Transaction,כמות בפועל לאחר עסקה
,Pending SO Items For Purchase Request,ממתין לSO פריטים לבקשת רכישה
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} מושבתת
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} מושבתת
DocType: Supplier,Billing Currency,מטבע חיוב
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,גדול במיוחד
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,גדול במיוחד
,Profit and Loss Statement,דוח רווח והפסד
DocType: Bank Reconciliation Detail,Cheque Number,מספר המחאה
,Sales Browser,דפדפן מכירות
DocType: Journal Entry,Total Credit,"סה""כ אשראי"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},אזהרה: נוסף {0} # {1} קיימת נגד כניסת מניית {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,מקומי
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,מקומי
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),הלוואות ומקדמות (נכסים)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,חייבים
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,גדול
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,גדול
DocType: Homepage Featured Product,Homepage Featured Product,מוצרי דף בית מומלצים
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,שם מחסן חדש
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),סה"כ {0} ({1})
@@ -2135,12 +2121,12 @@
DocType: Stock Settings,Default Valuation Method,שיטת הערכת ברירת מחדל
DocType: Production Order Operation,Planned Start Time,מתוכנן זמן התחלה
DocType: Payment Entry Reference,Allocated,הוקצה
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,גיליון קרוב מאזן ורווח או הפסד ספר.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,גיליון קרוב מאזן ורווח או הפסד ספר.
DocType: Student Applicant,Application Status,סטטוס של יישום
DocType: Fees,Fees,אגרות
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ציין שער חליפין להמיר מטבע אחד לעוד
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,ציטוט {0} יבוטל
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,סכום חוב סך הכל
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,סכום חוב סך הכל
DocType: Sales Partner,Targets,יעדים
DocType: Price List,Price List Master,מחיר מחירון Master
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"יכולות להיות מתויגות כל עסקות המכירה מול אנשי מכירות ** ** מרובים, כך שאתה יכול להגדיר ולעקוב אחר מטרות."
@@ -2170,9 +2156,9 @@
1. Ways of addressing disputes, indemnity, liability, etc.
1. Address and Contact of your Company.","תנאים והגבלות רגילים שניתן להוסיף למכירות ורכישות. דוגמאות: 1. זכאותה של ההצעה. 1. תנאי תשלום (מראש, באשראי, מראש חלק וכו '). 1. מהו נוסף (או שישולם על ידי הלקוח). אזהרה / שימוש 1. בטיחות. 1. אחריות אם בכלל. 1. החזרות מדיניות. 1. תנאי משלוח, אם קיימים. 1. דרכים להתמודדות עם סכסוכים, שיפוי, אחריות, וכו 'כתובת 1. ולתקשר של החברה שלך."
DocType: Attendance,Leave Type,סוג החופשה
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"חשבון הוצאות / הבדל ({0}) חייב להיות חשבון ""רווח והפסד"""
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"חשבון הוצאות / הבדל ({0}) חייב להיות חשבון ""רווח והפסד"""
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,מחסור
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} אינו קשור {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} אינו קשור {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,נוכחות לעובדי {0} כבר מסומנת
DocType: Packing Slip,If more than one package of the same type (for print),אם חבילה אחד או יותר מאותו הסוג (להדפסה)
DocType: Warehouse,Parent Warehouse,מחסן הורה
@@ -2190,18 +2176,18 @@
DocType: BOM Item,Scrap %,% גרוטאות
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","תשלום נוסף שיחולק לפי אופן יחסי על כמות פריט או סכום, בהתאם לבחירתך"
DocType: Maintenance Visit,Purposes,מטרות
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,פריט אחד atleast יש להזין עם כמות שלילית במסמך התמורה
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,פריט אחד atleast יש להזין עם כמות שלילית במסמך התמורה
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","מבצע {0} יותר מכל שעות עבודה זמינות בתחנת העבודה {1}, לשבור את הפעולה לפעולות מרובות"
,Requested,ביקשתי
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,אין הערות
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,אין הערות
DocType: Purchase Invoice,Overdue,איחור
DocType: Account,Stock Received But Not Billed,המניה התקבלה אבל לא חויבה
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,חשבון שורש חייב להיות קבוצה
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,חשבון שורש חייב להיות קבוצה
DocType: Fees,FEE.,תַשְׁלוּם.
DocType: Item,Total Projected Qty,כללית המתוכננת כמות
DocType: Monthly Distribution,Distribution Name,שם הפצה
DocType: Course,Course Code,קוד קורס
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},בדיקת איכות הנדרשת לפריט {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},בדיקת איכות הנדרשת לפריט {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,קצב שבו לקוחות של מטבע מומר למטבע הבסיס של החברה
DocType: Purchase Invoice Item,Net Rate (Company Currency),שיעור נטו (חברת מטבע)
apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,ניהול עץ טריטוריה.
@@ -2213,7 +2199,7 @@
DocType: Stock Entry,Material Transfer for Manufacture,העברת חומר לייצור
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,אחוז הנחה יכול להיות מיושם גם נגד מחיר מחירון או לכל רשימת המחיר.
DocType: Purchase Invoice,Half-yearly,חצי שנתי
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,כניסה לחשבונאות במלאי
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,כניסה לחשבונאות במלאי
DocType: Sales Invoice,Sales Team1,Team1 מכירות
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,פריט {0} אינו קיים
DocType: Sales Invoice,Customer Address,כתובת הלקוח
@@ -2221,22 +2207,22 @@
DocType: Purchase Invoice,Apply Additional Discount On,החל נוסף דיסקונט ב
DocType: Account,Root Type,סוג השורש
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},# השורה {0}: לא יכול לחזור יותר מ {1} לפריט {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},# השורה {0}: לא יכול לחזור יותר מ {1} לפריט {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,עלילה
DocType: Item Group,Show this slideshow at the top of the page,הצג מצגת זו בחלק העליון של הדף
DocType: BOM,Item UOM,פריט של אוני 'מישגן
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),סכום מס לאחר סכום דיסקונט (חברת מטבע)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},מחסן היעד הוא חובה עבור שורת {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},מחסן היעד הוא חובה עבור שורת {0}
DocType: Cheque Print Template,Primary Settings,הגדרות ראשיות
DocType: Purchase Invoice,Select Supplier Address,כתובת ספק בחר
DocType: Purchase Invoice Item,Quality Inspection,איכות פיקוח
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,קטן במיוחד
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,קטן במיוחד
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,אזהרה: חומר המבוקש כמות הוא פחות מלהזמין כמות מינימאלית
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,חשבון {0} הוא קפוא
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,ישות / בת משפטית עם תרשים נפרד של חשבונות השייכים לארגון.
DocType: Payment Request,Mute Email,דוא"ל השתקה
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","מזון, משקאות וטבק"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},יכול רק לבצע את התשלום כנגד סרק {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},יכול רק לבצע את התשלום כנגד סרק {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,שיעור עמלה לא יכול להיות גדול מ -100
DocType: Stock Entry,Subcontract,בקבלנות משנה
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,נא להזין את {0} הראשון
@@ -2248,14 +2234,14 @@
DocType: SMS Log,No of Sent SMS,לא של SMS שנשלח
DocType: Account,Expense Account,חשבון הוצאות
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,תוכנה
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,צבע
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,צבע
DocType: Training Event,Scheduled,מתוכנן
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,בקשה לציטוט.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",אנא בחר פריט שבו "האם פריט במלאי" הוא "לא" ו- "האם פריט מכירות" הוא "כן" ואין Bundle מוצרים אחר
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),מראש סה"כ ({0}) נגד להזמין {1} לא יכול להיות גדול יותר מהסך כולל ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),מראש סה"כ ({0}) נגד להזמין {1} לא יכול להיות גדול יותר מהסך כולל ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,בחר בחתך חודשי להפיץ בצורה לא אחידה על פני מטרות חודשים.
DocType: Purchase Invoice Item,Valuation Rate,שערי הערכת שווי
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,מטבע מחירון לא נבחר
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,מטבע מחירון לא נבחר
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},עובד {0} כבר הגיש בקשה {1} בין {2} ו {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,תאריך התחלת פרויקט
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +11,Until,עד
@@ -2263,25 +2249,25 @@
DocType: Maintenance Visit Purpose,Against Document No,נגד מסמך לא
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,ניהול שותפי מכירות.
DocType: Quality Inspection,Inspection Type,סוג הפיקוח
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,מחסן עם עסקה קיימת לא ניתן להמיר לקבוצה.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,מחסן עם עסקה קיימת לא ניתן להמיר לקבוצה.
apps/erpnext/erpnext/controllers/recurring_document.py +169,Please select {0},אנא בחר {0}
DocType: C-Form,C-Form No,C-טופס לא
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,נוכחות לא מסומנת
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,חוקר
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,חוקר
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,סטודנט כלי הרשמה לתכנית
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,שם או דוא"ל הוא חובה
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,בדיקת איכות נכנסת.
DocType: Purchase Order Item,Returned Qty,כמות חזר
DocType: Employee,Exit,יציאה
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,סוג השורש הוא חובה
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,סוג השורש הוא חובה
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,מספר סידורי {0} נוצר
DocType: Homepage,Company Description for website homepage,תיאור החברה עבור הבית של האתר
DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","לנוחות לקוחות, ניתן להשתמש בקודים אלה בפורמטי הדפסה כמו הערות חשבוניות ומשלוח"
DocType: Sales Invoice,Time Sheet List,רשימת גיליון זמן
DocType: Employee,You can enter any date manually,אתה יכול להיכנס לכל תאריך באופן ידני
DocType: Asset Category Account,Depreciation Expense Account,חשבון הוצאות פחת
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,תקופת ניסיון
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,תקופת ניסיון
DocType: Customer Group,Only leaf nodes are allowed in transaction,רק צמתים עלה מותר בעסקה
DocType: Expense Claim,Expense Approver,מאשר חשבון
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,שורת {0}: מראש נגד הלקוח חייב להיות אשראי
@@ -2301,9 +2287,9 @@
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,בחר שנת כספים
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,הזמנה חוזרת רמה
DocType: Attendance,Attendance Date,תאריך נוכחות
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},מחיר הפריט עודכן עבור {0} ב מחירון {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},מחיר הפריט עודכן עבור {0} ב מחירון {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,פרידה שכר על בסיס צבירה וניכוי.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,חשבון עם בלוטות ילד לא יכול להיות מומר לדג'ר
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,חשבון עם בלוטות ילד לא יכול להיות מומר לדג'ר
DocType: Purchase Invoice Item,Accepted Warehouse,מחסן מקובל
DocType: Bank Reconciliation Detail,Posting Date,תאריך פרסום
DocType: Item,Valuation Method,שיטת הערכת שווי
@@ -2312,10 +2298,10 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,כניסה כפולה
DocType: Program Enrollment Tool,Get Students,קבל סטודנטים
DocType: Serial No,Under Warranty,במסגרת אחריות
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[שגיאה]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[שגיאה]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,במילים יהיו גלוי לאחר שתשמרו את הזמנת המכירות.
,Employee Birthday,עובד יום הולדת
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,הגבל Crossed
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,הגבל Crossed
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,הון סיכון
DocType: UOM,Must be Whole Number,חייב להיות מספר שלם
DocType: Leave Control Panel,New Leaves Allocated (In Days),עלים חדשים המוקצים (בימים)
@@ -2334,14 +2320,14 @@
DocType: Sales Order,% of materials billed against this Sales Order,% מחומרים מחויבים נגד הזמנת מכירה זה
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,כניסת סגירת תקופה
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,מרכז עלות בעסקות קיימות לא ניתן להמיר לקבוצה
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},סכום {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},סכום {0} {1} {2} {3}
DocType: Account,Depreciation,פחת
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),ספק (ים)
DocType: Employee Attendance Tool,Employee Attendance Tool,כלי נוכחות עובדים
DocType: Supplier,Credit Limit,מגבלת אשראי
DocType: Production Plan Sales Order,Salse Order Date,תאריך להזמין Salse
DocType: Salary Component,Salary Component,מרכיב השכר
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,פוסט תשלומים {0} הם בלתי צמודים
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,פוסט תשלומים {0} הם בלתי צמודים
DocType: GL Entry,Voucher No,שובר לא
DocType: Leave Allocation,Leave Allocation,השאר הקצאה
DocType: Payment Request,Recipient Message And Payment Details,הודעת נמען פרט תשלום
@@ -2349,10 +2335,10 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,תבנית של מונחים או חוזה.
DocType: Purchase Invoice,Address and Contact,כתובת ולתקשר
DocType: Cheque Print Template,Is Account Payable,האם חשבון זכאי
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},מניות יכולות להיות לא מעודכנות נגד קבלת רכישת {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},מניות יכולות להיות לא מעודכנות נגד קבלת רכישת {0}
DocType: Supplier,Last Day of the Next Month,היום האחרון של החודש הבא
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","לעזוב לא יכול להיות מוקצה לפני {0}, כאיזון חופשה כבר היה בשיא הקצאת חופשת העתיד יועבר לשאת {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),הערה: תאריך יעד / הפניה עולה ימי אשראי ללקוחות מותר על ידי {0} יום (ים)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),הערה: תאריך יעד / הפניה עולה ימי אשראי ללקוחות מותר על ידי {0} יום (ים)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,סטודנט המבקש
DocType: Asset Category Account,Accumulated Depreciation Account,חשבון פחת נצבר
DocType: Stock Settings,Freeze Stock Entries,ערכי מלאי הקפאה
@@ -2361,16 +2347,15 @@
DocType: Activity Cost,Billing Rate,דרג חיוב
,Qty to Deliver,כמות לאספקה
,Stock Analytics,ניתוח מלאי
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,תפעול לא ניתן להשאיר ריק
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,תפעול לא ניתן להשאיר ריק
DocType: Maintenance Visit Purpose,Against Document Detail No,נגד פרט מסמך לא
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,סוג המפלגה הוא חובה
DocType: Quality Inspection,Outgoing,יוצא
DocType: Material Request,Requested For,ביקש ל
DocType: Quotation Item,Against Doctype,נגד Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} יבוטל או סגור
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} יבוטל או סגור
DocType: Delivery Note,Track this Delivery Note against any Project,עקוב אחר תעודת משלוח זה נגד כל פרויקט
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,מזומנים נטו מהשקעות
-,Is Primary Address,האם כתובת ראשית
DocType: Production Order,Work-in-Progress Warehouse,עבודה ב-התקדמות מחסן
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,נכסים {0} יש להגיש
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},# התייחסות {0} יום {1}
@@ -2381,7 +2366,7 @@
DocType: Serial No,Warranty / AMC Details,אחריות / AMC פרטים
DocType: Journal Entry,User Remark,הערה משתמש
DocType: Lead,Market Segment,פלח שוק
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},הסכום ששולם לא יכול להיות גדול מ מלוא יתרת חוב שלילי {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},הסכום ששולם לא יכול להיות גדול מ מלוא יתרת חוב שלילי {0}
DocType: Employee Internal Work History,Employee Internal Work History,העובד פנימי היסטוריה עבודה
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),"סגירה (ד""ר)"
DocType: Cheque Print Template,Cheque Size,גודל מחאה
@@ -2399,51 +2384,51 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,סכום חיוב
DocType: Asset,Double Declining Balance,יתרה זוגית ירידה
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,כדי סגור לא ניתן לבטל. חוסר קרבה לבטל.
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'עדכון מאגר' לא ניתן לבדוק למכירת נכס קבועה
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'עדכון מאגר' לא ניתן לבדוק למכירת נכס קבועה
DocType: Bank Reconciliation,Bank Reconciliation,בנק פיוס
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,קבל עדכונים
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,בקשת חומר {0} בוטלה או נעצרה
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,הוסף כמה תקליטי מדגם
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,הוסף כמה תקליטי מדגם
apps/erpnext/erpnext/config/hr.py +301,Leave Management,השאר ניהול
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,קבוצה על ידי חשבון
DocType: Sales Order,Fully Delivered,נמסר באופן מלא
DocType: Lead,Lower Income,הכנסה נמוכה
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},מקור ומחסן היעד אינו יכולים להיות זהים לשורה {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},מקור ומחסן היעד אינו יכולים להיות זהים לשורה {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","חשבון הבדל חייב להיות חשבון סוג הנכס / התחייבות, מאז מניית הפיוס הזה הוא כניסת פתיחה"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},לרכוש מספר ההזמנה נדרש לפריט {0}
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},לרכוש מספר ההזמנה נדרש לפריט {0}
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""מתאריך"" חייב להיות לאחר 'עד תאריך'"
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},לא ניתן לשנות את מצב כמו סטודנט {0} הוא מקושר עם יישום סטודנט {1}
DocType: Asset,Fully Depreciated,לגמרי מופחת
,Stock Projected Qty,המניה צפויה כמות
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},לקוח {0} אינו שייכים לפרויקט {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},לקוח {0} אינו שייכים לפרויקט {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,HTML נוכחות ניכרת
DocType: Sales Order,Customer's Purchase Order,הלקוח הזמנת הרכש
apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,אין ו אצווה סידורי
DocType: Warranty Claim,From Company,מחברה
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,אנא להגדיר מספר הפחת הוזמן
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,ערך או כמות
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,הזמנות הפקות לא ניתן להעלות על:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,דקות
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,הזמנות הפקות לא ניתן להעלות על:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,דקות
DocType: Purchase Invoice,Purchase Taxes and Charges,לרכוש מסים והיטלים
,Qty to Receive,כמות לקבלת
DocType: Leave Block List,Leave Block List Allowed,השאר בלוק רשימת מחמד
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,מחסן כל
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,מחסן כל
DocType: Sales Partner,Retailer,הקמעונאית
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,אשראי לחשבון חייב להיות חשבון מאזן
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,אשראי לחשבון חייב להיות חשבון מאזן
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,כל סוגי הספק
DocType: Global Defaults,Disable In Words,שבת במילות
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,"קוד פריט חובה, כי הפריט לא ממוספר באופן אוטומטי"
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"קוד פריט חובה, כי הפריט לא ממוספר באופן אוטומטי"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},ציטוט {0} לא מסוג {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,פריט לוח זמנים תחזוקה
DocType: Sales Order,% Delivered,% נמסר
DocType: Production Order,PRO-,מִקצוֹעָן-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,בנק משייך יתר חשבון
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,בנק משייך יתר חשבון
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,הפוך שכר Slip
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,העיון BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,הלוואות מובטחות
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,הלוואות מובטחות
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},אנא להגדיר חשבונות הקשורים פחת קטגוריה Asset {0} או החברה {1}
DocType: Academic Term,Academic Year,שנה אקדמית
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,הון עצמי יתרה פתיחה
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,הון עצמי יתרה פתיחה
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,הערכה
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},דוא"ל נשלח אל ספק {0}
@@ -2458,7 +2443,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,אישור התפקיד לא יכול להיות זהה לתפקיד השלטון הוא ישים
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,לבטל את המנוי לדוא"ל זה תקציר
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,הודעה נשלחה
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,חשבון עם בלוטות ילד לא ניתן להגדיר כחשבונות
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,חשבון עם בלוטות ילד לא ניתן להגדיר כחשבונות
DocType: C-Form,II,שני
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,קצב שבו רשימת מחיר המטבע מומר למטבע הבסיס של הלקוח
DocType: Purchase Invoice Item,Net Amount (Company Currency),סכום נטו (חברת מטבע)
@@ -2488,7 +2473,7 @@
DocType: Expense Claim,Approval Status,סטטוס אישור
DocType: Hub Settings,Publish Items to Hub,לפרסם פריטים לHub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},מהערך חייב להיות פחות משווי בשורת {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,העברה בנקאית
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,העברה בנקאית
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,סמן הכל
DocType: Purchase Order,Recurring Order,להזמין חוזר
DocType: Company,Default Income Account,חשבון הכנסות ברירת מחדל
@@ -2499,14 +2484,15 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,בנקאות תשלומים
,Welcome to ERPNext,ברוכים הבאים לERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,להוביל להצעת המחיר
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,שום דבר לא יותר להראות.
DocType: Lead,From Customer,מלקוחות
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,שיחות
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,שיחות
DocType: Project,Total Costing Amount (via Time Logs),הסכום כולל תמחיר (דרך זמן יומנים)
DocType: Purchase Order Item Supplied,Stock UOM,המניה של אוני 'מישגן
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,הזמנת רכש {0} לא תוגש
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,הזמנת רכש {0} לא תוגש
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,צפוי
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},מספר סידורי {0} אינו שייך למחסן {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,הערה: מערכת לא תבדוק על-אספקה ועל-הזמנה לפריט {0} ככמות או כמות היא 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,הערה: מערכת לא תבדוק על-אספקה ועל-הזמנה לפריט {0} ככמות או כמות היא 0
DocType: Notification Control,Quotation Message,הודעת ציטוט
DocType: Issue,Opening Date,תאריך פתיחה
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,נוכחות סומנה בהצלחה.
@@ -2515,8 +2501,8 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},סוג חשבון עבור {0} חייב להיות {1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,עלים וחג
DocType: Sales Order,Not Billed,לא חויב
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,שניהם המחסן חייב להיות שייך לאותה חברה
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,אין אנשי קשר הוסיפו עדיין.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,שניהם המחסן חייב להיות שייך לאותה חברה
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,אין אנשי קשר הוסיפו עדיין.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,הסכום שובר עלות נחתה
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,הצעות חוק שהועלה על ידי ספקים.
DocType: POS Profile,Write Off Account,לכתוב את החשבון
@@ -2524,19 +2510,18 @@
DocType: Purchase Invoice,Return Against Purchase Invoice,חזור נגד רכישת חשבונית
DocType: Item,Warranty Period (in days),תקופת אחריות (בימים)
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,מזומנים נטו שנבעו מפעולות
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,"למשל מע""מ"
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,"למשל מע""מ"
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,פריט 4
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,קבלנות משנה
DocType: Journal Entry Account,Journal Entry Account,חשבון כניסת Journal
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,סטודנט קבוצה
DocType: Shopping Cart Settings,Quotation Series,סדרת ציטוט
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","פריט קיים באותו שם ({0}), בבקשה לשנות את שם קבוצת פריט או לשנות את שם הפריט"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,אנא בחר לקוח
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","פריט קיים באותו שם ({0}), בבקשה לשנות את שם קבוצת פריט או לשנות את שם הפריט"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,אנא בחר לקוח
DocType: C-Form,I,אני
DocType: Company,Asset Depreciation Cost Center,מרכז עלות פחת נכסים
DocType: Sales Order Item,Sales Order Date,תאריך הזמנת מכירות
DocType: Sales Invoice Item,Delivered Qty,כמות נמסרה
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,מחסן {0}: החברה היא חובה
,Payment Period Based On Invoice Date,תקופת תשלום מבוסס בתאריך החשבונית
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},שערי חליפין מטבע חסר עבור {0}
DocType: Assessment Plan,Examiner,בּוֹחֵן
@@ -2544,7 +2529,7 @@
DocType: Payment Entry,Payment References,הפניות תשלום
DocType: C-Form,C-FORM-,C-טפסים רשמיים
DocType: Account,Payable,משתלם
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),חייבים ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),חייבים ({0})
DocType: Pricing Rule,Margin,Margin
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,לקוחות חדשים
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,% רווח גולמי
@@ -2555,15 +2540,15 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,המפלגה היא חובה
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,שם נושא
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Atleast אחד למכור או לקנות יש לבחור
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,בחר את אופי העסק שלך.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Atleast אחד למכור או לקנות יש לבחור
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,בחר את אופי העסק שלך.
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,איפה פעולות ייצור מתבצעות.
DocType: Asset Movement,Source Warehouse,מחסן מקור
DocType: Installation Note,Installation Date,התקנת תאריך
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},# השורה {0}: Asset {1} לא שייך לחברת {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},# השורה {0}: Asset {1} לא שייך לחברת {2}
DocType: Employee,Confirmation Date,תאריך אישור
DocType: C-Form,Total Invoiced Amount,"סכום חשבונית סה""כ"
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,דקות כמות לא יכולה להיות גדולה יותר מכמות מקס
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,דקות כמות לא יכולה להיות גדולה יותר מכמות מקס
DocType: Account,Accumulated Depreciation,ירידת ערך מצטברת
DocType: Stock Entry,Customer or Supplier Details,פרטי לקוח או ספק
DocType: Lead,Lead Owner,בעלי ליד
@@ -2581,11 +2566,11 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,אחוז בחתך חודשי
DocType: Territory,Territory Targets,מטרות שטח
DocType: Delivery Note,Transporter Info,Transporter מידע
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},אנא קבע את ברירת המחדל {0} ב החברה {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},אנא קבע את ברירת המחדל {0} ב החברה {1}
DocType: Cheque Print Template,Starting position from top edge,התחלה מן הקצה העליון
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,ספק זהה הוזן מספר פעמים
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,לרכוש פריט להזמין מסופק
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,שם חברה לא יכול להיות חברה
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,שם חברה לא יכול להיות חברה
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,ראשי מכתב לתבניות הדפסה.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,כותרות לתבניות הדפסה למשל פרופורמה חשבונית.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,חיובי סוג הערכת שווי לא יכולים סומן ככלול
@@ -2594,7 +2579,7 @@
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM שערי
DocType: Asset,Journal Entry for Scrap,תנועת יומן עבור גרוטאות
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,אנא למשוך פריטים מתעודת המשלוח
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,"תנועות היומן {0} הם לא צמוד,"
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,"תנועות היומן {0} הם לא צמוד,"
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","שיא של כל התקשורת של דואר אלקטרוני מסוג, טלפון, צ'אט, ביקור, וכו '"
DocType: Manufacturer,Manufacturers used in Items,יצרנים השתמשו בפריטים
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,נא לציין מרכז העלות לעגל בחברה
@@ -2638,11 +2623,10 @@
DocType: Sales Order Item,Supplier delivers to Customer,ספק מספק ללקוח
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (טופס # / כתבה / {0}) אזל מהמלאי
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,התאריך הבא חייב להיות גדול מ תאריך פרסום
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,התפרקות מס הצג
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},תאריך יעד / הפניה לא יכול להיות אחרי {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,התפרקות מס הצג
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},תאריך יעד / הפניה לא יכול להיות אחרי {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,נתוני יבוא ויצוא
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","ערכי מניות קיימים נגד מחסן {0}, ולכן אתה לא יכול להקצות מחדש או לשנות אותה"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,אין תלמידים נמצאו
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,אין תלמידים נמצאו
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,תאריך פרסום חשבונית
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,מכירה
DocType: Sales Invoice,Rounded Total,"סה""כ מעוגל"
@@ -2651,14 +2635,14 @@
DocType: Serial No,Out of AMC,מתוך AMC
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,מספר הפחת הוזמן לא יכול להיות גדול ממספרם הכולל של פחת
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,הפוך תחזוקה בקר
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,אנא צור קשר עם למשתמש שיש לי מכירות Master מנהל {0} תפקיד
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,אנא צור קשר עם למשתמש שיש לי מכירות Master מנהל {0} תפקיד
DocType: Company,Default Cash Account,חשבון מזומנים ברירת מחדל
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,אדון חברה (לא לקוח או ספק).
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,זה מבוסס על הנוכחות של תלמיד זה
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,תוכלו להוסיף עוד פריטים או מלא טופס פתוח
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',נא להזין את 'תאריך אספקה צפויה של
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,תעודות משלוח {0} יש לבטל לפני ביטול הזמנת מכירות זה
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,הסכום ששולם + לכתוב את הסכום לא יכול להיות גדול יותר מסך כולל
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,הסכום ששולם + לכתוב את הסכום לא יכול להיות גדול יותר מסך כולל
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} הוא לא מספר אצווה תקף לפריט {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},הערה: אין איזון חופשה מספיק לחופשת סוג {0}
DocType: Program Enrollment Fee,Program Enrollment Fee,הרשמה לתכנית דמים
@@ -2682,22 +2666,21 @@
DocType: Warranty Claim,Item and Warranty Details,פרטי פריט ואחריות
DocType: Sales Team,Contribution (%),תרומה (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"הערה: כניסת תשלום לא יצרה מאז ""מזומן או חשבון הבנק 'לא צוין"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,אחריות
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,אחריות
DocType: Expense Claim Account,Expense Claim Account,חשבון תביעת הוצאות
DocType: Sales Person,Sales Person Name,שם איש מכירות
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,נא להזין atleast חשבונית 1 בטבלה
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,הוסף משתמשים
DocType: POS Item Group,Item Group,קבוצת פריט
DocType: Item,Safety Stock,מלאי ביטחון
DocType: Stock Reconciliation Item,Before reconciliation,לפני הפיוס
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},כדי {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),מסים והיטלים נוסף (חברת מטבע)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,שורת מס פריט {0} חייבת להיות חשבון של מס סוג או הכנסה או הוצאה או לחיוב
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,שורת מס פריט {0} חייבת להיות חשבון של מס סוג או הכנסה או הוצאה או לחיוב
DocType: Sales Order,Partly Billed,בחלק שחויב
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,פריט {0} חייב להיות פריט רכוש קבוע
DocType: Item,Default BOM,BOM ברירת המחדל
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,אנא שם חברה הקלד לאשר
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,"סה""כ מצטיין Amt"
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,אנא שם חברה הקלד לאשר
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,"סה""כ מצטיין Amt"
DocType: Journal Entry,Printing Settings,הגדרות הדפסה
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},חיוב כולל חייב להיות שווה לסך אשראי. ההבדל הוא {0}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,רכב
@@ -2706,12 +2689,12 @@
DocType: Timesheet Detail,From Time,מזמן
DocType: Notification Control,Custom Message,הודעה מותאמת אישית
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,בנקאות השקעות
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,חשבון מזומן או בנק הוא חובה להכנת כניסת תשלום
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,חשבון מזומן או בנק הוא חובה להכנת כניסת תשלום
DocType: Purchase Invoice,Price List Exchange Rate,מחיר מחירון שער חליפין
DocType: Purchase Invoice Item,Rate,שיעור
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Intern
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Intern
DocType: Stock Entry,From BOM,מBOM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,בסיסי
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,בסיסי
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,עסקות המניה לפני {0} קפואים
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"אנא לחץ על 'צור לוח זמנים """
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","למשל ק""ג, יחידה, מס, מ '"
@@ -2721,19 +2704,19 @@
DocType: Salary Slip,Salary Structure,שכר מבנה
DocType: Account,Bank,בנק
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,חברת תעופה
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,חומר נושא
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,חומר נושא
DocType: Material Request Item,For Warehouse,למחסן
DocType: Employee,Offer Date,תאריך הצעה
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,ציטוטים
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,אתה נמצא במצב לא מקוון. אתה לא תוכל לטעון עד שיש לך רשת.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,אתה נמצא במצב לא מקוון. אתה לא תוכל לטעון עד שיש לך רשת.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,אין קבוצות סטודנטים נוצרו.
DocType: Purchase Invoice Item,Serial No,מספר סידורי
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,נא להזין maintaince פרטים ראשון
DocType: Purchase Invoice,Print Language,שפת דפס
DocType: Salary Slip,Total Working Hours,שעות עבודה הכוללות
DocType: Stock Entry,Including items for sub assemblies,כולל פריטים למכלולים תת
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,זן הערך חייב להיות חיובי
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,כל השטחים
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,זן הערך חייב להיות חיובי
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,כל השטחים
DocType: Purchase Invoice,Items,פריטים
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,סטודנטים כבר נרשמו.
DocType: Fiscal Year,Year Name,שם שנה
@@ -2748,7 +2731,7 @@
DocType: Issue,Opening Time,מועד פתיחה
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,ומכדי התאריכים מבוקשים ל
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,ניירות ערך ובורסות סחורות
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ברירת מחדל של יחידת מדידה ולריאנט '{0}' חייבת להיות זהה בתבנית '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ברירת מחדל של יחידת מדידה ולריאנט '{0}' חייבת להיות זהה בתבנית '{1}'
DocType: Shipping Rule,Calculate Based On,חישוב המבוסס על
DocType: Delivery Note Item,From Warehouse,ממחסן
DocType: Assessment Plan,Supervisor Name,המפקח שם
@@ -2762,14 +2745,14 @@
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +57,Total cannot be zero,"סה""כ לא יכול להיות אפס"
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,מספר הימים מההזמנה האחרונה 'חייב להיות גדול או שווה לאפס
DocType: Asset,Amended From,תוקן מ
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,חומר גלם
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,חומר גלם
DocType: Leave Application,Follow via Email,"עקוב באמצעות דוא""ל"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,צמחי Machineries
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,צמחי Machineries
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,סכום מס לאחר סכום הנחה
DocType: Payment Entry,Internal Transfer,העברה פנימית
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,חשבון ילד קיים עבור חשבון זה. אתה לא יכול למחוק את החשבון הזה.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,חשבון ילד קיים עבור חשבון זה. אתה לא יכול למחוק את החשבון הזה.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,כך או כמות היעד או סכום היעד היא חובה
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},אין ברירת מחדל BOM קיימת עבור פריט {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},אין ברירת מחדל BOM קיימת עבור פריט {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,אנא בחר תחילה תאריך פרסום
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,פתיחת תאריך צריכה להיות לפני סגירת תאריך
DocType: Leave Control Panel,Carry Forward,לְהַעֲבִיר הָלְאָה
@@ -2779,24 +2762,23 @@
DocType: Item,Item Code for Suppliers,קוד פריט לספקים
DocType: Issue,Raised By (Email),"הועלה על ידי (דוא""ל)"
DocType: Mode of Payment,General,כללי
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,צרף מכתבים
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"לא ניתן לנכות כאשר לקטגוריה 'הערכה' או 'הערכה וסה""כ'"
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","רשימת ראשי המס שלך (למשל מע"מ, מכס וכו ', הם צריכים להיות שמות ייחודיים) ושיעורי הסטנדרטים שלהם. זה יהיה ליצור תבנית סטנדרטית, שבו אתה יכול לערוך ולהוסיף עוד מאוחר יותר."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","רשימת ראשי המס שלך (למשל מע"מ, מכס וכו ', הם צריכים להיות שמות ייחודיים) ושיעורי הסטנדרטים שלהם. זה יהיה ליצור תבנית סטנדרטית, שבו אתה יכול לערוך ולהוסיף עוד מאוחר יותר."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},מס 'סידורי הנדרש לפריט מספר סידורי {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,תשלומי התאמה עם חשבוניות
DocType: Journal Entry,Bank Entry,בנק כניסה
DocType: Authorization Rule,Applicable To (Designation),כדי ישים (ייעוד)
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,הוסף לסל
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,קבוצה על ידי
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,הפעלה / השבתה של מטבעות.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,הפעלה / השבתה של מטבעות.
DocType: Production Planning Tool,Get Material Request,קבל בקשת חומר
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,הוצאות דואר
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,הוצאות דואר
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),"סה""כ (AMT)"
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,בידור ופנאי
DocType: Quality Inspection,Item Serial No,מספר סידורי פריט
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,"הווה סה""כ"
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,דוחות חשבונאות
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,שעה
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,שעה
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,מספר סידורי חדש לא יכול להיות מחסן. מחסן חייב להיות מוגדר על ידי Stock כניסה או קבלת רכישה
DocType: Lead,Lead Type,סוג עופרת
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,אתה לא מורשה לאשר עלים בתאריכי הבלוק
@@ -2814,30 +2796,30 @@
DocType: Student,Middle Name,שם אמצעי
DocType: C-Form,Invoices,חשבוניות
DocType: Job Opening,Job Title,כותרת עבודה
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,גְרַם
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,גְרַם
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,כמות לייצור חייבת להיות גדולה מ 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,"בקר בדו""ח לשיחת תחזוקה."
DocType: Stock Entry,Update Rate and Availability,עדכון תעריף וזמינות
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,אחוז מותר לך לקבל או למסור יותר נגד כל הכמות המוזמנת. לדוגמא: אם יש לך הורה 100 יחידות. והפרשה שלך הוא 10% אז אתה רשאי לקבל 110 יחידות.
DocType: POS Customer Group,Customer Group,קבוצת לקוחות
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},חשבון הוצאות הוא חובה עבור פריט {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},חשבון הוצאות הוא חובה עבור פריט {0}
DocType: BOM,Website Description,תיאור אתר
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,שינוי נטו בהון עצמי
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,אנא בטל חשבונית רכישת {0} ראשון
DocType: Serial No,AMC Expiry Date,תאריך תפוגה AMC
,Sales Register,מכירות הרשמה
DocType: Quotation,Quotation Lost Reason,סיבה אבודה ציטוט
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,נבחר את הדומיין שלך
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},התייחסות עסקה לא {0} מתאריך {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,נבחר את הדומיין שלך
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},התייחסות עסקה לא {0} מתאריך {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,אין שום דבר כדי לערוך.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,סיכום לחודש זה ופעילויות תלויות ועומדות
DocType: Customer Group,Customer Group Name,שם קבוצת הלקוחות
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,דוח על תזרימי המזומנים
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},אנא הסר חשבונית זו {0} מC-טופס {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},אנא הסר חשבונית זו {0} מC-טופס {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,אנא בחר לשאת קדימה אם אתה גם רוצה לכלול האיזון של שנת כספים הקודמת משאיר לשנה הפיסקלית
DocType: GL Entry,Against Voucher Type,נגד סוג השובר
DocType: Item,Attributes,תכונות
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,נא להזין לכתוב את החשבון
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,נא להזין לכתוב את החשבון
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,התאריך אחרון סדר
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},חשבון {0} אינו שייך לחברת {1}
DocType: C-Form,C-Form,C-טופס
@@ -2851,27 +2833,27 @@
DocType: Project,Expected End Date,תאריך סיום צפוי
DocType: Budget Account,Budget Amount,סכום תקציב
DocType: Appraisal Template,Appraisal Template Title,הערכת תבנית כותרת
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,מסחרי
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,מסחרי
DocType: Payment Entry,Account Paid To,חשבון םלושש
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,פריט הורה {0} לא חייב להיות פריט במלאי
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,כל המוצרים או שירותים.
DocType: Expense Claim,More Details,לפרטים נוספים
DocType: Supplier Quotation,Supplier Address,כתובת ספק
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',שורה {0} החשבון # צריך להיות מסוג 'קבוע נכסים'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,מתוך כמות
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,כללים לחישוב סכום משלוח למכירה
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',שורה {0} החשבון # צריך להיות מסוג 'קבוע נכסים'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,מתוך כמות
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,כללים לחישוב סכום משלוח למכירה
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,סדרה היא חובה
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,שירותים פיננסיים
apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,סוגי פעילויות יומני זמן
DocType: Tax Rule,Sales,מכירות
DocType: Stock Entry Detail,Basic Amount,סכום בסיסי
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},מחסן נדרש לפריט המניה {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},מחסן נדרש לפריט המניה {0}
DocType: Leave Allocation,Unused leaves,עלים שאינם בשימוש
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,מדינת חיוב
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,העברה
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} אינו משויך לחשבון המפלגה {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),תביא BOM התפוצץ (כולל תת מכלולים)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} אינו משויך לחשבון המפלגה {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),תביא BOM התפוצץ (כולל תת מכלולים)
DocType: Authorization Rule,Applicable To (Employee),כדי ישים (עובד)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,תאריך היעד הוא חובה
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,תוספת לתכונה {0} לא יכולה להיות 0
@@ -2902,7 +2884,7 @@
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,היום של התאריך הבא חזרו על יום בחודש חייב להיות שווה
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,הגדרות עבור הבית של האתר
DocType: Offer Letter,Awaiting Response,ממתין לתגובה
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,מעל
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,מעל
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},מאפיין לא חוקי {0} {1}
DocType: Salary Slip,Earning & Deduction,השתכרות וניכוי
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,אופציונאלי. הגדרה זו תשמש לסינון בעסקות שונות.
@@ -2917,15 +2899,15 @@
DocType: Sales Invoice,Product Bundle Help,מוצר Bundle עזרה
,Monthly Attendance Sheet,גיליון נוכחות חודשי
DocType: Production Order Item,Production Order Item,פריט ייצור להזמין
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,לא נמצא רשומה
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,לא נמצא רשומה
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,עלות לגרוטאות נכסים
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: מרכז העלות הוא חובה עבור פריט {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: מרכז העלות הוא חובה עבור פריט {2}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,קבל פריטים מחבילת מוצרים
DocType: Asset,Straight Line,קו ישר
DocType: Project User,Project User,משתמש פרויקט
DocType: GL Entry,Is Advance,האם Advance
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,נוכחות מתאריך והנוכחות עד כה היא חובה
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,"נא להזין את 'האם קבלן ""ככן או לא"
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,"נא להזין את 'האם קבלן ""ככן או לא"
DocType: Sales Team,Contact No.,מס 'לתקשר
DocType: Bank Reconciliation,Payment Entries,פוסט תשלום
DocType: Program Enrollment Tool,Get Students From,קבל מבית הספר
@@ -2943,56 +2925,56 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,לא ניתן להמיר מרכז עלות לחשבונות שכן יש צמתים ילד
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,ערך פתיחה
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,סידורי #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,עמלה על מכירות
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,עמלה על מכירות
DocType: Offer Letter Term,Value / Description,ערך / תיאור
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","# שורה {0}: Asset {1} לא ניתן להגיש, זה כבר {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","# שורה {0}: Asset {1} לא ניתן להגיש, זה כבר {2}"
DocType: Tax Rule,Billing Country,ארץ חיוב
DocType: Purchase Order Item,Expected Delivery Date,תאריך אספקה צפוי
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,חיוב אשראי לא שווה {0} # {1}. ההבדל הוא {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,הוצאות בידור
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,הוצאות בידור
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,מכירות חשבונית {0} יש לבטל לפני ביטול הזמנת מכירות זה
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,גיל
DocType: Sales Invoice Timesheet,Billing Amount,סכום חיוב
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,כמות לא חוקית שצוינה עבור פריט {0}. כמות צריכה להיות גדולה מ -0.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,בקשות לחופשה.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,חשבון עם עסקה הקיימת לא ניתן למחוק
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,הוצאות משפטיות
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,חשבון עם עסקה הקיימת לא ניתן למחוק
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,הוצאות משפטיות
DocType: Purchase Invoice,Posting Time,זמן פרסום
DocType: Timesheet,% Amount Billed,% סכום החיוב
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,הוצאות טלפון
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,הוצאות טלפון
DocType: Sales Partner,Logo,לוגו
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,לבדוק את זה אם אתה רוצה להכריח את המשתמש לבחור סדרה לפני השמירה. לא יהיה ברירת מחדל אם תבדקו את זה.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},אין פריט עם מספר סידורי {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},אין פריט עם מספר סידורי {0}
DocType: Email Digest,Open Notifications,הודעות פתוחות
DocType: Payment Entry,Difference Amount (Company Currency),סכום פרש (חברת מטבע)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,הוצאות ישירות
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,הוצאות ישירות
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} היא כתובת דואר אלקטרוני לא חוקית 'כתובת דוא"ל להודעות \'
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,הכנסות מלקוחות חדשות
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,הוצאות נסיעה
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,הוצאות נסיעה
DocType: Maintenance Visit,Breakdown,התפלגות
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,חשבון: {0} עם מטבע: {1} לא ניתן לבחור
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,חשבון: {0} עם מטבע: {1} לא ניתן לבחור
DocType: Bank Reconciliation Detail,Cheque Date,תאריך המחאה
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},חשבון {0}: הורה חשבון {1} אינו שייך לחברה: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},חשבון {0}: הורה חשבון {1} אינו שייך לחברה: {2}
DocType: Program Enrollment Tool,Student Applicants,מועמדים סטודנטים
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,בהצלחה נמחק כל העסקות הקשורות לחברה זו!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,בהצלחה נמחק כל העסקות הקשורות לחברה זו!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,כבתאריך
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,תאריך הרשמה
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,מבחן
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,מבחן
apps/erpnext/erpnext/config/hr.py +115,Salary Components,מרכיבי שכר
DocType: Program Enrollment Tool,New Academic Year,חדש שנה אקדמית
DocType: Stock Settings,Auto insert Price List rate if missing,הכנס אוטומטי שיעור מחירון אם חסר
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,"סכום ששולם סה""כ"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,"סכום ששולם סה""כ"
DocType: Production Order Item,Transferred Qty,כמות שהועברה
apps/erpnext/erpnext/config/learn.py +11,Navigating,ניווט
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,תכנון
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,הפיק
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,תכנון
+DocType: Material Request,Issued,הפיק
DocType: Project,Total Billing Amount (via Time Logs),סכום חיוב כולל (דרך זמן יומנים)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,אנחנו מוכרים פריט זה
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,ספק זיהוי
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,אנחנו מוכרים פריט זה
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,ספק זיהוי
DocType: Payment Request,Payment Gateway Details,פרטי תשלום Gateway
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,כמות צריכה להיות גדולה מ 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,כמות צריכה להיות גדולה מ 0
DocType: Journal Entry,Cash Entry,כניסה במזומן
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,בלוטות הילד יכול להיווצר רק תחת צמתים סוג 'קבוצה'
DocType: Academic Year,Academic Year Name,שם שנה אקדמית
@@ -3007,9 +2989,9 @@
DocType: Production Order,Total Operating Cost,"עלות הפעלה סה""כ"
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,הערה: פריט {0} נכנסה מספר פעמים
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,כל אנשי הקשר.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,קיצור חברה
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,קיצור חברה
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,משתמש {0} אינו קיים
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,חומר גלם לא יכול להיות זהה לפריט עיקרי
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,חומר גלם לא יכול להיות זהה לפריט עיקרי
DocType: Item Attribute Value,Abbreviation,קיצור
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,לא authroized מאז {0} עולה על גבולות
apps/erpnext/erpnext/config/hr.py +110,Salary template master.,אדון תבנית שכר.
@@ -3017,46 +2999,45 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,כלל מס שנקבע לעגלת קניות
DocType: Purchase Invoice,Taxes and Charges Added,מסים והיטלים נוסף
,Sales Funnel,משפך מכירות
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,הקיצור הוא חובה
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,הקיצור הוא חובה
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,סל
,Qty to Transfer,כמות להעביר
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,ציטוטים להובלות או לקוחות.
DocType: Stock Settings,Role Allowed to edit frozen stock,תפקיד מחמד לערוך המניה קפוא
,Territory Target Variance Item Group-Wise,פריט יעד שונות טריטורית קבוצה-Wise
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,בכל קבוצות הלקוחות
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,בכל קבוצות הלקוחות
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,מצטבר חודשי
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} הוא חובה. אולי שיא המרה לא נוצר עבור {1} ל {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} הוא חובה. אולי שיא המרה לא נוצר עבור {1} ל {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,תבנית מס היא חובה.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,חשבון {0}: הורה חשבון {1} לא קיימת
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,חשבון {0}: הורה חשבון {1} לא קיימת
DocType: Purchase Invoice Item,Price List Rate (Company Currency),מחיר מחירון שיעור (חברת מטבע)
DocType: Products Settings,Products Settings,הגדרות מוצרים
DocType: Account,Temporary,זמני
DocType: Program,Courses,קורסים
DocType: Monthly Distribution Percentage,Percentage Allocation,אחוז ההקצאה
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,מזכיר
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,מזכיר
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","אם להשבית, 'במילים' שדה לא יהיה גלוי בכל עסקה"
DocType: Serial No,Distinct unit of an Item,יחידה נפרדת של פריט
DocType: Pricing Rule,Buying,קנייה
DocType: HR Settings,Employee Records to be created by,רשומות עובדים שנוצרו על ידי
DocType: POS Profile,Apply Discount On,החל דיסקונט ב
,Reqd By Date,Reqd לפי תאריך
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,נושים
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,נושים
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,# השורה {0}: מספר סידורי הוא חובה
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,פריט Detail המס וייז
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,קיצור המכון
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,קיצור המכון
,Item-wise Price List Rate,שערי רשימת פריט המחיר חכם
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,הצעת מחיר של ספק
DocType: Quotation,In Words will be visible once you save the Quotation.,במילים יהיו גלוי לאחר שתשמרו את הצעת המחיר.
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,לגבות דמי
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},ברקוד {0} כבר השתמש בפריט {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},ברקוד {0} כבר השתמש בפריט {1}
DocType: Lead,Add to calendar on this date,הוסף ללוח שנה בתאריך זה
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,כללים להוספת עלויות משלוח.
DocType: Item,Opening Stock,מאגר פתיחה
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,הלקוח נדרש
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} הוא חובה עבור שבות
DocType: Purchase Order,To Receive,לקבל
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,"דוא""ל אישי"
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,סך שונה
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","אם מאופשר, המערכת תפרסם רישומים חשבונאיים עבור המלאי באופן אוטומטי."
@@ -3066,11 +3047,11 @@
DocType: Customer,From Lead,מליד
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,הזמנות שוחררו לייצור.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,בחר שנת כספים ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,פרופיל קופה הנדרש כדי להפוך את קופה הכניסה
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,פרופיל קופה הנדרש כדי להפוך את קופה הכניסה
DocType: Program Enrollment Tool,Enroll Students,רשם תלמידים
DocType: Hub Settings,Name Token,שם אסימון
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,מכירה סטנדרטית
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Atleast מחסן אחד הוא חובה
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Atleast מחסן אחד הוא חובה
DocType: Serial No,Out of Warranty,מתוך אחריות
DocType: BOM Replace Tool,Replace,החלף
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} נגד מכירות חשבונית {1}
@@ -3082,13 +3063,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,הבדל ערך המניה
apps/erpnext/erpnext/config/learn.py +234,Human Resource,משאבי אנוש
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,תשלום פיוס תשלום
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,נכסי מסים
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,נכסי מסים
DocType: BOM Item,BOM No,BOM לא
DocType: Instructor,INS/,אח"י /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,היומן {0} אין חשבון {1} או שכבר מתאים נגד שובר אחר
DocType: Item,Moving Average,ממוצע נע
DocType: BOM Replace Tool,The BOM which will be replaced,BOM אשר יוחלף
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,ציוד אלקטרוני
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,ציוד אלקטרוני
DocType: Account,Debit,חיוב
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,עלים חייבים להיות מוקצים בכפולות של 0.5
DocType: Production Order,Operation Cost,עלות מבצע
@@ -3096,14 +3077,14 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Amt מצטיין
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,קבוצה חכמה פריט יעדים שנקבעו לאיש מכירות זה.
DocType: Stock Settings,Freeze Stocks Older Than [Days],מניות הקפאת Older Than [ימים]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,# השורה {0}: לנכסי לקוחות חובה לרכוש נכס קבוע / מכירה
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,# השורה {0}: לנכסי לקוחות חובה לרכוש נכס קבוע / מכירה
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","אם שניים או יותר כללי תמחור נמצאים בהתבסס על התנאים לעיל, עדיפות מיושם. עדיפות היא מספר בין 0 ל 20, וערך ברירת מחדל הוא אפס (ריק). מספר גבוה יותר פירושו הם הקובעים אם יש כללי תמחור מרובים עם אותם תנאים."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,שנת כספים: {0} אינו קיים
DocType: Currency Exchange,To Currency,למטבע
DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,לאפשר למשתמשים הבאים לאשר בקשות לצאת לימי גוש.
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,סוגים של תביעת הוצאות.
DocType: Item,Taxes,מסים
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,שילם ולא נמסר
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,שילם ולא נמסר
DocType: Project,Default Cost Center,מרכז עלות ברירת מחדל
DocType: Bank Guarantee,End Date,תאריך סיום
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,והתאמות מלאות
@@ -3122,22 +3103,20 @@
DocType: Employee,Held On,במוחזק
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,פריט ייצור
,Employee Information,מידע לעובדים
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),שיעור (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),שיעור (%)
DocType: Stock Entry Detail,Additional Cost,עלות נוספת
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,תאריך הפיננסי סוף השנה
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","לא לסנן מבוססים על השובר לא, אם מקובצים לפי שובר"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,הפוך הצעת מחיר של ספק
DocType: Quality Inspection,Incoming,נכנסים
DocType: BOM,Materials Required (Exploded),חומרים דרושים (התפוצצו)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","הוסף משתמשים לארגון שלך, מלבד את עצמך"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},# השורה {0}: סידורי לא {1} אינו תואם עם {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,חופשה מזדמנת
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,חופשה מזדמנת
DocType: Batch,Batch ID,זיהוי אצווה
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},הערה: {0}
,Delivery Note Trends,מגמות תעודת משלוח
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,סיכום זה של השבוע
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,חשבון: {0} ניתן לעדכן רק דרך עסקות במלאי
-DocType: Program Enrollment,Get Courses,קבל קורסים
+DocType: Student Group Creation Tool,Get Courses,קבל קורסים
DocType: GL Entry,Party,מפלגה
DocType: Sales Order,Delivery Date,תאריך משלוח
DocType: Opportunity,Opportunity Date,תאריך הזדמנות
@@ -3145,7 +3124,7 @@
DocType: Request for Quotation Item,Request for Quotation Item,בקשה להצעת מחיר הפריט
DocType: Purchase Order,To Bill,להצעת החוק
DocType: Material Request,% Ordered,% מסודר
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,עֲבוֹדָה בְּקַבּלָנוּת
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,עֲבוֹדָה בְּקַבּלָנוּת
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,ממוצע. שיעור קנייה
DocType: Task,Actual Time (in Hours),זמן בפועל (בשעות)
DocType: Employee,History In Company,ההיסטוריה בחברה
@@ -3160,8 +3139,8 @@
DocType: Opportunity,To Discuss,כדי לדון ב
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} יחידות של {1} צורך {2} כדי להשלים את העסקה הזו.
DocType: SMS Settings,SMS Settings,הגדרות SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,חשבונות זמניים
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,שחור
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,חשבונות זמניים
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,שחור
DocType: BOM Explosion Item,BOM Explosion Item,פריט פיצוץ BOM
DocType: Account,Auditor,מבקר
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} פריטים המיוצרים
@@ -3172,20 +3151,18 @@
DocType: Project Task,Pending Review,בהמתנה לבדיקה
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","נכסים {0} לא יכול להיות לגרוטאות, כפי שהוא כבר {1}"
DocType: Task,Total Expense Claim (via Expense Claim),תביעה סה"כ הוצאות (באמצעות תביעת הוצאות)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,זהות לקוח
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,מארק בהעדר
DocType: Journal Entry Account,Exchange Rate,שער חליפין
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,להזמין מכירות {0} לא יוגש
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,להזמין מכירות {0} לא יוגש
DocType: Homepage,Tag Line,קו תג
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,הוספת פריטים מ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},מחסן {0}: הורה חשבון {1} לא Bolong לחברת {2}
DocType: Cheque Print Template,Regular,רגיל
DocType: BOM,Last Purchase Rate,שער רכישה אחרונה
DocType: Account,Asset,נכס
DocType: Project Task,Task ID,משימת זיהוי
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,המניה לא יכול להתקיים לפריט {0} שכן יש גרסאות
,Sales Person-wise Transaction Summary,סיכום עסקת איש מכירות-חכם
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,מחסן {0} אינו קיים
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,מחסן {0} אינו קיים
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,הירשם לHub ERPNext
DocType: Monthly Distribution,Monthly Distribution Percentages,אחוזים בחתך חודשיים
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,הפריט שנבחר לא יכול להיות אצווה
@@ -3197,30 +3174,30 @@
DocType: Assessment Plan,Supervisor,מְפַקֵחַ
,Available Stock for Packing Items,מלאי זמין לפריטי אריזה
DocType: Item Variant,Item Variant,פריט Variant
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","יתרת חשבון כבר בחיוב, שאינך מורשים להגדרה 'יתרה חייבים להיות' כמו 'אשראי'"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,ניהול איכות
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","יתרת חשבון כבר בחיוב, שאינך מורשים להגדרה 'יתרה חייבים להיות' כמו 'אשראי'"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,ניהול איכות
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,פריט {0} הושבה
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},נא להזין את הכמות לפריט {0}
DocType: Employee External Work History,Employee External Work History,העובד חיצוני היסטוריה עבודה
DocType: Tax Rule,Purchase,רכישה
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,יתרת כמות
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,יתרת כמות
DocType: Item Group,Parent Item Group,קבוצת פריט הורה
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} עבור {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,מרכזי עלות
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,מרכזי עלות
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,קצב שבו ספק של מטבע מומר למטבע הבסיס של החברה
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},# השורה {0}: קונפליקטים תזמונים עם שורת {1}
DocType: Opportunity,Next Contact,לתקשר הבא
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,חשבונות Gateway התקנה.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,חשבונות Gateway התקנה.
DocType: Employee,Employment Type,סוג התעסוקה
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,רכוש קבוע
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,רכוש קבוע
DocType: Payment Entry,Set Exchange Gain / Loss,הגדר Exchange רווח / הפסד
,Cash Flow,תזרים מזומנים
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,תקופת יישום לא יכולה להיות על פני שתי רשומות alocation
DocType: Item Group,Default Expense Account,חשבון הוצאות ברירת המחדל
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,מזהה אימייל סטודנטים
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,מזהה אימייל סטודנטים
DocType: Employee,Notice (days),הודעה (ימים)
DocType: Tax Rule,Sales Tax Template,תבנית מס מכירות
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,בחר פריטים כדי לשמור את החשבונית
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,בחר פריטים כדי לשמור את החשבונית
DocType: Employee,Encashment Date,תאריך encashment
DocType: Account,Stock Adjustment,התאמת מלאי
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},עלות פעילות ברירת המחדל קיימת לסוג פעילות - {0}
@@ -3243,26 +3220,25 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +55,Item valuation rate is recalculated considering landed cost voucher amount,שיעור הערכת שווי פריט מחושב מחדש שוקל סכום שובר עלות נחת
apps/erpnext/erpnext/config/selling.py +153,Default settings for selling transactions.,הגדרות ברירת מחדל עבור עסקות מכירה.
DocType: BOM Replace Tool,Current BOM,BOM הנוכחי
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,להוסיף מספר סידורי
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,להוסיף מספר סידורי
apps/erpnext/erpnext/config/support.py +22,Warranty,אַחֲרָיוּת
DocType: Production Order,Warehouses,מחסנים
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +18,{0} asset cannot be transferred,{0} נכס אינו ניתן להעברה
DocType: Workstation,per hour,לשעה
apps/erpnext/erpnext/config/buying.py +7,Purchasing,רכש
DocType: Announcement,Announcement,הַכרָזָה
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,חשבון למחסן (מלאי תמידי) ייווצר תחת חשבון זה.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,מחסן לא ניתן למחוק ככניסת פנקס המניות קיימת למחסן זה.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,מחסן לא ניתן למחוק ככניסת פנקס המניות קיימת למחסן זה.
DocType: Company,Distribution,הפצה
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,הסכום ששולם
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,מנהל פרויקט
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,מנהל פרויקט
,Quoted Item Comparison,פריט מצוטט השוואה
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,שדר
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,הנחה מרבית המוותרת עבור פריט: {0} היא% {1}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,שדר
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,הנחה מרבית המוותרת עבור פריט: {0} היא% {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,שווי הנכסי נקי כמו על
DocType: Account,Receivable,חייבים
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,# השורה {0}: לא הורשו לשנות ספק כהזמנת רכש כבר קיימת
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,# השורה {0}: לא הורשו לשנות ספק כהזמנת רכש כבר קיימת
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,תפקיד שמותר להגיש עסקות חריגות ממסגרות אשראי שנקבע.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","סינכרון נתוני אב, זה עלול לקחת קצת זמן"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","סינכרון נתוני אב, זה עלול לקחת קצת זמן"
DocType: Item,Material Issue,נושא מהותי
DocType: Hub Settings,Seller Description,תיאור מוכר
DocType: Employee Education,Qualification,הסמכה
@@ -3278,7 +3254,6 @@
DocType: BOM,Rate Of Materials Based On,שיעור חומרים הבוסס על
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analtyics תמיכה
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,בטל הכל
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},חברה חסרה במחסני {0}
DocType: POS Profile,Terms and Conditions,תנאים והגבלות
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},לתאריך צריך להיות בתוך שנת הכספים. בהנחה לתאריך = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","כאן אתה יכול לשמור על גובה, משקל, אלרגיות, בעיות רפואיות וכו '"
@@ -3290,46 +3265,45 @@
DocType: Sales Order Item,For Production,להפקה
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,צפה במשימה
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,השנה שלך הפיננסית מתחילה ב
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,פחת נכסים יתרה
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},סכום {0} {1} הועברה מבית {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},סכום {0} {1} הועברה מבית {2} {3}
DocType: Sales Invoice,Get Advances Received,קבלו התקבלו מקדמות
DocType: Email Digest,Add/Remove Recipients,הוספה / הסרה של מקבלי
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},עסקה לא אפשרה נגד הפקה הפסיקה להזמין {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},עסקה לא אפשרה נגד הפקה הפסיקה להזמין {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","כדי להגדיר שנת כספים זו כברירת מחדל, לחץ על 'קבע כברירת מחדל'"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,לְהִצְטַרֵף
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,לְהִצְטַרֵף
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,מחסור כמות
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,גרסת פריט {0} קיימת עימן תכונות
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,גרסת פריט {0} קיימת עימן תכונות
DocType: Salary Slip,Salary Slip,שכר Slip
DocType: Pricing Rule,Margin Rate or Amount,שיעור או סכום שולי
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +48,'To Date' is required,'עד תאריך' נדרש
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","צור תלושי אריזה עבור חבילות שתימסר. נהג להודיע מספר חבילה, תוכן אריזה והמשקל שלה."
DocType: Sales Invoice Item,Sales Order Item,פריט להזמין מכירות
DocType: Salary Slip,Payment Days,ימי תשלום
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,מחסן עם בלוטות ילד לא ניתן להמיר לדג'ר
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,מחסן עם בלוטות ילד לא ניתן להמיר לדג'ר
DocType: BOM,Manage cost of operations,ניהול עלות של פעולות
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","כאשר כל אחת מהעסקאות בדקו ""הוגש"", מוקפץ הדוא""ל נפתח באופן אוטומטי לשלוח דואר אלקטרוני לקשורים ""צור קשר"" בעסקה ש, עם העסקה כקובץ מצורף. המשתמשים יכולים או לא יכולים לשלוח הדואר האלקטרוני."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,הגדרות גלובליות
DocType: Employee Education,Employee Education,חינוך לעובדים
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,הוא צריך את זה כדי להביא פרטי פריט.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,הוא צריך את זה כדי להביא פרטי פריט.
DocType: Salary Slip,Net Pay,חבילת נקי
DocType: Account,Account,חשבון
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,מספר סידורי {0} כבר קיבל
,Requested Items To Be Transferred,פריטים מבוקשים שיועברו
DocType: Purchase Invoice,Recurring Id,זיהוי חוזר
DocType: Customer,Sales Team Details,פרטי צוות מכירות
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,למחוק לצמיתות?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,למחוק לצמיתות?
DocType: Expense Claim,Total Claimed Amount,"סכום הנתבע סה""כ"
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,הזדמנויות פוטנציאליות למכירה.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},לא חוקי {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,חופשת מחלה
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},לא חוקי {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,חופשת מחלה
DocType: Email Digest,Email Digest,"תקציר דוא""ל"
DocType: Delivery Note,Billing Address Name,שם כתובת לחיוב
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,חנויות כלבו
DocType: Warehouse,PIN,פִּין
DocType: Sales Invoice,Base Change Amount (Company Currency),שנת סכום בסיס (מטבע חברה)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,אין רישומים חשבונאיים למחסנים הבאים
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,אין רישומים חשבונאיים למחסנים הבאים
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,שמור את המסמך ראשון.
DocType: Account,Chargeable,נִטעָן
DocType: Company,Change Abbreviation,קיצור שינוי
@@ -3345,7 +3319,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,תאריך אספקה צפוי לא יכול להיות לפני תאריך הזמנת הרכש
DocType: Appraisal,Appraisal Template,הערכת תבנית
DocType: Item Group,Item Classification,סיווג פריט
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,מנהל פיתוח עסקי
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,מנהל פיתוח עסקי
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,מטרת התחזוקה בקר
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,תקופה
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,בכלל לדג'ר
@@ -3354,8 +3328,8 @@
DocType: Item Attribute Value,Attribute Value,תכונה ערך
,Itemwise Recommended Reorder Level,Itemwise מומלץ להזמנה חוזרת רמה
DocType: Salary Detail,Salary Detail,פרטי שכר
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,אנא בחר {0} ראשון
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,אצווה {0} של פריט {1} פג.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,אנא בחר {0} ראשון
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,אצווה {0} של פריט {1} פג.
DocType: Sales Invoice,Commission,הוועדה
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,זמן גיליון לייצור.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,סיכום ביניים
@@ -3379,10 +3353,9 @@
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,פחת שנצבר כמו על
DocType: Sales Invoice,C-Form Applicable,C-טופס ישים
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},מבצע זמן חייב להיות גדול מ 0 למבצע {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,המחסן הוא חובה
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,המחסן הוא חובה
DocType: Supplier,Address and Contacts,כתובת ומגעים
DocType: UOM Conversion Detail,UOM Conversion Detail,פרט של אוני 'מישגן ההמרה
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),שמור את זה באינטרנט 900px הידידותי (w) על ידי 100px (ח)
DocType: Program,Program Abbreviation,קיצור התוכנית
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,להזמין ייצור לא יכול להיות שהועלה נגד תבנית פריט
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,חיובים מתעדכנות בקבלת רכישה כנגד כל פריט
@@ -3390,7 +3363,7 @@
DocType: Bank Guarantee,Start Date,תאריך ההתחלה
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,להקצות עלים לתקופה.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,המחאות ופיקדונות פינו באופן שגוי
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,חשבון {0}: לא ניתן להקצות את עצמו כחשבון אב
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,חשבון {0}: לא ניתן להקצות את עצמו כחשבון אב
DocType: Purchase Invoice Item,Price List Rate,מחיר מחירון שערי
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","הצג ""במלאי"" או ""לא במלאי"", המבוסס על המלאי זמין במחסן זה."
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),הצעת החוק של חומרים (BOM)
@@ -3407,17 +3380,17 @@
DocType: Workstation,Operating Costs,עלויות תפעול
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,פעולה אם שנצבר חודשי תקציב חריג
DocType: Purchase Invoice,Submit on creation,שלח על יצירה
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},מטבע עבור {0} חייב להיות {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},מטבע עבור {0} חייב להיות {1}
DocType: Asset,Disposal Date,תאריך סילוק
DocType: Employee Leave Approver,Employee Leave Approver,עובד חופשה מאשר
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},שורת {0}: כניסת סידור מחדש כבר קיימת למחסן זה {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},שורת {0}: כניסת סידור מחדש כבר קיימת למחסן זה {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","לא יכול להכריז על שאבד כ, כי הצעת מחיר כבר עשתה."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,ייצור להזמין {0} יש להגיש
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,ייצור להזמין {0} יש להגיש
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},אנא בחר תאריך התחלה ותאריך סיום לפריט {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},הקורס הוא חובה בשורת {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,עד כה לא יכול להיות לפני מהמועד
DocType: Supplier Quotation Item,Prevdoc DocType,DOCTYPE Prevdoc
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,להוסיף מחירים / עריכה
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,להוסיף מחירים / עריכה
DocType: Cheque Print Template,Cheque Print Template,תבנית הדפסת המחאה
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,תרשים של מרכזי עלות
,Requested Items To Be Ordered,פריטים מבוקשים כדי להיות הורה
@@ -3438,13 +3411,13 @@
apps/erpnext/erpnext/config/hr.py +229,Organization unit (department) master.,יחידת ארגון הורים (מחלקה).
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,נא להזין nos תקף הנייד
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,נא להזין את ההודעה לפני השליחה
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,נקודה-של-מכירת פרופיל
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,נקודה-של-מכירת פרופיל
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,אנא עדכן את הגדרות SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,"הלוואות בחו""ל"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,"הלוואות בחו""ל"
DocType: Cost Center,Cost Center Name,שם מרכז עלות
DocType: Employee,B+,B +
DocType: Maintenance Schedule Detail,Scheduled Date,תאריך מתוכנן
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,"Amt שילם סה""כ"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,"Amt שילם סה""כ"
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,הודעות יותר מ -160 תווים יפוצלו למספר הודעות
DocType: Purchase Receipt Item,Received and Accepted,קיבלתי ואשר
,Serial No Service Contract Expiry,שירות סידורי חוזה תפוגה
@@ -3452,35 +3425,35 @@
DocType: Naming Series,Help HTML,העזרה HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,כלי יצירת סטודנט קבוצה
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},"weightage סה""כ הוקצה צריך להיות 100%. זה {0}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,הספקים שלך
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,הספקים שלך
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,לא ניתן להגדיר כאבודים כלהזמין מכירות נעשה.
DocType: Request for Quotation Item,Supplier Part No,אין ספק חלק
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,התקבל מ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,התקבל מ
DocType: Lead,Converted,המרה
DocType: Item,Has Serial No,יש מספר סידורי
DocType: Employee,Date of Issue,מועד ההנפקה
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: החל מ- {0} עבור {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},# השורה {0}: ספק הוגדר לפריט {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,שורה {0}: שעות הערך חייב להיות גדול מאפס.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,לא ניתן למצוא תמונה באתר האינטרנט {0} המצורף לפריט {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,לא ניתן למצוא תמונה באתר האינטרנט {0} המצורף לפריט {1}
DocType: Issue,Content Type,סוג תוכן
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,מחשב
DocType: Item,List this Item in multiple groups on the website.,רשימת פריט זה במספר קבוצות באתר.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,אנא בדוק את אפשרות מטבע רב כדי לאפשר חשבונות עם מטבע אחר
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,פריט: {0} אינו קיים במערכת
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,אתה לא רשאי לקבוע ערך קפוא
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,פריט: {0} אינו קיים במערכת
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,אתה לא רשאי לקבוע ערך קפוא
DocType: Payment Reconciliation,Get Unreconciled Entries,קבל ערכים לא מותאמים
DocType: Payment Reconciliation,From Invoice Date,מתאריך החשבונית
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,מטבע חיוב חייב להיות שווה מטבע של או מטבע או צד חשבון comapany מחדל
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,מה זה עושה?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,מטבע חיוב חייב להיות שווה מטבע של או מטבע או צד חשבון comapany מחדל
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,מה זה עושה?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,למחסן
,Average Commission Rate,שערי העמלה הממוצעת
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,"""יש מספר סידורי 'לא יכול להיות' כן 'ללא מוחזק במלאי פריט"
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""יש מספר סידורי 'לא יכול להיות' כן 'ללא מוחזק במלאי פריט"
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,נוכחות לא יכולה להיות מסומנת עבור תאריכים עתידיים
DocType: Pricing Rule,Pricing Rule Help,עזרה כלל תמחור
DocType: Purchase Taxes and Charges,Account Head,חשבון ראש
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,עדכון עלויות נוספות לחישוב עלות נחתה של פריטים
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,חשמל
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,חשמל
DocType: Stock Entry,Total Value Difference (Out - In),הבדל ערך כולל (Out - ב)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,שורת {0}: שער החליפין הוא חובה
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},זיהוי משתמש לא נקבע לעובדים {0}
@@ -3488,7 +3461,7 @@
DocType: Item,Customer Code,קוד לקוח
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},תזכורת יום הולדת עבור {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,ימים מאז הזמנה אחרונה
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,חיוב החשבון חייב להיות חשבון מאזן
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,חיוב החשבון חייב להיות חשבון מאזן
DocType: Buying Settings,Naming Series,סדרת שמות
DocType: Leave Block List,Leave Block List Name,השאר שם בלוק רשימה
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +32,Stock Assets,נכסים במלאי
@@ -3501,17 +3474,17 @@
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,סגירת חשבון {0} חייבת להיות אחריות / הון עצמי סוג
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},תלוש משכורת של עובד {0} כבר נוצר עבור גיליון זמן {1}
DocType: Sales Order Item,Ordered Qty,כמות הורה
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,פריט {0} הוא נכים
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,פריט {0} הוא נכים
DocType: Stock Settings,Stock Frozen Upto,המניה קפואה Upto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM אינו מכיל כל פריט במלאי
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM אינו מכיל כל פריט במלאי
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},תקופה ומתקופה לתאריכי חובה עבור חוזר {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,פעילות פרויקט / משימה.
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,צור תלושי שכר
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","קנייה יש לבדוק, אם לישים שנבחרה הוא {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","קנייה יש לבדוק, אם לישים שנבחרה הוא {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,דיסקונט חייב להיות פחות מ -100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,שער הרכישה האחרונה לא נמצא
DocType: Purchase Invoice,Write Off Amount (Company Currency),לכתוב את הסכום (חברת מטבע)
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,# השורה {0}: אנא הגדר כמות הזמנה חוזרת
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,# השורה {0}: אנא הגדר כמות הזמנה חוזרת
DocType: Fees,Program Enrollment,הרשמה לתכנית
DocType: Landed Cost Voucher,Landed Cost Voucher,שובר עלות נחת
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},אנא הגדר {0}
@@ -3534,7 +3507,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","לדוגמא:. ABCD ##### אם הסדרה מוגדרת ומספר סידורי אינו מוזכר בעסקות, מספר סידורי ולאחר מכן אוטומטי ייווצר מבוסס על סדרה זו. אם אתה תמיד רוצה להזכיר במפורש מס 'סידורי לפריט זה. להשאיר ריק זה."
DocType: Upload Attendance,Upload Attendance,נוכחות העלאה
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM וכמות הייצור נדרשים
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM וכמות הייצור נדרשים
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,טווח הזדקנות 2
DocType: SG Creation Tool Course,Max Strength,מקס חוזק
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM הוחלף
@@ -3542,7 +3515,7 @@
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +114,Available {0},זמין {0}
DocType: Manufacturing Settings,Manufacturing Settings,הגדרות ייצור
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,הגדרת דוא"ל
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,נא להזין את ברירת מחדל של המטבע בחברה Master
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,נא להזין את ברירת מחדל של המטבע בחברה Master
DocType: Stock Entry Detail,Stock Entry Detail,פרט מניית הכניסה
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,תזכורות יומיות
DocType: Products Settings,Home Page is Products,דף הבית הוא מוצרים
@@ -3551,7 +3524,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,שם חשבון חדש
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,עלות חומרי גלם הסופק
DocType: Selling Settings,Settings for Selling Module,הגדרות עבור מכירת מודול
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,שירות לקוחות
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,שירות לקוחות
DocType: BOM,Thumbnail,תמונה ממוזערת
DocType: Item Customer Detail,Item Customer Detail,פרט לקוחות פריט
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,מועמד הצעת עבודה.
@@ -3560,7 +3533,7 @@
DocType: Pricing Rule,Percentage,אֲחוּזִים
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,פריט {0} חייב להיות פריט מניות
DocType: Manufacturing Settings,Default Work In Progress Warehouse,עבודה המוגדרת כברירת מחדל במחסן ההתקדמות
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,הגדרות ברירת מחדל עבור עסקות חשבונאיות.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,הגדרות ברירת מחדל עבור עסקות חשבונאיות.
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,תאריך צפוי לא יכול להיות לפני תאריך בקשת חומר
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,שגיאה: לא מזהה בתוקף?
DocType: Naming Series,Update Series Number,עדכון סדרת מספר
@@ -3568,9 +3541,9 @@
DocType: Sales Order,Printing Details,הדפסת פרטים
DocType: Task,Closing Date,תאריך סגירה
DocType: Sales Order Item,Produced Quantity,כמות מיוצרת
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,מהנדס
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,מהנדס
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,הרכבות תת חיפוש
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},קוד פריט נדרש בשורה לא {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},קוד פריט נדרש בשורה לא {0}
DocType: Sales Partner,Partner Type,שם שותף
DocType: Purchase Taxes and Charges,Actual,בפועל
DocType: Authorization Rule,Customerwise Discount,Customerwise דיסקונט
@@ -3587,11 +3560,11 @@
DocType: Item Reorder,Re-Order Level,סדר מחדש רמה
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,הזן פריטים וכמות מתוכננת עבורו ברצון להעלות הזמנות ייצור או להוריד חומרי גלם לניתוח.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,תרשים גנט
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,במשרה חלקית
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,במשרה חלקית
DocType: Employee,Applicable Holiday List,רשימת Holiday ישימה
DocType: Employee,Cheque,המחאה
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,סדרת עדכון
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,סוג הדוח הוא חובה
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,סוג הדוח הוא חובה
DocType: Item,Serial Number Series,סדרת מספר סידורי
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},המחסן הוא חובה עבור פריט המניה {0} בשורת {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,קמעונאות וסיטונאות
@@ -3609,7 +3582,7 @@
DocType: BOM,Materials,חומרים
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","אם לא בדק, הרשימה תצטרך להוסיף לכל מחלקה שבה יש ליישם."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,המקור ושפת היעד מחסן לא יכול להיות זהה
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,תאריך הפרסום ופרסום הזמן הוא חובה
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,תאריך הפרסום ופרסום הזמן הוא חובה
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,תבנית מס בעסקות קנייה.
,Item Prices,מחירי פריט
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,במילים יהיו גלוי לאחר שתשמרו את הזמנת הרכש.
@@ -3619,16 +3592,16 @@
DocType: Purchase Invoice,Advance Payments,תשלומים מראש
DocType: Purchase Taxes and Charges,On Net Total,בסך הכל נטו
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},ערך תמורת תכונה {0} חייב להיות בטווח של {1} {2} וזאת במדרגות של {3} עבור פריט {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,מחסן יעד בשורת {0} חייב להיות זהה להזמנת ייצור
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,מחסן יעד בשורת {0} חייב להיות זהה להזמנת ייצור
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,"""כתובות דוא""ל הודעה 'לא צוינו עבור חוזר% s"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,מטבע לא ניתן לשנות לאחר ביצוע ערכים באמצעות כמה מטבע אחר
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,מטבע לא ניתן לשנות לאחר ביצוע ערכים באמצעות כמה מטבע אחר
DocType: Company,Round Off Account,לעגל את החשבון
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,הוצאות הנהלה
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,הוצאות הנהלה
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,ייעוץ
DocType: Customer Group,Parent Customer Group,קבוצת לקוחות הורה
DocType: Purchase Invoice,Contact Email,"דוא""ל ליצירת קשר"
DocType: Appraisal Goal,Score Earned,הציון שנצבר
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,תקופת הודעה
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,תקופת הודעה
DocType: Asset Category,Asset Category Name,שם קטגוריה נכסים
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,זהו שטח שורש ולא ניתן לערוך.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,ניו איש מכירות שם
@@ -3642,17 +3615,16 @@
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,כמות של פריט המתקבלת לאחר ייצור / אריזה מחדש מכמויות מסוימות של חומרי גלם
DocType: Payment Reconciliation,Receivable / Payable Account,חשבון לקבל / לשלם
DocType: Delivery Note Item,Against Sales Order Item,נגד פריט להזמין מכירות
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},ציין מאפיין ערך עבור תכונת {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},ציין מאפיין ערך עבור תכונת {0}
DocType: Item,Default Warehouse,מחסן ברירת מחדל
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},תקציב לא ניתן להקצות נגד קבוצת חשבון {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,נא להזין מרכז עלות הורה
DocType: Delivery Note,Print Without Amount,הדפסה ללא סכום
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,תאריך פחת
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"קטגוריה מס לא יכולה להיות ""הערכה"" או ""הערכה וסה""כ 'ככל הפריטים הם פריטים שאינם במלאי"
DocType: Issue,Support Team,צוות תמיכה
DocType: Appraisal,Total Score (Out of 5),ציון כולל (מתוך 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,אצווה
+DocType: Student Attendance Tool,Batch,אצווה
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,מאזן
DocType: Room,Seating Capacity,מקומות ישיבה
DocType: Issue,ISS-,ISS-
@@ -3664,7 +3636,7 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,מחסן מוצרים מוגמר ברירת מחדל
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,איש מכירות
DocType: SMS Parameter,SMS Parameter,פרמטר SMS
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,תקציב מרכז עלות
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,תקציב מרכז עלות
DocType: Vehicle Service,Half Yearly,חצי שנתי
DocType: Lead,Blog Subscriber,Subscriber בלוג
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,יצירת כללים להגבלת עסקות המבוססות על ערכים.
@@ -3686,33 +3658,34 @@
,Items To Be Requested,פריטים להידרש
DocType: Purchase Order,Get Last Purchase Rate,קבל אחרון תעריף רכישה
DocType: Company,Company Info,מידע על חברה
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,בחר או הוסף לקוח חדש
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,בחר או הוסף לקוח חדש
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),יישום של קרנות (נכסים)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,זה מבוסס על הנוכחות של העובד
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +461,Debit Account,חשבון חיוב
DocType: Fiscal Year,Year Start Date,תאריך התחלת שנה
DocType: Attendance,Employee Name,שם עובד
DocType: Sales Invoice,Rounded Total (Company Currency),"סה""כ מעוגל (חברת מטבע)"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,לא יכול סמוי לקבוצה בגלל סוג חשבון הנבחר.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,לא יכול סמוי לקבוצה בגלל סוג חשבון הנבחר.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} כבר שונה. אנא רענן.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,להפסיק ממשתמשים לבצע יישומי חופשה בימים שלאחר מכן.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,סכום הרכישה
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,הצעת מחיר הספק {0} נוצר
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,הטבות לעובדים
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,הטבות לעובדים
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},כמות ארוזה חייבת להיות שווה לכמות פריט {0} בשורת {1}
DocType: Production Order,Manufactured Qty,כמות שיוצרה
DocType: Purchase Receipt Item,Accepted Quantity,כמות מקובלת
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},אנא להגדיר ברירת מחדל Holiday רשימה עבור שכיר {0} או החברה {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} לא קיים
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} לא קיים
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,הצעות חוק שהועלו ללקוחות.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,פרויקט זיהוי
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},שורה לא {0}: הסכום אינו יכול להיות גדול מהסכום ממתין נגד תביעת {1} הוצאות. הסכום בהמתנת {2}
DocType: Maintenance Schedule,Schedule,לוח זמנים
DocType: Account,Parent Account,חשבון הורה
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,זמין
DocType: Quality Inspection Reading,Reading 3,רידינג 3
,Hub,רכזת
DocType: GL Entry,Voucher Type,סוג שובר
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,מחיר המחירון לא נמצא או נכים
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,מחיר המחירון לא נמצא או נכים
DocType: Employee Loan Application,Approved,אושר
DocType: Pricing Rule,Price,מחיר
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',עובד הקלה על {0} חייב להיות מוגדרים כ'שמאל '
@@ -3720,14 +3693,14 @@
DocType: Employee,Education,חינוך
DocType: Selling Settings,Campaign Naming By,Naming קמפיין ב
DocType: Employee,Current Address Is,כתובת הנוכחית
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","אופציונאלי. סטי ברירת מחדל המטבע של החברה, אם לא צוין."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","אופציונאלי. סטי ברירת מחדל המטבע של החברה, אם לא צוין."
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,כתב עת חשבונאות ערכים.
DocType: Delivery Note Item,Available Qty at From Warehouse,כמות זמינה ממחסן
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,אנא בחר עובד רשומה ראשון.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},שורה {0}: מסיבה / חשבון אינו תואם עם {1} / {2} {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,נא להזין את חשבון הוצאות
DocType: Account,Stock,מלאי
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","# השורה {0}: Reference סוג המסמך חייב להיות אחד הזמנת רכש, חשבונית רכישה או תנועת יומן"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","# השורה {0}: Reference סוג המסמך חייב להיות אחד הזמנת רכש, חשבונית רכישה או תנועת יומן"
DocType: Employee,Current Address,כתובת נוכחית
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","אם פריט הנו נגזר של פריט נוסף לאחר מכן תיאור, תמונה, תמחור, וכו 'ייקבעו מסים מהתבנית אלא אם צוין במפורש"
DocType: Serial No,Purchase / Manufacture Details,רכישה / פרטי ייצור
@@ -3739,8 +3712,8 @@
DocType: Pricing Rule,Min Qty,דקות כמות
DocType: Asset Movement,Transaction Date,תאריך עסקה
DocType: Production Plan Item,Planned Qty,מתוכננת כמות
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,"מס סה""כ"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,לכמות (מיוצר כמות) הוא חובה
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,"מס סה""כ"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,לכמות (מיוצר כמות) הוא חובה
DocType: Stock Entry,Default Target Warehouse,מחסן יעד ברירת מחדל
DocType: Purchase Invoice,Net Total (Company Currency),"סה""כ נקי (חברת מטבע)"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +105,Row {0}: Party Type and Party is only applicable against Receivable / Payable account,שורת {0}: מפלגת סוג והמפלגה הוא ישים רק נגד חייבים / חשבון לתשלום
@@ -3751,35 +3724,33 @@
DocType: Hub Settings,Hub Settings,הגדרות Hub
DocType: Project,Gross Margin %,% שיעור רווח גולמי
DocType: BOM,With Operations,עם מבצעים
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,רישומים חשבונאיים כבר נעשו במטבע {0} לחברת {1}. אנא בחר חשבון לקבל או לשלם במטבע {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,רישומים חשבונאיים כבר נעשו במטבע {0} לחברת {1}. אנא בחר חשבון לקבל או לשלם במטבע {0}.
DocType: Asset,Is Existing Asset,האם קיימים נכסים
-,Monthly Salary Register,חודשי שכר הרשמה
DocType: Warranty Claim,If different than customer address,אם שונה מכתובת הלקוח
DocType: BOM Operation,BOM Operation,BOM מבצע
DocType: Purchase Taxes and Charges,On Previous Row Amount,על סכום שורה הקודם
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Asset Transfer
DocType: POS Profile,POS Profile,פרופיל קופה
apps/erpnext/erpnext/config/schools.py +39,Admission,הוֹדָאָה
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","עונתיות להגדרת תקציבים, יעדים וכו '"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","פריט {0} הוא תבנית, אנא בחר באחת מגרסותיה"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","עונתיות להגדרת תקציבים, יעדים וכו '"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","פריט {0} הוא תבנית, אנא בחר באחת מגרסותיה"
DocType: Asset,Asset Category,קטגורית נכסים
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,רוכש
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,שכר נטו לא יכול להיות שלילי
DocType: SMS Settings,Static Parameters,פרמטרים סטטיים
DocType: Assessment Plan,Room,חֶדֶר
DocType: Purchase Order,Advance Paid,מראש בתשלום
DocType: Item,Item Tax,מס פריט
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,חומר לספקים
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,בלו חשבונית
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,בלו חשבונית
DocType: Expense Claim,Employees Email Id,"דוא""ל עובדי זיהוי"
DocType: Employee Attendance Tool,Marked Attendance,נוכחות בולטת
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,התחייבויות שוטפות
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,התחייבויות שוטפות
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,שלח SMS המוני לאנשי הקשר שלך
DocType: Program,Program Name,שם התכנית
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,שקול מס או תשלום עבור
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,הכמות בפועל היא חובה
DocType: Scheduling Tool,Scheduling Tool,כלי תזמון
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,כרטיס אשראי
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,כרטיס אשראי
DocType: BOM,Item to be manufactured or repacked,פריט שמיוצר או ארזה
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,הגדרות ברירת מחדל עבור עסקות מניות.
DocType: Purchase Invoice,Next Date,התאריך הבא
@@ -3793,47 +3764,46 @@
DocType: Stock Entry,Repack,לארוז מחדש
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,עליך לשמור את הטופס לפני שתמשיך
DocType: Item Attribute,Numeric Values,ערכים מספריים
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,צרף לוגו
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,צרף לוגו
DocType: Customer,Commission Rate,הוועדה שערי
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,הפוך Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,הפוך Variant
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,יישומי חופשת בלוק על ידי מחלקה.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer",סוג התשלום חייב להיות אחד וקבל שכר וטובות העברה פנימית
apps/erpnext/erpnext/config/selling.py +179,Analytics,Analytics
apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empty,עגלה ריקה
DocType: Production Order,Actual Operating Cost,עלות הפעלה בפועל
DocType: Payment Entry,Cheque/Reference No,המחאה / אסמכתא
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,לא ניתן לערוך את השורש.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,לא ניתן לערוך את השורש.
DocType: Manufacturing Settings,Allow Production on Holidays,לאפשר ייצור בחגים
DocType: Sales Order,Customer's Purchase Order Date,תאריך הזמנת הרכש של הלקוח
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,מלאי הון
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,מלאי הון
DocType: Packing Slip,Package Weight Details,חבילת משקל פרטים
DocType: Payment Gateway Account,Payment Gateway Account,חשבון תשלום Gateway
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,לאחר השלמת התשלום להפנות המשתמש לדף הנבחר.
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,אנא בחר קובץ CSV
DocType: Purchase Order,To Receive and Bill,כדי לקבל וביל
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,מוצרים מומלצים
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,מעצב
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,מעצב
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,תבנית תנאים והגבלות
DocType: Serial No,Delivery Details,פרטי משלוח
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},מרכז העלות נדרש בשורת {0} במסי שולחן לסוג {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},מרכז העלות נדרש בשורת {0} במסי שולחן לסוג {1}
DocType: Program,Program Code,קוד התוכנית
,Item-wise Purchase Register,הרשם רכישת פריט-חכם
DocType: Batch,Expiry Date,תַאֲרִיך תְפוּגָה
-,Supplier Addresses and Contacts,כתובות ספק ומגעים
,accounts-browser,חשבונות-דפדפן
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,אנא בחר תחילה קטגוריה
apps/erpnext/erpnext/config/projects.py +13,Project master.,אדון פרויקט.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","כדי לאפשר יתר החיוב או יתר ההזמנה, לעדכן "קצבה" במלאי הגדרות או הפריט."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","כדי לאפשר יתר החיוב או יתר ההזמנה, לעדכן "קצבה" במלאי הגדרות או הפריט."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,לא מראה שום סימן כמו $$ וכו 'הבא למטבעות.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(חצי יום)
DocType: Supplier,Credit Days,ימי אשראי
DocType: Leave Type,Is Carry Forward,האם להמשיך קדימה
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,קבל פריטים מBOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,קבל פריטים מBOM
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,להוביל ימי זמן
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},# שורה {0}: פרסום תאריך חייב להיות זהה לתאריך הרכישה {1} של נכס {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},# שורה {0}: פרסום תאריך חייב להיות זהה לתאריך הרכישה {1} של נכס {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,נא להזין הזמנות ומכירות בטבלה לעיל
,Stock Summary,סיכום במלאי
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,להעביר נכס ממחסן אחד למשנהו
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,להעביר נכס ממחסן אחד למשנהו
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,הצעת חוק של חומרים
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},שורת {0}: מפלגת סוג והמפלגה נדרשים לבקל / חשבון זכאים {1}
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,תאריך אסמכתא
@@ -3841,6 +3811,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,סכום גושפנקא
DocType: GL Entry,Is Opening,האם פתיחה
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},שורת {0}: כניסת חיוב לא יכולה להיות מקושרת עם {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,חשבון {0} אינו קיים
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,חשבון {0} אינו קיים
DocType: Account,Cash,מזומנים
DocType: Employee,Short biography for website and other publications.,ביוגרפיה קצרות באתר האינטרנט של ופרסומים אחרים.
diff --git a/erpnext/translations/hi.csv b/erpnext/translations/hi.csv
index a774eb2..4c47e43 100644
--- a/erpnext/translations/hi.csv
+++ b/erpnext/translations/hi.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,उपभोक्ता उत्पाद
DocType: Item,Customer Items,ग्राहक आइटम
DocType: Project,Costing and Billing,लागत और बिलिंग
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,खाते {0}: माता पिता के खाते {1} एक खाता नहीं हो सकता
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,खाते {0}: माता पिता के खाते {1} एक खाता नहीं हो सकता
DocType: Item,Publish Item to hub.erpnext.com,Hub.erpnext.com करने के लिए आइटम प्रकाशित
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,ईमेल सूचनाएं
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,मूल्यांकन
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,मूल्यांकन
DocType: Item,Default Unit of Measure,माप की मूलभूत इकाई
DocType: SMS Center,All Sales Partner Contact,सभी बिक्री साथी संपर्क
DocType: Employee,Leave Approvers,अनुमोदकों छोड़ दो
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),विनिमय दर के रूप में ही किया जाना चाहिए {0} {1} ({2})
DocType: Sales Invoice,Customer Name,ग्राहक का नाम
DocType: Vehicle,Natural Gas,प्राकृतिक गैस
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},बैंक खाते के रूप में नामित नहीं किया जा सकता {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},बैंक खाते के रूप में नामित नहीं किया जा सकता {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,प्रमुखों (या समूह) के खिलाफ जो लेखांकन प्रविष्टियों बना रहे हैं और संतुलन बनाए रखा है।
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),बकाया {0} शून्य से भी कम नहीं किया जा सकता है के लिए ({1})
DocType: Manufacturing Settings,Default 10 mins,10 मिनट चूक
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,सभी आपूर्तिकर्ता संपर्क
DocType: Support Settings,Support Settings,समर्थन सेटिंग
DocType: SMS Parameter,Parameter,प्राचल
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,उम्मीद अंत तिथि अपेक्षित प्रारंभ तिथि से कम नहीं हो सकता है
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,उम्मीद अंत तिथि अपेक्षित प्रारंभ तिथि से कम नहीं हो सकता है
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,पंक्ति # {0}: दर के रूप में ही किया जाना चाहिए {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,नई छुट्टी के लिए अर्जी
,Batch Item Expiry Status,बैच मद समाप्ति की स्थिति
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,बैंक ड्राफ्ट
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,बैंक ड्राफ्ट
DocType: Mode of Payment Account,Mode of Payment Account,भुगतान खाता का तरीका
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,दिखाएँ वेरिएंट
DocType: Academic Term,Academic Term,शैक्षणिक अवधि
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,सामग्री
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,मात्रा
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,खातों की तालिका खाली नहीं हो सकता।
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),ऋण (देनदारियों)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),ऋण (देनदारियों)
DocType: Employee Education,Year of Passing,पासिंग का वर्ष
DocType: Item,Country of Origin,उद्गम देश
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,स्टॉक में
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,स्टॉक में
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,खुले मामले
DocType: Production Plan Item,Production Plan Item,उत्पादन योजना मद
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},प्रयोक्ता {0} पहले से ही कर्मचारी को सौंपा है {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,स्वास्थ्य देखभाल
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),भुगतान में देरी (दिन)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,सेवा व्यय
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},सीरियल नंबर: {0} पहले से ही बिक्री चालान में संदर्भित है: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},सीरियल नंबर: {0} पहले से ही बिक्री चालान में संदर्भित है: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,बीजक
DocType: Maintenance Schedule Item,Periodicity,आवधिकता
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,वित्त वर्ष {0} की आवश्यकता है
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,पंक्ति # {0}:
DocType: Timesheet,Total Costing Amount,कुल लागत राशि
DocType: Delivery Note,Vehicle No,वाहन नहीं
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,मूल्य सूची का चयन करें
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,मूल्य सूची का चयन करें
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,पंक्ति # {0}: भुगतान दस्तावेज़ trasaction पूरा करने के लिए आवश्यक है
DocType: Production Order Operation,Work In Progress,अर्धनिर्मित उत्पादन
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,कृपया तिथि का चयन
DocType: Employee,Holiday List,अवकाश सूची
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,मुनीम
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,मुनीम
DocType: Cost Center,Stock User,शेयर उपयोगकर्ता
DocType: Company,Phone No,कोई फोन
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,पाठ्यक्रम कार्यक्रम बनाया:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},नई {0}: # {1}
,Sales Partners Commission,बिक्री पार्टनर्स आयोग
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,संक्षिप्त 5 से अधिक वर्ण की नहीं हो सकती
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,संक्षिप्त 5 से अधिक वर्ण की नहीं हो सकती
DocType: Payment Request,Payment Request,भुगतान अनुरोध
DocType: Asset,Value After Depreciation,मूल्य ह्रास के बाद
DocType: Employee,O+,ओ +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,उपस्थिति तारीख कर्मचारी के शामिल होने की तारीख से कम नहीं किया जा सकता है
DocType: Grading Scale,Grading Scale Name,ग्रेडिंग पैमाने नाम
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,इस रुट खाता है और संपादित नहीं किया जा सकता है .
+DocType: Sales Invoice,Company Address,कंपनी का पता
DocType: BOM,Operations,संचालन
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},के लिए छूट के आधार पर प्राधिकरण सेट नहीं कर सकता {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","दो कॉलम, पुराने नाम के लिए एक और नए नाम के लिए एक साथ .csv फ़ाइल संलग्न करें"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} किसी भी सक्रिय वित्त वर्ष में नहीं है।
DocType: Packed Item,Parent Detail docname,माता - पिता विस्तार docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","संदर्भ: {0}, मद कोड: {1} और ग्राहक: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,किलो
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,किलो
DocType: Student Log,Log,लॉग
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,एक नौकरी के लिए खोलना.
DocType: Item Attribute,Increment,वेतन वृद्धि
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,विज्ञापन
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,एक ही कंपनी के एक से अधिक बार दर्ज किया जाता है
DocType: Employee,Married,विवाहित
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},अनुमति नहीं {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},अनुमति नहीं {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,से आइटम प्राप्त
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},शेयर वितरण नोट के खिलाफ अद्यतन नहीं किया जा सकता {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},शेयर वितरण नोट के खिलाफ अद्यतन नहीं किया जा सकता {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},उत्पाद {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,कोई आइटम सूचीबद्ध नहीं
DocType: Payment Reconciliation,Reconcile,समाधान करना
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,अगली मूल्यह्रास की तारीख से पहले खरीद की तिथि नहीं किया जा सकता
DocType: SMS Center,All Sales Person,सभी बिक्री व्यक्ति
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** मासिक वितरण ** अगर आप अपने व्यवसाय में मौसमी है आप महीने भर का बजट / लक्ष्य वितरित मदद करता है।
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,नहीं आइटम नहीं मिला
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,नहीं आइटम नहीं मिला
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,वेतन ढांचे गुम
DocType: Lead,Person Name,व्यक्ति का नाम
DocType: Sales Invoice Item,Sales Invoice Item,बिक्री चालान आइटम
DocType: Account,Credit,श्रेय
DocType: POS Profile,Write Off Cost Center,ऑफ लागत केंद्र लिखें
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",उदाहरण के लिए "प्राइमरी स्कूल" या "विश्वविद्यालय"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",उदाहरण के लिए "प्राइमरी स्कूल" या "विश्वविद्यालय"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,स्टॉक रिपोर्ट
DocType: Warehouse,Warehouse Detail,वेअरहाउस विस्तार
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},क्रेडिट सीमा ग्राहक के लिए पार किया गया है {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},क्रेडिट सीमा ग्राहक के लिए पार किया गया है {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,सत्रांत तिथि से बाद में शैक्षणिक वर्ष की वर्ष समाप्ति तिथि है जो करने के लिए शब्द जुड़ा हुआ है नहीं हो सकता है (शैक्षिक वर्ष {})। तारीखों को ठीक करें और फिर कोशिश करें।
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",अनियंत्रित नहीं हो सकता है के रूप में एसेट रिकॉर्ड मद के सामने मौजूद है "निश्चित परिसंपत्ति है"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",अनियंत्रित नहीं हो सकता है के रूप में एसेट रिकॉर्ड मद के सामने मौजूद है "निश्चित परिसंपत्ति है"
DocType: Vehicle Service,Brake Oil,ब्रेक तेल
DocType: Tax Rule,Tax Type,टैक्स प्रकार
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},इससे पहले कि आप प्रविष्टियों को जोड़ने या अद्यतन करने के लिए अधिकृत नहीं हैं {0}
DocType: BOM,Item Image (if not slideshow),छवि (यदि नहीं स्लाइड शो)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,एक ग्राहक एक ही नाम के साथ मौजूद है
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(घंटा दर / 60) * वास्तविक ऑपरेशन टाइम
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,बीओएम का चयन
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,बीओएम का चयन
DocType: SMS Log,SMS Log,एसएमएस प्रवेश
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,वितरित मदों की लागत
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,पर {0} छुट्टी के बीच की तिथि से और आज तक नहीं है
@@ -159,13 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},से {0} को {1}
DocType: Item,Copy From Item Group,आइटम समूह से कॉपी
DocType: Journal Entry,Opening Entry,एंट्री खुलने
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ग्राहक> ग्राहक समूह> क्षेत्र
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,खाते का भुगतान केवल
DocType: Employee Loan,Repay Over Number of Periods,चुकाने से अधिक अवधि की संख्या
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} दिए गए {2} में नामांकित नहीं है
DocType: Stock Entry,Additional Costs,अतिरिक्त लागत
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,मौजूदा लेन - देन के साथ खाता समूह को नहीं बदला जा सकता .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,मौजूदा लेन - देन के साथ खाता समूह को नहीं बदला जा सकता .
DocType: Lead,Product Enquiry,उत्पाद पूछताछ
DocType: Academic Term,Schools,स्कूलों
+DocType: School Settings,Validate Batch for Students in Student Group,छात्र समूह में छात्रों के लिए बैच का प्रमाणन करें
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},कोई छुट्टी रिकॉर्ड कर्मचारी के लिए पाया {0} के लिए {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,पहली कंपनी दाखिल करें
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,पहले कंपनी का चयन करें
@@ -174,49 +176,49 @@
DocType: BOM,Total Cost,कुल लागत
DocType: Journal Entry Account,Employee Loan,कर्मचारी ऋण
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,गतिविधि प्रवेश करें :
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,आइटम {0} सिस्टम में मौजूद नहीं है या समाप्त हो गई है
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,आइटम {0} सिस्टम में मौजूद नहीं है या समाप्त हो गई है
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,रियल एस्टेट
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,लेखा - विवरण
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,औषधीय
DocType: Purchase Invoice Item,Is Fixed Asset,निश्चित परिसंपत्ति है
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","उपलब्ध मात्रा {0}, आप की जरूरत है {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","उपलब्ध मात्रा {0}, आप की जरूरत है {1}"
DocType: Expense Claim Detail,Claim Amount,दावे की राशि
-DocType: Employee,Mr,श्री
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,डुप्लीकेट ग्राहक समूह cutomer समूह तालिका में पाया
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,प्रदायक प्रकार / प्रदायक
DocType: Naming Series,Prefix,उपसर्ग
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,उपभोज्य
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,उपभोज्य
DocType: Employee,B-,बी
DocType: Upload Attendance,Import Log,प्रवेश करें आयात
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,खींचो उपरोक्त मानदंडों के आधार पर प्रकार के निर्माण की सामग्री का अनुरोध
DocType: Training Result Employee,Grade,ग्रेड
DocType: Sales Invoice Item,Delivered By Supplier,प्रदायक द्वारा वितरित
DocType: SMS Center,All Contact,सभी संपर्क
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,उत्पादन आदेश पहले से ही बीओएम के साथ सभी मदों के लिए बनाया
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,वार्षिक वेतन
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,उत्पादन आदेश पहले से ही बीओएम के साथ सभी मदों के लिए बनाया
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,वार्षिक वेतन
DocType: Daily Work Summary,Daily Work Summary,दैनिक काम सारांश
DocType: Period Closing Voucher,Closing Fiscal Year,वित्तीय वर्ष और समापन
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} स्थायी है
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,कृपया खातों का चार्ट बनाने के लिए मौजूदा कंपनी का चयन
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,शेयर व्यय
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} स्थायी है
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,कृपया खातों का चार्ट बनाने के लिए मौजूदा कंपनी का चयन
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,शेयर व्यय
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,लक्ष्य वेअरहाउस चुनें
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,कृपया पसंदीदा संपर्क ईमेल
+DocType: Program Enrollment,School Bus,स्कूल बस
DocType: Journal Entry,Contra Entry,कॉन्ट्रा एंट्री
DocType: Journal Entry Account,Credit in Company Currency,कंपनी मुद्रा में ऋण
DocType: Delivery Note,Installation Status,स्थापना स्थिति
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",आप उपस्थिति को अद्यतन करना चाहते हैं? <br> वर्तमान: {0} \ <br> अनुपस्थित: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},स्वीकृत + अस्वीकृत मात्रा मद के लिए प्राप्त मात्रा के बराबर होना चाहिए {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},स्वीकृत + अस्वीकृत मात्रा मद के लिए प्राप्त मात्रा के बराबर होना चाहिए {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,आपूर्ति कच्चे माल की खरीद के लिए
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,भुगतान के कम से कम एक मोड पीओएस चालान के लिए आवश्यक है।
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,भुगतान के कम से कम एक मोड पीओएस चालान के लिए आवश्यक है।
DocType: Products Settings,Show Products as a List,दिखाने के उत्पादों एक सूची के रूप में
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records",", टेम्पलेट डाउनलोड उपयुक्त डेटा को भरने और संशोधित फ़ाइल देते हैं।
चयनित अवधि में सभी तिथियों और कर्मचारी संयोजन मौजूदा उपस्थिति रिकॉर्ड के साथ, टेम्पलेट में आ जाएगा"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,आइटम {0} सक्रिय नहीं है या जीवन के अंत तक पहुँच गया है
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,उदाहरण: बुनियादी गणित
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","पंक्ति में कर शामिल करने के लिए {0} आइटम रेट में , पंक्तियों में करों {1} भी शामिल किया जाना चाहिए"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,आइटम {0} सक्रिय नहीं है या जीवन के अंत तक पहुँच गया है
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,उदाहरण: बुनियादी गणित
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","पंक्ति में कर शामिल करने के लिए {0} आइटम रेट में , पंक्तियों में करों {1} भी शामिल किया जाना चाहिए"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,मानव संसाधन मॉड्यूल के लिए सेटिंग्स
DocType: SMS Center,SMS Center,एसएमएस केंद्र
DocType: Sales Invoice,Change Amount,राशि परिवर्तन
@@ -226,7 +228,7 @@
DocType: Lead,Request Type,अनुरोध प्रकार
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,कर्मचारी
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,प्रसारण
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,निष्पादन
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,निष्पादन
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,आपरेशन के विवरण से बाहर किया।
DocType: Serial No,Maintenance Status,रखरखाव स्थिति
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: प्रदायक देय खाते के खिलाफ आवश्यक है {2}
@@ -254,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,उद्धरण के लिए अनुरोध नीचे दिए गए लिंक पर क्लिक करके पहुँचा जा सकता है
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,वर्ष के लिए पत्तियों आवंटित.
DocType: SG Creation Tool Course,SG Creation Tool Course,एसजी निर्माण उपकरण कोर्स
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,अपर्याप्त स्टॉक
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,अपर्याप्त स्टॉक
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,अक्षम क्षमता योजना और समय ट्रैकिंग
DocType: Email Digest,New Sales Orders,नई बिक्री आदेश
DocType: Bank Guarantee,Bank Account,बैंक खाता
@@ -265,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log','टाइम प्रवेश' के माध्यम से अद्यतन
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},अग्रिम राशि से अधिक नहीं हो सकता है {0} {1}
DocType: Naming Series,Series List for this Transaction,इस लेन - देन के लिए सीरीज सूची
+DocType: Company,Enable Perpetual Inventory,सतत सूची सक्षम करें
DocType: Company,Default Payroll Payable Account,डिफ़ॉल्ट पेरोल देय खाता
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,अपडेट ईमेल समूह
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,अपडेट ईमेल समूह
DocType: Sales Invoice,Is Opening Entry,एंट्री खोल रहा है
DocType: Customer Group,Mention if non-standard receivable account applicable,मेंशन गैर मानक प्राप्य खाते यदि लागू हो
DocType: Course Schedule,Instructor Name,प्रशिक्षक नाम
@@ -278,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,बिक्री चालान आइटम के खिलाफ
,Production Orders in Progress,प्रगति में उत्पादन के आदेश
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,फाइनेंसिंग से नेट नकद
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage भरा हुआ है, नहीं सहेज सकते हैं।"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage भरा हुआ है, नहीं सहेज सकते हैं।"
DocType: Lead,Address & Contact,पता और संपर्क
DocType: Leave Allocation,Add unused leaves from previous allocations,पिछले आवंटन से अप्रयुक्त पत्ते जोड़ें
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},अगला आवर्ती {0} पर बनाया जाएगा {1}
DocType: Sales Partner,Partner website,पार्टनर वेबसाइट
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,सामान जोडें
-,Contact Name,संपर्क का नाम
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,संपर्क का नाम
DocType: Course Assessment Criteria,Course Assessment Criteria,पाठ्यक्रम मूल्यांकन मानदंड
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,उपरोक्त मानदंडों के लिए वेतन पर्ची बनाता है.
DocType: POS Customer Group,POS Customer Group,पीओएस ग्राहक समूह
@@ -293,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,दिया का कोई विवरण नहीं
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,खरीद के लिए अनुरोध.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,इस समय पत्रक इस परियोजना के खिलाफ बनाया पर आधारित है
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,नेट पे 0 से कम नहीं हो सकता है
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,नेट पे 0 से कम नहीं हो सकता है
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,केवल चयनित लीव अनुमोदक इस छुट्टी के लिए अर्जी प्रस्तुत कर सकते हैं
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,तिथि राहत शामिल होने की तिथि से अधिक होना चाहिए
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,प्रति वर्ष पत्तियां
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,प्रति वर्ष पत्तियां
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,पंक्ति {0}: कृपया जाँच खाते के खिलाफ 'अग्रिम है' {1} यह एक अग्रिम प्रविष्टि है।
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},वेयरहाउस {0} से संबंधित नहीं है कंपनी {1}
DocType: Email Digest,Profit & Loss,लाभ हानि
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,लीटर
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,लीटर
DocType: Task,Total Costing Amount (via Time Sheet),कुल लागत राशि (समय पत्रक के माध्यम से)
DocType: Item Website Specification,Item Website Specification,आइटम वेबसाइट विशिष्टता
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,अवरुद्ध छोड़ दो
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},आइटम {0} पर जीवन के अपने अंत तक पहुँच गया है {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},आइटम {0} पर जीवन के अपने अंत तक पहुँच गया है {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,बैंक प्रविष्टियां
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,वार्षिक
DocType: Stock Reconciliation Item,Stock Reconciliation Item,शेयर सुलह आइटम
@@ -312,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,न्यूनतम आदेश मात्रा
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,छात्र समूह निर्माण उपकरण कोर्स
DocType: Lead,Do Not Contact,संपर्क नहीं है
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,जो लोग अपने संगठन में पढ़ाने
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,जो लोग अपने संगठन में पढ़ाने
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,सभी आवर्ती चालान पर नज़र रखने के लिए अद्वितीय पहचान. इसे प्रस्तुत करने पर उत्पन्न होता है.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,सॉफ्टवेयर डेवलपर
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,सॉफ्टवेयर डेवलपर
DocType: Item,Minimum Order Qty,न्यूनतम आदेश मात्रा
DocType: Pricing Rule,Supplier Type,प्रदायक प्रकार
DocType: Course Scheduling Tool,Course Start Date,कोर्स प्रारंभ तिथि
@@ -323,11 +326,11 @@
DocType: Item,Publish in Hub,हब में प्रकाशित
DocType: Student Admission,Student Admission,छात्र प्रवेश
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,आइटम {0} को रद्द कर दिया गया है
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,आइटम {0} को रद्द कर दिया गया है
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,सामग्री अनुरोध
DocType: Bank Reconciliation,Update Clearance Date,अद्यतन क्लीयरेंस तिथि
DocType: Item,Purchase Details,खरीद विवरण
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},खरीद आदेश में 'कच्चे माल की आपूर्ति' तालिका में नहीं मिला मद {0} {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},खरीद आदेश में 'कच्चे माल की आपूर्ति' तालिका में नहीं मिला मद {0} {1}
DocType: Employee,Relation,संबंध
DocType: Shipping Rule,Worldwide Shipping,दुनिया भर में शिपिंग
DocType: Student Guardian,Mother,मां
@@ -346,6 +349,7 @@
DocType: Student Group Student,Student Group Student,छात्र समूह छात्र
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,नवीनतम
DocType: Vehicle Service,Inspection,निरीक्षण
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,सूची
DocType: Email Digest,New Quotations,नई कोटेशन
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,कर्मचारी को ईमेल वेतन पर्ची कर्मचारी में से चयनित पसंदीदा ईमेल के आधार पर
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,सूची में पहले छोड़ अनुमोदक डिफ़ॉल्ट छोड़ दो अनुमोदक के रूप में स्थापित किया जाएगा
@@ -354,20 +358,20 @@
DocType: Asset,Next Depreciation Date,अगली तिथि मूल्यह्रास
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,कर्मचारी प्रति गतिविधि लागत
DocType: Accounts Settings,Settings for Accounts,खातों के लिए सेटिंग्स
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},आपूर्तिकर्ता चालान नहीं खरीद चालान में मौजूद है {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},आपूर्तिकर्ता चालान नहीं खरीद चालान में मौजूद है {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,बिक्री व्यक्ति पेड़ की व्यवस्था करें.
DocType: Job Applicant,Cover Letter,कवर लेटर
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,बकाया चेक्स और स्पष्ट करने जमाओं
DocType: Item,Synced With Hub,हब के साथ सिंक किया गया
DocType: Vehicle,Fleet Manager,नौसेना प्रबंधक
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},पंक्ति # {0}: {1} आइटम के लिए नकारात्मक नहीं हो सकता {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,गलत पासवर्ड
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,गलत पासवर्ड
DocType: Item,Variant Of,के variant
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',की तुलना में 'मात्रा निर्माण करने के लिए' पूरी की गई मात्रा अधिक नहीं हो सकता
DocType: Period Closing Voucher,Closing Account Head,बंद लेखाशीर्ष
DocType: Employee,External Work History,बाहरी काम इतिहास
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,परिपत्र संदर्भ त्रुटि
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1 नाम
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 नाम
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,शब्दों में (निर्यात) दिखाई हो सकता है एक बार आप डिलिवरी नोट बचाने के लिए होगा.
DocType: Cheque Print Template,Distance from left edge,बाएँ किनारे से दूरी
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{1}] की इकाइयों (# प्रपत्र / मद / {1}) [{2}] में पाया (# प्रपत्र / गोदाम / {2})
@@ -376,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,स्वचालित सामग्री अनुरोध के निर्माण पर ईमेल द्वारा सूचित करें
DocType: Journal Entry,Multi Currency,बहु मुद्रा
DocType: Payment Reconciliation Invoice,Invoice Type,चालान का प्रकार
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,बिलटी
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,बिलटी
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,करों की स्थापना
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,बिक संपत्ति की लागत
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,आप इसे खींचा बाद भुगतान एंट्री संशोधित किया गया है। इसे फिर से खींच कर दीजिये।
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} मद टैक्स में दो बार दर्ज
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,आप इसे खींचा बाद भुगतान एंट्री संशोधित किया गया है। इसे फिर से खींच कर दीजिये।
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} मद टैक्स में दो बार दर्ज
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,इस सप्ताह और लंबित गतिविधियों के लिए सारांश
DocType: Student Applicant,Admitted,भर्ती किया
DocType: Workstation,Rent Cost,बाइक किराए मूल्य
@@ -398,25 +402,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,क्षेत्र मूल्य 'माह के दिवस पर दोहराएँ ' दर्ज करें
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,जिस पर दर ग्राहक की मुद्रा ग्राहक आधार मुद्रा में परिवर्तित किया जाता है
DocType: Course Scheduling Tool,Course Scheduling Tool,पाठ्यक्रम निर्धारण उपकरण
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},पंक्ति # {0}: चालान की खरीद करने के लिए एक मौजूदा परिसंपत्ति के खिलाफ नहीं बनाया जा सकता है {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},पंक्ति # {0}: चालान की खरीद करने के लिए एक मौजूदा परिसंपत्ति के खिलाफ नहीं बनाया जा सकता है {1}
DocType: Item Tax,Tax Rate,कर की दर
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} पहले से ही कर्मचारी के लिए आवंटित {1} तक की अवधि के {2} के लिए {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,वस्तु चुनें
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,खरीद चालान {0} पहले से ही प्रस्तुत किया जाता है
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,खरीद चालान {0} पहले से ही प्रस्तुत किया जाता है
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},पंक्ति # {0}: बैच नहीं के रूप में ही किया जाना चाहिए {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,गैर-समूह कन्वर्ट करने के लिए
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,एक आइटम के बैच (बहुत).
DocType: C-Form Invoice Detail,Invoice Date,चालान तिथि
DocType: GL Entry,Debit Amount,निकाली गई राशि
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},केवल में कंपनी के प्रति एक खाते से हो सकता है {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,लगाव को देखने के लिए धन्यवाद
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},केवल में कंपनी के प्रति एक खाते से हो सकता है {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,लगाव को देखने के लिए धन्यवाद
DocType: Purchase Order,% Received,% प्राप्त
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,छात्र गुटों बनाएं
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,सेटअप पहले से ही पूरा !
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,क्रेडिट नोट राशि
,Finished Goods,निर्मित माल
DocType: Delivery Note,Instructions,निर्देश
DocType: Quality Inspection,Inspected By,द्वारा निरीक्षण किया
DocType: Maintenance Visit,Maintenance Type,रखरखाव के प्रकार
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} कोर्स {2} में नामांकित नहीं है
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},धारावाहिक नहीं {0} डिलिवरी नोट से संबंधित नहीं है {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext डेमो
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,सामगंरियां जोड़ें
@@ -437,7 +443,7 @@
DocType: Request for Quotation,Request for Quotation,उद्धरण के लिए अनुरोध
DocType: Salary Slip Timesheet,Working Hours,कार्य के घंटे
DocType: Naming Series,Change the starting / current sequence number of an existing series.,एक मौजूदा श्रृंखला के शुरू / वर्तमान अनुक्रम संख्या बदलें.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,एक नए ग्राहक बनाने
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,एक नए ग्राहक बनाने
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","कई डालती प्रबल करने के लिए जारी रखते हैं, उपयोगकर्ताओं संघर्ष को हल करने के लिए मैन्युअल रूप से प्राथमिकता सेट करने के लिए कहा जाता है."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,खरीद आदेश बनाएं
,Purchase Register,इन पंजीकृत खरीद
@@ -449,7 +455,7 @@
DocType: Student Log,Medical,चिकित्सा
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,खोने के लिए कारण
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,लीड मालिक लीड के रूप में ही नहीं किया जा सकता
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,आवंटित राशि असमायोजित राशि से अधिक नहीं कर सकते हैं
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,आवंटित राशि असमायोजित राशि से अधिक नहीं कर सकते हैं
DocType: Announcement,Receiver,रिसीवर
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},कार्य केंद्र छुट्टी सूची के अनुसार निम्नलिखित तारीखों पर बंद हो गया है: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,सुनहरे अवसर
@@ -463,8 +469,7 @@
DocType: Assessment Plan,Examiner Name,परीक्षक नाम
DocType: Purchase Invoice Item,Quantity and Rate,मात्रा और दर
DocType: Delivery Note,% Installed,% स्थापित
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,कक्षाओं / प्रयोगशालाओं आदि जहां व्याख्यान के लिए निर्धारित किया जा सकता है।
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,आपूर्तिकर्ता> प्रदायक प्रकार
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,कक्षाओं / प्रयोगशालाओं आदि जहां व्याख्यान के लिए निर्धारित किया जा सकता है।
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,पहले कंपनी का नाम दर्ज करें
DocType: Purchase Invoice,Supplier Name,प्रदायक नाम
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,ERPNext मैनुअल पढ़ें
@@ -474,7 +479,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,चेक आपूर्तिकर्ता चालान संख्या अद्वितीयता
DocType: Vehicle Service,Oil Change,तेल परिवर्तन
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','प्रकरण नहीं करने के लिए' 'केस नंबर से' से कम नहीं हो सकता
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,गैर लाभ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,गैर लाभ
DocType: Production Order,Not Started,शुरू नहीं
DocType: Lead,Channel Partner,चैनल पार्टनर
DocType: Account,Old Parent,पुरानी माता - पिता
@@ -484,19 +489,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,सभी विनिर्माण प्रक्रियाओं के लिए वैश्विक सेटिंग्स।
DocType: Accounts Settings,Accounts Frozen Upto,लेखा तक जमे हुए
DocType: SMS Log,Sent On,पर भेजा
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,गुण {0} गुण तालिका में कई बार चुना
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,गुण {0} गुण तालिका में कई बार चुना
DocType: HR Settings,Employee record is created using selected field. ,कर्मचारी रिकॉर्ड चयनित क्षेत्र का उपयोग कर बनाया जाता है.
DocType: Sales Order,Not Applicable,लागू नहीं
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,अवकाश मास्टर .
DocType: Request for Quotation Item,Required Date,आवश्यक तिथि
DocType: Delivery Note,Billing Address,बिलिंग पता
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,मद कोड दर्ज करें.
DocType: BOM,Costing,लागत
DocType: Tax Rule,Billing County,बिलिंग काउंटी
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","अगर जाँच की है, कर की राशि के रूप में पहले से ही प्रिंट दर / प्रिंट राशि में शामिल माना जाएगा"
DocType: Request for Quotation,Message for Supplier,प्रदायक के लिए संदेश
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,कुल मात्रा
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,संरक्षक 2 ईमेल आईडी
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,संरक्षक 2 ईमेल आईडी
DocType: Item,Show in Website (Variant),वेबसाइट में दिखाने (variant)
DocType: Employee,Health Concerns,स्वास्थ्य चिंताएं
DocType: Process Payroll,Select Payroll Period,पेरोल की अवधि का चयन करें
@@ -514,25 +518,27 @@
DocType: Sales Order Item,Used for Production Plan,उत्पादन योजना के लिए प्रयुक्त
DocType: Employee Loan,Total Payment,कुल भुगतान
DocType: Manufacturing Settings,Time Between Operations (in mins),(मिनट में) संचालन के बीच का समय
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} रद्द कर दिया जाता है, इसलिए कार्रवाई पूरी नहीं की जा सकती"
DocType: Customer,Buyer of Goods and Services.,सामान और सेवाओं के खरीदार।
DocType: Journal Entry,Accounts Payable,लेखा देय
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,चुने गए BOMs एक ही मद के लिए नहीं हैं
DocType: Pricing Rule,Valid Upto,विधिमान्य
DocType: Training Event,Workshop,कार्यशाला
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,अपने ग्राहकों के कुछ सूची . वे संगठनों या व्यक्तियों हो सकता है.
-,Enough Parts to Build,बहुत हो गया भागों का निर्माण करने के लिए
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,प्रत्यक्ष आय
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,अपने ग्राहकों के कुछ सूची . वे संगठनों या व्यक्तियों हो सकता है.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,बहुत हो गया भागों का निर्माण करने के लिए
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,प्रत्यक्ष आय
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","खाता से वर्गीकृत किया है , तो खाते के आधार पर फ़िल्टर नहीं कर सकते"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,प्रशासनिक अधिकारी
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,कृपया कोर्स चुनें
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,प्रशासनिक अधिकारी
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,कृपया कोर्स चुनें
DocType: Timesheet Detail,Hrs,बजे
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,कंपनी का चयन करें
DocType: Stock Entry Detail,Difference Account,अंतर खाता
+DocType: Purchase Invoice,Supplier GSTIN,आपूर्तिकर्ता जीएसटीआईएन
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,उसकी निर्भर कार्य {0} बंद नहीं है के रूप में बंद काम नहीं कर सकते हैं।
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"सामग्री अनुरोध उठाया जाएगा , जिसके लिए वेयरहाउस दर्ज करें"
DocType: Production Order,Additional Operating Cost,अतिरिक्त ऑपरेटिंग कॉस्ट
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,प्रसाधन सामग्री
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","मर्ज करने के लिए , निम्नलिखित गुण दोनों मदों के लिए ही होना चाहिए"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","मर्ज करने के लिए , निम्नलिखित गुण दोनों मदों के लिए ही होना चाहिए"
DocType: Shipping Rule,Net Weight,निवल भार
DocType: Employee,Emergency Phone,आपातकालीन फोन
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,खरीदें
@@ -541,14 +547,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,थ्रेशोल्ड 0% के लिए ग्रेड को परिभाषित करें
DocType: Sales Order,To Deliver,पहुँचाना
DocType: Purchase Invoice Item,Item,मद
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,सीरियल नहीं आइटम एक अंश नहीं किया जा सकता
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,सीरियल नहीं आइटम एक अंश नहीं किया जा सकता
DocType: Journal Entry,Difference (Dr - Cr),अंतर ( डॉ. - सीआर )
DocType: Account,Profit and Loss,लाभ और हानि
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,प्रबंध उप
DocType: Project,Project will be accessible on the website to these users,परियोजना इन उपयोगकर्ताओं के लिए वेबसाइट पर सुलभ हो जाएगा
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,दर जिस पर मूल्य सूची मुद्रा कंपनी के बेस मुद्रा में परिवर्तित किया जाता है
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},खाते {0} कंपनी से संबंधित नहीं है: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,संक्षिप्त पहले से ही एक और कंपनी के लिए इस्तेमाल किया
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},खाते {0} कंपनी से संबंधित नहीं है: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,संक्षिप्त पहले से ही एक और कंपनी के लिए इस्तेमाल किया
DocType: Selling Settings,Default Customer Group,डिफ़ॉल्ट ग्राहक समूह
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","निष्क्रिय कर देते हैं, 'गोल कुल' अगर क्षेत्र किसी भी लेन - देन में दिखाई नहीं देगा"
DocType: BOM,Operating Cost,संचालन लागत
@@ -556,7 +562,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,वेतन वृद्धि 0 नहीं किया जा सकता
DocType: Production Planning Tool,Material Requirement,सामग्री की आवश्यकताएँ
DocType: Company,Delete Company Transactions,कंपनी लेन-देन को हटाएं
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,संदर्भ कोई और संदर्भ तिथि बैंक लेन-देन के लिए अनिवार्य है
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,संदर्भ कोई और संदर्भ तिथि बैंक लेन-देन के लिए अनिवार्य है
DocType: Purchase Receipt,Add / Edit Taxes and Charges,कर और प्रभार जोड़ें / संपादित करें
DocType: Purchase Invoice,Supplier Invoice No,प्रदायक चालान नहीं
DocType: Territory,For reference,संदर्भ के लिए
@@ -567,22 +573,22 @@
DocType: Installation Note Item,Installation Note Item,अधिष्ठापन नोट आइटम
DocType: Production Plan Item,Pending Qty,विचाराधीन मात्रा
DocType: Budget,Ignore,उपेक्षा
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} सक्रिय नहीं है
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} सक्रिय नहीं है
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},एसएमएस निम्नलिखित संख्या के लिए भेजा: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,सेटअप जांच मुद्रण के लिए आयाम
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,सेटअप जांच मुद्रण के लिए आयाम
DocType: Salary Slip,Salary Slip Timesheet,वेतन पर्ची Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,उप अनुबंधित खरीद रसीद के लिए अनिवार्य प्रदायक वेयरहाउस
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,उप अनुबंधित खरीद रसीद के लिए अनिवार्य प्रदायक वेयरहाउस
DocType: Pricing Rule,Valid From,चुन
DocType: Sales Invoice,Total Commission,कुल आयोग
DocType: Pricing Rule,Sales Partner,बिक्री साथी
DocType: Buying Settings,Purchase Receipt Required,खरीद रसीद आवश्यक
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,अगर खोलने स्टॉक में प्रवेश किया मूल्यांकन दर अनिवार्य है
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,अगर खोलने स्टॉक में प्रवेश किया मूल्यांकन दर अनिवार्य है
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,चालान तालिका में कोई अभिलेख
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,पहले कंपनी और पार्टी के प्रकार का चयन करें
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,वित्तीय / लेखा वर्ष .
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,वित्तीय / लेखा वर्ष .
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,संचित मान
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","क्षमा करें, सीरियल नं विलय हो नहीं सकता"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,बनाओ बिक्री आदेश
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,बनाओ बिक्री आदेश
DocType: Project Task,Project Task,परियोजना के कार्य
,Lead Id,लीड ईद
DocType: C-Form Invoice Detail,Grand Total,महायोग
@@ -599,7 +605,7 @@
DocType: Job Applicant,Resume Attachment,जीवनवृत्त संलग्नक
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,ग्राहकों को दोहराने
DocType: Leave Control Panel,Allocate,आवंटित
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,बिक्री लौटें
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,बिक्री लौटें
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,नोट: कुल आवंटित पत्ते {0} पहले ही मंजूरी दे दी पत्तियों से कम नहीं होना चाहिए {1} अवधि के लिए
DocType: Announcement,Posted By,द्वारा प्रकाशित किया गया था
DocType: Item,Delivered by Supplier (Drop Ship),प्रदायक द्वारा वितरित (ड्रॉप जहाज)
@@ -609,8 +615,8 @@
DocType: Quotation,Quotation To,करने के लिए कोटेशन
DocType: Lead,Middle Income,मध्य आय
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),उद्घाटन (सीआर )
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,आप पहले से ही एक और UoM के साथ कुछ लेन-देन (एस) बना दिया है क्योंकि मद के लिए माप की मूलभूत इकाई {0} सीधे नहीं बदला जा सकता। आप एक अलग डिफ़ॉल्ट UoM का उपयोग करने के लिए एक नया आइटम बनाने की आवश्यकता होगी।
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,आवंटित राशि ऋणात्मक नहीं हो सकता
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,आप पहले से ही एक और UoM के साथ कुछ लेन-देन (एस) बना दिया है क्योंकि मद के लिए माप की मूलभूत इकाई {0} सीधे नहीं बदला जा सकता। आप एक अलग डिफ़ॉल्ट UoM का उपयोग करने के लिए एक नया आइटम बनाने की आवश्यकता होगी।
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,आवंटित राशि ऋणात्मक नहीं हो सकता
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,कृपया कंपनी सेट करें
DocType: Purchase Order Item,Billed Amt,बिल भेजा राशि
DocType: Training Result Employee,Training Result Employee,प्रशिक्षण के परिणाम कर्मचारी
@@ -622,7 +628,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,चयन भुगतान खाता बैंक एंट्री बनाने के लिए
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","पत्ते, व्यय का दावा है और पेरोल प्रबंधन करने के लिए कर्मचारी रिकॉर्ड बनाएं"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,ज्ञानकोष में जोड़े
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,प्रस्ताव लेखन
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,प्रस्ताव लेखन
DocType: Payment Entry Deduction,Payment Entry Deduction,भुगतान एंट्री कटौती
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,एक और बिक्री व्यक्ति {0} एक ही कर्मचारी आईडी के साथ मौजूद है
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","अगर आइटम है कि उप अनुबंधित सामग्री अनुरोधों में शामिल किया जाएगा रहे हैं के लिए जाँच की, कच्चे माल"
@@ -636,7 +642,7 @@
DocType: Timesheet,Billed,का बिल
DocType: Batch,Batch Description,बैच विवरण
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,छात्र समूह बनाना
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","भुगतान गेटवे खाता नहीं बनाया है, एक मैन्युअल का सृजन करें।"
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","भुगतान गेटवे खाता नहीं बनाया है, एक मैन्युअल का सृजन करें।"
DocType: Sales Invoice,Sales Taxes and Charges,बिक्री कर और शुल्क
DocType: Employee,Organization Profile,संगठन प्रोफाइल
DocType: Student,Sibling Details,सहोदर विवरण
@@ -658,11 +664,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,सूची में शुद्ध परिवर्तन
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,कर्मचारी ऋण प्रबंधन
DocType: Employee,Passport Number,पासपोर्ट नंबर
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Guardian2 के साथ संबंध
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,मैनेजर
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2 के साथ संबंध
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,मैनेजर
DocType: Payment Entry,Payment From / To,भुगतान से / करने के लिए
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},नई क्रेडिट सीमा ग्राहक के लिए वर्तमान बकाया राशि की तुलना में कम है। क्रेडिट सीमा कम से कम हो गया है {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,एक ही मद कई बार दर्ज किया गया है।
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},नई क्रेडिट सीमा ग्राहक के लिए वर्तमान बकाया राशि की तुलना में कम है। क्रेडिट सीमा कम से कम हो गया है {0}
DocType: SMS Settings,Receiver Parameter,रिसीवर पैरामीटर
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'पर आधारित' और 'समूह द्वारा' दोनों समान नहीं हो सकते हैं
DocType: Sales Person,Sales Person Targets,बिक्री व्यक्ति लक्ष्य
@@ -671,8 +676,9 @@
DocType: Issue,Resolution Date,संकल्प तिथि
DocType: Student Batch Name,Batch Name,बैच का नाम
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timesheet बनाया:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},भुगतान की विधि में डिफ़ॉल्ट नकद या बैंक खाता सेट करें {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},भुगतान की विधि में डिफ़ॉल्ट नकद या बैंक खाता सेट करें {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,भर्ती
+DocType: GST Settings,GST Settings,जीएसटी सेटिंग्स
DocType: Selling Settings,Customer Naming By,द्वारा नामकरण ग्राहक
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,छात्र छात्र मासिक उपस्थिति रिपोर्ट में के रूप में उपस्थित दिखाई देंगे
DocType: Depreciation Schedule,Depreciation Amount,मूल्यह्रास राशि
@@ -694,6 +700,7 @@
DocType: Item,Material Transfer,सामग्री स्थानांतरण
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),उद्घाटन ( डॉ. )
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},पोस्टिंग टाइमस्टैम्प के बाद होना चाहिए {0}
+,GST Itemised Purchase Register,जीएसटी मदरहित खरीद रजिस्टर
DocType: Employee Loan,Total Interest Payable,देय कुल ब्याज
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,उतरा लागत करों और शुल्कों
DocType: Production Order Operation,Actual Start Time,वास्तविक प्रारंभ समय
@@ -720,10 +727,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
DocType: Account,Accounts,लेखा
DocType: Vehicle,Odometer Value (Last),ओडोमीटर मूल्य (अंतिम)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,विपणन
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,विपणन
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,भुगतान प्रवेश पहले से ही बनाई गई है
DocType: Purchase Receipt Item Supplied,Current Stock,मौजूदा स्टॉक
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},पंक्ति # {0}: संपत्ति {1} वस्तु {2} से जुड़ा हुआ नहीं है
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},पंक्ति # {0}: संपत्ति {1} वस्तु {2} से जुड़ा हुआ नहीं है
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,पूर्वावलोकन वेतन पर्ची
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,खाता {0} कई बार दर्ज किया गया है
DocType: Account,Expenses Included In Valuation,व्यय मूल्यांकन में शामिल
@@ -731,7 +738,7 @@
,Absent Student Report,अनुपस्थित छात्र की रिपोर्ट
DocType: Email Digest,Next email will be sent on:,अगले ईमेल पर भेजा जाएगा:
DocType: Offer Letter Term,Offer Letter Term,पत्र टर्म प्रस्ताव
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,आइटम वेरिएंट है।
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,आइटम वेरिएंट है।
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,आइटम {0} नहीं मिला
DocType: Bin,Stock Value,शेयर मूल्य
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,कंपनी {0} मौजूद नहीं है
@@ -740,7 +747,7 @@
DocType: Serial No,Warranty Expiry Date,वारंटी समाप्ति तिथि
DocType: Material Request Item,Quantity and Warehouse,मात्रा और वेयरहाउस
DocType: Sales Invoice,Commission Rate (%),आयोग दर (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,कृपया कार्यक्रम चुनें
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,कृपया कार्यक्रम चुनें
DocType: Project,Estimated Cost,अनुमानित लागत
DocType: Purchase Order,Link to material requests,सामग्री अनुरोध करने के लिए लिंक
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,एयरोस्पेस
@@ -754,14 +761,14 @@
DocType: Purchase Order,Supply Raw Materials,कच्चे माल की आपूर्ति
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,"अगले चालान उत्पन्न हो जाएगा, जिस पर तारीख। इसे प्रस्तुत पर उत्पन्न होता है।"
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,वर्तमान संपत्तियाँ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} भंडार वस्तु नहीं है
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} भंडार वस्तु नहीं है
DocType: Mode of Payment Account,Default Account,डिफ़ॉल्ट खाता
DocType: Payment Entry,Received Amount (Company Currency),प्राप्त राशि (कंपनी मुद्रा)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,"अवसर नेतृत्व से किया जाता है , तो लीड सेट किया जाना चाहिए"
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,साप्ताहिक छुट्टी के दिन का चयन करें
DocType: Production Order Operation,Planned End Time,नियोजित समाप्ति समय
,Sales Person Target Variance Item Group-Wise,बिक्री व्यक्ति लक्ष्य विचरण मद समूहवार
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,मौजूदा लेन - देन के साथ खाता लेजर को परिवर्तित नहीं किया जा सकता है
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,मौजूदा लेन - देन के साथ खाता लेजर को परिवर्तित नहीं किया जा सकता है
DocType: Delivery Note,Customer's Purchase Order No,ग्राहक की खरीद आदेश नहीं
DocType: Budget,Budget Against,बजट के खिलाफ
DocType: Employee,Cell Number,सेल नंबर
@@ -773,15 +780,13 @@
DocType: Opportunity,Opportunity From,अवसर से
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,मासिक वेतन बयान.
DocType: BOM,Website Specifications,वेबसाइट निर्दिष्टीकरण
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> नंबरिंग सीरिज के माध्यम से उपस्थिति के लिए श्रृंखलाबद्ध संख्या सेट करना
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: {0} प्रकार की {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,पंक्ति {0}: रूपांतरण कारक अनिवार्य है
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,पंक्ति {0}: रूपांतरण कारक अनिवार्य है
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","एकाधिक मूल्य नियम एक ही मापदंड के साथ मौजूद है, प्राथमिकता बताए द्वारा संघर्ष का समाधान करें। मूल्य नियम: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,BOM निष्क्रिय या रद्द नहीं कर सकते क्योंकि यह अन्य BOMs के साथ जुड़ा हुवा है
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","एकाधिक मूल्य नियम एक ही मापदंड के साथ मौजूद है, प्राथमिकता बताए द्वारा संघर्ष का समाधान करें। मूल्य नियम: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,BOM निष्क्रिय या रद्द नहीं कर सकते क्योंकि यह अन्य BOMs के साथ जुड़ा हुवा है
DocType: Opportunity,Maintenance,रखरखाव
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},आइटम के लिए आवश्यक खरीद रसीद संख्या {0}
DocType: Item Attribute Value,Item Attribute Value,आइटम विशेषता मान
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,बिक्री अभियान .
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Timesheet बनाओ
@@ -833,29 +838,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},एसेट जर्नल प्रविष्टि के माध्यम से खत्म कर दिया {0}
DocType: Employee Loan,Interest Income Account,ब्याज आय खाता
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,जैव प्रौद्योगिकी
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,कार्यालय रखरखाव का खर्च
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,कार्यालय रखरखाव का खर्च
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ईमेल खाते को स्थापित
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,पहले आइटम दर्ज करें
DocType: Account,Liability,दायित्व
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,स्वीकृत राशि पंक्ति में दावा राशि से अधिक नहीं हो सकता है {0}।
DocType: Company,Default Cost of Goods Sold Account,माल बेच खाते की डिफ़ॉल्ट लागत
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,मूल्य सूची चयनित नहीं
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,मूल्य सूची चयनित नहीं
DocType: Employee,Family Background,पारिवारिक पृष्ठभूमि
DocType: Request for Quotation Supplier,Send Email,ईमेल भेजें
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},चेतावनी: अमान्य अनुलग्नक {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},चेतावनी: अमान्य अनुलग्नक {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,अनुमति नहीं है
DocType: Company,Default Bank Account,डिफ़ॉल्ट बैंक खाता
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","पार्टी के आधार पर फिल्टर करने के लिए, का चयन पार्टी पहले प्रकार"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},आइटम के माध्यम से वितरित नहीं कर रहे हैं क्योंकि 'अपडेट स्टॉक' की जाँच नहीं की जा सकती {0}
DocType: Vehicle,Acquisition Date,अधिग्रहण तिथि
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,ओपन स्कूल
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,ओपन स्कूल
DocType: Item,Items with higher weightage will be shown higher,उच्च वेटेज के साथ आइटम उच्च दिखाया जाएगा
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,बैंक सुलह विस्तार
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,पंक्ति # {0}: संपत्ति {1} प्रस्तुत किया जाना चाहिए
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,पंक्ति # {0}: संपत्ति {1} प्रस्तुत किया जाना चाहिए
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,नहीं मिला कर्मचारी
DocType: Supplier Quotation,Stopped,रोक
DocType: Item,If subcontracted to a vendor,एक विक्रेता के लिए subcontracted हैं
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,छात्र समूह पहले से ही अपडेट किया गया है।
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,छात्र समूह पहले से ही अपडेट किया गया है।
DocType: SMS Center,All Customer Contact,सभी ग्राहक संपर्क
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Csv के माध्यम से शेयर संतुलन अपलोड करें.
DocType: Warehouse,Tree Details,ट्री विवरण
@@ -867,13 +872,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: लागत केंद्र {2} कंपनी से संबंधित नहीं है {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: खाता {2} एक समूह नहीं हो सकता है
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,आइटम पंक्ति {IDX}: {doctype} {} DOCNAME ऊपर में मौजूद नहीं है '{} doctype' तालिका
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Timesheet {0} पहले ही पूरा या रद्द कर दिया है
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} पहले ही पूरा या रद्द कर दिया है
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,कोई कार्य
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","ऑटो चालान 05, 28 आदि जैसे उत्पन्न हो जाएगा, जिस पर इस महीने के दिन"
DocType: Asset,Opening Accumulated Depreciation,खुलने संचित मूल्यह्रास
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,स्कोर से कम या 5 के बराबर होना चाहिए
DocType: Program Enrollment Tool,Program Enrollment Tool,कार्यक्रम नामांकन उपकरण
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,सी फार्म रिकॉर्ड
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,सी फार्म रिकॉर्ड
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,ग्राहक और आपूर्तिकर्ता
DocType: Email Digest,Email Digest Settings,ईमेल डाइजेस्ट सेटिंग
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,आपके व्यापार के लिए धन्यवाद!
@@ -883,17 +888,19 @@
DocType: Bin,Moving Average Rate,मूविंग औसत दर
DocType: Production Planning Tool,Select Items,आइटम का चयन करें
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} विधेयक के खिलाफ {1} दिनांक {2}
+DocType: Program Enrollment,Vehicle/Bus Number,वाहन / बस संख्या
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,पाठ्यक्रम अनुसूची
DocType: Maintenance Visit,Completion Status,समापन स्थिति
DocType: HR Settings,Enter retirement age in years,साल में सेवानिवृत्ति की आयु दर्ज
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,लक्ष्य वेअरहाउस
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,कृपया एक गोदाम का चयन करें
DocType: Cheque Print Template,Starting location from left edge,बाएँ किनारे से शुरू स्थान
DocType: Item,Allow over delivery or receipt upto this percent,इस प्रतिशत तक प्रसव या रसीद से अधिक की अनुमति दें
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,आयात उपस्थिति
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,सभी आइटम समूहों
DocType: Process Payroll,Activity Log,गतिविधि लॉग
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,शुद्ध लाभ / हानि
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,शुद्ध लाभ / हानि
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,स्वचालित रूप से लेनदेन के प्रस्तुत करने पर संदेश लिखें .
DocType: Production Order,Item To Manufacture,आइटम करने के लिए निर्माण
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} स्थिति {2} है
@@ -902,16 +909,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,भुगतान करने के लिए क्रय आदेश
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,अनुमानित मात्रा
DocType: Sales Invoice,Payment Due Date,भुगतान की नियत तिथि
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,मद संस्करण {0} पहले से ही एक ही गुण के साथ मौजूद है
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,मद संस्करण {0} पहले से ही एक ही गुण के साथ मौजूद है
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','उद्घाटन'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,क्या करने के लिए ओपन
DocType: Notification Control,Delivery Note Message,डिलिवरी नोट संदेश
DocType: Expense Claim,Expenses,व्यय
+,Support Hours,समर्थन घंटे
DocType: Item Variant Attribute,Item Variant Attribute,मद संस्करण गुण
,Purchase Receipt Trends,खरीद रसीद रुझान
DocType: Process Payroll,Bimonthly,द्विमासिक
DocType: Vehicle Service,Brake Pad,ब्रेक पैड
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,अनुसंधान एवं विकास
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,अनुसंधान एवं विकास
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,बिल राशि
DocType: Company,Registration Details,पंजीकरण के विवरण
DocType: Timesheet,Total Billed Amount,कुल बिल राशि
@@ -924,12 +932,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,केवल प्राप्त कच्चे माल
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,प्रदर्शन मूल्यांकन.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","सक्षम करने से, 'शॉपिंग कार्ट के लिए उपयोग करें' खरीदारी की टोकरी के रूप में सक्षम है और शॉपिंग कार्ट के लिए कम से कम एक कर नियम होना चाहिए"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","भुगतान एंट्री {0} {1} आदेश, जाँच करता है, तो यह इस चालान में अग्रिम के रूप में निकाला जाना चाहिए खिलाफ जुड़ा हुआ है।"
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","भुगतान एंट्री {0} {1} आदेश, जाँच करता है, तो यह इस चालान में अग्रिम के रूप में निकाला जाना चाहिए खिलाफ जुड़ा हुआ है।"
DocType: Sales Invoice Item,Stock Details,स्टॉक विवरण
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,परियोजना मूल्य
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,बिक्री केन्द्र
DocType: Vehicle Log,Odometer Reading,ओडोमीटर की चिह्नित संख्या
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","खाते की शेष राशि पहले से ही क्रेडिट में है, कृपया आप शेष राशि को डेबिट के रूप में ही रखें"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","खाते की शेष राशि पहले से ही क्रेडिट में है, कृपया आप शेष राशि को डेबिट के रूप में ही रखें"
DocType: Account,Balance must be,बैलेंस होना चाहिए
DocType: Hub Settings,Publish Pricing,मूल्य निर्धारण प्रकाशित करें
DocType: Notification Control,Expense Claim Rejected Message,व्यय दावा संदेश अस्वीकृत
@@ -939,7 +947,7 @@
DocType: Salary Slip,Working Days,कार्यकारी दिनों
DocType: Serial No,Incoming Rate,आवक दर
DocType: Packing Slip,Gross Weight,सकल भार
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,"आप इस प्रणाली स्थापित कर रहे हैं , जिसके लिए आपकी कंपनी का नाम ."
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,"आप इस प्रणाली स्थापित कर रहे हैं , जिसके लिए आपकी कंपनी का नाम ."
DocType: HR Settings,Include holidays in Total no. of Working Days,कुल संख्या में छुट्टियों को शामिल करें. कार्य दिवस की
DocType: Job Applicant,Hold,पकड़
DocType: Employee,Date of Joining,शामिल होने की तिथि
@@ -950,20 +958,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,रसीद खरीद
,Received Items To Be Billed,बिल करने के लिए प्राप्त आइटम
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,प्रस्तुत वेतन निकल जाता है
-DocType: Employee,Ms,सुश्री
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,मुद्रा विनिमय दर मास्टर .
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},संदर्भ Doctype से एक होना चाहिए {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,मुद्रा विनिमय दर मास्टर .
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},संदर्भ Doctype से एक होना चाहिए {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},ऑपरेशन के लिए अगले {0} दिनों में टाइम स्लॉट पाने में असमर्थ {1}
DocType: Production Order,Plan material for sub-assemblies,उप असेंबलियों के लिए योजना सामग्री
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,बिक्री भागीदारों और टेरिटरी
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,स्वचालित रूप से खाते नहीं बना सकते हैं वहाँ पहले से ही खाते में शेयर संतुलन है। इससे पहले कि आप इस गोदाम पर एक प्रविष्टि कर सकते हैं आप एक मेल खाता बनाना होगा
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,बीओएम {0} सक्रिय होना चाहिए
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,बीओएम {0} सक्रिय होना चाहिए
DocType: Journal Entry,Depreciation Entry,मूल्यह्रास एंट्री
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,पहला दस्तावेज़ प्रकार का चयन करें
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,इस रखरखाव भेंट रद्द करने से पहले सामग्री का दौरा {0} रद्द
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},धारावाहिक नहीं {0} मद से संबंधित नहीं है {1}
DocType: Purchase Receipt Item Supplied,Required Qty,आवश्यक मात्रा
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,मौजूदा लेनदेन के साथ गोदामों खाता बही में परिवर्तित नहीं किया जा सकता है।
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,मौजूदा लेनदेन के साथ गोदामों खाता बही में परिवर्तित नहीं किया जा सकता है।
DocType: Bank Reconciliation,Total Amount,कुल राशि
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,इंटरनेट प्रकाशन
DocType: Production Planning Tool,Production Orders,उत्पादन के आदेश
@@ -978,25 +984,26 @@
DocType: Fee Structure,Components,अवयव
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},मद में दर्ज करें परिसंपत्ति वर्ग {0}
DocType: Quality Inspection Reading,Reading 6,6 पढ़ना
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,नहीं {0} {1} {2} के बिना किसी भी नकारात्मक बकाया चालान कर सकते हैं
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,नहीं {0} {1} {2} के बिना किसी भी नकारात्मक बकाया चालान कर सकते हैं
DocType: Purchase Invoice Advance,Purchase Invoice Advance,चालान अग्रिम खरीद
DocType: Hub Settings,Sync Now,अभी सिंक करें
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},पंक्ति {0}: {1} क्रेडिट प्रविष्टि के साथ नहीं जोड़ा जा सकता है
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,एक वित्तीय वर्ष के लिए बजट को परिभाषित करें।
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,एक वित्तीय वर्ष के लिए बजट को परिभाषित करें।
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,डिफ़ॉल्ट खाता / बैंक कैश स्वतः स्थिति चालान में अद्यतन किया जाएगा जब इस मोड का चयन किया जाता है.
DocType: Lead,LEAD-,सीसा
DocType: Employee,Permanent Address Is,स्थायी पता है
DocType: Production Order Operation,Operation completed for how many finished goods?,ऑपरेशन कितने तैयार माल के लिए पूरा?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,ब्रांड
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,ब्रांड
DocType: Employee,Exit Interview Details,साक्षात्कार विवरण से बाहर निकलें
DocType: Item,Is Purchase Item,खरीद आइटम है
DocType: Asset,Purchase Invoice,चालान खरीद
DocType: Stock Ledger Entry,Voucher Detail No,वाउचर विस्तार नहीं
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,नई बिक्री चालान
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,नई बिक्री चालान
DocType: Stock Entry,Total Outgoing Value,कुल निवर्तमान मूल्य
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,दिनांक और अंतिम तिथि खुलने एक ही वित्तीय वर्ष के भीतर होना चाहिए
DocType: Lead,Request for Information,सूचना के लिए अनुरोध
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,सिंक ऑफलाइन चालान
+,LeaderBoard,लीडरबोर्ड
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,सिंक ऑफलाइन चालान
DocType: Payment Request,Paid,भुगतान किया
DocType: Program Fee,Program Fee,कार्यक्रम का शुल्क
DocType: Salary Slip,Total in words,शब्दों में कुल
@@ -1005,13 +1012,13 @@
DocType: Cheque Print Template,Has Print Format,प्रिंट स्वरूप है
DocType: Employee Loan,Sanctioned,स्वीकृत
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,अनिवार्य है। हो सकता है कि मुद्रा विनिमय रिकार्ड नहीं बनाई गई है
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Row # {0}: आइटम के लिए धारावाहिक नहीं निर्दिष्ट करें {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'उत्पाद बंडल' आइटम, गोदाम, सीरियल कोई और बैच के लिए नहीं 'पैकिंग सूची' मेज से विचार किया जाएगा। गोदाम और बैच कोई 'किसी भी उत्पाद बंडल' आइटम के लिए सभी मदों की पैकिंग के लिए ही कर रहे हैं, तो उन मूल्यों को मुख्य मद तालिका में दर्ज किया जा सकता है, मूल्यों की मेज 'पैकिंग सूची' में कॉपी किया जाएगा।"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: आइटम के लिए धारावाहिक नहीं निर्दिष्ट करें {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'उत्पाद बंडल' आइटम, गोदाम, सीरियल कोई और बैच के लिए नहीं 'पैकिंग सूची' मेज से विचार किया जाएगा। गोदाम और बैच कोई 'किसी भी उत्पाद बंडल' आइटम के लिए सभी मदों की पैकिंग के लिए ही कर रहे हैं, तो उन मूल्यों को मुख्य मद तालिका में दर्ज किया जा सकता है, मूल्यों की मेज 'पैकिंग सूची' में कॉपी किया जाएगा।"
DocType: Job Opening,Publish on website,वेबसाइट पर प्रकाशित करें
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,ग्राहकों के लिए लदान.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,आपूर्तिकर्ता चालान दिनांक पोस्ट दिनांक से बड़ा नहीं हो सकता है
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,आपूर्तिकर्ता चालान दिनांक पोस्ट दिनांक से बड़ा नहीं हो सकता है
DocType: Purchase Invoice Item,Purchase Order Item,खरीद आदेश आइटम
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,अप्रत्यक्ष आय
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,अप्रत्यक्ष आय
DocType: Student Attendance Tool,Student Attendance Tool,छात्र उपस्थिति उपकरण
DocType: Cheque Print Template,Date Settings,दिनांक सेटिंग
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,झगड़ा
@@ -1029,20 +1036,20 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,रासायनिक
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,डिफ़ॉल्ट बैंक / नकद खाते स्वचालित रूप से जब इस मोड का चयन वेतन जर्नल प्रविष्टि में अद्यतन किया जाएगा।
DocType: BOM,Raw Material Cost(Company Currency),कच्चे माल की लागत (कंपनी मुद्रा)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,सभी आइटम को पहले से ही इस उत्पादन के आदेश के लिए स्थानांतरित कर दिया गया है।
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,सभी आइटम को पहले से ही इस उत्पादन के आदेश के लिए स्थानांतरित कर दिया गया है।
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},पंक्ति # {0}: दर {1} {2} में प्रयुक्त दर से अधिक नहीं हो सकती
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,मीटर
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,मीटर
DocType: Workstation,Electricity Cost,बिजली की लागत
DocType: HR Settings,Don't send Employee Birthday Reminders,कर्मचारी जन्मदिन अनुस्मारक न भेजें
DocType: Item,Inspection Criteria,निरीक्षण मानदंड
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,तबादला
DocType: BOM Website Item,BOM Website Item,बीओएम वेबसाइट मद
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,अपने पत्र सिर और लोगो अपलोड करें। (आप उन्हें बाद में संपादित कर सकते हैं)।
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,अपने पत्र सिर और लोगो अपलोड करें। (आप उन्हें बाद में संपादित कर सकते हैं)।
DocType: Timesheet Detail,Bill,बिल
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,अगली मूल्यह्रास दिनांक अतीत की तारीख के रूप में दर्ज किया जाता है
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,सफेद
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,सफेद
DocType: SMS Center,All Lead (Open),सभी लीड (ओपन)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),पंक्ति {0}: मात्रा के लिए उपलब्ध नहीं {4} गोदाम में {1} प्रवेश के समय पोस्टिंग पर ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),पंक्ति {0}: मात्रा के लिए उपलब्ध नहीं {4} गोदाम में {1} प्रवेश के समय पोस्टिंग पर ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,भुगतान किए गए अग्रिम जाओ
DocType: Item,Automatically Create New Batch,स्वचालित रूप से नया बैच बनाएं
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,मेक
@@ -1052,13 +1059,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,मेरी गाड़ी
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},आदेश प्रकार का होना चाहिए {0}
DocType: Lead,Next Contact Date,अगले संपर्क तिथि
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,खुलने मात्रा
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,राशि परिवर्तन के लिए खाता दर्ज करें
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,खुलने मात्रा
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,राशि परिवर्तन के लिए खाता दर्ज करें
DocType: Student Batch Name,Student Batch Name,छात्र बैच नाम
DocType: Holiday List,Holiday List Name,अवकाश सूची नाम
DocType: Repayment Schedule,Balance Loan Amount,शेष ऋण की राशि
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,अनुसूची कोर्स
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,पूँजी विकल्प
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,पूँजी विकल्प
DocType: Journal Entry Account,Expense Claim,व्यय दावा
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,आप वास्तव में इस संपत्ति को खत्म कर दिया बहाल करने के लिए करना चाहते हैं?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},के लिए मात्रा {0}
@@ -1070,12 +1077,12 @@
DocType: Company,Default Terms,डिफ़ॉल्ट शर्तें
DocType: Packing Slip Item,Packing Slip Item,पैकिंग स्लिप आइटम
DocType: Purchase Invoice,Cash/Bank Account,नकद / बैंक खाता
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},कृपया बताएं कि एक {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},कृपया बताएं कि एक {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,मात्रा या मूल्य में कोई परिवर्तन से हटाया आइटम नहीं है।
DocType: Delivery Note,Delivery To,करने के लिए डिलिवरी
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,गुण तालिका अनिवार्य है
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,गुण तालिका अनिवार्य है
DocType: Production Planning Tool,Get Sales Orders,विक्रय आदेश
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} ऋणात्मक नहीं हो सकता
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} ऋणात्मक नहीं हो सकता
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,छूट
DocType: Asset,Total Number of Depreciations,कुल depreciations की संख्या
DocType: Sales Invoice Item,Rate With Margin,मार्जिन के साथ दर
@@ -1095,7 +1102,6 @@
DocType: Serial No,Creation Document No,निर्माण का दस्तावेज़
DocType: Issue,Issue,मुद्दा
DocType: Asset,Scrapped,खत्म कर दिया
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,खाते कंपनी के साथ मेल नहीं खाता
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","आइटम वेरिएंट के लिए जिम्मेदार बताते हैं। जैसे आकार, रंग आदि"
DocType: Purchase Invoice,Returns,रिटर्न
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP वेयरहाउस
@@ -1107,12 +1113,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,आइटम बटन 'खरीद प्राप्तियों से आइटम प्राप्त' का उपयोग कर जोड़ा जाना चाहिए
DocType: Employee,A-,ए-
DocType: Production Planning Tool,Include non-stock items,गैर-शेयर मदों को शामिल करें
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,बिक्री व्यय
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,बिक्री व्यय
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,मानक खरीद
DocType: GL Entry,Against,के खिलाफ
DocType: Item,Default Selling Cost Center,डिफ़ॉल्ट बिक्री लागत केंद्र
DocType: Sales Partner,Implementation Partner,कार्यान्वयन साथी
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,पिन कोड
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,पिन कोड
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},बिक्री आदेश {0} है {1}
DocType: Opportunity,Contact Info,संपर्क जानकारी
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,स्टॉक प्रविष्टियां बनाना
@@ -1125,31 +1131,31 @@
DocType: Holiday List,Get Weekly Off Dates,साप्ताहिक ऑफ तिथियां
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,समाप्ति तिथि आरंभ तिथि से कम नहीं हो सकता
DocType: Sales Person,Select company name first.,कंपनी 1 नाम का चयन करें.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,डा
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,कोटेशन आपूर्तिकर्ता से प्राप्त किया.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},{0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,औसत आयु
DocType: School Settings,Attendance Freeze Date,उपस्थिति फ्रीज तिथि
DocType: Opportunity,Your sales person who will contact the customer in future,अपनी बिक्री व्यक्ति जो भविष्य में ग्राहकों से संपर्क करेंगे
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,अपने आपूर्तिकर्ताओं में से कुछ की सूची . वे संगठनों या व्यक्तियों हो सकता है.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,अपने आपूर्तिकर्ताओं में से कुछ की सूची . वे संगठनों या व्यक्तियों हो सकता है.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,सभी उत्पादों को देखने
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),न्यूनतम लीड आयु (दिन)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,सभी BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,सभी BOMs
DocType: Company,Default Currency,डिफ़ॉल्ट मुद्रा
DocType: Expense Claim,From Employee,कर्मचारी से
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,चेतावनी: सिस्टम {0} {1} शून्य है में आइटम के लिए राशि के बाद से overbilling जांच नहीं करेगा
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,चेतावनी: सिस्टम {0} {1} शून्य है में आइटम के लिए राशि के बाद से overbilling जांच नहीं करेगा
DocType: Journal Entry,Make Difference Entry,अंतर एंट्री
DocType: Upload Attendance,Attendance From Date,दिनांक से उपस्थिति
DocType: Appraisal Template Goal,Key Performance Area,परफ़ॉर्मेंस क्षेत्र
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,परिवहन
+DocType: Program Enrollment,Transportation,परिवहन
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,अमान्य विशेषता
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} प्रस्तुत किया जाना चाहिए
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} प्रस्तुत किया जाना चाहिए
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},मात्रा से कम या बराबर होना चाहिए {0}
DocType: SMS Center,Total Characters,कुल वर्ण
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},आइटम के लिए बीओएम क्षेत्र में बीओएम चयन करें {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},आइटम के लिए बीओएम क्षेत्र में बीओएम चयन करें {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,सी - फार्म के चालान विस्तार
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,भुगतान सुलह चालान
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,अंशदान%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ख़रीद सेटिंग के अनुसार यदि खरीद आदेश की आवश्यकता है == 'हां', फिर खरीद चालान बनाने के लिए, उपयोगकर्ता को आइटम के लिए पहले खरीद आदेश बनाने की आवश्यकता है {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,कंपनी अपने संदर्भ के लिए पंजीकरण संख्या. टैक्स आदि संख्या
DocType: Sales Partner,Distributor,वितरक
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,शॉपिंग कार्ट नौवहन नियम
@@ -1158,23 +1164,25 @@
,Ordered Items To Be Billed,हिसाब से बिलिंग किए आइटम
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,सीमा कम हो गया है से की तुलना में श्रृंखला के लिए
DocType: Global Defaults,Global Defaults,वैश्विक मूलभूत
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,परियोजना सहयोग निमंत्रण
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,परियोजना सहयोग निमंत्रण
DocType: Salary Slip,Deductions,कटौती
DocType: Leave Allocation,LAL/,लाल /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,साल की शुरुआत
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},जीएसटीआईएन के पहले 2 अंक राज्य संख्या {0} के साथ मिलना चाहिए
DocType: Purchase Invoice,Start date of current invoice's period,वर्तमान चालान की अवधि के आरंभ तिथि
DocType: Salary Slip,Leave Without Pay,बिना वेतन छुट्टी
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,क्षमता योजना में त्रुटि
,Trial Balance for Party,पार्टी के लिए परीक्षण शेष
DocType: Lead,Consultant,सलाहकार
DocType: Salary Slip,Earnings,कमाई
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,तैयार आइटम {0} निर्माण प्रकार प्रविष्टि के लिए दर्ज होना चाहिए
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,तैयार आइटम {0} निर्माण प्रकार प्रविष्टि के लिए दर्ज होना चाहिए
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,खुलने का लेखा बैलेंस
+,GST Sales Register,जीएसटी बिक्री रजिस्टर
DocType: Sales Invoice Advance,Sales Invoice Advance,बिक्री चालान अग्रिम
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,अनुरोध करने के लिए कुछ भी नहीं
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},एक और बजट रिकार्ड '{0}' पहले से ही मौजूद है के खिलाफ {1} '{2}' वित्त वर्ष के लिए {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',' वास्तविक प्रारंभ दिनांक ' वास्तविक अंत तिथि ' से बड़ा नहीं हो सकता
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,प्रबंधन
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,प्रबंधन
DocType: Cheque Print Template,Payer Settings,भुगतानकर्ता सेटिंग
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","इस प्रकार के आइटम कोड के साथ संलग्न किया जाएगा। अपने संक्षिप्त नाम ""एसएम"", और अगर उदाहरण के लिए, मद कोड ""टी शर्ट"", ""टी-शर्ट एस.एम."" हो जाएगा संस्करण के मद कोड है"
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,एक बार जब आप को वेतन पर्ची सहेजे शुद्ध वेतन (शब्दों) में दिखाई जाएगी।
@@ -1191,8 +1199,8 @@
DocType: Employee Loan,Partially Disbursed,आंशिक रूप से वितरित
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,प्रदायक डेटाबेस.
DocType: Account,Balance Sheet,बैलेंस शीट
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ','आइटम कोड के साथ आइटम के लिए केंद्र का खर्च
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","भुगतान मोड कॉन्फ़िगर नहीं है। कृपया चेक, चाहे खाता भुगतान के मोड पर या पीओएस प्रोफाइल पर स्थापित किया गया है।"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ','आइटम कोड के साथ आइटम के लिए केंद्र का खर्च
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","भुगतान मोड कॉन्फ़िगर नहीं है। कृपया चेक, चाहे खाता भुगतान के मोड पर या पीओएस प्रोफाइल पर स्थापित किया गया है।"
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,अपनी बिक्री व्यक्ति इस तिथि पर एक चेतावनी प्राप्त करने के लिए ग्राहकों से संपर्क करेंगे
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,एक ही मद कई बार दर्ज नहीं किया जा सकता है।
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","इसके अलावा खातों समूह के तहत बनाया जा सकता है, लेकिन प्रविष्टियों गैर समूहों के खिलाफ बनाया जा सकता है"
@@ -1200,7 +1208,7 @@
DocType: Email Digest,Payables,देय
DocType: Course,Course Intro,कोर्स पहचान
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,स्टॉक एंट्री {0} बनाया
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,पंक्ति # {0}: मात्रा क्रय वापसी में दर्ज नहीं किया जा सकता अस्वीकृत
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,पंक्ति # {0}: मात्रा क्रय वापसी में दर्ज नहीं किया जा सकता अस्वीकृत
,Purchase Order Items To Be Billed,बिल के लिए खरीद आदेश आइटम
DocType: Purchase Invoice Item,Net Rate,असल दर
DocType: Purchase Invoice Item,Purchase Invoice Item,चालान आइटम खरीद
@@ -1225,7 +1233,7 @@
DocType: Sales Order,SO-,इसलिए-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,पहले उपसर्ग का चयन करें
DocType: Employee,O-,हे
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,अनुसंधान
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,अनुसंधान
DocType: Maintenance Visit Purpose,Work Done,करेंकिया गया काम
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,गुण तालिका में कम से कम एक विशेषता निर्दिष्ट करें
DocType: Announcement,All Students,सभी छात्र
@@ -1233,17 +1241,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,देखें खाता बही
DocType: Grading Scale,Intervals,अंतराल
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,शीघ्रातिशीघ्र
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","एक आइटम समूह में एक ही नाम के साथ मौजूद है , वस्तु का नाम बदलने के लिए या आइटम समूह का नाम बदलने के लिए कृपया"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,छात्र मोबाइल नंबर
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,शेष विश्व
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","एक आइटम समूह में एक ही नाम के साथ मौजूद है , वस्तु का नाम बदलने के लिए या आइटम समूह का नाम बदलने के लिए कृपया"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,छात्र मोबाइल नंबर
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,शेष विश्व
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,आइटम {0} बैच नहीं हो सकता
,Budget Variance Report,बजट विचरण रिपोर्ट
DocType: Salary Slip,Gross Pay,सकल वेतन
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,पंक्ति {0}: गतिविधि प्रकार अनिवार्य है।
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,सूद अदा किया
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,सूद अदा किया
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,लेखा बही
DocType: Stock Reconciliation,Difference Amount,अंतर राशि
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,प्रतिधारित कमाई
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,प्रतिधारित कमाई
DocType: Vehicle Log,Service Detail,सेवा विस्तार
DocType: BOM,Item Description,आइटम विवरण
DocType: Student Sibling,Student Sibling,छात्र सहोदर
@@ -1257,11 +1265,11 @@
DocType: Opportunity Item,Opportunity Item,अवसर आइटम
,Student and Guardian Contact Details,छात्र और गार्जियन संपर्क विवरण
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,पंक्ति {0}: आपूर्तिकर्ता {0} के ईमेल पते को ईमेल भेजने के लिए आवश्यक है
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,अस्थाई उद्घाटन
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,अस्थाई उद्घाटन
,Employee Leave Balance,कर्मचारी लीव बैलेंस
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},{0} हमेशा होना चाहिए खाता के लिए शेष {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},मूल्यांकन दर पंक्ति में आइटम के लिए आवश्यक {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,उदाहरण: कंप्यूटर विज्ञान में परास्नातक
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,उदाहरण: कंप्यूटर विज्ञान में परास्नातक
DocType: Purchase Invoice,Rejected Warehouse,अस्वीकृत वेअरहाउस
DocType: GL Entry,Against Voucher,वाउचर के खिलाफ
DocType: Item,Default Buying Cost Center,डिफ़ॉल्ट ख़रीदना लागत केंद्र
@@ -1274,31 +1282,30 @@
DocType: Journal Entry,Get Outstanding Invoices,बकाया चालान
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,बिक्री आदेश {0} मान्य नहीं है
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,खरीद आदेश आप की योजना में मदद मिलेगी और अपनी खरीद पर का पालन करें
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","क्षमा करें, कंपनियों का विलय कर दिया नहीं किया जा सकता"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","क्षमा करें, कंपनियों का विलय कर दिया नहीं किया जा सकता"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",कुल अंक / स्थानांतरण मात्रा {0} सामग्री अनुरोध में {1} \ मद के लिए अनुरोध मात्रा {2} से बड़ा नहीं हो सकता है {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,छोटा
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,छोटा
DocType: Employee,Employee Number,कर्मचारियों की संख्या
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},प्रकरण नहीं ( ओं) पहले से ही उपयोग में . प्रकरण नहीं से try {0}
DocType: Project,% Completed,% पूर्ण
,Invoiced Amount (Exculsive Tax),चालान राशि ( Exculsive टैक्स )
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,आइटम 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,लेखाशीर्ष {0} बनाया
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,प्रशिक्षण घटना
DocType: Item,Auto re-order,ऑटो पुनः आदेश
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,कुल प्राप्त
DocType: Employee,Place of Issue,जारी करने की जगह
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,अनुबंध
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,अनुबंध
DocType: Email Digest,Add Quote,उद्धरण जोड़ें
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},UOM के लिए आवश्यक UOM coversion पहलू: {0} मद में: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,अप्रत्यक्ष व्यय
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM के लिए आवश्यक UOM coversion पहलू: {0} मद में: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,अप्रत्यक्ष व्यय
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,पंक्ति {0}: मात्रा अनिवार्य है
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,कृषि
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,सिंक मास्टर डाटा
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,अपने उत्पादों या सेवाओं
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,सिंक मास्टर डाटा
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,अपने उत्पादों या सेवाओं
DocType: Mode of Payment,Mode of Payment,भुगतान की रीति
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,वेबसाइट छवि एक सार्वजनिक फ़ाइल या वेबसाइट URL होना चाहिए
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,वेबसाइट छवि एक सार्वजनिक फ़ाइल या वेबसाइट URL होना चाहिए
DocType: Student Applicant,AP,एपी
DocType: Purchase Invoice Item,BOM,बीओएम
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,यह एक रूट आइटम समूह है और संपादित नहीं किया जा सकता है .
@@ -1307,17 +1314,17 @@
DocType: Warehouse,Warehouse Contact Info,वेयरहाउस संपर्क जानकारी
DocType: Payment Entry,Write Off Difference Amount,बंद लिखें अंतर राशि
DocType: Purchase Invoice,Recurring Type,आवर्ती प्रकार
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: कर्मचारी ईमेल नहीं मिला है, इसलिए नहीं भेजा गया ईमेल"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: कर्मचारी ईमेल नहीं मिला है, इसलिए नहीं भेजा गया ईमेल"
DocType: Item,Foreign Trade Details,विदेश व्यापार विवरण
DocType: Email Digest,Annual Income,वार्षिक आय
DocType: Serial No,Serial No Details,धारावाहिक नहीं विवरण
DocType: Purchase Invoice Item,Item Tax Rate,आइटम कर की दर
DocType: Student Group Student,Group Roll Number,समूह रोल संख्या
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","{0}, केवल ऋण खातों अन्य डेबिट प्रविष्टि के खिलाफ जोड़ा जा सकता है के लिए"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,सभी कार्य भार की कुल होना चाहिए 1. तदनुसार सभी परियोजना कार्यों के भार को समायोजित करें
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,डिलिवरी नोट {0} प्रस्तुत नहीं किया गया है
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,आइटम {0} एक उप अनुबंधित आइटम होना चाहिए
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,राजधानी उपकरणों
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,सभी कार्य भार की कुल होना चाहिए 1. तदनुसार सभी परियोजना कार्यों के भार को समायोजित करें
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,डिलिवरी नोट {0} प्रस्तुत नहीं किया गया है
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,आइटम {0} एक उप अनुबंधित आइटम होना चाहिए
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,राजधानी उपकरणों
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","मूल्य निर्धारण नियम पहला आइटम, आइटम समूह या ब्रांड हो सकता है, जो क्षेत्र 'पर लागू होते हैं' के आधार पर चुना जाता है."
DocType: Hub Settings,Seller Website,विक्रेता वेबसाइट
DocType: Item,ITEM-,"आइटम,"
@@ -1335,7 +1342,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","केवल "" मूल्य "" के लिए 0 या रिक्त मान के साथ एक शिपिंग शासन की स्थिति नहीं हो सकता"
DocType: Authorization Rule,Transaction,लेन - देन
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,नोट : इस लागत केंद्र एक समूह है . समूहों के खिलाफ लेखांकन प्रविष्टियों नहीं कर सकता.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,बाल गोदाम इस गोदाम के लिए मौजूद है। आप इस गोदाम को नष्ट नहीं कर सकते हैं।
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,बाल गोदाम इस गोदाम के लिए मौजूद है। आप इस गोदाम को नष्ट नहीं कर सकते हैं।
DocType: Item,Website Item Groups,वेबसाइट आइटम समूह
DocType: Purchase Invoice,Total (Company Currency),कुल (कंपनी मुद्रा)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,सीरियल नंबर {0} एक बार से अधिक दर्ज किया
@@ -1345,7 +1352,7 @@
DocType: Grading Scale Interval,Grade Code,ग्रेड कोड
DocType: POS Item Group,POS Item Group,पीओएस मद समूह
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,डाइजेस्ट ईमेल:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},बीओएम {0} मद से संबंधित नहीं है {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},बीओएम {0} मद से संबंधित नहीं है {1}
DocType: Sales Partner,Target Distribution,लक्ष्य वितरण
DocType: Salary Slip,Bank Account No.,बैंक खाता नहीं
DocType: Naming Series,This is the number of the last created transaction with this prefix,यह इस उपसर्ग के साथ पिछले बनाई गई लेन - देन की संख्या
@@ -1355,12 +1362,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,पुस्तक परिसंपत्ति मूल्यह्रास प्रविष्टि स्वचालित रूप से
DocType: BOM Operation,Workstation,वर्कस्टेशन
DocType: Request for Quotation Supplier,Request for Quotation Supplier,कोटेशन प्रदायक के लिए अनुरोध
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,हार्डवेयर
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,हार्डवेयर
DocType: Sales Order,Recurring Upto,आवर्ती तक
DocType: Attendance,HR Manager,मानव संसाधन प्रबंधक
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,एक कंपनी का चयन करें
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,विशेषाधिकार छुट्टी
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,एक कंपनी का चयन करें
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,विशेषाधिकार छुट्टी
DocType: Purchase Invoice,Supplier Invoice Date,प्रदायक चालान तिथि
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,प्रति
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,आप खरीदारी की टोकरी में सक्रिय करने की जरूरत
DocType: Payment Entry,Writeoff,बट्टे खाते डालना
DocType: Appraisal Template Goal,Appraisal Template Goal,मूल्यांकन टेम्पलेट लक्ष्य
@@ -1371,10 +1379,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,बीच पाया ओवरलैपिंग की स्थिति :
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,जर्नल के खिलाफ एंट्री {0} पहले से ही कुछ अन्य वाउचर के खिलाफ निकाला जाता है
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,कुल ऑर्डर मूल्य
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,भोजन
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,भोजन
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,बूढ़े रेंज 3
DocType: Maintenance Schedule Item,No of Visits,यात्राओं की संख्या
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,मार्क उपस्थिति
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,मार्क उपस्थिति
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},रखरखाव अनुसूची {0} के खिलाफ मौजूद है {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,नामांकन छात्र
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},समापन खाते की मुद्रा होना चाहिए {0}
@@ -1388,6 +1396,7 @@
DocType: Rename Tool,Utilities,उपयोगिताएँ
DocType: Purchase Invoice Item,Accounting,लेखांकन
DocType: Employee,EMP/,ईएमपी /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,बैच किए गए आइटम के लिए बैच चुनें
DocType: Asset,Depreciation Schedules,मूल्यह्रास कार्यक्रम
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,आवेदन की अवधि के बाहर छुट्टी के आवंटन की अवधि नहीं किया जा सकता
DocType: Activity Cost,Projects,परियोजनाओं
@@ -1401,6 +1410,7 @@
DocType: POS Profile,Campaign,अभियान
DocType: Supplier,Name and Type,नाम और प्रकार
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',स्वीकृति स्थिति 'स्वीकृत' या ' अस्वीकृत ' होना चाहिए
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,बूटस्ट्रैप
DocType: Purchase Invoice,Contact Person,संपर्क व्यक्ति
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',' उम्मीद प्रारंभ दिनांक ' 'की आशा की समाप्ति तिथि' से बड़ा नहीं हो सकता
DocType: Course Scheduling Tool,Course End Date,कोर्स समाप्ति तिथि
@@ -1408,12 +1418,11 @@
DocType: Sales Order Item,Planned Quantity,नियोजित मात्रा
DocType: Purchase Invoice Item,Item Tax Amount,आइटम कर राशि
DocType: Item,Maintain Stock,स्टॉक बनाए रखें
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,पहले से ही उत्पादन आदेश के लिए बनाया स्टॉक प्रविष्टियां
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,पहले से ही उत्पादन आदेश के लिए बनाया स्टॉक प्रविष्टियां
DocType: Employee,Prefered Email,पसंद ईमेल
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,निश्चित परिसंपत्ति में शुद्ध परिवर्तन
DocType: Leave Control Panel,Leave blank if considered for all designations,रिक्त छोड़ अगर सभी पदनाम के लिए विचार
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,गोदाम प्रकार स्टॉक के गैर समूह खातों के लिए अनिवार्य है
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,प्रकार पंक्ति {0} में 'वास्तविक ' का प्रभार आइटम रेट में शामिल नहीं किया जा सकता
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,प्रकार पंक्ति {0} में 'वास्तविक ' का प्रभार आइटम रेट में शामिल नहीं किया जा सकता
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},मैक्स: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Datetime से
DocType: Email Digest,For Company,कंपनी के लिए
@@ -1423,15 +1432,15 @@
DocType: Sales Invoice,Shipping Address Name,शिपिंग पता नाम
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,खातों का चार्ट
DocType: Material Request,Terms and Conditions Content,नियम और शर्तें सामग्री
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,100 से अधिक नहीं हो सकता
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,आइटम {0} भंडार वस्तु नहीं है
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,100 से अधिक नहीं हो सकता
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,आइटम {0} भंडार वस्तु नहीं है
DocType: Maintenance Visit,Unscheduled,अनिर्धारित
DocType: Employee,Owned,स्वामित्व
DocType: Salary Detail,Depends on Leave Without Pay,बिना वेतन छुट्टी पर निर्भर करता है
DocType: Pricing Rule,"Higher the number, higher the priority","उच्च संख्या, उच्च प्राथमिकता"
,Purchase Invoice Trends,चालान रुझान खरीद
DocType: Employee,Better Prospects,बेहतर संभावनाओं
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","पंक्ति # {0}: बैच {1} में केवल {2} मात्रा है कृपया एक और बैच का चयन करें जिसमें {3} मात्रा उपलब्ध है या कई पंक्तियों में पंक्ति को विभाजित करने के लिए, कई बैचों से वितरित / जारी करने के लिए"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","पंक्ति # {0}: बैच {1} में केवल {2} मात्रा है कृपया एक और बैच का चयन करें जिसमें {3} मात्रा उपलब्ध है या कई पंक्तियों में पंक्ति को विभाजित करने के लिए, कई बैचों से वितरित / जारी करने के लिए"
DocType: Vehicle,License Plate,लाइसेंस प्लेट
DocType: Appraisal,Goals,लक्ष्य
DocType: Warranty Claim,Warranty / AMC Status,वारंटी / एएमसी स्थिति
@@ -1442,7 +1451,8 @@
,Batch-Wise Balance History,बैच वार बैलेंस इतिहास
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,प्रिंट सेटिंग्स संबंधित प्रिंट प्रारूप में अद्यतन
DocType: Package Code,Package Code,पैकेज कोड
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,शिक्षु
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,शिक्षु
+DocType: Purchase Invoice,Company GSTIN,कंपनी जीएसटीआईएन
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,नकारात्मक मात्रा की अनुमति नहीं है
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","एक स्ट्रिंग के रूप में आइटम गुरु से दिलवाया है और इस क्षेत्र में संग्रहित कर विस्तार मेज।
@@ -1450,12 +1460,12 @@
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,कर्मचारी खुद को रिपोर्ट नहीं कर सकते हैं।
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","खाता जमे हुए है , तो प्रविष्टियों प्रतिबंधित उपयोगकर्ताओं की अनुमति है."
DocType: Email Digest,Bank Balance,बैंक में जमा राशि
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},{1} केवल मुद्रा में बनाया जा सकता है: {0} के लिए लेखा प्रविष्टि {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},{1} केवल मुद्रा में बनाया जा सकता है: {0} के लिए लेखा प्रविष्टि {2}
DocType: Job Opening,"Job profile, qualifications required etc.","आवश्यक काम प्रोफ़ाइल , योग्यता आदि"
DocType: Journal Entry Account,Account Balance,खाते की शेष राशि
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,लेन-देन के लिए टैक्स नियम।
DocType: Rename Tool,Type of document to rename.,नाम बदलने के लिए दस्तावेज का प्रकार.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,हम इस मद से खरीदें
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,हम इस मद से खरीदें
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: ग्राहक प्राप्य खाते के खिलाफ आवश्यक है {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),कुल करों और शुल्कों (कंपनी मुद्रा)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,खुला हुआ वित्त वर्ष के पी एंड एल शेष राशि दिखाएँ
@@ -1466,29 +1476,30 @@
DocType: Stock Entry,Total Additional Costs,कुल अतिरिक्त लागत
DocType: Course Schedule,SH,एसएच
DocType: BOM,Scrap Material Cost(Company Currency),स्क्रैप सामग्री लागत (कंपनी मुद्रा)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,उप असेंबलियों
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,उप असेंबलियों
DocType: Asset,Asset Name,एसेट का नाम
DocType: Project,Task Weight,टास्क भार
DocType: Shipping Rule Condition,To Value,मूल्य के लिए
DocType: Asset Movement,Stock Manager,शेयर प्रबंधक
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},स्रोत गोदाम पंक्ति के लिए अनिवार्य है {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,पर्ची पैकिंग
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,कार्यालय का किराया
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},स्रोत गोदाम पंक्ति के लिए अनिवार्य है {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,पर्ची पैकिंग
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,कार्यालय का किराया
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,सेटअप एसएमएस के प्रवेश द्वार सेटिंग्स
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,आयात विफल!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,कोई पता अभी तक जोड़ा।
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,कोई पता अभी तक जोड़ा।
DocType: Workstation Working Hour,Workstation Working Hour,कार्य केंद्र घंटे काम
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,विश्लेषक
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,विश्लेषक
DocType: Item,Inventory,इनवेंटरी
DocType: Item,Sales Details,बिक्री विवरण
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,आइटम के साथ
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,मात्रा में
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,मात्रा में
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,विद्यार्थी समूह में छात्रों के लिए नामांकित पाठ्यक्रम मान्य करें
DocType: Notification Control,Expense Claim Rejected,व्यय दावे का खंडन किया
DocType: Item,Item Attribute,आइटम गुण
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,सरकार
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,सरकार
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,व्यय दावा {0} पहले से ही मौजूद है के लिए वाहन लॉग
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,संस्थान का नाम
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,संस्थान का नाम
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,भुगतान राशि दर्ज करें
apps/erpnext/erpnext/config/stock.py +300,Item Variants,आइटम वेरिएंट
DocType: Company,Services,सेवाएं
@@ -1498,18 +1509,18 @@
DocType: Sales Invoice,Source,स्रोत
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,दिखाएँ बंद
DocType: Leave Type,Is Leave Without Pay,बिना वेतन छुट्टी है
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,परिसंपत्ति वर्ग फिक्स्ड एसेट आइटम के लिए अनिवार्य है
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,परिसंपत्ति वर्ग फिक्स्ड एसेट आइटम के लिए अनिवार्य है
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,भुगतान तालिका में कोई अभिलेख
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},यह {0} {1} के साथ संघर्ष के लिए {2} {3}
DocType: Student Attendance Tool,Students HTML,छात्र HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,वित्तीय वर्ष प्रारंभ दिनांक
DocType: POS Profile,Apply Discount,छूट लागू
+DocType: Purchase Invoice Item,GST HSN Code,जीएसटी एचएसएन कोड
DocType: Employee External Work History,Total Experience,कुल अनुभव
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,ओपन परियोजनाएं
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,पैकिंग पर्ची (ओं ) को रद्द कर दिया
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,निवेश से कैश फ्लो
DocType: Program Course,Program Course,कार्यक्रम पाठ्यक्रम
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,फ्रेट और अग्रेषण शुल्क
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,फ्रेट और अग्रेषण शुल्क
DocType: Homepage,Company Tagline for website homepage,वेबसाइट मुखपृष्ठ के लिए कंपनी टैगलाइन
DocType: Item Group,Item Group Name,आइटम समूह का नाम
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,में ले ली
@@ -1519,6 +1530,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,सुराग बनाने
DocType: Maintenance Schedule,Schedules,अनुसूचियों
DocType: Purchase Invoice Item,Net Amount,शुद्ध राशि
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} सबमिट नहीं किया गया है ताकि कार्रवाई पूरी नहीं की जा सके
DocType: Purchase Order Item Supplied,BOM Detail No,बीओएम विस्तार नहीं
DocType: Landed Cost Voucher,Additional Charges,अतिरिक्त प्रभार
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),अतिरिक्त छूट राशि (कंपनी मुद्रा)
@@ -1534,6 +1546,7 @@
DocType: Employee Loan,Monthly Repayment Amount,मासिक भुगतान राशि
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,कर्मचारी भूमिका निर्धारित करने के लिए एक कर्मचारी रिकॉर्ड में यूजर आईडी क्षेत्र सेट करें
DocType: UOM,UOM Name,UOM नाम
+DocType: GST HSN Code,HSN Code,एचएसएन कोड
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,योगदान राशि
DocType: Purchase Invoice,Shipping Address,शिपिंग पता
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,यह उपकरण आपको अपडेट करने या सिस्टम में स्टॉक की मात्रा और मूल्य निर्धारण को ठीक करने में मदद करता है। यह आम तौर पर प्रणाली मूल्यों और क्या वास्तव में अपने गोदामों में मौजूद सिंक्रनाइज़ करने के लिए प्रयोग किया जाता है।
@@ -1544,17 +1557,16 @@
DocType: Program Enrollment Tool,Program Enrollments,कार्यक्रम नामांकन
DocType: Sales Invoice Item,Brand Name,ब्रांड नाम
DocType: Purchase Receipt,Transporter Details,ट्रांसपोर्टर विवरण
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,डिफ़ॉल्ट गोदाम चयनित आइटम के लिए आवश्यक है
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,डिब्बा
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,डिफ़ॉल्ट गोदाम चयनित आइटम के लिए आवश्यक है
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,डिब्बा
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,संभव प्रदायक
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,संगठन
DocType: Budget,Monthly Distribution,मासिक वितरण
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,पानेवाला सूची खाली है . पानेवाला सूची बनाएं
DocType: Production Plan Sales Order,Production Plan Sales Order,उत्पादन योजना बिक्री आदेश
DocType: Sales Partner,Sales Partner Target,बिक्री साथी लक्ष्य
DocType: Loan Type,Maximum Loan Amount,अधिकतम ऋण राशि
DocType: Pricing Rule,Pricing Rule,मूल्य निर्धारण नियम
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},छात्र के लिए डुप्लिकेट रोल नंबर {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},छात्र के लिए डुप्लिकेट रोल नंबर {0}
DocType: Budget,Action if Annual Budget Exceeded,यदि वार्षिक बजट से अधिक हो कार्रवाई
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,क्रय आदेश के लिए सामग्री का अनुरोध
DocType: Shopping Cart Settings,Payment Success URL,भुगतान सफलता यूआरएल
@@ -1567,11 +1579,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,खुलने का स्टॉक बैलेंस
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} केवल एक बार दिखाई देना चाहिए
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},अधिक tranfer करने के लिए अनुमति नहीं है {0} की तुलना में {1} खरीद आदेश के खिलाफ {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},अधिक tranfer करने के लिए अनुमति नहीं है {0} की तुलना में {1} खरीद आदेश के खिलाफ {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},पत्तियों के लिए सफलतापूर्वक आवंटित {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,पैक करने के लिए कोई आइटम नहीं
DocType: Shipping Rule Condition,From Value,मूल्य से
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,विनिर्माण मात्रा अनिवार्य है
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,विनिर्माण मात्रा अनिवार्य है
DocType: Employee Loan,Repayment Method,चुकौती विधि
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","अगर जाँच की, होम पेज वेबसाइट के लिए डिफ़ॉल्ट मद समूह हो जाएगा"
DocType: Quality Inspection Reading,Reading 4,4 पढ़ना
@@ -1581,7 +1593,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},पंक्ति # {0}: क्लीयरेंस तारीख {1} से पहले चैक दिनांक नहीं किया जा सकता {2}
DocType: Company,Default Holiday List,छुट्टियों की सूची चूक
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},पंक्ति {0}: से समय और के समय {1} के साथ अतिव्यापी है {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,शेयर देयताएं
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,शेयर देयताएं
DocType: Purchase Invoice,Supplier Warehouse,प्रदायक वेअरहाउस
DocType: Opportunity,Contact Mobile No,मोबाइल संपर्क नहीं
,Material Requests for which Supplier Quotations are not created,"प्रदायक कोटेशन नहीं बनाई गई हैं , जिसके लिए सामग्री अनुरोध"
@@ -1592,35 +1604,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,कोटेशन बनाओ
apps/erpnext/erpnext/config/selling.py +216,Other Reports,अन्य रिपोर्टें
DocType: Dependent Task,Dependent Task,आश्रित टास्क
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},उपाय की मूलभूत इकाई के लिए रूपांतरण कारक पंक्ति में 1 होना चाहिए {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},उपाय की मूलभूत इकाई के लिए रूपांतरण कारक पंक्ति में 1 होना चाहिए {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},प्रकार की छुट्टी {0} से बड़ा नहीं हो सकता है {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,अग्रिम में एक्स दिनों के लिए आपरेशन की योजना बना प्रयास करें।
DocType: HR Settings,Stop Birthday Reminders,बंद करो जन्मदिन अनुस्मारक
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},कंपनी में डिफ़ॉल्ट पेरोल देय खाता सेट करें {0}
DocType: SMS Center,Receiver List,रिसीवर सूची
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,खोजें मद
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,खोजें मद
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,खपत राशि
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,नकद में शुद्ध परिवर्तन
DocType: Assessment Plan,Grading Scale,ग्रेडिंग पैमाने
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,मापने की इकाई {0} अधिक रूपांतरण कारक तालिका में एक बार से अधिक दर्ज किया गया है
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,मापने की इकाई {0} अधिक रूपांतरण कारक तालिका में एक बार से अधिक दर्ज किया गया है
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,पहले से पूरा है
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,हाथ में स्टॉक
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},भुगतान का अनुरोध पहले से मौजूद है {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,जारी मदों की लागत
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},मात्रा से अधिक नहीं होना चाहिए {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,पिछले वित्त वर्ष बंद नहीं है
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),आयु (दिन)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),आयु (दिन)
DocType: Quotation Item,Quotation Item,कोटेशन आइटम
+DocType: Customer,Customer POS Id,ग्राहक पीओएस आईडी
DocType: Account,Account Name,खाते का नाम
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,तिथि से आज तक से बड़ा नहीं हो सकता
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,धारावाहिक नहीं {0} मात्रा {1} एक अंश नहीं हो सकता
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,प्रदायक प्रकार मास्टर .
DocType: Purchase Order Item,Supplier Part Number,प्रदायक भाग संख्या
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,रूपांतरण दर 0 या 1 नहीं किया जा सकता
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,रूपांतरण दर 0 या 1 नहीं किया जा सकता
DocType: Sales Invoice,Reference Document,संदर्भ दस्तावेज़
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} रद्द या बंद कर दिया है
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} रद्द या बंद कर दिया है
DocType: Accounts Settings,Credit Controller,क्रेडिट नियंत्रक
DocType: Delivery Note,Vehicle Dispatch Date,वाहन डिस्पैच तिथि
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,खरीद रसीद {0} प्रस्तुत नहीं किया गया है
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,खरीद रसीद {0} प्रस्तुत नहीं किया गया है
DocType: Company,Default Payable Account,डिफ़ॉल्ट देय खाता
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","ऐसे शिपिंग नियम, मूल्य सूची आदि के रूप में ऑनलाइन शॉपिंग कार्ट के लिए सेटिंग"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% बिल
@@ -1639,11 +1653,12 @@
DocType: Expense Claim,Total Amount Reimbursed,कुल राशि की प्रतिपूर्ति
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,यह इस वाहन के खिलाफ लॉग पर आधारित है। जानकारी के लिए नीचे समय देखें
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,लीजिए
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},प्रदायक के खिलाफ चालान {0} दिनांक {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},प्रदायक के खिलाफ चालान {0} दिनांक {1}
DocType: Customer,Default Price List,डिफ़ॉल्ट मूल्य सूची
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,एसेट आंदोलन रिकॉर्ड {0} बनाया
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,आप नहीं हटा सकते वित्त वर्ष {0}। वित्त वर्ष {0} वैश्विक सेटिंग्स में डिफ़ॉल्ट के रूप में सेट किया गया है
DocType: Journal Entry,Entry Type,प्रविष्टि प्रकार
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,इस आकलन समूह से जुड़े कोई मूल्यांकन योजना नहीं है
,Customer Credit Balance,ग्राहक क्रेडिट बैलेंस
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,देय खातों में शुद्ध परिवर्तन
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',' Customerwise डिस्काउंट ' के लिए आवश्यक ग्राहक
@@ -1651,7 +1666,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,मूल्य निर्धारण
DocType: Quotation,Term Details,अवधि विवरण
DocType: Project,Total Sales Cost (via Sales Order),कुल बिक्री लागत (बिक्री आदेश के माध्यम से)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,{0} इस छात्र समूह के लिए छात्रों की तुलना में अधिक नामांकन नहीं कर सकता।
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,{0} इस छात्र समूह के लिए छात्रों की तुलना में अधिक नामांकन नहीं कर सकता।
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,लीड गणना
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} 0 से अधिक होना चाहिए
DocType: Manufacturing Settings,Capacity Planning For (Days),(दिन) के लिए क्षमता योजना
@@ -1672,7 +1687,7 @@
DocType: Sales Invoice,Packed Items,पैक्ड आइटम
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,सीरियल नंबर के खिलाफ वारंटी का दावा
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","यह प्रयोग किया जाता है, जहां सभी अन्य BOMs में एक विशेष बीओएम बदलें। यह पुराने बीओएम लिंक की जगह लागत को अद्यतन और नए बीओएम के अनुसार ""बीओएम धमाका आइटम"" तालिका पुनर्जन्म होगा"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','कुल'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','कुल'
DocType: Shopping Cart Settings,Enable Shopping Cart,शॉपिंग कार्ट सक्षम करें
DocType: Employee,Permanent Address,स्थायी पता
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1688,9 +1703,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,मात्रा या मूल्यांकन दर या दोनों निर्दिष्ट करें
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,पूर्ति
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,कार्ट में देखें
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,विपणन व्यय
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,विपणन व्यय
,Item Shortage Report,आइटम कमी की रिपोर्ट
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","वजन भी ""वजन UOM"" का उल्लेख कृपया \n, उल्लेख किया गया है"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","वजन भी ""वजन UOM"" का उल्लेख कृपया \n, उल्लेख किया गया है"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,इस स्टॉक एंट्री बनाने के लिए इस्तेमाल सामग्री अनुरोध
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,अगली मूल्यह्रास दिनांक नई संपत्ति के लिए अनिवार्य है
DocType: Student Group Creation Tool,Separate course based Group for every Batch,प्रत्येक बैच के लिए अलग पाठ्यक्रम आधारित समूह
@@ -1699,17 +1714,18 @@
,Student Fee Collection,छात्र शुल्क संग्रह
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,हर शेयर आंदोलन के लिए लेखा प्रविष्टि बनाओ
DocType: Leave Allocation,Total Leaves Allocated,कुल पत्तियां आवंटित
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},रो नहीं पर आवश्यक गोदाम {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,वैध वित्तीय वर्ष आरंभ और समाप्ति तिथियाँ दर्ज करें
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},रो नहीं पर आवश्यक गोदाम {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,वैध वित्तीय वर्ष आरंभ और समाप्ति तिथियाँ दर्ज करें
DocType: Employee,Date Of Retirement,सेवानिवृत्ति की तारीख
DocType: Upload Attendance,Get Template,टेम्पलेट जाओ
+DocType: Material Request,Transferred,का तबादला
DocType: Vehicle,Doors,दरवाजे के
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext सेटअप पूरा हुआ!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext सेटअप पूरा हुआ!
DocType: Course Assessment Criteria,Weightage,महत्व
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: लागत केंद्र 'लाभ और हानि के खाते के लिए आवश्यक है {2}। कृपया कंपनी के लिए एक डिफ़ॉल्ट लागत केंद्र की स्थापना की।
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"ग्राहक समूह समान नाम के साथ पहले से मौजूद है, कृपया ग्राहक का नाम बदले या ग्राहक समूह का नाम बदले"
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,नया संपर्क
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"ग्राहक समूह समान नाम के साथ पहले से मौजूद है, कृपया ग्राहक का नाम बदले या ग्राहक समूह का नाम बदले"
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,नया संपर्क
DocType: Territory,Parent Territory,माता - पिता टेरिटरी
DocType: Quality Inspection Reading,Reading 2,2 पढ़ना
DocType: Stock Entry,Material Receipt,सामग्री प्राप्ति
@@ -1718,17 +1734,16 @@
DocType: Employee,AB+,एबी +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","इस मद वेरिएंट है, तो यह बिक्री के आदेश आदि में चयन नहीं किया जा सकता है"
DocType: Lead,Next Contact By,द्वारा अगले संपर्क
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},आइटम के लिए आवश्यक मात्रा {0} पंक्ति में {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},मात्रा मद के लिए मौजूद वेयरहाउस {0} मिटाया नहीं जा सकता {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},आइटम के लिए आवश्यक मात्रा {0} पंक्ति में {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},मात्रा मद के लिए मौजूद वेयरहाउस {0} मिटाया नहीं जा सकता {1}
DocType: Quotation,Order Type,आदेश प्रकार
DocType: Purchase Invoice,Notification Email Address,सूचना ईमेल पता
,Item-wise Sales Register,आइटम के लिहाज से बिक्री रजिस्टर
DocType: Asset,Gross Purchase Amount,सकल खरीद राशि
DocType: Asset,Depreciation Method,मूल्यह्रास विधि
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,ऑफलाइन
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,ऑफलाइन
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,इस टैक्स मूल दर में शामिल है?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,कुल लक्ष्य
-DocType: Program Course,Required,अपेक्षित
DocType: Job Applicant,Applicant for a Job,एक नौकरी के लिए आवेदक
DocType: Production Plan Material Request,Production Plan Material Request,उत्पादन योजना सामग्री का अनुरोध
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,बनाया नहीं उत्पादन के आदेश
@@ -1737,17 +1752,17 @@
DocType: Purchase Invoice Item,Batch No,कोई बैच
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,एक ग्राहक की खरीद के आदेश के खिलाफ कई विक्रय आदेश की अनुमति दें
DocType: Student Group Instructor,Student Group Instructor,छात्र समूह के प्रशिक्षक
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 मोबाइल नं
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,मुख्य
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 मोबाइल नं
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,मुख्य
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,प्रकार
DocType: Naming Series,Set prefix for numbering series on your transactions,अपने लेनदेन पर श्रृंखला नंबरिंग के लिए उपसर्ग सेट
DocType: Employee Attendance Tool,Employees HTML,कर्मचारियों एचटीएमएल
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,डिफ़ॉल्ट बीओएम ({0}) इस मद या अपने टेम्पलेट के लिए सक्रिय होना चाहिए
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,डिफ़ॉल्ट बीओएम ({0}) इस मद या अपने टेम्पलेट के लिए सक्रिय होना चाहिए
DocType: Employee,Leave Encashed?,भुनाया छोड़ दो?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,क्षेत्र से मौके अनिवार्य है
DocType: Email Digest,Annual Expenses,सालाना खर्च
DocType: Item,Variants,वेरिएंट
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,बनाओ खरीद आदेश
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,बनाओ खरीद आदेश
DocType: SMS Center,Send To,इन्हें भेजें
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},छोड़ दो प्रकार के लिए पर्याप्त छुट्टी संतुलन नहीं है {0}
DocType: Payment Reconciliation Payment,Allocated amount,आवंटित राशि
@@ -1761,26 +1776,25 @@
DocType: Supplier,Statutory info and other general information about your Supplier,वैधानिक अपने सप्लायर के बारे में जानकारी और अन्य सामान्य जानकारी
DocType: Item,Serial Nos and Batches,सीरियल नंबर और बैचों
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,छात्र समूह की ताकत
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,जर्नल के खिलाफ एंट्री {0} किसी भी बेजोड़ {1} प्रविष्टि नहीं है
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,जर्नल के खिलाफ एंट्री {0} किसी भी बेजोड़ {1} प्रविष्टि नहीं है
apps/erpnext/erpnext/config/hr.py +137,Appraisals,मूल्यांकन
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},डुप्लीकेट सीरियल मद के लिए दर्ज किया गया {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,एक नौवहन नियम के लिए एक शर्त
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,कृपया दर्ज करें
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","पंक्ति में आइटम {0} के लिए overbill नहीं कर सकते {1} की तुलना में अधिक {2}। ओवर-बिलिंग की अनुमति के लिए, सेटिंग ख़रीदना में सेट करें"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,कृपया मद या गोदाम के आधार पर फ़िल्टर सेट
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","पंक्ति में आइटम {0} के लिए overbill नहीं कर सकते {1} की तुलना में अधिक {2}। ओवर-बिलिंग की अनुमति के लिए, सेटिंग ख़रीदना में सेट करें"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,कृपया मद या गोदाम के आधार पर फ़िल्टर सेट
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),इस पैकेज के शुद्ध वजन. (वस्तुओं का शुद्ध वजन की राशि के रूप में स्वतः गणना)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,इस गोदाम के लिए एक खाता बनाने के लिए और यह लिंक कृपया। यह स्वतः ही नाम के साथ एक खाते के रूप में नहीं किया जा सकता है {0} पहले से मौजूद है
DocType: Sales Order,To Deliver and Bill,उद्धार और बिल के लिए
DocType: Student Group,Instructors,अनुदेशकों
DocType: GL Entry,Credit Amount in Account Currency,खाते की मुद्रा में ऋण राशि
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,बीओएम {0} प्रस्तुत किया जाना चाहिए
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,बीओएम {0} प्रस्तुत किया जाना चाहिए
DocType: Authorization Control,Authorization Control,प्राधिकरण नियंत्रण
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},पंक्ति # {0}: मालगोदाम अस्वीकृत खारिज कर दिया मद के खिलाफ अनिवार्य है {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},पंक्ति # {0}: मालगोदाम अस्वीकृत खारिज कर दिया मद के खिलाफ अनिवार्य है {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,भुगतान
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","गोदाम {0} किसी भी खाते से जुड़ा नहीं है, कृपया गोदाम रिकॉर्ड में खाते का उल्लेख करें या कंपनी {1} में डिफ़ॉल्ट इन्वेंट्री अकाउंट सेट करें।"
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,अपने आदेश की व्यवस्था करें
DocType: Production Order Operation,Actual Time and Cost,वास्तविक समय और लागत
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},अधिकतम की सामग्री अनुरोध {0} मद के लिए {1} के खिलाफ किया जा सकता है बिक्री आदेश {2}
-DocType: Employee,Salutation,अभिवादन
DocType: Course,Course Abbreviation,कोर्स संक्षिप्त
DocType: Student Leave Application,Student Leave Application,छात्र लीव आवेदन
DocType: Item,Will also apply for variants,यह भी वेरिएंट के लिए लागू होगी
@@ -1792,12 +1806,12 @@
DocType: Quotation Item,Actual Qty,वास्तविक मात्रा
DocType: Sales Invoice Item,References,संदर्भ
DocType: Quality Inspection Reading,Reading 10,10 पढ़ना
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",अपने उत्पादों या आप खरीदने या बेचने सेवाओं है कि सूची .
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",अपने उत्पादों या आप खरीदने या बेचने सेवाओं है कि सूची .
DocType: Hub Settings,Hub Node,हब नोड
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,आप डुप्लिकेट आइटम दर्ज किया है . सुधारने और पुन: प्रयास करें .
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,सहयोगी
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,सहयोगी
DocType: Asset Movement,Asset Movement,एसेट आंदोलन
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,नई गाड़ी
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,नई गाड़ी
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,आइटम {0} एक धारावाहिक आइटम नहीं है
DocType: SMS Center,Create Receiver List,रिसीवर सूची बनाएँ
DocType: Vehicle,Wheels,पहियों
@@ -1817,19 +1831,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',प्रभारी प्रकार या ' पिछली पंक्ति कुल ' पिछली पंक्ति राशि पर ' तभी पंक्ति का उल्लेख कर सकते
DocType: Sales Order Item,Delivery Warehouse,वितरण गोदाम
DocType: SMS Settings,Message Parameter,संदेश पैरामीटर
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,वित्तीय लागत केन्द्रों के पेड़।
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,वित्तीय लागत केन्द्रों के पेड़।
DocType: Serial No,Delivery Document No,डिलिवरी दस्तावेज़
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},कंपनी में 'एसेट निपटान पर लाभ / हानि खाता' सेट करें {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,खरीद प्राप्तियों से आइटम प्राप्त
DocType: Serial No,Creation Date,निर्माण तिथि
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},आइटम {0} मूल्य सूची में कई बार प्रकट होता है {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","लागू करने के लिए के रूप में चुना जाता है तो बेचना, जाँच की जानी चाहिए {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","लागू करने के लिए के रूप में चुना जाता है तो बेचना, जाँच की जानी चाहिए {0}"
DocType: Production Plan Material Request,Material Request Date,सामग्री अनुरोध दिनांक
DocType: Purchase Order Item,Supplier Quotation Item,प्रदायक कोटेशन आइटम
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,उत्पादन के आदेश के खिलाफ समय लॉग का सृजन अक्षम करता है। संचालन उत्पादन आदेश के खिलाफ लगाया जा नहीं करेगा
DocType: Student,Student Mobile Number,छात्र मोबाइल नंबर
DocType: Item,Has Variants,वेरिएंट है
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},आप पहले से ही से आइटम का चयन किया है {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},आप पहले से ही से आइटम का चयन किया है {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,मासिक वितरण का नाम
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,बैच आईडी अनिवार्य है
DocType: Sales Person,Parent Sales Person,माता - पिता बिक्री व्यक्ति
@@ -1839,12 +1853,12 @@
DocType: Budget,Fiscal Year,वित्तीय वर्ष
DocType: Vehicle Log,Fuel Price,ईंधन मूल्य
DocType: Budget,Budget,बजट
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,निश्चित परिसंपत्ति मद एक गैर शेयर मद में होना चाहिए।
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,निश्चित परिसंपत्ति मद एक गैर शेयर मद में होना चाहिए।
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",यह एक आय या खर्च खाता नहीं है के रूप में बजट के खिलाफ {0} नहीं सौंपा जा सकता
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,हासिल
DocType: Student Admission,Application Form Route,आवेदन पत्र रूट
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,टेरिटरी / ग्राहक
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,उदाहरणार्थ
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,उदाहरणार्थ
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,छोड़ दो प्रकार {0} आवंटित नहीं किया जा सकता क्योंकि यह बिना वेतन छोड़ रहा है
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},पंक्ति {0}: आवंटित राशि {1} से भी कम हो या बकाया राशि चालान के बराबर होना चाहिए {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,एक बार जब आप विक्रय इनवॉइस सहेजें शब्दों में दिखाई जाएगी।
@@ -1853,7 +1867,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,आइटम {0} सीरियल नग चेक आइटम गुरु के लिए सेटअप नहीं है
DocType: Maintenance Visit,Maintenance Time,अनुरक्षण काल
,Amount to Deliver,राशि वितरित करने के लिए
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,उत्पाद या सेवा
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,उत्पाद या सेवा
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,टर्म प्रारंभ तिथि से शैक्षणिक वर्ष की वर्ष प्रारंभ तिथि जो करने के लिए शब्द जुड़ा हुआ है पहले नहीं हो सकता है (शैक्षिक वर्ष {})। तारीखों को ठीक करें और फिर कोशिश करें।
DocType: Guardian,Guardian Interests,गार्जियन रूचियाँ
DocType: Naming Series,Current Value,वर्तमान मान
@@ -1868,12 +1882,12 @@
करने के बीच अंतर करने के लिए अधिक से अधिक या बराबर होना चाहिए {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,यह शेयर आंदोलन पर आधारित है। देखें {0} जानकारी के लिए
DocType: Pricing Rule,Selling,विक्रय
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},राशि {0} {1} {2} के खिलाफ की कटौती
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},राशि {0} {1} {2} के खिलाफ की कटौती
DocType: Employee,Salary Information,वेतन की जानकारी
DocType: Sales Person,Name and Employee ID,नाम और कर्मचारी ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,नियत तिथि तिथि पोस्टिंग से पहले नहीं किया जा सकता
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,नियत तिथि तिथि पोस्टिंग से पहले नहीं किया जा सकता
DocType: Website Item Group,Website Item Group,वेबसाइट आइटम समूह
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,शुल्कों और करों
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,शुल्कों और करों
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,संदर्भ तिथि दर्ज करें
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} भुगतान प्रविष्टियों द्वारा फिल्टर नहीं किया जा सकता है {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,वेब साइट में दिखाया जाएगा कि आइटम के लिए टेबल
@@ -1890,9 +1904,9 @@
DocType: Payment Reconciliation Payment,Reference Row,संदर्भ पंक्ति
DocType: Installation Note,Installation Time,अधिष्ठापन काल
DocType: Sales Invoice,Accounting Details,लेखा विवरण
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,इस कंपनी के लिए सभी लेन-देन को हटाएं
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,पंक्ति # {0}: ऑपरेशन {1} उत्पादन में तैयार माल की {2} मात्रा के लिए पूरा नहीं है आदेश # {3}। टाइम लॉग्स के माध्यम से आपरेशन स्थिति अपडेट करें
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,निवेश
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,इस कंपनी के लिए सभी लेन-देन को हटाएं
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,पंक्ति # {0}: ऑपरेशन {1} उत्पादन में तैयार माल की {2} मात्रा के लिए पूरा नहीं है आदेश # {3}। टाइम लॉग्स के माध्यम से आपरेशन स्थिति अपडेट करें
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,निवेश
DocType: Issue,Resolution Details,संकल्प विवरण
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,आवंटन
DocType: Item Quality Inspection Parameter,Acceptance Criteria,स्वीकृति मापदंड
@@ -1917,7 +1931,7 @@
DocType: Room,Room Name,कमरे का नाम
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","छुट्टी संतुलन पहले से ही ले अग्रेषित भविष्य छुट्टी आवंटन रिकॉर्ड में किया गया है, के रूप में पहले {0} रद्द / लागू नहीं किया जा सकते हैं छोड़ दो {1}"
DocType: Activity Cost,Costing Rate,लागत दर
-,Customer Addresses And Contacts,ग्राहक के पते और संपर्क
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,ग्राहक के पते और संपर्क
,Campaign Efficiency,अभियान दक्षता
DocType: Discussion,Discussion,विचार-विमर्श
DocType: Payment Entry,Transaction ID,लेन-देन आईडी
@@ -1927,14 +1941,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),कुल बिलिंग राशि (समय पत्रक के माध्यम से)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,दोहराने ग्राहक राजस्व
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) भूमिका की कीमत अनुमोदनकर्ता 'होना चाहिए
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,जोड़ा
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,उत्पादन के लिए बीओएम और मात्रा का चयन करें
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,जोड़ा
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,उत्पादन के लिए बीओएम और मात्रा का चयन करें
DocType: Asset,Depreciation Schedule,मूल्यह्रास अनुसूची
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,बिक्री साथी पते और संपर्क
DocType: Bank Reconciliation Detail,Against Account,खाते के खिलाफ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,आधा दिन की तारीख की तिथि से और आज तक के बीच होना चाहिए
DocType: Maintenance Schedule Detail,Actual Date,वास्तविक तारीख
DocType: Item,Has Batch No,बैच है नहीं
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},वार्षिक बिलिंग: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},वार्षिक बिलिंग: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),माल और सेवा कर (जीएसटी इंडिया)
DocType: Delivery Note,Excise Page Number,आबकारी पृष्ठ संख्या
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory",कंपनी की तिथि से और तिथि करने के लिए अनिवार्य है
DocType: Asset,Purchase Date,खरीद की तारीख
@@ -1942,11 +1958,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},कंपनी में 'संपत्ति मूल्यह्रास लागत केंद्र' सेट करें {0}
,Maintenance Schedules,रखरखाव अनुसूचियों
DocType: Task,Actual End Date (via Time Sheet),वास्तविक अंत तिथि (समय पत्रक के माध्यम से)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},राशि {0} {1} के खिलाफ {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},राशि {0} {1} के खिलाफ {2} {3}
,Quotation Trends,कोटेशन रुझान
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},आइटम के लिए आइटम मास्टर में उल्लेख नहीं मद समूह {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,खाते में डेबिट एक प्राप्य खाता होना चाहिए
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},आइटम के लिए आइटम मास्टर में उल्लेख नहीं मद समूह {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,खाते में डेबिट एक प्राप्य खाता होना चाहिए
DocType: Shipping Rule Condition,Shipping Amount,नौवहन राशि
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,ग्राहक जोड़ें
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,लंबित राशि
DocType: Purchase Invoice Item,Conversion Factor,परिवर्तनकारक तत्व
DocType: Purchase Order,Delivered,दिया गया
@@ -1956,7 +1973,8 @@
DocType: Purchase Receipt,Vehicle Number,वाहन संख्या
DocType: Purchase Invoice,The date on which recurring invoice will be stop,"तारीख, जिस पर आवर्ती चालान रोकने के लिए किया जाएगा"
DocType: Employee Loan,Loan Amount,उधार की राशि
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},पंक्ति {0}: सामग्री का बिल मद के लिए नहीं मिला {1}
+DocType: Program Enrollment,Self-Driving Vehicle,स्व-ड्राइविंग वाहन
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},पंक्ति {0}: सामग्री का बिल मद के लिए नहीं मिला {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,कुल आवंटित पत्ते {0} कम नहीं हो सकता अवधि के लिए पहले से ही मंजूरी दे दी पत्ते {1} से
DocType: Journal Entry,Accounts Receivable,लेखा प्राप्य
,Supplier-Wise Sales Analytics,प्रदायक वार बिक्री विश्लेषिकी
@@ -1973,21 +1991,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,खर्च का दावा अनुमोदन के लिए लंबित है . केवल खर्च अनुमोदक स्थिति अपडेट कर सकते हैं .
DocType: Email Digest,New Expenses,नए खर्च
DocType: Purchase Invoice,Additional Discount Amount,अतिरिक्त छूट राशि
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","पंक्ति # {0}: मात्रा, 1 होना चाहिए के रूप में आइटम एक निश्चित परिसंपत्ति है। कई मात्रा के लिए अलग पंक्ति का उपयोग करें।"
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","पंक्ति # {0}: मात्रा, 1 होना चाहिए के रूप में आइटम एक निश्चित परिसंपत्ति है। कई मात्रा के लिए अलग पंक्ति का उपयोग करें।"
DocType: Leave Block List Allow,Leave Block List Allow,छोड़ दो ब्लॉक सूची की अनुमति दें
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Abbr खाली या स्थान नहीं हो सकता
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr खाली या स्थान नहीं हो सकता
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,गैर-समूह के लिए समूह
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,खेल
DocType: Loan Type,Loan Name,ऋण नाम
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,वास्तविक कुल
DocType: Student Siblings,Student Siblings,विद्यार्थी भाई बहन
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,इकाई
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,कंपनी निर्दिष्ट करें
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,इकाई
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,कंपनी निर्दिष्ट करें
,Customer Acquisition and Loyalty,ग्राहक अधिग्रहण और वफादारी
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,वेअरहाउस जहाँ आप को अस्वीकार कर दिया आइटम के शेयर को बनाए रखने रहे हैं
DocType: Production Order,Skip Material Transfer,सामग्री स्थानांतरण छोड़ें
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,कुंजी दिनांक {2} के लिए {0} से {0} के लिए विनिमय दर खोजने में असमर्थ कृपया मैन्युअल रूप से एक मुद्रा विनिमय रिकॉर्ड बनाएं
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,आपकी वित्तीय वर्ष को समाप्त होता है
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,कुंजी दिनांक {2} के लिए {0} से {0} के लिए विनिमय दर खोजने में असमर्थ कृपया मैन्युअल रूप से एक मुद्रा विनिमय रिकॉर्ड बनाएं
DocType: POS Profile,Price List,कीमत सूची
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} अब मूलभूत वित्त वर्ष है . परिवर्तन को प्रभावी बनाने के लिए अपने ब्राउज़र को ताज़ा करें.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,खर्चों के दावे
@@ -2000,14 +2017,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},बैच में स्टॉक संतुलन {0} बन जाएगा नकारात्मक {1} गोदाम में आइटम {2} के लिए {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,सामग्री अनुरोध के बाद मद के फिर से आदेश स्तर के आधार पर स्वचालित रूप से उठाया गया है
DocType: Email Digest,Pending Sales Orders,विक्रय आदेश लंबित
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},खाते {0} अमान्य है। खाता मुद्रा होना चाहिए {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},खाते {0} अमान्य है। खाता मुद्रा होना चाहिए {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM रूपांतरण कारक पंक्ति में आवश्यक है {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","पंक्ति # {0}: संदर्भ दस्तावेज़ प्रकार बिक्री आदेश में से एक, बिक्री चालान या जर्नल प्रविष्टि होना चाहिए"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","पंक्ति # {0}: संदर्भ दस्तावेज़ प्रकार बिक्री आदेश में से एक, बिक्री चालान या जर्नल प्रविष्टि होना चाहिए"
DocType: Salary Component,Deduction,कटौती
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,पंक्ति {0}: समय और समय के लिए अनिवार्य है।
DocType: Stock Reconciliation Item,Amount Difference,राशि अंतर
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},मद कीमत के लिए जोड़ा {0} मूल्य सूची में {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},मद कीमत के लिए जोड़ा {0} मूल्य सूची में {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,इस व्यक्ति की बिक्री के कर्मचारी आईडी दर्ज करें
DocType: Territory,Classification of Customers by region,क्षेत्र द्वारा ग्राहकों का वर्गीकरण
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,अंतर राशि शून्य होना चाहिए
@@ -2019,21 +2036,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,कुल कटौती
,Production Analytics,उत्पादन एनालिटिक्स
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,मूल्य अपडेट
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,मूल्य अपडेट
DocType: Employee,Date of Birth,जन्म तिथि
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,आइटम {0} पहले से ही लौटा दिया गया है
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,आइटम {0} पहले से ही लौटा दिया गया है
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** वित्त वर्ष ** एक वित्तीय वर्ष का प्रतिनिधित्व करता है। सभी लेखा प्रविष्टियों और अन्य प्रमुख लेनदेन ** ** वित्त वर्ष के खिलाफ ट्रैक किए गए हैं।
DocType: Opportunity,Customer / Lead Address,ग्राहक / लीड पता
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},चेतावनी: कुर्की पर अवैध एसएसएल प्रमाणपत्र {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},चेतावनी: कुर्की पर अवैध एसएसएल प्रमाणपत्र {0}
DocType: Student Admission,Eligibility,पात्रता
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","सुराग आप व्यापार, अपने नेतृत्व के रूप में अपने सभी संपर्कों को और अधिक जोड़ने पाने में मदद"
DocType: Production Order Operation,Actual Operation Time,वास्तविक ऑपरेशन टाइम
DocType: Authorization Rule,Applicable To (User),के लिए लागू (उपयोगकर्ता)
DocType: Purchase Taxes and Charges,Deduct,घटाना
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,नौकरी का विवरण
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,नौकरी का विवरण
DocType: Student Applicant,Applied,आवेदन किया है
DocType: Sales Invoice Item,Qty as per Stock UOM,मात्रा स्टॉक UOM के अनुसार
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2 नाम
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 नाम
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","सिवाय विशेष अक्षर ""-"" ""।"" ""#"", और ""/"" श्रृंखला के नामकरण में अनुमति नहीं"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","बिक्री अभियान का ट्रैक रखें। बिक्रीसूत्र, कोटेशन का ट्रैक रखें, बिक्री आदेश आदि अभियानों से निवेश पर लौटें गेज करने के लिए।"
DocType: Expense Claim,Approver,सरकारी गवाह
@@ -2044,7 +2061,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},धारावाहिक नहीं {0} तक वारंटी के अंतर्गत है {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,संकुल में डिलिवरी नोट भाजित.
apps/erpnext/erpnext/hooks.py +87,Shipments,लदान
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,{1} के लिए खाता शेष ({0}) और गोदाम {3} के लिए स्टॉक मूल्य ({2}) समान होना चाहिए
DocType: Payment Entry,Total Allocated Amount (Company Currency),कुल आवंटित राशि (कंपनी मुद्रा)
DocType: Purchase Order Item,To be delivered to customer,ग्राहक के लिए दिया जाना
DocType: BOM,Scrap Material Cost,स्क्रैप सामग्री लागत
@@ -2052,20 +2068,21 @@
DocType: Purchase Invoice,In Words (Company Currency),शब्दों में (कंपनी मुद्रा)
DocType: Asset,Supplier,प्रदायक
DocType: C-Form,Quarter,तिमाही
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,विविध व्यय
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,विविध व्यय
DocType: Global Defaults,Default Company,Default कंपनी
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,व्यय या अंतर खाता अनिवार्य है मद के लिए {0} यह प्रभावों समग्र शेयर मूल्य के रूप में
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,व्यय या अंतर खाता अनिवार्य है मद के लिए {0} यह प्रभावों समग्र शेयर मूल्य के रूप में
DocType: Payment Request,PR,पीआर
DocType: Cheque Print Template,Bank Name,बैंक का नाम
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,ऊपर
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,ऊपर
DocType: Employee Loan,Employee Loan Account,कर्मचारी ऋण खाता
DocType: Leave Application,Total Leave Days,कुल छोड़ दो दिन
DocType: Email Digest,Note: Email will not be sent to disabled users,नोट: ईमेल अक्षम उपयोगकर्ताओं के लिए नहीं भेजा जाएगा
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,इंटरैक्शन की संख्या
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,आइटम कोड> आइटम समूह> ब्रांड
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,कंपनी का चयन करें ...
DocType: Leave Control Panel,Leave blank if considered for all departments,रिक्त छोड़ अगर सभी विभागों के लिए विचार
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","रोजगार ( स्थायी , अनुबंध , प्रशिक्षु आदि ) के प्रकार."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} मद के लिए अनिवार्य है {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} मद के लिए अनिवार्य है {1}
DocType: Process Payroll,Fortnightly,पाक्षिक
DocType: Currency Exchange,From Currency,मुद्रा से
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","कम से कम एक पंक्ति में आवंटित राशि, प्रकार का चालान और चालान नंबर का चयन करें"
@@ -2087,7 +2104,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,अनुसूची पाने के लिए 'उत्पन्न अनुसूची' पर क्लिक करें
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,वहाँ त्रुटियों को निम्नलिखित कार्यक्रम को हटाने के दौरान किए गए:
DocType: Bin,Ordered Quantity,आदेशित मात्रा
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",उदाहरणार्थ
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",उदाहरणार्थ
DocType: Grading Scale,Grading Scale Intervals,ग्रेडिंग पैमाने अंतराल
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: {2} के लिए लेखा प्रविष्टि केवल मुद्रा में किया जा सकता है: {3}
DocType: Production Order,In Process,इस प्रक्रिया में
@@ -2101,12 +2118,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} छात्र समूह बनाया गया
DocType: Sales Invoice,Total Billing Amount,कुल बिलिंग राशि
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,वहाँ एक डिफ़ॉल्ट भेजे गए ईमेल खाते को इस काम के लिए सक्षम होना चाहिए। कृपया सेटअप एक डिफ़ॉल्ट भेजे गए ईमेल खाते (POP / IMAP) और फिर कोशिश करें।
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,प्राप्य खाता
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},पंक्ति # {0}: संपत्ति {1} पहले से ही है {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,प्राप्य खाता
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},पंक्ति # {0}: संपत्ति {1} पहले से ही है {2}
DocType: Quotation Item,Stock Balance,बाकी स्टाक
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,भुगतान करने के लिए बिक्री आदेश
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,कृपया सेटअप के माध्यम से {0} के लिए नामकरण श्रृंखला सेट करें> सेटिंग> नामकरण श्रृंखला
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,सी ई ओ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,सी ई ओ
DocType: Expense Claim Detail,Expense Claim Detail,व्यय दावा विवरण
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,सही खाते का चयन करें
DocType: Item,Weight UOM,वजन UOM
@@ -2115,12 +2131,12 @@
DocType: Production Order Operation,Pending,अपूर्ण
DocType: Course,Course Name,कोर्स का नाम
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,एक विशिष्ट कर्मचारी की छुट्टी आवेदनों को स्वीकृत कर सकते हैं जो प्रयोक्ता
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,कार्यालय उपकरण
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,कार्यालय उपकरण
DocType: Purchase Invoice Item,Qty,मात्रा
DocType: Fiscal Year,Companies,कंपनियां
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,इलेक्ट्रानिक्स
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,सामग्री अनुरोध उठाएँ जब शेयर पुनः आदेश के स्तर तक पहुँच
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,पूर्णकालिक
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,पूर्णकालिक
DocType: Salary Structure,Employees,कर्मचारियों
DocType: Employee,Contact Details,जानकारी के लिए संपर्क
DocType: C-Form,Received Date,प्राप्त तिथि
@@ -2130,7 +2146,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,दाम नहीं दिखाया जाएगा अगर कीमत सूची सेट नहीं है
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,इस नौवहन नियम के लिए एक देश निर्दिष्ट या दुनिया भर में शिपिंग कृपया जांच करें
DocType: Stock Entry,Total Incoming Value,कुल आवक मूल्य
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,डेबिट करने के लिए आवश्यक है
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,डेबिट करने के लिए आवश्यक है
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets मदद से अपनी टीम के द्वारा किया गतिविधियों के लिए समय, लागत और बिलिंग का ट्रैक रखने"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,खरीद मूल्य सूची
DocType: Offer Letter Term,Offer Term,ऑफर टर्म
@@ -2139,17 +2155,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,भुगतान सुलह
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,प्रभारी व्यक्ति के नाम का चयन करें
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,प्रौद्योगिकी
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},कुल अवैतनिक: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},कुल अवैतनिक: {0}
DocType: BOM Website Operation,BOM Website Operation,बीओएम वेबसाइट ऑपरेशन
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,प्रस्ताव पत्र
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,सामग्री (एमआरपी) के अनुरोध और उत्पादन के आदेश उत्पन्न.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,कुल चालान किए गए राशि
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,कुल चालान किए गए राशि
DocType: BOM,Conversion Rate,रूपांतरण दर
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,उत्पाद खोज
DocType: Timesheet Detail,To Time,समय के लिए
DocType: Authorization Rule,Approving Role (above authorized value),(अधिकृत मूल्य से ऊपर) भूमिका का अनुमोदन
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,खाते में जमा एक देय खाता होना चाहिए
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},बीओएम रिकर्शन : {0} माता पिता या के बच्चे नहीं हो सकता {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,खाते में जमा एक देय खाता होना चाहिए
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},बीओएम रिकर्शन : {0} माता पिता या के बच्चे नहीं हो सकता {2}
DocType: Production Order Operation,Completed Qty,पूरी की मात्रा
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","{0}, केवल डेबिट खातों एक और क्रेडिट प्रविष्टि के खिलाफ जोड़ा जा सकता है के लिए"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,मूल्य सूची {0} अक्षम है
@@ -2160,28 +2176,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} मद के लिए आवश्यक सीरियल नंबर {1}। आपके द्वारा दी गई {2}।
DocType: Stock Reconciliation Item,Current Valuation Rate,वर्तमान मूल्यांकन दर
DocType: Item,Customer Item Codes,ग्राहक आइटम संहिताओं
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,मुद्रा लाभ / हानि
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,मुद्रा लाभ / हानि
DocType: Opportunity,Lost Reason,खोया कारण
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,नया पता
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,नया पता
DocType: Quality Inspection,Sample Size,नमूने का आकार
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,रसीद दस्तावेज़ दर्ज करें
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,सभी आइटम पहले से चालान कर दिया गया है
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,सभी आइटम पहले से चालान कर दिया गया है
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.','केस नंबर से' एक वैध निर्दिष्ट करें
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,इसके अलावा लागत केन्द्रों समूह के तहत बनाया जा सकता है लेकिन प्रविष्टियों गैर समूहों के खिलाफ बनाया जा सकता है
DocType: Project,External,बाहरी
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,उपयोगकर्ता और अनुमतियाँ
DocType: Vehicle Log,VLOG.,Vlog।
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},उत्पादन के आदेश निर्मित: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},उत्पादन के आदेश निर्मित: {0}
DocType: Branch,Branch,शाखा
DocType: Guardian,Mobile Number,मोबाइल नंबर
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,मुद्रण और ब्रांडिंग
DocType: Bin,Actual Quantity,वास्तविक मात्रा
DocType: Shipping Rule,example: Next Day Shipping,उदाहरण: अगले दिन शिपिंग
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,नहीं मिला सीरियल नहीं {0}
-DocType: Scheduling Tool,Student Batch,छात्र बैच
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,अपने ग्राहकों
+DocType: Program Enrollment,Student Batch,छात्र बैच
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,छात्र
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},आप इस परियोजना पर सहयोग करने के लिए आमंत्रित किया गया है: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},आप इस परियोजना पर सहयोग करने के लिए आमंत्रित किया गया है: {0}
DocType: Leave Block List Date,Block Date,तिथि ब्लॉक
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,अभी अप्लाई करें
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},वास्तविक मात्रा {0} / प्रतीक्षा की मात्रा {1}
@@ -2190,7 +2205,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","बनाएँ और दैनिक, साप्ताहिक और मासिक ईमेल हज़म का प्रबंधन ."
DocType: Appraisal Goal,Appraisal Goal,मूल्यांकन लक्ष्य
DocType: Stock Reconciliation Item,Current Amount,वर्तमान राशि
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,बिल्डिंग
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,बिल्डिंग
DocType: Fee Structure,Fee Structure,शुल्क संरचना
DocType: Timesheet Detail,Costing Amount,लागत राशि
DocType: Student Admission,Application Fee,आवेदन शुल्क
@@ -2202,10 +2217,10 @@
DocType: POS Profile,[Select],[ चुनें ]
DocType: SMS Log,Sent To,भेजा
DocType: Payment Request,Make Sales Invoice,बिक्री चालान बनाएं
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,सॉफ्टवेयर
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,सॉफ्टवेयर
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,अगले संपर्क दिनांक अतीत में नहीं किया जा सकता
DocType: Company,For Reference Only.,केवल संदर्भ के लिए।
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,बैच नंबर का चयन करें
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,बैच नंबर का चयन करें
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},अवैध {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,अग्रिम राशि
@@ -2215,15 +2230,15 @@
DocType: Employee,Employment Details,रोजगार के विवरण
DocType: Employee,New Workplace,नए कार्यस्थल
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,बंद के रूप में सेट करें
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},बारकोड के साथ कोई आइटम {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},बारकोड के साथ कोई आइटम {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,मुकदमा संख्या 0 नहीं हो सकता
DocType: Item,Show a slideshow at the top of the page,पृष्ठ के शीर्ष पर एक स्लाइड शो दिखाएँ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,भंडार
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,भंडार
DocType: Serial No,Delivery Time,सुपुर्दगी समय
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,के आधार पर बूढ़े
DocType: Item,End of Life,जीवन का अंत
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,यात्रा
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,यात्रा
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,दी गई तारीखों के लिए कर्मचारी {0} के लिए कोई सक्रिय या डिफ़ॉल्ट वेतन ढांचे
DocType: Leave Block List,Allow Users,उपयोगकर्ताओं को अनुमति दें
DocType: Purchase Order,Customer Mobile No,ग्राहक मोबाइल नं
@@ -2232,29 +2247,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,अद्यतन लागत
DocType: Item Reorder,Item Reorder,आइटम पुनः क्रमित करें
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,वेतन पर्ची दिखाएँ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,हस्तांतरण सामग्री
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,हस्तांतरण सामग्री
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","संचालन, परिचालन लागत निर्दिष्ट और अपने संचालन के लिए एक अनूठा आपरेशन नहीं दे ."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,इस दस्तावेज़ से सीमा से अधिक है {0} {1} आइटम के लिए {4}। आप कर रहे हैं एक और {3} उसी के खिलाफ {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,सहेजने के बाद आवर्ती सेट करें
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,बदलें चुनें राशि खाते
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,इस दस्तावेज़ से सीमा से अधिक है {0} {1} आइटम के लिए {4}। आप कर रहे हैं एक और {3} उसी के खिलाफ {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,सहेजने के बाद आवर्ती सेट करें
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,बदलें चुनें राशि खाते
DocType: Purchase Invoice,Price List Currency,मूल्य सूची मुद्रा
DocType: Naming Series,User must always select,उपयोगकर्ता हमेशा का चयन करना होगा
DocType: Stock Settings,Allow Negative Stock,नकारात्मक स्टॉक की अनुमति दें
DocType: Installation Note,Installation Note,स्थापना नोट
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,करों जोड़ें
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,करों जोड़ें
DocType: Topic,Topic,विषय
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,फाइनेंसिंग से कैश फ्लो
DocType: Budget Account,Budget Account,बजट खाता
DocType: Quality Inspection,Verified By,द्वारा सत्यापित
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","मौजूदा लेनदेन कर रहे हैं , क्योंकि कंपनी के डिफ़ॉल्ट मुद्रा में परिवर्तन नहीं कर सकते हैं . लेनदेन डिफ़ॉल्ट मुद्रा बदलने के लिए रद्द कर दिया जाना चाहिए ."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","मौजूदा लेनदेन कर रहे हैं , क्योंकि कंपनी के डिफ़ॉल्ट मुद्रा में परिवर्तन नहीं कर सकते हैं . लेनदेन डिफ़ॉल्ट मुद्रा बदलने के लिए रद्द कर दिया जाना चाहिए ."
DocType: Grading Scale Interval,Grade Description,ग्रेड विवरण
DocType: Stock Entry,Purchase Receipt No,रसीद खरीद नहीं
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,बयाना राशि
DocType: Process Payroll,Create Salary Slip,वेतनपर्ची बनाएँ
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,पता लगाने की क्षमता
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),धन के स्रोत (देनदारियों)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},मात्रा पंक्ति में {0} ({1} ) के रूप में ही किया जाना चाहिए निर्मित मात्रा {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),धन के स्रोत (देनदारियों)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},मात्रा पंक्ति में {0} ({1} ) के रूप में ही किया जाना चाहिए निर्मित मात्रा {2}
DocType: Appraisal,Employee,कर्मचारी
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,बैच का चयन करें
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} पूरी तरह से बिल भेजा है
DocType: Training Event,End Time,अंतिम समय
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,सक्रिय वेतन संरचना {0} दिया दिनांकों कर्मचारी {1} के लिए मिला
@@ -2266,11 +2282,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,आवश्यक पर
DocType: Rename Tool,File to Rename,नाम बदलने के लिए फ़ाइल
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},पंक्ति में आइटम के लिए बीओएम चयन करें {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},आइटम के लिए मौजूद नहीं है निर्दिष्ट बीओएम {0} {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},खाता {0} कंपनी के साथ मेल नहीं खाता है {1}: विधि का {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},आइटम के लिए मौजूद नहीं है निर्दिष्ट बीओएम {0} {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,रखरखाव अनुसूची {0} इस बिक्री आदेश रद्द करने से पहले रद्द कर दिया जाना चाहिए
DocType: Notification Control,Expense Claim Approved,व्यय दावे को मंजूरी
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,कर्मचारी के वेतन पर्ची {0} पहले से ही इस अवधि के लिए बनाए गए
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,औषधि
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,औषधि
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,खरीदी गई वस्तुओं की लागत
DocType: Selling Settings,Sales Order Required,बिक्री आदेश आवश्यक
DocType: Purchase Invoice,Credit To,करने के लिए क्रेडिट
@@ -2287,42 +2304,42 @@
DocType: Payment Gateway Account,Payment Account,भुगतान खाता
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,कंपनी आगे बढ़ने के लिए निर्दिष्ट करें
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,लेखा प्राप्य में शुद्ध परिवर्तन
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,प्रतिपूरक बंद
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,प्रतिपूरक बंद
DocType: Offer Letter,Accepted,स्वीकार किया
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,संगठन
DocType: SG Creation Tool Course,Student Group Name,छात्र समूह का नाम
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,आप वास्तव में इस कंपनी के लिए सभी लेन-देन को हटाना चाहते हैं सुनिश्चित करें। यह है के रूप में आपका मास्टर डाटा रहेगा। इस क्रिया को पूर्ववत नहीं किया जा सकता।
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,आप वास्तव में इस कंपनी के लिए सभी लेन-देन को हटाना चाहते हैं सुनिश्चित करें। यह है के रूप में आपका मास्टर डाटा रहेगा। इस क्रिया को पूर्ववत नहीं किया जा सकता।
DocType: Room,Room Number,कमरा संख्या
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},अमान्य संदर्भ {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) की योजना बनाई quanitity से अधिक नहीं हो सकता है ({2}) उत्पादन में आदेश {3}
DocType: Shipping Rule,Shipping Rule Label,नौवहन नियम लेबल
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,उपयोगकर्ता मंच
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,कच्चे माल खाली नहीं किया जा सकता।
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","शेयर अद्यतन नहीं कर सका, चालान ड्रॉप शिपिंग आइटम शामिल हैं।"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,कच्चे माल खाली नहीं किया जा सकता।
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","शेयर अद्यतन नहीं कर सका, चालान ड्रॉप शिपिंग आइटम शामिल हैं।"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,त्वरित जर्नल प्रविष्टि
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,बीओएम किसी भी आइटम agianst उल्लेख अगर आप दर में परिवर्तन नहीं कर सकते
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,बीओएम किसी भी आइटम agianst उल्लेख अगर आप दर में परिवर्तन नहीं कर सकते
DocType: Employee,Previous Work Experience,पिछले कार्य अनुभव
DocType: Stock Entry,For Quantity,मात्रा के लिए
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},आइटम के लिए योजना बनाई मात्रा दर्ज करें {0} पंक्ति में {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} प्रस्तुत नहीं किया गया है
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,आइटम के लिए अनुरोध.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,अलग उत्पादन का आदेश प्रत्येक समाप्त अच्छा आइटम के लिए बनाया जाएगा.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} वापसी दस्तावेज़ में नकारात्मक होना चाहिए
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} वापसी दस्तावेज़ में नकारात्मक होना चाहिए
,Minutes to First Response for Issues,मुद्दे के लिए पहली प्रतिक्रिया मिनट
DocType: Purchase Invoice,Terms and Conditions1,नियम और Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,संस्थान का नाम है जिसके लिए आप इस प्रणाली स्थापित कर रहे हैं।
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,संस्थान का नाम है जिसके लिए आप इस प्रणाली स्थापित कर रहे हैं।
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","इस तारीख तक कर जम लेखा प्रविष्टि, कोई नहीं / नीचे निर्दिष्ट भूमिका छोड़कर प्रविष्टि को संशोधित कर सकते हैं."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,कृपया रखरखाव शेड्यूल जनरेट करने से पहले दस्तावेज़ सहेजना
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,परियोजना की स्थिति
DocType: UOM,Check this to disallow fractions. (for Nos),नामंज़ूर भिन्न करने के लिए इसे चेक करें. (ओपन स्कूल के लिए)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,निम्न उत्पादन के आदेश बनाया गया:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,निम्न उत्पादन के आदेश बनाया गया:
DocType: Student Admission,Naming Series (for Student Applicant),सीरीज का नामकरण (छात्र आवेदक के लिए)
DocType: Delivery Note,Transporter Name,ट्रांसपोर्टर नाम
DocType: Authorization Rule,Authorized Value,अधिकृत मूल्य
DocType: BOM,Show Operations,शो संचालन
,Minutes to First Response for Opportunity,अवसर के लिए पहली प्रतिक्रिया मिनट
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,कुल अनुपस्थित
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,पंक्ति के लिए आइटम या वेयरहाउस {0} सामग्री अनुरोध मेल नहीं खाता
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,पंक्ति के लिए आइटम या वेयरहाउस {0} सामग्री अनुरोध मेल नहीं खाता
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,माप की इकाई
DocType: Fiscal Year,Year End Date,वर्षांत तिथि
DocType: Task Depends On,Task Depends On,काम पर निर्भर करता है
@@ -2421,11 +2438,11 @@
DocType: Asset,Manual,गाइड
DocType: Salary Component Account,Salary Component Account,वेतन घटक अकाउंट
DocType: Global Defaults,Hide Currency Symbol,मुद्रा प्रतीक छुपाएँ
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","जैसे बैंक, नकद, क्रेडिट कार्ड"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","जैसे बैंक, नकद, क्रेडिट कार्ड"
DocType: Lead Source,Source Name,स्रोत का नाम
DocType: Journal Entry,Credit Note,जमापत्र
DocType: Warranty Claim,Service Address,सेवा पता
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Furnitures और फिक्सर
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Furnitures और फिक्सर
DocType: Item,Manufacture,उत्पादन
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,कृपया डिलिवरी नोट पहले
DocType: Student Applicant,Application Date,आवेदन तिथि
@@ -2435,7 +2452,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,क्लीयरेंस तिथि का उल्लेख नहीं
apps/erpnext/erpnext/config/manufacturing.py +7,Production,उत्पादन
DocType: Guardian,Occupation,बायो
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,कृपया मानव संसाधन में कर्मचारी नामकरण प्रणाली> एचआर सेटिंग्स सेट करें
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,पंक्ति {0} : आरंभ तिथि समाप्ति तिथि से पहले होना चाहिए
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),कुल मात्रा)
DocType: Sales Invoice,This Document,इस दस्तावेज़
@@ -2447,19 +2463,19 @@
DocType: Purchase Receipt,Time at which materials were received,जो समय पर सामग्री प्राप्त हुए थे
DocType: Stock Ledger Entry,Outgoing Rate,आउटगोइंग दर
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,संगठन शाखा मास्टर .
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,या
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,या
DocType: Sales Order,Billing Status,बिलिंग स्थिति
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,किसी समस्या की रिपोर्ट
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,उपयोगिता व्यय
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,उपयोगिता व्यय
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90 से ऊपर
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,पंक्ति # {0}: जर्नल प्रविष्टि {1} खाता नहीं है {2} या पहले से ही एक और वाउचर के खिलाफ मिलान
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,पंक्ति # {0}: जर्नल प्रविष्टि {1} खाता नहीं है {2} या पहले से ही एक और वाउचर के खिलाफ मिलान
DocType: Buying Settings,Default Buying Price List,डिफ़ॉल्ट खरीद मूल्य सूची
DocType: Process Payroll,Salary Slip Based on Timesheet,वेतन पर्ची के आधार पर Timesheet
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,ऊपर चयनित मानदंड या वेतन पर्ची के लिए कोई कर्मचारी पहले से ही बनाया
DocType: Notification Control,Sales Order Message,बिक्री आदेश संदेश
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","आदि कंपनी , मुद्रा , चालू वित्त वर्ष , की तरह सेट डिफ़ॉल्ट मान"
DocType: Payment Entry,Payment Type,भुगतान के प्रकार
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,आइटम {0} के लिए बैच का चयन करें। इस आवश्यकता को पूरा करने वाले एकल बैच को खोजने में असमर्थ
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,आइटम {0} के लिए बैच का चयन करें। इस आवश्यकता को पूरा करने वाले एकल बैच को खोजने में असमर्थ
DocType: Process Payroll,Select Employees,चयन करें कर्मचारी
DocType: Opportunity,Potential Sales Deal,संभावित बिक्री डील
DocType: Payment Entry,Cheque/Reference Date,चैक / संदर्भ तिथि
@@ -2479,7 +2495,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,रसीद दस्तावेज प्रस्तुत किया जाना चाहिए
DocType: Purchase Invoice Item,Received Qty,प्राप्त मात्रा
DocType: Stock Entry Detail,Serial No / Batch,धारावाहिक नहीं / बैच
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,भुगतान नहीं किया और वितरित नहीं
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,भुगतान नहीं किया और वितरित नहीं
DocType: Product Bundle,Parent Item,मूल आइटम
DocType: Account,Account Type,खाता प्रकार
DocType: Delivery Note,DN-RET-,डी.एन.-RET-
@@ -2493,24 +2509,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),प्रसव के लिए पैकेज की पहचान (प्रिंट के लिए)
DocType: Bin,Reserved Quantity,आरक्षित मात्रा
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,कृपया मान्य ईमेल पता दर्ज करें
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},कार्यक्रम के लिए कोई अनिवार्य कोर्स नहीं है {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,रसीद वस्तुओं की खरीद
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,अनुकूलित प्रपत्र
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,बक़ाया
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,बक़ाया
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,इस अवधि के दौरान मूल्यह्रास राशि
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,विकलांगों के लिए टेम्पलेट डिफ़ॉल्ट टेम्पलेट नहीं होना चाहिए
DocType: Account,Income Account,आय खाता
DocType: Payment Request,Amount in customer's currency,ग्राहक की मुद्रा में राशि
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,वितरण
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,वितरण
DocType: Stock Reconciliation Item,Current Qty,वर्तमान मात्रा
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",धारा लागत में "सामग्री के आधार पर दर" देखें
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,पिछला
DocType: Appraisal Goal,Key Responsibility Area,कुंजी जिम्मेदारी क्षेत्र
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","छात्र बैचों आप उपस्थिति, आकलन और छात्रों के लिए फीस ट्रैक करने में मदद"
DocType: Payment Entry,Total Allocated Amount,कुल आवंटित राशि
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,सतत सूची के लिए डिफ़ॉल्ट इन्वेंट्री खाता सेट करें
DocType: Item Reorder,Material Request Type,सामग्री अनुरोध प्रकार
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},से {0} को वेतन के लिए Accural जर्नल प्रविष्टि {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage भरा हुआ है, नहीं सहेजा गया"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage भरा हुआ है, नहीं सहेजा गया"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,पंक्ति {0}: UoM रूपांतरण कारक है अनिवार्य है
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,संदर्भ .......................
DocType: Budget,Cost Center,लागत केंद्र
@@ -2523,19 +2539,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","मूल्य निर्धारण नियम कुछ मानदंडों के आधार पर, मूल्य सूची / छूट प्रतिशत परिभाषित अधिलेखित करने के लिए किया जाता है."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,वेयरहाउस केवल स्टॉक एंट्री / डिलिवरी नोट / खरीद रसीद के माध्यम से बदला जा सकता है
DocType: Employee Education,Class / Percentage,/ कक्षा प्रतिशत
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,मार्केटिंग और सेल्स के प्रमुख
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,आयकर
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,मार्केटिंग और सेल्स के प्रमुख
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,आयकर
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","चयनित मूल्य निर्धारण नियम 'मूल्य' के लिए किया जाता है, यह मूल्य सूची लिख देगा। मूल्य निर्धारण नियम कीमत अंतिम कीमत है, ताकि आगे कोई छूट लागू किया जाना चाहिए। इसलिए, आदि बिक्री आदेश, खरीद आदेश तरह के लेनदेन में, बल्कि यह 'मूल्य सूची दर' क्षेत्र की तुलना में, 'दर' क्षेत्र में दिलवाया किया जाएगा।"
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,ट्रैक उद्योग प्रकार के द्वारा होता है .
DocType: Item Supplier,Item Supplier,आइटम प्रदायक
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,कोई बैच पाने के मद कोड दर्ज करें
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},के लिए एक मूल्य का चयन करें {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,कोई बैच पाने के मद कोड दर्ज करें
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},के लिए एक मूल्य का चयन करें {0} quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,सभी पते.
DocType: Company,Stock Settings,स्टॉक सेटिंग्स
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","निम्नलिखित गुण दोनों रिकॉर्ड में वही कर रहे हैं अगर विलय ही संभव है। समूह, रूट प्रकार, कंपनी है"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","निम्नलिखित गुण दोनों रिकॉर्ड में वही कर रहे हैं अगर विलय ही संभव है। समूह, रूट प्रकार, कंपनी है"
DocType: Vehicle,Electric,बिजली
DocType: Task,% Progress,% प्रगति
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,लाभ / आस्ति निपटान पर हानि
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,लाभ / आस्ति निपटान पर हानि
DocType: Training Event,Will send an email about the event to employees with status 'Open',स्थिति के साथ कर्मचारियों को घटना के बारे में एक ईमेल भेज देंगे 'ओपन'
DocType: Task,Depends on Tasks,कार्य पर निर्भर करता है
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,ग्राहक समूह ट्री प्रबंधन .
@@ -2544,7 +2560,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,नए लागत केन्द्र का नाम
DocType: Leave Control Panel,Leave Control Panel,नियंत्रण कक्ष छोड़ दो
DocType: Project,Task Completion,काम पूरा होना
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,स्टॉक में नहीं
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,स्टॉक में नहीं
DocType: Appraisal,HR User,मानव संसाधन उपयोगकर्ता
DocType: Purchase Invoice,Taxes and Charges Deducted,कर और शुल्क कटौती
apps/erpnext/erpnext/hooks.py +116,Issues,मुद्दे
@@ -2555,22 +2571,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},कोई वेतन पर्ची के बीच पाया {0} और {1}
,Pending SO Items For Purchase Request,खरीद के अनुरोध के लिए लंबित है तो आइटम
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,विद्यार्थी प्रवेश
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} अक्षम है
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} अक्षम है
DocType: Supplier,Billing Currency,बिलिंग मुद्रा
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,एक्स्ट्रा लार्ज
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,एक्स्ट्रा लार्ज
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,कुल पत्तियां
,Profit and Loss Statement,लाभ एवं हानि के विवरण
DocType: Bank Reconciliation Detail,Cheque Number,चेक संख्या
,Sales Browser,बिक्री ब्राउज़र
DocType: Journal Entry,Total Credit,कुल क्रेडिट
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},चेतावनी: एक और {0} # {1} शेयर प्रविष्टि के खिलाफ मौजूद है {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,स्थानीय
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,स्थानीय
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),ऋण और अग्रिम ( संपत्ति)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,देनदार
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,बड़ा
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,बड़ा
DocType: Homepage Featured Product,Homepage Featured Product,मुखपृष्ठ रुप से प्रदर्शित उत्पाद
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,सभी मूल्यांकन समूह
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,सभी मूल्यांकन समूह
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,नए गोदाम नाम
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),कुल {0} ({1})
DocType: C-Form Invoice Detail,Territory,क्षेत्र
@@ -2580,12 +2596,12 @@
DocType: Production Order Operation,Planned Start Time,नियोजित प्रारंभ समय
DocType: Course,Assessment,मूल्यांकन
DocType: Payment Entry Reference,Allocated,आवंटित
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,बंद बैलेंस शीट और पुस्तक लाभ या हानि .
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,बंद बैलेंस शीट और पुस्तक लाभ या हानि .
DocType: Student Applicant,Application Status,आवेदन की स्थिति
DocType: Fees,Fees,फीस
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,विनिमय दर दूसरे में एक मुद्रा में परिवर्तित करने के लिए निर्दिष्ट करें
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,कोटेशन {0} को रद्द कर दिया गया है
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,कुल बकाया राशि
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,कुल बकाया राशि
DocType: Sales Partner,Targets,लक्ष्य
DocType: Price List,Price List Master,मूल्य सूची मास्टर
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,आप सेट और लक्ष्यों की निगरानी कर सकते हैं ताकि सभी बिक्री लेनदेन कई ** बिक्री व्यक्तियों ** खिलाफ टैग किया जा सकता है।
@@ -2629,11 +2645,11 @@
1 के तरीके। पता और अपनी कंपनी के संपर्क।"
DocType: Attendance,Leave Type,प्रकार छोड़ दो
DocType: Purchase Invoice,Supplier Invoice Details,प्रदायक चालान विवरण
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,व्यय / अंतर खाते ({0}) एक 'लाभ या हानि' खाता होना चाहिए
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,व्यय / अंतर खाते ({0}) एक 'लाभ या हानि' खाता होना चाहिए
DocType: Project,Copied From,से प्रतिलिपि बनाई गई
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},नाम में त्रुटि: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,कमी
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} के साथ जुड़े नहीं है {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} के साथ जुड़े नहीं है {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,कर्मचारी के लिए उपस्थिति {0} पहले से ही चिह्नित है
DocType: Packing Slip,If more than one package of the same type (for print),यदि एक ही प्रकार के एक से अधिक पैकेज (प्रिंट के लिए)
,Salary Register,वेतन रजिस्टर
@@ -2651,22 +2667,23 @@
,Requested Qty,निवेदित मात्रा
DocType: Tax Rule,Use for Shopping Cart,खरीदारी की टोकरी के लिए प्रयोग करें
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},मूल्य {0} विशेषता के लिए {1} वैध आइटम की सूची में मौजूद नहीं है मद के लिए मान गुण {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,सीरियल नंबर का चयन करें
DocType: BOM Item,Scrap %,% स्क्रैप
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","प्रभार अनुपात में अपने चयन के अनुसार, मद मात्रा या राशि के आधार पर वितरित किया जाएगा"
DocType: Maintenance Visit,Purposes,उद्देश्यों
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,कम से कम एक आइटम वापसी दस्तावेज़ में नकारात्मक मात्रा के साथ दर्ज किया जाना चाहिए
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,कम से कम एक आइटम वापसी दस्तावेज़ में नकारात्मक मात्रा के साथ दर्ज किया जाना चाहिए
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","ऑपरेशन {0} कार्य केंद्र में किसी भी उपलब्ध काम के घंटे से अधिक समय तक {1}, कई आपरेशनों में आपरेशन तोड़ने के नीचे"
,Requested,निवेदित
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,कोई टिप्पणी
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,कोई टिप्पणी
DocType: Purchase Invoice,Overdue,अतिदेय
DocType: Account,Stock Received But Not Billed,स्टॉक प्राप्त लेकिन बिल नहीं
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,रूट खाते एक समूह होना चाहिए
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,रूट खाते एक समूह होना चाहिए
DocType: Fees,FEE.,शुल्क।
DocType: Employee Loan,Repaid/Closed,चुकाया / बंद किया गया
DocType: Item,Total Projected Qty,कुल अनुमानित मात्रा
DocType: Monthly Distribution,Distribution Name,वितरण नाम
DocType: Course,Course Code,पाठ्यक्रम कोड
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},आइटम के लिए आवश्यक गुणवत्ता निरीक्षण {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},आइटम के लिए आवश्यक गुणवत्ता निरीक्षण {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,जिस पर दर ग्राहक की मुद्रा कंपनी के बेस मुद्रा में परिवर्तित किया जाता है
DocType: Purchase Invoice Item,Net Rate (Company Currency),शुद्ध दर (कंपनी मुद्रा)
DocType: Salary Detail,Condition and Formula Help,स्थिति और फॉर्मूला सहायता
@@ -2679,27 +2696,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,निर्माण के लिए सामग्री हस्तांतरण
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,डिस्काउंट प्रतिशत एक मूल्य सूची के खिलाफ या सभी मूल्य सूची के लिए या तो लागू किया जा सकता है.
DocType: Purchase Invoice,Half-yearly,आधे साल में एक बार
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,शेयर के लिए लेखा प्रविष्टि
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,शेयर के लिए लेखा प्रविष्टि
DocType: Vehicle Service,Engine Oil,इंजन तेल
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,कृपया मानव संसाधन में कर्मचारी नामकरण प्रणाली> एचआर सेटिंग्स सेट करें
DocType: Sales Invoice,Sales Team1,Team1 बिक्री
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,आइटम {0} मौजूद नहीं है
DocType: Sales Invoice,Customer Address,ग्राहक पता
DocType: Employee Loan,Loan Details,ऋण विवरण
+DocType: Company,Default Inventory Account,डिफ़ॉल्ट इन्वेंटरी अकाउंट
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,पंक्ति {0}: पूर्ण मात्रा शून्य से अधिक होना चाहिए।
DocType: Purchase Invoice,Apply Additional Discount On,अतिरिक्त छूट पर लागू होते हैं
DocType: Account,Root Type,जड़ के प्रकार
DocType: Item,FIFO,फीफो
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},पंक्ति # {0}: अधिक से अधिक नहीं लौट सकते हैं {1} आइटम के लिए {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},पंक्ति # {0}: अधिक से अधिक नहीं लौट सकते हैं {1} आइटम के लिए {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,भूखंड
DocType: Item Group,Show this slideshow at the top of the page,पृष्ठ के शीर्ष पर इस स्लाइड शो दिखाएँ
DocType: BOM,Item UOM,आइटम UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),सबसे कम राशि के बाद टैक्स राशि (कंपनी मुद्रा)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},लक्ष्य गोदाम पंक्ति के लिए अनिवार्य है {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},लक्ष्य गोदाम पंक्ति के लिए अनिवार्य है {0}
DocType: Cheque Print Template,Primary Settings,प्राथमिक सेटिंग
DocType: Purchase Invoice,Select Supplier Address,प्रदायक पते का चयन
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,कर्मचारियों को जोड़ने
DocType: Purchase Invoice Item,Quality Inspection,गुणवत्ता निरीक्षण
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,अतिरिक्त छोटा
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,अतिरिक्त छोटा
DocType: Company,Standard Template,स्टैंडर्ड खाका
DocType: Training Event,Theory,सिद्धांत
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,चेतावनी: मात्रा अनुरोध सामग्री न्यूनतम आदेश मात्रा से कम है
@@ -2707,7 +2726,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,संगठन से संबंधित खातों की एक अलग चार्ट के साथ कानूनी इकाई / सहायक।
DocType: Payment Request,Mute Email,म्यूट ईमेल
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","खाद्य , पेय और तंबाकू"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},केवल विरुद्ध भुगतान कर सकते हैं unbilled {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},केवल विरुद्ध भुगतान कर सकते हैं unbilled {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,आयोग दर 100 से अधिक नहीं हो सकता
DocType: Stock Entry,Subcontract,उपपट्टा
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,1 {0} दर्ज करें
@@ -2720,18 +2739,18 @@
DocType: SMS Log,No of Sent SMS,भेजे गए एसएमएस की संख्या
DocType: Account,Expense Account,व्यय लेखा
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,सॉफ्टवेयर
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,रंगीन
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,रंगीन
DocType: Assessment Plan Criteria,Assessment Plan Criteria,आकलन योजना मानदंड
DocType: Training Event,Scheduled,अनुसूचित
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,उद्धरण के लिए अनुरोध।
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","नहीं" और "बिक्री मद है" "स्टॉक मद है" कहाँ है "हाँ" है आइटम का चयन करें और कोई अन्य उत्पाद बंडल नहीं है कृपया
DocType: Student Log,Academic,एकेडमिक
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),कुल अग्रिम ({0}) आदेश के खिलाफ {1} महायोग से बड़ा नहीं हो सकता है ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),कुल अग्रिम ({0}) आदेश के खिलाफ {1} महायोग से बड़ा नहीं हो सकता है ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,असमान महीने भर में लक्ष्य को वितरित करने के लिए मासिक वितरण चुनें।
DocType: Purchase Invoice Item,Valuation Rate,मूल्यांकन दर
DocType: Stock Reconciliation,SR/,एसआर /
DocType: Vehicle,Diesel,डीज़ल
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,मूल्य सूची मुद्रा का चयन नहीं
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,मूल्य सूची मुद्रा का चयन नहीं
,Student Monthly Attendance Sheet,छात्र मासिक उपस्थिति पत्रक
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},कर्मचारी {0} पहले से ही दोनों के बीच {1} के लिए आवेदन किया है {2} और {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,परियोजना प्रारंभ दिनांक
@@ -2743,7 +2762,7 @@
DocType: BOM,Scrap,रद्दी माल
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,बिक्री भागीदारों की व्यवस्था करें.
DocType: Quality Inspection,Inspection Type,निरीक्षण के प्रकार
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,मौजूदा लेनदेन के साथ गोदामों समूह में परिवर्तित नहीं किया जा सकता है।
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,मौजूदा लेनदेन के साथ गोदामों समूह में परिवर्तित नहीं किया जा सकता है।
DocType: Assessment Result Tool,Result HTML,परिणाम HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,पर समय सीमा समाप्त
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,छात्रों को जोड़ें
@@ -2751,13 +2770,13 @@
DocType: C-Form,C-Form No,कोई सी - फार्म
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,अगोचर उपस्थिति
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,अनुसंधानकर्ता
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,अनुसंधानकर्ता
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,कार्यक्रम नामांकन उपकरण छात्र
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,नाम या ईमेल अनिवार्य है
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,इनकमिंग गुणवत्ता निरीक्षण.
DocType: Purchase Order Item,Returned Qty,लौटे मात्रा
DocType: Employee,Exit,निकास
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,रूट प्रकार अनिवार्य है
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,रूट प्रकार अनिवार्य है
DocType: BOM,Total Cost(Company Currency),कुल लागत (कंपनी मुद्रा)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,धारावाहिक नहीं {0} बनाया
DocType: Homepage,Company Description for website homepage,वेबसाइट मुखपृष्ठ के लिए कंपनी विवरण
@@ -2766,7 +2785,7 @@
DocType: Sales Invoice,Time Sheet List,समय पत्रक सूची
DocType: Employee,You can enter any date manually,आप किसी भी तारीख को मैन्युअल रूप से दर्ज कर सकते हैं
DocType: Asset Category Account,Depreciation Expense Account,मूल्यह्रास व्यय खाते में
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,परिवीक्षाधीन अवधि
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,परिवीक्षाधीन अवधि
DocType: Customer Group,Only leaf nodes are allowed in transaction,केवल पत्ता नोड्स के लेनदेन में की अनुमति दी जाती है
DocType: Expense Claim,Expense Approver,व्यय अनुमोदनकर्ता
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,पंक्ति {0}: ग्राहक के खिलाफ अग्रिम ऋण होना चाहिए
@@ -2779,10 +2798,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,कोर्स अनुसूचियों को हटाया:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,एसएमएस वितरण की स्थिति बनाए रखने के लिए लॉग
DocType: Accounts Settings,Make Payment via Journal Entry,जर्नल प्रविष्टि के माध्यम से भुगतान करने के
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,इस तिथि पर प्रिंट किया गया
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,इस तिथि पर प्रिंट किया गया
DocType: Item,Inspection Required before Delivery,निरीक्षण प्रसव से पहले आवश्यक
DocType: Item,Inspection Required before Purchase,निरीक्षण खरीद से पहले आवश्यक
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,गतिविधियों में लंबित
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,आपकी संगठन
DocType: Fee Component,Fees Category,फीस श्रेणी
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,तारीख से राहत दर्ज करें.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,राशि
@@ -2792,9 +2812,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,स्तर पुनः क्रमित करें
DocType: Company,Chart Of Accounts Template,लेखा खाका का चार्ट
DocType: Attendance,Attendance Date,उपस्थिति तिथि
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},आइटम की {0} में मूल्य सूची के लिए अद्यतन {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},आइटम की {0} में मूल्य सूची के लिए अद्यतन {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,वेतन गोलमाल अर्जन और कटौती पर आधारित है.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,बच्चे नोड्स के साथ खाता लेजर को परिवर्तित नहीं किया जा सकता है
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,बच्चे नोड्स के साथ खाता लेजर को परिवर्तित नहीं किया जा सकता है
DocType: Purchase Invoice Item,Accepted Warehouse,स्वीकार किए जाते हैं गोदाम
DocType: Bank Reconciliation Detail,Posting Date,तिथि पोस्टिंग
DocType: Item,Valuation Method,मूल्यन विधि
@@ -2803,14 +2823,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,प्रवेश डुप्लिकेट
DocType: Program Enrollment Tool,Get Students,छात्रों
DocType: Serial No,Under Warranty,वारंटी के अंतर्गत
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[त्रुटि]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[त्रुटि]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,एक बार जब आप विक्रय क्रम सहेजें शब्दों में दिखाई जाएगी।
,Employee Birthday,कर्मचारी जन्मदिन
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,छात्र बैच उपस्थिति उपकरण
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,सीमा पार
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,सीमा पार
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,वेंचर कैपिटल
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,इस 'शैक्षिक वर्ष' के साथ एक शैक्षणिक अवधि {0} और 'शब्द का नाम' {1} पहले से ही मौजूद है। इन प्रविष्टियों को संशोधित करने और फिर कोशिश करें।
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","आइटम {0} के खिलाफ मौजूदा लेनदेन देखते हैं के रूप में, आप के मूल्य में परिवर्तन नहीं कर सकते {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","आइटम {0} के खिलाफ मौजूदा लेनदेन देखते हैं के रूप में, आप के मूल्य में परिवर्तन नहीं कर सकते {1}"
DocType: UOM,Must be Whole Number,पूर्ण संख्या होनी चाहिए
DocType: Leave Control Panel,New Leaves Allocated (In Days),नई पत्तियों आवंटित (दिनों में)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,धारावाहिक नहीं {0} मौजूद नहीं है
@@ -2819,6 +2839,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,चालान क्रमांक
DocType: Shopping Cart Settings,Orders,आदेश
DocType: Employee Leave Approver,Leave Approver,अनुमोदक छोड़ दो
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,कृपया बैच का चयन करें
DocType: Assessment Group,Assessment Group Name,आकलन समूह का नाम
DocType: Manufacturing Settings,Material Transferred for Manufacture,सामग्री निर्माण के लिए हस्तांतरित
DocType: Expense Claim,"A user with ""Expense Approver"" role","""व्यय अनुमोदनकर्ता"" भूमिका के साथ एक उपयोगकर्ता"
@@ -2828,9 +2849,10 @@
DocType: Target Detail,Target Detail,लक्ष्य विस्तार
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,सारी नौकरियां
DocType: Sales Order,% of materials billed against this Sales Order,% सामग्री को इस बिक्री आदेश के सहारे बिल किया गया है
+DocType: Program Enrollment,Mode of Transportation,परिवहन के साधन
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,अवधि समापन एंट्री
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,मौजूदा लेनदेन के साथ लागत केंद्र समूह परिवर्तित नहीं किया जा सकता है
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},राशि {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},राशि {0} {1} {2} {3}
DocType: Account,Depreciation,ह्रास
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),प्रदायक (ओं)
DocType: Employee Attendance Tool,Employee Attendance Tool,कर्मचारी उपस्थिति उपकरण
@@ -2838,7 +2860,7 @@
DocType: Supplier,Credit Limit,साख सीमा
DocType: Production Plan Sales Order,Salse Order Date,Salse आदेश दिनांक
DocType: Salary Component,Salary Component,वेतन घटक
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,भुगतान प्रविष्टियां {0} संयुक्त राष्ट्र से जुड़े हैं
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,भुगतान प्रविष्टियां {0} संयुक्त राष्ट्र से जुड़े हैं
DocType: GL Entry,Voucher No,कोई वाउचर
,Lead Owner Efficiency,लीड स्वामी क्षमता
DocType: Leave Allocation,Leave Allocation,आबंटन छोड़ दो
@@ -2849,11 +2871,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,शब्दों या अनुबंध के टेम्पलेट.
DocType: Purchase Invoice,Address and Contact,पता और संपर्क
DocType: Cheque Print Template,Is Account Payable,खाते में देय है
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},शेयर खरीद रसीद के खिलाफ अद्यतन नहीं किया जा सकता है {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},शेयर खरीद रसीद के खिलाफ अद्यतन नहीं किया जा सकता है {0}
DocType: Supplier,Last Day of the Next Month,अगले महीने के आखिरी दिन
DocType: Support Settings,Auto close Issue after 7 days,7 दिनों के बाद ऑटो बंद जारी
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","पहले आवंटित नहीं किया जा सकता छोड़ दो {0}, छुट्टी संतुलन पहले से ही ले अग्रेषित भविष्य छुट्टी आवंटन रिकॉर्ड में किया गया है के रूप में {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),नोट: कारण / संदर्भ तिथि {0} दिन द्वारा अनुमति ग्राहक क्रेडिट दिनों से अधिक (ओं)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),नोट: कारण / संदर्भ तिथि {0} दिन द्वारा अनुमति ग्राहक क्रेडिट दिनों से अधिक (ओं)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,छात्र आवेदक
DocType: Asset Category Account,Accumulated Depreciation Account,संचित मूल्यह्रास अकाउंट
DocType: Stock Settings,Freeze Stock Entries,स्टॉक प्रविष्टियां रुक
@@ -2862,35 +2884,35 @@
DocType: Activity Cost,Billing Rate,बिलिंग दर
,Qty to Deliver,उद्धार करने के लिए मात्रा
,Stock Analytics,स्टॉक विश्लेषिकी
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,संचालन खाली नहीं छोड़ा जा सकता है
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,संचालन खाली नहीं छोड़ा जा सकता है
DocType: Maintenance Visit Purpose,Against Document Detail No,दस्तावेज़ विस्तार नहीं के खिलाफ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,पार्टी प्रकार अनिवार्य है
DocType: Quality Inspection,Outgoing,बाहर जाने वाला
DocType: Material Request,Requested For,के लिए अनुरोध
DocType: Quotation Item,Against Doctype,Doctype के खिलाफ
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} को रद्द कर दिया है या बंद है
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} को रद्द कर दिया है या बंद है
DocType: Delivery Note,Track this Delivery Note against any Project,किसी भी परियोजना के खिलाफ इस डिलिवरी नोट हुए
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,निवेश से नेट नकद
-,Is Primary Address,प्राथमिक पता है
DocType: Production Order,Work-in-Progress Warehouse,कार्य में प्रगति गोदाम
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,एसेट {0} प्रस्तुत किया जाना चाहिए
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},उपस्थिति रिकॉर्ड {0} छात्र के खिलाफ मौजूद {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},उपस्थिति रिकॉर्ड {0} छात्र के खिलाफ मौजूद {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},संदर्भ # {0} दिनांक {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,मूल्यह्रास संपत्ति के निपटान की वजह से सफाया
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,पतों का प्रबंधन
DocType: Asset,Item Code,आइटम कोड
DocType: Production Planning Tool,Create Production Orders,उत्पादन के आदेश बनाएँ
DocType: Serial No,Warranty / AMC Details,वारंटी / एएमसी विवरण
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,गतिविधि आधारित समूह के लिए मैन्युअल रूप से छात्रों का चयन करें
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,गतिविधि आधारित समूह के लिए मैन्युअल रूप से छात्रों का चयन करें
DocType: Journal Entry,User Remark,उपयोगकर्ता के टिप्पणी
DocType: Lead,Market Segment,बाजार खंड
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},भुगतान की गई राशि कुल नकारात्मक बकाया राशि से अधिक नहीं हो सकता है {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},भुगतान की गई राशि कुल नकारात्मक बकाया राशि से अधिक नहीं हो सकता है {0}
DocType: Employee Internal Work History,Employee Internal Work History,कर्मचारी आंतरिक कार्य इतिहास
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),समापन (डॉ.)
DocType: Cheque Print Template,Cheque Size,चैक आकार
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,धारावाहिक नहीं {0} नहीं स्टॉक में
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,लेनदेन को बेचने के लिए टैक्स टेम्पलेट .
DocType: Sales Invoice,Write Off Outstanding Amount,ऑफ बकाया राशि लिखें
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},खाता {0} कंपनी के साथ मेल नहीं खाता {1}
DocType: School Settings,Current Academic Year,वर्तमान शैक्षणिक वर्ष
DocType: Stock Settings,Default Stock UOM,Default स्टॉक UOM
DocType: Asset,Number of Depreciations Booked,Depreciations की संख्या बुक
@@ -2905,27 +2927,27 @@
DocType: Asset,Double Declining Balance,डबल गिरावट का संतुलन
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,बंद आदेश को रद्द नहीं किया जा सकता। रद्द करने के लिए खुल जाना।
DocType: Student Guardian,Father,पिता
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'अपडेट शेयर' निश्चित संपत्ति बिक्री के लिए जाँच नहीं की जा सकती
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'अपडेट शेयर' निश्चित संपत्ति बिक्री के लिए जाँच नहीं की जा सकती
DocType: Bank Reconciliation,Bank Reconciliation,बैंक समाधान
DocType: Attendance,On Leave,छुट्टी पर
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,अपडेट प्राप्त करे
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: खाता {2} कंपनी से संबंधित नहीं है {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,सामग्री अनुरोध {0} को रद्द कर दिया है या बंद कर दिया गया है
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,कुछ नमूना रिकॉर्ड को जोड़ें
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,कुछ नमूना रिकॉर्ड को जोड़ें
apps/erpnext/erpnext/config/hr.py +301,Leave Management,प्रबंधन छोड़ दो
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,खाता द्वारा समूह
DocType: Sales Order,Fully Delivered,पूरी तरह से वितरित
DocType: Lead,Lower Income,कम आय
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},स्रोत और लक्ष्य गोदाम पंक्ति के लिए समान नहीं हो सकता {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},स्रोत और लक्ष्य गोदाम पंक्ति के लिए समान नहीं हो सकता {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","यह स्टॉक सुलह एक खोलने एंट्री के बाद से अंतर खाते, एक एसेट / दायित्व प्रकार खाता होना चाहिए"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},वितरित राशि ऋण राशि से अधिक नहीं हो सकता है {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},क्रय आदेश संख्या मद के लिए आवश्यक {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,उत्पादन आदेश नहीं बनाया
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},क्रय आदेश संख्या मद के लिए आवश्यक {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,उत्पादन आदेश नहीं बनाया
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','तिथि तक' 'तिथि से' के बाद होनी चाहिए
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},छात्र के रूप में स्थिति को बदल नहीं सकते {0} छात्र आवेदन के साथ जुड़ा हुआ है {1}
DocType: Asset,Fully Depreciated,पूरी तरह से घिस
,Stock Projected Qty,शेयर मात्रा अनुमानित
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},ग्राहक {0} परियोजना से संबंधित नहीं है {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},ग्राहक {0} परियोजना से संबंधित नहीं है {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,उल्लेखनीय उपस्थिति एचटीएमएल
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","कोटेशन प्रस्तावों, बोलियों आप अपने ग्राहकों के लिए भेजा है रहे हैं"
DocType: Sales Order,Customer's Purchase Order,ग्राहक के क्रय आदेश
@@ -2934,33 +2956,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,मूल्यांकन मापदंड के अंकों के योग {0} की जरूरत है।
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Depreciations की संख्या बुक सेट करें
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,मूल्य या मात्रा
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,प्रोडक्शंस आदेश के लिए नहीं उठाया जा सकता है:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,मिनट
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,प्रोडक्शंस आदेश के लिए नहीं उठाया जा सकता है:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,मिनट
DocType: Purchase Invoice,Purchase Taxes and Charges,खरीद कर और शुल्क
,Qty to Receive,प्राप्त करने के लिए मात्रा
DocType: Leave Block List,Leave Block List Allowed,छोड़ दो ब्लॉक सूची रख सकते है
DocType: Grading Scale Interval,Grading Scale Interval,ग्रेडिंग पैमाने अंतराल
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},वाहन प्रवेश के लिए व्यय दावा {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,मार्जिन के साथ मूल्य सूची दर पर डिस्काउंट (%)
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,सभी गोदामों
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,सभी गोदामों
DocType: Sales Partner,Retailer,खुदरा
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,खाते में जमा एक बैलेंस शीट खाता होना चाहिए
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,खाते में जमा एक बैलेंस शीट खाता होना चाहिए
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,सभी आपूर्तिकर्ता के प्रकार
DocType: Global Defaults,Disable In Words,शब्दों में अक्षम
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,आइटम स्वचालित रूप से गिने नहीं है क्योंकि मद कोड अनिवार्य है
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,आइटम स्वचालित रूप से गिने नहीं है क्योंकि मद कोड अनिवार्य है
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},कोटेशन {0} नहीं प्रकार की {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,रखरखाव अनुसूची आइटम
DocType: Sales Order,% Delivered,% वितरित
DocType: Production Order,PRO-,समर्थक-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,बैंक ओवरड्राफ्ट खाता
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,बैंक ओवरड्राफ्ट खाता
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,वेतन पर्ची बनाओ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,पंक्ति # {0}: आवंटित राशि बकाया राशि से अधिक नहीं हो सकती।
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,ब्राउज़ बीओएम
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,सुरक्षित कर्जे
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,सुरक्षित कर्जे
DocType: Purchase Invoice,Edit Posting Date and Time,पोस्टिंग दिनांक और समय संपादित करें
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},में परिसंपत्ति वर्ग {0} या कंपनी मूल्यह्रास संबंधित खाते सेट करें {1}
DocType: Academic Term,Academic Year,शैक्षणिक वर्ष
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,प्रारम्भिक शेष इक्विटी
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,प्रारम्भिक शेष इक्विटी
DocType: Lead,CRM,सीआरएम
DocType: Appraisal,Appraisal,मूल्यांकन
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},आपूर्तिकर्ता के लिए भेजा ईमेल {0}
@@ -2976,7 +2998,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,रोल का अनुमोदन करने के लिए नियम लागू है भूमिका के रूप में ही नहीं हो सकता
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,इस ईमेल डाइजेस्ट से सदस्यता रद्द
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,भेजे गए संदेश
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,बच्चे नोड्स के साथ खाता बही के रूप में सेट नहीं किया जा सकता
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,बच्चे नोड्स के साथ खाता बही के रूप में सेट नहीं किया जा सकता
DocType: C-Form,II,द्वितीय
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,दर जिस पर मूल्य सूची मुद्रा ग्राहक आधार मुद्रा में परिवर्तित किया जाता है
DocType: Purchase Invoice Item,Net Amount (Company Currency),शुद्ध राशि (कंपनी मुद्रा)
@@ -3010,7 +3032,7 @@
DocType: Expense Claim,Approval Status,स्वीकृति स्थिति
DocType: Hub Settings,Publish Items to Hub,हब के लिए आइटम प्रकाशित करें
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},मूल्य से पंक्ति में मान से कम होना चाहिए {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,वायर ट्रांसफर
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,वायर ट्रांसफर
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,सभी की जांच करो
DocType: Vehicle Log,Invoice Ref,चालान रेफरी
DocType: Purchase Order,Recurring Order,आवर्ती आदेश
@@ -3023,51 +3045,54 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,बैंकिंग और भुगतान
,Welcome to ERPNext,ERPNext में आपका स्वागत है
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,कोटेशन के लिए लीड
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,इससे अधिक कुछ नहीं दिखाने के लिए।
DocType: Lead,From Customer,ग्राहक से
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,कॉल
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,कॉल
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,बैचों
DocType: Project,Total Costing Amount (via Time Logs),कुल लागत राशि (टाइम लॉग्स के माध्यम से)
DocType: Purchase Order Item Supplied,Stock UOM,स्टॉक UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,खरीद आदेश {0} प्रस्तुत नहीं किया गया है
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,खरीद आदेश {0} प्रस्तुत नहीं किया गया है
DocType: Customs Tariff Number,Tariff Number,शुल्क सूची संख्या
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,प्रक्षेपित
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},धारावाहिक नहीं {0} वेयरहाउस से संबंधित नहीं है {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,नोट : सिस्टम मद के लिए वितरण और अधिक से अधिक बुकिंग की जांच नहीं करेगा {0} मात्रा या राशि के रूप में 0 है
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,नोट : सिस्टम मद के लिए वितरण और अधिक से अधिक बुकिंग की जांच नहीं करेगा {0} मात्रा या राशि के रूप में 0 है
DocType: Notification Control,Quotation Message,कोटेशन संदेश
DocType: Employee Loan,Employee Loan Application,कर्मचारी ऋण आवेदन
DocType: Issue,Opening Date,तिथि खुलने की
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,उपस्थिति सफलतापूर्वक अंकित की गई है।
+DocType: Program Enrollment,Public Transport,सार्वजनिक परिवाहन
DocType: Journal Entry,Remark,टिप्पणी
DocType: Purchase Receipt Item,Rate and Amount,दर और राशि
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},खाते का प्रकार {0} के लिए होना चाहिए {1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,पत्तियां और छुट्टी
DocType: School Settings,Current Academic Term,वर्तमान शैक्षणिक अवधि
DocType: Sales Order,Not Billed,नहीं बिल
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,दोनों गोदाम एक ही कंपनी से संबंधित होना चाहिए
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,कोई संपर्क नहीं अभी तक जोड़ा।
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,दोनों गोदाम एक ही कंपनी से संबंधित होना चाहिए
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,कोई संपर्क नहीं अभी तक जोड़ा।
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,उतरा लागत वाउचर राशि
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,विधेयकों आपूर्तिकर्ता द्वारा उठाए गए.
DocType: POS Profile,Write Off Account,ऑफ खाता लिखें
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,डेबिट नोट एएमटी
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,छूट राशि
DocType: Purchase Invoice,Return Against Purchase Invoice,के खिलाफ खरीद चालान लौटें
DocType: Item,Warranty Period (in days),वारंटी अवधि (दिनों में)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Guardian1 के साथ संबंध
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1 के साथ संबंध
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,संचालन से नेट नकद
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,उदाहरणार्थ
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,उदाहरणार्थ
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,आइटम 4
DocType: Student Admission,Admission End Date,एडमिशन समाप्ति तिथि
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,उप ठेका
DocType: Journal Entry Account,Journal Entry Account,जर्नल प्रविष्टि खाता
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,छात्र समूह
DocType: Shopping Cart Settings,Quotation Series,कोटेशन सीरीज
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","एक आइटम ( {0}) , मद समूह का नाम बदलने के लिए या आइटम का नाम बदलने के लिए कृपया एक ही नाम के साथ मौजूद है"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,कृपया ग्राहक का चयन
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","एक आइटम ( {0}) , मद समूह का नाम बदलने के लिए या आइटम का नाम बदलने के लिए कृपया एक ही नाम के साथ मौजूद है"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,कृपया ग्राहक का चयन
DocType: C-Form,I,मैं
DocType: Company,Asset Depreciation Cost Center,संपत्ति मूल्यह्रास लागत केंद्र
DocType: Sales Order Item,Sales Order Date,बिक्री आदेश दिनांक
DocType: Sales Invoice Item,Delivered Qty,वितरित मात्रा
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","अगर जाँच की है, प्रत्येक उत्पादन आइटम के सभी बच्चों को सामग्री अनुरोधों में शामिल कर दिया जाएगा।"
DocType: Assessment Plan,Assessment Plan,आकलन योजना
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,वेयरहाउस {0}: कंपनी अनिवार्य है
DocType: Stock Settings,Limit Percent,सीमा प्रतिशत
,Payment Period Based On Invoice Date,चालान तिथि के आधार पर भुगतान की अवधि
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},के लिए गुम मुद्रा विनिमय दरों {0}
@@ -3079,7 +3104,7 @@
DocType: Vehicle,Insurance Details,बीमा विवरण
DocType: Account,Payable,देय
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,चुकौती अवधि दर्ज करें
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),देनदार ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),देनदार ({0})
DocType: Pricing Rule,Margin,हाशिया
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,नए ग्राहकों
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,सकल लाभ%
@@ -3090,16 +3115,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,पार्टी अनिवार्य है
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,विषय नाम
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,बेचने या खरीदने का कम से कम एक का चयन किया जाना चाहिए
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,आपके व्यवसाय की प्रकृति का चयन करें।
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,बेचने या खरीदने का कम से कम एक का चयन किया जाना चाहिए
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,आपके व्यवसाय की प्रकृति का चयन करें।
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},पंक्ति # {0}: संदर्भ में डुप्लिकेट एंट्री {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,निर्माण कार्यों कहां किया जाता है।
DocType: Asset Movement,Source Warehouse,स्रोत वेअरहाउस
DocType: Installation Note,Installation Date,स्थापना की तारीख
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},पंक्ति # {0}: संपत्ति {1} कंपनी का नहीं है {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},पंक्ति # {0}: संपत्ति {1} कंपनी का नहीं है {2}
DocType: Employee,Confirmation Date,पुष्टिकरण तिथि
DocType: C-Form,Total Invoiced Amount,कुल चालान राशि
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,न्यूनतम मात्रा अधिकतम मात्रा से ज्यादा नहीं हो सकता
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,न्यूनतम मात्रा अधिकतम मात्रा से ज्यादा नहीं हो सकता
DocType: Account,Accumulated Depreciation,संग्रहित अवमूल्यन
DocType: Stock Entry,Customer or Supplier Details,ग्राहक या आपूर्तिकर्ता विवरण
DocType: Employee Loan Application,Required by Date,दिनांक द्वारा आवश्यक
@@ -3120,22 +3145,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,मासिक वितरण का प्रतिशत
DocType: Territory,Territory Targets,टेरिटरी लक्ष्य
DocType: Delivery Note,Transporter Info,ट्रांसपोर्टर जानकारी
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},डिफ़ॉल्ट {0} कंपनी में सेट करें {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},डिफ़ॉल्ट {0} कंपनी में सेट करें {1}
DocType: Cheque Print Template,Starting position from top edge,ऊपरी किनारे से स्थिति शुरू
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,एक ही सप्लायर कई बार दर्ज किया गया है
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,सकल लाभ / हानि
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,खरीद आदेश आइटम की आपूर्ति
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,कंपनी का नाम कंपनी नहीं किया जा सकता
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,कंपनी का नाम कंपनी नहीं किया जा सकता
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,प्रिंट टेम्पलेट्स के लिए पत्र सिर .
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,प्रिंट टेम्पलेट्स के लिए खिताब उदा प्रोफार्मा चालान .
DocType: Student Guardian,Student Guardian,छात्र गार्जियन
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,मूल्यांकन प्रकार के आरोप समावेशी के रूप में चिह्नित नहीं कर सकता
DocType: POS Profile,Update Stock,स्टॉक अद्यतन
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,आपूर्तिकर्ता> प्रदायक प्रकार
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,मदों के लिए अलग UOM गलत ( कुल ) नेट वजन मूल्य को बढ़ावा मिलेगा. प्रत्येक आइटम का शुद्ध वजन ही UOM में है कि सुनिश्चित करें.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,बीओएम दर
DocType: Asset,Journal Entry for Scrap,स्क्रैप के लिए जर्नल प्रविष्टि
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,डिलिवरी नोट से आइटम खींच कृपया
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,जर्नल प्रविष्टियां {0} संयुक्त राष्ट्र से जुड़े हुए हैं
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,जर्नल प्रविष्टियां {0} संयुक्त राष्ट्र से जुड़े हुए हैं
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","प्रकार ईमेल, फोन, चैट, यात्रा, आदि के सभी संचार के रिकार्ड"
DocType: Manufacturer,Manufacturers used in Items,वस्तुओं में इस्तेमाल किया निर्माता
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,कंपनी में गोल लागत से केंद्र का उल्लेख करें
@@ -3182,33 +3208,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,आपूर्तिकर्ता ग्राहक को बचाता है
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# प्रपत्र / मद / {0}) स्टॉक से बाहर है
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,अगली तारीख पोस्ट दिनांक से अधिक होना चाहिए
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,शो कर तोड़-अप
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},कारण / संदर्भ तिथि के बाद नहीं किया जा सकता {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,शो कर तोड़-अप
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},कारण / संदर्भ तिथि के बाद नहीं किया जा सकता {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,डाटा आयात और निर्यात
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","स्टॉक प्रविष्टियों, {0} गोदाम के खिलाफ मौजूद इसलिए आप नहीं फिर से आवंटित या इसे संशोधित कर सकते हैं"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,कोई छात्र नहीं मिले
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,कोई छात्र नहीं मिले
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,चालान पोस्ट दिनांक
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,बेचना
DocType: Sales Invoice,Rounded Total,गोल कुल
DocType: Product Bundle,List items that form the package.,सूची आइटम है कि पैकेज का फार्म.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,प्रतिशत आवंटन 100 % के बराबर होना चाहिए
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,कृपया पार्टी के चयन से पहले पोस्ट दिनांक का चयन
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,कृपया पार्टी के चयन से पहले पोस्ट दिनांक का चयन
DocType: Program Enrollment,School House,स्कूल हाउस
DocType: Serial No,Out of AMC,एएमसी के बाहर
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,कृपया उद्धरण का चयन करें
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,कृपया उद्धरण का चयन करें
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,बुक depreciations की संख्या कुल depreciations की संख्या से अधिक नहीं हो सकता
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,रखरखाव भेंट बनाओ
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,बिक्री मास्टर प्रबंधक {0} भूमिका है जो उपयोगकर्ता के लिए संपर्क करें
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,बिक्री मास्टर प्रबंधक {0} भूमिका है जो उपयोगकर्ता के लिए संपर्क करें
DocType: Company,Default Cash Account,डिफ़ॉल्ट नकद खाता
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,कंपनी ( नहीं ग्राहक या प्रदायक) मास्टर .
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,यह इस छात्र की उपस्थिति पर आधारित है
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,में कोई छात्र नहीं
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,में कोई छात्र नहीं
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,अधिक आइटम या खुले पूर्ण रूप में जोड़ें
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',' उम्मीद की डिलीवरी तिथि ' दर्ज करें
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,डिलिवरी नोट्स {0} इस बिक्री आदेश रद्द करने से पहले रद्द कर दिया जाना चाहिए
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,भुगतान की गई राशि + राशि से लिखने के कुल योग से बड़ा नहीं हो सकता
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,भुगतान की गई राशि + राशि से लिखने के कुल योग से बड़ा नहीं हो सकता
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} आइटम के लिए एक वैध बैच नंबर नहीं है {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},नोट : छोड़ किस्म के लिए पर्याप्त छुट्टी संतुलन नहीं है {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,अमान्य जीएसटीआईएन या अनारिजीस्टर्ड के लिए एनएआर दर्ज करें
DocType: Training Event,Seminar,सेमिनार
DocType: Program Enrollment Fee,Program Enrollment Fee,कार्यक्रम नामांकन शुल्क
DocType: Item,Supplier Items,प्रदायक आइटम
@@ -3234,27 +3260,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,आइटम 3
DocType: Purchase Order,Customer Contact Email,ग्राहक संपर्क ईमेल
DocType: Warranty Claim,Item and Warranty Details,मद और वारंटी के विवरण
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,आइटम कोड> आइटम समूह> ब्रांड
DocType: Sales Team,Contribution (%),अंशदान (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,नोट : भुगतान एंट्री ' नकद या बैंक खाता' निर्दिष्ट नहीं किया गया था के बाद से नहीं बनाया जाएगा
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,अनिवार्य पाठ्यक्रम प्राप्त करने के लिए कार्यक्रम का चयन करें।
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,जिम्मेदारियों
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,जिम्मेदारियों
DocType: Expense Claim Account,Expense Claim Account,व्यय दावा अकाउंट
DocType: Sales Person,Sales Person Name,बिक्री व्यक्ति का नाम
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,तालिका में कम से कम 1 चालान दाखिल करें
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,उपयोगकर्ता जोड़ें
DocType: POS Item Group,Item Group,आइटम समूह
DocType: Item,Safety Stock,सुरक्षा भंडार
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,एक कार्य के लिए प्रगति% 100 से अधिक नहीं हो सकता है।
DocType: Stock Reconciliation Item,Before reconciliation,सुलह से पहले
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),करों और शुल्कों जोड़ा (कंपनी मुद्रा)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,आइटम कर पंक्ति {0} प्रकार टैक्स या आय या खर्च या प्रभार्य का खाता होना चाहिए
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,आइटम कर पंक्ति {0} प्रकार टैक्स या आय या खर्च या प्रभार्य का खाता होना चाहिए
DocType: Sales Order,Partly Billed,आंशिक रूप से बिल
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,मद {0} एक निश्चित परिसंपत्ति मद में होना चाहिए
DocType: Item,Default BOM,Default बीओएम
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,फिर से लिखें कंपनी के नाम की पुष्टि के लिए कृपया
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,कुल बकाया राशि
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,डेबिट नोट राशि
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,फिर से लिखें कंपनी के नाम की पुष्टि के लिए कृपया
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,कुल बकाया राशि
DocType: Journal Entry,Printing Settings,मुद्रण सेटिंग्स
DocType: Sales Invoice,Include Payment (POS),भुगतान को शामिल करें (पीओएस)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},कुल डेबिट कुल क्रेडिट के बराबर होना चाहिए .
@@ -3268,15 +3292,16 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,स्टॉक में:
DocType: Notification Control,Custom Message,कस्टम संदेश
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,निवेश बैंकिंग
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,नकद या बैंक खाते को भुगतान के प्रवेश करने के लिए अनिवार्य है
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,छात्र का पता
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,नकद या बैंक खाते को भुगतान के प्रवेश करने के लिए अनिवार्य है
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,कृपया सेटअप> नंबरिंग सीरिज के माध्यम से उपस्थिति के लिए श्रृंखलाबद्ध संख्या सेट करना
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,छात्र का पता
DocType: Purchase Invoice,Price List Exchange Rate,मूल्य सूची विनिमय दर
DocType: Purchase Invoice Item,Rate,दर
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,प्रशिक्षु
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,पता नाम
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,प्रशिक्षु
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,पता नाम
DocType: Stock Entry,From BOM,बीओएम से
DocType: Assessment Code,Assessment Code,आकलन संहिता
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,बुनियादी
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,बुनियादी
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,{0} से पहले शेयर लेनदेन जमे हुए हैं
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule','उत्पन्न अनुसूची' पर क्लिक करें
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","जैसे किलोग्राम, यूनिट, ओपन स्कूल, मीटर"
@@ -3286,11 +3311,11 @@
DocType: Salary Slip,Salary Structure,वेतन संरचना
DocType: Account,Bank,बैंक
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,एयरलाइन
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,मुद्दा सामग्री
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,मुद्दा सामग्री
DocType: Material Request Item,For Warehouse,गोदाम के लिए
DocType: Employee,Offer Date,प्रस्ताव की तिथि
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,कोटेशन
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,आप ऑफ़लाइन मोड में हैं। आप जब तक आप नेटवर्क है फिर से लोड करने में सक्षम नहीं होगा।
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,आप ऑफ़लाइन मोड में हैं। आप जब तक आप नेटवर्क है फिर से लोड करने में सक्षम नहीं होगा।
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,कोई छात्र गुटों बनाया।
DocType: Purchase Invoice Item,Serial No,नहीं सीरियल
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,मासिक भुगतान राशि ऋण राशि से अधिक नहीं हो सकता
@@ -3298,8 +3323,8 @@
DocType: Purchase Invoice,Print Language,प्रिंट भाषा
DocType: Salary Slip,Total Working Hours,कुल काम के घंटे
DocType: Stock Entry,Including items for sub assemblies,उप असेंबलियों के लिए आइटम सहित
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,दर्ज मूल्य सकारात्मक होना चाहिए
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,सभी प्रदेशों
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,दर्ज मूल्य सकारात्मक होना चाहिए
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,सभी प्रदेशों
DocType: Purchase Invoice,Items,आइटम
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,छात्र पहले से ही दाखिला लिया है।
DocType: Fiscal Year,Year Name,वर्ष नाम
@@ -3317,10 +3342,10 @@
DocType: Issue,Opening Time,समय खुलने की
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,दिनांक से और
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,प्रतिभूति एवं कमोडिटी एक्सचेंजों
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',संस्करण के लिए उपाय की मूलभूत इकाई '{0}' खाका के रूप में ही होना चाहिए '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',संस्करण के लिए उपाय की मूलभूत इकाई '{0}' खाका के रूप में ही होना चाहिए '{1}'
DocType: Shipping Rule,Calculate Based On,के आधार पर गणना करें
DocType: Delivery Note Item,From Warehouse,गोदाम से
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,सामग्री के बिल के साथ कोई वस्तुओं का निर्माण करने के लिए
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,सामग्री के बिल के साथ कोई वस्तुओं का निर्माण करने के लिए
DocType: Assessment Plan,Supervisor Name,पर्यवेक्षक का नाम
DocType: Program Enrollment Course,Program Enrollment Course,कार्यक्रम नामांकन पाठ्यक्रम
DocType: Purchase Taxes and Charges,Valuation and Total,मूल्यांकन और कुल
@@ -3335,18 +3360,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'आखिरी बिक्री आदेश को कितने दिन हुए' शून्य या उससे अधिक होना चाहिए
DocType: Process Payroll,Payroll Frequency,पेरोल आवृत्ति
DocType: Asset,Amended From,से संशोधित
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,कच्चे माल
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,कच्चे माल
DocType: Leave Application,Follow via Email,ईमेल के माध्यम से पालन करें
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,संयंत्रों और मशीनरी
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,संयंत्रों और मशीनरी
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,सबसे कम राशि के बाद टैक्स राशि
DocType: Daily Work Summary Settings,Daily Work Summary Settings,दैनिक काम सारांश सेटिंग
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},मूल्य सूची {0} की मुद्रा चयनित मुद्रा के साथ समान नहीं है {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},मूल्य सूची {0} की मुद्रा चयनित मुद्रा के साथ समान नहीं है {1}
DocType: Payment Entry,Internal Transfer,आंतरिक स्थानांतरण
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,चाइल्ड खाता इस खाते के लिए मौजूद है. आप इस खाते को नष्ट नहीं कर सकते .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,चाइल्ड खाता इस खाते के लिए मौजूद है. आप इस खाते को नष्ट नहीं कर सकते .
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,लक्ष्य मात्रा या लक्ष्य राशि या तो अनिवार्य है
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},कोई डिफ़ॉल्ट बीओएम मौजूद मद के लिए {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},कोई डिफ़ॉल्ट बीओएम मौजूद मद के लिए {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,पहली पोस्टिंग तिथि का चयन करें
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,दिनांक खोलने की तिथि बंद करने से पहले किया जाना चाहिए
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,कृपया सेटअप के माध्यम से {0} के लिए नामकरण श्रृंखला सेट करें> सेटिंग> नामकरण श्रृंखला
DocType: Leave Control Panel,Carry Forward,आगे ले जाना
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,मौजूदा लेनदेन के साथ लागत केंद्र लेज़र परिवर्तित नहीं किया जा सकता है
DocType: Department,Days for which Holidays are blocked for this department.,दिन छुट्टियाँ जिसके लिए इस विभाग के लिए अवरुद्ध कर रहे हैं.
@@ -3356,10 +3382,9 @@
DocType: Issue,Raised By (Email),(ई) द्वारा उठाए गए
DocType: Training Event,Trainer Name,ट्रेनर का नाम
DocType: Mode of Payment,General,सामान्य
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,लेटरहेड अटैच
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,अंतिम संचार
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',श्रेणी ' मूल्यांकन ' या ' मूल्यांकन और कुल ' के लिए है जब घटा नहीं कर सकते
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","अपने कर सिर सूची (जैसे वैट, सीमा शुल्क आदि, वे अद्वितीय नाम होना चाहिए) और उनके मानक दर। यह आप संपादित करें और अधिक बाद में जोड़ सकते हैं, जो एक मानक टेम्पलेट, पैदा करेगा।"
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","अपने कर सिर सूची (जैसे वैट, सीमा शुल्क आदि, वे अद्वितीय नाम होना चाहिए) और उनके मानक दर। यह आप संपादित करें और अधिक बाद में जोड़ सकते हैं, जो एक मानक टेम्पलेट, पैदा करेगा।"
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},श्रृंखलाबद्ध मद के लिए सीरियल नं आवश्यक {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,चालान के साथ मैच भुगतान
DocType: Journal Entry,Bank Entry,बैंक एंट्री
@@ -3368,16 +3393,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,कार्ट में जोड़ें
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,समूह द्वारा
DocType: Guardian,Interests,रूचियाँ
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,/ निष्क्रिय मुद्राओं सक्षम करें.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,/ निष्क्रिय मुद्राओं सक्षम करें.
DocType: Production Planning Tool,Get Material Request,सामग्री अनुरोध प्राप्त
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,पोस्टल व्यय
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,पोस्टल व्यय
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),कुल (राशि)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,मनोरंजन और आराम
DocType: Quality Inspection,Item Serial No,आइटम कोई धारावाहिक
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,कर्मचारी रिकॉर्ड बनाएं
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,कुल वर्तमान
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,लेखांकन बयान
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,घंटा
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,घंटा
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,नया धारावाहिक कोई गोदाम नहीं कर सकते हैं . गोदाम स्टॉक एंट्री या खरीद रसीद द्वारा निर्धारित किया जाना चाहिए
DocType: Lead,Lead Type,प्रकार लीड
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,आप ब्लॉक तारीखों पर पत्तियों को मंजूरी के लिए अधिकृत नहीं हैं
@@ -3389,6 +3414,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,बदलने के बाद नए बीओएम
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,बिक्री के प्वाइंट
DocType: Payment Entry,Received Amount,प्राप्त राशि
+DocType: GST Settings,GSTIN Email Sent On,जीएसटीआईएन ईमेल भेजा गया
+DocType: Program Enrollment,Pick/Drop by Guardian,गार्जियन द्वारा उठाओ / ड्रॉप
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","पूर्ण मात्रा के लिए बनाएँ, आदेश पर पहले से ही मात्रा की अनदेखी"
DocType: Account,Tax,कर
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,चिह्नित नहीं
@@ -3400,14 +3427,14 @@
DocType: Batch,Source Document Name,स्रोत दस्तावेज़ का नाम
DocType: Job Opening,Job Title,कार्य शीर्षक
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,बनाएं उपयोगकर्ता
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,ग्राम
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,ग्राम
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,निर्माण करने के लिए मात्रा 0 से अधिक होना चाहिए।
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,रखरखाव कॉल के लिए रिपोर्ट पर जाएँ.
DocType: Stock Entry,Update Rate and Availability,अद्यतन दर और उपलब्धता
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,आप मात्रा के खिलाफ और अधिक प्राप्त या वितरित करने के लिए अनुमति दी जाती प्रतिशत का आदेश दिया. उदाहरण के लिए: यदि आप 100 यूनिट का आदेश दिया है. और अपने भत्ता 10% तो आप 110 इकाइयों को प्राप्त करने के लिए अनुमति दी जाती है.
DocType: POS Customer Group,Customer Group,ग्राहक समूह
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),नया बैच आईडी (वैकल्पिक)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},व्यय खाते आइटम के लिए अनिवार्य है {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},व्यय खाते आइटम के लिए अनिवार्य है {0}
DocType: BOM,Website Description,वेबसाइट विवरण
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,इक्विटी में शुद्ध परिवर्तन
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,चालान की खरीद {0} को रद्द कृपया पहले
@@ -3417,8 +3444,8 @@
,Sales Register,बिक्री रजिस्टर
DocType: Daily Work Summary Settings Company,Send Emails At,ईमेल भेजें पर
DocType: Quotation,Quotation Lost Reason,कोटेशन कारण खोया
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,अपने डोमेन का चयन करें
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},लेन-देन संदर्भ कोई {0} दिनांक {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,अपने डोमेन का चयन करें
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},लेन-देन संदर्भ कोई {0} दिनांक {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,संपादित करने के लिए कुछ भी नहीं है .
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,इस महीने और लंबित गतिविधियों के लिए सारांश
DocType: Customer Group,Customer Group Name,ग्राहक समूह का नाम
@@ -3426,14 +3453,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,नकदी प्रवाह विवरण
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},ऋण राशि का अधिकतम ऋण राशि से अधिक नहीं हो सकता है {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,लाइसेंस
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},सी-फार्म से इस चालान {0} निकाल दें {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},सी-फार्म से इस चालान {0} निकाल दें {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,का चयन करें कृपया आगे ले जाना है अगर तुम भी शामिल करना चाहते हैं पिछले राजकोषीय वर्ष की शेष राशि इस वित्त वर्ष के लिए छोड़ देता है
DocType: GL Entry,Against Voucher Type,वाउचर प्रकार के खिलाफ
DocType: Item,Attributes,गुण
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,खाता बंद लिखने दर्ज करें
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,खाता बंद लिखने दर्ज करें
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,पिछले आदेश की तिथि
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},खाता {0} करता है कंपनी के अंतर्गत आता नहीं {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,{0} पंक्ति में सीरियल नंबर डिलिवरी नोट से मेल नहीं खाती
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,{0} पंक्ति में सीरियल नंबर डिलिवरी नोट से मेल नहीं खाती
DocType: Student,Guardian Details,गार्जियन विवरण
DocType: C-Form,C-Form,सी - फार्म
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,कई कर्मचारियों के लिए मार्क उपस्थिति
@@ -3448,16 +3475,16 @@
DocType: Budget Account,Budget Amount,कुल बज़ट
DocType: Appraisal Template,Appraisal Template Title,मूल्यांकन टेम्पलेट शीर्षक
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},दिनांक से {0} {1} के लिए कर्मचारी से पहले कर्मचारी के शामिल होने की तारीख नहीं किया जा सकता {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,वाणिज्यिक
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,वाणिज्यिक
DocType: Payment Entry,Account Paid To,खाते में भुगतान
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,मूल आइटम {0} एक शेयर मद नहीं होना चाहिए
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,सभी उत्पादों या सेवाओं.
DocType: Expense Claim,More Details,अधिक जानकारी
DocType: Supplier Quotation,Supplier Address,प्रदायक पता
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} खाते के लिए बजट {1} के खिलाफ {2} {3} है {4}। यह द्वारा अधिक होगा {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',पंक्ति {0} # खाता प्रकार का होना चाहिए 'फिक्स्ड एसेट'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,मात्रा बाहर
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,एक बिक्री के लिए शिपिंग राशि की गणना करने के नियम
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',पंक्ति {0} # खाता प्रकार का होना चाहिए 'फिक्स्ड एसेट'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,मात्रा बाहर
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,एक बिक्री के लिए शिपिंग राशि की गणना करने के नियम
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,सीरीज अनिवार्य है
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,वित्तीय सेवाएँ
DocType: Student Sibling,Student ID,छात्र आईडी
@@ -3465,13 +3492,13 @@
DocType: Tax Rule,Sales,विक्रय
DocType: Stock Entry Detail,Basic Amount,मूल राशि
DocType: Training Event,Exam,परीक्षा
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},शेयर मद के लिए आवश्यक वेयरहाउस {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},शेयर मद के लिए आवश्यक वेयरहाउस {0}
DocType: Leave Allocation,Unused leaves,अप्रयुक्त पत्ते
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,सीआर
DocType: Tax Rule,Billing State,बिलिंग राज्य
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,हस्तांतरण
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} पार्टी खाते से संबद्ध नहीं है {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),( उप असेंबलियों सहित) विस्फोट बीओएम लायें
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} पार्टी खाते से संबद्ध नहीं है {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),( उप असेंबलियों सहित) विस्फोट बीओएम लायें
DocType: Authorization Rule,Applicable To (Employee),के लिए लागू (कर्मचारी)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,नियत तिथि अनिवार्य है
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,गुण के लिए वेतन वृद्धि {0} 0 नहीं किया जा सकता
@@ -3499,7 +3526,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,कच्चे माल के मद कोड
DocType: Journal Entry,Write Off Based On,के आधार पर बंद लिखने के लिए
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,लीड बनाओ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,प्रिंट और स्टेशनरी
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,प्रिंट और स्टेशनरी
DocType: Stock Settings,Show Barcode Field,शो बारकोड फील्ड
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,प्रदायक ईमेल भेजें
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","वेतन पहले ही बीच {0} और {1}, आवेदन की अवधि छोड़ दो इस तिथि सीमा के बीच नहीं हो सकता है अवधि के लिए कार्रवाई की।"
@@ -3507,13 +3534,15 @@
DocType: Guardian Interest,Guardian Interest,गार्जियन ब्याज
apps/erpnext/erpnext/config/hr.py +177,Training,प्रशिक्षण
DocType: Timesheet,Employee Detail,कर्मचारी विस्तार
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,गार्डियन 1 ईमेल आईडी
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,गार्डियन 1 ईमेल आईडी
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,अगली तारीख के दिन और महीने के दिवस पर दोहराएँ बराबर होना चाहिए
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,वेबसाइट मुखपृष्ठ के लिए सेटिंग
DocType: Offer Letter,Awaiting Response,प्रतिक्रिया की प्रतीक्षा
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,ऊपर
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,ऊपर
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},अमान्य विशेषता {0} {1}
DocType: Supplier,Mention if non-standard payable account,यदि मानक मानक देय खाता है तो उल्लेख करें
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},एक ही बार कई बार दर्ज किया गया है। {सूची}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',कृपया 'सभी मूल्यांकन समूह' के अलावा अन्य मूल्यांकन समूह का चयन करें
DocType: Salary Slip,Earning & Deduction,अर्जन कटौती
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,वैकल्पिक . यह सेटिंग विभिन्न लेनदेन में फिल्टर करने के लिए इस्तेमाल किया जाएगा .
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,नकारात्मक मूल्यांकन दर की अनुमति नहीं है
@@ -3527,9 +3556,9 @@
DocType: Sales Invoice,Product Bundle Help,उत्पाद बंडल सहायता
,Monthly Attendance Sheet,मासिक उपस्थिति पत्रक
DocType: Production Order Item,Production Order Item,उत्पादन आदेश आइटम
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,कोई रिकॉर्ड पाया
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,कोई रिकॉर्ड पाया
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,खत्म कर दिया संपत्ति की लागत
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: आइटम के लिए लागत केंद्र अनिवार्य है {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: आइटम के लिए लागत केंद्र अनिवार्य है {2}
DocType: Vehicle,Policy No,पॉलिसी संख्या
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,उत्पाद बंडल से आइटम प्राप्त
DocType: Asset,Straight Line,सीधी रेखा
@@ -3537,7 +3566,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,विभाजित करें
DocType: GL Entry,Is Advance,अग्रिम है
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,तिथि करने के लिए तिथि और उपस्थिति से उपस्थिति अनिवार्य है
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,डालें हाँ या नहीं के रूप में ' subcontracted है '
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,डालें हाँ या नहीं के रूप में ' subcontracted है '
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,अंतिम संचार दिनांक
DocType: Sales Team,Contact No.,सं संपर्क
DocType: Bank Reconciliation,Payment Entries,भुगतान प्रविष्टियां
@@ -3563,60 +3592,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,उद्घाटन मूल्य
DocType: Salary Detail,Formula,सूत्र
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,सीरियल #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,बिक्री पर कमीशन
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,बिक्री पर कमीशन
DocType: Offer Letter Term,Value / Description,मूल्य / विवरण
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","पंक्ति # {0}: संपत्ति {1} प्रस्तुत नहीं किया जा सकता है, यह पहले से ही है {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","पंक्ति # {0}: संपत्ति {1} प्रस्तुत नहीं किया जा सकता है, यह पहले से ही है {2}"
DocType: Tax Rule,Billing Country,बिलिंग देश
DocType: Purchase Order Item,Expected Delivery Date,उम्मीद डिलीवरी की तारीख
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,डेबिट और क्रेडिट {0} # के लिए बराबर नहीं {1}। अंतर यह है {2}।
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,मनोरंजन खर्च
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,सामग्री अनुरोध करें
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,मनोरंजन खर्च
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,सामग्री अनुरोध करें
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},खुले आइटम {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,बिक्री चालान {0} इस बिक्री आदेश रद्द करने से पहले रद्द कर दिया जाना चाहिए
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,आयु
DocType: Sales Invoice Timesheet,Billing Amount,बिलिंग राशि
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,आइटम के लिए निर्दिष्ट अमान्य मात्रा {0} . मात्रा 0 से अधिक होना चाहिए .
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,छुट्टी के लिए आवेदन.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,मौजूदा लेन - देन के साथ खाता हटाया नहीं जा सकता
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,मौजूदा लेन - देन के साथ खाता हटाया नहीं जा सकता
DocType: Vehicle,Last Carbon Check,अंतिम कार्बन चेक
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,विधि व्यय
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,विधि व्यय
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,कृपया पंक्ति पर मात्रा का चयन करें
DocType: Purchase Invoice,Posting Time,बार पोस्टिंग
DocType: Timesheet,% Amount Billed,% बिल की राशि
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,टेलीफोन व्यय
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,टेलीफोन व्यय
DocType: Sales Partner,Logo,लोगो
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,यह जाँच लें कि आप उपयोगकर्ता बचत से पहले एक श्रृंखला का चयन करने के लिए मजबूर करना चाहते हैं. कोई डिफ़ॉल्ट हो सकता है अगर आप इस जाँच करेगा.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},धारावाहिक नहीं के साथ कोई आइटम {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},धारावाहिक नहीं के साथ कोई आइटम {0}
DocType: Email Digest,Open Notifications,ओपन सूचनाएं
DocType: Payment Entry,Difference Amount (Company Currency),अंतर राशि (कंपनी मुद्रा)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,प्रत्यक्ष खर्च
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,प्रत्यक्ष खर्च
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} 'अधिसूचना \ ईमेल एड्रेस' में कोई अमान्य ईमेल पता है
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,नया ग्राहक राजस्व
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,यात्रा व्यय
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,यात्रा व्यय
DocType: Maintenance Visit,Breakdown,भंग
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,खाता: {0} मुद्रा के साथ: {1} चयनित नहीं किया जा सकता
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,खाता: {0} मुद्रा के साथ: {1} चयनित नहीं किया जा सकता
DocType: Bank Reconciliation Detail,Cheque Date,चेक तिथि
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},खाते {0}: माता पिता के खाते {1} कंपनी से संबंधित नहीं है: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},खाते {0}: माता पिता के खाते {1} कंपनी से संबंधित नहीं है: {2}
DocType: Program Enrollment Tool,Student Applicants,छात्र आवेदकों
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,सफलतापूर्वक इस कंपनी से संबंधित सभी लेन-देन को नष्ट कर दिया!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,सफलतापूर्वक इस कंपनी से संबंधित सभी लेन-देन को नष्ट कर दिया!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,आज की तारीख में
DocType: Appraisal,HR,मानव संसाधन
DocType: Program Enrollment,Enrollment Date,नामांकन तिथि
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,परिवीक्षा
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,परिवीक्षा
apps/erpnext/erpnext/config/hr.py +115,Salary Components,वेतन अवयव
DocType: Program Enrollment Tool,New Academic Year,नए शैक्षणिक वर्ष
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,वापसी / क्रेडिट नोट
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,वापसी / क्रेडिट नोट
DocType: Stock Settings,Auto insert Price List rate if missing,ऑटो डालने मूल्य सूची दर लापता यदि
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,कुल भुगतान की गई राशि
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,कुल भुगतान की गई राशि
DocType: Production Order Item,Transferred Qty,मात्रा तबादला
apps/erpnext/erpnext/config/learn.py +11,Navigating,नेविगेट
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,आयोजन
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,जारी किया गया
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,आयोजन
+DocType: Material Request,Issued,जारी किया गया
DocType: Project,Total Billing Amount (via Time Logs),कुल बिलिंग राशि (टाइम लॉग्स के माध्यम से)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,हम इस आइटम बेचने
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,आपूर्तिकर्ता आईडी
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,हम इस आइटम बेचने
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,आपूर्तिकर्ता आईडी
DocType: Payment Request,Payment Gateway Details,भुगतान गेटवे विवरण
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,मात्रा 0 से अधिक होना चाहिए
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,मात्रा 0 से अधिक होना चाहिए
DocType: Journal Entry,Cash Entry,कैश एंट्री
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,बच्चे नोड्स केवल 'समूह' प्रकार नोड्स के तहत बनाया जा सकता है
DocType: Leave Application,Half Day Date,आधा दिन की तारीख
@@ -3628,14 +3658,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},में व्यय दावा प्रकार डिफ़ॉल्ट खाता सेट करें {0}
DocType: Assessment Result,Student Name,छात्र का नाम
DocType: Brand,Item Manager,आइटम प्रबंधक
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,पेरोल देय
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,पेरोल देय
DocType: Buying Settings,Default Supplier Type,डिफ़ॉल्ट प्रदायक प्रकार
DocType: Production Order,Total Operating Cost,कुल परिचालन लागत
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,नोट : आइटम {0} कई बार प्रवेश किया
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,सभी संपर्क.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,कंपनी संक्षिप्त
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,कंपनी संक्षिप्त
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,प्रयोक्ता {0} मौजूद नहीं है
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,कच्चे माल के मुख्य मद के रूप में ही नहीं हो सकता
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,कच्चे माल के मुख्य मद के रूप में ही नहीं हो सकता
DocType: Item Attribute Value,Abbreviation,संक्षिप्त
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,भुगतान प्रविष्टि पहले से मौजूद
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} सीमा से अधिक के बाद से Authroized नहीं
@@ -3644,49 +3674,49 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,शॉपिंग कार्ट के लिए सेट कर नियम
DocType: Purchase Invoice,Taxes and Charges Added,कर और शुल्क जोड़ा
,Sales Funnel,बिक्री कीप
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,संक्षिप्त अनिवार्य है
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,संक्षिप्त अनिवार्य है
DocType: Project,Task Progress,कार्य प्रगति
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,गाड़ी
,Qty to Transfer,स्थानांतरण करने के लिए मात्रा
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,सुराग या ग्राहक के लिए उद्धरण.
DocType: Stock Settings,Role Allowed to edit frozen stock,जमे हुए शेयर संपादित करने के लिए रख सकते है भूमिका
,Territory Target Variance Item Group-Wise,क्षेत्र को लक्षित विचरण मद समूहवार
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,सभी ग्राहक समूहों
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,सभी ग्राहक समूहों
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,संचित मासिक
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} अनिवार्य है. हो सकता है कि विनिमय दर रिकॉर्ड {2} को {1} के लिए नहीं बनाई गई है.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} अनिवार्य है. हो सकता है कि विनिमय दर रिकॉर्ड {2} को {1} के लिए नहीं बनाई गई है.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,टैक्स खाका अनिवार्य है।
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,खाते {0}: माता पिता के खाते {1} मौजूद नहीं है
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,खाते {0}: माता पिता के खाते {1} मौजूद नहीं है
DocType: Purchase Invoice Item,Price List Rate (Company Currency),मूल्य सूची दर (कंपनी मुद्रा)
DocType: Products Settings,Products Settings,उत्पाद सेटिंग
DocType: Account,Temporary,अस्थायी
DocType: Program,Courses,पाठ्यक्रम
DocType: Monthly Distribution Percentage,Percentage Allocation,प्रतिशत आवंटन
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,सचिव
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,सचिव
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","अक्षम करते हैं, क्षेत्र 'शब्दों में' किसी भी सौदे में दिखाई नहीं होगा"
DocType: Serial No,Distinct unit of an Item,एक आइटम की अलग इकाई
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,कृपया कंपनी सेट करें
DocType: Pricing Rule,Buying,क्रय
DocType: HR Settings,Employee Records to be created by,कर्मचारी रिकॉर्ड्स द्वारा पैदा किए जाने की
DocType: POS Profile,Apply Discount On,डिस्काउंट पर लागू होते हैं
,Reqd By Date,तिथि reqd
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,लेनदारों
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,लेनदारों
DocType: Assessment Plan,Assessment Name,आकलन नाम
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,पंक्ति # {0}: सीरियल नहीं अनिवार्य है
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,मद वार कर विस्तार से
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,संस्थान संक्षिप्त
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,संस्थान संक्षिप्त
,Item-wise Price List Rate,मद वार मूल्य सूची दर
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,प्रदायक कोटेशन
DocType: Quotation,In Words will be visible once you save the Quotation.,शब्दों में दिखाई हो सकता है एक बार आप उद्धरण बचाने के लिए होगा.
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},मात्रा ({0}) पंक्ति {1} में अंश नहीं हो सकता
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,फीस जमा
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},बारकोड {0} पहले से ही मद में इस्तेमाल {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},बारकोड {0} पहले से ही मद में इस्तेमाल {1}
DocType: Lead,Add to calendar on this date,इस तिथि पर कैलेंडर में जोड़ें
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,शिपिंग लागत को जोड़ने के लिए नियम.
DocType: Item,Opening Stock,आरंभिक स्टॉक
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,ग्राहक की आवश्यकता है
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} वापसी के लिए अनिवार्य है
DocType: Purchase Order,To Receive,प्राप्त करने के लिए
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,व्यक्तिगत ईमेल
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,कुल विचरण
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","यदि सक्रिय है, प्रणाली स्वतः सूची के लिए लेखांकन प्रविष्टियों के बाद होगा."
@@ -3698,13 +3728,14 @@
DocType: Customer,From Lead,लीड से
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,उत्पादन के लिए आदेश जारी किया.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,वित्तीय वर्ष का चयन करें ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,पीओएस प्रोफ़ाइल पीओएस एंट्री बनाने के लिए आवश्यक
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,पीओएस प्रोफ़ाइल पीओएस एंट्री बनाने के लिए आवश्यक
DocType: Program Enrollment Tool,Enroll Students,छात्रों को भर्ती
DocType: Hub Settings,Name Token,नाम टोकन
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,मानक बेच
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,कम से कम एक गोदाम अनिवार्य है
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,कम से कम एक गोदाम अनिवार्य है
DocType: Serial No,Out of Warranty,वारंटी के बाहर
DocType: BOM Replace Tool,Replace,बदलें
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,कोई उत्पाद नहीं मिला
DocType: Production Order,Unstopped,भी खोले
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} बिक्री चालान के खिलाफ {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3715,13 +3746,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,स्टॉक मूल्य अंतर
apps/erpnext/erpnext/config/learn.py +234,Human Resource,मानव संसाधन
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,भुगतान सुलह भुगतान
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,कर संपत्ति
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,कर संपत्ति
DocType: BOM Item,BOM No,नहीं बीओएम
DocType: Instructor,INS/,आईएनएस /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,जर्नल प्रविष्टि {0} {1} या पहले से ही अन्य वाउचर के खिलाफ मिलान खाता नहीं है
DocType: Item,Moving Average,चलायमान औसत
DocType: BOM Replace Tool,The BOM which will be replaced,बीओएम जो प्रतिस्थापित किया जाएगा
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,इलेक्ट्रॉनिक उपकरणों
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,इलेक्ट्रॉनिक उपकरणों
DocType: Account,Debit,नामे
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,पत्तियां 0.5 के गुणकों में आवंटित किया जाना चाहिए
DocType: Production Order,Operation Cost,संचालन लागत
@@ -3729,14 +3760,14 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,बकाया राशि
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,सेट आइटम इस बिक्री व्यक्ति के लिए समूह - वार लक्ष्य.
DocType: Stock Settings,Freeze Stocks Older Than [Days],रुक स्टॉक से अधिक उम्र [ दिन]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,पंक्ति # {0}: संपत्ति निश्चित संपत्ति खरीद / बिक्री के लिए अनिवार्य है
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,पंक्ति # {0}: संपत्ति निश्चित संपत्ति खरीद / बिक्री के लिए अनिवार्य है
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","दो या दो से अधिक मूल्य निर्धारण नियमों उपरोक्त शर्तों के आधार पर पाए जाते हैं, प्राथमिकता लागू किया जाता है। डिफ़ॉल्ट मान शून्य (रिक्त) है, जबकि प्राथमिकता 0-20 के बीच एक नंबर है। अधिक संख्या में एक ही शर्तों के साथ एकाधिक मूल्य निर्धारण नियम हैं अगर यह पूर्वता ले जाएगा मतलब है।"
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,वित्तीय वर्ष: {0} करता नहीं मौजूद है
DocType: Currency Exchange,To Currency,मुद्रा के लिए
DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,निम्नलिखित उपयोगकर्ता ब्लॉक दिनों के लिए छोड़ एप्लीकेशन को स्वीकृत करने की अनुमति दें.
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,व्यय दावा के प्रकार.
DocType: Item,Taxes,कर
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,भुगतान किया है और वितरित नहीं
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,भुगतान किया है और वितरित नहीं
DocType: Project,Default Cost Center,डिफ़ॉल्ट लागत केंद्र
DocType: Bank Guarantee,End Date,समाप्ति तिथि
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,शेयर लेनदेन
@@ -3761,24 +3792,22 @@
DocType: Employee,Held On,पर Held
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,उत्पादन आइटम
,Employee Information,कर्मचारी जानकारी
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),दर (% )
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),दर (% )
DocType: Stock Entry Detail,Additional Cost,अतिरिक्त लागत
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,वित्तीय वर्ष की समाप्ति तिथि
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","वाउचर के आधार पर फ़िल्टर नहीं कर सकते नहीं, वाउचर के आधार पर समूहीकृत अगर"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,प्रदायक कोटेशन बनाओ
DocType: Quality Inspection,Incoming,आवक
DocType: BOM,Materials Required (Exploded),माल आवश्यक (विस्फोट)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","खुद के अलावा अन्य, अपने संगठन के लिए उपयोगकर्ताओं को जोड़ें"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,पोस्ट दिनांक भविष्य की तारीख नहीं किया जा सकता
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},पंक्ति # {0}: सीरियल नहीं {1} के साथ मेल नहीं खाता {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,आकस्मिक छुट्टी
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,आकस्मिक छुट्टी
DocType: Batch,Batch ID,बैच आईडी
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},नोट : {0}
,Delivery Note Trends,डिलिवरी नोट रुझान
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,इस सप्ताह की सारांश
-,In Stock Qty,शेयर मात्रा में
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,शेयर मात्रा में
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,खाता: {0} केवल शेयर लेनदेन के माध्यम से अद्यतन किया जा सकता है
-DocType: Program Enrollment,Get Courses,पाठ्यक्रम जाओ
+DocType: Student Group Creation Tool,Get Courses,पाठ्यक्रम जाओ
DocType: GL Entry,Party,पार्टी
DocType: Sales Order,Delivery Date,प्रसव की तारीख
DocType: Opportunity,Opportunity Date,अवसर तिथि
@@ -3786,14 +3815,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,कोटेशन मद के लिए अनुरोध
DocType: Purchase Order,To Bill,बिल
DocType: Material Request,% Ordered,% का आदेश दिया
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","कोर्स आधारित छात्र समूह के लिए, पाठ्यक्रम नामांकन कार्यक्रमों में प्रत्येक छात्र के लिए कार्यक्रम नामांकन में मान्य किया जाएगा।"
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","ई-मेल पता दर्ज अल्पविराम के द्वारा अलग, चालान विशेष तिथि पर स्वचालित रूप से भेज दिया जाएगा"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,ठेका
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,ठेका
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,औसत। क्रय दर
DocType: Task,Actual Time (in Hours),(घंटे में) वास्तविक समय
DocType: Employee,History In Company,कंपनी में इतिहास
apps/erpnext/erpnext/config/learn.py +107,Newsletters,समाचारपत्रिकाएँ
DocType: Stock Ledger Entry,Stock Ledger Entry,स्टॉक खाता प्रविष्टि
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ग्राहक> ग्राहक समूह> क्षेत्र
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,एक ही आइटम कई बार दर्ज किया गया है
DocType: Department,Leave Block List,ब्लॉक सूची छोड़ दो
DocType: Sales Invoice,Tax ID,टैक्स आईडी
@@ -3808,30 +3837,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} की इकाइयों {1} {2} इस सौदे को पूरा करने के लिए की जरूरत है।
DocType: Loan Type,Rate of Interest (%) Yearly,ब्याज दर (%) वार्षिक
DocType: SMS Settings,SMS Settings,एसएमएस सेटिंग्स
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,अस्थाई लेखा
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,काली
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,अस्थाई लेखा
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,काली
DocType: BOM Explosion Item,BOM Explosion Item,बीओएम धमाका आइटम
DocType: Account,Auditor,आडिटर
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} उत्पादित वस्तुओं
DocType: Cheque Print Template,Distance from top edge,ऊपरी किनारे से दूरी
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,मूल्य सूची {0} अक्षम है या मौजूद नहीं है
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,मूल्य सूची {0} अक्षम है या मौजूद नहीं है
DocType: Purchase Invoice,Return,वापसी
DocType: Production Order Operation,Production Order Operation,उत्पादन का आदेश ऑपरेशन
DocType: Pricing Rule,Disable,असमर्थ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,भुगतान की विधि भुगतान करने के लिए आवश्यक है
DocType: Project Task,Pending Review,समीक्षा के लिए लंबित
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} बैच में नामांकित नहीं है {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","एसेट {0}, खत्म कर दिया नहीं जा सकता क्योंकि यह पहले से ही है {1}"
DocType: Task,Total Expense Claim (via Expense Claim),(व्यय दावा) के माध्यम से कुल खर्च का दावा
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,ग्राहक आईडी
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,मार्क अनुपस्थित
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},पंक्ति {0}: बीओएम # की मुद्रा {1} चयनित मुद्रा के बराबर होना चाहिए {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},पंक्ति {0}: बीओएम # की मुद्रा {1} चयनित मुद्रा के बराबर होना चाहिए {2}
DocType: Journal Entry Account,Exchange Rate,विनिमय दर
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,बिक्री आदेश {0} प्रस्तुत नहीं किया गया है
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,बिक्री आदेश {0} प्रस्तुत नहीं किया गया है
DocType: Homepage,Tag Line,टैग लाइन
DocType: Fee Component,Fee Component,शुल्क घटक
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,बेड़े प्रबंधन
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,से आइटम जोड़ें
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},वेयरहाउस {0}: माता पिता के खाते {1} कंपनी को Bolong नहीं है {2}
DocType: Cheque Print Template,Regular,नियमित
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,सभी मूल्यांकन मापदंड के कुल वेटेज 100% होना चाहिए
DocType: BOM,Last Purchase Rate,पिछले खरीद दर
@@ -3840,11 +3868,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,आइटम के लिए मौजूद नहीं कर सकते स्टॉक {0} के बाद से वेरिएंट है
,Sales Person-wise Transaction Summary,बिक्री व्यक्ति के लिहाज गतिविधि सारांश
DocType: Training Event,Contact Number,संपर्क संख्या
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,वेयरहाउस {0} मौजूद नहीं है
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,वेयरहाउस {0} मौजूद नहीं है
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,ERPNext हब के लिए रजिस्टर
DocType: Monthly Distribution,Monthly Distribution Percentages,मासिक वितरण प्रतिशत
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,चयनित आइटम बैच नहीं हो सकता
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","मूल्यांकन दर मद {0}, जिसके लिए लेखांकन प्रविष्टियों करने के लिए आवश्यक है के लिए नहीं मिला {1} {2}। मद में एक नमूना आइटम के रूप में लेनदेन किया जाता है तो {1}, कि {1} मद तालिका में उल्लेख करें। अन्यथा, कृपया मद रिकॉर्ड में आइटम या उल्लेख मूल्यांकन दर के लिए एक इनकमिंग शेयर लेनदेन बनाने के लिए, और फिर / submiting कोशिश इस प्रविष्टि को रद्द"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","मूल्यांकन दर मद {0}, जिसके लिए लेखांकन प्रविष्टियों करने के लिए आवश्यक है के लिए नहीं मिला {1} {2}। मद में एक नमूना आइटम के रूप में लेनदेन किया जाता है तो {1}, कि {1} मद तालिका में उल्लेख करें। अन्यथा, कृपया मद रिकॉर्ड में आइटम या उल्लेख मूल्यांकन दर के लिए एक इनकमिंग शेयर लेनदेन बनाने के लिए, और फिर / submiting कोशिश इस प्रविष्टि को रद्द"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% सामग्री को इस डिलिवरी नोट के सहारे सुपुर्द किया गया है
DocType: Project,Customer Details,ग्राहक विवरण
DocType: Employee,Reports to,करने के लिए रिपोर्ट
@@ -3852,41 +3880,43 @@
DocType: SMS Settings,Enter url parameter for receiver nos,रिसीवर ओपन स्कूल के लिए url पैरामीटर दर्ज करें
DocType: Payment Entry,Paid Amount,राशि भुगतान
DocType: Assessment Plan,Supervisor,पर्यवेक्षक
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,ऑनलाइन
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,ऑनलाइन
,Available Stock for Packing Items,आइटम पैकिंग के लिए उपलब्ध स्टॉक
DocType: Item Variant,Item Variant,आइटम संस्करण
DocType: Assessment Result Tool,Assessment Result Tool,आकलन के परिणाम उपकरण
DocType: BOM Scrap Item,BOM Scrap Item,बीओएम स्क्रैप मद
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,प्रस्तुत किए गए आदेशों हटाया नहीं जा सकता
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","खाते की शेष राशि पहले से ही डेबिट में है, कृपया आप शेष राशि को क्रेडिट के रूप में ही रखें"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,गुणवत्ता प्रबंधन
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,प्रस्तुत किए गए आदेशों हटाया नहीं जा सकता
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","खाते की शेष राशि पहले से ही डेबिट में है, कृपया आप शेष राशि को क्रेडिट के रूप में ही रखें"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,गुणवत्ता प्रबंधन
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,मद {0} अक्षम किया गया है
DocType: Employee Loan,Repay Fixed Amount per Period,चुकाने अवधि के प्रति निश्चित राशि
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},आइटम के लिए मात्रा दर्ज करें {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,क्रेडिट नोट एएमटी
DocType: Employee External Work History,Employee External Work History,कर्मचारी बाहरी काम इतिहास
DocType: Tax Rule,Purchase,क्रय
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,शेष मात्रा
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,शेष मात्रा
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,लक्ष्य खाली नहीं हो सकता
DocType: Item Group,Parent Item Group,माता - पिता आइटम समूह
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} के लिए {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,लागत केन्द्रों
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,लागत केन्द्रों
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,दर जिस पर आपूर्तिकर्ता मुद्रा कंपनी के बेस मुद्रा में परिवर्तित किया जाता है
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},पंक्ति # {0}: पंक्ति के साथ स्थिति संघर्षों {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,शून्य मूल्यांकन दर को अनुमति दें
DocType: Training Event Employee,Invited,आमंत्रित
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,एकाधिक सक्रिय वेतन का ढांचा दी गई तारीखों के लिए कर्मचारी {0} के लिए मिला
DocType: Opportunity,Next Contact,अगले संपर्क
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,सेटअप गेटवे खातों।
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,सेटअप गेटवे खातों।
DocType: Employee,Employment Type,रोजगार के प्रकार
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,स्थायी संपत्तियाँ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,स्थायी संपत्तियाँ
DocType: Payment Entry,Set Exchange Gain / Loss,सेट मुद्रा लाभ / हानि
+,GST Purchase Register,जीएसटी खरीद रजिस्टर
,Cash Flow,नकदी प्रवाह
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,आवेदन की अवधि दो alocation अभिलेखों के पार नहीं किया जा सकता
DocType: Item Group,Default Expense Account,डिफ़ॉल्ट व्यय खाते
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,छात्र ईमेल आईडी
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,छात्र ईमेल आईडी
DocType: Employee,Notice (days),सूचना (दिन)
DocType: Tax Rule,Sales Tax Template,सेल्स टैक्स खाका
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,चालान बचाने के लिए आइटम का चयन करें
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,चालान बचाने के लिए आइटम का चयन करें
DocType: Employee,Encashment Date,नकदीकरण तिथि
DocType: Training Event,Internet,इंटरनेट
DocType: Account,Stock Adjustment,शेयर समायोजन
@@ -3914,7 +3944,7 @@
DocType: Guardian,Guardian Of ,के गार्जियन
DocType: Grading Scale Interval,Threshold,डेवढ़ी
DocType: BOM Replace Tool,Current BOM,वर्तमान बीओएम
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,धारावाहिक नहीं जोड़ें
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,धारावाहिक नहीं जोड़ें
apps/erpnext/erpnext/config/support.py +22,Warranty,गारंटी
DocType: Purchase Invoice,Debit Note Issued,डेबिट नोट जारी
DocType: Production Order,Warehouses,गोदामों
@@ -3923,20 +3953,20 @@
DocType: Workstation,per hour,प्रति घंटा
apps/erpnext/erpnext/config/buying.py +7,Purchasing,क्रय
DocType: Announcement,Announcement,घोषणा
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,गोदाम ( सदा सूची ) के लिए खाते में इस खाते के तहत बनाया जाएगा .
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,शेयर खाता प्रविष्टि इस गोदाम के लिए मौजूद वेयरहाउस हटाया नहीं जा सकता .
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","बैच आधारित छात्र समूह के लिए, छात्र बैच को कार्यक्रम नामांकन से प्रत्येक छात्र के लिए मान्य किया जाएगा।"
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,शेयर खाता प्रविष्टि इस गोदाम के लिए मौजूद वेयरहाउस हटाया नहीं जा सकता .
DocType: Company,Distribution,वितरण
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,राशि का भुगतान
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,परियोजना प्रबंधक
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,परियोजना प्रबंधक
,Quoted Item Comparison,उद्धरित मद तुलना
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,प्रेषण
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,अधिकतम छूट मद के लिए अनुमति दी: {0} {1}% है
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,प्रेषण
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,अधिकतम छूट मद के लिए अनुमति दी: {0} {1}% है
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,शुद्ध परिसंपत्ति मूल्य के रूप में
DocType: Account,Receivable,प्राप्य
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,पंक्ति # {0}: खरीद आदेश पहले से मौजूद है के रूप में आपूर्तिकर्ता बदलने की अनुमति नहीं
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,पंक्ति # {0}: खरीद आदेश पहले से मौजूद है के रूप में आपूर्तिकर्ता बदलने की अनुमति नहीं
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,निर्धारित ऋण सीमा से अधिक लेनदेन है कि प्रस्तुत करने की अनुमति दी है कि भूमिका.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,निर्माण करने के लिए आइटम का चयन करें
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","मास्टर डेटा सिंक्रनाइज़, यह कुछ समय लग सकता है"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,निर्माण करने के लिए आइटम का चयन करें
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","मास्टर डेटा सिंक्रनाइज़, यह कुछ समय लग सकता है"
DocType: Item,Material Issue,महत्त्वपूर्ण विषय
DocType: Hub Settings,Seller Description,विक्रेता विवरण
DocType: Employee Education,Qualification,योग्यता
@@ -3956,7 +3986,6 @@
DocType: BOM,Rate Of Materials Based On,सामग्री के आधार पर दर
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,समर्थन Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,सब को अचयनित करें
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},कंपनी के गोदामों में याद आ रही है {0}
DocType: POS Profile,Terms and Conditions,नियम और शर्तें
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},तिथि वित्तीय वर्ष के भीतर होना चाहिए. तिथि करने के लिए मान लिया जाये = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","यहाँ आप ऊंचाई, वजन, एलर्जी, चिकित्सा चिंताओं आदि बनाए रख सकते हैं"
@@ -3971,18 +4000,17 @@
DocType: Sales Order Item,For Production,उत्पादन के लिए
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,देखें टास्क
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,आपकी वित्तीय वर्ष को शुरू होता है
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / लीड%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,एसेट depreciations और शेष
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},राशि {0} {1} से स्थानांतरित {2} को {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},राशि {0} {1} से स्थानांतरित {2} को {3}
DocType: Sales Invoice,Get Advances Received,अग्रिम प्राप्त
DocType: Email Digest,Add/Remove Recipients,प्राप्तकर्ता जोड़ें / निकालें
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},लेन - देन बंद कर दिया प्रोडक्शन आदेश के खिलाफ अनुमति नहीं {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},लेन - देन बंद कर दिया प्रोडक्शन आदेश के खिलाफ अनुमति नहीं {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","डिफ़ॉल्ट रूप में इस वित्तीय वर्ष में सेट करने के लिए , 'मूलभूत रूप में सेट करें ' पर क्लिक करें"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,जुडें
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,जुडें
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,कमी मात्रा
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,मद संस्करण {0} एक ही गुण के साथ मौजूद है
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,मद संस्करण {0} एक ही गुण के साथ मौजूद है
DocType: Employee Loan,Repay from Salary,वेतन से बदला
DocType: Leave Application,LAP/,गोद /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},के खिलाफ भुगतान का अनुरोध {0} {1} राशि के लिए {2}
@@ -3993,34 +4021,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","संकुल वितरित किए जाने के लिए निकल जाता है पैकिंग उत्पन्न करता है। पैकेज संख्या, पैकेज सामग्री और अपने वजन को सूचित किया।"
DocType: Sales Invoice Item,Sales Order Item,बिक्री आदेश आइटम
DocType: Salary Slip,Payment Days,भुगतान दिन
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,बच्चे नोड्स के साथ गोदामों खाता बही में परिवर्तित नहीं किया जा सकता
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,बच्चे नोड्स के साथ गोदामों खाता बही में परिवर्तित नहीं किया जा सकता
DocType: BOM,Manage cost of operations,संचालन की लागत का प्रबंधन
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.",", एक चेक किए गए लेनदेन के किसी भी "प्रस्तुत कर रहे हैं" पॉप - अप ईमेल स्वचालित रूप से जुड़े है कि सौदे में "संपर्क" के लिए एक ईमेल भेजने के लिए, एक अनुलग्नक के रूप में लेन - देन के साथ खोला. उपयोगकर्ता या ईमेल भेजने के लिए नहीं हो सकता."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,वैश्विक सेटिंग्स
DocType: Assessment Result Detail,Assessment Result Detail,आकलन के परिणाम विस्तार
DocType: Employee Education,Employee Education,कर्मचारी शिक्षा
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,डुप्लिकेट आइटम समूह मद समूह तालिका में पाया
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,यह आइटम विवरण लाने की जरूरत है।
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,यह आइटम विवरण लाने की जरूरत है।
DocType: Salary Slip,Net Pay,शुद्ध वेतन
DocType: Account,Account,खाता
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,धारावाहिक नहीं {0} पहले से ही प्राप्त हो गया है
,Requested Items To Be Transferred,हस्तांतरित करने का अनुरोध आइटम
DocType: Expense Claim,Vehicle Log,वाहन लॉग
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","गोदाम {0} किसी भी खाते से जुड़ा हुआ नहीं है, कृपया / गोदाम के लिए इसी (एसेट) खाते लिंक बनाएँ।"
DocType: Purchase Invoice,Recurring Id,आवर्ती आईडी
DocType: Customer,Sales Team Details,बिक्री टीम विवरण
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,स्थायी रूप से हटाना चाहते हैं?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,स्थायी रूप से हटाना चाहते हैं?
DocType: Expense Claim,Total Claimed Amount,कुल दावा किया राशि
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,बेचने के लिए संभावित अवसरों.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},अमान्य {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,बीमारी छुट्टी
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},अमान्य {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,बीमारी छुट्टी
DocType: Email Digest,Email Digest,ईमेल डाइजेस्ट
DocType: Delivery Note,Billing Address Name,बिलिंग पता नाम
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,विभाग के स्टोर
DocType: Warehouse,PIN,पिन
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,सेटअप ERPNext में अपने स्कूल
DocType: Sales Invoice,Base Change Amount (Company Currency),बेस परिवर्तन राशि (कंपनी मुद्रा)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,निम्नलिखित गोदामों के लिए कोई लेखा प्रविष्टियों
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,निम्नलिखित गोदामों के लिए कोई लेखा प्रविष्टियों
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,पहले दस्तावेज़ को सहेजें।
DocType: Account,Chargeable,प्रभार्य
DocType: Company,Change Abbreviation,बदले संक्षिप्त
@@ -4038,7 +4065,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,उम्मीद की डिलीवरी तिथि खरीद आदेश तिथि से पहले नहीं हो सकता
DocType: Appraisal,Appraisal Template,मूल्यांकन टेम्पलेट
DocType: Item Group,Item Classification,आइटम वर्गीकरण
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,व्यापार विकास प्रबंधक
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,व्यापार विकास प्रबंधक
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,रखरखाव भेंट प्रयोजन
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,अवधि
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,सामान्य खाता
@@ -4048,8 +4075,8 @@
DocType: Item Attribute Value,Attribute Value,मान बताइए
,Itemwise Recommended Reorder Level,Itemwise पुनःक्रमित स्तर की सिफारिश की
DocType: Salary Detail,Salary Detail,वेतन विस्तार
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,पहला {0} का चयन करें
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,आइटम के बैच {0} {1} समाप्त हो गया है।
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,पहला {0} का चयन करें
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,आइटम के बैच {0} {1} समाप्त हो गया है।
DocType: Sales Invoice,Commission,आयोग
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,विनिर्माण के लिए समय पत्रक।
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,आधा
@@ -4060,6 +4087,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,` से अधिक उम्र रुक स्टॉक `% d दिनों से कम होना चाहिए .
DocType: Tax Rule,Purchase Tax Template,टैक्स टेम्पलेट खरीद
,Project wise Stock Tracking,परियोजना वार शेयर ट्रैकिंग
+DocType: GST HSN Code,Regional,क्षेत्रीय
DocType: Stock Entry Detail,Actual Qty (at source/target),वास्तविक मात्रा (स्रोत / लक्ष्य पर)
DocType: Item Customer Detail,Ref Code,रेफरी कोड
apps/erpnext/erpnext/config/hr.py +12,Employee records.,कर्मचारी रिकॉर्ड.
@@ -4070,13 +4098,13 @@
DocType: Email Digest,New Purchase Orders,नई खरीद आदेश
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,रूट एक माता पिता लागत केंद्र नहीं कर सकते
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,चुनें ब्रांड ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,प्रशिक्षण कार्यक्रम / परिणाम
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,के रूप में संचित पर मूल्यह्रास
DocType: Sales Invoice,C-Form Applicable,लागू सी फार्म
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},आपरेशन के समय ऑपरेशन के लिए 0 से अधिक होना चाहिए {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,गोदाम अनिवार्य है
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,गोदाम अनिवार्य है
DocType: Supplier,Address and Contacts,पता और संपर्क
DocType: UOM Conversion Detail,UOM Conversion Detail,UOM रूपांतरण विस्तार
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),100px द्वारा वेब अनुकूल 900px (डब्ल्यू) रखो यह ( ज)
DocType: Program,Program Abbreviation,कार्यक्रम संक्षिप्त
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,उत्पादन का आदेश एक आइटम टेम्पलेट के खिलाफ उठाया नहीं जा सकता
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,प्रभार प्रत्येक आइटम के खिलाफ खरीद रसीद में नवीनीकृत कर रहे हैं
@@ -4084,13 +4112,13 @@
DocType: Bank Guarantee,Start Date,प्रारंभ दिनांक
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,एक अवधि के लिए पत्तियों का आवंटन .
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,चेक्स और जमाओं को गलत तरीके से मंजूरी दे दी है
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,खाते {0}: तुम माता पिता के खाते के रूप में खुद को आवंटन नहीं कर सकते
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,खाते {0}: तुम माता पिता के खाते के रूप में खुद को आवंटन नहीं कर सकते
DocType: Purchase Invoice Item,Price List Rate,मूल्य सूची दर
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,ग्राहक उद्धरण बनाएं
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",स्टॉक में दिखाएँ "" या "नहीं" स्टॉक में इस गोदाम में उपलब्ध स्टॉक के आधार पर.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),सामग्री के बिल (बीओएम)
DocType: Item,Average time taken by the supplier to deliver,सप्लायर द्वारा लिया गया औसत समय देने के लिए
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,आकलन के परिणाम
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,आकलन के परिणाम
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,घंटे
DocType: Project,Expected Start Date,उम्मीद प्रारंभ दिनांक
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,आरोप है कि आइटम के लिए लागू नहीं है अगर आइटम निकालें
@@ -4104,24 +4132,23 @@
DocType: Workstation,Operating Costs,परिचालन लागत
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,"कार्रवाई करता है, तो संचित मासिक बजट पार"
DocType: Purchase Invoice,Submit on creation,जमा करें निर्माण पर
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},मुद्रा {0} के लिए होना चाहिए {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},मुद्रा {0} के लिए होना चाहिए {1}
DocType: Asset,Disposal Date,निपटान की तिथि
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","ईमेल दी घंटे में कंपनी के सभी सक्रिय कर्मचारियों के लिए भेजा जाएगा, अगर वे छुट्टी की जरूरत नहीं है। प्रतिक्रियाओं का सारांश आधी रात को भेजा जाएगा।"
DocType: Employee Leave Approver,Employee Leave Approver,कर्मचारी छुट्टी अनुमोदक
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},पंक्ति {0}: एक पुनःक्रमित प्रविष्टि पहले से ही इस गोदाम के लिए मौजूद है {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},पंक्ति {0}: एक पुनःक्रमित प्रविष्टि पहले से ही इस गोदाम के लिए मौजूद है {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","खो के रूप में उद्धरण बना दिया गया है , क्योंकि घोषणा नहीं कर सकते हैं ."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,प्रशिक्षण प्रतिक्रिया
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,उत्पादन का आदेश {0} प्रस्तुत किया जाना चाहिए
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,उत्पादन का आदेश {0} प्रस्तुत किया जाना चाहिए
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},प्रारंभ तिथि और आइटम के लिए अंतिम तिथि का चयन करें {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},कोर्स पंक्ति में अनिवार्य है {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,तिथि करने के लिए तिथि से पहले नहीं हो सकता
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc doctype
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,/ संपादित कीमतों में जोड़ें
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,/ संपादित कीमतों में जोड़ें
DocType: Batch,Parent Batch,अभिभावक बैच
DocType: Cheque Print Template,Cheque Print Template,चैक प्रिंट खाका
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,लागत केंद्र के चार्ट
,Requested Items To Be Ordered,आदेश दिया जा करने के लिए अनुरोध आइटम
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,गोदाम कंपनी के खाते कंपनी के रूप में ही किया जाना चाहिए
DocType: Price List,Price List Name,मूल्य सूची का नाम
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},के लिए दैनिक काम सारांश {0}
DocType: Employee Loan,Totals,योग
@@ -4143,55 +4170,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,वैध मोबाइल नंबर दर्ज करें
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,भेजने से पहले संदेश प्रविष्ट करें
DocType: Email Digest,Pending Quotations,कोटेशन लंबित
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,प्वाइंट-ऑफ-सेल प्रोफ़ाइल
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,प्वाइंट-ऑफ-सेल प्रोफ़ाइल
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,एसएमएस सेटिंग को अपडेट करें
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,असुरक्षित ऋण
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,असुरक्षित ऋण
DocType: Cost Center,Cost Center Name,लागत केन्द्र का नाम
DocType: Employee,B+,बी +
DocType: HR Settings,Max working hours against Timesheet,मैक्स Timesheet के खिलाफ काम के घंटे
DocType: Maintenance Schedule Detail,Scheduled Date,अनुसूचित तिथि
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,कुल भुगतान राशि
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,कुल भुगतान राशि
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 चरित्र से अधिक संदेश कई mesage में split जाएगा
DocType: Purchase Receipt Item,Received and Accepted,प्राप्त और स्वीकृत
+,GST Itemised Sales Register,जीएसटी मदरहित बिक्री रजिस्टर
,Serial No Service Contract Expiry,धारावाहिक नहीं सेवा अनुबंध समाप्ति
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,आप क्रेडिट और एक ही समय में एक ही खाते से डेबिट नहीं कर सकते
DocType: Naming Series,Help HTML,HTML मदद
DocType: Student Group Creation Tool,Student Group Creation Tool,छात्र समूह निर्माण उपकरण
DocType: Item,Variant Based On,प्रकार पर आधारित
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},कुल आवंटित वेटेज 100 % होना चाहिए . यह है {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,अपने आपूर्तिकर्ताओं
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,अपने आपूर्तिकर्ताओं
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,बिक्री आदेश किया जाता है के रूप में खो के रूप में सेट नहीं कर सकता .
DocType: Request for Quotation Item,Supplier Part No,प्रदायक भाग नहीं
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',घटा नहीं सकते जब श्रेणी 'मूल्यांकन' या 'Vaulation और कुल' के लिए है
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,से प्राप्त
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,से प्राप्त
DocType: Lead,Converted,परिवर्तित
DocType: Item,Has Serial No,नहीं सीरियल गया है
DocType: Employee,Date of Issue,जारी करने की तारीख
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: {0} के लिए {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ख़रीद सेटिंग के मुताबिक यदि खरीद रिसीप्ट की आवश्यकता है == 'हां', तो खरीद चालान बनाने के लिए, उपयोगकर्ता को आइटम के लिए पहली खरीदी रसीद बनाने की ज़रूरत है {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},पंक्ति # {0}: आइटम के लिए सेट प्रदायक {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,पंक्ति {0}: घंटे मूल्य शून्य से अधिक होना चाहिए।
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,मद {1} से जुड़ी वेबसाइट छवि {0} पाया नहीं जा सकता
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,मद {1} से जुड़ी वेबसाइट छवि {0} पाया नहीं जा सकता
DocType: Issue,Content Type,सामग्री प्रकार
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,कंप्यूटर
DocType: Item,List this Item in multiple groups on the website.,कई समूहों में वेबसाइट पर इस मद की सूची.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,अन्य मुद्रा के साथ खातों अनुमति देने के लिए बहु मुद्रा विकल्प की जाँच करें
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,आइटम: {0} सिस्टम में मौजूद नहीं है
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,आप स्थिर मूल्य निर्धारित करने के लिए अधिकृत नहीं हैं
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,आइटम: {0} सिस्टम में मौजूद नहीं है
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,आप स्थिर मूल्य निर्धारित करने के लिए अधिकृत नहीं हैं
DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled प्रविष्टियां प्राप्त करें
DocType: Payment Reconciliation,From Invoice Date,चालान तिथि से
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,बिलिंग मुद्रा या तो डिफ़ॉल्ट comapany की मुद्रा या पार्टी के खाते की मुद्रा के बराबर होना चाहिए
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,नकदीकरण छोड़े
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,यह क्या करता है?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,बिलिंग मुद्रा या तो डिफ़ॉल्ट comapany की मुद्रा या पार्टी के खाते की मुद्रा के बराबर होना चाहिए
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,नकदीकरण छोड़े
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,यह क्या करता है?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,गोदाम के लिए
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,सभी छात्र प्रवेश
,Average Commission Rate,औसत कमीशन दर
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,गैर स्टॉक आइटम के लिए क्रमांक 'हाँ' नहीं हो सकता
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,गैर स्टॉक आइटम के लिए क्रमांक 'हाँ' नहीं हो सकता
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,उपस्थिति भविष्य तारीखों के लिए चिह्नित नहीं किया जा सकता
DocType: Pricing Rule,Pricing Rule Help,मूल्य निर्धारण नियम मदद
DocType: School House,House Name,घरेलु नाम
DocType: Purchase Taxes and Charges,Account Head,लेखाशीर्ष
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,मदों की उतरा लागत की गणना करने के लिए अतिरिक्त लागत अद्यतन
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,विद्युत
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,विद्युत
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,अपने संगठन के बाकी अपने उपयोगकर्ताओं के रूप में जोड़े। तुम भी उन्हें संपर्क से जोड़कर अपने पोर्टल के लिए ग्राहकों को आमंत्रित जोड़ सकते हैं
DocType: Stock Entry,Total Value Difference (Out - In),कुल मूल्य का अंतर (आउट - में)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,पंक्ति {0}: विनिमय दर अनिवार्य है
@@ -4201,7 +4230,7 @@
DocType: Item,Customer Code,ग्राहक कोड
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},के लिए जन्मदिन अनुस्मारक {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,दिनों से पिछले आदेश
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,खाते में डेबिट एक बैलेंस शीट खाता होना चाहिए
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,खाते में डेबिट एक बैलेंस शीट खाता होना चाहिए
DocType: Buying Settings,Naming Series,श्रृंखला का नामकरण
DocType: Leave Block List,Leave Block List Name,ब्लॉक सूची नाम छोड़ दो
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,बीमा प्रारंभ दिनांक से बीमा समाप्ति की तारीख कम होना चाहिए
@@ -4216,26 +4245,26 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},कर्मचारी के वेतन पर्ची {0} पहले से ही समय पत्रक के लिए बनाई गई {1}
DocType: Vehicle Log,Odometer,ओडोमीटर
DocType: Sales Order Item,Ordered Qty,मात्रा का आदेश दिया
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,मद {0} अक्षम हो जाता है
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,मद {0} अक्षम हो जाता है
DocType: Stock Settings,Stock Frozen Upto,स्टॉक तक जमे हुए
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,बीओएम किसी भी शेयर आइटम शामिल नहीं है
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,बीओएम किसी भी शेयर आइटम शामिल नहीं है
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},से और अवधि आवर्ती के लिए अनिवार्य तिथियाँ तक की अवधि के {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,परियोजना / कार्य कार्य.
DocType: Vehicle Log,Refuelling Details,ईंधन भराई विवरण
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,वेतन स्लिप्स उत्पन्न
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","लागू करने के लिए के रूप में चुना जाता है तो खरीदना, जाँच की जानी चाहिए {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","लागू करने के लिए के रूप में चुना जाता है तो खरीदना, जाँच की जानी चाहिए {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,सबसे कम से कम 100 होना चाहिए
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,अंतिम खरीद दर नहीं मिला
DocType: Purchase Invoice,Write Off Amount (Company Currency),राशि से लिखें (कंपनी मुद्रा)
DocType: Sales Invoice Timesheet,Billing Hours,बिलिंग घंटे
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,{0} नहीं मिला डिफ़ॉल्ट बीओएम
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,पंक्ति # {0}: पुनःक्रमित मात्रा सेट करें
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,पंक्ति # {0}: पुनःक्रमित मात्रा सेट करें
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,उन्हें यहां जोड़ने के लिए आइटम टैप करें
DocType: Fees,Program Enrollment,कार्यक्रम नामांकन
DocType: Landed Cost Voucher,Landed Cost Voucher,उतरा लागत वाउचर
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},सेट करें {0}
DocType: Purchase Invoice,Repeat on Day of Month,महीने का दिन पर दोहराएँ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} निष्क्रिय छात्र है
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} निष्क्रिय छात्र है
DocType: Employee,Health Details,स्वास्थ्य विवरण
DocType: Offer Letter,Offer Letter Terms,पत्र शर्तों की पेशकश
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,भुगतान अनुरोध संदर्भ दस्तावेज़ बनाने के लिए आवश्यक है
@@ -4257,7 +4286,7 @@
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","उदाहरण:। श्रृंखला के लिए निर्धारित है और सीरियल कोई लेन-देन में उल्लेख नहीं किया गया है, तो एबीसीडी #####
, तो स्वत: सीरियल नंबर इस श्रृंखला के आधार पर बनाया जाएगा। आप हमेशा स्पष्ट रूप से इस मद के लिए सीरियल नंबर का उल्लेख करना चाहते हैं। इस खाली छोड़ दें।"
DocType: Upload Attendance,Upload Attendance,उपस्थिति अपलोड
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,बीओएम और विनिर्माण मात्रा की आवश्यकता होती है
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,बीओएम और विनिर्माण मात्रा की आवश्यकता होती है
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,बूढ़े रेंज 2
DocType: SG Creation Tool Course,Max Strength,मैक्स शक्ति
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,बीओएम प्रतिस्थापित
@@ -4266,8 +4295,8 @@
,Prospects Engaged But Not Converted,संभावनाएं जुड़ी हुई हैं लेकिन परिवर्तित नहीं
DocType: Manufacturing Settings,Manufacturing Settings,विनिर्माण सेटिंग्स
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,ईमेल स्थापना
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 मोबाइल नं
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,कंपनी मास्टर में डिफ़ॉल्ट मुद्रा दर्ज करें
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 मोबाइल नं
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,कंपनी मास्टर में डिफ़ॉल्ट मुद्रा दर्ज करें
DocType: Stock Entry Detail,Stock Entry Detail,शेयर एंट्री विस्तार
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,दैनिक अनुस्मारक
DocType: Products Settings,Home Page is Products,होम पेज उत्पाद है
@@ -4276,7 +4305,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,नया खाता नाम
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,कच्चे माल की लागत की आपूर्ति
DocType: Selling Settings,Settings for Selling Module,मॉड्यूल बेचना के लिए सेटिंग
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,ग्राहक सेवा
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,ग्राहक सेवा
DocType: BOM,Thumbnail,थंबनेल
DocType: Item Customer Detail,Item Customer Detail,आइटम ग्राहक विस्तार
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,ऑफर उम्मीदवार एक नौकरी।
@@ -4285,7 +4314,7 @@
DocType: Pricing Rule,Percentage,का प्रतिशत
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,आइटम {0} भंडार वस्तु होना चाहिए
DocType: Manufacturing Settings,Default Work In Progress Warehouse,प्रगति गोदाम में डिफ़ॉल्ट वर्क
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,लेखांकन लेनदेन के लिए डिफ़ॉल्ट सेटिंग्स .
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,लेखांकन लेनदेन के लिए डिफ़ॉल्ट सेटिंग्स .
DocType: Maintenance Visit,MV,एमवी
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,उम्मीद की तारीख सामग्री अनुरोध तिथि से पहले नहीं हो सकता
DocType: Purchase Invoice Item,Stock Qty,स्टॉक मात्रा
@@ -4298,10 +4327,10 @@
DocType: Sales Order,Printing Details,मुद्रण विवरण
DocType: Task,Closing Date,तिथि समापन
DocType: Sales Order Item,Produced Quantity,उत्पादित मात्रा
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,इंजीनियर
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,इंजीनियर
DocType: Journal Entry,Total Amount Currency,कुल राशि मुद्रा
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,खोज उप असेंबलियों
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},रो नहीं पर आवश्यक मद कोड {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},रो नहीं पर आवश्यक मद कोड {0}
DocType: Sales Partner,Partner Type,साथी के प्रकार
DocType: Purchase Taxes and Charges,Actual,वास्तविक
DocType: Authorization Rule,Customerwise Discount,Customerwise डिस्काउंट
@@ -4318,11 +4347,11 @@
DocType: Item Reorder,Re-Order Level,स्तर पुनः क्रमित करें
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"वस्तुओं और योजना बनाई मात्रा दर्ज करें, जिसके लिए आप उत्पादन के आदेश को बढ़ाने या विश्लेषण के लिए कच्चे माल के डाउनलोड करना चाहते हैं."
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt चार्ट
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,अंशकालिक
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,अंशकालिक
DocType: Employee,Applicable Holiday List,लागू अवकाश सूची
DocType: Employee,Cheque,चैक
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,सीरीज नवीनीकृत
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,रिपोर्ट प्रकार अनिवार्य है
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,रिपोर्ट प्रकार अनिवार्य है
DocType: Item,Serial Number Series,सीरियल नंबर सीरीज
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},गोदाम स्टॉक मद के लिए अनिवार्य है {0} पंक्ति में {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,खुदरा और थोक
@@ -4343,7 +4372,7 @@
DocType: BOM,Materials,सामग्री
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","अगर जाँच नहीं किया गया है, इस सूची के लिए प्रत्येक विभाग है जहां इसे लागू किया गया है के लिए जोड़ा जा होगा."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,स्रोत और लक्ष्य गोदाम ही नहीं हो सकता
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,पोस्ट दिनांक और पोस्टिंग समय अनिवार्य है
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,पोस्ट दिनांक और पोस्टिंग समय अनिवार्य है
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,लेनदेन खरीदने के लिए टैक्स टेम्पलेट .
,Item Prices,आइटम के मूल्य
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,एक बार जब आप खरीद आदेश सहेजें शब्दों में दिखाई जाएगी।
@@ -4353,22 +4382,23 @@
DocType: Purchase Invoice,Advance Payments,अग्रिम भुगतान
DocType: Purchase Taxes and Charges,On Net Total,नेट कुल
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},{0} विशेषता के लिए मान की सीमा के भीतर होना चाहिए {1} {2} की वेतन वृद्धि में {3} मद के लिए {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,पंक्ति में लक्ष्य गोदाम {0} के रूप में ही किया जाना चाहिए उत्पादन का आदेश
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,पंक्ति में लक्ष्य गोदाम {0} के रूप में ही किया जाना चाहिए उत्पादन का आदेश
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,% की आवर्ती के लिए निर्दिष्ट नहीं 'सूचना ईमेल पते'
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,मुद्रा कुछ अन्य मुद्रा का उपयोग प्रविष्टियों करने के बाद बदला नहीं जा सकता
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,मुद्रा कुछ अन्य मुद्रा का उपयोग प्रविष्टियों करने के बाद बदला नहीं जा सकता
DocType: Vehicle Service,Clutch Plate,क्लच प्लेट
DocType: Company,Round Off Account,खाता बंद दौर
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,प्रशासन - व्यय
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,प्रशासन - व्यय
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,परामर्श
DocType: Customer Group,Parent Customer Group,माता - पिता ग्राहक समूह
DocType: Purchase Invoice,Contact Email,संपर्क ईमेल
DocType: Appraisal Goal,Score Earned,स्कोर अर्जित
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,नोटिस की मुद्दत
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,नोटिस की मुद्दत
DocType: Asset Category,Asset Category Name,एसेट श्रेणी नाम
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,यह एक जड़ क्षेत्र है और संपादित नहीं किया जा सकता है .
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,नई बिक्री व्यक्ति का नाम
DocType: Packing Slip,Gross Weight UOM,सकल वजन UOM
DocType: Delivery Note Item,Against Sales Invoice,बिक्री चालान के खिलाफ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,कृपया धारावाहिक आइटम के लिए सीरियल नंबर दर्ज करें
DocType: Bin,Reserved Qty for Production,उत्पादन के लिए मात्रा सुरक्षित
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,अनियंत्रित छोड़ें यदि आप पाठ्यक्रम आधारित समूहों को बनाने के दौरान बैच पर विचार नहीं करना चाहते हैं
DocType: Asset,Frequency of Depreciation (Months),मूल्यह्रास की आवृत्ति (माह)
@@ -4376,25 +4406,25 @@
DocType: Landed Cost Item,Landed Cost Item,आयातित माल की लागत मद
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,शून्य मूल्यों को दिखाने
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,वस्तु की मात्रा विनिर्माण / कच्चे माल की दी गई मात्रा से repacking के बाद प्राप्त
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,सेटअप अपने संगठन के लिए एक साधारण वेबसाइट
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,सेटअप अपने संगठन के लिए एक साधारण वेबसाइट
DocType: Payment Reconciliation,Receivable / Payable Account,प्राप्य / देय खाता
DocType: Delivery Note Item,Against Sales Order Item,बिक्री आदेश आइटम के खिलाफ
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},विशेषता के लिए विशेषता मान निर्दिष्ट करें {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},विशेषता के लिए विशेषता मान निर्दिष्ट करें {0}
DocType: Item,Default Warehouse,डिफ़ॉल्ट गोदाम
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},बजट समूह खाते के खिलाफ नहीं सौंपा जा सकता {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,माता - पिता लागत केंद्र दर्ज करें
DocType: Delivery Note,Print Without Amount,राशि के बिना प्रिंट
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,मूल्यह्रास दिनांक
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,टैक्स श्रेणी ' मूल्यांकन ' या ' मूल्यांकन और कुल ' सभी आइटम गैर स्टॉक वस्तुओं रहे हैं के रूप में नहीं किया जा सकता
DocType: Issue,Support Team,टीम का समर्थन
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),समाप्ति (दिनों में)
DocType: Appraisal,Total Score (Out of 5),कुल स्कोर (5 से बाहर)
DocType: Fee Structure,FS.,एफएस।
-DocType: Program Enrollment,Batch,बैच
+DocType: Student Attendance Tool,Batch,बैच
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,संतुलन
DocType: Room,Seating Capacity,बैठने की क्षमता
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),कुल खर्च दावा (खर्च का दावा के माध्यम से)
+DocType: GST Settings,GST Summary,जीएसटी सारांश
DocType: Assessment Result,Total Score,कुल स्कोर
DocType: Journal Entry,Debit Note,डेबिट नोट
DocType: Stock Entry,As per Stock UOM,स्टॉक UOM के अनुसार
@@ -4405,12 +4435,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,डिफ़ॉल्ट तैयार माल गोदाम
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,बिक्री व्यक्ति
DocType: SMS Parameter,SMS Parameter,एसएमएस पैरामीटर
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,बजट और लागत केंद्र
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,बजट और लागत केंद्र
DocType: Vehicle Service,Half Yearly,छमाही
DocType: Lead,Blog Subscriber,ब्लॉग सब्सक्राइबर
DocType: Guardian,Alternate Number,वैकल्पिक नंबर
DocType: Assessment Plan Criteria,Maximum Score,अधिकतम स्कोर
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,मूल्यों पर आधारित लेनदेन को प्रतिबंधित करने के नियम बनाएँ .
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,समूह रोल नंबर
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,अगर आप प्रति वर्ष छात्र समूह बनाते हैं तो रिक्त छोड़ दें
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","जाँच की, तो कुल नहीं. कार्य दिवस की छुट्टियों में शामिल होगा, और यह प्रति दिन वेतन का मूल्य कम हो जाएगा"
DocType: Purchase Invoice,Total Advance,कुल अग्रिम
@@ -4428,6 +4459,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,यह इस ग्राहक के खिलाफ लेन-देन पर आधारित है। जानकारी के लिए नीचे समय देखें
DocType: Supplier,Credit Days Based On,क्रेडिट दिनों पर आधारित
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},पंक्ति {0}: आवंटित राशि {1} से कम होना या भुगतान एंट्री राशि के बराबर होती है चाहिए {2}
+,Course wise Assessment Report,कोर्स वार आकलन रिपोर्ट
DocType: Tax Rule,Tax Rule,टैक्स नियम
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,बिक्री चक्र के दौरान एक ही दर बनाए रखें
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,कार्य केंद्र के कार्य के घंटे के बाहर समय लॉग्स की योजना बनाएँ।
@@ -4436,7 +4468,7 @@
,Items To Be Requested,अनुरोध किया जा करने के लिए आइटम
DocType: Purchase Order,Get Last Purchase Rate,पिछले खरीद दर
DocType: Company,Company Info,कंपनी की जानकारी
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,का चयन करें या नए ग्राहक जोड़ने
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,का चयन करें या नए ग्राहक जोड़ने
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,लागत केंद्र एक व्यय का दावा बुक करने के लिए आवश्यक है
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),फंड के अनुप्रयोग ( संपत्ति)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,यह इस कर्मचारी की उपस्थिति पर आधारित है
@@ -4444,27 +4476,29 @@
DocType: Fiscal Year,Year Start Date,वर्ष प्रारंभ दिनांक
DocType: Attendance,Employee Name,कर्मचारी का नाम
DocType: Sales Invoice,Rounded Total (Company Currency),गोल कुल (कंपनी मुद्रा)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,"खाते का प्रकार चयन किया जाता है, क्योंकि समूह को गुप्त नहीं कर सकते।"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"खाते का प्रकार चयन किया जाता है, क्योंकि समूह को गुप्त नहीं कर सकते।"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} संशोधित किया गया है . रीफ्रेश करें.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,निम्नलिखित दिन पर छुट्टी अनुप्रयोग बनाने से उपयोगकर्ताओं को बंद करो.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,खरीद ने का मूलय
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,प्रदायक कोटेशन {0} बनाया
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,समाप्ति वर्ष प्रारंभ साल से पहले नहीं हो सकता
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,कर्मचारी लाभ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,कर्मचारी लाभ
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},{0} पंक्ति में {1} पैक्ड मात्रा आइटम के लिए मात्रा के बराबर होना चाहिए
DocType: Production Order,Manufactured Qty,निर्मित मात्रा
DocType: Purchase Receipt Item,Accepted Quantity,स्वीकार किए जाते हैं मात्रा
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},एक डिफ़ॉल्ट कर्मचारी के लिए छुट्टी सूची सेट करें {0} {1} या कंपनी
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} करता नहीं मौजूद है
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} करता नहीं मौजूद है
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,बैच नंबर का चयन करें
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,बिलों ग्राहकों के लिए उठाया.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,परियोजना ईद
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},पंक्ति कोई {0}: राशि व्यय दावा {1} के खिलाफ राशि लंबित से अधिक नहीं हो सकता है। लंबित राशि है {2}
DocType: Maintenance Schedule,Schedule,अनुसूची
DocType: Account,Parent Account,खाते के जनक
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,उपलब्ध
DocType: Quality Inspection Reading,Reading 3,3 पढ़ना
,Hub,हब
DocType: GL Entry,Voucher Type,वाउचर प्रकार
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,मूल्य सूची पाया या निष्क्रिय नहीं
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,मूल्य सूची पाया या निष्क्रिय नहीं
DocType: Employee Loan Application,Approved,अनुमोदित
DocType: Pricing Rule,Price,कीमत
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0} को राहत मिली कर्मचारी 'वाम ' के रूप में स्थापित किया जाना चाहिए
@@ -4475,7 +4509,8 @@
DocType: Selling Settings,Campaign Naming By,अभियान नामकरण से
DocType: Employee,Current Address Is,वर्तमान पता है
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,संशोधित
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","वैकल्पिक। निर्दिष्ट नहीं किया है, तो कंपनी के डिफ़ॉल्ट मुद्रा सेट करता है।"
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","वैकल्पिक। निर्दिष्ट नहीं किया है, तो कंपनी के डिफ़ॉल्ट मुद्रा सेट करता है।"
+DocType: Sales Invoice,Customer GSTIN,ग्राहक जीएसटीआईएन
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,लेखा पत्रिका प्रविष्टियों.
DocType: Delivery Note Item,Available Qty at From Warehouse,गोदाम से पर उपलब्ध मात्रा
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,पहले कर्मचारी रिकॉर्ड का चयन करें।
@@ -4483,7 +4518,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},पंक्ति {0}: पार्टी / खाते के साथ मैच नहीं करता है {1} / {2} में {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,व्यय खाते में प्रवेश करें
DocType: Account,Stock,स्टॉक
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","पंक्ति # {0}: संदर्भ दस्तावेज़ प्रकार खरीद आदेश में से एक, चालान की खरीद या जर्नल प्रविष्टि होना चाहिए"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","पंक्ति # {0}: संदर्भ दस्तावेज़ प्रकार खरीद आदेश में से एक, चालान की खरीद या जर्नल प्रविष्टि होना चाहिए"
DocType: Employee,Current Address,वर्तमान पता
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","स्पष्ट रूप से जब तक निर्दिष्ट मद तो विवरण, छवि, मूल्य निर्धारण, करों टेम्पलेट से निर्धारित किया जाएगा आदि एक और आइटम का एक प्रकार है, तो"
DocType: Serial No,Purchase / Manufacture Details,खरीद / निर्माण विवरण
@@ -4496,8 +4531,8 @@
DocType: Pricing Rule,Min Qty,न्यूनतम मात्रा
DocType: Asset Movement,Transaction Date,लेनदेन की तारीख
DocType: Production Plan Item,Planned Qty,नियोजित मात्रा
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,कुल कर
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,मात्रा के लिए (मात्रा निर्मित) अनिवार्य है
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,कुल कर
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,मात्रा के लिए (मात्रा निर्मित) अनिवार्य है
DocType: Stock Entry,Default Target Warehouse,डिफ़ॉल्ट लक्ष्य वेअरहाउस
DocType: Purchase Invoice,Net Total (Company Currency),नेट कुल (कंपनी मुद्रा)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,वर्ष के अंत दिनांक साल से प्रारंभ तिथि पहले नहीं हो सकता है। तारीखों को ठीक करें और फिर कोशिश करें।
@@ -4511,13 +4546,11 @@
DocType: Hub Settings,Hub Settings,हब सेटिंग्स
DocType: Project,Gross Margin %,सकल मार्जिन%
DocType: BOM,With Operations,आपरेशनों के साथ
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,लेखांकन प्रविष्टियों पहले से ही मुद्रा में किया गया है {0} कंपनी के लिए {1}। मुद्रा के साथ एक प्राप्य या देय खाते का चयन करें {0}।
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,लेखांकन प्रविष्टियों पहले से ही मुद्रा में किया गया है {0} कंपनी के लिए {1}। मुद्रा के साथ एक प्राप्य या देय खाते का चयन करें {0}।
DocType: Asset,Is Existing Asset,मौजूदा परिसंपत्ति है
DocType: Salary Detail,Statistical Component,सांख्यिकीय घटक
-,Monthly Salary Register,मासिक वेतन रेजिस्टर
DocType: Warranty Claim,If different than customer address,यदि ग्राहक पते से अलग
DocType: BOM Operation,BOM Operation,बीओएम ऑपरेशन
-DocType: School Settings,Validate the Student Group from Program Enrollment,कार्यक्रम नामांकन से छात्र समूह को मान्य करें
DocType: Purchase Taxes and Charges,On Previous Row Amount,पिछली पंक्ति राशि पर
DocType: Student,Home Address,घर का पता
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,स्थानांतरण एसेट
@@ -4525,28 +4558,27 @@
DocType: Training Event,Event Name,कार्यक्रम नाम
apps/erpnext/erpnext/config/schools.py +39,Admission,दाखिला
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},प्रवेश के लिए {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","सेटिंग बजट, लक्ष्य आदि के लिए मौसम"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","{0} आइटम एक टेम्पलेट है, इसके वेरिएंट में से एक का चयन करें"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","सेटिंग बजट, लक्ष्य आदि के लिए मौसम"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","{0} आइटम एक टेम्पलेट है, इसके वेरिएंट में से एक का चयन करें"
DocType: Asset,Asset Category,परिसंपत्ति वर्ग है
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,खरीदार
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,शुद्ध भुगतान नकारात्मक नहीं हो सकता
DocType: SMS Settings,Static Parameters,स्टेटिक पैरामीटर
DocType: Assessment Plan,Room,कक्ष
DocType: Purchase Order,Advance Paid,अग्रिम भुगतान
DocType: Item,Item Tax,आइटम टैक्स
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,प्रदायक के लिए सामग्री
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,आबकारी चालान
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,आबकारी चालान
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% से अधिक बार दिखाई देता है
DocType: Expense Claim,Employees Email Id,ईमेल आईडी कर्मचारी
DocType: Employee Attendance Tool,Marked Attendance,उल्लेखनीय उपस्थिति
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,वर्तमान देयताएं
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,वर्तमान देयताएं
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,अपने संपर्कों के लिए बड़े पैमाने पर एसएमएस भेजें
DocType: Program,Program Name,कार्यक्रम का नाम
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,टैक्स या प्रभार के लिए पर विचार
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,वास्तविक मात्रा अनिवार्य है
DocType: Employee Loan,Loan Type,प्रकार के ऋण
DocType: Scheduling Tool,Scheduling Tool,शेड्यूलिंग उपकरण
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,क्रेडिट कार्ड
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,क्रेडिट कार्ड
DocType: BOM,Item to be manufactured or repacked,आइटम निर्मित किया जा या repacked
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,शेयर लेनदेन के लिए डिफ़ॉल्ट सेटिंग्स .
DocType: Purchase Invoice,Next Date,अगली तारीख
@@ -4562,10 +4594,10 @@
DocType: Stock Entry,Repack,Repack
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,आगे बढ़ने से पहले फार्म सहेजना चाहिए
DocType: Item Attribute,Numeric Values,संख्यात्मक मान
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,लोगो अटैच
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,लोगो अटैच
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,भंडारण स्तर
DocType: Customer,Commission Rate,आयोग दर
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,संस्करण बनाओ
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,संस्करण बनाओ
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,विभाग द्वारा आवेदन छोड़ मै.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","भुगतान प्रकार, प्राप्त की एक होना चाहिए वेतन और आंतरिक स्थानांतरण"
apps/erpnext/erpnext/config/selling.py +179,Analytics,एनालिटिक्स
@@ -4573,45 +4605,45 @@
DocType: Vehicle,Model,आदर्श
DocType: Production Order,Actual Operating Cost,वास्तविक ऑपरेटिंग कॉस्ट
DocType: Payment Entry,Cheque/Reference No,चैक / संदर्भ नहीं
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,रूट संपादित नहीं किया जा सकता है .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,रूट संपादित नहीं किया जा सकता है .
DocType: Item,Units of Measure,मापन की इकाई
DocType: Manufacturing Settings,Allow Production on Holidays,छुट्टियों पर उत्पादन की अनुमति
DocType: Sales Order,Customer's Purchase Order Date,ग्राहक की खरीद आदेश दिनांक
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,शेयर पूंजी
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,शेयर पूंजी
DocType: Shopping Cart Settings,Show Public Attachments,सार्वजनिक अनुलग्नक दिखाएं
DocType: Packing Slip,Package Weight Details,पैकेज वजन विवरण
DocType: Payment Gateway Account,Payment Gateway Account,पेमेंट गेटवे खाते
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,भुगतान पूरा होने के बाद चयनित पृष्ठ के लिए उपयोगकर्ता अनुप्रेषित।
DocType: Company,Existing Company,मौजूदा कंपनी
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",कर श्रेणी को "कुल" में बदल दिया गया है क्योंकि सभी आइटम गैर-स्टॉक आइटम हैं
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,एक csv फ़ाइल का चयन करें
DocType: Student Leave Application,Mark as Present,उपहार के रूप में मार्क
DocType: Purchase Order,To Receive and Bill,प्राप्त करें और बिल के लिए
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,विशेष रुप से प्रदर्शित प्रोडक्टस
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,डिज़ाइनर
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,डिज़ाइनर
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,नियमों और शर्तों टेम्पलेट
DocType: Serial No,Delivery Details,वितरण विवरण
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},लागत केंद्र पंक्ति में आवश्यक है {0} कर तालिका में प्रकार के लिए {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},लागत केंद्र पंक्ति में आवश्यक है {0} कर तालिका में प्रकार के लिए {1}
DocType: Program,Program Code,प्रोग्राम कोड
DocType: Terms and Conditions,Terms and Conditions Help,नियम और शर्तें मदद
,Item-wise Purchase Register,आइटम के लिहाज से खरीद पंजीकृत करें
DocType: Batch,Expiry Date,समाप्ति दिनांक
-,Supplier Addresses and Contacts,प्रदायक पते और संपर्क
,accounts-browser,खातों ब्राउज़र
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,प्रथम श्रेणी का चयन करें
apps/erpnext/erpnext/config/projects.py +13,Project master.,मास्टर परियोजना.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","ओवर-बिलिंग या अधिक आदेश देने की अनुमति देने के लिए, "भत्ता" को अद्यतन स्टॉक सेटिंग या आइटम में।"
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","ओवर-बिलिंग या अधिक आदेश देने की अनुमति देने के लिए, "भत्ता" को अद्यतन स्टॉक सेटिंग या आइटम में।"
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,$ मुद्राओं की बगल आदि की तरह किसी भी प्रतीक नहीं दिखा.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(आधा दिन)
DocType: Supplier,Credit Days,क्रेडिट दिन
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,छात्र बैच बनाने
DocType: Leave Type,Is Carry Forward,क्या आगे ले जाना
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,बीओएम से आइटम प्राप्त
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,बीओएम से आइटम प्राप्त
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,लीड समय दिन
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},पंक्ति # {0}: पोस्ट दिनांक खरीद की तारीख के रूप में ही होना चाहिए {1} संपत्ति का {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},पंक्ति # {0}: पोस्ट दिनांक खरीद की तारीख के रूप में ही होना चाहिए {1} संपत्ति का {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,उपरोक्त तालिका में विक्रय आदेश दर्ज करें
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,प्रस्तुत नहीं वेतन निकल जाता है
,Stock Summary,स्टॉक सारांश
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,दूसरे के लिए एक गोदाम से एक संपत्ति स्थानांतरण
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,दूसरे के लिए एक गोदाम से एक संपत्ति स्थानांतरण
DocType: Vehicle,Petrol,पेट्रोल
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,सामग्री के बिल
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},पंक्ति {0}: पार्टी के प्रकार और पार्टी प्राप्य / देय खाते के लिए आवश्यक है {1}
@@ -4622,6 +4654,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,स्वीकृत राशि
DocType: GL Entry,Is Opening,है खोलने
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},पंक्ति {0}: {1} डेबिट प्रविष्टि के साथ नहीं जोड़ा जा सकता है
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,खाते {0} मौजूद नहीं है
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,खाते {0} मौजूद नहीं है
DocType: Account,Cash,नकद
DocType: Employee,Short biography for website and other publications.,वेबसाइट और अन्य प्रकाशनों के लिए लघु जीवनी.
diff --git a/erpnext/translations/hr.csv b/erpnext/translations/hr.csv
index 6e90e10..3fd29cc 100644
--- a/erpnext/translations/hr.csv
+++ b/erpnext/translations/hr.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Consumer Products
DocType: Item,Customer Items,Korisnički Stavke
DocType: Project,Costing and Billing,Obračun troškova i naplate
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Račun {0}: nadređeni račun {1} ne može biti glavna knjiga
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Račun {0}: nadređeni račun {1} ne može biti glavna knjiga
DocType: Item,Publish Item to hub.erpnext.com,Objavi stavka to hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,E-mail obavijesti
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,procjena
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,procjena
DocType: Item,Default Unit of Measure,Zadana mjerna jedinica
DocType: SMS Center,All Sales Partner Contact,Kontakti prodajnog partnera
DocType: Employee,Leave Approvers,Osobe ovlaštene za odobrenje odsustva
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Tečaj mora biti ista kao {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Naziv klijenta
DocType: Vehicle,Natural Gas,Prirodni gas
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Bankovni račun ne može biti imenovan kao {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Bankovni račun ne može biti imenovan kao {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Šefovi (ili skupine) od kojih računovodstvenih unosa su i sredstva su održavani.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Izvanredna za {0} ne može biti manji od nule ( {1} )
DocType: Manufacturing Settings,Default 10 mins,Default 10 min
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Svi kontakti dobavljača
DocType: Support Settings,Support Settings,Postavke za podršku
DocType: SMS Parameter,Parameter,Parametar
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Očekivani datum završetka ne može biti manji od očekivanog početka Datum
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Očekivani datum završetka ne može biti manji od očekivanog početka Datum
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Red # {0}: Ocijenite mora biti ista kao {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Novi dopust Primjena
,Batch Item Expiry Status,Hrpa Stavka isteka Status
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Bank Nacrt
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Bank Nacrt
DocType: Mode of Payment Account,Mode of Payment Account,Način plaćanja računa
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Pokaži varijante
DocType: Academic Term,Academic Term,Akademski pojam
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Materijal
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Količina
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Računi stol ne može biti prazno.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Zajmovi (pasiva)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Zajmovi (pasiva)
DocType: Employee Education,Year of Passing,Godina Prolazeći
DocType: Item,Country of Origin,Zemlja podrijetla
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,Na zalihi
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,Na zalihi
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Otvorena pitanja
DocType: Production Plan Item,Production Plan Item,Proizvodnja plan artikla
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Korisnik {0} već dodijeljena zaposlenika {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Health Care
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Kašnjenje u plaćanju (dani)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,usluga Rashodi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijski broj: {0} već se odnosi na prodajnu fakturu: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijski broj: {0} već se odnosi na prodajnu fakturu: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Faktura
DocType: Maintenance Schedule Item,Periodicity,Periodičnost
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Fiskalna godina {0} je potrebno
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Red # {0}:
DocType: Timesheet,Total Costing Amount,Ukupno Obračun troškova Iznos
DocType: Delivery Note,Vehicle No,Ne vozila
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,Molim odaberite cjenik
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Molim odaberite cjenik
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Red # {0}: dokument Plaćanje je potrebno za dovršenje trasaction
DocType: Production Order Operation,Work In Progress,Radovi u tijeku
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Odaberite datum
DocType: Employee,Holiday List,Turistička Popis
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Knjigovođa
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Knjigovođa
DocType: Cost Center,Stock User,Stock Korisnik
DocType: Company,Phone No,Telefonski broj
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Raspored predmeta izrađen:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Novi {0}: #{1}
,Sales Partners Commission,Provizija prodajnih partnera
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Kratica ne može imati više od 5 znakova
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Kratica ne može imati više od 5 znakova
DocType: Payment Request,Payment Request,Zahtjev za plaćanje
DocType: Asset,Value After Depreciation,Vrijednost Nakon Amortizacija
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,Datum Gledatelji ne može biti manja od ulaska datuma zaposlenika
DocType: Grading Scale,Grading Scale Name,Ljestvici Ime
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,To jekorijen račun i ne može se mijenjati .
+DocType: Sales Invoice,Company Address,adresa tvrtke
DocType: BOM,Operations,Operacije
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Ne mogu postaviti odobrenje na temelju popusta za {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Pričvrstite .csv datoteku s dva stupca, jedan za stari naziv i jedan za novim nazivom"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ni na koji aktivno fiskalne godine.
DocType: Packed Item,Parent Detail docname,Nadređeni detalj docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referenca: {0}, šifra stavke: {1} i klijent: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,kg
DocType: Student Log,Log,Prijava
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Otvaranje za posao.
DocType: Item Attribute,Increment,Pomak
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Oglašavanje
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Ista tvrtka je ušao više od jednom
DocType: Employee,Married,Oženjen
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Nije dopušteno {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Nije dopušteno {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Nabavite stavke iz
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Dionica ne može biti obnovljeno protiv isporuke Napomena {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Dionica ne može biti obnovljeno protiv isporuke Napomena {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Proizvod {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Nema navedenih stavki
DocType: Payment Reconciliation,Reconcile,pomiriti
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Sljedeća Amortizacija Datum ne može biti prije Datum kupnje
DocType: SMS Center,All Sales Person,Svi prodavači
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Mjesečna distribucija ** pomaže vam rasporediti proračun / Target preko mjeseca, ako imate sezonalnost u Vašem poslovanju."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Nije pronađen stavke
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Nije pronađen stavke
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Struktura plaća Nedostaje
DocType: Lead,Person Name,Osoba ime
DocType: Sales Invoice Item,Sales Invoice Item,Prodajni proizvodi
DocType: Account,Credit,Kredit
DocType: POS Profile,Write Off Cost Center,Otpis troška
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",npr "Osnovna škola" ili "Sveučilište"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",npr "Osnovna škola" ili "Sveučilište"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,dionica izvješća
DocType: Warehouse,Warehouse Detail,Detalji o skladištu
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Kreditni limit je prešao na kupca {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Kreditni limit je prešao na kupca {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Datum Pojam završetka ne može biti kasnije od godine datum završetka školske godine u kojoj je pojam vezan (Akademska godina {}). Ispravite datume i pokušajte ponovno.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Je nepokretne imovine" ne može biti potvrđen, što postoji imovinom rekord protiv stavku"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Je nepokretne imovine" ne može biti potvrđen, što postoji imovinom rekord protiv stavku"
DocType: Vehicle Service,Brake Oil,ulje za kočnice
DocType: Tax Rule,Tax Type,Porezna Tip
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Niste ovlašteni dodavati ili ažurirati unose prije {0}
DocType: BOM,Item Image (if not slideshow),Slika proizvoda (ako nije slide prikaz)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Kupac postoji s istim imenom
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Broj sati / 60) * Stvarno trajanje operacije
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Odaberi BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Odaberi BOM
DocType: SMS Log,SMS Log,SMS Prijava
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Troškovi isporučenih stavki
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Odmor na {0} nije između Od Datum i do sada
@@ -159,13 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Od {0} do {1}
DocType: Item,Copy From Item Group,Primjerak iz točke Group
DocType: Journal Entry,Opening Entry,Otvaranje - ulaz
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kupac> Skupina kupaca> Teritorij
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Račun platiti samo
DocType: Employee Loan,Repay Over Number of Periods,Vrati Preko broj razdoblja
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} nije upisano u zadani {2}
DocType: Stock Entry,Additional Costs,Dodatni troškovi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Račun s postojećom transakcijom ne može se pretvoriti u grupu.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Račun s postojećom transakcijom ne može se pretvoriti u grupu.
DocType: Lead,Product Enquiry,Upit
DocType: Academic Term,Schools,škole
+DocType: School Settings,Validate Batch for Students in Student Group,Validirati seriju za studente u grupi studenata
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Ne dopusta rekord pronađeno za zaposlenika {0} od {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Unesite tvrtka prva
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Odaberite tvrtka prvi
@@ -174,49 +176,49 @@
DocType: BOM,Total Cost,Ukupan trošak
DocType: Journal Entry Account,Employee Loan,zaposlenik kredita
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Dnevnik aktivnosti:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,Proizvod {0} ne postoji u sustavu ili je istekao
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Proizvod {0} ne postoji u sustavu ili je istekao
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Nekretnine
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Izjava o računu
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Farmaceutske
DocType: Purchase Invoice Item,Is Fixed Asset,Je nepokretne imovine
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Dostupno Količina Jedinična je {0}, potrebno je {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Dostupno Količina Jedinična je {0}, potrebno je {1}"
DocType: Expense Claim Detail,Claim Amount,Iznos štete
-DocType: Employee,Mr,G.
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Dvostruka grupa kupaca nalaze u tablici cutomer grupe
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Dobavljač Tip / Supplier
DocType: Naming Series,Prefix,Prefiks
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,potrošni
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,potrošni
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Uvoz Prijavite
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Povucite materijala zahtjev tipa Proizvodnja se temelji na gore navedenim kriterijima
DocType: Training Result Employee,Grade,Razred
DocType: Sales Invoice Item,Delivered By Supplier,Isporučio dobavljač
DocType: SMS Center,All Contact,Svi kontakti
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Proizvodnja Red je već stvorio za sve stavke s sastavnice
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Godišnja plaća
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Proizvodnja Red je već stvorio za sve stavke s sastavnice
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Godišnja plaća
DocType: Daily Work Summary,Daily Work Summary,Dnevni rad Sažetak
DocType: Period Closing Voucher,Closing Fiscal Year,Zatvaranje Fiskalna godina
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} je zamrznuta
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Odaberite postojeće tvrtke za izradu grafikona o računima
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Stock Troškovi
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} je zamrznuta
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Odaberite postojeće tvrtke za izradu grafikona o računima
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Stock Troškovi
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Odaberite Target Warehouse
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,Unesite igraca Kontakt email
+DocType: Program Enrollment,School Bus,Školski autobus
DocType: Journal Entry,Contra Entry,Contra Stupanje
DocType: Journal Entry Account,Credit in Company Currency,Kredit u trgovačkim društvima valuti
DocType: Delivery Note,Installation Status,Status instalacije
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Želite li ažurirati dolazak? <br> Prisutni: {0} \ <br> Odsutni: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Količina prihvaćeno + odbijeno mora biti jednaka zaprimljenoj količini proizvoda {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Količina prihvaćeno + odbijeno mora biti jednaka zaprimljenoj količini proizvoda {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Nabava sirovine za kupnju
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,potreban je najmanje jedan način plaćanja za POS računa.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,potreban je najmanje jedan način plaćanja za POS računa.
DocType: Products Settings,Show Products as a List,Prikaži proizvode kao popis
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Preuzmite predložak, ispunite odgovarajuće podatke i priložiti izmijenjene datoteke.
Sve datume i zaposlenika kombinacija u odabranom razdoblju doći će u predlošku s postojećim pohađanje evidencije"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,Proizvod {0} nije aktivan ili nije došao do kraja roka valjanosti
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Primjer: Osnovni Matematika
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","To uključuje porez u redu {0} u stopu točke , porezi u redovima {1} također moraju biti uključeni"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Proizvod {0} nije aktivan ili nije došao do kraja roka valjanosti
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Primjer: Osnovni Matematika
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","To uključuje porez u redu {0} u stopu točke , porezi u redovima {1} također moraju biti uključeni"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Postavke za HR modula
DocType: SMS Center,SMS Center,SMS centar
DocType: Sales Invoice,Change Amount,Promjena Iznos
@@ -226,7 +228,7 @@
DocType: Lead,Request Type,Zahtjev Tip
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Provjerite zaposlenik
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Radiodifuzija
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,izvršenje
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,izvršenje
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Pojedinosti o operacijama koje se provode.
DocType: Serial No,Maintenance Status,Status održavanja
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: potreban Dobavljač protiv plaća se računa {2}
@@ -254,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Zahtjev za ponudu se može pristupiti klikom na sljedeći link
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Dodjela lišće za godinu dana.
DocType: SG Creation Tool Course,SG Creation Tool Course,Tečaj SG alat za izradu
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,nedovoljna Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,nedovoljna Stock
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Onemogući planiranje kapaciteta i vremena za praćenje
DocType: Email Digest,New Sales Orders,Nove narudžbenice
DocType: Bank Guarantee,Bank Account,Žiro račun
@@ -265,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log',Ažurirano putem 'Time Log'
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Advance iznos ne može biti veći od {0} {1}
DocType: Naming Series,Series List for this Transaction,Serija Popis za ovu transakciju
+DocType: Company,Enable Perpetual Inventory,Omogući trajnu zalihu
DocType: Company,Default Payroll Payable Account,Zadana plaće Plaća račun
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Update Email Grupa
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Update Email Grupa
DocType: Sales Invoice,Is Opening Entry,Je Otvaranje unos
DocType: Customer Group,Mention if non-standard receivable account applicable,Spomenuti ako nestandardni potraživanja računa primjenjivo
DocType: Course Schedule,Instructor Name,Instruktor Ime
@@ -278,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Protiv prodaje dostavnice točke
,Production Orders in Progress,Radni nalozi u tijeku
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Neto novčani tijek iz financijskih
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage puna, nije štedjelo"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage puna, nije štedjelo"
DocType: Lead,Address & Contact,Adresa i kontakt
DocType: Leave Allocation,Add unused leaves from previous allocations,Dodaj neiskorištenih lišće iz prethodnih dodjela
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Sljedeći ponavljajući {0} bit će izrađen na {1}
DocType: Sales Partner,Partner website,website partnera
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Dodaj stavku
-,Contact Name,Kontakt ime
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Kontakt ime
DocType: Course Assessment Criteria,Course Assessment Criteria,Kriteriji za procjenu predmeta
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Stvara plaće slip za gore navedene kriterije.
DocType: POS Customer Group,POS Customer Group,POS Korisnička Grupa
@@ -293,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Nema opisa
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Zahtjev za kupnju.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,To se temelji na vremenske tablice stvorene na ovom projektu
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Neto plaća ne može biti manja od 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Neto plaća ne može biti manja od 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Samo osoba ovlaštena za odobrenje odsustva može potvrditi zahtjev za odsustvom
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Olakšavanja Datum mora biti veći od dana ulaska u
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Ostavlja godišnje
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Ostavlja godišnje
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Red {0}: Provjerite 'Je li Advance ""protiv nalog {1} Ako je to unaprijed ulaz."
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Skladište {0} ne pripada tvrtki {1}
DocType: Email Digest,Profit & Loss,Gubitak profita
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Litre
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Litre
DocType: Task,Total Costing Amount (via Time Sheet),Ukupno troška Iznos (preko vremenska tablica)
DocType: Item Website Specification,Item Website Specification,Specifikacija web stranice proizvoda
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Neodobreno odsustvo
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Proizvod {0} je dosegao svoj rok trajanja na {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Proizvod {0} je dosegao svoj rok trajanja na {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Bankovni tekstova
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,godišnji
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock pomirenje točka
@@ -312,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,Min naručena kol
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Tečaj Student Grupa alat za izradu
DocType: Lead,Do Not Contact,Ne kontaktirati
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,Ljudi koji uče u svojoj organizaciji
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,Ljudi koji uče u svojoj organizaciji
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Jedinstveni ID za praćenje svih ponavljajući fakture. To je izrađen podnijeti.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Software Developer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software Developer
DocType: Item,Minimum Order Qty,Minimalna količina narudžbe
DocType: Pricing Rule,Supplier Type,Dobavljač Tip
DocType: Course Scheduling Tool,Course Start Date,Naravno Datum početka
@@ -323,11 +326,11 @@
DocType: Item,Publish in Hub,Objavi na Hub
DocType: Student Admission,Student Admission,Studentski Ulaz
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Proizvod {0} je otkazan
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Proizvod {0} je otkazan
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Zahtjev za robom
DocType: Bank Reconciliation,Update Clearance Date,Ažurirajte provjeri datum
DocType: Item,Purchase Details,Detalji nabave
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Stavka {0} nije pronađena u "sirovina nabavlja se 'stol narudžbenice {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Stavka {0} nije pronađena u "sirovina nabavlja se 'stol narudžbenice {1}
DocType: Employee,Relation,Odnos
DocType: Shipping Rule,Worldwide Shipping,Dostava u svijetu
DocType: Student Guardian,Mother,Majka
@@ -346,6 +349,7 @@
DocType: Student Group Student,Student Group Student,Studentski Group Studentski
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Najnovije
DocType: Vehicle Service,Inspection,inspekcija
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Popis
DocType: Email Digest,New Quotations,Nove ponude
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,E-mail plaće slip da zaposleniku na temelju preferiranih e-mail koji ste odabrali u zaposlenika
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,Prvi dopust Odobritelj na popisu će se postaviti kao zadani Odobritelj dopust
@@ -354,20 +358,20 @@
DocType: Asset,Next Depreciation Date,Sljedeći datum Amortizacija
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Aktivnost Cijena po zaposlenom
DocType: Accounts Settings,Settings for Accounts,Postavke za račune
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Dobavljač Račun br postoji u fakturi {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Dobavljač Račun br postoji u fakturi {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Uredi raspodjelu prodavača.
DocType: Job Applicant,Cover Letter,Pismo
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Izvanredna Čekovi i depoziti za brisanje
DocType: Item,Synced With Hub,Sinkronizirati s Hub
DocType: Vehicle,Fleet Manager,Fleet Manager
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Red # {0}: {1} ne može biti negativna za predmet {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Pogrešna Lozinka
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Pogrešna Lozinka
DocType: Item,Variant Of,Varijanta
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',Završen Qty ne može biti veći od 'Kol proizvoditi'
DocType: Period Closing Voucher,Closing Account Head,Zatvaranje računa šefa
DocType: Employee,External Work History,Vanjski Povijest Posao
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Kružni Referentna Greška
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Ime Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Ime Guardian1
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Riječima (izvoz) će biti vidljivo nakon što spremite otpremnicu.
DocType: Cheque Print Template,Distance from left edge,Udaljenost od lijevog ruba
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} jedinica [{1}] (# Form / Artikl / {1}) naći u [{2}] (# Form / Skladište / {2})
@@ -376,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Obavijest putem maila prilikom stvaranja automatskog Zahtjeva za robom
DocType: Journal Entry,Multi Currency,Više valuta
DocType: Payment Reconciliation Invoice,Invoice Type,Tip fakture
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Otpremnica
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Otpremnica
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Postavljanje Porezi
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Troškovi prodane imovinom
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,Ulazak Plaćanje je izmijenjen nakon što ga je izvukao. Ponovno izvucite ga.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} dva puta ušao u točki poreza
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Ulazak Plaćanje je izmijenjen nakon što ga je izvukao. Ponovno izvucite ga.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} dva puta ušao u točki poreza
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Sažetak za ovaj tjedan i tijeku aktivnosti
DocType: Student Applicant,Admitted,priznao
DocType: Workstation,Rent Cost,Rent cost
@@ -398,25 +402,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Unesite ' ponovite na dan u mjesecu ' na terenu vrijednosti
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Stopa po kojoj Kupac valuta se pretvaraju u kupca osnovne valute
DocType: Course Scheduling Tool,Course Scheduling Tool,Naravno alat za raspoređivanje
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},"Red # {0}: Kupnja Račun, ne može se protiv postojećeg sredstva {1}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},"Red # {0}: Kupnja Račun, ne može se protiv postojećeg sredstva {1}"
DocType: Item Tax,Tax Rate,Porezna stopa
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} već dodijeljeno za zaposlenika {1} za vrijeme {2} {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Odaberite stavku
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Nabavni račun {0} je već podnesen
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Nabavni račun {0} je već podnesen
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Red # {0}: Batch Ne mora biti ista kao {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Pretvori u ne-Group
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Serija (puno) proizvoda.
DocType: C-Form Invoice Detail,Invoice Date,Datum računa
DocType: GL Entry,Debit Amount,Duguje iznos
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Tu može biti samo 1 račun po društvo u {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,Pogledajte prilog
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Tu može biti samo 1 račun po društvo u {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,Pogledajte prilog
DocType: Purchase Order,% Received,% Zaprimljeno
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Stvaranje grupe učenika
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Postavke su već kompletne!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Iznos uplate kredita
,Finished Goods,Gotovi proizvodi
DocType: Delivery Note,Instructions,Instrukcije
DocType: Quality Inspection,Inspected By,Pregledati
DocType: Maintenance Visit,Maintenance Type,Tip održavanja
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} nije upisana u tečaj {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Serijski Ne {0} ne pripada isporuke Napomena {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Dodaj artikle
@@ -437,7 +443,7 @@
DocType: Request for Quotation,Request for Quotation,Zahtjev za ponudu
DocType: Salary Slip Timesheet,Working Hours,Radnih sati
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Promjena polaznu / tekući redni broj postojeće serije.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Stvaranje novog kupca
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Stvaranje novog kupca
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ako više Cijene pravila i dalje prevladavaju, korisnici su zamoljeni da postavite prioritet ručno riješiti sukob."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Izrada narudžbenice
,Purchase Register,Popis nabave
@@ -449,7 +455,7 @@
DocType: Student Log,Medical,Liječnički
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Razlog gubitka
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Olovo Vlasnik ne može biti ista kao i olova
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,Dodijeljeni iznos ne može veći od nekorigirani iznosa
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,Dodijeljeni iznos ne može veći od nekorigirani iznosa
DocType: Announcement,Receiver,Prijamnik
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Radna stanica je zatvorena na sljedeće datume po Holiday Popis: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Mogućnosti
@@ -463,8 +469,7 @@
DocType: Assessment Plan,Examiner Name,Naziv ispitivač
DocType: Purchase Invoice Item,Quantity and Rate,Količina i stopa
DocType: Delivery Note,% Installed,% Instalirano
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učionice / laboratoriji i sl, gdje predavanja može biti na rasporedu."
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dobavljač> Vrsta dobavljača
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učionice / laboratoriji i sl, gdje predavanja može biti na rasporedu."
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Unesite ime tvrtke prvi
DocType: Purchase Invoice,Supplier Name,Dobavljač Ime
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Pročitajte ERPNext priručnik
@@ -474,7 +479,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Provjerite Dobavljač Račun broj Jedinstvenost
DocType: Vehicle Service,Oil Change,Promjena ulja
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','Za Predmet br' ne može biti manje od 'Od Predmeta br'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Neprofitno
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Neprofitno
DocType: Production Order,Not Started,Ne pokrenuto
DocType: Lead,Channel Partner,Channel Partner
DocType: Account,Old Parent,Stari Roditelj
@@ -484,19 +489,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globalne postavke za sve proizvodne procese.
DocType: Accounts Settings,Accounts Frozen Upto,Računi Frozen Upto
DocType: SMS Log,Sent On,Poslan Na
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Osobina {0} izabrani više puta u Svojstva tablice
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Osobina {0} izabrani više puta u Svojstva tablice
DocType: HR Settings,Employee record is created using selected field. ,Zaposlenika rekord je stvorio pomoću odabranog polja.
DocType: Sales Order,Not Applicable,Nije primjenjivo
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Majstor za odmor .
DocType: Request for Quotation Item,Required Date,Potrebna Datum
DocType: Delivery Note,Billing Address,Adresa za naplatu
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Unesite kod artikal .
DocType: BOM,Costing,Koštanje
DocType: Tax Rule,Billing County,županija naplate
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Ako je označeno, iznos poreza će se smatrati već uključena u Print Rate / Ispis Iznos"
DocType: Request for Quotation,Message for Supplier,Poruka za dobavljača
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Ukupna količina
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,ID e-pošte Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,ID e-pošte Guardian2
DocType: Item,Show in Website (Variant),Prikaži u Web (Variant)
DocType: Employee,Health Concerns,Zdravlje Zabrinutost
DocType: Process Payroll,Select Payroll Period,Odaberite Platne razdoblje
@@ -514,25 +518,27 @@
DocType: Sales Order Item,Used for Production Plan,Koristi se za plan proizvodnje
DocType: Employee Loan,Total Payment,ukupno plaćanja
DocType: Manufacturing Settings,Time Between Operations (in mins),Vrijeme između operacije (u minutama)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} je otkazana pa se radnja ne može dovršiti
DocType: Customer,Buyer of Goods and Services.,Kupac robe i usluga.
DocType: Journal Entry,Accounts Payable,Naplativi računi
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Odabrane Sastavnice nisu za istu stavku
DocType: Pricing Rule,Valid Upto,Vrijedi Upto
DocType: Training Event,Workshop,Radionica
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Navedite nekoliko svojih kupaca. Oni mogu biti tvrtke ili fizičke osobe.
-,Enough Parts to Build,Dosta Dijelovi za izgradnju
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Izravni dohodak
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Navedite nekoliko svojih kupaca. Oni mogu biti tvrtke ili fizičke osobe.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Dosta Dijelovi za izgradnju
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Izravni dohodak
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Ne možete filtrirati na temelju računa, ako je grupirano po računu"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Administrativni službenik
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Odaberite Tečaj
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Administrativni službenik
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Odaberite Tečaj
DocType: Timesheet Detail,Hrs,hrs
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Odaberite tvrtke
DocType: Stock Entry Detail,Difference Account,Račun razlike
+DocType: Purchase Invoice,Supplier GSTIN,Dobavljač GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Ne može zatvoriti zadatak kao njegova ovisna zadatak {0} nije zatvoren.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Unesite skladište za koje Materijal Zahtjev će biti podignuta
DocType: Production Order,Additional Operating Cost,Dodatni trošak
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,kozmetika
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Spojiti , ova svojstva moraju biti isti za obje stavke"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Spojiti , ova svojstva moraju biti isti za obje stavke"
DocType: Shipping Rule,Net Weight,Neto težina
DocType: Employee,Emergency Phone,Telefon hitne službe
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Kupiti
@@ -541,14 +547,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Definirajte ocjenu za Prag 0%
DocType: Sales Order,To Deliver,Za isporuku
DocType: Purchase Invoice Item,Item,Proizvod
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Serijski nema stavke ne može biti dio
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Serijski nema stavke ne može biti dio
DocType: Journal Entry,Difference (Dr - Cr),Razlika ( dr. - Cr )
DocType: Account,Profit and Loss,Račun dobiti i gubitka
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Upravljanje podugovaranje
DocType: Project,Project will be accessible on the website to these users,Projekt će biti dostupan na web-stranici ovih korisnika
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Stopa po kojoj Cjenik valute se pretvaraju u tvrtke bazne valute
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Račun {0} ne pripada tvrtki: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Naziv već koristi druga tvrtka
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Račun {0} ne pripada tvrtki: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Naziv već koristi druga tvrtka
DocType: Selling Settings,Default Customer Group,Zadana grupa kupaca
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Ako onemogućite, 'Ukupno' Zaobljeni polje neće biti vidljiv u bilo kojoj transakciji"
DocType: BOM,Operating Cost,Operativni troškovi
@@ -556,7 +562,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Prirast ne može biti 0
DocType: Production Planning Tool,Material Requirement,Preduvjet za robu
DocType: Company,Delete Company Transactions,Brisanje transakcije tvrtke
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Referentni broj i reference Datum obvezna je za banke transakcije
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Referentni broj i reference Datum obvezna je za banke transakcije
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Dodaj / uredi porez i pristojbe
DocType: Purchase Invoice,Supplier Invoice No,Dobavljač Račun br
DocType: Territory,For reference,Za referencu
@@ -567,22 +573,22 @@
DocType: Installation Note Item,Installation Note Item,Napomena instalacije proizvoda
DocType: Production Plan Item,Pending Qty,U tijeku Kom
DocType: Budget,Ignore,Ignorirati
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} nije aktivan
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} nije aktivan
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS poslan na sljedećim brojevima: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,Provjera postavljanje dimenzije za ispis
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Provjera postavljanje dimenzije za ispis
DocType: Salary Slip,Salary Slip Timesheet,Plaća proklizavanja timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Dobavljač skladišta obvezan je za sub - ugovoreni kupiti primitka
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Dobavljač skladišta obvezan je za sub - ugovoreni kupiti primitka
DocType: Pricing Rule,Valid From,vrijedi od
DocType: Sales Invoice,Total Commission,Ukupno komisija
DocType: Pricing Rule,Sales Partner,Prodajni partner
DocType: Buying Settings,Purchase Receipt Required,Primka je obvezna
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,Vrednovanje stopa je obavezno ako Otvaranje Stock ušao
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,Vrednovanje stopa je obavezno ako Otvaranje Stock ušao
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Nisu pronađeni zapisi u tablici računa
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Odaberite Društvo i Zabava Tip prvi
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Financijska / obračunska godina.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Financijska / obračunska godina.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Akumulirani Vrijednosti
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Žao nam je , Serial Nos ne mogu spojiti"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Napravi prodajnu narudžbu
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Napravi prodajnu narudžbu
DocType: Project Task,Project Task,Zadatak projekta
,Lead Id,Id potencijalnog kupca
DocType: C-Form Invoice Detail,Grand Total,Ukupno za platiti
@@ -599,7 +605,7 @@
DocType: Job Applicant,Resume Attachment,Nastavi Prilog
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Ponoviti kupaca
DocType: Leave Control Panel,Allocate,Dodijeliti
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Povrat robe
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Povrat robe
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Napomena: Ukupno dodijeljeni lišće {0} ne bi trebala biti manja od već odobrenih lišća {1} za razdoblje
DocType: Announcement,Posted By,Objavio
DocType: Item,Delivered by Supplier (Drop Ship),Dostavlja Dobavljač (Drop Ship)
@@ -609,8 +615,8 @@
DocType: Quotation,Quotation To,Ponuda za
DocType: Lead,Middle Income,Srednji Prihodi
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Otvaranje ( Cr )
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Zadana mjerna jedinica za točke {0} se ne može mijenjati izravno, jer ste već napravili neke transakcije (e) s drugim UOM. Morat ćete stvoriti novu stavku za korištenje drugačiji Default UOM."
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Dodijeljeni iznos ne može biti negativan
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Zadana mjerna jedinica za točke {0} se ne može mijenjati izravno, jer ste već napravili neke transakcije (e) s drugim UOM. Morat ćete stvoriti novu stavku za korištenje drugačiji Default UOM."
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Dodijeljeni iznos ne može biti negativan
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Postavite tvrtku
DocType: Purchase Order Item,Billed Amt,Naplaćeno Amt
DocType: Training Result Employee,Training Result Employee,Obuku zaposlenika Rezultat
@@ -622,7 +628,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Odaberite Račun za plaćanje kako bi Bank Entry
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Stvaranje zaposlenika evidencije za upravljanje lišće, trošak tvrdnje i obračun plaća"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Dodaj u bazi znanja
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Pisanje prijedlog
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Pisanje prijedlog
DocType: Payment Entry Deduction,Payment Entry Deduction,Plaćanje Ulaz Odbitak
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Još jedna prodaja Osoba {0} postoji s istim ID zaposlenika
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Ako je označeno, sirovina za stavke koje su pod-ugovorene će biti uključeni u materijalu zahtjeva"
@@ -636,7 +642,7 @@
DocType: Timesheet,Billed,Naplaćeno
DocType: Batch,Batch Description,Batch Opis
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Stvaranje studentskih skupina
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Payment Gateway računa nije stvorio, ručno stvoriti jedan."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Payment Gateway računa nije stvorio, ručno stvoriti jedan."
DocType: Sales Invoice,Sales Taxes and Charges,Prodaja Porezi i naknade
DocType: Employee,Organization Profile,Profil organizacije
DocType: Student,Sibling Details,polubrat Detalji
@@ -658,11 +664,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Neto promjena u inventar
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Upravljanje zaposlenicima kredita
DocType: Employee,Passport Number,Broj putovnice
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Odnos s Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Upravitelj
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Odnos s Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Upravitelj
DocType: Payment Entry,Payment From / To,Plaćanje Od / Do
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Novi kreditni limit je manja od trenutne preostali iznos za kupca. Kreditni limit mora biti atleast {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Isti predmet je ušao više puta.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Novi kreditni limit je manja od trenutne preostali iznos za kupca. Kreditni limit mora biti atleast {0}
DocType: SMS Settings,Receiver Parameter,Prijemnik parametra
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Temelji se na' i 'Grupiranje po' ne mogu biti isti
DocType: Sales Person,Sales Person Targets,Prodajni plan prodavača
@@ -671,8 +676,9 @@
DocType: Issue,Resolution Date,Rezolucija Datum
DocType: Student Batch Name,Batch Name,Batch Name
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timesheet stvorio:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},Molimo postavite zadanu gotovinom ili banka računa u načinu plaćanja {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Molimo postavite zadanu gotovinom ili banka računa u načinu plaćanja {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Upisati
+DocType: GST Settings,GST Settings,Postavke GST-a
DocType: Selling Settings,Customer Naming By,Imenovanje kupca prema
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Pokazat će student prisutan u Studentskom Mjesečni Attendance Report
DocType: Depreciation Schedule,Depreciation Amount,Amortizacija Iznos
@@ -694,6 +700,7 @@
DocType: Item,Material Transfer,Transfer robe
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Otvaranje (DR)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Objavljivanje timestamp mora biti poslije {0}
+,GST Itemised Purchase Register,Registar kupnje artikala GST
DocType: Employee Loan,Total Interest Payable,Ukupna kamata
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Porezi i pristojbe zavisnog troška
DocType: Production Order Operation,Actual Start Time,Stvarni Vrijeme početka
@@ -720,10 +727,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
DocType: Account,Accounts,Računi
DocType: Vehicle,Odometer Value (Last),Odometar vrijednost (zadnja)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Ulazak Plaćanje je već stvorio
DocType: Purchase Receipt Item Supplied,Current Stock,Trenutačno stanje skladišta
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Red # {0}: Imovina {1} ne povezan s točkom {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Red # {0}: Imovina {1} ne povezan s točkom {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Pregled Plaća proklizavanja
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Račun {0} unesen više puta
DocType: Account,Expenses Included In Valuation,Troškovi uključeni u vrednovanje
@@ -731,7 +738,7 @@
,Absent Student Report,Odsutni Student Report
DocType: Email Digest,Next email will be sent on:,Sljedeći email će biti poslan na:
DocType: Offer Letter Term,Offer Letter Term,Ponuda pismo Pojam
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Stavka ima varijante.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Stavka ima varijante.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Stavka {0} nije pronađena
DocType: Bin,Stock Value,Stock vrijednost
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Tvrtka {0} ne postoji
@@ -740,7 +747,7 @@
DocType: Serial No,Warranty Expiry Date,Datum isteka jamstva
DocType: Material Request Item,Quantity and Warehouse,Količina i skladišta
DocType: Sales Invoice,Commission Rate (%),Komisija stopa (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Odaberite Program
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Odaberite Program
DocType: Project,Estimated Cost,Procjena cijene
DocType: Purchase Order,Link to material requests,Link na materijalnim zahtjevima
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Zračno-kosmički prostor
@@ -754,14 +761,14 @@
DocType: Purchase Order,Supply Raw Materials,Supply sirovine
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,Datum na koji pored faktura će biti generiran. Ona nastaje na dostavi.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Dugotrajna imovina
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} nije skladišni proizvod
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} nije skladišni proizvod
DocType: Mode of Payment Account,Default Account,Zadani račun
DocType: Payment Entry,Received Amount (Company Currency),Primljeni Iznos (Društvo valuta)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,Potencijalni kupac mora biti postavljen ako je prilika iz njega izrađena
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,Odaberite tjednik off dan
DocType: Production Order Operation,Planned End Time,Planirani End Time
,Sales Person Target Variance Item Group-Wise,Pregled prometa po prodavaču i grupi proizvoda
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Račun s postojećom transakcijom ne može se pretvoriti u glavnu knjigu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Račun s postojećom transakcijom ne može se pretvoriti u glavnu knjigu
DocType: Delivery Note,Customer's Purchase Order No,Kupca Narudžbenica br
DocType: Budget,Budget Against,proračun protiv
DocType: Employee,Cell Number,Mobitel Broj
@@ -773,15 +780,13 @@
DocType: Opportunity,Opportunity From,Prilika od
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Mjesečna plaća izjava.
DocType: BOM,Website Specifications,Web Specifikacije
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Molim postavite serijske brojeve za prisustvovanje putem Setup> Serija numeriranja
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Od {0} od tipa {1}
DocType: Warranty Claim,CI-,Civilno
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Red {0}: pretvorbe Factor je obvezno
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Red {0}: pretvorbe Factor je obvezno
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Više Pravila Cijena postoji sa istim kriterijima, molimo rješavanje sukoba dodjeljivanjem prioriteta. Pravila Cijena: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,Ne može deaktivirati ili otkazati BOM kao što je povezano s drugim sastavnicama
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Više Pravila Cijena postoji sa istim kriterijima, molimo rješavanje sukoba dodjeljivanjem prioriteta. Pravila Cijena: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Ne može deaktivirati ili otkazati BOM kao što je povezano s drugim sastavnicama
DocType: Opportunity,Maintenance,Održavanje
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Broj primke je potreban za artikal {0}
DocType: Item Attribute Value,Item Attribute Value,Stavka Vrijednost atributa
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Prodajne kampanje.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Provjerite timesheet
@@ -833,29 +838,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Imovine otpisan putem Temeljnica {0}
DocType: Employee Loan,Interest Income Account,Prihod od kamata računa
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Biotehnologija
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Troškovi održavanja ureda
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Troškovi održavanja ureda
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Postavljanje račun e-pošte
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Unesite predmeta prvi
DocType: Account,Liability,Odgovornost
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,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}.
DocType: Company,Default Cost of Goods Sold Account,Zadana vrijednost prodane robe računa
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Popis Cijena ne bira
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Popis Cijena ne bira
DocType: Employee,Family Background,Obitelj Pozadina
DocType: Request for Quotation Supplier,Send Email,Pošaljite e-poštu
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Upozorenje: Invalid Prilog {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Upozorenje: Invalid Prilog {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Nemate dopuštenje
DocType: Company,Default Bank Account,Zadani bankovni račun
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Za filtriranje se temelji na stranke, odaberite stranka Upišite prvi"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},Opcija 'Ažuriraj zalihe' nije dostupna jer stavke nisu dostavljene putem {0}
DocType: Vehicle,Acquisition Date,Datum akvizicije
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Kom
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,kom
DocType: Item,Items with higher weightage will be shown higher,Stavke sa višim weightage će se prikazati više
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Banka Pomirenje Detalj
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Red # {0}: Imovina {1} mora biti predana
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Red # {0}: Imovina {1} mora biti predana
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Nisu pronađeni zaposlenici
DocType: Supplier Quotation,Stopped,Zaustavljen
DocType: Item,If subcontracted to a vendor,Ako podugovoren dobavljaču
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Studentska grupa je već ažurirana.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Studentska grupa je već ažurirana.
DocType: SMS Center,All Customer Contact,Svi kontakti kupaca
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Prenesi dionica ravnotežu putem CSV.
DocType: Warehouse,Tree Details,stablo Detalji
@@ -867,13 +872,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Centar Cijena {2} ne pripada Društvu {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Račun {2} ne može biti grupa
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Stavka retka {idx}: {DOCTYPE} {DOCNAME} ne postoji u gore '{DOCTYPE}' stol
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Timesheet {0} već je završen ili otkazan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} već je završen ili otkazan
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Nema zadataka
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Dan u mjesecu na koji auto faktura će biti generiran npr 05, 28 itd"
DocType: Asset,Opening Accumulated Depreciation,Otvaranje Akumulirana amortizacija
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Rezultat mora biti manja od ili jednaka 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Program za upis alat
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,C-obrazac zapisi
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C-obrazac zapisi
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Kupaca i dobavljača
DocType: Email Digest,Email Digest Settings,E-pošta postavke
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Hvala vam na poslovanju!
@@ -883,17 +888,19 @@
DocType: Bin,Moving Average Rate,Stopa prosječne ponderirane cijene
DocType: Production Planning Tool,Select Items,Odaberite proizvode
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} u odnosu na račun {1} s datumom {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Broj vozila / autobusa
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Raspored predmeta
DocType: Maintenance Visit,Completion Status,Završetak Status
DocType: HR Settings,Enter retirement age in years,Unesite dob za umirovljenje u godinama
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Ciljana galerija
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Odaberite skladište
DocType: Cheque Print Template,Starting location from left edge,Počevši lokaciju od lijevog ruba
DocType: Item,Allow over delivery or receipt upto this percent,Dopustite preko isporuka ili primitak upto ovim posto
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,Uvoz posjećenost
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Sve skupine proizvoda
DocType: Process Payroll,Activity Log,Dnevnik aktivnosti
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Neto dobit / gubitak
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Neto dobit / gubitak
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Automatski napravi poruku pri podnošenju transakcije.
DocType: Production Order,Item To Manufacture,Proizvod za proizvodnju
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} status {2}
@@ -902,16 +909,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Narudžbenice za plaćanje
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Predviđena količina
DocType: Sales Invoice,Payment Due Date,Plaćanje Due Date
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Stavka Varijanta {0} već postoji s istim atributima
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Stavka Varijanta {0} već postoji s istim atributima
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',"Otvaranje '
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Otvoreni učiniti
DocType: Notification Control,Delivery Note Message,Otpremnica - poruka
DocType: Expense Claim,Expenses,troškovi
+,Support Hours,Sati podrške
DocType: Item Variant Attribute,Item Variant Attribute,Stavka Varijanta Osobina
,Purchase Receipt Trends,Trend primki
DocType: Process Payroll,Bimonthly,časopis koji izlazi svaka dva mjeseca
DocType: Vehicle Service,Brake Pad,Pad kočnice
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Istraživanje i razvoj
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Istraživanje i razvoj
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Iznositi Billa
DocType: Company,Registration Details,Registracija Brodu
DocType: Timesheet,Total Billed Amount,Ukupno naplaćeni iznos
@@ -924,12 +932,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Dobiti Samo sirovine
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Ocjenjivanje.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Omogućavanje 'Koristi za košaricu', kao što Košarica je omogućena i tamo bi trebao biti barem jedan Porezna pravila za Košarica"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Ulazak Plaćanje {0} je vezan protiv Reda {1}, provjeriti treba li se izvući kao napredak u tom računu."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Ulazak Plaćanje {0} je vezan protiv Reda {1}, provjeriti treba li se izvući kao napredak u tom računu."
DocType: Sales Invoice Item,Stock Details,Stock Detalji
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Vrijednost projekta
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Prodajno mjesto
DocType: Vehicle Log,Odometer Reading,Stanje kilometraže
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Stanje računa već u kredit, što se ne smije postaviti 'ravnoteža se mora' kao 'zaduženje """
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Stanje računa već u kredit, što se ne smije postaviti 'ravnoteža se mora' kao 'zaduženje """
DocType: Account,Balance must be,Bilanca mora biti
DocType: Hub Settings,Publish Pricing,Objavi Cijene
DocType: Notification Control,Expense Claim Rejected Message,Rashodi Zahtjev odbijen poruku
@@ -939,7 +947,7 @@
DocType: Salary Slip,Working Days,Radnih dana
DocType: Serial No,Incoming Rate,Dolazni Stopa
DocType: Packing Slip,Gross Weight,Bruto težina
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,Ime vaše tvrtke za koje ste postavljanje ovog sustava .
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,Ime vaše tvrtke za koje ste postavljanje ovog sustava .
DocType: HR Settings,Include holidays in Total no. of Working Days,Uključi odmor u ukupnom. radnih dana
DocType: Job Applicant,Hold,Zadrži
DocType: Employee,Date of Joining,Datum pristupa
@@ -950,20 +958,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Primka
,Received Items To Be Billed,Primljeni Proizvodi se naplaćuje
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Poslao plaća gaćice
-DocType: Employee,Ms,Gospođa
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Majstor valute .
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Referentni DOCTYPE mora biti jedan od {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Majstor valute .
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referentni DOCTYPE mora biti jedan od {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Nije moguće pronaći termin u narednih {0} dana za rad {1}
DocType: Production Order,Plan material for sub-assemblies,Plan materijal za pod-sklopova
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Prodaja Partneri i Županija
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,Ne može se automatski stvoriti račun kao što je već ravnoteža dionica na računu. Morate stvoriti odgovarajući račun prije nego što možete napraviti unos na tom skladištu
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} mora biti aktivna
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} mora biti aktivna
DocType: Journal Entry,Depreciation Entry,Amortizacija Ulaz
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Molimo odaberite vrstu dokumenta prvi
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Odustani Posjeta materijala {0} prije otkazivanja ovog održavanja pohod
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serijski Ne {0} ne pripada točki {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Potrebna Kol
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Skladišta s postojećim transakcije ne može pretvoriti u knjigu.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Skladišta s postojećim transakcije ne može pretvoriti u knjigu.
DocType: Bank Reconciliation,Total Amount,Ukupan iznos
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Internet izdavaštvo
DocType: Production Planning Tool,Production Orders,Nalozi
@@ -978,25 +984,26 @@
DocType: Fee Structure,Components,Komponente
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Unesite imovinom Kategorija tačke {0}
DocType: Quality Inspection Reading,Reading 6,Čitanje 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Ne mogu {0} {1} {2} bez ikakvih negativnih izvanredan fakture
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Ne mogu {0} {1} {2} bez ikakvih negativnih izvanredan fakture
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Ulazni račun - predujam
DocType: Hub Settings,Sync Now,Sync Sada
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Red {0}: Kredit unos ne može biti povezan s {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Odredite proračun za financijsku godinu.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Odredite proračun za financijsku godinu.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"Zadana banka / novčani račun će se automatski ažurirati prema POS računu, kada je ovaj mod odabran."
DocType: Lead,LEAD-,DOVESTI-
DocType: Employee,Permanent Address Is,Stalna adresa je
DocType: Production Order Operation,Operation completed for how many finished goods?,Operacija završena za koliko gotovih proizvoda?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,Brand
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Brand
DocType: Employee,Exit Interview Details,Izlaz Intervju Detalji
DocType: Item,Is Purchase Item,Je dobavljivi proizvod
DocType: Asset,Purchase Invoice,Ulazni račun
DocType: Stock Ledger Entry,Voucher Detail No,Bon Detalj Ne
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Novi prodajni Račun
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Novi prodajni Račun
DocType: Stock Entry,Total Outgoing Value,Ukupna odlazna vrijednost
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Otvaranje i zatvaranje Datum datum mora biti unutar iste fiskalne godine
DocType: Lead,Request for Information,Zahtjev za informacije
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sinkronizacija Offline Računi
+,LeaderBoard,leaderboard
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Sinkronizacija Offline Računi
DocType: Payment Request,Paid,Plaćen
DocType: Program Fee,Program Fee,Naknada program
DocType: Salary Slip,Total in words,Ukupno je u riječima
@@ -1005,13 +1012,13 @@
DocType: Cheque Print Template,Has Print Format,Ima format ispisa
DocType: Employee Loan,Sanctioned,kažnjeni
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,Obavezno polje. Moguće je da za njega nije upisan tečaj.
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Navedite rednim brojem predmeta za {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Za 'proizvod Bundle' predmeta, skladište, rednim i hrpa Ne smatrat će se iz "Popis pakiranja 'stol. Ako Skladište i serije ne su isti za sve pakiranje predmeta za bilo 'proizvod Bundle' točke, te vrijednosti može se unijeti u glavnoj točki stol, vrijednosti će se kopirati u 'pakiranje popis' stol."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Navedite rednim brojem predmeta za {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Za 'proizvod Bundle' predmeta, skladište, rednim i hrpa Ne smatrat će se iz "Popis pakiranja 'stol. Ako Skladište i serije ne su isti za sve pakiranje predmeta za bilo 'proizvod Bundle' točke, te vrijednosti može se unijeti u glavnoj točki stol, vrijednosti će se kopirati u 'pakiranje popis' stol."
DocType: Job Opening,Publish on website,Objavi na web stranici
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Isporuke kupcima.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Datum Dobavljač Račun ne može biti veća od datum knjiženja
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Datum Dobavljač Račun ne može biti veća od datum knjiženja
DocType: Purchase Invoice Item,Purchase Order Item,Stavka narudžbenice
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Neizravni dohodak
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Neizravni dohodak
DocType: Student Attendance Tool,Student Attendance Tool,Studentski Gledatelja alat
DocType: Cheque Print Template,Date Settings,Datum Postavke
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Varijacija
@@ -1029,20 +1036,20 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,kemijski
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Zadana Banka / Novčani račun će biti automatski ažurira plaće Temeljnica kad je odabran ovaj način rada.
DocType: BOM,Raw Material Cost(Company Currency),Troškova sirovine (Društvo valuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Svi predmeti su već prebačeni za ovu radnog naloga.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Svi predmeti su već prebačeni za ovu radnog naloga.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Red # {0}: Stopa ne može biti veća od stope korištene u {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,Metar
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,Metar
DocType: Workstation,Electricity Cost,Troškovi struje
DocType: HR Settings,Don't send Employee Birthday Reminders,Ne šaljite podsjetnik za rođendan zaposlenika
DocType: Item,Inspection Criteria,Inspekcijski Kriteriji
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Prenose
DocType: BOM Website Item,BOM Website Item,BOM web stranica predmeta
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Upload Vaše pismo glavu i logotip. (Možete ih uređivati kasnije).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Upload Vaše pismo glavu i logotip. (Možete ih uređivati kasnije).
DocType: Timesheet Detail,Bill,Račun
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Sljedeća Amortizacija Datum upisuje kao prošlih dana
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Bijela
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Bijela
DocType: SMS Center,All Lead (Open),Svi potencijalni kupci (aktualni)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Red {0}: Kol nisu dostupni za {4} u skladištu {1} na objavljivanje vrijeme upisa ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Red {0}: Kol nisu dostupni za {4} u skladištu {1} na objavljivanje vrijeme upisa ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Kreiraj avansno plaćanje
DocType: Item,Automatically Create New Batch,Automatski kreira novu seriju
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,Napravi
@@ -1052,13 +1059,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Moja košarica
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Tip narudžbe mora biti jedan od {0}
DocType: Lead,Next Contact Date,Sljedeći datum kontakta
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Otvaranje Kol
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,Unesite račun za promjene visine
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Otvaranje Kol
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,Unesite račun za promjene visine
DocType: Student Batch Name,Student Batch Name,Studentski Batch Name
DocType: Holiday List,Holiday List Name,Turistička Popis Ime
DocType: Repayment Schedule,Balance Loan Amount,Stanje Iznos kredita
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Raspored nastave
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Burzovnih opcija
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Burzovnih opcija
DocType: Journal Entry Account,Expense Claim,Rashodi polaganja
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Da li stvarno želite vratiti ovaj otpisan imovine?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Količina za {0}
@@ -1070,12 +1077,12 @@
DocType: Company,Default Terms,Zadani uvjeti
DocType: Packing Slip Item,Packing Slip Item,Odreskom predmet
DocType: Purchase Invoice,Cash/Bank Account,Novac / bankovni račun
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Navedite a {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Navedite a {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Uklonjene stvari bez promjena u količini ili vrijednosti.
DocType: Delivery Note,Delivery To,Dostava za
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Osobina stol je obavezno
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Osobina stol je obavezno
DocType: Production Planning Tool,Get Sales Orders,Kreiraj narudžbe
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} ne može biti negativna
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} ne može biti negativna
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Popust
DocType: Asset,Total Number of Depreciations,Ukupan broj deprecijaciju
DocType: Sales Invoice Item,Rate With Margin,Ocijenite s marginom
@@ -1095,7 +1102,6 @@
DocType: Serial No,Creation Document No,Stvaranje dokumenata nema
DocType: Issue,Issue,Izdanje
DocType: Asset,Scrapped,otpisan
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Račun ne odgovara tvrtke
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Atributi za stavku varijanti. npr Veličina, boja i sl"
DocType: Purchase Invoice,Returns,vraća
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP Skladište
@@ -1107,12 +1113,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,Stavka mora biti dodana pomoću 'se predmeti od kupnje primitaka' gumb
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Uključuje ne-stock predmeta
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Prodajni troškovi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Prodajni troškovi
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Standardna kupnju
DocType: GL Entry,Against,Protiv
DocType: Item,Default Selling Cost Center,Zadani trošak prodaje
DocType: Sales Partner,Implementation Partner,Provedba partner
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Poštanski broj
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Poštanski broj
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Prodaja Naručite {0} {1}
DocType: Opportunity,Contact Info,Kontakt Informacije
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Izrada Stock unose
@@ -1125,31 +1131,31 @@
DocType: Holiday List,Get Weekly Off Dates,Nabavite Tjedno Off datumi
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,Datum završetka ne može biti manja od početnog datuma
DocType: Sales Person,Select company name first.,Prvo odaberite naziv tvrtke.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Doktor
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Ponude dobivene od dobavljača.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Za {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Prosječna starost
DocType: School Settings,Attendance Freeze Date,Datum zamrzavanja pohađanja
DocType: Opportunity,Your sales person who will contact the customer in future,Vaš prodavač koji će ubuduće kontaktirati kupca
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Navedite nekoliko svojih dobavljača. Oni mogu biti tvrtke ili fizičke osobe.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Navedite nekoliko svojih dobavljača. Oni mogu biti tvrtke ili fizičke osobe.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Pogledaj sve proizvode
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimalna dob (olovo)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,Svi Sastavnice
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Svi Sastavnice
DocType: Company,Default Currency,Zadana valuta
DocType: Expense Claim,From Employee,Od zaposlenika
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Upozorenje : Sustav neće provjeravati overbilling od iznosa za točku {0} u {1} je nula
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Upozorenje : Sustav neće provjeravati overbilling od iznosa za točku {0} u {1} je nula
DocType: Journal Entry,Make Difference Entry,Čine razliku Entry
DocType: Upload Attendance,Attendance From Date,Gledanost od datuma
DocType: Appraisal Template Goal,Key Performance Area,Zona ključnih performansi
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,promet
+DocType: Program Enrollment,Transportation,promet
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Pogrešna Osobina
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} mora biti podnesen
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} mora biti podnesen
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Količina mora biti manji ili jednak {0}
DocType: SMS Center,Total Characters,Ukupno Likovi
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Odaberite BOM u BOM polje za točku {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Odaberite BOM u BOM polje za točku {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-obrazac detalj računa
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Pomirenje Plaćanje fakture
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Doprinos%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Prema postavkama kupnje ako je potrebna narudžbenica == 'DA', a zatim za izradu računa za kupnju, korisnik mora najprije stvoriti narudžbenicu za stavku {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Tvrtka registracijski brojevi za svoju referencu. Porezni brojevi itd.
DocType: Sales Partner,Distributor,Distributer
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Košarica Dostava Rule
@@ -1158,23 +1164,25 @@
,Ordered Items To Be Billed,Naručeni proizvodi za naplatu
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Od Raspon mora biti manji od u rasponu
DocType: Global Defaults,Global Defaults,Globalne zadane postavke
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Projekt Suradnja Poziv
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Projekt Suradnja Poziv
DocType: Salary Slip,Deductions,Odbici
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Početak godine
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},Prve dvije znamenke GSTIN-a trebale bi se podudarati s državnim brojem {0}
DocType: Purchase Invoice,Start date of current invoice's period,Početak datum tekućeg razdoblja dostavnice
DocType: Salary Slip,Leave Without Pay,Neplaćeno odsustvo
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Kapacitet Greška planiranje
,Trial Balance for Party,Suđenje Stanje na stranku
DocType: Lead,Consultant,Konzultant
DocType: Salary Slip,Earnings,Zarada
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Gotovi Stavka {0} mora biti upisana za tip Proizvodnja upis
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Gotovi Stavka {0} mora biti upisana za tip Proizvodnja upis
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Otvori računovodstveno stanje
+,GST Sales Register,GST registar prodaje
DocType: Sales Invoice Advance,Sales Invoice Advance,Predujam prodajnog računa
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Ništa za zatražiti
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Još jedan proračun rekord '{0}' već postoji od {1} '{2}' za fiskalnu godinu {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',Stvarni datum početka ne može biti veći od stvarnog datuma završetka
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Uprava
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Uprava
DocType: Cheque Print Template,Payer Settings,Postavke Payer
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","To će biti dodan u šifra varijante. Na primjer, ako je vaš naziv je ""SM"", a točka kod ""T-shirt"", stavka kod varijante će biti ""T-SHIRT-SM"""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Neto plaća (riječima) će biti vidljiva nakon što spremite klizne plaće.
@@ -1191,8 +1199,8 @@
DocType: Employee Loan,Partially Disbursed,djelomično Isplaćeno
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Dobavljač baza podataka.
DocType: Account,Balance Sheet,Završni račun
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Troška za stavku s šifra '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Način plaćanja nije konfiguriran. Provjerite, da li je račun postavljen na način rada platnu ili na POS profilu."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Troška za stavku s šifra '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Način plaćanja nije konfiguriran. Provjerite, da li je račun postavljen na način rada platnu ili na POS profilu."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Prodavač će dobiti podsjetnik na taj datum kako bi pravovremeno kontaktirao kupca
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Isti predmet ne može se upisati više puta.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Daljnje računi mogu biti u skupinama, ali unose se može podnijeti protiv nesrpskog Groups"
@@ -1200,7 +1208,7 @@
DocType: Email Digest,Payables,Plativ
DocType: Course,Course Intro,Naravno Uvod
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Stock Ulazak {0} stvorio
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Red # {0}: Odbijen Kom se ne može upisati u kupnju povratak
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Red # {0}: Odbijen Kom se ne može upisati u kupnju povratak
,Purchase Order Items To Be Billed,Stavke narudžbenice za naplatu
DocType: Purchase Invoice Item,Net Rate,Neto stopa
DocType: Purchase Invoice Item,Purchase Invoice Item,Proizvod ulaznog računa
@@ -1225,7 +1233,7 @@
DocType: Sales Order,SO-,TAKO-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Odaberite prefiks prvi
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,istraživanje
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,istraživanje
DocType: Maintenance Visit Purpose,Work Done,Rad Done
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Navedite barem jedan atribut u tablici Svojstva
DocType: Announcement,All Students,Svi studenti
@@ -1233,17 +1241,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Pogledaj Ledger
DocType: Grading Scale,Intervals,intervali
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Najstarije
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Stavka Grupa postoji s istim imenom , molimo promijenite ime stavku ili preimenovati stavku grupe"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Studentski Mobile Ne
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Ostatak svijeta
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Stavka Grupa postoji s istim imenom , molimo promijenite ime stavku ili preimenovati stavku grupe"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Studentski Mobile Ne
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Ostatak svijeta
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Stavka {0} ne može imati Hrpa
,Budget Variance Report,Proračun varijance Prijavi
DocType: Salary Slip,Gross Pay,Bruto plaća
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Red {0}: Tip aktivnost je obavezna.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Plaćeni Dividende
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Plaćeni Dividende
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Računovodstvo knjiga
DocType: Stock Reconciliation,Difference Amount,Razlika Količina
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Zadržana dobit
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Zadržana dobit
DocType: Vehicle Log,Service Detail,Detalj usluga
DocType: BOM,Item Description,Opis proizvoda
DocType: Student Sibling,Student Sibling,Studentski iste razine
@@ -1257,11 +1265,11 @@
DocType: Opportunity Item,Opportunity Item,Prilika proizvoda
,Student and Guardian Contact Details,Studentski i Guardian Kontaktni podaci
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Red {0}: Za dobavljača {0} email adresa je potrebno za slanje e-pošte
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Privremeni Otvaranje
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Privremeni Otvaranje
,Employee Leave Balance,Zaposlenik napuste balans
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Bilanca računa {0} uvijek mora biti {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Procjena stopa potrebna za stavke u retku {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Primjer: Masters u Computer Science
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Primjer: Masters u Computer Science
DocType: Purchase Invoice,Rejected Warehouse,Odbijen galerija
DocType: GL Entry,Against Voucher,Protiv Voucheru
DocType: Item,Default Buying Cost Center,Zadani trošak kupnje
@@ -1274,31 +1282,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Kreiraj neplaćene račune
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Prodajnog naloga {0} nije ispravan
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Narudžbenice vam pomoći planirati i pratiti na Vašoj kupnji
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Žao nam je , tvrtke ne mogu spojiti"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Žao nam je , tvrtke ne mogu spojiti"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",Ukupna količina Pitanje / Prijenos {0} u materijalnim Zahtjevu {1} \ ne može biti veća od tražene količine {2} za točki {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Mali
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Mali
DocType: Employee,Employee Number,Broj zaposlenika
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Slučaj Ne ( i) je već u uporabi . Pokušajte s predmetu broj {0}
DocType: Project,% Completed,% Kompletirano
,Invoiced Amount (Exculsive Tax),Dostavljeni iznos ( Exculsive poreza )
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Stavka 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Zaglavlje računa {0} stvoreno
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,Događaj za obuku
DocType: Item,Auto re-order,Auto re-red
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Ukupno Ostvareno
DocType: Employee,Place of Issue,Mjesto izdavanja
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,ugovor
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,ugovor
DocType: Email Digest,Add Quote,Dodaj ponudu
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},UOM faktor coversion potrebna za UOM: {0} u točki: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Neizravni troškovi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM faktor coversion potrebna za UOM: {0} u točki: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Neizravni troškovi
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Red {0}: Količina je obvezno
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Poljoprivreda
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sync Master Data
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Vaši proizvodi ili usluge
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Vaši proizvodi ili usluge
DocType: Mode of Payment,Mode of Payment,Način plaćanja
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Web slika bi trebala biti javna datoteke ili URL web stranice
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Web slika bi trebala biti javna datoteke ili URL web stranice
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,To jekorijen stavka grupa i ne može se mijenjati .
@@ -1307,17 +1314,17 @@
DocType: Warehouse,Warehouse Contact Info,Kontakt informacije skladišta
DocType: Payment Entry,Write Off Difference Amount,Otpis razlika visine
DocType: Purchase Invoice,Recurring Type,Ponavljajući Tip
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: Radnik email nije pronađen, stoga ne e-mail poslan"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: Radnik email nije pronađen, stoga ne e-mail poslan"
DocType: Item,Foreign Trade Details,Vanjskotrgovinska Detalji
DocType: Email Digest,Annual Income,Godišnji prihod
DocType: Serial No,Serial No Details,Serijski nema podataka
DocType: Purchase Invoice Item,Item Tax Rate,Porezna stopa proizvoda
DocType: Student Group Student,Group Roll Number,Broj grupe grupa
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Za {0}, samo kreditne računi se mogu povezati protiv drugog ulaska debitnom"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Ukupan svih radnih težina bi trebala biti 1. Podesite vage svih zadataka projekta u skladu s tim
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Otpremnica {0} nije potvrđena
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Stavka {0} mora bitisklopljen ugovor artikla
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Kapitalni oprema
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Ukupan svih radnih težina bi trebala biti 1. Podesite vage svih zadataka projekta u skladu s tim
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Otpremnica {0} nije potvrđena
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Stavka {0} mora bitisklopljen ugovor artikla
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Kapitalni oprema
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Cijene Pravilo prvo se bira na temelju 'Nanesite na' terenu, koji može biti točka, točka Grupa ili Brand."
DocType: Hub Settings,Seller Website,Web Prodavač
DocType: Item,ITEM-,ARTIKAL-
@@ -1335,7 +1342,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Tu može biti samo jedan Dostava Pravilo Stanje sa 0 ili prazni vrijednost za "" Da Value """
DocType: Authorization Rule,Transaction,Transakcija
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Napomena : Ovaj troškovni centar je grupa. Nije moguće napraviti računovodstvene unose od grupe.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,Dijete skladište postoji za ovaj skladište. Ne možete izbrisati ovaj skladište.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Dijete skladište postoji za ovaj skladište. Ne možete izbrisati ovaj skladište.
DocType: Item,Website Item Groups,Grupe proizvoda web stranice
DocType: Purchase Invoice,Total (Company Currency),Ukupno (Društvo valuta)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Serijski broj {0} ušao više puta
@@ -1345,7 +1352,7 @@
DocType: Grading Scale Interval,Grade Code,Grade Šifra
DocType: POS Item Group,POS Item Group,POS Točka Grupa
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-pošta:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} ne pripada Točki {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} ne pripada Točki {1}
DocType: Sales Partner,Target Distribution,Ciljana Distribucija
DocType: Salary Slip,Bank Account No.,Žiro račun broj
DocType: Naming Series,This is the number of the last created transaction with this prefix,To je broj zadnjeg stvorio transakcije s ovim prefiksom
@@ -1355,12 +1362,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Automatski ulazi u amortizaciju imovine u knjizi
DocType: BOM Operation,Workstation,Radna stanica
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Zahtjev za ponudu dobavljača
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Hardver
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Hardver
DocType: Sales Order,Recurring Upto,ponavljajući Upto
DocType: Attendance,HR Manager,HR menadžer
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Odaberite tvrtku
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Privilege dopust
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Odaberite tvrtku
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Privilege dopust
DocType: Purchase Invoice,Supplier Invoice Date,Dobavljač Datum fakture
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,po
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Morate omogućiti košaricu
DocType: Payment Entry,Writeoff,Otpisati
DocType: Appraisal Template Goal,Appraisal Template Goal,Procjena Predložak cilja
@@ -1371,10 +1379,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Preklapanje uvjeti nalaze između :
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Protiv Temeljnica {0} već usklađuje se neki drugi bon
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Ukupna vrijednost narudžbe
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,hrana
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,hrana
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Starenje Raspon 3
DocType: Maintenance Schedule Item,No of Visits,Broj pregleda
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Mark dolazaka
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Mark dolazaka
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Raspored održavanja {0} postoji protiv {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,upisa studenata
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Valuta zatvaranja računa mora biti {0}
@@ -1388,6 +1396,7 @@
DocType: Rename Tool,Utilities,Komunalne usluge
DocType: Purchase Invoice Item,Accounting,Knjigovodstvo
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Odaberite serije za umetnutu stavku
DocType: Asset,Depreciation Schedules,amortizacija Raspored
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Razdoblje prijava ne može biti izvan dopusta raspodjele
DocType: Activity Cost,Projects,Projekti
@@ -1401,6 +1410,7 @@
DocType: POS Profile,Campaign,Kampanja
DocType: Supplier,Name and Type,Naziv i tip
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Status Odobrenje mora biti ""Odobreno"" ili "" Odbijeno """
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,bootstrap
DocType: Purchase Invoice,Contact Person,Kontakt osoba
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',Očekivani datum početka ne može biti veći od očekivanog datuma završetka
DocType: Course Scheduling Tool,Course End Date,Naravno Datum završetka
@@ -1408,12 +1418,11 @@
DocType: Sales Order Item,Planned Quantity,Planirana količina
DocType: Purchase Invoice Item,Item Tax Amount,Iznos poreza proizvoda
DocType: Item,Maintain Stock,Upravljanje zalihama
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Stock Prijave su već stvorene za proizvodnju reda
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Stock Prijave su već stvorene za proizvodnju reda
DocType: Employee,Prefered Email,Poželjni Email
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Neto promjena u dugotrajne imovine
DocType: Leave Control Panel,Leave blank if considered for all designations,Ostavite prazno ako se odnosi na sve oznake
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Skladište je obvezna za ne skupnih računa tipa skladištu
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Punjenje tipa ' Stvarni ' u redu {0} ne mogu biti uključeni u točki Rate
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Punjenje tipa ' Stvarni ' u redu {0} ne mogu biti uključeni u točki Rate
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Maksimalno: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Od datetime
DocType: Email Digest,For Company,Za tvrtke
@@ -1423,15 +1432,15 @@
DocType: Sales Invoice,Shipping Address Name,Dostava Adresa Ime
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Kontni plan
DocType: Material Request,Terms and Conditions Content,Uvjeti sadržaj
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,ne može biti veće od 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Proizvod {0} nije skladišni proizvod
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,ne može biti veće od 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Proizvod {0} nije skladišni proizvod
DocType: Maintenance Visit,Unscheduled,Neplanski
DocType: Employee,Owned,U vlasništvu
DocType: Salary Detail,Depends on Leave Without Pay,Ovisi o ostaviti bez platiti
DocType: Pricing Rule,"Higher the number, higher the priority","Veći broj, veći prioritet"
,Purchase Invoice Trends,Trendovi nabavnih računa
DocType: Employee,Better Prospects,Bolji izgledi
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Red # {0}: Šarža {1} ima samo {2} qty. Odaberite drugu seriju koja ima {3} količinu dostupnu ili razdijelite red u više redaka, kako biste ih isporučili / izdali iz više šarži"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Red # {0}: Šarža {1} ima samo {2} qty. Odaberite drugu seriju koja ima {3} količinu dostupnu ili razdijelite red u više redaka, kako biste ih isporučili / izdali iz više šarži"
DocType: Vehicle,License Plate,registarska tablica
DocType: Appraisal,Goals,Golovi
DocType: Warranty Claim,Warranty / AMC Status,Jamstveni / AMC Status
@@ -1442,7 +1451,8 @@
,Batch-Wise Balance History,Batch-Wise povijest bilance
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Postavke ispisa ažurirana u odgovarajućem formatu za ispis
DocType: Package Code,Package Code,kod paketa
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,šegrt
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,šegrt
+DocType: Purchase Invoice,Company GSTIN,Tvrtka GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Negativna količina nije dopuštena
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","Porezna detalj Tablica preuzeta iz točke majstora kao string i pohranjeni u tom području.
@@ -1450,12 +1460,12 @@
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Zaposlenik se ne može prijaviti na sebe.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ako je račun zamrznut , unosi dopušteno ograničene korisnike ."
DocType: Email Digest,Bank Balance,Bankovni saldo
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Računovodstvo Ulaz za {0}: {1} može biti samo u valuti: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Računovodstvo Ulaz za {0}: {1} može biti samo u valuti: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Profil posla, tražene kvalifikacije i sl."
DocType: Journal Entry Account,Account Balance,Bilanca računa
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Porezni Pravilo za transakcije.
DocType: Rename Tool,Type of document to rename.,Vrsta dokumenta za promjenu naziva.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Kupili smo ovaj proizvod
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Kupili smo ovaj proizvod
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: potrebna je Kupac protiv Potraživanja računa {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Ukupno Porezi i naknade (Društvo valuta)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Prikaži nezatvorena fiskalne godine u P & L stanja
@@ -1466,29 +1476,30 @@
DocType: Stock Entry,Total Additional Costs,Ukupno Dodatni troškovi
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Škarta Cijena (Društvo valuta)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,pod skupštine
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,pod skupštine
DocType: Asset,Asset Name,Naziv imovinom
DocType: Project,Task Weight,Zadatak Težina
DocType: Shipping Rule Condition,To Value,Za vrijednost
DocType: Asset Movement,Stock Manager,Stock Manager
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Izvor skladište je obvezno za redom {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Odreskom
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Najam ureda
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Izvor skladište je obvezno za redom {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Odreskom
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Najam ureda
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Postavke SMS pristupnika
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Uvoz nije uspio !
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Adresa još nije dodana.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Adresa još nije dodana.
DocType: Workstation Working Hour,Workstation Working Hour,Workstation Radno vrijeme
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,analitičar
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,analitičar
DocType: Item,Inventory,Inventar
DocType: Item,Sales Details,Prodajni detalji
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,S Stavke
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,u kol
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,u kol
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Validirati upisani tečaj za studente u studentskoj grupi
DocType: Notification Control,Expense Claim Rejected,Rashodi Zahtjev odbijen
DocType: Item,Item Attribute,Stavka značajke
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Vlada
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Vlada
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Rashodi Zatraži {0} već postoji za vozila Prijava
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Naziv Institut
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Naziv Institut
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,Unesite iznos otplate
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Stavka Varijante
DocType: Company,Services,Usluge
@@ -1498,18 +1509,18 @@
DocType: Sales Invoice,Source,Izvor
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Prikaži zatvorene
DocType: Leave Type,Is Leave Without Pay,Je Ostavite bez plaće
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Asset Kategorija je obvezna za nepokretnu stavke imovine
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset Kategorija je obvezna za nepokretnu stavke imovine
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Nisu pronađeni zapisi u tablici plaćanja
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},To {0} sukobi s {1} od {2} {3}
DocType: Student Attendance Tool,Students HTML,Studenti HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Financijska godina - početni datum
DocType: POS Profile,Apply Discount,Primijeni popust
+DocType: Purchase Invoice Item,GST HSN Code,GST HSN kod
DocType: Employee External Work History,Total Experience,Ukupno Iskustvo
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Otvoreno Projekti
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Pakiranje proklizavanja ( s) otkazan
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Novčani tijek iz investicijskih
DocType: Program Course,Program Course,Program predmeta
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Teretni i Forwarding Optužbe
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Teretni i Forwarding Optužbe
DocType: Homepage,Company Tagline for website homepage,Tvrtka Opisna oznaka za web stranici
DocType: Item Group,Item Group Name,Proizvod - naziv grupe
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Taken
@@ -1519,6 +1530,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Stvaranje vodi
DocType: Maintenance Schedule,Schedules,Raspored
DocType: Purchase Invoice Item,Net Amount,Neto Iznos
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} nije poslano tako da se radnja ne može dovršiti
DocType: Purchase Order Item Supplied,BOM Detail No,BOM detalji - broj
DocType: Landed Cost Voucher,Additional Charges,Dodatni troškovi
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Dodatni popust Iznos (valuta Društvo)
@@ -1534,6 +1546,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Mjesečni iznos otplate
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,Molimo postavite korisnički ID polje u zapisu zaposlenika za postavljanje uloga zaposlenika
DocType: UOM,UOM Name,UOM Ime
+DocType: GST HSN Code,HSN Code,HSN kod
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Doprinos iznos
DocType: Purchase Invoice,Shipping Address,Dostava Adresa
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Ovaj alat pomaže vam da ažurirate ili popraviti količinu i vrijednost zaliha u sustavu. To se obično koristi za sinkronizaciju vrijednosti sustava i što se zapravo postoji u svojim skladištima.
@@ -1544,17 +1557,16 @@
DocType: Program Enrollment Tool,Program Enrollments,Programska upisanih
DocType: Sales Invoice Item,Brand Name,Naziv brenda
DocType: Purchase Receipt,Transporter Details,Transporter Detalji
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Default skladište je potreban za odabranu stavku
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,kutija
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Default skladište je potreban za odabranu stavku
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,kutija
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,Mogući Dobavljač
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Organizacija
DocType: Budget,Monthly Distribution,Mjesečna distribucija
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Receiver Lista je prazna . Molimo stvoriti Receiver Popis
DocType: Production Plan Sales Order,Production Plan Sales Order,Proizvodnja plan prodajnog naloga
DocType: Sales Partner,Sales Partner Target,Prodajni plan prodajnog partnera
DocType: Loan Type,Maximum Loan Amount,Maksimalni iznos kredita
DocType: Pricing Rule,Pricing Rule,Pravila cijena
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Duplikat broja valjaka za učenika {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Duplikat broja valjaka za učenika {0}
DocType: Budget,Action if Annual Budget Exceeded,"Akcija, ako Godišnji proračun Prebačen"
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Materijal Zahtjev za Narudžbenica
DocType: Shopping Cart Settings,Payment Success URL,Plaćanje Uspjeh URL
@@ -1567,11 +1579,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Otvaranje kataloški bilanca
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} mora pojaviti samo jednom
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Nije dopušteno Prenesite više {0} od {1} protiv narudžbenice {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Nije dopušteno Prenesite više {0} od {1} protiv narudžbenice {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Odsustvo uspješno dodijeljeno za {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Nema proizvoda za pakiranje
DocType: Shipping Rule Condition,From Value,Od Vrijednost
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Proizvedena količina je obvezna
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Proizvedena količina je obvezna
DocType: Employee Loan,Repayment Method,Način otplate
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ako je označeno, početna stranica će biti zadana točka Grupa za web stranicu"
DocType: Quality Inspection Reading,Reading 4,Čitanje 4
@@ -1581,7 +1593,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Red # {0}: Datum Razmak {1} ne može biti prije Ček Datum {2}
DocType: Company,Default Holiday List,Default odmor List
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Red {0}: S vremena i na vrijeme od {1} je preklapanje s {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Stock Obveze
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Stock Obveze
DocType: Purchase Invoice,Supplier Warehouse,Dobavljač galerija
DocType: Opportunity,Contact Mobile No,Kontak GSM
,Material Requests for which Supplier Quotations are not created,Zahtjevi za robom za koje dobavljačeve ponude nisu stvorene
@@ -1592,35 +1604,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Napravite citat
apps/erpnext/erpnext/config/selling.py +216,Other Reports,Ostala izvješća
DocType: Dependent Task,Dependent Task,Ovisno zadatak
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Faktor pretvorbe za zadani jedinica mjere mora biti jedan u nizu {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Faktor pretvorbe za zadani jedinica mjere mora biti jedan u nizu {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Odsustvo tipa {0} ne može biti duže od {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Pokušajte planirati poslovanje za X dana unaprijed.
DocType: HR Settings,Stop Birthday Reminders,Zaustavi Rođendan Podsjetnici
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Molimo postavite zadanog Platne naplativo račun u Društvu {0}
DocType: SMS Center,Receiver List,Prijemnik Popis
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Traži Stavka
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Traži Stavka
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Konzumira Iznos
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Neto promjena u gotovini
DocType: Assessment Plan,Grading Scale,ljestvici
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Jedinica mjere {0} je ušao više od jednom u konverzije Factor tablici
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Jedinica mjere {0} je ušao više od jednom u konverzije Factor tablici
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,već završena
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock u ruci
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Zahtjev za plaćanje već postoji {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Trošak izdanih stavki
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Količina ne smije biti veća od {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Prethodne financijske godine nije zatvoren
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Starost (dani)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Starost (dani)
DocType: Quotation Item,Quotation Item,Proizvod iz ponude
+DocType: Customer,Customer POS Id,ID klijenta POS
DocType: Account,Account Name,Naziv računa
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Od datuma ne može biti veća od To Date
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serijski Ne {0} {1} količina ne može bitidio
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Dobavljač Vrsta majstor .
DocType: Purchase Order Item,Supplier Part Number,Dobavljač Broj dijela
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Stopa pretvorbe ne može biti 0 ili 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Stopa pretvorbe ne može biti 0 ili 1
DocType: Sales Invoice,Reference Document,Referentni dokument
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} otkazan ili zaustavljen
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} otkazan ili zaustavljen
DocType: Accounts Settings,Credit Controller,Kreditne kontroler
DocType: Delivery Note,Vehicle Dispatch Date,Vozilo Dispatch Datum
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Primka {0} nije potvrđena
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Primka {0} nije potvrđena
DocType: Company,Default Payable Account,Zadana Plaća račun
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Postavke za online košarici, kao što su utovar pravila, cjenika i sl"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% Naplaćeno
@@ -1639,11 +1653,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Ukupno Iznos nadoknađeni
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,To se temelji na zapisima protiv tog vozila. Pogledajte vremensku crtu ispod za detalje
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,Prikupiti
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Protiv dobavljača Račun {0} datira {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Protiv dobavljača Račun {0} datira {1}
DocType: Customer,Default Price List,Zadani cjenik
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Unos imovine Pokret {0} stvorio
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Ne možete izbrisati Fiskalna godina {0}. Fiskalna godina {0} je postavljen kao zadani u Globalne postavke
DocType: Journal Entry,Entry Type,Ulaz Tip
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Nijedan plan procjene nije povezan s ovom grupom za procjenu
,Customer Credit Balance,Kupac saldo
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Neto promjena u obveze prema dobavljačima
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Kupac je potrebno za ' Customerwise Popust '
@@ -1651,7 +1666,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Cijena
DocType: Quotation,Term Details,Oročeni Detalji
DocType: Project,Total Sales Cost (via Sales Order),Ukupni trošak prodaje (putem prodajnog naloga)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Ne može se prijaviti više od {0} studenata za ovaj grupe studenata.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Ne može se prijaviti više od {0} studenata za ovaj grupe studenata.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Olovni broj
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} mora biti veći od 0
DocType: Manufacturing Settings,Capacity Planning For (Days),Planiranje kapaciteta za (dani)
@@ -1672,7 +1687,7 @@
DocType: Sales Invoice,Packed Items,Pakirani proizvodi
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Jamstvo tužbu protiv Serial No.
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Zamijeni određeni BOM u svim sastavnicama u kojima se koristio. On će zamijeniti staru BOM poveznicu, ažurirati cijene i regenerirati ""BOM Explosion Item"" tablicu kao novi BOM sastavnice"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Ukupno'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Ukupno'
DocType: Shopping Cart Settings,Enable Shopping Cart,Omogućite Košarica
DocType: Employee,Permanent Address,Stalna adresa
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1688,9 +1703,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,Navedite ili količini ili vrednovanja Ocijenite ili oboje
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,Ispunjenje
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Pogledaj u košaricu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Troškovi marketinga
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Troškovi marketinga
,Item Shortage Report,Nedostatak izvješća za proizvod
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Težina se spomenuto, \n Molimo spomenuti ""težinu UOM"" previše"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Težina se spomenuto, \n Molimo spomenuti ""težinu UOM"" previše"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Zahtjev za robom korišten za izradu ovog ulaza robe
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Sljedeća Amortizacija Datum obvezna je za novu imovinu
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Odvojena grupa za tečajeve za svaku seriju
@@ -1699,17 +1714,18 @@
,Student Fee Collection,Studentski Naknada Collection
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Provjerite knjiženje za svaki burzi pokreta
DocType: Leave Allocation,Total Leaves Allocated,Ukupno Lišće Dodijeljeni
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Skladište potrebna u nizu br {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Unesite valjani financijske godine datum početka i kraja
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Skladište potrebna u nizu br {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Unesite valjani financijske godine datum početka i kraja
DocType: Employee,Date Of Retirement,Datum odlaska u mirovinu
DocType: Upload Attendance,Get Template,Kreiraj predložak
+DocType: Material Request,Transferred,prebačen
DocType: Vehicle,Doors,vrata
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext dovršeno!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext dovršeno!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,P.S-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Centar Cijena je potreban za "dobiti i gubitka računa {2}. Molimo postaviti zadani troška Društva.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Postoji grupa kupaca sa istim imenom. Promijenite naziv kupca ili naziv grupe kupaca.
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Novi Kontakt
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Postoji grupa kupaca sa istim imenom. Promijenite naziv kupca ili naziv grupe kupaca.
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Novi Kontakt
DocType: Territory,Parent Territory,Nadređena teritorija
DocType: Quality Inspection Reading,Reading 2,Čitanje 2
DocType: Stock Entry,Material Receipt,Potvrda primitka robe
@@ -1718,17 +1734,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ako ova stavka ima varijante, onda to ne može biti izabran u prodajnim nalozima itd"
DocType: Lead,Next Contact By,Sljedeći kontakt od
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Količina potrebna za proizvod {0} u redku {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},Skladište {0} ne može biti izbrisano ako na njemu ima proizvod {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Količina potrebna za proizvod {0} u redku {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Skladište {0} ne može biti izbrisano ako na njemu ima proizvod {1}
DocType: Quotation,Order Type,Vrsta narudžbe
DocType: Purchase Invoice,Notification Email Address,Obavijest E-mail adresa
,Item-wise Sales Register,Stavka-mudri prodaja registar
DocType: Asset,Gross Purchase Amount,Bruto Iznos narudžbe
DocType: Asset,Depreciation Method,Metoda amortizacije
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,offline
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,offline
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Je li ovo pristojba uključena u osnovne stope?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Ukupno Target
-DocType: Program Course,Required,Potreban
DocType: Job Applicant,Applicant for a Job,Podnositelj zahtjeva za posao
DocType: Production Plan Material Request,Production Plan Material Request,Izrada plana materijala Zahtjev
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Nema napravljenih proizvodnih naloga
@@ -1737,17 +1752,17 @@
DocType: Purchase Invoice Item,Batch No,Broj serije
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Dopusti višestruke prodajne naloge protiv kupca narudžbenice
DocType: Student Group Instructor,Student Group Instructor,Instruktor grupe studenata
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 Mobile Ne
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Glavni
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile Ne
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Glavni
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Varijanta
DocType: Naming Series,Set prefix for numbering series on your transactions,Postavite prefiks za numeriranje niza na svoje transakcije
DocType: Employee Attendance Tool,Employees HTML,Zaposlenici HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Zadana BOM ({0}) mora biti aktivan za tu stavku ili njegov predložak
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Zadana BOM ({0}) mora biti aktivan za tu stavku ili njegov predložak
DocType: Employee,Leave Encashed?,Odsustvo naplaćeno?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Prilika Od polje je obavezno
DocType: Email Digest,Annual Expenses,Godišnji troškovi
DocType: Item,Variants,Varijante
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Napravi narudžbu kupnje
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Napravi narudžbu kupnje
DocType: SMS Center,Send To,Pošalji
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Nema dovoljno ravnotežu dopust za dozvolu tipa {0}
DocType: Payment Reconciliation Payment,Allocated amount,Dodijeljeni iznos
@@ -1761,26 +1776,25 @@
DocType: Supplier,Statutory info and other general information about your Supplier,Zakonska info i druge opće informacije o vašem Dobavljaču
DocType: Item,Serial Nos and Batches,Serijski brojevi i serije
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Snaga grupe učenika
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Protiv Temeljnica {0} nema premca {1} unos
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Protiv Temeljnica {0} nema premca {1} unos
apps/erpnext/erpnext/config/hr.py +137,Appraisals,procjene
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Dupli serijski broj unešen za proizvod {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Uvjet za Pravilo isporuke
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Molim uđite
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Ne mogu overbill za točku {0} u nizu {1} više {2}. Da bi se omogućilo pretjerano naplatu, postavite na kupnju Postavke"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Molimo postavite filter na temelju stavka ili skladište
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Ne mogu overbill za točku {0} u nizu {1} više {2}. Da bi se omogućilo pretjerano naplatu, postavite na kupnju Postavke"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Molimo postavite filter na temelju stavka ili skladište
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Neto težina tog paketa. (Automatski izračunava kao zbroj neto težini predmeta)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,"Molimo stvoriti račun za to skladište i link. To ne može biti učinjeno automatski, kao račun s imenom {0} već postoji"
DocType: Sales Order,To Deliver and Bill,Za isporuku i Bill
DocType: Student Group,Instructors,Instruktori
DocType: GL Entry,Credit Amount in Account Currency,Kreditna Iznos u valuti računa
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} mora biti podnesen
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} mora biti podnesen
DocType: Authorization Control,Authorization Control,Kontrola autorizacije
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Red # {0}: Odbijen Skladište je obvezna protiv odbijena točka {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Red # {0}: Odbijen Skladište je obvezna protiv odbijena točka {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Uplata
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Skladište {0} nije povezano s bilo kojim računom, navedite račun u skladištu ili postavite zadani račun zaliha u tvrtki {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Upravljanje narudžbe
DocType: Production Order Operation,Actual Time and Cost,Stvarnog vremena i troškova
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Zahtjev za robom od maksimalnih {0} može biti napravljen za proizvod {1} od narudžbe kupca {2}
-DocType: Employee,Salutation,Pozdrav
DocType: Course,Course Abbreviation,naziv predmeta
DocType: Student Leave Application,Student Leave Application,Studentski Ostavite aplikacija
DocType: Item,Will also apply for variants,Također će podnijeti zahtjev za varijante
@@ -1792,12 +1806,12 @@
DocType: Quotation Item,Actual Qty,Stvarna kol
DocType: Sales Invoice Item,References,Reference
DocType: Quality Inspection Reading,Reading 10,Čitanje 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Prikažite svoje proizvode ili usluge koje kupujete ili prodajete. Odaberite grupu proizvoda, jedinicu mjere i ostale značajke."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Prikažite svoje proizvode ili usluge koje kupujete ili prodajete. Odaberite grupu proizvoda, jedinicu mjere i ostale značajke."
DocType: Hub Settings,Hub Node,Hub Node
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Unijeli ste dupli proizvod. Ispravite i pokušajte ponovno.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,pomoćnik
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,pomoćnik
DocType: Asset Movement,Asset Movement,imovina pokret
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,Novi Košarica
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Novi Košarica
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Proizvod {0} nije serijalizirani proizvod
DocType: SMS Center,Create Receiver List,Stvaranje Receiver popis
DocType: Vehicle,Wheels,kotači
@@ -1817,19 +1831,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Može se odnositi red samo akotip zadužen je "" Na prethodni red Iznos 'ili' prethodnog retka Total '"
DocType: Sales Order Item,Delivery Warehouse,Isporuka Skladište
DocType: SMS Settings,Message Parameter,Parametri poruke
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Drvo centara financijski trošak.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Drvo centara financijski trošak.
DocType: Serial No,Delivery Document No,Dokument isporuke br
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Molimo postavite "dobici / gubici računa na sredstva Odlaganje 'u Društvu {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Se predmeti od kupnje primitke
DocType: Serial No,Creation Date,Datum stvaranja
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Proizvod {0} se pojavljuje više puta u cjeniku {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Prodaje se mora provjeriti, ako je primjenjivo za odabrano kao {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Prodaje se mora provjeriti, ako je primjenjivo za odabrano kao {0}"
DocType: Production Plan Material Request,Material Request Date,Materijal Zahtjev Datum
DocType: Purchase Order Item,Supplier Quotation Item,Dobavljač ponudu artikla
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Onemogućuje stvaranje vremenskih trupaca protiv radne naloge. Operacije neće biti praćeni protiv proizvodnje Reda
DocType: Student,Student Mobile Number,Studentski broj mobitela
DocType: Item,Has Variants,Je Varijante
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Već ste odabrali stavke iz {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Već ste odabrali stavke iz {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Naziv mjesečne distribucije
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,ID serije obvezan je
DocType: Sales Person,Parent Sales Person,Nadređeni prodavač
@@ -1839,12 +1853,12 @@
DocType: Budget,Fiscal Year,Fiskalna godina
DocType: Vehicle Log,Fuel Price,Cijena goriva
DocType: Budget,Budget,Budžet
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Fiksni Asset Stavka mora biti ne-stock točka a.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Fiksni Asset Stavka mora biti ne-stock točka a.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Proračun se ne može dodijeliti protiv {0}, kao što je nije prihod ili rashod račun"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Ostvareno
DocType: Student Admission,Application Form Route,Obrazac za prijavu Route
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Teritorij / Kupac
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,na primjer 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,na primjer 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Ostavi Tip {0} nije moguće rasporediti jer se ostaviti bez plaće
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Red {0}: Dodijeljeni iznos {1} mora biti manji od ili jednak fakturirati preostali iznos {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,U riječi će biti vidljiv nakon što spremite prodaje fakture.
@@ -1853,7 +1867,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,"Stavka {0} nije dobro postavljen za gospodara , serijski brojevi Provjera"
DocType: Maintenance Visit,Maintenance Time,Vrijeme održavanja
,Amount to Deliver,Iznos za isporuku
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Proizvod ili usluga
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Proizvod ili usluga
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Datum Pojam početka ne može biti ranije od godine Datum početka akademske godine u kojoj je pojam vezan (Akademska godina {}). Ispravite datume i pokušajte ponovno.
DocType: Guardian,Guardian Interests,Guardian Interesi
DocType: Naming Series,Current Value,Trenutna vrijednost
@@ -1868,12 +1882,12 @@
mora biti veći ili jednak {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,To se temelji na dionicama kretanja. Vidi {0} za detalje
DocType: Pricing Rule,Selling,Prodaja
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Iznos {0} {1} oduzimaju od {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Iznos {0} {1} oduzimaju od {2}
DocType: Employee,Salary Information,Informacije o plaći
DocType: Sales Person,Name and Employee ID,Ime i ID zaposlenika
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,Datum dospijeća ne može biti prije datuma objavljivanja
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,Datum dospijeća ne može biti prije datuma objavljivanja
DocType: Website Item Group,Website Item Group,Grupa proizvoda web stranice
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Carine i porezi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Carine i porezi
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Unesite Referentni datum
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} unosa plaćanja ne može se filtrirati po {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,Tablica za proizvode koji će biti prikazani na web stranici
@@ -1890,9 +1904,9 @@
DocType: Payment Reconciliation Payment,Reference Row,Referentni Row
DocType: Installation Note,Installation Time,Vrijeme instalacije
DocType: Sales Invoice,Accounting Details,Računovodstvo Detalji
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Izbrišite sve transakcije za ovu Društvo
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Red # {0}: {1} Operacija nije završeno za {2} kom gotovih proizvoda u proizvodnji Naručite # {3}. Molimo ažurirati status rada preko Vrijeme Trupci
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Investicije
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Izbrišite sve transakcije za ovu Društvo
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Red # {0}: {1} Operacija nije završeno za {2} kom gotovih proizvoda u proizvodnji Naručite # {3}. Molimo ažurirati status rada preko Vrijeme Trupci
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Investicije
DocType: Issue,Resolution Details,Rezolucija o Brodu
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,izdvajanja
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kriterij prihvaćanja
@@ -1917,7 +1931,7 @@
DocType: Room,Room Name,Soba Naziv
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Ostavite se ne može primijeniti / otkazan prije {0}, kao dopust ravnoteža je već ručne proslijeđena u buduće dodjele dopusta rekord {1}"
DocType: Activity Cost,Costing Rate,Obračun troškova stopa
-,Customer Addresses And Contacts,Kupčeve adrese i kontakti
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Kupčeve adrese i kontakti
,Campaign Efficiency,Učinkovitost kampanje
DocType: Discussion,Discussion,Rasprava
DocType: Payment Entry,Transaction ID,ID transakcije
@@ -1927,14 +1941,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Ukupan iznos za naplatu (preko vremenska tablica)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Ponovite kupaca prihoda
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) mora imati ulogu ""Odobritelj rashoda '"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Par
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Odaberite BOM i Kol za proizvodnju
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Par
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Odaberite BOM i Kol za proizvodnju
DocType: Asset,Depreciation Schedule,Amortizacija Raspored
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Adresa prodavača i kontakti
DocType: Bank Reconciliation Detail,Against Account,Protiv računa
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Poludnevni Datum treba biti između od datuma i datuma
DocType: Maintenance Schedule Detail,Actual Date,Stvarni datum
DocType: Item,Has Batch No,Je Hrpa Ne
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Godišnji naplatu: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Godišnji naplatu: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Porez na robu i usluge (GST India)
DocType: Delivery Note,Excise Page Number,Trošarina Broj stranice
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Društvo, Iz Datum i do danas je obavezno"
DocType: Asset,Purchase Date,Datum kupnje
@@ -1942,11 +1958,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Molimo postavite "imovinom Centar Amortizacija troškova 'u Društvu {0}
,Maintenance Schedules,Održavanja rasporeda
DocType: Task,Actual End Date (via Time Sheet),Stvarni Datum završetka (putem vremenska tablica)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Iznos {0} {1} od {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Iznos {0} {1} od {2} {3}
,Quotation Trends,Trend ponuda
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Stavka proizvoda se ne spominje u master artiklu za artikal {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Zaduženja računa mora biti Potraživanja račun
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Stavka proizvoda se ne spominje u master artiklu za artikal {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Zaduženja računa mora biti Potraživanja račun
DocType: Shipping Rule Condition,Shipping Amount,Dostava Iznos
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Dodaj korisnike
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Iznos na čekanju
DocType: Purchase Invoice Item,Conversion Factor,Konverzijski faktor
DocType: Purchase Order,Delivered,Isporučeno
@@ -1956,7 +1973,8 @@
DocType: Purchase Receipt,Vehicle Number,Broj vozila
DocType: Purchase Invoice,The date on which recurring invoice will be stop,Datum na koji se ponavlja faktura će se zaustaviti
DocType: Employee Loan,Loan Amount,Iznos pozajmice
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Redak {0}: broj materijala koji nije pronađen za stavku {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Vozila samostojećih
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Redak {0}: broj materijala koji nije pronađen za stavku {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Ukupno dodijeljeni lišće {0} ne može biti manja od već odobrenih lišća {1} za razdoblje
DocType: Journal Entry,Accounts Receivable,Potraživanja
,Supplier-Wise Sales Analytics,Supplier -mudar prodaje Analytics
@@ -1973,21 +1991,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Rashodi Tužba se čeka odobrenje . SamoRashodi Odobritelj može ažurirati status .
DocType: Email Digest,New Expenses,Novi troškovi
DocType: Purchase Invoice,Additional Discount Amount,Dodatni popust Iznos
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Red # {0}: Količina mora biti jedan, jer predmet je fiksni kapital. Molimo koristite poseban red za više kom."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Red # {0}: Količina mora biti jedan, jer predmet je fiksni kapital. Molimo koristite poseban red za više kom."
DocType: Leave Block List Allow,Leave Block List Allow,Odobrenje popisa neodobrenih odsustava
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Abbr ne može biti prazno ili razmak
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr ne može biti prazno ili razmak
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Grupa ne-Group
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,sportovi
DocType: Loan Type,Loan Name,Naziv kredita
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Ukupno Stvarni
DocType: Student Siblings,Student Siblings,Studentski Braća i sestre
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,jedinica
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,Navedite tvrtke
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,jedinica
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Navedite tvrtke
,Customer Acquisition and Loyalty,Stjecanje kupaca i lojalnost
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Skladište na kojem držite zalihe odbijenih proizvoda
DocType: Production Order,Skip Material Transfer,Preskoči prijenos materijala
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Nije moguće pronaći kurs za {0} do {1} za ključni datum {2}. Ručno stvorite zapis za mjenjačnicu
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Vaša financijska godina završava
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Nije moguće pronaći kurs za {0} do {1} za ključni datum {2}. Ručno stvorite zapis za mjenjačnicu
DocType: POS Profile,Price List,Cjenik
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} je sada zadana fiskalna godina. Osvježi preglednik kako bi se promjene aktualizirale.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Rashodi Potraživanja
@@ -2000,14 +2017,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock ravnoteža u batch {0} postat negativna {1} za točku {2} na skladištu {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Sljedeći materijal Zahtjevi su automatski podigli na temelju stavke razini ponovno narudžbi
DocType: Email Digest,Pending Sales Orders,U tijeku su nalozi za prodaju
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Račun {0} je nevažeći. Valuta računa mora biti {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Račun {0} je nevažeći. Valuta računa mora biti {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Faktor UOM pretvorbe je potrebno u redu {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Red # {0}: Referenca Tip dokumenta mora biti jedan od prodajnog naloga, prodaja fakture ili Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Red # {0}: Referenca Tip dokumenta mora biti jedan od prodajnog naloga, prodaja fakture ili Journal Entry"
DocType: Salary Component,Deduction,Odbitak
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Red {0}: Od vremena i vremena je obavezno.
DocType: Stock Reconciliation Item,Amount Difference,iznos razlika
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Cijena dodana za {0} u cjeniku {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Cijena dodana za {0} u cjeniku {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Unesite ID zaposlenika ove prodaje osobi
DocType: Territory,Classification of Customers by region,Klasifikacija korisnika po regiji
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Razlika Iznos mora biti jednak nuli
@@ -2019,21 +2036,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Ukupno Odbitak
,Production Analytics,Proizvodnja Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Trošak Ažurirano
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Trošak Ažurirano
DocType: Employee,Date of Birth,Datum rođenja
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Proizvod {0} je već vraćen
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Proizvod {0} je već vraćen
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Fiskalna godina** predstavlja poslovnu godinu. Svi računovodstvene stavke i druge glavne transakcije su praćene od **Fiskalne godine**.
DocType: Opportunity,Customer / Lead Address,Kupac / Olovo Adresa
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Upozorenje: Invalid SSL potvrda o vezanosti {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Upozorenje: Invalid SSL potvrda o vezanosti {0}
DocType: Student Admission,Eligibility,kvalificiranost
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Potencijalni kupci će vam pomoći u posao, dodati sve svoje kontakte, a više kao svoje potencijalne klijente"
DocType: Production Order Operation,Actual Operation Time,Stvarni Operacija vrijeme
DocType: Authorization Rule,Applicable To (User),Odnosi se na (Upute)
DocType: Purchase Taxes and Charges,Deduct,Odbiti
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Opis Posla
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Opis Posla
DocType: Student Applicant,Applied,primijenjen
DocType: Sales Invoice Item,Qty as per Stock UOM,Količina po skladišnom UOM-u
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Ime Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Ime Guardian2
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Posebni znakovi osim ""-"" ""."", ""#"", i ""/"" nije dopušten u imenovanju serije"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Pratite podatke o prodajnim kampanjama. Vodite zapise o potencijalima, ponudama, narudžbama itd kako bi ste procijenili povrat ulaganje ROI."
DocType: Expense Claim,Approver,Odobritelj
@@ -2044,7 +2061,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serijski Ne {0} je pod jamstvom upto {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Split otpremnici u paketima.
apps/erpnext/erpnext/hooks.py +87,Shipments,Pošiljke
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Saldo računa ({0}) za {1} i vrijednost zaliha ({2}) za skladište {3} moraju biti isti
DocType: Payment Entry,Total Allocated Amount (Company Currency),Ukupno Dodijeljeni iznos (Društvo valuta)
DocType: Purchase Order Item,To be delivered to customer,Da biste se dostaviti kupcu
DocType: BOM,Scrap Material Cost,Otpaci materijalni troškovi
@@ -2052,20 +2068,21 @@
DocType: Purchase Invoice,In Words (Company Currency),Riječima (valuta tvrtke)
DocType: Asset,Supplier,Dobavljač
DocType: C-Form,Quarter,Četvrtina
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Razni troškovi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Razni troškovi
DocType: Global Defaults,Default Company,Zadana tvrtka
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Rashodi ili razlika račun je obvezna za točke {0} jer utječe na ukupnu vrijednost dionica
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Rashodi ili razlika račun je obvezna za točke {0} jer utječe na ukupnu vrijednost dionica
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Naziv banke
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Iznad
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Iznad
DocType: Employee Loan,Employee Loan Account,Zaposlenik račun kredita
DocType: Leave Application,Total Leave Days,Ukupno Ostavite Dani
DocType: Email Digest,Note: Email will not be sent to disabled users,Napomena: E-mail neće biti poslan nepostojećim korisnicima
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Broj interakcija
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Šifra stavke> Skupina stavke> Brand
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Odaberite tvrtku ...
DocType: Leave Control Panel,Leave blank if considered for all departments,Ostavite prazno ako se odnosi na sve odjele
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Vrste zapošljavanja ( trajni ugovor , pripravnik i sl. ) ."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} je obavezno za točku {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} je obavezno za točku {1}
DocType: Process Payroll,Fortnightly,četrnaestodnevni
DocType: Currency Exchange,From Currency,Od novca
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Odaberite Dodijeljeni iznos, Vrsta računa i broj računa u atleast jednom redu"
@@ -2087,7 +2104,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,"Molimo kliknite na ""Generiraj raspored ' kako bi dobili raspored"
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Bilo je grešaka za vrijeme brisanja sljedeći Prilozi:
DocType: Bin,Ordered Quantity,Naručena količina
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","na primjer ""Alati za graditelje"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","na primjer ""Alati za graditelje"""
DocType: Grading Scale,Grading Scale Intervals,Ljestvici Intervali
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: knjiženje za {2} je moguće izvesti samo u valuti: {3}
DocType: Production Order,In Process,U procesu
@@ -2101,12 +2118,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,Stvorena je {0} studentska grupa.
DocType: Sales Invoice,Total Billing Amount,Ukupno naplate Iznos
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Tu mora biti zadana dolazni omogućen za to da rade računa e-pošte. Molimo postava zadani ulazni računa e-pošte (POP / IMAP) i pokušajte ponovno.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Potraživanja račun
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Red # {0}: Imovina {1} Već {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Potraživanja račun
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Red # {0}: Imovina {1} Već {2}
DocType: Quotation Item,Stock Balance,Skladišna bilanca
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Prodajnog naloga za plaćanje
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Postavite Serija za imenovanje {0} putem Postava> Postavke> Serija za imenovanje
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,CEO
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO
DocType: Expense Claim Detail,Expense Claim Detail,Rashodi Zahtjev Detalj
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Molimo odaberite ispravnu račun
DocType: Item,Weight UOM,Težina UOM
@@ -2115,12 +2131,12 @@
DocType: Production Order Operation,Pending,Na čekanju
DocType: Course,Course Name,Naziv predmeta
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Korisnici koji može odobriti dopust aplikacije neke specifične zaposlenika
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Uredska oprema
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Uredska oprema
DocType: Purchase Invoice Item,Qty,Kol
DocType: Fiscal Year,Companies,Tvrtke
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Elektronika
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Podignite Materijal Zahtjev kad dionica dosegne ponovno poredak razinu
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Puno radno vrijeme
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Puno radno vrijeme
DocType: Salary Structure,Employees,zaposlenici
DocType: Employee,Contact Details,Kontakt podaci
DocType: C-Form,Received Date,Datum pozicija
@@ -2130,7 +2146,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Cijene neće biti prikazana ako Cjenik nije postavljena
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Navedite zemlju za ovaj Dostava pravilom ili provjeriti Dostava u svijetu
DocType: Stock Entry,Total Incoming Value,Ukupno Dolazni vrijednost
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Zaduženja je potrebno
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Zaduženja je potrebno
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets pomoći pratiti vrijeme, troškove i naplatu za aktivnostima obavljaju unutar vašeg tima"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Kupovni cjenik
DocType: Offer Letter Term,Offer Term,Ponuda Pojam
@@ -2139,17 +2155,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Pomirenje plaćanja
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,Odaberite incharge ime osobe
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,tehnologija
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Ukupno Neplaćeni: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Ukupno Neplaćeni: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM Web Rad
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Ponuda Pismo
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Generirajte Materijal Upiti (MRP) i radne naloge.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Ukupno fakturirati Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Ukupno fakturirati Amt
DocType: BOM,Conversion Rate,Stopa pretvorbe
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Pretraga proizvoda
DocType: Timesheet Detail,To Time,Za vrijeme
DocType: Authorization Rule,Approving Role (above authorized value),Odobravanje ulogu (iznad ovlaštenog vrijednosti)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Kredit računa mora biti naplativo račun
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM rekurzija : {0} ne može biti roditelj ili dijete od {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Kredit računa mora biti naplativo račun
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM rekurzija : {0} ne može biti roditelj ili dijete od {2}
DocType: Production Order Operation,Completed Qty,Završen Kol
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Za {0}, samo debitne računi se mogu povezati protiv druge kreditne stupanja"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Cjenik {0} je ugašen
@@ -2160,28 +2176,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} serijski brojevi potrebni za Artikl {1}. Ti su dali {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Trenutno Vrednovanje Ocijenite
DocType: Item,Customer Item Codes,Kupac Stavka Kodovi
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Razmjena Dobit / gubitak
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Razmjena Dobit / gubitak
DocType: Opportunity,Lost Reason,Razlog gubitka
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Nova adresa
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Nova adresa
DocType: Quality Inspection,Sample Size,Veličina uzorka
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Unesite primitka dokumenta
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Svi proizvodi su već fakturirani
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Svi proizvodi su već fakturirani
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',Navedite važeću 'iz Predmet br'
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,"Daljnje troška mogu biti u skupinama, ali unose se može podnijeti protiv nesrpskog Groups"
DocType: Project,External,Vanjski
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Korisnici i dozvole
DocType: Vehicle Log,VLOG.,Vlog.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Radni nalozi Created: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Radni nalozi Created: {0}
DocType: Branch,Branch,Grana
DocType: Guardian,Mobile Number,Broj mobitela
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Tiskanje i brendiranje
DocType: Bin,Actual Quantity,Stvarna količina
DocType: Shipping Rule,example: Next Day Shipping,Primjer: Sljedeći dan Dostava
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serijski broj {0} nije pronađen
-DocType: Scheduling Tool,Student Batch,Student serije
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Vaši klijenti
+DocType: Program Enrollment,Student Batch,Student serije
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Provjerite Student
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Pozvani ste da surađuju na projektu: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Pozvani ste da surađuju na projektu: {0}
DocType: Leave Block List Date,Block Date,Datum bloka
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Primijeni sada
DocType: Sales Order,Not Delivered,Ne isporučeno
@@ -2189,7 +2204,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Stvaranje i upravljanje automatskih mailova na dnevnoj, tjednoj i mjesečnoj bazi."
DocType: Appraisal Goal,Appraisal Goal,Procjena gol
DocType: Stock Reconciliation Item,Current Amount,Trenutni iznos
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,Građevine
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,Građevine
DocType: Fee Structure,Fee Structure,Struktura naknade
DocType: Timesheet Detail,Costing Amount,Obračun troškova Iznos
DocType: Student Admission,Application Fee,Naknada Primjena
@@ -2201,10 +2216,10 @@
DocType: POS Profile,[Select],[Odaberi]
DocType: SMS Log,Sent To,Poslano Da
DocType: Payment Request,Make Sales Invoice,Napravi prodajni račun
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,Software
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Software
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Sljedeća Kontakt Datum ne može biti u prošlosti
DocType: Company,For Reference Only.,Za samo kao referenca.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Odaberite šifra serije
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Odaberite šifra serije
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Pogrešna {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,Iznos predujma
@@ -2214,15 +2229,15 @@
DocType: Employee,Employment Details,Zapošljavanje Detalji
DocType: Employee,New Workplace,Novo radno mjesto
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Postavi kao zatvoreno
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Nema proizvoda sa barkodom {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Nema proizvoda sa barkodom {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Slučaj broj ne može biti 0
DocType: Item,Show a slideshow at the top of the page,Prikaži slideshow na vrhu stranice
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Sastavnice
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,prodavaonice
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Sastavnice
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,prodavaonice
DocType: Serial No,Delivery Time,Vrijeme isporuke
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Starenje temelju On
DocType: Item,End of Life,Kraj života
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,putovanje
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,putovanje
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Ne aktivni ili zadani Struktura plaća pronađeno za zaposlenika {0} za navedene datume
DocType: Leave Block List,Allow Users,Omogućiti korisnicima
DocType: Purchase Order,Customer Mobile No,Kupac mobilne Ne
@@ -2231,29 +2246,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Update cost
DocType: Item Reorder,Item Reorder,Ponovna narudžba proizvoda
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Prikaži Plaća proklizavanja
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Prijenos materijala
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Prijenos materijala
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Navedite operacija, operativni troškovi i dati jedinstven radom najkasnije do svojih operacija ."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Ovaj dokument je preko granice po {0} {1} za stavku {4}. Jeste li što drugo {3} protiv iste {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Molimo postavite ponavljajući nakon spremanja
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Iznos računa Odaberi promjene
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Ovaj dokument je preko granice po {0} {1} za stavku {4}. Jeste li što drugo {3} protiv iste {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Molimo postavite ponavljajući nakon spremanja
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Iznos računa Odaberi promjene
DocType: Purchase Invoice,Price List Currency,Valuta cjenika
DocType: Naming Series,User must always select,Korisničko uvijek mora odabrati
DocType: Stock Settings,Allow Negative Stock,Dopustite negativnu zalihu
DocType: Installation Note,Installation Note,Napomena instalacije
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Dodaj poreze
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Dodaj poreze
DocType: Topic,Topic,Tema
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Novčani tijek iz financijskih
DocType: Budget Account,Budget Account,proračun računa
DocType: Quality Inspection,Verified By,Ovjeren od strane
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Ne mogu promijeniti tvrtke zadanu valutu , jer postoje neki poslovi . Transakcije mora biti otkazana promijeniti zadanu valutu ."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Ne mogu promijeniti tvrtke zadanu valutu , jer postoje neki poslovi . Transakcije mora biti otkazana promijeniti zadanu valutu ."
DocType: Grading Scale Interval,Grade Description,Razred Opis
DocType: Stock Entry,Purchase Receipt No,Primka br.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,kapara
DocType: Process Payroll,Create Salary Slip,Stvaranje plaće Slip
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Sljedivost
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Izvor sredstava ( pasiva)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Količina u redku {0} ({1}) mora biti ista kao proizvedena količina {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Izvor sredstava ( pasiva)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Količina u redku {0} ({1}) mora biti ista kao proizvedena količina {2}
DocType: Appraisal,Employee,Zaposlenik
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Odaberite Batch
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} je naplaćen u cijelosti
DocType: Training Event,End Time,Kraj vremena
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktivni Struktura plaća {0} pronađen zaposlenika {1} za navedene datume
@@ -2265,11 +2281,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Potrebna On
DocType: Rename Tool,File to Rename,Datoteka za Preimenovanje
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Odaberite BOM za točku u nizu {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Određena BOM {0} ne postoji za točku {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Račun {0} ne odgovara tvrtki {1} u načinu računa: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Određena BOM {0} ne postoji za točku {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Stavka održavanja {0} mora biti otkazana prije poništenja ove narudžbe kupca
DocType: Notification Control,Expense Claim Approved,Rashodi Zahtjev odobren
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Plaća proklizavanja zaposlenika {0} već stvorena za ovo razdoblje
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Farmaceutski
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmaceutski
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Troškovi kupljene predmete
DocType: Selling Settings,Sales Order Required,Prodajnog naloga Obvezno
DocType: Purchase Invoice,Credit To,Kreditne Da
@@ -2286,42 +2303,42 @@
DocType: Payment Gateway Account,Payment Account,Račun za plaćanje
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,Navedite Tvrtka postupiti
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Neto promjena u potraživanja
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,kompenzacijski Off
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,kompenzacijski Off
DocType: Offer Letter,Accepted,Prihvaćeno
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,Organizacija
DocType: SG Creation Tool Course,Student Group Name,Naziv grupe studenata
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Molimo provjerite da li stvarno želite izbrisati sve transakcije za ovu tvrtku. Vaši matični podaci će ostati kao što je to. Ova radnja se ne može poništiti.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Molimo provjerite da li stvarno želite izbrisati sve transakcije za ovu tvrtku. Vaši matični podaci će ostati kao što je to. Ova radnja se ne može poništiti.
DocType: Room,Room Number,Broj sobe
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Pogrešna referentni {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ne može biti veći od planirane količine ({2}) u proizvodnom nalogu {3}
DocType: Shipping Rule,Shipping Rule Label,Dostava Pravilo Label
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forum za korisnike
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Sirovine ne može biti prazno.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Ne može se ažurirati zaliha, fakture sadrži drop shipping stavke."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Sirovine ne može biti prazno.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Ne može se ažurirati zaliha, fakture sadrži drop shipping stavke."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Brzo Temeljnica
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,Ne možete promijeniti cijenu ako je sastavnica spomenuta u bilo kojem proizvodu
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,Ne možete promijeniti cijenu ako je sastavnica spomenuta u bilo kojem proizvodu
DocType: Employee,Previous Work Experience,Radnog iskustva
DocType: Stock Entry,For Quantity,Za Količina
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Unesite Planirano Qty za točku {0} na redu {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} nije podnesen
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Zahtjevi za stavke.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Poseban proizvodnja kako će biti izrađen za svakog gotovog dobrom stavke.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} mora biti negativan u povratnom dokumentu
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} mora biti negativan u povratnom dokumentu
,Minutes to First Response for Issues,Minuta do prvog odgovora na pitanja
DocType: Purchase Invoice,Terms and Conditions1,Odredbe i Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,Ime instituta za koju postavljate ovaj sustav.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,Ime instituta za koju postavljate ovaj sustav.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Knjiženje zamrznuta do tog datuma, nitko ne može učiniti / mijenjati ulazak, osim uloge naveden u nastavku."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,Molimo spremite dokument prije stvaranja raspored za održavanje
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Status projekta
DocType: UOM,Check this to disallow fractions. (for Nos),Provjerite to da ne dopušta frakcija. (Za br)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Sljedeći Radni nalozi stvorili su:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Sljedeći Radni nalozi stvorili su:
DocType: Student Admission,Naming Series (for Student Applicant),Imenovanje serije (za studentske zahtjeva)
DocType: Delivery Note,Transporter Name,Transporter Ime
DocType: Authorization Rule,Authorized Value,Ovlašteni vrijednost
DocType: BOM,Show Operations,Pokaži operacije
,Minutes to First Response for Opportunity,Zapisnik na prvi odgovor za priliku
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Ukupno Odsutni
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Proizvod ili skladište za redak {0} ne odgovara Zahtjevu za materijalom
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Proizvod ili skladište za redak {0} ne odgovara Zahtjevu za materijalom
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Jedinica mjere
DocType: Fiscal Year,Year End Date,Završni datum godine
DocType: Task Depends On,Task Depends On,Zadatak ovisi o
@@ -2420,11 +2437,11 @@
DocType: Asset,Manual,Priručnik
DocType: Salary Component Account,Salary Component Account,Račun plaća Komponenta
DocType: Global Defaults,Hide Currency Symbol,Sakrij simbol valute
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","npr. banka, gotovina, kreditne kartice"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","npr. banka, gotovina, kreditne kartice"
DocType: Lead Source,Source Name,source Name
DocType: Journal Entry,Credit Note,Odobrenje kupcu
DocType: Warranty Claim,Service Address,Usluga Adresa
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Namještaja i rasvjete
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Namještaja i rasvjete
DocType: Item,Manufacture,Proizvodnja
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Molimo Isporuka Napomena prvo
DocType: Student Applicant,Application Date,Datum Primjena
@@ -2434,7 +2451,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Razmak Datum nije spomenuo
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Proizvodnja
DocType: Guardian,Occupation,Okupacija
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Postavite sustav imenovanja zaposlenika u ljudskim resursima> HR postavke
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Red {0} : Datum početka mora biti prije datuma završetka
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Ukupno (Kol)
DocType: Sales Invoice,This Document,Ovaj dokument
@@ -2446,19 +2462,19 @@
DocType: Purchase Receipt,Time at which materials were received,Vrijeme u kojem su materijali primili
DocType: Stock Ledger Entry,Outgoing Rate,Odlazni Ocijenite
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organizacija grana majstor .
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,ili
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,ili
DocType: Sales Order,Billing Status,Status naplate
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Prijavi problem
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,komunalna Troškovi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,komunalna Troškovi
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-Iznad
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Red # {0}: časopis za ulazak {1} nema računa {2} ili već usklađeni protiv drugog bona
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Red # {0}: časopis za ulazak {1} nema računa {2} ili već usklađeni protiv drugog bona
DocType: Buying Settings,Default Buying Price List,Zadani kupovni cjenik
DocType: Process Payroll,Salary Slip Based on Timesheet,Plaća proklizavanja temelju timesheet
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Niti jedan zaposlenik za prethodno izabrane kriterije ili plaća klizanja već stvorili
DocType: Notification Control,Sales Order Message,Poruka narudžbe kupca
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Postavi zadane vrijednosti kao što su tvrtka, valuta, tekuća fiskalna godina, itd."
DocType: Payment Entry,Payment Type,Vrsta plaćanja
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Odaberite Batch for Item {0}. Nije moguće pronaći jednu seriju koja ispunjava taj uvjet
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Odaberite Batch for Item {0}. Nije moguće pronaći jednu seriju koja ispunjava taj uvjet
DocType: Process Payroll,Select Employees,Odaberite Zaposlenici
DocType: Opportunity,Potential Sales Deal,Potencijalni Prodaja Deal
DocType: Payment Entry,Cheque/Reference Date,Ček / Referentni datum
@@ -2478,7 +2494,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Prijem dokumenata moraju biti dostavljeni
DocType: Purchase Invoice Item,Received Qty,Pozicija Kol
DocType: Stock Entry Detail,Serial No / Batch,Serijski Ne / Batch
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Ne plaća i ne Isporučeno
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Ne plaća i ne Isporučeno
DocType: Product Bundle,Parent Item,Nadređeni proizvod
DocType: Account,Account Type,Vrsta računa
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2492,24 +2508,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),Identifikacija paketa za dostavu (za tisak)
DocType: Bin,Reserved Quantity,Rezervirano Količina
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Unesite valjanu e-adresu
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Nema obveznog tečaja za program {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Primka proizvoda
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Prilagodba Obrasci
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,zaostatak
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,zaostatak
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Amortizacija Iznos u razdoblju
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Onemogućeno predložak ne smije biti zadani predložak
DocType: Account,Income Account,Račun prihoda
DocType: Payment Request,Amount in customer's currency,Iznos u valuti kupca
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Isporuka
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Isporuka
DocType: Stock Reconciliation Item,Current Qty,Trenutno Kom
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",Pogledajte "stopa materijali na temelju troškova" u odjeljak
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Prethodna
DocType: Appraisal Goal,Key Responsibility Area,Zona ključnih odgovornosti
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Studentski Serije vam pomoći pratiti posjećenost, procjene i naknade za učenike"
DocType: Payment Entry,Total Allocated Amount,Ukupni raspoređeni iznos
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Postavite zadani oglasni prostor za trajni oglasni prostor
DocType: Item Reorder,Material Request Type,Tip zahtjeva za robom
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Temeljnica za plaće iz {0} do {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage puna, nije štedjelo"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage puna, nije štedjelo"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Red {0}: UOM pretvorbe faktor je obavezno
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Ref.
DocType: Budget,Cost Center,Troška
@@ -2522,19 +2538,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Cijene Pravilo je napravljen prebrisati Cjenik / definirati postotak popusta, na temelju nekih kriterija."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Skladište se može mijenjati samo preko Međuskladišnica / Otpremnica / Primka
DocType: Employee Education,Class / Percentage,Klasa / Postotak
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Voditelj marketinga i prodaje
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Porez na dohodak
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Voditelj marketinga i prodaje
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Porez na dohodak
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Ako odabrani Cijene Pravilo je napravljen za 'Cijena', to će prebrisati Cjenik. Cijene Pravilo cijena je konačna cijena, pa dalje popust treba primijeniti. Dakle, u prometu kao što su prodajni nalog, narudžbenica itd, to će biti preuzeta u 'Rate' polju, a ne 'Cjenik stopom' polju."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Praćenje potencijalnih kupaca prema vrsti industrije.
DocType: Item Supplier,Item Supplier,Dobavljač proizvoda
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,Unesite kod Predmeta da se hrpa nema
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},Molimo odabir vrijednosti za {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,Unesite kod Predmeta da se hrpa nema
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Molimo odabir vrijednosti za {0} quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Sve adrese.
DocType: Company,Stock Settings,Postavke skladišta
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Spajanje je moguće samo ako sljedeća svojstva su isti u obje evidencije. Je Grupa, korijen Vrsta, Društvo"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Spajanje je moguće samo ako sljedeća svojstva su isti u obje evidencije. Je Grupa, korijen Vrsta, Društvo"
DocType: Vehicle,Electric,električni
DocType: Task,% Progress,% Napredak
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Dobit / gubitak od imovine Odlaganje
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Dobit / gubitak od imovine Odlaganje
DocType: Training Event,Will send an email about the event to employees with status 'Open',Hoće li poslati e-mail o događaju na zaposlenike sa statusom "Otvoreni"
DocType: Task,Depends on Tasks,Ovisi o poslovima
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Uredi hijerarhiju grupe kupaca.
@@ -2543,7 +2559,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Novi naziv troškovnog centra
DocType: Leave Control Panel,Leave Control Panel,Upravljačka ploča odsustava
DocType: Project,Task Completion,Zadatak Završetak
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Ne u skladištu
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Ne u skladištu
DocType: Appraisal,HR User,HR Korisnik
DocType: Purchase Invoice,Taxes and Charges Deducted,Porezi i naknade oduzeti
apps/erpnext/erpnext/hooks.py +116,Issues,Pitanja
@@ -2554,22 +2570,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Nema klizanja plaća je između {0} i {1}
,Pending SO Items For Purchase Request,Otvorene stavke narudžbe za zahtjev za kupnju
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Studentski Upisi
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} je onemogućen
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} je onemogućen
DocType: Supplier,Billing Currency,Naplata valuta
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Extra large
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra large
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Ukupno Lišće
,Profit and Loss Statement,Račun dobiti i gubitka
DocType: Bank Reconciliation Detail,Cheque Number,Ček Broj
,Sales Browser,prodaja preglednik
DocType: Journal Entry,Total Credit,Ukupna kreditna
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Upozorenje: Još {0} # {1} postoji protiv ulaska dionicama {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Lokalno
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Lokalno
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Zajmovi i predujmovi (aktiva)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Dužnici
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Veliki
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Veliki
DocType: Homepage Featured Product,Homepage Featured Product,Početna Istaknuti Proizvodi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Sve grupe za procjenu
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Sve grupe za procjenu
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Novo ime skladišta
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Ukupno {0} ({1})
DocType: C-Form Invoice Detail,Territory,Teritorij
@@ -2579,12 +2595,12 @@
DocType: Production Order Operation,Planned Start Time,Planirani početak vremena
DocType: Course,Assessment,procjena
DocType: Payment Entry Reference,Allocated,Dodijeljeni
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Zatvori bilanca i knjiga dobit ili gubitak .
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Zatvori bilanca i knjiga dobit ili gubitak .
DocType: Student Applicant,Application Status,Status aplikacije
DocType: Fees,Fees,naknade
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Navedite Tečaj pretvoriti jedne valute u drugu
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Ponuda {0} je otkazana
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Ukupni iznos
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Ukupni iznos
DocType: Sales Partner,Targets,Ciljevi
DocType: Price List,Price List Master,Cjenik Master
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Sve prodajnih transakcija može biti označene protiv više osoba ** prodaje **, tako da možete postaviti i pratiti ciljeve."
@@ -2628,11 +2644,11 @@
1. Kontakt Vaše tvrtke."
DocType: Attendance,Leave Type,Vrsta odsustva
DocType: Purchase Invoice,Supplier Invoice Details,Dobavljač Detalji Račun
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Rashodi / Razlika računa ({0}) mora biti račun 'dobit ili gubitak'
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Rashodi / Razlika računa ({0}) mora biti račun 'dobit ili gubitak'
DocType: Project,Copied From,Kopiran iz
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},greška Ime: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,Nedostatak
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} ne povezan s {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} ne povezan s {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Gledatelja za zaposlenika {0} već označen
DocType: Packing Slip,If more than one package of the same type (for print),Ako je više od jedan paket od iste vrste (za tisak)
,Salary Register,Plaća Registracija
@@ -2650,22 +2666,23 @@
,Requested Qty,Traženi Kol
DocType: Tax Rule,Use for Shopping Cart,Koristite za Košarica
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Vrijednost {0} za atribut {1} ne postoji na popisu važeće točke Vrijednosti atributa za točku {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Odaberite serijske brojeve
DocType: BOM Item,Scrap %,Otpad%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Troškovi će se distribuirati proporcionalno na temelju točke kom ili iznos, kao i po svom izboru"
DocType: Maintenance Visit,Purposes,Svrhe
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Atleast jedan predmet treba upisati s negativnim količinama u povratnom dokumentu
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Atleast jedan predmet treba upisati s negativnim količinama u povratnom dokumentu
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operacija {0} više nego bilo raspoloživih radnih sati u radnom {1}, razbiti rad u više operacija"
,Requested,Tražena
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Nema primjedbi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Nema primjedbi
DocType: Purchase Invoice,Overdue,Prezadužen
DocType: Account,Stock Received But Not Billed,Stock primljeni Ali ne Naplaćeno
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Korijen računa mora biti grupa
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Korijen računa mora biti grupa
DocType: Fees,FEE.,PRISTOJBA.
DocType: Employee Loan,Repaid/Closed,Otplaćuje / Zatvoreno
DocType: Item,Total Projected Qty,Ukupni predviđeni Kol
DocType: Monthly Distribution,Distribution Name,Naziv distribucije
DocType: Course,Course Code,kod predmeta
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Inspekcija kvalitete potrebna za proizvod {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Inspekcija kvalitete potrebna za proizvod {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Stopa po kojoj se valuta klijenta se pretvaraju u tvrtke bazne valute
DocType: Purchase Invoice Item,Net Rate (Company Currency),Neto stopa (Društvo valuta)
DocType: Salary Detail,Condition and Formula Help,Stanje i Formula Pomoć
@@ -2678,27 +2695,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Prijenos materijala za izradu
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Postotak popusta se može neovisno primijeniti prema jednom ili za više cjenika.
DocType: Purchase Invoice,Half-yearly,Polugodišnje
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Knjiženje na skladištu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Knjiženje na skladištu
DocType: Vehicle Service,Engine Oil,Motorno ulje
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Postavite sustav za imenovanje zaposlenika u ljudskim resursima> HR postavke
DocType: Sales Invoice,Sales Team1,Prodaja Team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Proizvod {0} ne postoji
DocType: Sales Invoice,Customer Address,Kupac Adresa
DocType: Employee Loan,Loan Details,zajam Detalji
+DocType: Company,Default Inventory Account,Zadani račun oglasnog prostora
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Red {0}: Završen količina mora biti veća od nule.
DocType: Purchase Invoice,Apply Additional Discount On,Nanesite dodatni popust na
DocType: Account,Root Type,korijen Tip
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Red # {0}: Ne može se vratiti više od {1} za točku {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Red # {0}: Ne može se vratiti više od {1} za točku {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,zemljište
DocType: Item Group,Show this slideshow at the top of the page,Prikaži ovaj slideshow na vrhu stranice
DocType: BOM,Item UOM,Mjerna jedinica proizvoda
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Porezna Iznos Nakon Popust Iznos (Društvo valuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Target skladište je obvezno za redom {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Target skladište je obvezno za redom {0}
DocType: Cheque Print Template,Primary Settings,Primarne postavke
DocType: Purchase Invoice,Select Supplier Address,Odaberite Dobavljač adresa
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Dodavanje zaposlenika
DocType: Purchase Invoice Item,Quality Inspection,Provjera kvalitete
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Dodatni Mali
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Dodatni Mali
DocType: Company,Standard Template,standardni predložak
DocType: Training Event,Theory,Teorija
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Upozorenje : Materijal Tražena količina manja nego minimalna narudžba kol
@@ -2706,7 +2725,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Pravna cjelina / Podružnica s odvojenim kontnim planom pripada Organizaciji.
DocType: Payment Request,Mute Email,Mute e
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Hrana , piće i duhan"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Može napraviti samo plaćanje protiv Nenaplaćena {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Može napraviti samo plaćanje protiv Nenaplaćena {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Proviziju ne može biti veća od 100
DocType: Stock Entry,Subcontract,Podugovor
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Unesite {0} prvi
@@ -2719,18 +2738,18 @@
DocType: SMS Log,No of Sent SMS,Broj poslanih SMS-a
DocType: Account,Expense Account,Rashodi račun
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,softver
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Boja
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Boja
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Plan Procjena Kriteriji
DocType: Training Event,Scheduled,Planiran
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Zahtjev za ponudu.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Molimo odaberite stavku u kojoj "Je kataloški Stavka" je "Ne" i "Je Prodaja Stavka" "Da", a ne postoji drugi bala proizvoda"
DocType: Student Log,Academic,Akademski
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Ukupno unaprijed ({0}) protiv Red {1} ne može biti veći od sveukupnog ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Ukupno unaprijed ({0}) protiv Red {1} ne može biti veći od sveukupnog ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Odaberite mjesečna distribucija na nejednako distribuirati ciljeve diljem mjeseci.
DocType: Purchase Invoice Item,Valuation Rate,Stopa vrednovanja
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,Dizel
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Valuta cjenika nije odabrana
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Valuta cjenika nije odabrana
,Student Monthly Attendance Sheet,Studentski mjesečna posjećenost list
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Zaposlenik {0} već podnijela zahtjev za {1} od {2} i {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Datum početka projekta
@@ -2742,7 +2761,7 @@
DocType: BOM,Scrap,otpaci
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Uredi prodajne partnere.
DocType: Quality Inspection,Inspection Type,Inspekcija Tip
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Skladišta s postojećim transakcije se ne može pretvoriti u skupinu.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Skladišta s postojećim transakcije se ne može pretvoriti u skupinu.
DocType: Assessment Result Tool,Result HTML,rezultat HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,istječe
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Dodaj studente
@@ -2750,13 +2769,13 @@
DocType: C-Form,C-Form No,C-obrazac br
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,Neoznačeno posjećenost
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,istraživač
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,istraživač
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Program za alat Upis studenata
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Ime ili e-mail je obavezno
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Dolazni kvalitete inspekcije.
DocType: Purchase Order Item,Returned Qty,Vraćeno Kom
DocType: Employee,Exit,Izlaz
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Korijen Tip je obvezno
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Korijen Tip je obvezno
DocType: BOM,Total Cost(Company Currency),Ukupna cijena (Društvo valuta)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serijski Ne {0} stvorio
DocType: Homepage,Company Description for website homepage,Opis tvrtke za web stranici
@@ -2765,7 +2784,7 @@
DocType: Sales Invoice,Time Sheet List,Vrijeme Lista list
DocType: Employee,You can enter any date manually,Možete ručno unijeti bilo koji datum
DocType: Asset Category Account,Depreciation Expense Account,Amortizacija reprezentaciju
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Probni
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Probni
DocType: Customer Group,Only leaf nodes are allowed in transaction,Samo lisni čvorovi su dozvoljeni u transakciji
DocType: Expense Claim,Expense Approver,Rashodi Odobritelj
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Red {0}: Advance protiv Kupac mora biti kreditna
@@ -2778,10 +2797,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Raspored predmeta izbrisan:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Trupci za održavanje statusa isporuke sms
DocType: Accounts Settings,Make Payment via Journal Entry,Plaćanje putem Temeljnica
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,tiskana na
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,tiskana na
DocType: Item,Inspection Required before Delivery,Inspekcija potrebno prije isporuke
DocType: Item,Inspection Required before Purchase,Inspekcija Obavezno prije kupnje
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Aktivnosti na čekanju
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Vaša organizacija
DocType: Fee Component,Fees Category,naknade Kategorija
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Unesite olakšavanja datum .
apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT
@@ -2791,9 +2811,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Poredaj Razina
DocType: Company,Chart Of Accounts Template,Kontni predložak
DocType: Attendance,Attendance Date,Gledatelja Datum
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Artikl Cijena ažuriran za {0} u Cjeniku {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Artikl Cijena ažuriran za {0} u Cjeniku {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Plaća raspada temelju zarađivati i odbitka.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Račun sa podređenim čvorom ne može se pretvoriti u glavnu knjigu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Račun sa podređenim čvorom ne može se pretvoriti u glavnu knjigu
DocType: Purchase Invoice Item,Accepted Warehouse,Prihvaćeno skladište
DocType: Bank Reconciliation Detail,Posting Date,Datum objave
DocType: Item,Valuation Method,Metoda vrednovanja
@@ -2802,14 +2822,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Dupli unos
DocType: Program Enrollment Tool,Get Students,dobiti studente
DocType: Serial No,Under Warranty,Pod jamstvom
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Greška]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Greška]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,U riječi će biti vidljiv nakon što spremite prodajnog naloga.
,Employee Birthday,Rođendan zaposlenika
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Studentski Batch Gledatelja alat
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,Ograničenje Crossed
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Ograničenje Crossed
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,venture Capital
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Akademska termina s ovim 'akademske godine' {0} i "Pojam Ime '{1} već postoji. Molimo izmijeniti ove stavke i pokušati ponovno.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Kao što postoje neki poslovi protiv točki {0}, ne možete promijeniti vrijednost {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Kao što postoje neki poslovi protiv točki {0}, ne možete promijeniti vrijednost {1}"
DocType: UOM,Must be Whole Number,Mora biti cijeli broj
DocType: Leave Control Panel,New Leaves Allocated (In Days),Novi Lišće alociran (u danima)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serijski Ne {0} ne postoji
@@ -2818,6 +2838,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Račun broj
DocType: Shopping Cart Settings,Orders,Narudžbe
DocType: Employee Leave Approver,Leave Approver,Osoba ovlaštena za odobrenje odsustva
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Odaberite grupu
DocType: Assessment Group,Assessment Group Name,Naziv grupe procjena
DocType: Manufacturing Settings,Material Transferred for Manufacture,Materijal prenose Proizvodnja
DocType: Expense Claim,"A user with ""Expense Approver"" role","Korisnik koji ima ovlast ""Odobrbravatelja troškova"""
@@ -2827,9 +2848,10 @@
DocType: Target Detail,Target Detail,Ciljana Detalj
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,Svi poslovi
DocType: Sales Order,% of materials billed against this Sales Order,% robe od ove narudžbe je naplaćeno
+DocType: Program Enrollment,Mode of Transportation,Način prijevoza
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Zatvaranje razdoblja Stupanje
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Troška s postojećim transakcija ne može se prevesti u skupini
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Iznos {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Iznos {0} {1} {2} {3}
DocType: Account,Depreciation,Amortizacija
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Dobavljač (s)
DocType: Employee Attendance Tool,Employee Attendance Tool,Sudjelovanje zaposlenika alat
@@ -2837,7 +2859,7 @@
DocType: Supplier,Credit Limit,Kreditni limit
DocType: Production Plan Sales Order,Salse Order Date,Datum Salse narudžbe
DocType: Salary Component,Salary Component,Plaća Komponenta
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Prijave plaćanja {0} su UN-linked
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Prijave plaćanja {0} su UN-linked
DocType: GL Entry,Voucher No,Bon Ne
,Lead Owner Efficiency,Učinkovitost voditelja
DocType: Leave Allocation,Leave Allocation,Raspodjela odsustva
@@ -2848,11 +2870,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Predložak izraza ili ugovora.
DocType: Purchase Invoice,Address and Contact,Kontakt
DocType: Cheque Print Template,Is Account Payable,Je li račun naplativo
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Stock ne može se ažurirati na potvrdi o kupnji {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Stock ne može se ažurirati na potvrdi o kupnji {0}
DocType: Supplier,Last Day of the Next Month,Posljednji dan sljedećeg mjeseca
DocType: Support Settings,Auto close Issue after 7 days,Auto blizu Izdavanje nakon 7 dana
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Ostavite se ne može dodijeliti prije {0}, kao dopust ravnoteža je već ručne proslijeđena u buduće dodjele dopusta rekord {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Napomena: S obzirom / Referentni datum prelazi dopuštene kupca kreditne dana od {0} dana (s)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Napomena: S obzirom / Referentni datum prelazi dopuštene kupca kreditne dana od {0} dana (s)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Studentski Podnositelj zahtjeva
DocType: Asset Category Account,Accumulated Depreciation Account,Akumulirana amortizacija računa
DocType: Stock Settings,Freeze Stock Entries,Zamrzavanje Stock Unosi
@@ -2861,35 +2883,35 @@
DocType: Activity Cost,Billing Rate,Ocijenite naplate
,Qty to Deliver,Količina za otpremu
,Stock Analytics,Analitika skladišta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Rad se ne može ostati prazno
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Rad se ne može ostati prazno
DocType: Maintenance Visit Purpose,Against Document Detail No,Protiv dokumenta Detalj No
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Tip stranka je obvezna
DocType: Quality Inspection,Outgoing,Odlazni
DocType: Material Request,Requested For,Traženi Za
DocType: Quotation Item,Against Doctype,Protiv DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} je otkazan ili zatvoren
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} je otkazan ili zatvoren
DocType: Delivery Note,Track this Delivery Note against any Project,Prati ovu napomenu isporuke protiv bilo Projekta
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Neto novac od investicijskih
-,Is Primary Address,Je Osnovna adresa
DocType: Production Order,Work-in-Progress Warehouse,Rad u tijeku Warehouse
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Imovina {0} mora biti predana
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Gledatelja Zapis {0} ne postoji protiv Student {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Gledatelja Zapis {0} ne postoji protiv Student {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Reference # {0} od {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Amortizacija Ispadanje zbog prodaje imovine
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Upravljanje adrese
DocType: Asset,Item Code,Šifra proizvoda
DocType: Production Planning Tool,Create Production Orders,Napravi proizvodni nalog
DocType: Serial No,Warranty / AMC Details,Jamstveni / AMC Brodu
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Ručno odaberite studente za Grupu temeljenu na aktivnostima
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Ručno odaberite studente za Grupu temeljenu na aktivnostima
DocType: Journal Entry,User Remark,Upute Zabilješka
DocType: Lead,Market Segment,Tržišni segment
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Uplaćeni iznos ne može biti veći od ukupnog negativnog preostali iznos {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Uplaćeni iznos ne može biti veći od ukupnog negativnog preostali iznos {0}
DocType: Employee Internal Work History,Employee Internal Work History,Zaposlenikova interna radna povijest
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Zatvaranje (DR)
DocType: Cheque Print Template,Cheque Size,Ček Veličina
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serijski broj {0} nije na skladištu
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Porezni predložak za prodajne transakcije.
DocType: Sales Invoice,Write Off Outstanding Amount,Otpisati preostali iznos
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Račun {0} ne podudara se s tvrtkom {1}
DocType: School Settings,Current Academic Year,Tekuća akademska godina
DocType: Stock Settings,Default Stock UOM,Zadana kataloška mjerna jedinica
DocType: Asset,Number of Depreciations Booked,Broj deprecijaciju Rezervirano
@@ -2904,27 +2926,27 @@
DocType: Asset,Double Declining Balance,Dvaput padu Stanje
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Zatvorena redoslijed ne može se otkazati. Otvarati otkazati.
DocType: Student Guardian,Father,Otac
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' ne može se provjeriti na prodaju osnovnog sredstva
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' ne može se provjeriti na prodaju osnovnog sredstva
DocType: Bank Reconciliation,Bank Reconciliation,Banka pomirenje
DocType: Attendance,On Leave,Na odlasku
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Nabavite ažuriranja
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Račun {2} ne pripada Društvu {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Zahtjev za robom {0} je otkazan ili zaustavljen
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Dodaj nekoliko uzorak zapisa
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Dodaj nekoliko uzorak zapisa
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Ostavite upravljanje
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Grupa po računu
DocType: Sales Order,Fully Delivered,Potpuno Isporučeno
DocType: Lead,Lower Income,Niža primanja
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Izvor i ciljna skladište ne može biti isti za redom {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Izvor i ciljna skladište ne može biti isti za redom {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Razlika računa mora biti tipa imovine / obveza račun, jer to kataloški Pomirenje je otvaranje Stupanje"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Isplaćeni Iznos ne može biti veća od iznos kredita {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Broj narudžbenice kupnje je potreban za artikal {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Proizvodnja Narudžba nije stvorio
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Broj narudžbenice kupnje je potreban za artikal {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Proizvodnja Narudžba nije stvorio
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Od datuma' mora biti poslije 'Do datuma'
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Ne može se promijeniti status studenta {0} je povezan sa studentskom primjene {1}
DocType: Asset,Fully Depreciated,potpuno amortizirana
,Stock Projected Qty,Stanje skladišta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Korisnik {0} ne pripada projicirati {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Korisnik {0} ne pripada projicirati {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Označena Gledatelja HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Citati su prijedlozi, ponude koje ste poslali na svoje klijente"
DocType: Sales Order,Customer's Purchase Order,Kupca narudžbenice
@@ -2933,33 +2955,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Zbroj ocjene kriterija za ocjenjivanje treba biti {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Molimo postavite Broj deprecijaciju Rezervirano
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,"Vrijednost, ili Kol"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Productions narudžbe se ne može podići za:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Minuta
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions narudžbe se ne može podići za:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Minuta
DocType: Purchase Invoice,Purchase Taxes and Charges,Nabavni porezi i terećenja
,Qty to Receive,Količina za primanje
DocType: Leave Block List,Leave Block List Allowed,Odobreni popis neodobrenih odsustava
DocType: Grading Scale Interval,Grading Scale Interval,Ocjenjivanje ljestvice
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Rashodi Zahtjev za vozila Prijavite {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Popust (%) na Cjeniku s marginom
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,Svi Skladišta
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Svi Skladišta
DocType: Sales Partner,Retailer,Prodavač na malo
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Kredit na računu mora biti bilanca račun
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Kredit na računu mora biti bilanca račun
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Sve vrste dobavljača
DocType: Global Defaults,Disable In Words,Onemogućavanje riječima
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,Kod proizvoda je obvezan jer artikli nisu automatski numerirani
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Kod proizvoda je obvezan jer artikli nisu automatski numerirani
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Ponuda {0} nije tip {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Stavka rasporeda održavanja
DocType: Sales Order,% Delivered,% Isporučeno
DocType: Production Order,PRO-,pro-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Bank Prekoračenje računa
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Bank Prekoračenje računa
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Provjerite plaće slip
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Red # {0}: dodijeljeni iznos ne može biti veći od nepodmirenog iznosa.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Pretraživanje BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,osigurani krediti
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,osigurani krediti
DocType: Purchase Invoice,Edit Posting Date and Time,Uredi datum knjiženja i vrijeme
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Molimo postavite Amortizacija se odnose računi u imovini Kategorija {0} ili Društvo {1}
DocType: Academic Term,Academic Year,Akademska godina
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Početno stanje kapital
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Početno stanje kapital
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Procjena
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},E-pošta dostavljati opskrbljivaču {0}
@@ -2975,7 +2997,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Odobravanje ulogu ne mogu biti isti kao i ulogepravilo odnosi se na
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Odjaviti s ovog Pošalji Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Poslana poruka
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Račun s djetetom čvorovi se ne može postaviti kao knjiga
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Račun s djetetom čvorovi se ne može postaviti kao knjiga
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Stopa po kojoj Cjenik valute se pretvaraju u kupca osnovne valute
DocType: Purchase Invoice Item,Net Amount (Company Currency),Neto iznos (Društvo valuta)
@@ -3009,7 +3031,7 @@
DocType: Expense Claim,Approval Status,Status odobrenja
DocType: Hub Settings,Publish Items to Hub,Objavi artikle u Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},Od vrijednosti mora biti manje nego vrijednosti u redu {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Wire Transfer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Wire Transfer
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Provjeri sve
DocType: Vehicle Log,Invoice Ref,fakture Ref
DocType: Purchase Order,Recurring Order,Ponavljajući narudžbe
@@ -3022,51 +3044,54 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Bankarstvo i plaćanje
,Welcome to ERPNext,Dobrodošli u ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Dovesti do kotaciju
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Ništa više za pokazati.
DocType: Lead,From Customer,Od kupca
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Pozivi
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Pozivi
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,serije
DocType: Project,Total Costing Amount (via Time Logs),Ukupno Obračun troškova Iznos (preko Vrijeme Trupci)
DocType: Purchase Order Item Supplied,Stock UOM,Kataloški UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Narudžbenicu {0} nije podnesen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Narudžbenicu {0} nije podnesen
DocType: Customs Tariff Number,Tariff Number,Tarifni broj
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Predviđeno
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serijski Ne {0} ne pripada Warehouse {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Napomena : Sustav neće provjeravati pretjerano isporuke i više - booking za točku {0} kao količinu ili vrijednost je 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Napomena : Sustav neće provjeravati pretjerano isporuke i više - booking za točku {0} kao količinu ili vrijednost je 0
DocType: Notification Control,Quotation Message,Ponuda - poruka
DocType: Employee Loan,Employee Loan Application,Radnik za obradu zahtjeva
DocType: Issue,Opening Date,Datum otvaranja
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Sudjelovanje je uspješno označen.
+DocType: Program Enrollment,Public Transport,Javni prijevoz
DocType: Journal Entry,Remark,Primjedba
DocType: Purchase Receipt Item,Rate and Amount,Kamatna stopa i iznos
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Vrsta računa za {0} mora biti {1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,Lišće i odmor
DocType: School Settings,Current Academic Term,Trenutni akademski naziv
DocType: Sales Order,Not Billed,Nije naplaćeno
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Oba skladišta moraju pripadati istoj tvrtki
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Još uvijek nema dodanih kontakata.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Oba skladišta moraju pripadati istoj tvrtki
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Još uvijek nema dodanih kontakata.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Iznos naloga zavisnog troška
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Mjenice podigao dobavljače.
DocType: POS Profile,Write Off Account,Napišite Off račun
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Debitna bilješka Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Iznos popusta
DocType: Purchase Invoice,Return Against Purchase Invoice,Povratak protiv fakturi
DocType: Item,Warranty Period (in days),Jamstveni period (u danima)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Odnos s Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Odnos s Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Neto novčani tijek iz operacije
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,na primjer PDV
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,na primjer PDV
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Stavka 4
DocType: Student Admission,Admission End Date,Prijem Datum završetka
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Podugovaranje
DocType: Journal Entry Account,Journal Entry Account,Temeljnica račun
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Studentski Grupa
DocType: Shopping Cart Settings,Quotation Series,Ponuda serija
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Stavka postoji s istim imenom ( {0} ) , molimo promijenite ime stavku grupe ili preimenovati stavku"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Molimo izaberite kupca
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Stavka postoji s istim imenom ( {0} ) , molimo promijenite ime stavku grupe ili preimenovati stavku"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Molimo izaberite kupca
DocType: C-Form,I,ja
DocType: Company,Asset Depreciation Cost Center,Imovina Centar Amortizacija troškova
DocType: Sales Order Item,Sales Order Date,Datum narudžbe (kupca)
DocType: Sales Invoice Item,Delivered Qty,Isporučena količina
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Ako je označeno, sva djeca svaku stavku proizvodnje će biti uključeni u materijalu zahtjeve."
DocType: Assessment Plan,Assessment Plan,plan Procjena
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Skladište {0}: Kompanija je obvezna
DocType: Stock Settings,Limit Percent,Ograničenje posto
,Payment Period Based On Invoice Date,Razdoblje za naplatu po Datum fakture
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Nedostaje Valuta za {0}
@@ -3078,7 +3103,7 @@
DocType: Vehicle,Insurance Details,Detalji osiguranje
DocType: Account,Payable,Plativ
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,Unesite razdoblja otplate
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Dužnici ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Dužnici ({0})
DocType: Pricing Rule,Margin,Marža
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Novi kupci
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Bruto dobit%
@@ -3089,16 +3114,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Stranka je obvezna
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,tema Naziv
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Barem jedan od prodajete ili kupujete mora biti odabran
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Odaberite prirodu Vašeg poslovanja.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Barem jedan od prodajete ili kupujete mora biti odabran
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Odaberite prirodu Vašeg poslovanja.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Red # {0}: ponovljeni unos u referencama {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Gdje se odvija proizvodni postupci.
DocType: Asset Movement,Source Warehouse,Izvor galerija
DocType: Installation Note,Installation Date,Instalacija Datum
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Red # {0}: Imovina {1} ne pripada društvu {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Red # {0}: Imovina {1} ne pripada društvu {2}
DocType: Employee,Confirmation Date,potvrda Datum
DocType: C-Form,Total Invoiced Amount,Ukupno Iznos dostavnice
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Minimalna količina ne može biti veća od maksimalne količine
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Minimalna količina ne može biti veća od maksimalne količine
DocType: Account,Accumulated Depreciation,akumulirana amortizacija
DocType: Stock Entry,Customer or Supplier Details,Kupca ili dobavljača Detalji
DocType: Employee Loan Application,Required by Date,Potrebna po datumu
@@ -3119,22 +3144,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Mjesečni postotak distribucije
DocType: Territory,Territory Targets,Prodajni plan prema teritoriju
DocType: Delivery Note,Transporter Info,Transporter Info
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Molimo postavite zadani {0} u Društvu {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Molimo postavite zadani {0} u Društvu {1}
DocType: Cheque Print Template,Starting position from top edge,Početni položaj od gornjeg ruba
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Isti dobavljač je unesen više puta
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Bruto dobit / gubitak
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Stavka narudžbenice broj
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Ime tvrtke ne mogu biti poduzeća
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Ime tvrtke ne mogu biti poduzeća
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Zaglavlja za ispis predložaka.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Naslovi za ispis predložaka, na primjer predračuna."
DocType: Student Guardian,Student Guardian,Studentski Guardian
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Troškovi tipa Vrednovanje se ne može označiti kao Inclusive
DocType: POS Profile,Update Stock,Ažuriraj zalihe
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dobavljač> Vrsta dobavljača
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Različite mjerne jedinice proizvoda će dovesti do ukupne pogrešne neto težine. Budite sigurni da je neto težina svakog proizvoda u istoj mjernoj jedinici.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM stopa
DocType: Asset,Journal Entry for Scrap,Temeljnica za otpad
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Molimo povucite stavke iz Dostavnica
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Dnevničkih zapisa {0} su UN-povezani
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Dnevničkih zapisa {0} su UN-povezani
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Snimanje svih komunikacija tipa e-mail, telefon, chat, posjete, itd"
DocType: Manufacturer,Manufacturers used in Items,Proizvođači se koriste u stavkama
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Molimo spomenuti zaokružiti troška u Društvu
@@ -3181,33 +3207,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,Dobavljač dostavlja Kupcu
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Obrazac / Artikl / {0}) je out of stock
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Sljedeći datum mora biti veći od datum knjiženja
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Pokaži porez raspada
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Zbog / Referentni datum ne može biti nakon {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Pokaži porez raspada
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Zbog / Referentni datum ne može biti nakon {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Uvoz i izvoz podataka
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","Stock unosi postoje protiv Skladište {0}, stoga se ne može ponovno dodijeliti ili mijenjati"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Nema učenika Pronađeno
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Nema učenika Pronađeno
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Račun knjiženja Datum
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Prodavati
DocType: Sales Invoice,Rounded Total,Zaokruženi iznos
DocType: Product Bundle,List items that form the package.,Popis stavki koje čine paket.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Postotak izdvajanja mora biti 100 %
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,Odaberite datum knjiženja prije odabira stranku
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Odaberite datum knjiženja prije odabira stranku
DocType: Program Enrollment,School House,Škola Kuća
DocType: Serial No,Out of AMC,Od AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Odaberite Ponude
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Odaberite Ponude
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Broj deprecijaciju rezervirano ne može biti veća od Ukupan broj deprecijaciju
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Provjerite održavanja Posjetite
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,Molimo kontaktirajte korisniku koji imaju Sales Manager Master {0} ulogu
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,Molimo kontaktirajte korisniku koji imaju Sales Manager Master {0} ulogu
DocType: Company,Default Cash Account,Zadani novčani račun
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Društvo ( ne kupaca i dobavljača ) majstor .
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,To se temelji na prisustvo ovog Student
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Nema studenata u Zagrebu
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Nema studenata u Zagrebu
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Dodaj još stavki ili otvoriti puni oblik
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',Unesite ' Očekivani datum isporuke '
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Otpremnica {0} mora biti otkazana prije poništenja ove narudžbenice
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Uplaćeni iznos + otpis iznos ne može biti veći od SVEUKUPNO
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Uplaćeni iznos + otpis iznos ne može biti veći od SVEUKUPNO
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} nije ispravan broj serije za točku {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Napomena : Nema dovoljno ravnotežu dopust za dozvolu tipa {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,Nevažeći GSTIN ili Unesi NA za neregistrirano
DocType: Training Event,Seminar,Seminar
DocType: Program Enrollment Fee,Program Enrollment Fee,Program za upis naknada
DocType: Item,Supplier Items,Dobavljač Stavke
@@ -3233,27 +3259,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Stavka 3
DocType: Purchase Order,Customer Contact Email,Kupac Kontakt e
DocType: Warranty Claim,Item and Warranty Details,Stavka i jamstvo Detalji
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Šifra stavke> Skupina stavke> Brand
DocType: Sales Team,Contribution (%),Doprinos (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Napomena : Stupanje Plaćanje neće biti izrađen od ' Gotovina ili bankovni račun ' nije naveden
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Odaberite program za učitavanje obveznih tečajeva.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Odgovornosti
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Odgovornosti
DocType: Expense Claim Account,Expense Claim Account,Rashodi Zatraži račun
DocType: Sales Person,Sales Person Name,Ime prodajne osobe
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Unesite atleast jedan račun u tablici
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Dodaj korisnicima
DocType: POS Item Group,Item Group,Grupa proizvoda
DocType: Item,Safety Stock,Sigurnost Stock
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Napredak% za zadatak ne može biti više od 100.
DocType: Stock Reconciliation Item,Before reconciliation,Prije pomirenja
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Za {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Porezi i naknade uvrštenja (Društvo valuta)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Stavka Porezna Row {0} mora imati račun tipa poreza ili prihoda i rashoda ili naplativ
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Stavka Porezna Row {0} mora imati račun tipa poreza ili prihoda i rashoda ili naplativ
DocType: Sales Order,Partly Billed,Djelomično naplaćeno
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Stavka {0} mora biti Fixed Asset predmeta
DocType: Item,Default BOM,Zadani BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,Ponovno upišite naziv tvrtke za potvrdu
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Ukupni Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Debitni iznos bilješke
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Ponovno upišite naziv tvrtke za potvrdu
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Ukupni Amt
DocType: Journal Entry,Printing Settings,Ispis Postavke
DocType: Sales Invoice,Include Payment (POS),Uključi plaćanje (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Ukupno zaduženje mora biti jednak ukupnom kreditnom .
@@ -3267,15 +3291,16 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Na lageru:
DocType: Notification Control,Custom Message,Prilagođena poruka
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investicijsko bankarstvo
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Novac ili bankovni račun je obvezna za izradu ulazak plaćanje
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Studentska adresa
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Novac ili bankovni račun je obvezna za izradu ulazak plaćanje
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Molim postavite serijske brojeve za sudjelovanje putem Setup> Serija numeriranja
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentska adresa
DocType: Purchase Invoice,Price List Exchange Rate,Tečaj cjenika
DocType: Purchase Invoice Item,Rate,VPC
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,stažista
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,adresa Ime
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,stažista
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,adresa Ime
DocType: Stock Entry,From BOM,Od sastavnice
DocType: Assessment Code,Assessment Code,kod procjena
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Osnovni
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Osnovni
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Stock transakcije prije {0} se zamrznut
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"Molimo kliknite na ""Generiraj raspored '"
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","npr. kg, kom, br, m"
@@ -3285,11 +3310,11 @@
DocType: Salary Slip,Salary Structure,Plaća Struktura
DocType: Account,Bank,Banka
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Aviokompanija
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Izdavanje materijala
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Izdavanje materijala
DocType: Material Request Item,For Warehouse,Za galeriju
DocType: Employee,Offer Date,Datum ponude
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Citati
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Vi ste u izvanmrežnom načinu rada. Nećete biti u mogućnosti da ponovno učitati dok imate mrežu.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,Vi ste u izvanmrežnom načinu rada. Nećete biti u mogućnosti da ponovno učitati dok imate mrežu.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Nema studentskih grupa stvorena.
DocType: Purchase Invoice Item,Serial No,Serijski br
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Mjesečni iznos otplate ne može biti veća od iznosa kredita
@@ -3297,8 +3322,8 @@
DocType: Purchase Invoice,Print Language,Ispis Language
DocType: Salary Slip,Total Working Hours,Ukupno Radno vrijeme
DocType: Stock Entry,Including items for sub assemblies,Uključujući predmeta za sub sklopova
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Unesite vrijednost moraju biti pozitivne
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Sve teritorije
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Unesite vrijednost moraju biti pozitivne
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Sve teritorije
DocType: Purchase Invoice,Items,Proizvodi
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Student je već upisan.
DocType: Fiscal Year,Year Name,Naziv godine
@@ -3316,10 +3341,10 @@
DocType: Issue,Opening Time,Radno vrijeme
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Od i Do datuma zahtijevanih
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Vrijednosni papiri i robne razmjene
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Zadana mjerna jedinica za Variant '{0}' mora biti isti kao u predložak '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Zadana mjerna jedinica za Variant '{0}' mora biti isti kao u predložak '{1}'
DocType: Shipping Rule,Calculate Based On,Izračun temeljen na
DocType: Delivery Note Item,From Warehouse,Iz skladišta
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Nema Stavke sa Bill materijala za proizvodnju
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Nema Stavke sa Bill materijala za proizvodnju
DocType: Assessment Plan,Supervisor Name,Naziv Supervisor
DocType: Program Enrollment Course,Program Enrollment Course,Tečaj za upis na program
DocType: Purchase Taxes and Charges,Valuation and Total,Vrednovanje i Total
@@ -3334,18 +3359,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Dani od posljednje narudžbe' mora biti veći ili jednak nuli
DocType: Process Payroll,Payroll Frequency,Plaće Frequency
DocType: Asset,Amended From,Izmijenjena Od
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,sirovine
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,sirovine
DocType: Leave Application,Follow via Email,Slijedite putem e-maila
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Biljke i strojevi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Biljke i strojevi
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Iznos poreza Nakon iznosa popusta
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Dnevni Postavke rad Sažetak
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Valuta cjeniku {0} nije slično s odabranoj valuti {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Valuta cjeniku {0} nije slično s odabranoj valuti {1}
DocType: Payment Entry,Internal Transfer,Interni premještaj
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Dijete računa postoji za taj račun . Ne možete izbrisati ovaj račun .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Dijete računa postoji za taj račun . Ne možete izbrisati ovaj račun .
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Ili meta Količina ili ciljani iznos je obvezna
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Zadani BOM ne postoji za proizvod {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Zadani BOM ne postoji za proizvod {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Molimo odaberite datum knjiženja prvo
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Otvaranje Datum bi trebao biti prije datuma zatvaranja
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Postavite Serija namijenjena {0} putem Postava> Postavke> Serija za imenovanje
DocType: Leave Control Panel,Carry Forward,Prenijeti
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Troška s postojećim transakcija ne može pretvoriti u knjizi
DocType: Department,Days for which Holidays are blocked for this department.,Dani za koje su praznici blokirani za ovaj odjel.
@@ -3355,10 +3381,9 @@
DocType: Issue,Raised By (Email),Povišena Do (e)
DocType: Training Event,Trainer Name,Ime trenera
DocType: Mode of Payment,General,Opći
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Pričvrstite zaglavljem
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Posljednja komunikacija
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Ne mogu odbiti kada kategorija je "" vrednovanje "" ili "" Vrednovanje i Total '"
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Popis svoje porezne glave (npr PDV, carina itd, oni bi trebali imati jedinstvene nazive) i njihove standardne stope. To će stvoriti standardni predložak koji možete uređivati i dodavati više kasnije."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Popis svoje porezne glave (npr PDV, carina itd, oni bi trebali imati jedinstvene nazive) i njihove standardne stope. To će stvoriti standardni predložak koji možete uređivati i dodavati više kasnije."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Serijski Nos potrebna za serijaliziranom točke {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Match Plaćanja s faktura
DocType: Journal Entry,Bank Entry,Bank Stupanje
@@ -3367,16 +3392,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Dodaj u košaricu
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Grupa Do
DocType: Guardian,Interests,interesi
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Omogućiti / onemogućiti valute .
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Omogućiti / onemogućiti valute .
DocType: Production Planning Tool,Get Material Request,Dobiti materijala zahtjev
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Poštanski troškovi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Poštanski troškovi
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Ukupno (AMT)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Zabava i slobodno vrijeme
DocType: Quality Inspection,Item Serial No,Serijski broj proizvoda
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Stvaranje zaposlenika Records
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Ukupno Present
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Računovodstveni izvještaji
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Sat
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Sat
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Novi serijski broj ne može biti na skladištu. Skladište mora biti postavljen od strane međuskladišnice ili primke
DocType: Lead,Lead Type,Tip potencijalnog kupca
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Niste ovlašteni za odobravanje lišće o skupnom Datumi
@@ -3388,6 +3413,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,Novi BOM nakon zamjene
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Point of Sale
DocType: Payment Entry,Received Amount,primljeni iznos
+DocType: GST Settings,GSTIN Email Sent On,GSTIN e-pošta poslana
+DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop od strane Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Stvaranje za punu količinu, ignorirajući količine već naručene"
DocType: Account,Tax,Porez
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,neobilježen
@@ -3399,14 +3426,14 @@
DocType: Batch,Source Document Name,Izvorni naziv dokumenta
DocType: Job Opening,Job Title,Titula
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Stvaranje korisnika
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,Gram
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,Gram
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Količina za proizvodnju mora biti veći od 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Pogledajte izvješće razgovora vezanih uz održavanje.
DocType: Stock Entry,Update Rate and Availability,Brzina ažuriranja i dostupnost
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Postotak koju smiju primiti ili isporučiti više od naručene količine. Na primjer: Ako ste naručili 100 jedinica. i tvoj ispravak je 10% onda se smiju primati 110 jedinica.
DocType: POS Customer Group,Customer Group,Grupa kupaca
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Novo ID serije (izborno)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Rashodi račun je obvezna za predmet {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Rashodi račun je obvezna za predmet {0}
DocType: BOM,Website Description,Opis web stranice
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Neto promjena u kapitalu
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Otkažite fakturi {0} prvi
@@ -3416,8 +3443,8 @@
,Sales Register,Prodaja Registracija
DocType: Daily Work Summary Settings Company,Send Emails At,Slanje e-pošte na
DocType: Quotation,Quotation Lost Reason,Razlog nerealizirane ponude
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Odaberite svoju domenu
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Transakcija referenca ne {0} datumom {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Odaberite svoju domenu
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Transakcija referenca ne {0} datumom {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Ne postoji ništa za uređivanje .
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Sažetak za ovaj mjesec i tijeku aktivnosti
DocType: Customer Group,Customer Group Name,Naziv grupe kupaca
@@ -3425,14 +3452,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Izvještaj o novčanom tijeku
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Iznos kredita ne može biti veći od maksimalnog iznosa zajma {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,licenca
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},Molimo uklonite ovu fakturu {0} od C-obrasca {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},Molimo uklonite ovu fakturu {0} od C-obrasca {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Molimo odaberite prenositi ako želite uključiti prethodnoj fiskalnoj godini je ravnoteža ostavlja na ovoj fiskalnoj godini
DocType: GL Entry,Against Voucher Type,Protiv voucher vrsti
DocType: Item,Attributes,Značajke
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,Unesite otpis račun
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Unesite otpis račun
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Zadnje narudžbe Datum
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Račun {0} ne pripada društvu {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Serijski brojevi u retku {0} ne podudaraju se s dostavom
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Serijski brojevi u retku {0} ne podudaraju se s dostavom
DocType: Student,Guardian Details,Guardian Detalji
DocType: C-Form,C-Form,C-obrazac
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark Gledatelja za više radnika
@@ -3447,16 +3474,16 @@
DocType: Budget Account,Budget Amount,Iznos proračuna
DocType: Appraisal Template,Appraisal Template Title,Procjena Predložak Naslov
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Od datuma {0} za Radnik {1} ne može biti prije zaposlenika pridružio Datum {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,trgovački
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,trgovački
DocType: Payment Entry,Account Paid To,Račun plaćeni za
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Roditelj Stavka {0} ne smije biti kataloški predmeta
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Svi proizvodi i usluge.
DocType: Expense Claim,More Details,Više pojedinosti
DocType: Supplier Quotation,Supplier Address,Dobavljač Adresa
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Proračun za račun {1} od {2} {3} je {4}. To će biti veći od {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Red {0} # računa mora biti tipa 'Dugotrajne imovine'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Od kol
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Pravila za izračun shipping iznos za prodaju
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Red {0} # računa mora biti tipa 'Dugotrajne imovine'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Od kol
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Pravila za izračun shipping iznos za prodaju
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Serija je obvezno
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Financijske usluge
DocType: Student Sibling,Student ID,studentska iskaznica
@@ -3464,13 +3491,13 @@
DocType: Tax Rule,Sales,Prodaja
DocType: Stock Entry Detail,Basic Amount,Osnovni iznos
DocType: Training Event,Exam,Ispit
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Skladište je potrebno za skladišne proizvode {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Skladište je potrebno za skladišne proizvode {0}
DocType: Leave Allocation,Unused leaves,Neiskorišteni lišće
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,Državna naplate
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Prijenos
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} ne povezan s računom stranke {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Fetch eksplodirala BOM (uključujući i podsklopova )
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} ne povezan s računom stranke {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Fetch eksplodirala BOM (uključujući i podsklopova )
DocType: Authorization Rule,Applicable To (Employee),Odnosi se na (Radnik)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Datum dospijeća je obavezno
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Pomak za Osobina {0} ne može biti 0
@@ -3498,7 +3525,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Sirovine Stavka Šifra
DocType: Journal Entry,Write Off Based On,Otpis na temelju
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Napravite Olovo
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Ispis i konfekcija
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Ispis i konfekcija
DocType: Stock Settings,Show Barcode Field,Prikaži Barkod Polje
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Pošalji Supplier e-pošte
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Plaća se već obrađuju za razdoblje od {0} i {1}, dopusta zahtjev ne može biti između ovom razdoblju."
@@ -3506,13 +3533,15 @@
DocType: Guardian Interest,Guardian Interest,Guardian kamata
apps/erpnext/erpnext/config/hr.py +177,Training,Trening
DocType: Timesheet,Employee Detail,Detalj zaposlenika
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 ID e-pošte
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 ID e-pošte
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,Sljedeći datum dan i ponavljanja na dan u mjesecu mora biti jednaka
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Postavke za web stranice početnu stranicu
DocType: Offer Letter,Awaiting Response,Očekujem odgovor
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Iznad
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Iznad
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},Neispravan atribut {0} {1}
DocType: Supplier,Mention if non-standard payable account,Navedite ako je nestandardni račun koji se plaća
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Isti artikl je unesen više puta. {popis}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Odaberite grupu za procjenu osim "Sve grupe za procjenu"
DocType: Salary Slip,Earning & Deduction,Zarada & Odbitak
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Izborni . Ova postavka će se koristiti za filtriranje u raznim transakcijama .
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Negativna stopa vrijednovanja nije dopuštena
@@ -3526,9 +3555,9 @@
DocType: Sales Invoice,Product Bundle Help,Proizvod bala Pomoć
,Monthly Attendance Sheet,Mjesečna lista posjećenosti
DocType: Production Order Item,Production Order Item,Proizvodnja Red predmeta
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Nije pronađen zapis
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Nije pronađen zapis
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Troškovi otpisan imovinom
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Mjesto troška je ovezno za stavku {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Mjesto troška je ovezno za stavku {2}
DocType: Vehicle,Policy No,politika Nema
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Se predmeti s Bundle proizvoda
DocType: Asset,Straight Line,Ravna crta
@@ -3536,7 +3565,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Split
DocType: GL Entry,Is Advance,Je Predujam
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Gledanost od datuma do datuma je obvezna
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,Unesite ' Je podugovoren ' kao da ili ne
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,Unesite ' Je podugovoren ' kao da ili ne
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Posljednji datum komunikacije
DocType: Sales Team,Contact No.,Kontakt broj
DocType: Bank Reconciliation,Payment Entries,Prijave plaćanja
@@ -3562,60 +3591,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Otvaranje vrijednost
DocType: Salary Detail,Formula,Formula
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serijski #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Komisija za prodaju
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Komisija za prodaju
DocType: Offer Letter Term,Value / Description,Vrijednost / Opis
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Red # {0}: Imovina {1} ne može se podnijeti, to je već {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Red # {0}: Imovina {1} ne može se podnijeti, to je već {2}"
DocType: Tax Rule,Billing Country,Naplata Država
DocType: Purchase Order Item,Expected Delivery Date,Očekivani rok isporuke
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debitne i kreditne nije jednaka za {0} # {1}. Razlika je {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Zabava Troškovi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Provjerite materijala zahtjev
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Zabava Troškovi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Provjerite materijala zahtjev
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Otvoreno Stavka {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Prodaja Račun {0} mora biti otkazana prije poništenja ovu prodajnog naloga
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Doba
DocType: Sales Invoice Timesheet,Billing Amount,Naplata Iznos
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Navedena je pogrešna količina za proizvod {0}. Količina treba biti veći od 0.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Prijave za odmor.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Račun s postojećom transakcijom ne može se izbrisati
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Račun s postojećom transakcijom ne može se izbrisati
DocType: Vehicle,Last Carbon Check,Posljednja Carbon Check
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Pravni troškovi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Pravni troškovi
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Molimo odaberite količinu na red
DocType: Purchase Invoice,Posting Time,Objavljivanje Vrijeme
DocType: Timesheet,% Amount Billed,% Naplaćeni iznos
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Telefonski troškovi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Telefonski troškovi
DocType: Sales Partner,Logo,Logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Označite ovo ako želite prisiliti korisniku odabir seriju prije spremanja. Tu će biti zadana ako to provjerili.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Nema proizvoda sa serijskim brojem {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Nema proizvoda sa serijskim brojem {0}
DocType: Email Digest,Open Notifications,Otvoreno Obavijesti
DocType: Payment Entry,Difference Amount (Company Currency),Razlika Iznos (Društvo valuta)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Izravni troškovi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Izravni troškovi
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} nije ispravan e-mail adresu u "Obavijest \ e-mail adresa '
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Novi prihod kupca
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,putni troškovi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,putni troškovi
DocType: Maintenance Visit,Breakdown,Slom
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Račun: {0} s valutom: {1} ne može se odabrati
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Račun: {0} s valutom: {1} ne može se odabrati
DocType: Bank Reconciliation Detail,Cheque Date,Ček Datum
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Račun {0}: nadređeni račun {1} ne pripada tvrtki: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Račun {0}: nadređeni račun {1} ne pripada tvrtki: {2}
DocType: Program Enrollment Tool,Student Applicants,Studentski Kandidati
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Uspješno izbrisati sve transakcije vezane uz ovu tvrtku!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Uspješno izbrisati sve transakcije vezane uz ovu tvrtku!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Kao i na datum
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,Datum registracije
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Probni rad
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Probni rad
apps/erpnext/erpnext/config/hr.py +115,Salary Components,Plaća Komponente
DocType: Program Enrollment Tool,New Academic Year,Nova akademska godina
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Povrat / odobrenje kupcu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Povrat / odobrenje kupcu
DocType: Stock Settings,Auto insert Price List rate if missing,"Ako ne postoji, automatski ubaciti cjenik"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Ukupno uplaćeni iznos
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Ukupno uplaćeni iznos
DocType: Production Order Item,Transferred Qty,prebačen Kol
apps/erpnext/erpnext/config/learn.py +11,Navigating,Kretanje
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,planiranje
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Izdano
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,planiranje
+DocType: Material Request,Issued,Izdano
DocType: Project,Total Billing Amount (via Time Logs),Ukupno naplate Iznos (preko Vrijeme Trupci)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Prodajemo ovaj proizvod
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Id Dobavljač
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Prodajemo ovaj proizvod
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Id Dobavljač
DocType: Payment Request,Payment Gateway Details,Payment Gateway Detalji
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Količina bi trebala biti veća od 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Količina bi trebala biti veća od 0
DocType: Journal Entry,Cash Entry,Novac Stupanje
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Dijete čvorovi mogu biti samo stvorio pod tipa čvorišta 'Grupa'
DocType: Leave Application,Half Day Date,Poludnevni Datum
@@ -3627,14 +3657,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Molimo postavite zadanog računa o troškovima za tužbu tipa {0}
DocType: Assessment Result,Student Name,Ime studenta
DocType: Brand,Item Manager,Stavka Manager
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,Plaće Plaća
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Plaće Plaća
DocType: Buying Settings,Default Supplier Type,Zadani tip dobavljača
DocType: Production Order,Total Operating Cost,Ukupni trošak
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Napomena : Proizvod {0} je upisan više puta
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Svi kontakti.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Kratica Društvo
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Kratica Društvo
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Korisnik {0} ne postoji
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,Sirovina ne mogu biti isti kao glavni predmet
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Sirovina ne mogu biti isti kao glavni predmet
DocType: Item Attribute Value,Abbreviation,Skraćenica
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Ulaz za plaćanje već postoji
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Niste ovlašteni od {0} prijeđenog limita
@@ -3643,49 +3673,49 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Postavite Porezni Pravilo za košaricu
DocType: Purchase Invoice,Taxes and Charges Added,Porezi i naknade Dodano
,Sales Funnel,prodaja dimnjak
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Naziv je obavezan
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Naziv je obavezan
DocType: Project,Task Progress,Zadatak Napredak
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Kolica
,Qty to Transfer,Količina za prijenos
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Ponude za kupce ili potencijalne kupce.
DocType: Stock Settings,Role Allowed to edit frozen stock,Uloga dopuštenih urediti smrznute zalihe
,Territory Target Variance Item Group-Wise,Pregled prometa po teritoriji i grupi proizvoda
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Sve grupe kupaca
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Sve grupe kupaca
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,ukupna mjesečna
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je obavezno. Možda Mjenjačnica zapis nije stvoren za {1} na {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je obavezno. Možda Mjenjačnica zapis nije stvoren za {1} na {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Porez Predložak je obavezno.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Račun {0}: nadređeni račun {1} ne postoji
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Račun {0}: nadređeni račun {1} ne postoji
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Stopa cjenika (valuta tvrtke)
DocType: Products Settings,Products Settings,proizvodi Postavke
DocType: Account,Temporary,Privremen
DocType: Program,Courses,Tečajevi
DocType: Monthly Distribution Percentage,Percentage Allocation,Postotak raspodjele
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,tajnica
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,tajnica
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Ako onemogućite ", riječima 'polja neće biti vidljiva u bilo koju transakciju"
DocType: Serial No,Distinct unit of an Item,Razlikuje jedinica stavku
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Postavite tvrtku
DocType: Pricing Rule,Buying,Nabava
DocType: HR Settings,Employee Records to be created by,Zaposlenik Records bi se stvorili
DocType: POS Profile,Apply Discount On,Nanesite popusta na
,Reqd By Date,Reqd Po datumu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Vjerovnici
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Vjerovnici
DocType: Assessment Plan,Assessment Name,Naziv Procjena
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Red # {0}: Serijski br obvezno
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Stavka Wise Porezna Detalj
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Institut naziv
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Institut naziv
,Item-wise Price List Rate,Item-wise cjenik
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Dobavljač Ponuda
DocType: Quotation,In Words will be visible once you save the Quotation.,U riječi će biti vidljiv nakon što spremite ponudu.
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Količina ({0}) ne može biti frakcija u retku {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,prikupiti naknade
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Barkod {0} se već koristi u proizvodu {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barkod {0} se već koristi u proizvodu {1}
DocType: Lead,Add to calendar on this date,Dodaj u kalendar na ovaj datum
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Pravila za dodavanje troškova prijevoza.
DocType: Item,Opening Stock,Otvaranje Stock
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Kupac je dužan
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} je obvezna za povratak
DocType: Purchase Order,To Receive,Primiti
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Osobni email
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Ukupne varijance
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ako je omogućeno, sustav će objaviti računovodstvene stavke za popis automatski."
@@ -3697,13 +3727,14 @@
DocType: Customer,From Lead,Od Olovo
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Narudžbe objavljen za proizvodnju.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Odaberite fiskalnu godinu ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS Profil potrebna da bi POS unos
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS Profil potrebna da bi POS unos
DocType: Program Enrollment Tool,Enroll Students,upisati studenti
DocType: Hub Settings,Name Token,Naziv tokena
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standardna prodaja
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Atleast jednom skladištu je obavezno
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Atleast jednom skladištu je obavezno
DocType: Serial No,Out of Warranty,Od jamstvo
DocType: BOM Replace Tool,Replace,Zamijeniti
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Nisu pronađeni proizvodi.
DocType: Production Order,Unstopped,Unstopped
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} u odnosu na prodajnom računu {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3714,13 +3745,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Stock Vrijednost razlika
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Ljudski Resursi
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Pomirenje Plaćanje Plaćanje
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,porezna imovina
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,porezna imovina
DocType: BOM Item,BOM No,BOM br.
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Temeljnica {0} nema račun {1} ili već usklađeni protiv drugog bona
DocType: Item,Moving Average,Prosječna ponderirana cijena
DocType: BOM Replace Tool,The BOM which will be replaced,BOM koji će biti zamijenjen
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,elektroničke opreme
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,elektroničke opreme
DocType: Account,Debit,Zaduženje
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Odsustva moraju biti dodijeljena kao višekratnici od 0,5"
DocType: Production Order,Operation Cost,Operacija troškova
@@ -3728,7 +3759,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Izvanredna Amt
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Set cilja predmet Grupa-mudar za ovaj prodavač.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Dionice stariji od [ dana ]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Red # {0}: Imovina je obvezna za nepokretne imovine kupnju / prodaju
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Red # {0}: Imovina je obvezna za nepokretne imovine kupnju / prodaju
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ako dva ili više Cijene Pravila nalaze se na temelju gore navedenih uvjeta, Prioritet se primjenjuje. Prioritet je broj između 0 do 20, a zadana vrijednost je nula (prazno). Veći broj znači da će imati prednost ako ima više Cijene pravila s istim uvjetima."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Fiskalna godina: {0} ne postoji
DocType: Currency Exchange,To Currency,Valutno
@@ -3736,7 +3767,7 @@
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Vrste Rashodi zahtjevu.
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Stopa prodaje za stavku {0} niža je od njegove {1}. Stopa prodaje trebao bi biti najmanje {2}
DocType: Item,Taxes,Porezi
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Plaćeni i nije isporučena
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Plaćeni i nije isporučena
DocType: Project,Default Cost Center,Zadana troškovnih centara
DocType: Bank Guarantee,End Date,Datum završetka
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Stock transakcije
@@ -3761,24 +3792,22 @@
DocType: Employee,Held On,Održanoj
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Proizvodni proizvod
,Employee Information,Informacije o zaposleniku
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Stopa ( % )
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Stopa ( % )
DocType: Stock Entry Detail,Additional Cost,Dodatni trošak
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Financijska godina - zadnji datum
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Ne možete filtrirati na temelju vaučer No , ako grupirani po vaučer"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Napravi ponudu dobavljaču
DocType: Quality Inspection,Incoming,Dolazni
DocType: BOM,Materials Required (Exploded),Potrebna roba
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Dodaj korisnika u vašoj organizaciji, osim sebe"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Knjiženja Datum ne može biti datum u budućnosti
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Red # {0}: Serijski br {1} ne odgovara {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Casual dopust
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Casual dopust
DocType: Batch,Batch ID,ID serije
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Napomena: {0}
,Delivery Note Trends,Trend otpremnica
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Ovaj tjedan Sažetak
-,In Stock Qty,Na skladištu Kol
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Na skladištu Kol
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Račun: {0} može se ažurirati samo preko Stock promet
-DocType: Program Enrollment,Get Courses,dobiti Tečajevi
+DocType: Student Group Creation Tool,Get Courses,dobiti Tečajevi
DocType: GL Entry,Party,Stranka
DocType: Sales Order,Delivery Date,Datum isporuke
DocType: Opportunity,Opportunity Date,Datum prilike
@@ -3786,14 +3815,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Zahtjev za ponudu točke
DocType: Purchase Order,To Bill,Za Billa
DocType: Material Request,% Ordered,% Naručeno
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Za Studentsku grupu na tečaju, tečaj će biti validiran za svakog studenta iz upisanih kolegija u upisu na program."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Unesite E-mail adresa odvojenih zarezima, račun će biti automatski poslan na određeni datum"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Rad po komadu
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Rad po komadu
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Prosječna nabavna cijena
DocType: Task,Actual Time (in Hours),Stvarno vrijeme (u satima)
DocType: Employee,History In Company,Povijest tvrtke
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Newsletteri
DocType: Stock Ledger Entry,Stock Ledger Entry,Upis u glavnu knjigu
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kupac> Skupina kupaca> Teritorij
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Isti predmet je ušao više puta
DocType: Department,Leave Block List,Popis neodobrenih odsustva
DocType: Sales Invoice,Tax ID,OIB
@@ -3808,30 +3837,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} jedinica {1} potrebna u {2} za dovršetak ovu transakciju.
DocType: Loan Type,Rate of Interest (%) Yearly,Kamatna stopa (%) godišnje
DocType: SMS Settings,SMS Settings,SMS postavke
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Privremeni računi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Crna
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Privremeni računi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Crna
DocType: BOM Explosion Item,BOM Explosion Item,BOM eksplozije artikla
DocType: Account,Auditor,Revizor
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} predmeti koji
DocType: Cheque Print Template,Distance from top edge,Udaljenost od gornjeg ruba
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Cjenik {0} je onemogućen ili ne postoji
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Cjenik {0} je onemogućen ili ne postoji
DocType: Purchase Invoice,Return,Povratak
DocType: Production Order Operation,Production Order Operation,Proizvodni nalog Rad
DocType: Pricing Rule,Disable,Ugasiti
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Način plaćanja potrebno je izvršiti uplatu
DocType: Project Task,Pending Review,U tijeku pregled
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nije upisana u skupinu {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Imovina {0} ne može biti otpisan, kao što je već {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Ukupni rashodi Zatraži (preko Rashodi Zahtjeva)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Korisnički ID
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Odsutni
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Red {0}: Valuta sastavnice # {1} bi trebao biti jednak odabranoj valuti {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Red {0}: Valuta sastavnice # {1} bi trebao biti jednak odabranoj valuti {2}
DocType: Journal Entry Account,Exchange Rate,Tečaj
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Prodajnog naloga {0} nije podnesen
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Prodajnog naloga {0} nije podnesen
DocType: Homepage,Tag Line,Tag linija
DocType: Fee Component,Fee Component,Naknada Komponenta
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Mornarički menađer
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Dodavanje stavki iz
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Skladište {0}: Nadređeni račun {1} ne pripada tvrtki {2}
DocType: Cheque Print Template,Regular,redovan
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Ukupno weightage svih kriterija za ocjenjivanje mora biti 100%
DocType: BOM,Last Purchase Rate,Zadnja kupovna cijena
@@ -3840,11 +3868,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Stock ne može postojati točkom {0} jer ima varijante
,Sales Person-wise Transaction Summary,Pregled prometa po prodavaču
DocType: Training Event,Contact Number,Kontakt broj
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Skladište {0} ne postoji
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Skladište {0} ne postoji
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Registrirajte se za ERPNext Hub
DocType: Monthly Distribution,Monthly Distribution Percentages,Mjesečni postotci distribucije
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Izabrani predmet ne može imati Hrpa
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Stopa Vrednovanje nije pronađen u točki {0}, koji je potreban za napraviti računovodstvene stavke za {1} {2}. Ako je stavka prijenosom kao stavka uzorka u {1}, molimo napomenuti da u {1} tačka stola. Inače, stvoriti dolazni transakciju dionica za brzinu vrednovanja stavki ili spomenuti u stavku zapis, a zatim pokušajte priloženog / otkazivanja ovaj unos"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Stopa Vrednovanje nije pronađen u točki {0}, koji je potreban za napraviti računovodstvene stavke za {1} {2}. Ako je stavka prijenosom kao stavka uzorka u {1}, molimo napomenuti da u {1} tačka stola. Inače, stvoriti dolazni transakciju dionica za brzinu vrednovanja stavki ili spomenuti u stavku zapis, a zatim pokušajte priloženog / otkazivanja ovaj unos"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% robe od ove otpremnice je isporučeno
DocType: Project,Customer Details,Korisnički podaci
DocType: Employee,Reports to,Izvješća
@@ -3852,41 +3880,43 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Unesite URL parametar za prijemnike br
DocType: Payment Entry,Paid Amount,Plaćeni iznos
DocType: Assessment Plan,Supervisor,Nadzornik
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Na liniji
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,Na liniji
,Available Stock for Packing Items,Raspoloživo stanje za pakirane proizvode
DocType: Item Variant,Item Variant,Stavka Variant
DocType: Assessment Result Tool,Assessment Result Tool,Procjena Alat Rezultat
DocType: BOM Scrap Item,BOM Scrap Item,BOM otpaci predmeta
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Dostavljeni nalozi se ne može izbrisati
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Stanje računa već u zaduženje, ne smiju postaviti 'ravnoteža se mora' kao 'kreditne'"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Upravljanje kvalitetom
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Dostavljeni nalozi se ne može izbrisati
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Stanje računa već u zaduženje, ne smiju postaviti 'ravnoteža se mora' kao 'kreditne'"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Upravljanje kvalitetom
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Stavka {0} je onemogućen
DocType: Employee Loan,Repay Fixed Amount per Period,Vratiti fiksni iznos po razdoblju
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Molimo unesite količinu za točku {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Kreditna bilješka Amt
DocType: Employee External Work History,Employee External Work History,Zaposlenik Vanjski Rad Povijest
DocType: Tax Rule,Purchase,Nabava
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Bilanca kol
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Bilanca kol
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Ciljevi ne može biti prazan
DocType: Item Group,Parent Item Group,Nadređena grupa proizvoda
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} od {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Troška
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Troška
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Stopa po kojoj supplier valuta se pretvaraju u tvrtke bazne valute
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Red # {0}: vremenu sukobi s redom {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Dopusti stopu nulte procjene
DocType: Training Event Employee,Invited,pozvan
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Više aktivnih struktura prihoda nađeni za zaposlenika {0} za navedene datume
DocType: Opportunity,Next Contact,Sljedeći Kontakt
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Postava Gateway račune.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Postava Gateway račune.
DocType: Employee,Employment Type,Zapošljavanje Tip
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Dugotrajne imovine
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Dugotrajne imovine
DocType: Payment Entry,Set Exchange Gain / Loss,Postavite Exchange dobici / gubici
+,GST Purchase Register,Registar kupnje GST-a
,Cash Flow,Protok novca
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Razdoblje zahtjev ne može biti preko dva alocation zapisa
DocType: Item Group,Default Expense Account,Zadani račun rashoda
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Student ID e-pošte
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student ID e-pošte
DocType: Employee,Notice (days),Obavijest (dani)
DocType: Tax Rule,Sales Tax Template,Porez Predložak
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Odaberite stavke za spremanje račun
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Odaberite stavke za spremanje račun
DocType: Employee,Encashment Date,Encashment Datum
DocType: Training Event,Internet,Internet
DocType: Account,Stock Adjustment,Stock Podešavanje
@@ -3914,7 +3944,7 @@
DocType: Guardian,Guardian Of ,staratelj
DocType: Grading Scale Interval,Threshold,Prag
DocType: BOM Replace Tool,Current BOM,Trenutni BOM
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Dodaj serijski broj
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Dodaj serijski broj
apps/erpnext/erpnext/config/support.py +22,Warranty,garancija
DocType: Purchase Invoice,Debit Note Issued,Terećenju Izdano
DocType: Production Order,Warehouses,Skladišta
@@ -3923,20 +3953,20 @@
DocType: Workstation,per hour,na sat
apps/erpnext/erpnext/config/buying.py +7,Purchasing,Nabava
DocType: Announcement,Announcement,Obavijest
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Račun za skladište ( neprestani inventar) stvorit će se na temelju ovog računa .
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Skladište se ne može izbrisati dok postoje upisi u glavnu knjigu za ovo skladište.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Za grupu studenata temeljenih na bazi, studentska će se serijska cjelina validirati za svakog studenta iz prijave za program."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Skladište se ne može izbrisati dok postoje upisi u glavnu knjigu za ovo skladište.
DocType: Company,Distribution,Distribucija
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Plaćeni iznos
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Voditelj projekta
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Voditelj projekta
,Quoted Item Comparison,Citirano predmeta za usporedbu
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Otpremanje
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Maksimalni dopušteni popust za proizvod: {0} je {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Otpremanje
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Maksimalni dopušteni popust za proizvod: {0} je {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Neto imovina kao i na
DocType: Account,Receivable,potraživanja
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Red # {0}: Nije dopušteno mijenjati dobavljača kao narudžbenice već postoji
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Red # {0}: Nije dopušteno mijenjati dobavljača kao narudžbenice već postoji
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Uloga koja je dopušteno podnijeti transakcije koje premašuju kreditnih ograničenja postavljena.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Odaberite stavke za proizvodnju
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master Data sinkronizacije, to bi moglo potrajati neko vrijeme"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Odaberite stavke za proizvodnju
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master Data sinkronizacije, to bi moglo potrajati neko vrijeme"
DocType: Item,Material Issue,Materijal Issue
DocType: Hub Settings,Seller Description,Prodavač Opis
DocType: Employee Education,Qualification,Kvalifikacija
@@ -3956,7 +3986,6 @@
DocType: BOM,Rate Of Materials Based On,Stopa materijali na temelju
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analitike podrške
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Poništite sve
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Tvrtka je nestalo u skladištima {0}
DocType: POS Profile,Terms and Conditions,Odredbe i uvjeti
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Za datum mora biti unutar fiskalne godine. Pod pretpostavkom da bi datum = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Ovdje možete održavati visina, težina, alergije, medicinske brige itd."
@@ -3971,18 +4000,17 @@
DocType: Sales Order Item,For Production,Za proizvodnju
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Pregled zadataka
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Vaša financijska godina počinje
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Imovine deprecijacije i sredstva
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Iznos {0} {1} prenesen iz {2} u {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Iznos {0} {1} prenesen iz {2} u {3}
DocType: Sales Invoice,Get Advances Received,Kreiraj avansno primanje
DocType: Email Digest,Add/Remove Recipients,Dodaj / ukloni primatelja
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Transakcija nije dopuštena protiv zaustavljena proizvodnja Reda {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Transakcija nije dopuštena protiv zaustavljena proizvodnja Reda {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Za postavljanje ove fiskalne godine kao zadano , kliknite na "" Set as Default '"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,Pridružiti
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Pridružiti
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Nedostatak Kom
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Inačica Stavka {0} postoji s istim atributima
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Inačica Stavka {0} postoji s istim atributima
DocType: Employee Loan,Repay from Salary,Vrati iz plaće
DocType: Leave Application,LAP/,KRUG/
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Zahtjev za isplatu od {0} {1} za iznos {2}
@@ -3993,34 +4021,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Izradi pakiranje gaćice za pakete biti isporučena. Koristi se za obavijesti paket broj, sadržaj paketa i njegovu težinu."
DocType: Sales Invoice Item,Sales Order Item,Naručeni proizvod - prodaja
DocType: Salary Slip,Payment Days,Plaćanja Dana
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Skladišta s djetetom čvorovi se ne može pretvoriti u glavnoj knjizi
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Skladišta s djetetom čvorovi se ne može pretvoriti u glavnoj knjizi
DocType: BOM,Manage cost of operations,Uredi troškove poslovanja
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Kada bilo koji od provjerenih transakcija "Postavio", e-mail pop-up automatski otvorio poslati e-mail na povezane "Kontakt" u toj transakciji, s transakcijom u privitku. Korisnik može ili ne može poslati e-mail."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Globalne postavke
DocType: Assessment Result Detail,Assessment Result Detail,Procjena Detalj Rezultat
DocType: Employee Education,Employee Education,Obrazovanje zaposlenika
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Dvostruki stavke skupina nalaze se u tablici stavke grupe
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,To je potrebno kako bi dohvatili Stavka Pojedinosti.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,To je potrebno kako bi dohvatili Stavka Pojedinosti.
DocType: Salary Slip,Net Pay,Neto plaća
DocType: Account,Account,Račun
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Serijski Ne {0} već je primila
,Requested Items To Be Transferred,Traženi proizvodi spremni za transfer
DocType: Expense Claim,Vehicle Log,vozila Prijava
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Skladište {0} nije povezan s bilo kojim računom, stvoriti / povezati odgovarajući (imovina) račun za skladište."
DocType: Purchase Invoice,Recurring Id,Ponavljajući Id
DocType: Customer,Sales Team Details,Detalji prodnog tima
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Brisanje trajno?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Brisanje trajno?
DocType: Expense Claim,Total Claimed Amount,Ukupno Zatražio Iznos
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potencijalne prilike za prodaju.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Pogrešna {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,bolovanje
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Pogrešna {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,bolovanje
DocType: Email Digest,Email Digest,E-pošta
DocType: Delivery Note,Billing Address Name,Naziv adrese za naplatu
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Robne kuće
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Postavite svoj škola u ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Baza Promjena Iznos (Društvo valuta)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Nema računovodstvenih unosa za ova skladišta
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Nema računovodstvenih unosa za ova skladišta
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Spremite dokument prvi.
DocType: Account,Chargeable,Naplativ
DocType: Company,Change Abbreviation,Promijeni naziv
@@ -4038,7 +4065,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Očekuje se dostava Datum ne može biti prije narudžbenice Datum
DocType: Appraisal,Appraisal Template,Procjena Predložak
DocType: Item Group,Item Classification,Klasifikacija predmeta
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Voditelj razvoja poslovanja
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Voditelj razvoja poslovanja
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Održavanje Posjetite Namjena
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Razdoblje
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Glavna knjiga
@@ -4048,8 +4075,8 @@
DocType: Item Attribute Value,Attribute Value,Vrijednost atributa
,Itemwise Recommended Reorder Level,Itemwise - preporučena razina ponovne narudžbe
DocType: Salary Detail,Salary Detail,Plaća Detalj
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,Odaberite {0} Prvi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Hrpa {0} od {1} Stavka je istekla.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Odaberite {0} Prvi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Hrpa {0} od {1} Stavka je istekla.
DocType: Sales Invoice,Commission,provizija
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Vrijeme list za proizvodnju.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,suma stavke
@@ -4060,6 +4087,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,` Freeze Dionice starije od ` bi trebao biti manji od % d dana .
DocType: Tax Rule,Purchase Tax Template,Predložak poreza pri nabavi
,Project wise Stock Tracking,Projekt mudar Stock Praćenje
+DocType: GST HSN Code,Regional,Regionalni
DocType: Stock Entry Detail,Actual Qty (at source/target),Stvarni Kol (na izvoru / ciljne)
DocType: Item Customer Detail,Ref Code,Ref. Šifra
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Evidencija zaposlenih.
@@ -4070,13 +4098,13 @@
DocType: Email Digest,New Purchase Orders,Nova narudžba kupnje
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Korijen ne mogu imati središte troškova roditelj
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Odaberite brand ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Trening događanja / rezultati
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Akumulirana amortizacija na
DocType: Sales Invoice,C-Form Applicable,Primjenjivi C-obrazac
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Operacija vrijeme mora biti veći od 0 za rad {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Skladište je obavezno
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Skladište je obavezno
DocType: Supplier,Address and Contacts,Adresa i kontakti
DocType: UOM Conversion Detail,UOM Conversion Detail,UOM pretvorbe Detalj
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Postavite dimenzije prilagođene web-u 900px X 100px
DocType: Program,Program Abbreviation,naziv programa
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Proizvodnja Red ne može biti podignuta protiv predložak točka
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Optužbe su ažurirani u KUPNJE protiv svake stavke
@@ -4084,13 +4112,13 @@
DocType: Bank Guarantee,Start Date,Datum početka
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Dodijeliti lišće za razdoblje .
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Čekovi i depozita pogrešno izbrisani
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Račun {0}: Ne možeš ga dodijeliti kao nadređeni račun
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Račun {0}: Ne možeš ga dodijeliti kao nadređeni račun
DocType: Purchase Invoice Item,Price List Rate,Stopa cjenika
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Stvaranje kupaca citati
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Pokaži ""raspoloživo"" ili ""nije raspoloživo"" na temelju trentnog stanja na skladištu."
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Sastavnice (BOM)
DocType: Item,Average time taken by the supplier to deliver,Prosječno vrijeme potrebno od strane dobavljača za isporuku
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,Rezultat Procjena
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,Rezultat Procjena
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Sati
DocType: Project,Expected Start Date,Očekivani datum početka
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Uklanjanje stavke ako troškovi se ne odnosi na tu stavku
@@ -4104,24 +4132,23 @@
DocType: Workstation,Operating Costs,Operativni troškovi
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,"Akcija, ako ukupna mjesečna Proračun Prebačen"
DocType: Purchase Invoice,Submit on creation,Pošalji na stvaranje
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Valuta za {0} mora biti {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Valuta za {0} mora biti {1}
DocType: Asset,Disposal Date,Datum Odlaganje
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-mail će biti poslan svim aktivnim zaposlenicima Društva u određeni sat, ako oni nemaju odmora. Sažetak odgovora će biti poslan u ponoć."
DocType: Employee Leave Approver,Employee Leave Approver,Zaposlenik dopust Odobritelj
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Red {0}: Ulazak redoslijeda već postoji za to skladište {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Red {0}: Ulazak redoslijeda već postoji za to skladište {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Ne može se proglasiti izgubljenim, jer je ponuda napravljena."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Povratne informacije trening
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Proizvodnja Red {0} mora biti podnesen
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Proizvodnja Red {0} mora biti podnesen
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Molimo odaberite datum početka i datum završetka za točke {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Tečaj je obavezan u redu {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Do danas ne može biti prije od datuma
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Dodaj / Uredi cijene
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Dodaj / Uredi cijene
DocType: Batch,Parent Batch,Roditeljska šarža
DocType: Cheque Print Template,Cheque Print Template,Ček Predložak Ispis
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Grafikon troškovnih centara
,Requested Items To Be Ordered,Traženi Proizvodi se mogu naručiti
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,Skladište tvrtke mora biti isti kao i na računu tvrtke
DocType: Price List,Price List Name,Naziv cjenika
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Dnevni rad Sažetak za {0}
DocType: Employee Loan,Totals,Ukupan rezultat
@@ -4143,55 +4170,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Unesite valjane mobilne br
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Unesite poruku prije slanja
DocType: Email Digest,Pending Quotations,U tijeku Citati
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Point-of-prodaju Profil
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-prodaju Profil
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Obnovite SMS Settings
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,unsecured krediti
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,unsecured krediti
DocType: Cost Center,Cost Center Name,Troška Name
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Max radnog vremena protiv timesheet
DocType: Maintenance Schedule Detail,Scheduled Date,Planirano Datum
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Cjelokupni iznos Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Cjelokupni iznos Amt
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Poruka veća od 160 karaktera bit će izdjeljena u više poruka
DocType: Purchase Receipt Item,Received and Accepted,Primljeni i prihvaćeni
+,GST Itemised Sales Register,GST označeni prodajni registar
,Serial No Service Contract Expiry,Istek ugovora za serijski broj usluge
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Ne možete istovremeno kreditirati i debitirati isti račun
DocType: Naming Series,Help HTML,HTML pomoć
DocType: Student Group Creation Tool,Student Group Creation Tool,Studentski alat za izradu Grupa
DocType: Item,Variant Based On,Varijanta na temelju
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Ukupno bi trebalo biti dodijeljena weightage 100 % . To je {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Vaši dobavljači
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Vaši dobavljači
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Ne mogu se postaviti kao izgubljen kao prodajnog naloga je napravio .
DocType: Request for Quotation Item,Supplier Part No,Dobavljač Dio Ne
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Ne mogu odbiti kada je kategorija za "vrednovanje" ili "Vaulation i ukupni '
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Primljeno od
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Primljeno od
DocType: Lead,Converted,Pretvoreno
DocType: Item,Has Serial No,Ima serijski br
DocType: Employee,Date of Issue,Datum izdavanja
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Od {0} od {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kao i po postavkama kupnje ako je zahtjev za kupnju potreban == 'YES', a zatim za izradu fakture za kupnju, korisnik mora najprije stvoriti potvrdu o kupnji za stavku {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Red # {0}: Postavite dobavljač za stavke {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Red {0}: Sati vrijednost mora biti veća od nule.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Web stranica slike {0} prilogu točki {1} Ne mogu naći
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Web stranica slike {0} prilogu točki {1} Ne mogu naći
DocType: Issue,Content Type,Vrsta sadržaja
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,računalo
DocType: Item,List this Item in multiple groups on the website.,Prikaži ovu stavku u više grupa na web stranici.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Molimo provjerite više valuta mogućnost dopustiti račune s druge valute
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Stavka: {0} ne postoji u sustavu
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Niste ovlašteni za postavljanje zamrznute vrijednosti
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Stavka: {0} ne postoji u sustavu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Niste ovlašteni za postavljanje zamrznute vrijednosti
DocType: Payment Reconciliation,Get Unreconciled Entries,Kreiraj neusklađene ulaze
DocType: Payment Reconciliation,From Invoice Date,Iz dostavnice Datum
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,Valuta naplate mora biti jednaka Zadano comapany je valuta ili stranke valutu
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Ostavi naplate
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Što učiniti ?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,Valuta naplate mora biti jednaka Zadano comapany je valuta ili stranke valutu
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Ostavi naplate
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Što učiniti ?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Za skladište
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Svi Studentski Upisi
,Average Commission Rate,Prosječna provizija
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,'Ima serijski broj' ne može biti 'Da' za neskladišne proizvode
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'Ima serijski broj' ne može biti 'Da' za neskladišne proizvode
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Gledatelji ne može biti označena za budući datum
DocType: Pricing Rule,Pricing Rule Help,Pravila cijena - pomoć
DocType: School House,House Name,Ime kuća
DocType: Purchase Taxes and Charges,Account Head,Zaglavlje računa
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Ažuriranje dodatne troškove za izračun sletio trošak stavke
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Električna
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Električna
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Dodajte ostatak svoje organizacije kao svoje korisnike. Također možete dodati pozvati kupce da svoj portal dodajući ih iz Kontakata
DocType: Stock Entry,Total Value Difference (Out - In),Ukupna vrijednost razlika (Out - In)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Red {0}: tečaj je obavezno
@@ -4201,7 +4230,7 @@
DocType: Item,Customer Code,Kupac Šifra
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Rođendan Podsjetnik za {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dana od posljednje narudžbe
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Zaduženja računa mora biti bilanca račun
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Zaduženja računa mora biti bilanca račun
DocType: Buying Settings,Naming Series,Imenovanje serije
DocType: Leave Block List,Leave Block List Name,Naziv popisa neodobrenih odsustava
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Osiguranje Datum početka mora biti manja od osiguranja datum završetka
@@ -4216,26 +4245,26 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Plaća proklizavanja zaposlenika {0} već stvoren za vremensko listu {1}
DocType: Vehicle Log,Odometer,mjerač za pređeni put
DocType: Sales Order Item,Ordered Qty,Naručena kol
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Stavka {0} je onemogućen
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Stavka {0} je onemogućen
DocType: Stock Settings,Stock Frozen Upto,Kataloški Frozen Upto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM ne sadrži bilo koji zaliha stavku
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM ne sadrži bilo koji zaliha stavku
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Razdoblje od razdoblja do datuma obvezna za ponavljajućih {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Projekt aktivnost / zadatak.
DocType: Vehicle Log,Refuelling Details,Punjenje Detalji
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Generiranje plaće gaćice
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Nabava mora biti provjerena, ako je primjenjivo za odabrano kao {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Nabava mora biti provjerena, ako je primjenjivo za odabrano kao {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Popust mora biti manji od 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Posljednja stopa kupnju nije pronađen
DocType: Purchase Invoice,Write Off Amount (Company Currency),Otpis iznos (Društvo valuta)
DocType: Sales Invoice Timesheet,Billing Hours,Radno vrijeme naplate
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,Zadana BOM za {0} nije pronađena
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Red # {0}: Molimo postavite naručivanja količinu
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Red # {0}: Molimo postavite naručivanja količinu
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Dodirnite stavke da biste ih dodali ovdje
DocType: Fees,Program Enrollment,Program za upis
DocType: Landed Cost Voucher,Landed Cost Voucher,Nalog zavisnog troška
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Molimo postavite {0}
DocType: Purchase Invoice,Repeat on Day of Month,Ponovite na dan u mjesecu
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} je neaktivan učenik
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} je neaktivan učenik
DocType: Employee,Health Details,Zdravlje Detalji
DocType: Offer Letter,Offer Letter Terms,Ponuda Pismo Uvjeti
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Za izradu referentnog dokumenta zahtjeva za plaćanje potrebno je
@@ -4257,7 +4286,7 @@
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Primjer:. ABCD #####
Ako Serija je postavljena i serijski broj ne spominje u prometu, a zatim automatsko serijski broj će biti izrađen na temelju ove serije. Ako ste uvijek žele eksplicitno spomenuti serijski brojevi za tu stavku. ostavite praznim."
DocType: Upload Attendance,Upload Attendance,Upload Attendance
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM i proizvodnja Količina potrebne su
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM i proizvodnja Količina potrebne su
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Starenje Raspon 2
DocType: SG Creation Tool Course,Max Strength,Max snaga
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM zamijenjeno
@@ -4266,8 +4295,8 @@
,Prospects Engaged But Not Converted,"Izgledi angažirani, ali nisu konvertirani"
DocType: Manufacturing Settings,Manufacturing Settings,Postavke proizvodnje
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Postavljanje e-poštu
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Mobile Ne
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Unesite zadanu valutu u tvrtki Master
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile Ne
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Unesite zadanu valutu u tvrtki Master
DocType: Stock Entry Detail,Stock Entry Detail,Detalji međuskladišnice
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Dnevne Podsjetnici
DocType: Products Settings,Home Page is Products,Početna stranica su proizvodi
@@ -4276,7 +4305,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Naziv novog računa
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Sirovine Isporuka Troškovi
DocType: Selling Settings,Settings for Selling Module,Postavke za prodaju modula
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Služba za korisnike
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Služba za korisnike
DocType: BOM,Thumbnail,Thumbnail
DocType: Item Customer Detail,Item Customer Detail,Proizvod - detalji kupca
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Ponuda kandidata za posao.
@@ -4285,7 +4314,7 @@
DocType: Pricing Rule,Percentage,Postotak
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Proizvod {0} mora biti skladišni
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Zadana rad u tijeku Skladište
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Zadane postavke za računovodstvene poslove.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Zadane postavke za računovodstvene poslove.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Očekivani datum ne može biti prije Materijal Zahtjev Datum
DocType: Purchase Invoice Item,Stock Qty,Kataloški broj
@@ -4298,10 +4327,10 @@
DocType: Sales Order,Printing Details,Ispis Detalji
DocType: Task,Closing Date,Datum zatvaranja
DocType: Sales Order Item,Produced Quantity,Proizvedena količina
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,inženjer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,inženjer
DocType: Journal Entry,Total Amount Currency,Ukupno Valuta Iznos
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Traži Sub skupštine
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Kod proizvoda je potreban u redu broj {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Kod proizvoda je potreban u redu broj {0}
DocType: Sales Partner,Partner Type,Tip partnera
DocType: Purchase Taxes and Charges,Actual,Stvaran
DocType: Authorization Rule,Customerwise Discount,Customerwise Popust
@@ -4318,11 +4347,11 @@
DocType: Item Reorder,Re-Order Level,Ponovno bi razini
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Unesite stavke i planirani Količina za koje želite povećati proizvodne naloge ili preuzimanje sirovine za analizu.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantogram
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Privemeno (nepuno radno vrijeme)
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Privemeno (nepuno radno vrijeme)
DocType: Employee,Applicable Holiday List,Primjenjivo odmor Popis
DocType: Employee,Cheque,Ček
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Serija ažurirana
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Vrsta izvješća je obvezno
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Vrsta izvješća je obvezno
DocType: Item,Serial Number Series,Serijski broj serije
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Skladište je obvezno za skladišne proizvode {0} u redu {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Trgovina na veliko i
@@ -4343,7 +4372,7 @@
DocType: BOM,Materials,Materijali
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ako nije označeno, popis će biti dodan u svakom odjela gdje se mora primjenjivati."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Izvorni i ciljni skladišta ne mogu biti isti
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Datum knjiženja i knjiženje vrijeme je obvezna
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Datum knjiženja i knjiženje vrijeme je obvezna
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Porezna Predložak za kupnju transakcije .
,Item Prices,Cijene proizvoda
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,U riječi će biti vidljiv nakon što spremite narudžbenice.
@@ -4353,22 +4382,23 @@
DocType: Purchase Invoice,Advance Payments,Avansima
DocType: Purchase Taxes and Charges,On Net Total,VPC
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Vrijednost za atribut {0} mora biti unutar raspona od {1} {2} u koracima od {3} za točku {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Target skladište u redu {0} mora biti ista kao Production Order
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Target skladište u redu {0} mora biti ista kao Production Order
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,'Obavijest E-mail adrese' nije navedena za ponavljajuće %s
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,Valuta se ne može mijenjati nakon što unose pomoću neke druge valute
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Valuta se ne može mijenjati nakon što unose pomoću neke druge valute
DocType: Vehicle Service,Clutch Plate,držač za tanjur
DocType: Company,Round Off Account,Zaokružiti račun
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Administrativni troškovi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Administrativni troškovi
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,savjetodavni
DocType: Customer Group,Parent Customer Group,Nadređena grupa kupaca
DocType: Purchase Invoice,Contact Email,Kontakt email
DocType: Appraisal Goal,Score Earned,Ocjena Zarađeni
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Otkaznog roka
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Otkaznog roka
DocType: Asset Category,Asset Category Name,Imovina Kategorija Naziv
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Ovo je glavni teritorij i ne može se mijenjati.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Novo ime prodajnog agenta
DocType: Packing Slip,Gross Weight UOM,Bruto težina UOM
DocType: Delivery Note Item,Against Sales Invoice,Protiv prodaje fakture
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Unesite serijske brojeve za serijsku stavku
DocType: Bin,Reserved Qty for Production,Rezervirano Kol za proizvodnju
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Ostavite neoznačeno ako ne želite razmotriti grupu dok stvarate grupe temeljene na tečajima.
DocType: Asset,Frequency of Depreciation (Months),Učestalost Amortizacija (mjeseci)
@@ -4376,25 +4406,25 @@
DocType: Landed Cost Item,Landed Cost Item,Stavka zavisnih troškova
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Pokaži nulte vrijednosti
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Količina proizvoda dobivena nakon proizvodnje / pakiranja od navedene količine sirovina
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Postavljanje jednostavan website za moju organizaciju
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Postavljanje jednostavan website za moju organizaciju
DocType: Payment Reconciliation,Receivable / Payable Account,Potraživanja / Plaća račun
DocType: Delivery Note Item,Against Sales Order Item,Protiv prodaje reda točkom
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},Navedite značajke vrijednost za atribut {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},Navedite značajke vrijednost za atribut {0}
DocType: Item,Default Warehouse,Glavno skladište
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Proračun se ne može dodijeliti protiv grupe nalog {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Unesite roditelj troška
DocType: Delivery Note,Print Without Amount,Ispis Bez visini
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,Amortizacija Datum
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,Porezna Kategorija ne može biti ' Procjena ' ili ' Procjena i Total ' kao i svi proizvodi bez zaliha predmeta
DocType: Issue,Support Team,Tim za podršku
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Rok (u danima)
DocType: Appraisal,Total Score (Out of 5),Ukupna ocjena (od 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Serija
+DocType: Student Attendance Tool,Batch,Serija
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Ravnoteža
DocType: Room,Seating Capacity,Sjedenje Kapacitet
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Ukupni rashodi Zatraži (preko Rashodi potraživanja)
+DocType: GST Settings,GST Summary,GST Sažetak
DocType: Assessment Result,Total Score,Ukupni rezultat
DocType: Journal Entry,Debit Note,Rashodi - napomena
DocType: Stock Entry,As per Stock UOM,Kao po burzi UOM
@@ -4405,12 +4435,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Zadane gotovih proizvoda Skladište
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Prodajna osoba
DocType: SMS Parameter,SMS Parameter,SMS parametra
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Proračun i Centar Cijena
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Proračun i Centar Cijena
DocType: Vehicle Service,Half Yearly,Pola godišnji
DocType: Lead,Blog Subscriber,Blog pretplatnik
DocType: Guardian,Alternate Number,Alternativni broj
DocType: Assessment Plan Criteria,Maximum Score,Maksimalni broj bodova
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Napravi pravila za ograničavanje prometa na temelju vrijednosti.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Skupna grupa br
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Ostavite prazno ako grupe studenata godišnje unesete
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Ako je označeno, Ukupan broj. radnih dana će uključiti odmor, a to će smanjiti vrijednost plaća po danu"
DocType: Purchase Invoice,Total Advance,Ukupno predujma
@@ -4428,6 +4459,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,To se temelji na transakcijama protiv tog kupca. Pogledajte vremensku crtu ispod za detalje
DocType: Supplier,Credit Days Based On,Kreditne dana na temelju
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Red {0}: Dodijeljeni iznos {1} mora biti manja ili jednaka količini unosa Plaćanje {2}
+,Course wise Assessment Report,Izvješće o procjeni studija
DocType: Tax Rule,Tax Rule,Porezni Pravilo
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Održavaj istu stopu tijekom cijelog prodajnog ciklusa
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planirajte vrijeme za rezanje izvan radne stanice radnog vremena.
@@ -4436,7 +4468,7 @@
,Items To Be Requested,Potraživani proizvodi
DocType: Purchase Order,Get Last Purchase Rate,Kreiraj zadnju nabavnu cijenu
DocType: Company,Company Info,Podaci o tvrtki
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Odaberite ili dodajte novi kupac
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Odaberite ili dodajte novi kupac
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Troška potrebno je rezervirati trošak zahtjev
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Primjena sredstava ( aktiva )
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,To se temelji na prisustvo tog zaposlenog
@@ -4444,27 +4476,29 @@
DocType: Fiscal Year,Year Start Date,Početni datum u godini
DocType: Attendance,Employee Name,Ime zaposlenika
DocType: Sales Invoice,Rounded Total (Company Currency),Zaobljeni Ukupno (Društvo valuta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,Ne može se tajno u grupu jer je izabrana vrsta računa.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Ne može se tajno u grupu jer je izabrana vrsta računa.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} je izmijenjen. Osvježi stranicu.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Prestani korisnike od izrade ostaviti aplikacija na sljedećim danima.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Iznos narudžbe
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Dobavljač Navod {0} stvorio
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Godina završetka ne može biti prije Početak godine
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Primanja zaposlenih
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Primanja zaposlenih
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Pakirana količina mora biti jednaka količini za proizvod {0} u redku {1}
DocType: Production Order,Manufactured Qty,Proizvedena količina
DocType: Purchase Receipt Item,Accepted Quantity,Prihvaćena količina
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Postavite zadani popis za odmor za zaposlenika {0} ili poduzeću {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} Ne radi postoji
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} Ne radi postoji
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Odaberite Batch Numbers
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Mjenice podignuta na kupce.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Id projekta
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Redak Ne {0}: Iznos ne može biti veća od visine u tijeku protiv Rashodi Zahtjeva {1}. U tijeku Iznos je {2}
DocType: Maintenance Schedule,Schedule,Raspored
DocType: Account,Parent Account,Nadređeni račun
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Dostupno
DocType: Quality Inspection Reading,Reading 3,Čitanje 3
,Hub,Središte
DocType: GL Entry,Voucher Type,Bon Tip
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Cjenik nije pronađen
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Cjenik nije pronađen
DocType: Employee Loan Application,Approved,Odobren
DocType: Pricing Rule,Price,Cijena
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Zaposlenik razriješen na {0} mora biti postavljen kao 'lijevo '
@@ -4475,7 +4509,8 @@
DocType: Selling Settings,Campaign Naming By,Imenovanje kampanja po
DocType: Employee,Current Address Is,Trenutni Adresa je
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,promijenjen
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Izborni. Postavlja tvrtke zadanu valutu, ako nije navedeno."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Izborni. Postavlja tvrtke zadanu valutu, ako nije navedeno."
+DocType: Sales Invoice,Customer GSTIN,Korisnik GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Knjigovodstvene temeljnice
DocType: Delivery Note Item,Available Qty at From Warehouse,Dostupno Količina u iz skladišta
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,Odaberite zaposlenika rekord prvi.
@@ -4483,7 +4518,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Red {0}: stranka / računa ne odgovara {1} / {2} u {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Unesite trošak računa
DocType: Account,Stock,Lager
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Red # {0}: Referenca Tip dokumenta mora biti jedan od narudžbenice, fakture kupovine ili Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Red # {0}: Referenca Tip dokumenta mora biti jedan od narudžbenice, fakture kupovine ili Journal Entry"
DocType: Employee,Current Address,Trenutna adresa
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ako predmet je varijanta drugom stavku zatim opis, slika, cijena, porezi itd će biti postavljena od predloška, osim ako je izričito navedeno"
DocType: Serial No,Purchase / Manufacture Details,Detalji nabave/proizvodnje
@@ -4496,8 +4531,8 @@
DocType: Pricing Rule,Min Qty,Min kol
DocType: Asset Movement,Transaction Date,Transakcija Datum
DocType: Production Plan Item,Planned Qty,Planirani Kol
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Ukupno porez
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Za Količina (Proizvedeno Kol) je obavezno
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Ukupno porez
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Za Količina (Proizvedeno Kol) je obavezno
DocType: Stock Entry,Default Target Warehouse,Centralno skladište
DocType: Purchase Invoice,Net Total (Company Currency),Ukupno neto (valuta tvrtke)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Godina Datum završetka ne može biti ranije od datuma Godina Start. Ispravite datume i pokušajte ponovno.
@@ -4511,13 +4546,11 @@
DocType: Hub Settings,Hub Settings,Hub Postavke
DocType: Project,Gross Margin %,Bruto marža %
DocType: BOM,With Operations,Uz operacije
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Računovodstvenih unosa već su napravljene u valuti {0} za poduzeće {1}. Odaberite potraživanja ili dugovanja račun s valutom {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Računovodstvenih unosa već su napravljene u valuti {0} za poduzeće {1}. Odaberite potraživanja ili dugovanja račun s valutom {0}.
DocType: Asset,Is Existing Asset,Je Postojeći Imovina
DocType: Salary Detail,Statistical Component,Statistička komponenta
-,Monthly Salary Register,Mjesečna plaća Registracija
DocType: Warranty Claim,If different than customer address,Ako se razlikuje od kupaca adresu
DocType: BOM Operation,BOM Operation,BOM operacija
-DocType: School Settings,Validate the Student Group from Program Enrollment,Potvrdite grupu studenata iz upisa programa
DocType: Purchase Taxes and Charges,On Previous Row Amount,Na prethodnu Row visini
DocType: Student,Home Address,Kućna adresa
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Prijenos imovine
@@ -4525,28 +4558,27 @@
DocType: Training Event,Event Name,Naziv događaja
apps/erpnext/erpnext/config/schools.py +39,Admission,ulaz
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Upisi za {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Sezonska za postavljanje proračuna, ciljevi itd"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Stavka {0} je predložak, odaberite jednu od njegovih varijanti"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Sezonska za postavljanje proračuna, ciljevi itd"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Stavka {0} je predložak, odaberite jednu od njegovih varijanti"
DocType: Asset,Asset Category,imovina Kategorija
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Dobavljač
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Neto plaća ne može biti negativna
DocType: SMS Settings,Static Parameters,Statički parametri
DocType: Assessment Plan,Room,Soba
DocType: Purchase Order,Advance Paid,Unaprijed plaćeni
DocType: Item,Item Tax,Porez proizvoda
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materijal za dobavljača
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Trošarine Račun
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Trošarine Račun
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Prag {0}% se pojavljuje više od jednom
DocType: Expense Claim,Employees Email Id,Zaposlenici Email ID
DocType: Employee Attendance Tool,Marked Attendance,Označena posjećenost
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Kratkoročne obveze
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Kratkoročne obveze
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Pošalji grupne SMS poruke svojim kontaktima
DocType: Program,Program Name,Naziv programa
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Razmislite poreza ili pristojbi za
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Stvarni Količina je obavezno
DocType: Employee Loan,Loan Type,Vrsta kredita
DocType: Scheduling Tool,Scheduling Tool,alat za raspoređivanje
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,kreditna kartica
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,kreditna kartica
DocType: BOM,Item to be manufactured or repacked,Proizvod će biti proizveden ili prepakiran
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Zadane postavke za skladišne transakcije.
DocType: Purchase Invoice,Next Date,Sljedeći datum
@@ -4562,10 +4594,10 @@
DocType: Stock Entry,Repack,Prepakiraj
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Morate spremiti obrazac prije nastavka
DocType: Item Attribute,Numeric Values,Brojčane vrijednosti
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Pričvrstite Logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Pričvrstite Logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Stock Razine
DocType: Customer,Commission Rate,Komisija Stopa
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Napravite varijanta
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Napravite varijanta
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Blok ostaviti aplikacija odjelu.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Vrsta plaćanja mora biti jedan od primati, platiti i unutarnje prijenos"
apps/erpnext/erpnext/config/selling.py +179,Analytics,Analitika
@@ -4573,45 +4605,45 @@
DocType: Vehicle,Model,Model
DocType: Production Order,Actual Operating Cost,Stvarni operativni trošak
DocType: Payment Entry,Cheque/Reference No,Ček / Referentni broj
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Korijen ne može se mijenjati .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Korijen ne može se mijenjati .
DocType: Item,Units of Measure,Mjerne jedinice
DocType: Manufacturing Settings,Allow Production on Holidays,Dopustite proizvodnje na odmor
DocType: Sales Order,Customer's Purchase Order Date,Kupca narudžbenice Datum
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Kapital
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Kapital
DocType: Shopping Cart Settings,Show Public Attachments,Prikaži javne privitke
DocType: Packing Slip,Package Weight Details,Težina paketa - detalji
DocType: Payment Gateway Account,Payment Gateway Account,Payment Gateway račun
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Nakon završetka plaćanja preusmjeriti korisnika na odabranu stranicu.
DocType: Company,Existing Company,postojeće tvrtke
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Kategorija poreza promijenjena je u "Ukupno" jer su sve stavke nedopuštene stavke
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Odaberite CSV datoteku
DocType: Student Leave Application,Mark as Present,Označi kao sadašnja
DocType: Purchase Order,To Receive and Bill,Za primanje i Bill
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Istaknuti Proizvodi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Imenovatelj
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Imenovatelj
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Uvjeti i odredbe - šprance
DocType: Serial No,Delivery Details,Detalji isporuke
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Troška potrebno je u redu {0} poreza stolom za vrstu {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Troška potrebno je u redu {0} poreza stolom za vrstu {1}
DocType: Program,Program Code,programski kod
DocType: Terms and Conditions,Terms and Conditions Help,Uvjeti za pomoć
,Item-wise Purchase Register,Popis nabave po stavkama
DocType: Batch,Expiry Date,Datum isteka
-,Supplier Addresses and Contacts,Supplier Adrese i kontakti
,accounts-browser,računi-preglednik
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,Molimo odaberite kategoriju prvi
apps/erpnext/erpnext/config/projects.py +13,Project master.,Projekt majstor.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Da bi se omogućilo pretjerano naplatu ili nad-naručivanje, ažurirati "dodatak" u stock postavkama ili točke."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Da bi se omogućilo pretjerano naplatu ili nad-naručivanje, ažurirati "dodatak" u stock postavkama ili točke."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Ne pokazati nikakav simbol kao $ iza valute.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Pola dana)
DocType: Supplier,Credit Days,Kreditne Dani
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Provjerite Student Hrpa
DocType: Leave Type,Is Carry Forward,Je Carry Naprijed
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Kreiraj proizvode od sastavnica (BOM)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Kreiraj proizvode od sastavnica (BOM)
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Potencijalni kupac - ukupno dana
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Red # {0}: datum knjiženja moraju biti isti kao i datum kupnje {1} od {2} imovine
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Red # {0}: datum knjiženja moraju biti isti kao i datum kupnje {1} od {2} imovine
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Unesite prodajni nalozi u gornjoj tablici
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Ne Poslao plaća gaćice
,Stock Summary,Stock Sažetak
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Prijenos imovine s jednog skladišta na drugo
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Prijenos imovine s jednog skladišta na drugo
DocType: Vehicle,Petrol,Benzin
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Bill of Materials
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Red {0}: Stranka Tip i stranka je potrebno za potraživanja / obveze prema dobavljačima račun {1}
@@ -4622,6 +4654,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Iznos kažnjeni
DocType: GL Entry,Is Opening,Je Otvaranje
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Red {0}: debitne unos ne može biti povezan s {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Račun {0} ne postoji
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Račun {0} ne postoji
DocType: Account,Cash,Gotovina
DocType: Employee,Short biography for website and other publications.,Kratka biografija za web stranice i drugih publikacija.
diff --git a/erpnext/translations/hu.csv b/erpnext/translations/hu.csv
index 8a6d949..3fb52cb 100644
--- a/erpnext/translations/hu.csv
+++ b/erpnext/translations/hu.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Vásárlói termékek
DocType: Item,Customer Items,Vevői tételek
DocType: Project,Costing and Billing,Költség- és számlázás
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,A {0} számla: Szülő számla {1} nem lehet főkönyvi számla
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,A {0} számla: Szülő számla {1} nem lehet főkönyvi számla
DocType: Item,Publish Item to hub.erpnext.com,Közzé tétel itt: hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,Email értesítések
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Értékelés
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,Értékelés
DocType: Item,Default Unit of Measure,Alapértelmezett mértékegység
DocType: SMS Center,All Sales Partner Contact,Összes értékesítő partner kapcsolata
DocType: Employee,Leave Approvers,Távollét jóváhagyók
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Az Átváltási aránynak ugyanannak kell lennie mint {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Vevő neve
DocType: Vehicle,Natural Gas,Földgáz
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},A bankszámlát nem nevezhetjük mint {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},A bankszámlát nem nevezhetjük mint {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Vezetők (vagy csoportok), amely ellen könyvelési tételek készültek és egyenelegeit tartják karban."
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),"Fennálló, kintlévő összeg erre: {0} nem lehet kevesebb, mint nulla ({1})"
DocType: Manufacturing Settings,Default 10 mins,Alapértelmezett 10 perc
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Összes beszállítói Kapcsolat
DocType: Support Settings,Support Settings,Támogatás beállítások
DocType: SMS Parameter,Parameter,Paraméter
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,"Várható befejezés dátuma nem lehet előbb, mint várható kezdési időpontja"
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,"Várható befejezés dátuma nem lehet előbb, mint várható kezdési időpontja"
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Sor # {0}: Árnak eggyeznie kell {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Új távollét igény
,Batch Item Expiry Status,Kötegelt tétel Lejárat állapota
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Bank tervezet
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Bank tervezet
DocType: Mode of Payment Account,Mode of Payment Account,Fizetési számla módja
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Mutassa a változatokat
DocType: Academic Term,Academic Term,Akadémia szemeszter
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Anyag
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Mennyiség
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Számlák tábla nem lehet üres.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Hitelek (kötelezettségek)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Hitelek (kötelezettségek)
DocType: Employee Education,Year of Passing,Elmúlt Év
DocType: Item,Country of Origin,Származási ország
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,Készletben
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,Készletben
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,"Nyitott Problémák, Ügyek"
DocType: Production Plan Item,Production Plan Item,Gyártási terv tétele
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Felhasználó {0} már hozzá van rendelve ehhez az Alkalmazotthoz {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Egészségügyi ellátás
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Fizetési késedelem (napok)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Szolgáltatás költsége
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Sorozat szám: {0} már hivatkozott ezen az Értékesítési számlán: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Sorozat szám: {0} már hivatkozott ezen az Értékesítési számlán: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Számla
DocType: Maintenance Schedule Item,Periodicity,Időszakosság
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Pénzügyi év {0} szükséges
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Row # {0}:
DocType: Timesheet,Total Costing Amount,Összes Költség összege
DocType: Delivery Note,Vehicle No,Jármű sz.
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,"Kérjük, válasszon árjegyzéket"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,"Kérjük, válasszon árjegyzéket"
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Sor # {0}: Fizetési dokumentum szükséges a teljes trasaction
DocType: Production Order Operation,Work In Progress,Dolgozunk rajta
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,"Kérjük, válasszon dátumot"
DocType: Employee,Holiday List,Szabadnapok listája
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Könyvelő
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Könyvelő
DocType: Cost Center,Stock User,Készlet Felhasználó
DocType: Company,Phone No,Telefonszám
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Tanfolyam Menetrendek létrehozva:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Új {0}: # {1}
,Sales Partners Commission,Értékesítő partner jutaléka
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,"Rövidítés nem lehet több, mint 5 karakter"
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,"Rövidítés nem lehet több, mint 5 karakter"
DocType: Payment Request,Payment Request,Fizetési kérelem
DocType: Asset,Value After Depreciation,Eszközök értékcsökkenés utáni
DocType: Employee,O+,ALK+
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,"Részvétel dátuma nem lehet kisebb, mint a munkavállaló belépési dátuma"
DocType: Grading Scale,Grading Scale Name,Osztályozás időszak neve
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Ez egy root fiók és nem lehet szerkeszteni.
+DocType: Sales Invoice,Company Address,Cég címe
DocType: BOM,Operations,Műveletek
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Nem lehet beállítani engedélyt a kedvezmény alapján erre: {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Mellékeljen .csv fájlt két oszloppal, egyik a régi névvel, a másik az új névvel"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} egyik aktív pénzügyi évben sem.
DocType: Packed Item,Parent Detail docname,Szülő Részlet docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referencia: {0}, pont kód: {1} és az ügyfél: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Kg
DocType: Student Log,Log,Napló
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Nyitott állások.
DocType: Item Attribute,Increment,Növekmény
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Hírdet
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Ugyanez a vállalat szerepel többször
DocType: Employee,Married,Házas
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Nem engedélyezett erre {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Nem engedélyezett erre {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Tételeket kér le innen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Készlet nem frissíthető ezzel a szállítólevéllel {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Készlet nem frissíthető ezzel a szállítólevéllel {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Gyártmány {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Nincsenek listázott elemek
DocType: Payment Reconciliation,Reconcile,Összeegyeztetni
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Következő értékcsökkenés dátuma nem lehet korábbi a vásárlás dátumánál
DocType: SMS Center,All Sales Person,Összes értékesítő
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"* Havi Felbontás** segít felbontani a Költségvetést / Célt a hónapok között, ha vállalkozásod szezonális."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Nem talált tételeket
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Nem talált tételeket
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Bérrendszer Hiányzó
DocType: Lead,Person Name,Személy neve
DocType: Sales Invoice Item,Sales Invoice Item,Kimenő értékesítési számla tételei
DocType: Account,Credit,Tőlünk követelés
DocType: POS Profile,Write Off Cost Center,Leíró Költséghely
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""","pl. ""általános iskola"" vagy ""egyetem"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""","pl. ""általános iskola"" vagy ""egyetem"""
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Készlet jelentések
DocType: Warehouse,Warehouse Detail,Raktár részletek
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Hitelkeretet már átlépte az ügyfél {0} {1}/{2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Hitelkeretet már átlépte az ügyfél {0} {1}/{2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"A feltétel végső dátuma nem lehet későbbi, mint a tanév év végi időpontja, amelyhez a kifejezés kapcsolódik (Tanév {}). Kérjük javítsa ki a dátumot, és próbálja újra."
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Ez tárgyi eszköz"" nem lehet kijelöletlen, mert Tárgyi eszköz rekord bejegyzés létezik ellen tételként"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Ez tárgyi eszköz"" nem lehet kijelöletlen, mert Tárgyi eszköz rekord bejegyzés létezik ellen tételként"
DocType: Vehicle Service,Brake Oil,Fékolaj
DocType: Tax Rule,Tax Type,Adónem
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Nincs engedélye bejegyzés hozzáadására és frissítésére előbb mint: {0}
DocType: BOM,Item Image (if not slideshow),Tétel Kép (ha nem slideshow)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Az Ügyfél már létezik ezen a néven
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Óra érték / 60) * aktuális üzemidő
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Válasszon Anyagj
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Válasszon Anyagj
DocType: SMS Log,SMS Log,SMS napló
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Költségét a szállított tételeken
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Ez az ünnep: {0} nincs az induló és a végső dátum közt
@@ -159,13 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Feladó {0} {1}
DocType: Item,Copy From Item Group,Másolás tétel csoportból
DocType: Journal Entry,Opening Entry,Kezdő könyvelési tétel
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Ügyfél> Vásárlói csoport> Terület
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Számla csak fizetésre
DocType: Employee Loan,Repay Over Number of Periods,Törleszteni megadott számú időszakon belül
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} nem vontunk be ebbe a megadottba: {2}
DocType: Stock Entry,Additional Costs,További költségek
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Meglévő tranzakcióval rendelkező számla nem konvertálható csoporttá.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Meglévő tranzakcióval rendelkező számla nem konvertálható csoporttá.
DocType: Lead,Product Enquiry,Gyártmány igénylés
DocType: Academic Term,Schools,Iskolák
+DocType: School Settings,Validate Batch for Students in Student Group,Érvényesítse Batch diákok számára Csoport
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Nem talál távollét bejegyzést erre a munkavállalóra {0} erre {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Kérjük, adja meg először céget"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,"Kérjük, válasszon Vállalkozást először"
@@ -174,48 +176,48 @@
DocType: BOM,Total Cost,Összköltség
DocType: Journal Entry Account,Employee Loan,Alkalmazotti hitel
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Tevékenység napló:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,"Tétel: {0} ,nem létezik a rendszerben, vagy lejárt"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,"Tétel: {0} ,nem létezik a rendszerben, vagy lejárt"
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Ingatlan
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Főkönyvi számla kivonata
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Gyógyszeriparok
DocType: Purchase Invoice Item,Is Fixed Asset,Ez állóeszköz
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Elérhető mennyiség: {0}, ennyi az igény: {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Elérhető mennyiség: {0}, ennyi az igény: {1}"
DocType: Expense Claim Detail,Claim Amount,Garanciális igény összege
-DocType: Employee,Mr,Úr
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Ismétlődő vevői csoport található a Vevő csoport táblázatában
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Beszállító típus / Beszállító
DocType: Naming Series,Prefix,Előtag
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Fogyóeszközök
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Fogyóeszközök
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Importálás naplója
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Gyártási típusú anyag igénylés kivétele a fenti kritériumok alapján
DocType: Training Result Employee,Grade,Osztály
DocType: Sales Invoice Item,Delivered By Supplier,Beszállító által szállított
DocType: SMS Center,All Contact,Összes Kapcsolattartó
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Gyártási rendelés már létrehozott valamennyi tételre egy Anyagjegyzékkel
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Éves Munkabér
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Gyártási rendelés már létrehozott valamennyi tételre egy Anyagjegyzékkel
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Éves Munkabér
DocType: Daily Work Summary,Daily Work Summary,Napi munka összefoglalása
DocType: Period Closing Voucher,Closing Fiscal Year,Pénzügyi év záró
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} fagyasztott
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,"Kérjük, válassza ki, meglévő vállakozást a számlatükör létrehozásához"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Készlet költségek
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} fagyasztott
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,"Kérjük, válassza ki, meglévő vállakozást a számlatükör létrehozásához"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Készlet költségek
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Cél Raktár kiválasztása
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,"Kérjük, adja meg a preferált kapcsolati Email-t"
+DocType: Program Enrollment,School Bus,Iskolabusz
DocType: Journal Entry,Contra Entry,Ellen jegyzés
DocType: Journal Entry Account,Credit in Company Currency,Követelés a vállalkozás pénznemében
DocType: Delivery Note,Installation Status,Telepítés állapota
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Szeretné frissíteni részvétel? <br> Jelen: {0} \ <br> Hiányzik: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Elfogadott + Elutasított Mennyiségnek meg kell egyeznie a {0} tétel beérkezett mennyiségével
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Elfogadott + Elutasított Mennyiségnek meg kell egyeznie a {0} tétel beérkezett mennyiségével
DocType: Request for Quotation,RFQ-,AJK-
DocType: Item,Supply Raw Materials for Purchase,Nyersanyagok beszállítása beszerzéshez
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,Legalább egy fizetési mód szükséges POS számlára.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,Legalább egy fizetési mód szükséges POS számlára.
DocType: Products Settings,Show Products as a List,Megmutatása a tételeket listában
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Töltse le a sablont, töltse ki a megfelelő adatokat és csatolja a módosított fájlt. Minden időpont és alkalmazott kombináció a kiválasztott időszakban bekerül a sablonba, a meglévő jelenléti ívekkel együtt"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,"Tétel: {0}, nem aktív, vagy elhasználódott"
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Példa: Matematika alapjai
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","A tétel adójának beillesztéséhez ebbe a sorba: {0}, az ebben a sorban {1} lévő adókat is muszály hozzávenni"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,"Tétel: {0}, nem aktív, vagy elhasználódott"
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Példa: Matematika alapjai
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","A tétel adójának beillesztéséhez ebbe a sorba: {0}, az ebben a sorban {1} lévő adókat is muszály hozzávenni"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Beállítások a HR munkaügy modulhoz
DocType: SMS Center,SMS Center,SMS Központ
DocType: Sales Invoice,Change Amount,Váltópénz mennyiség
@@ -225,7 +227,7 @@
DocType: Lead,Request Type,Kérés típusa
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Alkalmazot létrehozás
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Hírállomás
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Végrehajtás
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Végrehajtás
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Részletek az elvégzett műveletekethez.
DocType: Serial No,Maintenance Status,Karbantartás állapota
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Beszállító kötelező a fizetendő számlához {2}
@@ -253,7 +255,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Az ajánlatkérés elérhető a következő linkre kattintással
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Felosztja a távolléteket az évre.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG eszköz létrehozó kurzus
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,Elégtelen készlet
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,Elégtelen készlet
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Kapacitás-tervezés és Idő követés letiltása
DocType: Email Digest,New Sales Orders,Új vevői rendelés
DocType: Bank Guarantee,Bank Account,Bankszámla
@@ -264,8 +266,9 @@
DocType: Production Order Operation,Updated via 'Time Log',Frissítve 'Idő napló' által
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},"Előleg összege nem lehet nagyobb, mint {0} {1}"
DocType: Naming Series,Series List for this Transaction,Sorozat List ehhez a tranzakcióhoz
+DocType: Company,Enable Perpetual Inventory,Engedélyezze Perpetual Inventory
DocType: Company,Default Payroll Payable Account,Alapértelmezett Bér fizetendő számla
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Email csoport frissítés
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Email csoport frissítés
DocType: Sales Invoice,Is Opening Entry,Ez kezdő könyvelési tétel
DocType: Customer Group,Mention if non-standard receivable account applicable,"Megemlít, ha nem szabványos bevételi számla alkalmazandó"
DocType: Course Schedule,Instructor Name,Oktató neve
@@ -277,13 +280,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Ellen Értékesítési tétel számlák
,Production Orders in Progress,Folyamatban lévő gyártási rendelések
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Nettó pénzeszközök a pénzügyről
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","Helyi-tároló megtelt, nem menti"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","Helyi-tároló megtelt, nem menti"
DocType: Lead,Address & Contact,Cím & Kapcsolattartó
DocType: Leave Allocation,Add unused leaves from previous allocations,Adja hozzá a fel nem használt távoléteket a korábbi elhelyezkedésből
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Következő ismétlődő: {0} ekkor jön létre {1}
DocType: Sales Partner,Partner website,Partner weboldal
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Tétel hozzáadása
-,Contact Name,Kapcsolattartó neve
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Kapcsolattartó neve
DocType: Course Assessment Criteria,Course Assessment Criteria,Tanfolyam Értékelési kritériumok
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Bérpapír létrehozása a fenti kritériumok alapján.
DocType: POS Customer Group,POS Customer Group,POS Vásárlói csoport
@@ -292,18 +295,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Nincs megadott leírás
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Vásárolható rendelés.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Ennek alapja a project témához létrehozott idő nyilvántartók
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,"Nettó fizetés nem lehet kevesebb, mint 0"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,"Nettó fizetés nem lehet kevesebb, mint 0"
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Csak a kijelölt Távollét Jóváhagyó nyújthatja be ezt a távollét igénylést
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,"Tehermentesítő dátuma nagyobbnak kell lennie, mint Csatlakozás dátuma"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Távollétek évente
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Távollétek évente
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Sor {0}: Kérjük ellenőrizze, hogy 'ez előleg' a {1} számlához, tényleg egy előleg bejegyzés."
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},{0} raktár nem tartozik a(z) {1} céghez
DocType: Email Digest,Profit & Loss,Profit & veszteség
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Liter
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Liter
DocType: Task,Total Costing Amount (via Time Sheet),Összes költség összeg ((Idő nyilvántartó szerint)
DocType: Item Website Specification,Item Website Specification,Tétel weboldal adatai
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Távollét blokkolt
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},"Tétel: {0}, elérte az élettartama végét {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},"Tétel: {0}, elérte az élettartama végét {1}"
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Bank bejegyzések
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Éves
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Készlet egyeztetés tétele
@@ -311,9 +314,9 @@
DocType: Material Request Item,Min Order Qty,Min. rendelési menny.
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Diák csoport létrehozása Szerszám pálya
DocType: Lead,Do Not Contact,Ne lépj kapcsolatba
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,"Emberek, akik tanítanak a válllakozásánál"
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,"Emberek, akik tanítanak a válllakozásánál"
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Az egyedi azonosítóval nyomon követi az összes visszatérő számlákat. Ezt a benyújtáskor hozza létre.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Szoftver fejlesztő
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Szoftver fejlesztő
DocType: Item,Minimum Order Qty,Minimális rendelési menny
DocType: Pricing Rule,Supplier Type,Beszállító típusa
DocType: Course Scheduling Tool,Course Start Date,Tanfolyam kezdő dátuma
@@ -322,11 +325,11 @@
DocType: Item,Publish in Hub,Közzéteszi a Hubon
DocType: Student Admission,Student Admission,Tanuló Felvételi
,Terretory,Terület
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,{0} tétel törölve
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,{0} tétel törölve
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Anyagigénylés
DocType: Bank Reconciliation,Update Clearance Date,Végső dátum frissítése
DocType: Item,Purchase Details,Beszerzés adatai
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Tétel {0} nem található a 'Szállított alapanyagok' táblázatban ebben a Beszerzési Megrendelésben {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Tétel {0} nem található a 'Szállított alapanyagok' táblázatban ebben a Beszerzési Megrendelésben {1}
DocType: Employee,Relation,Kapcsolat
DocType: Shipping Rule,Worldwide Shipping,Egész világra kiterjedő szállítás
DocType: Student Guardian,Mother,Anya
@@ -345,6 +348,7 @@
DocType: Student Group Student,Student Group Student,Diákcsoport tanulója
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Legutolsó
DocType: Vehicle Service,Inspection,Ellenőrzés
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Lista
DocType: Email Digest,New Quotations,Új árajánlat
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,E-mailek bérpapírok az alkalmazottak részére az alkalmazottak preferált e-mail kiválasztása alapján
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,Az első távollét jóváhagyó a listán lesz az alapértelmezett távollét Jóváhagyó
@@ -353,20 +357,20 @@
DocType: Asset,Next Depreciation Date,Következő Értékcsökkenés dátuma
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Alkalmazottankénti Tevékenység költség
DocType: Accounts Settings,Settings for Accounts,Fiókok beállítása
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Beszállítói számla nem létezik ebben a beszállítói számlán: {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Beszállítói számla nem létezik ebben a beszállítói számlán: {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Kezelje az értékesítő szeméályek fáját.
DocType: Job Applicant,Cover Letter,Kísérő levél
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,"Fennálló, kinntlévő negatív csekkek és a Betétek kiegyenlítésre"
DocType: Item,Synced With Hub,Szinkronizálta Hub-al
DocType: Vehicle,Fleet Manager,Flotta kezelő
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Sor # {0}: {1} nem lehet negatív a tételre: {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Hibás Jelszó
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Hibás Jelszó
DocType: Item,Variant Of,Változata
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',"Befejezett Menny nem lehet nagyobb, mint 'Gyártandó Menny'"
DocType: Period Closing Voucher,Closing Account Head,Záró fiók vezetője
DocType: Employee,External Work History,Külső munka története
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Körkörös hivatkozás hiba
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Helyettesítő1 neve
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Helyettesítő1 neve
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"Szavakkal (Export) lesz látható, miután menttette a szállítólevelet."
DocType: Cheque Print Template,Distance from left edge,Távolság bal szélétől
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} darab [{1}] (#Form/Item/{1}) ebből található a [{2}](#Form/Warehouse/{2})
@@ -375,11 +379,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Email értesítő létrehozása automatikus Anyag igény létrehozásához
DocType: Journal Entry,Multi Currency,Több pénznem
DocType: Payment Reconciliation Invoice,Invoice Type,Számla típusa
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Szállítólevél
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Szállítólevél
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Adók beállítása
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Eladott eszközök költsége
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,"Fizetés megadása módosításra került, miután lehívta. Kérjük, hívja le újra."
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} kétszer bevitt a tétel adójába
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Fizetés megadása módosításra került, miután lehívta. Kérjük, hívja le újra."
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} kétszer bevitt a tétel adójába
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Összefoglaló erre a hétre és a folyamatban lévő tevékenységek
DocType: Student Applicant,Admitted,Belépést nyer
DocType: Workstation,Rent Cost,Bérleti díj
@@ -397,25 +401,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Kérjük, írja be a 'Ismételje a hónap ezen napján' mező értékét"
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Arány, amelyen az Ügyfél pénznemét átalakítja az ügyfél alapértelmezett pénznemére"
DocType: Course Scheduling Tool,Course Scheduling Tool,Tanfolyam ütemező eszköz
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Sor # {0}: Beszerzési számlát nem lehet létrehozni egy már meglévő eszközre: {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Sor # {0}: Beszerzési számlát nem lehet létrehozni egy már meglévő eszközre: {1}
DocType: Item Tax,Tax Rate,Adókulcs
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} már elkülönített a {1} Alkalmazotthoz a {2} -től {3} -ig időszakra
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Tétel kiválasztása
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Beszállítói számla: {0} már benyújtott
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Beszállítói számla: {0} már benyújtott
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Sor # {0}: Köteg számnak egyeznie kell ezzel {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Átalakítás nem-csoporttá
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,A Köteg több Tétel összessége.
DocType: C-Form Invoice Detail,Invoice Date,Számla dátuma
DocType: GL Entry,Debit Amount,Tartozás összeg
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Nem lehet csak 1 fiók vállalatonként ebben {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,"Kérjük, nézze meg a mellékletet"
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Nem lehet csak 1 fiók vállalatonként ebben {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,"Kérjük, nézze meg a mellékletet"
DocType: Purchase Order,% Received,% fogadva
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Készítsen Diákcsoportokat
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Telepítés már komplett !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Credit Megjegyzés Összeg
,Finished Goods,Készáru
DocType: Delivery Note,Instructions,Utasítások
DocType: Quality Inspection,Inspected By,Megvizsgálta
DocType: Maintenance Visit,Maintenance Type,Karbantartás típusa
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} nem vontunk be a pálya {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Széria sz. {0} nem tartozik a szállítólevélhez {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Tételek hozzáadása
@@ -436,7 +442,7 @@
DocType: Request for Quotation,Request for Quotation,Ajánlatkérés
DocType: Salary Slip Timesheet,Working Hours,Munkaidő
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Megváltoztatni a kezdő / aktuális sorszámot egy meglévő sorozatban.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Hozzon létre egy új Vevőt
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Hozzon létre egy új Vevőt
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ha több árképzési szabály továbbra is fennáll, a felhasználók fel lesznek kérve, hogy a kézi prioritás beállítással orvosolják a konfliktusokat."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Beszerzési megrendelés létrehozása
,Purchase Register,Beszerzési Regisztráció
@@ -448,7 +454,7 @@
DocType: Student Log,Medical,Orvosi
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Veszteség indoka
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,"Érdeklődés tulajdonosa nem lehet ugyanaz, mint az érdeklődés"
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,"Elkülönített összeg nem lehet nagyobb, mint a kiigazítás nélküli összege"
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,"Elkülönített összeg nem lehet nagyobb, mint a kiigazítás nélküli összege"
DocType: Announcement,Receiver,Fogadó
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Munkaállomás zárva a következő időpontokban a Nyaralási lista szerint: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Lehetőségek
@@ -462,8 +468,7 @@
DocType: Assessment Plan,Examiner Name,Vizsgáztató neve
DocType: Purchase Invoice Item,Quantity and Rate,Mennyiség és ár
DocType: Delivery Note,% Installed,% telepítve
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,"Tantermek / Laboratoriumok stb, ahol előadások vehetők igénybe."
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Szállító> Szállító Type
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Tantermek / Laboratoriumok stb, ahol előadások vehetők igénybe."
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Kérjük adja meg a cégnevet elsőként
DocType: Purchase Invoice,Supplier Name,Beszállító neve
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Olvassa el a ERPNext kézikönyv
@@ -473,7 +478,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Ellenőrizze a Beszállítói Számlák számait Egyediségre
DocType: Vehicle Service,Oil Change,Olajcsere
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.',"'Eset számig' nem lehet kevesebb, mint 'Eset számtól'"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Non Profit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Non Profit
DocType: Production Order,Not Started,Nem kezdődött
DocType: Lead,Channel Partner,Értékesítési partner
DocType: Account,Old Parent,Régi szülő
@@ -483,19 +488,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globális beállítások minden egyes gyártási folyamatra.
DocType: Accounts Settings,Accounts Frozen Upto,A számlák be vannak fagyasztva eddig
DocType: SMS Log,Sent On,Elküldve
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,{0} jellemzők többször kiválasztásra kerültek a jellemzők táblázatban
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,{0} jellemzők többször kiválasztásra kerültek a jellemzők táblázatban
DocType: HR Settings,Employee record is created using selected field. ,Alkalmazott rekord jön létre a kiválasztott mezővel.
DocType: Sales Order,Not Applicable,Nem értelmezhető
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Távollét törzsadat.
DocType: Request for Quotation Item,Required Date,Szükséges dátuma
DocType: Delivery Note,Billing Address,Számlázási cím
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,"Kérjük, adja meg a tételkódot."
DocType: BOM,Costing,Költségelés
DocType: Tax Rule,Billing County,Számlázási megye
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Ha be van jelölve, az adó összegét kell úgy tekinteni, mint amelyek már bennszerepelnek a Nyomtatott Ár / Nyomtatott Összeg -ben"
DocType: Request for Quotation,Message for Supplier,Üzenet a Beszállítónak
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Összesen Mennyiség
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Helyettesítő2 e-mail azonosító
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Helyettesítő2 e-mail azonosító
DocType: Item,Show in Website (Variant),Megjelenítés a Weboldalon (Változat)
DocType: Employee,Health Concerns,Egészségügyi problémák
DocType: Process Payroll,Select Payroll Period,Válasszon Bérszámfejtési Időszakot
@@ -513,25 +517,27 @@
DocType: Sales Order Item,Used for Production Plan,Termelési tervhez használja
DocType: Employee Loan,Total Payment,Teljes fizetés
DocType: Manufacturing Settings,Time Between Operations (in mins),Műveletek közti idő (percben)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} törlődik, így a műveletet nem lehet kitölteni"
DocType: Customer,Buyer of Goods and Services.,Vevő az árukra és szolgáltatásokra.
DocType: Journal Entry,Accounts Payable,Beszállítóknak fizetendő számlák
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,A kiválasztott darabjegyzékeket nem ugyanarra a tételre
DocType: Pricing Rule,Valid Upto,Érvényes eddig:
DocType: Training Event,Workshop,Műhely
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Felsorol egy pár vevőt. Ők lehetnek szervezetek vagy magánszemélyek.
-,Enough Parts to Build,Elég alkatrészek a megépítéshez
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Közvetlen jövedelem
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Felsorol egy pár vevőt. Ők lehetnek szervezetek vagy magánszemélyek.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Elég alkatrészek a megépítéshez
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Közvetlen jövedelem
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Nem tudja szűrni számla alapján, ha számlánként csoportosított"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Igazgatási tisztviselő
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,"Kérjük, válasszon pályát"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Igazgatási tisztviselő
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,"Kérjük, válasszon pályát"
DocType: Timesheet Detail,Hrs,Óra
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,"Kérjük, válasszon Vállalkozást először"
DocType: Stock Entry Detail,Difference Account,Különbség főkönyvi számla
+DocType: Purchase Invoice,Supplier GSTIN,Szállító GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,"Nem zárható feladat, mivel a hozzá fűződő feladat: {0} nincs lezárva."
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"Kérjük, adja meg a Raktárat, amelyekre anyag igénylés keletkezett"
DocType: Production Order,Additional Operating Cost,További üzemeltetési költség
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kozmetikum
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Egyesítéshez, a következő tulajdonságoknak meg kell egyeznie mindkét tételnél"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Egyesítéshez, a következő tulajdonságoknak meg kell egyeznie mindkét tételnél"
DocType: Shipping Rule,Net Weight,Nettó súly
DocType: Employee,Emergency Phone,Sürgősségi telefon
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Vásárol
@@ -540,14 +546,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Kérjük adja meg a küszöb fokozatát 0%
DocType: Sales Order,To Deliver,Szállít
DocType: Purchase Invoice Item,Item,Tétel
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Széria sz. tétel nem lehet egy törtrész
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Széria sz. tétel nem lehet egy törtrész
DocType: Journal Entry,Difference (Dr - Cr),Különbség (Dr - Cr)
DocType: Account,Profit and Loss,Eredménykimutatás
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Alvállalkozói munkák kezelése
DocType: Project,Project will be accessible on the website to these users,"Project téma elérhető lesz a honlapon, ezeknek a felhasználóknak"
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,"Arány, amelyen az Árlista pénznemét átalakítja a vállalakozás alapértelmezett pénznemére"
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},A {0}számlához nem tartozik ez a Vállalat: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Rövidítést már használja egy másik cég
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},A {0}számlához nem tartozik ez a Vállalat: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Rövidítést már használja egy másik cég
DocType: Selling Settings,Default Customer Group,Alapértelmezett Vevői csoport
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Ha kikapcsolja, a 'Kerekített összesen' mező nem fog látszódni sehol sem"
DocType: BOM,Operating Cost,Működési költség
@@ -555,7 +561,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Lépésköz nem lehet 0
DocType: Production Planning Tool,Material Requirement,Anyagszükséglet
DocType: Company,Delete Company Transactions,Vállalati tranzakciók törlése
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Hivatkozási szám és Referencia dátum kötelező a Banki tranzakcióhoz
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Hivatkozási szám és Referencia dátum kötelező a Banki tranzakcióhoz
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Adók és költségek hozzáadása / szerkesztése
DocType: Purchase Invoice,Supplier Invoice No,Beszállítói számla száma
DocType: Territory,For reference,Referenciaként
@@ -566,22 +572,22 @@
DocType: Installation Note Item,Installation Note Item,Telepítési feljegyzés Elem
DocType: Production Plan Item,Pending Qty,Folyamatban db
DocType: Budget,Ignore,Mellőz
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} nem aktív
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} nem aktív
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},Küldött SMS alábbi telefonszámokon: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,Csekk méretek telepítése a nyomtatáshoz
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Csekk méretek telepítése a nyomtatáshoz
DocType: Salary Slip,Salary Slip Timesheet,Bérpapirok munkaidő jelenléti ívei
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Beszállító raktár kötelező az alvállalkozók vásárlási nyugtájához
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Beszállító raktár kötelező az alvállalkozók vásárlási nyugtájához
DocType: Pricing Rule,Valid From,Érvényes innentől:
DocType: Sales Invoice,Total Commission,Teljes Jutalék
DocType: Pricing Rule,Sales Partner,Értékesítő partner
DocType: Buying Settings,Purchase Receipt Required,Beszerzési megrendelés nyugta kötelező
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,"Készletérték ár kötelező, ha nyitási készletet felvitt"
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,"Készletérték ár kötelező, ha nyitási készletet felvitt"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Nem talált bejegyzést a számlatáblázat
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,"Kérjük, válasszon Vállalkozást és Ügyfél típust először"
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Pénzügyi / számviteli év.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Pénzügyi / számviteli év.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Halmozott értékek
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Sajnáljuk, Széria sz. nem lehet összevonni,"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Vevői rendelés létrehozás
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Vevői rendelés létrehozás
DocType: Project Task,Project Task,Projekt téma feladat
,Lead Id,Érdeklődés ID
DocType: C-Form Invoice Detail,Grand Total,Mindösszesen
@@ -598,7 +604,7 @@
DocType: Job Applicant,Resume Attachment,Folytatás Attachment
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Törzsvásárlók
DocType: Leave Control Panel,Allocate,Feloszott
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Eladás visszaküldése
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Eladás visszaküldése
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,"Megjegyzés: Az összes kijelölt távollét: {0} nem lehet kevesebb, mint a már jóváhagyott távollétek: {1} erre az időszakra"
DocType: Announcement,Posted By,Általa rögzítve
DocType: Item,Delivered by Supplier (Drop Ship),Beszállító által közvetlenül vevőnek szállított (Drop Ship)
@@ -608,8 +614,8 @@
DocType: Quotation,Quotation To,Árajánlat az ő részére
DocType: Lead,Middle Income,Közepes jövedelmű
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Nyitó (Követ)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Alapértelmezett mértékegységét a {0} tételnek nem lehet megváltoztatni közvetlenül, mert már végzett néhány tranzakció(t) másik mértékegységgel. Szükséges lesz egy új tétel létrehozására, hogy egy másik alapértelmezett mértékegységet használhasson."
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Elkülönített összeg nem lehet negatív
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Alapértelmezett mértékegységét a {0} tételnek nem lehet megváltoztatni közvetlenül, mert már végzett néhány tranzakció(t) másik mértékegységgel. Szükséges lesz egy új tétel létrehozására, hogy egy másik alapértelmezett mértékegységet használhasson."
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Elkülönített összeg nem lehet negatív
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,"Kérjük, állítsa be a Vállalkozást"
DocType: Purchase Order Item,Billed Amt,Számlázott össz.
DocType: Training Result Employee,Training Result Employee,Képzési munkavállalói eredmény
@@ -621,7 +627,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,"Válasszon Fizetési számlát, banki tétel bejegyzéshez"
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Készítsen Munkavállaló nyilvántartásokat a távollétek, költségtérítési igények és a bér kezeléséhez"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Hozzáadás a tudásbázishoz
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Pályázatírás
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Pályázatírás
DocType: Payment Entry Deduction,Payment Entry Deduction,Fizetés megadásának levonása
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Egy másik Értékesítő személy {0} létezik a azonos alkalmazotti azonosító Id-vel
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Ha be van jelölve, nyersanyagok elemek, amelyek alvállalkozóknak szerepelni fog a Anyag igénylések"
@@ -635,7 +641,7 @@
DocType: Timesheet,Billed,Számlázott
DocType: Batch,Batch Description,Köteg leírás
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Diákcsoportok létrehozása
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Fizetési átjáró számla nem jön létre, akkor hozzon létre egyet manuálisan."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Fizetési átjáró számla nem jön létre, akkor hozzon létre egyet manuálisan."
DocType: Sales Invoice,Sales Taxes and Charges,Értékesítési adók és költségek
DocType: Employee,Organization Profile,Szervezet profilja
DocType: Student,Sibling Details,Testvér Részletei
@@ -657,11 +663,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Nettó készletváltozás
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Alkalmazotti hitel kezelés
DocType: Employee,Passport Number,Útlevél száma
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Összefüggés Helyettesítő2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Menedzser
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Összefüggés Helyettesítő2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Menedzser
DocType: Payment Entry,Payment From / To,Fizetési Honnan / Hova
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},"Új hitelkeret kevesebb, mint a jelenlegi fennálló összeget a vevő számára. Hitelkeretnek minimum ennyinek kell lennie {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Ugyanaz a tételt már többször megjelenik.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},"Új hitelkeret kevesebb, mint a jelenlegi fennálló összeget a vevő számára. Hitelkeretnek minimum ennyinek kell lennie {0}"
DocType: SMS Settings,Receiver Parameter,Vevő Paraméter
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,Az 'Ez alapján' 'és a 'Csoport szerint' nem lehet azonos
DocType: Sales Person,Sales Person Targets,Értékesítői személy célok
@@ -670,8 +675,9 @@
DocType: Issue,Resolution Date,Megoldás dátuma
DocType: Student Batch Name,Batch Name,Köteg neve
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Munkaidő jelenléti ív nyilvántartás létrehozva:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},"Kérjük, állítsda be az alapértelmezett Készpénz vagy bankszámlát a Fizetési módban {0}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},"Kérjük, állítsda be az alapértelmezett Készpénz vagy bankszámlát a Fizetési módban {0}"
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Beiratkozás
+DocType: GST Settings,GST Settings,GST beállítások
DocType: Selling Settings,Customer Naming By,Vevő elnevezés típusa
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Megmutatja a hallgatót mint jelenlévőt a Hallgató havi résztvételi jelentésben
DocType: Depreciation Schedule,Depreciation Amount,Értékcsökkentés összege
@@ -693,6 +699,7 @@
DocType: Item,Material Transfer,Anyag átvitel
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Nyitó (ÉCS.)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Kiküldetés időbélyegének ezutánina kell lennie {0}
+,GST Itemised Purchase Register,GST tételes Vásárlás Regisztráció
DocType: Employee Loan,Total Interest Payable,Összes fizetendő kamat
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Beszerzési költség adók és illetékek
DocType: Production Order Operation,Actual Start Time,Tényleges kezdési idő
@@ -719,10 +726,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Beszállító
DocType: Account,Accounts,Főkönyvi számlák
DocType: Vehicle,Odometer Value (Last),Kilométer-számláló érték (utolsó)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Fizetés megadása már létrehozott
DocType: Purchase Receipt Item Supplied,Current Stock,Jelenlegi raktárkészlet
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Sor # {0}: {1} Vagyontárgy nem kapcsolódik ehhez a tételhez {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Sor # {0}: {1} Vagyontárgy nem kapcsolódik ehhez a tételhez {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Bérpapír előnézet
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,A {0} számlát már többször bevitték
DocType: Account,Expenses Included In Valuation,Készletértékelésbe belevitt költségek
@@ -730,7 +737,7 @@
,Absent Student Report,Jelentés a hiányzó tanulókról
DocType: Email Digest,Next email will be sent on:,A következő emailt ekkor küldjük:
DocType: Offer Letter Term,Offer Letter Term,Ajánlati levél feltétele
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Tételnek változatok.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Tételnek változatok.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Tétel {0} nem található
DocType: Bin,Stock Value,Készlet értéke
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Vállalkozás {0} nem létezik
@@ -739,7 +746,7 @@
DocType: Serial No,Warranty Expiry Date,Garancia lejárati dátuma
DocType: Material Request Item,Quantity and Warehouse,Mennyiség és raktár
DocType: Sales Invoice,Commission Rate (%),Jutalék mértéke (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,"Kérjük, válassza ki a Program"
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,"Kérjük, válassza ki a Program"
DocType: Project,Estimated Cost,Becsült költség
DocType: Purchase Order,Link to material requests,Hivatkozás az anyagra kérésekre
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Légtér
@@ -753,14 +760,14 @@
DocType: Purchase Order,Supply Raw Materials,Nyersanyagok beszállítása
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,"Az időpont, amikor a következő számla előállításra kerül. A benyújáskor kerül létrehozásra."
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Jelenlegi eszközök
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} nem Készletezhető tétel
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} nem Készletezhető tétel
DocType: Mode of Payment Account,Default Account,Alapértelmezett számla
DocType: Payment Entry,Received Amount (Company Currency),Beérkezett összeg (Vállalkozás pénzneme)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,"Érdeklődést kell beállítani, ha a Lehetőséget az Érdeklődésből hozta létre"
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,"Kérjük, válassza ki a heti munkaszüneti napot"
DocType: Production Order Operation,Planned End Time,Tervezett befejezési idő
,Sales Person Target Variance Item Group-Wise,Értékesítői Cél Variance tétel Group-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Meglévő tranzakcióval rendelkező számla nem konvertálható főkönyvi számlává.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Meglévő tranzakcióval rendelkező számla nem konvertálható főkönyvi számlává.
DocType: Delivery Note,Customer's Purchase Order No,Vevői beszerzési megrendelésnek száma
DocType: Budget,Budget Against,Költségvetés ellenszámla
DocType: Employee,Cell Number,Mobilszám
@@ -772,15 +779,13 @@
DocType: Opportunity,Opportunity From,Lehetőség tőle
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Havi kimutatást.
DocType: BOM,Website Specifications,Weboldal részletek
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Kérjük beállítási számozási sorozat nyilvántartó a Setup> számozás sorozat
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Feladó {0} a {1} típusból
DocType: Warranty Claim,CI-,GI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Row {0}: Conversion Factor kötelező
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Row {0}: Conversion Factor kötelező
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Több Ár szabályzat létezik azonos kritériumokkal, kérjük megoldani konfliktust az elsőbbségek kiadásával. Ár Szabályok: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,Nem lehet kikapcsolni vagy törölni az Anyagjegyzéket mivel kapcsolódik más Darabjegyzékekhez
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Több Ár szabályzat létezik azonos kritériumokkal, kérjük megoldani konfliktust az elsőbbségek kiadásával. Ár Szabályok: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Nem lehet kikapcsolni vagy törölni az Anyagjegyzéket mivel kapcsolódik más Darabjegyzékekhez
DocType: Opportunity,Maintenance,Karbantartás
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Beszerzési megrendelés nyugta száma szükséges erre a tételre {0}
DocType: Item Attribute Value,Item Attribute Value,Tétel Jellemző értéke
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Értékesítési kampányok.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Munkaidő jelenléti ív létrehozás
@@ -804,7 +809,7 @@
7. Total: Cumulative total to this point.
8. Enter Row: If based on ""Previous Row Total"" you can select the row number which will be taken as a base for this calculation (default is the previous row).
9. Is this Tax included in Basic Rate?: If you check this, it means that this tax will not be shown below the item table, but will be included in the Basic Rate in your main item table. This is useful where you want give a flat price (inclusive of all taxes) price to customers.","Alapértelmezett adó sablon, amelyet alkalmazni lehet, az összes értékesítési tranzakciókhoz. Ez a sablon tartalmazhat adó fejléc listákat és egyéb kiadás / bevétel fejléceket, mint a ""Szállítás"", ""Biztosítás"", ""Kezelés"" stb. #### Megjegyzés: Az itt megadott adó mértéke határozná meg az adó normál kulcsát minden **tételnek**. Ha vannak más értékkel rendelkező **tételek**, akkor hozzá kell azokat adni az **Tétel adó** táblázathoz a **Tétel** törzsadatban. #### Oszlopok 1. leírása: Számítási típus: - Ez lehet a **Teljes nettó** (vagyis az alap érték összege). - **Az előző sor Összérték / Érték** (kumulatív adók vagy díjak). Ha ezt a lehetőséget választja, az adót százalékában fogja kezelni az előző sorból (az adótáblában) érték vagy összértékként. - **A tényleges** (mint említettük). 2. Főkönyv fejléc: A főkönyvi számla, amelyen ezt az adót könyvelik 3. Költséghely : Ha az adó / díj jövedelem (például a szállítás), vagy költség akkor azt a Költség centrumhoz kell könyvelni. 4. Leírás: Adó leírása (amely nyomtat a számlákra / ajánlatokra). 5. Érték: adókulcs. 6. Összeg: Adó összege. 7. Teljes: Összesített összesen ebben a pontban. 8. Sor megadása: Ha ""Előző sor összértéke"" alapul, akkor kiválaszthatja a sor számát, mint ennek a számításnak az alapját (alapértelmezett az előző sor). 9. Ez adó az alapárban benne van?: Ha bejelöli ezt, az azt jelenti, hogy ez az adó nem lesz látható az alatta lévő tétel táblázaton, de szerepelni fog az alap áron a fő tétel táblába. Ez akkor hasznos, ha átalánydíjat szeretne adni (valamennyi adót tartalmazó) áron a vásárlóknak."
-DocType: Employee,Bank A/C No.,Bank A/C No.
+DocType: Employee,Bank A/C No.,Bankszámla szám
DocType: Bank Guarantee,Project,Projekt téma
DocType: Quality Inspection Reading,Reading 7,Olvasás 7
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +9,Partially Ordered,részben rendezett
@@ -813,29 +818,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Vagyonieszköz kiselejtezett a {0} Naplókönyvelés keresztül
DocType: Employee Loan,Interest Income Account,Kamatbevétel főkönyvi számla
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Biotechnológia
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Irodai karbantartási költségek
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Irodai karbantartási költségek
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,E-mail fiók beállítása
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,"Kérjük, adja meg először a tételt"
DocType: Account,Liability,Kötelezettség
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,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}."
DocType: Company,Default Cost of Goods Sold Account,Alapértelmezett önköltség fiók
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Árlista nincs kiválasztva
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Árlista nincs kiválasztva
DocType: Employee,Family Background,Családi háttér
DocType: Request for Quotation Supplier,Send Email,E-mail küldése
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Figyelmeztetés: Érvénytelen csatolmány {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Figyelmeztetés: Érvénytelen csatolmány {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Nincs jogosultság
DocType: Company,Default Bank Account,Alapértelmezett bankszámlaszám
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Az Ügyfél alapján kiszűrni, válasszuk ki az Ügyfél típpust először"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"'Készlet frissítés' nem ellenőrizhető, mert a tételek nem lettek elszállítva ezzel: {0}"
DocType: Vehicle,Acquisition Date,Beszerzés dátuma
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Darabszám
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Darabszám
DocType: Item,Items with higher weightage will be shown higher,Magasabb súlyozású tételek előrébb jelennek meg
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bank egyeztetés részletek
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Sor # {0}: {1} Vagyontárgyat kell benyújtani
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Sor # {0}: {1} Vagyontárgyat kell benyújtani
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Egyetlen Alkalmazottat sem talált
DocType: Supplier Quotation,Stopped,Megállítva
DocType: Item,If subcontracted to a vendor,Ha alvállalkozásba kiadva egy beszállítóhoz
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Diák csoport már frissítve.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Diák csoport már frissítve.
DocType: SMS Center,All Customer Contact,Összes vevői Kapcsolattartó
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Készlet egyenlege feltöltése csv fájlon keresztül.
DocType: Warehouse,Tree Details,fa Részletek
@@ -847,13 +852,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Költséghely {2} nem tartozik ehhez a vállalkozáshoz {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: fiók {2} nem lehet csoport
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Tétel sor {idx}: {doctype} {docname} nem létezik a fenti '{doctype}' táblában
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Jelenléti ív {0} már befejezett vagy törölt
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Jelenléti ív {0} már befejezett vagy törölt
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Nincsenek feladatok
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","A hónap napja, amelyen a számla automatikusan jön létre pl 05, 28 stb"
DocType: Asset,Opening Accumulated Depreciation,Nyitva halmozott ÉCS
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Pontszám legyen kisebb vagy egyenlő mint 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Program Beiratkozási eszköz
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,C-Form bejegyzések
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C-Form bejegyzések
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Vevő és Beszállító
DocType: Email Digest,Email Digest Settings,Email összefoglaló beállításai
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Köszönjük a közreműködését!
@@ -863,17 +868,19 @@
DocType: Bin,Moving Average Rate,Mozgóátlag ár
DocType: Production Planning Tool,Select Items,Válassza ki a tételeket
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} a {2} dátumú {1} Ellenszámla
+DocType: Program Enrollment,Vehicle/Bus Number,Jármű / Bus száma
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Tanfolyam menetrend
DocType: Maintenance Visit,Completion Status,Készültségi állapot
DocType: HR Settings,Enter retirement age in years,Adja meg a nyugdíjkorhatárt (év)
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Cél raktár
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,"Kérjük, válasszon egy raktárban"
DocType: Cheque Print Template,Starting location from left edge,Kiindulási hely a bal éltől
DocType: Item,Allow over delivery or receipt upto this percent,Szállítás címzettnek vagy átvétel nyugtázás engedélyezése eddig a százalékig
DocType: Stock Entry,STE-,KÉSZLBEJ-
DocType: Upload Attendance,Import Attendance,Jelenlét Import
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Összes tétel csoport
DocType: Process Payroll,Activity Log,Tevékenység napló
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Nettó nyereség / veszteség
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Nettó nyereség / veszteség
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Automatikusan ír üzenetet a benyújtott tranzakciókra.
DocType: Production Order,Item To Manufacture,Tétel gyártáshoz
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} állapota {2}
@@ -882,16 +889,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Beszerzési Megrendelést Kifizetésre
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Tervezett mennyiség
DocType: Sales Invoice,Payment Due Date,Fizetési határidő
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Tétel variáció {0} már létezik azonos Jellemzővel
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Tétel variáció {0} már létezik azonos Jellemzővel
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',"""Nyitás"""
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Nyitott teendő
DocType: Notification Control,Delivery Note Message,Szállítólevél szövege
DocType: Expense Claim,Expenses,Költségek
+,Support Hours,Támogatás Óra
DocType: Item Variant Attribute,Item Variant Attribute,Tétel változat Jellemzője
,Purchase Receipt Trends,Beszerzési nyugták alakulása
DocType: Process Payroll,Bimonthly,Kéthavonta
DocType: Vehicle Service,Brake Pad,Fékbetét
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Kutatás és fejlesztés
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Kutatás és fejlesztés
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Számlázandó összeget
DocType: Company,Registration Details,Regisztrációs adatok
DocType: Timesheet,Total Billed Amount,Teljes kiszámlázott összeg
@@ -904,12 +912,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Csak nyersanyagokat szerezhet be
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Teljesítményértékelési rendszer.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","A 'Kosár használata' engedélyezése, mint kosár bekapcsolása, mely mellett ott kell lennie legalább egy adó szabálynak a Kosárra vonatkozólag"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Fizetés megadása {0} kapcsolódik ehhez a Rendeléshez {1}, jelülje be, ha ezen a számlán előlegként kerül lehívásra."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Fizetés megadása {0} kapcsolódik ehhez a Rendeléshez {1}, jelülje be, ha ezen a számlán előlegként kerül lehívásra."
DocType: Sales Invoice Item,Stock Details,Készlet Részletek
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Projekt téma érték
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Értékesítés-hely-kassza
DocType: Vehicle Log,Odometer Reading,Kilométer-számláló állását
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Számlaegyenleg már tőlünk követel, akkor nem szabad beállítani ""Ennek egyenlege""-t, ""Nekünk tartozik""-ra"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Számlaegyenleg már tőlünk követel, akkor nem szabad beállítani ""Ennek egyenlege""-t, ""Nekünk tartozik""-ra"
DocType: Account,Balance must be,Mérlegnek kell lenni
DocType: Hub Settings,Publish Pricing,Árak közzététele
DocType: Notification Control,Expense Claim Rejected Message,Elutasított Költség igény indoklása
@@ -919,7 +927,7 @@
DocType: Salary Slip,Working Days,Munkanap
DocType: Serial No,Incoming Rate,Bejövő ár
DocType: Packing Slip,Gross Weight,Bruttó súly
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,"A vállalkozásának a neve, amelyre ezt a rendszert beállítja."
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,"A vállalkozásának a neve, amelyre ezt a rendszert beállítja."
DocType: HR Settings,Include holidays in Total no. of Working Days,A munkanapok számának összege tartalmazza az ünnepnapokat
DocType: Job Applicant,Hold,Tart
DocType: Employee,Date of Joining,Csatlakozás dátuma
@@ -930,20 +938,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Beszerzési megrendelés nyugta
,Received Items To Be Billed,Számlázandó Beérkezett tételek
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Benyújtott bérpapírok
-DocType: Employee,Ms,Hölgy
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Pénznem árfolyam törzsadat arányszám.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Referencia Doctype közül kell {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Pénznem árfolyam törzsadat arányszám.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referencia Doctype közül kell {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Nem található a Időkeret a következő {0} napokra erre a műveletre: {1}
DocType: Production Order,Plan material for sub-assemblies,Terv anyag a részegységekre
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Értékesítési partnerek és Területek
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,"Nem tud létrehozni automatikusan fiókot, hiszen már hozott létre készlet egyenleget a fiókban. Létre kell hoznia egy megfelelő főkönyvi számlát, mielőtt ebben a raktárban egy bejegyzést írhatna"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,ANYGJZ: {0} aktívnak kell lennie
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,ANYGJZ: {0} aktívnak kell lennie
DocType: Journal Entry,Depreciation Entry,ÉCS bejegyzés
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,"Kérjük, válassza ki a dokumentum típusát először"
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Törölje az anyag szemlét: {0}mielőtt törölné ezt a karbantartási látogatást
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Széria sz {0} nem tartozik ehhez a tételhez {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Kötelező Mennyiség
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Raktárak meglévő ügyletekkel nem konvertálható főkönyvi tétellé.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Raktárak meglévő ügyletekkel nem konvertálható főkönyvi tétellé.
DocType: Bank Reconciliation,Total Amount,Összesen
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Internetre kiadott
DocType: Production Planning Tool,Production Orders,Gyártási rendelések
@@ -958,25 +964,26 @@
DocType: Fee Structure,Components,Alkatrészek
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},"Kérjük, adja meg a Vagyontárgy Kategóriát ebben a tételben: {0}"
DocType: Quality Inspection Reading,Reading 6,Olvasás 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Nem lehet a {0} {1} {2} bármely negatív fennmaradó számla nélkül
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Nem lehet a {0} {1} {2} bármely negatív fennmaradó számla nélkül
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Beszállítói előleg számla
DocType: Hub Settings,Sync Now,Szinkronizálás most
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Row {0}: Credit bejegyzés nem kapcsolódik a {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Adjuk költségvetést a pénzügyi évhez.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Adjuk költségvetést a pénzügyi évhez.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"Alapértelmezett Bank / Készpénz fiók automatikusan frissítésra kerül a POS számlában, ha ezt a módot választotta."
DocType: Lead,LEAD-,ÉRD-
DocType: Employee,Permanent Address Is,Állandó lakhelye
DocType: Production Order Operation,Operation completed for how many finished goods?,"Művelet befejeződött, hány késztermékkel?"
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,A márka
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,A márka
DocType: Employee,Exit Interview Details,Interjú részleteiből kilépés
DocType: Item,Is Purchase Item,Ez beszerzendő tétel
DocType: Asset,Purchase Invoice,Beszállítói számla
DocType: Stock Ledger Entry,Voucher Detail No,Utalvány Részletei Sz.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Új értékesítési számla
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Új értékesítési számla
DocType: Stock Entry,Total Outgoing Value,Összes kimenő Érték
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Nyitás dátumának és zárás dátumának ugyanazon üzleti évben kell legyenek
DocType: Lead,Request for Information,Információkérés
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Offline számlák szinkronizálása
+,LeaderBoard,ranglistán
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Offline számlák szinkronizálása
DocType: Payment Request,Paid,Fizetett
DocType: Program Fee,Program Fee,Program díja
DocType: Salary Slip,Total in words,Összesen szavakkal
@@ -985,13 +992,13 @@
DocType: Cheque Print Template,Has Print Format,Rendelkezik nyomtatási formátummal
DocType: Employee Loan,Sanctioned,Szankcionált
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,kötelező. Talán nincs létrehozva Pénzváltó rekord ehhez
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Sor # {0}: Kérjük adjon meg Szériaszámot erre a Tételre: {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'Termék köteg' tételeknek, raktárnak, Széria számnak és Köteg számnak fogják tekinteni a 'Csomagolási lista' táblázatból. Ha a Raktár és a Köteg szám egyezik az összes 'Tétel csomag' tételre, ezek az értékek bekerülnek a fő tétel táblába, értékek átmásolásra kerülnek a 'Csomagolási lista' táblázatba."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Sor # {0}: Kérjük adjon meg Szériaszámot erre a Tételre: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'Termék köteg' tételeknek, raktárnak, Széria számnak és Köteg számnak fogják tekinteni a 'Csomagolási lista' táblázatból. Ha a Raktár és a Köteg szám egyezik az összes 'Tétel csomag' tételre, ezek az értékek bekerülnek a fő tétel táblába, értékek átmásolásra kerülnek a 'Csomagolási lista' táblázatba."
DocType: Job Opening,Publish on website,Közzéteszi honlapján
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Kiszállítás a vevő felé.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,"Beszállítói Számla dátuma nem lehet nagyobb, mint Beküldés dátuma"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,"Beszállítói Számla dátuma nem lehet nagyobb, mint Beküldés dátuma"
DocType: Purchase Invoice Item,Purchase Order Item,Beszerzési megrendelés tétel
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Közvetett jövedelem
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Közvetett jövedelem
DocType: Student Attendance Tool,Student Attendance Tool,Tanuló nyilvántartó eszköz
DocType: Cheque Print Template,Date Settings,Dátum beállítások
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Variancia
@@ -1009,20 +1016,20 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Vegyi
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,"Alapértelmezett Bank / készpénz fiók automatikusan frissül a fizetés naplóbejegyzésben, ha ez a mód a kiválasztott."
DocType: BOM,Raw Material Cost(Company Currency),Nyersanyagköltség (Vállakozás pénzneme)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,"Összes tétel már átadott, erre a gyártási rendelésre."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,"Összes tétel már átadott, erre a gyártási rendelésre."
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Sor # {0}: Érték nem lehet nagyobb, mint az érték amit ebben használt {1} {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,Méter
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,Méter
DocType: Workstation,Electricity Cost,Villamosenergia-költség
DocType: HR Settings,Don't send Employee Birthday Reminders,Ne küldjön alkalmazotti születésnap emlékeztetőt
DocType: Item,Inspection Criteria,Vizsgálati szempontok
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Átvitt
DocType: BOM Website Item,BOM Website Item,Anyagjegyzék honlap tétel
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Kérjük töltse fel levele fejlécét és logo-ját. (Ezeket később szerkesztheti).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Kérjük töltse fel levele fejlécét és logo-ját. (Ezeket később szerkesztheti).
DocType: Timesheet Detail,Bill,Számla
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Következő értékcsökkenés dátumaként múltbeli dátumot tüntettek fel
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Fehér
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Fehér
DocType: SMS Center,All Lead (Open),Összes Érdeklődés (Nyitott)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Sor {0}: Mennyiség nem áll rendelkezésre {4} raktárban {1} a kiküldetés idején a bejegyzést ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Sor {0}: Mennyiség nem áll rendelkezésre {4} raktárban {1} a kiküldetés idején a bejegyzést ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Kifizetett előlegek átmásolása
DocType: Item,Automatically Create New Batch,Automatikus Új köteg létrehozás
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,Tesz
@@ -1032,13 +1039,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Kosaram
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Megrendelni típusa ezek közül kell legyen: {0}
DocType: Lead,Next Contact Date,Következő megbeszélés dátuma
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Nyitó Mennyiség
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,"Kérjük, adja meg a Számlát a váltópénz mennyiséghez"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Nyitó Mennyiség
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,"Kérjük, adja meg a Számlát a váltópénz mennyiséghez"
DocType: Student Batch Name,Student Batch Name,Tanuló kötegnév
DocType: Holiday List,Holiday List Name,Szabadnapok listájának neve
DocType: Repayment Schedule,Balance Loan Amount,Hitel összeg mérlege
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Menetrend pálya
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Készlet lehetőségek
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Készlet lehetőségek
DocType: Journal Entry Account,Expense Claim,Költség igény
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Tényleg szeretné visszaállítani ezt a kiselejtezett eszközt?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Mennyiség ehhez: {0}
@@ -1050,12 +1057,12 @@
DocType: Company,Default Terms,Alapértelmezett feltételek
DocType: Packing Slip Item,Packing Slip Item,Csomagjegy tétel
DocType: Purchase Invoice,Cash/Bank Account,Készpénz / Bankszámla
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Kérjük adjon meg egy {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Kérjük adjon meg egy {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Az eltávolított elemek változása nélkül mennyiséget vagy értéket.
DocType: Delivery Note,Delivery To,Szállítás címzett
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Jellemzők tábla kötelező
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Jellemzők tábla kötelező
DocType: Production Planning Tool,Get Sales Orders,Vevő rendelések lekérése
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} nem lehet negatív
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} nem lehet negatív
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Kedvezmény
DocType: Asset,Total Number of Depreciations,Összes amortizációk száma
DocType: Sales Invoice Item,Rate With Margin,Érték árkülöbözettel
@@ -1075,7 +1082,6 @@
DocType: Serial No,Creation Document No,Létrehozott Dokumentum sz.
DocType: Issue,Issue,Probléma
DocType: Asset,Scrapped,Selejtezve
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Számla nem egyezik a Vállalattal
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Tétel változatok Jellemzői. pl méret, szín stb"
DocType: Purchase Invoice,Returns,Visszatér
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP Raktár
@@ -1087,12 +1093,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,Tételt kell hozzá adni a 'Tételek beszerzése a Beszerzési bevételezések' gomb használatával
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Tartalmazza a nem-készletezett tételeket
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Értékesítési költségek
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Értékesítési költségek
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Alapértelmezett beszerzési
DocType: GL Entry,Against,Ellen
DocType: Item,Default Selling Cost Center,Alapértelmezett Értékesítési költséghely
DocType: Sales Partner,Implementation Partner,Kivitelező partner
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Irányítószám
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Irányítószám
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Vevői rendelés {0} az ez {1}
DocType: Opportunity,Contact Info,Kapcsolattartó infó
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Készlet bejegyzés létrehozás
@@ -1105,31 +1111,31 @@
DocType: Holiday List,Get Weekly Off Dates,Heti távollétek lekérdezése
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,"A befejezés dátuma nem lehet kevesebb, mint az elkezdés dátuma"
DocType: Sales Person,Select company name first.,Válassza ki a vállakozás nevét először.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Dr
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Beszállítóktól kapott árajánlatok.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Címzett {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Átlagéletkor
DocType: School Settings,Attendance Freeze Date,Jelenlét zárolás dátuma
DocType: Opportunity,Your sales person who will contact the customer in future,"Az értékesítési személy, aki felveszi a kapcsolatot a jövőben a vevővel"
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Felsorolok néhány beszállítót. Ők lehetnek szervezetek vagy magánszemélyek.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Felsorolok néhány beszállítót. Ők lehetnek szervezetek vagy magánszemélyek.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Az összes termék megtekintése
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimális érdeklődés Életkora (napok)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,minden anyagjegyzéket
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,minden anyagjegyzéket
DocType: Company,Default Currency,Alapértelmezett pénznem
DocType: Expense Claim,From Employee,Alkalmazottól
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Figyelmeztetés: A rendszer nem ellenőrzi a túlszámlázást, hiszen a {0} tételre itt {1} az összeg nulla"
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Figyelmeztetés: A rendszer nem ellenőrzi a túlszámlázást, hiszen a {0} tételre itt {1} az összeg nulla"
DocType: Journal Entry,Make Difference Entry,Különbözeti bejegyzés generálása
DocType: Upload Attendance,Attendance From Date,Részvétel kezdő dátum
DocType: Appraisal Template Goal,Key Performance Area,Teljesítménymutató terület
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Szállítás
+DocType: Program Enrollment,Transportation,Szállítás
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Érvénytelen Jellemző
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} be kell nyújtani
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} be kell nyújtani
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Mennyiségnek kisebb vagy egyenlő legyen mint {0}
DocType: SMS Center,Total Characters,Összes karakterek
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},"Kérjük, válasszon ANYGJZ az ANYGJZ mezőben erre a tételre {0}"
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},"Kérjük, válasszon ANYGJZ az ANYGJZ mezőben erre a tételre {0}"
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Számla részlete
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Fizetés főkönyvi egyeztető Számla
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Hozzájárulás%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Mivel a per a vásárlás beállítások ha Megrendelés szükséges == „IGEN”, akkor létrehozására vásárlást igazoló számlát, a felhasználó létre kell hoznia Megrendelés először elem {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,A Válallkozás regisztrációs számai. Pl.: adószám; stb.
DocType: Sales Partner,Distributor,Forgalmazó
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Bevásárló kosár Szállítási szabály
@@ -1138,23 +1144,25 @@
,Ordered Items To Be Billed,Számlázandó Rendelt mennyiség
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Tartományból távolságnak kisebbnek kell lennie mint a Tartományba
DocType: Global Defaults,Global Defaults,Általános beállítások
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Project téma Együttműködés Meghívó
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Project téma Együttműködés Meghívó
DocType: Salary Slip,Deductions,Levonások
DocType: Leave Allocation,LAL/,TAVKIOSZT/
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Kezdő év
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},Először 2 számjegye GSTIN meg kell egyeznie az állami száma: {0}
DocType: Purchase Invoice,Start date of current invoice's period,Kezdési időpont az aktuális számla időszakra
DocType: Salary Slip,Leave Without Pay,Fizetés nélküli távollét
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Kapacitás tervezés hiba
,Trial Balance for Party,Ügyfél Főkönyvi kivonat egyenleg
DocType: Lead,Consultant,Szaktanácsadó
DocType: Salary Slip,Earnings,Jövedelmek
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Elkészült tétel: {0} be kell írni a gyártási típus bejegyzéshez
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Elkészült tétel: {0} be kell írni a gyártási típus bejegyzéshez
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Nyitó Könyvelési egyenleg
+,GST Sales Register,GST Sales Regisztráció
DocType: Sales Invoice Advance,Sales Invoice Advance,Kimenő értékesítési számla előleg
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Nincs mit igényelni
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},"Egy másik költségvetési rekord ""{0}"" már létezik az {1} '{2}' ellen, ebben a pénzügyi évben {3}"
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',"'Tényleges kezdési dátum' nem lehet nagyobb, mint a 'Tényleges záró dátum'"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Vezetés
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Vezetés
DocType: Cheque Print Template,Payer Settings,Fizetői beállítások
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Ez lesz hozzáfűzve a termék egy varióciájához. Például, ha a rövidítés ""SM"", és a tételkód ""T-shirt"", a tétel kód variánsa ez lesz ""SM feliratú póló"""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Nettó fizetés (szavakkal) lesz látható, ha mentette a Bérpapírt."
@@ -1171,8 +1179,8 @@
DocType: Employee Loan,Partially Disbursed,Részben folyosított
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Beszállítói adatbázis.
DocType: Account,Balance Sheet,Mérleg
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Költséghely tételhez ezzel a tétel kóddal '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Fizetési mód nincs beállítva. Kérjük, ellenőrizze, hogy a fiók be lett állítva a fizetési módon, vagy POS profilon."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Költséghely tételhez ezzel a tétel kóddal '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Fizetési mód nincs beállítva. Kérjük, ellenőrizze, hogy a fiók be lett állítva a fizetési módon, vagy POS profilon."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,"Az értékesítési személy kap egy emlékeztetőt ezen a napon, az ügyféllel történő kapcsolatfelvételhez,"
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Ugyanazt a tételt nem lehet beírni többször.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","További számlákat a Csoportok alatt hozhat létre, de bejegyzéseket lehet tenni a csoporttal nem rendelkezőkre is"
@@ -1180,7 +1188,7 @@
DocType: Email Digest,Payables,Kötelezettségek
DocType: Course,Course Intro,Tanfolyam Intro
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Készlet bejegyzés: {0} létrehozva
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Sor # {0}: Elutasítva Menny nem lehet beírni Vásárlási Return
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Sor # {0}: Elutasítva Menny nem lehet beírni Vásárlási Return
,Purchase Order Items To Be Billed,Számlázandó Beszerzési rendelés tételei
DocType: Purchase Invoice Item,Net Rate,Nettó ár
DocType: Purchase Invoice Item,Purchase Invoice Item,Beszerzés számla tétel
@@ -1205,7 +1213,7 @@
DocType: Sales Order,SO-,VR-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,"Kérjük, válasszon prefix először"
DocType: Employee,O-,ALK-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Kutatás
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Kutatás
DocType: Maintenance Visit Purpose,Work Done,Kész a munka
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Kérjük adjon meg legalább egy Jellemzőt a Jellemzők táblázatban
DocType: Announcement,All Students,Összes diák
@@ -1213,17 +1221,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Főkönyvi kivonat megtekintése
DocType: Grading Scale,Intervals,Periódusai
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Legkorábbi
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Egy tétel csoport létezik azonos névvel, kérjük, változtassa meg az tétel nevét, vagy nevezze át a tétel-csoportot"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Tanuló Mobil sz.
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,A világ többi része
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Egy tétel csoport létezik azonos névvel, kérjük, változtassa meg az tétel nevét, vagy nevezze át a tétel-csoportot"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Tanuló Mobil sz.
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,A világ többi része
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,A tétel {0} nem lehet Köteg
,Budget Variance Report,Költségvetés variáció jelentés
DocType: Salary Slip,Gross Pay,Bruttó bér
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Sor {0}: tevékenység típusa kötelező.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Fizetett osztalék
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Fizetett osztalék
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Számviteli Főkönyvi kivonat
DocType: Stock Reconciliation,Difference Amount,Eltérés összege
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Eredménytartalék
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Eredménytartalék
DocType: Vehicle Log,Service Detail,Szolgáltatás részletei
DocType: BOM,Item Description,Az anyag leírása
DocType: Student Sibling,Student Sibling,Tanuló Testvér
@@ -1237,11 +1245,11 @@
DocType: Opportunity Item,Opportunity Item,Lehetőség tétel
,Student and Guardian Contact Details,Diák- és Helyettesítő Elérhetőségek
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Sor {0}: A beszállító {0} e-mail címe szükséges e-mail küldéshez
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Ideiglenes nyitó
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Ideiglenes nyitó
,Employee Leave Balance,Alkalmazott távollét egyenleg
-apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Mérlegek a {0} számlákhoz legyenek mindíg {1}
+apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Mérlegek a {0} számlákhoz legyenek mindig {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Készletérték ár szükséges a tételhez ebben a sorban: {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Példa: Számítógépes ismeretek törzsadat
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Példa: Számítógépes ismeretek törzsadat
DocType: Purchase Invoice,Rejected Warehouse,Elutasított raktár
DocType: GL Entry,Against Voucher,Ellen bizonylat
DocType: Item,Default Buying Cost Center,Alapértelmezett Vásárlási Költséghely
@@ -1254,31 +1262,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Fennálló negatív kintlévő számlák lekérdezése
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Vevői rendelés {0} nem érvényes
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Beszerzési megrendelések segítenek megtervezni és követni a beszerzéseket
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Sajnáljuk, a vállalkozásokat nem lehet összevonni,"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Sajnáljuk, a vállalkozásokat nem lehet összevonni,"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}","A teljes Probléma / Átvitt mennyiség {0} ebben az Anyaga igénylésben: {1} \ nem lehet nagyobb, mint az igényelt mennyiség: {2} erre a tételre: {3}"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Kis
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Kis
DocType: Employee,Employee Number,Alkalmazott száma
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Eset szám(ok) már használatban vannak. Próbálja ettől az esetszámtól: {0}
DocType: Project,% Completed,% kész
,Invoiced Amount (Exculsive Tax),Számlázott összeg (Adó nélkül)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,2. tétel
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Számla fejléc {0} létrehozva
DocType: Supplier,SUPP-,BESZ-
DocType: Training Event,Training Event,Képzési Esemény
DocType: Item,Auto re-order,Auto újra-rendelés
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Összes Elért
DocType: Employee,Place of Issue,Probléma helye
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Szerződés
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Szerződés
DocType: Email Digest,Add Quote,Idézet hozzáadása
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},ME átváltási tényező szükséges erre a mértékegységre: {0} ebben a tételben: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Közvetett költségek
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},ME átváltási tényező szükséges erre a mértékegységre: {0} ebben a tételben: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Közvetett költségek
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Sor {0}: Menny. kötelező
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Mezőgazdaság
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Törzsadatok szinkronizálása
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,A termékei vagy szolgáltatásai
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Törzsadatok szinkronizálása
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,A termékei vagy szolgáltatásai
DocType: Mode of Payment,Mode of Payment,Fizetési mód
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Weboldal kép legyen nyilvános fájl vagy weboldal URL
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Weboldal kép legyen nyilvános fájl vagy weboldal URL
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,ANYGJZ
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,"Ez egy gyökér tétel-csoport, és nem lehet szerkeszteni."
@@ -1287,17 +1294,17 @@
DocType: Warehouse,Warehouse Contact Info,Raktári kapcsolattartó
DocType: Payment Entry,Write Off Difference Amount,Leíró Eltérés összeg
DocType: Purchase Invoice,Recurring Type,Gyakoriság
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: Alkalmazott email nem található, ezért nem küldte email"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: Alkalmazott email nem található, ezért nem küldte email"
DocType: Item,Foreign Trade Details,Külkereskedelem Részletei
DocType: Email Digest,Annual Income,Éves jövedelem
DocType: Serial No,Serial No Details,Széria sz. adatai
DocType: Purchase Invoice Item,Item Tax Rate,A tétel adójának mértéke
DocType: Student Group Student,Group Roll Number,Csoport regisztrációs száma
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","{0} -hoz, csak jóváírási számlákat lehet kapcsolni a másik ellen terheléshez"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,"Összesen feladat súlyozása legyen 1. Kérjük, állítsa a súlyozást minden projekt feladataira ennek megfelelően"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,A {0} Szállítólevelet nem nyújtották be
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Tétel {0} kell egy Alvállalkozásban Elem
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Alap Felszereltség
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,"Összesen feladat súlyozása legyen 1. Kérjük, állítsa a súlyozást minden projekt feladataira ennek megfelelően"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,A {0} Szállítólevelet nem nyújtották be
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Tétel {0} kell egy Alvállalkozásban Elem
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Alap Felszereltség
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Árképzési szabályt először 'Alkalmazza ezen' mező alapján kiválasztott, ami lehet tétel, pont-csoport vagy a márka."
DocType: Hub Settings,Seller Website,Eladó Website
DocType: Item,ITEM-,TÉTEL-
@@ -1315,7 +1322,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Csak egy Szállítási szabály feltétel lehet 0 vagy üres értékkel az ""értékeléshez"""
DocType: Authorization Rule,Transaction,Tranzakció
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Megjegyzés: Ez a költséghely egy csoport. Nem tud könyvelési tételeket csoportokkal szemben létrehozni.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,Al raktár létezik ebben a raktárban. Nem lehet törölni a raktárban.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Al raktár létezik ebben a raktárban. Nem lehet törölni a raktárban.
DocType: Item,Website Item Groups,Weboldal tétel Csoportok
DocType: Purchase Invoice,Total (Company Currency),Összesen (a cég pénznemében)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Széria sz. {0} többször bevitt
@@ -1325,7 +1332,7 @@
DocType: Grading Scale Interval,Grade Code,Osztály kód
DocType: POS Item Group,POS Item Group,POS tétel csoport
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Összefoglaló email:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},ANYGJZ {0} nem tartozik ehhez az elemhez: {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},ANYGJZ {0} nem tartozik ehhez az elemhez: {1}
DocType: Sales Partner,Target Distribution,Cél felosztás
DocType: Salary Slip,Bank Account No.,Bankszámla szám
DocType: Naming Series,This is the number of the last created transaction with this prefix,"Ez az a szám, az ilyen előtaggal utoljára létrehozott tranzakciónak"
@@ -1335,12 +1342,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Könyv szerinti értékcsökkenés automatikus bejegyzés
DocType: BOM Operation,Workstation,Munkaállomás
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Beszállítói Árajánlatkérés
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Hardver
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Hardver
DocType: Sales Order,Recurring Upto,ismétlődő Upto
DocType: Attendance,HR Manager,HR menedzser
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,"Kérjük, válasszon egy vállalkozást"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Kiváltságos távollét
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,"Kérjük, válasszon egy vállalkozást"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Kiváltságos távollét
DocType: Purchase Invoice,Supplier Invoice Date,Beszállítói számla dátuma
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,per
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Engedélyeznie kell a bevásárló kosárat
DocType: Payment Entry,Writeoff,Írd le
DocType: Appraisal Template Goal,Appraisal Template Goal,Teljesítmény értékelő sablon célja
@@ -1351,10 +1359,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Átfedő feltételek találhatók ezek között:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Ellen Naplókönyvelés {0} már hozzáigazított egy pár bizonylat értékével
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Összes megrendelési értéke
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Élelmiszer
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Élelmiszer
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Öregedés tartomány 3
DocType: Maintenance Schedule Item,No of Visits,Látogatások száma
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Jelenlét jelölése
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Jelenlét jelölése
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Karbantartási ütemterv {0} létezik erre {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,Tanuló regisztráló
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},A záró számla Pénznemének ennek kell lennie: {0}
@@ -1368,6 +1376,7 @@
DocType: Rename Tool,Utilities,Segédletek
DocType: Purchase Invoice Item,Accounting,Könyvelés
DocType: Employee,EMP/,ALK /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,"Kérjük, válasszon tételekben kötegelt tétel"
DocType: Asset,Depreciation Schedules,Értékcsökkentési ütemezések
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Jelentkezési határidő nem eshet a távolléti időn kívülre
DocType: Activity Cost,Projects,Projekt témák
@@ -1381,6 +1390,7 @@
DocType: POS Profile,Campaign,Kampány
DocType: Supplier,Name and Type,Neve és típusa
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Elfogadás állapotának ""Jóváhagyott"" vagy ""Elutasított"" kell lennie"
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,bootstrap
DocType: Purchase Invoice,Contact Person,Kapcsolattartó személy
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"""Várható kezdés időpontja"" nem lehet nagyobb, mint a ""Várható befejezés időpontja"""
DocType: Course Scheduling Tool,Course End Date,Tanfolyam befejező dátum
@@ -1388,12 +1398,11 @@
DocType: Sales Order Item,Planned Quantity,Tervezett mennyiség
DocType: Purchase Invoice Item,Item Tax Amount,Tétel adójának értéke
DocType: Item,Maintain Stock,Készlet karbantartás
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Készlet bejegyzés már létrehozott a gyártási rendeléshez
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Készlet bejegyzés már létrehozott a gyártási rendeléshez
DocType: Employee,Prefered Email,Preferált e-mail
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Nettó állóeszköz változás
DocType: Leave Control Panel,Leave blank if considered for all designations,"Hagyja üresen, ha figyelembe veszi valamennyi titulushoz"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Raktár kötelező a készlet típusú nem csoportosított főkönyvi számlákra
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,{0} sorban az 'Aktuális' típusú terhelést nem lehet a Tétel árához hozzáadni
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,{0} sorban az 'Aktuális' típusú terhelést nem lehet a Tétel árához hozzáadni
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Dátumtól
DocType: Email Digest,For Company,A Vállakozásnak
@@ -1403,15 +1412,15 @@
DocType: Sales Invoice,Shipping Address Name,Szállítási cím neve
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Számlatükör
DocType: Material Request,Terms and Conditions Content,Általános szerződési feltételek tartalma
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,"nem lehet nagyobb, mint 100"
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Tétel: {0} - Nem készletezhető tétel
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,"nem lehet nagyobb, mint 100"
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Tétel: {0} - Nem készletezhető tétel
DocType: Maintenance Visit,Unscheduled,Nem tervezett
DocType: Employee,Owned,Tulajdon
DocType: Salary Detail,Depends on Leave Without Pay,Fizetés nélküli távolléttől függ
DocType: Pricing Rule,"Higher the number, higher the priority","Minél nagyobb a szám, annál nagyobb a prioritás"
,Purchase Invoice Trends,Beszerzési számlák alakulása
DocType: Employee,Better Prospects,Jobb kilátások
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Sor # {0}: A köteg: {1} csak {2} Menny. Kérjük, válasszon egy másik tétel köteget, amelyben {3} Mennyiség elérhető vagy válassza szée a sort több sorrá, szállít / ügy kötegekből"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Sor # {0}: A köteg: {1} csak {2} Menny. Kérjük, válasszon egy másik tétel köteget, amelyben {3} Mennyiség elérhető vagy válassza szée a sort több sorrá, szállít / ügy kötegekből"
DocType: Vehicle,License Plate,Rendszámtábla
DocType: Appraisal,Goals,Célok
DocType: Warranty Claim,Warranty / AMC Status,Garancia és éves karbantartási szerződés állapota
@@ -1422,19 +1431,20 @@
,Batch-Wise Balance History,Köteg-Szakaszos mérleg előzmények
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Nyomtatási beállítások frissítve a mindenkori nyomtatási formátumban
DocType: Package Code,Package Code,Csomag kód
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Gyakornok
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Gyakornok
+DocType: Purchase Invoice,Company GSTIN,Company GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Negatív mennyiség nem megengedett
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","Adó részletek táblázatot betölti a törzsadat tételtből szóláncként, és ebben a mezőben tárolja. Adókhoz és illetékekhez használja"
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Alkalmazott nem jelent magának.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ha a számla zárolásra került, a bejegyzések engedélyezettek korlátozott felhasználóknak."
DocType: Email Digest,Bank Balance,Bank mérleg
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},"Könyvelési tétel ehhez {0}: {1}, csak ebben a pénznem végezhető: {2}"
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},"Könyvelési tétel ehhez {0}: {1}, csak ebben a pénznem végezhető: {2}"
DocType: Job Opening,"Job profile, qualifications required etc.","Munkakör, szükséges képesítések stb"
DocType: Journal Entry Account,Account Balance,Számla egyenleg
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Adó szabály a tranzakciókra.
DocType: Rename Tool,Type of document to rename.,Dokumentum típusa átnevezéshez.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Megvásároljuk ezt a tételt
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Megvásároljuk ezt a tételt
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Az Ügyfél kötelező a Bevételi számlához {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Összesen adók és illetékek (Vállakozás pénznemében)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Mutassa a lezáratlan pénzügyi évben a P&L mérlegeket
@@ -1445,29 +1455,30 @@
DocType: Stock Entry,Total Additional Costs,Összes További költségek
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Hulladék anyagköltség (Vállaklozás pénzneme)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Részegységek
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Részegységek
DocType: Asset,Asset Name,Vagyonieszköz neve
DocType: Project,Task Weight,Feladat súlyozás
DocType: Shipping Rule Condition,To Value,Értékeléshez
DocType: Asset Movement,Stock Manager,Készlet menedzser
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Forrás raktára kötelező ebben a sorban {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Csomagjegy
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Iroda bérlés
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Forrás raktára kötelező ebben a sorban {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Csomagjegy
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Iroda bérlés
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,SMS átjáró telepítése
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Importálás nem sikerült!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Nem lett még cím hozzá adva.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Nem lett még cím hozzá adva.
DocType: Workstation Working Hour,Workstation Working Hour,Munkaállomás munkaideje
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Elemző
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Elemző
DocType: Item,Inventory,Leltár
DocType: Item,Sales Details,Értékesítés részletei
DocType: Quality Inspection,QI-,MINVIZS-
DocType: Opportunity,With Items,Tételekkel
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,A Mennyiségben
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,A Mennyiségben
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Érvényesítse letárolt pálya diákok számára Csoport
DocType: Notification Control,Expense Claim Rejected,Költség igény elutasítva
DocType: Item,Item Attribute,Tétel Jellemző
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Kormány
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Kormány
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Költség igény {0} már létezik a Gépjármű naplóra
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Intézet neve
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Intézet neve
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,"Kérjük, adja meg törlesztés összegét"
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Tétel változatok
DocType: Company,Services,Szervíz szolgáltatások
@@ -1477,18 +1488,18 @@
DocType: Sales Invoice,Source,Forrás
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Mutassa zárva
DocType: Leave Type,Is Leave Without Pay,Ez fizetés nélküli szabadság
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Vagyoneszköz Kategória kötelező befektetett eszközök tételeire
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Vagyoneszköz Kategória kötelező befektetett eszközök tételeire
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Nem talált bejegyzést a fizetési táblázatban
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Ez {0} ütközik ezzel {1} ehhez {2} {3}
DocType: Student Attendance Tool,Students HTML,Tanulók HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Pénzügyi év kezdő dátuma
DocType: POS Profile,Apply Discount,Kedvezmény alkalmazása
+DocType: Purchase Invoice Item,GST HSN Code,GST HSN Code
DocType: Employee External Work History,Total Experience,Összes Tapasztalat
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Nyílt projekt témák
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Csomagjegy(ek) törölve
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Pénzforgalom befektetésből
DocType: Program Course,Program Course,Program pálya
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Szállítás és Továbbítási díjak
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Szállítás és Továbbítási díjak
DocType: Homepage,Company Tagline for website homepage,Válallkozás jelmondata az internetes honlapon
DocType: Item Group,Item Group Name,Anyagcsoport neve
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Lefoglalva
@@ -1498,6 +1509,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Készítsen érdeklődéseket
DocType: Maintenance Schedule,Schedules,Ütemezések
DocType: Purchase Invoice Item,Net Amount,Nettó Összege
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nem nyújtották be, így a műveletet nem lehet kitölteni"
DocType: Purchase Order Item Supplied,BOM Detail No,Anyagjegyzék részlet száma
DocType: Landed Cost Voucher,Additional Charges,további díjak
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),További kedvezmény összege (Vállalat pénznemében)
@@ -1513,6 +1525,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Havi törlesztés összege
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,"Kérjük, állítsa be a Felhasználói azonosító ID mezőt az alkalmazotti bejegyzésen az Alkalmazott beosztásának beállításához"
DocType: UOM,UOM Name,Mértékegység neve
+DocType: GST HSN Code,HSN Code,HSN Code
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Támogatás mértéke
DocType: Purchase Invoice,Shipping Address,Szállítási cím
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Ez az eszköz segít frissíteni vagy kijavítani a mennyiséget és a raktári tétel értékelést a rendszerben. Ez tipikusan a rendszer szinkronizációjához használja és mi létezik valóban a raktárakban.
@@ -1523,17 +1536,16 @@
DocType: Program Enrollment Tool,Program Enrollments,Program beiratkozások
DocType: Sales Invoice Item,Brand Name,Márkanév
DocType: Purchase Receipt,Transporter Details,Fuvarozó Részletek
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Alapértelmezett raktár szükséges a kiválasztott elemhez
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Doboz
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Alapértelmezett raktár szükséges a kiválasztott elemhez
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Doboz
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,Lehetséges Beszállító
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,A Szervezet
DocType: Budget,Monthly Distribution,Havi Felbontás
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"Vevő lista üres. Kérjük, hozzon létre Receiver listája"
DocType: Production Plan Sales Order,Production Plan Sales Order,Vevői rendelés Legyártási terve
DocType: Sales Partner,Sales Partner Target,Értékesítő partner célja
DocType: Loan Type,Maximum Loan Amount,Maximális hitel összeg
DocType: Pricing Rule,Pricing Rule,Árképzési szabály
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Ismétlődő lajstromszám ehhez a hallgatóhoz: {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Ismétlődő lajstromszám ehhez a hallgatóhoz: {0}
DocType: Budget,Action if Annual Budget Exceeded,"Művelet, ha az éves költségvetési keret túllépett"
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Anyagigénylés -> Megrendelésre
DocType: Shopping Cart Settings,Payment Success URL,Fizetési sikeres URL
@@ -1546,11 +1558,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Nyitó készlet egyenleg
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} csak egyszer kell megjelennie
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},"Nem szabad átvinni többet {0}, mint {1} a Vevői megrendelésen {2}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},"Nem szabad átvinni többet {0}, mint {1} a Vevői megrendelésen {2}"
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Távollét foglalása sikeres erre {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Nincsenek tételek csomagoláshoz
DocType: Shipping Rule Condition,From Value,Értéktől
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Gyártási mennyiség kötelező
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Gyártási mennyiség kötelező
DocType: Employee Loan,Repayment Method,Törlesztési mód
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ha be van jelölve, a Kezdőlap lesz az alapértelmezett tétel csoport a honlapján"
DocType: Quality Inspection Reading,Reading 4,Olvasás 4
@@ -1560,7 +1572,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},"Sor # {0}: Végső dátuma: {1} nem lehet, a csekk dátuma: {2} előtti"
DocType: Company,Default Holiday List,Alapértelmezett távolléti lista
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Sor {0}: Időtől és időre {1} átfedésben van {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Készlet Források
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Készlet Források
DocType: Purchase Invoice,Supplier Warehouse,Beszállító raktára
DocType: Opportunity,Contact Mobile No,Kapcsolattartó mobilszáma
,Material Requests for which Supplier Quotations are not created,"Anyag igénylések, amelyekre Beszállítói árajánlatokat nem hoztak létre"
@@ -1571,35 +1583,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Árajánlat létrehozás
apps/erpnext/erpnext/config/selling.py +216,Other Reports,Más jelentések
DocType: Dependent Task,Dependent Task,Függő feladat
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Konverziós tényező alapértelmezett mértékegység legyen 1 ebben a sorban: {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Konverziós tényező alapértelmezett mértékegység legyen 1 ebben a sorban: {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},"Távollét típusa {0}, nem lehet hosszabb, mint {1}"
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Próbáljon tervezni tevékenységet X nappal előre.
DocType: HR Settings,Stop Birthday Reminders,Születésnapi emlékeztetők kikapcsolása
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},"Kérjük, állítsa be alapértelmezett Bérszámfejtés fizetendő számlát a cégben: {0}"
DocType: SMS Center,Receiver List,Vevő lista
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Tétel keresése
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Tétel keresése
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Elfogyasztott mennyiség
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Nettó készpénz változás
DocType: Assessment Plan,Grading Scale,Osztályozás időszak
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mértékegység {0} amit egynél többször adott meg a konverziós tényező táblázatban
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mértékegység {0} amit egynél többször adott meg a konverziós tényező táblázatban
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,Már elkészült
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Raktárról
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Kifizetési kérelem már létezik: {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Problémás tételek költsége
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},"Mennyiség nem lehet több, mint {0}"
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Előző pénzügyi év nem zárt
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Életkor (napok)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Életkor (napok)
DocType: Quotation Item,Quotation Item,Árajánlat tétele
+DocType: Customer,Customer POS Id,Ügyfél POS Id
DocType: Account,Account Name,Számla név
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,"Dátumtól nem lehet nagyobb, mint dátumig"
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Szériaszám: {0} és mennyiség: {1} nem lehet törtrész
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Beszállító típus törzsadat.
DocType: Purchase Order Item,Supplier Part Number,Beszállítói alkatrész szám
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Váltási arány nem lehet 0 vagy 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Váltási arány nem lehet 0 vagy 1
DocType: Sales Invoice,Reference Document,referenciadokumentum
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} törlik vagy megállt
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} törlik vagy megállt
DocType: Accounts Settings,Credit Controller,Követelés felügyelője
DocType: Delivery Note,Vehicle Dispatch Date,A jármű útnak indításának ideje
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Beszerzési megrendelés nyugta {0} nem nyújtják be
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Beszerzési megrendelés nyugta {0} nem nyújtják be
DocType: Company,Default Payable Account,Alapértelmezett kifizetendő számla
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Beállítások az Online bevásárlókosárhoz, mint a szállítás szabályai, árlisták stb"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% számlázott
@@ -1618,11 +1632,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Visszatérített teljes összeg
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Ennek alapja a naplók ehhez a járműhöz. Lásd az alábbi idővonalat a részletehez
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,Gyűjt
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Beszállító Ellenszámla {0} dátuma {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Beszállító Ellenszámla {0} dátuma {1}
DocType: Customer,Default Price List,Alapértelmezett árlista
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Vagyoneszköz mozgás bejegyzés {0} létrehozva
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,"Nem törölheti ezt a Pénzügyi évet: {0}. Pénzügyi év: {0} az alapértelmezett beállítás, a Globális beállításokban"
DocType: Journal Entry,Entry Type,Bejegyzés típusa
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Nem értékelési terv kapcsolódik ez értékelő csoport
,Customer Credit Balance,Vevőkövetelés egyenleg
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Nettó Beszállítói követelések változása
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Vevő szükséges ehhez: 'Vevőszerinti kedvezmény'
@@ -1630,7 +1645,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Árazás
DocType: Quotation,Term Details,ÁSZF részletek
DocType: Project,Total Sales Cost (via Sales Order),Értékesítési költség összesítés (via Vevői rendelés)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,"Nem lehet regisztrálni, több mint {0} diákot erre a diákcsoportra."
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,"Nem lehet regisztrálni, több mint {0} diákot erre a diákcsoportra."
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Érdeklődés számláló
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,"{0} nagyobbnak kell lennie, mint 0"
DocType: Manufacturing Settings,Capacity Planning For (Days),Kapacitás tervezés enyi időre (napok)
@@ -1651,7 +1666,7 @@
DocType: Sales Invoice,Packed Items,Csomag tételei
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garancia igény ehhez a Széria számhoz
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Cserélje egy adott darabjegyzékre minden más Darabjegyzékeket, ahol alkalmazzák. Ez váltja fel a régi Anyagjegyzék linket, frissíti a költséget és regenerálja ""Anyagjegyzék robbantott tételek"" tábláját, egy új Anyagjegyzékké"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Összesen'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Összesen'
DocType: Shopping Cart Settings,Enable Shopping Cart,Bevásárló kosár engedélyezése
DocType: Employee,Permanent Address,Állandó lakcím
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1667,9 +1682,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,"Kérjük, adja meg vagy a mennyiséget vagy Értékelési árat, vagy mindkettőt"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,Teljesítés
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Megtekintés a kosárban
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Marketing költségek
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Marketing költségek
,Item Shortage Report,Tétel Hiány jelentés
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Súlyt említik, \ nKérlek említsd meg a ""Súly mértékegység"" is"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Súlyt említik, \ nKérlek említsd meg a ""Súly mértékegység"" is"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Anyag igénylést használják ennek a Készlet bejegyzésnek a létrehozásához
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Következő értékcsökkenés dátuma kötelező az új tárgyi eszközhöz
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Külön tanfolyam mindegyik köteg csoportja alapján
@@ -1678,18 +1693,19 @@
,Student Fee Collection,Tanuló díjbeszedés
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Hozzon létre számviteli könyvelést minden Készletmozgásra
DocType: Leave Allocation,Total Leaves Allocated,Összes lekötött távollétek
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Raktár szükséges a {0} sz. soron
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,"Kérjük, adjon meg egy érvényes költségvetési év kezdeti és befejezési időpontjait"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Raktár szükséges a {0} sz. soron
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,"Kérjük, adjon meg egy érvényes költségvetési év kezdeti és befejezési időpontjait"
DocType: Employee,Date Of Retirement,Nyugdíjazás dátuma
DocType: Upload Attendance,Get Template,Sablonok lekérdezése
+DocType: Material Request,Transferred,Át
DocType: Vehicle,Doors,Ajtók
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext telepítése befejeződött!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext telepítése befejeződött!
DocType: Course Assessment Criteria,Weightage,Súlyozás
DocType: Packing Slip,PS-,CSOMJ-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: Költséghely szükséges az 'Eredménykimutatás' számlához {2}. Kérjük, állítsa be az alapértelmezett Költséghelyet a Vállalkozáshoz."
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Egy vevő csoport létezik azonos névvel, kérjük változtassa meg a Vevő nevét vagy nevezze át a
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Egy vevő csoport létezik azonos névvel, kérjük változtassa meg a Vevő nevét vagy nevezze át a
Vevői csoportot"
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Új Kapcsolat
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Új Kapcsolat
DocType: Territory,Parent Territory,Szülő Terület
DocType: Quality Inspection Reading,Reading 2,Olvasás 2
DocType: Stock Entry,Material Receipt,Anyag bevételezése
@@ -1698,17 +1714,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ha ennek a tételnek vannak változatai, akkor nem lehet kiválasztani a vevői rendeléseken stb."
DocType: Lead,Next Contact By,Következő kapcsolat evvel
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},"Szükséges mennyiség ebből a tételből {0}, ebben a sorban {1}"
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},"{0} Raktárat nem lehet törölni, mint a {1} tételre létezik mennyiség"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},"Szükséges mennyiség ebből a tételből {0}, ebben a sorban {1}"
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"{0} Raktárat nem lehet törölni, mint a {1} tételre létezik mennyiség"
DocType: Quotation,Order Type,Rendelés típusa
DocType: Purchase Invoice,Notification Email Address,Értesítendő emailcímek
,Item-wise Sales Register,Tételenkénti Értékesítés Regisztráció
DocType: Asset,Gross Purchase Amount,Bruttó Vásárlás összege
DocType: Asset,Depreciation Method,Értékcsökkentési módszer
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Offline
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,Offline
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Ez az adó az Alap árban benne van?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Összes célpont
-DocType: Program Course,Required,Kívánt
DocType: Job Applicant,Applicant for a Job,Kérelmező erre a munkahelyre
DocType: Production Plan Material Request,Production Plan Material Request,Termelési terv Anyag igénylés
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Nem hozott létre gyártási megrendelést
@@ -1717,17 +1732,17 @@
DocType: Purchase Invoice Item,Batch No,Kötegszám
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Többszöri Vevő rendelések engedélyezése egy Beszerzési megrendelés ellen
DocType: Student Group Instructor,Student Group Instructor,Diák csoport oktató
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Helyettesítő2 Mobil szám
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Legfontosabb
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Helyettesítő2 Mobil szám
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Legfontosabb
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Változat
DocType: Naming Series,Set prefix for numbering series on your transactions,Sorozat számozás előtag beállítása a tranzakciókhoz
DocType: Employee Attendance Tool,Employees HTML,Alkalmazottak HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,"Alapértelmezett anyagjegyzék BOM ({0}) aktívnak kell lennie ehhez a termékhez, vagy a sablonjához"
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,"Alapértelmezett anyagjegyzék BOM ({0}) aktívnak kell lennie ehhez a termékhez, vagy a sablonjához"
DocType: Employee,Leave Encashed?,Távollét beváltása?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Lehetőség tőle mező kitöltése kötelező
DocType: Email Digest,Annual Expenses,Éves költségek
DocType: Item,Variants,Változatok
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Beszerzési rendelés létrehozás
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Beszerzési rendelés létrehozás
DocType: SMS Center,Send To,Küldés Címzettnek
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Nincs elég távollét egyenlege ehhez a távollét típushoz {0}
DocType: Payment Reconciliation Payment,Allocated amount,Lekötött összeg
@@ -1741,26 +1756,25 @@
DocType: Supplier,Statutory info and other general information about your Supplier,Törvényes info és más általános információk a Beszállítóról
DocType: Item,Serial Nos and Batches,Sorszámok és kötegek
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Diák csoport erősség
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Ellen Naplókönyvelés {0} nem rendelkezik egyeztetett {1} bejegyzéssel
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Ellen Naplókönyvelés {0} nem rendelkezik egyeztetett {1} bejegyzéssel
apps/erpnext/erpnext/config/hr.py +137,Appraisals,Értékeléséből
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Ismétlődő sorozatszám lett beírva ehhez a tételhez: {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Egy Szállítási szabály feltételei
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Kérlek lépj be
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Nem lehet túlszámlázni a tételt: {0} ebben a sorban: {1} több mint {2}. Ahhoz, hogy a túlszámlázhassa, állítsa be a vásárlás beállításoknál"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,"Kérjük, adja meg a szűrési feltételt a tétel vagy Raktár alapján"
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Nem lehet túlszámlázni a tételt: {0} ebben a sorban: {1} több mint {2}. Ahhoz, hogy a túlszámlázhassa, állítsa be a vásárlás beállításoknál"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,"Kérjük, adja meg a szűrési feltételt a tétel vagy Raktár alapján"
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),A nettó súlya ennek a csomagnak. (Automatikusan kiszámítja a tételek nettó súlyainak összegéből)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,"Kérjük, hozzon létre egy fiókot ehhez Raktárhoz és csatlakoztassa azt. Ez nem történhet automatikusan, mivel egy fiók ezzel a névvel {0} már létezik"
DocType: Sales Order,To Deliver and Bill,Szállítani és számlázni
DocType: Student Group,Instructors,Oktatók
DocType: GL Entry,Credit Amount in Account Currency,Követelés összege a számla pénznemében
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,ANYGJZ {0} be kell nyújtani
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,ANYGJZ {0} be kell nyújtani
DocType: Authorization Control,Authorization Control,Jóváhagyás vezérlés
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Sor # {0}: Elutasított Raktár kötelező az elutasított elemhez: {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Sor # {0}: Elutasított Raktár kötelező az elutasított elemhez: {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Fizetés
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Warehouse {0} nem kapcsolódik semmilyen számla, adja meg a számla a raktárban rekord vagy alapértelmezett leltár figyelembe cég {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Megrendelései kezelése
DocType: Production Order Operation,Actual Time and Cost,Tényleges idő és költség
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Anyag kérésére legfeljebb {0} tehető erre a tételre {1} erre a Vevői rendelésre {2}
-DocType: Employee,Salutation,Megszólítás
DocType: Course,Course Abbreviation,Tanfolyam rövidítés
DocType: Student Leave Application,Student Leave Application,Diák távollét alkalmazás
DocType: Item,Will also apply for variants,Változatokra is alkalmazni fogja
@@ -1772,12 +1786,12 @@
DocType: Quotation Item,Actual Qty,Aktuális menny.
DocType: Sales Invoice Item,References,Referenciák
DocType: Quality Inspection Reading,Reading 10,Olvasás 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Sorolja fel a termékeket vagy szolgáltatásokat melyeket vásárol vagy elad. Ügyeljen arra, hogy ellenőrizze le a tétel csoportot, mértékegységet és egyéb tulajdonságokat, amikor elkezdi."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Sorolja fel a termékeket vagy szolgáltatásokat melyeket vásárol vagy elad. Ügyeljen arra, hogy ellenőrizze le a tétel csoportot, mértékegységet és egyéb tulajdonságokat, amikor elkezdi."
DocType: Hub Settings,Hub Node,Hub csomópont
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Ismétlődő tételeket adott meg. Kérjük orvosolja, és próbálja újra."
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Társult
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Társult
DocType: Asset Movement,Asset Movement,Vagyoneszköz mozgás
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,új Kosár
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,új Kosár
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Tétel: {0} nem sorbarendezett tétel
DocType: SMS Center,Create Receiver List,Címzettlista létrehozása
DocType: Vehicle,Wheels,Kerekek
@@ -1797,19 +1811,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Csak akkor hivatkozhat sorra, ha a terhelés típus ""Előző sor összege"" vagy ""Előző sor Összesen"""
DocType: Sales Order Item,Delivery Warehouse,Szállítási raktár
DocType: SMS Settings,Message Parameter,Üzenet paraméter
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Pénzügyi költséghely fája.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Pénzügyi költséghely fája.
DocType: Serial No,Delivery Document No,Szállítási Dokumentum Sz.
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Kérjük, állítsa be a 'Nyereség / veszteség számla az Eszköz eltávolításához', ehhez a Vállalathoz: {0}"
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Tételek beszerzése a Beszerzési bevételezésekkel
DocType: Serial No,Creation Date,Létrehozás dátuma
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Tétel {0} többször is előfordul ebben az árjegyzékben {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Értékesítőt ellenőrizni kell, amennyiben az alkalmazható, úgy van kiválaszta mint {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Értékesítőt ellenőrizni kell, amennyiben az alkalmazható, úgy van kiválaszta mint {0}"
DocType: Production Plan Material Request,Material Request Date,Anyaga igénylés dátuma
DocType: Purchase Order Item,Supplier Quotation Item,Beszállítói ajánlat tételre
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Kikapcsolja az idő napló létrehozását a gyártási utasításokon. Műveleteket nem lehet nyomon követni a Gyártási rendeléseken
DocType: Student,Student Mobile Number,Tanuló mobil szám
DocType: Item,Has Variants,Vannak változatai
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Már választott ki elemeket innen {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Már választott ki elemeket innen {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Havi Felbontás neve
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Kötegazonosító kötelező
DocType: Sales Person,Parent Sales Person,Szülő Értékesítő
@@ -1819,12 +1833,12 @@
DocType: Budget,Fiscal Year,Pénzügyi év
DocType: Vehicle Log,Fuel Price,Üzemanyag ár
DocType: Budget,Budget,Költségkeret
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,"Befektetett fix eszközöknek, nem készletezhető elemeknek kell lennie."
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,"Befektetett fix eszközöknek, nem készletezhető elemeknek kell lennie."
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Költségvetést nem lehet ehhez rendelni: {0}, mivel ez nem egy bevétel vagy kiadás főkönyvi számla"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Elért
DocType: Student Admission,Application Form Route,Jelentkezési mód
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Terület / Vevő
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,pl. 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,pl. 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Távollét típus {0} nem lehet kiosztani, mivel az egy fizetés nélküli távollét"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Sor {0}: Elkülönített összeg: {1} kisebbnek vagy egyenlőnek kell lennie a számlázandó kintlévő negatív összegnél: {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"A szavakkal mező lesz látható, miután mentette az Értékesítési számlát."
@@ -1833,7 +1847,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,"Tétel: {0}, nincs telepítve Széria sz.. Ellenőrizze a tétel törzsadatot"
DocType: Maintenance Visit,Maintenance Time,Karbantartási idő
,Amount to Deliver,Szállítandó összeg
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Egy termék vagy szolgáltatás
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Egy termék vagy szolgáltatás
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"A kifejezés kezdő dátuma nem lehet korábbi, mint az előző évben kezdő tanév dátuma, amelyhez a kifejezés kapcsolódik (Tanév {}). Kérjük javítsa ki a dátumot, és próbálja újra."
DocType: Guardian,Guardian Interests,Helyettesítő kamat
DocType: Naming Series,Current Value,Jelenlegi érték
@@ -1847,12 +1861,12 @@
must be greater than or equal to {2}","Row {0}: beállítása {1} periodicitás, különbség a, és a mai napig \ nagyobbnak kell lennie, vagy egyenlő, mint {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Ennek alapja az állomány mozgása. Lásd {0} részletekért
DocType: Pricing Rule,Selling,Értékesítés
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Összeg: {0} {1} levonásra ellenéből {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Összeg: {0} {1} levonásra ellenéből {2}
DocType: Employee,Salary Information,Bérinformáció
DocType: Sales Person,Name and Employee ID,Név és Alkalmazotti azonosító ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,A határidő nem lehet a rögzítés dátuma előtti
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,A határidő nem lehet a rögzítés dátuma előtti
DocType: Website Item Group,Website Item Group,Weboldal tétel Csoport
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Vámok és adók
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Vámok és adók
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,"Kérjük, adjon meg Hivatkozási dátumot"
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} fizetési bejegyzéseket nem lehet szűrni ezzel: {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Táblázat tétel, amely megjelenik a Weboldalon"
@@ -1869,9 +1883,9 @@
DocType: Payment Reconciliation Payment,Reference Row,Referencia sor
DocType: Installation Note,Installation Time,Telepítési idő
DocType: Sales Invoice,Accounting Details,Számviteli Részletek
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Törölje az ehhez a vállalathoz tartozó összes tranzakciót
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"Sor # {0}: Művelet: {1} nem fejeződik be ennyi: {2} Mennyiség késztermékhez ebben a gyártási rendelésben # {3}. Kérjük, frissítse a művelet állapotot az Idő Naplókon keresztül"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Befektetések
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Törölje az ehhez a vállalathoz tartozó összes tranzakciót
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"Sor # {0}: Művelet: {1} nem fejeződik be ennyi: {2} Mennyiség késztermékhez ebben a gyártási rendelésben # {3}. Kérjük, frissítse a művelet állapotot az Idő Naplókon keresztül"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Befektetések
DocType: Issue,Resolution Details,Megoldás részletei
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,A kiosztandó
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Elfogadási kritérium
@@ -1896,7 +1910,7 @@
DocType: Room,Room Name,szoba neve
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Távollét nem alkalmazható / törölhető előbb mint: {0}, mivel a távollét egyenleg már továbbított ehhez a jövőbeni távollét kioszts rekordhoz {1}"
DocType: Activity Cost,Costing Rate,Költségszámítás érték
-,Customer Addresses And Contacts,Vevő címek és kapcsolatok
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Vevő címek és kapcsolatok
,Campaign Efficiency,Kampány hatékonyság
DocType: Discussion,Discussion,Megbeszélés
DocType: Payment Entry,Transaction ID,Tranzakció azonosítója
@@ -1906,14 +1920,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Összesen számlázási összeg ((Idő nyilvántartó szerint)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Törzsvásárlói árbevétele
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) 'Kiadás jóváhagyó' beosztással kell rendelkeznie
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Pár
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Válasszon Anyagj és Mennyiséget a Termeléshez
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Pár
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Válasszon Anyagj és Mennyiséget a Termeléshez
DocType: Asset,Depreciation Schedule,Értékcsökkentési leírás ütemezése
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Értékesítési Partner címek és Kapcsolatok
DocType: Bank Reconciliation Detail,Against Account,Ellen számla
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Félnapos időpontja között kell lennie Dátum és a mai napig
DocType: Maintenance Schedule Detail,Actual Date,Jelenlegi dátum
DocType: Item,Has Batch No,Van kötegszáma
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Éves számlázás: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Éves számlázás: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Áruk és szolgáltatások adó (GST India)
DocType: Delivery Note,Excise Page Number,Jövedéki Oldal száma
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Vállalkozás, kezdő dátum és a végső dátum kötelező"
DocType: Asset,Purchase Date,Beszerzés dátuma
@@ -1921,11 +1937,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},"Kérjük, állítsa be a 'Eszköz értékcsökkenés Költséghely' ehhez a Vállalkozáshoz: {0}"
,Maintenance Schedules,Karbantartási ütemezések
DocType: Task,Actual End Date (via Time Sheet),Tényleges befejezés dátuma (Idő nyilvántartó szerint)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Összeg: {0} {1} ellenéből {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Összeg: {0} {1} ellenéből {2} {3}
,Quotation Trends,Árajánlatok alakulása
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Tétel Csoport nem említett a tétel törzsadatban erre a tételre: {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Tartozás megterhelés számlának bevételi számlának kell lennie
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Tétel Csoport nem említett a tétel törzsadatban erre a tételre: {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Tartozás megterhelés számlának bevételi számlának kell lennie
DocType: Shipping Rule Condition,Shipping Amount,Szállítandó mennyiség
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Add vásárlóknak
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Függőben lévő összeg
DocType: Purchase Invoice Item,Conversion Factor,Konverziós tényező
DocType: Purchase Order,Delivered,Kiszállítva
@@ -1935,7 +1952,8 @@
DocType: Purchase Receipt,Vehicle Number,Jármű száma
DocType: Purchase Invoice,The date on which recurring invoice will be stop,"Az időpont, amikor az ismétlődő számlát meg fogják állítani"
DocType: Employee Loan,Loan Amount,Hitelösszeg
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Sor {0}: Anyagjegyzéket nem találtunk a Tételre {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Önvezető Jármű
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Sor {0}: Anyagjegyzéket nem találtunk a Tételre {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,"Összes lefoglalt távolét {0} nem lehet kevesebb, mint a már jóváhagyott távollétek {1} az időszakra"
DocType: Journal Entry,Accounts Receivable,Bevételi számlák
,Supplier-Wise Sales Analytics,Beszállító szerinti értékesítési kimutatás
@@ -1952,21 +1970,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Költségén Követelés jóváhagyására vár. Csak a költség Jóváhagyó frissítheti állapotát.
DocType: Email Digest,New Expenses,Új költségek
DocType: Purchase Invoice,Additional Discount Amount,További kedvezmény összege
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Sor # {0}: Mennyiség legyen 1, a tétel egy tárgyi eszköz. Használjon külön sort több menny."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Sor # {0}: Mennyiség legyen 1, a tétel egy tárgyi eszköz. Használjon külön sort több menny."
DocType: Leave Block List Allow,Leave Block List Allow,Távollét blokk lista engedélyezése
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Rövidített nem lehet üres vagy szóköz
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Rövidített nem lehet üres vagy szóköz
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Csoport Csoporton kívülire
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sportok
DocType: Loan Type,Loan Name,Hitel neve
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Összes Aktuális
DocType: Student Siblings,Student Siblings,Tanuló Testvérek
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Egység
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,Kérjük adja meg a vállalkozás nevét
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Egység
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Kérjük adja meg a vállalkozás nevét
,Customer Acquisition and Loyalty,Vevőszerzés és hűség
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Raktár, ahol a visszautasított tételek készletezését kezeli"
DocType: Production Order,Skip Material Transfer,Anyagátadás átugrása
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,"Nem található árfolyam erre {0}eddig {1} a kulcs dátum: {2}. Kérjük, hozzon létre egy pénzváltó rekordot manuálisan"
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,A pénzügyi év vége
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,"Nem található árfolyam erre {0}eddig {1} a kulcs dátum: {2}. Kérjük, hozzon létre egy pénzváltó rekordot manuálisan"
DocType: POS Profile,Price List,Árlista
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} ez most az alapértelmezett Költségvetési Év. Kérjük, frissítse böngészőjét a változtatások életbeléptetéséhez."
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Költségtérítési igények
@@ -1979,14 +1996,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Készlet egyenleg ebben a kötegben: {0} negatívvá válik {1} erre a tételre: {2} ebben a raktárunkban: {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Következő Anyag igénylések merültek fel automatikusan a Tétel újra-rendelés szinje alpján
DocType: Email Digest,Pending Sales Orders,Függő Vevői rendelések
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},A {0} számla érvénytelen. A számla pénzneme legyen {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},A {0} számla érvénytelen. A számla pénzneme legyen {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},ME átváltási arányra is szükség van ebben a sorban {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Sor # {0}: Dokumentum típus hivatkozásnak Vevői rendelésnek, Értékesítési számlának, vagy Naplókönyvelésnek kell lennie"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Sor # {0}: Dokumentum típus hivatkozásnak Vevői rendelésnek, Értékesítési számlának, vagy Naplókönyvelésnek kell lennie"
DocType: Salary Component,Deduction,Levonás
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Sor {0}: Időtől és időre kötelező.
DocType: Stock Reconciliation Item,Amount Difference,Összeg különbség
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Tétel Ár hozzáadott {0} árjegyzékben {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Tétel Ár hozzáadott {0} árjegyzékben {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,"Kérjük, adja meg Alkalmazotti azonosító ID, ehhez az értékesítőhöz"
DocType: Territory,Classification of Customers by region,Vevői csoportosítás régiónként
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Eltérés összegének nullának kell lennie
@@ -1998,21 +2015,21 @@
DocType: Quotation,QTN-,AJ-
DocType: Salary Slip,Total Deduction,Összesen levonva
,Production Analytics,Termelési elemzések
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Költség Frissítve
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Költség Frissítve
DocType: Employee,Date of Birth,Születési idő
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,"Tétel: {0}, már visszahozták"
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,"Tétel: {0}, már visszahozták"
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,"** Pénzügyi év ** jelképezi a Költségvetési évet. Minden könyvelési tétel, és más jelentős tranzakciók rögzítése ebben ** Pénzügyi Év **."
DocType: Opportunity,Customer / Lead Address,Vevő / Érdeklődő címe
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Figyelmeztetés: Érvénytelen SSL tanúsítvány a {0} mellékleteten
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Figyelmeztetés: Érvénytelen SSL tanúsítvány a {0} mellékleteten
DocType: Student Admission,Eligibility,Jogosultság
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Vezetékek segít abban, hogy az üzleti, add a kapcsolatokat, és több mint a vezet"
DocType: Production Order Operation,Actual Operation Time,Aktuális üzemidő
DocType: Authorization Rule,Applicable To (User),Alkalmazandó (Felhasználó)
DocType: Purchase Taxes and Charges,Deduct,Levonási
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Munkaleírás
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Munkaleírás
DocType: Student Applicant,Applied,Alkalmazott
DocType: Sales Invoice Item,Qty as per Stock UOM,Mennyiség a Készlet mértékegysége alapján
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Helyettesítő2 neve
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Helyettesítő2 neve
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Speciális karakterek ezek kivételével ""-"", ""#"", ""."" és a ""/"", nem engedélyezettek a Sorszámozási csoportokban"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Kövesse nyomon az értékesítési kampányokat. Kövesse nyomon az érdeklődőket, árajánlatokat, vevői rendeléseket, stb. a kampányokból a beruházás megtérülésének felméréséhez."
DocType: Expense Claim,Approver,Jóváhagyó
@@ -2023,7 +2040,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Széria sz. {0} még garanciális eddig {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Osza szét a szállítólevelét csomagokra.
apps/erpnext/erpnext/hooks.py +87,Shipments,Szállítások
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Számlaegyenleg ({0}) ehhez {1} és a készlet érték ({2}) ehhez a raktárhoz {3} meg kell egyeznie
DocType: Payment Entry,Total Allocated Amount (Company Currency),Lefoglalt teljes összeg (Válalakozás pénznemében)
DocType: Purchase Order Item,To be delivered to customer,Vevőhöz kell szállítani
DocType: BOM,Scrap Material Cost,Hulladék anyagköltség
@@ -2031,20 +2047,21 @@
DocType: Purchase Invoice,In Words (Company Currency),Szavakkal (a cég valutanemében)
DocType: Asset,Supplier,Beszállító
DocType: C-Form,Quarter,Negyed
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Egyéb ráfordítások
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Egyéb ráfordítások
DocType: Global Defaults,Default Company,Alapértelmezett cég
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Költség vagy Különbség számla kötelező tétel erre: {0} , kifejtett hatása van a teljes raktári állomány értékére"
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Költség vagy Különbség számla kötelező tétel erre: {0} , kifejtett hatása van a teljes raktári állomány értékére"
DocType: Payment Request,PR,FIZKER
DocType: Cheque Print Template,Bank Name,Bank neve
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Felett
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Felett
DocType: Employee Loan,Employee Loan Account,Alkalmazotti Hitelszámla
DocType: Leave Application,Total Leave Days,Összes távollét napok
DocType: Email Digest,Note: Email will not be sent to disabled users,Megjegyzés: E-mail nem lesz elküldve a letiltott felhasználóknak
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Költsönhatás mennyisége
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Termék kód> Elem Csoport> Márka
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Válasszon Vállalkozást...
DocType: Leave Control Panel,Leave blank if considered for all departments,"Hagyja üresen, ha figyelembe veszi az összes szervezeti egységen"
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Alkalmazott foglalkoztatás típusa (munkaidős, szerződéses, gyakornok stb)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} kötelező a(z) {1} tételnek
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} kötelező a(z) {1} tételnek
DocType: Process Payroll,Fortnightly,Kéthetenkénti
DocType: Currency Exchange,From Currency,Pénznemből
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Kérjük, válasszon odaítélt összeg, Számla típust és számlaszámot legalább egy sorban"
@@ -2066,7 +2083,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,"Kérjük, kattintson a 'Ütemterv létrehozás', hogy ütemezzen"
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Hibák voltak a következő menetrendek törlése közben:
DocType: Bin,Ordered Quantity,Rendelt mennyiség
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","pl. ""Eszközök építőknek"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","pl. ""Eszközök építőknek"""
DocType: Grading Scale,Grading Scale Intervals,Osztályozás időszak periódusai
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: számviteli könyvelés {2} csak ebben a pénznemben végezhető: {3}
DocType: Production Order,In Process,A feldolgozásban
@@ -2080,12 +2097,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Tanuló csoportok létrehozva.
DocType: Sales Invoice,Total Billing Amount,Összesen Számlázott összeg
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,"Kell lennie egy alapértelmezett, engedélyezett bejövő e-mail fióknak ehhez a munkához. Kérjük, állítson be egy alapértelmezett bejövő e-mail fiókot (POP/IMAP), és próbálja újra."
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Bevételek számla
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Sor # {0}: {1} Vagyontárgy már {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Bevételek számla
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Sor # {0}: {1} Vagyontárgy már {2}
DocType: Quotation Item,Stock Balance,Készlet egyenleg
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Vevői rendelés a Fizetéshez
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Kérjük, állítsa elnevezése sorozat {0} a Setup> Beállítások> elnevezése sorozat"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,Vezérigazgató(CEO)
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,Vezérigazgató(CEO)
DocType: Expense Claim Detail,Expense Claim Detail,Költség igény részlete
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,"Kérjük, válassza ki a megfelelő fiókot"
DocType: Item,Weight UOM,Súly mértékegysége
@@ -2094,12 +2110,12 @@
DocType: Production Order Operation,Pending,Függő
DocType: Course,Course Name,Tantárgy neve
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,"A felhasználók, akik engedélyezhetik egy bizonyos Alkalmazott távollét kérelmét"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Irodai berendezések
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Irodai berendezések
DocType: Purchase Invoice Item,Qty,Menny.
DocType: Fiscal Year,Companies,Vállalkozások
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Elektronika
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,"Keletkezzen Anyag igény, ha a raktárállomány eléri az újrarendelés szintjét"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Teljes munkaidőben
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Teljes munkaidőben
DocType: Salary Structure,Employees,Alkalmazottak
DocType: Employee,Contact Details,Kapcsolattartó részletei
DocType: C-Form,Received Date,Beérkezés dátuma
@@ -2109,7 +2125,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Az árak nem jelennek meg, ha Árlista nincs megadva"
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Kérjük adjon meg egy országot a házhozszállítás szabályhoz vagy ellenőrizze az Egész világra kiterjedő szállítást
DocType: Stock Entry,Total Incoming Value,Beérkező össz Érték
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Tartozás megterhelése szükséges
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Tartozás megterhelése szükséges
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Munkaidő jelenléti ív segít nyomon követni az idő, költség és számlázási tevékenységeit a csapatának."
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Beszerzési árlista
DocType: Offer Letter Term,Offer Term,Ajánlat feltételei
@@ -2118,17 +2134,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Fizetés főkönyvi egyeztetése
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,"Kérjük, válasszon felelős személy nevét"
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Technológia
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Összesen Kifizetetlen: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Összesen Kifizetetlen: {0}
DocType: BOM Website Operation,BOM Website Operation,Anyagjegyzék honlap művelet
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Ajánlati levél
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Létrehoz anyag igényléseket (MRP) és gyártási megrendeléseket.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Teljes kiszámlázott össz
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Teljes kiszámlázott össz
DocType: BOM,Conversion Rate,Konverziós arány
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Termék tétel keresés
DocType: Timesheet Detail,To Time,Ideig
DocType: Authorization Rule,Approving Role (above authorized value),Jóváhagyó beosztása (a fenti engedélyezett érték)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Követelés főkönyvi számlának Fizetendő számlának kell lennie
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},ANYGJZ rekurzív: {0} nem lehet a szülő vagy a gyermeke ennek: {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Követelés főkönyvi számlának Fizetendő számlának kell lennie
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},ANYGJZ rekurzív: {0} nem lehet a szülő vagy a gyermeke ennek: {2}
DocType: Production Order Operation,Completed Qty,Befejezett Mennyiség
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","{0} -hoz, csak terhelés számlákat lehet kapcsolni a másik ellen jóváíráshoz"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Árlista {0} letiltva
@@ -2139,28 +2155,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} sorozatszám szükséges ehhez a Tételhez: {1}. Ezt adta meg: {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Aktuális Értékelési ár
DocType: Item,Customer Item Codes,Vevői tétel kódok
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Árfolyamnyereség / veszteség
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Árfolyamnyereség / veszteség
DocType: Opportunity,Lost Reason,Elvesztés oka
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Új cím
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Új cím
DocType: Quality Inspection,Sample Size,Minta mérete
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,"Kérjük, adjon meg dokumentum átvételt"
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Összes tétel már kiszámlázott
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Összes tétel már kiszámlázott
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',Kérem adjon meg egy érvényes 'Eset számig'
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,"További költséghelyek hozhatók létre a csoportok alatt, de bejegyzéseket lehet tenni a csoporttal nem rendelkezőkre is"
DocType: Project,External,Külső
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Felhasználók és engedélyek
DocType: Vehicle Log,VLOG.,VIDEÓBLOG.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Gyártási rendelések létrehozva: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Gyártási rendelések létrehozva: {0}
DocType: Branch,Branch,Ágazat
DocType: Guardian,Mobile Number,Mobil szám
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Nyomtatás és Márkaépítés
DocType: Bin,Actual Quantity,Tényleges Mennyiség
DocType: Shipping Rule,example: Next Day Shipping,például: Következő napi szállítás
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Széria sz. {0} nem található
-DocType: Scheduling Tool,Student Batch,Tanuló köteg
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Vevői
+DocType: Program Enrollment,Student Batch,Tanuló köteg
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Tanuló létrehozás
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Ön meghívást kapott ennek a projeknek a közreműködéséhez: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Ön meghívást kapott ennek a projeknek a közreműködéséhez: {0}
DocType: Leave Block List Date,Block Date,Zárolás dátuma
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Jelentkezzen most
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Tényleges Menny {0} / Várakozó Menny {1}
@@ -2169,7 +2184,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Létre hoz és kezel napi, heti és havi e-mail összefoglalót."
DocType: Appraisal Goal,Appraisal Goal,Teljesítmény értékelés célja
DocType: Stock Reconciliation Item,Current Amount,Jelenlegi összege
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,Készítések
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,Készítések
DocType: Fee Structure,Fee Structure,díjstruktúra
DocType: Timesheet Detail,Costing Amount,Költségszámítás Összeg
DocType: Student Admission,Application Fee,Jelentkezési díj
@@ -2181,10 +2196,10 @@
DocType: POS Profile,[Select],[Válasszon]
DocType: SMS Log,Sent To,Elküldve
DocType: Payment Request,Make Sales Invoice,Vevői megrendelésre számla létrehozás
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,Szoftverek
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Szoftverek
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Következő megbeszélés dátuma nem lehet a múltban
DocType: Company,For Reference Only.,Csak tájékoztató jellegűek.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Válasszon köteg sz.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Válasszon köteg sz.
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Érvénytelen {0}: {1}
DocType: Purchase Invoice,PINV-RET-,BESZSZ-ELLEN-
DocType: Sales Invoice Advance,Advance Amount,Előleg
@@ -2194,15 +2209,15 @@
DocType: Employee,Employment Details,Foglalkoztatás részletei
DocType: Employee,New Workplace,Új munkahely
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Lezárttá állít
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Nincs tétel ezzel a Vonalkóddal {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Nincs tétel ezzel a Vonalkóddal {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Eset sz. nem lehet 0
DocType: Item,Show a slideshow at the top of the page,Mutass egy diavetítést a lap tetején
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Anyagjegyzékek
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Üzletek
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Anyagjegyzékek
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Üzletek
DocType: Serial No,Delivery Time,Szállítási idő
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Öregedés ezen alapszik
DocType: Item,End of Life,Felhasználhatósági idő
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Utazási
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Utazási
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,"Nem talált aktív vagy alapértelmezett bérrendszert erre az Alkalmazottra: {0}, a megadott dátumra"
DocType: Leave Block List,Allow Users,Felhasználók engedélyezése
DocType: Purchase Order,Customer Mobile No,Vevő mobil tel. szám
@@ -2211,29 +2226,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Költségek újraszámolása
DocType: Item Reorder,Item Reorder,Tétel újrarendelés
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Bérkarton megjelenítése
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Anyag Átvitel
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Anyag Átvitel
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Adja meg a műveletet, a működési költségeket, és adjon meg egy egyedi műveletet a műveletekhez."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Ez a dokumentum túlcsordult ennyivel {0} {1} erre a tételre {4}. Létrehoz egy másik {3} ugyanazon {2} helyett?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,"Kérjük, állítsa be az ismétlődést a mentés után"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Válasszon váltópénz összeg számlát
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Ez a dokumentum túlcsordult ennyivel {0} {1} erre a tételre {4}. Létrehoz egy másik {3} ugyanazon {2} helyett?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,"Kérjük, állítsa be az ismétlődést a mentés után"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Válasszon váltópénz összeg számlát
DocType: Purchase Invoice,Price List Currency,Árlista pénzneme
DocType: Naming Series,User must always select,Felhasználónak mindig választani kell
DocType: Stock Settings,Allow Negative Stock,Negatív készlet engedélyezése
DocType: Installation Note,Installation Note,Telepítési feljegyzés
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Adók hozzáadása
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Adók hozzáadása
DocType: Topic,Topic,Téma
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Pénzforgalom pénzügyről
DocType: Budget Account,Budget Account,Költségvetési elszámolási számla
DocType: Quality Inspection,Verified By,Ellenőrizte
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nem lehet megváltoztatni a vállalkozás alapértelmezett pénznemét, mert már léteznek tranzakciók. Tranzakciókat törölni kell az alapértelmezett pénznem megváltoztatásához."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nem lehet megváltoztatni a vállalkozás alapértelmezett pénznemét, mert már léteznek tranzakciók. Tranzakciókat törölni kell az alapértelmezett pénznem megváltoztatásához."
DocType: Grading Scale Interval,Grade Description,Osztály Leírás
DocType: Stock Entry,Purchase Receipt No,Beszerzési megrendelés nyugta sz.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Foglaló pénz
DocType: Process Payroll,Create Salary Slip,Bérpapír létrehozása
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,A nyomon követhetőség
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Pénzeszközök forrását (kötelezettségek)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Mennyiségnek ebben a sorban {0} ({1}) meg kell egyeznie a gyártott mennyiséggel {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Pénzeszközök forrását (kötelezettségek)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Mennyiségnek ebben a sorban {0} ({1}) meg kell egyeznie a gyártott mennyiséggel {2}
DocType: Appraisal,Employee,Alkalmazott
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Select Batch
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} teljesen számlázott
DocType: Training Event,End Time,Befejezés dátuma
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktív fizetés szerkezetet {0} talált alkalmazottra: {1} az adott dátumhoz
@@ -2245,11 +2261,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Szükség
DocType: Rename Tool,File to Rename,Átnevezendő fájl
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},"Kérjük, válassza ki ANYGJZ erre a tételre ebben a sorban {0}"
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Meghatározott ANYAGJEGYZ {0} nem létezik erre a tételre {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Fiók {0} nem egyezik Company {1} a mód fiók: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Meghatározott ANYAGJEGYZ {0} nem létezik erre a tételre {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,"Ezt a karbantartási ütemtervet: {0}, törölni kell mielőtt lemondaná ezt a Vevői rendelést"
DocType: Notification Control,Expense Claim Approved,Költség igény jóváhagyva
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Bérpapír az Alkalmazotthoz: {0} már létezik erre az időszakra
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Gyógyszeripari
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Gyógyszeripari
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Bszerzett tételek költsége
DocType: Selling Settings,Sales Order Required,Vevői rendelés szükséges
DocType: Purchase Invoice,Credit To,Követelés ide
@@ -2266,42 +2283,42 @@
DocType: Payment Gateway Account,Payment Account,Fizetési számla
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,"Kérjük, adja meg a vállalkozást a folytatáshoz"
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Nettó Vevői számla tartozások változása
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Kompenzációs Ki
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Kompenzációs Ki
DocType: Offer Letter,Accepted,Elfogadva
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,Szervezet
DocType: SG Creation Tool Course,Student Group Name,Diák csoport neve
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Kérjük, győződjön meg róla, hogy valóban törölni szeretné az összes tranzakció ennél a vállalatnál. Az Ön törzsadati megmaradnak. Ez a művelet nem vonható vissza."
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Kérjük, győződjön meg róla, hogy valóban törölni szeretné az összes tranzakció ennél a vállalatnál. Az Ön törzsadati megmaradnak. Ez a művelet nem vonható vissza."
DocType: Room,Room Number,Szoba szám
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Érvénytelen hivatkozás {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}) nem lehet nagyobb, mint a ({2}) tervezett mennyiség a {3} gyártási rendelésben"
DocType: Shipping Rule,Shipping Rule Label,Szállítási szabály címkéi
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Felhasználói fórum
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Nyersanyagok nem lehet üres.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Nem sikerült frissíteni a készletet, számla tartalmaz közvetlen szállítási elemet."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Nyersanyagok nem lehet üres.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Nem sikerült frissíteni a készletet, számla tartalmaz közvetlen szállítási elemet."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Gyors Naplókönyvelés
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,"Nem tudod megváltoztatni az árat, ha az említett ANYGJZ összefügg már egy tétellel"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,"Nem tudod megváltoztatni az árat, ha az említett ANYGJZ összefügg már egy tétellel"
DocType: Employee,Previous Work Experience,Korábbi szakmai tapasztalat
DocType: Stock Entry,For Quantity,Mennyiséghez
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},"Kérjük, adjon meg Tervezett Mennyiséget erre a tételre: {0} , ebben a sorban {1}"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} nem nyújtják be
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Kérelmek tételek.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Külön gyártási megrendelést hoz létre minden kész termékhez.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} negatívnak kell lennie a válasz dokumentumban
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} negatívnak kell lennie a válasz dokumentumban
,Minutes to First Response for Issues,Eltelt percek a Probléma első lereagálásig
DocType: Purchase Invoice,Terms and Conditions1,Általános szerződési feltételek1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,Az intézmény neve amelyre ezt a rendszert beállítja.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,Az intézmény neve amelyre ezt a rendszert beállítja.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Könyvelési tételt zárolt eddig a dátumig, senkinek nincs joga végrehajtani / módosítani a bejegyzést kivéve az alább meghatározott beosztásokkal rendelkezőket."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,"Kérjük, mentse a dokumentumot, a karbantartási ütemterv létrehozása előtt"
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Projekt téma állapota
DocType: UOM,Check this to disallow fractions. (for Nos),"Jelölje be ezt, hogy ne engedélyezze a törtrészt. (a darab számokhoz)"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,A következő gyártási megrendelések jöttek létre:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,A következő gyártási megrendelések jöttek létre:
DocType: Student Admission,Naming Series (for Student Applicant),Sorszámozási csoportok (Tanuló Kérelmezőhöz)
DocType: Delivery Note,Transporter Name,Fuvarozó neve
DocType: Authorization Rule,Authorized Value,Jóváhagyott érték
DocType: BOM,Show Operations,Műveletek megjelenítése
,Minutes to First Response for Opportunity,Lehetőségre adott válaszhoz eltelt percek
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Összes Hiány
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Tétel vagy raktár sorban {0} nem egyezik Anyag igényléssel
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Tétel vagy raktár sorban {0} nem egyezik Anyag igényléssel
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Mértékegység
DocType: Fiscal Year,Year End Date,Év végi dátum
DocType: Task Depends On,Task Depends On,A feladat ettől függ:
@@ -2380,11 +2397,11 @@
DocType: Asset,Manual,Kézikönyv
DocType: Salary Component Account,Salary Component Account,Bér összetevők számlája
DocType: Global Defaults,Hide Currency Symbol,Pénznem szimbólumának elrejtése
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","pl. bank, készpénz, hitelkártya"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","pl. bank, készpénz, hitelkártya"
DocType: Lead Source,Source Name,Forrás neve
DocType: Journal Entry,Credit Note,Követelés értesítő
DocType: Warranty Claim,Service Address,Szerviz címe
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Bútorok és világítótestek
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Bútorok és világítótestek
DocType: Item,Manufacture,Gyártás
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,"Kérjük, először a szállítólevelet"
DocType: Student Applicant,Application Date,Jelentkezési dátum
@@ -2394,7 +2411,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Végső dátum nem szerepel
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Gyártás
DocType: Guardian,Occupation,Foglalkozása
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Kérjük beállítási Alkalmazott névadási rendszerben Emberi Erőforrás> HR beállítások
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Row {0}: kezdő dátumot kell lennie a befejezés dátuma
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Összesen(db)
DocType: Sales Invoice,This Document,Ez a dokumentum
@@ -2406,19 +2422,19 @@
DocType: Purchase Receipt,Time at which materials were received,Anyagok érkezésénak Időpontja
DocType: Stock Ledger Entry,Outgoing Rate,Kimenő ár
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Vállalkozás ágazat törzsadat.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,vagy
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,vagy
DocType: Sales Order,Billing Status,Számlázási állapot
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Probléma jelentése
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Közműben
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Közműben
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90 felett
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,"Sor # {0}: Naplókönyvelés {1} nem rendelkezik {2} számlával, vagy már összeegyeztetett egy másik utalvánnyal"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,"Sor # {0}: Naplókönyvelés {1} nem rendelkezik {2} számlával, vagy már összeegyeztetett egy másik utalvánnyal"
DocType: Buying Settings,Default Buying Price List,Alapértelmezett Vásárlási árjegyzék
DocType: Process Payroll,Salary Slip Based on Timesheet,Bérpapirok a munkaidő jelenléti ív alapján
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Nincs a fenti kritériumnak megfelelő alkalmazottja VAGY Bérpapírt már létrehozta
DocType: Notification Control,Sales Order Message,Vevői rendelés üzenet
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Alapértelmezett értékek, mint a vállalkozás, pénznem, folyó pénzügyi év, stb. beállítása."
DocType: Payment Entry,Payment Type,Fizetési mód
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Kérjük, válasszon egy Köteget ehhez a tételhez {0}. Nem található egyedülállü köteg, amely megfelel ennek a követelménynek"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Kérjük, válasszon egy Köteget ehhez a tételhez {0}. Nem található egyedülállü köteg, amely megfelel ennek a követelménynek"
DocType: Process Payroll,Select Employees,Válassza ki az Alkalmazottakat
DocType: Opportunity,Potential Sales Deal,Potenciális értékesítési üzlet
DocType: Payment Entry,Cheque/Reference Date,Csekk/Hivatkozási dátum
@@ -2438,7 +2454,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Nyugta dokumentumot be kell nyújtani
DocType: Purchase Invoice Item,Received Qty,Beérkezett Mennyiség
DocType: Stock Entry Detail,Serial No / Batch,Széria sz. / Köteg
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Nem fizetett és le nem szállított
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Nem fizetett és le nem szállított
DocType: Product Bundle,Parent Item,Szülő tétel
DocType: Account,Account Type,Számla típus
DocType: Delivery Note,DN-RET-,SZL-ELLEN-
@@ -2452,24 +2468,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),Csomag azonosítása a szállításhoz (nyomtatáshoz)
DocType: Bin,Reserved Quantity,Mennyiség fenntartva
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Kérem adjon meg egy érvényes e-mail címet
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Nincs kötelező tanfolyam ehhez a programhoz {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Beszerzési megrendelés nyugta tételek
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Testreszabása Forms
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,Lemaradás
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,Lemaradás
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Az értékcsökkentési leírás összege az időszakban
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Letiltott sablon nem lehet alapértelmezett sablon
DocType: Account,Income Account,Jövedelem számla
DocType: Payment Request,Amount in customer's currency,Összeg ügyfél valutájában
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Szállítás
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Szállítás
DocType: Stock Reconciliation Item,Current Qty,Jelenlegi Mennyiség
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",Lásd az 'Anyagköltség számítás módja' a Költség részben
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Előző
DocType: Appraisal Goal,Key Responsibility Area,Felelősségi terület
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Tanulók kötegei, segítenek nyomon követni a részvételt, értékeléseket és díjakat a hallgatókhoz"
DocType: Payment Entry,Total Allocated Amount,Lefoglalt teljes összeg
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Alapértelmezett készlet számla folyamatos leltározás
DocType: Item Reorder,Material Request Type,Anyagigénylés típusa
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Naplókönyvelés fizetések származó {0} {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","HelyiRaktár tele van, nem mentettem"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","HelyiRaktár tele van, nem mentettem"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Sor {0}: UOM átváltási arányra is kötelező
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Hiv.
DocType: Budget,Cost Center,Költséghely
@@ -2482,19 +2498,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Árképzési szabály azért készül, hogy az felülírja az árjegyzéket / kedvezmény százalékos meghatározását, néhány feltétel alapján."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Raktárat csak a Készlet bejegyzéssel / Szállítólevéllel / Beszerzési nyugtán keresztül lehet megváltoztatni
DocType: Employee Education,Class / Percentage,Osztály / Százalékos
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Marketing és Értékesítés vezetője
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Jövedelemadó
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Marketing és Értékesítés vezetője
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Jövedelemadó
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Ha a kiválasztott árképzési szabály az 'Ár' -hoz készül, az felülírja az árlistát. Árképzési szabály ára a végleges ár, így további kedvezményt nem képes alkalmazni. Ezért a vevői rendelés, beszerzési megrendelés, stb. tranzakcióknál, betöltésre kerül az ""Érték"" mezőbe az ""Árlista érték"" mező helyett."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Ipari típusonkénti Érdeklődés nyomonkövetése.
DocType: Item Supplier,Item Supplier,Tétel Beszállító
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,"Kérjük, adja meg a tételkódot a köteg szám megadásához"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},"Kérjük, válasszon értéket {0} ehhez az árajánlathoz {1}"
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,"Kérjük, adja meg a tételkódot a köteg szám megadásához"
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},"Kérjük, válasszon értéket {0} ehhez az árajánlathoz {1}"
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Összes cím.
DocType: Company,Stock Settings,Készlet beállítások
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Összevonása csak akkor lehetséges, ha a következő tulajdonságok azonosak mindkét bejegyzések. Van Group, Root típusa, Company"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Összevonása csak akkor lehetséges, ha a következő tulajdonságok azonosak mindkét bejegyzések. Van Group, Root típusa, Company"
DocType: Vehicle,Electric,Elektromos
DocType: Task,% Progress,% Haladás
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Nyereség / veszteség Eszköz eltávolításán
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Nyereség / veszteség Eszköz eltávolításán
DocType: Training Event,Will send an email about the event to employees with status 'Open',E-mailt küld az eseményről a 'Nyitott' státuszú alkalmazottaknak
DocType: Task,Depends on Tasks,Függ a Feladatoktól
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Vevői csoport fa. kezelése.
@@ -2503,7 +2519,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Új költséghely neve
DocType: Leave Control Panel,Leave Control Panel,Távollét vezérlőpult
DocType: Project,Task Completion,Feladat befejezése
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Nincs raktáron
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Nincs raktáron
DocType: Appraisal,HR User,HR Felhasználó
DocType: Purchase Invoice,Taxes and Charges Deducted,Levont adók és költségek
apps/erpnext/erpnext/hooks.py +116,Issues,Problémák
@@ -2514,22 +2530,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Nem található bérpapít {0} és {1} közt
,Pending SO Items For Purchase Request,Függőben lévő VR tételek erre a vásárolható rendelésre
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Tanuló Felvételi
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} le van tiltva
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} le van tiltva
DocType: Supplier,Billing Currency,Számlázási Árfolyam
DocType: Sales Invoice,SINV-RET-,ÉSZLA-ELLEN-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Extra Nagy
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra Nagy
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Összes távollétek
,Profit and Loss Statement,Az eredmény-kimutatás
DocType: Bank Reconciliation Detail,Cheque Number,Csekk száma
,Sales Browser,Értékesítési böngésző
DocType: Journal Entry,Total Credit,Követelés összesen
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Figyelmeztetés: Egy másik {0} # {1} létezik a {2} készlet bejegyzéssel szemben
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Helyi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Helyi
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),A hitelek és előlegek (Eszközök)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Követelések
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Nagy
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Nagy
DocType: Homepage Featured Product,Homepage Featured Product,Kezdőlap Ajánlott termék
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Az Értékelési Groups
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Az Értékelési Groups
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Új raktár neve
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Összesen {0} ({1})
DocType: C-Form Invoice Detail,Territory,Terület
@@ -2539,12 +2555,12 @@
DocType: Production Order Operation,Planned Start Time,Tervezett kezdési idő
DocType: Course,Assessment,Értékelés
DocType: Payment Entry Reference,Allocated,Lekötött
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Záró mérleg és nyereség vagy veszteség könyvelés.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Záró mérleg és nyereség vagy veszteség könyvelés.
DocType: Student Applicant,Application Status,Jelentkezés állapota
DocType: Fees,Fees,Díjak
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Adja meg az átváltási árfolyamot egy pénznem másikra váltásához
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,{0} ajánlat törölve
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Teljes fennálló kintlévő összeg
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Teljes fennálló kintlévő összeg
DocType: Sales Partner,Targets,Célok
DocType: Price List,Price List Master,Árlista törzsadat
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Minden értékesítési tranzakció címkézhető több ** Értékesítő személy** felé, így beállíthat és követhet célokat."
@@ -2576,11 +2592,11 @@
1. Address and Contact of your Company.","Általános Szerződési Feltételek az Ertékesítés- és a Beszerzéshez. Példák: 1. Az ajánlat érvényessége. 1. Fizetési feltételek (Előre, Hitelre, részben előre stb.). 1. Mi az extra (vagy a vevő által fizetendő). 1. Biztonsági / használati figyelmeztetést. 1. Garancia, ha van ilyen. 1. Garancia kezelésének irányelve. 1. Szállítási feltételek, ha van ilyen. 1. Viták kezelése, kártérítés, felelősségvállalás, titoktartás stb. 1. Vállalatának címe és kapcsolattartási elérhetősége."
DocType: Attendance,Leave Type,Távollét típusa
DocType: Purchase Invoice,Supplier Invoice Details,Beszállító Számla részletek
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Költség / Különbség számla ({0}) ,aminek ""Nyereség és Veszteség"" számlának kell lennie"
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Költség / Különbség számla ({0}) ,aminek ""Nyereség és Veszteség"" számlának kell lennie"
DocType: Project,Copied From,Innen másolt
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Név hiba: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,Hiány
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} nincs összekapcsolva ezekkel {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} nincs összekapcsolva ezekkel {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,A {0} alkalmazott már megjelölt a részvételin
DocType: Packing Slip,If more than one package of the same type (for print),Ha egynél több csomag azonos típusból (nyomtatáshoz)
,Salary Register,Bér regisztráció
@@ -2598,22 +2614,23 @@
,Requested Qty,Kért Mennyiség
DocType: Tax Rule,Use for Shopping Cart,Kosár használja
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Érték : {0} erre a tulajdonságra: {1} nem létezik a listán az érvényes Jellemző érték jogcímre erre a tételre: {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Válassza sorozatszámok
DocType: BOM Item,Scrap %,Hulladék %
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Díjak arányosan kerülnek kiosztásra a tétel mennyiség vagy összegei alapján, a kiválasztása szerint"
DocType: Maintenance Visit,Purposes,Célok
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Legalább egy tételt kell beírni a negatív mennyiséggel a visszatérő dokumentumba
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Legalább egy tételt kell beírni a negatív mennyiséggel a visszatérő dokumentumba
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Működés {0} hosszabb, mint bármely rendelkezésre álló munkaidő a munkaállomáson {1}, bontsa le a műveletet több műveletre"
,Requested,Kért
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Nincs megjegyzés
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Nincs megjegyzés
DocType: Purchase Invoice,Overdue,Lejárt
DocType: Account,Stock Received But Not Billed,"Raktárra érkezett, de nem számlázták"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Root Figyelembe kell lennie egy csoportja
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Root Figyelembe kell lennie egy csoportja
DocType: Fees,FEE.,DÍJ.
DocType: Employee Loan,Repaid/Closed,Visszafizetett/Lezárt
DocType: Item,Total Projected Qty,Teljes kivetített db
DocType: Monthly Distribution,Distribution Name,Felbontás neve
DocType: Course,Course Code,Tantárgy kódja
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Minőség-ellenőrzés szükséges erre a tételre {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Minőség-ellenőrzés szükséges erre a tételre {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,"Arány, amelyen az Ügyfél pénznemét átalakítja a vállalakozás alapértelmezett pénznemére"
DocType: Purchase Invoice Item,Net Rate (Company Currency),Nettó ár (Vállalkozás pénznemében)
DocType: Salary Detail,Condition and Formula Help,Állapot és Űrlap Súgó
@@ -2626,27 +2643,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Anyag átvitel gyártásához
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Kedvezmény százalékot lehet alkalmazni vagy árlistában vagy az összes árlistában.
DocType: Purchase Invoice,Half-yearly,Fél-évente
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Könyvelési tétel a Készlethez
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Könyvelési tétel a Készlethez
DocType: Vehicle Service,Engine Oil,Motorolaj
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Kérjük beállítási Alkalmazott névadási rendszerben Emberi Erőforrás> HR beállítások
DocType: Sales Invoice,Sales Team1,Értékesítő csapat1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,"Tétel: {0}, nem létezik"
DocType: Sales Invoice,Customer Address,Vevő címe
DocType: Employee Loan,Loan Details,Hitel részletei
+DocType: Company,Default Inventory Account,Alapértelmezett Inventory fiók
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,"Sor {0}: Befejezve Mennyiség nagyobbnak kell lennie, mint nulla."
DocType: Purchase Invoice,Apply Additional Discount On,Alkalmazzon további kedvezmény ezen
DocType: Account,Root Type,Root Type
DocType: Item,FIFO,FIFO (EBEK)
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Sor # {0}: Nem lehet vissza több mint {1} jogcím {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Sor # {0}: Nem lehet vissza több mint {1} jogcím {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Ábrázol
DocType: Item Group,Show this slideshow at the top of the page,Mutassa ezt a diavetatést a lap tetején
DocType: BOM,Item UOM,Tétel mennyiségi egysége
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Adó összege a kedvezmény összege után (Vállalkozás pénzneme)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Cél raktár kötelező ebben a sorban {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Cél raktár kötelező ebben a sorban {0}
DocType: Cheque Print Template,Primary Settings,Elsődleges beállítások
DocType: Purchase Invoice,Select Supplier Address,Válasszon Beszállító címet
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Alkalmazottak hozzáadása
DocType: Purchase Invoice Item,Quality Inspection,Minőségvizsgálat
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Extra kicsi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra kicsi
DocType: Company,Standard Template,Alapértelmezett sablon
DocType: Training Event,Theory,Elmélet
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,"Figyelmeztetés: Anyag Igénylés mennyisége kevesebb, mint Minimális rendelhető menny"
@@ -2654,7 +2673,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Jogi alany / leányvállalat a Szervezethez tartozó külön számlatükörrel
DocType: Payment Request,Mute Email,E-mail elnémítás
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Élelmiszerek, italok és dohány"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Fizetni a csak még ki nem szálázott ellenében tud: {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Fizetni a csak még ki nem szálázott ellenében tud: {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,"Jutalék mértéke nem lehet nagyobb, mint a 100"
DocType: Stock Entry,Subcontract,Alvállalkozói
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,"Kérjük, adja be: {0} először"
@@ -2667,18 +2686,18 @@
DocType: SMS Log,No of Sent SMS,Elküldött SMS száma
DocType: Account,Expense Account,Költség számla
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Szoftver
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Szín
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Szín
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Értékelési Terv kritériumai
DocType: Training Event,Scheduled,Ütemezett
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Ajánlatkérés.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Kérjük, válasszon tételt, ahol ""Készleten lévő tétel"" az ""Nem"" és ""Értékesíthető tétel"" az ""Igen"", és nincs más termék csomag"
DocType: Student Log,Academic,Akadémiai
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),"Összesen előleg ({0}) erre a rendelésre {1} nem lehet nagyobb, mint a végösszeg ({2})"
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),"Összesen előleg ({0}) erre a rendelésre {1} nem lehet nagyobb, mint a végösszeg ({2})"
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Válassza ki a havi elosztást a célok egyenlőtlen elosztásához a hónapban .
DocType: Purchase Invoice Item,Valuation Rate,Becsült ár
DocType: Stock Reconciliation,SR/,KÉSZLEGY /
DocType: Vehicle,Diesel,Dízel
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Árlista pénzneme nincs kiválasztva
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Árlista pénzneme nincs kiválasztva
,Student Monthly Attendance Sheet,Tanuló havi jelenléti ív
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Alkalmazott {0} már jelentkezett {1} között {2} és {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Projekt téma kezdési dátuma
@@ -2690,7 +2709,7 @@
DocType: BOM,Scrap,Hulladék
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Kezelje a forgalmazókkal.
DocType: Quality Inspection,Inspection Type,Vizsgálat típusa
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Raktárak meglévő ügylettekkel nem konvertálhatóak csoporttá.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Raktárak meglévő ügylettekkel nem konvertálhatóak csoporttá.
DocType: Assessment Result Tool,Result HTML,Eredmény HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Lejárat dátuma
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Add diákok
@@ -2698,13 +2717,13 @@
DocType: C-Form,C-Form No,C-Form No
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,Jelöletlen Nézőszám
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Kutató
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Kutató
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Program Beiratkozási eszköz tanuló
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Név vagy e-mail kötelező
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Beérkező minőségi ellenőrzése.
DocType: Purchase Order Item,Returned Qty,Visszatért db
DocType: Employee,Exit,Kilépés
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Root Type kötelező
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root Type kötelező
DocType: BOM,Total Cost(Company Currency),Összköltség (Vállalkozás pénzneme)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,{0} széria sz. létrehozva
DocType: Homepage,Company Description for website homepage,Vállalkozás leírása az internetes honlapon
@@ -2713,7 +2732,7 @@
DocType: Sales Invoice,Time Sheet List,Idő nyilvántartó lista
DocType: Employee,You can enter any date manually,Megadhat bármilyen dátum kézzel
DocType: Asset Category Account,Depreciation Expense Account,Értékcsökkentési ráfordítás számla
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Próbaidő períódus
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Próbaidő períódus
DocType: Customer Group,Only leaf nodes are allowed in transaction,Csak levélcsomópontok engedélyezettek a tranzakcióban
DocType: Expense Claim,Expense Approver,Költség Jóváhagyó
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Sor {0}: A Vevővel szembeni előlegnek követelésnek kell lennie
@@ -2726,10 +2745,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Tanfolyam Menetrendek törölve:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Napló az sms küldési állapot figyelésére
DocType: Accounts Settings,Make Payment via Journal Entry,Naplókönyvelésen keresztüli befizetés létrehozás
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Nyomtatott ekkor
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Nyomtatott ekkor
DocType: Item,Inspection Required before Delivery,Vizsgálat szükséges a szállítás előtt
DocType: Item,Inspection Required before Purchase,Vizsgálat szükséges a vásárlás előtt
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Függő Tevékenységek
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,A szervezet
DocType: Fee Component,Fees Category,Díjak Kategóriája
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,"Kérjük, adjon meg a mentesítési dátumot."
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Összeg
@@ -2739,9 +2759,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Újra rendelési szint
DocType: Company,Chart Of Accounts Template,Számlatükör sablonok
DocType: Attendance,Attendance Date,Részvétel dátuma
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Tétel ára frissítve: {0} Árlista {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Tétel ára frissítve: {0} Árlista {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Fizetés megszakítás a kereset és levonás alapján.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Al csomópontokkal rendelkező számlát nem lehet átalakítani főkönyvi számlává
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Al csomópontokkal rendelkező számlát nem lehet átalakítani főkönyvi számlává
DocType: Purchase Invoice Item,Accepted Warehouse,Elfogadott raktárkészlet
DocType: Bank Reconciliation Detail,Posting Date,Rögzítés dátuma
DocType: Item,Valuation Method,Készletérték számítása
@@ -2750,14 +2770,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Ismétlődő bejegyzés
DocType: Program Enrollment Tool,Get Students,Diákok lekérdezése
DocType: Serial No,Under Warranty,Garanciaidőn belül
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Hiba]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Hiba]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,"A szavakkal mező lesz látható, miután mentette a Vevői rendelést."
,Employee Birthday,Alkalmazott születésnapja
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Tanuló köteg nyilvántartó eszköz
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,Limit Keresztbe
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Limit Keresztbe
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Venture Capital
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"Egy tudományos kifejezés ezzel a 'Tanév ' {0} és a 'Félév neve' {1} már létezik. Kérjük, módosítsa ezeket a bejegyzéseket, és próbálja újra."
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Mivel már vannak tranzakciók ehhez az elemhez: {0}, ezért nem tudja megváltoztatni ennek az értékét {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Mivel már vannak tranzakciók ehhez az elemhez: {0}, ezért nem tudja megváltoztatni ennek az értékét {1}"
DocType: UOM,Must be Whole Number,Egész számnak kell lennie
DocType: Leave Control Panel,New Leaves Allocated (In Days),Új távollét lefoglalása (napokban)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,A {0} Széria sz. nem létezik
@@ -2766,6 +2786,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Számla száma
DocType: Shopping Cart Settings,Orders,Rendelések
DocType: Employee Leave Approver,Leave Approver,Távollét jóváhagyó
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,"Kérjük, válasszon egy tételt"
DocType: Assessment Group,Assessment Group Name,Értékelési csoport neve
DocType: Manufacturing Settings,Material Transferred for Manufacture,Anyag átadott gyártáshoz
DocType: Expense Claim,"A user with ""Expense Approver"" role","Egy felhasználó a ""Költség Jóváhagyó"" beosztással"
@@ -2775,9 +2796,10 @@
DocType: Target Detail,Target Detail,Cél részletei
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,Összes állás
DocType: Sales Order,% of materials billed against this Sales Order,% anyag tételek számlázva ehhez a Vevői Rendeléhez
+DocType: Program Enrollment,Mode of Transportation,Szállítás módja
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Nevezési határidő Időszaka
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Költséghelyet meglévő tranzakciókkal nem lehet átalakítani csoporttá
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Összeg: {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Összeg: {0} {1} {2} {3}
DocType: Account,Depreciation,Értékcsökkentés
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Beszállító (k)
DocType: Employee Attendance Tool,Employee Attendance Tool,Alkalmazott nyilvántartó Eszköz
@@ -2785,7 +2807,7 @@
DocType: Supplier,Credit Limit,Követelés limit
DocType: Production Plan Sales Order,Salse Order Date,Vevői rendelés Dátuma
DocType: Salary Component,Salary Component,Bér összetevői
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,"Fizetési bejegyzések {0}, melyek nem-kedveltek"
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,"Fizetési bejegyzések {0}, melyek nem-kedveltek"
DocType: GL Entry,Voucher No,Bizonylatszám
,Lead Owner Efficiency,Érdeklődés Tulajdonos Hatékonysága
DocType: Leave Allocation,Leave Allocation,Távollét lefoglalása
@@ -2796,11 +2818,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Sablon a feltételekre vagy szerződésre.
DocType: Purchase Invoice,Address and Contact,Cím és kapcsolattartó
DocType: Cheque Print Template,Is Account Payable,Ez beszállítók részére kifizetendő számla
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Készlet nem frissíthető ezzel a vásárlási nyugtával {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Készlet nem frissíthető ezzel a vásárlási nyugtával {0}
DocType: Supplier,Last Day of the Next Month,Utolsó nap a következő hónapban
DocType: Support Settings,Auto close Issue after 7 days,Automatikus lezárása az ügyeknek 7 nap után
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Távollétet nem lehet kiosztani előbb mint {0}, mivel a távollét egyenleg már továbbított ehhez a jövőbeni távollét kiosztás rekordhoz {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Megjegyzés: Esedékesség / Referencia dátum túllépése engedélyezett az ügyfél hitelezésre {0} nap(ok)al
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Megjegyzés: Esedékesség / Referencia dátum túllépése engedélyezett az ügyfél hitelezésre {0} nap(ok)al
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Tanuló kérelmező
DocType: Asset Category Account,Accumulated Depreciation Account,Halmozott értékcsökkenés számla
DocType: Stock Settings,Freeze Stock Entries,Készlet zárolás
@@ -2809,35 +2831,35 @@
DocType: Activity Cost,Billing Rate,Számlázási ár
,Qty to Deliver,Leszállítandó mannyiség
,Stock Analytics,Készlet analítika
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Műveletek nem maradhatnak üresen
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Műveletek nem maradhatnak üresen
DocType: Maintenance Visit Purpose,Against Document Detail No,Ellen Dokument Részlet sz.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Ügyfél típus kötelező
DocType: Quality Inspection,Outgoing,Kimenő
DocType: Material Request,Requested For,Igényelt
DocType: Quotation Item,Against Doctype,Ellen Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} törlik vagy zárva
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} törlik vagy zárva
DocType: Delivery Note,Track this Delivery Note against any Project,Kövesse nyomon ezt a szállítólevelet bármely Projekt témával
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Származó nettó készpénz a Befektetésekből
-,Is Primary Address,Ez elsődleges cím
DocType: Production Order,Work-in-Progress Warehouse,Munkavégzés raktára
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Vagyoneszköz {0} be kell nyújtani
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Részvételi rekord {0} létezik erre a Tanulóra {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Részvételi rekord {0} létezik erre a Tanulóra {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Hivatkozás # {0} dátuma {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Értékcsökkentési leírás az eszköz eltávolítása miatt
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Címek kezelése
DocType: Asset,Item Code,Tételkód
DocType: Production Planning Tool,Create Production Orders,Gyártásrendelés létrehozása
DocType: Serial No,Warranty / AMC Details,Garancia és éves karbantartási szerződés részletei
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Válassza a diákokat kézzel az Aktivitás alapú csoporthoz
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Válassza a diákokat kézzel az Aktivitás alapú csoporthoz
DocType: Journal Entry,User Remark,Felhasználói megjegyzés
DocType: Lead,Market Segment,Piaci rész
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},"Fizetett összeg nem lehet nagyobb, mint a teljes negatív kinntlévő összeg {0}"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},"Fizetett összeg nem lehet nagyobb, mint a teljes negatív kinntlévő összeg {0}"
DocType: Employee Internal Work History,Employee Internal Work History,Alkalmazott cégen belüli mozgása
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Zárás (Dr)
DocType: Cheque Print Template,Cheque Size,Csekk Méret
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Szériaszám: {0} nincs raktáron
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Adó sablon az eladási ügyletekere.
DocType: Sales Invoice,Write Off Outstanding Amount,Írja le a fennálló kintlévő negatív összeget
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Fiók {0} nem egyezik Company {1}
DocType: School Settings,Current Academic Year,Aktuális folyó tanév
DocType: Stock Settings,Default Stock UOM,Alapértelmezett raktár mértékegység
DocType: Asset,Number of Depreciations Booked,Lekönyvelt amortizációk száma
@@ -2852,27 +2874,27 @@
DocType: Asset,Double Declining Balance,Progresszív leírási modell egyenleg
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Lezárt rendelést nem lehet törölni. Nyissa fel megszüntetéshez.
DocType: Student Guardian,Father,Apa
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'Készlet frisítés' nem ellenőrizhető tárgyi eszköz értékesítésre
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Készlet frisítés' nem ellenőrizhető tárgyi eszköz értékesítésre
DocType: Bank Reconciliation,Bank Reconciliation,Bank egyeztetés
DocType: Attendance,On Leave,Távolléten
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Változások lekérdezése
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: fiók {2} nem tartozik ehhez a vállalkozáshoz {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,"A(z) {0} anyagigénylés törölve, vagy leállítva"
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Adjunk hozzá néhány minta bejegyzést
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Adjunk hozzá néhány minta bejegyzést
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Távollét kezelő
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Számla által csoportosítva
DocType: Sales Order,Fully Delivered,Teljesen leszállítva
DocType: Lead,Lower Income,Alacsonyabb jövedelmű
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Forrás és cél raktárban nem lehet azonos sorban {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Forrás és cél raktárban nem lehet azonos sorban {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Különbség számlának Eszköz / Kötelezettség típusú számlának kell lennie, mivel ez a Készlet egyeztetés egy kezdő könyvelési tétel"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},"Folyósított összeg nem lehet nagyobb, a kölcsön összegénél {0}"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Beszerzési megrendelés száma szükséges ehhez az elemhez {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Gyártási rendelés nincs létrehozva
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Beszerzési megrendelés száma szükséges ehhez az elemhez {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Gyártási rendelés nincs létrehozva
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"a ""Dátumtól"" dátumnál későbbinek kell lennie a ""Dátumig"""
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},"Nem lehet megváltoztatni az állapotát, mivel a hallgató: {0} hozzá van fűzve ehhez az alkalmazáshoz: {1}"
DocType: Asset,Fully Depreciated,Teljesen amortizálódott
,Stock Projected Qty,Készlet kivetített Mennyiség
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Vevő {0} nem tartozik ehhez a projekthez {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Vevő {0} nem tartozik ehhez a projekthez {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Jelzett Nézőszám HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Árajánlatok mind javaslatok, a vásárlói részére kiküldött ajánlatok"
DocType: Sales Order,Customer's Purchase Order,Vevői Beszerzési megrendelés
@@ -2881,33 +2903,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Értékelési kritériumok pontszám összegének ennyinek kell lennie: {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,"Kérjük, állítsa be a könyvelt amortizációk számát"
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Érték vagy menny
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Gyártási rendeléseket nem lehet megemelni erre:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Perc
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Gyártási rendeléseket nem lehet megemelni erre:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Perc
DocType: Purchase Invoice,Purchase Taxes and Charges,Beszerzési megrendelés Adók és díjak
,Qty to Receive,Mennyiség a fogadáshoz
DocType: Leave Block List,Leave Block List Allowed,Távollét blokk lista engedélyezett
DocType: Grading Scale Interval,Grading Scale Interval,Osztályozás időszak periódusa
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Költség igény jármű napló {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,"Kedvezmény (%) a árjegyéz árain, árkülönbözettel"
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,Összes Raktár
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Összes Raktár
DocType: Sales Partner,Retailer,Kiskereskedő
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Követelés főkönyvi számlának Mérlegszámlának kell lennie
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Követelés főkönyvi számlának Mérlegszámlának kell lennie
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Összes beszállító típus
DocType: Global Defaults,Disable In Words,Szavakkal mező elrejtése
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,"Tétel kód megadása kötelező, mert Tétel nincs automatikusan számozva"
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Tétel kód megadása kötelező, mert Tétel nincs automatikusan számozva"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Árajánlat {0} nem ilyen típusú {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Karbantartandó ütemező tétel
DocType: Sales Order,% Delivered,% kiszállítva
DocType: Production Order,PRO-,GYR-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Folyószámlahitel főkönyvi számla
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Folyószámlahitel főkönyvi számla
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Bérpapír létrehozás
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,"Row # {0}: elkülönített összeg nem lehet nagyobb, mint fennálló összeg."
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Keressen anyagjegyzéket
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Záloghitel
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Záloghitel
DocType: Purchase Invoice,Edit Posting Date and Time,Rögzítési dátum és idő szerkesztése
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Kérjük, állítsa be Értékcsökkenéssel kapcsolatos számlákat ebben a Vagyoniszköz Kategóriában {0} vagy vállalkozásban {1}"
DocType: Academic Term,Academic Year,Tanév
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Saját tőke nyitó egyenlege
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Saját tőke nyitó egyenlege
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Teljesítmény értékelés
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},E-mailt elküldve a beszállítóhoz {0}
@@ -2923,7 +2945,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,"Jóváhagyó beosztás nem lehet ugyanaz, mint a beosztás melyre a szabály alkalmazandó"
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Leiratkozni erről az üsszefoglaló e-mail -ről
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Üzenet elküldve
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Al csomópontokkal rendelkező számlát nem lehet beállítani főkönyvi számlává
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Al csomópontokkal rendelkező számlát nem lehet beállítani főkönyvi számlává
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,"Arány, amelyen az Árlista pénznemét átalakítja az Ügyfél alapértelmezett pénznemére"
DocType: Purchase Invoice Item,Net Amount (Company Currency),Nettó összeg (Társaság pénznemében)
@@ -2957,7 +2979,7 @@
DocType: Expense Claim,Approval Status,Jóváhagyás állapota
DocType: Hub Settings,Publish Items to Hub,Közzéteszi a tételeket a Hubon
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},"Űrlap értéke kisebb legyen, mint az érték ebben a sorban {0}"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Banki átutalás
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Banki átutalás
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Összes ellenőrzése
DocType: Vehicle Log,Invoice Ref,Számla hiv.
DocType: Purchase Order,Recurring Order,Ismétlődő rendelés
@@ -2970,51 +2992,54 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Banki ügyletek és Kifizetések
,Welcome to ERPNext,Üdvözöl az ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Érdeklődést Lehetőséggé
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nincs mást mutatnak.
DocType: Lead,From Customer,Vevőtől
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Hívások
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Hívások
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,sarzsok
DocType: Project,Total Costing Amount (via Time Logs),Összes Költség Összeg (Időnyilvántartó szerint)
DocType: Purchase Order Item Supplied,Stock UOM,Készlet mértékegysége
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Beszerzési megrendelés {0} nem nyújtják be
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Beszerzési megrendelés {0} nem nyújtják be
DocType: Customs Tariff Number,Tariff Number,Vámtarifaszám
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Tervezett
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Széria sz.: {0} nem tartozik ehhez a Raktárhoz {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"Megjegyzés: A rendszer nem ellenőrzi a túlteljesítést és túl-könyvelést erre a tételre {0}, mivel a mennyiség vagy összeg az: 0"
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"Megjegyzés: A rendszer nem ellenőrzi a túlteljesítést és túl-könyvelést erre a tételre {0}, mivel a mennyiség vagy összeg az: 0"
DocType: Notification Control,Quotation Message,Árajánlat üzenet
DocType: Employee Loan,Employee Loan Application,Alkalmazotti hitelkérelem
DocType: Issue,Opening Date,Nyitás dátuma
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Részvétel jelölése sikeres.
+DocType: Program Enrollment,Public Transport,Tömegközlekedés
DocType: Journal Entry,Remark,Megjegyzés
DocType: Purchase Receipt Item,Rate and Amount,Érték és mennyiség
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Számla típusa ehhez: {0} ennek kell lennie: {1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,Távollétek és ünnepek
DocType: School Settings,Current Academic Term,Aktuális Akadémiai szemeszter
DocType: Sales Order,Not Billed,Nem számlázott
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Mindkét Raktárnak ugyanahhoz a céghez kell tartoznia
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Nincs még kapcsolat hozzáadva.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Mindkét Raktárnak ugyanahhoz a céghez kell tartoznia
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Nincs még kapcsolat hozzáadva.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Beszerzési költség utalvány összege
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Beszállítók áéltal benyújtott számlák
DocType: POS Profile,Write Off Account,Leíró számla
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Terhelési értesítés össz
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Kedvezmény összege
DocType: Purchase Invoice,Return Against Purchase Invoice,Beszerzési számla ellenszámlája
DocType: Item,Warranty Period (in days),Garancia hossza (napokban)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Összefüggés a Helyettesítő1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Összefüggés a Helyettesítő1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Származó nettó a műveletekből
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,pl. ÁFA
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,pl. ÁFA
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,4. tétel
DocType: Student Admission,Admission End Date,Felvételi Végdátum
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Alvállalkozói
DocType: Journal Entry Account,Journal Entry Account,Könyvelési tétel számlaszáma
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Diákcsoport
DocType: Shopping Cart Settings,Quotation Series,Árajánlat szériák
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Egy tétel létezik azonos névvel ({0}), kérjük, változtassa meg a tétel csoport nevét, vagy nevezze át a tételt"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,"Kérjük, válasszon vevőt"
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Egy tétel létezik azonos névvel ({0}), kérjük, változtassa meg a tétel csoport nevét, vagy nevezze át a tételt"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,"Kérjük, válasszon vevőt"
DocType: C-Form,I,én
DocType: Company,Asset Depreciation Cost Center,Vagyoneszköz Értékcsökkenés Költséghely
DocType: Sales Order Item,Sales Order Date,Vevői rendelés dátuma
DocType: Sales Invoice Item,Delivered Qty,Kiszállított mennyiség
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Ha be van jelölve, az összes gyártási tétel al tétele bekerül az anyag igénylés kérésekbe."
DocType: Assessment Plan,Assessment Plan,Értékelés terv
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,{0} raktár: Cég megadása kötelező
DocType: Stock Settings,Limit Percent,Limit Percent
,Payment Period Based On Invoice Date,Fizetési határidő számla dátuma alapján
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Hiányzó pénznem árfolyamok ehhez: {0}
@@ -3026,7 +3051,7 @@
DocType: Vehicle,Insurance Details,Biztosítási részletek
DocType: Account,Payable,Kifizetendő
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,"Kérjük, írja be a törlesztési időszakokat"
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Követelések ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Követelések ({0})
DocType: Pricing Rule,Margin,Árkülönbözet
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Új Vevők
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Bruttó nyereség %
@@ -3037,16 +3062,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Ügyfél kötelező
DocType: Journal Entry,JV-,KT-
DocType: Topic,Topic Name,Téma neve
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Legalább az Értékesítést vagy Beszerzést választani kell
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Válassza ki a vállalkozása fajtáját.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Legalább az Értékesítést vagy Beszerzést választani kell
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Válassza ki a vállalkozása fajtáját.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Row # {0}: ismétlődő bevitelt Referenciák {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Ahol a gyártási műveleteket végzik.
DocType: Asset Movement,Source Warehouse,Forrás raktár
DocType: Installation Note,Installation Date,Telepítés dátuma
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Sor # {0}: {1} Vagyontárgy nem tartozik ehhez a céghez {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Sor # {0}: {1} Vagyontárgy nem tartozik ehhez a céghez {2}
DocType: Employee,Confirmation Date,Visszaigazolás dátuma
DocType: C-Form,Total Invoiced Amount,Teljes kiszámlázott összeg
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,"Min Menny nem lehet nagyobb, mint Max Mennyiség"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,"Min Menny nem lehet nagyobb, mint Max Mennyiség"
DocType: Account,Accumulated Depreciation,Halmozott értékcsökkenés
DocType: Stock Entry,Customer or Supplier Details,Vevő vagy Beszállító részletei
DocType: Employee Loan Application,Required by Date,Kötelező dátumonként
@@ -3067,22 +3092,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Havi Felbontás százaléka
DocType: Territory,Territory Targets,Területi célok
DocType: Delivery Note,Transporter Info,Fuvarozó adatai
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},"Kérjük, állítsa be alapértelmezettnek {0} ebben a vállalkozásban {1}"
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},"Kérjük, állítsa be alapértelmezettnek {0} ebben a vállalkozásban {1}"
DocType: Cheque Print Template,Starting position from top edge,Kiinduló helyzet a felső széltől
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Ugyanaz a szállító már többször megjelenik
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Bruttó nyereség / veszteség
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Beszerzési megrendelés tétele leszállítva
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,A Válallkozás neve nem lehet Válallkozás
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,A Válallkozás neve nem lehet Válallkozás
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Levél fejlécek a nyomtatási sablonokhoz.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Címek nyomtatási sablonokhoz pl. Pro forma számla.
DocType: Student Guardian,Student Guardian,Diák felügyelő
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Készletérték típusú költségeket nem lehet megjelölni értékbe beszámíthatónak
DocType: POS Profile,Update Stock,Készlet frissítése
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Szállító> Szállító Type
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Különböző mértékegység a tételekhez, helytelen (Összes) Nettó súly értékhez vezet. Győződjön meg arról, hogy az egyes tételek nettó tömege ugyanabban a mértékegységben van."
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Anyagjegyzék Díjszabási ár
DocType: Asset,Journal Entry for Scrap,Naplóbejegyzés selejtezéshez
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,"Kérjük, vegye kia a tételeket a szállítólevélből"
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,A naplóbejegyzések {0} un-linked
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,A naplóbejegyzések {0} un-linked
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Rekord minden kommunikáció típusú e-mail, telefon, chat, látogatás, stb"
DocType: Manufacturer,Manufacturers used in Items,Gyártókat használt ebben a tételekben
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Kérjük említse meg a Költséghely gyűjtőt a Vállalkozáson bellül
@@ -3129,33 +3155,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,Beszállító szállít a Vevőnek
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}](#Form/Item/{0}) elfogyott
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,"Következő Dátumnak nagyobbnak kell lennie, mint a Beküldés dátuma"
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Mutassa az adókedvezmény-felbontást
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Határidő / referencia dátum nem lehet {0} utáni
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Mutassa az adókedvezmény-felbontást
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Határidő / referencia dátum nem lehet {0} utáni
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Adatok importálása és exportálása
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","Készlet bejegyzés létezik erre a készletre: {0}, így akkor nem lehet újra kiírni, illetve módosítani"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Nem talált diákokat
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Nem talált diákokat
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Számla Könyvelési dátuma
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Elad
DocType: Sales Invoice,Rounded Total,Kerekített összeg
DocType: Product Bundle,List items that form the package.,A csomagot alkotó elemek listája.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Százalékos megoszlás egyenlőnek kell lennie a 100%-al
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,"Kérjük, válasszon könyvelési dátumot az Ügyfél kiválasztása előtt"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,"Kérjük, válasszon könyvelési dátumot az Ügyfél kiválasztása előtt"
DocType: Program Enrollment,School House,Iskola épület
DocType: Serial No,Out of AMC,ÉKSz időn túl
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,"Kérjük, válasszon Árajánlatot"
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,"Kérjük, válasszon Árajánlatot"
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,"Lekönyvelt amortizációk száma nem lehet nagyobb, mint az összes amortizációk száma"
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Karbantartási látogatás készítés
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,"Kérjük, lépjen kapcsolatba a felhasználóval, akinek van Értékesítési törzsadat kezelő {0} beosztása"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,"Kérjük, lépjen kapcsolatba a felhasználóval, akinek van Értékesítési törzsadat kezelő {0} beosztása"
DocType: Company,Default Cash Account,Alapértelmezett készpénzforgalmi számla
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Vállalkozás (nem vevő vagy beszállító) törzsadat.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Ez a Tanuló jelenlétén alapszik
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Nincs diák ebben
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Nincs diák ebben
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,További tételek hozzáadása vagy nyisson új űrlapot
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',"Kérjük, írja be: 'Várható szállítási időpont"""
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,"A {0} Szállítóleveleket törölni kell, mielőtt lemondásra kerül a Vevői rendelés"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,"Fizetett összeg + Leírható összeg nem lehet nagyobb, mint a Teljes összeg"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,"Fizetett összeg + Leírható összeg nem lehet nagyobb, mint a Teljes összeg"
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} nem érvényes Köteg szám ehhez a tételhez {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Megjegyzés: Nincs elég távollét egyenlege erre a távollét típusra {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,Érvénytelen GSTIN vagy Enter NA nem regisztrált
DocType: Training Event,Seminar,Szeminárium
DocType: Program Enrollment Fee,Program Enrollment Fee,Program Beiratkozási díj
DocType: Item,Supplier Items,Beszállítói tételek
@@ -3181,27 +3207,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,3. tétel
DocType: Purchase Order,Customer Contact Email,Vevői Email
DocType: Warranty Claim,Item and Warranty Details,Tétel és garancia Részletek
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Termék kód> Elem Csoport> Márka
DocType: Sales Team,Contribution (%),Hozzájárulás (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Megjegyzés: Fizetés bejegyzés nem hozható létre, mivel 'Készpénz vagy bankszámla' nem volt megadva"
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,"Válassza ki a programot, kötelező tanfolyamok átvételéhez."
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Felelősségek
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Felelősségek
DocType: Expense Claim Account,Expense Claim Account,Költség követelés számla
DocType: Sales Person,Sales Person Name,Értékesítő neve
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,"Kérjük, adjon meg legalább 1 számlát a táblázatban"
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Felhasználók hozzáadása
DocType: POS Item Group,Item Group,Anyagcsoport
DocType: Item,Safety Stock,Biztonsági készlet
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,"Haladás % , egy feladatnak nem lehet nagyobb, mint 100."
DocType: Stock Reconciliation Item,Before reconciliation,Főkönyvi egyeztetés előtt
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Címzett {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Adók és költségek hozzáadva (a vállalkozás pénznemében)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Tétel adó sor: {0} , melynek vagy adó vagy bevétel vagy kiadás vagy megterhelhető főkönyvi típusú számlának kell lennie."
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Tétel adó sor: {0} , melynek vagy adó vagy bevétel vagy kiadás vagy megterhelhető főkönyvi típusú számlának kell lennie."
DocType: Sales Order,Partly Billed,Részben számlázott
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,"Tétel: {0}, befektetett eszköz tételnek kell lennie"
DocType: Item,Default BOM,Alapértelmezett anyagjegyzék BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,"Kérjük ismítelje meg a cég nevét, a jóváhagyáshoz."
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Teljes fennálló kintlévő össz
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Terhelési értesítés összege
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,"Kérjük ismítelje meg a cég nevét, a jóváhagyáshoz."
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Teljes fennálló kintlévő össz
DocType: Journal Entry,Printing Settings,Nyomtatási beállítások
DocType: Sales Invoice,Include Payment (POS),Fizetés hozzáadása (Kassza term)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},"Összes Tartozásnak egyeznie kell az összes Követeléssel. A különbség az, {0}"
@@ -3215,15 +3239,16 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Raktáron:
DocType: Notification Control,Custom Message,Egyedi üzenet
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investment Banking
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Készpénz vagy bankszámla kötelező a fizetés bejegyzéshez
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Tanul címe
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Készpénz vagy bankszámla kötelező a fizetés bejegyzéshez
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Kérjük beállítási számozási sorozat nyilvántartó a Setup> számozás sorozat
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Tanul címe
DocType: Purchase Invoice,Price List Exchange Rate,Árlista váltási árfolyama
DocType: Purchase Invoice Item,Rate,Arány
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Belső
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,Cím Neve
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Belső
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,Cím Neve
DocType: Stock Entry,From BOM,Anyagjegyzékből
DocType: Assessment Code,Assessment Code,Értékelés kód
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Alapvető
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Alapvető
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Készlet tranzakciók {0} előtt befagyasztották
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"Kérjük, kattintson a 'Ütemterv létrehozás' -ra"
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","pl. kg, egység, darab sz., m"
@@ -3233,11 +3258,11 @@
DocType: Salary Slip,Salary Structure,Bérrendszer
DocType: Account,Bank,Bank
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Légitársaság
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Problémás Anyag
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Problémás Anyag
DocType: Material Request Item,For Warehouse,Ebbe a raktárba
DocType: Employee,Offer Date,Ajánlat dátuma
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Árajánlatok
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,"Ön offline módban van. Ön nem lesz képes, frissíteni amíg nincs hálózata."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,"Ön offline módban van. Ön nem lesz képes, frissíteni amíg nincs hálózata."
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Diákcsoportokat nem hozott létre.
DocType: Purchase Invoice Item,Serial No,Széria sz.
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,"Havi törlesztés összege nem lehet nagyobb, mint a hitel összege"
@@ -3245,8 +3270,8 @@
DocType: Purchase Invoice,Print Language,Nyomtatási nyelv
DocType: Salary Slip,Total Working Hours,Teljes munkaidő
DocType: Stock Entry,Including items for sub assemblies,Tartalmazza a részegységek tételeit
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Beírt értéknek pozitívnak kell lennie
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Összes Terület
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Beírt értéknek pozitívnak kell lennie
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Összes Terület
DocType: Purchase Invoice,Items,Tételek
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Tanuló már részt.
DocType: Fiscal Year,Year Name,Év Neve
@@ -3264,10 +3289,10 @@
DocType: Issue,Opening Time,Kezdési idő
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Ettől és eddig időpontok megadása
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Securities & árutőzsdék
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Alapértelmezett mértékegysége a '{0}' variánsnak meg kell egyeznie a '{1}' sablonban lévővel.
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Alapértelmezett mértékegysége a '{0}' variánsnak meg kell egyeznie a '{1}' sablonban lévővel.
DocType: Shipping Rule,Calculate Based On,Számítás ezen alapul
DocType: Delivery Note Item,From Warehouse,Raktárról
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Nincs elem az Anyagjegyzéken a Gyártáshoz
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Nincs elem az Anyagjegyzéken a Gyártáshoz
DocType: Assessment Plan,Supervisor Name,Felügyelő neve
DocType: Program Enrollment Course,Program Enrollment Course,Program Jelentkezés kurzus
DocType: Purchase Taxes and Charges,Valuation and Total,Készletérték és Teljes érték
@@ -3282,18 +3307,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Az utolsó rendelés óta eltelt napok""-nak nagyobbnak vagy egyenlőnek kell lennie nullával"
DocType: Process Payroll,Payroll Frequency,Bérszámfejtés gyakoriság
DocType: Asset,Amended From,Módosított feladója
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Nyersanyag
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Nyersanyag
DocType: Leave Application,Follow via Email,Kövesse e-mailben
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Géppark és gépek
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Géppark és gépek
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Adó összege a kedvezmény összege után
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Napi munka összefoglalása beállítások
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Pénznem ebben az árlistában {0} nem hasonlít erre a kiválasztott pénznemre {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Pénznem ebben az árlistában {0} nem hasonlít erre a kiválasztott pénznemre {1}
DocType: Payment Entry,Internal Transfer,belső Transfer
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Al fiók létezik erre a számlára. Nem törölheti ezt a fiókot.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Al fiók létezik erre a számlára. Nem törölheti ezt a fiókot.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Vagy előirányzott Menny. vagy előirányzott összeg kötelező
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Nincs alapértelmezett Anyagjegyzék erre a tételre {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Nincs alapértelmezett Anyagjegyzék erre a tételre {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,"Kérjük, válasszon Könyvelési dátumot először"
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Nyitás dátumának előbb kel llennie mint a zárás dátuma
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Kérjük, állítsa elnevezése sorozat {0} a Setup> Beállítások> elnevezése sorozat"
DocType: Leave Control Panel,Carry Forward,Átvihető a szabadság
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Költséghely meglévő tranzakciókkal nem lehet átalakítani főkönyvi számlává
DocType: Department,Days for which Holidays are blocked for this department.,Napok melyeket az Ünnepnapok blokkolják ezen az osztályon.
@@ -3303,10 +3329,9 @@
DocType: Issue,Raised By (Email),Felvetette (e-mail)
DocType: Training Event,Trainer Name,Képző neve
DocType: Mode of Payment,General,Általános
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Levélfejléc csatolása
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Utolsó kommunikáció
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nem vonható le, ha a kategória a 'Készletérték' vagy 'Készletérték és Teljes érték'"
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Sorolja fel az adó fejléceket (például ÁFA, vám stb.; rendelkezniük kell egyedi nevekkel) és a normál áraikat. Ez létre fog hozni egy szokásos sablont, amely szerkeszthet, és később hozzá adhat még többet."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Sorolja fel az adó fejléceket (például ÁFA, vám stb.; rendelkezniük kell egyedi nevekkel) és a normál áraikat. Ez létre fog hozni egy szokásos sablont, amely szerkeszthet, és később hozzá adhat még többet."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Széria számok szükségesek a sorbarendezett tételhez: {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Kifizetések és számlák főkönyvi egyeztetése
DocType: Journal Entry,Bank Entry,Bank adatbevitel
@@ -3315,16 +3340,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Adja a kosárhoz
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Csoportosítva
DocType: Guardian,Interests,Érdekek
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Pénznemek engedélyezése / tiltása
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Pénznemek engedélyezése / tiltása
DocType: Production Planning Tool,Get Material Request,Anyag igénylés lekérése
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Postai költségek
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Postai költségek
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Összesen (Menny)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Szórakozás és szabadidő
DocType: Quality Inspection,Item Serial No,Tétel-sorozatszám
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Készítsen Alkalmazott nyilvántartást
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Összesen meglévő
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Könyvelési kimutatások
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Óra
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Óra
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Új széria számnak nem lehet Raktára. Raktárat be kell állítani a Készlet bejegyzéssel vagy Beszerzési nyugtával
DocType: Lead,Lead Type,Érdeklődés típusa
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Nincs engedélye jóváhagyni az távolléteket a blokkolt dátumokon
@@ -3336,6 +3361,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,"Az új anyagjegyzék, amire lecseréli mindenhol"
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Értékesítési hely kassza
DocType: Payment Entry,Received Amount,Beérkezett összeg
+DocType: GST Settings,GSTIN Email Sent On,GSTIN e-mail elküldve On
+DocType: Program Enrollment,Pick/Drop by Guardian,Kis / Csökkenés Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Készítsen teljes mennyiségre, figyelmen kívül hagyva a már megrendelt mennyiséget"
DocType: Account,Tax,Adó
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,Jelöletlen
@@ -3347,14 +3374,14 @@
DocType: Batch,Source Document Name,Forrás dokumentum neve
DocType: Job Opening,Job Title,Állás megnevezése
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Felhasználók létrehozása
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,Gramm
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,Gramm
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,"Gyártáshoz a mennyiségnek nagyobbnak kell lennie, mint 0."
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Látogassa jelentést karbantartási hívást.
DocType: Stock Entry,Update Rate and Availability,Frissítse az árat és az elérhetőséget
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Százalék amennyivel többet kaphat és adhat a megrendelt mennyiségnél. Például: Ha Ön által megrendelt 100 egység, és az engedmény 10%, akkor kaphat 110 egységet."
DocType: POS Customer Group,Customer Group,Vevő csoport
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Új Kötegazonosító (opcionális)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Költség számla kötelező elem ehhez {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Költség számla kötelező elem ehhez {0}
DocType: BOM,Website Description,Weboldal leírása
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Nettó változás a saját tőkében
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,"Kérjük, vonja vissza a(z) {0} Beszállítói számlát először"
@@ -3364,8 +3391,8 @@
,Sales Register,Értékesítési Regisztráció
DocType: Daily Work Summary Settings Company,Send Emails At,Küldj e-maileket ide
DocType: Quotation,Quotation Lost Reason,Árajánlat elutasításának oka
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Válassza ki a Domain-ét
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Tranzakciós hivatkozási szám {0} dátum: {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Válassza ki a Domain-ét
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Tranzakciós hivatkozási szám {0} dátum: {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Nincs semmi szerkesztenivaló.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,"Összefoglaló erre a hónapra, és folyamatban lévő tevékenységek"
DocType: Customer Group,Customer Group Name,Vevő csoport neve
@@ -3373,14 +3400,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Pénzforgalmi kimutatás
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Hitel összege nem haladhatja meg a maximális kölcsön összegét {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licensz
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},Töröld a számlát: {0} a C-űrlapból: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},Töröld a számlát: {0} a C-űrlapból: {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Kérjük, válassza ki az átvitelt, ha Ön is szeretné az előző pénzügyi év mérlege ágait erre a költségvetési évre áthozni"
DocType: GL Entry,Against Voucher Type,Ellen-bizonylat típusa
DocType: Item,Attributes,Jellemzők
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,"Kérjük, adja meg a Leíráshoz használt számlát"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,"Kérjük, adja meg a Leíráshoz használt számlát"
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Utolsó rendelési dátum
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},A {0}számlához nem tartozik a {1} vállalat
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Sorozatszámok ebben a sorban {0} nem egyezik a szállítólevéllel
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Sorozatszámok ebben a sorban {0} nem egyezik a szállítólevéllel
DocType: Student,Guardian Details,Helyettesítő részletei
DocType: C-Form,C-Form,C-Form
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Jelölje a Jelenlétet több alkalmazotthoz
@@ -3395,16 +3422,16 @@
DocType: Budget Account,Budget Amount,Költségvetés Összeg
DocType: Appraisal Template,Appraisal Template Title,Teljesítmény értékelő sablon címe
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Dátumtól {0} a {1}Munkavállalónál nem lehet korábban az alkalmazott felvételi dátumánál {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Kereskedelmi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Kereskedelmi
DocType: Payment Entry,Account Paid To,Számla kifizetve ennek:
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Szülő tétel {0} nem lehet Készletezett tétel
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Összes termékek vagy szolgáltatások.
DocType: Expense Claim,More Details,Részletek
DocType: Supplier Quotation,Supplier Address,Beszállító címe
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},"{0} költségvetés ehhez a főkönyvi számlához {1}, ez ellen {2} {3} ami {4}. Ez meg fogja haladni ennyivel {5}"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Sor {0} # fióknak 'Állóeszköz' típusúnak kell lennie
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Mennyiségen kívül
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Szabályok számítani a szállítási költség egy eladó
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Sor {0} # fióknak 'Állóeszköz' típusúnak kell lennie
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Mennyiségen kívül
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Szabályok számítani a szállítási költség egy eladó
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Sorozat kötelező
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Pénzügyi szolgáltatások
DocType: Student Sibling,Student ID,Diákigazolvány ID
@@ -3412,13 +3439,13 @@
DocType: Tax Rule,Sales,Értékesítés
DocType: Stock Entry Detail,Basic Amount,Alapösszege
DocType: Training Event,Exam,Vizsga
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Raktár szükséges a {0} tételhez
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Raktár szükséges a {0} tételhez
DocType: Leave Allocation,Unused leaves,A fel nem használt távollétek
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Kr
DocType: Tax Rule,Billing State,Számlázási Állam
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Átutalás
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} nincs összekapcsolva ezzel az Ügyfél fiókkal {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Hozzon létre robbant anyagjegyzéket BOM (beleértve a részegységeket)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} nincs összekapcsolva ezzel az Ügyfél fiókkal {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Hozzon létre robbant anyagjegyzéket BOM (beleértve a részegységeket)
DocType: Authorization Rule,Applicable To (Employee),Alkalmazandó (Alkalmazott)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Határidő dátum kötelező
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Növekmény erre a Jellemzőre {0} nem lehet 0
@@ -3446,7 +3473,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Nyersanyag tételkód
DocType: Journal Entry,Write Off Based On,Leírja ez alapján
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Érdeklődés készítés
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Nyomtatás és papíráruk
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Nyomtatás és papíráruk
DocType: Stock Settings,Show Barcode Field,Mutatása a Vonalkód mezőt
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Beszállítói e-mailek küldése
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Fizetés már feldolgozott a {0} és {1} közti időszakra, Távollét alkalmazásának időszaka nem eshet ezek közözti időszakok közé."
@@ -3454,13 +3481,15 @@
DocType: Guardian Interest,Guardian Interest,Helyettesítő kamat
apps/erpnext/erpnext/config/hr.py +177,Training,Képzés
DocType: Timesheet,Employee Detail,Alkalmazott részlet
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Helyettesítő1 e-mail azonosító
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Helyettesítő1 e-mail azonosító
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,Következő Dátumnak és az ismétlés napjának egyezőnek kell lennie
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Beállítások az internetes honlaphoz
DocType: Offer Letter,Awaiting Response,Várakozás válaszra
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Fent
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Fent
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},Érvénytelen Jellemző {0} {1}
DocType: Supplier,Mention if non-standard payable account,"Megemlít, ha nem szabványos fizetendő számla"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Ugyanazt a tételt már többször jelenik meg. {lista}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',"Kérjük, válasszon az értékelés eltérő csoport „Az Értékelési csoportok”"
DocType: Salary Slip,Earning & Deduction,Jövedelem és levonás
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,"Választható. Ezt a beállítást kell használni, a különböző tranzakciók szűréséhez."
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Negatív értékelési ár nem megengedett
@@ -3474,9 +3503,9 @@
DocType: Sales Invoice,Product Bundle Help,Gyártmány csomag Súgója
,Monthly Attendance Sheet,Havi jelenléti ív
DocType: Production Order Item,Production Order Item,Gyártási rendelés tétel
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Nem található bejegyzés
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Nem található bejegyzés
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Selejtezett eszközök költsége
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Költséghely kötelező ehhez a tételhez {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Költséghely kötelező ehhez a tételhez {2}
DocType: Vehicle,Policy No,Irányelv sz.:
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Hogy elemeket Termék Bundle
DocType: Asset,Straight Line,Egyenes
@@ -3484,7 +3513,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Osztott
DocType: GL Entry,Is Advance,Ez előleg
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Részvételi kezdő dátum és részvétel befejező dátuma kötelező
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,"Kérjük, írja be a 'Alvállalkozói', Igen vagy Nem"
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,"Kérjük, írja be a 'Alvállalkozói', Igen vagy Nem"
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Utolsó kommunikáció dátuma
DocType: Sales Team,Contact No.,Kapcsolattartó szám
DocType: Bank Reconciliation,Payment Entries,Fizetési bejegyzések
@@ -3510,60 +3539,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Nyitó érték
DocType: Salary Detail,Formula,Képlet
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Szériasz #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Értékesítések jutalékai
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Értékesítések jutalékai
DocType: Offer Letter Term,Value / Description,Érték / Leírás
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Sor # {0}: {1} Vagyontárgyat nem lehet benyújtani, ez már {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Sor # {0}: {1} Vagyontárgyat nem lehet benyújtani, ez már {2}"
DocType: Tax Rule,Billing Country,Számlázási Ország
DocType: Purchase Order Item,Expected Delivery Date,Várható szállítás dátuma
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Tartozik és követel nem egyenlő a {0} # {1}. Ennyi a különbség {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Reprezentációs költségek
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Anyag igénylés létrehozás
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Reprezentációs költségek
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Anyag igénylés létrehozás
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Nyitott tétel {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,A {0} kimenő vevői rendelési számlát vissza kell vonni a vevői rendelés lemondása elött
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Életkor
DocType: Sales Invoice Timesheet,Billing Amount,Számlaérték
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,"Érvénytelen mennyiséget megadott elem {0}. A mennyiség nagyobb, mint 0."
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Távollétre jelentkezés.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Meglévő tranzakcióval rendelkező számla nem törölhető.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Meglévő tranzakcióval rendelkező számla nem törölhető.
DocType: Vehicle,Last Carbon Check,Utolsó másolat megtekintés
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Jogi költségek
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Jogi költségek
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,"Kérjük, válasszon mennyiséget sor"
DocType: Purchase Invoice,Posting Time,Rögzítés ideje
DocType: Timesheet,% Amount Billed,% mennyiség számlázva
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Telefon költségek
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Telefon költségek
DocType: Sales Partner,Logo,Logó
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Jelölje be, ha azt akarja, hogy a felhasználó válassza ki a sorozatokat mentés előtt. Nem lesz alapértelmezett, ha bejelöli."
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Nincs tétel ezzel a Széris számmal {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Nincs tétel ezzel a Széris számmal {0}
DocType: Email Digest,Open Notifications,Nyílt értesítések
DocType: Payment Entry,Difference Amount (Company Currency),Eltérés összege (Válalat pénzneme)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Közvetlen költségek
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Közvetlen költségek
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'","{0} érvénytelen e-mail cím itt: ""Értesítés \ Email címek"""
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Új Vevő árbevétel
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Utazási költségek
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Utazási költségek
DocType: Maintenance Visit,Breakdown,Üzemzavar
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Számla: {0} ebben a pénznemben: {1} nem választható
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Számla: {0} ebben a pénznemben: {1} nem választható
DocType: Bank Reconciliation Detail,Cheque Date,Csekk dátuma
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},A {0} számla: Szülő számla {1} nem tartozik ehhez a céghez: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},A {0} számla: Szülő számla {1} nem tartozik ehhez a céghez: {2}
DocType: Program Enrollment Tool,Student Applicants,Tanuló pályázóknak
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Sikeresen törölve valamennyi a vállalattal kapcsolatos ügylet !
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Sikeresen törölve valamennyi a vállalattal kapcsolatos ügylet !
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Mivel a dátum
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,Felvétel dátuma
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Próbaidő
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Próbaidő
apps/erpnext/erpnext/config/hr.py +115,Salary Components,Bér összetevők
DocType: Program Enrollment Tool,New Academic Year,Új Tanév
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Vissza / Követelés értesítő
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Vissza / Követelés értesítő
DocType: Stock Settings,Auto insert Price List rate if missing,"Auto Árlista érték beillesztés, ha hiányzik"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Teljes fizetett összeg
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Teljes fizetett összeg
DocType: Production Order Item,Transferred Qty,Átvitt Mennyiség
apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigálás
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Tervezés
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Kiadott Probléma
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Tervezés
+DocType: Material Request,Issued,Kiadott Probléma
DocType: Project,Total Billing Amount (via Time Logs),Összesen Számlázott összeg (Idő Nyilvántartó szerint)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Értékesítjük ezt a tételt
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Beszállító Id
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Értékesítjük ezt a tételt
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Beszállító Id
DocType: Payment Request,Payment Gateway Details,Fizetési átjáró részletei
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,"Mennyiség nagyobbnak kell lennie, mint 0"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,"Mennyiség nagyobbnak kell lennie, mint 0"
DocType: Journal Entry,Cash Entry,Készpénz bejegyzés
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Al csomópontok csak 'csoport' típusú csomópontok alatt hozhatók létre
DocType: Leave Application,Half Day Date,Félnapos dátuma
@@ -3575,14 +3605,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},"Kérjük, állítsa be az alapértelmezett főkönyvi számlát a Költség Követelés típusban: {0}"
DocType: Assessment Result,Student Name,Tanuló név
DocType: Brand,Item Manager,Tétel kezelő
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,Bérszámfejtés fizetendő
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Bérszámfejtés fizetendő
DocType: Buying Settings,Default Supplier Type,Alapértelmezett beszállító típus
DocType: Production Order,Total Operating Cost,Teljes működési költség
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,"Megjegyzés: Tétel {0}, többször vitték be"
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Összes Kapcsolattartó.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Vállakozás rövidítése
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Vállakozás rövidítése
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,A(z) {0} felhasználó nem létezik
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,"Alapanyag nem lehet ugyanaz, mint a fő elem"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,"Alapanyag nem lehet ugyanaz, mint a fő elem"
DocType: Item Attribute Value,Abbreviation,Rövidítés
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Fizetés megadása már létezik
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Nem engedélyezett hiszen {0} meghaladja határértékek
@@ -3591,49 +3621,49 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Adózási szabály megadása a bevásárlókosárhoz
DocType: Purchase Invoice,Taxes and Charges Added,Adók és költségek hozzáadva
,Sales Funnel,Értékesítési csatorna
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Rövidítés kötelező
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Rövidítés kötelező
DocType: Project,Task Progress,Feladat előrehaladása
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Szekér
,Qty to Transfer,Mennyiség az átvitelhez
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Árajánlatok az Érdeklődőknek vagy Vevőknek.
DocType: Stock Settings,Role Allowed to edit frozen stock,Beosztás engedélyezi a zárolt készlet szerkesztését
,Territory Target Variance Item Group-Wise,"Terület Cél Variáció, tételcsoportonként"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Összes vevői csoport
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Összes vevői csoport
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Halmozott Havi
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} kötelező. Talán a Pénzváltó rekord nincs létrehozva ettől {1} eddig {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} kötelező. Talán a Pénzváltó rekord nincs létrehozva ettől {1} eddig {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Adó Sablon kötelező.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,A {0} számla: Szülő számla {1} nem létezik
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,A {0} számla: Szülő számla {1} nem létezik
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Árlista árak (Vállalat pénznemében)
DocType: Products Settings,Products Settings,Termék beállítások
DocType: Account,Temporary,Ideiglenes
DocType: Program,Courses,tanfolyamok
DocType: Monthly Distribution Percentage,Percentage Allocation,Százalékos megoszlás
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Titkár
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Titkár
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Ha kikapcsolja, a ""Szavakkal"" mező nem fog látszódni egyik tranzakcióban sem"
DocType: Serial No,Distinct unit of an Item,Különálló egység egy tételhez
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,"Kérjük, állítsa Company"
DocType: Pricing Rule,Buying,Beszerzés
DocType: HR Settings,Employee Records to be created by,Alkalmazott bejegyzést létrehozó
DocType: POS Profile,Apply Discount On,Alkalmazzon kedvezmény ezen
,Reqd By Date,Igénylt. Dátum szerint
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,A hitelezők
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,A hitelezők
DocType: Assessment Plan,Assessment Name,Értékelés Név
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Sor # {0}: Sorszám kötelező
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Tételenkénti adó részletek
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Intézet rövidítése
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Intézet rövidítése
,Item-wise Price List Rate,Tételenkénti Árlista árjegyzéke
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Beszállítói ajánlat
DocType: Quotation,In Words will be visible once you save the Quotation.,"A szavakkal mező lesz látható, miután mentette az Árajánlatot."
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Mennyiség ({0}) nem lehet egy töredék ebben a sorban {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,Díjak gyűjtése
DocType: Attendance,ATT-,CSAT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},A vonalkód {0} már használt a {1} Tételnél
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},A vonalkód {0} már használt a {1} Tételnél
DocType: Lead,Add to calendar on this date,Adja hozzá a naptárhoz ezen a napon
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Szabályok hozzátéve szállítási költségeket.
DocType: Item,Opening Stock,Nyitó állomány
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Vevő szükséges
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} kötelező a Visszaadáshoz
DocType: Purchase Order,To Receive,Beérkeztetés
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,felhasznalo@pelda.com
DocType: Employee,Personal Email,Személyes emailcím
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Összes variáció
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ha engedélyezve van, a rendszer automatikusan kiküldi a könyvelési tételeket a leltárhoz."
@@ -3644,13 +3674,14 @@
DocType: Customer,From Lead,Érdeklődésből
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Megrendelések gyártásra bocsátva.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Válasszon pénzügyi évet ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS profil szükséges a POS bevitelhez
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS profil szükséges a POS bevitelhez
DocType: Program Enrollment Tool,Enroll Students,Diákok felvétele
DocType: Hub Settings,Name Token,Név Token
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Alapértelmezett értékesítési
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Legalább egy Raktár kötelező
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Legalább egy Raktár kötelező
DocType: Serial No,Out of Warranty,Garanciaidőn túl
DocType: BOM Replace Tool,Replace,Csere
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Nem talált termékek.
DocType: Production Order,Unstopped,Meg nem állított
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} a {1} Értékesítési számlához
DocType: Sales Invoice,SINV-,ÉSZLA-
@@ -3661,13 +3692,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Készlet értékkülönbözet
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Emberi Erőforrás HR
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Fizetés főkönyvi egyeztetés Fizetés
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Adó eszközök
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Adó eszközök
DocType: BOM Item,BOM No,Anyagjegyzék száma
DocType: Instructor,INS/,OKT/
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Naplókönyvelés {0} nincs főkönyvi számlája {1} vagy már párosított másik utalvánnyal
DocType: Item,Moving Average,Mozgóátlag
DocType: BOM Replace Tool,The BOM which will be replaced,"Az anyagjegyzék, ami mindenhol lecserélésre kerül"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,Elektronikus berendezések
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,Elektronikus berendezések
DocType: Account,Debit,Tartozás
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Távolléteket foglalni kell a 0,5 többszöröseként"
DocType: Production Order,Operation Cost,Üzemeltetési költségek
@@ -3675,7 +3706,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Fennálló kinntlévő negatív össz
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Csoportonkénti Cél tétel beállítás ehhez az Értékesítő személyhez.
DocType: Stock Settings,Freeze Stocks Older Than [Days],[Days] régebbi készlet zárolása
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Sor # {0}: Vagyontárgy kötelező állóeszköz vétel / eladás
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Sor # {0}: Vagyontárgy kötelező állóeszköz vétel / eladás
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ha két vagy több árképzési szabály található a fenti feltételek alapján, Prioritást alkalmazzák. Prioritás egy 0-20 közötti szám, míg az alapértelmezett értéke nulla (üres). A magasabb szám azt jelenti, hogy elsőbbséget élvez, ha több árképzési szabály azonos feltételekkel rendelkezik."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Pénzügyi év: {0} nem létezik
DocType: Currency Exchange,To Currency,Pénznemhez
@@ -3683,7 +3714,7 @@
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Garanciális ügyek költség típusa.
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},"Eladási ár ehhez a tételhez {0} alacsonyabb, mint a {1}. Eladási árnak legalább ennyienk kell lennie {2}"
DocType: Item,Taxes,Adók
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Fizetett és nincs leszállítva
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Fizetett és nincs leszállítva
DocType: Project,Default Cost Center,Alapértelmezett költséghely
DocType: Bank Guarantee,End Date,Befejezés dátuma
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Készlet tranzakciók
@@ -3708,24 +3739,22 @@
DocType: Employee,Held On,Tartott
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Gyártási tétel
,Employee Information,Alkalmazott adatok
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Ráta (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Ráta (%)
DocType: Stock Entry Detail,Additional Cost,Járulékos költség
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Üzleti év végi dátuma
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Nem tudja szűrni utalvány szám alapján, ha utalványonként csoportosított"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Beszállítói ajánlat létrehozás
DocType: Quality Inspection,Incoming,Bejövő
DocType: BOM,Materials Required (Exploded),Szükséges anyagok (Robbantott)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Adjon hozzá felhasználókat a szervezetéhez, saját magán kívül"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Könyvelési dátum nem lehet jövőbeni időpontban
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Sor # {0}: Sorszám {1} nem egyezik a {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Alkalmi távollét
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Alkalmi távollét
DocType: Batch,Batch ID,Köteg ID
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Megjegyzés: {0}
,Delivery Note Trends,Szállítólevelek alakulása
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Összefoglaló erről a hétről
-,In Stock Qty,Készleten mennyiség
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Készleten mennyiség
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Számla: {0} csak Készlet tranzakciókkal frissíthető
-DocType: Program Enrollment,Get Courses,Tanfolyamok lekérése
+DocType: Student Group Creation Tool,Get Courses,Tanfolyamok lekérése
DocType: GL Entry,Party,Ügyfél
DocType: Sales Order,Delivery Date,Szállítás dátuma
DocType: Opportunity,Opportunity Date,Lehetőség dátuma
@@ -3733,14 +3762,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Árajánlatkérés tételre
DocType: Purchase Order,To Bill,Számlázni
DocType: Material Request,% Ordered,% Rendezve
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Mert Course alapú Student Group, a pálya érvényesítésre kerül minden hallgató beiratkozott a kurzusok Program beiratkozás."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Adja meg Email címeket, vesszővel elválasztva, számlát automatikusan küldjük az adott időpontban"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Darabszámra fizetett munka
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Darabszámra fizetett munka
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Átlagos vásárlási érték
DocType: Task,Actual Time (in Hours),Tényleges idő (óra)
DocType: Employee,History In Company,Előzmények a cégnél
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Hírlevelek
DocType: Stock Ledger Entry,Stock Ledger Entry,Készlet könyvelés tétele
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Ügyfél> Vásárlói csoport> Terület
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Ugyanazt a tételt már többször rögzítették
DocType: Department,Leave Block List,Távollét blokk lista
DocType: Sales Invoice,Tax ID,Adóazonosító
@@ -3755,30 +3784,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} darab ebből: {1} szükséges ebben: {2} a tranzakció befejezéséhez.
DocType: Loan Type,Rate of Interest (%) Yearly,Kamatláb (%) Éves
DocType: SMS Settings,SMS Settings,SMS beállítások
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Ideiglenes számlák
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Fekete
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Ideiglenes számlák
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Fekete
DocType: BOM Explosion Item,BOM Explosion Item,ANYGJZ Robbantott tétel
DocType: Account,Auditor,Könyvvizsgáló
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} előállított tétel(ek)
DocType: Cheque Print Template,Distance from top edge,Távolság felső széle
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Árlista {0} letiltott vagy nem létezik
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Árlista {0} letiltott vagy nem létezik
DocType: Purchase Invoice,Return,Visszatérés
DocType: Production Order Operation,Production Order Operation,Gyártási rendelés végrehajtás
DocType: Pricing Rule,Disable,Tiltva
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Fizetési módra van szükség a fizetéshez
DocType: Project Task,Pending Review,Ellenőrzésre vár
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nem vontunk be a Batch {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Vagyoneszköz {0} nem selejtezhető, mivel már {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Teljes Költség Követelés (költségtérítési igényekkel)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Vevő Id
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Hiányzónak jelöl
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Sor {0}: Anyagjegyzés BOM pénzneme #{1} egyeznie kell a kiválasztott pénznemhez {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Sor {0}: Anyagjegyzés BOM pénzneme #{1} egyeznie kell a kiválasztott pénznemhez {2}
DocType: Journal Entry Account,Exchange Rate,Átváltási arány
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Vevői rendelés {0} nem nyújtják be
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Vevői rendelés {0} nem nyújtják be
DocType: Homepage,Tag Line,Jelmondat sor
DocType: Fee Component,Fee Component,Díj komponens
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Flotta kezelés
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Tételek hozzáadása innen
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},{0} raktár: a szülő számla: {1} nem kapcsolódik a {2} céghez
DocType: Cheque Print Template,Regular,Szabályos
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Összesen súlyozás minden Értékelési kritériumra legalább 100%
DocType: BOM,Last Purchase Rate,Utolsó beszerzési ár
@@ -3787,11 +3815,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Állomány nem létezik erre a tételre: {0} mivel változatai vanak
,Sales Person-wise Transaction Summary,Értékesítő személy oldali Tranzakciós összefoglaló
DocType: Training Event,Contact Number,Kapcsolattartó száma
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,{0} raktár nem létezik
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,{0} raktár nem létezik
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Regisztráció az ERPNext Hub–hoz
DocType: Monthly Distribution,Monthly Distribution Percentages,Havi Felbontás százalékai
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,A kiválasztott elemnek nem lehet Kötege
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Értékelés mértéke nem található erre a tételre {0}, mely kötelező a számviteli bejegyzések megtételére ehhez {1} {2}. Ha a tétel mintaként bonyolítódik ebben {1}, kérem említse meg ezt az {1} Tétel táblázatban. Ellenkező esetben, kérjük hozzon létre egy bejövő készlet tranzakciót a tételre vagy említése meg az értékelési árat a Tétel rekordjában, majd próbálja benyújtani / törölni ezt a bejegyzést"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Értékelés mértéke nem található erre a tételre {0}, mely kötelező a számviteli bejegyzések megtételére ehhez {1} {2}. Ha a tétel mintaként bonyolítódik ebben {1}, kérem említse meg ezt az {1} Tétel táblázatban. Ellenkező esetben, kérjük hozzon létre egy bejövő készlet tranzakciót a tételre vagy említése meg az értékelési árat a Tétel rekordjában, majd próbálja benyújtani / törölni ezt a bejegyzést"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% anyag tételek szállítva Beszállítói szállítólevélhez
DocType: Project,Customer Details,Vevő részletek
DocType: Employee,Reports to,Jelentések
@@ -3799,41 +3827,43 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Adjon url paramétert a fogadó számaihoz
DocType: Payment Entry,Paid Amount,Fizetett összeg
DocType: Assessment Plan,Supervisor,Felügyelő
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Online
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,Online
,Available Stock for Packing Items,Elérhető készlet a tételek csomagolásához
DocType: Item Variant,Item Variant,Tétel variáns
DocType: Assessment Result Tool,Assessment Result Tool,Assessment Eredmény eszköz
DocType: BOM Scrap Item,BOM Scrap Item,Anyagjegyzék Fémhulladék tétel
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Benyújtott megbízásokat nem törölheti
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Számlaegyenleg már Nekünk tartozik, akkor nem szabad beállítani ""Ennek egyenlege"", mint ""Tőlünk követel"""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Minőségbiztosítás
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Benyújtott megbízásokat nem törölheti
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Számlaegyenleg már Nekünk tartozik, akkor nem szabad beállítani ""Ennek egyenlege"", mint ""Tőlünk követel"""
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Minőségbiztosítás
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,"Tétel {0} ,le lett tiltva"
DocType: Employee Loan,Repay Fixed Amount per Period,Fix összeg visszafizetése időszakonként
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},"Kérjük, adjon meg mennyiséget erre a tételre: {0}"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Credit Megjegyzés össz
DocType: Employee External Work History,Employee External Work History,Alkalmazott korábbi munkahelyei
DocType: Tax Rule,Purchase,Beszerzés
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Mérleg mennyiség
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Mérleg mennyiség
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Célok nem lehetnek üresek
DocType: Item Group,Parent Item Group,Szülő tétel csoport
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} a {1} -hez
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Költséghelyek
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Költséghelyek
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,"Arány, amelyen a Beszállító pénznemét átalakítja a vállalakozás alapértelmezett pénznemére"
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: Timings konfliktusok sora {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Engedélyezi a null értékű árat
DocType: Training Event Employee,Invited,Meghívott
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Több aktív fizetési struktúrát talált ehhez az alkalmazotthoz: {0} az adott dátumokra
DocType: Opportunity,Next Contact,Következő Kapcsolat
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Fizetési átjáró számlák telepítése.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Fizetési átjáró számlák telepítése.
DocType: Employee,Employment Type,Alkalmazott típusa
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Befektetett fix eszközök
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Befektetett fix eszközök
DocType: Payment Entry,Set Exchange Gain / Loss,Árfolyamnyereség / veszteség beállítása
+,GST Purchase Register,GST Vásárlás Regisztráció
,Cash Flow,Pénzforgalom
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Jelentkezési időszak nem lehet két elhelyezett bejegyzés között
DocType: Item Group,Default Expense Account,Alapértelmezett Kiadás számla
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Tanuló e-mail azonosító
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Tanuló e-mail azonosító
DocType: Employee,Notice (days),Felmondás (nap(ok))
DocType: Tax Rule,Sales Tax Template,Forgalmi adó Template
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Válassza ki a tételeket a számla mentéséhez
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Válassza ki a tételeket a számla mentéséhez
DocType: Employee,Encashment Date,Beváltás dátuma
DocType: Training Event,Internet,Internet
DocType: Account,Stock Adjustment,Készlet igazítás
@@ -3861,7 +3891,7 @@
DocType: Guardian,Guardian Of ,Helyettesítője
DocType: Grading Scale Interval,Threshold,Küszöb
DocType: BOM Replace Tool,Current BOM,Aktuális anyagjegyzék (mit)
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Széria szám hozzáadása
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Széria szám hozzáadása
apps/erpnext/erpnext/config/support.py +22,Warranty,Garancia/szavatosság
DocType: Purchase Invoice,Debit Note Issued,Terhelési értesítés kiadva
DocType: Production Order,Warehouses,Raktárak
@@ -3870,20 +3900,20 @@
DocType: Workstation,per hour,óránként
apps/erpnext/erpnext/config/buying.py +7,Purchasing,Beszerzés
DocType: Announcement,Announcement,Közlemény
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Számla a raktárhoz (Állandó készlet) ennek a számlának az alszámlájaként létrehozott.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Raktárat nem lehet törölni mivel a készletek főkönyvi bejegyzése létezik erre a raktárra.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Batch alapú Student Group, a Student Batch érvényesítésre kerül minden hallgató a program regisztrációs."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Raktárat nem lehet törölni mivel a készletek főkönyvi bejegyzése létezik erre a raktárra.
DocType: Company,Distribution,Képviselet
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Kifizetett Összeg
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Projekt téma menedzser
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Projekt téma menedzser
,Quoted Item Comparison,Ajánlott tétel összehasonlítás
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Feladás
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,A(z) {0} tételre max. {1}% engedmény adható
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Feladás
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,A(z) {0} tételre max. {1}% engedmény adható
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Eszközérték ezen
DocType: Account,Receivable,Bevételek
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Sor # {0}: nem szabad megváltoztatni a beszállítót, mivel már van rá Beszerzési Megrendelés"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Sor # {0}: nem szabad megváltoztatni a beszállítót, mivel már van rá Beszerzési Megrendelés"
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Beosztást, amely lehetővé tette, hogy nyújtson be tranzakciókat, amelyek meghaladják a követelés határértékeket."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Tételek kiválasztása gyártáshoz
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Törzsadatok szinkronizálása, ez eltart egy ideig"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Tételek kiválasztása gyártáshoz
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Törzsadatok szinkronizálása, ez eltart egy ideig"
DocType: Item,Material Issue,Anyag probléma
DocType: Hub Settings,Seller Description,Eladó Leírása
DocType: Employee Education,Qualification,Képesítés
@@ -3903,7 +3933,6 @@
DocType: BOM,Rate Of Materials Based On,Anyagköltség számítás módja
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Támogatási analitika
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Összes kijelöletlen
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Válallkozás hiányzik a raktárakban {0}
DocType: POS Profile,Terms and Conditions,Általános Szerződési Feltételek
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},A végső napnak a pénzügyi éven bellülinek kell lennie. Feltételezve a végső nap = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Itt tarthatja karban a magasságot, súlyt, allergiát, egészségügyi problémákat stb"
@@ -3918,18 +3947,17 @@
DocType: Sales Order Item,For Production,Termeléshez
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Feladatok megtekintése
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,A pénzügyi év kezdete
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,LEHET / Érdeklődés %
DocType: Material Request,MREQ-,ANYIG-
,Asset Depreciations and Balances,Vagyoneszköz Értékcsökkenés és egyenlegek
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Összeg: {0} {1} átment ebből: {2} ebbe: {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Összeg: {0} {1} átment ebből: {2} ebbe: {3}
DocType: Sales Invoice,Get Advances Received,Befogadott előlegek átmásolása
DocType: Email Digest,Add/Remove Recipients,Címzettek Hozzáadása/Eltávolítása
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},A tranzakció nem megengedett a leállított gyártási rendeléssel szemben: {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},A tranzakció nem megengedett a leállított gyártási rendeléssel szemben: {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Beállítani ezt a költségvetési évet alapértelmezettként, kattintson erre: 'Beállítás alapértelmezettként'"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,Csatlakozik
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Csatlakozik
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Hiány Mennyisége
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Tétel változat {0} létezik azonos Jellemzőkkel
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Tétel változat {0} létezik azonos Jellemzőkkel
DocType: Employee Loan,Repay from Salary,Bérből törleszteni
DocType: Leave Application,LAP/,TAVOLL/
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Fizetési igény ehhez {0} {1} ezzel az összeggel {2}
@@ -3940,34 +3968,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Létrehoz csomagolási jegyet a szállítani kívánt csomagokhoz. A csomag szám, a doboz tartalma, és a súlya kiértesítéséhez használja."
DocType: Sales Invoice Item,Sales Order Item,Vevői rendelés tétele
DocType: Salary Slip,Payment Days,Fizetési Napok
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Raktárak gyermek csomópontokkal nem lehet átalakítani főkönyvi tétellé
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Raktárak gyermek csomópontokkal nem lehet átalakítani főkönyvi tétellé
DocType: BOM,Manage cost of operations,Kezelje a működési költségeket
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Ha bármelyik ellenőrzött tranzakciók ""Beküldő"", egy e-mailt pop-up automatikusan nyílik, hogy küldjön egy e-mailt a kapcsolódó ""Kapcsolat"" hogy ezen ügyletben az ügylet mellékletként. A felhasználó lehet, hogy nem küld e-mailt."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Globális beállítások
DocType: Assessment Result Detail,Assessment Result Detail,Értékelés eredménye részlet
DocType: Employee Education,Employee Education,Alkalmazott képzése
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Ismétlődő elem csoport található a csoport táblázatában
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,"Erre azért van szükség, hogy behozza a Termék részleteket."
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,"Erre azért van szükség, hogy behozza a Termék részleteket."
DocType: Salary Slip,Net Pay,Nettó fizetés
DocType: Account,Account,Számla
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Széria sz. {0} már beérkezett
,Requested Items To Be Transferred,Kérte az átvinni kívánt elemeket
DocType: Expense Claim,Vehicle Log,Jármű napló
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Raktár {0} nem kapcsolódik semmilyen számlához, hozzon létre / összekapcsoljon a megfelelő (Vagyoneszköz) számlát a raktárhoz."
DocType: Purchase Invoice,Recurring Id,Ismétlődő Id
DocType: Customer,Sales Team Details,Értékesítő csapat részletei
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Véglegesen törli?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Véglegesen törli?
DocType: Expense Claim,Total Claimed Amount,Összes Garanciális összeg
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potenciális értékesítési lehetőségek.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Érvénytelen {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Betegszabadság
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Érvénytelen {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Betegszabadság
DocType: Email Digest,Email Digest,Összefoglaló email
DocType: Delivery Note,Billing Address Name,Számlázási cím neve
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Áruházak
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Állítsa be az Iskolát az ERPNext-ben
DocType: Sales Invoice,Base Change Amount (Company Currency),Bázis váltó összeg (Vállalat pénzneme)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Nincs számviteli bejegyzést az alábbi raktárakra
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Nincs számviteli bejegyzést az alábbi raktárakra
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Először mentse el a dokumentumot.
DocType: Account,Chargeable,Felszámítható
DocType: Company,Change Abbreviation,Váltópénz rövidítése
@@ -3985,7 +4012,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Várható szállítás dátuma nem lehet korábbi mint a beszerzési rendelés dátuma
DocType: Appraisal,Appraisal Template,Teljesítmény értékelő sablon
DocType: Item Group,Item Classification,Tétel osztályozás
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Business Development Manager
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Karbantartási látogatás célja
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Időszak
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Főkönyvi számla
@@ -3995,8 +4022,8 @@
DocType: Item Attribute Value,Attribute Value,Jellemzők értéke
,Itemwise Recommended Reorder Level,Tételenkénti Ajánlott újrarendelési szint
DocType: Salary Detail,Salary Detail,Bér részletei
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,"Kérjük, válassza ki a {0} először"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Köteg {0} ebből a tételből: {1} lejárt.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,"Kérjük, válassza ki a {0} először"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Köteg {0} ebből a tételből: {1} lejárt.
DocType: Sales Invoice,Commission,Jutalék
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Idő nyilvántartó a gyártáshoz.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Részösszeg
@@ -4007,6 +4034,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,"`Zárolja azon készleteket, amelyek régebbiek, mint` kisebbnek kell lennie, %d napnál."
DocType: Tax Rule,Purchase Tax Template,Beszerzési megrendelés Forgalmi adót sablon
,Project wise Stock Tracking,Projekt téma szerinti raktárkészlet követése
+DocType: GST HSN Code,Regional,Regionális
DocType: Stock Entry Detail,Actual Qty (at source/target),Tényleges Mennyiség (forrásnál / célnál)
DocType: Item Customer Detail,Ref Code,Hiv. kód
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Alkalmazott adatai.
@@ -4017,13 +4045,13 @@
DocType: Email Digest,New Purchase Orders,Új beszerzési rendelés
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Forrás nem lehet egy szülő költséghely
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Válasszon márkát ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Tréningeseményeket / Eredmények
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Halmozott értékcsökkenés ekkor
DocType: Sales Invoice,C-Form Applicable,C-formában idéztük
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},"Működési időnek nagyobbnak kell lennie, mint 0 erre a műveletre: {0}"
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Raktár kötelező
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Raktár kötelező
DocType: Supplier,Address and Contacts,Cím és Kapcsolatok
DocType: UOM Conversion Detail,UOM Conversion Detail,Mértékegység konvertálásának részlete
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Tartsa webbarátként 900px (w) X 100px (h)
DocType: Program,Program Abbreviation,Program rövidítése
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Gyártási rendelést nem lehet emelni a tétel terméksablonnal szemben
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Díjak frissülnek a vásárláskor kapott nyugtán a tételek szerint
@@ -4031,13 +4059,13 @@
DocType: Bank Guarantee,Start Date,Kezdés dátuma
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Felosztja a távolléteket időszakra.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Csekkek és betétek helytelenül elszámoltak
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,A {0} számla: Nem rendelheti saját szülő számlájának
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,A {0} számla: Nem rendelheti saját szülő számlájának
DocType: Purchase Invoice Item,Price List Rate,Árlista árak
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Árajánlatok létrehozása vevők részére
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Mutasd a ""Készleten"", vagy ""Nincs készleten"" , az ebben a raktárban álló állomány alapján."
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Anyagjegyzék (BOM)
DocType: Item,Average time taken by the supplier to deliver,Átlagos idő foglalás a beszállító általi szállításhoz
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,Értékelés eredménye
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,Értékelés eredménye
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Órák
DocType: Project,Expected Start Date,Várható indulás dátuma
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,"Vegye ki az elemet, ha terheket nem adott elemre alkalmazandó"
@@ -4051,24 +4079,23 @@
DocType: Workstation,Operating Costs,Üzemeltetési költségek
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,"Művelet, ha a felhalmozott havi költségkeret túlépett"
DocType: Purchase Invoice,Submit on creation,Küldje el a teremtésnél
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Árfolyam ehhez: {0} ennek kell lennie: {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Árfolyam ehhez: {0} ennek kell lennie: {1}
DocType: Asset,Disposal Date,Eltávolítás időpontja
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-mailt fog küldeni a vállalkozás összes aktív alkalmazottja részére az adott órában, ha nincsenek szabadságon. A válaszok összefoglalását éjfélkor küldi."
DocType: Employee Leave Approver,Employee Leave Approver,Alkalmazott Távollét Jóváhagyó
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Sor {0}: Egy Újrarendelés bejegyzés már létezik erre a raktárban {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Sor {0}: Egy Újrarendelés bejegyzés már létezik erre a raktárban {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Nem jelentheti elveszettnek, mert kiment az Árajánlat."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Képzési Visszajelzés
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Gyártási rendelést: {0} be kell benyújtani
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Gyártási rendelést: {0} be kell benyújtani
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},"Kérjük, válassza ki a Start és végé dátumát erre a tételre {0}"
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Tanfolyam kötelező ebben a sorban {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,"A végső nap nem lehet, a kezdő dátum előtti"
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Árak Hozzáadása / Szerkesztése
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Árak Hozzáadása / Szerkesztése
DocType: Batch,Parent Batch,Szülő Köteg
DocType: Cheque Print Template,Cheque Print Template,Csekk nyomtatás Sablon
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Költséghelyek listája
,Requested Items To Be Ordered,A kért lapok kell megrendelni
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,Raktározó cégnek meg kell egyeznie a számlázó céggel
DocType: Price List,Price List Name,Árlista neve
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Napi munka összefoglalása erre {0}
DocType: Employee Loan,Totals,Az összesítések
@@ -4090,55 +4117,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,"Kérjük, adjon meg érvényes mobil számokat"
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Kérjük, elküldés előtt adja meg az üzenetet"
DocType: Email Digest,Pending Quotations,Függő árajánlatok
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Értékesítési hely profil
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Értékesítési hely profil
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,"Kérjük, frissítsd az SMS beállításokat"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Fedezetlen hitelek
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Fedezetlen hitelek
DocType: Cost Center,Cost Center Name,Költséghely neve
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Max munkaidő a munkaidő jelenléti ívhez
DocType: Maintenance Schedule Detail,Scheduled Date,Ütemezett dátum
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Teljes fizetett össz
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Teljes fizetett össz
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 karakternél nagyobb üzenetek több üzenetre lesznek bontva
DocType: Purchase Receipt Item,Received and Accepted,Beérkezett és befogadott
+,GST Itemised Sales Register,GST tételes Sales Regisztráció
,Serial No Service Contract Expiry,Széria sz. karbantartási szerződés lejárati ideje
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Egy főkönyvi számlában nem végezhet egyszerre tartozás és követelés bejegyzést.
DocType: Naming Series,Help HTML,Súgó HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Diákcsoport készítő eszköz
DocType: Item,Variant Based On,Változat ez alapján
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Összesen kijelölés súlyozásának 100% -nak kell lennie. Ez: {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Ön Beszállítói
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Ön Beszállítói
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,"Nem lehet beállítani elveszettnek ezt a Vevői rendelést, mivel végre van hajtva."
DocType: Request for Quotation Item,Supplier Part No,Beszállítói alkatrész sz
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Nem vonható le, ha a kategória a 'Készletérték' vagy 'Készletérték és Teljes érték'"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Feladó
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Feladó
DocType: Lead,Converted,Átalakított
DocType: Item,Has Serial No,Van sorozatszáma
DocType: Employee,Date of Issue,Probléma dátuma
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Feladó: {0} a {1} -hez
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Mivel a per a vásárlás beállítások, ha vásárlás átvételi szükséges == „IGEN”, akkor létrehozására vásárlást igazoló számlát, a felhasználó létre kell hoznia vásárlási nyugta első jogcím {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Sor # {0}: Nem beszállító erre a tételre {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,"Sor {0}: Óra értéknek nagyobbnak kell lennie, mint nulla."
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,"Weboldal kép: {0} ami csatolva lett a {1} tételhez, nem található"
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,"Weboldal kép: {0} ami csatolva lett a {1} tételhez, nem található"
DocType: Issue,Content Type,Tartalom típusa
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Számítógép
DocType: Item,List this Item in multiple groups on the website.,Sorolja ezeket a tételeket több csoportba a weboldalon.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Kérjük, ellenőrizze a Több pénznem opciót, a más pénznemű számlák engedélyezéséhez"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Tétel: {0} nem létezik a rendszerben
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Nincs engedélye a zárolt értékek beállítására
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Tétel: {0} nem létezik a rendszerben
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Nincs engedélye a zárolt értékek beállítására
DocType: Payment Reconciliation,Get Unreconciled Entries,Nem egyeztetett bejegyzések lekérdezése
DocType: Payment Reconciliation,From Invoice Date,Számla dátumától
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,Számlázási pénznemnek ugyanannak vagy a vállalat vagy a Ügyfél vállalatának alapértelmezett pénznemének kell lennie.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Hagyja beváltása
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Mit csinál?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,Számlázási pénznemnek ugyanannak vagy a vállalat vagy a Ügyfél vállalatának alapértelmezett pénznemének kell lennie.
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Hagyja beváltása
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Mit csinál?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Raktárba
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Minden Student Felvételi
,Average Commission Rate,Átlagos jutalék mértéke
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,"""Van sorozatszáma"" nem lehet ""igen"" a nem-készletezett tételnél"
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""Van sorozatszáma"" nem lehet ""igen"" a nem-készletezett tételnél"
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Részvételt nem lehet megjelölni jövőbeni dátumhoz
DocType: Pricing Rule,Pricing Rule Help,Árképzési szabály Súgó
DocType: School House,House Name,Ház név
DocType: Purchase Taxes and Charges,Account Head,Számla fejléc
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Frissítse a többletköltségeket a tétel beszerzési költségének kiszámítására
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Elektromos
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Elektromos
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,"Adjuk hozzá a többi a szervezet, mint a felhasználók számára. Azt is hozzá meghívni ügyfelek a portál hozzáadásával őket Kapcsolatok"
DocType: Stock Entry,Total Value Difference (Out - In),Összesen értékkülönbözet (Ki - Be)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Sor {0}: átváltási árfolyam kötelező
@@ -4148,7 +4177,7 @@
DocType: Item,Customer Code,Vevő kódja
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Születésnapi emlékeztető {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Utolsó rendeléstől eltel napok
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Tartozás főkönyvi számlának Mérlegszámlának kell lennie
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Tartozás főkönyvi számlának Mérlegszámlának kell lennie
DocType: Buying Settings,Naming Series,Sorszámozási csoportok
DocType: Leave Block List,Leave Block List Name,Távollét blokk lista neve
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,"Biztosítás kezdeti dátumának kisebbnek kell lennie, mint a biztosítás befejezés dátuma"
@@ -4163,26 +4192,26 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},A bérpapír az Alkalmazotthoz: {0} már létrehozott erre a jelenléti ívre: {1}
DocType: Vehicle Log,Odometer,Kilométer-számláló
DocType: Sales Order Item,Ordered Qty,Rendelt menny.
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Tétel {0} letiltva
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Tétel {0} letiltva
DocType: Stock Settings,Stock Frozen Upto,Készlet zárolása eddig
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,ANYGJZ nem tartalmaz semmilyen készlet tételt
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,ANYGJZ nem tartalmaz semmilyen készlet tételt
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Az időszak eleje és vége kötelező ehhez a visszatérőhöz: {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Projekt téma feladatok / tevékenységek.
DocType: Vehicle Log,Refuelling Details,Tankolás Részletek
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Bérpapír generálása
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Vásárlást ellenőrizni kell, amennyiben alkalmazható erre a kiválasztottra: {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Vásárlást ellenőrizni kell, amennyiben alkalmazható erre a kiválasztottra: {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,"Kedvezménynek kisebbnek kell lennie, mint 100"
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Utolsó vételi ár nem található
DocType: Purchase Invoice,Write Off Amount (Company Currency),Írj egy egyszeri összeget (Társaság Currency)
DocType: Sales Invoice Timesheet,Billing Hours,Számlázási Óra(k)
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,Alapértelmezett anyagjegyzék BOM {0} nem található
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,"Sor # {0}: Kérjük, állítsa újrarendezésből mennyiség"
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,"Sor # {0}: Kérjük, állítsa újrarendezésből mennyiség"
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,"Érintse a tételeket, ahhoz, hogy ide tegye"
DocType: Fees,Program Enrollment,Program Beiratkozási
DocType: Landed Cost Voucher,Landed Cost Voucher,Beszerzési költség utalvány
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},"Kérjük, állítsa be {0}"
DocType: Purchase Invoice,Repeat on Day of Month,Ismételje meg a hónap napja
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} inaktív tanuló
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} inaktív tanuló
DocType: Employee,Health Details,Egészségügyi adatok
DocType: Offer Letter,Offer Letter Terms,Ajánlat levél feltételei
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Kifizetés iránti kérelem létrehozásához referencia dokumentum szükséges
@@ -4203,7 +4232,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Példa: ABCD. ##### Ha sorozat be van állítva, és Széria sz. nem szerepel az ügylethez, akkor az automatikus sorozatszámozás készül a sorozat alapján. Ha azt szeretné, hogy kifejezetten említsék meg ennek a tételnek a Széria sorozat sz., hagyja ezt üresen."
DocType: Upload Attendance,Upload Attendance,Résztvevők feltöltése
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,Anyagjegyzék és Gyártási Mennyiség szükséges
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,Anyagjegyzék és Gyártási Mennyiség szükséges
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Öregedés tartomány 2
DocType: SG Creation Tool Course,Max Strength,Max állomány
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,Anyagjegyzék helyettesítve
@@ -4212,8 +4241,8 @@
,Prospects Engaged But Not Converted,Kilátások elértek de nem átalakítottak
DocType: Manufacturing Settings,Manufacturing Settings,Gyártás Beállítások
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,E-mail beállítása
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Helyettesítő1 Mobil szám
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,"Kérjük, adja meg az alapértelmezett pénznemet a Vállalkozás törzsadatban"
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Helyettesítő1 Mobil szám
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,"Kérjük, adja meg az alapértelmezett pénznemet a Vállalkozás törzsadatban"
DocType: Stock Entry Detail,Stock Entry Detail,Készlet bejegyzés részletei
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Napi emlékeztetők
DocType: Products Settings,Home Page is Products,Kezdőlap a Termékek
@@ -4222,7 +4251,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,New számla név
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Szállított alapanyagok költsége
DocType: Selling Settings,Settings for Selling Module,Beállítások az Értékesítés modulhoz
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Ügyfélszolgálat
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Ügyfélszolgálat
DocType: BOM,Thumbnail,Miniatűr
DocType: Item Customer Detail,Item Customer Detail,Tétel vevőjének részletei
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Jelentkezőnek munkát ajánl
@@ -4231,7 +4260,7 @@
DocType: Pricing Rule,Percentage,Százalék
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Tétel: {0} - Készlet tételnek kell lennie
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Alapértelmezett Folyamatban lévő munka raktára
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Alapértelmezett beállítások a számviteli tranzakciókhoz.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Alapértelmezett beállítások a számviteli tranzakciókhoz.
DocType: Maintenance Visit,MV,KARBLATOG
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Várható időpont nem lehet korábbi mint az Anyag igénylés dátuma
DocType: Purchase Invoice Item,Stock Qty,Készlet menny.
@@ -4244,10 +4273,10 @@
DocType: Sales Order,Printing Details,Nyomtatási Részletek
DocType: Task,Closing Date,Benyújtási határidő
DocType: Sales Order Item,Produced Quantity,"Termelt mennyiség,"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Mérnök
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Mérnök
DocType: Journal Entry,Total Amount Currency,Teljes összeg pénznemben
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Részegységek keresése
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Tételkód szükség ebbe a sorba {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Tételkód szükség ebbe a sorba {0}
DocType: Sales Partner,Partner Type,Partner típusa
DocType: Purchase Taxes and Charges,Actual,Tényleges
DocType: Authorization Rule,Customerwise Discount,Vevőszerinti kedvezmény
@@ -4264,11 +4293,11 @@
DocType: Item Reorder,Re-Order Level,Újra-rendelési szint
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Adjon tételeket és tervezett Mennyiséget amellyel növelni szeretné a gyártási megrendeléseket, vagy töltse le a nyersanyagokat elemzésre."
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt diagram
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Részidős
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Részidős
DocType: Employee,Applicable Holiday List,Alkalmazandó Ünnepek listája
DocType: Employee,Cheque,Csekk
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Sorozat Frissítve
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Report Type kötelező
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Report Type kötelező
DocType: Item,Serial Number Series,Széria sz. sorozat
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Raktár kötelező az {1} sorban lévő {0} tételhez
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Kis- és nagykereskedelem
@@ -4289,7 +4318,7 @@
DocType: BOM,Materials,Anyagok
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ha nincs bejelölve, akkor a lista meg kell adni, hogy minden egyes részleg, ahol kell alkalmazni."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Forrás és Cél Raktár nem lehet azonos
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Postára adás dátuma és a kiküldetés ideje kötelező
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Postára adás dátuma és a kiküldetés ideje kötelező
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Adó sablon a beszerzési tranzakciókra.
,Item Prices,Tétel árak
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"A szavakkal mező lesz látható, miután mentette a Beszerzési megrendelést."
@@ -4299,22 +4328,23 @@
DocType: Purchase Invoice,Advance Payments,Előleg kifizetések
DocType: Purchase Taxes and Charges,On Net Total,Nettó összeshez
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},"Érték erre a Jellemzőre: {0} ezen a tartományon belül kell lennie: {1} - {2} azzel az emelkedéssel: {3} ,erre a tételre:{4}"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Cél raktár a {0} sorban meg kell egyeznie a gyártási rendeléssel
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Cél raktár a {0} sorban meg kell egyeznie a gyártási rendeléssel
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,"""Értesítési e-mail címek"" nem meghatározott ismétlődése %s"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,"Pénznemen nem lehet változtatni, miután bejegyzéseket tett más pénznem segítségével"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,"Pénznemen nem lehet változtatni, miután bejegyzéseket tett más pénznem segítségével"
DocType: Vehicle Service,Clutch Plate,Tengelykapcsoló lemez
DocType: Company,Round Off Account,Gyüjtő számla
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Igazgatási költségek
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Igazgatási költségek
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Tanácsadó
DocType: Customer Group,Parent Customer Group,Szülő Vevő csoport
DocType: Purchase Invoice,Contact Email,Kapcsolattartó e-mailcíme
DocType: Appraisal Goal,Score Earned,Pontszám Szerzett
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Felmondási idő
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Felmondási idő
DocType: Asset Category,Asset Category Name,Vagyoneszköz Kategória neve
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,"Ez egy forrás terület, és nem lehet szerkeszteni."
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Új értékesítési személy neve
DocType: Packing Slip,Gross Weight UOM,Bruttó tömeg mértékegysége
DocType: Delivery Note Item,Against Sales Invoice,Értékesítési ellenszámlák
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,"Kérjük, adja sorozatszámlistáját sorozatban tétel"
DocType: Bin,Reserved Qty for Production,Fenntartott db Termelés
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Hagyja bejelöletlenül, ha nem szeretné, kötegelni miközben kurzus alapú csoportokat hoz létre."
DocType: Asset,Frequency of Depreciation (Months),Az értékcsökkenés elszámolásának gyakorisága (hónapok)
@@ -4322,25 +4352,25 @@
DocType: Landed Cost Item,Landed Cost Item,Beszerzési költség tétel
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Mutassa a nulla értékeket
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,"Mennyiség amit ebből a tételből kapott a gyártás / visszacsomagolás után, a megadott alapanyagok mennyiségének felhasználásával."
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Telepítsen egy egyszerű weboldalt a vállalkozásunkhoz
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Telepítsen egy egyszerű weboldalt a vállalkozásunkhoz
DocType: Payment Reconciliation,Receivable / Payable Account,Bevételek / Fizetendő számla
DocType: Delivery Note Item,Against Sales Order Item,Ellen Vevői rendelési tétel
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},"Kérjük, adja meg a Jellemző értékét erre a Jellemzőre: {0}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},"Kérjük, adja meg a Jellemző értékét erre a Jellemzőre: {0}"
DocType: Item,Default Warehouse,Alapértelmezett raktár
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Költségvetést nem lehet hozzárendelni ehhez a Csoport számlához {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,"Kérjük, adjon meg szülő költséghelyet"
DocType: Delivery Note,Print Without Amount,Nyomtatás érték nélkül
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,Értékcsökkentés dátuma
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Adó kategória nem lehet ""Értékelés"" vagy ""Értékelés és Teljes érték"", mivel az összes tétel nem-raktározható tétel"
DocType: Issue,Support Team,Támogató csoport
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Érvényességi idő (napokban)
DocType: Appraisal,Total Score (Out of 5),Összes pontszám (5–ből)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Köteg
-apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Márleg
+DocType: Student Attendance Tool,Batch,Köteg
+apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Mérleg
DocType: Room,Seating Capacity,Ülőhely kapacitás
DocType: Issue,ISS-,PROBL-
DocType: Project,Total Expense Claim (via Expense Claims),Teljes Költség Követelés (költségtérítési igényekkel)
+DocType: GST Settings,GST Summary,GST Összefoglaló
DocType: Assessment Result,Total Score,Összesített pontszám
DocType: Journal Entry,Debit Note,Tartozás értesítő
DocType: Stock Entry,As per Stock UOM,Mivel a Készlet mértékegysége
@@ -4351,12 +4381,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Alapértelmezett készáru raktár
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Értékesítő
DocType: SMS Parameter,SMS Parameter,SMS paraméter
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Költségvetés és költséghely
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Költségvetés és költséghely
DocType: Vehicle Service,Half Yearly,Félévente
-DocType: Lead,Blog Subscriber,Blog Követôk
+DocType: Lead,Blog Subscriber,Blog Követők
DocType: Guardian,Alternate Number,Alternatív száma
DocType: Assessment Plan Criteria,Maximum Score,Maximális pontszám
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Készítsen szabályokat az ügyletek korlátozására az értékek alapján.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Csoport Roll Nem
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Hagyja üresen, ha diák csoportokat évente hozza létre"
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Ha be van jelölve, a munkanapok száma tartalmazni fogja az ünnepeket, és ez csökkenti a napi bér összegét"
DocType: Purchase Invoice,Total Advance,Összes előleg
@@ -4374,6 +4405,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Ennek alapja az ezzel a Vevővel történt tranzakciók. Lásd alábbi idővonalat a részletekért
DocType: Supplier,Credit Days Based On,"Követelés napok, ettől függően"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},"Sor {0}: Lekötött összeg {1} kisebbnek kell lennie, vagy egyenlő fizetés Entry összeg {2}"
+,Course wise Assessment Report,Természetesen bölcs értékelő jelentés
DocType: Tax Rule,Tax Rule,Adójogszabály
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Ugyanazt az árat tartani az egész értékesítési ciklusban
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Tervezési idő naplók a Munkaállomés munkaidején kívül.
@@ -4382,7 +4414,7 @@
,Items To Be Requested,Tételek kell kérni
DocType: Purchase Order,Get Last Purchase Rate,Utolsó Beszerzési ár lekérése
DocType: Company,Company Info,Vállakozás adatai
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Válasszon ki vagy adjon hozzá új vevőt
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Válasszon ki vagy adjon hozzá új vevőt
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Költséghely szükséges költségtérítési igény könyveléséhez
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Vagyon tárgyak alkalmazás (vagyoni eszközök)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Ez az Alkalmazott jelenlétén alapszik
@@ -4390,27 +4422,29 @@
DocType: Fiscal Year,Year Start Date,Év kezdő dátuma
DocType: Attendance,Employee Name,Alkalmazott neve
DocType: Sales Invoice,Rounded Total (Company Currency),Kerekített összeg (a cég pénznemében)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,"Nem lehet csoporttá alakítani, mert a számla típus ki van választva."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Nem lehet csoporttá alakítani, mert a számla típus ki van választva."
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,"{0} {1} módosításra került. Kérjük, frissítse."
DocType: Leave Block List,Stop users from making Leave Applications on following days.,"Tiltsa a felhasználóknak, hogy eltávozást igényelhessenek a következő napokra."
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Beszerzés összege
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Beszállító árajánlata :{0} létrehozva
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Befejező év nem lehet a kezdés évnél korábbi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Alkalmazotti juttatások
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Alkalmazotti juttatások
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Csomagolt mennyiségeknek egyezniük kell a {1} sorban lévő {0} tétel mennyiségével
DocType: Production Order,Manufactured Qty,Gyártott menny.
DocType: Purchase Receipt Item,Accepted Quantity,Elfogadott mennyiség
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},"Kérjük, állítsa be az alapértelmezett Ünnepet erre az Alkalmazottra: {0} vagy Vállalkozásra: {1}"
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} nem létezik
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} nem létezik
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Select sarzsszámok
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Vevők számlái
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Projekt téma azonosító
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},"Row {0}: Az összeg nem lehet nagyobb, mint lévő összeget ad költségelszámolás benyújtás {1}. Függő Összeg: {2}"
DocType: Maintenance Schedule,Schedule,Ütemezés
DocType: Account,Parent Account,Szülő számla
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Elérhető
DocType: Quality Inspection Reading,Reading 3,Olvasás 3
,Hub,Hub
DocType: GL Entry,Voucher Type,Bizonylat típusa
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,"Árlista nem található, vagy letiltva"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,"Árlista nem található, vagy letiltva"
DocType: Employee Loan Application,Approved,Jóváhagyott
DocType: Pricing Rule,Price,Árazás
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',"Elengedett alkalmazott: {0} , be kell állítani mint 'Távol'"
@@ -4421,7 +4455,8 @@
DocType: Selling Settings,Campaign Naming By,Kampányt elnevezte
DocType: Employee,Current Address Is,Jelenlegi cím
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,módosított
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Választható. Megadja cég alapértelmezett pénznemét, ha nincs meghatározva."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Választható. Megadja cég alapértelmezett pénznemét, ha nincs meghatározva."
+DocType: Sales Invoice,Customer GSTIN,Ügyfél GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Könyvelési naplóbejegyzések.
DocType: Delivery Note Item,Available Qty at From Warehouse,Elérhető Mennyiség a befozatali raktárról
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,"Kérjük, válassza ki először az Alkalmazotti bejegyzést."
@@ -4429,7 +4464,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Sor {0}: Ügyfél / fiók nem egyezik {1} / {2} a {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,"Kérjük, adja meg a Költség számlát"
DocType: Account,Stock,Készlet
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Sor # {0}: Referencia Dokumentum típus legyen Beszerzési megrendelés, Beszerzési számla vagy Naplókönyvelés"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Sor # {0}: Referencia Dokumentum típus legyen Beszerzési megrendelés, Beszerzési számla vagy Naplókönyvelés"
DocType: Employee,Current Address,Jelenlegi cím
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ha a tétel egy másik tétel egy változata akkor a leírás, kép, árképzés, adók stb. a sablonból lesz kiállítva, hacsak nincs külön meghatározva"
DocType: Serial No,Purchase / Manufacture Details,Beszerzés / gyártás Részletek
@@ -4442,8 +4477,8 @@
DocType: Pricing Rule,Min Qty,Min. menny.
DocType: Asset Movement,Transaction Date,Ügylet dátuma
DocType: Production Plan Item,Planned Qty,Tervezett Menny.
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Összes adó
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Mennyiséghez (gyártott db) kötelező
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Összes adó
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Mennyiséghez (gyártott db) kötelező
DocType: Stock Entry,Default Target Warehouse,Alapértelmezett cél raktár
DocType: Purchase Invoice,Net Total (Company Currency),Nettó összesen (vállalkozás pénznemében)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,"Az év vége dátum nem lehet korábbi, mint az Év kezdete. Kérjük javítsa ki a dátumot, és próbálja újra."
@@ -4457,13 +4492,11 @@
DocType: Hub Settings,Hub Settings,Hub Beállítások
DocType: Project,Gross Margin %,Bruttó árkülönbözet %
DocType: BOM,With Operations,Műveletek is
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,"Könyvelési tétel már megtörtént {0} pénznemben a {1} céghez. Kérjük, válasszon bevételi vagy kifizetendő számlát ebben a pénznemben {0}."
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,"Könyvelési tétel már megtörtént {0} pénznemben a {1} céghez. Kérjük, válasszon bevételi vagy kifizetendő számlát ebben a pénznemben {0}."
DocType: Asset,Is Existing Asset,Meglévő eszköz
DocType: Salary Detail,Statistical Component,Statisztikai összetevő
-,Monthly Salary Register,Havi fizetés Regisztráció
DocType: Warranty Claim,If different than customer address,"Ha más, mint a vevő címe"
DocType: BOM Operation,BOM Operation,ANYGJZ művelet
-DocType: School Settings,Validate the Student Group from Program Enrollment,Érvényesítse a Diák csoportot a Program Jelentkezésből
DocType: Purchase Taxes and Charges,On Previous Row Amount,Előző sor összegén
DocType: Student,Home Address,Lakcím
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Eszköz átvitel
@@ -4471,28 +4504,27 @@
DocType: Training Event,Event Name,Esemény neve
apps/erpnext/erpnext/config/schools.py +39,Admission,Belépés
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Felvételi: {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Szezonalitás a költségvetések tervezéséhez, célok stb"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Tétel: {0}, egy sablon, kérjük, válasszon variánst"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Szezonalitás a költségvetések tervezéséhez, célok stb"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Tétel: {0}, egy sablon, kérjük, válasszon variánst"
DocType: Asset,Asset Category,Vagyoneszköz kategória
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Beszerzési megrendelő
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Nettó fizetés nem lehet negatív
DocType: SMS Settings,Static Parameters,Statikus paraméterek
DocType: Assessment Plan,Room,Szoba
DocType: Purchase Order,Advance Paid,A kifizetett előleg
DocType: Item,Item Tax,Tétel adójának típusa
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Anyag beszállítóhoz
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Jövedéki számla
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Jövedéki számla
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Küszöb {0}% egynél többször jelenik meg
DocType: Expense Claim,Employees Email Id,Alkalmazottak email id azonosító
DocType: Employee Attendance Tool,Marked Attendance,jelzett Nézőszám
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Rövid lejáratú kötelezettségek
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Rövid lejáratú kötelezettségek
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Küldjön tömeges SMS-t a kapcsolatainak
DocType: Program,Program Name,Program neve
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Fontolja meg az adókat és díjakat erre
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Tényleges Mennyiség ami kötelező
DocType: Employee Loan,Loan Type,Hitel típus
DocType: Scheduling Tool,Scheduling Tool,Ütemező eszköz
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Hitelkártya
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Hitelkártya
DocType: BOM,Item to be manufactured or repacked,A tétel gyártott vagy újracsomagolt
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Alapértelmezett beállításokat részvény tranzakciókhoz.
DocType: Purchase Invoice,Next Date,Következő dátum
@@ -4508,10 +4540,10 @@
DocType: Stock Entry,Repack,Repack
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Menteni kell az űrlapot folytatás előtt
DocType: Item Attribute,Numeric Values,Numerikus értékek
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Logo csatolása
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Logo csatolása
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Készletszintek
DocType: Customer,Commission Rate,Jutalék értéke
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Változat létrehozás
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Változat létrehozás
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Zárja osztályonként a távollét igényeket.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Fizetés mód legyen Kapott, Fizetett és Belső Transzfer"
apps/erpnext/erpnext/config/selling.py +179,Analytics,Elemzés
@@ -4519,45 +4551,45 @@
DocType: Vehicle,Model,Modell
DocType: Production Order,Actual Operating Cost,Tényleges működési költség
DocType: Payment Entry,Cheque/Reference No,Csekk/Hivatkozási szám
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Root nem lehet szerkeszteni.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root nem lehet szerkeszteni.
DocType: Item,Units of Measure,Mértékegységek
DocType: Manufacturing Settings,Allow Production on Holidays,Termelés engedélyezése az ünnepnapokon
DocType: Sales Order,Customer's Purchase Order Date,Vevő beszerzési megrendelésének dátuma
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Alap készlet
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Alap készlet
DocType: Shopping Cart Settings,Show Public Attachments,Itt találhatóak a nyilvános mellékletek
DocType: Packing Slip,Package Weight Details,Csomag súlyának adatai
DocType: Payment Gateway Account,Payment Gateway Account,Fizetési átjáró számla fiókja
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,A fizetés befejezése után a felhasználót átirányítja a kiválasztott oldalra.
DocType: Company,Existing Company,Meglévő vállalkozás
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Adó kategóriák változott „Total”, mert az összes tételek nincsenek raktáron tételek"
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,"Kérjük, válasszon egy csv fájlt"
DocType: Student Leave Application,Mark as Present,Jelenlévővé jelölés
DocType: Purchase Order,To Receive and Bill,Beérkeztetés és Számlázás
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Kiemelt Termék
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Tervező
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Tervező
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Általános szerződési feltételek sablon
DocType: Serial No,Delivery Details,Szállítási adatok
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Költséghely szükséges ebben a sorban {0} az adók táblázatának ezen típusához {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Költséghely szükséges ebben a sorban {0} az adók táblázatának ezen típusához {1}
DocType: Program,Program Code,Programkód
DocType: Terms and Conditions,Terms and Conditions Help,Általános szerződési feltételek Súgó
,Item-wise Purchase Register,Tételenkénti Beszerzés Regisztráció
DocType: Batch,Expiry Date,Lejárat dátuma
-,Supplier Addresses and Contacts,Beszállítók címei és Kapcsolatai
,accounts-browser,beszámoló-böngésző
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,"Kérjük, válasszon Kategóriát először"
apps/erpnext/erpnext/config/projects.py +13,Project master.,Projek témák törzsadat.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Túl számlázás vagy túlrendelés engedélyezéséhez, frissítse az ""Engedélyezés"" a Készlet beállításoknál vagy a tételnél"
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Túl számlázás vagy túlrendelés engedélyezéséhez, frissítse az ""Engedélyezés"" a Készlet beállításoknál vagy a tételnél"
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,"Nem jelezzen szimbólumokat, mint $$ stb. a pénznemek mellett."
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Fél Nap)
DocType: Supplier,Credit Days,Követelés Napok
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Tanuló köteg létrehozás
DocType: Leave Type,Is Carry Forward,Ez átvitt
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Elemek lekérése Anyagjegyzékből
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Elemek lekérése Anyagjegyzékből
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Érdeklődés idő napokban
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Sor # {0}: Beküldés dátuma meg kell egyeznie a vásárlás dátumát {1} eszköz {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Sor # {0}: Beküldés dátuma meg kell egyeznie a vásárlás dátumát {1} eszköz {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,"Kérjük, adja meg a vevői rendeléseket, a fenti táblázatban"
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Beküldetlen bérpapírok
,Stock Summary,Készlet Összefoglaló
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Egy eszköz átvitele az egyik raktárból a másikba
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Egy eszköz átvitele az egyik raktárból a másikba
DocType: Vehicle,Petrol,Benzin
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Anyagjegyzék
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Sor {0}: Ügyfél típusa szükséges a Bevételi / Fizetendő számlákhoz: {1}
@@ -4568,6 +4600,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Szentesített Összeg
DocType: GL Entry,Is Opening,Ez nyitás
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Row {0}: terheléssel nem kapcsolódik a {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,A {0} számla nem létezik
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,A {0} számla nem létezik
DocType: Account,Cash,Készpénz
DocType: Employee,Short biography for website and other publications.,Rövid életrajz a honlaphoz és egyéb kiadványokhoz.
diff --git a/erpnext/translations/id.csv b/erpnext/translations/id.csv
index f536fd4..48a142c 100644
--- a/erpnext/translations/id.csv
+++ b/erpnext/translations/id.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Produk Konsumen
DocType: Item,Customer Items,Produk Konsumen
DocType: Project,Costing and Billing,Biaya dan Penagihan
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Akun {0}: akun Induk {1} tidak dapat berupa buku besar
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Akun {0}: akun Induk {1} tidak dapat berupa buku besar
DocType: Item,Publish Item to hub.erpnext.com,Publikasikan Item untuk hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,Notifikasi Email
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Evaluasi
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,Evaluasi
DocType: Item,Default Unit of Measure,Standar Satuan Ukur
DocType: SMS Center,All Sales Partner Contact,Semua Kontak Mitra Penjualan
DocType: Employee,Leave Approvers,Approval Cuti
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Kurs harus sama dengan {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Nama Konsumen
DocType: Vehicle,Natural Gas,Gas alam
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Rekening bank tidak dapat namakan sebagai {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Rekening bank tidak dapat namakan sebagai {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Kepala (atau kelompok) terhadap yang Entri Akuntansi dibuat dan saldo dipertahankan.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Posisi untuk {0} tidak bisa kurang dari nol ({1})
DocType: Manufacturing Settings,Default 10 mins,Standar 10 menit
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Kontak semua Supplier
DocType: Support Settings,Support Settings,Pengaturan dukungan
DocType: SMS Parameter,Parameter,{0}Para{/0}{1}me{/1}{0}ter{/0}
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Diharapkan Tanggal Berakhir tidak bisa kurang dari yang diharapkan Tanggal Mulai
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Diharapkan Tanggal Berakhir tidak bisa kurang dari yang diharapkan Tanggal Mulai
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Tingkat harus sama dengan {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Aplikasi Cuti Baru
,Batch Item Expiry Status,Batch Barang kadaluarsa Status
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Bank Draft
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Bank Draft
DocType: Mode of Payment Account,Mode of Payment Account,Mode Akun Pembayaran Rekening
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Tampilkan Varian
DocType: Academic Term,Academic Term,Jangka akademik
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Bahan
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Kuantitas
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Tabel account tidak boleh kosong.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Kredit (Kewajiban)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Kredit (Kewajiban)
DocType: Employee Education,Year of Passing,Tahun Berjalan
DocType: Item,Country of Origin,Negara Asal
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,Dalam Persediaan
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,Dalam Persediaan
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,terbuka Isu
DocType: Production Plan Item,Production Plan Item,Rencana Produksi Stok Barang
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Pengguna {0} sudah ditugaskan untuk Karyawan {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Kesehatan
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Keterlambatan pembayaran (Hari)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Beban layanan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Nomor Seri: {0} sudah dirujuk dalam Faktur Penjualan: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Nomor Seri: {0} sudah dirujuk dalam Faktur Penjualan: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Faktur
DocType: Maintenance Schedule Item,Periodicity,Periode
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Tahun fiskal {0} diperlukan
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Row # {0}:
DocType: Timesheet,Total Costing Amount,Jumlah Total Biaya
DocType: Delivery Note,Vehicle No,Nomor Kendaraan
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,Silakan pilih Daftar Harga
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Silakan pilih Daftar Harga
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: Dokumen Pembayaran diperlukan untuk menyelesaikan trasaction yang
DocType: Production Order Operation,Work In Progress,Pekerjaan dalam proses
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Silakan pilih tanggal
DocType: Employee,Holiday List,Daftar Hari Libur
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Akuntan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Akuntan
DocType: Cost Center,Stock User,Pengguna Stok
DocType: Company,Phone No,No Telepon yang
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Jadwal Kursus dibuat:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Baru {0}: # {1}
,Sales Partners Commission,Komisi Mitra Penjualan
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Singkatan (Abbr) tidak boleh melebihi 5 karakter
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Singkatan (Abbr) tidak boleh melebihi 5 karakter
DocType: Payment Request,Payment Request,Permintaan pembayaran
DocType: Asset,Value After Depreciation,Nilai Setelah Penyusutan
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,tanggal kehadiran tidak bisa kurang dari tanggal bergabung karyawan
DocType: Grading Scale,Grading Scale Name,Skala Grading Nama
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Ini adalah account root dan tidak dapat diedit.
+DocType: Sales Invoice,Company Address,Alamat perusahaan
DocType: BOM,Operations,Operasi
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Tidak dapat mengatur otorisasi atas dasar Diskon untuk {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Melampirkan file .csv dengan dua kolom, satu untuk nama lama dan satu untuk nama baru"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} tidak dalam Tahun Anggaran aktif.
DocType: Packed Item,Parent Detail docname,Induk Detil docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referensi: {0}, Kode Item: {1} dan Pelanggan: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Kg
DocType: Student Log,Log,Log
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Lowongan untuk Pekerjaan.
DocType: Item Attribute,Increment,Kenaikan
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Periklanan (Promosi)
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Perusahaan yang sama dimasukkan lebih dari sekali
DocType: Employee,Married,Menikah
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Tidak diizinkan untuk {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Tidak diizinkan untuk {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Mendapatkan Stok Barang-Stok Barang dari
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Stock tidak dapat diperbarui terhadap Delivery Note {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Stock tidak dapat diperbarui terhadap Delivery Note {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produk {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Tidak ada item yang terdaftar
DocType: Payment Reconciliation,Reconcile,Rekonsiliasi
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Berikutnya Penyusutan Tanggal tidak boleh sebelum Tanggal Pembelian
DocType: SMS Center,All Sales Person,Semua Salesmen
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Distribusi Bulanan ** membantu Anda mendistribusikan Anggaran / Target di antara bulan-bulan jika bisnis Anda memiliki musim.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Tidak item yang ditemukan
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Tidak item yang ditemukan
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Struktur Gaji Hilang
DocType: Lead,Person Name,Nama orang
DocType: Sales Invoice Item,Sales Invoice Item,Faktur Penjualan Stok Barang
DocType: Account,Credit,Kredit
DocType: POS Profile,Write Off Cost Center,Write Off Biaya Pusat
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",misalnya "Sekolah Dasar" atau "Universitas"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",misalnya "Sekolah Dasar" atau "Universitas"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Laporan saham
DocType: Warehouse,Warehouse Detail,Detail Gudang
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Batas kredit telah menyeberang untuk Konsumen {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Batas kredit telah menyeberang untuk Konsumen {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Jangka Tanggal Akhir tidak bisa lebih lambat dari Akhir Tahun Tanggal Tahun Akademik yang istilah terkait (Tahun Akademik {}). Perbaiki tanggal dan coba lagi.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Aset Tetap"" tidak dapat dicentang, karena ada catatan Asset terhadap item"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Aset Tetap"" tidak dapat dicentang, karena ada catatan Asset terhadap item"
DocType: Vehicle Service,Brake Oil,rem Minyak
DocType: Tax Rule,Tax Type,Jenis pajak
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Anda tidak diizinkan untuk menambah atau memperbarui entri sebelum {0}
DocType: BOM,Item Image (if not slideshow),Gambar Stok Barang (jika tidak slideshow)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Sebuah Konsumen ada dengan nama yang sama
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tarif per Jam / 60) * Masa Beroperasi Sebenarnya
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Pilih BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Pilih BOM
DocType: SMS Log,SMS Log,SMS Log
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Biaya Produk Terkirim
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Liburan di {0} bukan antara Dari Tanggal dan To Date
@@ -159,13 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Dari {0} ke {1}
DocType: Item,Copy From Item Group,Salin Dari Grup Stok Barang
DocType: Journal Entry,Opening Entry,Entri Pembuka
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Pelanggan> Grup Pelanggan> Wilayah
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Akun Pay Hanya
DocType: Employee Loan,Repay Over Number of Periods,Membayar Lebih dari Jumlah Periode
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} tidak terdaftar dalam {2}
DocType: Stock Entry,Additional Costs,Biaya-biaya tambahan
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Akun dengan transaksi yang ada tidak dapat dikonversi ke grup.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Akun dengan transaksi yang ada tidak dapat dikonversi ke grup.
DocType: Lead,Product Enquiry,Produk Enquiry
DocType: Academic Term,Schools,sekolah
+DocType: School Settings,Validate Batch for Students in Student Group,Validasi Batch untuk Siswa di Kelompok Pelajar
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Tidak ada cuti record yang ditemukan untuk karyawan {0} untuk {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Silahkan masukkan perusahaan terlebih dahulu
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Silakan pilih Perusahaan terlebih dahulu
@@ -174,49 +176,49 @@
DocType: BOM,Total Cost,Total Biaya
DocType: Journal Entry Account,Employee Loan,Pinjaman karyawan
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Log Aktivitas:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,Item {0} tidak ada dalam sistem atau telah berakhir
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Item {0} tidak ada dalam sistem atau telah berakhir
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Real Estate
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Laporan Rekening
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Farmasi
DocType: Purchase Invoice Item,Is Fixed Asset,Apakah Aset Tetap
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Tersedia qty adalah {0}, Anda perlu {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Tersedia qty adalah {0}, Anda perlu {1}"
DocType: Expense Claim Detail,Claim Amount,Nilai Klaim
-DocType: Employee,Mr,Mr
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,kelompok pelanggan duplikat ditemukan di tabel kelompok cutomer
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Supplier Type / Supplier
DocType: Naming Series,Prefix,Awalan
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Consumable
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Consumable
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Impor Log
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Tarik Bahan Permintaan jenis Industri berdasarkan kriteria di atas
DocType: Training Result Employee,Grade,Kelas
DocType: Sales Invoice Item,Delivered By Supplier,Terkirim Oleh Supplier
DocType: SMS Center,All Contact,Semua Kontak
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Pesanan produksi sudah dibuat untuk semua item dengan BOM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Gaji Tahunan
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Pesanan produksi sudah dibuat untuk semua item dengan BOM
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Gaji Tahunan
DocType: Daily Work Summary,Daily Work Summary,Ringkasan Pekerjaan sehari-hari
DocType: Period Closing Voucher,Closing Fiscal Year,Penutup Tahun Anggaran
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} dibekukan
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Silakan pilih Perusahaan yang ada untuk menciptakan Chart of Account
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Beban Stok
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} dibekukan
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Silakan pilih Perusahaan yang ada untuk menciptakan Chart of Account
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Beban Stok
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Pilih Target Warehouse
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,Cukup masukkan Preferred Kontak Email
+DocType: Program Enrollment,School Bus,Bus sekolah
DocType: Journal Entry,Contra Entry,Contra Entri
DocType: Journal Entry Account,Credit in Company Currency,Kredit di Perusahaan Mata
DocType: Delivery Note,Installation Status,Status Instalasi
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Apakah Anda ingin memperbarui kehadiran? <br> Hadir: {0} \ <br> Absen: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Jumlah Diterima + Ditolak harus sama dengan jumlah yang diterima untuk Item {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Jumlah Diterima + Ditolak harus sama dengan jumlah yang diterima untuk Item {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Bahan pasokan baku untuk Pembelian
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,Setidaknya satu cara pembayaran diperlukan untuk POS faktur.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,Setidaknya satu cara pembayaran diperlukan untuk POS faktur.
DocType: Products Settings,Show Products as a List,Tampilkan Produk sebagai sebuah Daftar
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Unduh Template, isi data yang sesuai dan melampirkan gambar yang sudah dimodifikasi.
Semua tanggal dan karyawan kombinasi dalam jangka waktu yang dipilih akan datang dalam template, dengan catatan kehadiran yang ada"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,Item {0} tidak aktif atau akhir hidup telah tercapai
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Contoh: Matematika Dasar
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Untuk mencakup pajak berturut-turut {0} di tingkat Stok Barang, pajak dalam baris {1} juga harus disertakan"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Item {0} tidak aktif atau akhir hidup telah tercapai
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Contoh: Matematika Dasar
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Untuk mencakup pajak berturut-turut {0} di tingkat Stok Barang, pajak dalam baris {1} juga harus disertakan"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Pengaturan untuk modul HR
DocType: SMS Center,SMS Center,SMS Center
DocType: Sales Invoice,Change Amount,perubahan Jumlah
@@ -226,7 +228,7 @@
DocType: Lead,Request Type,Permintaan Type
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,membuat Karyawan
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Penyiaran
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Eksekusi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Eksekusi
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Rincian operasi yang dilakukan.
DocType: Serial No,Maintenance Status,Status pemeliharaan
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Pemasok diperlukan terhadap akun Hutang {2}
@@ -254,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Permintaan untuk kutipan dapat diakses dengan mengklik link berikut
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Alokasi cuti untuk tahun berjalan.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG Penciptaan Alat Course
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,Stock tidak cukup
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,Stock tidak cukup
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Nonaktifkan Perencanaan Kapasitas dan Waktu Pelacakan
DocType: Email Digest,New Sales Orders,Penjualan New Orders
DocType: Bank Guarantee,Bank Account,Rekening Bank
@@ -265,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log',Diperbarui melalui 'Time Log'
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Jumlah muka tidak dapat lebih besar dari {0} {1}
DocType: Naming Series,Series List for this Transaction,Daftar Series Transaksi ini
+DocType: Company,Enable Perpetual Inventory,Aktifkan Inventaris Abadi
DocType: Company,Default Payroll Payable Account,Default Payroll Hutang Akun
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Update Email Grup
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Update Email Grup
DocType: Sales Invoice,Is Opening Entry,Entri Pembuka?
DocType: Customer Group,Mention if non-standard receivable account applicable,Sebutkan jika akun non-standar piutang yang berlaku
DocType: Course Schedule,Instructor Name,instruktur Nama
@@ -278,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Terhadap Stok Barang di Faktur Penjualan
,Production Orders in Progress,Order produksi dalam Proses
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Kas Bersih dari Pendanaan
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage penuh, tidak menyimpan"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage penuh, tidak menyimpan"
DocType: Lead,Address & Contact,Alamat & Kontak
DocType: Leave Allocation,Add unused leaves from previous allocations,Tambahkan 'cuti tak terpakai' dari alokasi sebelumnya
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Berikutnya Berulang {0} akan dibuat pada {1}
DocType: Sales Partner,Partner website,situs mitra
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Tambahkan Barang
-,Contact Name,Nama Kontak
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Nama Kontak
DocType: Course Assessment Criteria,Course Assessment Criteria,Kriteria Penilaian saja
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Membuat Slip gaji untuk kriteria yang disebutkan di atas.
DocType: POS Customer Group,POS Customer Group,POS Pelanggan Grup
@@ -293,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Tidak diberikan deskripsi
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Form Permintaan pembelian.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Hal ini didasarkan pada Lembar Waktu diciptakan terhadap proyek ini
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Pay bersih yang belum bisa kurang dari 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Pay bersih yang belum bisa kurang dari 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Hanya dipilih Cuti Approver dapat mengirimkan Aplikasi Cuti ini
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Menghilangkan Tanggal harus lebih besar dari Tanggal Bergabung
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,cuti per Tahun
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,cuti per Tahun
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Baris {0}: Silakan periksa 'Apakah Muka' terhadap Rekening {1} jika ini adalah sebuah entri muka.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Gudang {0} bukan milik perusahaan {1}
DocType: Email Digest,Profit & Loss,Rugi laba
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Liter
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Liter
DocType: Task,Total Costing Amount (via Time Sheet),Total Costing Jumlah (via Waktu Lembar)
DocType: Item Website Specification,Item Website Specification,Item Situs Spesifikasi
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Cuti Diblokir
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Item {0} telah mencapai akhir hidupnya pada {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Item {0} telah mencapai akhir hidupnya pada {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Bank Entries
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Tahunan
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Bursa Rekonsiliasi Stok Barang
@@ -312,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,Min Order Qty
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Kursus Grup Pelajar Penciptaan Alat
DocType: Lead,Do Not Contact,Jangan Hubungi
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,Orang-orang yang mengajar di organisasi Anda
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,Orang-orang yang mengajar di organisasi Anda
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Id yang unik untuk melacak semua tagihan berulang. Hal ini dihasilkan di submit.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Software Developer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software Developer
DocType: Item,Minimum Order Qty,Minimum Order Qty
DocType: Pricing Rule,Supplier Type,Supplier Type
DocType: Course Scheduling Tool,Course Start Date,Tentu saja Tanggal Mulai
@@ -323,11 +326,11 @@
DocType: Item,Publish in Hub,Publikasikan di Hub
DocType: Student Admission,Student Admission,Mahasiswa Pendaftaran
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Item {0} dibatalkan
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Item {0} dibatalkan
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Permintaan Material
DocType: Bank Reconciliation,Update Clearance Date,Perbarui Izin Tanggal
DocType: Item,Purchase Details,Rincian pembelian
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Item {0} tidak ditemukan dalam 'Bahan Baku Disediakan' tabel dalam Purchase Order {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Item {0} tidak ditemukan dalam 'Bahan Baku Disediakan' tabel dalam Purchase Order {1}
DocType: Employee,Relation,Hubungan
DocType: Shipping Rule,Worldwide Shipping,Pengiriman seluruh dunia
DocType: Student Guardian,Mother,Ibu
@@ -346,6 +349,7 @@
DocType: Student Group Student,Student Group Student,Mahasiswa Grup Pelajar
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Terbaru
DocType: Vehicle Service,Inspection,Inspeksi
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Daftar
DocType: Email Digest,New Quotations,Kutipan Baru
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Email slip gaji untuk karyawan berdasarkan email yang disukai dipilih dalam Karyawan
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,The Approver Cuti terlebih dahulu dalam daftar akan ditetapkan sebagai default Cuti Approver
@@ -354,20 +358,20 @@
DocType: Asset,Next Depreciation Date,Berikutnya Penyusutan Tanggal
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Biaya Aktivitas Per Karyawan
DocType: Accounts Settings,Settings for Accounts,Pengaturan Akun
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Pemasok Faktur ada ada di Purchase Invoice {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Pemasok Faktur ada ada di Purchase Invoice {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Pengelolaan Tingkat Salesman
DocType: Job Applicant,Cover Letter,Sampul surat
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Penghapusan Cek dan Deposito yang Jatuh Tempo
DocType: Item,Synced With Hub,Disinkronkan Dengan Hub
DocType: Vehicle,Fleet Manager,armada Manajer
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} tidak bisa menjadi negatif untuk item {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Kata Sandi Salah
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Kata Sandi Salah
DocType: Item,Variant Of,Varian Of
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',Selesai Qty tidak dapat lebih besar dari 'Jumlah untuk Produksi'
DocType: Period Closing Voucher,Closing Account Head,Penutupan Akun Kepala
DocType: Employee,External Work History,Pengalaman Kerja Diluar
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Referensi Kesalahan melingkar
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Nama Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Nama Guardian1
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Dalam Kata-kata (Ekspor) akan terlihat sekali Anda menyimpan Delivery Note.
DocType: Cheque Print Template,Distance from left edge,Jarak dari tepi kiri
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} unit [{1}] (# Form / Item / {1}) ditemukan di [{2}] (# Form / Gudang / {2})
@@ -376,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Memberitahu melalui Email pada penciptaan Permintaan Bahan otomatis
DocType: Journal Entry,Multi Currency,Multi Mata Uang
DocType: Payment Reconciliation Invoice,Invoice Type,Tipe Faktur
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Nota Pengiriman
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Nota Pengiriman
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Persiapan Pajak
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Biaya Asset Terjual
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,Entri pembayaran telah dimodifikasi setelah Anda menariknya. Silakan menariknya lagi.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} dimasukan dua kali dalam Pajak Stok Barang
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Entri pembayaran telah dimodifikasi setelah Anda menariknya. Silakan menariknya lagi.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} dimasukan dua kali dalam Pajak Stok Barang
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Ringkasan untuk minggu ini dan kegiatan yang tertunda
DocType: Student Applicant,Admitted,mengakui
DocType: Workstation,Rent Cost,Biaya Sewa
@@ -398,25 +402,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Entrikan 'Ulangi pada Hari Bulan' nilai bidang
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Tingkat di mana Konsumen Mata Uang dikonversi ke mata uang dasar Konsumen
DocType: Course Scheduling Tool,Course Scheduling Tool,Tentu saja Penjadwalan Perangkat
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Pembelian Faktur tidak dapat dilakukan terhadap aset yang ada {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Pembelian Faktur tidak dapat dilakukan terhadap aset yang ada {1}
DocType: Item Tax,Tax Rate,Tarif Pajak
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} sudah dialokasikan untuk Karyawan {1} untuk periode {2} ke {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Pilih Stok Barang
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Faktur Pembelian {0} sudah Terkirim
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Faktur Pembelian {0} sudah Terkirim
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Batch ada harus sama {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Dikonversi ke non-Grup
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Batch (banyak) dari Item.
DocType: C-Form Invoice Detail,Invoice Date,Faktur Tanggal
DocType: GL Entry,Debit Amount,Jumlah Debit
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Hanya ada 1 Akun per Perusahaan di {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,Silakan lihat lampiran
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Hanya ada 1 Akun per Perusahaan di {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,Silakan lihat lampiran
DocType: Purchase Order,% Received,% Diterima
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Buat Grup Mahasiswa
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Pengaturan Sudah Selesai!!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Jumlah Catatan Kredit
,Finished Goods,Stok Barang Jadi
DocType: Delivery Note,Instructions,Instruksi
DocType: Quality Inspection,Inspected By,Diperiksa Oleh
DocType: Maintenance Visit,Maintenance Type,Tipe Pemeliharaan
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} tidak terdaftar di Kursus {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Serial ada {0} bukan milik Pengiriman Note {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Tambahkan Item
@@ -437,7 +443,7 @@
DocType: Request for Quotation,Request for Quotation,Permintaan Quotation
DocType: Salary Slip Timesheet,Working Hours,Jam Kerja
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Mengubah mulai / nomor urut saat ini dari seri yang ada.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Buat Pelanggan baru
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Buat Pelanggan baru
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Jika beberapa Aturan Harga terus menang, pengguna akan diminta untuk mengatur Prioritas manual untuk menyelesaikan konflik."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Buat Purchase Order
,Purchase Register,Register Pembelian
@@ -449,7 +455,7 @@
DocType: Student Log,Medical,Medis
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Alasan Kehilangan
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Memimpin Pemilik tidak bisa sama Lead
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,jumlah yang dialokasikan tidak bisa lebih besar dari jumlah yang disesuaikan
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,jumlah yang dialokasikan tidak bisa lebih besar dari jumlah yang disesuaikan
DocType: Announcement,Receiver,Penerima
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation ditutup pada tanggal berikut sesuai Hari Libur Daftar: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Peluang
@@ -463,8 +469,7 @@
DocType: Assessment Plan,Examiner Name,Nama pemeriksa
DocType: Purchase Invoice Item,Quantity and Rate,Jumlah dan Tingkat Harga
DocType: Delivery Note,% Installed,% Terpasang
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,Ruang kelas / Laboratorium dll di mana kuliah dapat dijadwalkan.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Supplier> Supplier Type
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,Ruang kelas / Laboratorium dll di mana kuliah dapat dijadwalkan.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Silahkan masukkan nama perusahaan terlebih dahulu
DocType: Purchase Invoice,Supplier Name,Nama Supplier
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Baca Pedoman ERPNEXT
@@ -474,7 +479,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Periksa keunikan nomor Faktur Supplier
DocType: Vehicle Service,Oil Change,Ganti oli
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','Sampai Kasus No.' tidak bisa kurang dari 'Dari Kasus No.'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Non Profit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Non Profit
DocType: Production Order,Not Started,Tidak Dimulai
DocType: Lead,Channel Partner,Chanel Mitra
DocType: Account,Old Parent,Old Parent
@@ -484,19 +489,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Pengaturan global untuk semua proses manufaktur.
DocType: Accounts Settings,Accounts Frozen Upto,Akun dibekukan sampai dengan
DocType: SMS Log,Sent On,Dikirim Pada
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Atribut {0} karena beberapa kali dalam Atribut Tabel
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Atribut {0} karena beberapa kali dalam Atribut Tabel
DocType: HR Settings,Employee record is created using selected field. ,
DocType: Sales Order,Not Applicable,Tidak Berlaku
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,master Hari Libur.
DocType: Request for Quotation Item,Required Date,Diperlukan Tanggal
DocType: Delivery Note,Billing Address,Alamat Penagihan
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Entrikan Item Code.
DocType: BOM,Costing,Biaya
DocType: Tax Rule,Billing County,penagihan County
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Jika dicentang, jumlah pajak akan dianggap sebagai sudah termasuk dalam Jumlah Tingkat Cetak / Print"
DocType: Request for Quotation,Message for Supplier,Pesan Supplier
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Jumlah Qty
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,ID Email Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,ID Email Guardian2
DocType: Item,Show in Website (Variant),Tampilkan Website (Variant)
DocType: Employee,Health Concerns,Kekhawatiran Kesehatan
DocType: Process Payroll,Select Payroll Period,Pilih Payroll Periode
@@ -514,25 +518,27 @@
DocType: Sales Order Item,Used for Production Plan,Digunakan untuk Rencana Produksi
DocType: Employee Loan,Total Payment,Total pembayaran
DocType: Manufacturing Settings,Time Between Operations (in mins),Waktu diantara Operasi (di menit)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} dibatalkan sehingga tindakan tidak dapat diselesaikan
DocType: Customer,Buyer of Goods and Services.,Pembeli Stok Barang dan Jasa.
DocType: Journal Entry,Accounts Payable,Hutang
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,BOMs yang dipilih tidak untuk item yang sama
DocType: Pricing Rule,Valid Upto,Valid Upto
DocType: Training Event,Workshop,Bengkel
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Daftar beberapa Konsumen Anda. Mereka bisa menjadi organisasi atau individu.
-,Enough Parts to Build,Bagian yang cukup untuk Membangun
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Pendapatan Langsung
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Daftar beberapa Konsumen Anda. Mereka bisa menjadi organisasi atau individu.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Bagian yang cukup untuk Membangun
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Pendapatan Langsung
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Tidak dapat memfilter berdasarkan Account, jika dikelompokkan berdasarkan Account"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Petugas Administrasi
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Silakan pilih Kursus
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Petugas Administrasi
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Silakan pilih Kursus
DocType: Timesheet Detail,Hrs,Hrs
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Silakan pilih Perusahaan
DocType: Stock Entry Detail,Difference Account,Perbedaan Akun
+DocType: Purchase Invoice,Supplier GSTIN,Pemasok GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Tidak bisa tugas sedekat tugas yang tergantung {0} tidak tertutup.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Entrikan Gudang yang Material Permintaan akan dibangkitkan
DocType: Production Order,Additional Operating Cost,Biaya Operasi Tambahan
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kosmetik
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Untuk bergabung, sifat berikut harus sama untuk kedua item"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Untuk bergabung, sifat berikut harus sama untuk kedua item"
DocType: Shipping Rule,Net Weight,Berat Bersih
DocType: Employee,Emergency Phone,Telepon Darurat
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Membeli
@@ -541,14 +547,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Harap tentukan nilai untuk Threshold 0%
DocType: Sales Order,To Deliver,Mengirim
DocType: Purchase Invoice Item,Item,Barang
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Serial Item tidak dapat pecahan
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Serial Item tidak dapat pecahan
DocType: Journal Entry,Difference (Dr - Cr),Perbedaan (Dr - Cr)
DocType: Account,Profit and Loss,Laba Rugi
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Pengaturan Subkontrak
DocType: Project,Project will be accessible on the website to these users,Proyek akan dapat diakses di website pengguna ini
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Tingkat di mana mata uang Daftar Harga dikonversi ke mata uang dasar perusahaan
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Akun {0} bukan milik perusahaan: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Singkatan sudah digunakan untuk perusahaan lain
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Akun {0} bukan milik perusahaan: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Singkatan sudah digunakan untuk perusahaan lain
DocType: Selling Settings,Default Customer Group,Bawaan Konsumen Grup
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Jika disable, lapangan 'Rounded Jumlah' tidak akan terlihat dalam setiap transaksi"
DocType: BOM,Operating Cost,Biaya Operasi
@@ -556,7 +562,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Kenaikan tidak bisa 0
DocType: Production Planning Tool,Material Requirement,Permintaan Material / Bahan
DocType: Company,Delete Company Transactions,Hapus Transaksi Perusahaan
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Referensi ada dan Tanggal referensi wajib untuk transaksi Bank
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Referensi ada dan Tanggal referensi wajib untuk transaksi Bank
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Tambah / Edit Pajak dan Biaya
DocType: Purchase Invoice,Supplier Invoice No,Nomor Faktur Supplier
DocType: Territory,For reference,Untuk referensi
@@ -567,22 +573,22 @@
DocType: Installation Note Item,Installation Note Item,Laporan Instalasi Stok Barang
DocType: Production Plan Item,Pending Qty,Qty Tertunda
DocType: Budget,Ignore,Diabaikan
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} tidak aktif
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} tidak aktif
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS dikirim ke nomor berikut: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,dimensi penyiapan cek untuk pencetakan
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,dimensi penyiapan cek untuk pencetakan
DocType: Salary Slip,Salary Slip Timesheet,Daftar Absen Slip Gaji
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Supplier Gudang wajib untuk Pembelian Penerimaan sub-kontrak
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Supplier Gudang wajib untuk Pembelian Penerimaan sub-kontrak
DocType: Pricing Rule,Valid From,Valid Dari
DocType: Sales Invoice,Total Commission,Jumlah Nilai Komisi
DocType: Pricing Rule,Sales Partner,Mitra Penjualan
DocType: Buying Settings,Purchase Receipt Required,Diperlukan Nota Penerimaan
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,Tingkat penilaian adalah wajib jika Stock Membuka masuk
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,Tingkat penilaian adalah wajib jika Stock Membuka masuk
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Tidak ada catatan yang ditemukan dalam tabel Faktur
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Silakan pilih Perusahaan dan Partai Jenis terlebih dahulu
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Keuangan / akuntansi Tahun Berjalan
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Keuangan / akuntansi Tahun Berjalan
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Nilai akumulasi
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Maaf, Serial Nos tidak dapat digabungkan"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Membuat Sales Order
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Membuat Sales Order
DocType: Project Task,Project Task,Tugas Proyek
,Lead Id,Id Kesempatan
DocType: C-Form Invoice Detail,Grand Total,Nilai Jumlah Total
@@ -599,7 +605,7 @@
DocType: Job Applicant,Resume Attachment,Lanjutkan Lampiran
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Konsumen Langganan
DocType: Leave Control Panel,Allocate,Alokasi
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Retur Penjualan
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Retur Penjualan
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Catatan: Jumlah daun dialokasikan {0} tidak boleh kurang dari daun yang telah disetujui {1} untuk periode
DocType: Announcement,Posted By,Dikirim oleh
DocType: Item,Delivered by Supplier (Drop Ship),Dikirim oleh Supplier (Drop Shipment)
@@ -609,8 +615,8 @@
DocType: Quotation,Quotation To,Quotation Untuk
DocType: Lead,Middle Income,Penghasilan Menengah
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Pembukaan (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Standar Satuan Ukur untuk Item {0} tidak dapat diubah secara langsung karena Anda telah membuat beberapa transaksi (s) dengan UOM lain. Anda akan perlu untuk membuat item baru menggunakan default UOM berbeda.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Jumlah yang dialokasikan tidak dijinkan negatif
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Standar Satuan Ukur untuk Item {0} tidak dapat diubah secara langsung karena Anda telah membuat beberapa transaksi (s) dengan UOM lain. Anda akan perlu untuk membuat item baru menggunakan default UOM berbeda.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Jumlah yang dialokasikan tidak dijinkan negatif
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Harap atur Perusahaan
DocType: Purchase Order Item,Billed Amt,Nilai Tagihan
DocType: Training Result Employee,Training Result Employee,Pelatihan Hasil Karyawan
@@ -622,7 +628,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Pilih Account Pembayaran untuk membuat Bank Masuk
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Buat catatan Karyawan untuk mengelola daun, klaim biaya dan gaji"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Tambahkan ke Basis Pengetahuan
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Penulisan Proposal
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Penulisan Proposal
DocType: Payment Entry Deduction,Payment Entry Deduction,Pembayaran Masuk Pengurangan
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Sales Person lain {0} ada dengan id Karyawan yang sama
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Jika dicentang, bahan baku untuk produk yang sub-kontrak akan dimasukkan dalam Permintaan Material"
@@ -636,7 +642,7 @@
DocType: Timesheet,Billed,Ditagih
DocType: Batch,Batch Description,Keterangan Batch
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Menciptakan kelompok siswa
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Gateway Akun pembayaran tidak dibuat, silakan membuat satu secara manual."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Gateway Akun pembayaran tidak dibuat, silakan membuat satu secara manual."
DocType: Sales Invoice,Sales Taxes and Charges,Pajak Penjualan dan Biaya
DocType: Employee,Organization Profile,Profil Organisasi
DocType: Student,Sibling Details,Detail saudara
@@ -658,11 +664,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Perubahan Nilai bersih dalam Persediaan
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Manajemen Kredit Karyawan
DocType: Employee,Passport Number,Nomor Paspor
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Hubungan dengan Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Manajer
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Hubungan dengan Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Manajer
DocType: Payment Entry,Payment From / To,Pembayaran Dari / Untuk
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},batas kredit baru kurang dari jumlah yang luar biasa saat ini bagi pelanggan. batas kredit harus minimal {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Item yang sama telah dimasukkan beberapa kali.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},batas kredit baru kurang dari jumlah yang luar biasa saat ini bagi pelanggan. batas kredit harus minimal {0}
DocType: SMS Settings,Receiver Parameter,Parameter Penerima
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Berdasarkan' dan 'Kelompokkan Dengan' tidak bisa sama
DocType: Sales Person,Sales Person Targets,Target Sales Person
@@ -671,8 +676,9 @@
DocType: Issue,Resolution Date,Tanggal Resolusi
DocType: Student Batch Name,Batch Name,Batch Nama
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Absen dibuat:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},Silakan set Cash standar atau rekening Bank Mode Pembayaran {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Silakan set Cash standar atau rekening Bank Mode Pembayaran {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Mendaftar
+DocType: GST Settings,GST Settings,Pengaturan GST
DocType: Selling Settings,Customer Naming By,Penamaan Konsumen Dengan
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Akan menampilkan siswa sebagai Hadir di Student Bulanan Kehadiran Laporan
DocType: Depreciation Schedule,Depreciation Amount,penyusutan Jumlah
@@ -694,6 +700,7 @@
DocType: Item,Material Transfer,Transfer Barang
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Pembukaan (Dr)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Posting timestamp harus setelah {0}
+,GST Itemised Purchase Register,Daftar Pembelian Item GST
DocType: Employee Loan,Total Interest Payable,Total Utang Bunga
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Biaya Pajak dan Landing Cost
DocType: Production Order Operation,Actual Start Time,Waktu Mulai Aktual
@@ -720,10 +727,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
DocType: Account,Accounts,Akun / Rekening
DocType: Vehicle,Odometer Value (Last),Odometer Nilai (terakhir)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Entri pembayaran sudah dibuat
DocType: Purchase Receipt Item Supplied,Current Stock,Stok saat ini
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Aset {1} tidak terkait dengan Butir {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Aset {1} tidak terkait dengan Butir {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Slip Gaji Preview
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Akun {0} telah dimasukkan beberapa kali
DocType: Account,Expenses Included In Valuation,Biaya Termasuk di Dalam Penilaian Barang
@@ -731,7 +738,7 @@
,Absent Student Report,Laporan Absen Siswa
DocType: Email Digest,Next email will be sent on:,Email berikutnya akan dikirim pada:
DocType: Offer Letter Term,Offer Letter Term,Term Surat Penawaran
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Item memiliki varian.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Item memiliki varian.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Item {0} tidak ditemukan
DocType: Bin,Stock Value,Nilai Stok
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Perusahaan {0} tidak ada
@@ -740,7 +747,7 @@
DocType: Serial No,Warranty Expiry Date,Tanggal Berakhir Garansi
DocType: Material Request Item,Quantity and Warehouse,Kuantitas dan Gudang
DocType: Sales Invoice,Commission Rate (%),Komisi Rate (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Silahkan pilih Program
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Silahkan pilih Program
DocType: Project,Estimated Cost,Estimasi biaya
DocType: Purchase Order,Link to material requests,Link ke permintaan bahan
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aerospace
@@ -754,14 +761,14 @@
DocType: Purchase Order,Supply Raw Materials,Pasokan Bahan Baku
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,Tanggal dimana faktur berikutnya akan dihasilkan. Hal ini dihasilkan di submit.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Aset Lancar
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} bukan merupakan Stok Barang persediaan
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} bukan merupakan Stok Barang persediaan
DocType: Mode of Payment Account,Default Account,Akun Standar
DocType: Payment Entry,Received Amount (Company Currency),Menerima Jumlah (Perusahaan Mata Uang)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,Kesempatan harus diatur apabila Peluang berasal dari Kesempatan
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,Silakan pilih dari hari mingguan
DocType: Production Order Operation,Planned End Time,Rencana Waktu Berakhir
,Sales Person Target Variance Item Group-Wise,Sales Person Sasaran Variance Stok Barang Group-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Akun dengan transaksi yang ada tidak dapat dikonversi ke buku besar
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Akun dengan transaksi yang ada tidak dapat dikonversi ke buku besar
DocType: Delivery Note,Customer's Purchase Order No,Nomor Order Pembelian Konsumen
DocType: Budget,Budget Against,anggaran Terhadap
DocType: Employee,Cell Number,Nomor HP
@@ -773,15 +780,13 @@
DocType: Opportunity,Opportunity From,Peluang Dari
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Laporan gaji bulanan.
DocType: BOM,Website Specifications,Website Spesifikasi
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Silakan setup seri penomoran untuk Kehadiran melalui Setup> Numbering Series
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Dari {0} tipe {1}
DocType: Warranty Claim,CI-,cipher
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Row {0}: Faktor Konversi adalah wajib
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Row {0}: Faktor Konversi adalah wajib
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Beberapa Aturan Harga ada dengan kriteria yang sama, silahkan menyelesaikan konflik dengan menetapkan prioritas. Harga Aturan: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,Tidak bisa menonaktifkan atau membatalkan BOM seperti yang terkait dengan BOMs lainnya
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Beberapa Aturan Harga ada dengan kriteria yang sama, silahkan menyelesaikan konflik dengan menetapkan prioritas. Harga Aturan: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Tidak bisa menonaktifkan atau membatalkan BOM seperti yang terkait dengan BOMs lainnya
DocType: Opportunity,Maintenance,Pemeliharaan
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Nomor Nota Penerimaan diperlukan untuk Item {0}
DocType: Item Attribute Value,Item Attribute Value,Nilai Item Atribut
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Kampanye penjualan.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,membuat Timesheet
@@ -833,29 +838,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Aset membatalkan via Journal Entri {0}
DocType: Employee Loan,Interest Income Account,Akun Pendapatan Bunga
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Bioteknologi
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Beban Pemeliharaan Kantor
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Beban Pemeliharaan Kantor
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Menyiapkan Akun Email
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Entrikan Stok Barang terlebih dahulu
DocType: Account,Liability,Kewajiban
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanksi Jumlah tidak dapat lebih besar dari Klaim Jumlah dalam Row {0}.
DocType: Company,Default Cost of Goods Sold Account,Standar Harga Pokok Penjualan
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Daftar Harga tidak dipilih
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Daftar Harga tidak dipilih
DocType: Employee,Family Background,Latar Belakang Keluarga
DocType: Request for Quotation Supplier,Send Email,Kirim Email
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Peringatan: Lampiran tidak valid {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Peringatan: Lampiran tidak valid {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Tidak ada Izin
DocType: Company,Default Bank Account,Standar Rekening Bank
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Untuk menyaring berdasarkan Party, pilih Partai Ketik terlebih dahulu"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'Pembaharuan Persediaan Barang' tidak dapat diperiksa karena barang tidak dikirim melalui {0}
DocType: Vehicle,Acquisition Date,Tanggal akuisisi
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Nos
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Nos
DocType: Item,Items with higher weightage will be shown higher,Item dengan weightage lebih tinggi akan ditampilkan lebih tinggi
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Rincian Rekonsiliasi Bank
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Row # {0}: Aset {1} harus diserahkan
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Row # {0}: Aset {1} harus diserahkan
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Tidak ada karyawan yang ditemukan
DocType: Supplier Quotation,Stopped,Terhenti
DocType: Item,If subcontracted to a vendor,Jika subkontrak ke vendor
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Student Group sudah diupdate
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Student Group sudah diupdate
DocType: SMS Center,All Customer Contact,Semua Kontak Konsumen
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Upload keseimbangan Stok melalui csv.
DocType: Warehouse,Tree Details,Detail pohon
@@ -867,13 +872,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Biaya Pusat {2} bukan milik Perusahaan {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Akun {2} tidak dapat di Kelompokkan
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Item Row {idx}: {doctype} {DOCNAME} tidak ada di atas '{doctype}' table
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Absen {0} sudah selesai atau dibatalkan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Absen {0} sudah selesai atau dibatalkan
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Tidak ada tugas
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Hari bulan yang otomatis faktur akan dihasilkan misalnya 05, 28 dll"
DocType: Asset,Opening Accumulated Depreciation,Membuka Penyusutan Akumulasi
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Skor harus kurang dari atau sama dengan 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Program Pendaftaran Alat
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,C-Form catatan
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C-Form catatan
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Konsumen dan Supplier
DocType: Email Digest,Email Digest Settings,Pengaturan Email Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Terima kasih untuk bisnis Anda!
@@ -883,17 +888,19 @@
DocType: Bin,Moving Average Rate,Tingkat Moving Average
DocType: Production Planning Tool,Select Items,Pilih Produk
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} terhadap Bill {1} tanggal {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Kendaraan / Nomor Bus
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Jadwal Kuliah
DocType: Maintenance Visit,Completion Status,Status Penyelesaian
DocType: HR Settings,Enter retirement age in years,Memasuki usia pensiun di tahun
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Target Gudang
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Silahkan pilih gudang
DocType: Cheque Print Template,Starting location from left edge,Mulai lokasi dari tepi kiri
DocType: Item,Allow over delivery or receipt upto this percent,Biarkan selama pengiriman atau penerimaan upto persen ini
DocType: Stock Entry,STE-,Ste-
DocType: Upload Attendance,Import Attendance,Impor Absensi
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Semua Grup Stok Barang/Item
DocType: Process Payroll,Activity Log,Log Aktivitas
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Laba / Rugi
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Laba / Rugi
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Secara otomatis menulis pesan pada pengajuan transaksi.
DocType: Production Order,Item To Manufacture,Stok Barang Untuk Produksi
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} Status adalah {2}
@@ -902,16 +909,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Order Pembelian untuk Dibayar
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Proyeksi Qty
DocType: Sales Invoice,Payment Due Date,Tanggal Jatuh Tempo Pembayaran
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Item Varian {0} sudah ada dengan atribut yang sama
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Item Varian {0} sudah ada dengan atribut yang sama
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','Awal'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Terbuka yang Harus Dilakukan
DocType: Notification Control,Delivery Note Message,Pesan Nota Pengiriman
DocType: Expense Claim,Expenses,Biaya / Beban
+,Support Hours,Jam Dukungan
DocType: Item Variant Attribute,Item Variant Attribute,Item Varian Atribut
,Purchase Receipt Trends,Tren Nota Penerimaan
DocType: Process Payroll,Bimonthly,dua bulan sekali
DocType: Vehicle Service,Brake Pad,Pedal Rem
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Penelitian & Pengembangan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Penelitian & Pengembangan
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Nilai Tertagih
DocType: Company,Registration Details,Detail Pendaftaran
DocType: Timesheet,Total Billed Amount,Jumlah Total Ditagih
@@ -924,12 +932,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Hanya Mendapatkan Bahan Baku
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Penilaian kinerja.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Mengaktifkan 'Gunakan untuk Keranjang Belanja', sebagai Keranjang Belanja diaktifkan dan harus ada setidaknya satu Rule Pajak untuk Belanja"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Masuk pembayaran {0} terkait terhadap Orde {1}, memeriksa apakah itu harus ditarik sebagai uang muka dalam faktur ini."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Masuk pembayaran {0} terkait terhadap Orde {1}, memeriksa apakah itu harus ditarik sebagai uang muka dalam faktur ini."
DocType: Sales Invoice Item,Stock Details,Detail Stok
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Nilai Proyek
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,POS
DocType: Vehicle Log,Odometer Reading,Pembacaan odometer
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Saldo rekening telah berada di Kredit, Anda tidak diizinkan untuk mengatur 'Balance Harus' sebagai 'Debit'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Saldo rekening telah berada di Kredit, Anda tidak diizinkan untuk mengatur 'Balance Harus' sebagai 'Debit'"
DocType: Account,Balance must be,Saldo harus
DocType: Hub Settings,Publish Pricing,Publikasikan Harga
DocType: Notification Control,Expense Claim Rejected Message,Beban Klaim Ditolak Pesan
@@ -939,7 +947,7 @@
DocType: Salary Slip,Working Days,Hari Kerja
DocType: Serial No,Incoming Rate,Harga Penerimaan
DocType: Packing Slip,Gross Weight,Berat Kotor
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,Nama perusahaan Anda yang Anda sedang mengatur sistem ini.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,Nama perusahaan Anda yang Anda sedang mengatur sistem ini.
DocType: HR Settings,Include holidays in Total no. of Working Days,Sertakan Hari Libur di total no. dari Hari Kerja
DocType: Job Applicant,Hold,Ditahan
DocType: Employee,Date of Joining,Tanggal Bergabung
@@ -950,20 +958,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Nota Penerimaan
,Received Items To Be Billed,Produk Diterima Akan Ditagih
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Dikirim Slips Gaji
-DocType: Employee,Ms,Ms
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Master Nilai Mata Uang
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Referensi DOCTYPE harus menjadi salah satu {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Master Nilai Mata Uang
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referensi DOCTYPE harus menjadi salah satu {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Tidak dapat menemukan waktu Slot di {0} hari berikutnya untuk Operasi {1}
DocType: Production Order,Plan material for sub-assemblies,Planning Material untuk Barang Rakitan
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Mitra Penjualan dan Wilayah
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,tidak dapat secara otomatis membuat Account sebagai sudah ada keseimbangan saham di Rekening. Anda harus membuat account yang cocok sebelum Anda dapat membuat sebuah entri di gudang ini
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} harus aktif
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} harus aktif
DocType: Journal Entry,Depreciation Entry,penyusutan Masuk
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Silakan pilih jenis dokumen terlebih dahulu
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Batal Kunjungan Material {0} sebelum membatalkan ini Maintenance Visit
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serial ada {0} bukan milik Stok Barang {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Qty Diperlukan
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Gudang dengan transaksi yang ada tidak dapat dikonversi ke buku besar.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Gudang dengan transaksi yang ada tidak dapat dikonversi ke buku besar.
DocType: Bank Reconciliation,Total Amount,Nilai Total
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Penerbitan Internet
DocType: Production Planning Tool,Production Orders,Order Produksi
@@ -978,25 +984,26 @@
DocType: Fee Structure,Components,komponen
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Cukup masukkan Aset Kategori dalam angka {0}
DocType: Quality Inspection Reading,Reading 6,Membaca 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Tidak bisa {0} {1} {2} tanpa faktur yang beredar negatif
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Tidak bisa {0} {1} {2} tanpa faktur yang beredar negatif
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Uang Muka Faktur Pembelian
DocType: Hub Settings,Sync Now,Sync Now
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Baris {0}: entry Kredit tidak dapat dihubungkan dengan {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Tentukan anggaran untuk tahun keuangan.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Tentukan anggaran untuk tahun keuangan.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Standar rekening Bank / Cash akan secara otomatis diperbarui di POS Invoice saat mode ini dipilih.
DocType: Lead,LEAD-,MEMIMPIN-
DocType: Employee,Permanent Address Is,Alamat Permanen Adalah:
DocType: Production Order Operation,Operation completed for how many finished goods?,Operasi selesai untuk berapa banyak Stok Barang jadi?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,Merek
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Merek
DocType: Employee,Exit Interview Details,Detail Exit Interview
DocType: Item,Is Purchase Item,Stok Dibeli dari Supplier
DocType: Asset,Purchase Invoice,Faktur Pembelian
DocType: Stock Ledger Entry,Voucher Detail No,Nomor Detail Voucher
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Baru Faktur Penjualan
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Baru Faktur Penjualan
DocType: Stock Entry,Total Outgoing Value,Nilai Total Keluaran
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Tanggal dan Closing Date membuka harus berada dalam Tahun Anggaran yang sama
DocType: Lead,Request for Information,Request for Information
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sinkronisasi Offline Faktur
+,LeaderBoard,LeaderBoard
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Sinkronisasi Offline Faktur
DocType: Payment Request,Paid,Dibayar
DocType: Program Fee,Program Fee,Biaya Program
DocType: Salary Slip,Total in words,Jumlah kata
@@ -1005,13 +1012,13 @@
DocType: Cheque Print Template,Has Print Format,Memiliki Print Format
DocType: Employee Loan,Sanctioned,sanksi
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,Wajib diisi. Mungkin Kurs Mata Uang belum dibuat untuk
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Silakan tentukan Serial ada untuk Item {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Untuk barang-barang 'Bundel Produk', Gudang, Nomor Serial dan Nomor Batch akan diperhitungkan dari tabel 'Packing List'. Bila Gudang dan Nomor Batch sama untuk semua barang-barang kemasan dari segala barang 'Bundel Produk', maka nilai tersebut dapat dimasukkan dalam tabel Barang utama, nilai tersebut akan disalin ke tabel 'Packing List'."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Silakan tentukan Serial ada untuk Item {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Untuk barang-barang 'Bundel Produk', Gudang, Nomor Serial dan Nomor Batch akan diperhitungkan dari tabel 'Packing List'. Bila Gudang dan Nomor Batch sama untuk semua barang-barang kemasan dari segala barang 'Bundel Produk', maka nilai tersebut dapat dimasukkan dalam tabel Barang utama, nilai tersebut akan disalin ke tabel 'Packing List'."
DocType: Job Opening,Publish on website,Mempublikasikan di website
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Pengiriman ke Konsumen.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Pemasok Faktur Tanggal tidak dapat lebih besar dari Posting Tanggal
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Pemasok Faktur Tanggal tidak dapat lebih besar dari Posting Tanggal
DocType: Purchase Invoice Item,Purchase Order Item,Stok Barang Order Pembelian
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Pendapatan Tidak Langsung
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Pendapatan Tidak Langsung
DocType: Student Attendance Tool,Student Attendance Tool,Alat Kehadiran Siswa
DocType: Cheque Print Template,Date Settings,Pengaturan Tanggal
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Variance
@@ -1029,20 +1036,20 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Kimia
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Default akun Bank / Cash akan secara otomatis diperbarui di Gaji Journal Entri saat mode ini dipilih.
DocType: BOM,Raw Material Cost(Company Currency),Biaya Bahan Baku (Perusahaan Mata Uang)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Semua item telah dialihkan untuk Order Produksi ini.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Semua item telah dialihkan untuk Order Produksi ini.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Baris # {0}: Tarif tidak boleh lebih besar dari tarif yang digunakan di {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,Meter
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,Meter
DocType: Workstation,Electricity Cost,Biaya Listrik
DocType: HR Settings,Don't send Employee Birthday Reminders,Jangan Kirim Pengingat Ulang Tahun
DocType: Item,Inspection Criteria,Kriteria Inspeksi
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Ditransfer
DocType: BOM Website Item,BOM Website Item,BOM Situs Barang
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Upload kop surat dan logo. (Anda dapat mengeditnya nanti).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Upload kop surat dan logo. (Anda dapat mengeditnya nanti).
DocType: Timesheet Detail,Bill,Tagihan
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Berikutnya Penyusutan Tanggal dimasukkan sebagai tanggal terakhir
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Putih
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Putih
DocType: SMS Center,All Lead (Open),Semua Kesempatan (Open)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Qty tidak tersedia untuk {4} di gudang {1} pada postingan kali entri ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Qty tidak tersedia untuk {4} di gudang {1} pada postingan kali entri ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Dapatkan Uang Muka Dibayar
DocType: Item,Automatically Create New Batch,Buat Batch Baru secara otomatis
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,Membuat
@@ -1052,13 +1059,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Cart saya
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Order Type harus menjadi salah satu {0}
DocType: Lead,Next Contact Date,Tanggal Komunikasi Selanjutnya
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Qty Pembukaan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,Silahkan masukkan account untuk Perubahan Jumlah
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Qty Pembukaan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,Silahkan masukkan account untuk Perubahan Jumlah
DocType: Student Batch Name,Student Batch Name,Mahasiswa Nama Batch
DocType: Holiday List,Holiday List Name,Daftar Nama Hari Libur
DocType: Repayment Schedule,Balance Loan Amount,Saldo Jumlah Pinjaman
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Jadwal Kursus
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Opsi Persediaan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Opsi Persediaan
DocType: Journal Entry Account,Expense Claim,Biaya Klaim
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Apakah Anda benar-benar ingin mengembalikan aset dibuang ini?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Jumlah untuk {0}
@@ -1070,12 +1077,12 @@
DocType: Company,Default Terms,Persyaratan Standar
DocType: Packing Slip Item,Packing Slip Item,Packing Slip Stok Barang
DocType: Purchase Invoice,Cash/Bank Account,Rekening Kas / Bank
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Tentukan {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Tentukan {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Item dihapus dengan tidak ada perubahan dalam jumlah atau nilai.
DocType: Delivery Note,Delivery To,Pengiriman Untuk
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Tabel atribut wajib
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Tabel atribut wajib
DocType: Production Planning Tool,Get Sales Orders,Dapatkan Order Penjualan
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} tidak dapat negatif
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} tidak dapat negatif
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Diskon
DocType: Asset,Total Number of Depreciations,Total Jumlah Penyusutan
DocType: Sales Invoice Item,Rate With Margin,Tingkat Dengan Margin
@@ -1095,7 +1102,6 @@
DocType: Serial No,Creation Document No,Nomor Dokumen
DocType: Issue,Issue,Masalah / Isu
DocType: Asset,Scrapped,membatalkan
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Akun tidak sesuai dengan Perusahaan
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Atribut untuk Item Varian. misalnya Ukuran, Warna dll"
DocType: Purchase Invoice,Returns,Pengembalian
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP Gudang
@@ -1107,12 +1113,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,Item harus ditambahkan dengan menggunakan 'Dapatkan Produk dari Pembelian Penerimaan' tombol
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Termasuk item non-saham
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Beban Penjualan
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Beban Penjualan
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Standar Pembelian
DocType: GL Entry,Against,Terhadap
DocType: Item,Default Selling Cost Center,Standar Pusat Biaya Jual
DocType: Sales Partner,Implementation Partner,Mitra Implementasi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Kode Pos
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Kode Pos
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Sales Order {0} adalah {1}
DocType: Opportunity,Contact Info,Informasi Kontak
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Membuat Stok Entri
@@ -1125,31 +1131,31 @@
DocType: Holiday List,Get Weekly Off Dates,Dapatkan Tanggal Libur Mingguan
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,Tanggal Berakhir tidak boleh lebih awal dari Tanggal Mulai
DocType: Sales Person,Select company name first.,Pilih nama perusahaan terlebih dahulu.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Dr
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Penawaran Diterima dari Supplier
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Untuk {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Rata-rata Usia
DocType: School Settings,Attendance Freeze Date,Tanggal Pembekuan Kehadiran
DocType: Opportunity,Your sales person who will contact the customer in future,Sales Anda yang akan menghubungi Konsumen di masa depan
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Daftar beberapa Supplier Anda. Mereka bisa menjadi organisasi atau individu.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Daftar beberapa Supplier Anda. Mereka bisa menjadi organisasi atau individu.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Lihat Semua Produk
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Usia Pemimpin Minimum (Hari)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,semua BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,semua BOMs
DocType: Company,Default Currency,Standar Mata Uang
DocType: Expense Claim,From Employee,Dari Karyawan
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Peringatan: Sistem tidak akan memeriksa overbilling karena jumlahnya untuk Item {0} pada {1} adalah nol
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Peringatan: Sistem tidak akan memeriksa overbilling karena jumlahnya untuk Item {0} pada {1} adalah nol
DocType: Journal Entry,Make Difference Entry,Buat Entri Perbedaan
DocType: Upload Attendance,Attendance From Date,Absensi Kehadiran dari Tanggal
DocType: Appraisal Template Goal,Key Performance Area,Area Kinerja Kunci
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Transportasi
+DocType: Program Enrollment,Transportation,Transportasi
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Atribut yang tidak valid
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} harus di-posting
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} harus di-posting
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Kuantitas harus kurang dari atau sama dengan {0}
DocType: SMS Center,Total Characters,Jumlah Karakter
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Silakan pilih BOM BOM di lapangan untuk Item {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Silakan pilih BOM BOM di lapangan untuk Item {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Faktur Detil
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Rekonsiliasi Faktur Pembayaran
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Kontribusi%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Sesuai dengan Setelan Pembelian jika Pesanan Pembelian Diperlukan == 'YA', maka untuk membuat Purchase Invoice, pengguna harus membuat Purchase Order terlebih dahulu untuk item {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Nomor registrasi perusahaan untuk referensi Anda. Nomor pajak dll
DocType: Sales Partner,Distributor,Distributor
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Aturan Pengiriman Belanja Shoping Cart
@@ -1158,23 +1164,25 @@
,Ordered Items To Be Billed,Item Pesanan Tertagih
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Dari Rentang harus kurang dari Untuk Rentang
DocType: Global Defaults,Global Defaults,Standar Global
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Proyek Kolaborasi Undangan
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Proyek Kolaborasi Undangan
DocType: Salary Slip,Deductions,Pengurangan
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Mulai Tahun
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},2 digit pertama GSTIN harus sesuai dengan nomor Negara {0}
DocType: Purchase Invoice,Start date of current invoice's period,Tanggal faktur periode saat ini mulai
DocType: Salary Slip,Leave Without Pay,Cuti Tanpa Bayar
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Kesalahan Perencanaan Kapasitas
,Trial Balance for Party,Trial Balance untuk Partai
DocType: Lead,Consultant,Konsultan
DocType: Salary Slip,Earnings,Pendapatan
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Selesai Stok Barang {0} harus dimasukkan untuk jenis Produksi entri
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Selesai Stok Barang {0} harus dimasukkan untuk jenis Produksi entri
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Saldo Akuntansi Pembuka
+,GST Sales Register,Daftar Penjualan GST
DocType: Sales Invoice Advance,Sales Invoice Advance,Uang Muka Faktur Penjualan
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Tidak ada Permintaan
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},record Anggaran lain '{0}' sudah ada terhadap {1} '{2}' untuk tahun fiskal {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date','Tanggal Mulai Sebenarnya' tidak dapat lebih besar dari 'Tanggal Selesai Sebenarnya'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Manajemen
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Manajemen
DocType: Cheque Print Template,Payer Settings,Pengaturan Wajib
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Ini akan ditambahkan ke Item Code dari varian. Sebagai contoh, jika Anda adalah singkatan ""SM"", dan kode Stok Barang adalah ""T-SHIRT"", kode item varian akan ""T-SHIRT-SM"""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Pay Bersih (dalam kata-kata) akan terlihat setelah Anda menyimpan Slip Gaji.
@@ -1191,8 +1199,8 @@
DocType: Employee Loan,Partially Disbursed,sebagian Dicairkan
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Database Supplier.
DocType: Account,Balance Sheet,Neraca
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Biaya Center For Stok Barang dengan Item Code '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Modus pembayaran tidak dikonfigurasi. Silakan periksa, apakah akun telah ditetapkan pada Cara Pembayaran atau POS Profil."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Biaya Center For Stok Barang dengan Item Code '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Modus pembayaran tidak dikonfigurasi. Silakan periksa, apakah akun telah ditetapkan pada Cara Pembayaran atau POS Profil."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Sales Anda akan mendapatkan pengingat pada tanggal ini untuk menghubungi Konsumen
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,item yang sama tidak dapat dimasukkan beberapa kali.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Account lebih lanjut dapat dibuat di bawah Grup, tapi entri dapat dilakukan terhadap non-Grup"
@@ -1200,7 +1208,7 @@
DocType: Email Digest,Payables,Hutang
DocType: Course,Course Intro,tentu saja Intro
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Stock Masuk {0} dibuat
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Ditolak Qty tidak dapat dimasukkan dalam Pembelian Kembali
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Ditolak Qty tidak dapat dimasukkan dalam Pembelian Kembali
,Purchase Order Items To Be Billed,Purchase Order Items Akan Ditagih
DocType: Purchase Invoice Item,Net Rate,Nilai Bersih / Net
DocType: Purchase Invoice Item,Purchase Invoice Item,Stok Barang Faktur Pembelian
@@ -1225,7 +1233,7 @@
DocType: Sales Order,SO-,BEGITU-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Silakan pilih awalan terlebih dahulu
DocType: Employee,O-,HAI-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Penelitian
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Penelitian
DocType: Maintenance Visit Purpose,Work Done,Pekerjaan Selesai
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Silakan tentukan setidaknya satu atribut dalam tabel Atribut
DocType: Announcement,All Students,Semua murid
@@ -1233,17 +1241,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Lihat Buku Besar
DocType: Grading Scale,Intervals,interval
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Paling Awal
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Item Grup ada dengan nama yang sama, ubah nama item atau mengubah nama kelompok Stok Barang"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Mahasiswa Nomor Ponsel
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Rest of The World
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Item Grup ada dengan nama yang sama, ubah nama item atau mengubah nama kelompok Stok Barang"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Mahasiswa Nomor Ponsel
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Rest of The World
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Item {0} tidak dapat memiliki Batch
,Budget Variance Report,Laporan Perbedaan Anggaran
DocType: Salary Slip,Gross Pay,Nilai Gross Bayar
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Row {0}: Jenis Kegiatan adalah wajib.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Dividen Dibagi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Dividen Dibagi
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Buku Besar Akuntansi
DocType: Stock Reconciliation,Difference Amount,Jumlah Perbedaan
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Laba Ditahan
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Laba Ditahan
DocType: Vehicle Log,Service Detail,layanan Detil
DocType: BOM,Item Description,Deskripsi Barang
DocType: Student Sibling,Student Sibling,Mahasiswa Sibling
@@ -1257,11 +1265,11 @@
DocType: Opportunity Item,Opportunity Item,Peluang Stok Barang
,Student and Guardian Contact Details,Mahasiswa dan Wali Detail Kontak
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Row {0}: Untuk pemasok {0} Alamat Email diperlukan untuk mengirim email
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Akun Pembukaan Sementara
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Akun Pembukaan Sementara
,Employee Leave Balance,Nilai Cuti Karyawan
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Saldo Rekening {0} harus selalu {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Penilaian Tingkat diperlukan untuk Item berturut-turut {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Contoh: Magister Ilmu Komputer
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Contoh: Magister Ilmu Komputer
DocType: Purchase Invoice,Rejected Warehouse,Gudang Reject
DocType: GL Entry,Against Voucher,Terhadap Voucher
DocType: Item,Default Buying Cost Center,Standar Biaya Pusat Pembelian
@@ -1274,31 +1282,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Dapatkan Faktur Berjalan
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Order Penjualan {0} tidak valid
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,pesanan pembelian membantu Anda merencanakan dan menindaklanjuti pembelian Anda
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Maaf, perusahaan tidak dapat digabungkan"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Maaf, perusahaan tidak dapat digabungkan"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",Total Issue / transfer kuantitas {0} Material Permintaan {1} \ tidak dapat lebih besar dari yang diminta kuantitas {2} untuk Item {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Kecil
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Kecil
DocType: Employee,Employee Number,Jumlah Karyawan
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Kasus ada (s) sudah digunakan. Coba dari Case ada {0}
DocType: Project,% Completed,Selesai %
,Invoiced Amount (Exculsive Tax),Faktur Jumlah (Pajak exculsive)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Item 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Kepala akun {0} telah dibuat
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,pelatihan Kegiatan
DocType: Item,Auto re-order,Auto re-order
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Total Dicapai
DocType: Employee,Place of Issue,Tempat Issue
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Kontrak
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Kontrak
DocType: Email Digest,Add Quote,Tambahkan Kutipan
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},Faktor coversion UOM diperlukan untuk UOM: {0} di Item: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Biaya tidak langsung
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Faktor coversion UOM diperlukan untuk UOM: {0} di Item: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Biaya tidak langsung
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Row {0}: Qty adalah wajib
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Pertanian
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sync Master Data
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Produk atau Jasa
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Produk atau Jasa
DocType: Mode of Payment,Mode of Payment,Mode Pembayaran
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Website Image harus file umum atau URL situs
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Website Image harus file umum atau URL situs
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Ini adalah kelompok Stok Barang akar dan tidak dapat diedit.
@@ -1307,17 +1314,17 @@
DocType: Warehouse,Warehouse Contact Info,Info Kontak Gudang
DocType: Payment Entry,Write Off Difference Amount,Menulis Off Perbedaan Jumlah
DocType: Purchase Invoice,Recurring Type,Type Pengulangan/Recurring
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: email Karyawan tidak ditemukan, maka email yang tidak terkirim"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: email Karyawan tidak ditemukan, maka email yang tidak terkirim"
DocType: Item,Foreign Trade Details,Rincian Perdagangan Luar Negeri
DocType: Email Digest,Annual Income,Pendapatan tahunan
DocType: Serial No,Serial No Details,Nomor Detail Serial
DocType: Purchase Invoice Item,Item Tax Rate,Tarif Pajak Stok Barang
DocType: Student Group Student,Group Roll Number,Nomor roll grup
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Untuk {0}, hanya rekening kredit dapat dihubungkan dengan entri debit lain"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Total semua bobot tugas harus 1. Sesuaikan bobot dari semua tugas Proyek sesuai
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Nota pengiriman {0} tidak Terkirim
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Item {0} harus Item Sub-kontrak
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Perlengkapan Modal
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Total semua bobot tugas harus 1. Sesuaikan bobot dari semua tugas Proyek sesuai
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Nota pengiriman {0} tidak Terkirim
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Item {0} harus Item Sub-kontrak
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Perlengkapan Modal
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Rule harga terlebih dahulu dipilih berdasarkan 'Terapkan On' lapangan, yang dapat Stok Barang, Stok Barang Grup atau Merek."
DocType: Hub Settings,Seller Website,Situs Penjual
DocType: Item,ITEM-,BARANG-
@@ -1335,7 +1342,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Hanya ada satu Peraturan Pengiriman Kondisi dengan nilai kosong atau 0 untuk ""To Nilai"""
DocType: Authorization Rule,Transaction,Transaksi
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Catatan: Biaya Pusat ini adalah Group. Tidak bisa membuat entri akuntansi terhadap kelompok-kelompok.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,gudang anak ada untuk gudang ini. Anda tidak dapat menghapus gudang ini.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,gudang anak ada untuk gudang ini. Anda tidak dapat menghapus gudang ini.
DocType: Item,Website Item Groups,Situs Grup Stok Barang
DocType: Purchase Invoice,Total (Company Currency),Total (Perusahaan Mata Uang)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Serial number {0} masuk lebih dari sekali
@@ -1345,7 +1352,7 @@
DocType: Grading Scale Interval,Grade Code,Kode kelas
DocType: POS Item Group,POS Item Group,POS Barang Grup
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email Digest:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} bukan milik Stok Barang {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} bukan milik Stok Barang {1}
DocType: Sales Partner,Target Distribution,Target Distribusi
DocType: Salary Slip,Bank Account No.,No Rekening Bank
DocType: Naming Series,This is the number of the last created transaction with this prefix,Ini adalah jumlah transaksi yang diciptakan terakhir dengan awalan ini
@@ -1355,12 +1362,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Book Depresiasi Aset Entri secara otomatis
DocType: BOM Operation,Workstation,Workstation
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Permintaan Quotation Pemasok
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Perangkat keras
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Perangkat keras
DocType: Sales Order,Recurring Upto,berulang Upto
DocType: Attendance,HR Manager,HR Manager
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Silakan pilih sebuah Perusahaan
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Privilege Cuti
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Silakan pilih sebuah Perusahaan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Privilege Cuti
DocType: Purchase Invoice,Supplier Invoice Date,Tanggal Faktur Supplier
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,per
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Anda harus mengaktifkan Keranjang Belanja
DocType: Payment Entry,Writeoff,writeoff
DocType: Appraisal Template Goal,Appraisal Template Goal,Template Target Penilaian Pencapaian
@@ -1371,10 +1379,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Kondisi Tumpang Tindih ditemukan antara:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Terhadap Entri Jurnal {0} sudah disesuaikan terhadap beberapa voucher lainnya
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Nilai Total Order
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Makanan
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Makanan
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Rentang Ageing 3
DocType: Maintenance Schedule Item,No of Visits,Tidak ada Kunjungan
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Mark absensi
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Mark absensi
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Jadwal Pemeliharaan {0} ada terhadap {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,mahasiswa Mendaftarkan
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Mata uang dari Rekening Penutupan harus {0}
@@ -1388,6 +1396,7 @@
DocType: Rename Tool,Utilities,Utilitas
DocType: Purchase Invoice Item,Accounting,Akuntansi
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Silakan pilih batch untuk item batched
DocType: Asset,Depreciation Schedules,Jadwal penyusutan
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Periode aplikasi tidak bisa periode alokasi cuti di luar
DocType: Activity Cost,Projects,Proyek
@@ -1401,6 +1410,7 @@
DocType: POS Profile,Campaign,Promosi
DocType: Supplier,Name and Type,Nama dan Jenis
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Status Persetujuan harus 'Disetujui' atau 'Ditolak'
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,Bootstrap
DocType: Purchase Invoice,Contact Person,Contact Person
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"""Jadwal Tanggal Mulai' tidak dapat lebih besar dari 'Jadwal Tanggal Selesai'"
DocType: Course Scheduling Tool,Course End Date,Tentu saja Tanggal Akhir
@@ -1408,12 +1418,11 @@
DocType: Sales Order Item,Planned Quantity,Direncanakan Kuantitas
DocType: Purchase Invoice Item,Item Tax Amount,Jumlah Pajak Stok Barang
DocType: Item,Maintain Stock,Jaga Stok
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Stok Entries sudah dibuat untuk Order Produksi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Stok Entries sudah dibuat untuk Order Produksi
DocType: Employee,Prefered Email,prefered Email
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Perubahan bersih dalam Aset Tetap
DocType: Leave Control Panel,Leave blank if considered for all designations,Biarkan kosong jika dipertimbangkan untuk semua sebutan
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Gudang adalah wajib bagi Account kelompok non tipe Stock
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Mengisi tipe 'sebenarnya' berturut-turut {0} tidak dapat dimasukkan dalam Butir Tingkat
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Mengisi tipe 'sebenarnya' berturut-turut {0} tidak dapat dimasukkan dalam Butir Tingkat
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Dari Datetime
DocType: Email Digest,For Company,Untuk Perusahaan
@@ -1423,15 +1432,15 @@
DocType: Sales Invoice,Shipping Address Name,Alamat Pengiriman
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Chart of Account
DocType: Material Request,Terms and Conditions Content,Syarat dan Ketentuan Konten
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,tidak dapat lebih besar dari 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Item {0} bukan merupakan Stok Stok Barang
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,tidak dapat lebih besar dari 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Item {0} bukan merupakan Stok Stok Barang
DocType: Maintenance Visit,Unscheduled,Tidak Terjadwal
DocType: Employee,Owned,Dimiliki
DocType: Salary Detail,Depends on Leave Without Pay,Tergantung pada Cuti Tanpa Bayar
DocType: Pricing Rule,"Higher the number, higher the priority","Semakin tinggi angkanya, semakin tinggi prioritas"
,Purchase Invoice Trends,Pembelian Faktur Trends
DocType: Employee,Better Prospects,Prospek yang Lebih Baik
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Baris # {0}: Kumpulan {1} hanya memiliki {2} qty. Silakan pilih batch lain yang memiliki {3} qty available atau membagi baris menjadi beberapa baris, untuk mengirimkan / mengeluarkan dari beberapa batch"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Baris # {0}: Kumpulan {1} hanya memiliki {2} qty. Silakan pilih batch lain yang memiliki {3} qty available atau membagi baris menjadi beberapa baris, untuk mengirimkan / mengeluarkan dari beberapa batch"
DocType: Vehicle,License Plate,Pelat
DocType: Appraisal,Goals,tujuan
DocType: Warranty Claim,Warranty / AMC Status,Garansi / Status AMC
@@ -1442,7 +1451,8 @@
,Batch-Wise Balance History,Batch-Wise Balance Sejarah
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,pengaturan cetak diperbarui dalam format cetak masing
DocType: Package Code,Package Code,Kode paket
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Magang
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Magang
+DocType: Purchase Invoice,Company GSTIN,Perusahaan GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Jumlah negatif tidak diperbolehkan
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","Rinci tabel pajak diambil dari master Stok Barang sebagai string dan disimpan dalam bidang ini.
@@ -1450,12 +1460,12 @@
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Karyawan tidak bisa melaporkan kepada dirinya sendiri.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Jika account beku, entri yang diizinkan untuk pengguna terbatas."
DocType: Email Digest,Bank Balance,Saldo bank
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Entri Akuntansi untuk {0}: {1} hanya dapat dilakukan dalam mata uang: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Entri Akuntansi untuk {0}: {1} hanya dapat dilakukan dalam mata uang: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Profil pekerjaan, kualifikasi yang dibutuhkan dll"
DocType: Journal Entry Account,Account Balance,Saldo Akun Rekening
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Aturan pajak untuk transaksi.
DocType: Rename Tool,Type of document to rename.,Jenis dokumen untuk mengubah nama.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Kami membeli item ini
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Kami membeli item ini
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Pelanggan diperlukan terhadap akun piutang {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Jumlah Pajak dan Biaya (Perusahaan Mata Uang)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Tampilkan P & saldo L tahun fiskal tertutup ini
@@ -1466,29 +1476,30 @@
DocType: Stock Entry,Total Additional Costs,Total Biaya Tambahan
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Scrap Material Cost (Perusahaan Mata Uang)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Sub Assemblies
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Sub Assemblies
DocType: Asset,Asset Name,Aset Nama
DocType: Project,Task Weight,tugas Berat
DocType: Shipping Rule Condition,To Value,Untuk Dinilai
DocType: Asset Movement,Stock Manager,Manajer Stok Barang
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Sumber gudang adalah wajib untuk baris {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Slip Packing
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Sewa Kantor
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Sumber gudang adalah wajib untuk baris {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Slip Packing
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Sewa Kantor
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Pengaturan gerbang Pengaturan SMS
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Impor Gagal!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Belum ditambahkan alamat
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Belum ditambahkan alamat
DocType: Workstation Working Hour,Workstation Working Hour,Jam Kerja Workstation
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Analis
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Analis
DocType: Item,Inventory,Inventarisasi
DocType: Item,Sales Details,Detail Penjualan
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,Dengan Produk
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,Dalam Qty
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,Dalam Qty
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Validasi Kursus Terdaftar untuk Siswa di Kelompok Pelajar
DocType: Notification Control,Expense Claim Rejected,Beban Klaim Ditolak
DocType: Item,Item Attribute,Item Atribut
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,pemerintahan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,pemerintahan
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Beban Klaim {0} sudah ada untuk Kendaraan Log
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,nama institusi
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,nama institusi
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,Masukkan pembayaran Jumlah
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Item Varian
DocType: Company,Services,Jasa
@@ -1498,18 +1509,18 @@
DocType: Sales Invoice,Source,Sumber
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Tampilkan ditutup
DocType: Leave Type,Is Leave Without Pay,Apakah Cuti Tanpa Bayar
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Aset Kategori adalah wajib untuk item aset tetap
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Aset Kategori adalah wajib untuk item aset tetap
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Tidak ada catatan yang ditemukan dalam tabel Pembayaran
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Ini {0} konflik dengan {1} untuk {2} {3}
DocType: Student Attendance Tool,Students HTML,siswa HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Tahun Buku Tanggal mulai
DocType: POS Profile,Apply Discount,Terapkan Diskon
+DocType: Purchase Invoice Item,GST HSN Code,Kode HSN GST
DocType: Employee External Work History,Total Experience,Jumlah Pengalaman
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,terbuka Proyek
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Packing slip (s) dibatalkan
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Arus Kas dari Investasi
DocType: Program Course,Program Course,Kursus Program
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Pengangkutan dan Forwarding Biaya
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Pengangkutan dan Forwarding Biaya
DocType: Homepage,Company Tagline for website homepage,Perusahaan Tagline untuk homepage website
DocType: Item Group,Item Group Name,Nama Item Grup
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Diambil
@@ -1519,6 +1530,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Buat Memimpin
DocType: Maintenance Schedule,Schedules,Jadwal
DocType: Purchase Invoice Item,Net Amount,Nilai Bersih
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} belum dikirim sehingga tindakan tidak dapat diselesaikan
DocType: Purchase Order Item Supplied,BOM Detail No,No. Rincian BOM
DocType: Landed Cost Voucher,Additional Charges,Biaya tambahan
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Jumlah Diskon Tambahan (dalam Mata Uang Perusahaan)
@@ -1534,6 +1546,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Bulanan Pembayaran Jumlah
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,Silakan set ID lapangan Pengguna dalam catatan Karyawan untuk mengatur Peran Karyawan
DocType: UOM,UOM Name,Nama UOM
+DocType: GST HSN Code,HSN Code,Kode HSN
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Jumlah kontribusi
DocType: Purchase Invoice,Shipping Address,Alamat Pengiriman
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Alat ini membantu Anda untuk memperbarui atau memperbaiki kuantitas dan valuasi Stok di sistem. Hal ini biasanya digunakan untuk menyinkronkan sistem nilai-nilai dan apa yang benar-benar ada di gudang Anda.
@@ -1544,17 +1557,16 @@
DocType: Program Enrollment Tool,Program Enrollments,Program Terdaftar
DocType: Sales Invoice Item,Brand Name,Merek Nama
DocType: Purchase Receipt,Transporter Details,Detail transporter
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,gudang standar diperlukan untuk item yang dipilih
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Kotak
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,gudang standar diperlukan untuk item yang dipilih
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Kotak
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,mungkin Pemasok
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Organisasi
DocType: Budget,Monthly Distribution,Distribusi bulanan
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Receiver List kosong. Silakan membuat Receiver List
DocType: Production Plan Sales Order,Production Plan Sales Order,Rencana Produksi berdasar Order Penjualan
DocType: Sales Partner,Sales Partner Target,Sasaran Mitra Penjualan
DocType: Loan Type,Maximum Loan Amount,Maksimum Jumlah Pinjaman
DocType: Pricing Rule,Pricing Rule,Aturan Harga
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Nomor pengguliran duplikat untuk siswa {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Nomor pengguliran duplikat untuk siswa {0}
DocType: Budget,Action if Annual Budget Exceeded,Tindakan jika Anggaran Tahunan Melebihi
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Permintaan Material untuk Order Pembelian
DocType: Shopping Cart Settings,Payment Success URL,Pembayaran Sukses URL
@@ -1567,11 +1579,11 @@
DocType: C-Form,III,AKU AKU AKU
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Stock Balance Pembuka
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} harus muncul hanya sekali
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Tidak diizinkan untuk tranfer lebih {0} dari {1} terhadap Purchase Order {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Tidak diizinkan untuk tranfer lebih {0} dari {1} terhadap Purchase Order {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},cuti Dialokasikan Berhasil untuk {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Tidak ada item untuk dikemas
DocType: Shipping Rule Condition,From Value,Dari Nilai
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Qty Manufaktur wajib diisi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Qty Manufaktur wajib diisi
DocType: Employee Loan,Repayment Method,Metode pembayaran
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Jika diperiksa, Home page akan menjadi default Barang Group untuk website"
DocType: Quality Inspection Reading,Reading 4,Membaca 4
@@ -1581,7 +1593,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Row # {0}: tanggal Jarak {1} tidak bisa sebelum Cek Tanggal {2}
DocType: Company,Default Holiday List,Standar Daftar Hari Libur
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Row {0}: Dari Waktu dan Untuk Waktu {1} adalah tumpang tindih dengan {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Hutang Stok
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Hutang Stok
DocType: Purchase Invoice,Supplier Warehouse,Gudang Supplier
DocType: Opportunity,Contact Mobile No,Kontak Mobile No
,Material Requests for which Supplier Quotations are not created,Permintaan Material yang Supplier Quotation tidak diciptakan
@@ -1592,35 +1604,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Membuat Quotation
apps/erpnext/erpnext/config/selling.py +216,Other Reports,Laporan lainnya
DocType: Dependent Task,Dependent Task,Tugas Dependent
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Faktor konversi untuk Unit default Ukur harus 1 berturut-turut {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Faktor konversi untuk Unit default Ukur harus 1 berturut-turut {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Cuti jenis {0} tidak boleh lebih dari {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Coba operasi untuk hari X perencanaan di muka.
DocType: HR Settings,Stop Birthday Reminders,Stop Pengingat Ulang Tahun
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Silahkan mengatur default Payroll Hutang Akun di Perusahaan {0}
DocType: SMS Center,Receiver List,Daftar Penerima
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Cari Barang
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Cari Barang
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Dikonsumsi Jumlah
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Perubahan bersih dalam kas
DocType: Assessment Plan,Grading Scale,Skala penilaian
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Satuan Ukur {0} telah dimasukkan lebih dari sekali dalam Faktor Konversi Tabel
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Satuan Ukur {0} telah dimasukkan lebih dari sekali dalam Faktor Konversi Tabel
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,Sudah lengkap
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Saham di tangan
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Permintaan pembayaran sudah ada {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Biaya Produk Dikeluarkan
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Kuantitas tidak boleh lebih dari {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Sebelumnya Keuangan Tahun tidak tertutup
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Umur (Hari)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Umur (Hari)
DocType: Quotation Item,Quotation Item,Quotation Stok Barang
+DocType: Customer,Customer POS Id,Id POS Pelanggan
DocType: Account,Account Name,Nama Akun
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Dari Tanggal tidak dapat lebih besar dari To Date
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serial ada {0} kuantitas {1} tak bisa menjadi pecahan
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Supplier Type induk.
DocType: Purchase Order Item,Supplier Part Number,Supplier Part Number
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Tingkat konversi tidak bisa 0 atau 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Tingkat konversi tidak bisa 0 atau 1
DocType: Sales Invoice,Reference Document,Dokumen referensi
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} dibatalkan atau dihentikan
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} dibatalkan atau dihentikan
DocType: Accounts Settings,Credit Controller,Kredit Kontroller
DocType: Delivery Note,Vehicle Dispatch Date,Kendaraan Dikirim Tanggal
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Nota Penerimaan {0} tidak Terkirim
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Nota Penerimaan {0} tidak Terkirim
DocType: Company,Default Payable Account,Standar Akun Hutang
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Pengaturan untuk keranjang belanja online seperti aturan pengiriman, daftar harga dll"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% Ditagih
@@ -1639,11 +1653,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Jumlah Total diganti
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Hal ini didasarkan pada log terhadap kendaraan ini. Lihat timeline di bawah untuk rincian
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,Mengumpulkan
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Terhadap Faktur Supplier {0} di tanggal {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Terhadap Faktur Supplier {0} di tanggal {1}
DocType: Customer,Default Price List,Standar List Harga
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Gerakan aset catatan {0} dibuat
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Anda tidak dapat menghapus Tahun Anggaran {0}. Tahun fiskal {0} diatur sebagai default di Global Settings
DocType: Journal Entry,Entry Type,Entri Type
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Tidak ada rencana penilaian yang terkait dengan kelompok penilaian ini
,Customer Credit Balance,Saldo Kredit Konsumen
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Perubahan bersih Hutang
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Konsumen yang dibutuhkan untuk 'Customerwise Diskon'
@@ -1651,7 +1666,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,harga
DocType: Quotation,Term Details,Rincian Term
DocType: Project,Total Sales Cost (via Sales Order),Total Biaya Penjualan (via Sales Order)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,tidak bisa mendaftar lebih dari {0} siswa untuk kelompok siswa ini.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,tidak bisa mendaftar lebih dari {0} siswa untuk kelompok siswa ini.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Hit Count
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} harus lebih besar dari 0
DocType: Manufacturing Settings,Capacity Planning For (Days),Perencanaan Kapasitas Untuk (Hari)
@@ -1672,7 +1687,7 @@
DocType: Sales Invoice,Packed Items,Produk Kemasan
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garansi Klaim terhadap Serial No.
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Ganti BOM tertentu dalam semua BOMs lain di mana ia digunakan. Ini akan menggantikan link BOM tua, memperbarui biaya dan regenerasi meja ""BOM Ledakan Item"" per BOM baru"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Total'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Total'
DocType: Shopping Cart Settings,Enable Shopping Cart,Aktifkan Keranjang Belanja
DocType: Employee,Permanent Address,Alamat Tetap
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1688,9 +1703,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,Silakan tentukan baik Quantity atau Tingkat Penilaian atau keduanya
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,Pemenuhan
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Lihat Troli
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Beban Pemasaran
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Beban Pemasaran
,Item Shortage Report,Laporan Kekurangan Barang / Item
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Berat disebutkan, \n Sebutkan ""Berat UOM"" terlalu"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Berat disebutkan, \n Sebutkan ""Berat UOM"" terlalu"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Permintaan bahan yang digunakan untuk membuat Entri Bursa ini
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Berikutnya Penyusutan Tanggal wajib untuk aset baru
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Kelompok terpisah berdasarkan Kelompok untuk setiap Batch
@@ -1699,17 +1714,18 @@
,Student Fee Collection,Mahasiswa Koleksi Fee
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Membuat Entri Akuntansi Untuk Setiap Gerakan Stock
DocType: Leave Allocation,Total Leaves Allocated,Jumlah cuti Dialokasikan
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Gudang diperlukan pada Row ada {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Entrikan Tahun Mulai berlaku Keuangan dan Tanggal Akhir
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Gudang diperlukan pada Row ada {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Entrikan Tahun Mulai berlaku Keuangan dan Tanggal Akhir
DocType: Employee,Date Of Retirement,Tanggal Pensiun
DocType: Upload Attendance,Get Template,Dapatkan Template
+DocType: Material Request,Transferred,Ditransfer
DocType: Vehicle,Doors,pintu
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext Pengaturan Selesai!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Pengaturan Selesai!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,PS
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Pusat Biaya diperlukan untuk akun 'Rugi Laba' {2}. Silakan membuat Pusat Biaya default untuk Perusahaan.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Kelompok Konsumen sudah ada dengan nama yang sama, silakan mengubah nama Konsumen atau mengubah nama Grup Konsumen"
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Kontak baru
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Kelompok Konsumen sudah ada dengan nama yang sama, silakan mengubah nama Konsumen atau mengubah nama Grup Konsumen"
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Kontak baru
DocType: Territory,Parent Territory,Wilayah Induk
DocType: Quality Inspection Reading,Reading 2,Membaca 2
DocType: Stock Entry,Material Receipt,Nota Penerimaan Barang
@@ -1718,17 +1734,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Jika item ini memiliki varian, maka tidak dapat dipilih dalam order penjualan dll"
DocType: Lead,Next Contact By,Kontak Selanjutnya Oleh
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Kuantitas yang dibutuhkan untuk Item {0} berturut-turut {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},Gudang {0} tidak dapat dihapus sebagai kuantitas ada untuk Item {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Kuantitas yang dibutuhkan untuk Item {0} berturut-turut {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Gudang {0} tidak dapat dihapus sebagai kuantitas ada untuk Item {1}
DocType: Quotation,Order Type,Tipe Order
DocType: Purchase Invoice,Notification Email Address,Alamat Email Pemberitahuan
,Item-wise Sales Register,Item-wise Daftar Penjualan
DocType: Asset,Gross Purchase Amount,Jumlah Pembelian Gross
DocType: Asset,Depreciation Method,Metode penyusutan
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Offline
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,Offline
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Apakah Pajak ini termasuk dalam Basic Rate?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Total Jumlah Target
-DocType: Program Course,Required,Wajib
DocType: Job Applicant,Applicant for a Job,Pemohon untuk Lowongan Kerja
DocType: Production Plan Material Request,Production Plan Material Request,Produksi Permintaan Rencana Material
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Tidak ada Order Produksi dibuat
@@ -1737,17 +1752,17 @@
DocType: Purchase Invoice Item,Batch No,No. Batch
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Memungkinkan Penjualan beberapa Order terhadap Purchase Order Konsumen
DocType: Student Group Instructor,Student Group Instructor,Instruktur Kelompok Mahasiswa
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 Ponsel Tidak
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Utama
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Ponsel Tidak
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Utama
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Varian
DocType: Naming Series,Set prefix for numbering series on your transactions,Mengatur awalan untuk penomoran seri pada transaksi Anda
DocType: Employee Attendance Tool,Employees HTML,Karyawan HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Standar BOM ({0}) harus aktif untuk item ini atau template-nya
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Standar BOM ({0}) harus aktif untuk item ini atau template-nya
DocType: Employee,Leave Encashed?,Cuti dicairkan?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Peluang Dari Bidang Usaha Wajib Diisi
DocType: Email Digest,Annual Expenses,Beban tahunan
DocType: Item,Variants,Varian
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Buat Order Pembelian
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Buat Order Pembelian
DocType: SMS Center,Send To,Kirim Ke
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Tidak ada saldo cuti cukup bagi Leave Type {0}
DocType: Payment Reconciliation Payment,Allocated amount,Jumlah yang dialokasikan
@@ -1761,26 +1776,25 @@
DocType: Supplier,Statutory info and other general information about your Supplier,Info Statutory dan informasi umum lainnya tentang Supplier Anda
DocType: Item,Serial Nos and Batches,Serial Nos dan Batches
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Kekuatan Kelompok Mahasiswa
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Terhadap Entri Jurnal {0} sama sekali tidak memiliki ketidakcocokan {1} entri
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Terhadap Entri Jurnal {0} sama sekali tidak memiliki ketidakcocokan {1} entri
apps/erpnext/erpnext/config/hr.py +137,Appraisals,Penilaian
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Gandakan Serial ada dimasukkan untuk Item {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Sebuah kondisi untuk Aturan Pengiriman
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,masukkan
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Tidak bisa overbill untuk Item {0} berturut-turut {1} lebih dari {2}. Untuk memungkinkan over-billing, silakan diatur dalam Membeli Pengaturan"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Silahkan mengatur filter berdasarkan Barang atau Gudang
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Tidak bisa overbill untuk Item {0} berturut-turut {1} lebih dari {2}. Untuk memungkinkan over-billing, silakan diatur dalam Membeli Pengaturan"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Silahkan mengatur filter berdasarkan Barang atau Gudang
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Berat bersih package ini. (Dihitung secara otomatis sebagai jumlah berat bersih item)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Silakan membuat akun untuk Gudang ini dan link. Hal ini tidak dapat dilakukan secara otomatis sebagai akun dengan nama {0} sudah ada
DocType: Sales Order,To Deliver and Bill,Untuk Dikirim dan Ditagih
DocType: Student Group,Instructors,instruktur
DocType: GL Entry,Credit Amount in Account Currency,Jumlah kredit di Akun Mata Uang
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} harus diserahkan
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} harus diserahkan
DocType: Authorization Control,Authorization Control,Pengendali Otorisasi
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Ditolak Gudang adalah wajib terhadap ditolak Stok Barang {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Ditolak Gudang adalah wajib terhadap ditolak Stok Barang {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Pembayaran
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Gudang {0} tidak ditautkan ke akun apa pun, sebutkan akun di catatan gudang atau tetapkan akun inventaris default di perusahaan {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Mengelola pesanan Anda
DocType: Production Order Operation,Actual Time and Cost,Waktu dan Biaya Aktual
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Permintaan Bahan maksimal {0} dapat dibuat untuk Item {1} terhadap Sales Order {2}
-DocType: Employee,Salutation,Panggilan
DocType: Course,Course Abbreviation,Singkatan saja
DocType: Student Leave Application,Student Leave Application,Mahasiswa Cuti Aplikasi
DocType: Item,Will also apply for variants,Juga akan berlaku untuk varian
@@ -1792,12 +1806,12 @@
DocType: Quotation Item,Actual Qty,Jumlah Aktual
DocType: Sales Invoice Item,References,Referensi
DocType: Quality Inspection Reading,Reading 10,Membaca 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Daftar produk atau jasa yang Anda membeli atau menjual. Pastikan untuk memeriksa Grup Stok Barang, Satuan Ukur dan properti lainnya ketika Anda mulai."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Daftar produk atau jasa yang Anda membeli atau menjual. Pastikan untuk memeriksa Grup Stok Barang, Satuan Ukur dan properti lainnya ketika Anda mulai."
DocType: Hub Settings,Hub Node,Hub Node
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Anda telah memasukkan item yang sama. Harap diperbaiki dan coba lagi.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Rekan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Rekan
DocType: Asset Movement,Asset Movement,Gerakan aset
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,Cart baru
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Cart baru
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Item {0} bukan merupakan Stok Barang serial
DocType: SMS Center,Create Receiver List,Buat Daftar Penerima
DocType: Vehicle,Wheels,roda
@@ -1817,19 +1831,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Dapat merujuk baris hanya jika jenis biaya adalah 'On Sebelumnya Row Jumlah' atau 'Sebelumnya Row Jumlah'
DocType: Sales Order Item,Delivery Warehouse,Gudang Pengiriman
DocType: SMS Settings,Message Parameter,Parameter pesan
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Pohon Pusat Biaya keuangan.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Pohon Pusat Biaya keuangan.
DocType: Serial No,Delivery Document No,Nomor Dokumen Pengiriman
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Silahkan mengatur 'Gain / Loss Account pada Asset Disposal' di Perusahaan {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Dapatkan Produk Dari Pembelian Penerimaan
DocType: Serial No,Creation Date,Tanggal Pembuatan
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Item {0} muncul beberapa kali dalam Daftar Harga {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Jual harus diperiksa, jika Berlaku Untuk dipilih sebagai {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Jual harus diperiksa, jika Berlaku Untuk dipilih sebagai {0}"
DocType: Production Plan Material Request,Material Request Date,Bahan Permintaan Tanggal
DocType: Purchase Order Item,Supplier Quotation Item,Quotation Stok Barang Supplier
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Menonaktifkan penciptaan log waktu terhadap Order Produksi. Operasi tidak akan dilacak terhadap Orde Produksi
DocType: Student,Student Mobile Number,Mahasiswa Nomor Ponsel
DocType: Item,Has Variants,Memiliki Varian
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Anda sudah memilih item dari {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Anda sudah memilih item dari {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Nama Distribusi Bulanan
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Batch ID adalah wajib
DocType: Sales Person,Parent Sales Person,Induk Sales Person
@@ -1839,12 +1853,12 @@
DocType: Budget,Fiscal Year,Tahun Fiskal
DocType: Vehicle Log,Fuel Price,Harga BBM
DocType: Budget,Budget,Anggaran belanja
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Fixed Asset Item harus item non-saham.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Fixed Asset Item harus item non-saham.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Anggaran tidak dapat ditugaskan terhadap {0}, karena itu bukan Penghasilan atau Beban akun"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Tercapai
DocType: Student Admission,Application Form Route,Form aplikasi Route
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Wilayah / Konsumen
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,misalnya 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,misalnya 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Tinggalkan Jenis {0} tidak dapat dialokasikan karena itu pergi tanpa membayar
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Baris {0}: Alokasi jumlah {1} harus kurang dari atau sama dengan faktur jumlah yang luar biasa {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Dalam Kata-kata akan terlihat setelah Anda menyimpan Faktur Penjualan.
@@ -1853,7 +1867,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Stok Barang {0} tidak setup untuk Serial Nos Periksa Stok Barang induk
DocType: Maintenance Visit,Maintenance Time,Waktu Pemeliharaan
,Amount to Deliver,Jumlah untuk Dikirim
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Produk atau Jasa
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Produk atau Jasa
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Jangka Tanggal Mulai tidak dapat lebih awal dari Tahun Tanggal Mulai Tahun Akademik yang istilah terkait (Tahun Akademik {}). Perbaiki tanggal dan coba lagi.
DocType: Guardian,Guardian Interests,wali Minat
DocType: Naming Series,Current Value,Nilai saat ini
@@ -1868,12 +1882,12 @@
harus lebih besar dari atau sama dengan {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Hal ini didasarkan pada pergerakan saham. Lihat {0} untuk rincian
DocType: Pricing Rule,Selling,Penjualan
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Jumlah {0} {1} dipotong terhadap {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Jumlah {0} {1} dipotong terhadap {2}
DocType: Employee,Salary Information,Informasi Gaji
DocType: Sales Person,Name and Employee ID,Nama dan ID Karyawan
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,Tanggal jatuh tempo tidak bisa sebelum Tanggal Posting
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,Tanggal jatuh tempo tidak bisa sebelum Tanggal Posting
DocType: Website Item Group,Website Item Group,Situs Stok Barang Grup
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Tarif dan Pajak
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Tarif dan Pajak
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Harap masukkan tanggal Referensi
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} catatan pembayaran tidak dapat disaring oleh {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,Tabel untuk Item yang akan ditampilkan di Situs Web
@@ -1890,9 +1904,9 @@
DocType: Payment Reconciliation Payment,Reference Row,referensi Row
DocType: Installation Note,Installation Time,Waktu Installasi
DocType: Sales Invoice,Accounting Details,Rincian Akuntansi
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Hapus semua Transaksi untuk Perusahaan ini
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: Operasi {1} tidak selesai untuk {2} qty Stok Barang jadi di Produksi Orde # {3}. Silakan update status operasi via Waktu Log
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Investasi
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Hapus semua Transaksi untuk Perusahaan ini
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: Operasi {1} tidak selesai untuk {2} qty Stok Barang jadi di Produksi Orde # {3}. Silakan update status operasi via Waktu Log
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Investasi
DocType: Issue,Resolution Details,Detail Resolusi
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,Alokasi
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kriteria Penerimaan
@@ -1917,7 +1931,7 @@
DocType: Room,Room Name,Nama ruangan
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Cuti tidak dapat diterapkan / dibatalkan sebelum {0}, saldo cuti sudah pernah membawa-diteruskan dalam catatan alokasi cuti masa depan {1}"
DocType: Activity Cost,Costing Rate,Tingkat Biaya
-,Customer Addresses And Contacts,Alamat dan kontak Konsumen
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Alamat dan kontak Konsumen
,Campaign Efficiency,Efisiensi Promosi
DocType: Discussion,Discussion,Diskusi
DocType: Payment Entry,Transaction ID,ID transaksi
@@ -1927,14 +1941,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Jumlah Total Penagihan (via Waktu Lembar)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Pendapatan konsumen langganan
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) harus memiliki akses sebagai 'Pemberi Izin Pengeluaran'
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Pasangan
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Pilih BOM dan Qty untuk Produksi
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Pasangan
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Pilih BOM dan Qty untuk Produksi
DocType: Asset,Depreciation Schedule,Jadwal penyusutan
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Alamat Mitra Penjualan Dan Kontak
DocType: Bank Reconciliation Detail,Against Account,Terhadap Akun
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Tanggal Setengah Hari harus di antara Tanggal Mulai dan Tanggal Akhir
DocType: Maintenance Schedule Detail,Actual Date,Tanggal Aktual
DocType: Item,Has Batch No,Bernomor Batch
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Penagihan tahunan: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Penagihan tahunan: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Pajak Barang dan Jasa (GST India)
DocType: Delivery Note,Excise Page Number,Jumlah Halaman Excise
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Perusahaan, Dari Tanggal dan To Date adalah wajib"
DocType: Asset,Purchase Date,Tanggal Pembelian
@@ -1942,11 +1958,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Silahkan mengatur 'Biaya Penyusutan Asset Center di Perusahaan {0}
,Maintenance Schedules,Jadwal pemeliharaan
DocType: Task,Actual End Date (via Time Sheet),Sebenarnya Tanggal Akhir (via Waktu Lembar)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Jumlah {0} {1} terhadap {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Jumlah {0} {1} terhadap {2} {3}
,Quotation Trends,Trend Quotation
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Item Grup tidak disebutkan dalam master Stok Barang untuk item {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Debit Untuk akun harus rekening Piutang
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Item Grup tidak disebutkan dalam master Stok Barang untuk item {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Debit Untuk akun harus rekening Piutang
DocType: Shipping Rule Condition,Shipping Amount,Jumlah Pengiriman
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Tambahkan Pelanggan
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Jumlah Pending
DocType: Purchase Invoice Item,Conversion Factor,Faktor konversi
DocType: Purchase Order,Delivered,Dikirim
@@ -1956,7 +1973,8 @@
DocType: Purchase Receipt,Vehicle Number,Nomor Kendaraan
DocType: Purchase Invoice,The date on which recurring invoice will be stop,Tanggal dimana berulang faktur akan berhenti
DocType: Employee Loan,Loan Amount,Jumlah pinjaman
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Material tidak ditemukan Item {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Kendaraan Mengemudi Sendiri
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Material tidak ditemukan Item {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Jumlah cuti dialokasikan {0} tidak bisa kurang dari cuti yang telah disetujui {1} untuk periode
DocType: Journal Entry,Accounts Receivable,Piutang
,Supplier-Wise Sales Analytics,Sales Analitikal berdasarkan Supplier
@@ -1973,21 +1991,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Beban Klaim sedang menunggu persetujuan. Hanya Approver Beban dapat memperbarui status.
DocType: Email Digest,New Expenses,Beban baru
DocType: Purchase Invoice,Additional Discount Amount,Jumlah Diskon Tambahan
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Qty harus 1, sebagai item aset tetap. Silakan gunakan baris terpisah untuk beberapa qty."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Qty harus 1, sebagai item aset tetap. Silakan gunakan baris terpisah untuk beberapa qty."
DocType: Leave Block List Allow,Leave Block List Allow,Cuti Block List Izinkan
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Singkatan tidak boleh kosong atau spasi
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Singkatan tidak boleh kosong atau spasi
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Kelompok Non-kelompok
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Olahraga
DocType: Loan Type,Loan Name,pinjaman Nama
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Total Aktual
DocType: Student Siblings,Student Siblings,Saudara mahasiswa
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Satuan
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,Silakan tentukan Perusahaan
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Satuan
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Silakan tentukan Perusahaan
,Customer Acquisition and Loyalty,Akuisisi Konsumen dan Loyalitas
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Gudang di mana Anda mempertahankan stok item ditolak
DocType: Production Order,Skip Material Transfer,Lewati Transfer Material
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Tidak dapat menemukan nilai tukar untuk {0} sampai {1} untuk tanggal kunci {2}. Buat catatan Currency Exchange secara manual
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Tahun keuangan Anda berakhir pada
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Tidak dapat menemukan nilai tukar untuk {0} sampai {1} untuk tanggal kunci {2}. Buat catatan Currency Exchange secara manual
DocType: POS Profile,Price List,Daftar Harga
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} adalah Tahun Anggaran default. Silahkan me-refresh browser Anda agar perubahan dapat terwujud
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Beban Klaim
@@ -2000,14 +2017,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Saldo Stok di Batch {0} akan menjadi negatif {1} untuk Item {2} di Gudang {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Berikut Permintaan Bahan telah dibesarkan secara otomatis berdasarkan tingkat re-order Item
DocType: Email Digest,Pending Sales Orders,Pending Order Penjualan
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Akun {0} tidak berlaku. Mata Uang Akun harus {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Akun {0} tidak berlaku. Mata Uang Akun harus {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Faktor UOM Konversi diperlukan berturut-turut {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Dokumen Referensi Type harus menjadi salah satu Sales Order, Faktur Penjualan atau Journal Entri"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Dokumen Referensi Type harus menjadi salah satu Sales Order, Faktur Penjualan atau Journal Entri"
DocType: Salary Component,Deduction,Deduksi
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Row {0}: Dari Waktu dan To Waktu adalah wajib.
DocType: Stock Reconciliation Item,Amount Difference,jumlah Perbedaan
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Item Harga ditambahkan untuk {0} di Daftar Harga {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Item Harga ditambahkan untuk {0} di Daftar Harga {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Cukup masukkan Id Karyawan Sales Person ini
DocType: Territory,Classification of Customers by region,Klasifikasi Konsumen menurut wilayah
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Perbedaan Jumlah harus nol
@@ -2019,21 +2036,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Jumlah Deduksi
,Production Analytics,Analytics produksi
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Perbarui Biaya
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Perbarui Biaya
DocType: Employee,Date of Birth,Tanggal Lahir
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Item {0} telah dikembalikan
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Item {0} telah dikembalikan
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Tahun Anggaran ** mewakili Tahun Keuangan. Semua entri akuntansi dan transaksi besar lainnya dilacak terhadap Tahun Anggaran ** **.
DocType: Opportunity,Customer / Lead Address,Konsumen / Alamat Kesempatan
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Peringatan: Sertifikat SSL tidak valid pada lampiran {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Peringatan: Sertifikat SSL tidak valid pada lampiran {0}
DocType: Student Admission,Eligibility,kelayakan
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Lead membantu Anda mendapatkan bisnis, menambahkan semua kontak Anda dan lebih sebagai lead Anda"
DocType: Production Order Operation,Actual Operation Time,Waktu Operasi Aktual
DocType: Authorization Rule,Applicable To (User),Berlaku Untuk (User)
DocType: Purchase Taxes and Charges,Deduct,Pengurangan
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Deskripsi Bidang Kerja
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Deskripsi Bidang Kerja
DocType: Student Applicant,Applied,Terapan
DocType: Sales Invoice Item,Qty as per Stock UOM,Qty per Stok UOM
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Nama Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Nama Guardian2
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Karakter khusus kecuali ""-"" ""."", ""#"", dan ""/"" tidak diperbolehkan dalam penamaan seri"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Pelihara Penjualan Kampanye. Melacak Memimpin, Quotation, Sales Order dll dari Kampanye untuk mengukur Return on Investment."
DocType: Expense Claim,Approver,Approver
@@ -2044,7 +2061,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial ada {0} masih dalam garansi upto {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Membagi Pengiriman Catatan ke dalam paket.
apps/erpnext/erpnext/hooks.py +87,Shipments,Pengiriman
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Saldo akun ({0}) untuk {1} dan nilai saham ({2}) untuk gudang {3} harus sama
DocType: Payment Entry,Total Allocated Amount (Company Currency),Total Dialokasikan Jumlah (Perusahaan Mata Uang)
DocType: Purchase Order Item,To be delivered to customer,Yang akan dikirimkan ke Konsumen
DocType: BOM,Scrap Material Cost,Scrap Material Biaya
@@ -2052,20 +2068,21 @@
DocType: Purchase Invoice,In Words (Company Currency),Dalam Kata-kata (Perusahaan Mata Uang)
DocType: Asset,Supplier,Supplier
DocType: C-Form,Quarter,Perempat
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Beban lain-lain
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Beban lain-lain
DocType: Global Defaults,Default Company,Standar Perusahaan
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Beban atau Selisih akun adalah wajib untuk Item {0} karena dampak keseluruhan nilai Stok
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Beban atau Selisih akun adalah wajib untuk Item {0} karena dampak keseluruhan nilai Stok
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Nama Bank
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Di Atas
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Di Atas
DocType: Employee Loan,Employee Loan Account,Rekening Pinjaman karyawan
DocType: Leave Application,Total Leave Days,Jumlah Cuti Hari
DocType: Email Digest,Note: Email will not be sent to disabled users,Catatan: Email tidak akan dikirim ke pengguna cacat
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Jumlah Interaksi
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Item Code> Item Group> Brand
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Pilih Perusahaan ...
DocType: Leave Control Panel,Leave blank if considered for all departments,Biarkan kosong jika dianggap untuk semua departemen
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Jenis pekerjaan (permanen, kontrak, magang dll)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} adalah wajib untuk Item {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} adalah wajib untuk Item {1}
DocType: Process Payroll,Fortnightly,sekali dua minggu
DocType: Currency Exchange,From Currency,Dari mata uang
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Silakan pilih Jumlah Alokasi, Faktur Jenis dan Faktur Nomor di minimal satu baris"
@@ -2087,7 +2104,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,Silahkan klik 'Menghasilkan Jadwal' untuk mendapatkan jadwal
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Ada kesalahan saat menghapus jadwal berikut:
DocType: Bin,Ordered Quantity,Qty Terpesan/Terorder
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","misalnya ""Membangun alat untuk pembangun """
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","misalnya ""Membangun alat untuk pembangun """
DocType: Grading Scale,Grading Scale Intervals,Grading Scale Interval
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Input data Akuntansi untuk {2} hanya dapat dilakukan dalam bentuk mata uang: {3}
DocType: Production Order,In Process,Dalam Proses
@@ -2101,12 +2118,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Kelompok Siswa dibuat.
DocType: Sales Invoice,Total Billing Amount,Jumlah Total Tagihan
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Harus ada Akun Email bawaan masuk diaktifkan untuk bekerja. Silakan pengaturan default masuk Email Account (POP / IMAP) dan coba lagi.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Akun Piutang
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Row # {0}: Aset {1} sudah {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Akun Piutang
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row # {0}: Aset {1} sudah {2}
DocType: Quotation Item,Stock Balance,Balance Nilai Stok
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Nota Penjualan untuk Pembayaran
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Harap tentukan Seri Penamaan untuk {0} melalui Setup> Settings> Naming Series
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,CEO
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO
DocType: Expense Claim Detail,Expense Claim Detail,Detail Klaim Biaya
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Silakan pilih akun yang benar
DocType: Item,Weight UOM,Berat UOM
@@ -2115,12 +2131,12 @@
DocType: Production Order Operation,Pending,Menunggu
DocType: Course,Course Name,Nama kursus
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Pengguna yang dapat menyetujui aplikasi cuti karyawan tertentu yang
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Peralatan Kantor
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Peralatan Kantor
DocType: Purchase Invoice Item,Qty,Qty
DocType: Fiscal Year,Companies,Perusahaan
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Elektronik
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Angkat Permintaan Bahan ketika Stok mencapai tingkat re-order
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Full-time
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Full-time
DocType: Salary Structure,Employees,Para karyawan
DocType: Employee,Contact Details,Kontak Detail
DocType: C-Form,Received Date,Diterima Tanggal
@@ -2130,7 +2146,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Harga tidak akan ditampilkan jika Harga Daftar tidak diatur
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Silakan tentukan negara untuk Aturan Pengiriman ini atau periksa Seluruh Dunia Pengiriman
DocType: Stock Entry,Total Incoming Value,Total nilai masuk
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Debit Untuk diperlukan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Debit Untuk diperlukan
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets membantu melacak waktu, biaya dan penagihan untuk kegiatan yang dilakukan oleh tim Anda"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Pembelian Daftar Harga
DocType: Offer Letter Term,Offer Term,Penawaran Term
@@ -2139,17 +2155,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Rekonsiliasi Pembayaran
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,Silahkan Pilih Pihak penanggung jawab
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Teknologi
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Total Tunggakan: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Total Tunggakan: {0}
DocType: BOM Website Operation,BOM Website Operation,Operasi Situs BOM
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Surat Penawaran
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Menghasilkan Permintaan Material (MRP) dan Order Produksi.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Jumlah Nilai Tagihan
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Jumlah Nilai Tagihan
DocType: BOM,Conversion Rate,Tingkat konversi
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Cari produk
DocType: Timesheet Detail,To Time,Untuk Waktu
DocType: Authorization Rule,Approving Role (above authorized value),Menyetujui Peran (di atas nilai yang berwenang)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Kredit Untuk akun harus rekening Hutang
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} tidak bisa menjadi induk atau cabang dari {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Kredit Untuk akun harus rekening Hutang
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} tidak bisa menjadi induk atau cabang dari {2}
DocType: Production Order Operation,Completed Qty,Qty Selesai
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Untuk {0}, hanya rekening debit dapat dihubungkan dengan entri kredit lain"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Daftar Harga {0} dinonaktifkan
@@ -2160,28 +2176,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Nomer Seri diperlukan untuk Item {1}. yang Anda telah disediakan {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Nilai Tingkat Penilaian Saat ini
DocType: Item,Customer Item Codes,Kode Stok Barang Konsumen
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Efek Gain / Loss
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Efek Gain / Loss
DocType: Opportunity,Lost Reason,Alasan Kehilangan
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Alamat baru
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Alamat baru
DocType: Quality Inspection,Sample Size,Ukuran Sampel
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Masukkan Dokumen Penerimaan
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Semua Stok Barang telah tertagih
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Semua Stok Barang telah tertagih
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',Silakan tentukan valid 'Dari Kasus No'
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,Pusat biaya lebih lanjut dapat dibuat di bawah Grup tetapi entri dapat dilakukan terhadap non-Grup
DocType: Project,External,Eksternal
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Pengguna dan Perizinan
DocType: Vehicle Log,VLOG.,VLOG.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Produksi Pesanan Dibuat: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Produksi Pesanan Dibuat: {0}
DocType: Branch,Branch,Cabang
DocType: Guardian,Mobile Number,Nomor handphone
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Percetakan dan Branding
DocType: Bin,Actual Quantity,Kuantitas Aktual
DocType: Shipping Rule,example: Next Day Shipping,Contoh: Hari Berikutnya Pengiriman
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} tidak ditemukan
-DocType: Scheduling Tool,Student Batch,Mahasiswa Batch
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Konsumen Anda
+DocType: Program Enrollment,Student Batch,Mahasiswa Batch
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,membuat Siswa
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Anda telah diundang untuk berkolaborasi pada proyek: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Anda telah diundang untuk berkolaborasi pada proyek: {0}
DocType: Leave Block List Date,Block Date,Blokir Tanggal
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Terapkan Sekarang
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Sebenarnya Qty {0} / Menunggu Qty {1}
@@ -2190,7 +2205,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Membuat dan mengelola harian, mingguan dan bulanan mencerna email."
DocType: Appraisal Goal,Appraisal Goal,Penilaian Pencapaian
DocType: Stock Reconciliation Item,Current Amount,Jumlah saat ini
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,bangunan
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,bangunan
DocType: Fee Structure,Fee Structure,Struktur biaya
DocType: Timesheet Detail,Costing Amount,Nilai Jumlah Biaya
DocType: Student Admission,Application Fee,Biaya aplikasi
@@ -2202,10 +2217,10 @@
DocType: POS Profile,[Select],[Pilihan]
DocType: SMS Log,Sent To,Dikirim Ke
DocType: Payment Request,Make Sales Invoice,Buat Faktur Penjualan
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,software
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,software
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Berikutnya Hubungi Tanggal tidak dapat di masa lalu
DocType: Company,For Reference Only.,Untuk referensi saja.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Pilih Batch No
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Pilih Batch No
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Valid {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,Jumlah Uang Muka
@@ -2215,15 +2230,15 @@
DocType: Employee,Employment Details,Rincian Pekerjaan
DocType: Employee,New Workplace,Tempat Kerja Baru
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Tetapkan untuk ditutup
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Ada Stok Barang dengan Barcode {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Ada Stok Barang dengan Barcode {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Kasus No tidak bisa 0
DocType: Item,Show a slideshow at the top of the page,Tampilkan slideshow di bagian atas halaman
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,BOMS
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Toko
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,BOMS
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Toko
DocType: Serial No,Delivery Time,Waktu Pengiriman
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Umur Berdasarkan
DocType: Item,End of Life,Akhir Riwayat
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Perjalanan
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Perjalanan
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Tidak ada yang aktif atau gaji standar Struktur ditemukan untuk karyawan {0} untuk tanggal tertentu
DocType: Leave Block List,Allow Users,Izinkan Pengguna
DocType: Purchase Order,Customer Mobile No,Nomor Seluler Konsumen
@@ -2232,29 +2247,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Perbarui Biaya
DocType: Item Reorder,Item Reorder,Item Reorder
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Slip acara Gaji
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Transfer Material/Stok Barang
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Transfer Material/Stok Barang
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Tentukan operasi, biaya operasi dan memberikan Operation unik ada pada operasi Anda."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Dokumen ini adalah lebih dari batas oleh {0} {1} untuk item {4}. Apakah Anda membuat yang lain {3} terhadap yang sama {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Silahkan mengatur berulang setelah menyimpan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Pilih akun berubah jumlah
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Dokumen ini adalah lebih dari batas oleh {0} {1} untuk item {4}. Apakah Anda membuat yang lain {3} terhadap yang sama {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Silahkan mengatur berulang setelah menyimpan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Pilih akun berubah jumlah
DocType: Purchase Invoice,Price List Currency,Daftar Harga Mata uang
DocType: Naming Series,User must always select,Pengguna harus selalu pilih
DocType: Stock Settings,Allow Negative Stock,Izinkkan Stok Negatif
DocType: Installation Note,Installation Note,Nota Installasi
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Tambahkan Pajak
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Tambahkan Pajak
DocType: Topic,Topic,Tema
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Arus Kas dari Pendanaan
DocType: Budget Account,Budget Account,Akun anggaran
DocType: Quality Inspection,Verified By,Diverifikasi oleh
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Tidak dapat mengubah mata uang default perusahaan, karena ada transaksi yang ada. Transaksi harus dibatalkan untuk mengubah mata uang default."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Tidak dapat mengubah mata uang default perusahaan, karena ada transaksi yang ada. Transaksi harus dibatalkan untuk mengubah mata uang default."
DocType: Grading Scale Interval,Grade Description,kelas Keterangan
DocType: Stock Entry,Purchase Receipt No,No Nota Penerimaan
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Uang Earnest
DocType: Process Payroll,Create Salary Slip,Buat Slip Gaji
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Lacak
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Sumber Dana (Kewajiban)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Jumlah berturut-turut {0} ({1}) harus sama dengan jumlah yang diproduksi {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Sumber Dana (Kewajiban)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Jumlah berturut-turut {0} ({1}) harus sama dengan jumlah yang diproduksi {2}
DocType: Appraisal,Employee,Karyawan
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Pilih Batch
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} telah ditagih sepenuhnya
DocType: Training Event,End Time,Waktu Akhir
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Struktur Gaji aktif {0} ditemukan untuk karyawan {1} untuk tanggal yang diberikan
@@ -2266,11 +2282,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Diperlukan pada
DocType: Rename Tool,File to Rename,Nama File untuk Diganti
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Silakan pilih BOM untuk Item di Row {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Ditentukan BOM {0} tidak ada untuk Item {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Akun {0} tidak cocok dengan Perusahaan {1} dalam Mode Akun: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Ditentukan BOM {0} tidak ada untuk Item {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Jadwal pemeliharaan {0} harus dibatalkan sebelum membatalkan Sales Order ini
DocType: Notification Control,Expense Claim Approved,Klaim Biaya Disetujui
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Slip Gaji karyawan {0} sudah dibuat untuk periode ini
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Farmasi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmasi
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Biaya Produk Dibeli
DocType: Selling Settings,Sales Order Required,Nota Penjualan Diperlukan
DocType: Purchase Invoice,Credit To,Kredit Untuk
@@ -2287,42 +2304,42 @@
DocType: Payment Gateway Account,Payment Account,Akun Pembayaran
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,Silahkan tentukan Perusahaan untuk melanjutkan
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Perubahan bersih Piutang
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Kompensasi Off
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Kompensasi Off
DocType: Offer Letter,Accepted,Diterima
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,Organisasi
DocType: SG Creation Tool Course,Student Group Name,Nama Kelompok Mahasiswa
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Pastikan Anda benar-benar ingin menghapus semua transaksi untuk perusahaan ini. Data master Anda akan tetap seperti itu. Tindakan ini tidak bisa dibatalkan.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Pastikan Anda benar-benar ingin menghapus semua transaksi untuk perusahaan ini. Data master Anda akan tetap seperti itu. Tindakan ini tidak bisa dibatalkan.
DocType: Room,Room Number,Nomor kamar
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Referensi yang tidak valid {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) tidak dapat lebih besar dari jumlah yang direncanakan ({2}) di Order Produksi {3}
DocType: Shipping Rule,Shipping Rule Label,Peraturan Pengiriman Label
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forum pengguna
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Bahan baku tidak boleh kosong.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Tidak bisa update Stok, faktur berisi penurunan Stok Barang pengiriman."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Bahan baku tidak boleh kosong.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Tidak bisa update Stok, faktur berisi penurunan Stok Barang pengiriman."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Jurnal Entry Cepat
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,Anda tidak dapat mengubah kurs jika BOM disebutkan atas tiap Stok Barang
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,Anda tidak dapat mengubah kurs jika BOM disebutkan atas tiap Stok Barang
DocType: Employee,Previous Work Experience,Pengalaman Kerja Sebelumnya
DocType: Stock Entry,For Quantity,Untuk Kuantitas
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Entrikan Planned Qty untuk Item {0} pada baris {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} tidak di-posting
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Permintaan untuk item.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Order produksi yang terpisah akan dibuat untuk setiap item Stok Barang jadi.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} harus negatif dalam dokumen pulang
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} harus negatif dalam dokumen pulang
,Minutes to First Response for Issues,Menit ke Response Pertama untuk Masalah
DocType: Purchase Invoice,Terms and Conditions1,Syarat dan Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,Nama lembaga yang Anda menyiapkan sistem ini.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,Nama lembaga yang Anda menyiapkan sistem ini.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Pencatatan Akuntansi telah dibekukan sampai tanggal ini, tidak seorang pun yang bisa melakukan / memodifikasi pencatatan kecuali peran yang telah ditentukan di bawah ini."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,Harap menyimpan dokumen sebelum menghasilkan jadwal pemeliharaan
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Status proyek
DocType: UOM,Check this to disallow fractions. (for Nos),Centang untuk melarang fraksi. (Untuk Nos)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Berikut Pesanan Produksi diciptakan:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Berikut Pesanan Produksi diciptakan:
DocType: Student Admission,Naming Series (for Student Applicant),Penamaan Series (untuk Mahasiswa Pemohon)
DocType: Delivery Note,Transporter Name,Transporter Nama
DocType: Authorization Rule,Authorized Value,Nilai Disetujui
DocType: BOM,Show Operations,Tampilkan Operasi
,Minutes to First Response for Opportunity,Menit ke Response Pertama untuk Peluang
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Jumlah Absen
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Item atau Gudang untuk baris {0} Material tidak cocok Permintaan
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Item atau Gudang untuk baris {0} Material tidak cocok Permintaan
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Satuan Ukur
DocType: Fiscal Year,Year End Date,Tanggal Akhir Tahun
DocType: Task Depends On,Task Depends On,Tugas Tergantung Pada
@@ -2421,11 +2438,11 @@
DocType: Asset,Manual,panduan
DocType: Salary Component Account,Salary Component Account,Akun Komponen Gaji
DocType: Global Defaults,Hide Currency Symbol,Sembunyikan Mata Uang
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","misalnya Bank, Kas, Kartu Kredit"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","misalnya Bank, Kas, Kartu Kredit"
DocType: Lead Source,Source Name,sumber Nama
DocType: Journal Entry,Credit Note,Nota Kredit
DocType: Warranty Claim,Service Address,Alamat Layanan
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Mebel dan perlengkapan
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Mebel dan perlengkapan
DocType: Item,Manufacture,Pembuatan
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Silakan Pengiriman Catatan terlebih dahulu
DocType: Student Applicant,Application Date,Tanggal Aplikasi
@@ -2435,7 +2452,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Izin Tanggal tidak disebutkan
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Produksi
DocType: Guardian,Occupation,Pendudukan
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Silakan setup Employee Naming System di Human Resource> HR Settings
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Row {0}: Tanggal awal harus sebelum Tanggal Akhir
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Total (Qty)
DocType: Sales Invoice,This Document,Dokumen ini
@@ -2447,19 +2463,19 @@
DocType: Purchase Receipt,Time at which materials were received,Waktu di mana bahan yang diterima
DocType: Stock Ledger Entry,Outgoing Rate,Tingkat keluar
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Cabang master organisasi.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,atau
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,atau
DocType: Sales Order,Billing Status,Status Penagihan
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Laporkan Masalah
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Beban utilitas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Beban utilitas
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-ke atas
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Journal Entri {1} tidak memiliki akun {2} atau sudah cocok dengan voucher lain
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Journal Entri {1} tidak memiliki akun {2} atau sudah cocok dengan voucher lain
DocType: Buying Settings,Default Buying Price List,Standar Membeli Daftar Harga
DocType: Process Payroll,Salary Slip Based on Timesheet,Slip Gaji Berdasarkan Daftar Absen
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Tidak ada karyawan untuk kriteria di atas yang dipilih ATAU Slip gaji sudah dibuat
DocType: Notification Control,Sales Order Message,Pesan Nota Penjualan
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Set Nilai Default seperti Perusahaan, Mata Uang, Tahun Anggaran Current, dll"
DocType: Payment Entry,Payment Type,Jenis Pembayaran
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Silakan pilih Batch for Item {0}. Tidak dapat menemukan satu bets yang memenuhi persyaratan ini
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Silakan pilih Batch for Item {0}. Tidak dapat menemukan satu bets yang memenuhi persyaratan ini
DocType: Process Payroll,Select Employees,Pilih Karyawan
DocType: Opportunity,Potential Sales Deal,Kesepakatan potensial Penjualan
DocType: Payment Entry,Cheque/Reference Date,Cek / Tanggal Referensi
@@ -2479,7 +2495,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,dokumen tanda terima harus diserahkan
DocType: Purchase Invoice Item,Received Qty,Qty Diterima
DocType: Stock Entry Detail,Serial No / Batch,Serial No / Batch
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Tidak Dibayar dan tidak Terkirim
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Tidak Dibayar dan tidak Terkirim
DocType: Product Bundle,Parent Item,Induk Stok Barang
DocType: Account,Account Type,Jenis Account
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2493,24 +2509,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),Identifikasi paket untuk pengiriman (untuk mencetak)
DocType: Bin,Reserved Quantity,Reserved Kuantitas
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Harap masukkan alamat email yang benar
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Tidak ada kursus wajib untuk program {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Nota Penerimaan Produk
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Menyesuaikan Bentuk
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,tunggakan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,tunggakan
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Penyusutan Jumlah selama periode tersebut
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Template cacat tidak harus template default
DocType: Account,Income Account,Akun Penghasilan
DocType: Payment Request,Amount in customer's currency,Jumlah dalam mata uang pelanggan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Pengiriman
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Pengiriman
DocType: Stock Reconciliation Item,Current Qty,Jumlah saat ini
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section","Lihat ""Rate Of Material Berbasis"" dalam Biaya Bagian"
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Sebelumnya
DocType: Appraisal Goal,Key Responsibility Area,Key Responsibility area
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Batch Student membantu Anda melacak kehadiran, penilaian dan biaya untuk siswa"
DocType: Payment Entry,Total Allocated Amount,Jumlah Total Dialokasikan
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Tetapkan akun inventaris default untuk persediaan perpetual
DocType: Item Reorder,Material Request Type,Permintaan Jenis Bahan
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Journal masuk untuk gaji dari {0} ke {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage penuh, tidak menyimpan"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage penuh, tidak menyimpan"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Faktor Konversi adalah wajib
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Ref
DocType: Budget,Cost Center,Biaya Pusat
@@ -2523,19 +2539,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Rule harga dibuat untuk menimpa Daftar Harga / mendefinisikan persentase diskon, berdasarkan beberapa kriteria."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Gudang hanya dapat diubah melalui Bursa Entri / Delivery Note / Nota Penerimaan
DocType: Employee Education,Class / Percentage,Kelas / Persentase
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Kepala Pemasaran dan Penjualan
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Pajak Penghasilan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Kepala Pemasaran dan Penjualan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Pajak Penghasilan
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Jika Aturan Harga yang dipilih dibuat untuk 'Harga', itu akan menimpa Daftar Harga. Harga Rule harga adalah harga akhir, sehingga tidak ada diskon lebih lanjut harus diterapkan. Oleh karena itu, dalam transaksi seperti Sales Order, Purchase Order dll, maka akan diambil di lapangan 'Tingkat', daripada lapangan 'Daftar Harga Tingkat'."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Melacak Memimpin menurut Produksi Type.
DocType: Item Supplier,Item Supplier,Item Supplier
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,Entrikan Item Code untuk mendapatkan bets tidak
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},Silakan pilih nilai untuk {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,Entrikan Item Code untuk mendapatkan bets tidak
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Silakan pilih nilai untuk {0} quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Semua Alamat
DocType: Company,Stock Settings,Pengaturan Stok
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Penggabungan ini hanya mungkin jika sifat berikut yang sama di kedua catatan. Apakah Group, Akar Jenis, Perusahaan"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Penggabungan ini hanya mungkin jika sifat berikut yang sama di kedua catatan. Apakah Group, Akar Jenis, Perusahaan"
DocType: Vehicle,Electric,listrik
DocType: Task,% Progress,% Selesai
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Laba / Rugi Asset Disposal
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Laba / Rugi Asset Disposal
DocType: Training Event,Will send an email about the event to employees with status 'Open',Akan mengirim email tentang acara untuk pegawai dengan status 'Open'
DocType: Task,Depends on Tasks,Tergantung pada Tugas
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Manage Group Konsumen Tree.
@@ -2544,7 +2560,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Baru Nama Biaya Pusat
DocType: Leave Control Panel,Leave Control Panel,Cuti Control Panel
DocType: Project,Task Completion,tugas Penyelesaian
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Habis
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Habis
DocType: Appraisal,HR User,HR Pengguna
DocType: Purchase Invoice,Taxes and Charges Deducted,Pajak dan Biaya Dikurangi
apps/erpnext/erpnext/hooks.py +116,Issues,Isu
@@ -2555,22 +2571,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Tidak ada slip gaji ditemukan antara {0} dan {1}
,Pending SO Items For Purchase Request,Pending SO Items Untuk Pembelian Permintaan
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Penerimaan Mahasiswa
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} dinonaktifkan
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} dinonaktifkan
DocType: Supplier,Billing Currency,Mata Uang Penagihan
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Ekstra Besar
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Ekstra Besar
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Jumlah Daun
,Profit and Loss Statement,Laba Rugi
DocType: Bank Reconciliation Detail,Cheque Number,Nomor Cek
,Sales Browser,Browser Penjualan
DocType: Journal Entry,Total Credit,Jumlah Kredit
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Peringatan: lain {0} # {1} ada terhadap masuknya Stok {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,[Daerah
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,[Daerah
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Pinjaman Uang Muka dan (Aset)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Debitur
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Besar
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Besar
DocType: Homepage Featured Product,Homepage Featured Product,Homepage Produk Pilihan
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Semua Grup Assessment
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Semua Grup Assessment
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Gudang baru Nama
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Total {0} ({1})
DocType: C-Form Invoice Detail,Territory,Wilayah
@@ -2580,12 +2596,12 @@
DocType: Production Order Operation,Planned Start Time,Rencana Start Time
DocType: Course,Assessment,Penilaian
DocType: Payment Entry Reference,Allocated,Dialokasikan
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Tutup Neraca dan Perhitungan Laba Rugi atau buku.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Tutup Neraca dan Perhitungan Laba Rugi atau buku.
DocType: Student Applicant,Application Status,Status aplikasi
DocType: Fees,Fees,biaya
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Tentukan Nilai Tukar untuk mengkonversi satu mata uang ke yang lain
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Quotation {0} dibatalkan
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Jumlah Total Outstanding
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Jumlah Total Outstanding
DocType: Sales Partner,Targets,Target
DocType: Price List,Price List Master,Daftar Harga Guru
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Semua Transaksi Penjualan dapat ditandai terhadap beberapa ** Orang Penjualan ** sehingga Anda dapat mengatur dan memonitor target.
@@ -2629,11 +2645,11 @@
1. Alamat dan Kontak Perusahaan Anda."
DocType: Attendance,Leave Type,Cuti Type
DocType: Purchase Invoice,Supplier Invoice Details,Pemasok Rincian Faktur
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Beban akun / Difference ({0}) harus akun 'Laba atau Rugi'
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Beban akun / Difference ({0}) harus akun 'Laba atau Rugi'
DocType: Project,Copied From,Disalin dari
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Nama error: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,Kekurangan
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} tidak terkait dengan {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} tidak terkait dengan {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Kehadiran bagi karyawan {0} sudah ditandai
DocType: Packing Slip,If more than one package of the same type (for print),Jika lebih dari satu paket dari jenis yang sama (untuk mencetak)
,Salary Register,Register Gaji
@@ -2651,22 +2667,23 @@
,Requested Qty,Diminta Qty
DocType: Tax Rule,Use for Shopping Cart,Gunakan untuk Keranjang Belanja
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Nilai {0} untuk Atribut {1} tidak ada dalam daftar Barang valid Atribut Nilai untuk Item {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Pilih Nomor Seri
DocType: BOM Item,Scrap %,Scrap%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Biaya akan didistribusikan secara proporsional berdasarkan pada item qty atau jumlah, sesuai pilihan Anda"
DocType: Maintenance Visit,Purposes,Tujuan
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Atleast satu item harus dimasukkan dengan kuantitas negatif dalam dokumen kembali
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Atleast satu item harus dimasukkan dengan kuantitas negatif dalam dokumen kembali
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operasi {0} lebih lama daripada jam kerja yang tersedia di workstation {1}, memecah operasi menjadi beberapa operasi"
,Requested,Diminta
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Tidak ada Keterangan
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Tidak ada Keterangan
DocType: Purchase Invoice,Overdue,Terlambat
DocType: Account,Stock Received But Not Billed,Stock Diterima Tapi Tidak Ditagih
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Akar Rekening harus kelompok
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Akar Rekening harus kelompok
DocType: Fees,FEE.,BIAYA.
DocType: Employee Loan,Repaid/Closed,Dilunasi / Ditutup
DocType: Item,Total Projected Qty,Total Proyeksi Jumlah
DocType: Monthly Distribution,Distribution Name,Nama Distribusi
DocType: Course,Course Code,Kode Course
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Kualitas Inspeksi diperlukan untuk Item {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Kualitas Inspeksi diperlukan untuk Item {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Tingkat di mana mata uang Konsumen dikonversi ke mata uang dasar perusahaan
DocType: Purchase Invoice Item,Net Rate (Company Currency),Tingkat Net (Perusahaan Mata Uang)
DocType: Salary Detail,Condition and Formula Help,Kondisi dan Formula Bantuan
@@ -2679,27 +2696,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Alih Material untuk Produksi
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Persentase Diskon dapat diterapkan baik terhadap Daftar Harga atau untuk semua List Price.
DocType: Purchase Invoice,Half-yearly,Setengah tahun sekali
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Entri Akunting untuk Stok
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Entri Akunting untuk Stok
DocType: Vehicle Service,Engine Oil,Oli mesin
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Silakan setup Employee Naming System di Human Resource> HR Settings
DocType: Sales Invoice,Sales Team1,Penjualan team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Item {0} tidak ada
DocType: Sales Invoice,Customer Address,Alamat Konsumen
DocType: Employee Loan,Loan Details,Detail pinjaman
+DocType: Company,Default Inventory Account,Akun Inventaris Default
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Row {0}: Selesai Qty harus lebih besar dari nol.
DocType: Purchase Invoice,Apply Additional Discount On,Terapkan tambahan Diskon Pada
DocType: Account,Root Type,Akar Type
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Tidak dapat kembali lebih dari {1} untuk Item {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Tidak dapat kembali lebih dari {1} untuk Item {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Plot
DocType: Item Group,Show this slideshow at the top of the page,Tampilkan slide ini di bagian atas halaman
DocType: BOM,Item UOM,Stok Barang UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Jumlah pajak Setelah Diskon Jumlah (Perusahaan Mata Uang)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Target gudang adalah wajib untuk baris {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Target gudang adalah wajib untuk baris {0}
DocType: Cheque Print Template,Primary Settings,Pengaturan utama
DocType: Purchase Invoice,Select Supplier Address,Pilih Pemasok Alamat
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Tambahkan Karyawan
DocType: Purchase Invoice Item,Quality Inspection,Inspeksi Kualitas
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Ekstra Kecil
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Ekstra Kecil
DocType: Company,Standard Template,Template standar
DocType: Training Event,Theory,Teori
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Peringatan: Material Diminta Qty kurang dari Minimum Order Qty
@@ -2707,7 +2726,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Badan Hukum / Anak dengan Bagan terpisah Account milik Organisasi.
DocType: Payment Request,Mute Email,Bisu Email
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Makanan, Minuman dan Tembakau"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Hanya dapat melakukan pembayaran terhadap yang belum ditagihkan {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Hanya dapat melakukan pembayaran terhadap yang belum ditagihkan {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Tingkat komisi tidak dapat lebih besar dari 100
DocType: Stock Entry,Subcontract,Kontrak tambahan
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Entrikan {0} terlebih dahulu
@@ -2720,18 +2739,18 @@
DocType: SMS Log,No of Sent SMS,Tidak ada dari Sent SMS
DocType: Account,Expense Account,Beban Akun
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Perangkat lunak
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Warna
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Warna
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Kriteria Rencana Penilaian
DocType: Training Event,Scheduled,Dijadwalkan
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Meminta kutipan.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Silahkan pilih barang yang bukan ""Barang Stok"" (nilai: ""Tidak"") dan berupa ""Barang Jualan"" (nilai: ""Ya""), serta tidak ada Bundel Produk lainnya"
DocType: Student Log,Academic,Akademis
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Total muka ({0}) terhadap Orde {1} tidak dapat lebih besar dari Grand Total ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Total muka ({0}) terhadap Orde {1} tidak dapat lebih besar dari Grand Total ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Pilih Distribusi bulanan untuk merata mendistribusikan target di bulan.
DocType: Purchase Invoice Item,Valuation Rate,Tingkat Penilaian
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,disel
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Daftar Harga Mata uang tidak dipilih
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Daftar Harga Mata uang tidak dipilih
,Student Monthly Attendance Sheet,Mahasiswa Lembar Kehadiran Bulanan
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Karyawan {0} telah diterapkan untuk {1} antara {2} dan {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Tanggal Project Mulai
@@ -2743,7 +2762,7 @@
DocType: BOM,Scrap,Membatalkan
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Kelola Partner Penjualan
DocType: Quality Inspection,Inspection Type,Tipe Inspeksi
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Gudang dengan transaksi yang ada tidak dapat dikonversi ke grup.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Gudang dengan transaksi yang ada tidak dapat dikonversi ke grup.
DocType: Assessment Result Tool,Result HTML,hasil HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Kadaluarsa pada
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Tambahkan Siswa
@@ -2751,13 +2770,13 @@
DocType: C-Form,C-Form No,C-Form ada
DocType: BOM,Exploded_items,Pembesaran Item
DocType: Employee Attendance Tool,Unmarked Attendance,Kehadiran non-absen
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Peneliti
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Peneliti
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Program Pendaftaran Alat Mahasiswa
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Nama atau Email adalah wajib
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Pemeriksaan mutu barang masuk
DocType: Purchase Order Item,Returned Qty,Qty Retur
DocType: Employee,Exit,Keluar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Tipe Dasar adalah wajib
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Tipe Dasar adalah wajib
DocType: BOM,Total Cost(Company Currency),Total Biaya (Perusahaan Mata Uang)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serial ada {0} dibuat
DocType: Homepage,Company Description for website homepage,Deskripsi Perusahaan untuk homepage website
@@ -2766,7 +2785,7 @@
DocType: Sales Invoice,Time Sheet List,Waktu Daftar Lembar
DocType: Employee,You can enter any date manually,Anda dapat memasukkan tanggal apapun secara manual
DocType: Asset Category Account,Depreciation Expense Account,Akun Beban Penyusutan
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Masa percobaan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Masa percobaan
DocType: Customer Group,Only leaf nodes are allowed in transaction,Hanya node cuti yang diperbolehkan dalam transaksi
DocType: Expense Claim,Expense Approver,Approver Klaim Biaya
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Row {0}: Muka terhadap Konsumen harus kredit
@@ -2779,10 +2798,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Jadwal Kursus dihapus:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Log untuk mempertahankan status pengiriman sms
DocType: Accounts Settings,Make Payment via Journal Entry,Lakukan Pembayaran via Journal Entri
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Printed On
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Printed On
DocType: Item,Inspection Required before Delivery,Inspeksi Diperlukan sebelum Pengiriman
DocType: Item,Inspection Required before Purchase,Inspeksi Diperlukan sebelum Pembelian
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Kegiatan Tertunda
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Organisasi Anda
DocType: Fee Component,Fees Category,biaya Kategori
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Silahkan masukkan menghilangkan date.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
@@ -2792,9 +2812,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Tingkat Re-Order
DocType: Company,Chart Of Accounts Template,Grafik Of Account Template
DocType: Attendance,Attendance Date,Tanggal Kehadiran
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Item Harga diperbarui untuk {0} di Daftar Harga {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Item Harga diperbarui untuk {0} di Daftar Harga {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Gaji perpisahan berdasarkan Produktif dan Pengurangan.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Akun dengan node anak tidak dapat dikonversi ke buku besar
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Akun dengan node anak tidak dapat dikonversi ke buku besar
DocType: Purchase Invoice Item,Accepted Warehouse,Gudang Barang Diterima
DocType: Bank Reconciliation Detail,Posting Date,Tanggal Posting
DocType: Item,Valuation Method,Metode Perhitungan
@@ -2803,14 +2823,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Entri Ganda/Duplikat
DocType: Program Enrollment Tool,Get Students,Dapatkan Siswa
DocType: Serial No,Under Warranty,Masih Garansi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Kesalahan]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Kesalahan]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,Dalam Kata-kata akan terlihat setelah Anda menyimpan Sales Order.
,Employee Birthday,Ulang Tahun Karyawan
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Alat Batch Kehadiran mahasiswa
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,batas Dilalui
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,batas Dilalui
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Modal Ventura
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Istilah akademik dengan ini 'Tahun Akademik' {0} dan 'Nama Term' {1} sudah ada. Harap memodifikasi entri ini dan coba lagi.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Karena ada transaksi yang ada terhadap barang {0}, Anda tidak dapat mengubah nilai {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Karena ada transaksi yang ada terhadap barang {0}, Anda tidak dapat mengubah nilai {1}"
DocType: UOM,Must be Whole Number,Harus Nomor Utuh
DocType: Leave Control Panel,New Leaves Allocated (In Days),cuti baru Dialokasikan (Dalam Hari)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serial ada {0} tidak ada
@@ -2819,6 +2839,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Nomor Faktur
DocType: Shopping Cart Settings,Orders,Order
DocType: Employee Leave Approver,Leave Approver,Approver Cuti
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Silakan pilih satu batch
DocType: Assessment Group,Assessment Group Name,Nama penilaian Grup
DocType: Manufacturing Settings,Material Transferred for Manufacture,Bahan Ditransfer untuk Produksi
DocType: Expense Claim,"A user with ""Expense Approver"" role","Pengguna dengan peran ""Expense Approver"""
@@ -2828,9 +2849,10 @@
DocType: Target Detail,Target Detail,Sasaran Detil
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,Semua Jobs
DocType: Sales Order,% of materials billed against this Sales Order,% Bahan ditagih terhadap Sales Order ini
+DocType: Program Enrollment,Mode of Transportation,Cara Transportasi
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Periode Penutupan Entri
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Biaya Center dengan transaksi yang ada tidak dapat dikonversi ke grup
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Jumlah {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Jumlah {0} {1} {2} {3}
DocType: Account,Depreciation,Penyusutan
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Supplier (s)
DocType: Employee Attendance Tool,Employee Attendance Tool,Alat Absensi Karyawan
@@ -2838,7 +2860,7 @@
DocType: Supplier,Credit Limit,Batas Kredit
DocType: Production Plan Sales Order,Salse Order Date,Salse Urutan Tanggal
DocType: Salary Component,Salary Component,Komponen gaji
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Entries pembayaran {0} adalah un-linked
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Entries pembayaran {0} adalah un-linked
DocType: GL Entry,Voucher No,Voucher Tidak ada
,Lead Owner Efficiency,Efisiensi Pemilik Timbal
DocType: Leave Allocation,Leave Allocation,Alokasi Cuti
@@ -2849,11 +2871,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Template istilah atau kontrak.
DocType: Purchase Invoice,Address and Contact,Alamat dan Kontak
DocType: Cheque Print Template,Is Account Payable,Apakah Account Payable
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Saham tidak dapat diperbarui terhadap Penerimaan Pembelian {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Saham tidak dapat diperbarui terhadap Penerimaan Pembelian {0}
DocType: Supplier,Last Day of the Next Month,Hari terakhir dari Bulan Depan
DocType: Support Settings,Auto close Issue after 7 days,Auto Issue dekat setelah 7 hari
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Cuti tidak dapat dialokasikan sebelum {0}, saldo cuti sudah pernah membawa-diteruskan dalam catatan alokasi cuti masa depan {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Catatan: Karena / Referensi Tanggal melebihi diperbolehkan hari kredit Konsumen dengan {0} hari (s)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Catatan: Karena / Referensi Tanggal melebihi diperbolehkan hari kredit Konsumen dengan {0} hari (s)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Mahasiswa Pemohon
DocType: Asset Category Account,Accumulated Depreciation Account,Akun Penyusutan Akumulasi
DocType: Stock Settings,Freeze Stock Entries,Bekukan Stok Entri
@@ -2862,35 +2884,35 @@
DocType: Activity Cost,Billing Rate,Tarip penagihan
,Qty to Deliver,Qty untuk Dikirim
,Stock Analytics,Stock Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Operasi tidak dapat dibiarkan kosong
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operasi tidak dapat dibiarkan kosong
DocType: Maintenance Visit Purpose,Against Document Detail No,Terhadap Detail Dokumen No.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Partai Type adalah wajib
DocType: Quality Inspection,Outgoing,Keluaran
DocType: Material Request,Requested For,Diminta Untuk
DocType: Quotation Item,Against Doctype,Terhadap Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} dibatalkan atau ditutup
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} dibatalkan atau ditutup
DocType: Delivery Note,Track this Delivery Note against any Project,Lacak Pengiriman ini Catatan terhadap Proyek manapun
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Kas Bersih dari Investasi
-,Is Primary Address,Apakah Alamat Primer
DocType: Production Order,Work-in-Progress Warehouse,Gudang Work In Progress
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Aset {0} harus diserahkan
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Kehadiran Rekam {0} ada terhadap Mahasiswa {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Kehadiran Rekam {0} ada terhadap Mahasiswa {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Referensi # {0} tanggal {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Penyusutan Dieliminasi karena pelepasan aset
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Pengelolaan Alamat
DocType: Asset,Item Code,Kode Item
DocType: Production Planning Tool,Create Production Orders,Buat Order Produksi
DocType: Serial No,Warranty / AMC Details,Garansi / Detail AMC
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Pilih siswa secara manual untuk Activity based Group
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Pilih siswa secara manual untuk Activity based Group
DocType: Journal Entry,User Remark,Keterangan Pengguna
DocType: Lead,Market Segment,Segmen Pasar
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Dibayar Jumlah tidak dapat lebih besar dari jumlah total outstanding negatif {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Dibayar Jumlah tidak dapat lebih besar dari jumlah total outstanding negatif {0}
DocType: Employee Internal Work History,Employee Internal Work History,Riwayat Kerja Karyawan Internal
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Penutup (Dr)
DocType: Cheque Print Template,Cheque Size,Cek Ukuran
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serial ada {0} bukan dalam stok
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Template Pajak transaksi penjualan
DocType: Sales Invoice,Write Off Outstanding Amount,Write Off Jumlah Outstanding
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Akun {0} tidak cocok dengan Perusahaan {1}
DocType: School Settings,Current Academic Year,Tahun Akademik Saat Ini
DocType: Stock Settings,Default Stock UOM,Standar Stock UOM
DocType: Asset,Number of Depreciations Booked,Jumlah Penyusutan Dipesan
@@ -2905,27 +2927,27 @@
DocType: Asset,Double Declining Balance,Ganda Saldo Menurun
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Agar tertutup tidak dapat dibatalkan. Unclose untuk membatalkan.
DocType: Student Guardian,Father,Ayah
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' tidak dapat diperiksa untuk penjualan aset tetap
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' tidak dapat diperiksa untuk penjualan aset tetap
DocType: Bank Reconciliation,Bank Reconciliation,Rekonsiliasi Bank
DocType: Attendance,On Leave,Sedang cuti
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Dapatkan Update
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Akun {2} bukan milik Perusahaan {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Permintaan Material {0} dibatalkan atau dihentikan
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Tambahkan beberapa catatan sampel
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Tambahkan beberapa catatan sampel
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Manajemen Cuti
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Group by Akun
DocType: Sales Order,Fully Delivered,Sepenuhnya Terkirim
DocType: Lead,Lower Income,Penghasilan rendah
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Sumber dan target gudang tidak bisa sama untuk baris {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Sumber dan target gudang tidak bisa sama untuk baris {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Perbedaan Akun harus rekening Jenis Aset / Kewajiban, karena ini Bursa Rekonsiliasi adalah Entri Pembukaan"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Dicairkan Jumlah tidak dapat lebih besar dari Jumlah Pinjaman {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Nomor Purchase Order yang diperlukan untuk Item {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Pesanan produksi tidak diciptakan
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Nomor Purchase Order yang diperlukan untuk Item {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Pesanan produksi tidak diciptakan
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Tanggal Mulai' harus sebelum 'Tanggal Akhir'
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},tidak dapat mengubah status sebagai mahasiswa {0} terkait dengan aplikasi mahasiswa {1}
DocType: Asset,Fully Depreciated,sepenuhnya disusutkan
,Stock Projected Qty,Stock Proyeksi Jumlah
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Konsumen {0} bukan milik proyek {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Konsumen {0} bukan milik proyek {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Kehadiran ditandai HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Kutipan proposal, tawaran Anda telah dikirim ke pelanggan Anda"
DocType: Sales Order,Customer's Purchase Order,Purchase Order Konsumen
@@ -2934,33 +2956,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Jumlah Skor Kriteria Penilaian perlu {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Silakan mengatur Jumlah Penyusutan Dipesan
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Nilai atau Qty
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Produksi Pesanan tidak dapat diangkat untuk:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Menit
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Produksi Pesanan tidak dapat diangkat untuk:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Menit
DocType: Purchase Invoice,Purchase Taxes and Charges,Pajak Pembelian dan Biaya
,Qty to Receive,Qty untuk Menerima
DocType: Leave Block List,Leave Block List Allowed,Cuti Block List Diizinkan
DocType: Grading Scale Interval,Grading Scale Interval,Grading Scale Interval
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Beban Klaim untuk Kendaraan Log {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Discount (%) pada Price List Rate dengan Margin
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,semua Gudang
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,semua Gudang
DocType: Sales Partner,Retailer,Pengecer
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Kredit Untuk akun harus rekening Neraca
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Kredit Untuk akun harus rekening Neraca
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Semua Jenis Supplier
DocType: Global Defaults,Disable In Words,Nonaktifkan Dalam Kata-kata
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,Item Code adalah wajib karena Item tidak secara otomatis nomor
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Item Code adalah wajib karena Item tidak secara otomatis nomor
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Quotation {0} bukan dari jenis {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Jadwal pemeliharaan Stok Barang
DocType: Sales Order,% Delivered,% Terkirim
DocType: Production Order,PRO-,PRO-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Bank Akun Overdraft
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Bank Akun Overdraft
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Membuat Slip Gaji
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Baris # {0}: Alokasi Jumlah tidak boleh lebih besar dari jumlah yang terutang.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Telusuri BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Pinjaman Aman
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Pinjaman Aman
DocType: Purchase Invoice,Edit Posting Date and Time,Mengedit Posting Tanggal dan Waktu
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Silahkan mengatur Penyusutan Akun terkait Aset Kategori {0} atau Perusahaan {1}
DocType: Academic Term,Academic Year,Tahun akademik
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Saldo pembukaan Ekuitas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Saldo pembukaan Ekuitas
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Penilaian
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},Email dikirim ke pemasok {0}
@@ -2976,7 +2998,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Menyetujui Peran tidak bisa sama dengan peran aturan yang Berlaku Untuk
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Berhenti berlangganan dari Email ini Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Pesan Terkirim
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Akun dengan sub-akun tidak dapat ditetapkan sebagai buku
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Akun dengan sub-akun tidak dapat ditetapkan sebagai buku
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Tingkat di mana mata uang Daftar Harga dikonversi ke mata uang dasar Konsumen
DocType: Purchase Invoice Item,Net Amount (Company Currency),Jumlah Bersih (Perusahaan Mata Uang)
@@ -3010,7 +3032,7 @@
DocType: Expense Claim,Approval Status,Approval Status
DocType: Hub Settings,Publish Items to Hub,Publikasikan Produk untuk Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},Dari nilai harus kurang dari nilai dalam baris {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Transfer Kliring
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Transfer Kliring
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Periksa Semua
DocType: Vehicle Log,Invoice Ref,faktur Ref
DocType: Purchase Order,Recurring Order,Order Berulang
@@ -3023,51 +3045,54 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Perbankan dan Pembayaran
,Welcome to ERPNext,Selamat Datang di ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Kesempatan menjadi Peluang
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Tidak lebih untuk ditampilkan.
DocType: Lead,From Customer,Dari Konsumen
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Panggilan
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Panggilan
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,Batches
DocType: Project,Total Costing Amount (via Time Logs),Jumlah Total Biaya (via Waktu Log)
DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Order Pembelian {0} tidak terkirim
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Order Pembelian {0} tidak terkirim
DocType: Customs Tariff Number,Tariff Number,tarif Nomor
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Proyeksi
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serial ada {0} bukan milik Gudang {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Catatan: Sistem tidak akan memeriksa over-pengiriman dan over-booking untuk Item {0} kuantitas atau jumlah 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Catatan: Sistem tidak akan memeriksa over-pengiriman dan over-booking untuk Item {0} kuantitas atau jumlah 0
DocType: Notification Control,Quotation Message,Quotation Pesan
DocType: Employee Loan,Employee Loan Application,Karyawan Aplikasi Kredit
DocType: Issue,Opening Date,Tanggal pembukaan
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Kehadiran telah ditandai berhasil.
+DocType: Program Enrollment,Public Transport,Transportasi umum
DocType: Journal Entry,Remark,Komentar
DocType: Purchase Receipt Item,Rate and Amount,Rate dan Jumlah
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Jenis Account untuk {0} harus {1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,Daun dan Liburan
DocType: School Settings,Current Academic Term,Istilah Akademik Saat Ini
DocType: Sales Order,Not Billed,Tidak Ditagih
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Kedua Gudang harus merupakan gudang dari Perusahaan yang sama
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Tidak ada kontak belum ditambahkan.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Kedua Gudang harus merupakan gudang dari Perusahaan yang sama
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Tidak ada kontak belum ditambahkan.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Jumlah Nilai Voucher Landing Cost
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Tagihan diajukan oleh Pemasok.
DocType: POS Profile,Write Off Account,Akun Write Off
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Catatan Debet Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Jumlah Diskon
DocType: Purchase Invoice,Return Against Purchase Invoice,Kembali Terhadap Pembelian Faktur
DocType: Item,Warranty Period (in days),Masa Garansi (dalam hari)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Hubungan dengan Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Hubungan dengan Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Kas Bersih dari Operasi
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,misalnya PPN
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,misalnya PPN
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Item 4
DocType: Student Admission,Admission End Date,Pendaftaran Tanggal Akhir
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Sub-kontraktor
DocType: Journal Entry Account,Journal Entry Account,Akun Jurnal Entri
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Kelompok mahasiswa
DocType: Shopping Cart Settings,Quotation Series,Quotation Series
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Sebuah item yang ada dengan nama yang sama ({0}), silakan mengubah nama kelompok Stok Barang atau mengubah nama item"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Silakan pilih pelanggan
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Sebuah item yang ada dengan nama yang sama ({0}), silakan mengubah nama kelompok Stok Barang atau mengubah nama item"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Silakan pilih pelanggan
DocType: C-Form,I,saya
DocType: Company,Asset Depreciation Cost Center,Asset Pusat Penyusutan Biaya
DocType: Sales Order Item,Sales Order Date,Tanggal Nota Penjualan
DocType: Sales Invoice Item,Delivered Qty,Qty Terkirim
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Jika dicentang, semua anak-anak dari setiap item produksi akan dimasukkan dalam Permintaan Material."
DocType: Assessment Plan,Assessment Plan,Rencana penilaian
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Gudang {0}: Perusahaan wajib
DocType: Stock Settings,Limit Percent,batas Persen
,Payment Period Based On Invoice Date,Masa Pembayaran Berdasarkan Faktur Tanggal
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Hilang Kurs mata uang Tarif untuk {0}
@@ -3079,7 +3104,7 @@
DocType: Vehicle,Insurance Details,Detail asuransi
DocType: Account,Payable,Hutang
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,Masukkan Periode Pembayaran
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Debitur ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Debitur ({0})
DocType: Pricing Rule,Margin,Margin
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Konsumen baru
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Laba Kotor%
@@ -3090,16 +3115,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Partai adalah wajib
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,topik Nama
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,"Setidaknya salah satu, Jual atau Beli harus dipilih"
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Pilih jenis bisnis anda.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,"Setidaknya salah satu, Jual atau Beli harus dipilih"
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Pilih jenis bisnis anda.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Baris # {0}: Entri duplikat di Referensi {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Dimana operasi manufaktur dilakukan.
DocType: Asset Movement,Source Warehouse,Sumber Gudang
DocType: Installation Note,Installation Date,Instalasi Tanggal
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Aset {1} bukan milik perusahaan {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Aset {1} bukan milik perusahaan {2}
DocType: Employee,Confirmation Date,Konfirmasi Tanggal
DocType: C-Form,Total Invoiced Amount,Jumlah Total Tagihan
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Qty tidak dapat lebih besar dari Max Qty
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Min Qty tidak dapat lebih besar dari Max Qty
DocType: Account,Accumulated Depreciation,Akumulasi penyusutan
DocType: Stock Entry,Customer or Supplier Details,Konsumen atau Supplier Detail
DocType: Employee Loan Application,Required by Date,Dibutuhkan oleh Tanggal
@@ -3120,22 +3145,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Bulanan Persentase Distribusi
DocType: Territory,Territory Targets,Target Wilayah
DocType: Delivery Note,Transporter Info,Info Transporter
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Silahkan mengatur default {0} di Perusahaan {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Silahkan mengatur default {0} di Perusahaan {1}
DocType: Cheque Print Template,Starting position from top edge,Mulai posisi dari tepi atas
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,pemasok yang sama telah dimasukkan beberapa kali
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Laba Kotor / Rugi
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Purchase Order Stok Barang Disediakan
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Nama perusahaan tidak dapat perusahaan
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Nama perusahaan tidak dapat perusahaan
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Surat Kepala untuk mencetak template.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Judul untuk mencetak template misalnya Proforma Invoice.
DocType: Student Guardian,Student Guardian,Wali murid
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Jenis penilaian biaya tidak dapat ditandai sebagai Inklusif
DocType: POS Profile,Update Stock,Perbarui Stock
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Supplier> Supplier Type
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM berbeda untuk item akan menyebabkan salah (Total) Nilai Berat Bersih. Pastikan Berat Bersih dari setiap item di UOM sama.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Tingkat
DocType: Asset,Journal Entry for Scrap,Jurnal masuk untuk Scrap
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Silakan tarik item dari Pengiriman Note
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Entri jurnal {0} un-linked
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Entri jurnal {0} un-linked
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Catatan dari semua komunikasi email jenis, telepon, chatting, kunjungan, dll"
DocType: Manufacturer,Manufacturers used in Items,Produsen yang digunakan dalam Produk
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Sebutkan Putaran Off Biaya Pusat di Perusahaan
@@ -3182,33 +3208,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,Supplier memberikan kepada Konsumen
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form/Item/{0}) habis persediaannya
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Tanggal berikutnya harus lebih besar dari Tanggal Posting
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Tampilkan pajak break-up
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Karena / Referensi Tanggal tidak boleh setelah {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Tampilkan pajak break-up
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Karena / Referensi Tanggal tidak boleh setelah {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Data Impor dan Ekspor
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","entri saham ada terhadap Warehouse {0}, maka Anda tidak dapat kembali menetapkan atau memodifikasinya"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Tidak ada siswa Ditemukan
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Tidak ada siswa Ditemukan
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Faktur Posting Tanggal
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Menjual
DocType: Sales Invoice,Rounded Total,Rounded Jumlah
DocType: Product Bundle,List items that form the package.,Daftar item yang membentuk paket.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Persentase Alokasi harus sama dengan 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,Silakan pilih Posting Tanggal sebelum memilih Partai
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Silakan pilih Posting Tanggal sebelum memilih Partai
DocType: Program Enrollment,School House,School House
DocType: Serial No,Out of AMC,Dari AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Silakan pilih Kutipan
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Silakan pilih Kutipan
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Jumlah Penyusutan Memesan tidak dapat lebih besar dari total jumlah Penyusutan
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Membuat Maintenance Visit
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,Silahkan hubungi untuk pengguna yang memiliki penjualan Guru Manajer {0} peran
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,Silahkan hubungi untuk pengguna yang memiliki penjualan Guru Manajer {0} peran
DocType: Company,Default Cash Account,Standar Rekening Kas
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Perusahaan (tidak Konsumen atau Supplier) Master.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Hal ini didasarkan pada kehadiran mahasiswa ini
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Tidak ada siswa
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Tidak ada siswa
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Menambahkan item lebih atau bentuk penuh terbuka
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',Entrikan 'Diharapkan Pengiriman Tanggal'
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Catatan pengiriman {0} harus dibatalkan sebelum membatalkan Sales Order ini
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Jumlah yang dibayarkan + Write Off Jumlah tidak bisa lebih besar dari Grand Total
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Jumlah yang dibayarkan + Write Off Jumlah tidak bisa lebih besar dari Grand Total
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} tidak Nomor Batch berlaku untuk Stok Barang {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Catatan: Tidak ada saldo cuti cukup bagi Leave Type {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN tidak valid atau Enter NA untuk tidak terdaftar
DocType: Training Event,Seminar,Seminar
DocType: Program Enrollment Fee,Program Enrollment Fee,Program Pendaftaran Biaya
DocType: Item,Supplier Items,Supplier Produk
@@ -3234,27 +3260,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Butir 3
DocType: Purchase Order,Customer Contact Email,Email Kontak Konsumen
DocType: Warranty Claim,Item and Warranty Details,Item dan Garansi Detail
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Item Code> Item Group> Brand
DocType: Sales Team,Contribution (%),Kontribusi (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Catatan: Entry Pembayaran tidak akan dibuat karena 'Cash atau Rekening Bank tidak ditentukan
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Pilih Program untuk mengambil kursus wajib.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Tanggung Jawab
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Tanggung Jawab
DocType: Expense Claim Account,Expense Claim Account,Akun Beban Klaim
DocType: Sales Person,Sales Person Name,Penjualan Person Nama
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Entrikan minimal 1 faktur dalam tabel
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Tambahkan User
DocType: POS Item Group,Item Group,Item Grup
DocType: Item,Safety Stock,Persediaan keselamatan
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Kemajuan% untuk tugas tidak bisa lebih dari 100.
DocType: Stock Reconciliation Item,Before reconciliation,Sebelum rekonsiliasi
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Untuk {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Pajak dan Biaya Ditambahkan (Perusahaan Mata Uang)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Item Pajak Row {0} harus memiliki akun Pajak jenis atau Penghasilan atau Beban atau Dibebankan
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Item Pajak Row {0} harus memiliki akun Pajak jenis atau Penghasilan atau Beban atau Dibebankan
DocType: Sales Order,Partly Billed,Sebagian Ditagih
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Item {0} harus menjadi Asset barang Tetap
DocType: Item,Default BOM,BOM Standar
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,Mohon tipe nama perusahaan untuk mengkonfirmasi
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Jumlah Posisi Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Jumlah Catatan Debet
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Mohon tipe nama perusahaan untuk mengkonfirmasi
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Jumlah Posisi Amt
DocType: Journal Entry,Printing Settings,Pengaturan pencetakan
DocType: Sales Invoice,Include Payment (POS),Sertakan Pembayaran (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Jumlah Debit harus sama dengan total kredit. Perbedaannya adalah {0}
@@ -3268,15 +3292,16 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Persediaan:
DocType: Notification Control,Custom Message,Custom Pesan
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Perbankan Investasi
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Kas atau Rekening Bank wajib untuk membuat entri pembayaran
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Alamat siswa
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Kas atau Rekening Bank wajib untuk membuat entri pembayaran
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Silakan setup seri penomoran untuk Kehadiran melalui Setup> Numbering Series
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Alamat siswa
DocType: Purchase Invoice,Price List Exchange Rate,Daftar Harga Tukar
DocType: Purchase Invoice Item,Rate,Menilai
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Menginternir
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,Nama alamat
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Menginternir
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,Nama alamat
DocType: Stock Entry,From BOM,Dari BOM
DocType: Assessment Code,Assessment Code,Kode penilaian
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Dasar
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Dasar
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Transaksi Stok sebelum {0} dibekukan
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',Silahkan klik 'Menghasilkan Jadwal'
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","misalnya Kg, Unit, Nos, m"
@@ -3286,11 +3311,11 @@
DocType: Salary Slip,Salary Structure,Struktur Gaji
DocType: Account,Bank,Bank
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Maskapai Penerbangan
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Isu Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Isu Material
DocType: Material Request Item,For Warehouse,Untuk Gudang
DocType: Employee,Offer Date,Penawaran Tanggal
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Quotation
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Anda berada dalam mode offline. Anda tidak akan dapat memuat sampai Anda memiliki jaringan.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,Anda berada dalam mode offline. Anda tidak akan dapat memuat sampai Anda memiliki jaringan.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Tidak Grup Pelajar dibuat.
DocType: Purchase Invoice Item,Serial No,Serial ada
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Bulanan Pembayaran Jumlah tidak dapat lebih besar dari Jumlah Pinjaman
@@ -3298,8 +3323,8 @@
DocType: Purchase Invoice,Print Language,cetak Bahasa
DocType: Salary Slip,Total Working Hours,Jumlah Jam Kerja
DocType: Stock Entry,Including items for sub assemblies,Termasuk item untuk sub rakitan
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Masukkan nilai harus positif
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Semua Wilayah
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Masukkan nilai harus positif
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Semua Wilayah
DocType: Purchase Invoice,Items,Items
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Mahasiswa sudah terdaftar.
DocType: Fiscal Year,Year Name,Nama Tahun
@@ -3317,10 +3342,10 @@
DocType: Issue,Opening Time,Membuka Waktu
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Dari dan Untuk tanggal yang Anda inginkan
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Efek & Bursa Komoditi
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standar Satuan Ukur untuk Variant '{0}' harus sama seperti di Template '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standar Satuan Ukur untuk Variant '{0}' harus sama seperti di Template '{1}'
DocType: Shipping Rule,Calculate Based On,Hitung Berbasis On
DocType: Delivery Note Item,From Warehouse,Dari Gudang
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Tidak ada Item dengan Bill of Material untuk Industri
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Tidak ada Item dengan Bill of Material untuk Industri
DocType: Assessment Plan,Supervisor Name,Nama pengawas
DocType: Program Enrollment Course,Program Enrollment Course,Kursus Pendaftaran Program
DocType: Purchase Taxes and Charges,Valuation and Total,Penilaian dan Total
@@ -3335,18 +3360,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Hari Sejak Pemesanan terakhir' harus lebih besar dari atau sama dengan nol
DocType: Process Payroll,Payroll Frequency,Payroll Frekuensi
DocType: Asset,Amended From,Diubah Dari
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Bahan Baku
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Bahan Baku
DocType: Leave Application,Follow via Email,Ikuti via Email
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Tanaman dan Mesin
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Tanaman dan Mesin
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Jumlah pajak Setelah Diskon Jumlah
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Pengaturan Kerja Ringkasan Harian
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Mata uang dari daftar harga {0} tidak sama dengan mata uang yang dipilih {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Mata uang dari daftar harga {0} tidak sama dengan mata uang yang dipilih {1}
DocType: Payment Entry,Internal Transfer,internal transfer
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Akun anak ada untuk akun ini. Anda tidak dapat menghapus akun ini.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Akun anak ada untuk akun ini. Anda tidak dapat menghapus akun ini.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Entah sasaran qty atau jumlah target adalah wajib
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Tidak ada standar BOM ada untuk Item {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Tidak ada standar BOM ada untuk Item {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Silakan pilih Posting Tanggal terlebih dahulu
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Tanggal pembukaan harus sebelum Tanggal Penutupan
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Harap tentukan Seri Penamaan untuk {0} melalui Setup> Settings> Naming Series
DocType: Leave Control Panel,Carry Forward,Carry Teruskan
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Biaya Center dengan transaksi yang ada tidak dapat dikonversi ke buku
DocType: Department,Days for which Holidays are blocked for this department.,Hari yang Holidays diblokir untuk departemen ini.
@@ -3356,10 +3382,9 @@
DocType: Issue,Raised By (Email),Dibesarkan Oleh (Email)
DocType: Training Event,Trainer Name,Nama pelatih
DocType: Mode of Payment,General,Umum
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Lampirkan Kop Surat
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Komunikasi terakhir
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Tidak bisa mengurangi ketika kategori adalah untuk 'Penilaian' atau 'Penilaian dan Total'
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Daftar kepala pajak Anda (misalnya PPN, Bea Cukai dll, mereka harus memiliki nama yang unik) dan tarif standar mereka. Ini akan membuat template standar, yang dapat Anda edit dan menambahkan lagi nanti."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Daftar kepala pajak Anda (misalnya PPN, Bea Cukai dll, mereka harus memiliki nama yang unik) dan tarif standar mereka. Ini akan membuat template standar, yang dapat Anda edit dan menambahkan lagi nanti."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Serial Nos Diperlukan untuk Serial Stok Barang {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Pembayaran pertandingan dengan Faktur
DocType: Journal Entry,Bank Entry,Bank Entri
@@ -3368,16 +3393,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Tambahkan ke Keranjang Belanja
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Kelompok Dengan
DocType: Guardian,Interests,minat
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Mengaktifkan / menonaktifkan mata uang.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Mengaktifkan / menonaktifkan mata uang.
DocType: Production Planning Tool,Get Material Request,Dapatkan Material Permintaan
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Beban pos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Beban pos
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Total (Amt)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Hiburan & Kenyamanan
DocType: Quality Inspection,Item Serial No,Item Serial No
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Buat Rekaman Karyawan
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Total Hadir
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Laporan akuntansi
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Jam
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Jam
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Baru Serial ada tidak dapat memiliki Gudang. Gudang harus diatur oleh Bursa Entri atau Nota Penerimaan
DocType: Lead,Lead Type,Timbal Type
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Anda tidak berwenang untuk menyetujui cuti di Blok Tanggal
@@ -3389,6 +3414,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,The BOM baru setelah penggantian
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Point of Sale
DocType: Payment Entry,Received Amount,menerima Jumlah
+DocType: GST Settings,GSTIN Email Sent On,Email GSTIN Terkirim Di
+DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop oleh Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Buat kuantitas penuh, mengabaikan kuantitas sudah pada pesanan"
DocType: Account,Tax,PPN
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,tidak Ditandai
@@ -3400,14 +3427,14 @@
DocType: Batch,Source Document Name,Nama dokumen sumber
DocType: Job Opening,Job Title,Jabatan
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Buat Pengguna
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,Gram
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,Gram
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Kuantitas untuk Produksi harus lebih besar dari 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Kunjungi laporan untuk panggilan pemeliharaan.
DocType: Stock Entry,Update Rate and Availability,Update Rate dan Ketersediaan
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Persentase Anda diijinkan untuk menerima atau memberikan lebih terhadap kuantitas memerintahkan. Misalnya: Jika Anda telah memesan 100 unit. dan Tunjangan Anda adalah 10% maka Anda diperbolehkan untuk menerima 110 unit.
DocType: POS Customer Group,Customer Group,Kelompok Konsumen
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),ID Batch Baru (Opsional)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Rekening pengeluaran adalah wajib untuk item {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Rekening pengeluaran adalah wajib untuk item {0}
DocType: BOM,Website Description,Website Description
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Perubahan Bersih Ekuitas
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Batalkan Purchase Invoice {0} pertama
@@ -3417,8 +3444,8 @@
,Sales Register,Daftar Penjualan
DocType: Daily Work Summary Settings Company,Send Emails At,Kirim Email Di
DocType: Quotation,Quotation Lost Reason,Quotation Kehilangan Alasan
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Pilih Domain Anda
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},referensi transaksi tidak ada {0} tertanggal {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Pilih Domain Anda
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},referensi transaksi tidak ada {0} tertanggal {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Tidak ada yang mengedit.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Ringkasan untuk bulan ini dan kegiatan yang tertunda
DocType: Customer Group,Customer Group Name,Nama Kelompok Konsumen
@@ -3426,14 +3453,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Laporan arus kas
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Jumlah Pinjaman tidak dapat melebihi Jumlah pinjaman maksimum {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Lisensi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},Hapus Invoice ini {0} dari C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},Hapus Invoice ini {0} dari C-Form {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Silakan pilih Carry Teruskan jika Anda juga ingin menyertakan keseimbangan fiskal tahun sebelumnya cuti tahun fiskal ini
DocType: GL Entry,Against Voucher Type,Terhadap Tipe Voucher
DocType: Item,Attributes,Atribut
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,Cukup masukkan Write Off Akun
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Cukup masukkan Write Off Akun
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Order terakhir Tanggal
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Akun {0} bukan milik perusahaan {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Nomor Seri di baris {0} tidak cocok dengan Catatan Pengiriman
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Nomor Seri di baris {0} tidak cocok dengan Catatan Pengiriman
DocType: Student,Guardian Details,Detail wali
DocType: C-Form,C-Form,C-Form
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark Kehadiran untuk beberapa karyawan
@@ -3448,16 +3475,16 @@
DocType: Budget Account,Budget Amount,Jumlah anggaran
DocType: Appraisal Template,Appraisal Template Title,Judul Template Penilaian
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Dari Tanggal {0} Karyawan {1} tidak boleh sebelum Tanggal bergabung karyawan {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Komersial
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Komersial
DocType: Payment Entry,Account Paid To,Akun Dibayar Untuk
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Induk Stok Barang {0} tidak harus menjadi Stok Item
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Semua Produk atau Jasa.
DocType: Expense Claim,More Details,Detail Lebih
DocType: Supplier Quotation,Supplier Address,Supplier Alamat
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Anggaran untuk Akun {1} terhadap {2} {3} adalah {4}. Ini akan melebihi oleh {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Row {0} # Akun harus bertipe 'Fixed Asset'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Out Qty
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Aturan untuk menghitung jumlah pengiriman untuk penjualan
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Row {0} # Akun harus bertipe 'Fixed Asset'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Out Qty
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Aturan untuk menghitung jumlah pengiriman untuk penjualan
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Series adalah wajib
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Jasa Keuangan
DocType: Student Sibling,Student ID,Identitas Siswa
@@ -3465,13 +3492,13 @@
DocType: Tax Rule,Sales,Penjualan
DocType: Stock Entry Detail,Basic Amount,Jumlah Dasar
DocType: Training Event,Exam,Ujian
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Gudang diperlukan untuk stok Stok Barang {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Gudang diperlukan untuk stok Stok Barang {0}
DocType: Leave Allocation,Unused leaves,cuti terpakai
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,Negara penagihan
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Transfer
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} tidak terkait dengan Akun Partai {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Fetch meledak BOM (termasuk sub-rakitan)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} tidak terkait dengan Akun Partai {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Fetch meledak BOM (termasuk sub-rakitan)
DocType: Authorization Rule,Applicable To (Employee),Berlaku Untuk (Karyawan)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Due Date adalah wajib
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Kenaikan untuk Atribut {0} tidak dapat 0
@@ -3499,7 +3526,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Bahan Baku Item Code
DocType: Journal Entry,Write Off Based On,Menulis Off Berbasis On
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,membuat Memimpin
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Cetak dan Alat Tulis
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Cetak dan Alat Tulis
DocType: Stock Settings,Show Barcode Field,Tampilkan Barcode Lapangan
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Kirim Pemasok Email
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Gaji sudah diproses untuk periode antara {0} dan {1}, Tinggalkan periode aplikasi tidak dapat antara rentang tanggal ini."
@@ -3507,13 +3534,15 @@
DocType: Guardian Interest,Guardian Interest,wali Tujuan
apps/erpnext/erpnext/config/hr.py +177,Training,Latihan
DocType: Timesheet,Employee Detail,Detil karyawan
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,ID Email Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,ID Email Guardian1
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,Hari berikutnya Tanggal dan Ulangi pada Hari Bulan harus sama
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Pengaturan untuk homepage website
DocType: Offer Letter,Awaiting Response,Menunggu Respon
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Di atas
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Di atas
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},atribut tidak valid {0} {1}
DocType: Supplier,Mention if non-standard payable account,Sebutkan jika akun hutang non-standar
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Item yang sama telah beberapa kali dimasukkan. {daftar}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Harap pilih kelompok penilaian selain 'Semua Kelompok Penilaian'
DocType: Salary Slip,Earning & Deduction,Earning & Pengurangan
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Opsional. Pengaturan ini akan digunakan untuk menyaring dalam berbagai transaksi.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Tingkat Penilaian negatif tidak diperbolehkan
@@ -3527,9 +3556,9 @@
DocType: Sales Invoice,Product Bundle Help,Bantuan Bundel Produk
,Monthly Attendance Sheet,Lembar Kehadiran Bulanan
DocType: Production Order Item,Production Order Item,Produksi Pesanan Barang
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Tidak ada catatan ditemukan
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Tidak ada catatan ditemukan
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Biaya Asset dibatalkan
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},"{0} {1}: ""Cost Center"" adalah wajib untuk Item {2}"
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},"{0} {1}: ""Cost Center"" adalah wajib untuk Item {2}"
DocType: Vehicle,Policy No,Kebijakan Tidak ada
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Dapatkan Barang-barang dari Bundel Produk
DocType: Asset,Straight Line,Garis lurus
@@ -3537,7 +3566,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Membagi
DocType: GL Entry,Is Advance,Apakah Muka
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Kehadiran Dari Tanggal dan Kehadiran Sampai Tanggal adalah wajib
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,Entrikan 'Apakah subkontrak' sebagai Ya atau Tidak
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,Entrikan 'Apakah subkontrak' sebagai Ya atau Tidak
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Tanggal Komunikasi Terakhir
DocType: Sales Team,Contact No.,Hubungi Nomor
DocType: Bank Reconciliation,Payment Entries,Entries pembayaran
@@ -3563,60 +3592,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Nilai pembukaan
DocType: Salary Detail,Formula,Rumus
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Komisi Penjualan
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Komisi Penjualan
DocType: Offer Letter Term,Value / Description,Nilai / Keterangan
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Aset {1} tidak dapat disampaikan, itu sudah {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Aset {1} tidak dapat disampaikan, itu sudah {2}"
DocType: Tax Rule,Billing Country,Negara Penagihan
DocType: Purchase Order Item,Expected Delivery Date,Diharapkan Pengiriman Tanggal
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debit dan Kredit tidak sama untuk {0} # {1}. Perbedaan adalah {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Beban Hiburan
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Membuat Material Permintaan
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Beban Hiburan
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Membuat Material Permintaan
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Terbuka Barang {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Faktur Penjualan {0} harus dibatalkan sebelum membatalkan Sales Order ini
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Usia
DocType: Sales Invoice Timesheet,Billing Amount,Jumlah Penagihan
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Kuantitas tidak valid untuk item {0}. Jumlah harus lebih besar dari 0.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Aplikasi untuk cuti.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Akun dengan transaksi yang ada tidak dapat dihapus
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Akun dengan transaksi yang ada tidak dapat dihapus
DocType: Vehicle,Last Carbon Check,Terakhir Carbon Periksa
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Beban Legal
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Beban Legal
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Silakan pilih kuantitas pada baris
DocType: Purchase Invoice,Posting Time,Posting Waktu
DocType: Timesheet,% Amount Billed,% Jumlah Ditagih
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Beban Telepon
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Beban Telepon
DocType: Sales Partner,Logo,Logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Periksa ini jika Anda ingin untuk memaksa pengguna untuk memilih seri sebelum menyimpan. Tidak akan ada default jika Anda memeriksa ini.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Tidak ada Stok Barang dengan Serial No {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Tidak ada Stok Barang dengan Serial No {0}
DocType: Email Digest,Open Notifications,Terbuka Pemberitahuan
DocType: Payment Entry,Difference Amount (Company Currency),Perbedaan Jumlah (Perusahaan Mata Uang)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Beban Langsung
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Beban Langsung
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} adalah surel yang tidak berlaku di 'Pemberitahuan \ Surel'
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,New Pendapatan Konsumen
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Biaya Perjalanan
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Biaya Perjalanan
DocType: Maintenance Visit,Breakdown,Rincian
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Account: {0} dengan mata uang: {1} tidak dapat dipilih
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Account: {0} dengan mata uang: {1} tidak dapat dipilih
DocType: Bank Reconciliation Detail,Cheque Date,Cek Tanggal
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Akun {0}: akun Induk {1} bukan milik perusahaan: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Akun {0}: akun Induk {1} bukan milik perusahaan: {2}
DocType: Program Enrollment Tool,Student Applicants,Pelamar mahasiswa
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Berhasil dihapus semua transaksi yang terkait dengan perusahaan ini!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Berhasil dihapus semua transaksi yang terkait dengan perusahaan ini!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Seperti pada Tanggal
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,tanggal pendaftaran
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Percobaan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Percobaan
apps/erpnext/erpnext/config/hr.py +115,Salary Components,Komponen gaji
DocType: Program Enrollment Tool,New Academic Year,Baru Tahun Akademik
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Kembali / Nota Kredit
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Kembali / Nota Kredit
DocType: Stock Settings,Auto insert Price List rate if missing,Insert auto tingkat Daftar Harga jika hilang
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Jumlah Total Dibayar
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Jumlah Total Dibayar
DocType: Production Order Item,Transferred Qty,Ditransfer Qty
apps/erpnext/erpnext/config/learn.py +11,Navigating,Menjelajahi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Perencanaan
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Diterbitkan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Perencanaan
+DocType: Material Request,Issued,Diterbitkan
DocType: Project,Total Billing Amount (via Time Logs),Jumlah Total Tagihan (via Waktu Log)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Kami menjual item ini
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Supplier Id
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Kami menjual item ini
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Supplier Id
DocType: Payment Request,Payment Gateway Details,Pembayaran Detail Gateway
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Kuantitas harus lebih besar dari 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Kuantitas harus lebih besar dari 0
DocType: Journal Entry,Cash Entry,Entri Kas
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,node anak hanya dapat dibuat di bawah 'Grup' Jenis node
DocType: Leave Application,Half Day Date,Tanggal Setengah Hari
@@ -3628,14 +3658,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Silakan set account default di Beban Klaim Jenis {0}
DocType: Assessment Result,Student Name,Nama siswa
DocType: Brand,Item Manager,Item Manajer
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,Payroll Hutang
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Payroll Hutang
DocType: Buying Settings,Default Supplier Type,Standar Supplier Type
DocType: Production Order,Total Operating Cost,Total Biaya Operasional
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Catatan: Stok Barang {0} masuk beberapa kali
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Semua Kontak.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Singkatan Perusahaan
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Singkatan Perusahaan
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Pengguna {0} tidak ada
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,Bahan baku tidak bisa sama dengan Butir utama
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Bahan baku tidak bisa sama dengan Butir utama
DocType: Item Attribute Value,Abbreviation,Singkatan
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Masuk pembayaran sudah ada
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Tidak Authroized sejak {0} melebihi batas
@@ -3644,49 +3674,49 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Set Peraturan Pajak untuk keranjang belanja
DocType: Purchase Invoice,Taxes and Charges Added,Pajak dan Biaya Ditambahkan
,Sales Funnel,Penjualan Saluran
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Singkatan wajib diisi
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Singkatan wajib diisi
DocType: Project,Task Progress,tugas Kemajuan
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Troli
,Qty to Transfer,Jumlah Transfer
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Harga untuk Memimpin atau Konsumen.
DocType: Stock Settings,Role Allowed to edit frozen stock,Peran Diizinkan untuk mengedit Stok beku
,Territory Target Variance Item Group-Wise,Wilayah Sasaran Variance Stok Barang Group-Wise
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Semua Grup Konsumen
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Semua Grup Konsumen
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,akumulasi Bulanan
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} adalah wajib. Mungkin data rekaman kurs mata uang tidak dibuat untuk {1} ke {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} adalah wajib. Mungkin data rekaman kurs mata uang tidak dibuat untuk {1} ke {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Template pajak adalah wajib.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Akun {0}: akun Induk {1} tidak ada
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Akun {0}: akun Induk {1} tidak ada
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Daftar Harga Rate (Perusahaan Mata Uang)
DocType: Products Settings,Products Settings,Pengaturan produk
DocType: Account,Temporary,Sementara
DocType: Program,Courses,Kursus
DocType: Monthly Distribution Percentage,Percentage Allocation,Persentase Alokasi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Sekretaris
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekretaris
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Jika menonaktifkan, 'Dalam Kata-kata' bidang tidak akan terlihat di setiap transaksi"
DocType: Serial No,Distinct unit of an Item,Unit berbeda Item
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Harap set Perusahaan
DocType: Pricing Rule,Buying,Pembelian
DocType: HR Settings,Employee Records to be created by,Rekaman Karyawan yang akan dibuat oleh
DocType: POS Profile,Apply Discount On,Terapkan Diskon Pada
,Reqd By Date,Reqd By Date
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Kreditor
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Kreditor
DocType: Assessment Plan,Assessment Name,penilaian Nama
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Row # {0}: Serial ada adalah wajib
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Stok Barang Wise Detil Pajak
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Singkatan Institute
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Singkatan Institute
,Item-wise Price List Rate,Stok Barang-bijaksana Daftar Harga Tingkat
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Supplier Quotation
DocType: Quotation,In Words will be visible once you save the Quotation.,Dalam Kata-kata akan terlihat sekali Anda menyimpan Quotation tersebut.
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Kuantitas ({0}) tidak boleh menjadi pecahan dalam baris {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,kumpulkan Biaya
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Barcode {0} sudah digunakan dalam Butir {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barcode {0} sudah digunakan dalam Butir {1}
DocType: Lead,Add to calendar on this date,Tambahkan ke kalender pada tanggal ini
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Aturan untuk menambahkan biaya pengiriman.
DocType: Item,Opening Stock,Stok pembuka
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Konsumen diwajibkan
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} adalah wajib bagi Pengembalian
DocType: Purchase Order,To Receive,Menerima
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Email Pribadi
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Total Variance
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Jika diaktifkan, sistem akan posting entri akuntansi untuk persediaan otomatis."
@@ -3698,13 +3728,14 @@
DocType: Customer,From Lead,Dari Timbal
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Order dirilis untuk produksi.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Pilih Tahun Anggaran ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS Profil diperlukan untuk membuat POS Entri
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS Profil diperlukan untuk membuat POS Entri
DocType: Program Enrollment Tool,Enroll Students,Daftarkan Siswa
DocType: Hub Settings,Name Token,Nama Token
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard Jual
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Setidaknya satu gudang adalah wajib
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Setidaknya satu gudang adalah wajib
DocType: Serial No,Out of Warranty,Out of Garansi
DocType: BOM Replace Tool,Replace,Mengganti
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Tidak ditemukan produk.
DocType: Production Order,Unstopped,unstopped
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} terhadap Faktur Penjualan {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3715,13 +3746,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Nilai Stok Perbedaan
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Sumber Daya Manusia
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Rekonsiliasi Pembayaran Pembayaran
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Aset pajak
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Aset pajak
DocType: BOM Item,BOM No,No. BOM
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Jurnal Entri {0} tidak memiliki akun {1} atau sudah dicocokkan voucher lainnya
DocType: Item,Moving Average,Moving Average
DocType: BOM Replace Tool,The BOM which will be replaced,BOM yang akan diganti
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,Peralatan elektronik
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,Peralatan elektronik
DocType: Account,Debit,Debet
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"cuti harus dialokasikan dalam kelipatan 0,5"
DocType: Production Order,Operation Cost,Biaya Operasi
@@ -3729,7 +3760,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Posisi Amt
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Target Set Stok Barang Group-bijaksana untuk Sales Person ini.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Bekukan Stok Lebih Lama Dari [Hari]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Aset adalah wajib untuk aktiva tetap pembelian / penjualan
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Aset adalah wajib untuk aktiva tetap pembelian / penjualan
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Jika dua atau lebih Aturan Harga yang ditemukan berdasarkan kondisi di atas, Prioritas diterapkan. Prioritas adalah angka antara 0 sampai 20, sementara nilai default adalah nol (kosong). Jumlah yang lebih tinggi berarti akan diutamakan jika ada beberapa Aturan Harga dengan kondisi yang sama."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Tahun Anggaran: {0} tidak ada
DocType: Currency Exchange,To Currency,Untuk Mata
@@ -3737,7 +3768,7 @@
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Jenis Beban Klaim.
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Tingkat penjualan untuk item {0} lebih rendah dari {1} nya. Tingkat penjualan harus atleast {2}
DocType: Item,Taxes,PPN
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Dibayar dan Tidak Terkirim
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Dibayar dan Tidak Terkirim
DocType: Project,Default Cost Center,Standar Biaya Pusat
DocType: Bank Guarantee,End Date,Tanggal Berakhir
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Transaksi saham
@@ -3762,24 +3793,22 @@
DocType: Employee,Held On,Diadakan Pada
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Produksi Stok Barang
,Employee Information,Informasi Karyawan
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Rate (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Rate (%)
DocType: Stock Entry Detail,Additional Cost,Biaya tambahan
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Tahun Keuangan Akhir Tanggal
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Tidak dapat memfilter berdasarkan No. Voucher, jika dikelompokkan berdasarkan Voucher"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Membuat Pemasok Quotation
DocType: Quality Inspection,Incoming,Incoming
DocType: BOM,Materials Required (Exploded),Bahan yang dibutuhkan (Meledak)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Tambahkan user ke organisasi Anda, selain diri Anda sendiri"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Posting Tanggal tidak bisa tanggal di masa depan
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} tidak sesuai dengan {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Santai Cuti
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Santai Cuti
DocType: Batch,Batch ID,Batch ID
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Catatan: {0}
,Delivery Note Trends,Tren pengiriman Note
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Ringkasan minggu ini
-,In Stock Qty,Di Bursa Qty
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Di Bursa Qty
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Akun: {0} hanya dapat diperbarui melalui Transaksi Stok
-DocType: Program Enrollment,Get Courses,Dapatkan Program
+DocType: Student Group Creation Tool,Get Courses,Dapatkan Program
DocType: GL Entry,Party,Pihak
DocType: Sales Order,Delivery Date,Tanggal Pengiriman
DocType: Opportunity,Opportunity Date,Peluang Tanggal
@@ -3787,14 +3816,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Permintaan Quotation Barang
DocType: Purchase Order,To Bill,Bill
DocType: Material Request,% Ordered,% Tersusun
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Untuk Kelompok Siswa Berbasis Kursus, Kursus akan divalidasi untuk setiap Siswa dari Program Pendaftaran Pendaftaran Program yang terdaftar."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Masukkan Alamat Email dipisahkan dengan koma, invoice akan dikirimkan secara otomatis pada tanggal tertentu"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Pekerjaan yg dibayar menurut hasil yg dikerjakan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Pekerjaan yg dibayar menurut hasil yg dikerjakan
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Harga Beli Rata-rata
DocType: Task,Actual Time (in Hours),Waktu Aktual (dalam Jam)
DocType: Employee,History In Company,Sejarah Dalam Perusahaan
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Newsletter
DocType: Stock Ledger Entry,Stock Ledger Entry,Bursa Ledger entri
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Pelanggan> Grup Pelanggan> Wilayah
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,item yang sama telah dimasukkan beberapa kali
DocType: Department,Leave Block List,Cuti Block List
DocType: Sales Invoice,Tax ID,Id pajak
@@ -3809,30 +3838,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} unit {1} dibutuhkan dalam {2} untuk menyelesaikan transaksi ini.
DocType: Loan Type,Rate of Interest (%) Yearly,Tingkat bunga (%) Tahunan
DocType: SMS Settings,SMS Settings,Pengaturan SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Akun sementara
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Hitam
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Akun sementara
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Hitam
DocType: BOM Explosion Item,BOM Explosion Item,BOM Ledakan Stok Barang
DocType: Account,Auditor,Akuntan
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} item diproduksi
DocType: Cheque Print Template,Distance from top edge,Jarak dari tepi atas
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Daftar Harga {0} dinonaktifkan atau tidak ada
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Daftar Harga {0} dinonaktifkan atau tidak ada
DocType: Purchase Invoice,Return,Kembali
DocType: Production Order Operation,Production Order Operation,Order Operasi Produksi
DocType: Pricing Rule,Disable,Nonaktifkan
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Cara pembayaran yang diperlukan untuk melakukan pembayaran
DocType: Project Task,Pending Review,Pending Ulasan
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} tidak terdaftar dalam Batch {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Aset {0} tidak dapat dihapus, karena sudah {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Jumlah Klaim Beban (via Beban Klaim)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Konsumen Id
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Absen
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Mata dari BOM # {1} harus sama dengan mata uang yang dipilih {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Mata dari BOM # {1} harus sama dengan mata uang yang dipilih {2}
DocType: Journal Entry Account,Exchange Rate,Nilai Tukar
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Order Penjualan {0} tidak Terkirim
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Order Penjualan {0} tidak Terkirim
DocType: Homepage,Tag Line,klimaks
DocType: Fee Component,Fee Component,biaya Komponen
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Manajemen armada
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Menambahkan item dari
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Gudang {0}: akun induk {1} tidak terkait kepada perusahaan {2}
DocType: Cheque Print Template,Regular,Reguler
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Total weightage semua Kriteria Penilaian harus 100%
DocType: BOM,Last Purchase Rate,Tingkat Pembelian Terakhir
@@ -3841,11 +3869,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Stok tidak bisa eksis untuk Item {0} karena memiliki varian
,Sales Person-wise Transaction Summary,Sales Person-bijaksana Rangkuman Transaksi
DocType: Training Event,Contact Number,Nomor kontak
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Gudang {0} tidak ada
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Gudang {0} tidak ada
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Untuk mendaftar ERPNext Hub
DocType: Monthly Distribution,Monthly Distribution Percentages,Persentase Distribusi bulanan
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Item yang dipilih tidak dapat memiliki Batch
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","tingkat valuasi tidak ditemukan Item {0}, yang diperlukan untuk melakukan entri akuntansi {1} {2}. Jika item bertransaksi sebagai item sampel dalam {1}, harap menyebutkan bahwa dalam {1} meja Item. Jika tidak, silakan membuat transaksi saham yang masuk untuk tingkat valuasi item atau menyebutkan dalam catatan Item, dan kemudian mencoba submiting / membatalkan entri ini"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","tingkat valuasi tidak ditemukan Item {0}, yang diperlukan untuk melakukan entri akuntansi {1} {2}. Jika item bertransaksi sebagai item sampel dalam {1}, harap menyebutkan bahwa dalam {1} meja Item. Jika tidak, silakan membuat transaksi saham yang masuk untuk tingkat valuasi item atau menyebutkan dalam catatan Item, dan kemudian mencoba submiting / membatalkan entri ini"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% Dari materi yang Terkirim terhadap Pengiriman ini Note
DocType: Project,Customer Details,Rincian Konsumen
DocType: Employee,Reports to,Laporan untuk
@@ -3853,41 +3881,43 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Entrikan parameter url untuk penerima nos
DocType: Payment Entry,Paid Amount,Dibayar Jumlah
DocType: Assessment Plan,Supervisor,Pengawas
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,On line
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,On line
,Available Stock for Packing Items,Tersedia Stock untuk Packing Produk
DocType: Item Variant,Item Variant,Item Variant
DocType: Assessment Result Tool,Assessment Result Tool,Alat Hasil penilaian
DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Barang
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,perintah yang disampaikan tidak dapat dihapus
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo rekening sudah berada di Debit, Anda tidak diizinkan untuk mengatur 'Balance Harus' sebagai 'Kredit'"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Manajemen Kualitas
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,perintah yang disampaikan tidak dapat dihapus
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo rekening sudah berada di Debit, Anda tidak diizinkan untuk mengatur 'Balance Harus' sebagai 'Kredit'"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Manajemen Kualitas
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Item {0} telah dinonaktifkan
DocType: Employee Loan,Repay Fixed Amount per Period,Membayar Jumlah Tetap per Periode
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Mohon masukkan untuk Item {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Catatan Kredit Amt
DocType: Employee External Work History,Employee External Work History,Karyawan Eksternal Riwayat Pekerjaan
DocType: Tax Rule,Purchase,Pembelian
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Jumlah Saldo
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Jumlah Saldo
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Tujuan tidak boleh kosong
DocType: Item Group,Parent Item Group,Induk Stok Barang Grup
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} untuk {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Pusat biaya
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Pusat biaya
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Tingkat di mana mata uang Supplier dikonversi ke mata uang dasar perusahaan
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: konflik Timing dengan baris {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Biarkan Zero Valuation Rate
DocType: Training Event Employee,Invited,diundang
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Beberapa Struktur Gaji aktif yang ditemukan untuk karyawan {0} untuk tanggal tertentu
DocType: Opportunity,Next Contact,Kontak selanjutnya
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Rekening Gateway setup.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Rekening Gateway setup.
DocType: Employee,Employment Type,Jenis Pekerjaan
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Aktiva Tetap
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Aktiva Tetap
DocType: Payment Entry,Set Exchange Gain / Loss,Set Efek Gain / Loss
+,GST Purchase Register,Daftar Pembelian GST
,Cash Flow,Arus kas
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Periode aplikasi tidak bisa di dua catatan alokasi
DocType: Item Group,Default Expense Account,Beban standar Akun
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Mahasiswa ID Email
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Mahasiswa ID Email
DocType: Employee,Notice (days),Notice (hari)
DocType: Tax Rule,Sales Tax Template,Template Pajak Penjualan
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Pilih item untuk menyimpan faktur
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Pilih item untuk menyimpan faktur
DocType: Employee,Encashment Date,Pencairan Tanggal
DocType: Training Event,Internet,Internet
DocType: Account,Stock Adjustment,Penyesuaian Stock
@@ -3915,7 +3945,7 @@
DocType: Guardian,Guardian Of ,wali Of
DocType: Grading Scale Interval,Threshold,Ambang
DocType: BOM Replace Tool,Current BOM,BOM saat ini
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Tambahkan Nomor Serial
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Tambahkan Nomor Serial
apps/erpnext/erpnext/config/support.py +22,Warranty,Jaminan
DocType: Purchase Invoice,Debit Note Issued,Debit Note Ditempatkan
DocType: Production Order,Warehouses,Gudang
@@ -3924,20 +3954,20 @@
DocType: Workstation,per hour,per jam
apps/erpnext/erpnext/config/buying.py +7,Purchasing,pembelian
DocType: Announcement,Announcement,Pengumuman
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Akun untuk gudang (Inventaris Perpetual) akan dibuat di bawah Rekening ini.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Gudang tidak dapat dihapus sebagai entri stok buku ada untuk gudang ini.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Untuk Kelompok Siswa berbasis Batch, Student Batch akan divalidasi untuk setiap Siswa dari Program Enrollment."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Gudang tidak dapat dihapus sebagai entri stok buku ada untuk gudang ini.
DocType: Company,Distribution,Distribusi
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Jumlah Dibayar
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Manager Project
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Manager Project
,Quoted Item Comparison,Dikutip Barang Perbandingan
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Pengiriman
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Diskon Max diperbolehkan untuk item: {0} {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Pengiriman
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Diskon Max diperbolehkan untuk item: {0} {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Nilai Aktiva Bersih seperti pada
DocType: Account,Receivable,Piutang
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Tidak diperbolehkan untuk mengubah Supplier sebagai Purchase Order sudah ada
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Tidak diperbolehkan untuk mengubah Supplier sebagai Purchase Order sudah ada
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Peran yang diperbolehkan untuk mengirimkan transaksi yang melebihi batas kredit yang ditetapkan.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Pilih Produk untuk Industri
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Data master sinkronisasi, itu mungkin memakan waktu"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Pilih Produk untuk Industri
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Data master sinkronisasi, itu mungkin memakan waktu"
DocType: Item,Material Issue,Keluar Barang
DocType: Hub Settings,Seller Description,Penjual Deskripsi
DocType: Employee Education,Qualification,Kualifikasi
@@ -3957,7 +3987,6 @@
DocType: BOM,Rate Of Materials Based On,Laju Bahan Berbasis On
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Dukungan Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Jangan tandai semua
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Perusahaan hilang di gudang {0}
DocType: POS Profile,Terms and Conditions,Syarat dan Ketentuan
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Untuk tanggal harus dalam Tahun Anggaran. Dengan asumsi To Date = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Di sini Anda dapat mempertahankan tinggi, berat, alergi, masalah medis dll"
@@ -3972,18 +4001,17 @@
DocType: Sales Order Item,For Production,Untuk Produksi
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Lihat Task
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Tahun pembukuan Anda dimulai
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Penyusutan aset dan Saldo
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Jumlah {0} {1} ditransfer dari {2} untuk {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Jumlah {0} {1} ditransfer dari {2} untuk {3}
DocType: Sales Invoice,Get Advances Received,Dapatkan Uang Muka Diterima
DocType: Email Digest,Add/Remove Recipients,Tambah / Hapus Penerima
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Transaksi tidak diperbolehkan berhenti melawan Orde Produksi {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Transaksi tidak diperbolehkan berhenti melawan Orde Produksi {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Untuk mengatur Tahun Anggaran ini sebagai Default, klik 'Set as Default'"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,Ikut
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Ikut
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Kekurangan Jumlah
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Item varian {0} ada dengan atribut yang sama
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Item varian {0} ada dengan atribut yang sama
DocType: Employee Loan,Repay from Salary,Membayar dari Gaji
DocType: Leave Application,LAP/,PUTARAN/
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Meminta pembayaran terhadap {0} {1} untuk jumlah {2}
@@ -3994,34 +4022,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Menghasilkan kemasan slip paket yang akan dikirimkan. Digunakan untuk memberitahu nomor paket, isi paket dan berat."
DocType: Sales Invoice Item,Sales Order Item,Stok barang Order Penjualan
DocType: Salary Slip,Payment Days,Hari Jeda Pembayaran
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Gudang dengan node anak tidak dapat dikonversi ke buku besar
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Gudang dengan node anak tidak dapat dikonversi ke buku besar
DocType: BOM,Manage cost of operations,Kelola biaya operasional
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Ketika salah satu transaksi yang diperiksa ""Dikirim"", email pop-up secara otomatis dibuka untuk mengirim email ke terkait ""Kontak"" dalam transaksi itu, dengan transaksi sebagai lampiran. Pengguna mungkin atau mungkin tidak mengirim email."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Pengaturan global
DocType: Assessment Result Detail,Assessment Result Detail,Penilaian Detil Hasil
DocType: Employee Education,Employee Education,Pendidikan Karyawan
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Kelompok barang duplikat yang ditemukan dalam tabel grup item
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,Hal ini diperlukan untuk mengambil Item detail.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,Hal ini diperlukan untuk mengambil Item detail.
DocType: Salary Slip,Net Pay,Nilai Bersih Terbayar
DocType: Account,Account,Akun
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Serial ada {0} telah diterima
,Requested Items To Be Transferred,Permintaan Produk Akan Ditransfer
DocType: Expense Claim,Vehicle Log,kendaraan Log
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Gudang {0} tidak terkait dengan akun, silakan membuat / menautkan (Asset) akun yang sesuai untuk gudang."
DocType: Purchase Invoice,Recurring Id,Berulang Id
DocType: Customer,Sales Team Details,Rincian Tim Penjualan
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Hapus secara permanen?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Hapus secara permanen?
DocType: Expense Claim,Total Claimed Amount,Jumlah Total Diklaim
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potensi peluang untuk menjadi penjualan.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Valid {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Cuti Sakit
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Valid {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Cuti Sakit
DocType: Email Digest,Email Digest,Email Digest
DocType: Delivery Note,Billing Address Name,Nama Alamat Penagihan
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Departmen Store
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Pengaturan Sekolah Anda di ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Dasar Perubahan Jumlah (Perusahaan Mata Uang)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Tidak ada entri akuntansi untuk gudang berikut
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Tidak ada entri akuntansi untuk gudang berikut
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Simpan dokumen terlebih dahulu.
DocType: Account,Chargeable,Dapat Dibebankan
DocType: Company,Change Abbreviation,Ubah Singkatan
@@ -4039,7 +4066,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Diharapkan Pengiriman Tanggal tidak bisa sebelum Purchase Order Tanggal
DocType: Appraisal,Appraisal Template,Template Penilaian
DocType: Item Group,Item Classification,Klasifikasi Stok Barang
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Business Development Manager
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Pemeliharaan Visit Tujuan
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,periode
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,General Ledger
@@ -4049,8 +4076,8 @@
DocType: Item Attribute Value,Attribute Value,Nilai Atribut
,Itemwise Recommended Reorder Level,Itemwise Rekomendasi Reorder Tingkat
DocType: Salary Detail,Salary Detail,Detil gaji
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,Silahkan pilih {0} terlebih dahulu
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Batch {0} Item {1} telah berakhir.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Silahkan pilih {0} terlebih dahulu
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Batch {0} Item {1} telah berakhir.
DocType: Sales Invoice,Commission,Komisi
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Waktu Lembar untuk manufaktur.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Subtotal
@@ -4061,6 +4088,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`Freeze Stock yang sudah lebih lama dari` harus lebih kecil dari %d hari.
DocType: Tax Rule,Purchase Tax Template,Pembelian Template Pajak
,Project wise Stock Tracking,Project Tracking Stock bijaksana
+DocType: GST HSN Code,Regional,Daerah
DocType: Stock Entry Detail,Actual Qty (at source/target),Jumlah Aktual (di sumber/target)
DocType: Item Customer Detail,Ref Code,Ref Kode
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Catatan karyawan.
@@ -4071,13 +4099,13 @@
DocType: Email Digest,New Purchase Orders,Pesanan Pembelian Baru
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Root tidak dapat memiliki pusat biaya orang tua
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Pilih Merek ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Acara / Hasil Pelatihan
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Akumulasi Penyusutan seperti pada
DocType: Sales Invoice,C-Form Applicable,C-Form Berlaku
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Operasi Waktu harus lebih besar dari 0 untuk operasi {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Gudang adalah wajib
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Gudang adalah wajib
DocType: Supplier,Address and Contacts,Alamat dan Kontak
DocType: UOM Conversion Detail,UOM Conversion Detail,Detil UOM Konversi
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Simpan sebagai web-friendly 900px (w) X 100px (h)
DocType: Program,Program Abbreviation,Singkatan Program
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Order produksi tidak dapat diajukan terhadap Template Stok Barang
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Biaya diperbarui dalam Pembelian Penerimaan terhadap setiap item
@@ -4085,13 +4113,13 @@
DocType: Bank Guarantee,Start Date,Tanggal Mulai
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Alokasi cuti untuk periode tertentu
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Cek dan Deposit tidak benar dibersihkan
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Akun {0}: Anda tidak dapat menetapkanya sebagai Akun Induk
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Akun {0}: Anda tidak dapat menetapkanya sebagai Akun Induk
DocType: Purchase Invoice Item,Price List Rate,Daftar Harga Tingkat
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Buat kutipan pelanggan
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Tampilkan ""In Stock"" atau ""Tidak di Bursa"" didasarkan pada stok yang tersedia di gudang ini."
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Bill of Material (BOM)
DocType: Item,Average time taken by the supplier to deliver,Rata-rata waktu yang dibutuhkan oleh Supplier untuk memberikan
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,penilaian Hasil
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,penilaian Hasil
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Jam
DocType: Project,Expected Start Date,Diharapkan Tanggal Mulai
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Hapus item jika biaya ini tidak berlaku untuk item
@@ -4105,24 +4133,23 @@
DocType: Workstation,Operating Costs,Biaya Operasional
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Tindakan jika Akumulasi Anggaran Bulanan Melebihi
DocType: Purchase Invoice,Submit on creation,Kirim pada penciptaan
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Mata uang untuk {0} harus {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Mata uang untuk {0} harus {1}
DocType: Asset,Disposal Date,pembuangan Tanggal
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Email akan dikirim ke semua Karyawan Aktif perusahaan pada jam tertentu, jika mereka tidak memiliki liburan. Ringkasan tanggapan akan dikirim pada tengah malam."
DocType: Employee Leave Approver,Employee Leave Approver,Approver Cuti Karyawan
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Baris {0}: Entri perekam sudah ada untuk gudang ini {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Baris {0}: Entri perekam sudah ada untuk gudang ini {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Tidak dapat mendeklarasikan sebagai hilang, karena Quotation telah dibuat."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,pelatihan Masukan
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Order produksi {0} harus diserahkan
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Order produksi {0} harus diserahkan
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Silakan pilih Tanggal Mulai dan Tanggal Akhir untuk Item {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Tentu saja adalah wajib berturut-turut {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Sampai saat ini tidak dapat sebelumnya dari tanggal
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Tambah / Edit Harga
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Tambah / Edit Harga
DocType: Batch,Parent Batch,Induk induk
DocType: Cheque Print Template,Cheque Print Template,Template Print Cek
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Bagan Pusat Biaya
,Requested Items To Be Ordered,Produk Diminta Akan Memerintahkan
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,Perusahaan gudang harus sama dengan perusahaan Akun
DocType: Price List,Price List Name,Daftar Harga Nama
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Ringkasan Pekerjaan sehari-hari untuk {0}
DocType: Employee Loan,Totals,Total
@@ -4144,55 +4171,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Entrikan nos ponsel yang valid
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Entrikan pesan sebelum mengirimnya
DocType: Email Digest,Pending Quotations,tertunda Kutipan
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Profil Point of Sale
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Profil Point of Sale
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Silahkan Perbarui Pengaturan SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Pinjaman tanpa Jaminan
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Pinjaman tanpa Jaminan
DocType: Cost Center,Cost Center Name,Nama Pusat Biaya
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Max jam bekerja melawan Timesheet
DocType: Maintenance Schedule Detail,Scheduled Date,Dijadwalkan Tanggal
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Total nilai Bayar
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Total nilai Bayar
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Pesan lebih dari 160 karakter akan dipecah menjadi beberapa pesan
DocType: Purchase Receipt Item,Received and Accepted,Diterima dan Diterima
+,GST Itemised Sales Register,Daftar Penjualan Item GST
,Serial No Service Contract Expiry,Masa Kadaluwarsa Nomor Seri Kontrak Jasa
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Anda tidak dapat kredit dan mendebit rekening yang sama pada waktu yang sama
DocType: Naming Series,Help HTML,Bantuan HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Alat Grup Pelajar Creation
DocType: Item,Variant Based On,Varian Berbasis Pada
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Jumlah weightage ditugaskan harus 100%. Ini adalah {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Supplier Anda
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Supplier Anda
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Tidak dapat ditetapkan sebagai Hilang sebagai Sales Order dibuat.
DocType: Request for Quotation Item,Supplier Part No,Pemasok Bagian Tidak
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',tidak bisa memotong ketika kategori adalah untuk 'Penilaian' atau 'Vaulation dan Total'
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Diterima dari
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Diterima dari
DocType: Lead,Converted,Dikonversi
DocType: Item,Has Serial No,Bernomor Seri
DocType: Employee,Date of Issue,Tanggal Issue
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Dari {0} untuk {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Sesuai dengan Setelan Pembelian jika Diperlukan Pembelian Diperlukan == 'YA', maka untuk membuat Purchase Invoice, pengguna harus membuat Purchase Receipt terlebih dahulu untuk item {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Row # {0}: Set Supplier untuk item {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Row {0}: nilai Jam harus lebih besar dari nol.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Website Image {0} melekat Butir {1} tidak dapat ditemukan
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Website Image {0} melekat Butir {1} tidak dapat ditemukan
DocType: Issue,Content Type,Tipe Konten
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Komputer
DocType: Item,List this Item in multiple groups on the website.,Daftar Stok Barang ini dalam beberapa kelompok di website.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Silakan periksa opsi Mata multi untuk memungkinkan account dengan mata uang lainnya
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Item: {0} tidak ada dalam sistem
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Anda tidak diizinkan untuk menetapkan nilai yg sedang dibekukan
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Item: {0} tidak ada dalam sistem
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Anda tidak diizinkan untuk menetapkan nilai yg sedang dibekukan
DocType: Payment Reconciliation,Get Unreconciled Entries,Dapatkan Entries Unreconciled
DocType: Payment Reconciliation,From Invoice Date,Dari Faktur Tanggal
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,mata uang penagihan harus sama dengan mata uang mata uang atau rekening pihak baik bawaan comapany ini
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Tinggalkan Pencairan
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Apa pekerjaannya?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,mata uang penagihan harus sama dengan mata uang mata uang atau rekening pihak baik bawaan comapany ini
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Tinggalkan Pencairan
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Apa pekerjaannya?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Untuk Gudang
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Semua Penerimaan Mahasiswa
,Average Commission Rate,Rata-rata Komisi Tingkat
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,"""Bernomor Urut' tidak bisa 'dipilih' untuk item non-stok"
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""Bernomor Urut' tidak bisa 'dipilih' untuk item non-stok"
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Kehadiran tidak dapat ditandai untuk tanggal masa depan
DocType: Pricing Rule,Pricing Rule Help,Aturan Harga Bantuan
DocType: School House,House Name,Nama rumah
DocType: Purchase Taxes and Charges,Account Head,Akun Kepala
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Memperbarui biaya tambahan untuk menghitung biaya mendarat item
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Listrik
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Listrik
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Tambahkan sisa organisasi Anda sebagai pengguna Anda. Anda juga dapat menambahkan mengundang Pelanggan portal Anda dengan menambahkan mereka dari Kontak
DocType: Stock Entry,Total Value Difference (Out - In),Total Nilai Selisih (Out - Dalam)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Row {0}: Kurs adalah wajib
@@ -4202,7 +4231,7 @@
DocType: Item,Customer Code,Kode Konsumen
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Birthday Reminder untuk {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Jumlah Hari Semenjak Order Terakhir
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Debit Untuk akun harus rekening Neraca
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Debit Untuk akun harus rekening Neraca
DocType: Buying Settings,Naming Series,Series Penamaan
DocType: Leave Block List,Leave Block List Name,Cuti Nama Block List
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Tanggal asuransi mulai harus kurang dari tanggal asuransi End
@@ -4217,26 +4246,26 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Slip Gaji karyawan {0} sudah dibuat untuk daftar absen {1}
DocType: Vehicle Log,Odometer,Odometer
DocType: Sales Order Item,Ordered Qty,Qty Terorder
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Item {0} dinonaktifkan
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Item {0} dinonaktifkan
DocType: Stock Settings,Stock Frozen Upto,Stock Frozen Upto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM tidak mengandung stok barang
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM tidak mengandung stok barang
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Periode Dari dan Untuk Periode tanggal wajib bagi berulang {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Kegiatan proyek / tugas.
DocType: Vehicle Log,Refuelling Details,Detail Pengisian
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Buat Slip Gaji
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Membeli harus dicentang, jika ""Berlaku Untuk"" dipilih sebagai {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Membeli harus dicentang, jika ""Berlaku Untuk"" dipilih sebagai {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Diskon harus kurang dari 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Tingkat pembelian terakhir tidak ditemukan
DocType: Purchase Invoice,Write Off Amount (Company Currency),Jumlah Nilai Write Off (mata uang perusahaan)
DocType: Sales Invoice Timesheet,Billing Hours,Jam penagihan
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,BOM default untuk {0} tidak ditemukan
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Row # {0}: Silakan mengatur kuantitas menyusun ulang
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Row # {0}: Silakan mengatur kuantitas menyusun ulang
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Ketuk item untuk menambahkannya di sini
DocType: Fees,Program Enrollment,Program Pendaftaran
DocType: Landed Cost Voucher,Landed Cost Voucher,Voucher Landing Cost
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Silakan set {0}
DocType: Purchase Invoice,Repeat on Day of Month,Ulangi pada Hari Bulan
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} adalah siswa yang tidak aktif
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} adalah siswa yang tidak aktif
DocType: Employee,Health Details,Detail Kesehatan
DocType: Offer Letter,Offer Letter Terms,Term Surat Penawaran
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Untuk membuat dokumen referensi Request Request diperlukan
@@ -4258,7 +4287,7 @@
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Contoh:. ABCD #####
Jika seri diatur dan Serial ada tidak disebutkan dalam transaksi, nomor seri maka otomatis akan dibuat berdasarkan seri ini. Jika Anda selalu ingin secara eksplisit menyebutkan Serial Nos untuk item ini. biarkan kosong."
DocType: Upload Attendance,Upload Attendance,Upload Absensi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM dan Manufaktur Kuantitas diperlukan
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM dan Manufaktur Kuantitas diperlukan
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Rentang Ageing 2
DocType: SG Creation Tool Course,Max Strength,Max Kekuatan
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM diganti
@@ -4267,8 +4296,8 @@
,Prospects Engaged But Not Converted,Prospek Terlibat Tapi Tidak Dikonversi
DocType: Manufacturing Settings,Manufacturing Settings,Pengaturan manufaktur
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Persiapan Email
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Ponsel Tidak
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Entrikan mata uang default di Perusahaan Guru
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Ponsel Tidak
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Entrikan mata uang default di Perusahaan Guru
DocType: Stock Entry Detail,Stock Entry Detail,Stock Entri Detil
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Pengingat Harian
DocType: Products Settings,Home Page is Products,Home Page adalah Produk
@@ -4277,7 +4306,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,New Account Name
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Biaya Bahan Baku Disediakan
DocType: Selling Settings,Settings for Selling Module,Pengaturan untuk Jual Modul
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Layanan Pelanggan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Layanan Pelanggan
DocType: BOM,Thumbnail,Kuku ibu jari
DocType: Item Customer Detail,Item Customer Detail,Stok Barang Konsumen Detil
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Tawarkan Lowongan Kerja kepada Calon
@@ -4286,7 +4315,7 @@
DocType: Pricing Rule,Percentage,Persentase
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Item {0} harus stok Stok Barang
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Standar Gudang Work In Progress
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Pengaturan default untuk transaksi akuntansi.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Pengaturan default untuk transaksi akuntansi.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Diharapkan Tanggal tidak bisa sebelum Material Request Tanggal
DocType: Purchase Invoice Item,Stock Qty,Stock Qty
@@ -4299,10 +4328,10 @@
DocType: Sales Order,Printing Details,Detai Print dan Cetak
DocType: Task,Closing Date,Tanggal Penutupan
DocType: Sales Order Item,Produced Quantity,Jumlah Diproduksi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Insinyur
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Insinyur
DocType: Journal Entry,Total Amount Currency,Jumlah Total Mata Uang
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Cari Barang Sub Assembly
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Item Code dibutuhkan pada Row ada {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Item Code dibutuhkan pada Row ada {0}
DocType: Sales Partner,Partner Type,Tipe Mitra/Partner
DocType: Purchase Taxes and Charges,Actual,Aktual
DocType: Authorization Rule,Customerwise Discount,Diskon Berdasar Konsumen
@@ -4319,11 +4348,11 @@
DocType: Item Reorder,Re-Order Level,Tingkat Re-order
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Entrikan item dan qty direncanakan untuk yang Anda ingin meningkatkan Order produksi atau download bahan baku untuk analisis.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt Bagan
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Part-time
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Part-time
DocType: Employee,Applicable Holiday List,Daftar Hari Libur yang Berlaku
DocType: Employee,Cheque,Cek
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Seri Diperbarui
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Jenis Laporan adalah wajib
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Jenis Laporan adalah wajib
DocType: Item,Serial Number Series,Serial Number Series
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Gudang adalah wajib bagi Stok Stok Barang {0} berturut-turut {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Retail & Grosir
@@ -4344,7 +4373,7 @@
DocType: BOM,Materials,Material/Barang
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Jika tidak diperiksa, daftar harus ditambahkan ke setiap departemen di mana itu harus diterapkan."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Sumber dan Target Gudang tidak bisa sama
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Tanggal posting dan posting waktu adalah wajib
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Tanggal posting dan posting waktu adalah wajib
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Template pajak untuk membeli transaksi.
,Item Prices,Harga Barang/Item
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Dalam Kata-kata akan terlihat setelah Anda menyimpan Purchase Order.
@@ -4354,22 +4383,23 @@
DocType: Purchase Invoice,Advance Payments,Uang Muka Pembayaran(Down Payment / Advance)
DocType: Purchase Taxes and Charges,On Net Total,Pada Jumlah Net Bersih
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Nilai untuk Atribut {0} harus berada dalam kisaran {1} ke {2} dalam penambahan {3} untuk Item {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Target gudang di baris {0} harus sama dengan Orde Produksi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Target gudang di baris {0} harus sama dengan Orde Produksi
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,'Pemberitahuan Surel' tidak ditentukan untuk pengulangan %s
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,Mata uang tidak dapat diubah setelah melakukan entri menggunakan beberapa mata uang lainnya
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Mata uang tidak dapat diubah setelah melakukan entri menggunakan beberapa mata uang lainnya
DocType: Vehicle Service,Clutch Plate,clutch Plat
DocType: Company,Round Off Account,Akun Pembulatan
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Beban Administrasi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Beban Administrasi
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Konsultasi
DocType: Customer Group,Parent Customer Group,Induk Grup Konsumen
DocType: Purchase Invoice,Contact Email,Email Kontak
DocType: Appraisal Goal,Score Earned,Skor Earned
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Masa Pemberitahuan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Masa Pemberitahuan
DocType: Asset Category,Asset Category Name,Aset Kategori Nama
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Ini adalah wilayah akar dan tidak dapat diedit.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Nama baru Sales Person
DocType: Packing Slip,Gross Weight UOM,UOM Berat Kotor
DocType: Delivery Note Item,Against Sales Invoice,Terhadap Faktur Penjualan
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Harap masukkan nomor seri untuk item serial
DocType: Bin,Reserved Qty for Production,Dicadangkan Jumlah Produksi
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Biarkan tidak dicentang jika Anda tidak ingin mempertimbangkan batch sambil membuat kelompok berbasis kursus.
DocType: Asset,Frequency of Depreciation (Months),Frekuensi Penyusutan (Bulan)
@@ -4377,25 +4407,25 @@
DocType: Landed Cost Item,Landed Cost Item,Jenis Barang Biaya Landing
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Tampilkan nilai nol
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Jumlah Stok Barang yang diperoleh setelah manufaktur / repacking dari mengingat jumlah bahan baku
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Setup website sederhana untuk organisasi saya
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Setup website sederhana untuk organisasi saya
DocType: Payment Reconciliation,Receivable / Payable Account,Piutang / Account Payable
DocType: Delivery Note Item,Against Sales Order Item,Terhadap Stok Barang di Order Penjualan
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},Silakan tentukan Atribut Nilai untuk atribut {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},Silakan tentukan Atribut Nilai untuk atribut {0}
DocType: Item,Default Warehouse,Standar Gudang
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Anggaran tidak dapat diberikan terhadap Account Group {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Entrikan pusat biaya orang tua
DocType: Delivery Note,Print Without Amount,Cetak Tanpa Jumlah
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,penyusutan Tanggal
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,Pajak Kategori tidak bisa 'Penilaian' atau 'Penilaian dan Total' karena semua item item non-Stok
DocType: Issue,Support Team,Tim Support
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Kadaluwarsa (Dalam Days)
DocType: Appraisal,Total Score (Out of 5),Skor Total (Out of 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Batch
+DocType: Student Attendance Tool,Batch,Batch
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Keseimbangan
DocType: Room,Seating Capacity,Kapasitas tempat duduk
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Jumlah Klaim Beban (via Klaim Beban)
+DocType: GST Settings,GST Summary,Ringkasan GST
DocType: Assessment Result,Total Score,Skor total
DocType: Journal Entry,Debit Note,Debit Note
DocType: Stock Entry,As per Stock UOM,Per Stok UOM
@@ -4406,12 +4436,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Gudang bawaan Selesai Stok Barang
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Sales Person
DocType: SMS Parameter,SMS Parameter,Parameter SMS
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Anggaran dan Pusat Biaya
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Anggaran dan Pusat Biaya
DocType: Vehicle Service,Half Yearly,Setengah Tahunan
DocType: Lead,Blog Subscriber,Blog Subscriber
DocType: Guardian,Alternate Number,Jumlah alternatif
DocType: Assessment Plan Criteria,Maximum Score,Skor maksimum
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Buat aturan untuk membatasi transaksi berdasarkan nilai-nilai.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Group Roll No
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Biarkan kosong jika Anda membuat kelompok siswa per tahun
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Jika dicentang, total ada. dari Hari Kerja akan mencakup libur, dan ini akan mengurangi nilai Gaji Per Hari"
DocType: Purchase Invoice,Total Advance,Jumlah Uang Muka
@@ -4429,6 +4460,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Hal ini didasarkan pada transaksi terhadap pelanggan ini. Lihat timeline di bawah untuk rincian
DocType: Supplier,Credit Days Based On,Hari Kredit Berdasarkan
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Row {0}: Dialokasikan jumlah {1} harus kurang dari atau sama dengan jumlah entri Pembayaran {2}
+,Course wise Assessment Report,Laporan Penilaian yang tepat
DocType: Tax Rule,Tax Rule,Aturan pajak
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Pertahankan Tarif Sama Sepanjang Siklus Penjualan
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Rencana waktu log luar Jam Kerja Workstation.
@@ -4437,7 +4469,7 @@
,Items To Be Requested,Items Akan Diminta
DocType: Purchase Order,Get Last Purchase Rate,Dapatkan Terakhir Purchase Rate
DocType: Company,Company Info,Info Perusahaan
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Pilih atau menambahkan pelanggan baru
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Pilih atau menambahkan pelanggan baru
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,pusat biaya diperlukan untuk memesan klaim biaya
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Penerapan Dana (Aset)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Hal ini didasarkan pada kehadiran Karyawan ini
@@ -4445,27 +4477,29 @@
DocType: Fiscal Year,Year Start Date,Tanggal Mulai Tahun
DocType: Attendance,Employee Name,Nama Karyawan
DocType: Sales Invoice,Rounded Total (Company Currency),Rounded Jumlah (Perusahaan Mata Uang)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,Tidak dapat mengkonversi ke Grup karena Account Type dipilih.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Tidak dapat mengkonversi ke Grup karena Account Type dipilih.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} telah dimodifikasi. Silahkan me-refresh.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Menghentikan pengguna dari membuat Aplikasi Leave pada hari-hari berikutnya.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Jumlah pembelian
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Pemasok Quotation {0} dibuat
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Akhir Tahun tidak boleh sebelum Mulai Tahun
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Manfaat Karyawan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Manfaat Karyawan
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Dikemas kuantitas harus sama kuantitas untuk Item {0} berturut-turut {1}
DocType: Production Order,Manufactured Qty,Qty Diproduksi
DocType: Purchase Receipt Item,Accepted Quantity,Qty Diterima
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Silahkan mengatur default Liburan Daftar Karyawan {0} atau Perusahaan {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} tidak ada
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} tidak ada
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Pilih Batch Numbers
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Tagihan diajukan ke Pelanggan.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Proyek Id
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Row ada {0}: Jumlah dapat tidak lebih besar dari Pending Jumlah terhadap Beban Klaim {1}. Pending Jumlah adalah {2}
DocType: Maintenance Schedule,Schedule,Jadwal
DocType: Account,Parent Account,Rekening Induk
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Tersedia
DocType: Quality Inspection Reading,Reading 3,Membaca 3
,Hub,Pusat
DocType: GL Entry,Voucher Type,Voucher Type
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Daftar Harga tidak ditemukan atau dinonaktifkan
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Daftar Harga tidak ditemukan atau dinonaktifkan
DocType: Employee Loan Application,Approved,Disetujui
DocType: Pricing Rule,Price,Harga
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Karyawan lega pada {0} harus ditetapkan sebagai 'Kiri'
@@ -4476,7 +4510,8 @@
DocType: Selling Settings,Campaign Naming By,Penamaan Kampanye Promosi dengan
DocType: Employee,Current Address Is,Alamat saat ini adalah
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,diubah
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Opsional. Set mata uang default perusahaan, jika tidak ditentukan."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Opsional. Set mata uang default perusahaan, jika tidak ditentukan."
+DocType: Sales Invoice,Customer GSTIN,Pelanggan GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Pencatatan Jurnal akuntansi.
DocType: Delivery Note Item,Available Qty at From Warehouse,Jumlah yang tersedia di Gudang Dari
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,Silakan pilih Rekam Karyawan terlebih dahulu.
@@ -4484,7 +4519,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Partai / Rekening tidak sesuai dengan {1} / {2} di {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Masukan Entrikan Beban Akun
DocType: Account,Stock,Stock
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Dokumen Referensi Type harus menjadi salah satu Purchase Order, Faktur Pembelian atau Journal Entri"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Dokumen Referensi Type harus menjadi salah satu Purchase Order, Faktur Pembelian atau Journal Entri"
DocType: Employee,Current Address,Alamat saat ini
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Jika item adalah varian dari item lain maka deskripsi, gambar, harga, pajak dll akan ditetapkan dari template kecuali secara eksplisit ditentukan"
DocType: Serial No,Purchase / Manufacture Details,Detail Pembelian / Produksi
@@ -4497,8 +4532,8 @@
DocType: Pricing Rule,Min Qty,Min Qty
DocType: Asset Movement,Transaction Date,Transaction Tanggal
DocType: Production Plan Item,Planned Qty,Qty Planning
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Total Pajak
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Untuk Quantity (Diproduksi Qty) adalah wajib
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Total Pajak
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Untuk Quantity (Diproduksi Qty) adalah wajib
DocType: Stock Entry,Default Target Warehouse,Standar Sasaran Gudang
DocType: Purchase Invoice,Net Total (Company Currency),Jumlah Bersih (Perusahaan Mata Uang)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Akhir Tahun Tanggal tidak dapat lebih awal dari Tahun Tanggal Mulai. Perbaiki tanggal dan coba lagi.
@@ -4512,13 +4547,11 @@
DocType: Hub Settings,Hub Settings,Pengaturan Hub
DocType: Project,Gross Margin %,Gross Margin%
DocType: BOM,With Operations,Dengan Operasi
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Entri Akuntansi telah dibuat dalam mata uang {0} untuk perusahaan {1}. Silakan pilih akun piutang atau hutang dengan mata uang {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Entri Akuntansi telah dibuat dalam mata uang {0} untuk perusahaan {1}. Silakan pilih akun piutang atau hutang dengan mata uang {0}.
DocType: Asset,Is Existing Asset,Apakah ada Asset
DocType: Salary Detail,Statistical Component,Komponen statistik
-,Monthly Salary Register,Daftar Gaji Bulanan
DocType: Warranty Claim,If different than customer address,Jika berbeda dari alamat Konsumen
DocType: BOM Operation,BOM Operation,BOM Operation
-DocType: School Settings,Validate the Student Group from Program Enrollment,Validasi Student Group dari Program Enrolment
DocType: Purchase Taxes and Charges,On Previous Row Amount,Pada Sebelumnya Row Jumlah
DocType: Student,Home Address,Alamat rumah
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,pengalihan Aset
@@ -4526,28 +4559,27 @@
DocType: Training Event,Event Name,Nama acara
apps/erpnext/erpnext/config/schools.py +39,Admission,Penerimaan
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Penerimaan untuk {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Musiman untuk menetapkan anggaran, target dll"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Item {0} adalah template, silahkan pilih salah satu variannya"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Musiman untuk menetapkan anggaran, target dll"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Item {0} adalah template, silahkan pilih salah satu variannya"
DocType: Asset,Asset Category,Aset Kategori
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Pembeli
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Gaji bersih yang belum dapat negatif
DocType: SMS Settings,Static Parameters,Parameter Statis
DocType: Assessment Plan,Room,Kamar
DocType: Purchase Order,Advance Paid,Pembayaran Dimuka (Advance)
DocType: Item,Item Tax,Pajak Stok Barang
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Bahan untuk Supplier
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Cukai Faktur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Cukai Faktur
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% muncul lebih dari sekali
DocType: Expense Claim,Employees Email Id,Karyawan Email Id
DocType: Employee Attendance Tool,Marked Attendance,Absensi Terdaftar
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Piutang Lancar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Piutang Lancar
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Kirim SMS massal ke kontak Anda
DocType: Program,Program Name,Program Nama
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Pertimbangkan Pajak atau Biaya untuk
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Qty Aktual wajib diisi
DocType: Employee Loan,Loan Type,Jenis pinjaman
DocType: Scheduling Tool,Scheduling Tool,Alat penjadwalan
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Kartu Kredit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Kartu Kredit
DocType: BOM,Item to be manufactured or repacked,Item yang akan diproduksi atau dikemas ulang
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Pengaturan default untuk transaksi Stok.
DocType: Purchase Invoice,Next Date,Tanggal Berikutnya
@@ -4563,10 +4595,10 @@
DocType: Stock Entry,Repack,Repack
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Anda harus menyimpan formulir sebelum melanjutkan
DocType: Item Attribute,Numeric Values,Nilai numerik
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Pasang Logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Pasang Logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Tingkat saham
DocType: Customer,Commission Rate,Tingkat Komisi
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Buat Varian
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Buat Varian
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Memblokir aplikasi cuti berdasarkan departemen.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Jenis Pembayaran harus menjadi salah satu Menerima, Pay dan Internal Transfer"
apps/erpnext/erpnext/config/selling.py +179,Analytics,Analytics
@@ -4574,45 +4606,45 @@
DocType: Vehicle,Model,Model
DocType: Production Order,Actual Operating Cost,Biaya Operasi Aktual
DocType: Payment Entry,Cheque/Reference No,Cek / Referensi Tidak ada
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Root tidak dapat diedit.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root tidak dapat diedit.
DocType: Item,Units of Measure,Satuan ukur
DocType: Manufacturing Settings,Allow Production on Holidays,Izinkan Produksi di hari libur
DocType: Sales Order,Customer's Purchase Order Date,Konsumen Purchase Order Tanggal
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Modal / Saham
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Modal / Saham
DocType: Shopping Cart Settings,Show Public Attachments,Tampilkan Lampiran Umum
DocType: Packing Slip,Package Weight Details,Paket Berat Detail
DocType: Payment Gateway Account,Payment Gateway Account,Pembayaran Rekening Gateway
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Setelah selesai pembayaran mengarahkan pengguna ke halaman yang dipilih.
DocType: Company,Existing Company,Perusahaan yang ada
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Kategori Pajak telah diubah menjadi "Total" karena semua Item adalah item bukan stok
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Silakan pilih file csv
DocType: Student Leave Application,Mark as Present,Tandai sebagai Hadir
DocType: Purchase Order,To Receive and Bill,Untuk Diterima dan Ditagih
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Produk Pilihan
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Perancang
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Perancang
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Syarat dan Ketentuan Template
DocType: Serial No,Delivery Details,Detail Pengiriman
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Biaya Pusat diperlukan dalam baris {0} dalam tabel Pajak untuk tipe {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Biaya Pusat diperlukan dalam baris {0} dalam tabel Pajak untuk tipe {1}
DocType: Program,Program Code,Kode Program
DocType: Terms and Conditions,Terms and Conditions Help,Syarat dan Ketentuan Bantuan
,Item-wise Purchase Register,Stok Barang-bijaksana Pembelian Register
DocType: Batch,Expiry Date,Tanggal Berakhir
-,Supplier Addresses and Contacts,Supplier Alamat dan Kontak
,accounts-browser,account-browser
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,Silahkan pilih Kategori terlebih dahulu
apps/erpnext/erpnext/config/projects.py +13,Project master.,Master Proyek
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Untuk memungkinkan lebih-penagihan atau over-pemesanan, informasi "Penyisihan" di Pengaturan Stock atau Item."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Untuk memungkinkan lebih-penagihan atau over-pemesanan, informasi "Penyisihan" di Pengaturan Stock atau Item."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Jangan menunjukkan simbol seperti $ etc sebelah mata uang.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Setengah Hari)
DocType: Supplier,Credit Days,Hari Kredit
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Membuat Batch Mahasiswa
DocType: Leave Type,Is Carry Forward,Apakah Carry Teruskan
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Dapatkan item dari BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Dapatkan item dari BOM
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Memimpin Waktu Hari
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Posting Tanggal harus sama dengan tanggal pembelian {1} aset {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Posting Tanggal harus sama dengan tanggal pembelian {1} aset {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Cukup masukkan Penjualan Pesanan dalam tabel di atas
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Tidak Dikirim Gaji Slips
,Stock Summary,Stock Summary
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Mentransfer aset dari satu gudang ke yang lain
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Mentransfer aset dari satu gudang ke yang lain
DocType: Vehicle,Petrol,Bensin
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Bill of Material
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Row {0}: Partai Jenis dan Partai diperlukan untuk Piutang / Hutang akun {1}
@@ -4623,6 +4655,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Jumlah sanksi
DocType: GL Entry,Is Opening,Apakah Membuka
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Baris {0}: Debit masuk tidak dapat dihubungkan dengan {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Akun {0} tidak ada
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Akun {0} tidak ada
DocType: Account,Cash,Kas
DocType: Employee,Short biography for website and other publications.,Biografi singkat untuk website dan publikasi lainnya.
diff --git a/erpnext/translations/is.csv b/erpnext/translations/is.csv
index dec7bd3..dfd98c9 100644
--- a/erpnext/translations/is.csv
+++ b/erpnext/translations/is.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Consumer Products
DocType: Item,Customer Items,Atriði viðskiptavina
DocType: Project,Costing and Billing,Kosta og innheimtu
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Reikningur {0}: Foreldri reikningur {1} getur ekki verið höfuðbók
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Reikningur {0}: Foreldri reikningur {1} getur ekki verið höfuðbók
DocType: Item,Publish Item to hub.erpnext.com,Birta Item til hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,Tilkynningar í tölvupósti
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,mat
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,mat
DocType: Item,Default Unit of Measure,Default Mælieiningin
DocType: SMS Center,All Sales Partner Contact,Allt Sales Partner samband við
DocType: Employee,Leave Approvers,Skildu Approvers
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Gengi að vera það sama og {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Nafn viðskiptavinar
DocType: Vehicle,Natural Gas,Náttúru gas
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},bankareikningur getur ekki verið nefnt sem {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},bankareikningur getur ekki verið nefnt sem {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Höfuð (eða hópar) gegn sem bókhaldsfærslum eru gerðar og jafnvægi er viðhaldið.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Framúrskarandi fyrir {0} má ekki vera minna en núll ({1})
DocType: Manufacturing Settings,Default 10 mins,Default 10 mínútur
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Allt Birgir samband við
DocType: Support Settings,Support Settings,Stuðningur Stillingar
DocType: SMS Parameter,Parameter,Parameter
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Væntanlegur Lokadagur má ekki vera minna en búist Start Date
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Væntanlegur Lokadagur má ekki vera minna en búist Start Date
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Gefa skal vera það sama og {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Ný Leave Umsókn
,Batch Item Expiry Status,Hópur Item Fyrning Staða
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Bank Draft
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Bank Draft
DocType: Mode of Payment Account,Mode of Payment Account,Mode greiðslureikning
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Sýna Afbrigði
DocType: Academic Term,Academic Term,fræðihugtak
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,efni
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,magn
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Reikninga borð getur ekki verið autt.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Lán (skulda)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Lán (skulda)
DocType: Employee Education,Year of Passing,Ár Passing
DocType: Item,Country of Origin,Upprunaland
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,Á lager
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,Á lager
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Opið Issues
DocType: Production Plan Item,Production Plan Item,Framleiðsla Plan Item
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},User {0} er þegar úthlutað til starfsmanns {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Heilbrigðisþjónusta
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Töf á greiðslu (dagar)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,þjónusta Expense
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Raðnúmer: {0} er nú þegar vísað í sölureikning: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Raðnúmer: {0} er nú þegar vísað í sölureikning: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,reikningur
DocType: Maintenance Schedule Item,Periodicity,tíðni
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Reikningsár {0} er krafist
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Row # {0}:
DocType: Timesheet,Total Costing Amount,Alls Kosta Upphæð
DocType: Delivery Note,Vehicle No,ökutæki Nei
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,Vinsamlegast veldu verðskrá
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Vinsamlegast veldu verðskrá
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: Greiðsla skjal er þarf til að ljúka trasaction
DocType: Production Order Operation,Work In Progress,Verk í vinnslu
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Vinsamlegast veldu dagsetningu
DocType: Employee,Holiday List,Holiday List
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,endurskoðandi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,endurskoðandi
DocType: Cost Center,Stock User,Stock User
DocType: Company,Phone No,Sími nei
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Course Skrár búið:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},New {0}: # {1}
,Sales Partners Commission,Velta Partners Commission
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Skammstöfun getur ekki haft fleiri en 5 stafi
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Skammstöfun getur ekki haft fleiri en 5 stafi
DocType: Payment Request,Payment Request,greiðsla Beiðni
DocType: Asset,Value After Depreciation,Gildi Eftir Afskriftir
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,Mæting dagsetning má ekki vera minna en inngöngu dagsetningu starfsmanns
DocType: Grading Scale,Grading Scale Name,Flokkun Scale Name
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Þetta er rót reikningur og ekki hægt að breyta.
+DocType: Sales Invoice,Company Address,Nafn fyrirtækis
DocType: BOM,Operations,aðgerðir
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Get ekki stillt leyfi á grundvelli afsláttur fyrir {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Hengja .csv skrá með tveimur dálka, einn fyrir gamla nafn og einn fyrir nýju nafni"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ekki í hvaða virka Fiscal Year.
DocType: Packed Item,Parent Detail docname,Parent Detail DOCNAME
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Tilvísun: {0}, Liður: {1} og Viðskiptavinur: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,kg
DocType: Student Log,Log,Log
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Opnun fyrir Job.
DocType: Item Attribute,Increment,vöxtur
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Auglýsingar
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Sama fyrirtæki er slegið oftar en einu sinni
DocType: Employee,Married,giftur
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Ekki leyft {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Ekki leyft {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Fá atriði úr
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Stock Ekki er hægt að uppfæra móti afhendingarseðlinum {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Stock Ekki er hægt að uppfæra móti afhendingarseðlinum {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Vara {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Engin atriði skráð
DocType: Payment Reconciliation,Reconcile,sætta
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Næsta Afskriftir Dagsetning má ekki vera áður kaupdegi
DocType: SMS Center,All Sales Person,Allt Sales Person
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Mánaðarleg dreifing ** hjálpar þér að dreifa fjárhagsáætlunar / Target yfir mánuði ef þú ert árstíðasveiflu í fyrirtæki þínu.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Ekki atriði fundust
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Ekki atriði fundust
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Laun Uppbygging vantar
DocType: Lead,Person Name,Sá Name
DocType: Sales Invoice Item,Sales Invoice Item,Velta Invoice Item
DocType: Account,Credit,Credit
DocType: POS Profile,Write Off Cost Center,Skrifaðu Off Kostnaður Center
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",td "Primary School" eða "University"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",td "Primary School" eða "University"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,lager Skýrslur
DocType: Warehouse,Warehouse Detail,Warehouse Detail
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Hámarksupphæð hefur verið yfir fyrir viðskiptavin {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Hámarksupphæð hefur verið yfir fyrir viðskiptavin {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Hugtakið Lokadagur getur ekki verið síðar en árslok Dagsetning skólaárið sem hugtakið er tengt (skólaárið {}). Vinsamlega leiðréttu dagsetningar og reyndu aftur.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Er Fast Asset" getur ekki verið valið, eins Asset met hendi á móti hlut"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Er Fast Asset" getur ekki verið valið, eins Asset met hendi á móti hlut"
DocType: Vehicle Service,Brake Oil,Brake Oil
DocType: Tax Rule,Tax Type,Tax Type
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Þú hefur ekki heimild til að bæta við eða endurnýja færslum áður {0}
DocType: BOM,Item Image (if not slideshow),Liður Image (ef ekki myndasýning)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,An Viðskiptavinur til staðar með sama nafni
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Hour Rate / 60) * Raunveruleg Rekstur Time
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Veldu BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Veldu BOM
DocType: SMS Log,SMS Log,SMS Log
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Kostnaður við afhent Items
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,The frídagur á {0} er ekki á milli Frá Dagsetning og hingað
@@ -159,13 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Frá {0} til {1}
DocType: Item,Copy From Item Group,Afrita Frá Item Group
DocType: Journal Entry,Opening Entry,opnun Entry
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Viðskiptavinur> Viðskiptavinahópur> Territory
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Reikningur Pay Aðeins
DocType: Employee Loan,Repay Over Number of Periods,Endurgreiða yfir fjölda tímum
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} er ekki skráður í gefinn {2}
DocType: Stock Entry,Additional Costs,viðbótarkostnað
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Reikningur með núverandi viðskipti er ekki hægt að breyta í hópinn.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Reikningur með núverandi viðskipti er ekki hægt að breyta í hópinn.
DocType: Lead,Product Enquiry,vara Fyrirspurnir
DocType: Academic Term,Schools,skólar
+DocType: School Settings,Validate Batch for Students in Student Group,Staðfestu hópur fyrir nemendur í nemendahópi
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Ekkert leyfi fannst fyrir starfsmann {0} fyrir {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Vinsamlegast sláðu fyrirtæki fyrst
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Vinsamlegast veldu Company fyrst
@@ -174,48 +176,48 @@
DocType: BOM,Total Cost,Heildar kostnaður
DocType: Journal Entry Account,Employee Loan,starfsmaður Lán
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Afþreying Log:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,Liður {0} er ekki til í kerfinu eða er útrunnið
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Liður {0} er ekki til í kerfinu eða er útrunnið
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Fasteign
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Reikningsyfirlit
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Pharmaceuticals
DocType: Purchase Invoice Item,Is Fixed Asset,Er fast eign
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Laus Magn er {0}, þú þarft {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Laus Magn er {0}, þú þarft {1}"
DocType: Expense Claim Detail,Claim Amount,bótafjárhæðir
-DocType: Employee,Mr,herra
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Afrit viðskiptavinar hópur í cutomer töflunni
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Birgir Type / Birgir
DocType: Naming Series,Prefix,forskeyti
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,einnota
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,einnota
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,innflutningur Log
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Dragðu Material Beiðni um gerð Framleiðsla byggt á ofangreindum forsendum
DocType: Training Result Employee,Grade,bekk
DocType: Sales Invoice Item,Delivered By Supplier,Samþykkt með Birgir
DocType: SMS Center,All Contact,Allt samband við
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Framleiðslu Order þegar búið fyrir öll atriði með BOM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,árslaunum
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Framleiðslu Order þegar búið fyrir öll atriði með BOM
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,árslaunum
DocType: Daily Work Summary,Daily Work Summary,Daily Work Yfirlit
DocType: Period Closing Voucher,Closing Fiscal Year,Lokun fjárhagsársins
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} er frosinn
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Vinsamlegast veldu núverandi fyrirtæki til að búa til töflu yfir reikninga
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,lager Útgjöld
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} er frosinn
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Vinsamlegast veldu núverandi fyrirtæki til að búa til töflu yfir reikninga
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,lager Útgjöld
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Veldu Target Warehouse
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,Vinsamlegast sláðu Valinn netfangi
+DocType: Program Enrollment,School Bus,Skólabíll
DocType: Journal Entry,Contra Entry,contra Entry
DocType: Journal Entry Account,Credit in Company Currency,Credit í félaginu Gjaldmiðill
DocType: Delivery Note,Installation Status,uppsetning Staða
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Viltu uppfæra mætingu? <br> Present: {0} \ <br> Fjarverandi: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Samþykkt + Hafnað Magn verður að vera jöfn Móttekin magn fyrir lið {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Samþykkt + Hafnað Magn verður að vera jöfn Móttekin magn fyrir lið {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Framboð Raw Materials til kaups
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,Að minnsta kosti einn háttur af greiðslu er krafist fyrir POS reikningi.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,Að minnsta kosti einn háttur af greiðslu er krafist fyrir POS reikningi.
DocType: Products Settings,Show Products as a List,Sýna vörur sem lista
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Sæktu sniðmát, fylla viðeigandi gögn og hengja við um hana. Allt dagsetningar og starfsmaður samspil völdu tímabili mun koma í sniðmát, með núverandi aðsóknarmet"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,Liður {0} er ekki virkur eða enda líf hefur verið náð
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Dæmi: Basic stærðfræði
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Til eru skatt í röð {0} í lið gengi, skatta í raðir {1} skal einnig"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Liður {0} er ekki virkur eða enda líf hefur verið náð
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Dæmi: Basic stærðfræði
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Til eru skatt í röð {0} í lið gengi, skatta í raðir {1} skal einnig"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Stillingar fyrir HR Module
DocType: SMS Center,SMS Center,SMS Center
DocType: Sales Invoice,Change Amount,Breyta Upphæð
@@ -225,7 +227,7 @@
DocType: Lead,Request Type,Beiðni Type
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,gera starfsmanni
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Broadcasting
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,framkvæmd
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,framkvæmd
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Upplýsingar um starfsemi fram.
DocType: Serial No,Maintenance Status,viðhald Staða
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Birgir þörf er á móti ber að greiða reikninginn {2}
@@ -253,7 +255,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Beiðni um tilvitnun er hægt að nálgast með því að smella á eftirfarandi tengil
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Úthluta lauf á árinu.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,ófullnægjandi Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,ófullnægjandi Stock
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Slökkva Stærð Skipulags- og Time mælingar
DocType: Email Digest,New Sales Orders,Ný Velta Pantanir
DocType: Bank Guarantee,Bank Account,Bankareikning
@@ -264,8 +266,9 @@
DocType: Production Order Operation,Updated via 'Time Log',Uppfært með 'Time Innskráning "
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Fyrirfram upphæð getur ekki verið meiri en {0} {1}
DocType: Naming Series,Series List for this Transaction,Series List fyrir þessa færslu
+DocType: Company,Enable Perpetual Inventory,Virkja ævarandi birgða
DocType: Company,Default Payroll Payable Account,Default Launaskrá Greiðist Reikningur
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Uppfæra Email Group
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Uppfæra Email Group
DocType: Sales Invoice,Is Opening Entry,Er Opnun færslu
DocType: Customer Group,Mention if non-standard receivable account applicable,Umtal ef non-staðall nái reikning við
DocType: Course Schedule,Instructor Name,kennari Name
@@ -277,13 +280,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Gegn sölureikningi Item
,Production Orders in Progress,Framleiðslu Pantanir í vinnslu
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Handbært fé frá fjármögnun
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage er fullt, ekki spara"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage er fullt, ekki spara"
DocType: Lead,Address & Contact,Heimilisfang & Hafa samband
DocType: Leave Allocation,Add unused leaves from previous allocations,Bæta ónotuðum blöð frá fyrri úthlutanir
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Næsta Fastir {0} verður búin til á {1}
DocType: Sales Partner,Partner website,Vefsíða Partner
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Bæta Hlutir
-,Contact Name,Nafn tengiliðar
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Nafn tengiliðar
DocType: Course Assessment Criteria,Course Assessment Criteria,Námsmat Viðmið
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Býr laun miði fyrir ofangreinda forsendum.
DocType: POS Customer Group,POS Customer Group,POS viðskiptavinar Group
@@ -292,18 +295,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Engin lýsing gefin
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Beiðni um kaupin.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Þetta er byggt á tímaskýrslum skapast gagnvart þessu verkefni
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Net Borga má ekki vera minna en 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Net Borga má ekki vera minna en 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Aðeins valdir Leave samþykki getur sent þetta leyfi Umsókn
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Létta Dagsetning verður að vera hærri en Dagsetning Tengja
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Leaves á ári
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Leaves á ári
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Row {0}: Vinsamlegast athugaðu 'Er Advance' gegn reikninginn {1} ef þetta er fyrirfram færslu.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Warehouse {0} ekki tilheyra félaginu {1}
DocType: Email Digest,Profit & Loss,Hagnaður & Tap
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Litre
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Litre
DocType: Task,Total Costing Amount (via Time Sheet),Total kostnaðarútreikninga Magn (með Time Sheet)
DocType: Item Website Specification,Item Website Specification,Liður Website Specification
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Skildu Bannaður
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Liður {0} hefur náð enda sitt líf á {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Liður {0} hefur náð enda sitt líf á {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Bank Entries
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Árleg
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Sættir Item
@@ -311,9 +314,9 @@
DocType: Material Request Item,Min Order Qty,Min Order Magn
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool Course
DocType: Lead,Do Not Contact,Ekki samband
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,Fólk sem kenna í fyrirtæki þínu
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,Fólk sem kenna í fyrirtæki þínu
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Einstök id til að rekja allar endurteknar reikninga. Það er myndaður á senda.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Forritari
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Forritari
DocType: Item,Minimum Order Qty,Lágmark Order Magn
DocType: Pricing Rule,Supplier Type,birgir Type
DocType: Course Scheduling Tool,Course Start Date,Auðvitað Start Date
@@ -322,11 +325,11 @@
DocType: Item,Publish in Hub,Birta á Hub
DocType: Student Admission,Student Admission,Student Aðgangseyrir
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Liður {0} er hætt
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Liður {0} er hætt
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,efni Beiðni
DocType: Bank Reconciliation,Update Clearance Date,Uppfæra Úthreinsun Dagsetning
DocType: Item,Purchase Details,kaup Upplýsingar
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Liður {0} fannst ekki í 'hráefnum Meðfylgjandi' borð í Purchase Order {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Liður {0} fannst ekki í 'hráefnum Meðfylgjandi' borð í Purchase Order {1}
DocType: Employee,Relation,relation
DocType: Shipping Rule,Worldwide Shipping,Worldwide Shipping
DocType: Student Guardian,Mother,móðir
@@ -345,6 +348,7 @@
DocType: Student Group Student,Student Group Student,Student Group Student
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,nýjustu
DocType: Vehicle Service,Inspection,skoðun
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Listi
DocType: Email Digest,New Quotations,ný Tilvitnun
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Póst laun miði að starfsmaður byggðar á völdum tölvupósti völdum í Launþegi
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,Fyrsti Leyfi samþykkjari á listanum verður sett sem sjálfgefið Leave samþykkjari
@@ -353,20 +357,20 @@
DocType: Asset,Next Depreciation Date,Næsta Afskriftir Dagsetning
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Virkni Kostnaður á hvern starfsmann
DocType: Accounts Settings,Settings for Accounts,Stillingar fyrir reikninga
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Birgir Invoice Nei er í kaupa Reikningar {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Birgir Invoice Nei er í kaupa Reikningar {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Stjórna velta manneskja Tree.
DocType: Job Applicant,Cover Letter,Kynningarbréf
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Framúrskarandi Tékkar og Innlán til að hreinsa
DocType: Item,Synced With Hub,Samstillt Með Hub
DocType: Vehicle,Fleet Manager,Fleet Manager
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} getur ekki verið neikvæð fyrir atriðið {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Rangt lykilorð
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Rangt lykilorð
DocType: Item,Variant Of,afbrigði af
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',Lokið Magn má ekki vera meiri en 'Magn í Manufacture'
DocType: Period Closing Voucher,Closing Account Head,Loka reikningi Head
DocType: Employee,External Work History,Ytri Vinna Saga
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Hringlaga Tilvísun Villa
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1 Name
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 Name
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Í orðum (Export) verður sýnileg þegar þú hefur vistað Afhending Ath.
DocType: Cheque Print Template,Distance from left edge,Fjarlægð frá vinstri kanti
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} einingar [{1}] (# Form / tl / {1}) fannst í [{2}] (# Form / Warehouse / {2})
@@ -375,11 +379,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Tilkynna með tölvupósti á sköpun sjálfvirka Material Beiðni
DocType: Journal Entry,Multi Currency,multi Gjaldmiðill
DocType: Payment Reconciliation Invoice,Invoice Type,Reikningar Type
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Afhendingarseðilinn
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Afhendingarseðilinn
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Setja upp Skattar
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Kostnaðarverð seldrar Eignastýring
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,Greiðsla Entry hefur verið breytt eftir að þú draga það. Vinsamlegast rífa það aftur.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} slá inn tvisvar í lið Tax
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Greiðsla Entry hefur verið breytt eftir að þú draga það. Vinsamlegast rífa það aftur.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} slá inn tvisvar í lið Tax
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Samantekt fyrir þessa viku og bið starfsemi
DocType: Student Applicant,Admitted,viðurkenndi
DocType: Workstation,Rent Cost,Rent Kostnaður
@@ -397,25 +401,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Vinsamlegast sláðu inn "Endurtakið á Dagur mánaðar 'gildissvæðið
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Gengi sem viðskiptavinir Gjaldmiðill er breytt til grunngj.miðil viðskiptavinarins
DocType: Course Scheduling Tool,Course Scheduling Tool,Auðvitað Tímasetningar Tool
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Kaup Invoice ekki hægt að gera við núverandi eign {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Kaup Invoice ekki hægt að gera við núverandi eign {1}
DocType: Item Tax,Tax Rate,skatthlutfall
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} þegar úthlutað fyrir starfsmann {1} fyrir tímabilið {2} til {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Veldu Item
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Purchase Invoice {0} er þegar lögð
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Purchase Invoice {0} er þegar lögð
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Hópur Nei verður að vera það sama og {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Umbreyta til non-Group
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Hópur (fullt) af hlut.
DocType: C-Form Invoice Detail,Invoice Date,Dagsetning reiknings
DocType: GL Entry,Debit Amount,debet Upphæð
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Það getur aðeins verið 1 Account á félaginu í {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,Vinsamlega sjá viðhengi
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Það getur aðeins verið 1 Account á félaginu í {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,Vinsamlega sjá viðhengi
DocType: Purchase Order,% Received,% móttekin
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Búa Student Hópar
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Skipulag þegar lokið !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Lánshæð upphæð
,Finished Goods,fullunnum
DocType: Delivery Note,Instructions,leiðbeiningar
DocType: Quality Inspection,Inspected By,skoðað með
DocType: Maintenance Visit,Maintenance Type,viðhald Type
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} er ekki skráður í námskeiðið {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Serial Nei {0} ekki tilheyra afhendingarseðlinum {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Bæta Hlutir
@@ -436,7 +442,7 @@
DocType: Request for Quotation,Request for Quotation,Beiðni um tilvitnun
DocType: Salary Slip Timesheet,Working Hours,Vinnutími
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Breyta upphafsdegi / núverandi raðnúmer núverandi röð.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Búa til nýja viðskiptavini
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Búa til nýja viðskiptavini
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ef margir Verðlagning Reglur halda áfram að sigra, eru notendur beðnir um að setja Forgangur höndunum til að leysa deiluna."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Búa innkaupapantana
,Purchase Register,kaup Register
@@ -448,7 +454,7 @@
DocType: Student Log,Medical,Medical
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Ástæðan fyrir að tapa
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Lead Eigandi getur ekki verið sama og Lead
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,Úthlutað magn getur ekki hærri en óleiðréttum upphæð
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,Úthlutað magn getur ekki hærri en óleiðréttum upphæð
DocType: Announcement,Receiver,Receiver
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Vinnustöð er lokað á eftirfarandi dögum eins og á Holiday List: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,tækifæri
@@ -462,8 +468,7 @@
DocType: Assessment Plan,Examiner Name,prófdómari Name
DocType: Purchase Invoice Item,Quantity and Rate,Magn og Rate
DocType: Delivery Note,% Installed,% Uppsett
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,Kennslustofur / Laboratories etc þar fyrirlestra geta vera tímaáætlun.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Birgir> Birgir Tegund
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,Kennslustofur / Laboratories etc þar fyrirlestra geta vera tímaáætlun.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Vinsamlegast sláðu inn nafn fyrirtækis fyrst
DocType: Purchase Invoice,Supplier Name,Nafn birgja
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Lestu ERPNext Manual
@@ -473,7 +478,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Athuga Birgir Reikningur númer Sérstöðu
DocType: Vehicle Service,Oil Change,olía Breyta
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.',"Til Case No. ' má ekki vera minna en "Frá Case nr '
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,non Profit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,non Profit
DocType: Production Order,Not Started,ekki byrjað
DocType: Lead,Channel Partner,Channel Partner
DocType: Account,Old Parent,Old Parent
@@ -483,19 +488,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Global stillingar fyrir alla framleiðsluaðferðum.
DocType: Accounts Settings,Accounts Frozen Upto,Reikninga Frozen uppí
DocType: SMS Log,Sent On,sendi á
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Eiginleiki {0} valin mörgum sinnum í eigindum töflu
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Eiginleiki {0} valin mörgum sinnum í eigindum töflu
DocType: HR Settings,Employee record is created using selected field. ,Starfsmaður færsla er búin til með völdu sviði.
DocType: Sales Order,Not Applicable,Á ekki við
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Holiday skipstjóri.
DocType: Request for Quotation Item,Required Date,Áskilið Dagsetning
DocType: Delivery Note,Billing Address,Greiðslufang
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Vinsamlegast sláðu Item Code.
DocType: BOM,Costing,kosta
DocType: Tax Rule,Billing County,Innheimta County
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount",Ef hakað skattur upphæð verður að teljast þegar innifalið í Print Rate / Prenta Upphæð
DocType: Request for Quotation,Message for Supplier,Skilaboð til Birgir
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Total Magn
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 Netfang
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 Netfang
DocType: Item,Show in Website (Variant),Sýna í Website (Variant)
DocType: Employee,Health Concerns,Heilsa Áhyggjuefni
DocType: Process Payroll,Select Payroll Period,Veldu Launaskrá Tímabil
@@ -513,25 +517,27 @@
DocType: Sales Order Item,Used for Production Plan,Notað fyrir framleiðslu áætlun
DocType: Employee Loan,Total Payment,Samtals greiðsla
DocType: Manufacturing Settings,Time Between Operations (in mins),Tími milli rekstrar (í mín)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} er lokað þannig að aðgerðin er ekki hægt að ljúka
DocType: Customer,Buyer of Goods and Services.,Kaupandi vöru og þjónustu.
DocType: Journal Entry,Accounts Payable,Viðskiptaskuldir
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Völdu BOMs eru ekki fyrir sama hlut
DocType: Pricing Rule,Valid Upto,gildir uppí
DocType: Training Event,Workshop,Workshop
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Listi nokkrar af viðskiptavinum þínum. Þeir gætu verið stofnanir eða einstaklingar.
-,Enough Parts to Build,Nóg Varahlutir til að byggja
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,bein Tekjur
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Listi nokkrar af viðskiptavinum þínum. Þeir gætu verið stofnanir eða einstaklingar.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Nóg Varahlutir til að byggja
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,bein Tekjur
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Getur ekki síað byggð á reikning, ef flokkaðar eftir reikningi"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Administrative Officer
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Vinsamlegast veldu Námskeið
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Administrative Officer
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Vinsamlegast veldu Námskeið
DocType: Timesheet Detail,Hrs,Hrs
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Vinsamlegast veldu Company
DocType: Stock Entry Detail,Difference Account,munurinn Reikningur
+DocType: Purchase Invoice,Supplier GSTIN,Birgir GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Get ekki loka verkefni eins háð verkefni hennar {0} er ekki lokað.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Vinsamlegast sláðu Warehouse sem efni Beiðni verði hækkað
DocType: Production Order,Additional Operating Cost,Viðbótarupplýsingar rekstrarkostnaður
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,snyrtivörur
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Að sameinast, eftirfarandi eiginleika verða að vera það sama fyrir bæði atriði"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Að sameinast, eftirfarandi eiginleika verða að vera það sama fyrir bæði atriði"
DocType: Shipping Rule,Net Weight,Net Weight
DocType: Employee,Emergency Phone,Neyðarnúmer Sími
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,kaupa
@@ -540,14 +546,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Vinsamlegast tilgreindu einkunn fyrir Þröskuld 0%
DocType: Sales Order,To Deliver,til Bera
DocType: Purchase Invoice Item,Item,Item
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Serial engin lið getur ekki verið brot
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Serial engin lið getur ekki verið brot
DocType: Journal Entry,Difference (Dr - Cr),Munur (Dr - Cr)
DocType: Account,Profit and Loss,Hagnaður og tap
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Annast undirverktöku
DocType: Project,Project will be accessible on the website to these users,Verkefnið verður aðgengilegur á vef þessara notenda
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Gengi sem Verðskrá mynt er breytt í grunngj.miðil félagsins
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Reikningur {0} ekki tilheyra fyrirtæki: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Skammstöfun þegar notuð fyrir annað fyrirtæki
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Reikningur {0} ekki tilheyra fyrirtæki: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Skammstöfun þegar notuð fyrir annað fyrirtæki
DocType: Selling Settings,Default Customer Group,Sjálfgefið Group Viðskiptavinur
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction",Ef öryrkjar 'ávöl Samtals' reitur verður ekki sýnilegt í öllum viðskiptum
DocType: BOM,Operating Cost,Rekstrarkostnaður
@@ -555,7 +561,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Vöxtur getur ekki verið 0
DocType: Production Planning Tool,Material Requirement,efni Krafa
DocType: Company,Delete Company Transactions,Eyða Transactions Fyrirtækið
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Tilvísun Nei og Frestdagur er nauðsynlegur fyrir banka viðskiptin
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Tilvísun Nei og Frestdagur er nauðsynlegur fyrir banka viðskiptin
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Bæta við / breyta sköttum og gjöldum
DocType: Purchase Invoice,Supplier Invoice No,Birgir Reikningur nr
DocType: Territory,For reference,til viðmiðunar
@@ -566,22 +572,22 @@
DocType: Installation Note Item,Installation Note Item,Uppsetning Note Item
DocType: Production Plan Item,Pending Qty,Bíður Magn
DocType: Budget,Ignore,Hunsa
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} er ekki virkur
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} er ekki virkur
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS send til eftirfarandi númer: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,Skipulag athuga mál fyrir prentun
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Skipulag athuga mál fyrir prentun
DocType: Salary Slip,Salary Slip Timesheet,Laun Slip Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Birgir Warehouse nauðsynlegur fyrir undirverktaka Kvittun
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Birgir Warehouse nauðsynlegur fyrir undirverktaka Kvittun
DocType: Pricing Rule,Valid From,Gildir frá
DocType: Sales Invoice,Total Commission,alls Commission
DocType: Pricing Rule,Sales Partner,velta Partner
DocType: Buying Settings,Purchase Receipt Required,Kvittun Áskilið
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,Verðmat Rate er nauðsynlegur ef Opnun Stock inn
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,Verðmat Rate er nauðsynlegur ef Opnun Stock inn
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Engar færslur finnast í Invoice töflunni
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Vinsamlegast veldu Company og Party Gerð fyrst
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Financial / bókhald ári.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Financial / bókhald ári.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Uppsafnaður Gildi
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Því miður, Serial Nos ekki hægt sameinuð"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Gera Velta Order
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Gera Velta Order
DocType: Project Task,Project Task,Project Task
,Lead Id,Lead Id
DocType: C-Form Invoice Detail,Grand Total,Grand Total
@@ -598,7 +604,7 @@
DocType: Job Applicant,Resume Attachment,Halda áfram Attachment
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,endurtaka Viðskiptavinir
DocType: Leave Control Panel,Allocate,úthluta
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,velta Return
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,velta Return
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Ath: Samtals úthlutað leyfi {0} ætti ekki að vera minna en þegar hafa verið samþykktar leyfi {1} fyrir tímabilið
DocType: Announcement,Posted By,Posted By
DocType: Item,Delivered by Supplier (Drop Ship),Samþykkt með Birgir (Drop Ship)
@@ -608,8 +614,8 @@
DocType: Quotation,Quotation To,Tilvitnun Til
DocType: Lead,Middle Income,Middle Tekjur
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Opening (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Default Mælieiningin fyrir lið {0} Ekki er hægt að breyta beint vegna þess að þú hefur nú þegar gert nokkrar viðskiptin (s) með öðru UOM. Þú þarft að búa til nýjan hlut til að nota aðra Sjálfgefin UOM.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Úthlutað magn getur ekki verið neikvæð
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Default Mælieiningin fyrir lið {0} Ekki er hægt að breyta beint vegna þess að þú hefur nú þegar gert nokkrar viðskiptin (s) með öðru UOM. Þú þarft að búa til nýjan hlut til að nota aðra Sjálfgefin UOM.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Úthlutað magn getur ekki verið neikvæð
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Vinsamlegast settu fyrirtækið
DocType: Purchase Order Item,Billed Amt,billed Amt
DocType: Training Result Employee,Training Result Employee,Þjálfun Niðurstaða Starfsmaður
@@ -621,7 +627,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Veldu Greiðslureikningur að gera Bank Entry
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Búa Employee skrár til að stjórna lauf, kostnað kröfur og launaskrá"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Bæta við Knowledge Base
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Tillaga Ritun
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Tillaga Ritun
DocType: Payment Entry Deduction,Payment Entry Deduction,Greiðsla Entry Frádráttur
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Annar velta manneskja {0} staðar með sama Starfsmannafélag id
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests",Ef hakað hráefni fyrir atriði sem eru undirverktakar verður með í efninu Beiðnir
@@ -635,7 +641,7 @@
DocType: Timesheet,Billed,billed
DocType: Batch,Batch Description,hópur Lýsing
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Búa til nemendahópa
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.",Greiðsla Gateway Reikningur ekki búin skaltu búa til einn höndunum.
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.",Greiðsla Gateway Reikningur ekki búin skaltu búa til einn höndunum.
DocType: Sales Invoice,Sales Taxes and Charges,Velta Skattar og gjöld
DocType: Employee,Organization Profile,Organization Profile
DocType: Student,Sibling Details,systkini Upplýsingar
@@ -657,11 +663,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Net Breyting á Skrá
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Starfsmaður Lán Stjórnun
DocType: Employee,Passport Number,Vegabréfs númer
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Tengsl Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,framkvæmdastjóri
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Tengsl Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,framkvæmdastjóri
DocType: Payment Entry,Payment From / To,Greiðsla Frá / Til
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Ný hámarksupphæð er minna en núverandi útistandandi upphæð fyrir viðskiptavininn. Hámarksupphæð þarf að vera atleast {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Sama atriði hefur verið slegið mörgum sinnum.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Ný hámarksupphæð er minna en núverandi útistandandi upphæð fyrir viðskiptavininn. Hámarksupphæð þarf að vera atleast {0}
DocType: SMS Settings,Receiver Parameter,Receiver Parameter
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""Byggt á' og 'hópað eftir' getur ekki verið það sama"
DocType: Sales Person,Sales Person Targets,Velta Person markmið
@@ -670,8 +675,9 @@
DocType: Issue,Resolution Date,upplausn Dagsetning
DocType: Student Batch Name,Batch Name,hópur Name
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timesheet búið:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},Vinsamlegast settu sjálfgefinn Cash eða bankareikning í háttur á greiðslu {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Vinsamlegast settu sjálfgefinn Cash eða bankareikning í háttur á greiðslu {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,innritast
+DocType: GST Settings,GST Settings,GST Stillingar
DocType: Selling Settings,Customer Naming By,Viðskiptavinur Nafngift By
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Mun sýna nemandann eins staðar í námsmanna Monthly Aðsókn Report
DocType: Depreciation Schedule,Depreciation Amount,Afskriftir Upphæð
@@ -693,6 +699,7 @@
DocType: Item,Material Transfer,efni Transfer
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Opening (Dr)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Staða timestamp verður að vera eftir {0}
+,GST Itemised Purchase Register,GST greidd kaupaskrá
DocType: Employee Loan,Total Interest Payable,Samtals vaxtagjöld
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Landað Kostnaður Skattar og gjöld
DocType: Production Order Operation,Actual Start Time,Raunveruleg Start Time
@@ -719,10 +726,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
DocType: Account,Accounts,Reikningar
DocType: Vehicle,Odometer Value (Last),Kílómetramæli Value (Last)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,markaðssetning
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,markaðssetning
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Greiðsla Entry er þegar búið
DocType: Purchase Receipt Item Supplied,Current Stock,Núverandi Stock
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} er ekki tengd við lið {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} er ekki tengd við lið {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Preview Laun Slip
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Reikningur {0} hefur verið slegið mörgum sinnum
DocType: Account,Expenses Included In Valuation,Kostnaður í Verðmat
@@ -730,7 +737,7 @@
,Absent Student Report,Absent Student Report
DocType: Email Digest,Next email will be sent on:,Næst verður send í tölvupósti á:
DocType: Offer Letter Term,Offer Letter Term,Tilboð Letter Term
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Liður hefur afbrigði.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Liður hefur afbrigði.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Liður {0} fannst ekki
DocType: Bin,Stock Value,Stock Value
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Fyrirtæki {0} er ekki til
@@ -739,7 +746,7 @@
DocType: Serial No,Warranty Expiry Date,Ábyrgð í Fyrningardagsetning
DocType: Material Request Item,Quantity and Warehouse,Magn og Warehouse
DocType: Sales Invoice,Commission Rate (%),Þóknun Rate (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Vinsamlegast veldu Forrit
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Vinsamlegast veldu Forrit
DocType: Project,Estimated Cost,áætlaður kostnaður
DocType: Purchase Order,Link to material requests,Tengill á efni beiðna
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aerospace
@@ -753,14 +760,14 @@
DocType: Purchase Order,Supply Raw Materials,Supply Raw Materials
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,Dagsetningin sem næst verður reikningur mynda. Það er myndaður á senda.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Veltufjármunir
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} er ekki birgðir Item
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} er ekki birgðir Item
DocType: Mode of Payment Account,Default Account,Sjálfgefið Reikningur
DocType: Payment Entry,Received Amount (Company Currency),Fékk Magn (Company Gjaldmiðill)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,Lead verður að setja ef Tækifæri er gert úr Lead
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,Vinsamlegast veldu viku burt daginn
DocType: Production Order Operation,Planned End Time,Planned Lokatími
,Sales Person Target Variance Item Group-Wise,Velta Person Target Dreifni Item Group-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Reikningur með núverandi viðskipti er ekki hægt að breyta í höfuðbók
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Reikningur með núverandi viðskipti er ekki hægt að breyta í höfuðbók
DocType: Delivery Note,Customer's Purchase Order No,Purchase Order No viðskiptavinar
DocType: Budget,Budget Against,Budget Against
DocType: Employee,Cell Number,Cell Number
@@ -772,15 +779,13 @@
DocType: Opportunity,Opportunity From,tækifæri Frá
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Mánaðarlaun yfirlýsingu.
DocType: BOM,Website Specifications,Vefsíða Upplýsingar
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Vinsamlegast settu upp flokkunarnúmer fyrir þátttöku í gegnum skipulag> Númerakerfi
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Frá {0} tegund {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Row {0}: viðskipta Factor er nauðsynlegur
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Row {0}: viðskipta Factor er nauðsynlegur
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Margar verð Reglur hendi með sömu forsendum, vinsamlegast leysa deiluna með því að úthluta forgang. Verð Reglur: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,Ekki er hægt að slökkva eða hætta BOM eins og það er tengt við önnur BOMs
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Margar verð Reglur hendi með sömu forsendum, vinsamlegast leysa deiluna með því að úthluta forgang. Verð Reglur: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Ekki er hægt að slökkva eða hætta BOM eins og það er tengt við önnur BOMs
DocType: Opportunity,Maintenance,viðhald
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Kvittun tala krafist fyrir lið {0}
DocType: Item Attribute Value,Item Attribute Value,Liður Attribute gildi
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Velta herferðir.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,gera timesheet
@@ -813,29 +818,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Eignastýring rifið um dagbókarfærslu {0}
DocType: Employee Loan,Interest Income Account,Vaxtatekjur Reikningur
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,líftækni
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Skrifstofa viðhald kostnaður
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Skrifstofa viðhald kostnaður
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Setja upp Email Account
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Vinsamlegast sláðu inn Item fyrst
DocType: Account,Liability,Ábyrgð
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Bundnar Upphæð má ekki vera meiri en bótafjárhæðir í Row {0}.
DocType: Company,Default Cost of Goods Sold Account,Default Kostnaðarverð seldra vara reikning
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Verðskrá ekki valið
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Verðskrá ekki valið
DocType: Employee,Family Background,Family Background
DocType: Request for Quotation Supplier,Send Email,Senda tölvupóst
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Viðvörun: Ógild Attachment {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Viðvörun: Ógild Attachment {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,engin heimild
DocType: Company,Default Bank Account,Sjálfgefið Bank Account
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Að sía byggt á samningsaðila, velja Party Sláðu fyrst"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'Uppfæra Stock' Ekki er hægt að athuga vegna þess að hlutir eru ekki send með {0}
DocType: Vehicle,Acquisition Date,yfirtökudegi
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,nos
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,nos
DocType: Item,Items with higher weightage will be shown higher,Verk með hærri weightage verður sýnt meiri
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bank Sættir Detail
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} Leggja skal fram
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} Leggja skal fram
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Enginn starfsmaður fannst
DocType: Supplier Quotation,Stopped,Tappi
DocType: Item,If subcontracted to a vendor,Ef undirverktaka til seljanda
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Nemendahópur er þegar uppfærð.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Nemendahópur er þegar uppfærð.
DocType: SMS Center,All Customer Contact,Allt Viðskiptavinur samband við
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Hlaða lager jafnvægi í gegnum CSV.
DocType: Warehouse,Tree Details,Tree Upplýsingar
@@ -847,13 +852,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Kostnaður Center {2} ekki tilheyra félaginu {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Account {2} getur ekki verið Group
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Liður Row {idx}: {DOCTYPE} {DOCNAME} er ekki til í að ofan '{DOCTYPE}' borð
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Timesheet {0} er þegar lokið eða hætt
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} er þegar lokið eða hætt
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Engin verkefni
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Dagur mánaðarins sem farartæki reikningur vilja vera mynda td 05, 28 osfrv"
DocType: Asset,Opening Accumulated Depreciation,Opnun uppsöfnuðum afskriftum
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Score þarf að vera minna en eða jafnt og 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Program Innritun Tool
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,C-Form færslur
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C-Form færslur
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Viðskiptavinur og Birgir
DocType: Email Digest,Email Digest Settings,Sendu Digest Stillingar
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Takk fyrir viðskiptin!
@@ -863,17 +868,19 @@
DocType: Bin,Moving Average Rate,Moving Average Meta
DocType: Production Planning Tool,Select Items,Valið Atriði
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} gegn frumvarpinu {1} dags {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Ökutæki / rútu númer
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,námskeið Stundaskrá
DocType: Maintenance Visit,Completion Status,Gengið Staða
DocType: HR Settings,Enter retirement age in years,Sláðu eftirlaunaaldur í ár
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Target Warehouse
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Vinsamlegast veldu vöruhús
DocType: Cheque Print Template,Starting location from left edge,Byrjun stað frá vinstri kanti
DocType: Item,Allow over delivery or receipt upto this percent,Leyfa yfir afhendingu eða viðtöku allt uppí þennan prósent
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,innflutningur Aðsókn
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Allir Item Hópar
DocType: Process Payroll,Activity Log,virkni Log
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Hagnaður / Tap
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Hagnaður / Tap
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Sjálfkrafa semja skilaboð á framlagningu viðskiptum.
DocType: Production Order,Item To Manufacture,Atriði til að framleiða
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} staðan er {2}
@@ -882,16 +889,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Purchase Order til greiðslu
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Áætlaðar Magn
DocType: Sales Invoice,Payment Due Date,Greiðsla Due Date
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Liður Variant {0} er þegar til staðar með sömu eiginleika
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Liður Variant {0} er þegar til staðar með sömu eiginleika
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','Opening'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Open Til Gera
DocType: Notification Control,Delivery Note Message,Afhending Note Message
DocType: Expense Claim,Expenses,útgjöld
+,Support Hours,Stuðningstímar
DocType: Item Variant Attribute,Item Variant Attribute,Liður Variant Attribute
,Purchase Receipt Trends,Kvittun Trends
DocType: Process Payroll,Bimonthly,bimonthly
DocType: Vehicle Service,Brake Pad,Bremsuklossi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Rannsóknir og þróun
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Rannsóknir og þróun
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Upphæð Bill
DocType: Company,Registration Details,Skráning Details
DocType: Timesheet,Total Billed Amount,Alls Billed Upphæð
@@ -904,12 +912,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Aðeins fá hráefni
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Mat á frammistöðu.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Virkjun 'Nota fyrir Shopping Cart', eins og Shopping Cart er virkt og það ætti að vera að minnsta kosti einn Tax Rule fyrir Shopping Cart"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Greiðsla Entry {0} er tengd við Order {1}, athuga hvort það ætti að vera dreginn sem fyrirfram í þessum reikningi."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Greiðsla Entry {0} er tengd við Order {1}, athuga hvort það ætti að vera dreginn sem fyrirfram í þessum reikningi."
DocType: Sales Invoice Item,Stock Details,Stock Nánar
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Project Value
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Sölustaður
DocType: Vehicle Log,Odometer Reading,kílómetramæli Reading
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Viðskiptajöfnuður þegar í Credit, þú ert ekki leyft að setja 'Balance Verður Be' eins og 'Debit ""
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Viðskiptajöfnuður þegar í Credit, þú ert ekki leyft að setja 'Balance Verður Be' eins og 'Debit ""
DocType: Account,Balance must be,Jafnvægi verður að vera
DocType: Hub Settings,Publish Pricing,birta Verðlagning
DocType: Notification Control,Expense Claim Rejected Message,Kostnað Krafa Hafnað skilaboð
@@ -919,7 +927,7 @@
DocType: Salary Slip,Working Days,Vinnudagar
DocType: Serial No,Incoming Rate,Komandi Rate
DocType: Packing Slip,Gross Weight,Heildarþyngd
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,Nafn fyrirtækis þíns sem þú ert að setja upp þetta kerfi.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,Nafn fyrirtækis þíns sem þú ert að setja upp þetta kerfi.
DocType: HR Settings,Include holidays in Total no. of Working Days,Fela frí í algjöru nr. vinnudaga
DocType: Job Applicant,Hold,haldið
DocType: Employee,Date of Joining,Dagsetning Tengja
@@ -930,20 +938,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Kvittun
,Received Items To Be Billed,Móttekin Items verður innheimt
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Innsendar Laun laumar
-DocType: Employee,Ms,Fröken
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Gengi meistara.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Tilvísun DOCTYPE verður að vera einn af {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Gengi meistara.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Tilvísun DOCTYPE verður að vera einn af {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Ekki er hægt að finna tíma rifa á næstu {0} dögum fyrir aðgerð {1}
DocType: Production Order,Plan material for sub-assemblies,Plan efni fyrir undireiningum
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Velta Partners og Territory
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,Ekki er hægt að sjálfkrafa búa reikning sem það er nú þegar Stock jafnvægi í reikninginn. Þú verður að búa til passa reikning áður en hægt er að gera færslu um þetta vöruhús
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} verður að vera virkt
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} verður að vera virkt
DocType: Journal Entry,Depreciation Entry,Afskriftir Entry
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Vinsamlegast veldu tegund skjals fyrst
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Hætta Efni Heimsóknir {0} áður hætta þessu Viðhald Farðu
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serial Nei {0} ekki tilheyra lið {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Required Magn
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Vöruhús með núverandi viðskipti er ekki hægt að breyta í höfuðbók.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Vöruhús með núverandi viðskipti er ekki hægt að breyta í höfuðbók.
DocType: Bank Reconciliation,Total Amount,Heildarupphæð
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,internet Publishing
DocType: Production Planning Tool,Production Orders,framleiðslu Pantanir
@@ -958,25 +964,26 @@
DocType: Fee Structure,Components,Hluti
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Vinsamlegast sláðu eignaflokki í lið {0}
DocType: Quality Inspection Reading,Reading 6,lestur 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Get ekki {0} {1} {2} án neikvætt framúrskarandi Reikningar
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Get ekki {0} {1} {2} án neikvætt framúrskarandi Reikningar
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Kaupa Reikningar Advance
DocType: Hub Settings,Sync Now,Sync Nú
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Row {0}: Credit færslu er ekki hægt að tengja með {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Skilgreina fjárhagsáætlun fyrir fjárhagsár.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Skilgreina fjárhagsáætlun fyrir fjárhagsár.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Default Bank / Cash reikningur verður sjálfkrafa uppfærð í POS Invoice þegar þetta háttur er valinn.
DocType: Lead,LEAD-,aukinni eftirvinnu sem skapar
DocType: Employee,Permanent Address Is,Varanleg Heimilisfang er
DocType: Production Order Operation,Operation completed for how many finished goods?,Operation lokið fyrir hversu mörgum fullunnum vörum?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,The Brand
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,The Brand
DocType: Employee,Exit Interview Details,Hætta Viðtal Upplýsingar
DocType: Item,Is Purchase Item,Er Purchase Item
DocType: Asset,Purchase Invoice,kaup Invoice
DocType: Stock Ledger Entry,Voucher Detail No,Skírteini Detail No
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Nýr reikningur
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Nýr reikningur
DocType: Stock Entry,Total Outgoing Value,Alls Outgoing Value
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Opnun Dagsetning og lokadagur ætti að vera innan sama reikningsár
DocType: Lead,Request for Information,Beiðni um upplýsingar
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sync Offline Reikningar
+,LeaderBoard,LeaderBoard
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Sync Offline Reikningar
DocType: Payment Request,Paid,greiddur
DocType: Program Fee,Program Fee,program Fee
DocType: Salary Slip,Total in words,Samtals í orðum
@@ -985,13 +992,13 @@
DocType: Cheque Print Template,Has Print Format,Hefur prenta sniði
DocType: Employee Loan,Sanctioned,bundnar
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,er nauðsynlegur. Kannski gjaldeyri færsla er ekki búin að
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Vinsamlegast tilgreinið Serial Nei fyrir lið {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Fyrir "vara búnt 'atriði, Lager, Serial Nei og Batch No verður að teljast úr' Pökkun lista 'töflunni. Ef Warehouse og Batch No eru sömu fyrir alla pökkun atriði fyrir hvaða "vara búnt 'lið, sem gildin má færa í helstu atriði borðið, gildi verða afrituð á' Pökkun lista 'borð."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Vinsamlegast tilgreinið Serial Nei fyrir lið {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Fyrir "vara búnt 'atriði, Lager, Serial Nei og Batch No verður að teljast úr' Pökkun lista 'töflunni. Ef Warehouse og Batch No eru sömu fyrir alla pökkun atriði fyrir hvaða "vara búnt 'lið, sem gildin má færa í helstu atriði borðið, gildi verða afrituð á' Pökkun lista 'borð."
DocType: Job Opening,Publish on website,Birta á vefsíðu
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Sendingar til viðskiptavina.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Birgir Invoice Dagsetning má ekki vera meiri en Staða Dagsetning
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Birgir Invoice Dagsetning má ekki vera meiri en Staða Dagsetning
DocType: Purchase Invoice Item,Purchase Order Item,Purchase Order Item
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Óbein Tekjur
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Óbein Tekjur
DocType: Student Attendance Tool,Student Attendance Tool,Student Aðsókn Tool
DocType: Cheque Print Template,Date Settings,Dagsetning Stillingar
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,dreifni
@@ -1009,20 +1016,20 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Chemical
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Default Bank / Cash reikningur verður sjálfkrafa uppfærð í laun dagbókarfærslu þegar þessi háttur er valinn.
DocType: BOM,Raw Material Cost(Company Currency),Raw Material Kostnaður (Company Gjaldmiðill)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Allir hlutir hafa þegar verið flutt í þessari framleiðslu Order.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Allir hlutir hafa þegar verið flutt í þessari framleiðslu Order.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Gengi má ekki vera hærra en hlutfallið sem notað er í {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,Meter
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,Meter
DocType: Workstation,Electricity Cost,rafmagn Kostnaður
DocType: HR Settings,Don't send Employee Birthday Reminders,Ekki senda starfsmaður afmælisáminningar
DocType: Item,Inspection Criteria,Skoðun Viðmið
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,framseldir
DocType: BOM Website Item,BOM Website Item,BOM Website Item
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Hlaða bréf höfuðið og merki. (Þú getur breytt þeim síðar).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Hlaða bréf höfuðið og merki. (Þú getur breytt þeim síðar).
DocType: Timesheet Detail,Bill,Bill
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Næsta Afskriftir Date er færður sem síðasta dags
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,White
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,White
DocType: SMS Center,All Lead (Open),Allt Lead (Open)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Magn er ekki í boði fyrir {4} í vöruhús {1} á að senda sinn færslunnar ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Magn er ekki í boði fyrir {4} í vöruhús {1} á að senda sinn færslunnar ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Fá Framfarir Greiddur
DocType: Item,Automatically Create New Batch,Búðu til nýjan hóp sjálfkrafa
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,gera
@@ -1032,13 +1039,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Karfan mín
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Order Type verður að vera einn af {0}
DocType: Lead,Next Contact Date,Næsta samband við þann
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,opnun Magn
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,Vinsamlegast sláðu inn reikning fyrir Change Upphæð
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,opnun Magn
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,Vinsamlegast sláðu inn reikning fyrir Change Upphæð
DocType: Student Batch Name,Student Batch Name,Student Hópur Name
DocType: Holiday List,Holiday List Name,Holiday List Nafn
DocType: Repayment Schedule,Balance Loan Amount,Balance lánsfjárhæð
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Dagskrá Námskeið
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Kaupréttir
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Kaupréttir
DocType: Journal Entry Account,Expense Claim,Expense Krafa
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Viltu virkilega að endurheimta rifið eign?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Magn {0}
@@ -1050,12 +1057,12 @@
DocType: Company,Default Terms,Sjálfgefin Skilmálar
DocType: Packing Slip Item,Packing Slip Item,Pökkun Slip Item
DocType: Purchase Invoice,Cash/Bank Account,Cash / Bank Account
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Tilgreindu {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Tilgreindu {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Fjarlægðar atriði með engin breyting á magni eða verðmæti.
DocType: Delivery Note,Delivery To,Afhending Til
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Eiginleiki borð er nauðsynlegur
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Eiginleiki borð er nauðsynlegur
DocType: Production Planning Tool,Get Sales Orders,Fá sölu skipunum
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} er ekki hægt að neikvæð
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} er ekki hægt að neikvæð
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,afsláttur
DocType: Asset,Total Number of Depreciations,Heildarfjöldi Afskriftir
DocType: Sales Invoice Item,Rate With Margin,Meta með skák
@@ -1075,7 +1082,6 @@
DocType: Serial No,Creation Document No,Creation Skjal nr
DocType: Issue,Issue,Mál
DocType: Asset,Scrapped,rifið
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Reikningur passar ekki við félagið
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Eiginleiki fyrir Liður Útgáfur. td stærð, liti o.fl."
DocType: Purchase Invoice,Returns,Skil
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP Warehouse
@@ -1087,12 +1093,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,Atriði verður að bæta með því að nota "fá atriði úr greiðslukvittanir 'hnappinn
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Fela ekki lager atriði
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,sölukostnaður
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,sölukostnaður
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Standard Buying
DocType: GL Entry,Against,gegn
DocType: Item,Default Selling Cost Center,Sjálfgefið Selja Kostnaður Center
DocType: Sales Partner,Implementation Partner,framkvæmd Partner
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Póstnúmer
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Póstnúmer
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Velta Order {0} er {1}
DocType: Opportunity,Contact Info,Contact Info
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Gerð lager færslur
@@ -1105,31 +1111,31 @@
DocType: Holiday List,Get Weekly Off Dates,Fáðu vikulega Off Dagsetningar
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,Lokadagur má ekki vera minna en Start Date
DocType: Sales Person,Select company name first.,Select nafn fyrirtækis fyrst.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,dr
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Tilvitnanir berast frá birgja.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Til {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Meðalaldur
DocType: School Settings,Attendance Freeze Date,Viðburður Frystingardagur
DocType: Opportunity,Your sales person who will contact the customer in future,Sala þinn sá sem mun hafa samband við viðskiptavininn í framtíðinni
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Listi nokkrar af birgja þína. Þeir gætu verið stofnanir eða einstaklingar.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Listi nokkrar af birgja þína. Þeir gætu verið stofnanir eða einstaklingar.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Sjá allar vörur
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Lágmarksstigleiki (dagar)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,Allir BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Allir BOMs
DocType: Company,Default Currency,sjálfgefið mynt
DocType: Expense Claim,From Employee,frá starfsmanni
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Viðvörun: Kerfi mun ekki stöðva overbilling síðan upphæð fyrir lið {0} í {1} er núll
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Viðvörun: Kerfi mun ekki stöðva overbilling síðan upphæð fyrir lið {0} í {1} er núll
DocType: Journal Entry,Make Difference Entry,Gera Mismunur færslu
DocType: Upload Attendance,Attendance From Date,Aðsókn Frá Dagsetning
DocType: Appraisal Template Goal,Key Performance Area,Key Performance Area
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,samgöngur
+DocType: Program Enrollment,Transportation,samgöngur
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Ógilt Attribute
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} Leggja skal fram
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} Leggja skal fram
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Magn verður að vera minna en eða jafnt og {0}
DocType: SMS Center,Total Characters,Samtals Stafir
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Vinsamlegast veldu BOM á BOM sviði í lið {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Vinsamlegast veldu BOM á BOM sviði í lið {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Reikningur Detail
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Greiðsla Sættir Invoice
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,framlag%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Eins og á kaupstillingum ef kaupin eru krafist == 'YES' og síðan til að búa til innheimtufé, þarf notandi að búa til kauppöntun fyrst fyrir atriði {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Fyrirtæki skráningarnúmer til viðmiðunar. Tax tölur o.fl.
DocType: Sales Partner,Distributor,dreifingaraðili
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Shopping Cart Shipping Rule
@@ -1138,23 +1144,25 @@
,Ordered Items To Be Billed,Pantaði Items verður innheimt
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Frá Range þarf að vera minna en við úrval
DocType: Global Defaults,Global Defaults,Global Vanskil
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Project Samvinna Boð
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Project Samvinna Boð
DocType: Salary Slip,Deductions,frádráttur
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Start Ár
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},Fyrstu 2 stafirnir í GSTIN ættu að passa við ríkisnúmer {0}
DocType: Purchase Invoice,Start date of current invoice's period,Upphafsdagur tímabils núverandi reikningi er
DocType: Salary Slip,Leave Without Pay,Leyfi án launa
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Getu Planning Villa
,Trial Balance for Party,Trial Balance fyrir aðila
DocType: Lead,Consultant,Ráðgjafi
DocType: Salary Slip,Earnings,Hagnaður
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Lokið Item {0} verður inn fyrir Framleiðsla tegund færslu
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Lokið Item {0} verður inn fyrir Framleiðsla tegund færslu
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Opnun Bókhald Balance
+,GST Sales Register,GST söluskrá
DocType: Sales Invoice Advance,Sales Invoice Advance,Velta Invoice Advance
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Ekkert til að biðja
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Annar Budget met '{0}' er þegar til á móti {1} '{2}' fyrir reikningsár {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',"Raunbyrjunardagsetning 'má ekki vera meiri en' Raunveruleg lokadagur"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Stjórn
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Stjórn
DocType: Cheque Print Template,Payer Settings,greiðandi Stillingar
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Þetta verður bætt við Item Code afbrigði. Til dæmis, ef skammstöfun er "SM", og hluturinn kóða er "T-bolur", hluturinn kóðann um afbrigði verður "T-bolur-SM""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Net Borga (í orðum) verður sýnileg þegar þú hefur vistað Laun Slip.
@@ -1171,8 +1179,8 @@
DocType: Employee Loan,Partially Disbursed,hluta ráðstafað
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Birgir gagnagrunni.
DocType: Account,Balance Sheet,Efnahagsreikningur
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Kostnaður Center For lið með Item Code '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",Greiðsla Mode er ekki stillt. Vinsamlegast athugaðu hvort reikningur hefur verið sett á Mode Greiðslur eða POS Profile.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Kostnaður Center For lið með Item Code '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",Greiðsla Mode er ekki stillt. Vinsamlegast athugaðu hvort reikningur hefur verið sett á Mode Greiðslur eða POS Profile.
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,velta manneskja mun fá áminningu á þessari dagsetningu til að hafa samband við viðskiptavini
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Sama atriði er ekki hægt inn mörgum sinnum.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Frekari reikninga er hægt að gera undir Hópar, en færslur er hægt að gera á móti non-hópa"
@@ -1180,7 +1188,7 @@
DocType: Email Digest,Payables,skammtímaskuldir
DocType: Course,Course Intro,Auðvitað Um
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Stock Entry {0} búin
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Hafnað Magn er ekki hægt að færa í Purchase aftur
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Hafnað Magn er ekki hægt að færa í Purchase aftur
,Purchase Order Items To Be Billed,Purchase Order Items verður innheimt
DocType: Purchase Invoice Item,Net Rate,Net Rate
DocType: Purchase Invoice Item,Purchase Invoice Item,Kaupa Reikningar Item
@@ -1205,7 +1213,7 @@
DocType: Sales Order,SO-,SO-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Vinsamlegast veldu forskeyti fyrst
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Rannsókn
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Rannsókn
DocType: Maintenance Visit Purpose,Work Done,vinnu
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Vinsamlegast tilgreindu að minnsta kosti einn eiginleiki í þeim einkennum töflunni
DocType: Announcement,All Students,Allir nemendur
@@ -1213,17 +1221,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Skoða Ledger
DocType: Grading Scale,Intervals,millibili
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,elstu
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","An Item Group til staðar með sama nafni, vinsamlegast breyta hlutinn nafni eða endurnefna atriði hópinn"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Student Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Rest Of The World
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","An Item Group til staðar með sama nafni, vinsamlegast breyta hlutinn nafni eða endurnefna atriði hópinn"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No.
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Rest Of The World
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,The Item {0} getur ekki Hópur
,Budget Variance Report,Budget Dreifni Report
DocType: Salary Slip,Gross Pay,Gross Pay
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Row {0}: Activity Type er nauðsynlegur.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,arður Greiddur
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,arður Greiddur
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,bókhald Ledger
DocType: Stock Reconciliation,Difference Amount,munurinn Upphæð
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Óráðstafað eigið fé
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Óráðstafað eigið fé
DocType: Vehicle Log,Service Detail,þjónusta Detail
DocType: BOM,Item Description,Lýsing á hlut
DocType: Student Sibling,Student Sibling,Student systkini
@@ -1237,11 +1245,11 @@
DocType: Opportunity Item,Opportunity Item,tækifæri Item
,Student and Guardian Contact Details,Student og Guardian Tengiliðir Upplýsingar
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Row {0}: Fyrir birgja {0} Netfang þarf að senda tölvupóst
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,tímabundin Opening
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,tímabundin Opening
,Employee Leave Balance,Starfsmaður Leave Balance
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Stöðunni á reikningnum {0} verður alltaf að vera {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Verðmat Gefa þarf fyrir lið í röð {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Dæmi: Masters í tölvunarfræði
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Dæmi: Masters í tölvunarfræði
DocType: Purchase Invoice,Rejected Warehouse,hafnað Warehouse
DocType: GL Entry,Against Voucher,Against Voucher
DocType: Item,Default Buying Cost Center,Sjálfgefið Buying Kostnaður Center
@@ -1254,31 +1262,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Fá útistandandi reikninga
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Velta Order {0} er ekki gilt
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Kaup pantanir hjálpa þér að skipuleggja og fylgja eftir kaupum þínum
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Því miður, fyrirtæki geta ekki vera sameinuð"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Því miður, fyrirtæki geta ekki vera sameinuð"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",Heildarkostnaður Issue / Transfer magn {0} í efni Beiðni {1} \ má ekki vera meiri en óskað magn {2} fyrir lið {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Lítil
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Lítil
DocType: Employee,Employee Number,starfsmaður Number
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Case Nei (s) þegar í notkun. Prófaðu frá máli nr {0}
DocType: Project,% Completed,% Lokið
,Invoiced Amount (Exculsive Tax),Upphæð á reikningi (Exculsive Tax)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Liður 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Reikningur höfuð {0} búin
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,Þjálfun Event
DocType: Item,Auto re-order,Auto endurraða
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,alls Náð
DocType: Employee,Place of Issue,Útgáfustaður
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Samningur
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Samningur
DocType: Email Digest,Add Quote,Bæta Quote
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion þáttur sem þarf til UOM: {0} í lið: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,óbeinum kostnaði
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion þáttur sem þarf til UOM: {0} í lið: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,óbeinum kostnaði
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Row {0}: Magn er nauðsynlegur
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Landbúnaður
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sync Master Data
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Vörur eða þjónustu
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Vörur eða þjónustu
DocType: Mode of Payment,Mode of Payment,Háttur á greiðslu
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Vefsíða Image ætti að vera opinber skrá eða vefslóð
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Vefsíða Image ætti að vera opinber skrá eða vefslóð
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Þetta er rót atriði hóp og ekki hægt að breyta.
@@ -1287,17 +1294,17 @@
DocType: Warehouse,Warehouse Contact Info,Warehouse Contact Info
DocType: Payment Entry,Write Off Difference Amount,Skrifaðu Off Mismunur Upphæð
DocType: Purchase Invoice,Recurring Type,Fastir Type
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: Starfsmaður tölvupósti fannst ekki, þess vegna email ekki sent"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: Starfsmaður tölvupósti fannst ekki, þess vegna email ekki sent"
DocType: Item,Foreign Trade Details,Foreign Trade Upplýsingar
DocType: Email Digest,Annual Income,Árleg innkoma
DocType: Serial No,Serial No Details,Serial Nei Nánar
DocType: Purchase Invoice Item,Item Tax Rate,Liður Skatthlutfall
DocType: Student Group Student,Group Roll Number,Group Roll Number
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Fyrir {0}, aðeins kredit reikninga er hægt að tengja við aðra gjaldfærslu"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Alls öllum verkefni lóðum skal vera 1. Stilltu vigta allar verkefni verkefni í samræmi við
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Afhending Note {0} er ekki lögð
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Liður {0} verður að vera Sub-dregist Item
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Capital útbúnaður
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Alls öllum verkefni lóðum skal vera 1. Stilltu vigta allar verkefni verkefni í samræmi við
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Afhending Note {0} er ekki lögð
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Liður {0} verður að vera Sub-dregist Item
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Capital útbúnaður
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Verðlagning Regla er fyrst valið byggist á 'Virkja Á' sviði, sem getur verið Item, Item Group eða Brand."
DocType: Hub Settings,Seller Website,Seljandi Website
DocType: Item,ITEM-,ITEM-
@@ -1315,7 +1322,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Það getur aðeins verið einn Shipping Rule Ástand með 0 eða autt gildi fyrir "to Value"
DocType: Authorization Rule,Transaction,Færsla
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Ath: Þessi Kostnaður Center er Group. Get ekki gert bókhaldsfærslum gegn hópum.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,Barnið vöruhús er til fyrir þetta vöruhús. Þú getur ekki eytt þessari vöruhús.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Barnið vöruhús er til fyrir þetta vöruhús. Þú getur ekki eytt þessari vöruhús.
DocType: Item,Website Item Groups,Vefsíða Item Hópar
DocType: Purchase Invoice,Total (Company Currency),Total (Company Gjaldmiðill)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Raðnúmer {0} inn oftar en einu sinni
@@ -1325,7 +1332,7 @@
DocType: Grading Scale Interval,Grade Code,bekk Code
DocType: POS Item Group,POS Item Group,POS Item Group
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Sendu Digest:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} ekki tilheyra lið {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} ekki tilheyra lið {1}
DocType: Sales Partner,Target Distribution,Target Dreifing
DocType: Salary Slip,Bank Account No.,Bankareikningur nr
DocType: Naming Series,This is the number of the last created transaction with this prefix,Þetta er fjöldi síðustu búin færslu með þessu forskeyti
@@ -1335,12 +1342,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Bókfært eignaaukning sjálfkrafa
DocType: BOM Operation,Workstation,Workstation
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Beiðni um Tilvitnun Birgir
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Vélbúnaður
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Vélbúnaður
DocType: Sales Order,Recurring Upto,Fastir uppí
DocType: Attendance,HR Manager,HR Manager
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Vinsamlegast veldu Company
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Privilege Leave
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Vinsamlegast veldu Company
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Privilege Leave
DocType: Purchase Invoice,Supplier Invoice Date,Birgir Dagsetning reiknings
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,á
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Þú þarft að virkja Shopping Cart
DocType: Payment Entry,Writeoff,Afskrifa
DocType: Appraisal Template Goal,Appraisal Template Goal,Úttekt Snið Goal
@@ -1351,10 +1359,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Skarast skilyrði fundust milli:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Gegn Journal Entry {0} er þegar leiðrétt gagnvart einhverjum öðrum skírteini
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Pöntunin Value
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Matur
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Matur
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Ageing Range 3
DocType: Maintenance Schedule Item,No of Visits,Engin heimsókna
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Mark Attendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Mark Attendence
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Viðhaldsáætlun {0} er til staðar gegn {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,innritast nemandi
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Gjaldmiðill lokun reiknings skal vera {0}
@@ -1368,6 +1376,7 @@
DocType: Rename Tool,Utilities,Utilities
DocType: Purchase Invoice Item,Accounting,bókhald
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Vinsamlegast veldu lotur í lotuðum hlutum
DocType: Asset,Depreciation Schedules,afskriftir Skrár
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Umsókn tímabil getur ekki verið úti leyfi úthlutun tímabil
DocType: Activity Cost,Projects,verkefni
@@ -1381,6 +1390,7 @@
DocType: POS Profile,Campaign,herferð
DocType: Supplier,Name and Type,Nafn og tegund
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Samþykki Staða verður "Samþykkt" eða "Hafnað '
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,Stígvél
DocType: Purchase Invoice,Contact Person,Tengiliður
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"Bjóst Start Date 'má ekki vera meiri en' Bjóst Lokadagur '
DocType: Course Scheduling Tool,Course End Date,Auðvitað Lokadagur
@@ -1388,12 +1398,11 @@
DocType: Sales Order Item,Planned Quantity,Áætlaðir Magn
DocType: Purchase Invoice Item,Item Tax Amount,Liður Tax Upphæð
DocType: Item,Maintain Stock,halda lager
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Lager Færslur nú þegar búið til framleiðslu Order
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Lager Færslur nú þegar búið til framleiðslu Order
DocType: Employee,Prefered Email,Ákjósanleg Email
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Net Breyting á fast eign
DocType: Leave Control Panel,Leave blank if considered for all designations,Skildu eftir autt ef það er talið fyrir alla heita
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Warehouse er nauðsynlegur fyrir utan reikninga hópa var gerð lager
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Gjald af gerðinni 'Raunveruleg' í röð {0} er ekki að vera með í Item Rate
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Gjald af gerðinni 'Raunveruleg' í röð {0} er ekki að vera með í Item Rate
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,frá DATETIME
DocType: Email Digest,For Company,Company
@@ -1403,15 +1412,15 @@
DocType: Sales Invoice,Shipping Address Name,Sendingar Address Nafn
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Mynd reikninga
DocType: Material Request,Terms and Conditions Content,Skilmálar og skilyrði Content
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,getur ekki verið meiri en 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Liður {0} er ekki birgðir Item
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,getur ekki verið meiri en 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Liður {0} er ekki birgðir Item
DocType: Maintenance Visit,Unscheduled,unscheduled
DocType: Employee,Owned,eigu
DocType: Salary Detail,Depends on Leave Without Pay,Fer um leyfi án launa
DocType: Pricing Rule,"Higher the number, higher the priority","Hærri sem talan, hærri forgang"
,Purchase Invoice Trends,Kaupa Reikningar Trends
DocType: Employee,Better Prospects,betri horfur
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",Row # {0}: Batch {1} hefur aðeins {2} magn. Vinsamlegast veldu annað lotu sem hefur {3} magn í boði eða skipt röðina í margar línur til að afhenda / gefa út úr mörgum lotum
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",Row # {0}: Batch {1} hefur aðeins {2} magn. Vinsamlegast veldu annað lotu sem hefur {3} magn í boði eða skipt röðina í margar línur til að afhenda / gefa út úr mörgum lotum
DocType: Vehicle,License Plate,Númeraplata
DocType: Appraisal,Goals,mörk
DocType: Warranty Claim,Warranty / AMC Status,Ábyrgð í / AMC Staða
@@ -1422,19 +1431,20 @@
,Batch-Wise Balance History,Hópur-Wise Balance Saga
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Prenta uppfærðar í viðkomandi prenta sniði
DocType: Package Code,Package Code,pakki Code
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,lærlingur
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,lærlingur
+DocType: Purchase Invoice,Company GSTIN,Fyrirtæki GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Neikvætt Magn er ekki leyfð
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",Tax smáatriði borð sóttu meistara lið sem streng og geyma á þessu sviði. Notað fyrir skatta og gjöld
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Starfsmaður getur ekki skýrslu við sjálfan sig.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ef reikningur er frosinn, eru færslur leyft að afmörkuðum notendum."
DocType: Email Digest,Bank Balance,Bank Balance
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Bókhald Entry fyrir {0}: {1} Aðeins er hægt að gera í gjaldmiðli: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Bókhald Entry fyrir {0}: {1} Aðeins er hægt að gera í gjaldmiðli: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Job uppsetningu, hæfi sem krafist o.fl."
DocType: Journal Entry Account,Account Balance,Staða reiknings
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Tax Regla fyrir viðskiptum.
DocType: Rename Tool,Type of document to rename.,Tegund skjals til að endurnefna.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Við þurfum að kaupa þessa vöru
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Við þurfum að kaupa þessa vöru
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Viðskiptavini er krafist móti óinnheimt reikninginn {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Samtals Skattar og gjöld (Company gjaldmiðli)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Sýna P & unclosed fjárhagsári er L jafnvægi
@@ -1445,29 +1455,30 @@
DocType: Stock Entry,Total Additional Costs,Samtals viðbótarkostnað
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Rusl efniskostnaði (Company Gjaldmiðill)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Sub þing
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Sub þing
DocType: Asset,Asset Name,Asset Name
DocType: Project,Task Weight,verkefni Þyngd
DocType: Shipping Rule Condition,To Value,til Value
DocType: Asset Movement,Stock Manager,Stock Manager
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Source vöruhús er nauðsynlegur fyrir röð {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,pökkun Slip
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,skrifstofa leigu
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Source vöruhús er nauðsynlegur fyrir röð {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,pökkun Slip
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,skrifstofa leigu
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Skipulag SMS Gateway stillingar
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Innflutningur mistókst!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Ekkert heimilisfang bætt við enn.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Ekkert heimilisfang bætt við enn.
DocType: Workstation Working Hour,Workstation Working Hour,Workstation vinnustund
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Analyst
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Analyst
DocType: Item,Inventory,Skrá
DocType: Item,Sales Details,velta Upplýsingar
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,með atriði
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,í Magn
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,í Magn
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Staðfestu skráð námskeið fyrir nemendur í nemendahópi
DocType: Notification Control,Expense Claim Rejected,Expense Krafa Hafnað
DocType: Item,Item Attribute,Liður Attribute
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,ríkisstjórn
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,ríkisstjórn
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Kostnað Krafa {0} er þegar til fyrir Vehicle Innskráning
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Institute Name
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Institute Name
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,Vinsamlegast sláðu endurgreiðslu Upphæð
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Item Afbrigði
DocType: Company,Services,Þjónusta
@@ -1477,18 +1488,18 @@
DocType: Sales Invoice,Source,Source
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Sýna lokaðar
DocType: Leave Type,Is Leave Without Pay,Er Leyfi án launa
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Asset Flokkur er nauðsynlegur fyrir Fast eignalið
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset Flokkur er nauðsynlegur fyrir Fast eignalið
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Engar færslur finnast í Greiðsla töflunni
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Þessi {0} átök með {1} fyrir {2} {3}
DocType: Student Attendance Tool,Students HTML,nemendur HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Fjárhagsár Start Date
DocType: POS Profile,Apply Discount,gilda Afsláttur
+DocType: Purchase Invoice Item,GST HSN Code,GST HSN kóða
DocType: Employee External Work History,Total Experience,Samtals Experience
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Opið Verkefni
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Pökkun Slip (s) Hætt
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Cash Flow frá Fjárfesting
DocType: Program Course,Program Course,program Námskeið
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Frakt og Áframsending Gjöld
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Frakt og Áframsending Gjöld
DocType: Homepage,Company Tagline for website homepage,Fyrirtæki Yfirskrift fyrir vefsvæðið heimasíðuna
DocType: Item Group,Item Group Name,Item Group Name
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Taken
@@ -1498,6 +1509,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Búa Leiða
DocType: Maintenance Schedule,Schedules,Skrár
DocType: Purchase Invoice Item,Net Amount,Virði
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} hefur ekki verið send inn þannig að aðgerðin er ekki hægt að ljúka
DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detail No
DocType: Landed Cost Voucher,Additional Charges,Önnur Gjöld
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Viðbótarupplýsingar Afsláttur Magn (Company Gjaldmiðill)
@@ -1513,6 +1525,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Mánaðarlega endurgreiðslu Upphæð
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,Vinsamlegast settu User ID reit í Starfsmannafélag met að setja Starfsmannafélag hlutverki
DocType: UOM,UOM Name,UOM Name
+DocType: GST HSN Code,HSN Code,HSN kóða
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,framlag Upphæð
DocType: Purchase Invoice,Shipping Address,Sendingar Address
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Þetta tól hjálpar þér að uppfæra eða festa magn og mat á lager í kerfinu. Það er oftast notuð til að samstilla kerfið gildi og hvað raunverulega er til staðar í vöruhús þínum.
@@ -1523,17 +1536,16 @@
DocType: Program Enrollment Tool,Program Enrollments,program innritun nemenda
DocType: Sales Invoice Item,Brand Name,Vörumerki
DocType: Purchase Receipt,Transporter Details,Transporter Upplýsingar
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Sjálfgefið vöruhús er nauðsynlegt til valið atriði
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Box
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Sjálfgefið vöruhús er nauðsynlegt til valið atriði
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Box
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,Möguleg Birgir
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,The Organization
DocType: Budget,Monthly Distribution,Mánaðarleg dreifing
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Receiver List er tóm. Vinsamlegast búa Receiver Listi
DocType: Production Plan Sales Order,Production Plan Sales Order,Framleiðslu Plan Velta Order
DocType: Sales Partner,Sales Partner Target,Velta Partner Target
DocType: Loan Type,Maximum Loan Amount,Hámarkslán
DocType: Pricing Rule,Pricing Rule,verðlagning Regla
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Afrita rúlla númer fyrir nemanda {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Afrita rúlla númer fyrir nemanda {0}
DocType: Budget,Action if Annual Budget Exceeded,Aðgerð ef Árleg Budget meiri en
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Efni Beiðni um Innkaupapöntun
DocType: Shopping Cart Settings,Payment Success URL,Greiðsla Velgengni URL
@@ -1546,11 +1558,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Opnun Stock Balance
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} verður að birtast aðeins einu sinni
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Ekki leyft að tranfer meira {0} en {1} gegn Purchase Order {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Ekki leyft að tranfer meira {0} en {1} gegn Purchase Order {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Leaves Úthlutað Tókst fyrir {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Engir hlutir í pakka
DocType: Shipping Rule Condition,From Value,frá Value
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Framleiðsla Magn er nauðsynlegur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Framleiðsla Magn er nauðsynlegur
DocType: Employee Loan,Repayment Method,endurgreiðsla Aðferð
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",Ef valið þá Heimasíða verður sjálfgefið Item Group fyrir vefsvæðið
DocType: Quality Inspection Reading,Reading 4,lestur 4
@@ -1560,7 +1572,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Row # {0}: Úthreinsun dagsetning {1} er ekki hægt áður Ávísun Dagsetning {2}
DocType: Company,Default Holiday List,Sjálfgefin Holiday List
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Row {0}: Frá tíma og tíma af {1} er skörun við {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,lager Skuldir
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,lager Skuldir
DocType: Purchase Invoice,Supplier Warehouse,birgir Warehouse
DocType: Opportunity,Contact Mobile No,Viltu samband við Mobile Nei
,Material Requests for which Supplier Quotations are not created,Efni Beiðnir sem Birgir tilvitnanir eru ekki stofnað
@@ -1571,35 +1583,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,gera Tilvitnun
apps/erpnext/erpnext/config/selling.py +216,Other Reports,aðrar skýrslur
DocType: Dependent Task,Dependent Task,Dependent Task
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Breytistuðull fyrir sjálfgefið Mælieiningin skal vera 1 í röðinni {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Breytistuðull fyrir sjálfgefið Mælieiningin skal vera 1 í röðinni {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Leyfi af gerð {0} má ekki vera lengri en {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Prófaðu að skipuleggja starfsemi fyrir X daga fyrirvara.
DocType: HR Settings,Stop Birthday Reminders,Stop afmælisáminningar
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Vinsamlegast settu Default Launaskrá Greiðist reikning í félaginu {0}
DocType: SMS Center,Receiver List,Receiver List
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,leit Item
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,leit Item
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,neytt Upphæð
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Net Breyting á Cash
DocType: Assessment Plan,Grading Scale,flokkun Scale
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mælieiningin {0} hefur verið slegið oftar en einu sinni í viðskipta Factor töflu
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mælieiningin {0} hefur verið slegið oftar en einu sinni í viðskipta Factor töflu
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,þegar lokið
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Lager í hendi
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Greiðsla Beiðni þegar til staðar {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Kostnaður af úthlutuðum Items
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Magn má ekki vera meira en {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Næstliðnu reikningsári er ekki lokað
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Aldur (dagar)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Aldur (dagar)
DocType: Quotation Item,Quotation Item,Tilvitnun Item
+DocType: Customer,Customer POS Id,Viðskiptavinur POS-auðkenni
DocType: Account,Account Name,Nafn reiknings
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Frá Dagsetning má ekki vera meiri en hingað til
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serial Nei {0} magn {1} getur ekki verið brot
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Birgir Type húsbóndi.
DocType: Purchase Order Item,Supplier Part Number,Birgir Part Number
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Viðskiptahlutfall er ekki hægt að 0 eða 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Viðskiptahlutfall er ekki hægt að 0 eða 1
DocType: Sales Invoice,Reference Document,Tilvísun Document
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} er aflýst eða henni hætt
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} er aflýst eða henni hætt
DocType: Accounts Settings,Credit Controller,Credit Controller
DocType: Delivery Note,Vehicle Dispatch Date,Ökutæki Sending Dagsetning
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Kvittun {0} er ekki lögð
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Kvittun {0} er ekki lögð
DocType: Company,Default Payable Account,Sjálfgefið Greiðist Reikningur
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Stillingar fyrir online innkaupakörfu ss reglur skipum, verðlista o.fl."
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% Billed
@@ -1618,11 +1632,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Heildarfjárhæð Endurgreiða
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Þetta er byggt á logs gegn þessu ökutæki. Sjá tímalínu hér fyrir nánari upplýsingar
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,safna
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Gegn Birgir Invoice {0} dagsett {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Gegn Birgir Invoice {0} dagsett {1}
DocType: Customer,Default Price List,Sjálfgefið Verðskrá
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Eignastýring Hreyfing met {0} búin
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Þú getur ekki eytt Fiscal Year {0}. Reikningsár {0} er sett sem sjálfgefið í Global Settings
DocType: Journal Entry,Entry Type,Entry Type
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Engin matsáætlun tengd þessari matshóp
,Customer Credit Balance,Viðskiptavinur Credit Balance
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Net Breyta í viðskiptaskuldum
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Viðskiptavinur þarf að 'Customerwise Afsláttur'
@@ -1630,7 +1645,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,verðlagning
DocType: Quotation,Term Details,Term Upplýsingar
DocType: Project,Total Sales Cost (via Sales Order),Heildarkostnaður vegna sölu (með sölupöntun)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Ekki er hægt að innritast meira en {0} nemendum fyrir þessum nemendahópi.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Ekki er hægt að innritast meira en {0} nemendum fyrir þessum nemendahópi.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Leiða Count
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} verður að vera hærri en 0
DocType: Manufacturing Settings,Capacity Planning For (Days),Getu áætlanagerð fyrir (dagar)
@@ -1651,7 +1666,7 @@
DocType: Sales Invoice,Packed Items,pakkað Items
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Ábyrgð kröfu gegn Raðnúmer
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM",Skipta ákveðna BOM í öllum öðrum BOMs þar sem það er notað. Það mun koma í stað gamla BOM tengilinn uppfæra kostnað og endurnýja "BOM Explosion Item" borð eins og á nýju BOM
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Total'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Total'
DocType: Shopping Cart Settings,Enable Shopping Cart,Virkja Shopping Cart
DocType: Employee,Permanent Address,Heimilisfang
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1667,9 +1682,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,Vinsamlegast tilgreindu annaðhvort magni eða Verðmat Meta eða bæði
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,fylling
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Skoða í körfu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,markaðskostnaður
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,markaðskostnaður
,Item Shortage Report,Liður Skortur Report
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Þyngd er getið, \ nVinsamlega nefna "Þyngd UOM" of"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Þyngd er getið, \ nVinsamlega nefna "Þyngd UOM" of"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Efni Beiðni notað til að gera þetta lager Entry
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Næsta Afskriftir Date er nauðsynlegur fyrir nýrri eign
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Aðskilja námskeið byggt fyrir hverja lotu
@@ -1678,17 +1693,18 @@
,Student Fee Collection,Student Fee Collection
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Gera Bókhald færslu fyrir hvert Stock Hreyfing
DocType: Leave Allocation,Total Leaves Allocated,Samtals Leaves Úthlutað
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Warehouse þörf á Row nr {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Vinsamlegast sláðu inn fjárhagsári upphafs- og lokadagsetningar
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Warehouse þörf á Row nr {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Vinsamlegast sláðu inn fjárhagsári upphafs- og lokadagsetningar
DocType: Employee,Date Of Retirement,Dagsetning starfsloka
DocType: Upload Attendance,Get Template,fá sniðmát
+DocType: Material Request,Transferred,Flutt
DocType: Vehicle,Doors,hurðir
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext Uppsetningu lokið!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Uppsetningu lokið!
DocType: Course Assessment Criteria,Weightage,weightage
DocType: Packing Slip,PS-,PS
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Kostnaður Center er nauðsynlegt fyrir 'RekstrarliÃ' reikning {2}. Vinsamlegast setja upp sjálfgefið kostnaðarstað til félagsins.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,A Viðskiptavinur Group til staðar með sama nafni vinsamlegast breyta Customer Name eða endurnefna Viðskiptavinur Group
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,nýtt samband við
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,A Viðskiptavinur Group til staðar með sama nafni vinsamlegast breyta Customer Name eða endurnefna Viðskiptavinur Group
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,nýtt samband við
DocType: Territory,Parent Territory,Parent Territory
DocType: Quality Inspection Reading,Reading 2,lestur 2
DocType: Stock Entry,Material Receipt,efni Kvittun
@@ -1697,17 +1713,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ef þessi atriði eru afbrigði, þá getur það ekki verið valinn í sölu skipunum o.fl."
DocType: Lead,Next Contact By,Næsta Samband með
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Magn krafist fyrir lið {0} í röð {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},Warehouse {0} Ekki er hægt að eyða eins magn er fyrir hendi tl {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Magn krafist fyrir lið {0} í röð {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Warehouse {0} Ekki er hægt að eyða eins magn er fyrir hendi tl {1}
DocType: Quotation,Order Type,Order Type
DocType: Purchase Invoice,Notification Email Address,Tilkynning Netfang
,Item-wise Sales Register,Item-vitur Sales Register
DocType: Asset,Gross Purchase Amount,Gross Kaup Upphæð
DocType: Asset,Depreciation Method,Afskriftir Method
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,offline
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,offline
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Er þetta Tax innifalinn í grunntaxta?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,alls Target
-DocType: Program Course,Required,Áskilið
DocType: Job Applicant,Applicant for a Job,Umsækjandi um starf
DocType: Production Plan Material Request,Production Plan Material Request,Framleiðslu Plan Efni Beiðni
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Engin framleiðsla Pantanir búnar
@@ -1716,17 +1731,17 @@
DocType: Purchase Invoice Item,Batch No,hópur Nei
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Leyfa mörgum sölu skipunum gegn Purchase Order viðskiptavinar
DocType: Student Group Instructor,Student Group Instructor,Nemandi hópur kennari
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 Mobile No
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Main
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile No
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Main
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variant
DocType: Naming Series,Set prefix for numbering series on your transactions,Setja forskeyti fyrir númerakerfi röð á viðskiptum þínum
DocType: Employee Attendance Tool,Employees HTML,starfsmenn HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Sjálfgefið BOM ({0}) verður að vera virkt fyrir þetta atriði eða sniðmátið sitt
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Sjálfgefið BOM ({0}) verður að vera virkt fyrir þetta atriði eða sniðmátið sitt
DocType: Employee,Leave Encashed?,Leyfi Encashed?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Tækifæri Frá sviði er nauðsynlegur
DocType: Email Digest,Annual Expenses,Árleg útgjöld
DocType: Item,Variants,afbrigði
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Gera Purchase Order
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Gera Purchase Order
DocType: SMS Center,Send To,Senda til
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Það er ekki nóg leyfi jafnvægi um leyfi Tegund {0}
DocType: Payment Reconciliation Payment,Allocated amount,úthlutað magn
@@ -1740,26 +1755,25 @@
DocType: Supplier,Statutory info and other general information about your Supplier,Lögbundin upplýsingar og aðrar almennar upplýsingar um birgir
DocType: Item,Serial Nos and Batches,Raðnúmer og lotur
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Styrkur nemendahóps
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Gegn Journal Entry {0} hjartarskinn ekki hafa allir ósamþykkt {1} færslu
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Gegn Journal Entry {0} hjartarskinn ekki hafa allir ósamþykkt {1} færslu
apps/erpnext/erpnext/config/hr.py +137,Appraisals,úttektir
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Afrit Serial Nei slegið í lið {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Skilyrði fyrir Shipping reglu
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,vinsamlegast sláðu
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Ekki er hægt að overbill fyrir atriðið {0} in row {1} meira en {2}. Til að leyfa yfir-innheimtu, skaltu stilla á að kaupa Stillingar"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Vinsamlegast settu síuna miðað Item eða Warehouse
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Ekki er hægt að overbill fyrir atriðið {0} in row {1} meira en {2}. Til að leyfa yfir-innheimtu, skaltu stilla á að kaupa Stillingar"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Vinsamlegast settu síuna miðað Item eða Warehouse
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Nettóþyngd þessum pakka. (Reiknaðar sjálfkrafa sem summa nettó þyngd atriði)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Vinsamlegast búa til reikning fyrir þetta Lager og tengja hana. Þetta getur ekki gert sjálfkrafa eins og reikning með nafninu {0} er þegar til
DocType: Sales Order,To Deliver and Bill,Að skila og Bill
DocType: Student Group,Instructors,leiðbeinendur
DocType: GL Entry,Credit Amount in Account Currency,Credit Upphæð í Account Gjaldmiðill
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} Leggja skal fram
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} Leggja skal fram
DocType: Authorization Control,Authorization Control,Heimildin Control
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Hafnað Warehouse er nauðsynlegur móti hafnað Item {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Hafnað Warehouse er nauðsynlegur móti hafnað Item {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,greiðsla
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Vörugeymsla {0} er ekki tengt neinum reikningi, vinsamlegast tilgreinið reikninginn í vörugeymslunni eða settu sjálfgefið birgðareikning í félaginu {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Stjórna pantanir
DocType: Production Order Operation,Actual Time and Cost,Raunveruleg tíma og kostnað
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Efni Beiðni um hámark {0} má gera ráð fyrir lið {1} gegn Velta Order {2}
-DocType: Employee,Salutation,Kveðjan
DocType: Course,Course Abbreviation,Auðvitað Skammstöfun
DocType: Student Leave Application,Student Leave Application,Student Leave Umsókn
DocType: Item,Will also apply for variants,Mun einnig gilda fyrir afbrigði
@@ -1771,12 +1785,12 @@
DocType: Quotation Item,Actual Qty,Raunveruleg Magn
DocType: Sales Invoice Item,References,Tilvísanir
DocType: Quality Inspection Reading,Reading 10,lestur 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Listi vörur þínar eða þjónustu sem þú kaupir eða selur. Gakktu úr skugga um að athuga Item Group, Mælieiningin og aðrar eignir þegar þú byrjar."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Listi vörur þínar eða þjónustu sem þú kaupir eða selur. Gakktu úr skugga um að athuga Item Group, Mælieiningin og aðrar eignir þegar þú byrjar."
DocType: Hub Settings,Hub Node,Hub Node
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Þú hefur slegið afrit atriði. Vinsamlegast lagfæra og reyndu aftur.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Félagi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Félagi
DocType: Asset Movement,Asset Movement,Asset Hreyfing
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,nýtt körfu
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,nýtt körfu
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Liður {0} er ekki serialized Item
DocType: SMS Center,Create Receiver List,Búa Receiver lista
DocType: Vehicle,Wheels,hjól
@@ -1796,19 +1810,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Getur átt röð ef gjaldið er af gerðinni 'On Fyrri Row Upphæð' eða 'Fyrri Row Total'
DocType: Sales Order Item,Delivery Warehouse,Afhending Warehouse
DocType: SMS Settings,Message Parameter,Message Parameter
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Tré fjárhagslegum stoðsviða.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Tré fjárhagslegum stoðsviða.
DocType: Serial No,Delivery Document No,Afhending Skjal nr
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Vinsamlegast settu "hagnaður / tap reikning á Asset förgun" í félaginu {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Fá atriði úr Purchase Kvittanir
DocType: Serial No,Creation Date,Creation Date
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Liður {0} birtist mörgum sinnum á verðskrá {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Selja verður að vera merkt, ef við á er valið sem {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Selja verður að vera merkt, ef við á er valið sem {0}"
DocType: Production Plan Material Request,Material Request Date,Efni Beiðni Dagsetning
DocType: Purchase Order Item,Supplier Quotation Item,Birgir Tilvitnun Item
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Slekkur sköpun tíma logs gegn Production Orders. Reksturinn skal ekki raktar gegn Production Order
DocType: Student,Student Mobile Number,Student Mobile Number
DocType: Item,Has Variants,hefur Afbrigði
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Þú hefur nú þegar valið hluti úr {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Þú hefur nú þegar valið hluti úr {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Heiti Monthly Distribution
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Hópur auðkenni er nauðsynlegur
DocType: Sales Person,Parent Sales Person,Móðurfélag Sales Person
@@ -1818,12 +1832,12 @@
DocType: Budget,Fiscal Year,Fiscal Year
DocType: Vehicle Log,Fuel Price,eldsneyti verð
DocType: Budget,Budget,Budget
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Fast Asset Item verður a non-birgðir atriði.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Fast Asset Item verður a non-birgðir atriði.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Fjárhagsáætlun er ekki hægt að úthlutað gegn {0}, eins og það er ekki tekjur eða gjöld reikning"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,náð
DocType: Student Admission,Application Form Route,Umsóknareyðublað Route
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Territory / Viðskiptavinur
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,td 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,td 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Skildu Type {0} er ekki hægt að úthluta þar sem það er leyfi án launa
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Row {0}: Reiknaðar upphæð {1} verður að vera minna en eða jafnt og til reikning útistandandi upphæð {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Í orðum verður sýnileg þegar þú vistar sölureikningi.
@@ -1832,7 +1846,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Liður {0} er ekki skipulag fyrir Serial Nos. Athuga Item meistara
DocType: Maintenance Visit,Maintenance Time,viðhald Time
,Amount to Deliver,Nema Bera
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Vörur eða þjónusta
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Vörur eða þjónusta
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Hugtakið Start Date getur ekki verið fyrr en árið upphafsdagur skólaárið sem hugtakið er tengt (skólaárið {}). Vinsamlega leiðréttu dagsetningar og reyndu aftur.
DocType: Guardian,Guardian Interests,Guardian Áhugasvið
DocType: Naming Series,Current Value,Núverandi Value
@@ -1846,12 +1860,12 @@
must be greater than or equal to {2}","Row {0}: Til að stilla {1} tíðni, munurinn frá og til dagsetning \ verður að vera meiri en eða jafnt og {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Þetta er byggt á lager hreyfingu. Sjá {0} for details
DocType: Pricing Rule,Selling,selja
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Upphæð {0} {1} frádráttar {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Upphæð {0} {1} frádráttar {2}
DocType: Employee,Salary Information,laun Upplýsingar
DocType: Sales Person,Name and Employee ID,Nafn og Starfsmannafélag ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,Skiladagur er ekki hægt áður Staða Dagsetning
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,Skiladagur er ekki hægt áður Staða Dagsetning
DocType: Website Item Group,Website Item Group,Vefsíða Item Group
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Skyldur og skattar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Skyldur og skattar
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Vinsamlegast sláðu viðmiðunardagur
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} greiðsla færslur er ekki hægt að sía eftir {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,Tafla fyrir lið sem verður sýnd í Web Site
@@ -1868,9 +1882,9 @@
DocType: Payment Reconciliation Payment,Reference Row,Tilvísun Row
DocType: Installation Note,Installation Time,uppsetning Time
DocType: Sales Invoice,Accounting Details,Bókhalds Upplýsingar
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Eyða öllum viðskiptum fyrir þetta fyrirtæki
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: Operation {1} er ekki lokið fyrir {2} Fjöldi fullunnum vörum í framleiðslu Order # {3}. Uppfærðu rekstur stöðu með Time Logs
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Fjárfestingar
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Eyða öllum viðskiptum fyrir þetta fyrirtæki
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: Operation {1} er ekki lokið fyrir {2} Fjöldi fullunnum vörum í framleiðslu Order # {3}. Uppfærðu rekstur stöðu með Time Logs
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Fjárfestingar
DocType: Issue,Resolution Details,upplausn Upplýsingar
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,úthlutanir
DocType: Item Quality Inspection Parameter,Acceptance Criteria,samþykktarviðmiðanir
@@ -1895,7 +1909,7 @@
DocType: Room,Room Name,Room Name
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Skildu ekki hægt að beita / aflýst áður {0}, sem orlof jafnvægi hefur þegar verið fært sendar í framtíðinni leyfi úthlutun met {1}"
DocType: Activity Cost,Costing Rate,kosta Rate
-,Customer Addresses And Contacts,Viðskiptavinur heimilisföngum og Tengiliðir
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Viðskiptavinur heimilisföngum og Tengiliðir
,Campaign Efficiency,Virkni herferðar
DocType: Discussion,Discussion,umræða
DocType: Payment Entry,Transaction ID,Færsla ID
@@ -1905,14 +1919,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Total Billing Magn (með Time Sheet)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Endurtaka Tekjur viðskiptavinar
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) verða að hafa hlutverk 'kostnað samþykkjari'
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,pair
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Veldu BOM og Magn fyrir framleiðslu
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,pair
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Veldu BOM og Magn fyrir framleiðslu
DocType: Asset,Depreciation Schedule,Afskriftir Stundaskrá
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Söluaðilar samstarfsaðilar og tengiliðir
DocType: Bank Reconciliation Detail,Against Account,Against reikninginn
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Half Day Date ætti að vera á milli Frá Dagsetning og hingað
DocType: Maintenance Schedule Detail,Actual Date,Raunveruleg Dagsetning
DocType: Item,Has Batch No,Hefur Batch No
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Árleg Billing: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Árleg Billing: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Vörur og þjónusta Skattur (GST Indland)
DocType: Delivery Note,Excise Page Number,Vörugjöld Page Number
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Company, Frá Dagsetning og hingað til er nauðsynlegur"
DocType: Asset,Purchase Date,kaupdegi
@@ -1920,11 +1936,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Vinsamlegast settu "Asset Afskriftir Kostnaður Center" í félaginu {0}
,Maintenance Schedules,viðhald Skrár
DocType: Task,Actual End Date (via Time Sheet),Raunveruleg End Date (með Time Sheet)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Upphæð {0} {1} gegn {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Upphæð {0} {1} gegn {2} {3}
,Quotation Trends,Tilvitnun Trends
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Item Group ekki getið í master lið fyrir lið {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Debit Til reikning verður að vera Krafa reikning
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Item Group ekki getið í master lið fyrir lið {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Debit Til reikning verður að vera Krafa reikning
DocType: Shipping Rule Condition,Shipping Amount,Sendingar Upphæð
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Bæta við viðskiptavinum
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Bíður Upphæð
DocType: Purchase Invoice Item,Conversion Factor,ummyndun Factor
DocType: Purchase Order,Delivered,afhent
@@ -1934,7 +1951,8 @@
DocType: Purchase Receipt,Vehicle Number,ökutæki Number
DocType: Purchase Invoice,The date on which recurring invoice will be stop,Dagsetningin sem endurteknar reikningur verður að hætta
DocType: Employee Loan,Loan Amount,lánsfjárhæð
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Efnislisti finnst ekki fyrir þar sem efnið {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Sjálfknúin ökutæki
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Efnislisti finnst ekki fyrir þar sem efnið {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Samtals úthlutað leyfi {0} má ekki vera minna en þegar hafa verið samþykktar lauf {1} fyrir tímabilið
DocType: Journal Entry,Accounts Receivable,Reikningur fáanlegur
,Supplier-Wise Sales Analytics,Birgir-Wise Sales Analytics
@@ -1951,21 +1969,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Kostnað Krafa bíður samþykkis. Aðeins kostnað samþykki getur uppfært stöðuna.
DocType: Email Digest,New Expenses,ný Útgjöld
DocType: Purchase Invoice,Additional Discount Amount,Viðbótarupplýsingar Afsláttur Upphæð
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Magn verður að vera 1, eins atriði er fastur eign. Notaðu sérstaka röð fyrir margar Magn."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Magn verður að vera 1, eins atriði er fastur eign. Notaðu sérstaka röð fyrir margar Magn."
DocType: Leave Block List Allow,Leave Block List Allow,Skildu Block List Leyfa
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Skammstöfun má ekki vera autt eða bil
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Skammstöfun má ekki vera autt eða bil
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Group Non-Group
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Íþróttir
DocType: Loan Type,Loan Name,lán Name
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,alls Raunveruleg
DocType: Student Siblings,Student Siblings,Student Systkini
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Unit
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,Vinsamlegast tilgreinið Company
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Unit
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Vinsamlegast tilgreinið Company
,Customer Acquisition and Loyalty,Viðskiptavinur Kaup og Hollusta
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Warehouse þar sem þú ert að halda úttekt hafnað atriðum
DocType: Production Order,Skip Material Transfer,Hoppa yfir efni
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Ekki er hægt að finna gengi fyrir {0} til {1} fyrir lykilatriði {2}. Vinsamlegast búðu til gjaldeyrisviðskipti handvirkt
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Fjárhagsár lýkur á
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Ekki er hægt að finna gengi fyrir {0} til {1} fyrir lykilatriði {2}. Vinsamlegast búðu til gjaldeyrisviðskipti handvirkt
DocType: POS Profile,Price List,Verðskrá
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} er nú sjálfgefið Fiscal Year. Vinsamlegast hressa vafrann til að breytingin taki gildi.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,kostnaðarliðir Kröfur
@@ -1978,14 +1995,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock jafnvægi í Batch {0} verður neikvætt {1} fyrir lið {2} í Warehouse {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Eftirfarandi efni beiðnir hafa verið hækkaðir sjálfvirkt miðað aftur röð stigi atriðisins
DocType: Email Digest,Pending Sales Orders,Bíður sölu skipunum
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Reikningur {0} er ógild. Reikningur Gjaldmiðill verður að vera {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Reikningur {0} er ógild. Reikningur Gjaldmiðill verður að vera {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM viðskipta þáttur er krafist í röð {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Tilvísun Document Type verður að vera einn af Sales Order, Sales Invoice eða Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Tilvísun Document Type verður að vera einn af Sales Order, Sales Invoice eða Journal Entry"
DocType: Salary Component,Deduction,frádráttur
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Row {0}: Frá Time og til tími er nauðsynlegur.
DocType: Stock Reconciliation Item,Amount Difference,upphæð Mismunur
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Atriði Verð bætt fyrir {0} í verðskrá {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Atriði Verð bætt fyrir {0} í verðskrá {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Vinsamlegast sláðu Starfsmaður Id þessarar velta manneskja
DocType: Territory,Classification of Customers by region,Flokkun viðskiptavina eftir svæðum
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Munurinn Upphæð verður að vera núll
@@ -1997,21 +2014,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Samtals Frádráttur
,Production Analytics,framleiðslu Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,kostnaður Uppfært
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,kostnaður Uppfært
DocType: Employee,Date of Birth,Fæðingardagur
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Liður {0} hefur þegar verið skilað
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Liður {0} hefur þegar verið skilað
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Fiscal Year ** táknar fjárhagsári. Öll bókhald færslur og aðrar helstu viðskipti eru raktar gegn ** Fiscal Year **.
DocType: Opportunity,Customer / Lead Address,Viðskiptavinur / Lead Address
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Viðvörun: Ógild SSL vottorð á viðhengi {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Viðvörun: Ógild SSL vottorð á viðhengi {0}
DocType: Student Admission,Eligibility,hæfi
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Leiðir hjálpa þér að fá fyrirtæki, bæta alla tengiliði þína og fleiri sem leiðir þínar"
DocType: Production Order Operation,Actual Operation Time,Raunveruleg Operation Time
DocType: Authorization Rule,Applicable To (User),Gildir til (User)
DocType: Purchase Taxes and Charges,Deduct,draga
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Starfslýsing
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Starfslýsing
DocType: Student Applicant,Applied,Applied
DocType: Sales Invoice Item,Qty as per Stock UOM,Magn eins og á lager UOM
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2 Name
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 Name
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Sérstafir nema "-" ".", "#", og "/" ekki leyfð í nafngiftir röð"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Halda utan um sölu herferðir. Haldið utan um leiðir, tilvitnanir, Sales Order etc frá herferðir til að meta arðsemi fjárfestingarinnar."
DocType: Expense Claim,Approver,samþykkjari
@@ -2022,7 +2039,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial Nei {0} er undir ábyrgð uppí {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Split Afhending Note í pakka.
apps/erpnext/erpnext/hooks.py +87,Shipments,sendingar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Reikningsjafnvægi ({0}) fyrir {1} og verðmæti lager ({2}) fyrir vöruhús {3} verður að vera sama
DocType: Payment Entry,Total Allocated Amount (Company Currency),Total úthlutað magn (Company Gjaldmiðill)
DocType: Purchase Order Item,To be delivered to customer,Til að vera frelsari til viðskiptavina
DocType: BOM,Scrap Material Cost,Rusl efniskostnaði
@@ -2030,20 +2046,21 @@
DocType: Purchase Invoice,In Words (Company Currency),Í orðum (Company Gjaldmiðill)
DocType: Asset,Supplier,birgir
DocType: C-Form,Quarter,Quarter
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Ýmis Útgjöld
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Ýmis Útgjöld
DocType: Global Defaults,Default Company,Sjálfgefið Company
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Kostnað eða Mismunur reikningur er nauðsynlegur fyrir lið {0} eins og það hefur áhrif á heildina birgðir gildi
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Kostnað eða Mismunur reikningur er nauðsynlegur fyrir lið {0} eins og það hefur áhrif á heildina birgðir gildi
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Nafn banka
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Above
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Above
DocType: Employee Loan,Employee Loan Account,Starfsmaður Lán Reikningur
DocType: Leave Application,Total Leave Days,Samtals leyfisdaga
DocType: Email Digest,Note: Email will not be sent to disabled users,Ath: Email verður ekki send til fatlaðra notenda
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Fjöldi samskipta
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Vörunúmer> Liðurhópur> Vörumerki
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Veldu Company ...
DocType: Leave Control Panel,Leave blank if considered for all departments,Skildu eftir autt ef það er talið að öllum deildum
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Tegundir ráðninga (varanleg, samningur, nemi o.fl.)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} er nauðsynlegur fyrir lið {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} er nauðsynlegur fyrir lið {1}
DocType: Process Payroll,Fortnightly,hálfsmánaðarlega
DocType: Currency Exchange,From Currency,frá Gjaldmiðill
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Vinsamlegast veldu úthlutað magn, tegundir innheimtuseðla og reikningsnúmerið í atleast einni röð"
@@ -2065,7 +2082,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,Vinsamlegast smelltu á 'Búa Stundaskrá' til að fá áætlun
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Það komu upp villur við eytt eftirfarandi tímaáætlun:
DocType: Bin,Ordered Quantity,Raðaður Magn
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",td "Byggja verkfæri fyrir smiðirnir"
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",td "Byggja verkfæri fyrir smiðirnir"
DocType: Grading Scale,Grading Scale Intervals,Flokkun deilingargildi
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Bókhald Entry fyrir {2} Aðeins er hægt að gera í gjaldmiðli: {3}
DocType: Production Order,In Process,Í ferli
@@ -2079,12 +2096,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Nemendahópar búin til.
DocType: Sales Invoice,Total Billing Amount,Alls innheimtu upphæð
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Það verður að vera sjálfgefið komandi Email Account virkt til að þetta virki. Vinsamlegast skipulag sjálfgefið komandi netfangs (POP / IMAP) og reyndu aftur.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,viðskiptakröfur Reikningur
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} er þegar {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,viðskiptakröfur Reikningur
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} er þegar {2}
DocType: Quotation Item,Stock Balance,Stock Balance
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Velta Order til greiðslu
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vinsamlegast settu Nafngerðaröð fyrir {0} í gegnum Skipulag> Stillingar> Nöfnunarröð
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,forstjóri
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,forstjóri
DocType: Expense Claim Detail,Expense Claim Detail,Expense Krafa Detail
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Vinsamlegast veldu réttan reikning
DocType: Item,Weight UOM,þyngd UOM
@@ -2093,12 +2109,12 @@
DocType: Production Order Operation,Pending,Bíður
DocType: Course,Course Name,Auðvitað Name
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Notendur sem getur samþykkt yfirgefa forrit tiltekins starfsmanns
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Skrifstofa útbúnaður
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Skrifstofa útbúnaður
DocType: Purchase Invoice Item,Qty,Magn
DocType: Fiscal Year,Companies,Stofnanir
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Electronics
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Hækka Material Beiðni þegar birgðir nær aftur röð stigi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Fullt
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Fullt
DocType: Salary Structure,Employees,starfsmenn
DocType: Employee,Contact Details,Tengiliðaupplýsingar
DocType: C-Form,Received Date,fékk Date
@@ -2108,7 +2124,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Verð verður ekki sýnd ef verðskrá er ekki sett
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Vinsamlegast tilgreindu land fyrir þessa Shipping reglu eða stöðva Worldwide Shipping
DocType: Stock Entry,Total Incoming Value,Alls Komandi Value
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Skuldfærslu Til er krafist
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Skuldfærslu Til er krafist
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets að halda utan um tíma, kostnað og innheimtu fyrir athafnir gert með lið"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Kaupverðið List
DocType: Offer Letter Term,Offer Term,Tilboð Term
@@ -2117,17 +2133,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,greiðsla Sættir
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,Vinsamlegast veldu nafn incharge einstaklingsins
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,tækni
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Samtals Ógreitt: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Samtals Ógreitt: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM Website Operation
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Tilboðsbréf
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Búa Efni Beiðnir (MRP) og framleiðsla pantanir.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Alls reikningsfærð Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Alls reikningsfærð Amt
DocType: BOM,Conversion Rate,Viðskiptahlutfallsbil
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Vöruleit
DocType: Timesheet Detail,To Time,til Time
DocType: Authorization Rule,Approving Role (above authorized value),Samþykkir hlutverk (að ofan er leyft gildi)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Inneign á reikninginn verður að vera Greiðist reikning
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM endurkvæmni: {0} er ekki hægt að foreldri eða barn {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Inneign á reikninginn verður að vera Greiðist reikning
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM endurkvæmni: {0} er ekki hægt að foreldri eða barn {2}
DocType: Production Order Operation,Completed Qty,lokið Magn
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Fyrir {0}, aðeins debetkort reikninga er hægt að tengja við aðra tekjufærslu"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Verðlisti {0} er óvirk
@@ -2138,28 +2154,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Serial Numbers krafist fyrir lið {1}. Þú hefur veitt {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Núverandi Verðmat Rate
DocType: Item,Customer Item Codes,Viðskiptavinur Item Codes
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Gengishagnaður / tap
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Gengishagnaður / tap
DocType: Opportunity,Lost Reason,Lost Ástæða
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,ný Address
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,ný Address
DocType: Quality Inspection,Sample Size,Prufustærð
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Vinsamlegast sláðu inn Kvittun Skjal
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Allir hlutir hafa nú þegar verið færðar á vörureikning
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Allir hlutir hafa nú þegar verið færðar á vörureikning
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',Vinsamlegast tilgreinið gilt "Frá máli nr '
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,Frekari stoðsviða er hægt að gera undir Hópar en færslur er hægt að gera á móti non-hópa
DocType: Project,External,ytri
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Notendur og heimildir
DocType: Vehicle Log,VLOG.,Vlog.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Framleiðslu Pantanir Búið til: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Framleiðslu Pantanir Búið til: {0}
DocType: Branch,Branch,Branch
DocType: Guardian,Mobile Number,Farsímanúmer
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Prentun og merkingu
DocType: Bin,Actual Quantity,Raunveruleg Magn
DocType: Shipping Rule,example: Next Day Shipping,dæmi: Næsti dagur Shipping
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial Nei {0} fannst ekki
-DocType: Scheduling Tool,Student Batch,Student Hópur
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Viðskiptavinir þínir
+DocType: Program Enrollment,Student Batch,Student Hópur
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,gera Student
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Þér hefur verið boðið að vinna að verkefninu: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Þér hefur verið boðið að vinna að verkefninu: {0}
DocType: Leave Block List Date,Block Date,Block Dagsetning
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Sæktu um núna
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Raunverulegur fjöldi {0} / biðþáttur {1}
@@ -2168,7 +2183,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Búa til og stjórna daglega, vikulega og mánaðarlega email meltir."
DocType: Appraisal Goal,Appraisal Goal,Úttekt Goal
DocType: Stock Reconciliation Item,Current Amount,Núverandi Upphæð
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,Byggingar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,Byggingar
DocType: Fee Structure,Fee Structure,Gjald Uppbygging
DocType: Timesheet Detail,Costing Amount,kosta Upphæð
DocType: Student Admission,Application Fee,Umsókn Fee
@@ -2180,10 +2195,10 @@
DocType: POS Profile,[Select],[Veldu]
DocType: SMS Log,Sent To,send til
DocType: Payment Request,Make Sales Invoice,Gera sölureikning
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,hugbúnaður
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,hugbúnaður
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Næsta Hafa Date getur ekki verið í fortíðinni
DocType: Company,For Reference Only.,Til viðmiðunar aðeins.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Veldu lotu nr
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Veldu lotu nr
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Ógild {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,Advance Magn
@@ -2193,15 +2208,15 @@
DocType: Employee,Employment Details,Nánar Atvinna
DocType: Employee,New Workplace,ný Vinnustaðurinn
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Setja sem Lokað
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Ekkert atriði með Strikamerki {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Ekkert atriði með Strikamerki {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Case Nei getur ekki verið 0
DocType: Item,Show a slideshow at the top of the page,Sýnið skyggnusýningu efst á síðunni
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,verslanir
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,verslanir
DocType: Serial No,Delivery Time,Afhendingartími
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Öldrun Byggt á
DocType: Item,End of Life,End of Life
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,ferðalög
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,ferðalög
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Engin virk eða vanræksla Laun Uppbygging finna fyrir starfsmann {0} fyrir gefnar dagsetningar
DocType: Leave Block List,Allow Users,leyfa notendum
DocType: Purchase Order,Customer Mobile No,Viðskiptavinur Mobile Nei
@@ -2210,29 +2225,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Uppfæra Kostnaður
DocType: Item Reorder,Item Reorder,Liður Uppröðun
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Sýna Laun Slip
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Transfer Efni
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Transfer Efni
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Tilgreina rekstur, rekstrarkostnaði og gefa einstakt notkun eigi að rekstri þínum."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Þetta skjal er yfir mörkum með {0} {1} fyrir lið {4}. Ert þú að gera annað {3} gegn sama {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Vinsamlegast settu endurtekin eftir vistun
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Veldu breyting upphæð reiknings
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Þetta skjal er yfir mörkum með {0} {1} fyrir lið {4}. Ert þú að gera annað {3} gegn sama {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Vinsamlegast settu endurtekin eftir vistun
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Veldu breyting upphæð reiknings
DocType: Purchase Invoice,Price List Currency,Verðskrá Gjaldmiðill
DocType: Naming Series,User must always select,Notandi verður alltaf að velja
DocType: Stock Settings,Allow Negative Stock,Leyfa Neikvæð lager
DocType: Installation Note,Installation Note,uppsetning Note
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Bæta Skattar
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Bæta Skattar
DocType: Topic,Topic,Topic
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Cash Flow frá fjármögnun
DocType: Budget Account,Budget Account,Budget Account
DocType: Quality Inspection,Verified By,staðfest af
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Get ekki breytt sjálfgefið mynt félagsins, vegna þess að það eru núverandi viðskiptum. Viðskipti verða að vera lokað til að breyta sjálfgefið mynt."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Get ekki breytt sjálfgefið mynt félagsins, vegna þess að það eru núverandi viðskiptum. Viðskipti verða að vera lokað til að breyta sjálfgefið mynt."
DocType: Grading Scale Interval,Grade Description,gráðu Lýsing
DocType: Stock Entry,Purchase Receipt No,Kvittun Nei
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Earnest Money
DocType: Process Payroll,Create Salary Slip,Búa Laun Slip
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,rekjanleiki
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Uppruni Funds (Skuldir)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Magn í röð {0} ({1}) verður að vera það sama og framleiddar magn {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Uppruni Funds (Skuldir)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Magn í röð {0} ({1}) verður að vera það sama og framleiddar magn {2}
DocType: Appraisal,Employee,Starfsmaður
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Veldu hópur
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} er að fullu innheimt
DocType: Training Event,End Time,End Time
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Active Laun Uppbygging {0} fannst fyrir starfsmann {1} fyrir gefin dagsetningar
@@ -2244,11 +2260,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Required On
DocType: Rename Tool,File to Rename,Skrá til Endurnefna
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Vinsamlegast veldu BOM fyrir lið í Row {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Tilgreint BOM {0} er ekki til fyrir lið {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Reikningur {0} passar ekki við fyrirtæki {1} í reikningsaðferð: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Tilgreint BOM {0} er ekki til fyrir lið {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Viðhald Dagskrá {0} verður lokað áður en hætta þessu Velta Order
DocType: Notification Control,Expense Claim Approved,Expense Krafa Samþykkt
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Laun Slip starfsmanns {0} þegar búin á þessu tímabili
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Pharmaceutical
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Pharmaceutical
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Kostnaður vegna aðkeyptrar atriði
DocType: Selling Settings,Sales Order Required,Velta Order Required
DocType: Purchase Invoice,Credit To,Credit Til
@@ -2265,42 +2282,42 @@
DocType: Payment Gateway Account,Payment Account,greiðsla Reikningur
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,Vinsamlegast tilgreinið Company til að halda áfram
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Net Breyta viðskiptakrafna
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,jöfnunaraðgerðir Off
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,jöfnunaraðgerðir Off
DocType: Offer Letter,Accepted,Samþykkt
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,Skipulag
DocType: SG Creation Tool Course,Student Group Name,Student Group Name
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Vinsamlegast vertu viss um að þú viljir virkilega að eyða öllum viðskiptum fyrir þetta fyrirtæki. stofngögn haldast eins og það er. Þessi aðgerð er ekki hægt að afturkalla.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Vinsamlegast vertu viss um að þú viljir virkilega að eyða öllum viðskiptum fyrir þetta fyrirtæki. stofngögn haldast eins og það er. Þessi aðgerð er ekki hægt að afturkalla.
DocType: Room,Room Number,Room Number
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Ógild vísun {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) getur ekki verið meiri en áætlað quanitity ({2}) í framleiðslu Order {3}
DocType: Shipping Rule,Shipping Rule Label,Sendingar Regla Label
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,User Forum
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Hráefni má ekki vera auður.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Gat ekki uppfært lager, reikningsnúmer inniheldur falla skipum hlut."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Hráefni má ekki vera auður.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Gat ekki uppfært lager, reikningsnúmer inniheldur falla skipum hlut."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Quick Journal Entry
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,Þú getur ekki breytt hlutfall ef BOM getið agianst hvaða atriði
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,Þú getur ekki breytt hlutfall ef BOM getið agianst hvaða atriði
DocType: Employee,Previous Work Experience,Fyrri Starfsreynsla
DocType: Stock Entry,For Quantity,fyrir Magn
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Vinsamlegast sláðu Planned Magn fyrir lið {0} á röð {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} er ekki lögð
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Beiðnir um atriði.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Aðskilið framleiðsla þess verður búin til fyrir hvern fullunna gott lið.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} verður að vera neikvætt í staðinn skjal
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} verður að vera neikvætt í staðinn skjal
,Minutes to First Response for Issues,Mínútur til First Response fyrir málefni
DocType: Purchase Invoice,Terms and Conditions1,Skilmálar og Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,The nafn af the Institute sem þú ert að setja upp þetta kerfi.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,The nafn af the Institute sem þú ert að setja upp þetta kerfi.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Bókhald færsla fryst upp til þessa dagsetningu, enginn getur gert / breyta færslu, nema hlutverki sem tilgreindur er hér."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,Vistaðu skjalið áður kynslóð viðhald áætlun
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Project Status
DocType: UOM,Check this to disallow fractions. (for Nos),Hakaðu við þetta til að banna broti. (NOS)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Eftirfarandi Framleiðslu Pantanir voru búnar:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Eftirfarandi Framleiðslu Pantanir voru búnar:
DocType: Student Admission,Naming Series (for Student Applicant),Nafngiftir Series (fyrir námsmanna umsækjanda)
DocType: Delivery Note,Transporter Name,Flutningsaðili Nafn
DocType: Authorization Rule,Authorized Value,Leyft Value
DocType: BOM,Show Operations,Sýna Aðgerðir
,Minutes to First Response for Opportunity,Mínútur til First Response fyrir Tækifæri
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,alls Absent
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Liður eða Warehouse fyrir röð {0} passar ekki Material Beiðni
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Liður eða Warehouse fyrir röð {0} passar ekki Material Beiðni
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Mælieining
DocType: Fiscal Year,Year End Date,Ár Lokadagur
DocType: Task Depends On,Task Depends On,Verkefni veltur á
@@ -2379,11 +2396,11 @@
DocType: Asset,Manual,Manual
DocType: Salary Component Account,Salary Component Account,Laun Component Reikningur
DocType: Global Defaults,Hide Currency Symbol,Fela gjaldmiðilinn
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","td Bank, Cash, Credit Card"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","td Bank, Cash, Credit Card"
DocType: Lead Source,Source Name,Source Name
DocType: Journal Entry,Credit Note,Inneignarnótu
DocType: Warranty Claim,Service Address,þjónusta Address
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Húsgögnum og innréttingum
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Húsgögnum og innréttingum
DocType: Item,Manufacture,Framleiðsla
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Vinsamlegast Afhending Note fyrst
DocType: Student Applicant,Application Date,Umsókn Dagsetning
@@ -2393,7 +2410,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Úthreinsun Date ekki getið
apps/erpnext/erpnext/config/manufacturing.py +7,Production,framleiðsla
DocType: Guardian,Occupation,Atvinna
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Vinsamlega settu upp starfsmannamiðlunarkerfi í mannauði> HR-stillingar
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Row {0}: Byrja Bætt verður fyrir lokadagsetningu
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Alls (Magn)
DocType: Sales Invoice,This Document,Þetta skjal
@@ -2405,19 +2421,19 @@
DocType: Purchase Receipt,Time at which materials were received,Tími þar sem efni bárust
DocType: Stock Ledger Entry,Outgoing Rate,Outgoing Rate
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Stofnun útibú húsbóndi.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,eða
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,eða
DocType: Sales Order,Billing Status,Innheimta Staða
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Tilkynna um vandamál
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,gagnsemi Útgjöld
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,gagnsemi Útgjöld
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-Above
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Journal Entry {1} hefur ekki reikning {2} eða þegar samsvarandi gegn öðrum skírteini
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Journal Entry {1} hefur ekki reikning {2} eða þegar samsvarandi gegn öðrum skírteini
DocType: Buying Settings,Default Buying Price List,Sjálfgefið Buying Verðskrá
DocType: Process Payroll,Salary Slip Based on Timesheet,Laun Slip Byggt á tímaskráningar
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Enginn starfsmaður fyrir ofan valin viðmiðunum eða laun miði nú þegar búið
DocType: Notification Control,Sales Order Message,Velta Order Message
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Set Default gildi eins Company, Gjaldmiðill, yfirstandandi reikningsári, o.fl."
DocType: Payment Entry,Payment Type,greiðsla Type
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Vinsamlegast veldu lotu fyrir hlut {0}. Ekki er hægt að finna eina lotu sem uppfyllir þessa kröfu
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Vinsamlegast veldu lotu fyrir hlut {0}. Ekki er hægt að finna eina lotu sem uppfyllir þessa kröfu
DocType: Process Payroll,Select Employees,Select Starfsmenn
DocType: Opportunity,Potential Sales Deal,Hugsanleg sala Deal
DocType: Payment Entry,Cheque/Reference Date,Ávísun / Frestdagur
@@ -2437,7 +2453,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Kvittun skjal skal skilað
DocType: Purchase Invoice Item,Received Qty,fékk Magn
DocType: Stock Entry Detail,Serial No / Batch,Serial Nei / Batch
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Ekki greidd og ekki skilað
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Ekki greidd og ekki skilað
DocType: Product Bundle,Parent Item,Parent Item
DocType: Account,Account Type,Tegund reiknings
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2451,24 +2467,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),Auðkenning pakka fyrir afhendingu (fyrir prentun)
DocType: Bin,Reserved Quantity,frátekin Magn
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Vinsamlegast sláðu inn gilt netfang
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Það er engin lögboðin námskeið fyrir forritið {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Kvittun Items
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,sérsníða Eyðublöð
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,Arrear
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,Arrear
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Afskriftir Upphæð á tímabilinu
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Óvirkt sniðmát má ekki vera sjálfgefið sniðmát
DocType: Account,Income Account,tekjur Reikningur
DocType: Payment Request,Amount in customer's currency,Upphæð í mynt viðskiptavinarins
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Afhending
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Afhending
DocType: Stock Reconciliation Item,Current Qty,Núverandi Magn
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",Sjá "Rate Af efni byggt á" í kosta lið
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Fyrri
DocType: Appraisal Goal,Key Responsibility Area,Key Ábyrgð Area
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Námsmaður Lotur hjálpa þér að fylgjast með mætingu, mat og gjalda fyrir nemendur"
DocType: Payment Entry,Total Allocated Amount,Samtals úthlutað magn
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Stilltu sjálfgefinn birgðareikning fyrir varanlegan birgða
DocType: Item Reorder,Material Request Type,Efni Beiðni Type
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Journal Entry fyrir laun frá {0} til {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage er fullt, ekki spara"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage er fullt, ekki spara"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM viðskipta Factor er nauðsynlegur
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Ref
DocType: Budget,Cost Center,kostnaður Center
@@ -2481,19 +2497,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Verðlagning Regla er gert til að skrifa verðskrá / define afsláttur hlutfall, byggt á einhverjum forsendum."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Warehouse er einungis hægt að breyta í gegnum Kauphöll Entry / Afhending Note / Kvittun
DocType: Employee Education,Class / Percentage,Flokkur / Hlutfall
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Forstöðumaður markaðssetning og sala
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Tekjuskattur
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Forstöðumaður markaðssetning og sala
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Tekjuskattur
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Ef valið Verðlagning Regla er gert fyrir 'verð', mun það skrifa verðlista. Verðlagning Regla verð er endanlegt verð, þannig að engin frekari afsláttur ætti að vera beitt. Þess vegna, í viðskiptum eins Velta Order, Purchase Order etc, það verður sótt í 'gefa' sviði, frekar en 'verðlista gefa' sviði."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Track Vísbendingar um Industry tegund.
DocType: Item Supplier,Item Supplier,Liður Birgir
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,Vinsamlegast sláðu Item Code til að fá lotu nr
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},Vinsamlegast veldu gildi fyrir {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,Vinsamlegast sláðu Item Code til að fá lotu nr
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Vinsamlegast veldu gildi fyrir {0} quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Öllum vistföngum.
DocType: Company,Stock Settings,lager Stillingar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Samruni er aðeins mögulegt ef eftirfarandi eiginleikar eru sömu í báðum skrám. Er Group, Root Tegund, Company"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Samruni er aðeins mögulegt ef eftirfarandi eiginleikar eru sömu í báðum skrám. Er Group, Root Tegund, Company"
DocType: Vehicle,Electric,Electric
DocType: Task,% Progress,% Progress
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Hagnaður / tap Asset förgun
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Hagnaður / tap Asset förgun
DocType: Training Event,Will send an email about the event to employees with status 'Open',Mun senda tölvupóst um atburðinn til starfsmanna með stöðu 'Open'
DocType: Task,Depends on Tasks,Fer á Verkefni
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Stjórna Viðskiptavinur Group Tree.
@@ -2502,7 +2518,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Nýtt Kostnaður Center Name
DocType: Leave Control Panel,Leave Control Panel,Skildu Control Panel
DocType: Project,Task Completion,verkefni Lokið
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Ekki til á lager
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Ekki til á lager
DocType: Appraisal,HR User,HR User
DocType: Purchase Invoice,Taxes and Charges Deducted,Skattar og gjöld Frá
apps/erpnext/erpnext/hooks.py +116,Issues,Vandamál
@@ -2513,22 +2529,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Engin laun miði fannst á milli {0} og {1}
,Pending SO Items For Purchase Request,Bíður SO Hlutir til kaupa Beiðni
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Student Innlagnir
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} er óvirk
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} er óvirk
DocType: Supplier,Billing Currency,Innheimta Gjaldmiðill
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Auka stór
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Auka stór
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Samtals Leaves
,Profit and Loss Statement,Rekstrarreikningur yfirlýsing
DocType: Bank Reconciliation Detail,Cheque Number,ávísun Number
,Sales Browser,velta Browser
DocType: Journal Entry,Total Credit,alls Credit
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Viðvörun: Annar {0} # {1} er til gegn hlutabréfum færslu {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Local
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Local
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Útlán og kröfur (inneign)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Skuldunautar
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,stór
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,stór
DocType: Homepage Featured Product,Homepage Featured Product,Heimasíðan Valin Vara
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Allir Námsmat Hópar
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Allir Námsmat Hópar
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Nýtt Warehouse Name
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Alls {0} ({1})
DocType: C-Form Invoice Detail,Territory,Territory
@@ -2538,12 +2554,12 @@
DocType: Production Order Operation,Planned Start Time,Planned Start Time
DocType: Course,Assessment,mat
DocType: Payment Entry Reference,Allocated,úthlutað
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Loka Efnahagur og bók hagnaður eða tap.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Loka Efnahagur og bók hagnaður eða tap.
DocType: Student Applicant,Application Status,Umsókn Status
DocType: Fees,Fees,Gjöld
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Tilgreina Exchange Rate að breyta einum gjaldmiðli í annan
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Tilvitnun {0} er hætt
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Heildarstöðu útistandandi
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Heildarstöðu útistandandi
DocType: Sales Partner,Targets,markmið
DocType: Price List,Price List Master,Verðskrá Master
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Öll sala Viðskipti má tagged móti mörgum ** sölufólk ** þannig að þú getur sett og fylgjast markmið.
@@ -2575,11 +2591,11 @@
1. Address and Contact of your Company.","Staðlaðar Skilmálar og skilyrði sem hægt er að bæta við sölu og innkaup. Dæmi: 1. Gildi tilboðinu. 1. Greiðsluskilmálar (fyrirfram, á lánsfé, hluti fyrirfram etc). 1. Hvað er aukinn (eða ber að greiða viðskiptamanni). 1. Öryggi / notkun viðvörun. 1. Ábyrgð ef einhver er. 1. Skilareglur. 1. Skilmálar skipum, ef við á. 1. Leiðir sem fjallað deilur bætur, ábyrgð osfrv 1. Heimilisfang og Hafa fyrirtækisins."
DocType: Attendance,Leave Type,Leave Type
DocType: Purchase Invoice,Supplier Invoice Details,Birgir Reikningsyfirlit
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Kostnað / Mismunur reikning ({0}) verður að vera 'rekstrarreikning "reikning a
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Kostnað / Mismunur reikning ({0}) verður að vera 'rekstrarreikning "reikning a
DocType: Project,Copied From,Afritað frá
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Nafn villa: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,skortur
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} er ekki tengd við {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} er ekki tengd við {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Mæting fyrir starfsmann {0} er þegar merkt
DocType: Packing Slip,If more than one package of the same type (for print),Ef fleiri en einn pakka af sömu gerð (fyrir prentun)
,Salary Register,laun Register
@@ -2597,22 +2613,23 @@
,Requested Qty,Umbeðin Magn
DocType: Tax Rule,Use for Shopping Cart,Nota fyrir Shopping Cart
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Gildi {0} fyrir eigind {1} er ekki til á lista yfir gild lið eigindar í lið {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Veldu raðnúmer
DocType: BOM Item,Scrap %,rusl%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Gjöld verður dreift hlutfallslega miðað hlut Fjöldi eða magn, eins og á val þitt"
DocType: Maintenance Visit,Purposes,tilgangi
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Atleast eitt atriði skal færa með neikvæðum magni í staðinn skjal
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Atleast eitt atriði skal færa með neikvæðum magni í staðinn skjal
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operation {0} lengur en öllum tiltækum vinnutíma í vinnustöð {1}, brjóta niður rekstur í mörgum aðgerðum"
,Requested,Umbeðin
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,engar athugasemdir
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,engar athugasemdir
DocType: Purchase Invoice,Overdue,tímabært
DocType: Account,Stock Received But Not Billed,Stock mótteknar En ekki skuldfærður
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Rót Reikningur verður að vera hópur
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Rót Reikningur verður að vera hópur
DocType: Fees,FEE.,FEE.
DocType: Employee Loan,Repaid/Closed,Launað / Lokað
DocType: Item,Total Projected Qty,Alls spáð Magn
DocType: Monthly Distribution,Distribution Name,Dreifing Name
DocType: Course,Course Code,Auðvitað Code
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Quality Inspection krafist fyrir lið {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Quality Inspection krafist fyrir lið {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Gengi sem viðskiptavinurinn er mynt er breytt í grunngj.miðil félagsins
DocType: Purchase Invoice Item,Net Rate (Company Currency),Net Rate (Company Gjaldmiðill)
DocType: Salary Detail,Condition and Formula Help,Ástand og Formula Hjálp
@@ -2625,27 +2642,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Efni Transfer fyrir Framleiðsla
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Afsláttur Hlutfall hægt að beita annaðhvort á móti verðskrá eða fyrir alla verðlista.
DocType: Purchase Invoice,Half-yearly,Hálfsárs
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Bókhalds Færsla fyrir Lager
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Bókhalds Færsla fyrir Lager
DocType: Vehicle Service,Engine Oil,Vélarolía
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Vinsamlega settu upp starfsmannamiðlunarkerfi í mannauði> HR-stillingar
DocType: Sales Invoice,Sales Team1,velta TEAM1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Liður {0} er ekki til
DocType: Sales Invoice,Customer Address,viðskiptavinur Address
DocType: Employee Loan,Loan Details,lán Nánar
+DocType: Company,Default Inventory Account,Sjálfgefin birgðareikningur
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Row {0}: Lokið Magn verður að vera hærri en núll.
DocType: Purchase Invoice,Apply Additional Discount On,Berið Viðbótarupplýsingar afsláttur á
DocType: Account,Root Type,Root Type
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Get ekki skila meira en {1} fyrir lið {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Get ekki skila meira en {1} fyrir lið {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Söguþráður
DocType: Item Group,Show this slideshow at the top of the page,Sýna þessa myndasýningu efst á síðunni
DocType: BOM,Item UOM,Liður UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Skatthlutfall Eftir Afsláttur Upphæð (Company Gjaldmiðill)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Target vöruhús er nauðsynlegur fyrir röð {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Target vöruhús er nauðsynlegur fyrir röð {0}
DocType: Cheque Print Template,Primary Settings,Primary Stillingar
DocType: Purchase Invoice,Select Supplier Address,Veldu Birgir Address
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Bæta Starfsmenn
DocType: Purchase Invoice Item,Quality Inspection,Quality Inspection
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Extra Small
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small
DocType: Company,Standard Template,Standard Template
DocType: Training Event,Theory,Theory
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Viðvörun: Efni Umbeðin Magn er minna en Minimum Order Magn
@@ -2653,7 +2672,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Lögaðili / Dótturfélag með sérstakri Mynd af reikninga tilheyra stofnuninni.
DocType: Payment Request,Mute Email,Mute Email
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Matur, drykkir og Tobacco"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Getur aðeins gera greiðslu gegn ógreitt {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Getur aðeins gera greiðslu gegn ógreitt {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,hlutfall Framkvæmdastjórnin getur ekki verið meiri en 100
DocType: Stock Entry,Subcontract,undirverktaka
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Vinsamlegast sláðu inn {0} fyrst
@@ -2666,18 +2685,18 @@
DocType: SMS Log,No of Sent SMS,Ekkert af Sendir SMS
DocType: Account,Expense Account,Expense Reikningur
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,hugbúnaður
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Colour
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Colour
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Mat Plan Viðmið
DocType: Training Event,Scheduled,áætlunarferðir
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Beiðni um tilvitnun.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",Vinsamlegast veldu Hlutir sem "Er Stock Item" er "Nei" og "Er Velta Item" er "já" og það er engin önnur vara Bundle
DocType: Student Log,Academic,Academic
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Total fyrirfram ({0}) gegn Order {1} er ekki vera meiri en GRAND Samtals ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Total fyrirfram ({0}) gegn Order {1} er ekki vera meiri en GRAND Samtals ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Veldu Hlaupa dreifingu til ójafnt dreifa skotmörk yfir mánuði.
DocType: Purchase Invoice Item,Valuation Rate,verðmat Rate
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Verðlisti Gjaldmiðill ekki valinn
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Verðlisti Gjaldmiðill ekki valinn
,Student Monthly Attendance Sheet,Student Monthly Aðsókn Sheet
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Starfsmaður {0} hefur þegar sótt um {1} milli {2} og {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Project Start Date
@@ -2689,7 +2708,7 @@
DocType: BOM,Scrap,rusl
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Stjórna Velta Partners.
DocType: Quality Inspection,Inspection Type,skoðun Type
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Vöruhús með núverandi viðskipti er ekki hægt að breyta í hópinn.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Vöruhús með núverandi viðskipti er ekki hægt að breyta í hópinn.
DocType: Assessment Result Tool,Result HTML,niðurstaða HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,rennur út
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Bæta Nemendur
@@ -2697,13 +2716,13 @@
DocType: C-Form,C-Form No,C-Form Nei
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,ómerkt Aðsókn
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Rannsóknarmaður
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Rannsóknarmaður
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Program Innritun Tool Student
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Nafn eða netfang er nauðsynlegur
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Komandi gæði skoðun.
DocType: Purchase Order Item,Returned Qty,Kominn Magn
DocType: Employee,Exit,Hætta
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Root Type er nauðsynlegur
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root Type er nauðsynlegur
DocType: BOM,Total Cost(Company Currency),Total Cost (Company Gjaldmiðill)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serial Nei {0} búin
DocType: Homepage,Company Description for website homepage,Fyrirtæki Lýsing á heimasíðu heimasíðuna
@@ -2712,7 +2731,7 @@
DocType: Sales Invoice,Time Sheet List,Tími Sheet List
DocType: Employee,You can enter any date manually,Þú getur slegið inn hvaða dagsetningu handvirkt
DocType: Asset Category Account,Depreciation Expense Account,Afskriftir kostnað reiknings
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,reynslutíma
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,reynslutíma
DocType: Customer Group,Only leaf nodes are allowed in transaction,Aðeins blaða hnútar mega í viðskiptum
DocType: Expense Claim,Expense Approver,Expense samþykkjari
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Row {0}: Advance gegn Viðskiptavinur verður að vera trúnaður
@@ -2725,10 +2744,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Course Skrár eytt:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Logs fyrir að viðhalda SMS-sendingar stöðu
DocType: Accounts Settings,Make Payment via Journal Entry,Greiða í gegnum dagbókarfærslu
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Prentað á
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Prentað á
DocType: Item,Inspection Required before Delivery,Skoðun Áskilið fyrir fæðingu
DocType: Item,Inspection Required before Purchase,Skoðun Áskilið áður en kaupin
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,bið Starfsemi
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Stofnunin þín
DocType: Fee Component,Fees Category,Gjald Flokkur
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Vinsamlegast sláðu létta dagsetningu.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
@@ -2738,9 +2758,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Uppröðun Level
DocType: Company,Chart Of Accounts Template,Mynd af reikningum sniðmáti
DocType: Attendance,Attendance Date,Aðsókn Dagsetning
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Item Verð uppfærð fyrir {0} í verðskrá {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Item Verð uppfærð fyrir {0} í verðskrá {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Laun Breakup byggt á launin og frádráttur.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Reikningur með hnúta barn er ekki hægt að breyta í höfuðbók
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Reikningur með hnúta barn er ekki hægt að breyta í höfuðbók
DocType: Purchase Invoice Item,Accepted Warehouse,Samþykkt vöruhús
DocType: Bank Reconciliation Detail,Posting Date,staða Date
DocType: Item,Valuation Method,Verðmatsaðferð
@@ -2749,14 +2769,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,afrit færslu
DocType: Program Enrollment Tool,Get Students,fá Nemendur
DocType: Serial No,Under Warranty,undir ábyrgð
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Villa]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Villa]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,Í orðum verður sýnileg þegar þú hefur vistað Velta Order.
,Employee Birthday,starfsmaður Afmæli
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Hópur Aðsókn Tool
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,Limit Crossed
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Limit Crossed
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Venture Capital
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,An fræðihugtak með þessu "skólaárinu '{0} og' Term Name '{1} er þegar til. Vinsamlegast breyttu þessum færslum og reyndu aftur.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}",Eins og það eru núverandi reiðufé gegn færslu {0} er ekki hægt að breyta gildi {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}",Eins og það eru núverandi reiðufé gegn færslu {0} er ekki hægt að breyta gildi {1}
DocType: UOM,Must be Whole Number,Verður að vera heil tala
DocType: Leave Control Panel,New Leaves Allocated (In Days),Ný Leaves Úthlutað (í dögum)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serial Nei {0} er ekki til
@@ -2765,6 +2785,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Reikningsnúmer
DocType: Shopping Cart Settings,Orders,pantanir
DocType: Employee Leave Approver,Leave Approver,Skildu samþykkjari
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Vinsamlegast veldu lotu
DocType: Assessment Group,Assessment Group Name,Mat Group Name
DocType: Manufacturing Settings,Material Transferred for Manufacture,Efni flutt til Framleiðendur
DocType: Expense Claim,"A user with ""Expense Approver"" role",A notandi með "Kostnað samþykkjari" hlutverk
@@ -2774,9 +2795,10 @@
DocType: Target Detail,Target Detail,Target Detail
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,Allir Jobs
DocType: Sales Order,% of materials billed against this Sales Order,% Af efnum rukkaður gegn þessu Sales Order
+DocType: Program Enrollment,Mode of Transportation,Samgöngustíll
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Tímabil Lokar Entry
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Kostnaður Center við núverandi viðskipti er ekki hægt að breyta í hópinn
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Upphæð {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Upphæð {0} {1} {2} {3}
DocType: Account,Depreciation,gengislækkun
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Birgir (s)
DocType: Employee Attendance Tool,Employee Attendance Tool,Starfsmaður Aðsókn Tool
@@ -2784,7 +2806,7 @@
DocType: Supplier,Credit Limit,Skuldfærsluhámark
DocType: Production Plan Sales Order,Salse Order Date,Salse Röð Dagsetning
DocType: Salary Component,Salary Component,laun Component
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Greiðsla Færslur {0} eru un-tengd
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Greiðsla Færslur {0} eru un-tengd
DocType: GL Entry,Voucher No,skírteini nr
,Lead Owner Efficiency,Lead Owner Efficiency
DocType: Leave Allocation,Leave Allocation,Skildu Úthlutun
@@ -2795,11 +2817,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Snið af skilmálum eða samningi.
DocType: Purchase Invoice,Address and Contact,Heimilisfang og samband við
DocType: Cheque Print Template,Is Account Payable,Er reikningur Greiðist
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Stock Ekki er hægt að uppfæra á móti kvittun {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Stock Ekki er hægt að uppfæra á móti kvittun {0}
DocType: Supplier,Last Day of the Next Month,Last Day næsta mánaðar
DocType: Support Settings,Auto close Issue after 7 days,Auto nálægt Issue eftir 7 daga
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Leyfi ekki hægt að skipta áður en {0}, sem orlof jafnvægi hefur þegar verið fært sendar í framtíðinni leyfi úthlutun met {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Ath: Vegna / Frestdagur umfram leyfð viðskiptavina kredit dagar eftir {0} dag (s)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Ath: Vegna / Frestdagur umfram leyfð viðskiptavina kredit dagar eftir {0} dag (s)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Student Umsækjandi
DocType: Asset Category Account,Accumulated Depreciation Account,Uppsöfnuðum afskriftum Reikningur
DocType: Stock Settings,Freeze Stock Entries,Frysta lager Entries
@@ -2808,35 +2830,35 @@
DocType: Activity Cost,Billing Rate,Innheimta Rate
,Qty to Deliver,Magn í Bera
,Stock Analytics,lager Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Aðgerðir geta ekki vera autt
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Aðgerðir geta ekki vera autt
DocType: Maintenance Visit Purpose,Against Document Detail No,Gegn Document Detail No
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Party Type er nauðsynlegur
DocType: Quality Inspection,Outgoing,Outgoing
DocType: Material Request,Requested For,Umbeðin Fyrir
DocType: Quotation Item,Against Doctype,Against DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} er aflýst eða lokaður
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} er aflýst eða lokaður
DocType: Delivery Note,Track this Delivery Note against any Project,Fylgjast með þessari Delivery Ath gegn hvers Project
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Handbært fé frá fjárfesta
-,Is Primary Address,Er Primary Heimilisfang
DocType: Production Order,Work-in-Progress Warehouse,Work-í-gangi Warehouse
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Eignastýring {0} Leggja skal fram
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Aðsókn Record {0} hendi á móti Student {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Aðsókn Record {0} hendi á móti Student {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Tilvísun # {0} dagsett {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Afskriftir Féll út vegna ráðstöfunar eigna
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,stjórna Heimilisföng
DocType: Asset,Item Code,Item Code
DocType: Production Planning Tool,Create Production Orders,Búa Framleiðandi Pantanir
DocType: Serial No,Warranty / AMC Details,Ábyrgð í / AMC Nánar
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Veldu nemendur handvirkt fyrir hópinn sem byggir á starfsemi
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Veldu nemendur handvirkt fyrir hópinn sem byggir á starfsemi
DocType: Journal Entry,User Remark,Notandi Athugasemd
DocType: Lead,Market Segment,Market Segment
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Greiddur Upphæð má ekki vera meiri en heildar neikvæð útistandandi {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Greiddur Upphæð má ekki vera meiri en heildar neikvæð útistandandi {0}
DocType: Employee Internal Work History,Employee Internal Work History,Starfsmaður Innri Vinna Saga
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Lokun (Dr)
DocType: Cheque Print Template,Cheque Size,ávísun Size
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serial Nei {0} ekki til á lager
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Tax sniðmát til að selja viðskiptum.
DocType: Sales Invoice,Write Off Outstanding Amount,Skrifaðu Off Útistandandi fjárhæð
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Reikningur {0} passar ekki við fyrirtæki {1}
DocType: School Settings,Current Academic Year,Núverandi námsár
DocType: Stock Settings,Default Stock UOM,Sjálfgefið Stock UOM
DocType: Asset,Number of Depreciations Booked,Fjöldi Afskriftir Bókað
@@ -2851,27 +2873,27 @@
DocType: Asset,Double Declining Balance,Tvöfaldur Minnkandi Balance
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Lokað þess geta ekki verið lokað. Unclose að hætta.
DocType: Student Guardian,Father,faðir
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'Uppfæra Stock' Ekki er hægt að athuga fasta sölu eigna
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Uppfæra Stock' Ekki er hægt að athuga fasta sölu eigna
DocType: Bank Reconciliation,Bank Reconciliation,Bank Sættir
DocType: Attendance,On Leave,Í leyfi
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,fá uppfærslur
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} ekki tilheyra félaginu {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Efni Beiðni {0} er aflýst eða henni hætt
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Bæta nokkrum sýnishorn skrár
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Bæta nokkrum sýnishorn skrár
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Skildu Stjórnun
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Group eftir reikningi
DocType: Sales Order,Fully Delivered,Alveg Skilað
DocType: Lead,Lower Income,neðri Tekjur
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Uppspretta og miða vöruhús getur ekki verið það sama fyrir röð {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Uppspretta og miða vöruhús getur ekki verið það sama fyrir röð {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Munurinn Reikningur verður að vera Eigna- / Ábyrgðartegund reikningur, þar sem þetta Stock Sáttargjörð er Opening Entry"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Andvirði lánsins getur ekki verið hærri en Lánsupphæðir {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Innkaupapöntunarnúmeri þarf fyrir lið {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Framleiðsla Order ekki búin
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Innkaupapöntunarnúmeri þarf fyrir lið {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Framleiðsla Order ekki búin
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"Frá Dagsetning 'verður að vera eftir' Til Dagsetning '
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Get ekki breytt stöðu sem nemandi {0} er tengd við beitingu nemandi {1}
DocType: Asset,Fully Depreciated,Alveg afskrifaðar
,Stock Projected Qty,Stock Áætlaðar Magn
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Viðskiptavinur {0} ekki tilheyra verkefninu {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Viðskiptavinur {0} ekki tilheyra verkefninu {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Marked Aðsókn HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",Tilvitnanir eru tillögur tilboðum þú sendir til viðskiptavina þinna
DocType: Sales Order,Customer's Purchase Order,Viðskiptavinar Purchase Order
@@ -2880,33 +2902,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Summa skora á mat Criteria þarf að vera {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Vinsamlegast settu Fjöldi Afskriftir Bókað
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Gildi eða Magn
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Productions Pantanir geta ekki hækkað um:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Minute
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions Pantanir geta ekki hækkað um:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Minute
DocType: Purchase Invoice,Purchase Taxes and Charges,Purchase skatta og gjöld
,Qty to Receive,Magn til Fá
DocType: Leave Block List,Leave Block List Allowed,Skildu Block List leyfðar
DocType: Grading Scale Interval,Grading Scale Interval,Flokkun deilingar
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Kostnað Krafa um ökutæki Innskráning {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Afsláttur (%) á Verðskrá Verð með Minni
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,Allir Vöruhús
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Allir Vöruhús
DocType: Sales Partner,Retailer,Smásali
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Inneign á reikninginn verður að vera Efnahagur reikning
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Inneign á reikninginn verður að vera Efnahagur reikning
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Allar Birgir ferðalaga
DocType: Global Defaults,Disable In Words,Slökkva á í orðum
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,Item Code er nauðsynlegur vegna þess að hluturinn er ekki sjálfkrafa taldir
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Item Code er nauðsynlegur vegna þess að hluturinn er ekki sjálfkrafa taldir
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Tilvitnun {0} ekki af tegund {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Viðhald Dagskrá Item
DocType: Sales Order,% Delivered,% Skilað
DocType: Production Order,PRO-,PRO
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Bank Heimildarlás Account
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Bank Heimildarlás Account
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Gera Laun Slip
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: Úthlutað Magn má ekki vera hærra en útistandandi upphæð.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Fletta BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Veðlán
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Veðlán
DocType: Purchase Invoice,Edit Posting Date and Time,Edit Staða Dagsetning og tími
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Vinsamlegast settu Fyrningar tengjast Accounts í eignaflokki {0} eða félaginu {1}
DocType: Academic Term,Academic Year,skólaárinu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Opnun Balance Equity
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Opnun Balance Equity
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Úttekt
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},Tölvupóstur sendur á birgi {0}
@@ -2922,7 +2944,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Samþykkir hlutverki getur ekki verið sama og hlutverk reglan er við að
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Segja upp áskrift að þessum tölvupósti Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,skilaboð send
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Reikningur með hnúta barn er ekki hægt að setja eins og höfuðbók
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Reikningur með hnúta barn er ekki hægt að setja eins og höfuðbók
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Gengi sem Verðskrá mynt er breytt í grunngj.miðil viðskiptavinarins
DocType: Purchase Invoice Item,Net Amount (Company Currency),Net Magn (Company Gjaldmiðill)
@@ -2956,7 +2978,7 @@
DocType: Expense Claim,Approval Status,Staða samþykkis
DocType: Hub Settings,Publish Items to Hub,Birta Hlutir til Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},Frá gildi verður að vera minna en að verðmæti í röð {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,millifærsla
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,millifærsla
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Athugaðu alla
DocType: Vehicle Log,Invoice Ref,Invoice Ref
DocType: Purchase Order,Recurring Order,Fastir Order
@@ -2969,51 +2991,54 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Bankastarfsemi og greiðslur
,Welcome to ERPNext,Velkomið að ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Leiða til tilvitnun
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Ekkert meira að sýna.
DocType: Lead,From Customer,frá viðskiptavinar
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,símtöl
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,símtöl
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,Hópur
DocType: Project,Total Costing Amount (via Time Logs),Total Kosta Magn (með Time Logs)
DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Purchase Order {0} er ekki lögð
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Purchase Order {0} er ekki lögð
DocType: Customs Tariff Number,Tariff Number,gjaldskrá Number
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Áætlaðar
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serial Nei {0} ekki tilheyra Warehouse {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Ath: Kerfi mun ekki stöðva yfir fæðingu og yfir-bókun fyrir lið {0} sem magn eða upphæð er 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Ath: Kerfi mun ekki stöðva yfir fæðingu og yfir-bókun fyrir lið {0} sem magn eða upphæð er 0
DocType: Notification Control,Quotation Message,Tilvitnun Message
DocType: Employee Loan,Employee Loan Application,Starfsmaður lánsumsókn
DocType: Issue,Opening Date,opnun Date
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Aðsókn hefur verið merkt með góðum árangri.
+DocType: Program Enrollment,Public Transport,Almenningssamgöngur
DocType: Journal Entry,Remark,athugasemd
DocType: Purchase Receipt Item,Rate and Amount,Hlutfall og Magn
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Reikningur Type fyrir {0} verður að vera {1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,Blöð og Holiday
DocType: School Settings,Current Academic Term,Núverandi námsbraut
DocType: Sales Order,Not Billed,ekki borgað
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Bæði Warehouse að tilheyra sama Company
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Engir tengiliðir bætt við enn.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Bæði Warehouse að tilheyra sama Company
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Engir tengiliðir bætt við enn.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landað Kostnaður skírteini Magn
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Víxlar hækkaðir um birgja.
DocType: POS Profile,Write Off Account,Skrifaðu Off reikning
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Greiðslubréf Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,afsláttur Upphæð
DocType: Purchase Invoice,Return Against Purchase Invoice,Return Against kaupa Reikningar
DocType: Item,Warranty Period (in days),Ábyrgðartímabilið (í dögum)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Tengsl Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Tengsl Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Handbært fé frá rekstri
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,td VSK
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,td VSK
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Liður 4
DocType: Student Admission,Admission End Date,Aðgangseyrir Lokadagur
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Sub-samningagerð
DocType: Journal Entry Account,Journal Entry Account,Journal Entry Reikningur
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Student Group
DocType: Shopping Cart Settings,Quotation Series,Tilvitnun Series
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item",Atriði til staðar með sama nafni ({0}) skaltu breyta liður heiti hópsins eða endurnefna hlutinn
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Vinsamlegast veldu viðskiptavin
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item",Atriði til staðar með sama nafni ({0}) skaltu breyta liður heiti hópsins eða endurnefna hlutinn
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Vinsamlegast veldu viðskiptavin
DocType: C-Form,I,ég
DocType: Company,Asset Depreciation Cost Center,Eignastýring Afskriftir Kostnaður Center
DocType: Sales Order Item,Sales Order Date,Velta Order Dagsetning
DocType: Sales Invoice Item,Delivered Qty,Skilað Magn
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.",Ef hakað öll börn hverri framleiðslueiningu atriði verður með í efninu beiðnir.
DocType: Assessment Plan,Assessment Plan,mat Plan
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Warehouse {0}: Company er nauðsynlegur
DocType: Stock Settings,Limit Percent,Limit Percent
,Payment Period Based On Invoice Date,Greiðsla Tímabil Byggt á reikningi Dagsetning
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Vantar gjaldeyri Verð fyrir {0}
@@ -3025,7 +3050,7 @@
DocType: Vehicle,Insurance Details,Tryggingar Upplýsingar
DocType: Account,Payable,greiðist
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,Vinsamlegast sláðu inn lánstíma
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Skuldarar ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Skuldarar ({0})
DocType: Pricing Rule,Margin,spássía
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,ný Viðskiptavinir
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Framlegð%
@@ -3036,16 +3061,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Party er nauðsynlegur
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,Topic Name
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Atleast einn af selja eða kaupa verður að vera valinn
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Veldu eðli rekstrar þíns.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Atleast einn af selja eða kaupa verður að vera valinn
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Veldu eðli rekstrar þíns.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Row # {0}: Afrita færslu í tilvísunum {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Hvar framleiðslu aðgerðir eru gerðar.
DocType: Asset Movement,Source Warehouse,Source Warehouse
DocType: Installation Note,Installation Date,uppsetning Dagsetning
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} ekki tilheyra félaginu {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} ekki tilheyra félaginu {2}
DocType: Employee,Confirmation Date,staðfesting Dagsetning
DocType: C-Form,Total Invoiced Amount,Alls Upphæð á reikningi
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Magn má ekki vera meiri en Max Magn
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Min Magn má ekki vera meiri en Max Magn
DocType: Account,Accumulated Depreciation,uppsöfnuðum afskriftum
DocType: Stock Entry,Customer or Supplier Details,Viðskiptavina eða Birgir Upplýsingar
DocType: Employee Loan Application,Required by Date,Krafist af Dagsetning
@@ -3066,22 +3091,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Mánaðarleg Dreifing Hlutfall
DocType: Territory,Territory Targets,Territory markmið
DocType: Delivery Note,Transporter Info,Transporter Upplýsingar
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Vinsamlegast settu sjálfgefið {0} í félaginu {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Vinsamlegast settu sjálfgefið {0} í félaginu {1}
DocType: Cheque Print Template,Starting position from top edge,Upphafsstöðu frá efstu brún
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Sama birgir hefur verið slegið mörgum sinnum
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Gross Hagnaður / Tap
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Purchase Order Item Staðar
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Nafn fyrirtækis er ekki hægt Company
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Nafn fyrirtækis er ekki hægt Company
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Bréf Heads fyrir prenta sniðmát.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Titlar til prenta sniðmát td Próformareikningur.
DocType: Student Guardian,Student Guardian,Student Guardian
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Verðmat gerð gjöld geta ekki merkt sem Inclusive
DocType: POS Profile,Update Stock,Uppfæra Stock
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Birgir> Birgir Tegund
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Mismunandi UOM að atriðum mun leiða til rangrar (alls) nettóþyngd gildi. Gakktu úr skugga um að nettóþyngd hvern hlut er í sama UOM.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Rate
DocType: Asset,Journal Entry for Scrap,Journal Entry fyrir rusl
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Vinsamlegast draga atriði úr afhendingarseðlinum
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Journal Entries {0} eru un-tengd
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Journal Entries {0} eru un-tengd
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Upptaka af öllum samskiptum sem gerð tölvupósti, síma, spjall, heimsókn o.fl."
DocType: Manufacturer,Manufacturers used in Items,Framleiðendur notað í liðum
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Vinsamlegast nefna Round Off Kostnaður Center í félaginu
@@ -3128,33 +3154,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,Birgir skilar til viðskiptavinar
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) er út af lager
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Næsta Dagsetning verður að vera hærri en að senda Dagsetning
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Sýna skattur brjóta upp
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Vegna / Reference Dagsetning má ekki vera á eftir {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Sýna skattur brjóta upp
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Vegna / Reference Dagsetning má ekki vera á eftir {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Gögn Innflutningur og útflutningur
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","Lager færslur eru á móti Warehouse {0}, þess vegna getur þú ekki farið aftur framselja eða breyta henni"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Engar nemendur Found
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Engar nemendur Found
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Reikningar Staða Date
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,selja
DocType: Sales Invoice,Rounded Total,Ávalur Total
DocType: Product Bundle,List items that form the package.,Listaatriði sem mynda pakka.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Hlutfall Úthlutun skal vera jafnt og 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,Vinsamlegast veldu dagsetningu birtingar áður en þú velur Party
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Vinsamlegast veldu dagsetningu birtingar áður en þú velur Party
DocType: Program Enrollment,School House,School House
DocType: Serial No,Out of AMC,Út af AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Vinsamlegast veldu Tilvitnanir
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Vinsamlegast veldu Tilvitnanir
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Fjöldi Afskriftir bókað getur ekki verið meiri en heildarfjöldi Afskriftir
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Gera Viðhald Heimsókn
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,Vinsamlegast hafðu samband við til notanda sem hefur sala Master Manager {0} hlutverki
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,Vinsamlegast hafðu samband við til notanda sem hefur sala Master Manager {0} hlutverki
DocType: Company,Default Cash Account,Sjálfgefið Cash Reikningur
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Company (ekki viðskiptamenn eða birgja) skipstjóri.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Þetta er byggt á mætingu þessa Student
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Engar nemendur í
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Engar nemendur í
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Bæta við fleiri atriði eða opnu fulla mynd
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',Vinsamlegast sláðu inn 'áætlaðan fæðingardag'
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Afhending Skýringar {0} verður lokað áður en hætta þessu Velta Order
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Greiddur upphæð + afskrifa Upphæð má ekki vera meiri en Grand Total
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Greiddur upphæð + afskrifa Upphæð má ekki vera meiri en Grand Total
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} er ekki gild Batch Símanúmer fyrir lið {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Athugið: Það er ekki nóg leyfi jafnvægi um leyfi Tegund {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,Ógild GSTIN eða Sláðu inn NA fyrir óskráð
DocType: Training Event,Seminar,Seminar
DocType: Program Enrollment Fee,Program Enrollment Fee,Program innritunargjöld
DocType: Item,Supplier Items,birgir Items
@@ -3180,27 +3206,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Liður 3
DocType: Purchase Order,Customer Contact Email,Viðskiptavinur samband við Tölvupóstur
DocType: Warranty Claim,Item and Warranty Details,Item og Ábyrgð Details
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Vörunúmer> Liðurhópur> Vörumerki
DocType: Sales Team,Contribution (%),Framlag (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Ath: Greiðsla Entry verður ekki búið síðan 'Cash eða Bank Account "var ekki tilgreint
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Veldu forritið til að sækja nauðsynleg námskeið.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,ábyrgð
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,ábyrgð
DocType: Expense Claim Account,Expense Claim Account,Expense Krafa Reikningur
DocType: Sales Person,Sales Person Name,Velta Person Name
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Vinsamlegast sláðu inn atleast 1 reikning í töflunni
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Bæta notendur
DocType: POS Item Group,Item Group,Liður Group
DocType: Item,Safety Stock,Safety Stock
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Progress% fyrir verkefni getur ekki verið meira en 100.
DocType: Stock Reconciliation Item,Before reconciliation,áður sátta
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Til {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Skattar og gjöld bætt (Company Gjaldmiðill)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Liður Tax Row {0} verður að hafa hliðsjón af tegund skatta eða tekjur eða gjöld eða Skuldfæranlegar
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Liður Tax Row {0} verður að hafa hliðsjón af tegund skatta eða tekjur eða gjöld eða Skuldfæranlegar
DocType: Sales Order,Partly Billed,hluta Billed
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Liður {0} verður að vera fast eign Item
DocType: Item,Default BOM,Sjálfgefið BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,Vinsamlega munið gerð nafn fyrirtækis til að staðfesta
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Alls Framúrskarandi Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Gengisskuldbinding
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Vinsamlega munið gerð nafn fyrirtækis til að staðfesta
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Alls Framúrskarandi Amt
DocType: Journal Entry,Printing Settings,prentun Stillingar
DocType: Sales Invoice,Include Payment (POS),Fela Greiðsla (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Alls skuldfærsla verður að vera jöfn Total Credit. Munurinn er {0}
@@ -3214,15 +3238,16 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Á lager:
DocType: Notification Control,Custom Message,Custom Message
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Fyrirtækjaráðgjöf
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Cash eða Bank Account er nauðsynlegur til að gera greiðslu færslu
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Námsmaður Heimilisfang
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Cash eða Bank Account er nauðsynlegur til að gera greiðslu færslu
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Vinsamlegast settu upp flokkunarnúmer fyrir þátttöku í gegnum skipulag> Númerakerfi
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Námsmaður Heimilisfang
DocType: Purchase Invoice,Price List Exchange Rate,Verðskrá Exchange Rate
DocType: Purchase Invoice Item,Rate,Gefa
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Intern
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,netfang Nafn
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Intern
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,netfang Nafn
DocType: Stock Entry,From BOM,frá BOM
DocType: Assessment Code,Assessment Code,mat Code
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Basic
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Basic
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Lager viðskipti fyrir {0} eru frystar
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',Vinsamlegast smelltu á 'Búa Stundaskrá'
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","td Kg, Unit, Nos, m"
@@ -3232,11 +3257,11 @@
DocType: Salary Slip,Salary Structure,laun Uppbygging
DocType: Account,Bank,Bank
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Airline
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Issue Efni
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Issue Efni
DocType: Material Request Item,For Warehouse,fyrir Warehouse
DocType: Employee,Offer Date,Tilboð Dagsetning
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Tilvitnun
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Þú ert í offline háttur. Þú munt ekki vera fær um að endurhlaða fyrr en þú hefur net.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,Þú ert í offline háttur. Þú munt ekki vera fær um að endurhlaða fyrr en þú hefur net.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Engar Student Groups búin.
DocType: Purchase Invoice Item,Serial No,Raðnúmer
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Mánaðarlega endurgreiðslu Upphæð má ekki vera meiri en lánsfjárhæð
@@ -3244,8 +3269,8 @@
DocType: Purchase Invoice,Print Language,Print Tungumál
DocType: Salary Slip,Total Working Hours,Samtals Vinnutíminn
DocType: Stock Entry,Including items for sub assemblies,Þ.mt atriði fyrir undir þingum
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Sláðu gildi verður að vera jákvæð
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Allir Territories
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Sláðu gildi verður að vera jákvæð
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Allir Territories
DocType: Purchase Invoice,Items,atriði
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Nemandi er nú skráður.
DocType: Fiscal Year,Year Name,ár Name
@@ -3263,10 +3288,10 @@
DocType: Issue,Opening Time,opnun Time
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Frá og Til dagsetningar krafist
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Verðbréf & hrávöru ungmennaskipti
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Default Mælieiningin fyrir Variant '{0}' verða að vera sama og í sniðmáti '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Default Mælieiningin fyrir Variant '{0}' verða að vera sama og í sniðmáti '{1}'
DocType: Shipping Rule,Calculate Based On,Reikna miðað við
DocType: Delivery Note Item,From Warehouse,frá Warehouse
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Engar Verk með Bill of Materials að Manufacture
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Engar Verk með Bill of Materials að Manufacture
DocType: Assessment Plan,Supervisor Name,Umsjón Name
DocType: Program Enrollment Course,Program Enrollment Course,Forritunarnámskeið
DocType: Purchase Taxes and Charges,Valuation and Total,Verðmat og Total
@@ -3281,18 +3306,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Dagar frá síðustu pöntun' verður að vera meiri en eða jafnt og núll
DocType: Process Payroll,Payroll Frequency,launaskrá Tíðni
DocType: Asset,Amended From,breytt Frá
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Hrátt efni
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Hrátt efni
DocType: Leave Application,Follow via Email,Fylgdu með tölvupósti
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Plöntur og Machineries
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Plöntur og Machineries
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Skatthlutfall Eftir Afsláttur Upphæð
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Daglegar Stillingar Vinna Yfirlit
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Gjaldmiðill verðlista {0} er ekki svipað með gjaldmiðli sem valinn {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Gjaldmiðill verðlista {0} er ekki svipað með gjaldmiðli sem valinn {1}
DocType: Payment Entry,Internal Transfer,innri Transfer
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Barnið er til fyrir þennan reikning. Þú getur ekki eytt þessum reikningi.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Barnið er til fyrir þennan reikning. Þú getur ekki eytt þessum reikningi.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Annaðhvort miða Magn eða miða upphæð er nauðsynlegur
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Ekkert sjálfgefið BOM er til fyrir lið {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Ekkert sjálfgefið BOM er til fyrir lið {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Vinsamlegast veldu dagsetningu birtingar fyrst
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Opnun Date ætti að vera áður lokadegi
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vinsamlegast settu Nöfnunarröð fyrir {0} í gegnum Skipulag> Stillingar> Nöfnunarröð
DocType: Leave Control Panel,Carry Forward,Haltu áfram
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Kostnaður Center við núverandi viðskipti er ekki hægt að breyta í höfuðbók
DocType: Department,Days for which Holidays are blocked for this department.,Dagar sem Frídagar eru læst í þessari deild.
@@ -3302,10 +3328,9 @@
DocType: Issue,Raised By (Email),Vakti By (Email)
DocType: Training Event,Trainer Name,þjálfari Name
DocType: Mode of Payment,General,almennt
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,hengja bréfshaus
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Síðasta samskipti
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Get ekki draga þegar flokkur er fyrir 'Verðmat' eða 'Verðmat og heildar'
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Listi skatt höfuð (td VSK, toll etc, þeir ættu að hafa einstaka nöfn) og staðlaðar verð þeirra. Þetta mun búa til staðlaða sniðmát sem þú getur breytt og bætt meira seinna."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Listi skatt höfuð (td VSK, toll etc, þeir ættu að hafa einstaka nöfn) og staðlaðar verð þeirra. Þetta mun búa til staðlaða sniðmát sem þú getur breytt og bætt meira seinna."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Serial Nos Áskilið fyrir serialized lið {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Passa Greiðslur með Reikningar
DocType: Journal Entry,Bank Entry,Bank Entry
@@ -3314,16 +3339,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Bæta í körfu
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Group By
DocType: Guardian,Interests,Áhugasvið
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Virkja / slökkva á gjaldmiðla.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Virkja / slökkva á gjaldmiðla.
DocType: Production Planning Tool,Get Material Request,Fá Material Beiðni
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,pósti Útgjöld
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,pósti Útgjöld
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Alls (Amt)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Skemmtun & Leisure
DocType: Quality Inspection,Item Serial No,Liður Serial Nei
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Búa Employee Records
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,alls Present
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,bókhald Yfirlýsingar
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,klukkustund
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,klukkustund
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,New Serial Nei getur ekki hafa Warehouse. Warehouse verður að setja af lager Entry eða kvittun
DocType: Lead,Lead Type,Lead Tegund
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Þú hefur ekki heimild til að samþykkja lauf á Block Dagsetningar
@@ -3335,6 +3360,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,Hin nýja BOM eftir skipti
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Sölustaður
DocType: Payment Entry,Received Amount,fékk Upphæð
+DocType: GST Settings,GSTIN Email Sent On,GSTIN Email Sent On
+DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop með forráðamanni
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Búa til fullt magn, hunsa magn þegar á röð"
DocType: Account,Tax,Tax
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,ekki Marked
@@ -3346,14 +3373,14 @@
DocType: Batch,Source Document Name,Heimild skjal Nafn
DocType: Job Opening,Job Title,Starfsheiti
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Búa notendur
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,Gram
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,Gram
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Magn á Framleiðsla verður að vera hærri en 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Heimsókn skýrslu fyrir símtal viðhald.
DocType: Stock Entry,Update Rate and Availability,Update Rate og Framboð
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Hlutfall sem þú ert leyft að taka á móti eða afhenda fleiri gegn pantað magn. Til dæmis: Ef þú hefur pantað 100 einingar. og barnabætur er 10% þá er leyft að taka á móti 110 einingar.
DocType: POS Customer Group,Customer Group,viðskiptavinur Group
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Ný lotunúmer (valfrjálst)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Kostnað reikningur er nauðsynlegur fyrir lið {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Kostnað reikningur er nauðsynlegur fyrir lið {0}
DocType: BOM,Website Description,Vefsíða Lýsing
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Net breyting á eigin fé
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Vinsamlegast hætta kaupa Reikningar {0} fyrst
@@ -3363,8 +3390,8 @@
,Sales Register,velta Nýskráning
DocType: Daily Work Summary Settings Company,Send Emails At,Senda póst At
DocType: Quotation,Quotation Lost Reason,Tilvitnun Lost Ástæða
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Veldu lénið þitt
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Tilvísunarnúmer viðskipta engin {0} dagsett {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Veldu lénið þitt
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Tilvísunarnúmer viðskipta engin {0} dagsett {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Það er ekkert að breyta.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Samantekt fyrir þennan mánuð og bið starfsemi
DocType: Customer Group,Customer Group Name,Viðskiptavinar Group Name
@@ -3372,14 +3399,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Sjóðstreymi
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Lánið upphæð mega vera Hámarkslán af {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,License
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},Vinsamlegast fjarlægðu þennan reikning {0} úr C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},Vinsamlegast fjarlægðu þennan reikning {0} úr C-Form {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Vinsamlegast veldu Yfirfæranlegt ef þú vilt líka að fela jafnvægi fyrra reikningsári er fer að þessu fjárhagsári
DocType: GL Entry,Against Voucher Type,Against Voucher Tegund
DocType: Item,Attributes,Eigindir
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,Vinsamlegast sláðu afskrifa reikning
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Vinsamlegast sláðu afskrifa reikning
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Síðasta Röð Dagsetning
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Reikningur {0} er ekki tilheyrir fyrirtækinu {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Raðnúmer í röð {0} samsvarar ekki við Afhendingartilkynningu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Raðnúmer í röð {0} samsvarar ekki við Afhendingartilkynningu
DocType: Student,Guardian Details,Guardian Upplýsingar
DocType: C-Form,C-Form,C-Form
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark Mæting fyrir margar starfsmenn
@@ -3394,16 +3421,16 @@
DocType: Budget Account,Budget Amount,Budget Upphæð
DocType: Appraisal Template,Appraisal Template Title,Úttekt Snið Title
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Frá Dagsetning {0} fyrir Starfsmaður {1} er ekki hægt áður en hann Dagsetning starfsmanns {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Commercial
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Commercial
DocType: Payment Entry,Account Paid To,Reikningur Greiddur Til
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Parent Item {0} mátt ekki vera Stock Item
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Allar vörur eða þjónustu.
DocType: Expense Claim,More Details,Nánari upplýsingar
DocType: Supplier Quotation,Supplier Address,birgir Address
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Fjárhagsáætlun fyrir reikning {1} gegn {2} {3} er {4}. Það mun fara yfir um {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Row {0} # Reikningur verður að vera af gerðinni 'Fast Asset'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,út Magn
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Reglur til að reikna sendingarkostnað upphæð fyrir sölu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Row {0} # Reikningur verður að vera af gerðinni 'Fast Asset'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,út Magn
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Reglur til að reikna sendingarkostnað upphæð fyrir sölu
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Series er nauðsynlegur
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Financial Services
DocType: Student Sibling,Student ID,Student ID
@@ -3411,13 +3438,13 @@
DocType: Tax Rule,Sales,velta
DocType: Stock Entry Detail,Basic Amount,grunnfjárhæð
DocType: Training Event,Exam,Exam
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Warehouse krafist fyrir hlutabréfum lið {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Warehouse krafist fyrir hlutabréfum lið {0}
DocType: Leave Allocation,Unused leaves,ónotuð leyfi
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,cr
DocType: Tax Rule,Billing State,Innheimta State
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Transfer
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} er ekki tengt við Party reikninginn {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Ná sprakk BOM (þ.mt undireiningar)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} er ekki tengt við Party reikninginn {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Ná sprakk BOM (þ.mt undireiningar)
DocType: Authorization Rule,Applicable To (Employee),Gildir til (starfsmaður)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Skiladagur er nauðsynlegur
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Vöxtur fyrir eigind {0} er ekki verið 0
@@ -3445,7 +3472,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Raw Material Item Code
DocType: Journal Entry,Write Off Based On,Skrifaðu Off byggt á
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,gera Blý
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Prenta og Ritföng
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Prenta og Ritföng
DocType: Stock Settings,Show Barcode Field,Sýna Strikamerki Field
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Senda Birgir póst
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Laun þegar unnin fyrir tímabilið milli {0} og {1}, Skildu umsókn tímabil getur ekki verið á milli þessu tímabili."
@@ -3453,13 +3480,15 @@
DocType: Guardian Interest,Guardian Interest,Guardian Vextir
apps/erpnext/erpnext/config/hr.py +177,Training,Þjálfun
DocType: Timesheet,Employee Detail,starfsmaður Detail
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Forráðamaður1 Netfang
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Forráðamaður1 Netfang
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,Dagur næsta degi og endurtaka á Dagur mánaðar verður að vera jöfn
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Stillingar fyrir heimasíðu heimasíðuna
DocType: Offer Letter,Awaiting Response,bíður svars
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,hér að framan
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,hér að framan
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},Ógild eiginleiki {0} {1}
DocType: Supplier,Mention if non-standard payable account,Tilgreindu ef ekki staðlað greiðslureikningur
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Sama hlutur hefur verið sleginn inn mörgum sinnum. {Listi}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Vinsamlegast veldu matshópinn annað en 'Öll matshópa'
DocType: Salary Slip,Earning & Deduction,Launin & Frádráttur
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Valfrjálst. Þessi stilling verður notuð til að sía í ýmsum viðskiptum.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Neikvætt Verðmat Rate er ekki leyfð
@@ -3473,9 +3502,9 @@
DocType: Sales Invoice,Product Bundle Help,Vara Knippi Hjálp
,Monthly Attendance Sheet,Mánaðarleg Aðsókn Sheet
DocType: Production Order Item,Production Order Item,Framleiðsla Order Item
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Ekkert fannst
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Ekkert fannst
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Kostnaður við rifið Eignastýring
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Kostnaður Center er nauðsynlegur fyrir lið {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Kostnaður Center er nauðsynlegur fyrir lið {2}
DocType: Vehicle,Policy No,stefna Nei
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Fá atriði úr Vara Knippi
DocType: Asset,Straight Line,Bein lína
@@ -3483,7 +3512,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Skipta
DocType: GL Entry,Is Advance,er Advance
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Aðsókn Frá Dagsetning og Aðsókn hingað til er nauðsynlegur
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,Vinsamlegast sláðu inn "Er undirverktöku" eins já eða nei
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,Vinsamlegast sláðu inn "Er undirverktöku" eins já eða nei
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Síðasti samskiptadagur
DocType: Sales Team,Contact No.,Viltu samband við No.
DocType: Bank Reconciliation,Payment Entries,Greiðsla Entries
@@ -3509,60 +3538,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,opnun Value
DocType: Salary Detail,Formula,Formula
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Þóknun á sölu
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Þóknun á sölu
DocType: Offer Letter Term,Value / Description,Gildi / Lýsing
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} er ekki hægt að skila, það er þegar {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} er ekki hægt að skila, það er þegar {2}"
DocType: Tax Rule,Billing Country,Innheimta Country
DocType: Purchase Order Item,Expected Delivery Date,Áætlaðan fæðingardag
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Greiðslu- ekki jafnir fyrir {0} # {1}. Munurinn er {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,risnu
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Gera Material Beiðni
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,risnu
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Gera Material Beiðni
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Open Item {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Velta Invoice {0} verður aflýst áður en hætta þessu Velta Order
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Aldur
DocType: Sales Invoice Timesheet,Billing Amount,Innheimta Upphæð
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Ógild magn sem tilgreint er fyrir lið {0}. Magn ætti að vera hærri en 0.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Umsókn um leyfi.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Reikningur með núverandi viðskipti getur ekki eytt
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Reikningur með núverandi viðskipti getur ekki eytt
DocType: Vehicle,Last Carbon Check,Síðasta Carbon Athuga
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,málskostnaðar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,málskostnaðar
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Vinsamlegast veljið magn í röð
DocType: Purchase Invoice,Posting Time,staða Time
DocType: Timesheet,% Amount Billed,% Magn Billed
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Sími Útgjöld
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Sími Útgjöld
DocType: Sales Partner,Logo,logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Hakaðu við þetta ef þú vilt að þvinga notendur til að velja röð áður en þú vistar. Það verður ekkert sjálfgefið ef þú athuga þetta.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Ekkert atriði með Serial nr {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Ekkert atriði með Serial nr {0}
DocType: Email Digest,Open Notifications,Opið Tilkynningar
DocType: Payment Entry,Difference Amount (Company Currency),Munurinn Magn (Company Gjaldmiðill)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,bein Útgjöld
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,bein Útgjöld
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} er ógild netfang í 'Tilkynning \ netfanginu'
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Ný Tekjur Viðskiptavinur
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Ferðakostnaður
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Ferðakostnaður
DocType: Maintenance Visit,Breakdown,Brotna niður
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Reikningur: {0} með gjaldeyri: {1} Ekki er hægt að velja
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Reikningur: {0} með gjaldeyri: {1} Ekki er hægt að velja
DocType: Bank Reconciliation Detail,Cheque Date,ávísun Dagsetning
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Reikningur {0}: Foreldri reikningur {1} ekki tilheyra fyrirtæki: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Reikningur {0}: Foreldri reikningur {1} ekki tilheyra fyrirtæki: {2}
DocType: Program Enrollment Tool,Student Applicants,Student Umsækjendur
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Eytt öll viðskipti sem tengjast þessu fyrirtæki!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Eytt öll viðskipti sem tengjast þessu fyrirtæki!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Eins á degi
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,innritun Dagsetning
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,reynslulausn
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,reynslulausn
apps/erpnext/erpnext/config/hr.py +115,Salary Components,laun Hluti
DocType: Program Enrollment Tool,New Academic Year,Nýtt skólaár
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Return / Credit Note
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Return / Credit Note
DocType: Stock Settings,Auto insert Price List rate if missing,Auto innskotið Verðlisti hlutfall ef vantar
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Samtals greitt upphæð
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Samtals greitt upphæð
DocType: Production Order Item,Transferred Qty,flutt Magn
apps/erpnext/erpnext/config/learn.py +11,Navigating,siglingar
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,áætlanagerð
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Útgefið
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,áætlanagerð
+DocType: Material Request,Issued,Útgefið
DocType: Project,Total Billing Amount (via Time Logs),Total Billing Magn (með Time Logs)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Við seljum þennan Item
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,birgir Id
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Við seljum þennan Item
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,birgir Id
DocType: Payment Request,Payment Gateway Details,Greiðsla Gateway Upplýsingar
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Magn ætti að vera meiri en 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Magn ætti að vera meiri en 0
DocType: Journal Entry,Cash Entry,Cash Entry
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Barn hnútar geta verið aðeins búin undir 'group' tegund hnúta
DocType: Leave Application,Half Day Date,Half Day Date
@@ -3574,14 +3604,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Vinsamlegast settu sjálfgefin reikningur í kostnað kröfutegund {0}
DocType: Assessment Result,Student Name,Student Name
DocType: Brand,Item Manager,Item Manager
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,launaskrá Greiðist
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,launaskrá Greiðist
DocType: Buying Settings,Default Supplier Type,Sjálfgefið Birgir Type
DocType: Production Order,Total Operating Cost,Samtals rekstrarkostnaður
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Ath: Item {0} inn mörgum sinnum
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Allir Tengiliðir.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,fyrirtæki Skammstöfun
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,fyrirtæki Skammstöfun
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,User {0} er ekki til
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,Hráefni má ekki vera það sama og helstu atriði
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Hráefni má ekki vera það sama og helstu atriði
DocType: Item Attribute Value,Abbreviation,skammstöfun
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Greiðsla Entry er þegar til
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Ekki authroized síðan {0} umfram mörk
@@ -3590,49 +3620,49 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Setja Tax Regla fyrir körfunni
DocType: Purchase Invoice,Taxes and Charges Added,Skattar og gjöld bætt
,Sales Funnel,velta trekt
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Skammstöfun er nauðsynlegur
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Skammstöfun er nauðsynlegur
DocType: Project,Task Progress,verkefni Progress
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Körfu
,Qty to Transfer,Magn á að flytja
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Quotes að leiðir eða viðskiptavini.
DocType: Stock Settings,Role Allowed to edit frozen stock,Hlutverk Leyft að breyta fryst lager
,Territory Target Variance Item Group-Wise,Territory Target Dreifni Item Group-Wise
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Allir hópar viðskiptavina
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Allir hópar viðskiptavina
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Uppsafnaður Monthly
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} er nauðsynlegur. Kannski gjaldeyri færsla er ekki búin fyrir {1} til {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} er nauðsynlegur. Kannski gjaldeyri færsla er ekki búin fyrir {1} til {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Tax Snið er nauðsynlegur.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Reikningur {0}: Foreldri reikningur {1} er ekki til
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Reikningur {0}: Foreldri reikningur {1} er ekki til
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Verðlisti Rate (Company Gjaldmiðill)
DocType: Products Settings,Products Settings,Vörur Stillingar
DocType: Account,Temporary,tímabundin
DocType: Program,Courses,námskeið
DocType: Monthly Distribution Percentage,Percentage Allocation,hlutfall Úthlutun
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,ritari
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,ritari
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",Ef öryrkjar 'í orðum' sviði mun ekki vera sýnilegur í öllum viðskiptum
DocType: Serial No,Distinct unit of an Item,Greinilegur eining hlut
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Vinsamlegast settu fyrirtækið
DocType: Pricing Rule,Buying,Kaup
DocType: HR Settings,Employee Records to be created by,Starfskjör Records að vera búin með
DocType: POS Profile,Apply Discount On,Gilda afsláttur á
,Reqd By Date,Reqd By Date
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,lánardrottnar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,lánardrottnar
DocType: Assessment Plan,Assessment Name,mat Name
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Row # {0}: Serial Nei er nauðsynlegur
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Liður Wise Tax Nánar
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Institute Skammstöfun
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Institute Skammstöfun
,Item-wise Price List Rate,Item-vitur Verðskrá Rate
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,birgir Tilvitnun
DocType: Quotation,In Words will be visible once you save the Quotation.,Í orðum verður sýnileg þegar þú hefur vistað tilvitnun.
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Magn ({0}) getur ekki verið brot í röð {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,innheimta gjald
DocType: Attendance,ATT-,viðhorfin
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Strikamerki {0} nú þegar notuð í lið {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Strikamerki {0} nú þegar notuð í lið {1}
DocType: Lead,Add to calendar on this date,Bæta við dagatal á þessum degi
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Reglur til að bæta sendingarkostnað.
DocType: Item,Opening Stock,opnun Stock
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Viðskiptavinur er krafist
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} er nauðsynlegur fyrir aftur
DocType: Purchase Order,To Receive,Til að taka á móti
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Starfsfólk Email
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,alls Dreifni
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ef þetta er virkt, mun kerfið birta bókhald færslur fyrir birgðum sjálfkrafa."
@@ -3643,13 +3673,14 @@
DocType: Customer,From Lead,frá Lead
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Pantanir út fyrir framleiðslu.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Veldu fjárhagsársins ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS Profile þarf að gera POS Entry
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS Profile þarf að gera POS Entry
DocType: Program Enrollment Tool,Enroll Students,innritast Nemendur
DocType: Hub Settings,Name Token,heiti Token
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard Selja
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Atleast einn vöruhús er nauðsynlegur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Atleast einn vöruhús er nauðsynlegur
DocType: Serial No,Out of Warranty,Út ábyrgðar
DocType: BOM Replace Tool,Replace,Skipta
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Engar vörur fundust.
DocType: Production Order,Unstopped,Unstopped
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} gegn sölureikningi {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3660,13 +3691,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Stock Value Mismunur
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Mannauðs
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Greiðsla Sættir Greiðsla
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,skattinneign
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,skattinneign
DocType: BOM Item,BOM No,BOM Nei
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Journal Entry {0} hefur ekki reikning {1} eða þegar samsvarandi á móti öðrum skírteini
DocType: Item,Moving Average,Moving Average
DocType: BOM Replace Tool,The BOM which will be replaced,The BOM sem verður skipt út
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,rafræn útbúnaður
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,rafræn útbúnaður
DocType: Account,Debit,debet
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Leaves verður úthlutað margfeldi af 0,5"
DocType: Production Order,Operation Cost,Operation Kostnaður
@@ -3674,7 +3705,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Framúrskarandi Amt
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Setja markmið Item Group-vitur fyrir þetta velta manneskja.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Frysta Stocks eldri en [Days]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Asset er nauðsynlegur fyrir fast eign kaup / sölu
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Asset er nauðsynlegur fyrir fast eign kaup / sölu
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ef tveir eða fleiri Verðlagning Reglur finnast miðað við ofangreindar aðstæður, Forgangur er beitt. Forgangur er fjöldi milli 0 til 20 en Sjálfgefið gildi er núll (auður). Hærri tala þýðir að það mun hafa forgang ef það eru margar Verðlagning Reglur með sömu skilyrðum."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Fiscal Year: {0} er ekki til
DocType: Currency Exchange,To Currency,til Gjaldmiðill
@@ -3682,7 +3713,7 @@
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Tegundir kostnað kröfu.
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Salahlutfall fyrir atriði {0} er lægra en {1} þess. Sala ætti að vera að minnsta kosti {2}
DocType: Item,Taxes,Skattar
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Greitt og ekki afhent
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Greitt og ekki afhent
DocType: Project,Default Cost Center,Sjálfgefið Kostnaður Center
DocType: Bank Guarantee,End Date,Lokadagur
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,lager Viðskipti
@@ -3707,24 +3738,22 @@
DocType: Employee,Held On,Hélt í
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,framleiðsla Item
,Employee Information,starfsmaður Upplýsingar
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Hlutfall (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Hlutfall (%)
DocType: Stock Entry Detail,Additional Cost,aukakostnaðar
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Fjárhagsár Lokadagur
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",Getur ekki síað byggð á skírteini nr ef flokkaðar eftir skírteini
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Gera Birgir Tilvitnun
DocType: Quality Inspection,Incoming,Komandi
DocType: BOM,Materials Required (Exploded),Efni sem þarf (Sprakk)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Bæta við notendum til fyrirtækisins, annarra en sjálfur"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Staða Dagsetning má ekki vera liðinn
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} passar ekki við {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Kjóll Leave
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Kjóll Leave
DocType: Batch,Batch ID,hópur ID
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Ath: {0}
,Delivery Note Trends,Afhending Ath Trends
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Samantekt Í þessari viku er
-,In Stock Qty,Á lager Magn
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Á lager Magn
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Reikningur: {0} Aðeins er hægt að uppfæra í gegnum lager Viðskipti
-DocType: Program Enrollment,Get Courses,fá Námskeið
+DocType: Student Group Creation Tool,Get Courses,fá Námskeið
DocType: GL Entry,Party,Party
DocType: Sales Order,Delivery Date,Afhendingardagur
DocType: Opportunity,Opportunity Date,tækifæri Dagsetning
@@ -3732,14 +3761,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Beiðni um Tilvitnun Item
DocType: Purchase Order,To Bill,Bill
DocType: Material Request,% Ordered,% Pantaði
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",Fyrir námsmiðaðan nemendahóp verður námskeiðið valið fyrir alla nemenda frá skráðum námskeiðum í námskrá.
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Sláðu inn netfangið aðskilin með kommum, reikningur verður sent sjálfkrafa tilteknum degi"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,ákvæðisvinnu
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,ákvæðisvinnu
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Avg. kaupgengi
DocType: Task,Actual Time (in Hours),Tíminn (í klst)
DocType: Employee,History In Company,Saga In Company
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Fréttabréf
DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Entry
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Viðskiptavinur> Viðskiptavinahópur> Territory
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Sama atriði hefur verið gert mörgum sinnum
DocType: Department,Leave Block List,Skildu Block List
DocType: Sales Invoice,Tax ID,Tax ID
@@ -3754,30 +3783,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} einingar {1} þörf {2} að ljúka þessari færslu.
DocType: Loan Type,Rate of Interest (%) Yearly,Rate of Interest (%) Árleg
DocType: SMS Settings,SMS Settings,SMS-stillingar
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,tímabundin reikningar
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Black
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,tímabundin reikningar
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Black
DocType: BOM Explosion Item,BOM Explosion Item,BOM Sprenging Item
DocType: Account,Auditor,endurskoðandi
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} atriði framleitt
DocType: Cheque Print Template,Distance from top edge,Fjarlægð frá efstu brún
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Verðlisti {0} er óvirk eða er ekki til
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Verðlisti {0} er óvirk eða er ekki til
DocType: Purchase Invoice,Return,Return
DocType: Production Order Operation,Production Order Operation,Framleiðsla Order Operation
DocType: Pricing Rule,Disable,Slökkva
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Háttur af greiðslu er krafist til að greiða
DocType: Project Task,Pending Review,Bíður Review
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} er ekki skráður í lotuna {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Eignastýring {0} er ekki hægt að rífa, eins og það er nú þegar {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Total Expense Krafa (með kostnað kröfu)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Auðkenni viðskiptavinar
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Absent
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Gjaldmiðill af BOM # {1} ætti að vera jafn völdu gjaldmiðil {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Gjaldmiðill af BOM # {1} ætti að vera jafn völdu gjaldmiðil {2}
DocType: Journal Entry Account,Exchange Rate,Exchange Rate
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Velta Order {0} er ekki lögð
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Velta Order {0} er ekki lögð
DocType: Homepage,Tag Line,tag Line
DocType: Fee Component,Fee Component,Fee Component
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Lo Stjórn
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Bæta atriði úr
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Warehouse {0}: Foreldri reikningur {1} er ekki BOLONG fyrirtækinu {2}
DocType: Cheque Print Template,Regular,Venjulegur
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Alls weightage allra Námsmat Criteria verður að vera 100%
DocType: BOM,Last Purchase Rate,Síðasta Kaup Rate
@@ -3786,11 +3814,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Stock getur ekki til fyrir lið {0} síðan hefur afbrigði
,Sales Person-wise Transaction Summary,Sala Person-vitur Transaction Samantekt
DocType: Training Event,Contact Number,Númer tengiliðs
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Warehouse {0} er ekki til
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Warehouse {0} er ekki til
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Register Fyrir ERPNext Hub
DocType: Monthly Distribution,Monthly Distribution Percentages,Mánaðarleg Dreifing Prósentur
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Valið atriði getur ekki Hópur
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Verðmat hlutfall fannst ekki í lið {0}, sem er nauðsynlegt til að gera bókhald færslur fyrir {1} {2}. Ef hluturinn er transacting sem sýnishorn hlut í {1}, skaltu nefna að í {1} Liður borð. Annars skaltu búa mótteknu lager viðskipti fyrir hlutinn eða nefna verðmats hraða í Item met, og þá reyna submiting / hætta við þessa færslu"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Verðmat hlutfall fannst ekki í lið {0}, sem er nauðsynlegt til að gera bókhald færslur fyrir {1} {2}. Ef hluturinn er transacting sem sýnishorn hlut í {1}, skaltu nefna að í {1} Liður borð. Annars skaltu búa mótteknu lager viðskipti fyrir hlutinn eða nefna verðmats hraða í Item met, og þá reyna submiting / hætta við þessa færslu"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% Af efnum afhent gegn þessum Delivery Note
DocType: Project,Customer Details,Nánar viðskiptavina
DocType: Employee,Reports to,skýrslur til
@@ -3798,41 +3826,43 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Sláðu url breytu til móttakara Nos
DocType: Payment Entry,Paid Amount,greiddur Upphæð
DocType: Assessment Plan,Supervisor,Umsjón
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Online
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,Online
,Available Stock for Packing Items,Laus Stock fyrir pökkun atriði
DocType: Item Variant,Item Variant,Liður Variant
DocType: Assessment Result Tool,Assessment Result Tool,Mat Niðurstaða Tool
DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Lagðar pantanir ekki hægt að eyða
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Viðskiptajöfnuður þegar í Debit, þú ert ekki leyft að setja 'Balance Verður Be' eins og 'Credit ""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Gæðastjórnun
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Lagðar pantanir ekki hægt að eyða
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Viðskiptajöfnuður þegar í Debit, þú ert ekki leyft að setja 'Balance Verður Be' eins og 'Credit ""
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Gæðastjórnun
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Liður {0} hefur verið gerð óvirk
DocType: Employee Loan,Repay Fixed Amount per Period,Endurgreiða Föst upphæð á hvern Tímabil
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Vinsamlegast sláðu inn magn fyrir lið {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Lánshæfiseinkunn Amt
DocType: Employee External Work History,Employee External Work History,Starfsmaður Ytri Vinna Saga
DocType: Tax Rule,Purchase,kaup
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Balance Magn
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Balance Magn
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Markmið má ekki vera autt
DocType: Item Group,Parent Item Group,Parent Item Group
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} fyrir {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,stoðsviða
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,stoðsviða
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Gengi sem birgis mynt er breytt í grunngj.miðil félagsins
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: tímasetning átök með röð {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Leyfa núgildandi verðmæti
DocType: Training Event Employee,Invited,boðið
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Margar virk launakerfum fundust fyrir starfsmann {0} fyrir gefnar dagsetningar
DocType: Opportunity,Next Contact,næsta samband við
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Skipulag Gateway reikninga.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Skipulag Gateway reikninga.
DocType: Employee,Employment Type,Atvinna Type
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Fastafjármunir
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Fastafjármunir
DocType: Payment Entry,Set Exchange Gain / Loss,Setja gengishagnaður / tap
+,GST Purchase Register,GST Purchase Register
,Cash Flow,Peningaflæði
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Umsókn tímabil getur ekki verið á tveimur alocation færslur
DocType: Item Group,Default Expense Account,Sjálfgefið kostnað reiknings
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Student Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student Email ID
DocType: Employee,Notice (days),Tilkynning (dagar)
DocType: Tax Rule,Sales Tax Template,Söluskattur Snið
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Veldu atriði til að bjarga reikning
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Veldu atriði til að bjarga reikning
DocType: Employee,Encashment Date,Encashment Dagsetning
DocType: Training Event,Internet,internet
DocType: Account,Stock Adjustment,Stock Leiðrétting
@@ -3860,7 +3890,7 @@
DocType: Guardian,Guardian Of ,Guardian Of
DocType: Grading Scale Interval,Threshold,þröskuldur
DocType: BOM Replace Tool,Current BOM,Núverandi BOM
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Bæta Serial Nei
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Bæta Serial Nei
apps/erpnext/erpnext/config/support.py +22,Warranty,Ábyrgð í
DocType: Purchase Invoice,Debit Note Issued,Debet Note Útgefið
DocType: Production Order,Warehouses,Vöruhús
@@ -3869,20 +3899,20 @@
DocType: Workstation,per hour,á klukkustund
apps/erpnext/erpnext/config/buying.py +7,Purchasing,Innkaupastjóri
DocType: Announcement,Announcement,Tilkynning
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Reikningur fyrir vöruhús (Perpetual Inventory) verður búin undir þessum reikningi.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Warehouse ekki hægt að eyða eins birgðir höfuðbók færsla er til fyrir þetta vöruhús.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Fyrir hópur sem byggist á hópnum, verður námsmatið valið fyrir alla nemendum frá námsbrautinni."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Warehouse ekki hægt að eyða eins birgðir höfuðbók færsla er til fyrir þetta vöruhús.
DocType: Company,Distribution,Dreifing
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Greidd upphæð
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Verkefnastjóri
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Verkefnastjóri
,Quoted Item Comparison,Vitnað Item Samanburður
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Sending
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max afsláttur leyfð lið: {0} er {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Sending
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max afsláttur leyfð lið: {0} er {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Innra virði og á
DocType: Account,Receivable,viðskiptakröfur
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Ekki leyfilegt að breyta birgi Purchase Order er þegar til
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Ekki leyfilegt að breyta birgi Purchase Order er þegar til
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Hlutverk sem er leyft að leggja viðskiptum sem fara lánamörk sett.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Veldu Hlutir til Manufacture
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master gögn syncing, gæti það tekið smá tíma"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Veldu Hlutir til Manufacture
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master gögn syncing, gæti það tekið smá tíma"
DocType: Item,Material Issue,efni Issue
DocType: Hub Settings,Seller Description,Seljandi Lýsing
DocType: Employee Education,Qualification,HM
@@ -3902,7 +3932,6 @@
DocType: BOM,Rate Of Materials Based On,Hlutfall af efni byggt á
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Stuðningur Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Afhakaðu allt
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Félagið vantar í vöruhús {0}
DocType: POS Profile,Terms and Conditions,Skilmálar og skilyrði
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Til Dagsetning ætti að vera innan fjárhagsársins. Að því gefnu að Dagsetning = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Hér er hægt að halda hæð, þyngd, ofnæmi, læknis áhyggjum etc"
@@ -3917,18 +3946,17 @@
DocType: Sales Order Item,For Production,fyrir framleiðslu
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,view Task
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Fjárhagsár þinn byrjar á
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Upp / Leið%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Eignastýring Afskriftir og jafnvægi
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Upphæð {0} {1} flutt frá {2} til {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Upphæð {0} {1} flutt frá {2} til {3}
DocType: Sales Invoice,Get Advances Received,Fá Framfarir móttekin
DocType: Email Digest,Add/Remove Recipients,Bæta við / fjarlægja viðtakendur
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Transaction ekki leyft móti hætt framleiðslu Order {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Transaction ekki leyft móti hætt framleiðslu Order {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Til að stilla þessa rekstrarárs sem sjálfgefið, smelltu á 'Setja sem sjálfgefið'"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,Join
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Join
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,skortur Magn
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Liður afbrigði {0} hendi með sömu eiginleika
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Liður afbrigði {0} hendi með sömu eiginleika
DocType: Employee Loan,Repay from Salary,Endurgreiða frá Laun
DocType: Leave Application,LAP/,LAP /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Biðum greiðslu gegn {0} {1} fyrir upphæð {2}
@@ -3939,34 +3967,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Mynda pökkun laumar fyrir pakka til að vera frelsari. Notað til að tilkynna pakka númer, Innihald pakkningar og þyngd sína."
DocType: Sales Invoice Item,Sales Order Item,Velta Order Item
DocType: Salary Slip,Payment Days,Greiðsla Days
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Vöruhús með hnúta barn er ekki hægt að breyta í höfuðbók
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Vöruhús með hnúta barn er ekki hægt að breyta í höfuðbók
DocType: BOM,Manage cost of operations,Stjórna kostnaði við rekstur
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Þegar einhverju merkt viðskipti eru "Lögð", tölvupóst pop-upp sjálfkrafa opnað að senda tölvupóst til tilheyrandi "Contact" í því viðskiptum, við viðskiptin sem viðhengi. Notandinn mega eða mega ekki senda tölvupóst."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Global Settings
DocType: Assessment Result Detail,Assessment Result Detail,Mat Niðurstaða Detail
DocType: Employee Education,Employee Education,starfsmaður Menntun
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Afrit atriði hópur í lið töflunni
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,Það er nauðsynlegt að ná Item upplýsingar.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,Það er nauðsynlegt að ná Item upplýsingar.
DocType: Salary Slip,Net Pay,Net Borga
DocType: Account,Account,Reikningur
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Serial Nei {0} hefur þegar borist
,Requested Items To Be Transferred,Umbeðin Items til að flytja
DocType: Expense Claim,Vehicle Log,ökutæki Log
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.",Warehouse {0} er ekki tengd við hvaða reikning skaltu búa / tengja samsvarandi (eign) reikningur fyrir lager.
DocType: Purchase Invoice,Recurring Id,Fastir Id
DocType: Customer,Sales Team Details,Upplýsingar Söluteymi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Eyða varanlega?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Eyða varanlega?
DocType: Expense Claim,Total Claimed Amount,Alls tilkalli Upphæð
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Hugsanleg tækifæri til að selja.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Ógild {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Veikindaleyfi
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Ógild {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Veikindaleyfi
DocType: Email Digest,Email Digest,Tölvupóstur Digest
DocType: Delivery Note,Billing Address Name,Billing Address Nafn
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Department Stores
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Skipulag School þín í ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Base Breyta Upphæð (Company Gjaldmiðill)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Engar bókhald færslur fyrir eftirfarandi vöruhús
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Engar bókhald færslur fyrir eftirfarandi vöruhús
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Vistaðu skjalið fyrst.
DocType: Account,Chargeable,ákæru
DocType: Company,Change Abbreviation,Breyta Skammstöfun
@@ -3984,7 +4011,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Áætlaðan fæðingardag getur ekki verið áður Kaup Order Dagsetning
DocType: Appraisal,Appraisal Template,Úttekt Snið
DocType: Item Group,Item Classification,Liður Flokkun
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Business Development Manager
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Viðhald Visit Tilgangur
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,tímabil
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,General Ledger
@@ -3994,8 +4021,8 @@
DocType: Item Attribute Value,Attribute Value,eigindi gildi
,Itemwise Recommended Reorder Level,Itemwise Mælt Uppröðun Level
DocType: Salary Detail,Salary Detail,laun Detail
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,Vinsamlegast veldu {0} fyrst
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Hópur {0} af Liður {1} hefur runnið út.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Vinsamlegast veldu {0} fyrst
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Hópur {0} af Liður {1} hefur runnið út.
DocType: Sales Invoice,Commission,þóknun
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Tími Sheet fyrir framleiðslu.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Samtals
@@ -4006,6 +4033,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`Freeze Stocks Eldri Than` ætti að vera minni en% d daga.
DocType: Tax Rule,Purchase Tax Template,Kaup Tax sniðmáti
,Project wise Stock Tracking,Project vitur Stock mælingar
+DocType: GST HSN Code,Regional,Regional
DocType: Stock Entry Detail,Actual Qty (at source/target),Raunveruleg Magn (á uppspretta / miða)
DocType: Item Customer Detail,Ref Code,Ref Code
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Employee færslur.
@@ -4016,13 +4044,13 @@
DocType: Email Digest,New Purchase Orders,Ný Purchase Pantanir
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Rót getur ekki hafa foreldri kostnaður miðstöð
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Veldu Brand ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Þjálfun viðburðir / niðurstöður
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Uppsöfnuðum afskriftum og á
DocType: Sales Invoice,C-Form Applicable,C-Form Gildir
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Operation Time verður að vera hærri en 0 fyrir notkun {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Warehouse er nauðsynlegur
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Warehouse er nauðsynlegur
DocType: Supplier,Address and Contacts,Heimilisfang og Tengiliðir
DocType: UOM Conversion Detail,UOM Conversion Detail,UOM viðskipta Detail
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Keep It vefur vingjarnlegur 900px (w) af 100px (H)
DocType: Program,Program Abbreviation,program Skammstöfun
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Framleiðsla Order er ekki hægt að hækka gegn Item sniðmáti
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Gjöld eru uppfærðar á kvittun við hvert atriði
@@ -4030,13 +4058,13 @@
DocType: Bank Guarantee,Start Date,Upphafsdagur
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Úthluta lauf um tíma.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Tékkar og Innlán rangt hreinsaðar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Reikningur {0}: Þú getur ekki framselt sig sem foreldri reikning
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Reikningur {0}: Þú getur ekki framselt sig sem foreldri reikning
DocType: Purchase Invoice Item,Price List Rate,Verðskrá Rate
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Búa viðskiptavina tilvitnanir
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Sýna "Á lager" eða "ekki til á lager" byggist á lager í boði í þessum vöruhúsi.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Bill of Materials (BOM)
DocType: Item,Average time taken by the supplier to deliver,Meðaltal tíma tekin af birgi að skila
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,mat Niðurstaða
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,mat Niðurstaða
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,klukkustundir
DocType: Project,Expected Start Date,Væntanlegur Start Date
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Fjarlægja hlut ef gjöld eru ekki við þann lið
@@ -4050,24 +4078,23 @@
DocType: Workstation,Operating Costs,því að rekstrarkostnaðurinn
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Aðgerð ef Uppsafnaður mánuðinn Budget meiri en
DocType: Purchase Invoice,Submit on creation,Senda á sköpun
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Gjaldeyri fyrir {0} verður að vera {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Gjaldeyri fyrir {0} verður að vera {1}
DocType: Asset,Disposal Date,förgun Dagsetning
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Póstur verður sendur á öllum virkum Starfsmenn félagsins á tilteknu klukkustund, ef þeir hafa ekki frí. Samantekt á svörum verður sent á miðnætti."
DocType: Employee Leave Approver,Employee Leave Approver,Starfsmaður Leave samþykkjari
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: An Uppröðun færslu þegar til fyrir þessa vöruhús {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: An Uppröðun færslu þegar til fyrir þessa vöruhús {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Get ekki lýst því sem glatast, af því Tilvitnun hefur verið gert."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Þjálfun Feedback
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Framleiðslu Order {0} Leggja skal fram
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Framleiðslu Order {0} Leggja skal fram
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Vinsamlegast veldu Ræsa og lokadag fyrir lið {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Auðvitað er skylda í röð {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Hingað til er ekki hægt að áður frá dagsetningu
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Bæta við / Breyta Verð
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Bæta við / Breyta Verð
DocType: Batch,Parent Batch,Foreldri hópur
DocType: Cheque Print Template,Cheque Print Template,Ávísun Prenta Snið
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Mynd af stoðsviða
,Requested Items To Be Ordered,Umbeðin Items til að panta
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,Warehouse fyrirtækið verður að vera það sama og reiknings félagsins
DocType: Price List,Price List Name,Verðskrá Name
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Daily Work Yfirlit fyrir {0}
DocType: Employee Loan,Totals,Samtölur
@@ -4089,55 +4116,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Vinsamlegast sláðu inn gilt farsímanúmer Nos
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Vinsamlegast sláðu inn skilaboð áður en þú sendir
DocType: Email Digest,Pending Quotations,Bíður Tilvitnun
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Point-af-sölu Profile
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-af-sölu Profile
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Uppfærðu SMS Settings
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Ótryggð Lán
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Ótryggð Lán
DocType: Cost Center,Cost Center Name,Kostnaður Center Name
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Max vinnutíma gegn Timesheet
DocType: Maintenance Schedule Detail,Scheduled Date,áætlunarferðir Dagsetning
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Alls Greiddur Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Alls Greiddur Amt
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Skilaboð meiri en 160 stafir verður skipt í marga skilaboð
DocType: Purchase Receipt Item,Received and Accepted,Móttekið og samþykkt
+,GST Itemised Sales Register,GST hlutasala
,Serial No Service Contract Expiry,Serial Nei Service Contract gildir til
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Þú getur ekki kredit-og debetkort sama reikning á sama tíma
DocType: Naming Series,Help HTML,Hjálp HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Student Group Creation Tool
DocType: Item,Variant Based On,Variant miðað við
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Alls weightage úthlutað ætti að vera 100%. Það er {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Birgjar þín
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Birgjar þín
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Get ekki stillt eins Lost og Sales Order er gert.
DocType: Request for Quotation Item,Supplier Part No,Birgir Part No
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Get ekki draga þegar flokkur er fyrir 'Verðmat' eða 'Vaulation og heildar'
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,fékk frá
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,fékk frá
DocType: Lead,Converted,converted
DocType: Item,Has Serial No,Hefur Serial Nei
DocType: Employee,Date of Issue,Útgáfudagur
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Frá {0} fyrir {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Eins og á kaupstillingarnar, ef kaupheimildin er krafist == 'YES', þá til að búa til innheimtufé, þarf notandi að búa til kaupgreiðsluna fyrst fyrir atriði {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Row # {0}: Setja Birgir fyrir lið {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Row {0}: Hours verður að vera stærri en núll.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Vefsíða Image {0} fylgir tl {1} er ekki hægt að finna
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Vefsíða Image {0} fylgir tl {1} er ekki hægt að finna
DocType: Issue,Content Type,content Type
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,tölva
DocType: Item,List this Item in multiple groups on the website.,Listi þetta atriði í mörgum hópum á vefnum.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Vinsamlegast athugaðu Multi Currency kost að leyfa reikninga með öðrum gjaldmiðli
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Item: {0} er ekki til í kerfinu
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Þú hefur ekki heimild til að setja Frozen gildi
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Item: {0} er ekki til í kerfinu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Þú hefur ekki heimild til að setja Frozen gildi
DocType: Payment Reconciliation,Get Unreconciled Entries,Fá Unreconciled færslur
DocType: Payment Reconciliation,From Invoice Date,Frá dagsetningu reiknings
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,Innheimta gjaldmiðli skal vera jöfn gjaldmiðil eða aðili reikning gjaldmiðli hvoru vanræksla Comapany er
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Skildu Encashment
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Hvað gerir það?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,Innheimta gjaldmiðli skal vera jöfn gjaldmiðil eða aðili reikning gjaldmiðli hvoru vanræksla Comapany er
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Skildu Encashment
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Hvað gerir það?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,til Warehouse
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Allir Student Innlagnir
,Average Commission Rate,Meðal framkvæmdastjórnarinnar Rate
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,"Hefur Serial Nei 'getur ekki verið' Já 'fyrir non-lager lið
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"Hefur Serial Nei 'getur ekki verið' Já 'fyrir non-lager lið
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Aðsókn er ekki hægt að merkja fyrir framtíð dagsetningar
DocType: Pricing Rule,Pricing Rule Help,Verðlagning Regla Hjálp
DocType: School House,House Name,House Name
DocType: Purchase Taxes and Charges,Account Head,Head Reikningur
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Uppfærðu aukakostnað að reikna lenti kostnað af hlutum
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Electrical
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Electrical
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Bætið restinni af fyrirtækinu þínu sem notendur. Þú getur einnig bætt við boðið viðskiptavinum sínum að vefsíðunni þinni með því að bæta þeim við úr Tengiliðum
DocType: Stock Entry,Total Value Difference (Out - In),Heildarverðmæti Mismunur (Out - In)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Row {0}: Exchange Rate er nauðsynlegur
@@ -4147,7 +4176,7 @@
DocType: Item,Customer Code,viðskiptavinur Code
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Afmæli Áminning fyrir {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dagar frá síðustu Order
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Debit Til reikning verður að vera Efnahagur reikning
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Debit Til reikning verður að vera Efnahagur reikning
DocType: Buying Settings,Naming Series,nafngiftir Series
DocType: Leave Block List,Leave Block List Name,Skildu Block List Nafn
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Tryggingar Start dagsetning ætti að vera minna en tryggingar lokadagsetning
@@ -4162,26 +4191,26 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Laun Slip starfsmanns {0} þegar búið fyrir tíma blaði {1}
DocType: Vehicle Log,Odometer,kílómetramæli
DocType: Sales Order Item,Ordered Qty,Raðaður Magn
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Liður {0} er óvirk
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Liður {0} er óvirk
DocType: Stock Settings,Stock Frozen Upto,Stock Frozen uppí
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM inniheldur ekki lager atriði
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM inniheldur ekki lager atriði
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Tímabil Frá og tímabil Til dagsetningar lögboðnum fyrir endurteknar {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Project virkni / verkefni.
DocType: Vehicle Log,Refuelling Details,Eldsneytisstöðvar Upplýsingar
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Búa Laun laumar
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Kaup verður að vera merkt, ef við á er valið sem {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Kaup verður að vera merkt, ef við á er valið sem {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Afsláttur verður að vera minna en 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Síðustu kaup hlutfall fannst ekki
DocType: Purchase Invoice,Write Off Amount (Company Currency),Skrifaðu Off Upphæð (Company Gjaldmiðill)
DocType: Sales Invoice Timesheet,Billing Hours,Billing Hours
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,Sjálfgefið BOM fyrir {0} fannst ekki
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Row # {0}: Vinsamlegast settu pöntunarmark magn
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Row # {0}: Vinsamlegast settu pöntunarmark magn
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Pikkaðu á atriði til að bæta þeim við hér
DocType: Fees,Program Enrollment,program Innritun
DocType: Landed Cost Voucher,Landed Cost Voucher,Landað Kostnaður Voucher
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Vinsamlegast settu {0}
DocType: Purchase Invoice,Repeat on Day of Month,Endurtakið á degi mánaðarins
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} er óvirkur nemandi
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} er óvirkur nemandi
DocType: Employee,Health Details,Heilsa Upplýsingar
DocType: Offer Letter,Offer Letter Terms,Tilboð bréf Skilmálar
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Til að búa til greiðslubeiðni þarf viðmiðunarskjal
@@ -4202,7 +4231,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Dæmi:. ABCD ##### Ef röð er sett og Serial Nei er ekki getið í viðskiptum, þá sjálfvirkur raðnúmer verður búin byggt á þessari röð. Ef þú vilt alltaf að beinlínis sé minnst Serial Nos fyrir þetta atriði. autt."
DocType: Upload Attendance,Upload Attendance,Hlaða Aðsókn
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM og framleiðsla Magn þarf
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM og framleiðsla Magn þarf
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Ageing Range 2
DocType: SG Creation Tool Course,Max Strength,max Strength
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM stað
@@ -4211,8 +4240,8 @@
,Prospects Engaged But Not Converted,Horfur Engaged en ekki umbreytt
DocType: Manufacturing Settings,Manufacturing Settings,framleiðsla Stillingar
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Setja upp tölvupóst
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Mobile No
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Vinsamlegast sláðu inn sjálfgefið mynt í félaginu Master
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile No
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Vinsamlegast sláðu inn sjálfgefið mynt í félaginu Master
DocType: Stock Entry Detail,Stock Entry Detail,Stock Entry Detail
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Daglegar áminningar
DocType: Products Settings,Home Page is Products,Home Page er vörur
@@ -4221,7 +4250,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Nýtt nafn Account
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Raw Materials Staðar Kostnaður
DocType: Selling Settings,Settings for Selling Module,Stillingar fyrir Selja Module
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Þjónustuver
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Þjónustuver
DocType: BOM,Thumbnail,Smámynd
DocType: Item Customer Detail,Item Customer Detail,Liður Viðskiptavinur Detail
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Tilboð frambjóðandi a Job.
@@ -4230,7 +4259,7 @@
DocType: Pricing Rule,Percentage,hlutfall
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Liður {0} verður að vera birgðir Item
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Sjálfgefið Work In Progress Warehouse
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Sjálfgefnar stillingar fyrir bókhald viðskiptum.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Sjálfgefnar stillingar fyrir bókhald viðskiptum.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Væntanlegur Dagsetning má ekki vera áður Material Beiðni Dagsetning
DocType: Purchase Invoice Item,Stock Qty,Fjöldi hluta
@@ -4243,10 +4272,10 @@
DocType: Sales Order,Printing Details,Prentun Upplýsingar
DocType: Task,Closing Date,lokadegi
DocType: Sales Order Item,Produced Quantity,framleidd Magn
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,verkfræðingur
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,verkfræðingur
DocType: Journal Entry,Total Amount Currency,Heildarfjárhæð Gjaldmiðill
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Leit Sub þing
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Item Code þörf á Row nr {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Item Code þörf á Row nr {0}
DocType: Sales Partner,Partner Type,Gerð Partner
DocType: Purchase Taxes and Charges,Actual,Raunveruleg
DocType: Authorization Rule,Customerwise Discount,Customerwise Afsláttur
@@ -4263,11 +4292,11 @@
DocType: Item Reorder,Re-Order Level,Re-Order Level
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Sláðu atriði og fyrirhugað Magn sem þú vilt að hækka framleiðslu pantanir eða sækja hráefni til greiningar.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt Mynd
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Hluta
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Hluta
DocType: Employee,Applicable Holiday List,Gildandi Holiday List
DocType: Employee,Cheque,ávísun
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Series Uppfært
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Tegund skýrslu er nauðsynlegur
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Tegund skýrslu er nauðsynlegur
DocType: Item,Serial Number Series,Serial Number Series
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Warehouse er nauðsynlegur fyrir hlutabréfum lið {0} í röð {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Retail & Heildverslun
@@ -4288,7 +4317,7 @@
DocType: BOM,Materials,efni
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",Ef ekki hakað listi verður að vera bætt við hvorri deild þar sem það þarf að vera beitt.
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Uppruni og Target Warehouse getur ekki verið það sama
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Staða dagsetningu og staða tími er nauðsynlegur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Staða dagsetningu og staða tími er nauðsynlegur
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Tax sniðmát fyrir að kaupa viðskiptum.
,Item Prices,Item Verð
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Í orðum verður sýnileg þegar þú hefur vistað Purchase Order.
@@ -4298,22 +4327,23 @@
DocType: Purchase Invoice,Advance Payments,fyrirframgreiðslur
DocType: Purchase Taxes and Charges,On Net Total,Á Nettó
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Gildi fyrir eigind {0} verður að vera innan þeirra marka sem {1} til {2} í þrepum {3} fyrir lið {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Target vöruhús í röð {0} verður að vera það sama og framleiðslu Order
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Target vöruhús í röð {0} verður að vera það sama og framleiðslu Order
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,"tilkynning netföng 'ekki tilgreint fyrir endurteknar% s
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,Gjaldmiðill er ekki hægt að breyta eftir að færslur með einhverja aðra mynt
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Gjaldmiðill er ekki hægt að breyta eftir að færslur með einhverja aðra mynt
DocType: Vehicle Service,Clutch Plate,Clutch Plate
DocType: Company,Round Off Account,Umferð Off reikning
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,rekstrarkostnaður
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,rekstrarkostnaður
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,ráðgjöf
DocType: Customer Group,Parent Customer Group,Parent Group Viðskiptavinur
DocType: Purchase Invoice,Contact Email,Netfang tengiliðar
DocType: Appraisal Goal,Score Earned,skora aflað
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,uppsagnarfrestur
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,uppsagnarfrestur
DocType: Asset Category,Asset Category Name,Asset Flokkur Nafn
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Þetta er rót landsvæði og ekki hægt að breyta.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Nýtt Sales Person Name
DocType: Packing Slip,Gross Weight UOM,Gross Weight UOM
DocType: Delivery Note Item,Against Sales Invoice,Against sölureikningi
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Vinsamlegast sláðu inn raðnúmer fyrir raðnúmer
DocType: Bin,Reserved Qty for Production,Frátekið Magn fyrir framleiðslu
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Leyfi óskráð ef þú vilt ekki íhuga hópur meðan þú setur námskeið.
DocType: Asset,Frequency of Depreciation (Months),Tíðni Afskriftir (mánuðir)
@@ -4321,25 +4351,25 @@
DocType: Landed Cost Item,Landed Cost Item,Landað kostnaðarliðurinn
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Sýna núll gildi
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Magn lið sem fæst eftir framleiðslu / endurpökkunarinnar úr gefin magni af hráefni
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Skipulag einföld vefsíða fyrir fyrirtæki mitt
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Skipulag einföld vefsíða fyrir fyrirtæki mitt
DocType: Payment Reconciliation,Receivable / Payable Account,/ Viðskiptakröfur Account
DocType: Delivery Note Item,Against Sales Order Item,Gegn Sales Order Item
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},Vinsamlegast tilgreindu Attribute virði fyrir eigind {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},Vinsamlegast tilgreindu Attribute virði fyrir eigind {0}
DocType: Item,Default Warehouse,Sjálfgefið Warehouse
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Fjárhagsáætlun er ekki hægt að úthlutað gegn Group reikninginn {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Vinsamlegast sláðu foreldri kostnaðarstað
DocType: Delivery Note,Print Without Amount,Prenta Án Upphæð
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,Afskriftir Dagsetning
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,Tax Category getur ekki verið 'Verðmat' eða 'og þeim Samtals' sem allir hlutir eru ekki birgðir atriði
DocType: Issue,Support Team,Stuðningur Team
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Fyrning (í dögum)
DocType: Appraisal,Total Score (Out of 5),Total Score (af 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,hópur
+DocType: Student Attendance Tool,Batch,hópur
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Balance
DocType: Room,Seating Capacity,sætafjölda
DocType: Issue,ISS-,Út-
DocType: Project,Total Expense Claim (via Expense Claims),Total Expense Krafa (með kostnað kröfum)
+DocType: GST Settings,GST Summary,GST Yfirlit
DocType: Assessment Result,Total Score,Total Score
DocType: Journal Entry,Debit Note,debet Note
DocType: Stock Entry,As per Stock UOM,Eins og á lager UOM
@@ -4350,12 +4380,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Sjálfgefin fullunnum Warehouse
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Sölufulltrúa
DocType: SMS Parameter,SMS Parameter,SMS Parameter
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Fjárhagsáætlun og kostnaður Center
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Fjárhagsáætlun og kostnaður Center
DocType: Vehicle Service,Half Yearly,Half Árlega
DocType: Lead,Blog Subscriber,Blog Notandanúmer
DocType: Guardian,Alternate Number,varamaður Number
DocType: Assessment Plan Criteria,Maximum Score,Hámarks Einkunn
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Búa til reglur til að takmarka viðskipti sem byggjast á gildum.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Hópur rúlla nr
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Skildu eftir ef þú gerir nemendur hópa á ári
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Ef hakað Total nr. vinnudaga mun fela frí, og þetta mun draga úr gildi af launum fyrir dag"
DocType: Purchase Invoice,Total Advance,alls Advance
@@ -4373,6 +4404,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Þetta er byggt á viðskiptum móti þessum viðskiptavinar. Sjá tímalínu hér fyrir nánari upplýsingar
DocType: Supplier,Credit Days Based On,Credit Days Byggt á
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Row {0}: Reiknaðar upphæð {1} verður að vera minna en eða jafngildir Greiðsla Entry upphæð {2}
+,Course wise Assessment Report,Námsmatsmatsskýrsla
DocType: Tax Rule,Tax Rule,Tax Regla
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Halda Sama hlutfall á öllu söluferlið
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Skipuleggja tíma logs utan Workstation vinnutíma.
@@ -4381,7 +4413,7 @@
,Items To Be Requested,Hlutir til að biðja
DocType: Purchase Order,Get Last Purchase Rate,Fá Síðasta kaupgengi
DocType: Company,Company Info,Upplýsingar um fyrirtæki
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Veldu eða bæta við nýjum viðskiptavin
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Veldu eða bæta við nýjum viðskiptavin
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Kostnaður sent er nauðsynlegt að bóka kostnað kröfu
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Umsókn um Funds (eignum)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Þetta er byggt á mætingu þessa starfsmanns
@@ -4389,27 +4421,29 @@
DocType: Fiscal Year,Year Start Date,Ár Start Date
DocType: Attendance,Employee Name,starfsmaður Name
DocType: Sales Invoice,Rounded Total (Company Currency),Ávalur Total (Company Gjaldmiðill)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,Get ekki leynilegar að samstæðunnar vegna Tegund reiknings er valinn.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Get ekki leynilegar að samstæðunnar vegna Tegund reiknings er valinn.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} hefur verið breytt. Vinsamlegast hressa.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Hættu notendur frá gerð yfirgefa Umsóknir um næstu dögum.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,kaup Upphæð
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Birgir Tilvitnun {0} búin
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Árslok getur ekki verið áður Start Ár
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,starfskjör
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,starfskjör
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Pakkað magn verður að vera jafnt magn fyrir lið {0} í röð {1}
DocType: Production Order,Manufactured Qty,Framleiðandi Magn
DocType: Purchase Receipt Item,Accepted Quantity,Samþykkt Magn
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Vinsamlegast setja sjálfgefið Holiday lista fyrir Starfsmaður {0} eða fyrirtækis {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} er ekki til
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} er ekki til
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Veldu hópnúmer
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Víxlar vakti til viðskiptavina.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Project Id
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Row Engin {0}: Upphæð má ekki vera meiri en Bíður Upphæð á móti kostnað {1} kröfu. Bið Upphæð er {2}
DocType: Maintenance Schedule,Schedule,Dagskrá
DocType: Account,Parent Account,Parent Reikningur
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Laus
DocType: Quality Inspection Reading,Reading 3,lestur 3
,Hub,Hub
DocType: GL Entry,Voucher Type,skírteini Type
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Verðlisti fannst ekki eða fatlaður
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Verðlisti fannst ekki eða fatlaður
DocType: Employee Loan Application,Approved,samþykkt
DocType: Pricing Rule,Price,verð
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Starfsmaður létta á {0} skal stilla eins 'Vinstri'
@@ -4420,7 +4454,8 @@
DocType: Selling Settings,Campaign Naming By,Herferð Nafngift By
DocType: Employee,Current Address Is,Núverandi Heimilisfang er
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,Breytt
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Valfrjálst. Leikmynd sjálfgefið mynt félagsins, ef ekki tilgreint."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Valfrjálst. Leikmynd sjálfgefið mynt félagsins, ef ekki tilgreint."
+DocType: Sales Invoice,Customer GSTIN,Viðskiptavinur GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Bókhald dagbók færslur.
DocType: Delivery Note Item,Available Qty at From Warehouse,Laus Magn á frá vöruhúsi
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,Vinsamlegast veldu Starfsmaður Taka fyrst.
@@ -4428,7 +4463,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Party / Account passar ekki við {1} / {2} í {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Vinsamlegast sláðu inn kostnað reikning
DocType: Account,Stock,Stock
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Tilvísun Document Type verður að vera einn af Purchase Order, Purchase Invoice eða Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Tilvísun Document Type verður að vera einn af Purchase Order, Purchase Invoice eða Journal Entry"
DocType: Employee,Current Address,Núverandi heimilisfang
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ef hluturinn er afbrigði af annað lið þá lýsingu, mynd, verðlagningu, skatta osfrv sett verður úr sniðmátinu nema skýrt tilgreint"
DocType: Serial No,Purchase / Manufacture Details,Kaup / Framleiðsla Upplýsingar
@@ -4441,8 +4476,8 @@
DocType: Pricing Rule,Min Qty,min Magn
DocType: Asset Movement,Transaction Date,Færsla Dagsetning
DocType: Production Plan Item,Planned Qty,Planned Magn
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Total Tax
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Fyrir Magn (Framleiðandi Magn) er nauðsynlegur
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Total Tax
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Fyrir Magn (Framleiðandi Magn) er nauðsynlegur
DocType: Stock Entry,Default Target Warehouse,Sjálfgefið Target Warehouse
DocType: Purchase Invoice,Net Total (Company Currency),Net Total (Company Gjaldmiðill)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,The Year End Date getur ekki verið fyrr en árið Start Date. Vinsamlega leiðréttu dagsetningar og reyndu aftur.
@@ -4456,13 +4491,11 @@
DocType: Hub Settings,Hub Settings,Hub Stillingar
DocType: Project,Gross Margin %,Heildarframlegð %
DocType: BOM,With Operations,með starfsemi
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Bókhald færslur hafa verið gerðar í gjaldmiðli {0} fyrir fyrirtæki {1}. Vinsamlegast veldu nái eða greiða ber reikning með gjaldeyri {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Bókhald færslur hafa verið gerðar í gjaldmiðli {0} fyrir fyrirtæki {1}. Vinsamlegast veldu nái eða greiða ber reikning með gjaldeyri {0}.
DocType: Asset,Is Existing Asset,Er núverandi eign
DocType: Salary Detail,Statistical Component,Tölfræðilegur hluti
-,Monthly Salary Register,Mánaðarlaunum Register
DocType: Warranty Claim,If different than customer address,Ef öðruvísi en viðskiptavinur heimilisfangi
DocType: BOM Operation,BOM Operation,BOM Operation
-DocType: School Settings,Validate the Student Group from Program Enrollment,Staðfesta nemendahópinn frá verkefnaskráningu
DocType: Purchase Taxes and Charges,On Previous Row Amount,Á fyrri röð Upphæð
DocType: Student,Home Address,Heimilisfangið
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Transfer Asset
@@ -4470,28 +4503,27 @@
DocType: Training Event,Event Name,Event Name
apps/erpnext/erpnext/config/schools.py +39,Admission,Aðgangseyrir
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Innlagnir fyrir {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Árstíðum til að setja fjárveitingar, markmið o.fl."
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants",Liður {0} er sniðmát skaltu velja einn af afbrigði hennar
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Árstíðum til að setja fjárveitingar, markmið o.fl."
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants",Liður {0} er sniðmát skaltu velja einn af afbrigði hennar
DocType: Asset,Asset Category,Asset Flokkur
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,kaupanda
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Net borga ekki vera neikvæð
DocType: SMS Settings,Static Parameters,Static Parameters
DocType: Assessment Plan,Room,Room
DocType: Purchase Order,Advance Paid,Advance Greiddur
DocType: Item,Item Tax,Liður Tax
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Efni til Birgir
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,vörugjöld Invoice
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,vörugjöld Invoice
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% virðist oftar en einu sinni
DocType: Expense Claim,Employees Email Id,Starfsmenn Netfang Id
DocType: Employee Attendance Tool,Marked Attendance,Marked Aðsókn
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,núverandi Skuldir
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,núverandi Skuldir
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Senda massa SMS til þinn snerting
DocType: Program,Program Name,program Name
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Íhuga skatta og álaga fyrir
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Raunveruleg Magn er nauðsynlegur
DocType: Employee Loan,Loan Type,lán Type
DocType: Scheduling Tool,Scheduling Tool,Tímasetningar Tool
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Kreditkort
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Kreditkort
DocType: BOM,Item to be manufactured or repacked,Liður í að framleiða eða repacked
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Sjálfgefnar stillingar fyrir lager viðskipta.
DocType: Purchase Invoice,Next Date,næsta Dagsetning
@@ -4507,10 +4539,10 @@
DocType: Stock Entry,Repack,gera við
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Þú verður að vista eyðublaðið áður en lengra er haldið
DocType: Item Attribute,Numeric Values,talnagildi
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,hengja Logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,hengja Logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,lager Levels
DocType: Customer,Commission Rate,Framkvæmdastjórnin Rate
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,gera Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,gera Variant
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Block orlofsrétt umsóknir deild.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Greiðsla Type verður að vera einn af fáum, Borga og Innri Transfer"
apps/erpnext/erpnext/config/selling.py +179,Analytics,Analytics
@@ -4518,45 +4550,45 @@
DocType: Vehicle,Model,Model
DocType: Production Order,Actual Operating Cost,Raunveruleg rekstrarkostnaður
DocType: Payment Entry,Cheque/Reference No,Ávísun / tilvísunarnúmer
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Root ekki hægt að breyta.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root ekki hægt að breyta.
DocType: Item,Units of Measure,Mælieiningar
DocType: Manufacturing Settings,Allow Production on Holidays,Leyfa Framleiðsla á helgidögum
DocType: Sales Order,Customer's Purchase Order Date,Viðskiptavinar Purchase Order Date
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Capital Stock
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Capital Stock
DocType: Shopping Cart Settings,Show Public Attachments,Sýna opinberar viðhengi
DocType: Packing Slip,Package Weight Details,Pakki Þyngd Upplýsingar
DocType: Payment Gateway Account,Payment Gateway Account,Greiðsla Gateway Reikningur
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Að lokinni greiðslu áframsenda notandann til valda síðu.
DocType: Company,Existing Company,núverandi Company
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Skattflokki hefur verið breytt í "Samtals" vegna þess að öll atriðin eru hlutir sem ekki eru hlutir
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Vinsamlegast veldu csv skrá
DocType: Student Leave Application,Mark as Present,Merkja sem Present
DocType: Purchase Order,To Receive and Bill,Að taka við og Bill
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Valin Vörur
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,hönnuður
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,hönnuður
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Skilmálar og skilyrði Snið
DocType: Serial No,Delivery Details,Afhending Upplýsingar
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Kostnaður Center er krafist í röð {0} skatta borð fyrir tegund {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Kostnaður Center er krafist í röð {0} skatta borð fyrir tegund {1}
DocType: Program,Program Code,program Code
DocType: Terms and Conditions,Terms and Conditions Help,Skilmálar og skilyrði Hjálp
,Item-wise Purchase Register,Item-vitur Purchase Register
DocType: Batch,Expiry Date,Fyrningardagsetning
-,Supplier Addresses and Contacts,Birgir Heimilisföng og Tengiliðir
,accounts-browser,reikningar-vafra
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,Vinsamlegast veldu Flokkur fyrst
apps/erpnext/erpnext/config/projects.py +13,Project master.,Project húsbóndi.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Til að leyfa yfir innheimtu eða yfir-röðun, uppfæra "vasapeninga" í lager Stillingar eða hlutinn."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Til að leyfa yfir innheimtu eða yfir-röðun, uppfæra "vasapeninga" í lager Stillingar eða hlutinn."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Ekki sýna tákn eins og $ etc hliðina gjaldmiðlum.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Hálfur dagur)
DocType: Supplier,Credit Days,Credit Days
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Gera Student Hópur
DocType: Leave Type,Is Carry Forward,Er bera fram
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Fá atriði úr BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Fá atriði úr BOM
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Lead Time Days
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Staða Dagsetning skal vera það sama og kaupdegi {1} eignar {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Staða Dagsetning skal vera það sama og kaupdegi {1} eignar {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Vinsamlegast sláðu sölu skipunum í töflunni hér að ofan
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Ekki lögð Laun laumar
,Stock Summary,Stock Yfirlit
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Flytja eign frá einu vöruhúsi til annars
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Flytja eign frá einu vöruhúsi til annars
DocType: Vehicle,Petrol,Bensín
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Bill of Materials
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Row {0}: Party Gerð og Party er nauðsynlegt fyrir / viðskiptakröfur reikninginn {1}
@@ -4567,6 +4599,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,bundnar Upphæð
DocType: GL Entry,Is Opening,er Opnun
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Row {0}: gjaldfærslu ekki hægt að tengja með {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Reikningur {0} er ekki til
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Reikningur {0} er ekki til
DocType: Account,Cash,Cash
DocType: Employee,Short biography for website and other publications.,Stutt ævisaga um vefsíðu og öðrum ritum.
diff --git a/erpnext/translations/it.csv b/erpnext/translations/it.csv
index c5eae68..06453cc 100644
--- a/erpnext/translations/it.csv
+++ b/erpnext/translations/it.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Prodotti di consumo
DocType: Item,Customer Items,Articoli clienti
DocType: Project,Costing and Billing,Costi e Fatturazione
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Il Conto {0}: conto derivato {1} non può essere un libro mastro
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Il Conto {0}: conto derivato {1} non può essere un libro mastro
DocType: Item,Publish Item to hub.erpnext.com,Pubblicare Item a hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,Notifiche e-mail
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Valorizzazione
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,Valorizzazione
DocType: Item,Default Unit of Measure,Unità di Misura Predefinita
DocType: SMS Center,All Sales Partner Contact,Tutte i contatti Partner vendite
DocType: Employee,Leave Approvers,Responsabili ferie
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Tasso di cambio deve essere uguale a {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Nome Cliente
DocType: Vehicle,Natural Gas,Gas naturale
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Il Conto bancario non si può chiamare {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Il Conto bancario non si può chiamare {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Soci (o società) per le quali le scritture contabili sono fatte e i saldi vengono mantenuti.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Eccezionale per {0} non può essere inferiore a zero ( {1} )
DocType: Manufacturing Settings,Default 10 mins,Predefinito 10 minuti
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Tutti i Contatti Fornitori
DocType: Support Settings,Support Settings,Impostazioni di supporto
DocType: SMS Parameter,Parameter,Parametro
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Data fine prevista non può essere inferiore a quella prevista data di inizio
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Data fine prevista non può essere inferiore a quella prevista data di inizio
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Riga #{0}: il Rapporto deve essere lo stesso di {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Nuovo Lascia Application
,Batch Item Expiry Status,Batch Item scadenza di stato
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Assegno Bancario
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Assegno Bancario
DocType: Mode of Payment Account,Mode of Payment Account,Modalità di pagamento Conto
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Mostra Varianti
DocType: Academic Term,Academic Term,Termine Accademico
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Materiale
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Quantità
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,La tabella dei conti non può essere vuota.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Prestiti (passività )
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Prestiti (passività )
DocType: Employee Education,Year of Passing,Anni dal superamento
DocType: Item,Country of Origin,Paese d'origine
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,In Magazzino
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,In Magazzino
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Controversia Aperta
DocType: Production Plan Item,Production Plan Item,Produzione Piano Voce
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Utente {0} è già assegnato a Employee {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Assistenza Sanitaria
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Ritardo nel pagamento (Giorni)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,spese per servizi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Numero di serie: {0} è già indicato nella fattura di vendita: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Numero di serie: {0} è già indicato nella fattura di vendita: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Fattura
DocType: Maintenance Schedule Item,Periodicity,Periodicità
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Fiscal Year {0} è richiesto
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Row # {0}:
DocType: Timesheet,Total Costing Amount,Importo totale Costing
DocType: Delivery Note,Vehicle No,Veicolo No
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,Seleziona Listino Prezzi
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Seleziona Listino Prezzi
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: documento pagamento è richiesto per completare la trasaction
DocType: Production Order Operation,Work In Progress,Lavori in corso
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Seleziona la data
DocType: Employee,Holiday List,Elenco vacanza
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Ragioniere
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Ragioniere
DocType: Cost Center,Stock User,Utente Giacenze
DocType: Company,Phone No,N. di telefono
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Orari corso creato:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Nuova {0}: # {1}
,Sales Partners Commission,Vendite Partners Commissione
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Le abbreviazioni non possono avere più di 5 caratteri
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Le abbreviazioni non possono avere più di 5 caratteri
DocType: Payment Request,Payment Request,Richiesta di Pagamento
DocType: Asset,Value After Depreciation,Valore Dopo ammortamenti
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,Data la frequenza non può essere inferiore a quella di unirsi del dipendente
DocType: Grading Scale,Grading Scale Name,Grading Scale Nome
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Questo è un account di root e non può essere modificato .
+DocType: Sales Invoice,Company Address,indirizzo aziendale
DocType: BOM,Operations,Operazioni
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Impossibile impostare autorizzazione sulla base di Sconto per {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Allega file .csv con due colonne, una per il vecchio nome e uno per il nuovo nome"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} non presente in alcun Anno Fiscale attivo.
DocType: Packed Item,Parent Detail docname,Parent Dettaglio docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Riferimento: {0}, codice dell'articolo: {1} e cliente: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Kg
DocType: Student Log,Log,Log
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Apertura di un lavoro.
DocType: Item Attribute,Increment,Incremento
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,pubblicità
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,La stessa azienda viene inserito più di una volta
DocType: Employee,Married,Sposato
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Non consentito per {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Non consentito per {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Ottenere elementi dal
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Stock non può essere aggiornata contro Consegna Nota {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Stock non può essere aggiornata contro Consegna Nota {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Prodotto {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Nessun elemento elencato
DocType: Payment Reconciliation,Reconcile,conciliare
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,La data di ammortamento successivo non puó essere prima della Data di acquisto
DocType: SMS Center,All Sales Person,Tutti i Venditori
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Distribuzione mensile ** aiuta a distribuire il Budget / Target nei mesi, nel caso di di business stagionali."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Non articoli trovati
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Non articoli trovati
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Stipendio Struttura mancante
DocType: Lead,Person Name,Nome della Persona
DocType: Sales Invoice Item,Sales Invoice Item,Fattura Voce
DocType: Account,Credit,Credit
DocType: POS Profile,Write Off Cost Center,Scrivi Off Centro di costo
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""","ad esempio, "scuola elementare" o "Università""
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""","ad esempio, "scuola elementare" o "Università""
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Reports Magazzino
DocType: Warehouse,Warehouse Detail,Dettagli Magazzino
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Limite di credito è stato attraversato per il cliente {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Limite di credito è stato attraversato per il cliente {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Il Data Terminologia fine non può essere successiva alla data di fine anno dell'anno accademico a cui il termine è legata (Anno Accademico {}). Si prega di correggere le date e riprovare.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""E' un Asset"" non può essere deselezionato, in quanto esiste già un movimento collegato"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""E' un Asset"" non può essere deselezionato, in quanto esiste già un movimento collegato"
DocType: Vehicle Service,Brake Oil,olio freno
DocType: Tax Rule,Tax Type,Tipo fiscale
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Non sei autorizzato ad aggiungere o aggiornare le voci prima di {0}
DocType: BOM,Item Image (if not slideshow),Immagine Articolo (se non slideshow)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Esiste un cliente con lo stesso nome
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tasso Orario / 60) * tempo operazione effettivo
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Seleziona la Distinta Materiali
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Seleziona la Distinta Materiali
DocType: SMS Log,SMS Log,SMS Log
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Costo di oggetti consegnati
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,La vacanza su {0} non è tra da Data e A Data
@@ -159,13 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Da {0} a {1}
DocType: Item,Copy From Item Group,Copia da Gruppo Articoli
DocType: Journal Entry,Opening Entry,Apertura Entry
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Cliente> Gruppo cliente> Territorio
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Solo conto pay
DocType: Employee Loan,Repay Over Number of Periods,Rimborsare corso Numero di periodi
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} non è iscritto nel dato {2}
DocType: Stock Entry,Additional Costs,Costi aggiuntivi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Account con transazioni registrate non può essere convertito a gruppo.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Account con transazioni registrate non può essere convertito a gruppo.
DocType: Lead,Product Enquiry,Richiesta di informazioni sui prodotti
DocType: Academic Term,Schools,Istruzione
+DocType: School Settings,Validate Batch for Students in Student Group,Convalida il gruppo per gli studenti del gruppo studente
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Nessun record congedo trovato per dipendente {0} per {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Inserisci prima azienda
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Seleziona prima azienda
@@ -174,49 +176,49 @@
DocType: BOM,Total Cost,Costo totale
DocType: Journal Entry Account,Employee Loan,prestito dipendenti
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Registro attività:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,L'articolo {0} non esiste nel sistema o è scaduto
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,L'articolo {0} non esiste nel sistema o è scaduto
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Immobiliare
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Estratto conto
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Farmaceutici
DocType: Purchase Invoice Item,Is Fixed Asset,E' un Bene Strumentale
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Disponibile Quantità è {0}, è necessario {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Disponibile Quantità è {0}, è necessario {1}"
DocType: Expense Claim Detail,Claim Amount,Importo Reclamo
-DocType: Employee,Mr,Sig.
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Gruppo di clienti duplicato trovato nella tabella gruppo cutomer
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Fornitore Tipo / Fornitore
DocType: Naming Series,Prefix,Prefisso
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Consumabile
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Consumabile
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Log Importazione
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Tirare Materiale Richiesta di tipo Produzione sulla base dei criteri di cui sopra
DocType: Training Result Employee,Grade,Grado
DocType: Sales Invoice Item,Delivered By Supplier,Consegnato dal Fornitore
DocType: SMS Center,All Contact,Tutti i contatti
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Ordine di produzione già creato per tutti gli elementi con BOM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Stipendio Annuo
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Ordine di produzione già creato per tutti gli elementi con BOM
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Stipendio Annuo
DocType: Daily Work Summary,Daily Work Summary,Riepilogo lavori giornaliero
DocType: Period Closing Voucher,Closing Fiscal Year,Chiusura Anno Fiscale
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} è bloccato
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Seleziona esistente Società per la creazione di piano dei conti
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Spese di stoccaggio
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} è bloccato
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Seleziona esistente Società per la creazione di piano dei conti
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Spese di stoccaggio
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Seleziona Target Warehouse
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,Inserisci il contatto preferito Email
+DocType: Program Enrollment,School Bus,Scuolabus
DocType: Journal Entry,Contra Entry,Contra Entry
DocType: Journal Entry Account,Credit in Company Currency,Credito in Società Valuta
DocType: Delivery Note,Installation Status,Stato di installazione
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Vuoi aggiornare presenze? <br> Presente: {0} \ <br> Assente: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Quantità accettata + rifiutata deve essere uguale alla quantità ricevuta per {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Quantità accettata + rifiutata deve essere uguale alla quantità ricevuta per {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Fornire Materie Prime per l'Acquisto
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,è richiesto almeno una modalità di pagamento per POS fattura.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,è richiesto almeno una modalità di pagamento per POS fattura.
DocType: Products Settings,Show Products as a List,Mostra prodotti sotto forma di elenco
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Scarica il modello, compilare i dati appropriati e allegare il file modificato.
Tutti date e dipendente combinazione nel periodo selezionato arriverà nel modello, con record di presenze esistenti"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,L'articolo {0} non è attivo o la fine della vita è stato raggiunta
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Esempio: Matematica di base
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Per includere fiscale in riga {0} in rate articolo , tasse nelle righe {1} devono essere inclusi"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,L'articolo {0} non è attivo o la fine della vita è stato raggiunta
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Esempio: Matematica di base
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Per includere fiscale in riga {0} in rate articolo , tasse nelle righe {1} devono essere inclusi"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Impostazioni per il modulo HR
DocType: SMS Center,SMS Center,Centro SMS
DocType: Sales Invoice,Change Amount,quantità di modifica
@@ -226,7 +228,7 @@
DocType: Lead,Request Type,Tipo di richiesta
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Crea Dipendente
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,emittente
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,esecuzione
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,esecuzione
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,I dettagli delle operazioni effettuate.
DocType: Serial No,Maintenance Status,Stato di manutenzione
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Il campo Fornitore è richiesto per il conto di debito {2}
@@ -254,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,La richiesta di offerta si può accedere cliccando sul seguente link
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Assegnare le foglie per l' anno.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG Corso strumento di creazione
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,insufficiente della
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,insufficiente della
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Capacity Planning e Disabilita Time Tracking
DocType: Email Digest,New Sales Orders,Nuovi Ordini di vendita
DocType: Bank Guarantee,Bank Account,Conto Bancario
@@ -265,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log',Aggiornato con 'Time Log'
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},importo anticipato non può essere maggiore di {0} {1}
DocType: Naming Series,Series List for this Transaction,Lista Serie per questa transazione
+DocType: Company,Enable Perpetual Inventory,Abilita inventario perpetuo
DocType: Company,Default Payroll Payable Account,Payroll di mora dovuti account
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Aggiorna Gruppo Email
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Aggiorna Gruppo Email
DocType: Sales Invoice,Is Opening Entry,Sta aprendo Entry
DocType: Customer Group,Mention if non-standard receivable account applicable,Menzione se conto credito non standard applicabile
DocType: Course Schedule,Instructor Name,Istruttore Nome
@@ -278,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Contro fattura di vendita dell'oggetto
,Production Orders in Progress,Ordini di produzione in corso
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Di cassa netto da finanziamento
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage è piena, non ha salvato"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage è piena, non ha salvato"
DocType: Lead,Address & Contact,Indirizzo e Contatto
DocType: Leave Allocation,Add unused leaves from previous allocations,Aggiungere le foglie non utilizzate precedentemente assegnata
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Successivo ricorrente {0} verrà creato su {1}
DocType: Sales Partner,Partner website,sito web partner
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Aggiungi articolo
-,Contact Name,Nome Contatto
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Nome Contatto
DocType: Course Assessment Criteria,Course Assessment Criteria,Criteri di valutazione del corso
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Crea busta paga per i criteri sopra menzionati.
DocType: POS Customer Group,POS Customer Group,POS Gruppi clienti
@@ -293,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Nessuna descrizione fornita
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Richiesta di acquisto.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Questo si basa sulla tabella dei tempi create contro questo progetto
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Retribuzione netta non può essere inferiore a 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Retribuzione netta non può essere inferiore a 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Solo il responsabile ferie scelto può sottoporre questa richiesta di ferie
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Data Alleviare deve essere maggiore di Data di giunzione
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Ferie per Anno
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Ferie per Anno
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Riga {0}: Abilita 'è Advance' contro Account {1} se questa è una voce di anticipo.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Deposito {0} non appartiene alla società {1}
DocType: Email Digest,Profit & Loss,Profit & Loss
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Litro
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Litro
DocType: Task,Total Costing Amount (via Time Sheet),Totale Costing Importo (tramite Time Sheet)
DocType: Item Website Specification,Item Website Specification,Specifica da Sito Web dell'articolo
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Lascia Bloccato
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},L'articolo {0} ha raggiunto la fine della sua vita su {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},L'articolo {0} ha raggiunto la fine della sua vita su {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Registrazioni bancarie
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,annuale
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Voce Riconciliazione Giacenza
@@ -312,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,Qtà Minima Ordine
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Corso di Gruppo Student strumento di creazione
DocType: Lead,Do Not Contact,Non Contattaci
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,Le persone che insegnano presso la propria organizzazione
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,Le persone che insegnano presso la propria organizzazione
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,L'ID univoco per il monitoraggio tutte le fatture ricorrenti. Si è generato su submit.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Software Developer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software Developer
DocType: Item,Minimum Order Qty,Qtà ordine minimo
DocType: Pricing Rule,Supplier Type,Tipo Fornitore
DocType: Course Scheduling Tool,Course Start Date,Data inizio corso
@@ -323,11 +326,11 @@
DocType: Item,Publish in Hub,Pubblicare in Hub
DocType: Student Admission,Student Admission,L'ammissione degli studenti
,Terretory,Territorio
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,L'articolo {0} è annullato
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,L'articolo {0} è annullato
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Richiesta materiale
DocType: Bank Reconciliation,Update Clearance Date,Aggiornare Liquidazione Data
DocType: Item,Purchase Details,"Acquisto, i dati"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Articolo {0} non trovato tra le 'Materie Prime Fornite' tabella in Ordine di Acquisto {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Articolo {0} non trovato tra le 'Materie Prime Fornite' tabella in Ordine di Acquisto {1}
DocType: Employee,Relation,Relazione
DocType: Shipping Rule,Worldwide Shipping,Spedizione in tutto il mondo
DocType: Student Guardian,Mother,Madre
@@ -346,6 +349,7 @@
DocType: Student Group Student,Student Group Student,Student Student Group
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,ultimo
DocType: Vehicle Service,Inspection,ispezione
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Elenco
DocType: Email Digest,New Quotations,Nuovo Preventivo
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Messaggi di posta elettronica stipendio slittamento al dipendente sulla base di posta preferito selezionato a dipendenti
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,Il primo responsabile ferie della lista sarà impostato come il responsabile ferie di default
@@ -354,20 +358,20 @@
DocType: Asset,Next Depreciation Date,Data ammortamento successivo
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Costo attività per dipendente
DocType: Accounts Settings,Settings for Accounts,Impostazioni per gli account
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},La Fattura Fornitore non esiste nella Fattura di Acquisto {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},La Fattura Fornitore non esiste nella Fattura di Acquisto {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Gestire venditori ad albero
DocType: Job Applicant,Cover Letter,Lettera di presentazione
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Gli assegni in circolazione e depositi per cancellare
DocType: Item,Synced With Hub,Sincronizzati con Hub
DocType: Vehicle,Fleet Manager,Responsabile flotta aziendale
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} non può essere negativo per la voce {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Password Errata
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Password Errata
DocType: Item,Variant Of,Variante di
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',Completato Quantità non può essere maggiore di 'Quantità di Fabbricazione'
DocType: Period Closing Voucher,Closing Account Head,Chiudere Conto Primario
DocType: Employee,External Work History,Storia del lavoro esterno
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Circular Error Reference
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Nome Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Nome Guardian1
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,In Parole (Export) sarà visibile una volta che si salva il DDT.
DocType: Cheque Print Template,Distance from left edge,Distanza dal bordo sinistro
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} unità di [{1}](#Form/Item/{1}) trovate in [{2}](#Form/Warehouse/{2})
@@ -376,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notifica tramite e-mail sulla creazione di Richiesta automatica Materiale
DocType: Journal Entry,Multi Currency,Multi valuta
DocType: Payment Reconciliation Invoice,Invoice Type,Tipo Fattura
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Documento Di Trasporto
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Documento Di Trasporto
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Impostazione Tasse
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Costo del bene venduto
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,Pagamento ingresso è stato modificato dopo l'tirato. Si prega di tirare di nuovo.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} inserito due volte in tassazione articolo
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Pagamento ingresso è stato modificato dopo l'tirato. Si prega di tirare di nuovo.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} inserito due volte in tassazione articolo
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Riepilogo per questa settimana e le attività in corso
DocType: Student Applicant,Admitted,Ammesso
DocType: Workstation,Rent Cost,Affitto Costo
@@ -398,25 +402,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Inserisci ' Ripetere il giorno del mese ' valore di campo
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Tasso con cui la valuta Cliente viene convertita in valuta di base del cliente
DocType: Course Scheduling Tool,Course Scheduling Tool,Corso strumento Pianificazione
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Acquisto fattura non può essere fatta contro un bene esistente {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Acquisto fattura non può essere fatta contro un bene esistente {1}
DocType: Item Tax,Tax Rate,Aliquota Fiscale
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} già allocato il dipendente {1} per il periodo {2} a {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Seleziona elemento
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,La Fattura di Acquisto {0} è già stata presentata
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,La Fattura di Acquisto {0} è già stata presentata
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Fila # {0}: Lotto n deve essere uguale a {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Convert to non-Group
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Lotto di un articolo
DocType: C-Form Invoice Detail,Invoice Date,Data fattura
DocType: GL Entry,Debit Amount,Importo Debito
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Ci può essere solo 1 account per ogni impresa in {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,Si prega di vedere allegato
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Ci può essere solo 1 account per ogni impresa in {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,Si prega di vedere allegato
DocType: Purchase Order,% Received,% Ricevuto
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Creazione di gruppi di studenti
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Setup già completo !
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Importo della nota di credito
,Finished Goods,Beni finiti
DocType: Delivery Note,Instructions,Istruzione
DocType: Quality Inspection,Inspected By,Verifica a cura di
DocType: Maintenance Visit,Maintenance Type,Tipo di manutenzione
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} non è iscritto al corso {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Serial No {0} non appartiene alla Consegna Nota {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Aggiungi Articoli
@@ -437,7 +443,7 @@
DocType: Request for Quotation,Request for Quotation,Richiesta di offerta
DocType: Salary Slip Timesheet,Working Hours,Orari di lavoro
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Cambia l'inizio/numero sequenza corrente per una serie esistente
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Creare un nuovo cliente
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Creare un nuovo cliente
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Se più regole dei prezzi continuano a prevalere, gli utenti sono invitati a impostare manualmente la priorità per risolvere il conflitto."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Creare ordini d'acquisto
,Purchase Register,Registro Acquisti
@@ -449,7 +455,7 @@
DocType: Student Log,Medical,Medico
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Motivo per Perdere
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Il proprietario del Lead non può essere il Lead stesso
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,importo concesso non può maggiore del valore non aggiustato
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,importo concesso non può maggiore del valore non aggiustato
DocType: Announcement,Receiver,Ricevitore
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Stazione di lavoro chiusa nei seguenti giorni secondo la lista delle vacanze: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Opportunità
@@ -463,8 +469,7 @@
DocType: Assessment Plan,Examiner Name,Nome Examiner
DocType: Purchase Invoice Item,Quantity and Rate,Quantità e Prezzo
DocType: Delivery Note,% Installed,% Installato
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,Aule / Laboratori etc dove le lezioni possono essere programmati.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Fornitore> Tipo Fornitore
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,Aule / Laboratori etc dove le lezioni possono essere programmati.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Inserisci il nome della società prima
DocType: Purchase Invoice,Supplier Name,Nome Fornitore
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Leggere il manuale ERPNext
@@ -474,7 +479,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Controllare l'unicità del numero fattura fornitore
DocType: Vehicle Service,Oil Change,Cambio olio
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','A Caso N.' non può essere minore di 'Da Caso N.'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Non Profit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Non Profit
DocType: Production Order,Not Started,Non Iniziato
DocType: Lead,Channel Partner,Canale Partner
DocType: Account,Old Parent,Vecchio genitore
@@ -484,19 +489,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Impostazioni globali per tutti i processi produttivi.
DocType: Accounts Settings,Accounts Frozen Upto,Conti congelati fino al
DocType: SMS Log,Sent On,Inviata il
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Attributo {0} selezionato più volte in Attributi Tabella
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Attributo {0} selezionato più volte in Attributi Tabella
DocType: HR Settings,Employee record is created using selected field. ,Record dipendente viene creato utilizzando campo selezionato.
DocType: Sales Order,Not Applicable,Non Applicabile
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Vacanza principale.
DocType: Request for Quotation Item,Required Date,Data richiesta
DocType: Delivery Note,Billing Address,Indirizzo Fatturazione
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Inserisci il codice dell'articolo.
DocType: BOM,Costing,Valutazione Costi
DocType: Tax Rule,Billing County,Contea di fatturazione
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Se selezionato, l'importo della tassa sarà considerata già inclusa nel Stampa Valuta / Stampa Importo"
DocType: Request for Quotation,Message for Supplier,Messaggio per il Fornitore
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Totale Quantità
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Email ID Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Email ID Guardian2
DocType: Item,Show in Website (Variant),Show di Sito web (Variant)
DocType: Employee,Health Concerns,Preoccupazioni per la salute
DocType: Process Payroll,Select Payroll Period,Seleziona Periodo Busta Paga
@@ -514,25 +518,27 @@
DocType: Sales Order Item,Used for Production Plan,Usato per Piano di Produzione
DocType: Employee Loan,Total Payment,Pagamento totale
DocType: Manufacturing Settings,Time Between Operations (in mins),Tempo tra le operazioni (in minuti)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} viene annullato in modo che l'azione non possa essere completata
DocType: Customer,Buyer of Goods and Services.,Buyer di beni e servizi.
DocType: Journal Entry,Accounts Payable,Conti pagabili
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Le distinte materiali selezionati non sono per la stessa voce
DocType: Pricing Rule,Valid Upto,Valido Fino
DocType: Training Event,Workshop,Laboratorio
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Elencare alcuni dei vostri clienti . Potrebbero essere organizzazioni o individui .
-,Enough Parts to Build,Parti abbastanza per costruire
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,reddito diretta
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Elencare alcuni dei vostri clienti . Potrebbero essere organizzazioni o individui .
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Parti abbastanza per costruire
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,reddito diretta
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Non è possibile filtrare sulla base di conto , se raggruppati per conto"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,responsabile amministrativo
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Seleziona Corso
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,responsabile amministrativo
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Seleziona Corso
DocType: Timesheet Detail,Hrs,ore
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Selezionare prego
DocType: Stock Entry Detail,Difference Account,account differenza
+DocType: Purchase Invoice,Supplier GSTIN,Fornitore GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Impossibile chiudere compito il compito dipendente {0} non è chiuso.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Inserisci il Magazzino per cui Materiale richiesta sarà sollevata
DocType: Production Order,Additional Operating Cost,Ulteriori costi di esercizio
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,cosmetici
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Per unire , seguenti proprietà devono essere uguali per entrambe le voci"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Per unire , seguenti proprietà devono essere uguali per entrambe le voci"
DocType: Shipping Rule,Net Weight,Peso netto
DocType: Employee,Emergency Phone,Telefono di emergenza
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Acquistare
@@ -541,14 +547,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Definisci il grado per Soglia 0%
DocType: Sales Order,To Deliver,Da Consegnare
DocType: Purchase Invoice Item,Item,Articolo
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Serial nessun elemento non può essere una frazione
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Serial nessun elemento non può essere una frazione
DocType: Journal Entry,Difference (Dr - Cr),Differenza ( Dr - Cr )
DocType: Account,Profit and Loss,Profitti e Perdite
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Gestione conto lavoro / terzista
DocType: Project,Project will be accessible on the website to these users,Progetto sarà accessibile sul sito web per questi utenti
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Tasso al quale Listino valuta viene convertita in valuta di base dell'azienda
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Il Conto {0} non appartiene alla società: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Abbreviazione già utilizzata per un'altra società
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Il Conto {0} non appartiene alla società: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Abbreviazione già utilizzata per un'altra società
DocType: Selling Settings,Default Customer Group,Gruppo Clienti Predefinito
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Se disabilitare, 'Rounded totale' campo non sarà visibile in qualsiasi transazione"
DocType: BOM,Operating Cost,Costo di gestione
@@ -556,7 +562,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Incremento non può essere 0
DocType: Production Planning Tool,Material Requirement,Richiesta Materiale
DocType: Company,Delete Company Transactions,Elimina transazioni Azienda
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Di riferimento e di riferimento Data è obbligatoria per la transazione Bank
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Di riferimento e di riferimento Data è obbligatoria per la transazione Bank
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Aggiungere / Modificare tasse e ricarichi
DocType: Purchase Invoice,Supplier Invoice No,Fattura Fornitore N°
DocType: Territory,For reference,Per riferimento
@@ -567,22 +573,22 @@
DocType: Installation Note Item,Installation Note Item,Installazione Nota articolo
DocType: Production Plan Item,Pending Qty,In attesa Quantità
DocType: Budget,Ignore,Ignora
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} non è attivo
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} non è attivo
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS inviato al seguenti numeri: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,Configurazione Dimensioni Assegno per la stampa
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Configurazione Dimensioni Assegno per la stampa
DocType: Salary Slip,Salary Slip Timesheet,Stipendio slittamento Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Magazzino Fornitore obbligatorio per ricevuta d'acquisto del conto lavoro
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Magazzino Fornitore obbligatorio per ricevuta d'acquisto del conto lavoro
DocType: Pricing Rule,Valid From,valido dal
DocType: Sales Invoice,Total Commission,Commissione Totale
DocType: Pricing Rule,Sales Partner,Partner vendite
DocType: Buying Settings,Purchase Receipt Required,Ricevuta di Acquisto necessaria
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,La valorizzazione è obbligatoria se si tratta di una disponibilità iniziale di magazzino
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,La valorizzazione è obbligatoria se si tratta di una disponibilità iniziale di magazzino
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Nessun record trovato nella tabella Fattura
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Selezionare prego e Partito Tipo primo
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Esercizio finanziario / contabile .
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Esercizio finanziario / contabile .
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Valori accumulati
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Siamo spiacenti , Serial Nos non può essere fusa"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Crea Ordine di vendita
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Crea Ordine di vendita
DocType: Project Task,Project Task,Progetto Task
,Lead Id,Id del Lead
DocType: C-Form Invoice Detail,Grand Total,Somma totale
@@ -599,7 +605,7 @@
DocType: Job Applicant,Resume Attachment,Riprendi Allegato
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Ripetere i clienti
DocType: Leave Control Panel,Allocate,Assegna
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Ritorno di vendite
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Ritorno di vendite
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Nota: Totale foglie assegnati {0} non deve essere inferiore a foglie già approvati {1} per il periodo
DocType: Announcement,Posted By,Pubblicato da
DocType: Item,Delivered by Supplier (Drop Ship),Consegnato dal Fornitore (Drop Ship)
@@ -609,8 +615,8 @@
DocType: Quotation,Quotation To,Preventivo Per
DocType: Lead,Middle Income,Reddito Medio
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Opening ( Cr )
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unità di misura predefinita per la voce {0} non può essere modificato direttamente perché si è già fatto qualche operazione (s) con un altro UOM. Sarà necessario creare una nuova voce per utilizzare un diverso UOM predefinito.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Importo concesso non può essere negativo
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unità di misura predefinita per la voce {0} non può essere modificato direttamente perché si è già fatto qualche operazione (s) con un altro UOM. Sarà necessario creare una nuova voce per utilizzare un diverso UOM predefinito.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Importo concesso non può essere negativo
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Imposti la Società
DocType: Purchase Order Item,Billed Amt,Importo Fatturato
DocType: Training Result Employee,Training Result Employee,Employee Training Risultato
@@ -622,7 +628,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Selezionare Account pagamento per rendere Bank Entry
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Creare record dei dipendenti per la gestione foglie, rimborsi spese e del libro paga"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Aggiungere al Knowledge Base
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Scrivere proposta
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Scrivere proposta
DocType: Payment Entry Deduction,Payment Entry Deduction,Pagamento Entry Deduzione
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Un'altra Sales Person {0} esiste con lo stesso ID Employee
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Se selezionata, materie prime per gli oggetti che sono sub-contratto saranno inclusi nella sezione Richieste Materiale"
@@ -636,7 +642,7 @@
DocType: Timesheet,Billed,Addebbitato
DocType: Batch,Batch Description,Descrizione Batch
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Creazione di gruppi di studenti
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Payment Gateway account non ha creato, per favore creare uno manualmente."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Payment Gateway account non ha creato, per favore creare uno manualmente."
DocType: Sales Invoice,Sales Taxes and Charges,Tasse di vendita e oneri
DocType: Employee,Organization Profile,Profilo dell'organizzazione
DocType: Student,Sibling Details,Dettagli sibling
@@ -658,11 +664,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Variazione netta Inventario
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Prestito gestione del personale
DocType: Employee,Passport Number,Numero di passaporto
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Rapporto con Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Manager
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Rapporto con Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Manager
DocType: Payment Entry,Payment From / To,Pagamento da / a
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nuovo limite di credito è inferiore a corrente importo dovuto per il cliente. Limite di credito deve essere atleast {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Lo stesso oggetto è stato inserito più volte.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nuovo limite di credito è inferiore a corrente importo dovuto per il cliente. Limite di credito deve essere atleast {0}
DocType: SMS Settings,Receiver Parameter,Ricevitore Parametro
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Basato Su' e 'Raggruppato Per' non può essere lo stesso
DocType: Sales Person,Sales Person Targets,Sales Person Obiettivi
@@ -671,8 +676,9 @@
DocType: Issue,Resolution Date,Risoluzione Data
DocType: Student Batch Name,Batch Name,Batch Nome
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timesheet creato:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},Si prega di impostare di default Contanti o conto bancario in Modalità di pagamento {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Si prega di impostare di default Contanti o conto bancario in Modalità di pagamento {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Iscriversi
+DocType: GST Settings,GST Settings,Impostazioni GST
DocType: Selling Settings,Customer Naming By,Cliente nominato di
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Mostrerà lo studente come presente nel Presenze Monthly Report
DocType: Depreciation Schedule,Depreciation Amount,quota di ammortamento
@@ -694,6 +700,7 @@
DocType: Item,Material Transfer,Trasferimento materiale
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Opening ( Dr)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Distacco timestamp deve essere successiva {0}
+,GST Itemised Purchase Register,Registro Acquisti Itemized GST
DocType: Employee Loan,Total Interest Payable,Totale interessi passivi
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Tasse Landed Cost e oneri
DocType: Production Order Operation,Actual Start Time,Ora di inizio effettiva
@@ -720,10 +727,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
DocType: Account,Accounts,Contabilità
DocType: Vehicle,Odometer Value (Last),Valore del contachilometri (Last)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Pagamento L'ingresso è già stato creato
DocType: Purchase Receipt Item Supplied,Current Stock,Giacenza Corrente
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} non legata alla voce {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} non legata alla voce {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Anteprima foglio paga
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Account {0} è stato inserito più volte
DocType: Account,Expenses Included In Valuation,Spese incluse nella valorizzazione
@@ -731,7 +738,7 @@
,Absent Student Report,Report Assenze Studente
DocType: Email Digest,Next email will be sent on:,La prossima Email verrà inviata il:
DocType: Offer Letter Term,Offer Letter Term,Termine di Offerta
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Articolo ha varianti.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Articolo ha varianti.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Articolo {0} non trovato
DocType: Bin,Stock Value,Valore Giacenza
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Società di {0} non esiste
@@ -740,7 +747,7 @@
DocType: Serial No,Warranty Expiry Date,Data di scadenza Garanzia
DocType: Material Request Item,Quantity and Warehouse,Quantità e Magazzino
DocType: Sales Invoice,Commission Rate (%),Tasso Commissione (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Seleziona Programma
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Seleziona Programma
DocType: Project,Estimated Cost,Costo stimato
DocType: Purchase Order,Link to material requests,Collegamento alle richieste di materiale
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,aerospaziale
@@ -754,14 +761,14 @@
DocType: Purchase Order,Supply Raw Materials,Fornire Materie Prime
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,Data in cui sarà emessa la prossima fattura. Viene creata su Conferma.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Attività correnti
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} non è un articolo in scorta
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} non è un articolo in scorta
DocType: Mode of Payment Account,Default Account,Account Predefinito
DocType: Payment Entry,Received Amount (Company Currency),Importo ricevuto (Società di valuta)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,Il Lead deve essere impostato se l'opportunità è generata da un Lead
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,Seleziona il giorno di riposo settimanale
DocType: Production Order Operation,Planned End Time,Planned End Time
,Sales Person Target Variance Item Group-Wise,Sales Person target Varianza articolo Group- Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Account con transazione registrate non può essere convertito in libro mastro
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Account con transazione registrate non può essere convertito in libro mastro
DocType: Delivery Note,Customer's Purchase Order No,Ordine Acquisto Cliente N.
DocType: Budget,Budget Against,budget contro
DocType: Employee,Cell Number,Numero di Telefono
@@ -773,15 +780,13 @@
DocType: Opportunity,Opportunity From,Opportunità da
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Busta Paga Mensile.
DocType: BOM,Website Specifications,Website Specifiche
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Si prega di impostare la serie di numeri per la partecipazione tramite Setup> Serie di numerazione
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Da {0} di tipo {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Riga {0}: fattore di conversione è obbligatoria
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Riga {0}: fattore di conversione è obbligatoria
DocType: Employee,A+,A+
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Più regole Prezzo esiste con stessi criteri, si prega di risolvere i conflitti tramite l'assegnazione di priorità. Regole Prezzo: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,Impossibile disattivare o cancellare distinta in quanto è collegata con altri BOM
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Più regole Prezzo esiste con stessi criteri, si prega di risolvere i conflitti tramite l'assegnazione di priorità. Regole Prezzo: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Impossibile disattivare o cancellare distinta in quanto è collegata con altri BOM
DocType: Opportunity,Maintenance,Manutenzione
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Ricevuta di Acquisto richiesta per la voce {0}
DocType: Item Attribute Value,Item Attribute Value,Valore Attributo Articolo
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Campagne di vendita .
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Crea un Timesheet
@@ -833,29 +838,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Asset demolito tramite diario {0}
DocType: Employee Loan,Interest Income Account,Conto Interessi attivi
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Biotecnologia
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Spese di manutenzione dell'ufficio
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Spese di manutenzione dell'ufficio
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Impostazione di account e-mail
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Inserisci articolo prima
DocType: Account,Liability,responsabilità
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Importo sanzionato non può essere maggiore di rivendicazione Importo in riga {0}.
DocType: Company,Default Cost of Goods Sold Account,Costo predefinito di Account merci vendute
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Listino Prezzi non selezionati
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Listino Prezzi non selezionati
DocType: Employee,Family Background,Sfondo Famiglia
DocType: Request for Quotation Supplier,Send Email,Invia Email
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Attenzione: L'allegato non valido {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Attenzione: L'allegato non valido {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Nessuna autorizzazione
DocType: Company,Default Bank Account,Conto Banca Predefinito
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Per filtrare sulla base del partito, selezionare Partito Digitare prima"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'Aggiorna Scorte' non può essere selezionato perché gli articoli non vengono recapitati tramite {0}
DocType: Vehicle,Acquisition Date,Data Acquisizione
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,nos
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,nos
DocType: Item,Items with higher weightage will be shown higher,Gli articoli con maggiore weightage nel periodo più alto
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Dettaglio Riconciliazione Banca
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} deve essere presentata
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} deve essere presentata
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Nessun dipendente trovato
DocType: Supplier Quotation,Stopped,Arrestato
DocType: Item,If subcontracted to a vendor,Se subappaltato a un fornitore
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Il gruppo studente è già aggiornato.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Il gruppo studente è già aggiornato.
DocType: SMS Center,All Customer Contact,Tutti Contatti Clienti
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Carica Saldo delle Scorte tramite csv.
DocType: Warehouse,Tree Details,Dettagli Albero
@@ -867,13 +872,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Il Centro di Costo {2} non appartiene all'azienda {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Il conto {2} non può essere un gruppo
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Articolo Row {} IDX: {DOCTYPE} {} docname non esiste nel precedente '{} doctype' tavolo
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Timesheet {0} è già completato o annullato
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} è già completato o annullato
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Nessuna attività
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Il giorno del mese per cui la fattura automatica sarà generata, ad esempio 05, 28 ecc"
DocType: Asset,Opening Accumulated Depreciation,Apertura del deprezzamento accumulato
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Punteggio deve essere minore o uguale a 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Strumento di iscrizione Programma
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,Record C -Form
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,Record C -Form
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Cliente e Fornitore
DocType: Email Digest,Email Digest Settings,Impostazioni Email di Sintesi
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Grazie per il tuo business!
@@ -883,17 +888,19 @@
DocType: Bin,Moving Average Rate,Tasso Media Mobile
DocType: Production Planning Tool,Select Items,Selezionare Elementi
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} per fattura {1} in data {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Numero di veicolo / bus
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Orario del corso
DocType: Maintenance Visit,Completion Status,Stato Completamento
DocType: HR Settings,Enter retirement age in years,Inserire l'età pensionabile in anni
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Obiettivo Magazzino
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Seleziona un magazzino
DocType: Cheque Print Template,Starting location from left edge,A partire da posizione bordo sinistro
DocType: Item,Allow over delivery or receipt upto this percent,Consenti superamento ricezione o invio fino a questa percentuale
DocType: Stock Entry,STE-,STEREO
DocType: Upload Attendance,Import Attendance,Importa presenze
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Tutti i Gruppi
DocType: Process Payroll,Activity Log,Registro attività
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Utile / Perdita
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Utile / Perdita
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Comporre automaticamente il messaggio di presentazione delle transazioni .
DocType: Production Order,Item To Manufacture,Articolo per la fabbricazione
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} stato è {2}
@@ -902,16 +909,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Ordine d'acquisto a pagamento
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Qtà Proiettata
DocType: Sales Invoice,Payment Due Date,Pagamento Due Date
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Prodotto Modello {0} esiste già con gli stessi attributi
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Prodotto Modello {0} esiste già con gli stessi attributi
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','Apertura'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Aperto per fare
DocType: Notification Control,Delivery Note Message,Messaggio del Documento di Trasporto
DocType: Expense Claim,Expenses,Spese
+,Support Hours,Ore di supporto
DocType: Item Variant Attribute,Item Variant Attribute,Prodotto Modello attributo
,Purchase Receipt Trends,Acquisto Tendenze Receipt
DocType: Process Payroll,Bimonthly,ogni due mesi
DocType: Vehicle Service,Brake Pad,Pastiglie freno
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Ricerca & Sviluppo
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Ricerca & Sviluppo
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Importo da Bill
DocType: Company,Registration Details,Dettagli di Registrazione
DocType: Timesheet,Total Billed Amount,Totale importo fatturato
@@ -924,12 +932,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Ottenere solo materie prime
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Valutazione delle prestazioni.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","L'attivazione di 'utilizzare per il Carrello', come Carrello è abilitato e ci dovrebbe essere almeno una regola imposta per Carrello"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","La registrazione di pagamento {0} è legata all'ordine {1}, controllare se deve essere considerato come anticipo in questa fattura."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","La registrazione di pagamento {0} è legata all'ordine {1}, controllare se deve essere considerato come anticipo in questa fattura."
DocType: Sales Invoice Item,Stock Details,Dettagli Stock
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Valore di progetto
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Punto vendita
DocType: Vehicle Log,Odometer Reading,Lettura del contachilometri
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Saldo a bilancio già nel credito, non è permesso impostare il 'Saldo Futuro' come 'debito'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Saldo a bilancio già nel credito, non è permesso impostare il 'Saldo Futuro' come 'debito'"
DocType: Account,Balance must be,Il saldo deve essere
DocType: Hub Settings,Publish Pricing,Pubblicare Prezzi
DocType: Notification Control,Expense Claim Rejected Message,Messaggio Rimborso Spese Rifiutato
@@ -939,7 +947,7 @@
DocType: Salary Slip,Working Days,Giorni lavorativi
DocType: Serial No,Incoming Rate,Tasso in ingresso
DocType: Packing Slip,Gross Weight,Peso lordo
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,Il nome dell'azienda per la quale si sta configurando questo sistema.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,Il nome dell'azienda per la quale si sta configurando questo sistema.
DocType: HR Settings,Include holidays in Total no. of Working Days,Includi vacanze in totale n. dei giorni lavorativi
DocType: Job Applicant,Hold,Mantieni
DocType: Employee,Date of Joining,Data Adesione
@@ -950,20 +958,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Ricevuta di Acquisto
,Received Items To Be Billed,Oggetti ricevuti da fatturare
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Buste paga presentate
-DocType: Employee,Ms,Sig.ra
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Maestro del tasso di cambio di valuta .
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Riferimento Doctype deve essere uno dei {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Maestro del tasso di cambio di valuta .
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Riferimento Doctype deve essere uno dei {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Impossibile trovare tempo di slot nei prossimi {0} giorni per l'operazione {1}
DocType: Production Order,Plan material for sub-assemblies,Materiale Piano per sub-assemblaggi
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,I partner di vendita e Territorio
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,Non è possibile creare automaticamente account in quanto vi è già magazzino saldo del conto. È necessario creare un account corrispondente prima di poter effettuare una voce su questo magazzino
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} deve essere attivo
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} deve essere attivo
DocType: Journal Entry,Depreciation Entry,Ammortamenti Entry
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Si prega di selezionare il tipo di documento prima
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Annulla Visite Materiale {0} prima di annullare questa visita di manutenzione
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serial No {0} non appartiene alla voce {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Quantità richiesta
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Magazzini con transazione esistenti non possono essere convertiti in contabilità.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Magazzini con transazione esistenti non possono essere convertiti in contabilità.
DocType: Bank Reconciliation,Total Amount,Totale Importo
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Internet Publishing
DocType: Production Planning Tool,Production Orders,Ordini di produzione
@@ -978,25 +984,26 @@
DocType: Fee Structure,Components,componenti
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Si prega di inserire Asset categoria al punto {0}
DocType: Quality Inspection Reading,Reading 6,Lettura 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Impossibile {0} {1} {2} senza alcuna fattura in sospeso negativo
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Impossibile {0} {1} {2} senza alcuna fattura in sospeso negativo
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Acquisto Advance Fattura
DocType: Hub Settings,Sync Now,Sync Now
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Riga {0}: ingresso di credito non può essere collegato con un {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Definire bilancio per l'anno finanziario.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Definire bilancio per l'anno finanziario.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"""Conto Banca / Cassa predefinito"" sarà verrà automaticamente aggiornato nella fattura del punto vendita quando sarà selezionata questa modalità."
DocType: Lead,LEAD-,LEAD-
DocType: Employee,Permanent Address Is,Indirizzo permanente è
DocType: Production Order Operation,Operation completed for how many finished goods?,Operazione completata per quanti prodotti finiti?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,Il marchio / brand
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Il marchio / brand
DocType: Employee,Exit Interview Details,Uscire Dettagli Intervista
DocType: Item,Is Purchase Item,È Acquisto Voce
DocType: Asset,Purchase Invoice,Fattura di Acquisto
DocType: Stock Ledger Entry,Voucher Detail No,Voucher Detail No
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Nuova fattura di vendita
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Nuova fattura di vendita
DocType: Stock Entry,Total Outgoing Value,Totale Valore uscita
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Data e Data di chiusura di apertura dovrebbe essere entro lo stesso anno fiscale
DocType: Lead,Request for Information,Richiesta di Informazioni
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sincronizzazione offline fatture
+,LeaderBoard,Classifica
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Sincronizzazione offline fatture
DocType: Payment Request,Paid,Pagato
DocType: Program Fee,Program Fee,Costo del programma
DocType: Salary Slip,Total in words,Totale in parole
@@ -1005,13 +1012,13 @@
DocType: Cheque Print Template,Has Print Format,Ha Formato di stampa
DocType: Employee Loan,Sanctioned,sanzionato
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,Obbligatorio. Forse non è stato definito il vambio di valuta
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Si prega di specificare Numero d'ordine per la voce {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Per 'prodotto Bundle', Warehouse, numero di serie e Batch No sarà considerata dal 'Packing List' tavolo. Se Magazzino e Batch No sono gli stessi per tutti gli elementi di imballaggio per un elemento qualsiasi 'Product Bundle', questi valori possono essere inseriti nella tabella principale elemento, i valori verranno copiati a 'Packing List' tavolo."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Si prega di specificare Numero d'ordine per la voce {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Per 'prodotto Bundle', Warehouse, numero di serie e Batch No sarà considerata dal 'Packing List' tavolo. Se Magazzino e Batch No sono gli stessi per tutti gli elementi di imballaggio per un elemento qualsiasi 'Product Bundle', questi valori possono essere inseriti nella tabella principale elemento, i valori verranno copiati a 'Packing List' tavolo."
DocType: Job Opening,Publish on website,Pubblicare sul sito web
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Le spedizioni verso i clienti.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,La data Fattura Fornitore non può essere superiore della Data Registrazione
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,La data Fattura Fornitore non può essere superiore della Data Registrazione
DocType: Purchase Invoice Item,Purchase Order Item,Ordine di acquisto dell'oggetto
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Proventi indiretti
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Proventi indiretti
DocType: Student Attendance Tool,Student Attendance Tool,Strumento Presenze
DocType: Cheque Print Template,Date Settings,Impostazioni della data
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Varianza
@@ -1029,20 +1036,20 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,chimico
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Predefinito conto bancario / Cash sarà aggiornato automaticamente in Stipendio diario quando viene selezionata questa modalità.
DocType: BOM,Raw Material Cost(Company Currency),Raw Material Cost (Società di valuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Tutti gli articoli sono già stati trasferiti per questo ordine di produzione.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Tutti gli articoli sono già stati trasferiti per questo ordine di produzione.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Riga # {0}: la velocità non può essere superiore alla velocità utilizzata in {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,metro
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,metro
DocType: Workstation,Electricity Cost,Costo Elettricità
DocType: HR Settings,Don't send Employee Birthday Reminders,Non inviare Dipendente Birthday Reminders
DocType: Item,Inspection Criteria,Criteri di ispezione
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Trasferiti
DocType: BOM Website Item,BOM Website Item,Distinta Base dell'Articolo sul Sito Web
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Carica la tua testa lettera e logo. (È possibile modificare in un secondo momento).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Carica la tua testa lettera e logo. (È possibile modificare in un secondo momento).
DocType: Timesheet Detail,Bill,Conto
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Successivo ammortamento Data viene inserita come data passata
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Bianco
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Bianco
DocType: SMS Center,All Lead (Open),Tutti i Lead (Aperti)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Riga {0}: Qtà non disponibile per {4} in magazzino {1} al momento della pubblicazione della voce ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Riga {0}: Qtà non disponibile per {4} in magazzino {1} al momento della pubblicazione della voce ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Ottenere anticipo pagamento
DocType: Item,Automatically Create New Batch,Crea automaticamente un nuovo batch
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,Fare
@@ -1052,13 +1059,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Il mio carrello
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Tipo ordine deve essere uno dei {0}
DocType: Lead,Next Contact Date,Data del contatto successivo
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Quantità di apertura
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,Si prega di inserire account per quantità di modifica
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Quantità di apertura
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,Si prega di inserire account per quantità di modifica
DocType: Student Batch Name,Student Batch Name,Studente Batch Nome
DocType: Holiday List,Holiday List Name,Nome elenco vacanza
DocType: Repayment Schedule,Balance Loan Amount,Importo del prestito di bilancio
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Programma del corso
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Stock Options
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Stock Options
DocType: Journal Entry Account,Expense Claim,Rimborso Spese
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Vuoi davvero ripristinare questo bene rottamato?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Quantità per {0}
@@ -1070,12 +1077,12 @@
DocType: Company,Default Terms,Predefinito Termini
DocType: Packing Slip Item,Packing Slip Item,Distinta di imballaggio articolo
DocType: Purchase Invoice,Cash/Bank Account,Conto Cassa/Banca
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Si prega di specificare un {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Si prega di specificare un {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Eliminati elementi senza variazione di quantità o valore.
DocType: Delivery Note,Delivery To,Consegna a
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Tavolo attributo è obbligatorio
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Tavolo attributo è obbligatorio
DocType: Production Planning Tool,Get Sales Orders,Ottieni Ordini di Vendita
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} non può essere negativo
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} non può essere negativo
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Sconto
DocType: Asset,Total Number of Depreciations,Numero totale degli ammortamenti
DocType: Sales Invoice Item,Rate With Margin,Vota con margine
@@ -1095,7 +1102,6 @@
DocType: Serial No,Creation Document No,Creazione di documenti No
DocType: Issue,Issue,Contestazione
DocType: Asset,Scrapped,Demolita
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Il conto non corrisponde alla Società
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Attributi per voce Varianti. P. es. Taglia, colore etc."
DocType: Purchase Invoice,Returns,Restituisce
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP Warehouse
@@ -1107,12 +1113,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,L'oggetto deve essere aggiunto utilizzando 'ottenere elementi dal Receipts Purchase pulsante
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Includi elementi non-azione
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Spese di vendita
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Spese di vendita
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Listino d'Acquisto
DocType: GL Entry,Against,Previsione
DocType: Item,Default Selling Cost Center,Centro di costo di vendita di default
DocType: Sales Partner,Implementation Partner,Partner di implementazione
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,CAP
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,CAP
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Sales Order {0} è {1}
DocType: Opportunity,Contact Info,Info Contatto
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Creazione scorte
@@ -1125,31 +1131,31 @@
DocType: Holiday List,Get Weekly Off Dates,Ottieni cadenze settimanali
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,Data di Fine non può essere inferiore a Data di inizio
DocType: Sales Person,Select company name first.,Selezionare il nome della società prima.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Dr
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Preventivi ricevuti dai Fornitori.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Per {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Età media
DocType: School Settings,Attendance Freeze Date,Data di congelamento della frequenza
DocType: Opportunity,Your sales person who will contact the customer in future,Il vostro venditore che contatterà il cliente in futuro
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Elencare alcuni dei vostri fornitori . Potrebbero essere società o persone fisiche
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Elencare alcuni dei vostri fornitori . Potrebbero essere società o persone fisiche
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Visualizza tutti i prodotti
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Età di piombo minima (giorni)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,tutte le Distinte Materiali
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,tutte le Distinte Materiali
DocType: Company,Default Currency,Valuta Predefinita
DocType: Expense Claim,From Employee,Da Dipendente
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Attenzione : Il sistema non controlla fatturazione eccessiva poiché importo per la voce {0} in {1} è zero
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Attenzione : Il sistema non controlla fatturazione eccessiva poiché importo per la voce {0} in {1} è zero
DocType: Journal Entry,Make Difference Entry,Aggiungi Differenza
DocType: Upload Attendance,Attendance From Date,Partecipazione Da Data
DocType: Appraisal Template Goal,Key Performance Area,Area Chiave Prestazioni
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Trasporto
+DocType: Program Enrollment,Transportation,Trasporto
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,attributo non valido
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} deve essere confermato
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} deve essere confermato
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},La quantità deve essere minore o uguale a {0}
DocType: SMS Center,Total Characters,Totale Personaggi
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Seleziona BOM BOM in campo per la voce {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Seleziona BOM BOM in campo per la voce {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Detagli Fattura
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Pagamento Riconciliazione fattura
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Contributo%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Come per le impostazioni di acquisto se l'ordine di acquisto richiede == 'YES', quindi per la creazione di fattura di acquisto, l'utente deve creare l'ordine di acquisto per l'elemento {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Numeri di registrazione dell'azienda per il vostro riferimento. numero Tassa, ecc"
DocType: Sales Partner,Distributor,Distributore
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Regola Spedizione del Carrello
@@ -1158,23 +1164,25 @@
,Ordered Items To Be Billed,Articoli ordinati da fatturare
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Da Campo deve essere inferiore al campo
DocType: Global Defaults,Global Defaults,Predefiniti Globali
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Progetto di collaborazione Invito
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Progetto di collaborazione Invito
DocType: Salary Slip,Deductions,Deduzioni
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Inizio Anno
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},Le prime 2 cifre di GSTIN dovrebbero corrispondere al numero di stato {0}
DocType: Purchase Invoice,Start date of current invoice's period,Data finale del periodo di fatturazione corrente Avviare
DocType: Salary Slip,Leave Without Pay,Lascia senza stipendio
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Capacity Planning Errore
,Trial Balance for Party,Bilancio di verifica per partita
DocType: Lead,Consultant,Consulente
DocType: Salary Slip,Earnings,Rendimenti
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Voce Finito {0} deve essere inserito per il tipo di fabbricazione ingresso
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Voce Finito {0} deve essere inserito per il tipo di fabbricazione ingresso
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Apertura bilancio contabile
+,GST Sales Register,Registro delle vendite GST
DocType: Sales Invoice Advance,Sales Invoice Advance,Fattura di vendita (anticipata)
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Niente da chiedere
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Un altro record di bilancio '{0}' esiste già contro {1} '{2}' per l'anno fiscale {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date','Data Inizio effettivo' non può essere maggiore di 'Data di fine effettiva'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Amministrazione
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Amministrazione
DocType: Cheque Print Template,Payer Settings,Impostazioni Pagatore
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Questo sarà aggiunto al codice articolo della variante. Ad esempio, se la sigla è ""SM"", e il codice articolo è ""T-SHIRT"", il codice articolo della variante sarà ""T-SHIRT-SM"""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Paga Netta (in lettere) sarà visibile una volta che si salva la busta paga.
@@ -1191,8 +1199,8 @@
DocType: Employee Loan,Partially Disbursed,parzialmente erogato
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Database dei fornitori.
DocType: Account,Balance Sheet,Bilancio Patrimoniale
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Centro di costo per articoli con Codice Prodotto '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Modalità di pagamento non è configurato. Si prega di verificare, se account è stato impostato sulla modalità di pagamento o su POS profilo."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Centro di costo per articoli con Codice Prodotto '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Modalità di pagamento non è configurato. Si prega di verificare, se account è stato impostato sulla modalità di pagamento o su POS profilo."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Il rivenditore riceverà un promemoria in questa data per contattare il cliente
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Lo stesso articolo non può essere inserito più volte.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Ulteriori conti possono essere fatti in Gruppi, ma le voci possono essere fatte contro i non-Gruppi"
@@ -1200,7 +1208,7 @@
DocType: Email Digest,Payables,Debiti
DocType: Course,Course Intro,corso di Introduzione
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Entrata Scorte di Magazzino {0} creata
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Rifiutato Quantità non è possibile entrare in acquisto di ritorno
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Rifiutato Quantità non è possibile entrare in acquisto di ritorno
,Purchase Order Items To Be Billed,Ordine di Acquisto Articoli da fatturare
DocType: Purchase Invoice Item,Net Rate,Tasso Netto
DocType: Purchase Invoice Item,Purchase Invoice Item,Acquisto Articolo Fattura
@@ -1225,7 +1233,7 @@
DocType: Sales Order,SO-,COSÌ-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Si prega di selezionare il prefisso prima
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,ricerca
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,ricerca
DocType: Maintenance Visit Purpose,Work Done,Attività svolta
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Specifica almeno un attributo nella tabella Attributi
DocType: Announcement,All Students,Tutti gli studenti
@@ -1233,17 +1241,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,vista Ledger
DocType: Grading Scale,Intervals,intervalli
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,La prima
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Un gruppo di elementi esiste con lo stesso nome , si prega di cambiare il nome della voce o rinominare il gruppo di articoli"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,No. studente in mobilità
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Resto del Mondo
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Un gruppo di elementi esiste con lo stesso nome , si prega di cambiare il nome della voce o rinominare il gruppo di articoli"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,No. studente in mobilità
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Resto del Mondo
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,L'articolo {0} non può avere Lotto
,Budget Variance Report,Report Variazione Budget
DocType: Salary Slip,Gross Pay,Paga lorda
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Riga {0}: Tipo Attività è obbligatoria.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Dividendo liquidato
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Dividendo liquidato
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Libro Mastro Contabile
DocType: Stock Reconciliation,Difference Amount,Differenza Importo
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Utili Trattenuti
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Utili Trattenuti
DocType: Vehicle Log,Service Detail,Particolare di servizio
DocType: BOM,Item Description,Descrizione Articolo
DocType: Student Sibling,Student Sibling,Student Sibling
@@ -1257,11 +1265,11 @@
DocType: Opportunity Item,Opportunity Item,Opportunità articolo
,Student and Guardian Contact Details,Student and Guardian Contatti
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Riga {0}: Per il fornitore {0} l'Indirizzo e-mail è richiesto per inviare l'e-mail
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Apertura temporanea
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Apertura temporanea
,Employee Leave Balance,Saldo del Congedo Dipendete
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Il Saldo del Conto {0} deve essere sempre {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Tasso di valorizzazione richiesto per la voce sulla riga {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Esempio: Master in Computer Science
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Esempio: Master in Computer Science
DocType: Purchase Invoice,Rejected Warehouse,Magazzino Rifiutato
DocType: GL Entry,Against Voucher,Per Tagliando
DocType: Item,Default Buying Cost Center,Comprare Centro di costo predefinito
@@ -1274,31 +1282,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Ottieni fatture non saldate
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Sales Order {0} non è valido
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Gli ordini di acquisto ti aiutano a pianificare e monitorare i tuoi acquisti
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Siamo spiacenti , le aziende non possono essere unite"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Siamo spiacenti , le aziende non possono essere unite"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",La quantità emissione / trasferimento totale {0} in Materiale Richiesta {1} \ non può essere maggiore di quantità richiesta {2} per la voce {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Piccolo
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Piccolo
DocType: Employee,Employee Number,Numero Dipendente
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Caso n ( s) già in uso . Prova da Caso n {0}
DocType: Project,% Completed,% Completato
,Invoiced Amount (Exculsive Tax),Importo fatturato ( Exculsive Tax)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Articolo 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Riferimento del conto {0} creato
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,evento di formazione
DocType: Item,Auto re-order,Auto riordino
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Totale Raggiunto
DocType: Employee,Place of Issue,Luogo di emissione
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,contratto
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,contratto
DocType: Email Digest,Add Quote,Aggiungere Citazione
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},Fattore di conversione Unità di Misura è obbligatorio per Unità di Misura: {0} alla voce: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,spese indirette
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Fattore di conversione Unità di Misura è obbligatorio per Unità di Misura: {0} alla voce: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,spese indirette
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Riga {0}: Quantità è obbligatorio
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,agricoltura
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sync Master Data
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,I vostri prodotti o servizi
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,I vostri prodotti o servizi
DocType: Mode of Payment,Mode of Payment,Modalità di Pagamento
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Website Immagine dovrebbe essere un file o URL del sito web pubblico
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Website Immagine dovrebbe essere un file o URL del sito web pubblico
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Questo è un gruppo elemento principale e non può essere modificato .
@@ -1307,17 +1314,17 @@
DocType: Warehouse,Warehouse Contact Info,Contatti Magazzino
DocType: Payment Entry,Write Off Difference Amount,Scrivi Off importo di differenza
DocType: Purchase Invoice,Recurring Type,Tipo ricorrente
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: Indirizzo e-mail del dipendente non trovato, e-mail non inviata"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: Indirizzo e-mail del dipendente non trovato, e-mail non inviata"
DocType: Item,Foreign Trade Details,Commercio Estero Dettagli
DocType: Email Digest,Annual Income,Reddito annuo
DocType: Serial No,Serial No Details,Serial No Dettagli
DocType: Purchase Invoice Item,Item Tax Rate,Articolo Tax Rate
DocType: Student Group Student,Group Roll Number,Numero di rotolo di gruppo
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Per {0}, solo i conti di credito possono essere collegati contro un'altra voce di addebito"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Totale di tutti i pesi compito dovrebbe essere 1. Regolare i pesi di tutte le attività del progetto di conseguenza
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Il Documento di Trasporto {0} non è confermato
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,L'Articolo {0} deve essere di un sub-contratto
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Attrezzature Capital
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Totale di tutti i pesi compito dovrebbe essere 1. Regolare i pesi di tutte le attività del progetto di conseguenza
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Il Documento di Trasporto {0} non è confermato
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,L'Articolo {0} deve essere di un sub-contratto
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Attrezzature Capital
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Regola Prezzi viene prima selezionato in base al 'applicare sul campo', che può essere prodotto, Articolo di gruppo o di marca."
DocType: Hub Settings,Seller Website,Venditore Sito
DocType: Item,ITEM-,ARTICOLO-
@@ -1335,7 +1342,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Ci può essere una sola regola spedizione Circostanza con 0 o il valore vuoto per "" To Value """
DocType: Authorization Rule,Transaction,Transazioni
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Nota : Questo centro di costo è un gruppo . Non può fare scritture contabili contro i gruppi .
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,Esiste magazzino Bambino per questo magazzino. Non è possibile eliminare questo magazzino.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Esiste magazzino Bambino per questo magazzino. Non è possibile eliminare questo magazzino.
DocType: Item,Website Item Groups,Sito gruppi di articoli
DocType: Purchase Invoice,Total (Company Currency),Totale (Valuta Società)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Numero di serie {0} è entrato più di una volta
@@ -1345,7 +1352,7 @@
DocType: Grading Scale Interval,Grade Code,Codice grado
DocType: POS Item Group,POS Item Group,POS Gruppo Articolo
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email di Sintesi:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},Distinta Base {0} non appartiene alla voce {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},Distinta Base {0} non appartiene alla voce {1}
DocType: Sales Partner,Target Distribution,Distribuzione di destinazione
DocType: Salary Slip,Bank Account No.,Conto Bancario N.
DocType: Naming Series,This is the number of the last created transaction with this prefix,Questo è il numero dell'ultimo transazione creata con questo prefisso
@@ -1355,12 +1362,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Apprendere automaticamente l'ammortamento dell'attivo
DocType: BOM Operation,Workstation,Stazione di lavoro
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Richiesta di offerta del fornitore
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Hardware
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Hardware
DocType: Sales Order,Recurring Upto,ricorrente Fino
DocType: Attendance,HR Manager,HR Manager
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Seleziona una società
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Lascia Privilege
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Seleziona una società
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Lascia Privilege
DocType: Purchase Invoice,Supplier Invoice Date,Data fattura Fornitore
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,per
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,È necessario abilitare Carrello
DocType: Payment Entry,Writeoff,Cancellare
DocType: Appraisal Template Goal,Appraisal Template Goal,Valutazione Modello Obiettivo
@@ -1371,10 +1379,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Condizioni sovrapposti trovati tra :
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Contro diario {0} è già regolata contro un altro buono
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Totale valore di ordine
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,cibo
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,cibo
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Gamma invecchiamento 3
DocType: Maintenance Schedule Item,No of Visits,Num. di Visite
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Segna come Presenza
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Segna come Presenza
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Il programma di manutenzione {0} esiste contro {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,studente iscrivendosi
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Valuta del Conto di chiusura deve essere {0}
@@ -1388,6 +1396,7 @@
DocType: Rename Tool,Utilities,Utilità
DocType: Purchase Invoice Item,Accounting,Contabilità
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Si prega di selezionare i batch per l'articolo in scatola
DocType: Asset,Depreciation Schedules,piani di ammortamento
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Periodo di applicazione non può essere periodo di assegnazione congedo di fuori
DocType: Activity Cost,Projects,Progetti
@@ -1401,6 +1410,7 @@
DocType: POS Profile,Campaign,Campagna
DocType: Supplier,Name and Type,Nome e tipo
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Stato approvazione deve essere ' Approvato ' o ' Rifiutato '
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,bootstrap
DocType: Purchase Invoice,Contact Person,Persona Contatto
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Data prevista di inizio' non può essere maggiore di 'Data di fine prevista'
DocType: Course Scheduling Tool,Course End Date,Corso Data fine
@@ -1408,12 +1418,11 @@
DocType: Sales Order Item,Planned Quantity,Quantità Prevista
DocType: Purchase Invoice Item,Item Tax Amount,Articolo fiscale Ammontare
DocType: Item,Maintain Stock,Scorta da mantenere
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Le voci di archivio già creati per ordine di produzione
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Le voci di archivio già creati per ordine di produzione
DocType: Employee,Prefered Email,preferito Email
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Variazione netta delle immobilizzazioni
DocType: Leave Control Panel,Leave blank if considered for all designations,Lasciare vuoto se considerato per tutte le designazioni
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Magazzino è obbligatoria per gli account non di gruppo
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Carica di tipo ' Actual ' in riga {0} non può essere incluso nella voce Tasso
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Carica di tipo ' Actual ' in riga {0} non può essere incluso nella voce Tasso
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Da Datetime
DocType: Email Digest,For Company,Per Azienda
@@ -1423,15 +1432,15 @@
DocType: Sales Invoice,Shipping Address Name,Destinazione
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Piano dei Conti
DocType: Material Request,Terms and Conditions Content,Termini e condizioni contenuti
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,non può essere superiore a 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,L'articolo {0} non è in Giagenza
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,non può essere superiore a 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,L'articolo {0} non è in Giagenza
DocType: Maintenance Visit,Unscheduled,Non in programma
DocType: Employee,Owned,Di proprietà
DocType: Salary Detail,Depends on Leave Without Pay,Dipende in aspettativa senza assegni
DocType: Pricing Rule,"Higher the number, higher the priority","Più alto è il numero, maggiore è la priorità"
,Purchase Invoice Trends,Acquisto Tendenze Fattura
DocType: Employee,Better Prospects,Prospettive Migliori
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Riga # {0}: Il batch {1} ha solo {2} qty. Si prega di selezionare un altro batch che dispone di {3} qty disponibile o si divide la riga in più righe, per consegnare / emettere da più batch"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Riga # {0}: Il batch {1} ha solo {2} qty. Si prega di selezionare un altro batch che dispone di {3} qty disponibile o si divide la riga in più righe, per consegnare / emettere da più batch"
DocType: Vehicle,License Plate,Targa
DocType: Appraisal,Goals,Obiettivi
DocType: Warranty Claim,Warranty / AMC Status,Garanzia / AMC Stato
@@ -1442,7 +1451,8 @@
,Batch-Wise Balance History,Cronologia Bilanciamento Lotti-Wise
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Le impostazioni di stampa aggiornati nel rispettivo formato di stampa
DocType: Package Code,Package Code,Codice Confezione
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,apprendista
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,apprendista
+DocType: Purchase Invoice,Company GSTIN,Azienda GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Quantità negative non è consentito
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","Dettaglio Tax tavolo prelevato dalla voce principale come una stringa e memorizzati in questo campo.
@@ -1450,12 +1460,12 @@
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Il dipendente non può riportare a se stesso.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Se l'account viene bloccato , le voci sono autorizzati a utenti con restrizioni ."
DocType: Email Digest,Bank Balance,Saldo bancario
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Ingresso contabile per {0}: {1} può essere fatto solo in valuta: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Ingresso contabile per {0}: {1} può essere fatto solo in valuta: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Profilo Posizione , qualifiche richieste ecc"
DocType: Journal Entry Account,Account Balance,Saldo a bilancio
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Regola fiscale per le operazioni.
DocType: Rename Tool,Type of document to rename.,Tipo di documento da rinominare.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Compriamo questo articolo
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Compriamo questo articolo
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}:Per la Contabilità Clienti è necessario specificare un Cliente {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Totale tasse e spese (Azienda valuta)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Mostra di P & L saldi non chiusa anno fiscale di
@@ -1466,29 +1476,30 @@
DocType: Stock Entry,Total Additional Costs,Totale Costi aggiuntivi
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Scrap Materiale Costo (Società di valuta)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,sub Assemblies
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,sub Assemblies
DocType: Asset,Asset Name,Asset Nome
DocType: Project,Task Weight,Peso dell'attività
DocType: Shipping Rule Condition,To Value,Per Valore
DocType: Asset Movement,Stock Manager,Responsabile di magazzino
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Deposito Origine è obbligatorio per riga {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Documento di trasporto
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Affitto Ufficio
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Deposito Origine è obbligatorio per riga {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Documento di trasporto
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Affitto Ufficio
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Impostazioni del gateway configurazione di SMS
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Importazione non riuscita!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Nessun indirizzo ancora aggiunto.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Nessun indirizzo ancora aggiunto.
DocType: Workstation Working Hour,Workstation Working Hour,Ore di lavoro Workstation
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,analista
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,analista
DocType: Item,Inventory,Inventario
DocType: Item,Sales Details,Dettagli di vendita
DocType: Quality Inspection,QI-,Qi-
DocType: Opportunity,With Items,Con gli articoli
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,Qtà
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,Qtà
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Validate il Corso iscritto agli studenti del gruppo studente
DocType: Notification Control,Expense Claim Rejected,Rimborso Spese Rifiutato
DocType: Item,Item Attribute,Attributo Articolo
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Governo
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Governo
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Rimborso spese {0} esiste già per il registro di veicoli
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Nome Istituto
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Nome Istituto
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,Si prega di inserire l'importo di rimborso
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Varianti Voce
DocType: Company,Services,Servizi
@@ -1498,18 +1509,18 @@
DocType: Sales Invoice,Source,Fonte
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Mostra chiusa
DocType: Leave Type,Is Leave Without Pay,È lasciare senza stipendio
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Asset categoria è obbligatoria per voce delle immobilizzazioni
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset categoria è obbligatoria per voce delle immobilizzazioni
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Nessun record trovato nella tabella di Pagamento
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Questo {0} conflitti con {1} per {2} {3}
DocType: Student Attendance Tool,Students HTML,Gli studenti HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Esercizio Data di inizio
DocType: POS Profile,Apply Discount,applicare Sconto
+DocType: Purchase Invoice Item,GST HSN Code,Codice GST HSN
DocType: Employee External Work History,Total Experience,Esperienza totale
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,progetti aperti
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Bolla di accompagnamento ( s ) annullato
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Cash Flow da investimenti
DocType: Program Course,Program Course,programma del Corso
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Freight Forwarding e spese
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Freight Forwarding e spese
DocType: Homepage,Company Tagline for website homepage,Società Sottotitolo per home page del sito
DocType: Item Group,Item Group Name,Nome Gruppo Articoli
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Preso
@@ -1519,6 +1530,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Creare un Lead
DocType: Maintenance Schedule,Schedules,Orari
DocType: Purchase Invoice Item,Net Amount,Importo Netto
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} non è stato inviato affinché l'azione non possa essere completata
DocType: Purchase Order Item Supplied,BOM Detail No,Dettaglio BOM N.
DocType: Landed Cost Voucher,Additional Charges,Spese aggiuntive
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Ulteriori Importo Discount (valuta Company)
@@ -1534,6 +1546,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Ammontare Rimborso Mensile
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,Impostare campo ID utente in un record Employee impostare Ruolo Employee
DocType: UOM,UOM Name,Nome Unità di Misura
+DocType: GST HSN Code,HSN Code,Codice HSN
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Contributo Importo
DocType: Purchase Invoice,Shipping Address,Indirizzo di spedizione
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Questo strumento consente di aggiornare o correggere la quantità e la valutazione delle azioni nel sistema. Viene tipicamente utilizzato per sincronizzare i valori di sistema e ciò che esiste realmente in vostri magazzini.
@@ -1544,17 +1557,16 @@
DocType: Program Enrollment Tool,Program Enrollments,iscrizioni Programma
DocType: Sales Invoice Item,Brand Name,Nome Marchio
DocType: Purchase Receipt,Transporter Details,Transporter Dettagli
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Deposito di default è richiesto per gli elementi selezionati
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Scatola
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Deposito di default è richiesto per gli elementi selezionati
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Scatola
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,Fornitore Possibile
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,L'Organizzazione
DocType: Budget,Monthly Distribution,Distribuzione Mensile
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Lista Receiver è vuoto . Si prega di creare List Ricevitore
DocType: Production Plan Sales Order,Production Plan Sales Order,Produzione Piano di ordini di vendita
DocType: Sales Partner,Sales Partner Target,Vendite Partner di destinazione
DocType: Loan Type,Maximum Loan Amount,Importo massimo del prestito
DocType: Pricing Rule,Pricing Rule,Regola Prezzi
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Duplica il numero di rotolo per lo studente {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Duplica il numero di rotolo per lo studente {0}
DocType: Budget,Action if Annual Budget Exceeded,Azione da effettuarsi se si eccede il Budget Annuale
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Richiesta materiale per ordine d'acquisto
DocType: Shopping Cart Settings,Payment Success URL,Pagamento Successo URL
@@ -1567,11 +1579,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Apertura Saldo delle Scorte
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} deve apparire una sola volta
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Non è consentito trasferire più {0} di {1} per Ordine d'Acquisto {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Non è consentito trasferire più {0} di {1} per Ordine d'Acquisto {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Lascia allocazione con successo per {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Non ci sono elementi per il confezionamento
DocType: Shipping Rule Condition,From Value,Da Valore
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,La quantità da produrre è obbligatoria
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,La quantità da produrre è obbligatoria
DocType: Employee Loan,Repayment Method,Metodo di rimborso
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Se selezionato, la pagina iniziale sarà il gruppo di default dell'oggetto per il sito web"
DocType: Quality Inspection Reading,Reading 4,Lettura 4
@@ -1581,7 +1593,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Row # {0}: Data di Liquidazione {1} non può essere prima Assegno Data {2}
DocType: Company,Default Holiday List,Lista vacanze predefinita
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Riga {0}: From Time To Time e di {1} si sovrappone {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Passività in Giacenza
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Passività in Giacenza
DocType: Purchase Invoice,Supplier Warehouse,Magazzino Fornitore
DocType: Opportunity,Contact Mobile No,Cellulare Contatto
,Material Requests for which Supplier Quotations are not created,Richieste di materiale per le quali non sono state create Quotazioni dal Fornitore
@@ -1592,35 +1604,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Crea preventivo
apps/erpnext/erpnext/config/selling.py +216,Other Reports,Altri Reports
DocType: Dependent Task,Dependent Task,Task dipendente
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Fattore di conversione per unità di misura predefinita deve essere 1 in riga {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Fattore di conversione per unità di misura predefinita deve essere 1 in riga {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Lascia di tipo {0} non può essere superiore a {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Provare le operazioni per X giorni in programma in anticipo.
DocType: HR Settings,Stop Birthday Reminders,Arresto Compleanno Promemoria
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Si prega di impostare di default Payroll conto da pagare in azienda {0}
DocType: SMS Center,Receiver List,Lista Ricevitore
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Cerca articolo
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Cerca articolo
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Quantità consumata
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Variazione netta delle disponibilità
DocType: Assessment Plan,Grading Scale,Scala di classificazione
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unità di misura {0} è stata inserita più volte nella tabella di conversione
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unità di misura {0} è stata inserita più volte nella tabella di conversione
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,Già completato
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock in mano
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Richiesta di Pagamento già esistente {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Costo di elementi Emesso
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Quantità non deve essere superiore a {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Precedente Esercizio non è chiuso
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Età (Giorni)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Età (Giorni)
DocType: Quotation Item,Quotation Item,Preventivo Articolo
+DocType: Customer,Customer POS Id,ID del cliente POS
DocType: Account,Account Name,Nome account
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Dalla data non può essere maggiore di A Data
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} {1} quantità non può essere una frazione
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Fornitore Tipo master.
DocType: Purchase Order Item,Supplier Part Number,Numero di articolo del fornitore
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Il tasso di conversione non può essere 0 o 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Il tasso di conversione non può essere 0 o 1
DocType: Sales Invoice,Reference Document,Documento di riferimento
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} viene cancellato o fermato
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} viene cancellato o fermato
DocType: Accounts Settings,Credit Controller,Controllare Credito
DocType: Delivery Note,Vehicle Dispatch Date,Data Spedizione Veicolo
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,La Ricevuta di Acquisto {0} non è stata presentata
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,La Ricevuta di Acquisto {0} non è stata presentata
DocType: Company,Default Payable Account,Conto da pagare Predefinito
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Impostazioni per in linea carrello della spesa, come le regole di trasporto, il listino prezzi ecc"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% Fatturato
@@ -1639,11 +1653,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Dell'importo totale rimborsato
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Questo si basa su tronchi contro questo veicolo. Vedere cronologia sotto per i dettagli
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,Collezionare
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Al ricevimento della Fattura Fornitore {0} datata {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Al ricevimento della Fattura Fornitore {0} datata {1}
DocType: Customer,Default Price List,Listino Prezzi Predefinito
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,record di Asset Movimento {0} creato
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Non è possibile cancellare l'anno fiscale {0}. Anno fiscale {0} è impostato in modo predefinito in Impostazioni globali
DocType: Journal Entry,Entry Type,Tipo voce
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Nessun piano di valutazione collegato a questo gruppo di valutazione
,Customer Credit Balance,Balance Credit clienti
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Variazione Netta in Contabilità Fornitori
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Cliente richiesto per ' Customerwise Discount '
@@ -1651,7 +1666,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Prezzi
DocType: Quotation,Term Details,Dettagli Termini
DocType: Project,Total Sales Cost (via Sales Order),Costo totale di vendita (tramite ordine di vendita)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Non possono iscriversi più di {0} studenti per questo gruppo di studenti.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Non possono iscriversi più di {0} studenti per questo gruppo di studenti.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Conto di piombo
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} deve essere maggiore di 0
DocType: Manufacturing Settings,Capacity Planning For (Days),Capacity Planning per (giorni)
@@ -1672,7 +1687,7 @@
DocType: Sales Invoice,Packed Items,Articoli imballati
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Richiesta Garanzia per N. Serie
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Sostituire un particolare distinta in tutte le altre distinte materiali in cui viene utilizzato. Essa sostituirà il vecchio link BOM, aggiornare i costi e rigenerare ""BOM Explosion Item"" tabella di cui al nuovo BOM"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Totale'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Totale'
DocType: Shopping Cart Settings,Enable Shopping Cart,Abilita Carrello
DocType: Employee,Permanent Address,Indirizzo permanente
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1688,9 +1703,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,Si prega di specificare Quantitativo o Tasso di valutazione o di entrambi
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,Compimento
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Vedi Carrello
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Spese di Marketing
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Spese di Marketing
,Item Shortage Report,Report Carenza Articolo
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Il peso è menzionato, \n prega di citare ""Peso UOM"" troppo"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Il peso è menzionato, \n prega di citare ""Peso UOM"" troppo"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Richiesta di materiale usata per l'entrata giacenza
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Successivo ammortamento Data è obbligatoria per i nuovi beni
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Separare il gruppo di corso per ogni batch
@@ -1699,17 +1714,18 @@
,Student Fee Collection,Student Fee Collection
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Crea una voce contabile per ogni movimento di scorta
DocType: Leave Allocation,Total Leaves Allocated,Totale Foglie allocati
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Magazzino richiesto al Fila No {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Si prega di inserire valido Esercizio inizio e di fine
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Magazzino richiesto al Fila No {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Si prega di inserire valido Esercizio inizio e di fine
DocType: Employee,Date Of Retirement,Data di pensionamento
DocType: Upload Attendance,Get Template,Ottieni Modulo
+DocType: Material Request,Transferred,trasferito
DocType: Vehicle,Doors,Porte
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,Installazione ERPNext completa!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Installazione ERPNext completa!
DocType: Course Assessment Criteria,Weightage,Pesa
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: E' richiesto il Centro di Costo per il Conto Economico {2}. Configura un Centro di Costo di default per l'azienda
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Esiste un Gruppo Clienti con lo stesso nome, per favore cambiare il nome del Cliente o rinominare il Gruppo Clienti"
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Nuovo contatto
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Esiste un Gruppo Clienti con lo stesso nome, per favore cambiare il nome del Cliente o rinominare il Gruppo Clienti"
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Nuovo contatto
DocType: Territory,Parent Territory,Territorio genitore
DocType: Quality Inspection Reading,Reading 2,Lettura 2
DocType: Stock Entry,Material Receipt,Materiale ricevuto
@@ -1718,17 +1734,16 @@
DocType: Employee,AB+,AB+
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Se questa voce ha varianti, allora non può essere selezionata in ordini di vendita, ecc"
DocType: Lead,Next Contact By,Contatto Successivo Con
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Quantità necessaria per la voce {0} in riga {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},Deposito {0} non può essere cancellato in quanto esiste la quantità per l' articolo {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Quantità necessaria per la voce {0} in riga {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Deposito {0} non può essere cancellato in quanto esiste la quantità per l' articolo {1}
DocType: Quotation,Order Type,Tipo di ordine
DocType: Purchase Invoice,Notification Email Address,Indirizzo e-mail di notifica
,Item-wise Sales Register,Vendite articolo-saggio Registrati
DocType: Asset,Gross Purchase Amount,Importo Acquisto Gross
DocType: Asset,Depreciation Method,Metodo di ammortamento
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Disconnesso
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,Disconnesso
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,È questa tassa inclusi nel prezzo base?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Obiettivo totale
-DocType: Program Course,Required,richiesto
DocType: Job Applicant,Applicant for a Job,Richiedente per un lavoro
DocType: Production Plan Material Request,Production Plan Material Request,Piano di produzione Materiale Richiesta
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Ordini di Produzione non creati
@@ -1737,17 +1752,17 @@
DocType: Purchase Invoice Item,Batch No,Lotto N.
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Consentire a più ordini di vendita contro ordine di acquisto di un cliente
DocType: Student Group Instructor,Student Group Instructor,Istruttore del gruppo di studenti
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 mobile No
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,principale
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 mobile No
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,principale
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variante
DocType: Naming Series,Set prefix for numbering series on your transactions,Impostare prefisso per numerazione serie sulle transazioni
DocType: Employee Attendance Tool,Employees HTML,Dipendenti HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,BOM default ({0}) deve essere attivo per questo articolo o il suo modello
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,BOM default ({0}) deve essere attivo per questo articolo o il suo modello
DocType: Employee,Leave Encashed?,Lascia non incassati?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Opportunity Dal campo è obbligatorio
DocType: Email Digest,Annual Expenses,Spese annuali
DocType: Item,Variants,Varianti
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Crea ordine d'acquisto
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Crea ordine d'acquisto
DocType: SMS Center,Send To,Invia a
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Non c'è equilibrio congedo sufficiente per Leave tipo {0}
DocType: Payment Reconciliation Payment,Allocated amount,Somma stanziata
@@ -1761,26 +1776,25 @@
DocType: Supplier,Statutory info and other general information about your Supplier,Informazioni legali e altre Informazioni generali sul tuo Fornitore
DocType: Item,Serial Nos and Batches,Numero e lotti seriali
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Forza del gruppo studente
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Contro diario {0} non ha alcun ineguagliata {1} entry
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Contro diario {0} non ha alcun ineguagliata {1} entry
apps/erpnext/erpnext/config/hr.py +137,Appraisals,Perizie
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Inserito Numero di Serie duplicato per l'articolo {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Una condizione per una regola di trasporto
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Prego entra
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Non può overbill per la voce {0} in riga {1} più di {2}. Per consentire over-billing, impostare in Impostazioni acquisto"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Si prega di impostare il filtro in base al punto o in un magazzino
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Non può overbill per la voce {0} in riga {1} più di {2}. Per consentire over-billing, impostare in Impostazioni acquisto"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Si prega di impostare il filtro in base al punto o in un magazzino
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Il peso netto di questo package (calcolato automaticamente come somma dei pesi netti).
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Si prega di creare un account per il magazzino e collegarla. Questo non può essere fatto automaticamente come un account con nome {0} esiste già
DocType: Sales Order,To Deliver and Bill,Da Consegnare e Fatturare
DocType: Student Group,Instructors,Istruttori
DocType: GL Entry,Credit Amount in Account Currency,Importo del credito Account Valuta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} deve essere confermata
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} deve essere confermata
DocType: Authorization Control,Authorization Control,Controllo Autorizzazioni
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Fila # {0}: Rifiutato Warehouse è obbligatoria per la voce respinto {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Fila # {0}: Rifiutato Warehouse è obbligatoria per la voce respinto {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Pagamento
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Il magazzino {0} non è collegato a nessun account, si prega di citare l'account nel record magazzino o impostare l'account di inventario predefinito nella società {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Gestisci i tuoi ordini
DocType: Production Order Operation,Actual Time and Cost,Tempo reale e costi
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Richiesta materiale di massimo {0} può essere fatto per la voce {1} contro ordine di vendita {2}
-DocType: Employee,Salutation,Appellativo
DocType: Course,Course Abbreviation,Abbreviazione corso
DocType: Student Leave Application,Student Leave Application,Student Leave Application
DocType: Item,Will also apply for variants,Si applica anche per le varianti
@@ -1792,12 +1806,12 @@
DocType: Quotation Item,Actual Qty,Q.tà reale
DocType: Sales Invoice Item,References,Riferimenti
DocType: Quality Inspection Reading,Reading 10,Lettura 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",Inserisci i tuoi prodotti o servizi che si acquistano o vendono .
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",Inserisci i tuoi prodotti o servizi che si acquistano o vendono .
DocType: Hub Settings,Hub Node,Nodo hub
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Hai inserito degli elementi duplicati . Si prega di correggere e riprovare .
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Associate
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Associate
DocType: Asset Movement,Asset Movement,Movimento Asset
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,Nuovo carrello
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Nuovo carrello
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,L'articolo {0} non è un elemento serializzato
DocType: SMS Center,Create Receiver List,Crea Elenco Ricezione
DocType: Vehicle,Wheels,Ruote
@@ -1817,19 +1831,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Può riferirsi fila solo se il tipo di carica è 'On Fila Indietro Importo ' o ' Indietro totale riga '
DocType: Sales Order Item,Delivery Warehouse,Deposito di consegna
DocType: SMS Settings,Message Parameter,Parametro Messaggio
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Albero dei centri di costo finanziario.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Albero dei centri di costo finanziario.
DocType: Serial No,Delivery Document No,Documento Consegna N.
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Si prega di impostare 'Conto / perdita di guadagno su Asset Disposal' in compagnia {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Ottenere elementi dal Acquisto Receipts
DocType: Serial No,Creation Date,Data di Creazione
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},L'articolo {0} compare più volte nel Listino {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Vendita deve essere controllato, se applicabile per è selezionato come {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Vendita deve essere controllato, se applicabile per è selezionato come {0}"
DocType: Production Plan Material Request,Material Request Date,Data Richiesta Materiale
DocType: Purchase Order Item,Supplier Quotation Item,Preventivo Articolo Fornitore
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Disabilita la creazione di registri di tempo contro gli ordini di produzione. Le operazioni non devono essere monitorati contro ordine di produzione
DocType: Student,Student Mobile Number,Student Mobile Number
DocType: Item,Has Variants,Ha varianti
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Hai già selezionato elementi da {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Hai già selezionato elementi da {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Nome della distribuzione mensile
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,L'ID batch è obbligatorio
DocType: Sales Person,Parent Sales Person,Parent Sales Person
@@ -1839,12 +1853,12 @@
DocType: Budget,Fiscal Year,Anno Fiscale
DocType: Vehicle Log,Fuel Price,Prezzo Carburante
DocType: Budget,Budget,Budget
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Un Bene Strumentale deve essere un Bene Non di Magazzino
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Un Bene Strumentale deve essere un Bene Non di Magazzino
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Bilancio non può essere assegnato contro {0}, in quanto non è un conto entrate o uscite"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Raggiunto
DocType: Student Admission,Application Form Route,Modulo di domanda di percorso
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Territorio / Cliente
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,p. es. 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,p. es. 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Lascia tipo {0} non può essere assegnato in quanto si lascia senza paga
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Riga {0}: importo assegnato {1} deve essere inferiore o uguale a fatturare importo residuo {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,In parole saranno visibili una volta che si salva la fattura di vendita.
@@ -1853,7 +1867,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,L'articolo {0} non ha Numeri di Serie. Verifica l'Articolo Principale
DocType: Maintenance Visit,Maintenance Time,Tempo di Manutenzione
,Amount to Deliver,Importo da consegnare
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Un prodotto o servizio
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Un prodotto o servizio
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Il Data Terminologia di inizio non può essere anteriore alla data di inizio anno dell'anno accademico a cui il termine è legata (Anno Accademico {}). Si prega di correggere le date e riprovare.
DocType: Guardian,Guardian Interests,Custodi Interessi
DocType: Naming Series,Current Value,Valore Corrente
@@ -1868,12 +1882,12 @@
deve essere maggiore o uguale a {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Questo si basa sui movimenti di magazzino. Vedere {0} per i dettagli
DocType: Pricing Rule,Selling,Vendite
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Importo {0} {1} dedotto contro {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Importo {0} {1} dedotto contro {2}
DocType: Employee,Salary Information,Informazioni stipendio
DocType: Sales Person,Name and Employee ID,Nome e ID Dipendente
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,La Data di Scadenza non può essere antecedente alla Data di Registrazione
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,La Data di Scadenza non può essere antecedente alla Data di Registrazione
DocType: Website Item Group,Website Item Group,Sito Gruppo Articolo
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Dazi e tasse
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Dazi e tasse
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Inserisci Data di riferimento
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} voci di pagamento non possono essere filtrate per {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,Tavolo per l'elemento che verrà mostrato sul sito web
@@ -1890,9 +1904,9 @@
DocType: Payment Reconciliation Payment,Reference Row,Riferimento Row
DocType: Installation Note,Installation Time,Tempo di installazione
DocType: Sales Invoice,Accounting Details,Dettagli contabile
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Eliminare tutte le Operazioni per questa Azienda
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: Operazione {1} non è completato per {2} qty di prodotti finiti in ordine di produzione # {3}. Si prega di aggiornare lo stato di funzionamento tramite registri Tempo
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Investimenti
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Eliminare tutte le Operazioni per questa Azienda
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: Operazione {1} non è completato per {2} qty di prodotti finiti in ordine di produzione # {3}. Si prega di aggiornare lo stato di funzionamento tramite registri Tempo
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Investimenti
DocType: Issue,Resolution Details,Dettagli risoluzione
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,Accantonamenti
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Criterio di accettazione
@@ -1917,7 +1931,7 @@
DocType: Room,Room Name,Nome della stanza
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Lasciare non può essere applicata / annullato prima {0}, come equilibrio congedo è già stato inoltrato carry-in futuro record di assegnazione congedo {1}"
DocType: Activity Cost,Costing Rate,Costing Tasso
-,Customer Addresses And Contacts,Indirizzi e Contatti Cliente
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Indirizzi e Contatti Cliente
,Campaign Efficiency,Efficienza della campagna
DocType: Discussion,Discussion,Discussione
DocType: Payment Entry,Transaction ID,ID transazione
@@ -1927,14 +1941,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Importo totale di fatturazione (tramite Time Sheet)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Ripetere Revenue clienti
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) deve avere il ruolo 'Approvatore Spese'
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Coppia
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Selezionare Distinta Materiali e Quantità per la Produzione
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Coppia
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Selezionare Distinta Materiali e Quantità per la Produzione
DocType: Asset,Depreciation Schedule,piano di ammortamento
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Indirizzi e Contatti del Partner Vendite
DocType: Bank Reconciliation Detail,Against Account,Previsione Conto
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,La data di mezza giornata deve essere compresa da Data a Data
DocType: Maintenance Schedule Detail,Actual Date,Data effettiva
DocType: Item,Has Batch No,Ha lotto n.
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Fatturazione annuale: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Fatturazione annuale: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Tasse sui beni e servizi (GST India)
DocType: Delivery Note,Excise Page Number,Accise Numero Pagina
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Società, da Data e fino ad oggi è obbligatoria"
DocType: Asset,Purchase Date,Data di acquisto
@@ -1942,11 +1958,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Si prega di impostare 'Asset Centro ammortamento dei costi' in compagnia {0}
,Maintenance Schedules,Programmi di manutenzione
DocType: Task,Actual End Date (via Time Sheet),Data di fine effettiva (da Time Sheet)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Importo {0} {1} contro {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Importo {0} {1} contro {2} {3}
,Quotation Trends,Tendenze di preventivo
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Gruppo Articoli non menzionato nell'Articolo principale per l'Articolo {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Debito Per account deve essere un account di Credito
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Gruppo Articoli non menzionato nell'Articolo principale per l'Articolo {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Debito Per account deve essere un account di Credito
DocType: Shipping Rule Condition,Shipping Amount,Importo spedizione
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Aggiungi clienti
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,In attesa di Importo
DocType: Purchase Invoice Item,Conversion Factor,Fattore di Conversione
DocType: Purchase Order,Delivered,Consegnato
@@ -1956,7 +1973,8 @@
DocType: Purchase Receipt,Vehicle Number,Numero di veicoli
DocType: Purchase Invoice,The date on which recurring invoice will be stop,La data in cui la fattura ricorrente si concluderà
DocType: Employee Loan,Loan Amount,Ammontare del prestito
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Riga {0}: Distinta materiali non trovato per la voce {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Autovettura
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Riga {0}: Distinta materiali non trovato per la voce {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Totale foglie assegnati {0} non può essere inferiore a foglie già approvati {1} per il periodo
DocType: Journal Entry,Accounts Receivable,Conti esigibili
,Supplier-Wise Sales Analytics,Estensione statistiche di Vendita Fornitore
@@ -1973,21 +1991,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Rimborso spese in attesa di approvazione. Solo il Responsabile Spese può modificarne lo stato.
DocType: Email Digest,New Expenses,nuove spese
DocType: Purchase Invoice,Additional Discount Amount,Ulteriori Importo Sconto
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Quantità deve essere 1, poiche' si tratta di un Bene Strumentale. Si prega di utilizzare riga separata per quantita' multiple."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Quantità deve essere 1, poiche' si tratta di un Bene Strumentale. Si prega di utilizzare riga separata per quantita' multiple."
DocType: Leave Block List Allow,Leave Block List Allow,Lascia permesso blocco lista
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,L'abbr. non può essere vuota o spazio
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,L'abbr. non può essere vuota o spazio
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Gruppo di Non-Group
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,sportivo
DocType: Loan Type,Loan Name,Nome prestito
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Totale Actual
DocType: Student Siblings,Student Siblings,Student Siblings
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Unità
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,Si prega di specificare Azienda
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Unità
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Si prega di specificare Azienda
,Customer Acquisition and Loyalty,Acquisizione e fidelizzazione dei clienti
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Magazzino dove si conservano Giacenze di Articoli Rifiutati
DocType: Production Order,Skip Material Transfer,Salta il trasferimento dei materiali
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Impossibile trovare il tasso di cambio per {0} a {1} per la data chiave {2}. Si prega di creare un record Exchange Exchange manualmente
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Il tuo anno finanziario termina il
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Impossibile trovare il tasso di cambio per {0} a {1} per la data chiave {2}. Si prega di creare un record Exchange Exchange manualmente
DocType: POS Profile,Price List,Listino Prezzi
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} è ora l'anno fiscale predefinito. Si prega di aggiornare il browser perché la modifica abbia effetto .
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Rimborsi spese
@@ -2000,14 +2017,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Equilibrio Stock in Lotto {0} sarà negativo {1} per la voce {2} a Warehouse {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,A seguito di richieste di materiale sono state sollevate automaticamente in base al livello di riordino della Voce
DocType: Email Digest,Pending Sales Orders,In attesa di ordini di vendita
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Account {0} non valido. La valuta del conto deve essere {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Account {0} non valido. La valuta del conto deve essere {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Fattore di conversione Unità di Misurà è obbligatoria sulla riga {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Riferimento Tipo di documento deve essere uno dei ordini di vendita, fattura di vendita o diario"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Riferimento Tipo di documento deve essere uno dei ordini di vendita, fattura di vendita o diario"
DocType: Salary Component,Deduction,Deduzioni
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Riga {0}: From Time To Time ed è obbligatoria.
DocType: Stock Reconciliation Item,Amount Difference,importo Differenza
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Prezzo Articolo aggiunto per {0} in Listino Prezzi {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Prezzo Articolo aggiunto per {0} in Listino Prezzi {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Inserisci ID dipendente di questa persona di vendite
DocType: Territory,Classification of Customers by region,Classificazione dei Clienti per regione
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Differenza L'importo deve essere pari a zero
@@ -2019,21 +2036,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Deduzione totale
,Production Analytics,Analytics di produzione
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Costo Aggiornato
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Costo Aggiornato
DocType: Employee,Date of Birth,Data Compleanno
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,L'articolo {0} è già stato restituito
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,L'articolo {0} è già stato restituito
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Anno Fiscale** rappresenta un anno contabile. Tutte le voci contabili e le altre operazioni importanti sono tracciati per **Anno Fiscale**.
DocType: Opportunity,Customer / Lead Address,Indirizzo Cliente / Lead
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Attenzione: certificato SSL non valido sull'attaccamento {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Attenzione: certificato SSL non valido sull'attaccamento {0}
DocType: Student Admission,Eligibility,Eleggibilità
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","I Leads ti aiutano ad incrementare il tuo business, aggiungi tutti i tuoi contatti come tuoi leads"
DocType: Production Order Operation,Actual Operation Time,Tempo lavoro effettiva
DocType: Authorization Rule,Applicable To (User),Applicabile a (Utente)
DocType: Purchase Taxes and Charges,Deduct,Detrarre
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Descrizione Del Lavoro
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Descrizione Del Lavoro
DocType: Student Applicant,Applied,Applicato
DocType: Sales Invoice Item,Qty as per Stock UOM,Quantità come da UOM Archivio
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Nome Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Nome Guardian2
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Caratteri speciali tranne ""-"" ""."", ""#"", e ""/"" non consentito in denominazione serie"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Mantenere traccia delle campagne di vendita, dei Leads, Preventivi, Ordini di Vendita ecc per determinare il ritorno sull'investimento."
DocType: Expense Claim,Approver,Responsabile / Approvatore
@@ -2044,7 +2061,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial No {0} è in garanzia fino a {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Split di consegna Nota in pacchetti.
apps/erpnext/erpnext/hooks.py +87,Shipments,Spedizioni
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Il saldo del conto ({0}) per {1} e il valore di riserva ({2}) per il magazzino {3} deve essere lo stesso
DocType: Payment Entry,Total Allocated Amount (Company Currency),Totale importo assegnato (Società di valuta)
DocType: Purchase Order Item,To be delivered to customer,Da consegnare al cliente
DocType: BOM,Scrap Material Cost,Costo rottami Materiale
@@ -2052,20 +2068,21 @@
DocType: Purchase Invoice,In Words (Company Currency),In Parole (Azienda valuta)
DocType: Asset,Supplier,Fornitore
DocType: C-Form,Quarter,Trimestrale
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Spese Varie
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Spese Varie
DocType: Global Defaults,Default Company,Azienda Predefinita
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,La spesa o il conto differenziato sono obbligatori per l'articolo {0} in quanto hanno un impatto sul valore complessivo del magazzino
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,La spesa o il conto differenziato sono obbligatori per l'articolo {0} in quanto hanno un impatto sul valore complessivo del magazzino
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Nome Banca
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Sopra
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Sopra
DocType: Employee Loan,Employee Loan Account,Impiegato account di prestito
DocType: Leave Application,Total Leave Days,Totale Lascia Giorni
DocType: Email Digest,Note: Email will not be sent to disabled users,Nota: E-mail non sarà inviata agli utenti disabilitati
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Numero di interazione
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Codice articolo> Gruppo articoli> Marchio
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Seleziona Company ...
DocType: Leave Control Panel,Leave blank if considered for all departments,Lasciare vuoto se considerato per tutti i reparti
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Tipi di occupazione (permanente , contratti , ecc intern ) ."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} è obbligatorio per la voce {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} è obbligatorio per la voce {1}
DocType: Process Payroll,Fortnightly,Quindicinale
DocType: Currency Exchange,From Currency,Da Valuta
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Seleziona importo assegnato, Tipo fattura e fattura numero in almeno uno di fila"
@@ -2087,7 +2104,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,Si prega di cliccare su ' Generate Schedule ' per ottenere pianificazione
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Ci sono stati errori durante l'eliminazione seguenti orari:
DocType: Bin,Ordered Quantity,Ordinato Quantità
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","p. es. "" Costruire strumenti per i costruttori """
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","p. es. "" Costruire strumenti per i costruttori """
DocType: Grading Scale,Grading Scale Intervals,Intervalli di classificazione di scala
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: La scrittura contabile {2} può essere effettuate solo in : {3}
DocType: Production Order,In Process,In Process
@@ -2100,12 +2117,11 @@
DocType: Activity Type,Default Billing Rate,Tariffa predefinita
DocType: Sales Invoice,Total Billing Amount,Importo totale di fatturazione
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Ci deve essere un difetto in arrivo account e-mail abilitato per far funzionare tutto questo. Si prega di configurare un account e-mail di default in entrata (POP / IMAP) e riprovare.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Conto Crediti
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} è già {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Conto Crediti
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} è già {2}
DocType: Quotation Item,Stock Balance,Saldo Delle Scorte
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Ordine di vendita a pagamento
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Impostare Serie Naming per {0} tramite Impostazioni> Impostazioni> Serie di denominazione
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,Amministratore delegato
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,Amministratore delegato
DocType: Expense Claim Detail,Expense Claim Detail,Dettaglio Rimborso Spese
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Seleziona account corretto
DocType: Item,Weight UOM,Peso UOM
@@ -2114,12 +2130,12 @@
DocType: Production Order Operation,Pending,In attesa
DocType: Course,Course Name,Nome del corso
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Utenti che possono approvare le domande di permesso di un dipendente specifico
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Apparecchiature per ufficio
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Apparecchiature per ufficio
DocType: Purchase Invoice Item,Qty,Qtà
DocType: Fiscal Year,Companies,Aziende
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Elettronica
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Crea un Richiesta Materiale quando la scorta raggiunge il livello di riordino
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Tempo pieno
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Tempo pieno
DocType: Salary Structure,Employees,I dipendenti
DocType: Employee,Contact Details,Dettagli Contatto
DocType: C-Form,Received Date,Data Received
@@ -2129,7 +2145,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,I prezzi non verranno visualizzati se listino non è impostata
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Si prega di specificare un Paese per questa regola di trasporto o controllare Spedizione in tutto il mondo
DocType: Stock Entry,Total Incoming Value,Totale Valore Incoming
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Debito A è richiesto
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Debito A è richiesto
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Schede attività per tenere traccia del tempo, i costi e la fatturazione per attività fatta per tua squadra"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Acquisto Listino Prezzi
DocType: Offer Letter Term,Offer Term,Termine Offerta
@@ -2138,17 +2154,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Pagamento Riconciliazione
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,Si prega di selezionare il nome del Incharge persona
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Tecnologia
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Totale non pagato: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Totale non pagato: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM Pagina web
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Lettera di Offerta
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Generare richieste di materiali (MRP) e ordini di produzione.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Totale fatturato Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Totale fatturato Amt
DocType: BOM,Conversion Rate,Tasso di conversione
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Ricerca prodotto
DocType: Timesheet Detail,To Time,Per Tempo
DocType: Authorization Rule,Approving Role (above authorized value),Approvazione di ruolo (di sopra del valore autorizzato)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Il conto in Accredita a deve essere Conto Fornitore
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM ricorsivo: {0} non può essere un padre o un figlio di {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Il conto in Accredita a deve essere Conto Fornitore
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM ricorsivo: {0} non può essere un padre o un figlio di {2}
DocType: Production Order Operation,Completed Qty,Q.tà Completata
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Per {0}, solo gli account di debito possono essere collegati contro un'altra voce di credito"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Prezzo di listino {0} è disattivato
@@ -2159,28 +2175,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} numeri di serie necessari per la voce {1}. Lei ha fornito {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Corrente Tasso di Valorizzazione
DocType: Item,Customer Item Codes,Codici Voce clienti
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Guadagno Exchange / Perdita
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Guadagno Exchange / Perdita
DocType: Opportunity,Lost Reason,Motivo della perdita
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Nuovo indirizzo
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Nuovo indirizzo
DocType: Quality Inspection,Sample Size,Dimensione del campione
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Si prega di inserire prima il Documento di Ricevimento
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Tutti gli articoli sono già stati fatturati
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Tutti gli articoli sono già stati fatturati
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',Si prega di specificare una valida 'Dalla sentenza n'
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,Ulteriori centri di costo possono essere fatte in Gruppi ma le voci possono essere fatte contro i non-Gruppi
DocType: Project,External,Esterno
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Utenti e Permessi
DocType: Vehicle Log,VLOG.,VIDEO BLOG.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Ordini produzione creata: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Ordini produzione creata: {0}
DocType: Branch,Branch,Ramo
DocType: Guardian,Mobile Number,Numero di cellulare
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Stampa e Branding
DocType: Bin,Actual Quantity,Quantità reale
DocType: Shipping Rule,example: Next Day Shipping,esempio: Spedizione il Giorno Successivo
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} non trovato
-DocType: Scheduling Tool,Student Batch,Batch Student
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,I vostri clienti
+DocType: Program Enrollment,Student Batch,Batch Student
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Crea Studente
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Sei stato invitato a collaborare al progetto: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Sei stato invitato a collaborare al progetto: {0}
DocType: Leave Block List Date,Block Date,Data Blocco
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Applica ora
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Quantità effettiva {0} / Quantità attesa {1}
@@ -2189,7 +2204,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Creare e gestire giornalieri , settimanali e mensili digerisce email ."
DocType: Appraisal Goal,Appraisal Goal,Obiettivo di Valutazione
DocType: Stock Reconciliation Item,Current Amount,Importo attuale
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,edifici
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,edifici
DocType: Fee Structure,Fee Structure,Fee Struttura
DocType: Timesheet Detail,Costing Amount,Costing Importo
DocType: Student Admission,Application Fee,Tassa d'iscrizione
@@ -2201,10 +2216,10 @@
DocType: POS Profile,[Select],[Seleziona]
DocType: SMS Log,Sent To,Inviato A
DocType: Payment Request,Make Sales Invoice,Crea Fattura di vendita
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,software
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,software
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Successivo Contattaci data non puó essere in passato
DocType: Company,For Reference Only.,Per riferimento soltanto.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Seleziona il numero di lotto
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Seleziona il numero di lotto
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Non valido {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,Importo Anticipo
@@ -2214,15 +2229,15 @@
DocType: Employee,Employment Details,Dettagli Dipendente
DocType: Employee,New Workplace,Nuovo posto di lavoro
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Imposta come Chiuso
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Nessun articolo con codice a barre {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Nessun articolo con codice a barre {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Caso No. Non può essere 0
DocType: Item,Show a slideshow at the top of the page,Visualizzare una presentazione in cima alla pagina
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Distinte Materiali
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,negozi
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Distinte Materiali
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,negozi
DocType: Serial No,Delivery Time,Tempo Consegna
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Invecchiamento Basato Su
DocType: Item,End of Life,Fine Vita
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,viaggi
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,viaggi
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Nessuna struttura attiva o stipendio predefinito trovato per dipendente {0} per le date indicate
DocType: Leave Block List,Allow Users,Consentire Utenti
DocType: Purchase Order,Customer Mobile No,Clienti mobile No
@@ -2231,29 +2246,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Aggiorna il Costo
DocType: Item Reorder,Item Reorder,Articolo riordino
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Visualizza foglio paga
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Material Transfer
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Material Transfer
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Specificare le operazioni, costi operativi e dare una gestione unica di no a vostre operazioni."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Questo documento è oltre il limite da {0} {1} per item {4}. State facendo un altro {3} contro lo stesso {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Si prega di impostare ricorrenti dopo il salvataggio
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,conto importo Selezionare cambiamento
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Questo documento è oltre il limite da {0} {1} per item {4}. State facendo un altro {3} contro lo stesso {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Si prega di impostare ricorrenti dopo il salvataggio
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,conto importo Selezionare cambiamento
DocType: Purchase Invoice,Price List Currency,Prezzo di listino Valuta
DocType: Naming Series,User must always select,L'utente deve sempre selezionare
DocType: Stock Settings,Allow Negative Stock,Permetti Scorte Negative
DocType: Installation Note,Installation Note,Nota Installazione
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Aggiungi Imposte
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Aggiungi Imposte
DocType: Topic,Topic,Argomento
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Flusso di cassa da finanziamento
DocType: Budget Account,Budget Account,Il budget dell'account
DocType: Quality Inspection,Verified By,Verificato da
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Non è possibile cambiare la valuta di default dell'azienda , perché ci sono le transazioni esistenti . Le operazioni devono essere cancellate per cambiare la valuta di default ."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Non è possibile cambiare la valuta di default dell'azienda , perché ci sono le transazioni esistenti . Le operazioni devono essere cancellate per cambiare la valuta di default ."
DocType: Grading Scale Interval,Grade Description,Grade Descrizione
DocType: Stock Entry,Purchase Receipt No,Ricevuta di Acquisto N.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Caparra
DocType: Process Payroll,Create Salary Slip,Creare busta paga
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,tracciabilità
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Fonte di Fondi ( Passivo )
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Quantità in riga {0} ( {1} ) deve essere uguale quantità prodotta {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Fonte di Fondi ( Passivo )
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Quantità in riga {0} ( {1} ) deve essere uguale quantità prodotta {2}
DocType: Appraisal,Employee,Dipendente
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Seleziona Batch
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} è completamente fatturato
DocType: Training Event,End Time,Ora fine
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Struttura Stipendio attivo {0} trovato per dipendente {1} per le date indicate
@@ -2265,11 +2281,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Richiesto On
DocType: Rename Tool,File to Rename,File da rinominare
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Seleziona BOM per la voce nella riga {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},BOM specificato {0} non esiste per la voce {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},L'account {0} non corrisponde con la società {1} in modalità di account: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},BOM specificato {0} non esiste per la voce {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Programma di manutenzione {0} deve essere cancellato prima di annullare questo ordine di vendita
DocType: Notification Control,Expense Claim Approved,Rimborso Spese Approvato
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Foglio paga del dipendente {0} già creato per questo periodo
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Farmaceutico
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmaceutico
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Costo dei beni acquistati
DocType: Selling Settings,Sales Order Required,Ordine di vendita richiesto
DocType: Purchase Invoice,Credit To,Credito a
@@ -2286,42 +2303,42 @@
DocType: Payment Gateway Account,Payment Account,Conto di Pagamento
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,Si prega di specificare Società di procedere
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Variazione netta dei crediti
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,compensativa Off
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,compensativa Off
DocType: Offer Letter,Accepted,Accettato
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,Organizzazione
DocType: SG Creation Tool Course,Student Group Name,Nome gruppo Student
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Assicurati di voler cancellare tutte le transazioni di questa azienda. I dati anagrafici rimarranno così com'è. Questa azione non può essere annullata.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Assicurati di voler cancellare tutte le transazioni di questa azienda. I dati anagrafici rimarranno così com'è. Questa azione non può essere annullata.
DocType: Room,Room Number,Numero di Camera
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Riferimento non valido {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) non può essere superiore alla quantità pianificata ({2}) nell'ordine di produzione {3}
DocType: Shipping Rule,Shipping Rule Label,Etichetta Regola di Spedizione
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forum utente
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Materie prime non può essere vuoto.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Impossibile aggiornare magazzino, fattura contiene articoli di trasporto di goccia."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Materie prime non può essere vuoto.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Impossibile aggiornare magazzino, fattura contiene articoli di trasporto di goccia."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Breve diario
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,Non è possibile cambiare tariffa se la distinta (BOM) è già assegnata a un articolo
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,Non è possibile cambiare tariffa se la distinta (BOM) è già assegnata a un articolo
DocType: Employee,Previous Work Experience,Lavoro precedente esperienza
DocType: Stock Entry,For Quantity,Per Quantità
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Inserisci pianificato quantità per la voce {0} alla riga {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} non è confermato
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Le richieste di articoli.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Ordine di produzione separata verrà creato per ogni buon prodotto finito.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} deve essere negativo nel documento di reso
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} deve essere negativo nel documento di reso
,Minutes to First Response for Issues,Minuti per la prima risposta alla controversia
DocType: Purchase Invoice,Terms and Conditions1,Termini e Condizioni
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,Il nome dell'istituto per il quale si sta impostando questo sistema.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,Il nome dell'istituto per il quale si sta impostando questo sistema.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Registrazione contabile congelato fino a questa data, nessuno può / Modifica voce eccetto ruolo specificato di seguito."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,Si prega di salvare il documento prima di generare il programma di manutenzione
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Stato del progetto
DocType: UOM,Check this to disallow fractions. (for Nos),Seleziona per disabilitare frazioni. (per NOS)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,sono stati creati i seguenti ordini di produzione:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,sono stati creati i seguenti ordini di produzione:
DocType: Student Admission,Naming Series (for Student Applicant),Denominazione Serie (per studenti candidati)
DocType: Delivery Note,Transporter Name,Trasportatore Nome
DocType: Authorization Rule,Authorized Value,Valore Autorizzato
DocType: BOM,Show Operations,Mostra Operations
,Minutes to First Response for Opportunity,Minuti per First Response per Opportunità
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Totale Assente
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Voce o Magazzino per riga {0} non corrisponde Material Request
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Voce o Magazzino per riga {0} non corrisponde Material Request
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Unità di Misura
DocType: Fiscal Year,Year End Date,Data di fine anno
DocType: Task Depends On,Task Depends On,L'attività dipende da
@@ -2420,11 +2437,11 @@
DocType: Asset,Manual,Manuale
DocType: Salary Component Account,Salary Component Account,Conto Stipendio Componente
DocType: Global Defaults,Hide Currency Symbol,Nascondi Simbolo Valuta
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","p. es. Banca, Bonifico, Contanti, Carta di credito"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","p. es. Banca, Bonifico, Contanti, Carta di credito"
DocType: Lead Source,Source Name,Source Name
DocType: Journal Entry,Credit Note,Nota di Credito
DocType: Warranty Claim,Service Address,Service Indirizzo
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Mobili e Infissi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Mobili e Infissi
DocType: Item,Manufacture,Produzione
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Si prega di compilare prima il DDT
DocType: Student Applicant,Application Date,Data di applicazione
@@ -2434,7 +2451,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Liquidazione data non menzionato
apps/erpnext/erpnext/config/manufacturing.py +7,Production,produzione
DocType: Guardian,Occupation,Occupazione
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Impostare il sistema di denominazione dei dipendenti in risorse umane> Impostazioni HR
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Riga {0} : Data di inizio deve essere precedente Data di fine
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Totale (Quantità)
DocType: Sales Invoice,This Document,Questo documento
@@ -2446,19 +2462,19 @@
DocType: Purchase Receipt,Time at which materials were received,Ora in cui sono stati ricevuti i materiali
DocType: Stock Ledger Entry,Outgoing Rate,Tasso di uscita
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Ramo Organizzazione master.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,oppure
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,oppure
DocType: Sales Order,Billing Status,Stato Fatturazione
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Segnala un problema
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Spese di utenza
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Spese di utenza
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-Sopra
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: diario {1} non ha conto {2} o già confrontato con un altro buono
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: diario {1} non ha conto {2} o già confrontato con un altro buono
DocType: Buying Settings,Default Buying Price List,Predefinito acquisto Prezzo di listino
DocType: Process Payroll,Salary Slip Based on Timesheet,Stipendio slip Sulla base di Timesheet
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Nessun dipendente per i criteri sopra selezionati o busta paga già creato
DocType: Notification Control,Sales Order Message,Sales Order Messaggio
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Impostare i valori predefiniti , come Società , valuta , corrente anno fiscale , ecc"
DocType: Payment Entry,Payment Type,Tipo di pagamento
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Seleziona un batch per l'articolo {0}. Impossibile trovare un unico batch che soddisfi questo requisito
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Seleziona un batch per l'articolo {0}. Impossibile trovare un unico batch che soddisfi questo requisito
DocType: Process Payroll,Select Employees,Selezionare Dipendenti
DocType: Opportunity,Potential Sales Deal,Deal potenziale di vendita
DocType: Payment Entry,Cheque/Reference Date,Assegno / Data di riferimento
@@ -2478,7 +2494,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,La Ricevuta deve essere presentata
DocType: Purchase Invoice Item,Received Qty,Quantità ricevuta
DocType: Stock Entry Detail,Serial No / Batch,Serial n / Batch
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Non pagato ma non ritirato
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Non pagato ma non ritirato
DocType: Product Bundle,Parent Item,Parent Item
DocType: Account,Account Type,Tipo di account
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2492,24 +2508,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),Identificazione del pacchetto per la consegna (per la stampa)
DocType: Bin,Reserved Quantity,Riservato Quantità
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Inserisci indirizzo email valido
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Non esiste un corso obbligatorio per il programma {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Acquistare oggetti Receipt
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Personalizzazione dei moduli
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,arretrato
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,arretrato
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Quota di ammortamento durante il periodo
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,modello disabili non deve essere modello predefinito
DocType: Account,Income Account,Conto Proventi
DocType: Payment Request,Amount in customer's currency,Importo nella valuta del cliente
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Consegna
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Consegna
DocType: Stock Reconciliation Item,Current Qty,Quantità corrente
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",Vedere "tasso di materiali a base di" in Costing Sezione
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,prev
DocType: Appraisal Goal,Key Responsibility Area,Area Responsabilità Chiave
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","I lotti degli studenti aiutano a tenere traccia di presenza, le valutazioni e le tasse per gli studenti"
DocType: Payment Entry,Total Allocated Amount,Totale importo assegnato
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Imposta l'account di inventario predefinito per l'inventario perpetuo
DocType: Item Reorder,Material Request Type,Tipo di richiesta materiale
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural diario per gli stipendi da {0} a {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage è pieno, non ha salvato"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage è pieno, non ha salvato"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Riga {0}: UOM fattore di conversione è obbligatoria
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Rif
DocType: Budget,Cost Center,Centro di Costo
@@ -2522,19 +2538,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Regola Pricing è fatto per sovrascrivere Listino Prezzi / definire la percentuale di sconto, sulla base di alcuni criteri."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Magazzino può essere modificato solo tramite Inserimento Giacenza / Bolla (DDT) / Ricevuta d'acquisto
DocType: Employee Education,Class / Percentage,Classe / Percentuale
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Responsabile Marketing e Vendite
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Tassazione Proventi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Responsabile Marketing e Vendite
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Tassazione Proventi
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Se regola tariffaria selezionato è fatta per 'prezzo', che sovrascriverà Listino. Prezzo Regola Il prezzo è il prezzo finale, in modo che nessun ulteriore sconto deve essere applicato. Quindi, in operazioni come ordine di vendita, ordine di acquisto, ecc, che viene prelevato in campo 'Tasso', piuttosto che il campo 'Listino Rate'."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Monitora i Leads per settore.
DocType: Item Supplier,Item Supplier,Articolo Fornitore
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,Inserisci il codice Item per ottenere lotto non
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},Si prega di selezionare un valore per {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,Inserisci il codice Item per ottenere lotto non
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Si prega di selezionare un valore per {0} quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Tutti gli indirizzi.
DocType: Company,Stock Settings,Impostazioni Giacenza
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","La fusione è possibile solo se seguenti sono gli stessi in entrambi i record. Gruppo,Tipo Radice, Azienda"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","La fusione è possibile solo se seguenti sono gli stessi in entrambi i record. Gruppo,Tipo Radice, Azienda"
DocType: Vehicle,Electric,Elettrico
DocType: Task,% Progress,% Avanzamento
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Profitti/Perdite su Asset in smaltimento
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Profitti/Perdite su Asset in smaltimento
DocType: Training Event,Will send an email about the event to employees with status 'Open',Invierà una e-mail circa l'evento per i dipendenti con status di 'Aperto'
DocType: Task,Depends on Tasks,Dipende Compiti
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Gestire cliente con raggruppamento ad albero
@@ -2543,7 +2559,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Nuovo Nome Centro di costo
DocType: Leave Control Panel,Leave Control Panel,Lascia il Pannello di controllo
DocType: Project,Task Completion,Completamento dell'attività
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Non in Stock
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Non in Stock
DocType: Appraisal,HR User,HR utente
DocType: Purchase Invoice,Taxes and Charges Deducted,Tasse e oneri dedotti
apps/erpnext/erpnext/hooks.py +116,Issues,Controversie
@@ -2554,22 +2570,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Nessun slittamento di stipendio trovato tra {0} e {1}
,Pending SO Items For Purchase Request,Elementi in sospeso così per Richiesta di Acquisto
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Ammissioni di studenti
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} è disabilitato
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} è disabilitato
DocType: Supplier,Billing Currency,Fatturazione valuta
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Extra Large
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra Large
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Foglie totali
,Profit and Loss Statement,Conto Economico
DocType: Bank Reconciliation Detail,Cheque Number,Numero Assegno
,Sales Browser,Browser vendite
DocType: Journal Entry,Total Credit,Totale credito
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Attenzione: Un altro {0} # {1} esiste per l'entrata Giacenza {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Locale
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Locale
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Crediti ( Assets )
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Debitori
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Grande
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Grande
DocType: Homepage Featured Product,Homepage Featured Product,Homepage prodotto in vetrina
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Tutti i gruppi di valutazione
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Tutti i gruppi di valutazione
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Nuovo nome Magazzino
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Totale {0} ({1})
DocType: C-Form Invoice Detail,Territory,Territorio
@@ -2579,12 +2595,12 @@
DocType: Production Order Operation,Planned Start Time,Ora di inizio prevista
DocType: Course,Assessment,Valutazione
DocType: Payment Entry Reference,Allocated,Assegnati
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Chiudere Stato Patrimoniale e il libro utile o perdita .
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Chiudere Stato Patrimoniale e il libro utile o perdita .
DocType: Student Applicant,Application Status,Stato dell'applicazione
DocType: Fees,Fees,tasse
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Specificare Tasso di cambio per convertire una valuta in un'altra
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Preventivo {0} è annullato
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Importo totale Eccezionale
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Importo totale Eccezionale
DocType: Sales Partner,Targets,Obiettivi
DocType: Price List,Price List Master,Listino Principale
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Tutte le transazioni di vendita possono essere etichettati contro più persone ** ** di vendita in modo da poter impostare e monitorare gli obiettivi.
@@ -2628,11 +2644,11 @@
1. Indirizzo e contatti della vostra azienda."
DocType: Attendance,Leave Type,Lascia Tipo
DocType: Purchase Invoice,Supplier Invoice Details,Dettagli Fattura Fornitore
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Expense / account Differenza ({0}) deve essere un 'utile o perdita' conto
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Expense / account Differenza ({0}) deve essere un 'utile o perdita' conto
DocType: Project,Copied From,Copiato da
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Nome errore: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,Carenza
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} non è associato con {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} non è associato con {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Assistenza per dipendente {0} è già contrassegnata
DocType: Packing Slip,If more than one package of the same type (for print),Se più di un pacchetto dello stesso tipo (per la stampa)
,Salary Register,stipendio Register
@@ -2650,22 +2666,23 @@
,Requested Qty,richiesto Quantità
DocType: Tax Rule,Use for Shopping Cart,Uso per Carrello
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Valore {0} per l'attributo {1} non esiste nella lista della voce valida Attributo Valori per la voce {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Selezionare i numeri di serie
DocType: BOM Item,Scrap %,Scrap%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Spese saranno distribuiti proporzionalmente basate su qty voce o importo, secondo la vostra selezione"
DocType: Maintenance Visit,Purposes,Scopi
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Atleast un elemento deve essere introdotto con quantità negativa nel documento ritorno
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Atleast un elemento deve essere introdotto con quantità negativa nel documento ritorno
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operazione {0} più di tutte le ore di lavoro disponibili a workstation {1}, abbattere l'operazione in più operazioni"
,Requested,richiesto
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Nessun Commento
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Nessun Commento
DocType: Purchase Invoice,Overdue,In ritardo
DocType: Account,Stock Received But Not Billed,Giacenza Ricevuta ma non Fatturata
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Account root deve essere un gruppo
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Account root deve essere un gruppo
DocType: Fees,FEE.,FEE.
DocType: Employee Loan,Repaid/Closed,Rimborsato / Chiuso
DocType: Item,Total Projected Qty,Totale intermedio Quantità proiettata
DocType: Monthly Distribution,Distribution Name,Nome della Distribuzione
DocType: Course,Course Code,Codice del corso
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Controllo qualità richiesta per la voce {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Controllo qualità richiesta per la voce {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Tasso al quale la valuta del cliente viene convertito in valuta di base dell'azienda
DocType: Purchase Invoice Item,Net Rate (Company Currency),Tasso Netto (Valuta Azienda)
DocType: Salary Detail,Condition and Formula Help,Condizione e Formula Aiuto
@@ -2678,27 +2695,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Trasferimento materiali per Produzione
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Percentuale di sconto può essere applicato sia contro un listino prezzi o per tutti Listino.
DocType: Purchase Invoice,Half-yearly,Semestrale
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Voce contabilità per giacenza
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Voce contabilità per giacenza
DocType: Vehicle Service,Engine Oil,Olio motore
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Impostare il sistema di denominazione dei dipendenti in risorse umane> Impostazioni HR
DocType: Sales Invoice,Sales Team1,Vendite Team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,L'articolo {0} non esiste
DocType: Sales Invoice,Customer Address,Indirizzo Cliente
DocType: Employee Loan,Loan Details,prestito Dettagli
+DocType: Company,Default Inventory Account,Account di inventario predefinito
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Riga {0}: Quantità compilato deve essere maggiore di zero.
DocType: Purchase Invoice,Apply Additional Discount On,Applicare Sconto Ulteriori On
DocType: Account,Root Type,Root Tipo
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Impossibile restituire più di {1} per la voce {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Impossibile restituire più di {1} per la voce {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,trama
DocType: Item Group,Show this slideshow at the top of the page,Mostra questo slideshow in cima alla pagina
DocType: BOM,Item UOM,Articolo UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Fiscale Ammontare Dopo Ammontare Sconto (Società valuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Obiettivo Magazzino è obbligatoria per la riga {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Obiettivo Magazzino è obbligatoria per la riga {0}
DocType: Cheque Print Template,Primary Settings,Impostazioni primarie
DocType: Purchase Invoice,Select Supplier Address,Selezione l'indirizzo del Fornitore
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Aggiungere dipendenti
DocType: Purchase Invoice Item,Quality Inspection,Controllo Qualità
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Extra Small
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small
DocType: Company,Standard Template,Template Standard
DocType: Training Event,Theory,Teoria
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Attenzione : Materiale Qty richiesto è inferiore minima quantità
@@ -2706,7 +2725,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entità Legale / Controllata con un grafico separato di conti appartenenti all'organizzazione.
DocType: Payment Request,Mute Email,Email muta
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Prodotti alimentari , bevande e tabacco"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Posso solo effettuare il pagamento non ancora fatturate contro {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Posso solo effettuare il pagamento non ancora fatturate contro {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Tasso Commissione non può essere superiore a 100
DocType: Stock Entry,Subcontract,Conto lavoro
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Si prega di inserire {0} prima
@@ -2719,18 +2738,18 @@
DocType: SMS Log,No of Sent SMS,Num. di SMS Inviati
DocType: Account,Expense Account,Conto uscite
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,software
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Colore
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Colore
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Criteri di valutazione del Piano
DocType: Training Event,Scheduled,Pianificate
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Richiesta di offerta.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Si prega di selezionare la voce dove "è articolo di" è "No" e "Is Voce di vendita" è "Sì", e non c'è nessun altro pacchetto di prodotti"
DocType: Student Log,Academic,Accademico
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Anticipo totale ({0}) contro l'ordine {1} non può essere superiore al totale complessivo ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Anticipo totale ({0}) contro l'ordine {1} non può essere superiore al totale complessivo ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Selezionare distribuzione mensile per distribuire in modo non uniforme obiettivi attraverso mesi.
DocType: Purchase Invoice Item,Valuation Rate,Tasso di Valorizzazione
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,diesel
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Listino Prezzi Valuta non selezionati
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Listino Prezzi Valuta non selezionati
,Student Monthly Attendance Sheet,Presenze mensile Scheda
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Employee {0} ha già presentato domanda di {1} tra {2} e {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Data di inizio del progetto
@@ -2742,7 +2761,7 @@
DocType: BOM,Scrap,rottame
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Gestire punti vendita
DocType: Quality Inspection,Inspection Type,Tipo di ispezione
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Magazzini con transazione esistenti non possono essere convertiti in gruppo.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Magazzini con transazione esistenti non possono essere convertiti in gruppo.
DocType: Assessment Result Tool,Result HTML,risultato HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Scade il
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Aggiungere studenti
@@ -2750,13 +2769,13 @@
DocType: C-Form,C-Form No,C-Form N.
DocType: BOM,Exploded_items,Articoli_esplosi
DocType: Employee Attendance Tool,Unmarked Attendance,Partecipazione non contrassegnata
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,ricercatore
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,ricercatore
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Programma Strumento di Iscrizione per studenti
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Nome o e-mail è obbligatorio
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Controllo di qualità in arrivo.
DocType: Purchase Order Item,Returned Qty,Tornati Quantità
DocType: Employee,Exit,Esci
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Root Type è obbligatorio
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root Type è obbligatorio
DocType: BOM,Total Cost(Company Currency),Costo totale (Società di valuta)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serial No {0} creato
DocType: Homepage,Company Description for website homepage,Descrizione della società per home page del sito
@@ -2765,7 +2784,7 @@
DocType: Sales Invoice,Time Sheet List,Lista schedule
DocType: Employee,You can enter any date manually,È possibile immettere qualsiasi data manualmente
DocType: Asset Category Account,Depreciation Expense Account,Ammortamento spese account
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Periodo Di Prova
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Periodo Di Prova
DocType: Customer Group,Only leaf nodes are allowed in transaction,Solo i nodi foglia sono ammessi nelle transazioni
DocType: Expense Claim,Expense Approver,Responsabile Spese
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Riga {0}: Advance contro il Cliente deve essere di credito
@@ -2778,10 +2797,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Orari del corso cancellato:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,I registri per il mantenimento dello stato di consegna sms
DocType: Accounts Settings,Make Payment via Journal Entry,Effettua il pagamento tramite Registrazione Contabile
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Stampato su
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Stampato su
DocType: Item,Inspection Required before Delivery,Ispezione richiesta prima della consegna
DocType: Item,Inspection Required before Purchase,Ispezione Richiesto prima di Acquisto
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Attività in sospeso
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,La tua organizzazione
DocType: Fee Component,Fees Category,tasse Categoria
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Inserisci la data alleviare .
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
@@ -2791,9 +2811,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Riordina Level
DocType: Company,Chart Of Accounts Template,Template Piano dei Conti
DocType: Attendance,Attendance Date,Data Presenza
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Prezzo Articolo aggiornato per {0} nel Listino {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Prezzo Articolo aggiornato per {0} nel Listino {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Stipendio rottura basato sul guadagno e di deduzione.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Account con nodi figlio non può essere convertito in libro mastro
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Account con nodi figlio non può essere convertito in libro mastro
DocType: Purchase Invoice Item,Accepted Warehouse,Magazzino accettazione
DocType: Bank Reconciliation Detail,Posting Date,Data di Registrazione
DocType: Item,Valuation Method,Metodo di Valorizzazione
@@ -2802,14 +2822,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Duplicate entry
DocType: Program Enrollment Tool,Get Students,ottenere gli studenti
DocType: Serial No,Under Warranty,In Garanzia
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Errore]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Errore]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,In parole saranno visibili una volta che si salva l'ordine di vendita.
,Employee Birthday,Compleanno Dipendente
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Studente Batch presenze Strumento
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,limite Crossed
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,limite Crossed
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,capitale a rischio
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Un termine accademico con questo 'Anno Accademico' {0} e 'Term Nome' {1} esiste già. Si prega di modificare queste voci e riprovare.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Poiché esistono transazioni esistenti rispetto all'oggetto {0}, non è possibile modificare il valore di {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Poiché esistono transazioni esistenti rispetto all'oggetto {0}, non è possibile modificare il valore di {1}"
DocType: UOM,Must be Whole Number,Deve essere un Numero Intero
DocType: Leave Control Panel,New Leaves Allocated (In Days),Nuove ferie attribuiti (in giorni)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serial No {0} non esiste
@@ -2818,6 +2838,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Numero di fattura
DocType: Shopping Cart Settings,Orders,Ordini
DocType: Employee Leave Approver,Leave Approver,Responsabile Ferie
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Seleziona un batch
DocType: Assessment Group,Assessment Group Name,Nome gruppo di valutazione
DocType: Manufacturing Settings,Material Transferred for Manufacture,Materiale trasferito per Produzione
DocType: Expense Claim,"A user with ""Expense Approver"" role","Un utente con ruolo di ""Responsabile Spese"""
@@ -2827,9 +2848,10 @@
DocType: Target Detail,Target Detail,Obiettivo Particolare
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,tutti i lavori
DocType: Sales Order,% of materials billed against this Sales Order,% dei materiali fatturati su questo Ordine di Vendita
+DocType: Program Enrollment,Mode of Transportation,Modo di trasporto
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Entrata Periodo di chiusura
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Centro di costo con le transazioni esistenti non può essere convertito in gruppo
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Importo {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Importo {0} {1} {2} {3}
DocType: Account,Depreciation,ammortamento
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Fornitore(i)
DocType: Employee Attendance Tool,Employee Attendance Tool,Impiegato presenze Strumento
@@ -2837,7 +2859,7 @@
DocType: Supplier,Credit Limit,Limite Credito
DocType: Production Plan Sales Order,Salse Order Date,Salse Data ordine
DocType: Salary Component,Salary Component,stipendio Componente
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Le voci di pagamento {0} sono non-linked
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Le voci di pagamento {0} sono non-linked
DocType: GL Entry,Voucher No,Voucher No
,Lead Owner Efficiency,Efficienza del proprietario del cavo
DocType: Leave Allocation,Leave Allocation,Lascia Allocazione
@@ -2848,11 +2870,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Template di termini o di contratto.
DocType: Purchase Invoice,Address and Contact,Indirizzo e contatto
DocType: Cheque Print Template,Is Account Payable,E' un Conto Fornitore
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Stock non può essere aggiornato nei confronti di acquisto ricevuta {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Stock non può essere aggiornato nei confronti di acquisto ricevuta {0}
DocType: Supplier,Last Day of the Next Month,Ultimo giorno del mese prossimo
DocType: Support Settings,Auto close Issue after 7 days,Chiudi la controversia automaticamente dopo 7 giorni
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Ferie non possono essere assegnati prima {0}, come equilibrio congedo è già stato inoltrato carry-in futuro record di assegnazione congedo {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Nota: La data scadenza / riferimento supera i giorni ammessi per il credito dei clienti da {0} giorno (i)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Nota: La data scadenza / riferimento supera i giorni ammessi per il credito dei clienti da {0} giorno (i)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Student Richiedente
DocType: Asset Category Account,Accumulated Depreciation Account,Conto per il fondo ammortamento
DocType: Stock Settings,Freeze Stock Entries,Congela scorta voci
@@ -2861,35 +2883,35 @@
DocType: Activity Cost,Billing Rate,Fatturazione Tasso
,Qty to Deliver,Qtà di Consegna
,Stock Analytics,Analytics Archivio
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Le operazioni non possono essere lasciati in bianco
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Le operazioni non possono essere lasciati in bianco
DocType: Maintenance Visit Purpose,Against Document Detail No,Per Dettagli Documento N
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Tipo partito è obbligatoria
DocType: Quality Inspection,Outgoing,In partenza
DocType: Material Request,Requested For,richiesto Per
DocType: Quotation Item,Against Doctype,Per Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} è stato chiuso o eliminato
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} è stato chiuso o eliminato
DocType: Delivery Note,Track this Delivery Note against any Project,Sottoscrivi questa bolla di consegna contro ogni progetto
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Di cassa netto da investimenti
-,Is Primary Address,È primario Indirizzo
DocType: Production Order,Work-in-Progress Warehouse,Magazzino Lavori in corso
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Asset {0} deve essere presentata
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Record di presenze {0} esiste contro Student {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Record di presenze {0} esiste contro Student {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Riferimento # {0} datato {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Gli ammortamenti Eliminato causa della cessione di attività
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Gestire indirizzi
DocType: Asset,Item Code,Codice Articolo
DocType: Production Planning Tool,Create Production Orders,Crea Ordine Prodotto
DocType: Serial No,Warranty / AMC Details,Garanzia / AMC Dettagli
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Selezionare manualmente gli studenti per il gruppo basato sulle attività
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Selezionare manualmente gli studenti per il gruppo basato sulle attività
DocType: Journal Entry,User Remark,Osservazioni dell'utente
DocType: Lead,Market Segment,Segmento di Mercato
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Importo versato non può essere maggiore di totale importo residuo negativo {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Importo versato non può essere maggiore di totale importo residuo negativo {0}
DocType: Employee Internal Work History,Employee Internal Work History,Storia lavorativa Interna del Dipendente
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Chiusura (Dr)
DocType: Cheque Print Template,Cheque Size,Dimensione Assegno
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serial No {0} non in magazzino
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Modelli fiscali per le transazioni di vendita.
DocType: Sales Invoice,Write Off Outstanding Amount,Scrivi Off eccezionale Importo
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},L'account {0} non corrisponde con l'azienda {1}
DocType: School Settings,Current Academic Year,Anno Accademico Corrente
DocType: Stock Settings,Default Stock UOM,UdM predefinita per Giacenza
DocType: Asset,Number of Depreciations Booked,Numero di ammortamenti Prenotato
@@ -2904,27 +2926,27 @@
DocType: Asset,Double Declining Balance,Doppia valori residui
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,ordine chiuso non può essere cancellato. Unclose per annullare.
DocType: Student Guardian,Father,Padre
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'Aggiornamento della' non può essere controllato per vendita asset fissi
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Aggiornamento della' non può essere controllato per vendita asset fissi
DocType: Bank Reconciliation,Bank Reconciliation,Conciliazione Banca
DocType: Attendance,On Leave,In ferie
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Ricevi aggiornamenti
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Il conto {2} non appartiene alla società {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Richiesta materiale {0} è stato annullato o interrotto
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Aggiungere un paio di record di esempio
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Aggiungere un paio di record di esempio
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Lascia Gestione
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Raggruppa per Conto
DocType: Sales Order,Fully Delivered,Completamente Consegnato
DocType: Lead,Lower Income,Reddito più basso
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Origine e magazzino target non possono essere uguali per riga {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Origine e magazzino target non possono essere uguali per riga {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Account La differenza deve essere un account di tipo attività / passività, dal momento che questo Stock riconciliazione è una voce di apertura"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Importo erogato non può essere superiore a prestito Importo {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Numero ordine di acquisto richiesto per la voce {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Ordine di produzione non ha creato
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Numero ordine di acquisto richiesto per la voce {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Ordine di produzione non ha creato
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',' Dalla Data' deve essere successivo a 'Alla Data'
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Impossibile cambiare status di studente {0} è collegata con l'applicazione studente {1}
DocType: Asset,Fully Depreciated,completamente ammortizzato
,Stock Projected Qty,Qtà Prevista Giacenza
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Cliente {0} non appartiene a proiettare {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Cliente {0} non appartiene a proiettare {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Marcata presenze HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Le citazioni sono proposte, le offerte che hai inviato ai clienti"
DocType: Sales Order,Customer's Purchase Order,Ordine di Acquisto del Cliente
@@ -2933,33 +2955,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Somma dei punteggi di criteri di valutazione deve essere {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Si prega di impostare Numero di ammortamenti Prenotato
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Valore o Quantità
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Produzioni ordini non possono essere sollevati per:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Minuto
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Produzioni ordini non possono essere sollevati per:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Minuto
DocType: Purchase Invoice,Purchase Taxes and Charges,Acquisto Tasse e Costi
,Qty to Receive,Qtà da Ricevere
DocType: Leave Block List,Leave Block List Allowed,Lascia Block List ammessi
DocType: Grading Scale Interval,Grading Scale Interval,Grading Scale Intervallo
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Rimborso spese per veicolo Log {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Sconto (%) sul prezzo di listino con margine
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,Tutti i Depositi
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Tutti i Depositi
DocType: Sales Partner,Retailer,Dettagliante
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Credito Per account deve essere un account di Stato Patrimoniale
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Credito Per account deve essere un account di Stato Patrimoniale
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Tutti i tipi di fornitori
DocType: Global Defaults,Disable In Words,Disattiva in parole
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,Codice Articolo è obbligatoria in quanto articolo non è numerato automaticamente
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Codice Articolo è obbligatoria in quanto articolo non è numerato automaticamente
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Preventivo {0} non di tipo {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Voce del Programma di manutenzione
DocType: Sales Order,% Delivered,% Consegnato
DocType: Production Order,PRO-,PRO-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Conto di scoperto bancario
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Conto di scoperto bancario
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Crea Busta paga
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Riga # {0}: Importo assegnato non può essere superiore all'importo in sospeso.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Sfoglia BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Prestiti garantiti
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Prestiti garantiti
DocType: Purchase Invoice,Edit Posting Date and Time,Modifica distacco di data e ora
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Si prega di impostare gli account relativi ammortamenti nel settore Asset Categoria {0} o {1} società
DocType: Academic Term,Academic Year,Anno accademico
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Apertura Balance Equità
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Apertura Balance Equità
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Valutazione
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},E-mail inviata al fornitore {0}
@@ -2975,7 +2997,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Approvazione ruolo non può essere lo stesso ruolo la regola è applicabile ad
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Disiscriviti da questo Email Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Messaggio Inviato
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Il conto con nodi figli non può essere impostato come libro mastro
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Il conto con nodi figli non può essere impostato come libro mastro
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Tasso al quale Listino valuta viene convertita in valuta di base del cliente
DocType: Purchase Invoice Item,Net Amount (Company Currency),Importo netto (Valuta Azienda)
@@ -3009,7 +3031,7 @@
DocType: Expense Claim,Approval Status,Stato Approvazione
DocType: Hub Settings,Publish Items to Hub,Pubblicare Articoli al Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},Dal valore deve essere inferiore al valore nella riga {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Bonifico bancario
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Bonifico bancario
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Seleziona tutto
DocType: Vehicle Log,Invoice Ref,fattura Rif
DocType: Purchase Order,Recurring Order,Ordine Ricorrente
@@ -3022,51 +3044,54 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Banche e Pagamenti
,Welcome to ERPNext,Benvenuti a ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Lead a Preventivo
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Niente di più da mostrare.
DocType: Lead,From Customer,Da Cliente
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,chiamate
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,chiamate
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,lotti
DocType: Project,Total Costing Amount (via Time Logs),Importo totale Costing (via Time Diari)
DocType: Purchase Order Item Supplied,Stock UOM,UdM Giacenza
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,L'ordine di Acquisto {0} non è stato presentato
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,L'ordine di Acquisto {0} non è stato presentato
DocType: Customs Tariff Number,Tariff Number,Numero tariffario
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,proiettata
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serial No {0} non appartiene al Warehouse {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Nota : Il sistema non controlla over - consegna e over -booking per la voce {0} come la quantità o la quantità è 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Nota : Il sistema non controlla over - consegna e over -booking per la voce {0} come la quantità o la quantità è 0
DocType: Notification Control,Quotation Message,Messaggio Preventivo
DocType: Employee Loan,Employee Loan Application,Impiegato Loan Application
DocType: Issue,Opening Date,Data di apertura
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,La partecipazione è stata segnata con successo.
+DocType: Program Enrollment,Public Transport,Trasporto pubblico
DocType: Journal Entry,Remark,Osservazione
DocType: Purchase Receipt Item,Rate and Amount,Prezzo e Importo
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Tipo di account per {0} deve essere {1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,Ferie e vacanze
DocType: School Settings,Current Academic Term,Termine accademico attuale
DocType: Sales Order,Not Billed,Non Fatturata
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Entrambi i magazzini devono appartenere alla stessa società
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Nessun contatto ancora aggiunto.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Entrambi i magazzini devono appartenere alla stessa società
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Nessun contatto ancora aggiunto.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landed Cost Voucher Importo
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Fatture emesse dai fornitori.
DocType: POS Profile,Write Off Account,Scrivi Off account
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Debito Nota Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Importo sconto
DocType: Purchase Invoice,Return Against Purchase Invoice,Ritorno Contro Acquisto Fattura
DocType: Item,Warranty Period (in days),Periodo di garanzia (in giorni)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Rapporto con Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Rapporto con Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Cassa netto da attività
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,p. es. IVA
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,p. es. IVA
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Articolo 4
DocType: Student Admission,Admission End Date,L'ammissione Data fine
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Subappalto
DocType: Journal Entry Account,Journal Entry Account,Addebito Journal
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Gruppo Student
DocType: Shopping Cart Settings,Quotation Series,Serie Preventivi
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Un elemento esiste con lo stesso nome ( {0} ) , si prega di cambiare il nome del gruppo o di rinominare la voce"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Seleziona cliente
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Un elemento esiste con lo stesso nome ( {0} ) , si prega di cambiare il nome del gruppo o di rinominare la voce"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Seleziona cliente
DocType: C-Form,I,io
DocType: Company,Asset Depreciation Cost Center,Asset Centro di ammortamento dei costi
DocType: Sales Order Item,Sales Order Date,Ordine di vendita Data
DocType: Sales Invoice Item,Delivered Qty,Q.tà Consegnata
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Se selezionato, tutti i figli di ogni elemento di produzione saranno inclusi nelle Request materiali."
DocType: Assessment Plan,Assessment Plan,Piano di valutazione
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Magazzino {0}: La società è obbligatoria
DocType: Stock Settings,Limit Percent,limite percentuale
,Payment Period Based On Invoice Date,Periodo di pagamento basati su Data fattura
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Manca valuta Tassi di cambio in {0}
@@ -3078,7 +3103,7 @@
DocType: Vehicle,Insurance Details,Dettagli Assicurazione
DocType: Account,Payable,Pagabile
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,Si prega di inserire periodi di rimborso
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Debitori ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Debitori ({0})
DocType: Pricing Rule,Margin,Margine
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Nuovi clienti
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Utile lordo %
@@ -3089,16 +3114,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Party è obbligatoria
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,Nome argomento
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,", Almeno una delle vendere o acquistare deve essere selezionata"
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Selezionare la natura della vostra attività.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,", Almeno una delle vendere o acquistare deve essere selezionata"
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Selezionare la natura della vostra attività.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Riga # {0}: duplica la voce nei riferimenti {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Dove si svolgono le operazioni di fabbricazione.
DocType: Asset Movement,Source Warehouse,Deposito Origine
DocType: Installation Note,Installation Date,Data di installazione
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} non appartiene alla società {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} non appartiene alla società {2}
DocType: Employee,Confirmation Date,conferma Data
DocType: C-Form,Total Invoiced Amount,Totale Importo fatturato
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,La quantità Min non può essere maggiore della quantità Max
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,La quantità Min non può essere maggiore della quantità Max
DocType: Account,Accumulated Depreciation,Fondo di ammortamento
DocType: Stock Entry,Customer or Supplier Details,Dettagli Cliente o Fornitore
DocType: Employee Loan Application,Required by Date,Richiesto per data
@@ -3119,23 +3144,24 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Percentuale Distribuzione Mensile
DocType: Territory,Territory Targets,Obiettivi Territorio
DocType: Delivery Note,Transporter Info,Info Transporter
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Si prega di impostare di default {0} nell'azienda {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Si prega di impostare di default {0} nell'azienda {1}
DocType: Cheque Print Template,Starting position from top edge,posizione dal bordo superiore Avvio
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Lo Stesso fornitore è stato inserito più volte
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Utile lordo / Perdita
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Ordine di acquisto Articolo inserito
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Nome azienda non può essere azienda
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Nome azienda non può essere azienda
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Lettera intestazioni per modelli di stampa .
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Titoli di modelli di stampa p. es. Fattura proforma
DocType: Student Guardian,Student Guardian,Student Guardiano
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Spese tipo di valutazione non possono contrassegnata come Inclusive
DocType: POS Profile,Update Stock,Aggiornare Giacenza
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Fornitore> Tipo Fornitore
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Una diversa Unità di Misura degli articoli darà come risultato un Peso Netto (Totale) non corretto.
Assicurarsi che il peso netto di ogni articolo sia nella stessa Unità di Misura."
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Tasso
DocType: Asset,Journal Entry for Scrap,Diario di rottami
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Si prega di tirare oggetti da DDT
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Journal Entries {0} sono un-linked
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Journal Entries {0} sono un-linked
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Salva tutte le comunicazioni di tipo e-mail, telefono, chat, visita, ecc"
DocType: Manufacturer,Manufacturers used in Items,Produttori utilizzati in Articoli
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Si prega di citare Arrotondamento centro di costo in azienda
@@ -3182,33 +3208,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,il Fornitore consegna al Cliente
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}](#Form/Item/{0}) è esaurito
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Successivo data deve essere maggiore di Data Pubblicazione
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Mostra fiscale break-up
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Data / Reference Data non può essere successiva {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Mostra fiscale break-up
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Data / Reference Data non può essere successiva {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Importazione ed esportazione dati
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","le entrate nelle scorte esistono contro Warehouse {0}, quindi non si può ri-assegnare o modificarlo"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Nessun studenti hanno trovato
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Nessun studenti hanno trovato
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Fattura Data Pubblicazione
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Vendere
DocType: Sales Invoice,Rounded Total,Totale arrotondato
DocType: Product Bundle,List items that form the package.,Voci di elenco che formano il pacchetto.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Percentuale di ripartizione dovrebbe essere pari al 100 %
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,Si prega di selezionare Data Pubblicazione prima di selezionare partito
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Si prega di selezionare Data Pubblicazione prima di selezionare partito
DocType: Program Enrollment,School House,school House
DocType: Serial No,Out of AMC,Fuori di AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Seleziona Citazioni
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Seleziona Citazioni
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Numero degli ammortamenti prenotata non può essere maggiore di Numero totale degli ammortamenti
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Aggiungi visita manutenzione
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,Si prega di contattare l'utente che hanno Sales Master Responsabile {0} ruolo
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,Si prega di contattare l'utente che hanno Sales Master Responsabile {0} ruolo
DocType: Company,Default Cash Account,Conto cassa predefinito
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Azienda ( non cliente o fornitore ) master.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Questo si basa sulla presenza di questo Student
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Nessun studente dentro
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Nessun studente dentro
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Aggiungere altri elementi o piena forma aperta
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',Inserisci il ' Data prevista di consegna '
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,I Documenti di Trasporto {0} devono essere cancellati prima di annullare questo Ordine di Vendita
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Importo pagato + Scadenza Importo non può essere superiore a Totale generale
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Importo pagato + Scadenza Importo non può essere superiore a Totale generale
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} non è un numero di lotto valido per la voce {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Nota : Non c'è equilibrio congedo sufficiente per Leave tipo {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN non valido o Invio NA per non registrato
DocType: Training Event,Seminar,Seminario
DocType: Program Enrollment Fee,Program Enrollment Fee,Programma Tassa di iscrizione
DocType: Item,Supplier Items,Articoli Fornitore
@@ -3234,27 +3260,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Articolo 3
DocType: Purchase Order,Customer Contact Email,Customer Contact Email
DocType: Warranty Claim,Item and Warranty Details,Voce e garanzia Dettagli
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Codice articolo> Gruppo articoli> Marchio
DocType: Sales Team,Contribution (%),Contributo (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Nota : non verrà creato il pagamento poiché non è stato specificato 'conto bancario o fido'
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Selezionare il programma per recuperare i corsi obbligatori.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Responsabilità
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Responsabilità
DocType: Expense Claim Account,Expense Claim Account,Conto spese rivendicazione
DocType: Sales Person,Sales Person Name,Vendite Nome persona
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Inserisci atleast 1 fattura nella tabella
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Aggiungi Utenti
DocType: POS Item Group,Item Group,Gruppo Articoli
DocType: Item,Safety Stock,Scorta di sicurezza
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Progressi% per un compito non può essere superiore a 100.
DocType: Stock Reconciliation Item,Before reconciliation,Prima di riconciliazione
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Per {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Tasse e spese aggiuntive (Azienda valuta)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Voce fiscale Row {0} deve avere un account di tipo fiscale o di reddito o spese o addebitabile
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Voce fiscale Row {0} deve avere un account di tipo fiscale o di reddito o spese o addebitabile
DocType: Sales Order,Partly Billed,Parzialmente Fatturato
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Voce {0} deve essere un asset Articolo fisso
DocType: Item,Default BOM,Distinta Materiali Predefinita
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,Si prega di digitare nuovamente il nome della società per confermare
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Totale Outstanding Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Debito importo nota
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Si prega di digitare nuovamente il nome della società per confermare
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Totale Outstanding Amt
DocType: Journal Entry,Printing Settings,Impostazioni di stampa
DocType: Sales Invoice,Include Payment (POS),Includi pagamento (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Debito totale deve essere pari al totale credito .
@@ -3268,15 +3292,16 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,In Stock:
DocType: Notification Control,Custom Message,Messaggio Personalizzato
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investment Banking
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Contanti o conto bancario è obbligatoria per effettuare il pagamento voce
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Indirizzo studente
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Contanti o conto bancario è obbligatoria per effettuare il pagamento voce
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Si prega di impostare la serie di numeri per la partecipazione tramite l'impostazione> Serie di numerazione
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Indirizzo studente
DocType: Purchase Invoice,Price List Exchange Rate,Listino Prezzi Tasso di Cambio
DocType: Purchase Invoice Item,Rate,Prezzo
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Stagista
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,indirizzo Nome
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Stagista
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,indirizzo Nome
DocType: Stock Entry,From BOM,Da Distinta Materiali
DocType: Assessment Code,Assessment Code,Codice Assessment
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Base
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Base
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Operazioni Giacenza prima {0} sono bloccate
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',Si prega di cliccare su ' Generate Schedule '
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","p. es. Kg, Unità, Nos, m"
@@ -3286,11 +3311,11 @@
DocType: Salary Slip,Salary Structure,Struttura salariale
DocType: Account,Bank,Banca
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,linea aerea
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Fornire Materiale
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Fornire Materiale
DocType: Material Request Item,For Warehouse,Per Magazzino
DocType: Employee,Offer Date,Data dell'offerta
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Citazioni
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Sei in modalità non in linea. Si potrà ricaricare quando tornerà disponibile la connessione alla rete.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,Sei in modalità non in linea. Si potrà ricaricare quando tornerà disponibile la connessione alla rete.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Non sono stati creati Gruppi Studenti
DocType: Purchase Invoice Item,Serial No,Serial No
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Rimborso mensile non può essere maggiore di prestito Importo
@@ -3298,8 +3323,8 @@
DocType: Purchase Invoice,Print Language,Lingua di Stampa
DocType: Salary Slip,Total Working Hours,Orario di lavoro totali
DocType: Stock Entry,Including items for sub assemblies,Compresi articoli per sub assemblaggi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Inserire il valore deve essere positivo
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,tutti i Territori
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Inserire il valore deve essere positivo
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,tutti i Territori
DocType: Purchase Invoice,Items,Articoli
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Studente è già registrato.
DocType: Fiscal Year,Year Name,Nome Anno
@@ -3317,10 +3342,10 @@
DocType: Issue,Opening Time,Tempo di apertura
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Data Inizio e Fine sono obbligatorie
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Securities & borse merci
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unità di misura predefinita per la variante '{0}' deve essere lo stesso in Template '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unità di misura predefinita per la variante '{0}' deve essere lo stesso in Template '{1}'
DocType: Shipping Rule,Calculate Based On,Calcola in base a
DocType: Delivery Note Item,From Warehouse,Dal Deposito
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Non ci sono elementi con Bill of Materials per la produzione
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Non ci sono elementi con Bill of Materials per la produzione
DocType: Assessment Plan,Supervisor Name,Nome supervisore
DocType: Program Enrollment Course,Program Enrollment Course,Corso di iscrizione al programma
DocType: Purchase Taxes and Charges,Valuation and Total,Valorizzazione e Totale
@@ -3335,18 +3360,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Giorni dall'ultimo Ordine' deve essere maggiore o uguale a zero
DocType: Process Payroll,Payroll Frequency,Payroll Frequenza
DocType: Asset,Amended From,Corretto da
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Materia prima
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Materia prima
DocType: Leave Application,Follow via Email,Seguire via Email
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Impianti e Macchinari
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Impianti e Macchinari
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Fiscale Ammontare Dopo Sconto Importo
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Impostazioni riepilogo giornaliero lavori
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Valuta del listino {0} non è simile con la valuta selezionata {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Valuta del listino {0} non è simile con la valuta selezionata {1}
DocType: Payment Entry,Internal Transfer,Trasferimento interno
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Conto Child esiste per questo account . Non è possibile eliminare questo account .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Conto Child esiste per questo account . Non è possibile eliminare questo account .
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Sia qty destinazione o importo obiettivo è obbligatoria
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Non esiste Distinta Base predefinita per l'articolo {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Non esiste Distinta Base predefinita per l'articolo {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Seleziona Data Pubblicazione primo
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Data di apertura dovrebbe essere prima Data di chiusura
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Impostare Serie Naming per {0} tramite Impostazione> Impostazioni> Serie di denominazione
DocType: Leave Control Panel,Carry Forward,Portare Avanti
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Centro di costo con le transazioni esistenti non può essere convertito in contabilità
DocType: Department,Days for which Holidays are blocked for this department.,Giorni per i quali le festività sono bloccate per questo reparto.
@@ -3356,10 +3382,9 @@
DocType: Issue,Raised By (Email),Sollevata da (e-mail)
DocType: Training Event,Trainer Name,Nome Trainer
DocType: Mode of Payment,General,Generale
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Allega intestata
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Ultima comunicazione
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Non può dedurre quando categoria è di ' valutazione ' o ' Valutazione e Total '
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Inserisci il tuo capo fiscali (ad esempio IVA, dogana ecc, che devono avere nomi univoci) e le loro tariffe standard. Questo creerà un modello standard, che è possibile modificare e aggiungere più tardi."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Inserisci il tuo capo fiscali (ad esempio IVA, dogana ecc, che devono avere nomi univoci) e le loro tariffe standard. Questo creerà un modello standard, che è possibile modificare e aggiungere più tardi."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Serial Nos Obbligatorio per la voce Serialized {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Partita pagamenti con fatture
DocType: Journal Entry,Bank Entry,Registrazione bancaria
@@ -3368,16 +3393,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Aggiungi al carrello
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Raggruppa per
DocType: Guardian,Interests,Interessi
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Abilitare / disabilitare valute.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Abilitare / disabilitare valute.
DocType: Production Planning Tool,Get Material Request,Get Materiale Richiesta
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,spese postali
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,spese postali
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Totale (Amt)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Intrattenimento e tempo libero
DocType: Quality Inspection,Item Serial No,Articolo N. d'ordine
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Creare record dei dipendenti
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Presente totale
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Prospetti contabili
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Ora
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Ora
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Un nuovo Serial No non può avere un magazzino. Il magazzino deve essere impostato nell'entrata giacenza o su ricevuta d'acquisto
DocType: Lead,Lead Type,Tipo Lead
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Non sei autorizzato ad approvare foglie su Date Block
@@ -3389,6 +3414,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,Il nuovo BOM dopo la sostituzione
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Punto di vendita
DocType: Payment Entry,Received Amount,importo ricevuto
+DocType: GST Settings,GSTIN Email Sent On,Posta elettronica di GSTIN inviata
+DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop di Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Creare per la piena quantità, ignorando la quantità già in ordine"
DocType: Account,Tax,Tassa
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,non segnato
@@ -3400,14 +3427,14 @@
DocType: Batch,Source Document Name,Nome del documento di origine
DocType: Job Opening,Job Title,Titolo Posizione
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,creare utenti
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,Grammo
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,Grammo
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Quantità di Fabbricazione deve essere maggiore di 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Visita rapporto per chiamata di manutenzione.
DocType: Stock Entry,Update Rate and Availability,Frequenza di aggiornamento e disponibilità
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Percentuale si è permesso di ricevere o consegnare di più contro la quantità ordinata. Per esempio: Se avete ordinato 100 unità. e il vostro assegno è 10% poi si è permesso di ricevere 110 unità.
DocType: POS Customer Group,Customer Group,Gruppo Cliente
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Nuovo ID batch (opzionale)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Conto spese è obbligatoria per l'elemento {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Conto spese è obbligatoria per l'elemento {0}
DocType: BOM,Website Description,Descrizione del sito
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Variazione netta Patrimonio
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Si prega di annullare Acquisto Fattura {0} prima
@@ -3417,8 +3444,8 @@
,Sales Register,Registro Vendite
DocType: Daily Work Summary Settings Company,Send Emails At,Invia e-mail in
DocType: Quotation,Quotation Lost Reason,Motivo Preventivo Perso
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Seleziona il tuo dominio
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},di riferimento della transazione non {0} {1} datato
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Seleziona il tuo dominio
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},di riferimento della transazione non {0} {1} datato
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Non c'è nulla da modificare.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Riepilogo per questo mese e le attività in corso
DocType: Customer Group,Customer Group Name,Nome Gruppo Cliente
@@ -3426,14 +3453,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Rendiconto finanziario
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Importo del prestito non può superare il massimo importo del prestito {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licenza
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},Si prega di rimuovere questo Invoice {0} dal C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},Si prega di rimuovere questo Invoice {0} dal C-Form {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Si prega di selezionare il riporto se anche voi volete includere equilibrio precedente anno fiscale di parte per questo anno fiscale
DocType: GL Entry,Against Voucher Type,Per tipo Tagliando
DocType: Item,Attributes,Attributi
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,Inserisci Scrivi Off conto
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Inserisci Scrivi Off conto
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Ultima data di ordine
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Il Conto {0} non appartiene alla società {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,I numeri seriali nella riga {0} non corrispondono alla nota di consegna
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,I numeri seriali nella riga {0} non corrispondono alla nota di consegna
DocType: Student,Guardian Details,Guardiano Dettagli
DocType: C-Form,C-Form,C-Form
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Segna come Presenze per più Dipendenti
@@ -3448,16 +3475,16 @@
DocType: Budget Account,Budget Amount,budget Importo
DocType: Appraisal Template,Appraisal Template Title,Valutazione Titolo Modello
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Da Data {0} per Employee {1} non può essere prima di unirsi Data del dipendente {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,commerciale
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,commerciale
DocType: Payment Entry,Account Paid To,Account pagato a
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Voce genitore {0} non deve essere un Articolo Articolo
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Tutti i Prodotti o Servizi.
DocType: Expense Claim,More Details,Maggiori dettagli
DocType: Supplier Quotation,Supplier Address,Indirizzo Fornitore
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} budget per l'account {1} contro {2} {3} è {4}. Si supererà da {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Riga {0} # account deve essere di tipo 'Bene Strumentale'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,out Quantità
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Regole per il calcolo dell'importo di trasporto per una vendita
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Riga {0} # account deve essere di tipo 'Bene Strumentale'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,out Quantità
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Regole per il calcolo dell'importo di trasporto per una vendita
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Series è obbligatorio
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Servizi finanziari
DocType: Student Sibling,Student ID,Student ID
@@ -3465,13 +3492,13 @@
DocType: Tax Rule,Sales,Vendite
DocType: Stock Entry Detail,Basic Amount,Importo di base
DocType: Training Event,Exam,Esame
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Magazzino richiesto per l'Articolo in Giacenza {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Magazzino richiesto per l'Articolo in Giacenza {0}
DocType: Leave Allocation,Unused leaves,Ferie non godute
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,Stato di fatturazione
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Trasferimento
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} non è associato all'account di partito {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Fetch BOM esplosa ( inclusi sottoassiemi )
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} non è associato all'account di partito {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Fetch BOM esplosa ( inclusi sottoassiemi )
DocType: Authorization Rule,Applicable To (Employee),Applicabile a (Dipendente)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Data di scadenza è obbligatoria
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Incremento per attributo {0} non può essere 0
@@ -3499,7 +3526,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Codice Articolo Materia Prima
DocType: Journal Entry,Write Off Based On,Scrivi Off Basato Su
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Crea un Lead
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Di stampa e di cancelleria
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Di stampa e di cancelleria
DocType: Stock Settings,Show Barcode Field,Mostra campo del codice a barre
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Inviare e-mail del fornitore
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Stipendio già elaborato per il periodo compreso tra {0} e {1}, Lascia periodo di applicazione non può essere tra questo intervallo di date."
@@ -3507,13 +3534,15 @@
DocType: Guardian Interest,Guardian Interest,Guardiano interesse
apps/erpnext/erpnext/config/hr.py +177,Training,Formazione
DocType: Timesheet,Employee Detail,Dettaglio dei dipendenti
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Email ID Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Email ID Guardian1
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,Il giorno dopo di Data e Ripetere sul Giorno del mese deve essere uguale
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Impostazioni per homepage del sito
DocType: Offer Letter,Awaiting Response,In attesa di risposta
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Sopra
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Sopra
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},attributo non valido {0} {1}
DocType: Supplier,Mention if non-standard payable account,Si ricorda se un conto non pagabile
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Lo stesso oggetto è stato inserito più volte. {elenco}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Seleziona il gruppo di valutazione diverso da 'Tutti i gruppi di valutazione'
DocType: Salary Slip,Earning & Deduction,Rendimento & Detrazione
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Facoltativo. Questa impostazione verrà utilizzato per filtrare in diverse operazioni .
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Non è consentito un tasso di valorizzazione negativo
@@ -3527,9 +3556,9 @@
DocType: Sales Invoice,Product Bundle Help,Prodotto Bundle Aiuto
,Monthly Attendance Sheet,Foglio Presenze Mensile
DocType: Production Order Item,Production Order Item,Ordine di produzione del lotto
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Nessun record trovato
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Nessun record trovato
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Costo di Asset Demolita
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: centro di costo è obbligatorio per la voce {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: centro di costo è obbligatorio per la voce {2}
DocType: Vehicle,Policy No,Politica No
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Ottenere elementi dal pacchetto di prodotti
DocType: Asset,Straight Line,Retta
@@ -3537,7 +3566,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Diviso
DocType: GL Entry,Is Advance,È Advance
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Inizio e Fine data della frequenza soo obbligatori
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,Si prega di specificare ' è un Conto lavoro ' come Si o No
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,Si prega di specificare ' è un Conto lavoro ' come Si o No
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Ultima data di comunicazione
DocType: Sales Team,Contact No.,Contatto N.
DocType: Bank Reconciliation,Payment Entries,Le voci di pagamento
@@ -3563,60 +3592,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Valore di apertura
DocType: Salary Detail,Formula,Formula
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Commissione sulle vendite
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Commissione sulle vendite
DocType: Offer Letter Term,Value / Description,Valore / Descrizione
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} non può essere presentata, è già {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} non può essere presentata, è già {2}"
DocType: Tax Rule,Billing Country,Nazione di fatturazione
DocType: Purchase Order Item,Expected Delivery Date,Data prevista di consegna
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Dare e Avere non uguale per {0} # {1}. La differenza è {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Spese di rappresentanza
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Crea una Richiesta di Materiali
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Spese di rappresentanza
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Crea una Richiesta di Materiali
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Apri elemento {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,La fattura di vendita {0} deve essere cancellata prima di annullare questo ordine di vendita
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Età
DocType: Sales Invoice Timesheet,Billing Amount,Fatturazione Importo
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Quantità non valido specificato per l'elemento {0}. La quantità dovrebbe essere maggiore di 0.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Richieste di Ferie
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Account con transazione registrate non può essere cancellato
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Account con transazione registrate non può essere cancellato
DocType: Vehicle,Last Carbon Check,Ultima verifica carbon
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Spese legali
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Spese legali
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Seleziona la quantità in fila
DocType: Purchase Invoice,Posting Time,Ora di Registrazione
DocType: Timesheet,% Amount Billed,% Importo Fatturato
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Spese telefoniche
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Spese telefoniche
DocType: Sales Partner,Logo,Logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Seleziona se vuoi forzare l'utente a selezionare una serie prima di salvare, non ci sarà un valore di default."
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Nessun Articolo con Numero di Serie {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Nessun Articolo con Numero di Serie {0}
DocType: Email Digest,Open Notifications,Aperte Notifiche
DocType: Payment Entry,Difference Amount (Company Currency),Differenza Importo (Società di valuta)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,spese dirette
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,spese dirette
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} indirizzo email non valido in 'Notifiche \ Indirizzi Email'
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Nuovi Ricavi Cliente
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Spese di viaggio
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Spese di viaggio
DocType: Maintenance Visit,Breakdown,Esaurimento
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Account: {0} con valuta: {1} non può essere selezionato
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Account: {0} con valuta: {1} non può essere selezionato
DocType: Bank Reconciliation Detail,Cheque Date,Data Assegno
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Account {0}: conto derivato {1} non appartiene alla società: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Account {0}: conto derivato {1} non appartiene alla società: {2}
DocType: Program Enrollment Tool,Student Applicants,I candidati per studenti
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,"Tutte le operazioni relative a questa società, sono state cancellate con successo!"
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,"Tutte le operazioni relative a questa società, sono state cancellate con successo!"
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Come in data
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,Iscrizione Data
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,prova
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,prova
apps/erpnext/erpnext/config/hr.py +115,Salary Components,Componenti stipendio
DocType: Program Enrollment Tool,New Academic Year,Nuovo anno accademico
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Ritorno / nota di credito
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Ritorno / nota di credito
DocType: Stock Settings,Auto insert Price List rate if missing,Inserimento automatico tasso Listino se mancante
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Importo totale pagato
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Importo totale pagato
DocType: Production Order Item,Transferred Qty,Quantità trasferito
apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigazione
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Pianificazione
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Emesso
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Pianificazione
+DocType: Material Request,Issued,Emesso
DocType: Project,Total Billing Amount (via Time Logs),Importo totale fatturazione (via Time Diari)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Vendiamo questo articolo
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Id Fornitore
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Vendiamo questo articolo
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Id Fornitore
DocType: Payment Request,Payment Gateway Details,Payment Gateway Dettagli
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Quantità deve essere maggiore di 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Quantità deve essere maggiore di 0
DocType: Journal Entry,Cash Entry,Cash Entry
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,I nodi figli possono essere creati solo sotto i nodi di tipo 'Gruppo'
DocType: Leave Application,Half Day Date,Data di mezza giornata
@@ -3628,14 +3658,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Si prega di impostare account predefinito nel tipo di spesa rivendicazione {0}
DocType: Assessment Result,Student Name,Nome dello studente
DocType: Brand,Item Manager,Responsabile Articoli
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,Payroll da pagare
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Payroll da pagare
DocType: Buying Settings,Default Supplier Type,Tipo Fornitore Predefinito
DocType: Production Order,Total Operating Cost,Totale costi di esercizio
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Nota : Articolo {0} inserito più volte
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Tutti i contatti.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Abbreviazione Società
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Abbreviazione Società
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Utente {0} non esiste
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,La materia prima non può essere lo stesso come voce principale
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,La materia prima non può essere lo stesso come voce principale
DocType: Item Attribute Value,Abbreviation,Abbreviazione
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,La scrittura contabile del Pagamento esiste già
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Non autorizzato poiché {0} supera i limiti
@@ -3644,49 +3674,49 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Set di regole fiscali per carrello della spesa
DocType: Purchase Invoice,Taxes and Charges Added,Tasse e spese aggiuntive
,Sales Funnel,imbuto di vendita
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,L'abbreviazione è obbligatoria
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,L'abbreviazione è obbligatoria
DocType: Project,Task Progress,Progresso dell'attività
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Carrello
,Qty to Transfer,Qtà da Trasferire
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Preventivo a Leads o a Clienti.
DocType: Stock Settings,Role Allowed to edit frozen stock,Ruolo ammessi da modificare stock congelato
,Territory Target Variance Item Group-Wise,Territorio di destinazione Varianza articolo Group- Wise
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Tutti i gruppi di clienti
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Tutti i gruppi di clienti
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Accantonamento Mensile
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} è obbligatorio. Forse il record di cambio di valuta non è stato creato per {1} {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} è obbligatorio. Forse il record di cambio di valuta non è stato creato per {1} {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Tax modello è obbligatoria.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Account {0}: conto derivato {1} non esistente
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Account {0}: conto derivato {1} non esistente
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Prezzo di listino (Valuta Azienda)
DocType: Products Settings,Products Settings,Impostazioni Prodotti
DocType: Account,Temporary,Temporaneo
DocType: Program,Courses,corsi
DocType: Monthly Distribution Percentage,Percentage Allocation,Percentuale di allocazione
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,segretario
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,segretario
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Se disable, 'In Words' campo non saranno visibili in qualsiasi transazione"
DocType: Serial No,Distinct unit of an Item,Un'unità distinta di un elemento
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Imposti la Società
DocType: Pricing Rule,Buying,Acquisti
DocType: HR Settings,Employee Records to be created by,Informazioni del dipendenti da creare a cura di
DocType: POS Profile,Apply Discount On,Applicare sconto su
,Reqd By Date,Reqd Per Data
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Creditori
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Creditori
DocType: Assessment Plan,Assessment Name,Nome valutazione
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Fila # {0}: N. di serie è obbligatoria
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Voce Wise fiscale Dettaglio
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Abbreviazione Institute
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Abbreviazione Institute
,Item-wise Price List Rate,Articolo -saggio Listino Tasso
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Preventivo Fornitore
DocType: Quotation,In Words will be visible once you save the Quotation.,In parole saranno visibili una volta che si salva il preventivo.
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},La quantità ({0}) non può essere una frazione nella riga {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,riscuotere i canoni
DocType: Attendance,ATT-,la tentata
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Codice a barre {0} già utilizzato nel Prodotto {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Codice a barre {0} già utilizzato nel Prodotto {1}
DocType: Lead,Add to calendar on this date,Aggiungi al calendario in questa data
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Regole per l'aggiunta di spese di spedizione .
DocType: Item,Opening Stock,Disponibilità Iniziale
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Il Cliente è tenuto
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} è obbligatorio per Return
DocType: Purchase Order,To Receive,Ricevere
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Email personale
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Varianza totale
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Se abilitato, il sistema pubblicherà le scritture contabili per l'inventario automatico."
@@ -3697,13 +3727,14 @@
DocType: Customer,From Lead,Da Contatto
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Gli ordini rilasciati per la produzione.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Selezionare l'anno fiscale ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS Profilo tenuto a POS Entry
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS Profilo tenuto a POS Entry
DocType: Program Enrollment Tool,Enroll Students,iscrivere gli studenti
DocType: Hub Settings,Name Token,Nome Token
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Listino di Vendita
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,È obbligatorio almeno un deposito
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,È obbligatorio almeno un deposito
DocType: Serial No,Out of Warranty,Fuori Garanzia
DocType: BOM Replace Tool,Replace,Sostituire
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Nessun prodotto trovato.
DocType: Production Order,Unstopped,Non fermato
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} per fattura di vendita {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3714,13 +3745,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Differenza Valore Giacenza
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Risorsa Umana
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Pagamento Riconciliazione di pagamento
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Attività fiscali
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Attività fiscali
DocType: BOM Item,BOM No,BOM n.
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,La Scrittura Contabile {0} non ha conto {1} o già confrontato con un altro buono
DocType: Item,Moving Average,Media Mobile
DocType: BOM Replace Tool,The BOM which will be replaced,La distinta base che sarà sostituita
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,Apparecchiature elettroniche
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,Apparecchiature elettroniche
DocType: Account,Debit,Debito
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Le ferie devono essere assegnati in multipli di 0,5"
DocType: Production Order,Operation Cost,Operazione Costo
@@ -3728,7 +3759,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Eccezionale Amt
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Fissare obiettivi Item Group-saggio per questo venditore.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Congelare Stocks Older Than [ giorni]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: L'indicazione dell'Asset è obbligatorio per acquisto/vendita di Beni Strumentali
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: L'indicazione dell'Asset è obbligatorio per acquisto/vendita di Beni Strumentali
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Se due o più regole sui prezzi sono trovate delle condizioni di cui sopra, viene applicata la priorità. La priorità è un numero compreso tra 0 a 20, mentre il valore di default è pari a zero (vuoto). Numero maggiore significa che avrà la precedenza se ci sono più regole sui prezzi con le stesse condizioni."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Anno fiscale: {0} non esiste
DocType: Currency Exchange,To Currency,Per valuta
@@ -3736,7 +3767,7 @@
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Tipi di Nota Spese.
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Il tasso di vendita per l'elemento {0} è inferiore a quello {1}. Il tasso di vendita dovrebbe essere almeno {2}
DocType: Item,Taxes,Tasse
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Pagato e Non Consegnato
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Pagato e Non Consegnato
DocType: Project,Default Cost Center,Centro di costo predefinito
DocType: Bank Guarantee,End Date,Data di Fine
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,transazioni di magazzino
@@ -3761,24 +3792,22 @@
DocType: Employee,Held On,Tenutasi il
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Produzione Voce
,Employee Information,Informazioni Dipendente
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Tasso ( % )
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Tasso ( % )
DocType: Stock Entry Detail,Additional Cost,Costo aggiuntivo
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Data di Esercizio di fine
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Non è possibile filtrare sulla base di Voucher No , se raggruppati per Voucher"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Crea un Preventivo Fornitore
DocType: Quality Inspection,Incoming,In arrivo
DocType: BOM,Materials Required (Exploded),Materiali necessari (dettagli)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Aggiungere utenti alla vostra organizzazione, diversa da te"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,La Data di Registrazione non può essere una data futura
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Fila # {0}: N. di serie {1} non corrisponde con {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Casual Leave
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Casual Leave
DocType: Batch,Batch ID,Lotto ID
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Nota : {0}
,Delivery Note Trends,Tendenze Documenti di Trasporto
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Sintesi di questa settimana
-,In Stock Qty,Qtà in Stock
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Qtà in Stock
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Account: {0} può essere aggiornato solo tramite transazioni di magazzino
-DocType: Program Enrollment,Get Courses,Get Corsi
+DocType: Student Group Creation Tool,Get Courses,Get Corsi
DocType: GL Entry,Party,Partito
DocType: Sales Order,Delivery Date,Data Consegna
DocType: Opportunity,Opportunity Date,Data Opportunità
@@ -3786,14 +3815,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Richiesta di offerta Articolo
DocType: Purchase Order,To Bill,Da Fatturare
DocType: Material Request,% Ordered,% Ordinato
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Per il corso del corso, il Corso sarà convalidato per ogni Studente dai corsi iscritti in iscrizione al programma."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Inserire l'indirizzo e-mail separati da virgole, fattura sarà inviata automaticamente particolare data"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,lavoro a cottimo
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,lavoro a cottimo
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Avg. Buying Rate
DocType: Task,Actual Time (in Hours),Tempo reale (in ore)
DocType: Employee,History In Company,Storia aziendale
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Newsletters
DocType: Stock Ledger Entry,Stock Ledger Entry,Voce Inventario
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Cliente> Gruppo Clienti> Territorio
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Lo stesso articolo è stato inserito più volte
DocType: Department,Leave Block List,Lascia il blocco lista
DocType: Sales Invoice,Tax ID,P. IVA / Cod. Fis.
@@ -3808,30 +3837,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} unità di {1} necessarie in {2} per completare la transazione.
DocType: Loan Type,Rate of Interest (%) Yearly,Tasso di interesse (%) Performance
DocType: SMS Settings,SMS Settings,Impostazioni SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Conti provvisori
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Nero
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Conti provvisori
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Nero
DocType: BOM Explosion Item,BOM Explosion Item,BOM Articolo Esploso
DocType: Account,Auditor,Uditore
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} articoli prodotti
DocType: Cheque Print Template,Distance from top edge,Distanza dal bordo superiore
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Listino {0} è disattivato o non esiste
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Listino {0} è disattivato o non esiste
DocType: Purchase Invoice,Return,Ritorno
DocType: Production Order Operation,Production Order Operation,Ordine di produzione Operation
DocType: Pricing Rule,Disable,Disattiva
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Modalità di pagamento è richiesto di effettuare un pagamento
DocType: Project Task,Pending Review,In attesa recensione
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} non è iscritto nel gruppo {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} non può essere gettata, come è già {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Rimborso spese totale (via Expense Claim)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Id Cliente
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Contrassegna come Assente
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Riga {0}: Valuta del BOM # {1} deve essere uguale alla valuta selezionata {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Riga {0}: Valuta del BOM # {1} deve essere uguale alla valuta selezionata {2}
DocType: Journal Entry Account,Exchange Rate,Tasso di cambio:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,L'ordine di vendita {0} non è stato presentato
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,L'ordine di vendita {0} non è stato presentato
DocType: Homepage,Tag Line,Tag Linea
DocType: Fee Component,Fee Component,Fee Componente
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Gestione della flotta
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Aggiungere elementi da
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Magazzino {0}: il conto principale {1} non appartiene alla società {2}
DocType: Cheque Print Template,Regular,Regolare
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Weightage totale di tutti i criteri di valutazione deve essere al 100%
DocType: BOM,Last Purchase Rate,Ultima tasso di acquisto
@@ -3840,11 +3868,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Stock non può esistere per la voce {0} dal ha varianti
,Sales Person-wise Transaction Summary,Sales Person-saggio Sintesi dell'Operazione
DocType: Training Event,Contact Number,Numero di contatto
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Magazzino {0} non esiste
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Magazzino {0} non esiste
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Registrati ERPNext Hub
DocType: Monthly Distribution,Monthly Distribution Percentages,Percentuali Distribuzione Mensile
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,La voce selezionata non può avere Batch
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","tasso di Valutazione non trovato per la voce {0}, che è necessario per fare delle scritture contabili per {1} {2}. Se l'articolo è transazioni come un elemento di campione nel {1}, si prega di ricordare che nel {1} tavolo Item. In caso contrario, si prega di creare una transazione magazzino in entrata per il tasso di valutazione elemento o menzione nel record elemento e quindi provare submiting / cancellazione di questa voce"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","tasso di Valutazione non trovato per la voce {0}, che è necessario per fare delle scritture contabili per {1} {2}. Se l'articolo è transazioni come un elemento di campione nel {1}, si prega di ricordare che nel {1} tavolo Item. In caso contrario, si prega di creare una transazione magazzino in entrata per il tasso di valutazione elemento o menzione nel record elemento e quindi provare submiting / cancellazione di questa voce"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% dei materiali consegnati di questa Bolla di Consegna
DocType: Project,Customer Details,Dettagli Cliente
DocType: Employee,Reports to,Reports a
@@ -3852,41 +3880,43 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Inserisci parametri url per NOS ricevuti
DocType: Payment Entry,Paid Amount,Importo pagato
DocType: Assessment Plan,Supervisor,Supervisore
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,online
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,online
,Available Stock for Packing Items,Stock Disponibile per Imballaggio Prodotti
DocType: Item Variant,Item Variant,Elemento Variant
DocType: Assessment Result Tool,Assessment Result Tool,Strumento di valutazione dei risultati
DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Articolo
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,gli Ordini Confermati non possono essere eliminati
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo a bilancio già nel debito, non è permesso impostare il 'Saldo Futuro' come 'credito'"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Gestione della qualità
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,gli Ordini Confermati non possono essere eliminati
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo a bilancio già nel debito, non è permesso impostare il 'Saldo Futuro' come 'credito'"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Gestione della qualità
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Voce {0} è stato disabilitato
DocType: Employee Loan,Repay Fixed Amount per Period,Rimborsare importo fisso per Periodo
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Inserite la quantità per articolo {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Nota di credito Amt
DocType: Employee External Work History,Employee External Work History,Storia lavorativa esterna del Dipendente
DocType: Tax Rule,Purchase,Acquisto
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Saldo Quantità
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Saldo Quantità
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Obiettivi non possono essere vuoti
DocType: Item Group,Parent Item Group,Gruppo Padre
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} per {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Centri di costo
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Centri di costo
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Tasso al quale la valuta del fornitore viene convertita in valuta di base dell'azienda
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: conflitti Timings con riga {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Consenti il tasso di valorizzazione Zero
DocType: Training Event Employee,Invited,Invitato
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Molteplici strutture salariali attivi trovati per dipendente {0} per le date indicate
DocType: Opportunity,Next Contact,Successivo Contattaci
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Conti Gateway Setup.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Conti Gateway Setup.
DocType: Employee,Employment Type,Tipo Dipendente
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,immobilizzazioni
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,immobilizzazioni
DocType: Payment Entry,Set Exchange Gain / Loss,Guadagno impostato Exchange / Perdita
+,GST Purchase Register,Registro degli acquisti GST
,Cash Flow,Flusso di cassa
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Periodo di applicazione non può essere tra due record alocation
DocType: Item Group,Default Expense Account,Conto spese predefinito
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Student Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student Email ID
DocType: Employee,Notice (days),Avviso ( giorni )
DocType: Tax Rule,Sales Tax Template,Sales Tax Template
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Selezionare gli elementi per salvare la fattura
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Selezionare gli elementi per salvare la fattura
DocType: Employee,Encashment Date,Data Incasso
DocType: Training Event,Internet,Internet
DocType: Account,Stock Adjustment,Regolazione della
@@ -3914,7 +3944,7 @@
DocType: Guardian,Guardian Of ,guardian of
DocType: Grading Scale Interval,Threshold,Soglia
DocType: BOM Replace Tool,Current BOM,Distinta Materiali Corrente
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Aggiungi Numero di Serie
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Aggiungi Numero di Serie
apps/erpnext/erpnext/config/support.py +22,Warranty,Garanzia
DocType: Purchase Invoice,Debit Note Issued,Nota di Debito Emessa
DocType: Production Order,Warehouses,Magazzini
@@ -3923,20 +3953,20 @@
DocType: Workstation,per hour,all'ora
apps/erpnext/erpnext/config/buying.py +7,Purchasing,Acquisto
DocType: Announcement,Announcement,Annuncio
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Il saldo per il magazzino (con inventario continuo) verrà creato su questo account.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Magazzino non può essere eliminato siccome esiste articolo ad inventario per questo Magazzino .
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Per il gruppo studente basato su batch, il gruppo di studenti sarà convalidato per ogni studente dall'iscrizione al programma."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Magazzino non può essere eliminato siccome esiste articolo ad inventario per questo Magazzino .
DocType: Company,Distribution,Distribuzione
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Importo pagato
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Project Manager
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Project Manager
,Quoted Item Comparison,Articolo Citato Confronto
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Spedizione
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Sconto massimo consentito per la voce: {0} {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Spedizione
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Sconto massimo consentito per la voce: {0} {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,valore patrimoniale netto su
DocType: Account,Receivable,Ricevibile
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Fila # {0}: Non è consentito cambiare il Fornitore quando l'Ordine di Acquisto esiste già
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Fila # {0}: Non è consentito cambiare il Fornitore quando l'Ordine di Acquisto esiste già
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Ruolo che è consentito di presentare le transazioni che superano i limiti di credito stabiliti.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Selezionare gli elementi da Fabbricazione
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","sincronizzazione dei dati principali, potrebbe richiedere un certo tempo"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Selezionare gli elementi da Fabbricazione
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","sincronizzazione dei dati principali, potrebbe richiedere un certo tempo"
DocType: Item,Material Issue,Fornitura materiale
DocType: Hub Settings,Seller Description,Venditore Descrizione
DocType: Employee Education,Qualification,Qualifica
@@ -3956,7 +3986,6 @@
DocType: BOM,Rate Of Materials Based On,Tasso di materiali a base di
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analtyics supporto
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Deseleziona tutto
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Azienda è presente nei magazzini {0}
DocType: POS Profile,Terms and Conditions,Termini e Condizioni
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},'A Data' deve essere entro l'anno fiscale. Assumendo A Data = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Qui è possibile mantenere l'altezza, il peso, le allergie, le preoccupazioni mediche ecc"
@@ -3971,18 +4000,17 @@
DocType: Sales Order Item,For Production,Per la produzione
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Vista Task
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Il tuo anno finanziario comincia il
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Asset Ammortamenti e saldi
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Importo {0} {1} trasferito da {2} a {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Importo {0} {1} trasferito da {2} a {3}
DocType: Sales Invoice,Get Advances Received,ottenere anticipo Ricevuto
DocType: Email Digest,Add/Remove Recipients,Aggiungere/Rimuovere Destinatario
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Operazione non ammessi contro Production smesso di ordine {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Operazione non ammessi contro Production smesso di ordine {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Per impostare questo anno fiscale come predefinito , clicca su ' Imposta come predefinito'"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,Aderire
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Aderire
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Carenza Quantità
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Variante item {0} esiste con le stesse caratteristiche
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Variante item {0} esiste con le stesse caratteristiche
DocType: Employee Loan,Repay from Salary,Rimborsare da Retribuzione
DocType: Leave Application,LAP/,GIRO/
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Richiesta di Pagamento contro {0} {1} per quantità {2}
@@ -3993,34 +4021,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Generare documenti di trasporto per i pacchetti da consegnare. Utilizzato per comunicare il numero del pacchetto, contenuto della confezione e il suo peso."
DocType: Sales Invoice Item,Sales Order Item,Sales Order Item
DocType: Salary Slip,Payment Days,Giorni di Pagamento
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Magazzini con nodi figli non possono essere convertiti a Ledger
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Magazzini con nodi figli non possono essere convertiti a Ledger
DocType: BOM,Manage cost of operations,Gestire costi operazioni
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Quando una qualsiasi delle operazioni controllate sono "inviati", una e-mail a comparsa visualizzata automaticamente per inviare una e-mail agli associati "Contatto" in tale operazione, con la transazione come allegato. L'utente può o non può inviare l'e-mail."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Impostazioni globali
DocType: Assessment Result Detail,Assessment Result Detail,La valutazione dettagliata dei risultati
DocType: Employee Education,Employee Education,Istruzione Dipendente
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,gruppo di articoli duplicato trovato nella tabella gruppo articoli
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,E 'necessario per recuperare Dettagli elemento.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,E 'necessario per recuperare Dettagli elemento.
DocType: Salary Slip,Net Pay,Retribuzione Netta
DocType: Account,Account,Account
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Serial No {0} è già stato ricevuto
,Requested Items To Be Transferred,Voci si chiede il trasferimento
DocType: Expense Claim,Vehicle Log,Vehicle Log
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Magazzino {0} non è legato ad alcun account, creare / collegare l'account corrispondente (Asset) per il magazzino."
DocType: Purchase Invoice,Recurring Id,Id ricorrente
DocType: Customer,Sales Team Details,Vendite team Dettagli
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Eliminare in modo permanente?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Eliminare in modo permanente?
DocType: Expense Claim,Total Claimed Amount,Totale importo richiesto
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potenziali opportunità di vendita.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Non valido {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Sick Leave
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Non valido {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Sick Leave
DocType: Email Digest,Email Digest,Email di Sintesi
DocType: Delivery Note,Billing Address Name,Nome Indirizzo Fatturazione
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Grandi magazzini
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Imposta la tua scuola a ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Base quantità di modifica (Società di valuta)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Nessuna scritture contabili per le seguenti magazzini
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Nessuna scritture contabili per le seguenti magazzini
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Salvare prima il documento.
DocType: Account,Chargeable,Addebitabile
DocType: Company,Change Abbreviation,Change Abbreviazione
@@ -4038,7 +4065,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Data prevista di consegna non può essere un ordine di acquisto Data
DocType: Appraisal,Appraisal Template,Valutazione Modello
DocType: Item Group,Item Classification,Classificazione Articolo
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Business Development Manager
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Scopo visita manutenzione
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,periodo
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Contabilità Generale
@@ -4048,8 +4075,8 @@
DocType: Item Attribute Value,Attribute Value,Valore Attributo
,Itemwise Recommended Reorder Level,Itemwise consigliata riordino Livello
DocType: Salary Detail,Salary Detail,stipendio Dettaglio
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,Si prega di selezionare {0} prima
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Il lotto {0} di {1} scaduto.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Si prega di selezionare {0} prima
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Il lotto {0} di {1} scaduto.
DocType: Sales Invoice,Commission,Commissione
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Time Sheet per la produzione.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Sub Totale
@@ -4060,6 +4087,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`Blocca Scorte più vecchie di` dovrebbero essere inferiori %d giorni .
DocType: Tax Rule,Purchase Tax Template,Acquisto fiscale Template
,Project wise Stock Tracking,Progetto saggio Archivio monitoraggio
+DocType: GST HSN Code,Regional,Regionale
DocType: Stock Entry Detail,Actual Qty (at source/target),Q.tà reale (in origine/obiettivo)
DocType: Item Customer Detail,Ref Code,Codice Rif
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Informazioni Dipendente.
@@ -4070,13 +4098,13 @@
DocType: Email Digest,New Purchase Orders,Nuovi Ordini di acquisto
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Root non può avere un centro di costo genitore
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Seleziona Marchio ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Eventi di formazione / risultati
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Fondo ammortamento come su
DocType: Sales Invoice,C-Form Applicable,C-Form Applicable
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Tempo di funzionamento deve essere maggiore di 0 per Operation {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Magazzino è obbligatorio
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Magazzino è obbligatorio
DocType: Supplier,Address and Contacts,Indirizzo e contatti
DocType: UOM Conversion Detail,UOM Conversion Detail,Dettaglio di conversione Unità di Misura
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Proporzioni adatte al Web: 900px (w) per 100px (h)
DocType: Program,Program Abbreviation,Abbreviazione programma
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Ordine di produzione non può essere sollevata nei confronti di un modello di elemento
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Le tariffe sono aggiornati in acquisto ricevuta contro ogni voce
@@ -4084,13 +4112,13 @@
DocType: Bank Guarantee,Start Date,Data di inizio
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Allocare le foglie per un periodo .
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Assegni e depositi cancellati in modo non corretto
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Account {0}: non è possibile assegnare se stesso come conto principale
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Account {0}: non è possibile assegnare se stesso come conto principale
DocType: Purchase Invoice Item,Price List Rate,Prezzo di Listino
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Creare le citazioni dei clienti
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Mostra "Disponibile" o "Non disponibile" sulla base di scorte disponibili in questo magazzino.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Distinte materiali (BOM)
DocType: Item,Average time taken by the supplier to deliver,Tempo medio impiegato dal fornitore di consegnare
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,valutazione dei risultati
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,valutazione dei risultati
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Ore
DocType: Project,Expected Start Date,Data di inizio prevista
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Rimuovere articolo se le spese non è applicabile a tale elemento
@@ -4104,24 +4132,23 @@
DocType: Workstation,Operating Costs,Costi operativi
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Azione da effettuarsi se si eccede il budget mensile
DocType: Purchase Invoice,Submit on creation,Conferma su creazione
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Valuta per {0} deve essere {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Valuta per {0} deve essere {1}
DocType: Asset,Disposal Date,Smaltimento Data
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Messaggi di posta elettronica verranno inviati a tutti i dipendenti attivi della società nell'ora dato, se non hanno le vacanze. Sintesi delle risposte verrà inviata a mezzanotte."
DocType: Employee Leave Approver,Employee Leave Approver,Responsabile / Approvatore Ferie
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Riga {0}: Una voce di riordino esiste già per questo magazzino {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Riga {0}: Una voce di riordino esiste già per questo magazzino {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Non è possibile dichiarare come perduto, perché è stato fatto il Preventivo."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Formazione Commenti
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,L'ordine di produzione {0} deve essere presentato
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,L'ordine di produzione {0} deve essere presentato
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Scegliere una data di inizio e di fine per la voce {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Corso è obbligatoria in riga {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,'A Data' deve essere successiva a 'Da Data'
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Aggiungi / Modifica prezzi
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Aggiungi / Modifica prezzi
DocType: Batch,Parent Batch,Parte Batch
DocType: Cheque Print Template,Cheque Print Template,Modello di stampa dell'Assegno
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Grafico Centro di Costo
,Requested Items To Be Ordered,Elementi richiesti da ordinare
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,Magazzino aziendale deve essere uguale all account aziendale
DocType: Price List,Price List Name,Prezzo di listino Nome
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Riepilogo giornaliero lavori per {0}
DocType: Employee Loan,Totals,Totali
@@ -4143,55 +4170,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Inserisci nos mobili validi
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Inserisci il messaggio prima di inviarlo
DocType: Email Digest,Pending Quotations,In attesa di Citazioni
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Point-of-Sale Profilo
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale Profilo
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Si prega di aggiornare le impostazioni SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Prestiti non garantiti
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Prestiti non garantiti
DocType: Cost Center,Cost Center Name,Nome Centro di Costo
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Max ore di lavoro contro Timesheet
DocType: Maintenance Schedule Detail,Scheduled Date,Data prevista
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Totale versato Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Totale versato Amt
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Messaggio maggiore di 160 caratteri verrà divisa in mesage multipla
DocType: Purchase Receipt Item,Received and Accepted,Ricevuti e accettati
+,GST Itemised Sales Register,GST Registro delle vendite specificato
,Serial No Service Contract Expiry,Serial No Contratto di Servizio di scadenza
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,"Non si può di credito e debito stesso conto , allo stesso tempo"
DocType: Naming Series,Help HTML,Aiuto HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Student Gruppo strumento di creazione
DocType: Item,Variant Based On,Variante calcolate in base a
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Weightage totale assegnato dovrebbe essere al 100% . E ' {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,I Vostri Fornitori
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,I Vostri Fornitori
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Impossibile impostare come persa come è fatto Sales Order .
DocType: Request for Quotation Item,Supplier Part No,Articolo Fornitore No
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Non può dedurre quando categoria è per 'valutazione' o 'Vaulation e Total'
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Ricevuto da
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Ricevuto da
DocType: Lead,Converted,Convertito
DocType: Item,Has Serial No,Ha numero di serie
DocType: Employee,Date of Issue,Data Pubblicazione
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Da {0} per {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Come per le Impostazioni di Acquisto se l'acquisto di Reciept Required == 'YES', quindi per la creazione della fattura di acquisto, l'utente deve creare prima la ricevuta di acquisto per l'elemento {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Fila # {0}: Impostare Fornitore per Articolo {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Riga {0}: valore Ore deve essere maggiore di zero.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Website Immagine {0} collegata alla voce {1} non può essere trovato
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Website Immagine {0} collegata alla voce {1} non può essere trovato
DocType: Issue,Content Type,Tipo Contenuto
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,computer
DocType: Item,List this Item in multiple groups on the website.,Elenco questo articolo a più gruppi sul sito.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Si prega di verificare l'opzione multi valuta per consentire agli account con altra valuta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Voce: {0} non esiste nel sistema
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Non sei autorizzato a impostare il valore bloccato
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Voce: {0} non esiste nel sistema
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Non sei autorizzato a impostare il valore bloccato
DocType: Payment Reconciliation,Get Unreconciled Entries,Ottieni entrate non riconciliate
DocType: Payment Reconciliation,From Invoice Date,Da Data fattura
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,Valuta di fatturazione deve essere uguale alla valuta di valuta o conto del partito o di comapany di default
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,lasciare Incasso
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Che cosa fa ?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,Valuta di fatturazione deve essere uguale alla valuta di valuta o conto del partito o di comapany di default
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,lasciare Incasso
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Che cosa fa ?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Al Magazzino
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Tutte le ammissioni degli studenti
,Average Commission Rate,Tasso medio di commissione
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,'Ha un numero di serie' non può essere 'Sì' per gli articoli non in scorta
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'Ha un numero di serie' non può essere 'Sì' per gli articoli non in scorta
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,La Presenza non può essere inserita nel futuro
DocType: Pricing Rule,Pricing Rule Help,Regola Prezzi Aiuto
DocType: School House,House Name,Nome della casa
DocType: Purchase Taxes and Charges,Account Head,Riferimento del conto
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Aggiornare costi aggiuntivi per calcolare il costo sbarcato di articoli
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,elettrico
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,elettrico
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Aggiungere il resto della vostra organizzazione come gli utenti. È inoltre possibile aggiungere invitare i clienti a proprio portale con l'aggiunta di loro di contatti
DocType: Stock Entry,Total Value Difference (Out - In),Totale Valore Differenza (Out - In)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Riga {0}: Tasso di cambio è obbligatorio
@@ -4201,7 +4230,7 @@
DocType: Item,Customer Code,Codice Cliente
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Promemoria Compleanno per {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Giorni dall'ultimo ordine
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Debito Per account deve essere un account di Stato Patrimoniale
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Debito Per account deve essere un account di Stato Patrimoniale
DocType: Buying Settings,Naming Series,Denominazione Serie
DocType: Leave Block List,Leave Block List Name,Lascia Block List Nome
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Assicurazione Data di inizio deve essere inferiore a Assicurazione Data Fine
@@ -4216,26 +4245,26 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Salario Slip of dipendente {0} già creato per foglio di tempo {1}
DocType: Vehicle Log,Odometer,Odometro
DocType: Sales Order Item,Ordered Qty,Quantità ordinato
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Articolo {0} è disattivato
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Articolo {0} è disattivato
DocType: Stock Settings,Stock Frozen Upto,Giacenza Bloccate Fino
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM non contiene alcun elemento magazzino
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM non contiene alcun elemento magazzino
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Periodo Dal periodo e per date obbligatorie per ricorrenti {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Attività / attività del progetto.
DocType: Vehicle Log,Refuelling Details,Dettagli di rifornimento
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Generare buste paga
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","L'acquisto deve essere controllato, se ""applicabile per"" bisogna selezionarlo come {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","L'acquisto deve essere controllato, se ""applicabile per"" bisogna selezionarlo come {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Sconto deve essere inferiore a 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Ultimo tasso di acquisto non trovato
DocType: Purchase Invoice,Write Off Amount (Company Currency),Scrivi Off Importo (Società valuta)
DocType: Sales Invoice Timesheet,Billing Hours,Ore di fatturazione
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,Distinta Materiali predefinita per {0} non trovato
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Fila # {0}: Si prega di impostare la quantità di riordino
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Fila # {0}: Si prega di impostare la quantità di riordino
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Tocca gli elementi da aggiungere qui
DocType: Fees,Program Enrollment,programma Iscrizione
DocType: Landed Cost Voucher,Landed Cost Voucher,Landed Voucher Cost
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Impostare {0}
DocType: Purchase Invoice,Repeat on Day of Month,Ripetere il Giorno del mese
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} è uno studente inattivo
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} è uno studente inattivo
DocType: Employee,Health Details,Dettagli Salute
DocType: Offer Letter,Offer Letter Terms,Termini di Offerta
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Per creare un Riferimento di Richiesta di Pagamento è necessario un Documento
@@ -4251,12 +4280,12 @@
DocType: Quality Inspection Reading,Reading 5,Lettura 5
DocType: Maintenance Visit,Maintenance Date,Data di manutenzione
DocType: Purchase Invoice Item,Rejected Serial No,Rifiutato Serial No
-apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +82,Year start date or end date is overlapping with {0}. To avoid please set company,Anno data di inizio o di fine si sovrappone {0}. Per evitare di impostare azienda
+apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +82,Year start date or end date is overlapping with {0}. To avoid please set company,La data di inizio o di fine Anno si sovrappone {0}. Per risolvere questo problema impostare l'Azienda
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +156,Start date should be less than end date for Item {0},Data di inizio dovrebbe essere inferiore a quella di fine per la voce {0}
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Esempio:. ABCD. ##### Se è impostato 'serie' ma il Numero di Serie non è specificato nelle transazioni, verrà creato il numero di serie automatico in base a questa serie. Se si vuole sempre specificare il Numero di Serie per questo articolo. Lasciare vuoto."
DocType: Upload Attendance,Upload Attendance,Carica presenze
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM e Quantità Produzione richiesti
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM e Quantità Produzione richiesti
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Gamma Ageing 2
DocType: SG Creation Tool Course,Max Strength,Forza Max
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM sostituita
@@ -4265,8 +4294,8 @@
,Prospects Engaged But Not Converted,Prospettive impegnate ma non convertite
DocType: Manufacturing Settings,Manufacturing Settings,Impostazioni di Produzione
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Configurazione della posta elettronica
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 mobile No
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Inserisci valuta predefinita in Azienda Maestro
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 mobile No
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Inserisci valuta predefinita in Azienda Maestro
DocType: Stock Entry Detail,Stock Entry Detail,Dettaglio del Movimento di Magazzino
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Promemoria quotidiani
DocType: Products Settings,Home Page is Products,La Home Page è Prodotti
@@ -4275,7 +4304,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Nuovo Nome Account
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Costo Fornitura Materie Prime
DocType: Selling Settings,Settings for Selling Module,Impostazioni per il Modulo Vendite
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Servizio clienti
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Servizio clienti
DocType: BOM,Thumbnail,Thumbnail
DocType: Item Customer Detail,Item Customer Detail,Dettaglio articolo cliente
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Offerta candidato un lavoro.
@@ -4284,7 +4313,7 @@
DocType: Pricing Rule,Percentage,Percentuale
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,L'Articolo {0} deve essere in Giacenza
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Deposito di default per Work In Progress
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Impostazioni predefinite per le operazioni contabili.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Impostazioni predefinite per le operazioni contabili.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Data prevista non può essere precedente Material Data richiesta
DocType: Purchase Invoice Item,Stock Qty,Quantità di magazzino
@@ -4297,10 +4326,10 @@
DocType: Sales Order,Printing Details,Dettagli stampa
DocType: Task,Closing Date,Data Chiusura
DocType: Sales Order Item,Produced Quantity,Prodotto Quantità
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Ingegnere
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Ingegnere
DocType: Journal Entry,Total Amount Currency,Importo Totale Valuta
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Cerca Sub Assemblies
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Codice Articolo richiesto alla Riga N. {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Codice Articolo richiesto alla Riga N. {0}
DocType: Sales Partner,Partner Type,Tipo di partner
DocType: Purchase Taxes and Charges,Actual,Attuale
DocType: Authorization Rule,Customerwise Discount,Sconto Cliente saggio
@@ -4317,11 +4346,11 @@
DocType: Item Reorder,Re-Order Level,Livello Ri-ordino
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Inserisci articoli e q.tà programmate per i quali si desidera raccogliere gli ordini di produzione o scaricare materie prime per l'analisi.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Diagramma di Gantt
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,A tempo parziale
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,A tempo parziale
DocType: Employee,Applicable Holiday List,Lista Vacanze Applicabile
DocType: Employee,Cheque,Assegno
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,serie Aggiornato
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Tipo di Report è obbligatorio
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Tipo di Report è obbligatorio
DocType: Item,Serial Number Series,Serial Number Series
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Magazzino è obbligatorio per l'Articolo in Giacenza {0} alla Riga {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Retail & Wholesale
@@ -4342,7 +4371,7 @@
DocType: BOM,Materials,Materiali
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Se non controllati, la lista dovrà essere aggiunto a ciascun Dipartimento dove deve essere applicato."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Origine e la destinazione del magazzino non può essere lo stesso
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Data e ora di registrazione sono obbligatori
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Data e ora di registrazione sono obbligatori
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Modelli fiscali per le transazioni di acquisto.
,Item Prices,Prezzi Articolo
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,In parole saranno visibili una volta che si salva di Acquisto.
@@ -4352,22 +4381,23 @@
DocType: Purchase Invoice,Advance Payments,Pagamenti anticipati
DocType: Purchase Taxes and Charges,On Net Total,Sul Totale Netto
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Valore per l'attributo {0} deve essere all'interno della gamma di {1} a {2} nei incrementi di {3} per la voce {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Obiettivo Magazzino sulla riga {0} deve essere uguale a quello dell'ordine di produzione
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Obiettivo Magazzino sulla riga {0} deve essere uguale a quello dell'ordine di produzione
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,'Indirizzi email di notifica' non specificati per %s ricorrenti
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,Valuta non può essere modificata dopo aver fatto le voci utilizzando qualche altra valuta
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Valuta non può essere modificata dopo aver fatto le voci utilizzando qualche altra valuta
DocType: Vehicle Service,Clutch Plate,Frizione
DocType: Company,Round Off Account,Arrotondamento Account
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Spese Amministrative
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Spese Amministrative
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Consulting
DocType: Customer Group,Parent Customer Group,Parent Gruppo clienti
DocType: Purchase Invoice,Contact Email,Email Contatto
DocType: Appraisal Goal,Score Earned,Punteggio Earned
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Periodo Di Preavviso
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Periodo Di Preavviso
DocType: Asset Category,Asset Category Name,Asset Nome Categoria
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Questo è un territorio root e non può essere modificato .
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Nome nuova persona vendite
DocType: Packing Slip,Gross Weight UOM,Peso lordo U.M.
DocType: Delivery Note Item,Against Sales Invoice,Per Fattura Vendita
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Inserisci i numeri di serie per l'articolo serializzato
DocType: Bin,Reserved Qty for Production,Riservato Quantità per Produzione
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Lasciate non selezionate se non si desidera considerare il gruppo durante la creazione di gruppi basati sul corso.
DocType: Asset,Frequency of Depreciation (Months),Frequenza di ammortamento (Mesi)
@@ -4375,25 +4405,25 @@
DocType: Landed Cost Item,Landed Cost Item,Landed Cost articolo
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Mostra valori zero
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Quantità di prodotto ottenuto dopo la produzione / reimballaggio da determinati quantitativi di materie prime
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Imposta un semplice sito web per la mia organizzazione
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Imposta un semplice sito web per la mia organizzazione
DocType: Payment Reconciliation,Receivable / Payable Account,Contabilità Clienti /Fornitori
DocType: Delivery Note Item,Against Sales Order Item,Contro Sales Order Item
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},Si prega di specificare Attributo Valore per l'attributo {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},Si prega di specificare Attributo Valore per l'attributo {0}
DocType: Item,Default Warehouse,Magazzino Predefinito
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Bilancio non può essere assegnato contro account gruppo {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Inserisci il centro di costo genitore
DocType: Delivery Note,Print Without Amount,Stampare senza Importo
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,Ammortamenti Data
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Categoria fiscale non può essere ""Valutazione"" o ""Valutazione e Totale"" in quanto tutti gli articoli sono oggetti non in magazzino."
DocType: Issue,Support Team,Support Team
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Scadenza (in giorni)
DocType: Appraisal,Total Score (Out of 5),Punteggio totale (i 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Lotto
+DocType: Student Attendance Tool,Batch,Lotto
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Saldo
DocType: Room,Seating Capacity,posti a sedere
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Total Expense Claim (via rimborsi spese)
+DocType: GST Settings,GST Summary,Riepilogo GST
DocType: Assessment Result,Total Score,Punteggio totale
DocType: Journal Entry,Debit Note,Nota Debito
DocType: Stock Entry,As per Stock UOM,Come per scorte UOM
@@ -4404,12 +4434,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Deposito beni ultimati
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Addetto alle vendite
DocType: SMS Parameter,SMS Parameter,SMS Parametro
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Bilancio e Centro di costo
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Bilancio e Centro di costo
DocType: Vehicle Service,Half Yearly,Semestrale
DocType: Lead,Blog Subscriber,Abbonati Blog
DocType: Guardian,Alternate Number,Numero alternativo
DocType: Assessment Plan Criteria,Maximum Score,punteggio massimo
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Creare regole per limitare le transazioni in base ai valori .
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Gruppo rotolo n
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Lasciare vuoto se fai gruppi di studenti all'anno
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Se selezionato, non totale. di giorni lavorativi includerà vacanze, e questo ridurrà il valore di salario per ogni giorno"
DocType: Purchase Invoice,Total Advance,Totale Advance
@@ -4427,6 +4458,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Questo si basa su operazioni contro questo cliente. Vedere cronologia sotto per i dettagli
DocType: Supplier,Credit Days Based On,Giorni di credito in funzione
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Riga {0}: importo assegnato {1} deve essere inferiore o uguale a Importo del pagamento Entry {2}
+,Course wise Assessment Report,Rapporto di valutazione saggio
DocType: Tax Rule,Tax Rule,Regola fiscale
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Mantenere la stessa velocità per tutto il ciclo di vendita
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Pianificare i registri di tempo al di fuori dell'orario di lavoro Workstation.
@@ -4435,7 +4467,7 @@
,Items To Be Requested,Articoli da richiedere
DocType: Purchase Order,Get Last Purchase Rate,Ottieni ultima quotazione acquisto
DocType: Company,Company Info,Info Azienda
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Selezionare o aggiungere nuovo cliente
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Selezionare o aggiungere nuovo cliente
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Centro di costo è necessario per prenotare un rimborso spese
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Applicazione dei fondi ( Assets )
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Questo si basa sulla presenza di questo dipendente
@@ -4443,27 +4475,29 @@
DocType: Fiscal Year,Year Start Date,Data di inizio anno
DocType: Attendance,Employee Name,Nome Dipendente
DocType: Sales Invoice,Rounded Total (Company Currency),Totale arrotondato (Azienda valuta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,Non può convertirsi gruppo perché è stato selezionato Tipo di account.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Non può convertirsi gruppo perché è stato selezionato Tipo di account.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} è stato modificato. Aggiornare prego.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Impedire agli utenti di effettuare Lascia le applicazioni in giorni successivi.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Ammontare dell'acquisto
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Preventivo Fornitore {0} creato
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Fine anno non può essere prima di inizio anno
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Benefici per i dipendenti
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Benefici per i dipendenti
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},La quantità imballata deve essere uguale per l'articolo {0} sulla riga {1}
DocType: Production Order,Manufactured Qty,Quantità Prodotto
DocType: Purchase Receipt Item,Accepted Quantity,Quantità accettata
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Si prega di impostare un valore predefinito lista per le vacanze per i dipendenti {0} o {1} società
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} non esiste
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} non esiste
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Selezionare i numeri di batch
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Fatture sollevate dai Clienti.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Progetto Id
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Fila No {0}: Importo non può essere maggiore di attesa Importo contro Rimborso Spese {1}. In attesa importo è {2}
DocType: Maintenance Schedule,Schedule,Pianificare
DocType: Account,Parent Account,Account genitore
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Disponibile
DocType: Quality Inspection Reading,Reading 3,Lettura 3
,Hub,Hub
DocType: GL Entry,Voucher Type,Voucher Tipo
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Listino Prezzi non trovato o disattivato
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Listino Prezzi non trovato o disattivato
DocType: Employee Loan Application,Approved,Approvato
DocType: Pricing Rule,Price,Prezzo
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Dipendente esonerato da {0} deve essere impostato come 'Congedato'
@@ -4474,7 +4508,8 @@
DocType: Selling Settings,Campaign Naming By,Campagna di denominazione
DocType: Employee,Current Address Is,Indirizzo attuale è
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,modificata
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Opzionale. Imposta valuta predefinita dell'azienda, se non specificato."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Opzionale. Imposta valuta predefinita dell'azienda, se non specificato."
+DocType: Sales Invoice,Customer GSTIN,Cliente GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Diario scritture contabili.
DocType: Delivery Note Item,Available Qty at From Warehouse,Disponibile Quantità a partire Warehouse
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,Si prega di selezionare i dipendenti Record prima.
@@ -4482,7 +4517,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Riga {0}: partito / Account non corrisponde con {1} / {2} {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Inserisci il Conto uscite
DocType: Account,Stock,Magazzino
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Riferimento Tipo di documento deve essere uno di Ordine di Acquisto, fatture di acquisto o diario"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Riferimento Tipo di documento deve essere uno di Ordine di Acquisto, fatture di acquisto o diario"
DocType: Employee,Current Address,Indirizzo Corrente
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Se l'articolo è una variante di un altro elemento poi descrizione, immagini, prezzi, tasse ecc verrà impostata dal modello se non espressamente specificato"
DocType: Serial No,Purchase / Manufacture Details,Acquisto / Produzione Dettagli
@@ -4495,8 +4530,8 @@
DocType: Pricing Rule,Min Qty,Qtà Min
DocType: Asset Movement,Transaction Date,Transaction Data
DocType: Production Plan Item,Planned Qty,Quantità prevista
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Totale IVA
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Per quantità (Quantità Prodotto) è obbligatorio
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Totale IVA
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Per quantità (Quantità Prodotto) è obbligatorio
DocType: Stock Entry,Default Target Warehouse,Deposito Destinazione Predefinito
DocType: Purchase Invoice,Net Total (Company Currency),Totale Netto (Valuta Azienda)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,La Data di fine anno non può essere anteriore alla data di inizio anno. Si prega di correggere le date e riprovare.
@@ -4510,13 +4545,11 @@
DocType: Hub Settings,Hub Settings,Impostazioni Hub
DocType: Project,Gross Margin %,Margine lordo %
DocType: BOM,With Operations,Con operazioni
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Scritture contabili sono già stati fatti in valuta {0} per azienda {1}. Si prega di selezionare un account di credito o da pagare con moneta {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Scritture contabili sono già stati fatti in valuta {0} per azienda {1}. Si prega di selezionare un account di credito o da pagare con moneta {0}.
DocType: Asset,Is Existing Asset,È esistente Asset
DocType: Salary Detail,Statistical Component,Componente statistico
-,Monthly Salary Register,Registro Stipendio Mensile
DocType: Warranty Claim,If different than customer address,Se diverso da indirizzo del cliente
DocType: BOM Operation,BOM Operation,Operazione BOM
-DocType: School Settings,Validate the Student Group from Program Enrollment,Validare il gruppo studente dall'iscrizione al programma
DocType: Purchase Taxes and Charges,On Previous Row Amount,Sul valore della riga precedente
DocType: Student,Home Address,Indirizzo
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Trasferimento Asset
@@ -4524,28 +4557,27 @@
DocType: Training Event,Event Name,Nome dell'evento
apps/erpnext/erpnext/config/schools.py +39,Admission,Ammissione
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Ammissioni per {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Stagionalità per impostare i budget, obiettivi ecc"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","L'articolo {0} è un modello, si prega di selezionare una delle sue varianti"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Stagionalità per impostare i budget, obiettivi ecc"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","L'articolo {0} è un modello, si prega di selezionare una delle sue varianti"
DocType: Asset,Asset Category,Asset Categoria
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Acquirente
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Retribuzione netta non può essere negativa
DocType: SMS Settings,Static Parameters,Parametri statici
DocType: Assessment Plan,Room,Camera
DocType: Purchase Order,Advance Paid,Anticipo versato
DocType: Item,Item Tax,Tasse dell'Articolo
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materiale al Fornitore
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Accise Fattura
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Accise Fattura
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Soglia {0}% appare più di una volta
DocType: Expense Claim,Employees Email Id,Email Dipendenti
DocType: Employee Attendance Tool,Marked Attendance,Marca Presenza
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Passività correnti
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Passività correnti
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Invia SMS di massa ai tuoi contatti
DocType: Program,Program Name,Nome programma
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Cnsidera Tasse o Cambio per
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,La q.tà reale è obbligatoria
DocType: Employee Loan,Loan Type,Tipo di prestito
DocType: Scheduling Tool,Scheduling Tool,Strumento di pianificazione
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,carta di credito
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,carta di credito
DocType: BOM,Item to be manufactured or repacked,Voce da fabbricati o nuovamente imballati
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Impostazioni predefinite per le transazioni di magazzino .
DocType: Purchase Invoice,Next Date,Prossima Data
@@ -4561,10 +4593,10 @@
DocType: Stock Entry,Repack,Repack
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,È necessario salvare il modulo prima di procedere
DocType: Item Attribute,Numeric Values,Valori numerici
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Allega Logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Allega Logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,I livelli delle scorte
DocType: Customer,Commission Rate,Tasso Commissione
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Crea variante
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Crea variante
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Blocco domande uscita da ufficio.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Tipo di pagamento deve essere uno dei Ricevere, Pay e di trasferimento interno"
apps/erpnext/erpnext/config/selling.py +179,Analytics,analitica
@@ -4572,45 +4604,45 @@
DocType: Vehicle,Model,Modello
DocType: Production Order,Actual Operating Cost,Costo operativo effettivo
DocType: Payment Entry,Cheque/Reference No,Assegno / N. di riferimento
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Root non può essere modificato .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root non può essere modificato .
DocType: Item,Units of Measure,Unità di misura
DocType: Manufacturing Settings,Allow Production on Holidays,Consentire una produzione su Holidays
DocType: Sales Order,Customer's Purchase Order Date,Data ordine acquisto Cliente
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Capitale Sociale
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Capitale Sociale
DocType: Shopping Cart Settings,Show Public Attachments,Mostra gli allegati pubblici
DocType: Packing Slip,Package Weight Details,Pacchetto peso
DocType: Payment Gateway Account,Payment Gateway Account,Pagamento Conto Gateway
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Dopo il completamento pagamento reindirizzare utente a pagina selezionata.
DocType: Company,Existing Company,società esistente
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",La categoria fiscale è stata modificata in "Totale" perché tutti gli articoli sono oggetti non in magazzino
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Seleziona un file csv
DocType: Student Leave Application,Mark as Present,Segna come Presente
DocType: Purchase Order,To Receive and Bill,Per ricevere e Bill
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,prodotti sponsorizzati
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Designer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Designer
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Termini e condizioni Template
DocType: Serial No,Delivery Details,Dettagli Consegna
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Centro di costo è richiesto in riga {0} nella tabella Tasse per il tipo {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Centro di costo è richiesto in riga {0} nella tabella Tasse per il tipo {1}
DocType: Program,Program Code,Codice di programma
DocType: Terms and Conditions,Terms and Conditions Help,Termini e condizioni Aiuto
,Item-wise Purchase Register,Articolo-saggio Acquisto Registrati
DocType: Batch,Expiry Date,Data Scadenza
-,Supplier Addresses and Contacts,Indirizzi e contatti Fornitore
,accounts-browser,schema contabile
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,Si prega di selezionare Categoria prima
apps/erpnext/erpnext/config/projects.py +13,Project master.,Progetto Master.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Per consentire un eccesso di fatturazione o sopra-ordinazione, aggiornare "Allowance" in Impostazioni archivio o la voce."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Per consentire un eccesso di fatturazione o sopra-ordinazione, aggiornare "Allowance" in Impostazioni archivio o la voce."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Non visualizzare nessun simbolo tipo € dopo le Valute.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Mezza giornata)
DocType: Supplier,Credit Days,Giorni Credito
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Crea un Insieme di Studenti
DocType: Leave Type,Is Carry Forward,È Portare Avanti
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Recupera elementi da Distinta Base
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Recupera elementi da Distinta Base
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Giorni per la Consegna
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Data di registrazione deve essere uguale alla data di acquisto {1} per l'asset {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Data di registrazione deve essere uguale alla data di acquisto {1} per l'asset {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Si prega di inserire gli ordini di vendita nella tabella precedente
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Buste Paga non Confermate
,Stock Summary,Sintesi della
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Trasferire un bene da un magazzino all'altro
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Trasferire un bene da un magazzino all'altro
DocType: Vehicle,Petrol,Benzina
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Distinte materiali
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Riga {0}: Partito Tipo e Partito è necessario per Crediti / Debiti conto {1}
@@ -4621,6 +4653,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Importo sanzionato
DocType: GL Entry,Is Opening,Sta aprendo
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Riga {0}: addebito iscrizione non può essere collegato con un {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Il Conto {0} non esiste
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Il Conto {0} non esiste
DocType: Account,Cash,Contante
DocType: Employee,Short biography for website and other publications.,Breve biografia per il sito web e altre pubblicazioni.
diff --git a/erpnext/translations/ja.csv b/erpnext/translations/ja.csv
index 11c5f72..4c5fedd 100644
--- a/erpnext/translations/ja.csv
+++ b/erpnext/translations/ja.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,消費者製品
DocType: Item,Customer Items,顧客アイテム
DocType: Project,Costing and Billing,原価計算と請求
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,アカウント{0}:親勘定{1}は元帳にすることができません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,アカウント{0}:親勘定{1}は元帳にすることができません
DocType: Item,Publish Item to hub.erpnext.com,hub.erpnext.comにアイテムを発行
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,メール通知
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,評価
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,評価
DocType: Item,Default Unit of Measure,デフォルト数量単位
DocType: SMS Center,All Sales Partner Contact,全ての販売パートナー連絡先
DocType: Employee,Leave Approvers,休暇承認者
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),為替レートは {0} と同じでなければなりません {1}({2})
DocType: Sales Invoice,Customer Name,顧客名
DocType: Vehicle,Natural Gas,天然ガス
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},銀行口座は {0} のように名前を付けることはできません
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},銀行口座は {0} のように名前を付けることはできません
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,会計エントリに対する科目(またはグループ)が作成され、残高が維持されます
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),{0}の残高はゼロより小さくすることはできません({1})
DocType: Manufacturing Settings,Default 10 mins,デフォルト 10分
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,全てのサプライヤー連絡先
DocType: Support Settings,Support Settings,サポートの設定
DocType: SMS Parameter,Parameter,パラメータ
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,終了予定日は、予想開始日より前にすることはできません
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,終了予定日は、予想開始日より前にすることはできません
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,行#{0}:単価は {1}と同じである必要があります:{2}({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,新しい休暇申請
,Batch Item Expiry Status,バッチ項目の有効期限ステータス
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,銀行為替手形
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,銀行為替手形
DocType: Mode of Payment Account,Mode of Payment Account,支払口座のモード
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,バリエーションを表示
DocType: Academic Term,Academic Term,学術用語
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,材料
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,数量
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,アカウントの表は、空白にすることはできません。
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),ローン(負債)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),ローン(負債)
DocType: Employee Education,Year of Passing,経過年
DocType: Item,Country of Origin,原産国
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,在庫中
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,在庫中
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,未解決の問題
DocType: Production Plan Item,Production Plan Item,生産計画アイテム
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},ユーザー{0}はすでに従業員{1}に割り当てられています
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,健康管理
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),支払遅延(日数)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,サービス費用
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},シリアル番号:{0}は既に販売請求書:{1}で参照されています
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},シリアル番号:{0}は既に販売請求書:{1}で参照されています
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,請求
DocType: Maintenance Schedule Item,Periodicity,周期性
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,会計年度{0}が必要です
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,行 {0}:
DocType: Timesheet,Total Costing Amount,総原価計算量
DocType: Delivery Note,Vehicle No,車両番号
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,価格表を選択してください
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,価格表を選択してください
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,行#{0}:支払文書がtrasactionを完了するために必要な
DocType: Production Order Operation,Work In Progress,進行中の作業
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,日付を選択してください
DocType: Employee,Holiday List,休日のリスト
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,会計士
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,会計士
DocType: Cost Center,Stock User,在庫ユーザー
DocType: Company,Phone No,電話番号
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,作成したコーススケジュール:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},新しい{0}:#{1}
,Sales Partners Commission,販売パートナー手数料
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,略語は5字以上使用することができません
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,略語は5字以上使用することができません
DocType: Payment Request,Payment Request,支払請求書
DocType: Asset,Value After Depreciation,減価償却後の値
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,出席日は従業員の入社日付より小さくすることはできません
DocType: Grading Scale,Grading Scale Name,グレーディングスケール名
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,ルートアカウントなので編集することができません
+DocType: Sales Invoice,Company Address,会社の住所
DocType: BOM,Operations,作業
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},{0}の割引に基づく承認を設定することはできません
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name",古い名前、新しい名前の計2列となっている.csvファイルを添付してください
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1}ではない任意のアクティブ年度インチ
DocType: Packed Item,Parent Detail docname,親詳細文書名
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",参照:{0}、商品コード:{1}、顧客:{2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,kg
DocType: Student Log,Log,ログ
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,欠員
DocType: Item Attribute,Increment,増分
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,広告
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,同じ会社が複数回入力されています
DocType: Employee,Married,結婚してる
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},{0} は許可されていません
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},{0} は許可されていません
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,からアイテムを取得します
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},納品書{0}に対して在庫を更新することはできません
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},納品書{0}に対して在庫を更新することはできません
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},製品{0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,リストされたアイテム
DocType: Payment Reconciliation,Reconcile,照合
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,次の減価償却日付は購入日の前にすることはできません
DocType: SMS Center,All Sales Person,全ての営業担当者
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,**毎月分配**は、あなたのビジネスで季節を持っている場合は、数ヶ月を横断予算/ターゲットを配布するのに役立ちます。
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,アイテムが見つかりません
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,アイテムが見つかりません
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,給与構造の欠落
DocType: Lead,Person Name,人名
DocType: Sales Invoice Item,Sales Invoice Item,請求明細
DocType: Account,Credit,貸方
DocType: POS Profile,Write Off Cost Center,償却コストセンター
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",例えば、「小学校」や「大学」
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",例えば、「小学校」や「大学」
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,在庫レポート
DocType: Warehouse,Warehouse Detail,倉庫の詳細
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},顧客{0}の与信限度額を超えました {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},顧客{0}の与信限度額を超えました {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,期間終了日は、後の項が(アカデミック・イヤー{})リンクされている年度の年度終了日を超えることはできません。日付を訂正して、もう一度お試しください。
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",資産レコードが項目に対して存在するように、オフにすることはできません「固定資産です」
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",資産レコードが項目に対して存在するように、オフにすることはできません「固定資産です」
DocType: Vehicle Service,Brake Oil,ブレーキオイル
DocType: Tax Rule,Tax Type,税タイプ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},{0}以前のエントリーを追加または更新する権限がありません
DocType: BOM,Item Image (if not slideshow),アイテム画像(スライドショーされていない場合)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,同名の顧客が存在します
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(時間単価 ÷ 60)× 実際の作業時間
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,BOMを選択
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,BOMを選択
DocType: SMS Log,SMS Log,SMSログ
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,納品済アイテムの費用
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,{0}上の休日は、日付からと日付までの間ではありません
@@ -159,13 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},{0}から{1}へ
DocType: Item,Copy From Item Group,項目グループからコピーする
DocType: Journal Entry,Opening Entry,エントリーを開く
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,顧客>顧客グループ>テリトリー
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,アカウントペイのみ
DocType: Employee Loan,Repay Over Number of Periods,期間数を超える返済
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1}は指定された{2}に登録されていません
DocType: Stock Entry,Additional Costs,追加費用
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,既存の取引を持つアカウントをグループに変換することはできません。
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,既存の取引を持つアカウントをグループに変換することはできません。
DocType: Lead,Product Enquiry,製品のお問い合わせ
DocType: Academic Term,Schools,学校
+DocType: School Settings,Validate Batch for Students in Student Group,学生グループの学生のバッチを検証する
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},従業員が見つかりませ休暇レコードはありません{0} {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,最初の「会社」を入力してください
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,会社を選択してください
@@ -174,49 +176,49 @@
DocType: BOM,Total Cost,費用合計
DocType: Journal Entry Account,Employee Loan,従業員のローン
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,活動ログ:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,アイテム{0}は、システムに存在しないか有効期限が切れています
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,アイテム{0}は、システムに存在しないか有効期限が切れています
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,不動産
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,決算報告
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,医薬品
DocType: Purchase Invoice Item,Is Fixed Asset,固定資産であります
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}",利用可能な数量は{0}、あなたが必要とされている{1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}",利用可能な数量は{0}、あなたが必要とされている{1}
DocType: Expense Claim Detail,Claim Amount,請求額
-DocType: Employee,Mr,氏
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,cutomerグループテーブルで見つかった重複する顧客グループ
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,サプライヤータイプ/サプライヤー
DocType: Naming Series,Prefix,接頭辞
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,消耗品
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,消耗品
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,インポートログ
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,上記の基準に基づいて、型製造の材料要求を引いて
DocType: Training Result Employee,Grade,グレード
DocType: Sales Invoice Item,Delivered By Supplier,サプライヤーにより配送済
DocType: SMS Center,All Contact,全ての連絡先
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,すでにBOMを持つすべてのアイテム用に作成した製造指図
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,年俸
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,すでにBOMを持つすべてのアイテム用に作成した製造指図
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,年俸
DocType: Daily Work Summary,Daily Work Summary,毎日の仕事の概要
DocType: Period Closing Voucher,Closing Fiscal Year,閉会年度
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} は凍結されています
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,勘定科目表を作成するための既存の会社を選択してください
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,在庫経費
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} は凍結されています
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,勘定科目表を作成するための既存の会社を選択してください
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,在庫経費
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,ターゲット倉庫の選択
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,優先連絡先メールアドレスを入力してください。
+DocType: Program Enrollment,School Bus,スクールバス
DocType: Journal Entry,Contra Entry,逆仕訳
DocType: Journal Entry Account,Credit in Company Currency,会社通貨の貸方
DocType: Delivery Note,Installation Status,設置ステータス
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",あなたが出席を更新しますか? <br>現在:{0} \ <br>不在:{1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},受入数と拒否数の合計はアイテム{0}の受領数と等しくなければなりません
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},受入数と拒否数の合計はアイテム{0}の受領数と等しくなければなりません
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,購入のための原材料供給
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,支払いの少なくとも1モードはPOS請求書に必要とされます。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,支払いの少なくとも1モードはPOS請求書に必要とされます。
DocType: Products Settings,Show Products as a List,製品を表示するリストとして
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","テンプレートをダウンロードし、適切なデータを記入した後、変更したファイルを添付してください。
選択した期間内のすべての日付と従業員の組み合わせは、既存の出勤記録と一緒に、テンプレートに入ります"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,アイテム{0}は、アクティブでないか、販売終了となっています
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,例:基本的な数学
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",アイテム料金の行{0}に税を含めるには、行{1}の税も含まれていなければなりません
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,アイテム{0}は、アクティブでないか、販売終了となっています
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,例:基本的な数学
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",アイテム料金の行{0}に税を含めるには、行{1}の税も含まれていなければなりません
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,人事モジュール設定
DocType: SMS Center,SMS Center,SMSセンター
DocType: Sales Invoice,Change Amount,変化量
@@ -226,7 +228,7 @@
DocType: Lead,Request Type,要求タイプ
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,従業員作成
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,放送
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,実行
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,実行
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,作業遂行の詳細
DocType: Serial No,Maintenance Status,メンテナンスステータス
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}:サプライヤーは、買掛金勘定に対して必要とされている{2}
@@ -254,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,見積依頼は、以下のリンクをクリックすることによってアクセスすることができます
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,今年の休暇を割り当てる。
DocType: SG Creation Tool Course,SG Creation Tool Course,SG作成ツールコース
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,不十分な証券
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,不十分な証券
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,キャパシティプランニングとタイムトラッキングを無効にします
DocType: Email Digest,New Sales Orders,新しい注文
DocType: Bank Guarantee,Bank Account,銀行口座
@@ -265,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log',「時間ログ」から更新
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},前払金は {0} {1} より大きくすることはできません
DocType: Naming Series,Series List for this Transaction,この取引のシリーズ一覧
+DocType: Company,Enable Perpetual Inventory,永久在庫を有効にする
DocType: Company,Default Payroll Payable Account,デフォルトの給与買掛金
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,更新メールグループ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,更新メールグループ
DocType: Sales Invoice,Is Opening Entry,オープンエントリー
DocType: Customer Group,Mention if non-standard receivable account applicable,非標準的な売掛金が適応可能な場合に記載
DocType: Course Schedule,Instructor Name,インストラクターの名前
@@ -278,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,対販売伝票アイテム
,Production Orders in Progress,進行中の製造指示
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,財務によるキャッシュ・フロー
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save",localStorageがいっぱいになった、保存されませんでした
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save",localStorageがいっぱいになった、保存されませんでした
DocType: Lead,Address & Contact,住所・連絡先
DocType: Leave Allocation,Add unused leaves from previous allocations,前回の割当から未使用の休暇を追加
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},次の繰り返し {0} は {1} 上に作成されます
DocType: Sales Partner,Partner website,パートナーサイト
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,アイテムを追加
-,Contact Name,担当者名
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,担当者名
DocType: Course Assessment Criteria,Course Assessment Criteria,コースの評価基準
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,上記の基準の給与伝票を作成します。
DocType: POS Customer Group,POS Customer Group,POSの顧客グループ
@@ -293,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,説明がありません
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,仕入要求
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,これは、このプロジェクトに対して作成されたタイムシートに基づいています
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,ネットペイは0未満にすることはできません
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,ネットペイは0未満にすることはできません
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,選択した休暇承認者のみ、休暇申請を提出可能です
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,退職日は入社日より後でなければなりません
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,年次休暇
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,年次休暇
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,行{0}:前払エントリである場合、アカウント{1}に対する「前払」をご確認ください
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},倉庫{0}は会社{1}に属していません
DocType: Email Digest,Profit & Loss,利益損失
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,リットル
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,リットル
DocType: Task,Total Costing Amount (via Time Sheet),(タイムシートを介して)総原価計算量
DocType: Item Website Specification,Item Website Specification,アイテムのWebサイトの仕様
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,休暇
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},アイテム{0}は{1}に耐用年数の終わりに達します
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},アイテム{0}は{1}に耐用年数の終わりに達します
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,銀行エントリー
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,年次
DocType: Stock Reconciliation Item,Stock Reconciliation Item,在庫棚卸アイテム
@@ -312,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,最小注文数量
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,学生グループ作成ツールコース
DocType: Lead,Do Not Contact,コンタクト禁止
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,あなたの組織で教える人
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,あなたの組織で教える人
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,定期的な請求書を全て追跡するための一意のIDで、提出時に生成されます
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,ソフトウェア開発者
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,ソフトウェア開発者
DocType: Item,Minimum Order Qty,最小注文数量
DocType: Pricing Rule,Supplier Type,サプライヤータイプ
DocType: Course Scheduling Tool,Course Start Date,コース開始日
@@ -323,11 +326,11 @@
DocType: Item,Publish in Hub,ハブに公開
DocType: Student Admission,Student Admission,学生の入学
,Terretory,地域
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,アイテム{0}をキャンセルしました
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,アイテム{0}をキャンセルしました
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,資材要求
DocType: Bank Reconciliation,Update Clearance Date,清算日の更新
DocType: Item,Purchase Details,仕入詳細
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},仕入注文 {1} の「原材料供給」テーブルにアイテム {0} が見つかりません
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},仕入注文 {1} の「原材料供給」テーブルにアイテム {0} が見つかりません
DocType: Employee,Relation,関連
DocType: Shipping Rule,Worldwide Shipping,全世界出荷
DocType: Student Guardian,Mother,母
@@ -346,6 +349,7 @@
DocType: Student Group Student,Student Group Student,学生グループ学生
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,新着
DocType: Vehicle Service,Inspection,検査
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,リスト
DocType: Email Digest,New Quotations,新しい請求書
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,従業員に選択された好適な電子メールに基づいて、従業員への電子メールの給与スリップ
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,リストに最初に追加される休暇承認者は、デフォルト休暇承認者として設定されます。
@@ -354,20 +358,20 @@
DocType: Asset,Next Depreciation Date,次の減価償却日
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,従業員一人あたりの活動費用
DocType: Accounts Settings,Settings for Accounts,アカウント設定
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},サプライヤ請求書なしでは購入請求書に存在する{0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},サプライヤ請求書なしでは購入請求書に存在する{0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,セールスパーソンツリーを管理します。
DocType: Job Applicant,Cover Letter,カバーレター
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,明らかに優れた小切手および預金
DocType: Item,Synced With Hub,ハブと同期
DocType: Vehicle,Fleet Manager,フリートマネージャ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},行番号{0}:{1}項目{2}について陰性であることができません
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,間違ったパスワード
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,間違ったパスワード
DocType: Item,Variant Of,バリエーション元
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',完成した数量は「製造数量」より大きくすることはできません
DocType: Period Closing Voucher,Closing Account Head,決算科目
DocType: Employee,External Work History,職歴(他社)
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,循環参照エラー
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1名
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1名
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,納品書を保存すると「表記(エクスポート)」が表示されます。
DocType: Cheque Print Template,Distance from left edge,左端からの距離
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{1}]の単位(#フォーム/商品/ {1})[{2}]で見つかった(#フォーム/倉庫/ {2})
@@ -376,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,自動的な資材要求の作成時にメールで通知
DocType: Journal Entry,Multi Currency,複数通貨
DocType: Payment Reconciliation Invoice,Invoice Type,請求書タイプ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,納品書
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,納品書
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,税設定
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,販売資産の取得原価
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,支払エントリが変更されています。引用しなおしてください
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,アイテムの税金に{0}が2回入力されています
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,支払エントリが変更されています。引用しなおしてください
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,アイテムの税金に{0}が2回入力されています
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,今週と保留中の活動の概要
DocType: Student Applicant,Admitted,認められました
DocType: Workstation,Rent Cost,地代・賃料
@@ -399,25 +403,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,フィールド値「毎月繰り返し」を入力してください
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,顧客通貨が顧客の基本通貨に換算されるレート
DocType: Course Scheduling Tool,Course Scheduling Tool,コーススケジュールツール
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},行#{0}:購入請求書は、既存の資産に対して行うことはできません。{1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},行#{0}:購入請求書は、既存の資産に対して行うことはできません。{1}
DocType: Item Tax,Tax Rate,税率
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} は従業員 {1} の期間 {2} から {3} へ既に割り当てられています
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,アイテムを選択
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,仕入請求{0}はすでに提出されています
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,仕入請求{0}はすでに提出されています
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},行#{0}:バッチ番号は {1} {2}と同じである必要があります
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,非グループに変換
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,アイテムのバッチ(ロット)
DocType: C-Form Invoice Detail,Invoice Date,請求日付
DocType: GL Entry,Debit Amount,借方金額
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},{0} {1} では会社ごとに1アカウントのみとなります
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,添付ファイルを参照してください
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},{0} {1} では会社ごとに1アカウントのみとなります
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,添付ファイルを参照してください
DocType: Purchase Order,% Received,%受領
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,学生グループを作成します。
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,セットアップはすでに完了しています!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,クレジットメモ金額
,Finished Goods,完成品
DocType: Delivery Note,Instructions,説明書
DocType: Quality Inspection,Inspected By,検査担当
DocType: Maintenance Visit,Maintenance Type,メンテナンスタイプ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1}はコースに登録されていません{2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},シリアル番号 {0} は納品書 {1} に記載がありません
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNextデモ
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,アイテムを追加
@@ -438,7 +444,7 @@
DocType: Request for Quotation,Request for Quotation,見積依頼
DocType: Salary Slip Timesheet,Working Hours,労働時間
DocType: Naming Series,Change the starting / current sequence number of an existing series.,既存のシリーズについて、開始/現在の連続番号を変更します。
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,新しい顧客を作成します。
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,新しい顧客を作成します。
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",複数の価格設定ルールが優先しあった場合、ユーザーは、競合を解決するために、手動で優先度を設定するように求められます。
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,発注書を作成します。
,Purchase Register,仕入帳
@@ -450,7 +456,7 @@
DocType: Student Log,Medical,検診
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,失敗の原因
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,リード所有者は、鉛と同じにすることはできません
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,配分される金額未調整の量よりも多くすることはできません
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,配分される金額未調整の量よりも多くすることはできません
DocType: Announcement,Receiver,受信機
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},作業所は、休日リストに従って、次の日に休業します:{0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,機会
@@ -464,8 +470,7 @@
DocType: Assessment Plan,Examiner Name,審査官の名前
DocType: Purchase Invoice Item,Quantity and Rate,数量とレート
DocType: Delivery Note,% Installed,%インストール
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,教室/講演会をスケジュールすることができ研究所など。
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,サプライヤ>サプライヤタイプ
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,教室/講演会をスケジュールすることができ研究所など。
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,最初の「会社」名を入力してください
DocType: Purchase Invoice,Supplier Name,サプライヤー名
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,ERPNextマニュアルをご覧ください
@@ -475,7 +480,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,サプライヤー請求番号が一意であることを確認してください
DocType: Vehicle Service,Oil Change,オイル交換
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.',「終了事例番号」は「開始事例番号」より前にはできません
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,非営利
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,非営利
DocType: Production Order,Not Started,未開始
DocType: Lead,Channel Partner,チャネルパートナー
DocType: Account,Old Parent,古い親
@@ -485,19 +490,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,全製造プロセスの共通設定
DocType: Accounts Settings,Accounts Frozen Upto,凍結口座上限
DocType: SMS Log,Sent On,送信済
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,属性 {0} は属性表内で複数回選択されています
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,属性 {0} は属性表内で複数回選択されています
DocType: HR Settings,Employee record is created using selected field. ,従業員レコードは選択されたフィールドを使用して作成されます。
DocType: Sales Order,Not Applicable,特になし
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,休日マスター
DocType: Request for Quotation Item,Required Date,要求日
DocType: Delivery Note,Billing Address,請求先住所
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,アイテムコードを入力してください
DocType: BOM,Costing,原価計算
DocType: Tax Rule,Billing County,ビリングス郡
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount",チェックすると、税額が既に表示上の単価/額に含まれているものと見なされます
DocType: Request for Quotation,Message for Supplier,サプライヤーへのメッセージ
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,合計数量
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2電子メールID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2電子メールID
DocType: Item,Show in Website (Variant),ウェブサイトに表示(バリアント)
DocType: Employee,Health Concerns,健康への懸念
DocType: Process Payroll,Select Payroll Period,給与計算期間を選択
@@ -515,25 +519,27 @@
DocType: Sales Order Item,Used for Production Plan,生産計画に使用
DocType: Employee Loan,Total Payment,お支払い総額
DocType: Manufacturing Settings,Time Between Operations (in mins),操作の間の時間(分単位)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1}は取り消され、アクションは完了できません
DocType: Customer,Buyer of Goods and Services.,物品・サービスのバイヤー
DocType: Journal Entry,Accounts Payable,買掛金
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,選択したBOMが同じ項目のためではありません
DocType: Pricing Rule,Valid Upto,有効(〜まで)
DocType: Training Event,Workshop,ワークショップ
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,あなたの顧客の一部を一覧表示します。彼らは、組織や個人である可能性があります。
-,Enough Parts to Build,制作するのに十分なパーツ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,直接利益
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,あなたの顧客の一部を一覧表示します。彼らは、組織や個人である可能性があります。
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,制作するのに十分なパーツ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,直接利益
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account",アカウント別にグループ化されている場合、アカウントに基づいてフィルタリングすることはできません
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,管理担当者
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,コースを選択してください
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,管理担当者
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,コースを選択してください
DocType: Timesheet Detail,Hrs,時間
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,会社を選択してください
DocType: Stock Entry Detail,Difference Account,差損益
+DocType: Purchase Invoice,Supplier GSTIN,サプライヤーGSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,依存するタスク{0}がクローズされていないため、タスクをクローズできません
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,資材要求が発生する倉庫を入力してください
DocType: Production Order,Additional Operating Cost,追加の営業費用
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,化粧品
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items",マージするには、両方のアイテムで次の属性が同じである必要があります。
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items",マージするには、両方のアイテムで次の属性が同じである必要があります。
DocType: Shipping Rule,Net Weight,正味重量
DocType: Employee,Emergency Phone,緊急電話
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,購入
@@ -542,14 +548,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,しきい値0%のグレードを定義してください
DocType: Sales Order,To Deliver,配送する
DocType: Purchase Invoice Item,Item,アイテム
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,シリアル番号の項目は、分数ではできません
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,シリアル番号の項目は、分数ではできません
DocType: Journal Entry,Difference (Dr - Cr),差額(借方 - 貸方)
DocType: Account,Profit and Loss,損益
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,業務委託管理
DocType: Project,Project will be accessible on the website to these users,プロジェクトでは、これらのユーザーにウェブサイト上でアクセスできるようになります
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,価格表の通貨が会社の基本通貨に換算されるレート
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},アカウント{0}は会社{1}に属していません
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,略称が既に別の会社で使用されています
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},アカウント{0}は会社{1}に属していません
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,略称が既に別の会社で使用されています
DocType: Selling Settings,Default Customer Group,デフォルトの顧客グループ
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction",無効にすると、「四捨五入された合計」欄は各取引には表示されなくなります
DocType: BOM,Operating Cost,運用費
@@ -557,7 +563,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,増分は0にすることはできません
DocType: Production Planning Tool,Material Requirement,資材所要量
DocType: Company,Delete Company Transactions,会社の取引を削除
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,リファレンスはありませんし、基準日は、銀行取引のために必須です
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,リファレンスはありませんし、基準日は、銀行取引のために必須です
DocType: Purchase Receipt,Add / Edit Taxes and Charges,租税公課の追加/編集
DocType: Purchase Invoice,Supplier Invoice No,サプライヤー請求番号
DocType: Territory,For reference,参考のため
@@ -568,22 +574,22 @@
DocType: Installation Note Item,Installation Note Item,設置票アイテム
DocType: Production Plan Item,Pending Qty,保留中の数量
DocType: Budget,Ignore,無視
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1}アクティブではありません
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1}アクティブではありません
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},次の番号に送信されたSMS:{0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,印刷用のセットアップチェック寸法
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,印刷用のセットアップチェック寸法
DocType: Salary Slip,Salary Slip Timesheet,給与スリップタイムシート
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,下請け領収書のために必須のサプライヤーの倉庫
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,下請け領収書のために必須のサプライヤーの倉庫
DocType: Pricing Rule,Valid From,有効(〜から)
DocType: Sales Invoice,Total Commission,手数料合計
DocType: Pricing Rule,Sales Partner,販売パートナー
DocType: Buying Settings,Purchase Receipt Required,領収書が必要です
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,期首在庫が入力された場合は評価レートは必須です
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,期首在庫が入力された場合は評価レートは必須です
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,請求書テーブルにレコードが見つかりません
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,最初の会社と当事者タイプを選択してください
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,会計年度
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,会計年度
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,累積値
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged",シリアル番号をマージすることはできません
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,受注を作成
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,受注を作成
DocType: Project Task,Project Task,プロジェクトタスク
,Lead Id,リードID
DocType: C-Form Invoice Detail,Grand Total,総額
@@ -600,7 +606,7 @@
DocType: Job Applicant,Resume Attachment,再開アタッチメント
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,リピート顧客
DocType: Leave Control Panel,Allocate,割当
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,販売返品
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,販売返品
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,注:総割り当てられた葉を{0}の期間のためにすでに承認された葉{1}を下回ってはいけません
DocType: Announcement,Posted By,投稿者
DocType: Item,Delivered by Supplier (Drop Ship),サプライヤーより配送済(ドロップシッピング)
@@ -610,8 +616,8 @@
DocType: Quotation,Quotation To,見積先
DocType: Lead,Middle Income,中収益
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),開く(貸方)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,すでに別の測定単位でいくつかのトランザクションを行っているので、項目のデフォルトの単位は、{0}を直接変更することはできません。あなたは、異なるデフォルトのUOMを使用する新しいアイテムを作成する必要があります。
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,割当額をマイナスにすることはできません
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,すでに別の測定単位でいくつかのトランザクションを行っているので、項目のデフォルトの単位は、{0}を直接変更することはできません。あなたは、異なるデフォルトのUOMを使用する新しいアイテムを作成する必要があります。
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,割当額をマイナスにすることはできません
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,会社を設定してください
DocType: Purchase Order Item,Billed Amt,支払額
DocType: Training Result Employee,Training Result Employee,トレーニング結果の従業員
@@ -623,7 +629,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,銀行エントリを作るために決済口座を選択
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll",葉、経費請求の範囲及び給与を管理するために、従業員レコードを作成します。
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,ナレッジベースに追加
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,提案の作成
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,提案の作成
DocType: Payment Entry Deduction,Payment Entry Deduction,支払エントリ控除
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,他の営業担当者 {0} が同じ従業員IDとして存在します
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests",チェックした場合、サブ契約しているアイテムの原料は、素材の要求に含まれます
@@ -637,7 +643,7 @@
DocType: Timesheet,Billed,課金
DocType: Batch,Batch Description,バッチ説明
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,学生グループの作成
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.",ペイメントゲートウェイアカウントが作成されていない、手動で作成してください。
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.",ペイメントゲートウェイアカウントが作成されていない、手動で作成してください。
DocType: Sales Invoice,Sales Taxes and Charges,販売租税公課
DocType: Employee,Organization Profile,組織プロファイル
DocType: Student,Sibling Details,兄弟詳細
@@ -659,11 +665,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,在庫の純変更
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,従業員のローン管理
DocType: Employee,Passport Number,パスポート番号
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Guardian2との関係
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,マネージャー
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2との関係
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,マネージャー
DocType: Payment Entry,Payment From / To,/からへの支払い
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},新たな与信限度は、顧客の現在の残高よりも少ないです。与信限度は、少なくとも{0}である必要があります
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,同じアイテムが複数回入力されています
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},新たな与信限度は、顧客の現在の残高よりも少ないです。与信限度は、少なくとも{0}である必要があります
DocType: SMS Settings,Receiver Parameter,受領者パラメータ
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,「参照元」と「グループ元」は同じにすることはできません
DocType: Sales Person,Sales Person Targets,営業担当者の目標
@@ -672,8 +677,9 @@
DocType: Issue,Resolution Date,課題解決日
DocType: Student Batch Name,Batch Name,バッチ名
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,タイムシートを作成しました:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},支払方法{0}にデフォルトの現金や銀行口座を設定してください
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},支払方法{0}にデフォルトの現金や銀行口座を設定してください
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,登録します
+DocType: GST Settings,GST Settings,GSTの設定
DocType: Selling Settings,Customer Naming By,顧客名設定
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,学生月次出席報告書では、本のように学生が表示されます
DocType: Depreciation Schedule,Depreciation Amount,減価償却額
@@ -695,6 +701,7 @@
DocType: Item,Material Transfer,資材移送
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),開く(借方)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},投稿のタイムスタンプは、{0}の後でなければなりません
+,GST Itemised Purchase Register,GSTアイテム購入登録
DocType: Employee Loan,Total Interest Payable,買掛金利息合計
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,陸揚費用租税公課
DocType: Production Order Operation,Actual Start Time,実際の開始時間
@@ -721,10 +728,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
DocType: Account,Accounts,アカウント
DocType: Vehicle,Odometer Value (Last),オドメーター値(最終)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,マーケティング
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,マーケティング
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,支払エントリがすでに作成されています
DocType: Purchase Receipt Item Supplied,Current Stock,現在の在庫
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},行#{0}:{1}資産はアイテムにリンクされていません{2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},行#{0}:{1}資産はアイテムにリンクされていません{2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,プレビュー給与スリップ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,アカウント{0}を複数回入力されました
DocType: Account,Expenses Included In Valuation,評価中経費
@@ -732,7 +739,7 @@
,Absent Student Report,不在学生レポート
DocType: Email Digest,Next email will be sent on:,次のメール送信先:
DocType: Offer Letter Term,Offer Letter Term,雇用契約書条件
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,アイテムはバリエーションがあります
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,アイテムはバリエーションがあります
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,アイテム{0}が見つかりません
DocType: Bin,Stock Value,在庫価値
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,当社{0}は存在しません。
@@ -741,7 +748,7 @@
DocType: Serial No,Warranty Expiry Date,保証有効期限
DocType: Material Request Item,Quantity and Warehouse,数量と倉庫
DocType: Sales Invoice,Commission Rate (%),手数料率(%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,プログラムを選択してください
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,プログラムを選択してください
DocType: Project,Estimated Cost,推定費用
DocType: Purchase Order,Link to material requests,材料の要求へのリンク
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,航空宇宙
@@ -755,14 +762,14 @@
DocType: Purchase Order,Supply Raw Materials,原材料供給
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,次の請求が生成される日(提出すると生成されます)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,流動資産
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0}は在庫アイテムではありません
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0}は在庫アイテムではありません
DocType: Mode of Payment Account,Default Account,デフォルトアカウント
DocType: Payment Entry,Received Amount (Company Currency),受け取った金額(会社通貨)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,リードから機会を作る場合は、リードが設定されている必要があります
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,週休日を選択してください
DocType: Production Order Operation,Planned End Time,計画終了時間
,Sales Person Target Variance Item Group-Wise,(アイテムグループごとの)各営業ターゲット差違
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,既存の取引を持つアカウントは、元帳に変換することはできません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,既存の取引を持つアカウントは、元帳に変換することはできません
DocType: Delivery Note,Customer's Purchase Order No,顧客の発注番号
DocType: Budget,Budget Against,予算に対する
DocType: Employee,Cell Number,携帯電話の番号
@@ -774,15 +781,13 @@
DocType: Opportunity,Opportunity From,機会元
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,月次給与計算書。
DocType: BOM,Website Specifications,ウェブサイトの仕様
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,セットアップ>ナンバリングシリーズで出席者用のナンバリングシリーズをセットアップしてください
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}:タイプ{1}の{0}から
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,行{0}:換算係数が必須です
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,行{0}:換算係数が必須です
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",複数の価格ルールは、同じ基準で存在し、優先順位を割り当てることにより、競合を解決してください。価格ルール:{0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,別の部品表にリンクされているため、無効化や部品表のキャンセルはできません
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",複数の価格ルールは、同じ基準で存在し、優先順位を割り当てることにより、競合を解決してください。価格ルール:{0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,別の部品表にリンクされているため、無効化や部品表のキャンセルはできません
DocType: Opportunity,Maintenance,メンテナンス
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},アイテム{0}には領収書番号が必要です
DocType: Item Attribute Value,Item Attribute Value,アイテムの属性値
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,販売キャンペーン。
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,タイムシートを作成します
@@ -841,29 +846,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},仕訳を経由して廃車・アセット{0}
DocType: Employee Loan,Interest Income Account,受取利息のアカウント
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,バイオテクノロジー
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,事務所維持費
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,事務所維持費
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,電子メールアカウントの設定
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,最初のアイテムを入力してください
DocType: Account,Liability,負債
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,決済額は、行{0}での請求額を超えることはできません。
DocType: Company,Default Cost of Goods Sold Account,製品販売アカウントのデフォルト費用
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,価格表が選択されていません
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,価格表が選択されていません
DocType: Employee,Family Background,家族構成
DocType: Request for Quotation Supplier,Send Email,メールを送信
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},注意:不正な添付ファイル{0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},注意:不正な添付ファイル{0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,権限がありませんん
DocType: Company,Default Bank Account,デフォルト銀行口座
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",「当事者」に基づいてフィルタリングするには、最初の「当事者タイプ」を選択してください
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},アイテムが{0}経由で配送されていないため、「在庫更新」はチェックできません
DocType: Vehicle,Acquisition Date,取得日
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,番号
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,番号
DocType: Item,Items with higher weightage will be shown higher,高い比重を持つアイテムはより高く表示されます
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,銀行勘定調整詳細
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,行#{0}:アセット{1}提出しなければなりません
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,行#{0}:アセット{1}提出しなければなりません
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,従業員が見つかりません
DocType: Supplier Quotation,Stopped,停止
DocType: Item,If subcontracted to a vendor,ベンダーに委託した場合
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,学生グループはすでに更新されています。
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,学生グループはすでに更新されています。
DocType: SMS Center,All Customer Contact,全ての顧客連絡先
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,CSVから在庫残高をアップロード
DocType: Warehouse,Tree Details,ツリーの詳細
@@ -875,13 +880,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}:原価センタ{2}会社に所属していない{3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}:アカウント{2}グループにすることはできません
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,アイテム行{idxの}:{DOCTYPE} {DOCNAME}上に存在しない '{文書型}'テーブル
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,タイムシート{0}はすでに完了またはキャンセルされます
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,タイムシート{0}はすでに完了またはキャンセルされます
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,いいえタスクはありません
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc",自動請求を生成する日付(例:05、28など)
DocType: Asset,Opening Accumulated Depreciation,減価償却累計額を開きます
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,スコアは5以下でなければなりません
DocType: Program Enrollment Tool,Program Enrollment Tool,プログラム登録ツール
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,Cフォームの記録
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,Cフォームの記録
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,顧客とサプライヤー
DocType: Email Digest,Email Digest Settings,メールダイジェスト設定
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,お買い上げくださってありがとうございます!
@@ -891,17 +896,19 @@
DocType: Bin,Moving Average Rate,移動平均レート
DocType: Production Planning Tool,Select Items,アイテム選択
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{2}を指定日とする支払{1}に対する{0}
+DocType: Program Enrollment,Vehicle/Bus Number,車両/バス番号
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,コーススケジュール
DocType: Maintenance Visit,Completion Status,完了状況
DocType: HR Settings,Enter retirement age in years,年間で退職年齢を入力してください
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,ターゲット倉庫
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,倉庫を選択してください
DocType: Cheque Print Template,Starting location from left edge,左端からの位置を開始
DocType: Item,Allow over delivery or receipt upto this percent,このパーセント以上の配送または受領を許可
DocType: Stock Entry,STE-,ステ
DocType: Upload Attendance,Import Attendance,出勤インポート
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,全てのアイテムグループ
DocType: Process Payroll,Activity Log,活動ログ
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,純損益
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,純損益
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,取引の送信時、自動的にメッセージを作成します。
DocType: Production Order,Item To Manufacture,製造するアイテム
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} 状態は {2} です
@@ -910,16 +917,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,発注からの支払
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,予想数量
DocType: Sales Invoice,Payment Due Date,支払期日
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,アイテムバリエーション{0}は既に同じ属性で存在しています
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,アイテムバリエーション{0}は既に同じ属性で存在しています
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',「オープニング」
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,行うにオープン
DocType: Notification Control,Delivery Note Message,納品書のメッセージ
DocType: Expense Claim,Expenses,経費
+,Support Hours,サポート時間
DocType: Item Variant Attribute,Item Variant Attribute,アイテムバリエーション属性
,Purchase Receipt Trends,領収書傾向
DocType: Process Payroll,Bimonthly,隔月の
DocType: Vehicle Service,Brake Pad,ブレーキパッド
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,研究開発
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,研究開発
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,支払額
DocType: Company,Registration Details,登録の詳細
DocType: Timesheet,Total Billed Amount,合計請求金額
@@ -932,12 +940,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,原料のみを取得
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,業績評価
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",ショッピングカートが有効になっているとして、「ショッピングカートのために使用する」の有効化とショッピングカートのための少なくとも一つの税務規則があるはずです
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",それはこの請求書には、予めよう引っ張られるべきである場合に支払いエントリ{0}は注文{1}に対してリンクされているが、確認してください。
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",それはこの請求書には、予めよう引っ張られるべきである場合に支払いエントリ{0}は注文{1}に対してリンクされているが、確認してください。
DocType: Sales Invoice Item,Stock Details,在庫詳細
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,プロジェクトの価値
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,POS
DocType: Vehicle Log,Odometer Reading,オドメーター読書
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",口座残高がすで貸方に存在しており、「残高仕訳先」を「借方」に設定することはできません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",口座残高がすで貸方に存在しており、「残高仕訳先」を「借方」に設定することはできません
DocType: Account,Balance must be,残高仕訳先
DocType: Hub Settings,Publish Pricing,価格設定を公開
DocType: Notification Control,Expense Claim Rejected Message,経費請求拒否されたメッセージ
@@ -947,7 +955,7 @@
DocType: Salary Slip,Working Days,勤務日
DocType: Serial No,Incoming Rate,収入レート
DocType: Packing Slip,Gross Weight,総重量
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,このシステムを設定する会社の名前
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,このシステムを設定する会社の名前
DocType: HR Settings,Include holidays in Total no. of Working Days,営業日数に休日を含む
DocType: Job Applicant,Hold,保留
DocType: Employee,Date of Joining,入社日
@@ -958,20 +966,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,領収書
,Received Items To Be Billed,支払予定受領アイテム
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,提出された給与スリップ
-DocType: Employee,Ms,女史
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,為替レートマスター
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},リファレンスDOCTYPEが{0}のいずれかでなければなりません
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,為替レートマスター
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},リファレンスDOCTYPEが{0}のいずれかでなければなりません
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},操作{1}のための時間スロットは次の{0}日間に存在しません
DocType: Production Order,Plan material for sub-assemblies,部分組立品資材計画
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,販売パートナーと地域
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,すでにアカウントで在庫残高がある限り、自動的にアカウントを作成することはできません。あなたはこの倉庫にエントリを作成する前に、一致するアカウントを作成する必要があります
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,部品表{0}はアクティブでなければなりません
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,部品表{0}はアクティブでなければなりません
DocType: Journal Entry,Depreciation Entry,減価償却エントリ
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,文書タイプを選択してください
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,このメンテナンス訪問をキャンセルする前に資材訪問{0}をキャンセルしなくてはなりません
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},アイテム {1} に関連付けが無いシリアル番号 {0}
DocType: Purchase Receipt Item Supplied,Required Qty,必要な数量
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,既存の取引に倉庫は元帳に変換することはできません。
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,既存の取引に倉庫は元帳に変換することはできません。
DocType: Bank Reconciliation,Total Amount,合計
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,インターネット出版
DocType: Production Planning Tool,Production Orders,製造指示
@@ -986,25 +992,26 @@
DocType: Fee Structure,Components,コンポーネント
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},アイテムのアセットカテゴリを入力してください{0}
DocType: Quality Inspection Reading,Reading 6,報告要素6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,することができません{0} {1} {2}任意の負の優れたインボイスなし
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,することができません{0} {1} {2}任意の負の優れたインボイスなし
DocType: Purchase Invoice Advance,Purchase Invoice Advance,仕入請求前払
DocType: Hub Settings,Sync Now,今すぐ同期
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},行{0}:貸方エントリは{1}とリンクすることができません
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,会計年度の予算を定義します。
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,会計年度の予算を定義します。
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,このモードを選択した場合、デフォルトの銀行口座/現金勘定がPOS請求書内で自動的に更新されます。
DocType: Lead,LEAD-,鉛-
DocType: Employee,Permanent Address Is,本籍地
DocType: Production Order Operation,Operation completed for how many finished goods?,作業完了時の完成品数
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,ブランド
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,ブランド
DocType: Employee,Exit Interview Details,インタビュー詳細を終了
DocType: Item,Is Purchase Item,仕入アイテム
DocType: Asset,Purchase Invoice,仕入請求
DocType: Stock Ledger Entry,Voucher Detail No,伝票詳細番号
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,新しい売上請求書
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,新しい売上請求書
DocType: Stock Entry,Total Outgoing Value,支出価値合計
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,開始日と終了日は同一会計年度内になければなりません
DocType: Lead,Request for Information,情報要求
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,同期オフライン請求書
+,LeaderBoard,リーダーボード
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,同期オフライン請求書
DocType: Payment Request,Paid,支払済
DocType: Program Fee,Program Fee,プログラムの料金
DocType: Salary Slip,Total in words,合計の文字表記
@@ -1013,13 +1020,13 @@
DocType: Cheque Print Template,Has Print Format,印刷形式を持っています
DocType: Employee Loan,Sanctioned,認可
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,必須です。為替レコードが作成されない可能性があります
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},行 {0}:アイテム{1}のシリアル番号を指定してください
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",「製品付属品」アイテム、倉庫、シリアル番号、バッチ番号は、「梱包リスト」テーブルから検討します。倉庫とバッチ番号が任意の「製品付属品」アイテムのすべての梱包アイテムと同じであれば、これらの値はメインのアイテムテーブルに入力することができ、「梱包リスト」テーブルにコピーされます。
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},行 {0}:アイテム{1}のシリアル番号を指定してください
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",「製品付属品」アイテム、倉庫、シリアル番号、バッチ番号は、「梱包リスト」テーブルから検討します。倉庫とバッチ番号が任意の「製品付属品」アイテムのすべての梱包アイテムと同じであれば、これらの値はメインのアイテムテーブルに入力することができ、「梱包リスト」テーブルにコピーされます。
DocType: Job Opening,Publish on website,ウェブサイト上で公開
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,顧客への出荷
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,サプライヤの請求書の日付は、転記日を超えることはできません
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,サプライヤの請求書の日付は、転記日を超えることはできません
DocType: Purchase Invoice Item,Purchase Order Item,発注アイテム
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,間接収入
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,間接収入
DocType: Student Attendance Tool,Student Attendance Tool,学生の出席ツール
DocType: Cheque Print Template,Date Settings,日付の設定
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,差違
@@ -1037,20 +1044,20 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,化学
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,このモードが選択されている場合、デフォルト銀行/現金アカウントは自動的に給与仕訳に更新されます。
DocType: BOM,Raw Material Cost(Company Currency),原料コスト(会社通貨)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,アイテムは全てこの製造指示に移動されています。
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,アイテムは全てこの製造指示に移動されています。
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},行番号{0}:レートは{1} {2}で使用されているレートより大きくすることはできません
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,メーター
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,メーター
DocType: Workstation,Electricity Cost,電気代
DocType: HR Settings,Don't send Employee Birthday Reminders,従業員の誕生日リマインダを送信しないでください
DocType: Item,Inspection Criteria,検査基準
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,移転済
DocType: BOM Website Item,BOM Website Item,BOMのウェブサイトのアイテム
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,レターヘッドとロゴをアップロードします(後で編集可能です)
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,レターヘッドとロゴをアップロードします(後で編集可能です)
DocType: Timesheet Detail,Bill,ビル
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,次の減価償却日は過去の日付として入力され、
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,ホワイト
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,ホワイト
DocType: SMS Center,All Lead (Open),全リード(オープン)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),行{0}:({2} {3})エントリの時間を掲示で{1}倉庫内の{4}の数量は利用できません
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),行{0}:({2} {3})エントリの時間を掲示で{1}倉庫内の{4}の数量は利用できません
DocType: Purchase Invoice,Get Advances Paid,立替金を取得
DocType: Item,Automatically Create New Batch,新しいバッチを自動的に作成する
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,作成
@@ -1062,13 +1069,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Myカート
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},注文タイプは{0}のいずれかである必要があります
DocType: Lead,Next Contact Date,次回連絡日
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,数量を開く
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,変更金額のためにアカウントを入力してください
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,数量を開く
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,変更金額のためにアカウントを入力してください
DocType: Student Batch Name,Student Batch Name,学生バッチ名
DocType: Holiday List,Holiday List Name,休日リストの名前
DocType: Repayment Schedule,Balance Loan Amount,バランス融資額
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,スケジュールコース
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,ストックオプション
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,ストックオプション
DocType: Journal Entry Account,Expense Claim,経費請求
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,本当にこの廃棄資産を復元しますか?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},{0}用数量
@@ -1080,12 +1087,12 @@
DocType: Company,Default Terms,デフォルト規約
DocType: Packing Slip Item,Packing Slip Item,梱包伝票項目
DocType: Purchase Invoice,Cash/Bank Account,現金/銀行口座
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},{0}を指定してください
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},{0}を指定してください
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,数量または値の変化のないアイテムを削除しました。
DocType: Delivery Note,Delivery To,納品先
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,属性表は必須です
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,属性表は必須です
DocType: Production Planning Tool,Get Sales Orders,注文を取得
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0}はマイナスにできません
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0}はマイナスにできません
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,割引
DocType: Asset,Total Number of Depreciations,減価償却の合計数
DocType: Sales Invoice Item,Rate With Margin,利益率
@@ -1105,7 +1112,6 @@
DocType: Serial No,Creation Document No,作成ドキュメントNo
DocType: Issue,Issue,課題
DocType: Asset,Scrapped,廃棄済
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,アカウントが会社と一致しません
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.",アイテムバリエーションの属性。例)サイズ、色など
DocType: Purchase Invoice,Returns,収益
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,作業中倉庫
@@ -1117,12 +1123,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,アイテムは、ボタン「領収書からアイテムの取得」を使用して追加する必要があります
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,非在庫品目を含めます
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,販売費
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,販売費
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,標準購入
DocType: GL Entry,Against,に対して
DocType: Item,Default Selling Cost Center,デフォルト販売コストセンター
DocType: Sales Partner,Implementation Partner,導入パートナー
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,郵便番号
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,郵便番号
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},受注{0}は{1}です
DocType: Opportunity,Contact Info,連絡先情報
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,在庫エントリを作成
@@ -1135,31 +1141,31 @@
DocType: Holiday List,Get Weekly Off Dates,週の休日を取得する
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,終了日は開始日より前にすることはできません
DocType: Sales Person,Select company name first.,はじめに会社名を選択してください
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,借方
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,サプライヤーから受け取った見積。
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},{0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,平均年齢
DocType: School Settings,Attendance Freeze Date,出席凍結日
DocType: Opportunity,Your sales person who will contact the customer in future,顧客を訪問する営業担当者
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,サプライヤーの一部を一覧表示します。彼らは、組織や個人である可能性があります。
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,サプライヤーの一部を一覧表示します。彼らは、組織や個人である可能性があります。
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,すべての製品を見ます
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),最小リード年齢(日)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,すべてのBOM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,すべてのBOM
DocType: Company,Default Currency,デフォルトの通貨
DocType: Expense Claim,From Employee,社員から
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,警告:{1}のアイテム{0} がゼロのため、システムは超過請求をチェックしません
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,警告:{1}のアイテム{0} がゼロのため、システムは超過請求をチェックしません
DocType: Journal Entry,Make Difference Entry,差違エントリを作成
DocType: Upload Attendance,Attendance From Date,出勤開始日
DocType: Appraisal Template Goal,Key Performance Area,重要実行分野
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,輸送
+DocType: Program Enrollment,Transportation,輸送
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,無効な属性
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1}は提出しなければなりません
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1}は提出しなければなりません
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},数量は以下でなければなりません{0}
DocType: SMS Center,Total Characters,文字数合計
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},アイテム{0}の部品表フィールドで部品表を選択してください
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},アイテム{0}の部品表フィールドで部品表を選択してください
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-フォーム請求書の詳細
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,支払照合 請求
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,貢献%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",購買発注が必要な場合の購買設定== 'YES'の場合、購買請求書を登録するには、まず商品{0}の購買発注を登録する必要があります
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,参照用の会社登録番号(例:税番号など)
DocType: Sales Partner,Distributor,販売代理店
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ショッピングカート出荷ルール
@@ -1168,23 +1174,25 @@
,Ordered Items To Be Billed,支払予定注文済アイテム
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,範囲開始は範囲終了よりも小さくなければなりません
DocType: Global Defaults,Global Defaults,共通デフォルト設定
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,プロジェクトコラボレーション招待
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,プロジェクトコラボレーション招待
DocType: Salary Slip,Deductions,控除
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,開始年
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},GSTINの最初の2桁は州番号{0}と一致する必要があります
DocType: Purchase Invoice,Start date of current invoice's period,請求期限の開始日
DocType: Salary Slip,Leave Without Pay,無給休暇
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,キャパシティプランニングのエラー
,Trial Balance for Party,当事者用の試算表
DocType: Lead,Consultant,コンサルタント
DocType: Salary Slip,Earnings,収益
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,完成アイテム{0}は製造タイプのエントリで入力する必要があります
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,完成アイテム{0}は製造タイプのエントリで入力する必要があります
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,期首残高
+,GST Sales Register,GSTセールスレジスタ
DocType: Sales Invoice Advance,Sales Invoice Advance,前払金
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,要求するものがありません
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},別の予算レコードは、 '{0}'は既にに対して存在します{1} '{2}'年度の{3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',「実際の開始日」は、「実際の終了日」より後にすることはできません
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,マネジメント
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,マネジメント
DocType: Cheque Print Template,Payer Settings,支払人の設定
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""",これはバリエーションのアイテムコードに追加されます。あなたの略称が「SM」であり、アイテムコードが「T-SHIRT」である場合は、バリエーションのアイテムコードは、「T-SHIRT-SM」になります
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,給与伝票を保存すると給与が表示されます。
@@ -1201,8 +1209,8 @@
DocType: Employee Loan,Partially Disbursed,部分的に支払わ
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,サプライヤーデータベース
DocType: Account,Balance Sheet,貸借対照表
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',アイテムコードのあるアイテムのためのコストセンター
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",お支払いモードが設定されていません。アカウントが支払いのモードやPOSプロファイルに設定されているかどうか、確認してください。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',アイテムコードのあるアイテムのためのコストセンター
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",お支払いモードが設定されていません。アカウントが支払いのモードやPOSプロファイルに設定されているかどうか、確認してください。
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,営業担当者には、顧客訪問日にリマインドが表示されます。
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,同じアイテムを複数回入力することはできません。
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups",アカウントはさらにグループの下に作成できますが、エントリは非グループに対して作成できます
@@ -1210,7 +1218,7 @@
DocType: Email Digest,Payables,買掛金
DocType: Course,Course Intro,コースイントロ
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,ストックエントリは、{0}を作成します
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,行#{0}:拒否数量は「購買返品」に入力することはできません
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,行#{0}:拒否数量は「購買返品」に入力することはできません
,Purchase Order Items To Be Billed,支払予定発注アイテム
DocType: Purchase Invoice Item,Net Rate,正味単価
DocType: Purchase Invoice Item,Purchase Invoice Item,仕入請求アイテム
@@ -1235,7 +1243,7 @@
DocType: Sales Order,SO-,そう-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,接頭辞を選択してください
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,リサーチ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,リサーチ
DocType: Maintenance Visit Purpose,Work Done,作業完了
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,属性テーブル内から少なくとも1つの属性を指定してください
DocType: Announcement,All Students,全生徒
@@ -1243,17 +1251,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,元帳の表示
DocType: Grading Scale,Intervals,インターバル
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,最初
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group",同名のアイテムグループが存在しますので、アイテム名を変えるか、アイテムグループ名を変更してください
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,学生モバイル号
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,その他の地域
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group",同名のアイテムグループが存在しますので、アイテム名を変えるか、アイテムグループ名を変更してください
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,学生モバイル号
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,その他の地域
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,アイテム{0}はバッチを持てません
,Budget Variance Report,予算差異レポート
DocType: Salary Slip,Gross Pay,給与総額
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,行{0}:活動タイプは必須です。
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,配当金支払額
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,配当金支払額
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,会計元帳
DocType: Stock Reconciliation,Difference Amount,差額
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,内部留保
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,内部留保
DocType: Vehicle Log,Service Detail,サービス詳細
DocType: BOM,Item Description,アイテム説明
DocType: Student Sibling,Student Sibling,学生兄弟
@@ -1267,11 +1275,11 @@
DocType: Opportunity Item,Opportunity Item,機会アイテム
,Student and Guardian Contact Details,学生や保護者連絡先の詳細
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,行{0}:サプライヤーのために{0}メールアドレスは、電子メールを送信するために必要とされます
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,仮勘定期首
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,仮勘定期首
,Employee Leave Balance,従業員の残休暇数
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},アカウントの残高は{0}は常に{1}でなければなりません
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},行{0}のアイテムには評価レートが必要です
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,例:コンピュータサイエンスの修士
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,例:コンピュータサイエンスの修士
DocType: Purchase Invoice,Rejected Warehouse,拒否された倉庫
DocType: GL Entry,Against Voucher,対伝票
DocType: Item,Default Buying Cost Center,デフォルト購入コストセンター
@@ -1284,31 +1292,30 @@
DocType: Journal Entry,Get Outstanding Invoices,未払いの請求を取得
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,受注{0}は有効ではありません
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,購買発注は、あなたの購入を計画し、フォローアップに役立ちます
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged",企業はマージできません
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged",企業はマージできません
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",素材要求の総発行/転送量{0}が{1} \項目のための要求数量{2}を超えることはできません{3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,S
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,S
DocType: Employee,Employee Number,従業員番号
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},ケース番号が既に使用されています。ケース番号 {0} から試してみてください
DocType: Project,% Completed,% 完了
,Invoiced Amount (Exculsive Tax),請求額(外税)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,アイテム2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,勘定科目{0}を作成しました
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,研修行事
DocType: Item,Auto re-order,自動再注文
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,達成計
DocType: Employee,Place of Issue,発生場所
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,契約書
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,契約書
DocType: Email Digest,Add Quote,引用を追加
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},アイテム{1}の{0}には数量単位変換係数が必要です
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,間接経費
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},アイテム{1}の{0}には数量単位変換係数が必要です
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,間接経費
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,行{0}:数量は必須です
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,農業
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,同期マスタデータ
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,あなたの製品またはサービス
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,同期マスタデータ
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,あなたの製品またはサービス
DocType: Mode of Payment,Mode of Payment,支払方法
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,ウェブサイト画像は、公開ファイルまたはウェブサイトのURLを指定する必要があります
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,ウェブサイト画像は、公開ファイルまたはウェブサイトのURLを指定する必要があります
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,これは、ルートアイテムグループであり、編集することはできません。
@@ -1317,17 +1324,17 @@
DocType: Warehouse,Warehouse Contact Info,倉庫連絡先情報
DocType: Payment Entry,Write Off Difference Amount,差額をオフ書きます
DocType: Purchase Invoice,Recurring Type,繰り返しタイプ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent",{0}:したがって、電子メールで送信されないことがわかっていない従業員の電子メール、
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent",{0}:したがって、電子メールで送信されないことがわかっていない従業員の電子メール、
DocType: Item,Foreign Trade Details,外国貿易詳細
DocType: Email Digest,Annual Income,年間収入
DocType: Serial No,Serial No Details,シリアル番号詳細
DocType: Purchase Invoice Item,Item Tax Rate,アイテムごとの税率
DocType: Student Group Student,Group Roll Number,グループロール番号
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",{0}には、別の借方エントリに対する貸方勘定のみリンクすることができます
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,すべてのタスクの重みの合計は1に応じて、すべてのプロジェクトのタスクの重みを調整してくださいする必要があります
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,納品書{0}は提出されていません
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,アイテム{0}は下請けアイテムでなければなりません
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,資本設備
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,すべてのタスクの重みの合計は1に応じて、すべてのプロジェクトのタスクの重みを調整してくださいする必要があります
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,納品書{0}は提出されていません
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,アイテム{0}は下請けアイテムでなければなりません
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,資本設備
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",価格設定ルールは、「適用」フィールドに基づき、アイテム、アイテムグループ、ブランドとすることができます。
DocType: Hub Settings,Seller Website,販売者のウェブサイト
DocType: Item,ITEM-,項目-
@@ -1345,7 +1352,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",「値へ」を0か空にする送料ルール条件しかありません
DocType: Authorization Rule,Transaction,取引
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,注:このコストセンターはグループです。グループに対する会計エントリーを作成することはできません。
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,子供の倉庫は、この倉庫のために存在します。あなたはこの倉庫を削除することはできません。
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,子供の倉庫は、この倉庫のために存在します。あなたはこの倉庫を削除することはできません。
DocType: Item,Website Item Groups,ウェブサイトのアイテムグループ
DocType: Purchase Invoice,Total (Company Currency),計(会社通貨)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,シリアル番号{0}は複数回入力されています
@@ -1355,7 +1362,7 @@
DocType: Grading Scale Interval,Grade Code,グレードコード
DocType: POS Item Group,POS Item Group,POSアイテムのグループ
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,メールダイジェスト:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},部品表 {0}はアイテム{1}に属していません
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},部品表 {0}はアイテム{1}に属していません
DocType: Sales Partner,Target Distribution,ターゲット区分
DocType: Salary Slip,Bank Account No.,銀行口座番号
DocType: Naming Series,This is the number of the last created transaction with this prefix,この接頭辞が付いた最新の取引番号です
@@ -1365,12 +1372,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,資産償却エントリを自動的に予約する
DocType: BOM Operation,Workstation,作業所
DocType: Request for Quotation Supplier,Request for Quotation Supplier,見積サプライヤー要求
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,ハードウェア
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,ハードウェア
DocType: Sales Order,Recurring Upto,定期的な点で最大
DocType: Attendance,HR Manager,人事マネージャー
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,会社を選択してください
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,特別休暇
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,会社を選択してください
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,特別休暇
DocType: Purchase Invoice,Supplier Invoice Date,サプライヤー請求日
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,毎
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,「ショッピングカート」を有効にしてください
DocType: Payment Entry,Writeoff,帳消し
DocType: Appraisal Template Goal,Appraisal Template Goal,査定テンプレート目標
@@ -1381,10 +1389,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,次の条件が重複しています:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,対仕訳{0}はすでにいくつか他の伝票に対して適応されています
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,注文価値合計
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,食べ物
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,食べ物
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,エイジングレンジ3
DocType: Maintenance Schedule Item,No of Visits,訪問なし
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,マークAttendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,マークAttendence
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},{1}に対してメンテナンススケジュール{0}が存在します
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,入学学生
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},締めるアカウントの通貨は {0} でなければなりません
@@ -1398,6 +1406,7 @@
DocType: Rename Tool,Utilities,ユーティリティー
DocType: Purchase Invoice Item,Accounting,会計
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,バッチ品目のロットを選択してください
DocType: Asset,Depreciation Schedules,減価償却スケジュール
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,申請期間は休暇割当期間外にすることはできません
DocType: Activity Cost,Projects,プロジェクト
@@ -1411,6 +1420,7 @@
DocType: POS Profile,Campaign,キャンペーン
DocType: Supplier,Name and Type,名前とタイプ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',承認ステータスは「承認」または「拒否」でなければなりません
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,ブートストラップ
DocType: Purchase Invoice,Contact Person,担当者
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',「開始予定日」は、「終了予定日」より後にすることはできません
DocType: Course Scheduling Tool,Course End Date,コース終了日
@@ -1418,12 +1428,11 @@
DocType: Sales Order Item,Planned Quantity,計画数
DocType: Purchase Invoice Item,Item Tax Amount,アイテムごとの税額
DocType: Item,Maintain Stock,在庫維持
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,製造指示が作成済の在庫エントリー
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,製造指示が作成済の在庫エントリー
DocType: Employee,Prefered Email,れる好ましいメール
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,固定資産の純変動
DocType: Leave Control Panel,Leave blank if considered for all designations,全ての肩書を対象にする場合は空白のままにします
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,倉庫型ストックの非グループ・アカウントのために必須です
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,行{0}の料金タイプ「実費」はアイテムの料金に含めることはできません
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,行{0}の料金タイプ「実費」はアイテムの料金に含めることはできません
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},最大:{0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,開始日時
DocType: Email Digest,For Company,会社用
@@ -1433,15 +1442,15 @@
DocType: Sales Invoice,Shipping Address Name,配送先住所
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,勘定科目表
DocType: Material Request,Terms and Conditions Content,規約の内容
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,100を超えることはできません
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,アイテム{0}は在庫アイテムではありません
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,100を超えることはできません
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,アイテム{0}は在庫アイテムではありません
DocType: Maintenance Visit,Unscheduled,スケジュール解除済
DocType: Employee,Owned,所有済
DocType: Salary Detail,Depends on Leave Without Pay,無給休暇に依存
DocType: Pricing Rule,"Higher the number, higher the priority",大きい数は優先順位が高い
,Purchase Invoice Trends,仕入請求傾向
DocType: Employee,Better Prospects,良い見通し
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",行番号{0}:バッチ{1}には{2}個しかありません。 {3}個の利用可能なバッチを選択するか、行を複数の行に分割して、複数のバッチから配信/発行してください
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",行番号{0}:バッチ{1}には{2}個しかありません。 {3}個の利用可能なバッチを選択するか、行を複数の行に分割して、複数のバッチから配信/発行してください
DocType: Vehicle,License Plate,ナンバープレート
DocType: Appraisal,Goals,ゴール
DocType: Warranty Claim,Warranty / AMC Status,保証/ 年間保守契約のステータス
@@ -1452,7 +1461,8 @@
,Batch-Wise Balance History,バッチごとの残高履歴
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,印刷設定は、それぞれの印刷形式で更新します
DocType: Package Code,Package Code,パッケージコード
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,見習
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,見習
+DocType: Purchase Invoice,Company GSTIN,会社GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,マイナスの数量は許可されていません
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","文字列としてアイテムマスタから取得され、このフィールドに格納されている税詳細テーブル。
@@ -1460,12 +1470,12 @@
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,従業員は自分自身に報告することはできません。
DocType: Account,"If the account is frozen, entries are allowed to restricted users.",会計が凍結されている場合、エントリは限られたユーザーに許可されています。
DocType: Email Digest,Bank Balance,銀行残高
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},{0}の勘定科目では{1}は通貨{2}でのみ作成可能です
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},{0}の勘定科目では{1}は通貨{2}でのみ作成可能です
DocType: Job Opening,"Job profile, qualifications required etc.",必要な業務内容、資格など
DocType: Journal Entry Account,Account Balance,口座残高
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,取引のための税ルール
DocType: Rename Tool,Type of document to rename.,名前を変更するドキュメント型
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,このアイテムを購入する
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,このアイテムを購入する
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}:顧客は債権勘定に対して必要とされている{2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),租税公課合計(報告通貨)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,閉じられていない会計年度のP&L残高を表示
@@ -1476,29 +1486,30 @@
DocType: Stock Entry,Total Additional Costs,追加費用合計
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),スクラップ材料費(会社通貨)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,組立部品
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,組立部品
DocType: Asset,Asset Name,資産名
DocType: Project,Task Weight,タスクの重さ
DocType: Shipping Rule Condition,To Value,値
DocType: Asset Movement,Stock Manager,在庫マネージャー
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},行{0}には出庫元が必須です
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,梱包伝票
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,事務所賃料
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},行{0}には出庫元が必須です
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,梱包伝票
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,事務所賃料
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,SMSゲートウェイの設定
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,インポートが失敗しました!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,アドレスがまだ追加されていません
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,アドレスがまだ追加されていません
DocType: Workstation Working Hour,Workstation Working Hour,作業所の労働時間
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,アナリスト
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,アナリスト
DocType: Item,Inventory,在庫
DocType: Item,Sales Details,販売明細
DocType: Quality Inspection,QI-,気-
DocType: Opportunity,With Items,関連アイテム
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,数量中
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,数量中
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,学生グループの学生の入学コースを検証する
DocType: Notification Control,Expense Claim Rejected,経費請求が拒否
DocType: Item,Item Attribute,アイテム属性
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,政府
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,政府
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,経費請求{0}はすでに自動車ログインのために存在します
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,研究所の名前
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,研究所の名前
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,返済金額を入力してください。
apps/erpnext/erpnext/config/stock.py +300,Item Variants,アイテムバリエーション
DocType: Company,Services,サービス
@@ -1508,18 +1519,18 @@
DocType: Sales Invoice,Source,ソース
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,クローズ済を表示
DocType: Leave Type,Is Leave Without Pay,無給休暇
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,資産カテゴリーは、固定資産の項目は必須です
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,資産カテゴリーは、固定資産の項目は必須です
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,支払テーブルにレコードが見つかりません
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},この{2} {3}の{1}と{0}競合
DocType: Student Attendance Tool,Students HTML,学生HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,会計年度の開始日
DocType: POS Profile,Apply Discount,割引を適用します
+DocType: Purchase Invoice Item,GST HSN Code,GST HSNコード
DocType: Employee External Work History,Total Experience,実績合計
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,オープンプロジェクト
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,梱包伝票(S)をキャンセル
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,投資活動によるキャッシュフロー
DocType: Program Course,Program Course,プログラムのコース
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,運送・転送料金
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,運送・転送料金
DocType: Homepage,Company Tagline for website homepage,ウェブサイトのホームページのための会社キャッチフレーズ
DocType: Item Group,Item Group Name,アイテムグループ名
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,売上高
@@ -1529,6 +1540,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,リードを作成します。
DocType: Maintenance Schedule,Schedules,スケジュール
DocType: Purchase Invoice Item,Net Amount,正味金額
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1}は送信されていないため、アクションは完了できません
DocType: Purchase Order Item Supplied,BOM Detail No,部品表詳細番号
DocType: Landed Cost Voucher,Additional Charges,追加料金
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),追加割引額(会社通貨)
@@ -1544,6 +1556,7 @@
DocType: Employee Loan,Monthly Repayment Amount,毎月返済額
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,従業員の役割を設定するには、従業員レコードのユーザーIDフィールドを設定してください
DocType: UOM,UOM Name,数量単位名
+DocType: GST HSN Code,HSN Code,HSNコード
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,貢献額
DocType: Purchase Invoice,Shipping Address,発送先
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,"このツールを使用すると、システム内の在庫の数量と評価額を更新・修正するのに役立ちます。
@@ -1555,17 +1568,16 @@
DocType: Program Enrollment Tool,Program Enrollments,プログラム加入契約
DocType: Sales Invoice Item,Brand Name,ブランド名
DocType: Purchase Receipt,Transporter Details,輸送業者詳細
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,デフォルトの倉庫は、選択した項目のために必要とされます
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,箱
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,デフォルトの倉庫は、選択した項目のために必要とされます
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,箱
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,可能性のあるサプライヤー
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,組織
DocType: Budget,Monthly Distribution,月次配分
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,受領者リストが空です。受領者リストを作成してください
DocType: Production Plan Sales Order,Production Plan Sales Order,製造計画受注
DocType: Sales Partner,Sales Partner Target,販売パートナー目標
DocType: Loan Type,Maximum Loan Amount,最大融資額
DocType: Pricing Rule,Pricing Rule,価格設定ルール
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},生徒{0}のロール番号が重複しています
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},生徒{0}のロール番号が重複しています
DocType: Budget,Action if Annual Budget Exceeded,アクションの年間予算は、超えた場合
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,仕入注文のための資材要求
DocType: Shopping Cart Settings,Payment Success URL,支払成功URL
@@ -1578,11 +1590,11 @@
DocType: C-Form,III,三
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,期首在庫残高
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0}が重複しています
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},発注{2}に対して{1}より{0}以上を配送することはできません
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},発注{2}に対して{1}より{0}以上を配送することはできません
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},休暇は{0}に正常に割り当てられました
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,梱包するアイテムはありません
DocType: Shipping Rule Condition,From Value,値から
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,製造数量は必須です
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,製造数量は必須です
DocType: Employee Loan,Repayment Method,返済方法
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",チェックした場合、[ホーム]ページは、Webサイトのデフォルトの項目のグループになります
DocType: Quality Inspection Reading,Reading 4,報告要素4
@@ -1592,7 +1604,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},行#{0}:クリアランス日付は{1} {2}小切手日前にすることはできません
DocType: Company,Default Holiday List,デフォルト休暇リスト
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},行{0}:の時間との時間から{1}と重なっている{2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,在庫負債
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,在庫負債
DocType: Purchase Invoice,Supplier Warehouse,サプライヤー倉庫
DocType: Opportunity,Contact Mobile No,連絡先携帯番号
,Material Requests for which Supplier Quotations are not created,サプライヤー見積が作成されていない資材要求
@@ -1603,35 +1615,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,見積を作成
apps/erpnext/erpnext/config/selling.py +216,Other Reports,その他のレポート
DocType: Dependent Task,Dependent Task,依存タスク
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},デフォルト数量単位は、行{0}の1でなければなりません
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},デフォルト数量単位は、行{0}の1でなければなりません
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},休暇タイプ{0}は、{1}よりも長くすることはできません
DocType: Manufacturing Settings,Try planning operations for X days in advance.,事前にX日の業務を計画してみてください
DocType: HR Settings,Stop Birthday Reminders,誕生日リマインダを停止
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},当社ではデフォルトの給与支払ってくださいアカウントを設定してください{0}
DocType: SMS Center,Receiver List,受領者リスト
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,探索項目
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,探索項目
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,消費額
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,現金の純変更
DocType: Assessment Plan,Grading Scale,評価尺度
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,数量{0}が変換係数表に複数回記入されました。
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,数量{0}が変換係数表に複数回記入されました。
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,すでに完了
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,手持ちの在庫
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},支払い要求がすでに存在している{0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,課題アイテムの費用
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},数量は{0}以下でなければなりません
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,前会計年度が閉じられていません
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),期間(日)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),期間(日)
DocType: Quotation Item,Quotation Item,見積項目
+DocType: Customer,Customer POS Id,顧客のPOS ID
DocType: Account,Account Name,アカウント名
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,開始日は終了日より後にすることはできません
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,シリアル番号 {0}は量{1}の割合にすることはできません
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,サプライヤータイプマスター
DocType: Purchase Order Item,Supplier Part Number,サプライヤー部品番号
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,変換率は0か1にすることはできません
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,変換率は0か1にすることはできません
DocType: Sales Invoice,Reference Document,参照文書
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1}はキャンセルまたは停止しています
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1}はキャンセルまたは停止しています
DocType: Accounts Settings,Credit Controller,与信管理
DocType: Delivery Note,Vehicle Dispatch Date,配車日
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,領収書{0}は提出されていません
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,領収書{0}は提出されていません
DocType: Company,Default Payable Account,デフォルト買掛金勘定
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.",オンラインショッピングカート設定(出荷ルール・価格表など)
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}%支払済
@@ -1650,11 +1664,12 @@
DocType: Expense Claim,Total Amount Reimbursed,総払戻額
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,これは、この車両に対するログに基づいています。詳細については、以下のタイムラインを参照してください。
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,収集します
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},対サプライヤー請求書{0} 日付{1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},対サプライヤー請求書{0} 日付{1}
DocType: Customer,Default Price List,デフォルト価格表
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,資産運動レコード{0}を作成
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,あなたは年度{0}を削除することはできません。年度{0}はグローバル設定でデフォルトとして設定されています
DocType: Journal Entry,Entry Type,エントリタイプ
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,この評価グループに関連する評価計画はありません
,Customer Credit Balance,顧客貸方残高
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,買掛金の純変動
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',「顧客ごと割引」には顧客が必要です
@@ -1662,7 +1677,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,価格設定
DocType: Quotation,Term Details,用語解説
DocType: Project,Total Sales Cost (via Sales Order),総売上原価(受注による)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,この学生グループのため{0}の学生よりも多くを登録することはできません。
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,この学生グループのため{0}の学生よりも多くを登録することはできません。
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,リードカウント
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} は0より大きくなければなりません
DocType: Manufacturing Settings,Capacity Planning For (Days),キャパシティプランニング(日数)
@@ -1684,7 +1699,7 @@
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,シリアル番号に対する保証請求
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","使用されている他のすべての部品表内で、各部品表を交換してください。
古い部品表のリンクが交換され、費用を更新して新しい部品表の通り「部品表展開項目」テーブルを再生成します"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total',「合計」
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total',「合計」
DocType: Shopping Cart Settings,Enable Shopping Cart,ショッピングカートを有効にする
DocType: Employee,Permanent Address,本籍地
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1700,9 +1715,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,数量または評価レートのいずれか、または両方を指定してください
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,フルフィルメント
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,カート内を見ます
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,マーケティング費用
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,マーケティング費用
,Item Shortage Report,アイテム不足レポート
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",重量が記載されていますので、あわせて「重量単位」を記載してください
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",重量が記載されていますので、あわせて「重量単位」を記載してください
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,この在庫エントリを作成するために使用される資材要求
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,次の減価償却日は、新しい資産のために必須です
DocType: Student Group Creation Tool,Separate course based Group for every Batch,バッチごとに個別のコースベースのグループ
@@ -1711,18 +1726,19 @@
,Student Fee Collection,学生費徴収
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,各在庫の動きを会計処理のエントリとして作成
DocType: Leave Allocation,Total Leaves Allocated,休暇割当合計
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},行番号{0}には倉庫が必要です
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,有効な会計年度開始日と終了日を入力してください
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},行番号{0}には倉庫が必要です
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,有効な会計年度開始日と終了日を入力してください
DocType: Employee,Date Of Retirement,退職日
DocType: Upload Attendance,Get Template,テンプレートを取得
+DocType: Material Request,Transferred,転送された
DocType: Vehicle,Doors,ドア
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNextのセットアップが完了!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNextのセットアップが完了!
DocType: Course Assessment Criteria,Weightage,重み付け
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}:コストセンターは「損益」アカウント{2}のために必要とされます。会社のデフォルトのコストセンターを設定してください。
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"同じ名前の顧客グループが存在します
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"同じ名前の顧客グループが存在します
顧客名か顧客グループのどちらかの名前を変更してください"
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,新しい連絡先
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,新しい連絡先
DocType: Territory,Parent Territory,上位地域
DocType: Quality Inspection Reading,Reading 2,報告要素2
DocType: Stock Entry,Material Receipt,資材領収書
@@ -1731,17 +1747,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",このアイテムにバリエーションがある場合、受注などで選択することができません
DocType: Lead,Next Contact By,次回連絡
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},行{1}のアイテム{0}に必要な数量
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},アイテム{1}が存在するため倉庫{0}を削除することができません
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},行{1}のアイテム{0}に必要な数量
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},アイテム{1}が存在するため倉庫{0}を削除することができません
DocType: Quotation,Order Type,注文タイプ
DocType: Purchase Invoice,Notification Email Address,通知メールアドレス
,Item-wise Sales Register,アイテムごとの販売登録
DocType: Asset,Gross Purchase Amount,購入総額
DocType: Asset,Depreciation Method,減価償却法
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,オフライン
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,オフライン
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,この税金が基本料金に含まれているか
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,ターゲット合計
-DocType: Program Course,Required,必須
DocType: Job Applicant,Applicant for a Job,求職者
DocType: Production Plan Material Request,Production Plan Material Request,生産計画資材要求
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,製造指示が作成されていません
@@ -1750,17 +1765,17 @@
DocType: Purchase Invoice Item,Batch No,バッチ番号
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,顧客の発注に対する複数の受注を許可
DocType: Student Group Instructor,Student Group Instructor,学生グループインストラクター
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2モバイルはありません
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,メイン
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2モバイルはありません
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,メイン
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,バリエーション
DocType: Naming Series,Set prefix for numbering series on your transactions,取引に連番の接頭辞を設定
DocType: Employee Attendance Tool,Employees HTML,従業員HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,このアイテムまたはテンプレートには、デフォルトの部品表({0})がアクティブでなければなりません
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,このアイテムまたはテンプレートには、デフォルトの部品表({0})がアクティブでなければなりません
DocType: Employee,Leave Encashed?,現金化された休暇?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,機会元フィールドは必須です
DocType: Email Digest,Annual Expenses,年間費用
DocType: Item,Variants,バリエーション
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,発注を作成
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,発注を作成
DocType: SMS Center,Send To,送信先
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},休暇タイプ{0}のための休暇残が足りません
DocType: Payment Reconciliation Payment,Allocated amount,割当額
@@ -1774,26 +1789,25 @@
DocType: Supplier,Statutory info and other general information about your Supplier,サプライヤーに関する法定の情報とその他の一般情報
DocType: Item,Serial Nos and Batches,シリアル番号とバッチ
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,学生グループの強み
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,対仕訳{0}に該当しないエントリ{1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,対仕訳{0}に該当しないエントリ{1}
apps/erpnext/erpnext/config/hr.py +137,Appraisals,査定
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},アイテム{0}に入力されたシリアル番号は重複しています
DocType: Shipping Rule Condition,A condition for a Shipping Rule,出荷ルールの条件
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,入力してください
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",行の項目{0}のoverbillできません{1}より{2}。過剰請求を許可するには、[設定]を購入するに設定してください
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,アイテムまたは倉庫に基づくフィルタを設定してください
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",行の項目{0}のoverbillできません{1}より{2}。過剰請求を許可するには、[設定]を購入するに設定してください
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,アイテムまたは倉庫に基づくフィルタを設定してください
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),この梱包の正味重量。 (自動にアイテムの正味重量の合計が計算されます。)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,この倉庫のためのアカウントを作成し、それをリンクしてください。これは、{0}はすでに存在する名前を持つアカウントとして自動的に実行することはできません
DocType: Sales Order,To Deliver and Bill,配送・請求する
DocType: Student Group,Instructors,インストラクター
DocType: GL Entry,Credit Amount in Account Currency,アカウント通貨での貸方金額
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,部品表{0}を登録しなければなりません
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,部品表{0}を登録しなければなりません
DocType: Authorization Control,Authorization Control,認証コントロール
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},行#{0}:倉庫拒否は却下されたアイテムに対して必須である{1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},行#{0}:倉庫拒否は却下されたアイテムに対して必須である{1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,支払
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.",{0}倉庫はどの勘定にもリンクされていませんので、倉庫レコードにその勘定を記載するか、{1}社のデフォルト在庫勘定を設定してください。
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,ご注文を管理します
DocType: Production Order Operation,Actual Time and Cost,実際の時間とコスト
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},資材要求の最大値{0}は、注{2}に対するアイテム{1}から作られます
-DocType: Employee,Salutation,敬称(例:Mr. Ms.)
DocType: Course,Course Abbreviation,コースの略
DocType: Student Leave Application,Student Leave Application,学生休業申出
DocType: Item,Will also apply for variants,バリエーションについても適用されます
@@ -1805,12 +1819,12 @@
DocType: Quotation Item,Actual Qty,実際の数量
DocType: Sales Invoice Item,References,参照
DocType: Quality Inspection Reading,Reading 10,報告要素10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",あなたが購入または売却する製品やサービスの一覧を表示します。あなたが起動したときに項目グループ、測定およびその他のプロパティの単位を確認してください。
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",あなたが購入または売却する製品やサービスの一覧を表示します。あなたが起動したときに項目グループ、測定およびその他のプロパティの単位を確認してください。
DocType: Hub Settings,Hub Node,ハブノード
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,同じ商品が重複入力されました。修正してやり直してください
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,同僚
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,同僚
DocType: Asset Movement,Asset Movement,アセット・ムーブメント
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,新しいカート
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,新しいカート
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,アイテム{0}にはシリアル番号が付与されていません
DocType: SMS Center,Create Receiver List,受領者リストを作成
DocType: Vehicle,Wheels,車輪
@@ -1830,19 +1844,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',料金タイプが「前行の額」か「前行の合計」である場合にのみ、行を参照することができます
DocType: Sales Order Item,Delivery Warehouse,配送倉庫
DocType: SMS Settings,Message Parameter,メッセージパラメータ
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,金融原価センタのツリー。
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,金融原価センタのツリー。
DocType: Serial No,Delivery Document No,納品文書番号
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},当社では「資産売却益/損失勘定 'を設定してください{0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,領収書からアイテムを取得
DocType: Serial No,Creation Date,作成日
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},アイテム{0}が価格表{1}に複数回表れています
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}",「適用先」に{0}が選択された場合、「販売」にチェックを入れる必要があります
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}",「適用先」に{0}が選択された場合、「販売」にチェックを入れる必要があります
DocType: Production Plan Material Request,Material Request Date,資材要求日
DocType: Purchase Order Item,Supplier Quotation Item,サプライヤー見積アイテム
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,製造指示に対する時間ログの作成を無効にします。作業は製造指図を追跡しません
DocType: Student,Student Mobile Number,学生携帯電話番号
DocType: Item,Has Variants,バリエーションあり
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},あなたはすでにから項目を選択した{0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},あなたはすでにから項目を選択した{0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,月次配分の名前
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,バッチIDは必須です
DocType: Sales Person,Parent Sales Person,親販売担当者
@@ -1852,12 +1866,12 @@
DocType: Budget,Fiscal Year,会計年度
DocType: Vehicle Log,Fuel Price,燃料価格
DocType: Budget,Budget,予算
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,固定資産の項目は非在庫項目でなければなりません。
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,固定資産の項目は非在庫項目でなければなりません。
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",収入または支出でない予算は、{0} に対して割り当てることができません
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,達成
DocType: Student Admission,Application Form Route,申込書ルート
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,地域/顧客
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,例「5」
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,例「5」
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,それは無給のままにされているので、タイプは{0}を割り当てることができないままに
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},行{0}:割り当て額 {1} は未払請求額{2}以下である必要があります。
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,請求書を保存すると表示される表記内。
@@ -1866,7 +1880,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,アイテム{0}にはシリアル番号が設定されていません。アイテムマスタを確認してください。
DocType: Maintenance Visit,Maintenance Time,メンテナンス時間
,Amount to Deliver,配送額
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,製品またはサービス
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,製品またはサービス
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,期間開始日は、用語がリンクされている年度の年度開始日より前にすることはできません(アカデミック・イヤー{})。日付を訂正して、もう一度お試しください。
DocType: Guardian,Guardian Interests,ガーディアン興味
DocType: Naming Series,Current Value,現在の値
@@ -1880,12 +1894,12 @@
must be greater than or equal to {2}",行{0}:{1}の周期を設定するには、開始日から終了日までの期間が {2} 以上必要です
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,これは、株式の動きに基づいています。詳細については、{0}を参照してください。
DocType: Pricing Rule,Selling,販売
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},量は{0} {1} {2}に対する控除します
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},量は{0} {1} {2}に対する控除します
DocType: Employee,Salary Information,給与情報
DocType: Sales Person,Name and Employee ID,名前と従業員ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,期限日を転記日付より前にすることはできません
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,期限日を転記日付より前にすることはできません
DocType: Website Item Group,Website Item Group,ウェブサイトの項目グループ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,関税と税金
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,関税と税金
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,基準日を入力してください
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} 件の支払いエントリが {1}によってフィルタリングできません
DocType: Item Website Specification,Table for Item that will be shown in Web Site,Webサイトに表示されたアイテムの表
@@ -1902,10 +1916,10 @@
DocType: Payment Reconciliation Payment,Reference Row,リファレンス行
DocType: Installation Note,Installation Time,設置時間
DocType: Sales Invoice,Accounting Details,会計詳細
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,この会社の全ての取引を削除
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"行 {0}:注文番号{3}には完成品{2}個が必要なため、作業{1}は完了していません。
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,この会社の全ての取引を削除
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"行 {0}:注文番号{3}には完成品{2}個が必要なため、作業{1}は完了していません。
時間ログから作業ステータスを更新してください"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,投資
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,投資
DocType: Issue,Resolution Details,課題解決詳細
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,割当
DocType: Item Quality Inspection Parameter,Acceptance Criteria,合否基準
@@ -1930,7 +1944,7 @@
DocType: Room,Room Name,ルーム名
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",休暇バランスが既にキャリー転送将来の休暇の割り当てレコードであったように、前に{0}キャンセル/適用することができないままに{1}
DocType: Activity Cost,Costing Rate,原価計算単価
-,Customer Addresses And Contacts,顧客の住所と連絡先
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,顧客の住所と連絡先
,Campaign Efficiency,キャンペーンの効率
DocType: Discussion,Discussion,討論
DocType: Payment Entry,Transaction ID,トランザクションID
@@ -1940,14 +1954,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),合計請求金額(タイムシートを介して)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,リピート顧客の収益
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0}({1})は「経費承認者」の権限を持っている必要があります
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,組
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,生産のためのBOMと数量を選択
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,組
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,生産のためのBOMと数量を選択
DocType: Asset,Depreciation Schedule,減価償却スケジュール
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,セールスパートナーのアドレスと連絡先
DocType: Bank Reconciliation Detail,Against Account,アカウントに対して
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,半日日付は日付からと日付までの間であるべきです
DocType: Maintenance Schedule Detail,Actual Date,実際の日付
DocType: Item,Has Batch No,バッチ番号あり
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},年次請求:{0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},年次請求:{0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),財およびサービス税(GSTインド)
DocType: Delivery Note,Excise Page Number,物品税ページ番号
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory",当社は、日付から現在までには必須です
DocType: Asset,Purchase Date,購入日
@@ -1955,11 +1971,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},会社の「資産減価償却原価センタ 'を設定してください{0}
,Maintenance Schedules,メンテナンス予定
DocType: Task,Actual End Date (via Time Sheet),(タイムシートを介して)実際の終了日
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},量{0} {1} {2} {3}に対して、
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},量{0} {1} {2} {3}に対して、
,Quotation Trends,見積傾向
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},アイテム{0}のアイテムマスターにはアイテムグループが記載されていません
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,借方計上は売掛金勘定でなければなりません
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},アイテム{0}のアイテムマスターにはアイテムグループが記載されていません
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,借方計上は売掛金勘定でなければなりません
DocType: Shipping Rule Condition,Shipping Amount,出荷量
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,顧客を追加する
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,保留中の金額
DocType: Purchase Invoice Item,Conversion Factor,換算係数
DocType: Purchase Order,Delivered,納品済
@@ -1969,7 +1986,8 @@
DocType: Purchase Receipt,Vehicle Number,車両番号
DocType: Purchase Invoice,The date on which recurring invoice will be stop,繰り返し請求停止予定日
DocType: Employee Loan,Loan Amount,融資額
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},列{0}:部品表項目{1}が見つかりません
+DocType: Program Enrollment,Self-Driving Vehicle,自走車
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},列{0}:部品表項目{1}が見つかりません
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,総割り当てられた葉{0}の期間のために既に承認された葉{1}より小さくすることはできません
DocType: Journal Entry,Accounts Receivable,売掛金
,Supplier-Wise Sales Analytics,サプライヤーごとのセールス分析
@@ -1986,21 +2004,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,経費請求は承認待ちです。経費承認者のみ、ステータスを更新することができます。
DocType: Email Digest,New Expenses,新しい経費
DocType: Purchase Invoice,Additional Discount Amount,追加割引額
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",行#{0}:項目は固定資産であるとして数量は、1でなければなりません。複数の数量のための個別の行を使用してください。
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",行#{0}:項目は固定資産であるとして数量は、1でなければなりません。複数の数量のための個別の行を使用してください。
DocType: Leave Block List Allow,Leave Block List Allow,許可する休暇リスト
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,略称は、空白またはスペースにすることはできません
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,略称は、空白またはスペースにすることはできません
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,グループから非グループ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,スポーツ
DocType: Loan Type,Loan Name,ローン名前
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,実費計
DocType: Student Siblings,Student Siblings,学生兄弟
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,単位
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,会社を指定してください
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,単位
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,会社を指定してください
,Customer Acquisition and Loyalty,顧客獲得とロイヤルティ
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,返品を保管する倉庫
DocType: Production Order,Skip Material Transfer,マテリアル転送をスキップする
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,キー日付{2}の{0}から{1}への為替レートを見つけることができません。通貨レコードを手動で作成してください
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,会計年度終了日
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,キー日付{2}の{0}から{1}への為替レートを見つけることができません。通貨レコードを手動で作成してください
DocType: POS Profile,Price List,価格表
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0}はデフォルト会計年度です。変更を反映するためにブラウザを更新してください
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,経費請求
@@ -2013,14 +2030,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},倉庫 {3} のアイテム {2} ではバッチ {0} の在庫残高がマイナス {1} になります
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,以下の資料の要求は、アイテムの再オーダーレベルに基づいて自動的に提起されています
DocType: Email Digest,Pending Sales Orders,保留中の受注
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},アカウント{0}は無効です。アカウントの通貨は{1}でなければなりません
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},アカウント{0}は無効です。アカウントの通貨は{1}でなければなりません
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},行{0}には数量単位変換係数が必要です
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",行#{0}:リファレンスドキュメントタイプは受注、納品書や仕訳のいずれかでなければなりません
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",行#{0}:リファレンスドキュメントタイプは受注、納品書や仕訳のいずれかでなければなりません
DocType: Salary Component,Deduction,控除
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,行{0}:時間との時間からは必須です。
DocType: Stock Reconciliation Item,Amount Difference,量差
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},価格表{1}の{0}にアイテム価格を追加しました
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},価格表{1}の{0}にアイテム価格を追加しました
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,営業担当者の従業員IDを入力してください
DocType: Territory,Classification of Customers by region,地域別の顧客の分類
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,差額はゼロでなければなりません
@@ -2032,21 +2049,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,控除合計
,Production Analytics,生産分析
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,費用更新
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,費用更新
DocType: Employee,Date of Birth,生年月日
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,アイテム{0}はすでに返品されています
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,アイテム{0}はすでに返品されています
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,「会計年度」は、会計年度を表します。すべての会計記帳および他の主要な取引は、「会計年度」に対して記録されます。
DocType: Opportunity,Customer / Lead Address,顧客/リード住所
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},注意:添付ファイル{0}のSSL証明書が無効です
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},注意:添付ファイル{0}のSSL証明書が無効です
DocType: Student Admission,Eligibility,適格性
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads",リードは、あなたのリードとしてすべての連絡先などを追加、あなたがビジネスを得るのを助けます
DocType: Production Order Operation,Actual Operation Time,実作業時間
DocType: Authorization Rule,Applicable To (User),(ユーザー)に適用
DocType: Purchase Taxes and Charges,Deduct,差し引く
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,仕事内容
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,仕事内容
DocType: Student Applicant,Applied,適用されました
DocType: Sales Invoice Item,Qty as per Stock UOM,在庫単位ごとの数量
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2名
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2名
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series",「-」「#」「.」「/」以外の記号は、シリーズ名に使用できません
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.",セールスキャンペーンを追跡します。投資収益率を測定するために、キャンペーンから受注、見積、リードなどを追跡します。
DocType: Expense Claim,Approver,承認者
@@ -2064,20 +2081,21 @@
DocType: Purchase Invoice,In Words (Company Currency),文字表記(会社通貨)
DocType: Asset,Supplier,サプライヤー
DocType: C-Form,Quarter,四半期
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,雑費
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,雑費
DocType: Global Defaults,Default Company,デフォルトの会社
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,在庫に影響するアイテム{0}には、費用または差損益が必須です
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,在庫に影響するアイテム{0}には、費用または差損益が必須です
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,銀行名
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,以上
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,以上
DocType: Employee Loan,Employee Loan Account,従業員のローンアカウント
DocType: Leave Application,Total Leave Days,総休暇日数
DocType: Email Digest,Note: Email will not be sent to disabled users,注意:ユーザーを無効にするとメールは送信されなくなります
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,インタラクション数
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,商品コード>商品グループ>ブランド
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,会社を選択...
DocType: Leave Control Panel,Leave blank if considered for all departments,全部門が対象の場合は空白のままにします
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).",雇用タイプ(正社員、契約社員、インターンなど)
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0}はアイテム{1}に必須です
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0}はアイテム{1}に必須です
DocType: Process Payroll,Fortnightly,2週間ごとの
DocType: Currency Exchange,From Currency,通貨から
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",割当額、請求タイプ、請求書番号を少なくとも1つの行から選択してください
@@ -2099,7 +2117,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,「スケジュールを生成」をクリックしてスケジュールを取得してください
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,次のスケジュールの削除中にエラーが発生しました:
DocType: Bin,Ordered Quantity,注文数
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",例「ビルダーのためのツール構築」
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",例「ビルダーのためのツール構築」
DocType: Grading Scale,Grading Scale Intervals,グレーディングスケール間隔
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}:{3}:{2}だけ通貨で行うことができるための会計エントリを
DocType: Production Order,In Process,処理中
@@ -2113,12 +2131,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0}学生グループが作成されました。
DocType: Sales Invoice,Total Billing Amount,総請求額
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,これを動作させるために、有効にデフォルトの着信電子メールアカウントが存在する必要があります。してくださいセットアップデフォルトの着信メールアカウント(POP / IMAP)、再試行してください。
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,売掛金勘定
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},行#{0}:アセット{1} {2}既にあります
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,売掛金勘定
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},行#{0}:アセット{1} {2}既にあります
DocType: Quotation Item,Stock Balance,在庫残高
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,受注からの支払
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,セットアップ>設定>ネーミングシリーズで{0}のネーミングシリーズを設定してください
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,最高経営責任者(CEO)
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,最高経営責任者(CEO)
DocType: Expense Claim Detail,Expense Claim Detail,経費請求の詳細
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,正しいアカウントを選択してください
DocType: Item,Weight UOM,重量単位
@@ -2127,12 +2144,12 @@
DocType: Production Order Operation,Pending,保留
DocType: Course,Course Name,コース名
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,特定の従業員の休暇申請を承認することができるユーザー
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,OA機器
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,OA機器
DocType: Purchase Invoice Item,Qty,数量
DocType: Fiscal Year,Companies,企業
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,電子機器
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,在庫が再注文レベルに達したときに原材料要求を挙げる
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,フルタイム
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,フルタイム
DocType: Salary Structure,Employees,従業員
DocType: Employee,Contact Details,連絡先の詳細
DocType: C-Form,Received Date,受信日
@@ -2142,7 +2159,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,価格表が設定されていない場合の価格は表示されません
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,配送ルールに国を指定するか、全世界出荷をチェックしてください
DocType: Stock Entry,Total Incoming Value,収入価値合計
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,デビットへが必要とされます
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,デビットへが必要とされます
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team",タイムシートは、あなたのチームによって行わのactivitesのための時間、コストおよび課金を追跡するのに役立ち
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,仕入価格表
DocType: Offer Letter Term,Offer Term,雇用契約条件
@@ -2151,17 +2168,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,支払照合
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,担当者名を選択してください
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,技術
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},総未払い:{0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},総未払い:{0}
DocType: BOM Website Operation,BOM Website Operation,BOMウェブサイトの運用
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,雇用契約書
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,資材要求(MRP)と製造指示を生成
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,請求額合計
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,請求額合計
DocType: BOM,Conversion Rate,変換速度
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,商品検索
DocType: Timesheet Detail,To Time,終了時間
DocType: Authorization Rule,Approving Role (above authorized value),役割を承認(許可値以上)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,「貸方へ」アカウントは買掛金でなければなりません
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},部品表再帰:{0} {2}の親または子にすることはできません
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,「貸方へ」アカウントは買掛金でなければなりません
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},部品表再帰:{0} {2}の親または子にすることはできません
DocType: Production Order Operation,Completed Qty,完成した数量
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",{0}には、別の貸方エントリに対する借方勘定のみリンクすることができます
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,価格表{0}は無効になっています
@@ -2172,28 +2189,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,アイテム {1} には {0} 件のシリアル番号が必要です。{2} 件指定されています
DocType: Stock Reconciliation Item,Current Valuation Rate,現在の評価額
DocType: Item,Customer Item Codes,顧客アイテムコード
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,取引利益/損失
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,取引利益/損失
DocType: Opportunity,Lost Reason,失われた理由
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,新しい住所
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,新しい住所
DocType: Quality Inspection,Sample Size,サンプルサイズ
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,領収書の文書を入力してください。
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,全てのアイテムはすでに請求済みです
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,全てのアイテムはすでに請求済みです
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',有効な「参照元ケース番号」を指定してください
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,コストセンターはさらにグループの下に作成できますが、エントリは非グループに対して対して作成できます
DocType: Project,External,外部
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,ユーザーと権限
DocType: Vehicle Log,VLOG.,VLOG。
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},作成された製造指図:{0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},作成された製造指図:{0}
DocType: Branch,Branch,支社・支店
DocType: Guardian,Mobile Number,携帯電話番号
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,印刷とブランディング
DocType: Bin,Actual Quantity,実際の数量
DocType: Shipping Rule,example: Next Day Shipping,例:翌日発送
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,シリアル番号 {0} は見つかりません
-DocType: Scheduling Tool,Student Batch,学生バッチ
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,あなたの顧客
+DocType: Program Enrollment,Student Batch,学生バッチ
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,学生を作ります
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},プロジェクト:{0} の共同作業に招待されました
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},プロジェクト:{0} の共同作業に招待されました
DocType: Leave Block List Date,Block Date,ブロック日付
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,今すぐ適用
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},実際の数量{0} /待機数{1}
@@ -2202,7 +2218,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.",日次・週次・月次のメールダイジェストを作成・管理
DocType: Appraisal Goal,Appraisal Goal,査定目標
DocType: Stock Reconciliation Item,Current Amount,電流量
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,建物
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,建物
DocType: Fee Structure,Fee Structure,料金体系
DocType: Timesheet Detail,Costing Amount,原価計算額
DocType: Student Admission,Application Fee,出願料
@@ -2214,10 +2230,10 @@
DocType: POS Profile,[Select],[選択]
DocType: SMS Log,Sent To,送信先
DocType: Payment Request,Make Sales Invoice,納品書を作成
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,ソフト
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,ソフト
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,次の連絡先の日付は、過去にすることはできません
DocType: Company,For Reference Only.,参考用
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,バッチ番号を選択
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,バッチ番号を選択
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},無効な{0}:{1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,前払額
@@ -2227,15 +2243,15 @@
DocType: Employee,Employment Details,雇用の詳細
DocType: Employee,New Workplace,新しい職場
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,クローズに設定
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},バーコード{0}のアイテムはありません
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},バーコード{0}のアイテムはありません
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,ケース番号は0にすることはできません
DocType: Item,Show a slideshow at the top of the page,ページの上部にスライドショーを表示
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,部品表
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,店舗
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,部品表
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,店舗
DocType: Serial No,Delivery Time,納品時間
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,エイジング基準
DocType: Item,End of Life,提供終了
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,移動
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,移動
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,与えられた日付の従業員{0}が見つかりませアクティブまたはデフォルトの給与構造はありません
DocType: Leave Block List,Allow Users,ユーザーを許可
DocType: Purchase Order,Customer Mobile No,顧客携帯電話番号
@@ -2244,30 +2260,31 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,費用更新
DocType: Item Reorder,Item Reorder,アイテム再注文
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,ショー給与スリップ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,資材配送
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,資材配送
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",「運用」には「運用コスト」「固有の運用番号」を指定してください。
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,この文書では、アイテム{4}の{0} {1}によって限界を超えています。あなたが作っている同じに対して別の{3} {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,保存した後、繰り返し設定をしてください
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,変化量のアカウントを選択
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,この文書では、アイテム{4}の{0} {1}によって限界を超えています。あなたが作っている同じに対して別の{3} {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,保存した後、繰り返し設定をしてください
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,変化量のアカウントを選択
DocType: Purchase Invoice,Price List Currency,価格表の通貨
DocType: Naming Series,User must always select,ユーザーは常に選択する必要があります
DocType: Stock Settings,Allow Negative Stock,マイナス在庫を許可
DocType: Installation Note,Installation Note,設置票
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,税金を追加
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,税金を追加
DocType: Topic,Topic,トピック
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,財務活動によるキャッシュフロー
DocType: Budget Account,Budget Account,予算アカウント
DocType: Quality Inspection,Verified By,検証者
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","既存の取引が存在するため、会社のデフォルトの通貨を変更することができません。
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","既存の取引が存在するため、会社のデフォルトの通貨を変更することができません。
デフォルトの通貨を変更するには取引をキャンセルする必要があります。"
DocType: Grading Scale Interval,Grade Description,等級説明
DocType: Stock Entry,Purchase Receipt No,領収書番号
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,手付金
DocType: Process Payroll,Create Salary Slip,給与伝票を作成する
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,トレーサビリティ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),資金源泉(負債)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},行の数量{0}({1})で製造量{2}と同じでなければなりません
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),資金源泉(負債)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},行の数量{0}({1})で製造量{2}と同じでなければなりません
DocType: Appraisal,Employee,従業員
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,バッチを選択
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1}は支払済です
DocType: Training Event,End Time,終了時間
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,与えられた日付の従業員{1}が見つかりアクティブ給与構造{0}
@@ -2279,11 +2296,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,必要な箇所
DocType: Rename Tool,File to Rename,名前を変更するファイル
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},行 {0} 内のアイテムの部品表(BOM)を選択してください
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},アイテム{1}には、指定した部品表{0}が存在しません
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},アカウント{0}は、アカウントモードで{1}の会社と一致しません:{2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},アイテム{1}には、指定した部品表{0}が存在しません
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,この受注をキャンセルする前に、メンテナンス予定{0}をキャンセルしなければなりません
DocType: Notification Control,Expense Claim Approved,経費請求を承認
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,従業員の給与スリップ{0}はすでにこの期間のために作成します
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,医薬品
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,医薬品
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,仕入アイテムの費用
DocType: Selling Settings,Sales Order Required,受注必須
DocType: Purchase Invoice,Credit To,貸方へ
@@ -2300,42 +2318,42 @@
DocType: Payment Gateway Account,Payment Account,支払勘定
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,続行する会社を指定してください
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,売掛金の純変更
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,代償オフ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,代償オフ
DocType: Offer Letter,Accepted,承認済
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,組織
DocType: SG Creation Tool Course,Student Group Name,学生グループ名
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,本当にこの会社のすべての取引を削除するか確認してください。マスタデータは残ります。このアクションは、元に戻すことはできません。
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,本当にこの会社のすべての取引を削除するか確認してください。マスタデータは残ります。このアクションは、元に戻すことはできません。
DocType: Room,Room Number,部屋番号
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},無効な参照 {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0}({1})は製造指示{3}において計画数量({2})より大きくすることはできません
DocType: Shipping Rule,Shipping Rule Label,出荷ルールラベル
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,ユーザーフォーラム
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,原材料は空白にできません。
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.",請求書は、ドロップシッピングの項目を含む、株式を更新できませんでした。
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,原材料は空白にできません。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.",請求書は、ドロップシッピングの項目を含む、株式を更新できませんでした。
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,クイック仕訳エントリー
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,アイテムに対して部品表が記載されている場合は、レートを変更することができません
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,アイテムに対して部品表が記載されている場合は、レートを変更することができません
DocType: Employee,Previous Work Experience,前職歴
DocType: Stock Entry,For Quantity,数量
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},アイテム{0}行{1}に予定数量を入力してください
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1}は提出されていません
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,アイテム要求
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,各完成品それぞれに独立した製造指示が作成されます。
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0}の戻り文書では負でなければなりません
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0}の戻り文書では負でなければなりません
,Minutes to First Response for Issues,問題のためのファースト・レスポンス分
DocType: Purchase Invoice,Terms and Conditions1,規約1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,あなたはこのシステムを設定している研究所の名前。
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,あなたはこのシステムを設定している研究所の名前。
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",会計エントリーはこの日から凍結され、以下の役割を除いて実行/変更できません。
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,保守スケジュールを生成する前に、ドキュメントを保存してください
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,プロジェクトステータス
DocType: UOM,Check this to disallow fractions. (for Nos),数に小数を許可しない場合チェック
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,以下の製造指示が作成されました:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,以下の製造指示が作成されました:
DocType: Student Admission,Naming Series (for Student Applicant),(学生申請者用)シリーズの命名
DocType: Delivery Note,Transporter Name,輸送者名
DocType: Authorization Rule,Authorized Value,許可値
DocType: BOM,Show Operations,表示操作
,Minutes to First Response for Opportunity,機会のためのファースト・レスポンス分
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,欠席計
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,行{0}のアイテムまたは倉庫が資材要求と一致していません
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,行{0}のアイテムまたは倉庫が資材要求と一致していません
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,数量単位
DocType: Fiscal Year,Year End Date,年終日
DocType: Task Depends On,Task Depends On,依存するタスク
@@ -2441,11 +2459,11 @@
DocType: Asset,Manual,マニュアル
DocType: Salary Component Account,Salary Component Account,給与コンポーネントのアカウント
DocType: Global Defaults,Hide Currency Symbol,通貨記号を非表示にする
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card",例「銀行」「現金払い」「クレジットカード払い」
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card",例「銀行」「現金払い」「クレジットカード払い」
DocType: Lead Source,Source Name,ソース名
DocType: Journal Entry,Credit Note,貸方票
DocType: Warranty Claim,Service Address,所在地
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,家具や備品
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,家具や備品
DocType: Item,Manufacture,製造
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,まず納品書が先です
DocType: Student Applicant,Application Date,出願日
@@ -2455,7 +2473,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,決済日が記入されていません
apps/erpnext/erpnext/config/manufacturing.py +7,Production,製造
DocType: Guardian,Occupation,職業
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,従業員ネーミングシステムの人事管理>人事管理の設定
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,行{0}:開始日は終了日より前でなければなりません
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),合計(量)
DocType: Sales Invoice,This Document,この文書
@@ -2467,19 +2484,19 @@
DocType: Purchase Receipt,Time at which materials were received,資材受領時刻
DocType: Stock Ledger Entry,Outgoing Rate,出庫率
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,組織支部マスター。
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,または
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,または
DocType: Sales Order,Billing Status,課金状況
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,課題をレポート
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,水道光熱費
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,水道光熱費
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90以上
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,行#{0}:仕訳は、{1}アカウント{2}を持っているか、すでに別のバウチャーに対して一致しません
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,行#{0}:仕訳は、{1}アカウント{2}を持っているか、すでに別のバウチャーに対して一致しません
DocType: Buying Settings,Default Buying Price List,デフォルト購入価格表
DocType: Process Payroll,Salary Slip Based on Timesheet,タイムシートに基づいて給与スリップ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,上記の選択基準又は給与のスリップには従業員がすでに作成されていません
DocType: Notification Control,Sales Order Message,受注メッセージ
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",会社、通貨、会計年度などのデフォルト値を設定
DocType: Payment Entry,Payment Type,支払タイプ
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,アイテム{0}のバッチを選択してください。この要件を満たす単一のバッチを見つけることができません
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,アイテム{0}のバッチを選択してください。この要件を満たす単一のバッチを見つけることができません
DocType: Process Payroll,Select Employees,従業員を選択
DocType: Opportunity,Potential Sales Deal,潜在的販売取引
DocType: Payment Entry,Cheque/Reference Date,小切手/リファレンス日
@@ -2499,7 +2516,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,領収書の文書を提出しなければなりません
DocType: Purchase Invoice Item,Received Qty,受領数
DocType: Stock Entry Detail,Serial No / Batch,シリアル番号/バッチ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,有料とNot配信されません
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,有料とNot配信されません
DocType: Product Bundle,Parent Item,親アイテム
DocType: Account,Account Type,アカウントタイプ
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2513,24 +2530,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),納品パッケージの識別票(印刷用)
DocType: Bin,Reserved Quantity,予約数量
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,有効なメールアドレスを入力してください
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},プログラム{0}の必須コースはありません。
DocType: Landed Cost Voucher,Purchase Receipt Items,領収書アイテム
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,フォームのカスタマイズ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,滞納
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,滞納
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,期間中の減価償却額
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,[無効]テンプレートは、デフォルトのテンプレートであってはなりません
DocType: Account,Income Account,収益勘定
DocType: Payment Request,Amount in customer's currency,顧客通貨での金額
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,配送
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,配送
DocType: Stock Reconciliation Item,Current Qty,現在の数量
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",原価計算セクションの「資材単価基準」を参照してください。
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,前の
DocType: Appraisal Goal,Key Responsibility Area,重要責任分野
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students",学生のバッチは、あなたが学生のための出席、アセスメントとサービス料を追跡するのに役立ち
DocType: Payment Entry,Total Allocated Amount,総配分される金額
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,永続在庫のデフォルト在庫アカウントの設定
DocType: Item Reorder,Material Request Type,資材要求タイプ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},{0} {1}への給与Accural仕訳
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save",localStorageがいっぱいになった、保存されませんでした
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save",localStorageがいっぱいになった、保存されませんでした
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,行{0}:数量単位(UOM)換算係数は必須です
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,参照
DocType: Budget,Cost Center,コストセンター
@@ -2543,19 +2560,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",価格設定ルールは、価格表を上書きし、いくつかの基準に基づいて値引きの割合を定義します
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,倉庫は在庫エントリー/納品書/領収書を介してのみ変更可能です
DocType: Employee Education,Class / Percentage,クラス/パーセンテージ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,マーケティングおよび販売部長
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,所得税
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,マーケティングおよび販売部長
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,所得税
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.",選択した価格設定ルールが「価格」のために作られている場合は、価格表が上書きされます。価格設定ルールの価格は最終的な価格なので、以降は割引が適用されるべきではありません。したがって、受注、発注書などのような取引内では「価格表レート」フィールドよりも「レート」フィールドで取得されます。
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,業種によってリードを追跡
DocType: Item Supplier,Item Supplier,アイテムサプライヤー
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,バッチ番号を取得するためにアイテムコードを入力をしてください
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},{0} quotation_to {1} の値を選択してください
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,バッチ番号を取得するためにアイテムコードを入力をしてください
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},{0} quotation_to {1} の値を選択してください
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,全ての住所。
DocType: Company,Stock Settings,在庫設定
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",両方のレコードで次のプロパティが同じである場合、マージのみ可能です。グループ、ルートタイプ、会社です
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",両方のレコードで次のプロパティが同じである場合、マージのみ可能です。グループ、ルートタイプ、会社です
DocType: Vehicle,Electric,電気の
DocType: Task,% Progress,% 進捗
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,資産処分益/損失
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,資産処分益/損失
DocType: Training Event,Will send an email about the event to employees with status 'Open',「開く」の状態で、従業員へのイベントに関する電子メールを送信します
DocType: Task,Depends on Tasks,タスクに依存
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,顧客グループツリーを管理します。
@@ -2564,7 +2581,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,新しいコストセンター名
DocType: Leave Control Panel,Leave Control Panel,[コントロールパネル]を閉じる
DocType: Project,Task Completion,タスク完了
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,在庫にありません
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,在庫にありません
DocType: Appraisal,HR User,人事ユーザー
DocType: Purchase Invoice,Taxes and Charges Deducted,租税公課控除
apps/erpnext/erpnext/hooks.py +116,Issues,課題
@@ -2575,22 +2592,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},{0}と{1}の間で見つかりませ給与スリップません
,Pending SO Items For Purchase Request,仕入要求のため保留中の受注アイテム
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,学生の入学
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} は無効になっています
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} は無効になっています
DocType: Supplier,Billing Currency,請求通貨
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,XL
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,XL
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,総葉
,Profit and Loss Statement,損益計算書
DocType: Bank Reconciliation Detail,Cheque Number,小切手番号
,Sales Browser,販売ブラウザ
DocType: Journal Entry,Total Credit,貸方合計
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},警告:別の{0}#{1}が在庫エントリ{2}に対して存在します
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,現地
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,現地
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),ローンと貸付金(資産)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,債務者
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,L
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,L
DocType: Homepage Featured Product,Homepage Featured Product,ホームページ人気商品
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,すべての評価グループ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,すべての評価グループ
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,新倉庫名
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),合計{0}({1})
DocType: C-Form Invoice Detail,Territory,地域
@@ -2600,12 +2617,12 @@
DocType: Production Order Operation,Planned Start Time,計画開始時間
DocType: Course,Assessment,評価
DocType: Payment Entry Reference,Allocated,割り当て済み
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,貸借対照表を閉じて損益を記帳
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,貸借対照表を閉じて損益を記帳
DocType: Student Applicant,Application Status,申請状況
DocType: Fees,Fees,料金
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,別通貨に変換するための為替レートを指定
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,見積{0}はキャンセルされました
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,残高合計
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,残高合計
DocType: Sales Partner,Targets,ターゲット
DocType: Price List,Price List Master,価格表マスター
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,すべての販売取引について、複数の「営業担当者」に対するタグを付けることができるため、これによって目標を設定しチェックすることができます。
@@ -2648,11 +2665,11 @@
1.住所とあなたの会社の連絡先"
DocType: Attendance,Leave Type,休暇タイプ
DocType: Purchase Invoice,Supplier Invoice Details,サプライヤの請求書の詳細
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,費用/差損益({0})は「損益」アカウントである必要があります
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,費用/差損益({0})は「損益」アカウントである必要があります
DocType: Project,Copied From,コピー元
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},名前のエラー:{0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,不足
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} {2} {3}に関連付けられていません
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} {2} {3}に関連付けられていません
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,従業員{0}の出勤はすでにマークされています
DocType: Packing Slip,If more than one package of the same type (for print),同じタイプで複数パッケージの場合(印刷用)
,Salary Register,給与登録
@@ -2670,22 +2687,23 @@
,Requested Qty,要求数量
DocType: Tax Rule,Use for Shopping Cart,ショッピングカートに使用
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},値は{0}属性{1}のアイテムの属性値を有効な項目のリストに存在しない{2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,シリアル番号を選択
DocType: BOM Item,Scrap %,スクラップ%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection",料金は、選択によって、アイテムの数量または量に基づいて均等に分割されます
DocType: Maintenance Visit,Purposes,目的
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,還付書内では、少なくとも1つの項目がマイナスで入力されていなければなりません
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,還付書内では、少なくとも1つの項目がマイナスで入力されていなければなりません
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations",操作{0}は、ワークステーション{1}で使用可能な作業時間よりも長いため、複数の操作に分解してください
,Requested,要求済
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,備考がありません
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,備考がありません
DocType: Purchase Invoice,Overdue,期限超過
DocType: Account,Stock Received But Not Billed,記帳前在庫
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,rootアカウントは、グループにする必要があります
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,rootアカウントは、グループにする必要があります
DocType: Fees,FEE.,代。
DocType: Employee Loan,Repaid/Closed,返済/クローズ
DocType: Item,Total Projected Qty,全投影数量
DocType: Monthly Distribution,Distribution Name,配布名
DocType: Course,Course Code,コースコード
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},アイテム{0}に必要な品質検査
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},アイテム{0}に必要な品質検査
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,顧客の通貨が会社の基本通貨に換算されるレート
DocType: Purchase Invoice Item,Net Rate (Company Currency),正味単価(会社通貨)
DocType: Salary Detail,Condition and Formula Help,条件と式のヘルプ
@@ -2698,27 +2716,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,製造用資材移送
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,割引率は、価格表に対して、またはすべての価格リストのいずれかを適用することができます。
DocType: Purchase Invoice,Half-yearly,半年ごと
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,在庫の会計エントリー
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,在庫の会計エントリー
DocType: Vehicle Service,Engine Oil,エンジンオイル
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,従業員ネーミングシステムの人事管理>人事管理の設定
DocType: Sales Invoice,Sales Team1,販売チーム1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,アイテム{0}は存在しません
DocType: Sales Invoice,Customer Address,顧客の住所
DocType: Employee Loan,Loan Details,ローン詳細
+DocType: Company,Default Inventory Account,デフォルトの在庫アカウント
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,行{0}:完了数量はゼロより大きくなければなりません。
DocType: Purchase Invoice,Apply Additional Discount On,追加割引に適用
DocType: Account,Root Type,ルートタイプ
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},行#{0}:アイテム {2} では {1} 以上を返すことはできません
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},行#{0}:アイテム {2} では {1} 以上を返すことはできません
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,プロット
DocType: Item Group,Show this slideshow at the top of the page,ページの上部にこのスライドショーを表示
DocType: BOM,Item UOM,アイテム数量単位
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),割引後税額(会社通貨)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},{0}行にターゲット倉庫が必須です。
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},{0}行にターゲット倉庫が必須です。
DocType: Cheque Print Template,Primary Settings,プライマリ設定
DocType: Purchase Invoice,Select Supplier Address,サプライヤー住所を選択
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,従業員を追加します。
DocType: Purchase Invoice Item,Quality Inspection,品質検査
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,XS
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,XS
DocType: Company,Standard Template,標準テンプレート
DocType: Training Event,Theory,理論
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,警告:資材要求数が注文最小数を下回っています。
@@ -2726,7 +2746,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,組織内で別々の勘定科目を持つ法人/子会社
DocType: Payment Request,Mute Email,ミュートメール
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco",食品、飲料&タバコ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},唯一の未請求{0}に対して支払いを行うことができます
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},唯一の未請求{0}に対して支払いを行うことができます
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,手数料率は、100を超えることはできません。
DocType: Stock Entry,Subcontract,下請
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,先に{0}を入力してください
@@ -2739,18 +2759,18 @@
DocType: SMS Log,No of Sent SMS,送信されたSMSの数
DocType: Account,Expense Account,経費科目
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,ソフトウェア
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,カラー
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,カラー
DocType: Assessment Plan Criteria,Assessment Plan Criteria,評価の計画基準
DocType: Training Event,Scheduled,スケジュール設定済
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,見積を依頼
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",「在庫アイテム」が「いいえ」であり「販売アイテム」が「はい」であり他の製品付属品が無いアイテムを選択してください。
DocType: Student Log,Academic,アカデミック
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),注文に対する総事前({0}){1}({2})総合計よりも大きくすることはできません。
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),注文に対する総事前({0}){1}({2})総合計よりも大きくすることはできません。
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,月をまたがってターゲットを不均等に配分するには、「月次配分」を選択してください
DocType: Purchase Invoice Item,Valuation Rate,評価額
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,ディーゼル
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,価格表の通貨が選択されていません
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,価格表の通貨が選択されていません
,Student Monthly Attendance Sheet,学生月次出席シート
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},従業員{0}は{2} と{3}の間の{1}を既に申請しています
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,プロジェクト開始日
@@ -2762,7 +2782,7 @@
DocType: BOM,Scrap,スクラップ
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,セールスパートナーを管理します。
DocType: Quality Inspection,Inspection Type,検査タイプ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,既存の取引に倉庫を基に変換することはできません。
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,既存の取引に倉庫を基に変換することはできません。
DocType: Assessment Result Tool,Result HTML,結果HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,有効期限
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,学生を追加
@@ -2770,13 +2790,13 @@
DocType: C-Form,C-Form No,C-フォームはありません
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,無印出席
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,リサーチャー
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,リサーチャー
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,プログラム登録ツール学生
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,名前またはメールアドレスが必須です
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,収入品質検査。
DocType: Purchase Order Item,Returned Qty,返品数量
DocType: Employee,Exit,終了
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,ルートタイプが必須です
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,ルートタイプが必須です
DocType: BOM,Total Cost(Company Currency),総コスト(会社通貨)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,シリアル番号 {0}を作成しました
DocType: Homepage,Company Description for website homepage,ウェブサイトのホームページのための会社説明
@@ -2785,7 +2805,7 @@
DocType: Sales Invoice,Time Sheet List,タイムシート一覧
DocType: Employee,You can enter any date manually,手動で日付を入力することができます
DocType: Asset Category Account,Depreciation Expense Account,減価償却費アカウント
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,試用期間
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,試用期間
DocType: Customer Group,Only leaf nodes are allowed in transaction,取引にはリーフノードのみ許可されています
DocType: Expense Claim,Expense Approver,経費承認者
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,行{0}:お客様に対する事前クレジットでなければなりません
@@ -2798,10 +2818,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,コーススケジュールを削除します:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,SMSの配信状態を維持管理するためのログ
DocType: Accounts Settings,Make Payment via Journal Entry,仕訳を経由して支払いを行います
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,上に印刷
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,上に印刷
DocType: Item,Inspection Required before Delivery,配達前に必要な検査
DocType: Item,Inspection Required before Purchase,購入する前に必要な検査
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,保留中の活動
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,あなたの組織
DocType: Fee Component,Fees Category,料金カテゴリー
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,退職日を入力してください。
apps/erpnext/erpnext/controllers/trends.py +149,Amt,量/額
@@ -2811,9 +2832,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,再注文レベル
DocType: Company,Chart Of Accounts Template,アカウントテンプレートのチャート
DocType: Attendance,Attendance Date,出勤日
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},アイテムの価格は価格表{1}で{0}の更新します
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},アイテムの価格は価格表{1}で{0}の更新します
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,給与の支給と控除
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,子ノードを持つ勘定は、元帳に変換することはできません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,子ノードを持つ勘定は、元帳に変換することはできません
DocType: Purchase Invoice Item,Accepted Warehouse,承認済み倉庫
DocType: Bank Reconciliation Detail,Posting Date,転記日付
DocType: Item,Valuation Method,評価方法
@@ -2822,14 +2843,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,エントリーを複製
DocType: Program Enrollment Tool,Get Students,学生を取得
DocType: Serial No,Under Warranty,保証期間中
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[エラー]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[エラー]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,受注を保存すると表示される表記内。
,Employee Birthday,従業員の誕生日
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,学生バッチ出席ツール
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,リミットクロス
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,リミットクロス
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,ベンチャーキャピタル
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,この「アカデミックイヤー '{0}と{1}はすでに存在している「中期名」との学術用語。これらのエントリを変更して、もう一度お試しください。
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}",項目{0}に対する既存のトランザクションがあるとして、あなたは{1}の値を変更することはできません
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}",項目{0}に対する既存のトランザクションがあるとして、あなたは{1}の値を変更することはできません
DocType: UOM,Must be Whole Number,整数でなければなりません
DocType: Leave Control Panel,New Leaves Allocated (In Days),新しい有給休暇(日数)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,シリアル番号 {0}は存在しません
@@ -2838,6 +2859,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,請求番号
DocType: Shopping Cart Settings,Orders,注文
DocType: Employee Leave Approver,Leave Approver,休暇承認者
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,バッチを選択してください
DocType: Assessment Group,Assessment Group Name,評価グループ名
DocType: Manufacturing Settings,Material Transferred for Manufacture,製造用移送資材
DocType: Expense Claim,"A user with ""Expense Approver"" role",「経費承認者」の役割を持つユーザー
@@ -2847,9 +2869,10 @@
DocType: Target Detail,Target Detail,ターゲット詳細
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,すべてのジョブ
DocType: Sales Order,% of materials billed against this Sales Order,%の資材が請求済(この受注を対象)
+DocType: Program Enrollment,Mode of Transportation,交通手段
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,決算エントリー
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,既存の取引があるコストセンターは、グループに変換することはできません
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},量{0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},量{0} {1} {2} {3}
DocType: Account,Depreciation,減価償却
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),サプライヤー
DocType: Employee Attendance Tool,Employee Attendance Tool,従業員出勤ツール
@@ -2857,7 +2880,7 @@
DocType: Supplier,Credit Limit,与信限度
DocType: Production Plan Sales Order,Salse Order Date,受注日
DocType: Salary Component,Salary Component,給与コンポーネント
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,支払エントリ{0}は未リンクされています
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,支払エントリ{0}は未リンクされています
DocType: GL Entry,Voucher No,伝票番号
,Lead Owner Efficiency,リードオーナーの効率
DocType: Leave Allocation,Leave Allocation,休暇割当
@@ -2868,11 +2891,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,規約・契約用テンプレート
DocType: Purchase Invoice,Address and Contact,住所・連絡先
DocType: Cheque Print Template,Is Account Payable,アカウントが支払われます
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},株式は購入時の領収書に対して更新することはできません{0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},株式は購入時の領収書に対して更新することはできません{0}
DocType: Supplier,Last Day of the Next Month,次月末日
DocType: Support Settings,Auto close Issue after 7 days,7日後にオートクローズ号
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",前に割り当てることができないままに、{0}、休暇バランスが既にキャリー転送将来の休暇の割り当てレコードであったように{1}
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),注:支払期限/基準日の超過は顧客の信用日数{0}日間許容されます
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),注:支払期限/基準日の超過は顧客の信用日数{0}日間許容されます
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,学生申請者
DocType: Asset Category Account,Accumulated Depreciation Account,減価償却累計額勘定
DocType: Stock Settings,Freeze Stock Entries,凍結在庫エントリー
@@ -2881,35 +2904,35 @@
DocType: Activity Cost,Billing Rate,請求単価
,Qty to Deliver,配送数
,Stock Analytics,在庫分析
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,操作は空白のままにすることはできません
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,操作は空白のままにすることはできません
DocType: Maintenance Visit Purpose,Against Document Detail No,文書詳細番号に対して
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,パーティーの種類は必須です
DocType: Quality Inspection,Outgoing,支出
DocType: Material Request,Requested For,要求対象
DocType: Quotation Item,Against Doctype,対文書タイプ
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} はキャンセルまたは終了しています
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} はキャンセルまたは終了しています
DocType: Delivery Note,Track this Delivery Note against any Project,任意のプロジェクトに対してこの納品書を追跡します
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,投資からの純キャッシュ・フロー
-,Is Primary Address,プライマリアドレス
DocType: Production Order,Work-in-Progress Warehouse,作業中の倉庫
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,資産{0}の提出が必須です
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},出席レコードが{0}生徒{1}に対して存在します
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},出席レコードが{0}生徒{1}に対して存在します
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},参照#{0} 日付{1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,減価償却による資産の処分に敗退
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,住所管理
DocType: Asset,Item Code,アイテムコード
DocType: Production Planning Tool,Create Production Orders,製造指示を作成
DocType: Serial No,Warranty / AMC Details,保証/ 年間保守契約の詳細
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,アクティビティベースのグループの学生を手動で選択する
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,アクティビティベースのグループの学生を手動で選択する
DocType: Journal Entry,User Remark,ユーザー備考
DocType: Lead,Market Segment,市場区分
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},有料額は合計マイナスの残高を超えることはできません{0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},有料額は合計マイナスの残高を超えることはできません{0}
DocType: Employee Internal Work History,Employee Internal Work History,従業員の入社後の職歴
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),(借方)を閉じる
DocType: Cheque Print Template,Cheque Size,小切手サイズ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,シリアル番号{0}は在庫切れです
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,販売取引用の税のテンプレート
DocType: Sales Invoice,Write Off Outstanding Amount,未償却残額
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},アカウント{0}は会社{1}と一致しません
DocType: School Settings,Current Academic Year,現在のアカデミックイヤー
DocType: Stock Settings,Default Stock UOM,デフォルト在庫数量単位
DocType: Asset,Number of Depreciations Booked,予約された減価償却の数
@@ -2924,27 +2947,27 @@
DocType: Asset,Double Declining Balance,ダブル定率
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,完了した注文はキャンセルすることはできません。キャンセルするには完了を解除してください
DocType: Student Guardian,Father,お父さん
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,「アップデート証券は「固定資産売却をチェックすることはできません
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,「アップデート証券は「固定資産売却をチェックすることはできません
DocType: Bank Reconciliation,Bank Reconciliation,銀行勘定調整
DocType: Attendance,On Leave,休暇中
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,アップデートを入手
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}:アカウントは、{2}会社に所属していない{3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,資材要求{0}はキャンセルまたは停止されています
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,いくつかのサンプルレコードを追加
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,いくつかのサンプルレコードを追加
apps/erpnext/erpnext/config/hr.py +301,Leave Management,休暇管理
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,勘定によるグループ
DocType: Sales Order,Fully Delivered,全て納品済
DocType: Lead,Lower Income,低収益
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},出庫元/入庫先を同じ行{0}に入れることはできません
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},出庫元/入庫先を同じ行{0}に入れることはできません
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",この在庫棚卸が繰越エントリであるため、差異勘定は資産/負債タイプのアカウントである必要があります
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},支出額は、ローン額を超えることはできません{0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},アイテム{0}には発注番号が必要です
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,製造指図が作成されていません
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},アイテム{0}には発注番号が必要です
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,製造指図が作成されていません
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',「終了日」は「開始日」の後にしてください。
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},学生としてのステータスを変更することはできません{0}学生のアプリケーションとリンクされている{1}
DocType: Asset,Fully Depreciated,完全に減価償却
,Stock Projected Qty,予測在庫数
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},顧客{0}はプロジェクト{1}に属していません
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},顧客{0}はプロジェクト{1}に属していません
DocType: Employee Attendance Tool,Marked Attendance HTML,著しい出席HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",名言は、あなたの顧客に送られてきた入札提案されています
DocType: Sales Order,Customer's Purchase Order,顧客の購入注文
@@ -2953,33 +2976,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,評価基準のスコアの合計は{0}にする必要があります。
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,予約された減価償却の数を設定してください
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,値または数量
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,プロダクションの注文がために提起することができません。
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,分
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,プロダクションの注文がために提起することができません。
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,分
DocType: Purchase Invoice,Purchase Taxes and Charges,購入租税公課
,Qty to Receive,受領数
DocType: Leave Block List,Leave Block List Allowed,許可済休暇リスト
DocType: Grading Scale Interval,Grading Scale Interval,グレーディングスケールインターバル
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},自動車ログ{0}のための経費請求
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,利益率を用いた価格リストレートの割引(%)
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,すべての倉庫
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,すべての倉庫
DocType: Sales Partner,Retailer,小売業者
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,貸方アカウントは貸借対照表アカウントである必要があります
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,貸方アカウントは貸借対照表アカウントである必要があります
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,全てのサプライヤータイプ
DocType: Global Defaults,Disable In Words,文字表記無効
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,アイテムは自動的に採番されていないため、アイテムコードが必須です
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,アイテムは自動的に採番されていないため、アイテムコードが必須です
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},見積{0}はタイプ{1}ではありません
DocType: Maintenance Schedule Item,Maintenance Schedule Item,メンテナンス予定アイテム
DocType: Sales Order,% Delivered,%納品済
DocType: Production Order,PRO-,プロ-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,銀行当座貸越口座
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,銀行当座貸越口座
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,給与伝票を作成
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,行番号{0}:割り当て金額は未払い金額より大きくすることはできません。
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,部品表(BOM)を表示
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,担保ローン
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,担保ローン
DocType: Purchase Invoice,Edit Posting Date and Time,編集転記日付と時刻
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},資産カテゴリー{0}または当社との減価償却に関連するアカウントを設定してください。{1}
DocType: Academic Term,Academic Year,学年
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,開始残高 資本
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,開始残高 資本
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,査定
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},サプライヤに送信されたメール{0}
@@ -2995,7 +3018,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,承認役割は、ルール適用対象役割と同じにすることはできません
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,このメールダイジェストから解除
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,送信されたメッセージ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,子ノードを持つアカウントは元帳に設定することはできません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,子ノードを持つアカウントは元帳に設定することはできません
DocType: C-Form,II,二
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,価格表の通貨が顧客の基本通貨に換算されるレート
DocType: Purchase Invoice Item,Net Amount (Company Currency),正味金額(会社通貨)
@@ -3029,7 +3052,7 @@
DocType: Expense Claim,Approval Status,承認ステータス
DocType: Hub Settings,Publish Items to Hub,ハブにアイテムを公開
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},行{0}の値以下の値でなければなりません
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,電信振込
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,電信振込
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,すべてチェック
DocType: Vehicle Log,Invoice Ref,請求書の参考文献
DocType: Purchase Order,Recurring Order,定期的な注文
@@ -3042,51 +3065,54 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,銀行・決済
,Welcome to ERPNext,ERPNextへようこそ
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,見積へのリード
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,これ以上表示するものがありません
DocType: Lead,From Customer,顧客から
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,電話
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,電話
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,バッチ
DocType: Project,Total Costing Amount (via Time Logs),総原価額(時間ログ経由)
DocType: Purchase Order Item Supplied,Stock UOM,在庫単位
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,発注{0}は提出されていません
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,発注{0}は提出されていません
DocType: Customs Tariff Number,Tariff Number,関税番号
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,予想
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},倉庫 {1} に存在しないシリアル番号 {0}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,注:アイテム{0}の数量が0であるため、システムは超過納品や超過注文をチェックしません。
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,注:アイテム{0}の数量が0であるため、システムは超過納品や超過注文をチェックしません。
DocType: Notification Control,Quotation Message,見積メッセージ
DocType: Employee Loan,Employee Loan Application,従業員の融資申し込み
DocType: Issue,Opening Date,日付を開く
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,出席が正常にマークされています。
+DocType: Program Enrollment,Public Transport,公共交通機関
DocType: Journal Entry,Remark,備考
DocType: Purchase Receipt Item,Rate and Amount,割合と量
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},{0}のアカウントの種類でなければなりません{1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,休暇・休日
DocType: School Settings,Current Academic Term,現在の学期
DocType: Sales Order,Not Billed,未記帳
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,両方の倉庫は同じ会社に属している必要があります
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,連絡先がまだ追加されていません
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,両方の倉庫は同じ会社に属している必要があります
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,連絡先がまだ追加されていません
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,陸揚費用伝票額
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,サプライヤーからの請求
DocType: POS Profile,Write Off Account,償却勘定
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,デビットノートアム
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,割引額
DocType: Purchase Invoice,Return Against Purchase Invoice,仕入請求書に対する返品
DocType: Item,Warranty Period (in days),保証期間(日数)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Guardian1との関係
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1との関係
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,事業からの純キャッシュ・フロー
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,例「付加価値税(VAT)」
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,例「付加価値税(VAT)」
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,アイテム4
DocType: Student Admission,Admission End Date,アドミッション終了日
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,サブ契約
DocType: Journal Entry Account,Journal Entry Account,仕訳勘定
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,学生グループ
DocType: Shopping Cart Settings,Quotation Series,見積シリーズ
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item",同名のアイテム({0})が存在しますので、アイテムグループ名を変えるか、アイテム名を変更してください
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,顧客を選択してください
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item",同名のアイテム({0})が存在しますので、アイテムグループ名を変えるか、アイテム名を変更してください
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,顧客を選択してください
DocType: C-Form,I,私
DocType: Company,Asset Depreciation Cost Center,資産減価償却コストセンター
DocType: Sales Order Item,Sales Order Date,受注日
DocType: Sales Invoice Item,Delivered Qty,納品済数量
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.",チェックした場合、各生産アイテムのすべての子供たちは、素材の要求に含まれます。
DocType: Assessment Plan,Assessment Plan,評価計画
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,倉庫{0}:当社は必須です
DocType: Stock Settings,Limit Percent,リミットパーセント
,Payment Period Based On Invoice Date,請求書の日付に基づく支払期間
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},{0}用の為替レートがありません
@@ -3098,7 +3124,7 @@
DocType: Vehicle,Insurance Details,保険の詳細
DocType: Account,Payable,買掛
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,返済期間を入力してください。
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),債務者({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),債務者({0})
DocType: Pricing Rule,Margin,マージン
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,新規顧客
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,粗利益%
@@ -3109,16 +3135,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,党は必須です
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,トピック名
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,販売または購入のいずれかを選択する必要があります
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,あなたのビジネスの性質を選択します。
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,販売または購入のいずれかを選択する必要があります
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,あなたのビジネスの性質を選択します。
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},行番号{0}:参照{1}の重複エントリ{2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,製造作業が行なわれる場所
DocType: Asset Movement,Source Warehouse,出庫元
DocType: Installation Note,Installation Date,設置日
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},行#{0}:アセット{1}の会社に属していない{2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},行#{0}:アセット{1}の会社に属していない{2}
DocType: Employee,Confirmation Date,確定日
DocType: C-Form,Total Invoiced Amount,請求額合計
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,最小個数は最大個数を超えることはできません
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,最小個数は最大個数を超えることはできません
DocType: Account,Accumulated Depreciation,減価償却累計額
DocType: Stock Entry,Customer or Supplier Details,顧客またはサプライヤー詳細
DocType: Employee Loan Application,Required by Date,日によって必要とされます
@@ -3139,22 +3165,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,月次配分割合
DocType: Territory,Territory Targets,ターゲット地域
DocType: Delivery Note,Transporter Info,輸送情報
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},会社のデフォルト{0}を設定してください。{1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},会社のデフォルト{0}を設定してください。{1}
DocType: Cheque Print Template,Starting position from top edge,上端からの位置を開始
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,同じサプライヤーが複数回入力されています
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,売上総利益/損失
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,発注アイテム供給済
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,会社名は、当社にすることはできません
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,会社名は、当社にすることはできません
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,印刷テンプレートのレターヘッド。
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,印刷テンプレートのタイトル(例:「見積送り状」)
DocType: Student Guardian,Student Guardian,学生ガーディアン
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,評価タイプの請求は「包括的」にマークすることはえきません
DocType: POS Profile,Update Stock,在庫更新
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,サプライヤ>サプライヤタイプ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,アイテムごとに数量単位が異なると、(合計)正味重量値が正しくなりません。各アイテムの正味重量が同じ単位になっていることを確認してください。
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,部品表通貨レート
DocType: Asset,Journal Entry for Scrap,スクラップ用の仕訳
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,納品書からアイテムを抽出してください
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,仕訳{0}はリンク解除されています
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,仕訳{0}はリンク解除されています
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.",電子メール、電話、チャット、訪問等すべてのやりとりの記録
DocType: Manufacturer,Manufacturers used in Items,アイテムに使用されるメーカー
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,会社の丸め誤差コストセンターを指定してください
@@ -3201,33 +3228,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,サプライヤーから顧客に配送
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}](#フォーム/商品/ {0})在庫切れです
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,次の日は、転記日付よりも大きくなければなりません
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,表示減税アップ
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},期限/基準日は{0}より後にすることはできません
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,表示減税アップ
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},期限/基準日は{0}より後にすることはできません
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,データインポート・エクスポート
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it",ストックエントリは、したがって、あなたが再割り当てたり、それを変更することはできません、倉庫{0}に対して存在します
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,いいえ学生は見つかりませんでした
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,いいえ学生は見つかりませんでした
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,請求書の転記日付
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,売る
DocType: Sales Invoice,Rounded Total,合計(四捨五入)
DocType: Product Bundle,List items that form the package.,梱包を形成するリストアイテム
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,割合の割り当ては100パーセントに等しくなければなりません
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,パーティーを選択する前に転記日付を選択してください
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,パーティーを選択する前に転記日付を選択してください
DocType: Program Enrollment,School House,スクールハウス
DocType: Serial No,Out of AMC,年間保守契約外
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,見積もりを選択してください
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,見積もりを選択してください
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,予約された減価償却の数は、減価償却費の合計数を超えることはできません
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,メンテナンス訪問を作成
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,販売マスターマネージャー{0}の役割を持っているユーザーに連絡してください
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,販売マスターマネージャー{0}の役割を持っているユーザーに連絡してください
DocType: Company,Default Cash Account,デフォルトの現金勘定
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,会社(顧客・サプライヤーではない)のマスター
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,これは、この生徒の出席に基づいています
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,学生はいない
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,学生はいない
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,複数のアイテムまたは全開フォームを追加
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',「納品予定日」を入力してください
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,この受注をキャンセルする前に、納品書{0}をキャンセルしなければなりません
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,支払額+償却額は総計を超えることはできません
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,支払額+償却額は総計を超えることはできません
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0}はアイテム{1}に対して有効なバッチ番号ではありません
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},注:休暇タイプ{0}のための休暇残高が足りません
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,登録されていないGSTINが無効またはNAを入力してください
DocType: Training Event,Seminar,セミナー
DocType: Program Enrollment Fee,Program Enrollment Fee,プログラム登録料
DocType: Item,Supplier Items,サプライヤーアイテム
@@ -3253,27 +3280,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,アイテム3
DocType: Purchase Order,Customer Contact Email,顧客連絡先メールアドレス
DocType: Warranty Claim,Item and Warranty Details,アイテムおよび保証詳細
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,商品コード>商品グループ>ブランド
DocType: Sales Team,Contribution (%),寄与度(%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,注:「現金または銀行口座」が指定されていないため、支払エントリが作成されません
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,必須コースをフェッチするには、「プログラム」を選択します。
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,責任
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,責任
DocType: Expense Claim Account,Expense Claim Account,経費請求アカウント
DocType: Sales Person,Sales Person Name,営業担当者名
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,表に少なくとも1件の請求書を入力してください
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,ユーザー追加
DocType: POS Item Group,Item Group,アイテムグループ
DocType: Item,Safety Stock,安全在庫
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,タスクの進捗%は100以上にすることはできません。
DocType: Stock Reconciliation Item,Before reconciliation,照合前
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),租税公課が追加されました。(報告通貨)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,アイテムごとの税の行{0}では、勘定タイプ「税」「収入」「経費」「支払」のいずれかが必要です
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,アイテムごとの税の行{0}では、勘定タイプ「税」「収入」「経費」「支払」のいずれかが必要です
DocType: Sales Order,Partly Billed,一部支払済
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,アイテムは、{0}固定資産項目でなければなりません
DocType: Item,Default BOM,デフォルト部品表
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,確認のため会社名を再入力してください
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,残高合計
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,デビットノート金額
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,確認のため会社名を再入力してください
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,残高合計
DocType: Journal Entry,Printing Settings,印刷設定
DocType: Sales Invoice,Include Payment (POS),支払いを含める(POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},借方合計は貸方合計に等しくなければなりません。{0}の差があります。
@@ -3287,15 +3312,16 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,在庫あり:
DocType: Notification Control,Custom Message,カスタムメッセージ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,投資銀行
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,現金または銀行口座は、支払いのエントリを作成するための必須です
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,学生の住所
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,現金または銀行口座は、支払いのエントリを作成するための必須です
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,セットアップ>ナンバリングシリーズで出席者のためにナンバリングシリーズを設定してください
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,学生の住所
DocType: Purchase Invoice,Price List Exchange Rate,価格表為替レート
DocType: Purchase Invoice Item,Rate,単価/率
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,インターン
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,アドレス名称
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,インターン
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,アドレス名称
DocType: Stock Entry,From BOM,参照元部品表
DocType: Assessment Code,Assessment Code,評価コード
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,基本
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,基本
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,{0}が凍結される以前の在庫取引
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',「スケジュール生成」をクリックしてください
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m",例「kg」「単位」「個数」「m」
@@ -3305,11 +3331,11 @@
DocType: Salary Slip,Salary Structure,給与体系
DocType: Account,Bank,銀行
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,航空会社
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,資材課題
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,資材課題
DocType: Material Request Item,For Warehouse,倉庫用
DocType: Employee,Offer Date,雇用契約日
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,見積
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,オフラインモードになっています。あなたがネットワークを持ってまで、リロードすることができません。
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,オフラインモードになっています。あなたがネットワークを持ってまで、リロードすることができません。
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,いいえ学生グループが作成されません。
DocType: Purchase Invoice Item,Serial No,シリアル番号
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,毎月返済額は融資額を超えることはできません
@@ -3317,8 +3343,8 @@
DocType: Purchase Invoice,Print Language,プリント言語
DocType: Salary Slip,Total Working Hours,総労働時間
DocType: Stock Entry,Including items for sub assemblies,組立部品のためのアイテムを含む
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,入力値は正でなければなりません
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,全ての領域
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,入力値は正でなければなりません
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,全ての領域
DocType: Purchase Invoice,Items,アイテム
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,学生はすでに登録されています。
DocType: Fiscal Year,Year Name,年の名前
@@ -3336,10 +3362,10 @@
DocType: Issue,Opening Time,「時間」を開く
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,期間日付が必要です
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,証券・商品取引所
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',バリエーションのデフォルト単位 '{0}' はテンプレート '{1}' と同じである必要があります
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',バリエーションのデフォルト単位 '{0}' はテンプレート '{1}' と同じである必要があります
DocType: Shipping Rule,Calculate Based On,計算基準
DocType: Delivery Note Item,From Warehouse,倉庫から
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,製造する部品表(BOM)を持つアイテムいいえ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,製造する部品表(BOM)を持つアイテムいいえ
DocType: Assessment Plan,Supervisor Name,上司の名前
DocType: Program Enrollment Course,Program Enrollment Course,プログラム入学コース
DocType: Purchase Taxes and Charges,Valuation and Total,評価と総合
@@ -3354,18 +3380,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,「最終受注からの日数」はゼロ以上でなければなりません
DocType: Process Payroll,Payroll Frequency,給与頻度
DocType: Asset,Amended From,修正元
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,原材料
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,原材料
DocType: Leave Application,Follow via Email,メール経由でフォロー
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,植物および用機械
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,植物および用機械
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,割引後の税額
DocType: Daily Work Summary Settings,Daily Work Summary Settings,毎日の仕事の概要設定
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},価格リスト{0}の通貨は、選択された通貨と類似していない{1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},価格リスト{0}の通貨は、選択された通貨と類似していない{1}
DocType: Payment Entry,Internal Transfer,内部転送
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,このアカウントには子アカウントが存在しています。このアカウントを削除することはできません。
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,このアカウントには子アカウントが存在しています。このアカウントを削除することはできません。
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ターゲット数量や目標量のどちらかが必須です
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},アイテム{0}にはデフォルトの部品表が存在しません
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},アイテム{0}にはデフォルトの部品表が存在しません
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,最初の転記日付を選択してください
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,開始日は終了日より前でなければなりません
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,セットアップ>設定>ネーミングシリーズで{0}のネーミングシリーズを設定してください
DocType: Leave Control Panel,Carry Forward,繰り越す
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,既存の取引があるコストセンターは、元帳に変換することはできません
DocType: Department,Days for which Holidays are blocked for this department.,この部門のために休暇期間指定されている日
@@ -3375,10 +3402,9 @@
DocType: Issue,Raised By (Email),提起元メールアドレス
DocType: Training Event,Trainer Name,トレーナーの名前
DocType: Mode of Payment,General,一般
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,レターヘッドを添付
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,最後のコミュニケーション
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',カテゴリーが「評価」や「評価と合計」である場合は控除することができません
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",あなたの税のヘッドリスト(例えば付加価値税、関税などを、彼らは一意の名前を持つべきである)、およびそれらの標準速度。これは、あなたが編集して、より後に追加することができ、標準的なテンプレートを作成します。
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",あなたの税のヘッドリスト(例えば付加価値税、関税などを、彼らは一意の名前を持つべきである)、およびそれらの標準速度。これは、あなたが編集して、より後に追加することができ、標準的なテンプレートを作成します。
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},アイテム{0}には複数のシリアル番号が必要です
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,請求書と一致支払い
DocType: Journal Entry,Bank Entry,銀行取引記帳
@@ -3387,16 +3413,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,カートに追加
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,グループ化
DocType: Guardian,Interests,興味
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,通貨の有効/無効を切り替え
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,通貨の有効/無効を切り替え
DocType: Production Planning Tool,Get Material Request,資材要求取得
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,郵便経費
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,郵便経費
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),合計(数)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,エンターテインメント&レジャー
DocType: Quality Inspection,Item Serial No,アイテムシリアル番号
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,従業員レコードを作成します。
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,総現在価値
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,計算書
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,時
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,時
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,新しいシリアル番号には倉庫を指定することができません。倉庫は在庫エントリーか領収書によって設定する必要があります
DocType: Lead,Lead Type,リードタイプ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,休暇申請を承認する権限がありません
@@ -3408,6 +3434,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,交換後の新しい部品表
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,POS
DocType: Payment Entry,Received Amount,受け取った金額
+DocType: GST Settings,GSTIN Email Sent On,GSTINメールが送信されました
+DocType: Program Enrollment,Pick/Drop by Guardian,ガーディアンによるピック/ドロップ
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order",順序にすでに数量を無視して、完全な量のために作成します。
DocType: Account,Tax,税
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,マークされていません
@@ -3419,14 +3447,14 @@
DocType: Batch,Source Document Name,ソースドキュメント名
DocType: Job Opening,Job Title,職業名
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,ユーザーの作成
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,グラム
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,グラム
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,製造数量は0より大きくなければなりません
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,メンテナンス要請の訪問レポート。
DocType: Stock Entry,Update Rate and Availability,単価と残量をアップデート
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,注文数に対して受領または提供が許可されている割合。例:100単位の注文を持っている状態で、割当が10%だった場合、110単位の受領を許可されます。
DocType: POS Customer Group,Customer Group,顧客グループ
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),新しいバッチID(オプション)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},アイテム{0}には経費科目が必須です
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},アイテム{0}には経費科目が必須です
DocType: BOM,Website Description,ウェブサイトの説明
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,資本の純変動
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,最初の購入請求書{0}をキャンセルしてください
@@ -3436,8 +3464,8 @@
,Sales Register,販売登録
DocType: Daily Work Summary Settings Company,Send Emails At,で電子メールを送ります
DocType: Quotation,Quotation Lost Reason,失注理由
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,あなたのドメインを選択
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},トランザクションの参照には{0} {1}日付けません
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,あなたのドメインを選択
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},トランザクションの参照には{0} {1}日付けません
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,編集するものがありません
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,今月と保留中の活動の概要
DocType: Customer Group,Customer Group Name,顧客グループ名
@@ -3445,14 +3473,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,キャッシュフロー計算書
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},融資額は、{0}の最大融資額を超えることはできません。
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,ライセンス
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},C-フォーム{1}から請求書{0}を削除してください
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},C-フォーム{1}から請求書{0}を削除してください
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,過去の会計年度の残高を今年度に含めて残したい場合は「繰り越す」を選択してください
DocType: GL Entry,Against Voucher Type,対伝票タイプ
DocType: Item,Attributes,属性
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,償却勘定を入力してください
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,償却勘定を入力してください
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,最終注文日
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},アカウント{0} は会社 {1} に所属していません
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,行{0}のシリアル番号が配達メモと一致しません
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,行{0}のシリアル番号が配達メモと一致しません
DocType: Student,Guardian Details,ガーディアン詳細
DocType: C-Form,C-Form,C-フォーム
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,複数の従業員のためのマーク出席
@@ -3467,16 +3495,16 @@
DocType: Budget Account,Budget Amount,予算額
DocType: Appraisal Template,Appraisal Template Title,査定テンプレートタイトル
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},日付から{0}のための従業員{1}従業員の入社日前にすることはできません{2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,営利企業
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,営利企業
DocType: Payment Entry,Account Paid To,アカウントに支払わ
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,親項目 {0} は在庫アイテムにはできません
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,全ての製品またはサービス。
DocType: Expense Claim,More Details,詳細
DocType: Supplier Quotation,Supplier Address,サプライヤー住所
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0}アカウントの予算{1} {2} {3}に対しては{4}です。これは、{5}によって超えてしまいます
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',行{0}#のアカウントタイプでなければなりません "固定資産"
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,出量
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,販売のために出荷量を計算するルール
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',行{0}#のアカウントタイプでなければなりません "固定資産"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,出量
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,販売のために出荷量を計算するルール
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,シリーズは必須です
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,金融サービス
DocType: Student Sibling,Student ID,学生証
@@ -3484,13 +3512,13 @@
DocType: Tax Rule,Sales,販売
DocType: Stock Entry Detail,Basic Amount,基本額
DocType: Training Event,Exam,試験
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},在庫アイテム{0}には倉庫が必要です
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},在庫アイテム{0}には倉庫が必要です
DocType: Leave Allocation,Unused leaves,未使用の休暇
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,貸方
DocType: Tax Rule,Billing State,請求状況
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,移転
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1}党のアカウントに関連付けられていません{2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),(部分組立品を含む)展開した部品表を取得する
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1}党のアカウントに関連付けられていません{2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),(部分組立品を含む)展開した部品表を取得する
DocType: Authorization Rule,Applicable To (Employee),(従業員)に適用
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,期日は必須です
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,属性 {0} の増分は0にすることはできません
@@ -3518,7 +3546,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,原材料アイテムコード
DocType: Journal Entry,Write Off Based On,償却基準
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,リードを作ります
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,印刷と文房具
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,印刷と文房具
DocType: Stock Settings,Show Barcode Field,ショーバーコードフィールド
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,サプライヤーメールを送信
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",給与はすでに{0}と{1}、この日付範囲の間にすることはできません申請期間を残すとの間の期間のために処理しました。
@@ -3526,13 +3554,15 @@
DocType: Guardian Interest,Guardian Interest,ガーディアンインタレスト
apps/erpnext/erpnext/config/hr.py +177,Training,トレーニング
DocType: Timesheet,Employee Detail,従業員の詳細
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 Email ID
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,次の日と月次繰り返しの日は同じでなければなりません
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,ウェブサイトのホームページの設定
DocType: Offer Letter,Awaiting Response,応答を待っています
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,上記
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,上記
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},無効な属性{0} {1}
DocType: Supplier,Mention if non-standard payable account,標準でない支払い可能な口座
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},同じ項目が複数回入力されました。 {リスト}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',「すべての評価グループ」以外の評価グループを選択してください
DocType: Salary Slip,Earning & Deduction,収益と控除
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,(オプション)この設定は、様々な取引をフィルタリングするために使用されます。
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,マイナスの評価額は許可されていません
@@ -3546,9 +3576,9 @@
DocType: Sales Invoice,Product Bundle Help,製品付属品ヘルプ
,Monthly Attendance Sheet,月次勤務表
DocType: Production Order Item,Production Order Item,製造指図の品目
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,レコードが見つかりません
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,レコードが見つかりません
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,スクラップ資産の取得原価
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}:項目{2}には「コストセンター」が必須です
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}:項目{2}には「コストセンター」が必須です
DocType: Vehicle,Policy No,ポリシーはありません
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,付属品からアイテムを取得
DocType: Asset,Straight Line,直線
@@ -3556,7 +3586,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,スプリット
DocType: GL Entry,Is Advance,前払金
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,出勤開始日と出勤日は必須です
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,「下請」にはYesかNoを入力してください
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,「下請」にはYesかNoを入力してください
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,最終連絡日
DocType: Sales Team,Contact No.,連絡先番号
DocType: Bank Reconciliation,Payment Entries,支払エントリ
@@ -3582,60 +3612,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,始値
DocType: Salary Detail,Formula,式
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,シリアル番号
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,販売手数料
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,販売手数料
DocType: Offer Letter Term,Value / Description,値/説明
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",行#{0}:アセット{1}提出することができない、それはすでに{2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",行#{0}:アセット{1}提出することができない、それはすでに{2}
DocType: Tax Rule,Billing Country,請求先の国
DocType: Purchase Order Item,Expected Delivery Date,配送予定日
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,{0} #{1}の借方と貸方が等しくありません。差は{2} です。
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,交際費
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,素材の要求を行います
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,交際費
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,素材の要求を行います
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},オープン項目{0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,この受注をキャンセルする前に、請求書{0}がキャンセルされていなければなりません
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,年齢
DocType: Sales Invoice Timesheet,Billing Amount,請求額
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,アイテム{0}に無効な量が指定されています。数量は0以上でなければなりません。
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,休暇申請
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,既存の取引を持つアカウントを削除することはできません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,既存の取引を持つアカウントを削除することはできません
DocType: Vehicle,Last Carbon Check,最後のカーボンチェック
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,訴訟費用
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,訴訟費用
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,行数量を選択してください
DocType: Purchase Invoice,Posting Time,投稿時間
DocType: Timesheet,% Amount Billed,%請求
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,電話代
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,電話代
DocType: Sales Partner,Logo,ロゴ
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,あなたが保存する前に、一連の選択をユーザに強制したい場合は、これを確認してください。これをチェックするとデフォルトはありません。
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},シリアル番号{0}のアイテムはありません
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},シリアル番号{0}のアイテムはありません
DocType: Email Digest,Open Notifications,お知らせを開く
DocType: Payment Entry,Difference Amount (Company Currency),差額(会社通貨)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,直接経費
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,直接経費
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} 'は通知\メールアドレス」で無効なメールアドレスです
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,新規顧客の収益
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,旅費交通費
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,旅費交通費
DocType: Maintenance Visit,Breakdown,故障
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,アカウント:{0} で通貨:{1}を選択することはできません
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,アカウント:{0} で通貨:{1}を選択することはできません
DocType: Bank Reconciliation Detail,Cheque Date,小切手日
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},アカウント{0}:親アカウント{1}は会社{2}に属していません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},アカウント{0}:親アカウント{1}は会社{2}に属していません
DocType: Program Enrollment Tool,Student Applicants,学生の応募者
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,この会社に関連するすべての取引を正常に削除しました!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,この会社に関連するすべての取引を正常に削除しました!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,基準日
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,登録日
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,試用
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,試用
apps/erpnext/erpnext/config/hr.py +115,Salary Components,給与コンポーネント
DocType: Program Enrollment Tool,New Academic Year,新学期
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,リターン/クレジットノート
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,リターン/クレジットノート
DocType: Stock Settings,Auto insert Price List rate if missing,空の場合価格表の単価を自動挿入
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,支出額合計
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,支出額合計
DocType: Production Order Item,Transferred Qty,移転数量
apps/erpnext/erpnext/config/learn.py +11,Navigating,ナビゲート
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,計画
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,課題
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,計画
+DocType: Material Request,Issued,課題
DocType: Project,Total Billing Amount (via Time Logs),総請求金額(時間ログ経由)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,このアイテムを売る
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,サプライヤーID
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,このアイテムを売る
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,サプライヤーID
DocType: Payment Request,Payment Gateway Details,ペイメントゲートウェイ詳細
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,量は0より大きくなければなりません
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,量は0より大きくなければなりません
DocType: Journal Entry,Cash Entry,現金エントリー
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,子ノードは「グループ」タイプのノードの下に作成することができます
DocType: Leave Application,Half Day Date,半日日
@@ -3647,14 +3678,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},経費請求タイプ{0}に、デフォルトのアカウントを設定してください
DocType: Assessment Result,Student Name,学生の名前
DocType: Brand,Item Manager,アイテムマネージャ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,給与支払ってください
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,給与支払ってください
DocType: Buying Settings,Default Supplier Type,デフォルトサプライヤータイプ
DocType: Production Order,Total Operating Cost,営業費合計
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,注:アイテム{0}が複数回入力されています
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,全ての連絡先。
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,会社略称
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,会社略称
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,ユーザー{0}は存在しません
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,原材料は、メインアイテムと同じにすることはできません
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,原材料は、メインアイテムと同じにすることはできません
DocType: Item Attribute Value,Abbreviation,略語
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,支払項目が既に存在しています
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0}の限界を超えているので認証されません
@@ -3663,49 +3694,49 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,ショッピングカート用の税ルールを設定
DocType: Purchase Invoice,Taxes and Charges Added,租税公課が追加されました。
,Sales Funnel,セールスファネル
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,略称は必須です
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,略称は必須です
DocType: Project,Task Progress,タスクの進捗状況
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,カート
,Qty to Transfer,転送する数量
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,リードや顧客への見積。
DocType: Stock Settings,Role Allowed to edit frozen stock,凍結在庫の編集が許可された役割
,Territory Target Variance Item Group-Wise,地域ターゲット差違(アイテムグループごと)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,全ての顧客グループ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,全ての顧客グループ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,月間累計
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0}は必須です。おそらく{1}から {2}のための通貨変換レコードが作成されていません
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0}は必須です。おそらく{1}から {2}のための通貨変換レコードが作成されていません
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,税テンプレートは必須です
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,アカウント{0}:親アカウント{1}が存在しません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,アカウント{0}:親アカウント{1}が存在しません
DocType: Purchase Invoice Item,Price List Rate (Company Currency),価格表単価(会社通貨)
DocType: Products Settings,Products Settings,製品の設定
DocType: Account,Temporary,仮勘定
DocType: Program,Courses,コース
DocType: Monthly Distribution Percentage,Percentage Allocation,パーセンテージの割当
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,秘書
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,秘書
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",無効にした場合、「文字表記」フィールドはどの取引にも表示されません
DocType: Serial No,Distinct unit of an Item,アイテムの明確な単位
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,会社を設定してください
DocType: Pricing Rule,Buying,購入
DocType: HR Settings,Employee Records to be created by,従業員レコード作成元
DocType: POS Profile,Apply Discount On,割引の適用
,Reqd By Date,要求済日付
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,債権者
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,債権者
DocType: Assessment Plan,Assessment Name,アセスメントの名前
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,行#{0}:シリアル番号は必須です
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,アイテムごとの税の詳細
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,研究所の略
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,研究所の略
,Item-wise Price List Rate,アイテムごとの価格表単価
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,サプライヤー見積
DocType: Quotation,In Words will be visible once you save the Quotation.,見積を保存すると表示される表記内。
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},数量({0})は行{1}の小数部にはできません
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,料金を徴収
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},バーコード{0}はアイテム{1}で使用済です
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},バーコード{0}はアイテム{1}で使用済です
DocType: Lead,Add to calendar on this date,この日付でカレンダーに追加
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,送料を追加するためのルール
DocType: Item,Opening Stock,期首在庫
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,顧客が必要です
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,返品には {0} が必須です
DocType: Purchase Order,To Receive,受領する
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,個人メールアドレス
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,派生の合計
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",有効にすると、システムは自動的に在庫の会計エントリーを投稿します
@@ -3716,13 +3747,14 @@
DocType: Customer,From Lead,リードから
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,製造の指示
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,年度選択...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POSエントリを作成するためにはPOSプロフィールが必要です
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POSエントリを作成するためにはPOSプロフィールが必要です
DocType: Program Enrollment Tool,Enroll Students,学生を登録
DocType: Hub Settings,Name Token,名前トークン
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,標準販売
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,倉庫は少なくとも1つ必須です
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,倉庫は少なくとも1つ必須です
DocType: Serial No,Out of Warranty,保証外
DocType: BOM Replace Tool,Replace,置き換え
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,製品が見つかりませんでした。
DocType: Production Order,Unstopped,継続音の
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},納品書{1}に対する{0}
DocType: Sales Invoice,SINV-,SINV-
@@ -3733,13 +3765,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,在庫価値の差違
apps/erpnext/erpnext/config/learn.py +234,Human Resource,人材
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,支払照合 支払
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,税金資産
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,税金資産
DocType: BOM Item,BOM No,部品表番号
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,仕訳{0}は、勘定{1}が無いか、既に他の伝票に照合されています
DocType: Item,Moving Average,移動平均
DocType: BOM Replace Tool,The BOM which will be replaced,交換される部品表
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,電子機器
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,電子機器
DocType: Account,Debit,借方
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,休暇は0.5の倍数で割り当てられなければなりません
DocType: Production Order,Operation Cost,作業費用
@@ -3747,7 +3779,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,未払額
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,この営業担当者にアイテムグループごとの目標を設定する
DocType: Stock Settings,Freeze Stocks Older Than [Days],[日]より古い在庫を凍結
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,行#{0}:資産は、固定資産の購入/販売のために必須です
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,行#{0}:資産は、固定資産の購入/販売のために必須です
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","上記の条件内に二つ以上の価格設定ルールがある場合、優先順位が適用されます。
優先度は0〜20の間の数で、デフォルト値はゼロ(空白)です。同じ条件で複数の価格設定ルールがある場合、大きい数字が優先されることになります。"
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,会計年度:{0}は存在しません
@@ -3756,7 +3788,7 @@
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,経費請求タイプ
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},アイテム{0}の販売率が{1}より低いです。販売価格は少なくともat {2}でなければなりません
DocType: Item,Taxes,税
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,支払済かつ未配送
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,支払済かつ未配送
DocType: Project,Default Cost Center,デフォルトコストセンター
DocType: Bank Guarantee,End Date,終了日
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,株式取引
@@ -3781,24 +3813,22 @@
DocType: Employee,Held On,開催
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,生産アイテム
,Employee Information,従業員の情報
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),割合(%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),割合(%)
DocType: Stock Entry Detail,Additional Cost,追加費用
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,会計年度終了日
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",伝票でグループ化されている場合、伝票番号でフィルタリングすることはできません。
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,サプライヤ見積を作成
DocType: Quality Inspection,Incoming,収入
DocType: BOM,Materials Required (Exploded),資材が必要です(展開)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself",自分以外のユーザーを組織に追加
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,転記日付は将来の日付にすることはできません
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},行#{0}:シリアル番号 {1} が {2} {3}と一致しません
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,臨時休暇
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,臨時休暇
DocType: Batch,Batch ID,バッチID
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},注:{0}
,Delivery Note Trends,納品書の動向
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,今週の概要
-,In Stock Qty,在庫数量で
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,在庫数量で
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,アカウント:{0}のみ株式取引を介して更新することができます
-DocType: Program Enrollment,Get Courses,コースを取得
+DocType: Student Group Creation Tool,Get Courses,コースを取得
DocType: GL Entry,Party,当事者
DocType: Sales Order,Delivery Date,納期
DocType: Opportunity,Opportunity Date,機会日付
@@ -3806,14 +3836,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,見積明細の要求
DocType: Purchase Order,To Bill,請求先
DocType: Material Request,% Ordered,%注文済
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",コースベースの学生グループの場合、コースはプログラム登録のコースからすべての生徒のために検証されます。
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date",カンマで区切られた電子メールアドレスを入力し、請求書が特定の日に自動的に郵送されます
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,出来高制
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,出来高制
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,平均購入レート
DocType: Task,Actual Time (in Hours),実際の時間(時)
DocType: Employee,History In Company,会社での履歴
apps/erpnext/erpnext/config/learn.py +107,Newsletters,ニュースレター
DocType: Stock Ledger Entry,Stock Ledger Entry,在庫元帳エントリー
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,顧客>顧客グループ>テリトリー
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,同じ項目が複数回入力されています
DocType: Department,Leave Block List,休暇リスト
DocType: Sales Invoice,Tax ID,納税者番号
@@ -3828,30 +3858,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0}は、このトランザクションを完了するために、{2}に必要な{1}の単位。
DocType: Loan Type,Rate of Interest (%) Yearly,利子率(%)年間
DocType: SMS Settings,SMS Settings,SMS設定
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,仮勘定
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,黒
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,仮勘定
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,黒
DocType: BOM Explosion Item,BOM Explosion Item,部品表展開アイテム
DocType: Account,Auditor,監査人
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,生産{0}アイテム
DocType: Cheque Print Template,Distance from top edge,上端からの距離
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,価格表{0}が無効になっているか、存在しません。
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,価格表{0}が無効になっているか、存在しません。
DocType: Purchase Invoice,Return,返品
DocType: Production Order Operation,Production Order Operation,製造指示作業
DocType: Pricing Rule,Disable,無効にする
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,お支払い方法は、支払いを行う必要があります
DocType: Project Task,Pending Review,レビュー待ち
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1}はバッチ{2}に登録されていません
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}",資産{0}は{1}であるため廃棄することはできません
DocType: Task,Total Expense Claim (via Expense Claim),総経費請求(経費請求経由)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,顧客ID
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,マーク不在
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},行{0}:BOMの#の通貨は、{1}選択した通貨と同じでなければなりません{2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},行{0}:BOMの#の通貨は、{1}選択した通貨と同じでなければなりません{2}
DocType: Journal Entry Account,Exchange Rate,為替レート
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,受注{0}は提出されていません
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,受注{0}は提出されていません
DocType: Homepage,Tag Line,タグライン
DocType: Fee Component,Fee Component,手数料コンポーネント
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,フリート管理
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,から項目を追加します。
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},倉庫{0}:親口座{1}は会社{2}に属していません
DocType: Cheque Print Template,Regular,レギュラー
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,すべての評価基準の総Weightageは100%でなければなりません
DocType: BOM,Last Purchase Rate,最新の仕入料金
@@ -3860,11 +3889,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,バリエーションを有しているのでアイテム{0}の在庫は存在させることができません
,Sales Person-wise Transaction Summary,各営業担当者の取引概要
DocType: Training Event,Contact Number,連絡先の番号
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,倉庫{0}は存在しません
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,倉庫{0}は存在しません
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,ERPNext Hubに登録する
DocType: Monthly Distribution,Monthly Distribution Percentages,月次配分割合
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,選択した項目はバッチを持てません
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry",評価レート{1} {2}のための会計エントリを行うために必要とされる項目{0}、見つかりません。項目は、サンプルアイテムとして取引されている場合は、{1}、{1}項目テーブルであることを言及してください。それ以外の場合は、アイテムの着信在庫トランザクションを作成したり、言及評価率を項目レコードにして、このエントリをキャンセル/ submitingしてみてください
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry",評価レート{1} {2}のための会計エントリを行うために必要とされる項目{0}、見つかりません。項目は、サンプルアイテムとして取引されている場合は、{1}、{1}項目テーブルであることを言及してください。それ以外の場合は、アイテムの着信在庫トランザクションを作成したり、言及評価率を項目レコードにして、このエントリをキャンセル/ submitingしてみてください
DocType: Delivery Note,% of materials delivered against this Delivery Note,%の資材が納品済(この納品書を対象)
DocType: Project,Customer Details,顧客の詳細
DocType: Employee,Reports to,レポート先
@@ -3872,41 +3901,43 @@
DocType: SMS Settings,Enter url parameter for receiver nos,受信者番号にURLパラメータを入力してください
DocType: Payment Entry,Paid Amount,支払金額
DocType: Assessment Plan,Supervisor,スーパーバイザー
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,オンライン
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,オンライン
,Available Stock for Packing Items,梱包可能な在庫
DocType: Item Variant,Item Variant,アイテムバリエーション
DocType: Assessment Result Tool,Assessment Result Tool,評価結果ツール
DocType: BOM Scrap Item,BOM Scrap Item,BOMスクラップアイテム
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,提出された注文を削除することはできません
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",口座残高がすでに借方に存在しており、「残高仕訳先」を「貸方」に設定することはできません
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,品質管理
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,提出された注文を削除することはできません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",口座残高がすでに借方に存在しており、「残高仕訳先」を「貸方」に設定することはできません
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,品質管理
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,アイテム{0}は無効になっています
DocType: Employee Loan,Repay Fixed Amount per Period,期間ごとの固定額を返済
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},アイテム{0}の数量を入力してください
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,クレジットノートAmt
DocType: Employee External Work History,Employee External Work History,従業員の職歴
DocType: Tax Rule,Purchase,仕入
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,残高数量
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,残高数量
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,目標は、空にすることはできません
DocType: Item Group,Parent Item Group,親項目グループ
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} for {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,コストセンター
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,コストセンター
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,サプライヤの通貨が会社の基本通貨に換算されるレート
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},行 {0}:行{1}と時間が衝突しています
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,ゼロ評価レートを許可する
DocType: Training Event Employee,Invited,招待
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,与えられた日付の従業員{0}が見つかり、複数のアクティブな給与構造
DocType: Opportunity,Next Contact,次の連絡先
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,ゲートウェイアカウントを設定
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,ゲートウェイアカウントを設定
DocType: Employee,Employment Type,雇用の種類
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,固定資産
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,固定資産
DocType: Payment Entry,Set Exchange Gain / Loss,取引利益/損失を設定します。
+,GST Purchase Register,GST購入登録
,Cash Flow,キャッシュフロー
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,申請期間は2つの割当レコードを横断することはできません
DocType: Item Group,Default Expense Account,デフォルト経費
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,学生メールID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,学生メールID
DocType: Employee,Notice (days),お知らせ(日)
DocType: Tax Rule,Sales Tax Template,販売税テンプレート
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,請求書を保存する項目を選択します
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,請求書を保存する項目を選択します
DocType: Employee,Encashment Date,現金化日
DocType: Training Event,Internet,インターネット
DocType: Account,Stock Adjustment,在庫調整
@@ -3934,7 +3965,7 @@
DocType: Guardian,Guardian Of ,の守護者
DocType: Grading Scale Interval,Threshold,しきい値
DocType: BOM Replace Tool,Current BOM,現在の部品表
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,シリアル番号を追加
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,シリアル番号を追加
apps/erpnext/erpnext/config/support.py +22,Warranty,保証
DocType: Purchase Invoice,Debit Note Issued,デビットノート発行
DocType: Production Order,Warehouses,倉庫
@@ -3943,20 +3974,20 @@
DocType: Workstation,per hour,毎時
apps/erpnext/erpnext/config/buying.py +7,Purchasing,購入
DocType: Announcement,Announcement,発表
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,倉庫(継続記録)のアカウントは、このアカウントの下に作成されます。
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,在庫元帳にエントリーが存在する倉庫を削除することはできません。
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",バッチベースの学生グループの場合、学生バッチは、プログラム登録のすべての生徒に有効です。
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,在庫元帳にエントリーが存在する倉庫を削除することはできません。
DocType: Company,Distribution,配布
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,支払額
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,プロジェクトマネージャー
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,プロジェクトマネージャー
,Quoted Item Comparison,引用符で囲まれた項目の比較
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,発送
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,アイテムの許可最大割引:{0}が{1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,発送
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,アイテムの許可最大割引:{0}が{1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,純資産価値などについて
DocType: Account,Receivable,売掛金
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,行#{0}:注文がすでに存在しているとして、サプライヤーを変更することはできません
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,行#{0}:注文がすでに存在しているとして、サプライヤーを変更することはできません
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,設定された与信限度額を超えた取引を提出することが許可されている役割
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,製造する項目を選択します
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time",マスタデータの同期、それはいくつかの時間がかかる場合があります
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,製造する項目を選択します
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time",マスタデータの同期、それはいくつかの時間がかかる場合があります
DocType: Item,Material Issue,資材課題
DocType: Hub Settings,Seller Description,販売者の説明
DocType: Employee Education,Qualification,資格
@@ -3976,7 +4007,6 @@
DocType: BOM,Rate Of Materials Based On,資材単価基準
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,サポート分析
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,すべて選択解除
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},倉庫{0}に「会社」がありません
DocType: POS Profile,Terms and Conditions,規約
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},開始日は会計年度内でなければなりません(もしかして:{0})
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc",ここでは、身長、体重、アレルギー、医療問題などを保持することができます
@@ -3991,18 +4021,17 @@
DocType: Sales Order Item,For Production,生産用
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,タスク表示
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,会計年度開始日
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,資産減価償却と残高
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},量は{0} {1} {3}に{2}から転送します
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},量は{0} {1} {3}に{2}から転送します
DocType: Sales Invoice,Get Advances Received,前受金を取得
DocType: Email Digest,Add/Remove Recipients,受信者の追加/削除
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},停止された製造指示{0}に対しては取引が許可されていません
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},停止された製造指示{0}に対しては取引が許可されていません
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",この会計年度をデフォルト値に設定するには、「デフォルトに設定」をクリックしてください
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,参加
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,参加
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,不足数量
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,アイテムバリエーション{0}は同じ属性で存在しています
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,アイテムバリエーション{0}は同じ属性で存在しています
DocType: Employee Loan,Repay from Salary,給与から返済
DocType: Leave Application,LAP/,ラップ/
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},量のために、{0} {1}に対する支払いを要求{2}
@@ -4013,34 +4042,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.",納品する梱包の荷造伝票を生成します。パッケージ番号、内容と重量を通知するために使用します。
DocType: Sales Invoice Item,Sales Order Item,受注項目
DocType: Salary Slip,Payment Days,支払日
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,子ノードを持つ倉庫は、元帳に変換することはできません
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,子ノードを持つ倉庫は、元帳に変換することはできません
DocType: BOM,Manage cost of operations,作業費用を管理
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.",チェックされた取引を「送信済」にすると、取引に関連付けられた「連絡先」あてのメールが、添付ファイル付きで、画面にポップアップします。ユーザーはメールを送信するか、キャンセルするかを選ぶことが出来ます。
apps/erpnext/erpnext/config/setup.py +14,Global Settings,共通設定
DocType: Assessment Result Detail,Assessment Result Detail,評価結果の詳細
DocType: Employee Education,Employee Education,従業員教育
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,項目グループテーブルで見つかった重複するアイテム群
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,これは、アイテムの詳細を取得するために必要とされます。
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,これは、アイテムの詳細を取得するために必要とされます。
DocType: Salary Slip,Net Pay,給与総計
DocType: Account,Account,アカウント
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,シリアル番号{0}はすでに受領されています
,Requested Items To Be Transferred,移転予定の要求アイテム
DocType: Expense Claim,Vehicle Log,車両のログ
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.",倉庫{0}任意のアカウントにリンクされていない、作成/倉庫のための対応(資産)のアカウントをリンクしてください。
DocType: Purchase Invoice,Recurring Id,繰り返しID
DocType: Customer,Sales Team Details,営業チームの詳細
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,完全に削除しますか?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,完全に削除しますか?
DocType: Expense Claim,Total Claimed Amount,請求額合計
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,潜在的販売機会
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},無効な {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,病欠
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},無効な {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,病欠
DocType: Email Digest,Email Digest,メールダイジェスト
DocType: Delivery Note,Billing Address Name,請求先住所の名前
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,デパート
DocType: Warehouse,PIN,ピン
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,セットアップERPNextであなたの学校
DocType: Sales Invoice,Base Change Amount (Company Currency),基本変化量(会社通貨)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,次の倉庫には会計エントリーがありません
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,次の倉庫には会計エントリーがありません
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,先に文書を保存してください
DocType: Account,Chargeable,請求可能
DocType: Company,Change Abbreviation,略語を変更
@@ -4058,7 +4086,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,納品予定日は発注日より前にすることはできません
DocType: Appraisal,Appraisal Template,査定テンプレート
DocType: Item Group,Item Classification,アイテム分類
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,ビジネス開発マネージャー
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,ビジネス開発マネージャー
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,メンテナンス訪問目的
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,期間
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,総勘定元帳
@@ -4068,8 +4096,8 @@
DocType: Item Attribute Value,Attribute Value,属性値
,Itemwise Recommended Reorder Level,アイテムごとに推奨される再注文レベル
DocType: Salary Detail,Salary Detail,給与詳細
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,{0}を選択してください
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,アイテム {1}のバッチ {0} は期限切れです
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,{0}を選択してください
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,アイテム {1}のバッチ {0} は期限切れです
DocType: Sales Invoice,Commission,歩合
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,製造のためのタイムシート。
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,小計
@@ -4080,6 +4108,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,「〜より古い在庫を凍結する」は %d 日よりも小さくしなくてはなりません
DocType: Tax Rule,Purchase Tax Template,購入税テンプレート
,Project wise Stock Tracking,プロジェクトごとの在庫追跡
+DocType: GST HSN Code,Regional,地域
DocType: Stock Entry Detail,Actual Qty (at source/target),実際の数量(ソース/ターゲットで)
DocType: Item Customer Detail,Ref Code,参照コード
apps/erpnext/erpnext/config/hr.py +12,Employee records.,従業員レコード
@@ -4090,13 +4119,13 @@
DocType: Email Digest,New Purchase Orders,新しい発注
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,ルートには親コストセンターを指定できません
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,ブランドを選択してください...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,トレーニングイベント/結果
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,上と減価償却累計額
DocType: Sales Invoice,C-Form Applicable,C-フォーム適用
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},作業 {0} の作業時間は0以上でなければなりません
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,倉庫が必須です
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,倉庫が必須です
DocType: Supplier,Address and Contacts,住所・連絡先
DocType: UOM Conversion Detail,UOM Conversion Detail,単位変換の詳細
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),900px(横)100px(縦)が最適です
DocType: Program,Program Abbreviation,プログラムの略
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,製造指示はアイテムテンプレートに対して出すことができません
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,料金は、各アイテムに対して、領収書上で更新されます
@@ -4104,13 +4133,13 @@
DocType: Bank Guarantee,Start Date,開始日
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,期間に休暇を割り当てる。
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,小切手及び預金が不正にクリア
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,アカウント{0}:自身を親アカウントに割当することはできません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,アカウント{0}:自身を親アカウントに割当することはできません
DocType: Purchase Invoice Item,Price List Rate,価格表単価
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,顧客の引用符を作成します。
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",この倉庫での利用可能な在庫に基づいて「在庫あり」または「在庫切れ」を表示します
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),部品表(BOM)
DocType: Item,Average time taken by the supplier to deliver,サプライヤー配送平均時間
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,評価結果
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,評価結果
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,時間
DocType: Project,Expected Start Date,開始予定日
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,料金がそのアイテムに適用できない場合は、アイテムを削除する
@@ -4124,24 +4153,23 @@
DocType: Workstation,Operating Costs,営業費用
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,アクション毎月の予算が超過累積場合
DocType: Purchase Invoice,Submit on creation,作成時に提出
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},{0} {1}でなければならないための通貨
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},{0} {1}でなければならないための通貨
DocType: Asset,Disposal Date,処分日
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",彼らは休日を持っていない場合は電子メールは、与えられた時間で、会社のすべてのActive従業員に送信されます。回答の概要は、深夜に送信されます。
DocType: Employee Leave Approver,Employee Leave Approver,従業員休暇承認者
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},行{0}:この倉庫{1}には既に再注文エントリが存在しています
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},行{0}:この倉庫{1}には既に再注文エントリが存在しています
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.",見積が作成されているため、失注を宣言できません
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,トレーニングフィードバック
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,製造指示{0}を提出しなければなりません
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,製造指示{0}を提出しなければなりません
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},アイテム{0}の開始日と終了日を選択してください
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},コースは、行{0}に必須です
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,終了日を開始日の前にすることはできません
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc文書型
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,価格の追加/編集
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,価格の追加/編集
DocType: Batch,Parent Batch,親バッチ
DocType: Cheque Print Template,Cheque Print Template,小切手印刷テンプレート
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,コストセンターの表
,Requested Items To Be Ordered,発注予定の要求アイテム
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,倉庫会社は、アカウントの会社と同じである必要があります
DocType: Price List,Price List Name,価格表名称
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},{0}の毎日の仕事の概要
DocType: Employee Loan,Totals,合計
@@ -4163,55 +4191,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,有効な携帯電話番号を入力してください
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,メッセージを入力してください
DocType: Email Digest,Pending Quotations,保留中の名言
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,POSプロフィール
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,POSプロフィール
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,SMSの設定を更新してください
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,無担保ローン
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,無担保ローン
DocType: Cost Center,Cost Center Name,コストセンター名
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,タイムシートに対する最大労働時間
DocType: Maintenance Schedule Detail,Scheduled Date,スケジュール日付
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,支出額合計
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,支出額合計
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160文字を超えるメッセージは複数のメッセージに分割されます
DocType: Purchase Receipt Item,Received and Accepted,受領・承認済
+,GST Itemised Sales Register,GST商品販売登録
,Serial No Service Contract Expiry,シリアル番号(サービス契約の有効期限)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,同じ口座を同時に借方と貸方にすることはできません
DocType: Naming Series,Help HTML,HTMLヘルプ
DocType: Student Group Creation Tool,Student Group Creation Tool,学生グループ作成ツール
DocType: Item,Variant Based On,バリアントベースで
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},割り当てられた重みづけの合計は100%でなければなりません。{0}になっています。
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,サプライヤー
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,サプライヤー
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,受注が作成されているため、失注にできません
DocType: Request for Quotation Item,Supplier Part No,サプライヤー型番
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',カテゴリが「評価」または「Vaulationと合計」のためのものであるときに控除することはできません。
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,受領元
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,受領元
DocType: Lead,Converted,変換済
DocType: Item,Has Serial No,シリアル番号あり
DocType: Employee,Date of Issue,発行日
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: {1}のための{0}から
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",購買依頼が必要な場合の購買設定== 'はい'の場合、購買請求書を登録するには、まず商品{0}の購買領収書を登録する必要があります
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},行#{0}:アイテム {1} にサプライヤーを設定してください
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,行{0}:時間値がゼロより大きくなければなりません。
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,アイテム{1}に添付されたウェブサイト画像{0}が見つかりません
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,アイテム{1}に添付されたウェブサイト画像{0}が見つかりません
DocType: Issue,Content Type,コンテンツタイプ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,コンピュータ
DocType: Item,List this Item in multiple groups on the website.,ウェブサイト上の複数のグループでこのアイテムを一覧表示します。
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,アカウントで他の通貨の使用を可能にするには「複数通貨」オプションをチェックしてください
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,アイテム:{0}はシステムに存在しません
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,凍結された値を設定する権限がありません
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,アイテム:{0}はシステムに存在しません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,凍結された値を設定する権限がありません
DocType: Payment Reconciliation,Get Unreconciled Entries,未照合のエントリーを取得
DocType: Payment Reconciliation,From Invoice Date,請求書の日付から
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,課金通貨はいずれかのデフォルトcomapanyの通貨やパーティーの口座通貨に等しくなければなりません
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,現金化を残します
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,これは何?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,課金通貨はいずれかのデフォルトcomapanyの通貨やパーティーの口座通貨に等しくなければなりません
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,現金化を残します
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,これは何?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,倉庫
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,すべての学生の入学
,Average Commission Rate,平均手数料率
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,在庫アイテム以外は「シリアル番号あり」を「はい」にすることができません。
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,在庫アイテム以外は「シリアル番号あり」を「はい」にすることができません。
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,出勤は将来の日付にマークを付けることができません
DocType: Pricing Rule,Pricing Rule Help,価格設定ルールヘルプ
DocType: School House,House Name,家名
DocType: Purchase Taxes and Charges,Account Head,勘定科目
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,アイテムの陸揚費用を計算するために、追加の費用を更新してください
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,電気
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,電気
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,ユーザーとして、組織の残りの部分を追加します。また、連絡先からそれらを追加して、ポータルにお客様を招待追加することができます
DocType: Stock Entry,Total Value Difference (Out - In),価値差違合計(出 - 入)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,行{0}:為替レートは必須です
@@ -4221,7 +4251,7 @@
DocType: Item,Customer Code,顧客コード
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},{0}のための誕生日リマインダー
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,最新注文からの日数
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,借方アカウントは貸借対照表アカウントである必要があります
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,借方アカウントは貸借対照表アカウントである必要があります
DocType: Buying Settings,Naming Series,シリーズ名を付ける
DocType: Leave Block List,Leave Block List Name,休暇リスト名
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,保険開始日は、保険終了日未満でなければなりません
@@ -4236,26 +4266,26 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},従業員の給与スリップ{0}はすでにタイムシート用に作成した{1}
DocType: Vehicle Log,Odometer,オドメーター
DocType: Sales Order Item,Ordered Qty,注文数
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,アイテム{0}は無効です
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,アイテム{0}は無効です
DocType: Stock Settings,Stock Frozen Upto,在庫凍結
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOMは、どの在庫品目が含まれていません
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOMは、どの在庫品目が含まれていません
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},繰り返し {0} には期間開始日と終了日が必要です
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,プロジェクト活動/タスク
DocType: Vehicle Log,Refuelling Details,給油の詳細
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,給与明細を生成
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}",適用のためには次のように選択されている場合の購入は、チェックする必要があります{0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}",適用のためには次のように選択されている場合の購入は、チェックする必要があります{0}
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,割引は100未満でなければなりません
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,最後の購入率が見つかりません
DocType: Purchase Invoice,Write Off Amount (Company Currency),償却額(会社通貨)
DocType: Sales Invoice Timesheet,Billing Hours,課金時間
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,{0}が見つかりませんのデフォルトのBOM
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,行#{0}:再注文数量を設定してください
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,行#{0}:再注文数量を設定してください
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,ここに追加する項目をタップします
DocType: Fees,Program Enrollment,プログラム登録
DocType: Landed Cost Voucher,Landed Cost Voucher,陸揚費用伝票
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},{0}を設定してください
DocType: Purchase Invoice,Repeat on Day of Month,毎月繰り返し
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1}は非アクティブな生徒です
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1}は非アクティブな生徒です
DocType: Employee,Health Details,健康の詳細
DocType: Offer Letter,Offer Letter Terms,雇用契約書条件
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,支払請求書を作成するには参照書類が必要です
@@ -4278,7 +4308,7 @@
取引にシリーズが設定されかつシリアル番号が記載されていない場合、自動シリアル番号は、このシリーズに基づいて作成されます。
このアイテムのシリアル番号を常に明示的に記載したい場合、これを空白のままにします。"
DocType: Upload Attendance,Upload Attendance,出勤アップロード
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,部品表と生産数量が必要です
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,部品表と生産数量が必要です
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,エイジングレンジ2
DocType: SG Creation Tool Course,Max Strength,最大強度
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,部品表交換
@@ -4287,8 +4317,8 @@
,Prospects Engaged But Not Converted,見通しは悪化するが変換されない
DocType: Manufacturing Settings,Manufacturing Settings,製造設定
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,メール設定
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1モバイルはありません
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,会社マスターにデフォルトの通貨を入力してください
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1モバイルはありません
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,会社マスターにデフォルトの通貨を入力してください
DocType: Stock Entry Detail,Stock Entry Detail,在庫エントリー詳細
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,日次リマインダー
DocType: Products Settings,Home Page is Products,ホームページは「製品」です
@@ -4297,7 +4327,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,新しいアカウント名
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,原材料供給費用
DocType: Selling Settings,Settings for Selling Module,販売モジュール設定
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,顧客サービス
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,顧客サービス
DocType: BOM,Thumbnail,サムネイル
DocType: Item Customer Detail,Item Customer Detail,アイテム顧客詳細
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,雇用候補者
@@ -4306,7 +4336,7 @@
DocType: Pricing Rule,Percentage,パーセンテージ
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,アイテム{0}は在庫アイテムでなければなりません
DocType: Manufacturing Settings,Default Work In Progress Warehouse,デフォルト作業中倉庫
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,会計処理のデフォルト設定。
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,会計処理のデフォルト設定。
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,予定日は資材要求日の前にすることはできません
DocType: Purchase Invoice Item,Stock Qty,在庫数
@@ -4319,10 +4349,10 @@
DocType: Sales Order,Printing Details,印刷詳細
DocType: Task,Closing Date,締切日
DocType: Sales Order Item,Produced Quantity,生産数量
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,エンジニア
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,エンジニア
DocType: Journal Entry,Total Amount Currency,総額通貨
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,組立部品を検索
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},行番号{0}にアイテムコードが必要です
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},行番号{0}にアイテムコードが必要です
DocType: Sales Partner,Partner Type,パートナーの種類
DocType: Purchase Taxes and Charges,Actual,実際
DocType: Authorization Rule,Customerwise Discount,顧客ごと割引
@@ -4339,11 +4369,11 @@
DocType: Item Reorder,Re-Order Level,再注文レベル
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,製造指示を出すまたは分析用に原材料をダウンロードするための、アイテムと計画数を入力してください。
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,ガントチャート
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,パートタイム
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,パートタイム
DocType: Employee,Applicable Holiday List,適切な休日リスト
DocType: Employee,Cheque,小切手
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,シリーズ更新
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,レポートタイプは必須です
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,レポートタイプは必須です
DocType: Item,Serial Number Series,シリアル番号シリーズ
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},列{1}の在庫アイテム{0}には倉庫が必須です。
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,小売・卸売
@@ -4364,7 +4394,7 @@
DocType: BOM,Materials,資材
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",チェックされていない場合、リストを適用先の各カテゴリーに追加しなくてはなりません
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,ソースとターゲット・ウェアハウスは同じにすることはできません
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,転記日時は必須です
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,転記日時は必須です
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,購入取引用の税のテンプレート
,Item Prices,アイテム価格
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,発注を保存すると表示される表記内。
@@ -4374,22 +4404,23 @@
DocType: Purchase Invoice,Advance Payments,前払金
DocType: Purchase Taxes and Charges,On Net Total,差引計
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},{0}アイテム{4} {1} {3}の単位で、{2}の範囲内でなければなりません属性の値
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,{0}列のターゲット倉庫は製造注文と同じでなければなりません。
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,{0}列のターゲット倉庫は製造注文と同じでなければなりません。
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,%s の繰り返しに「通知メールアドレス」が指定されていません
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,他の通貨を使用してエントリーを作成した後には通貨を変更することができません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,他の通貨を使用してエントリーを作成した後には通貨を変更することができません
DocType: Vehicle Service,Clutch Plate,クラッチプレート
DocType: Company,Round Off Account,丸め誤差アカウント
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,一般管理費
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,一般管理費
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,コンサルティング
DocType: Customer Group,Parent Customer Group,親顧客グループ
DocType: Purchase Invoice,Contact Email,連絡先 メール
DocType: Appraisal Goal,Score Earned,スコア獲得
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,通知期間
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,通知期間
DocType: Asset Category,Asset Category Name,資産カテゴリー名
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,ルート(大元の)地域なので編集できません
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,新しい営業担当者の名前
DocType: Packing Slip,Gross Weight UOM,総重量数量単位
DocType: Delivery Note Item,Against Sales Invoice,対納品書
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,シリアル化されたアイテムのシリアル番号を入力してください
DocType: Bin,Reserved Qty for Production,生産のための予約済み数量
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,コースベースのグループを作る際にバッチを考慮したくない場合は、チェックを外したままにしておきます。
DocType: Asset,Frequency of Depreciation (Months),減価償却費の周波数(ヶ月)
@@ -4397,25 +4428,25 @@
DocType: Landed Cost Item,Landed Cost Item,輸入費用項目
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,ゼロ値を表示
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,与えられた原材料の数量から製造/再梱包した後に得られたアイテムの数量
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,セットアップ自分の組織のためのシンプルなウェブサイト
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,セットアップ自分の組織のためのシンプルなウェブサイト
DocType: Payment Reconciliation,Receivable / Payable Account,売掛金/買掛金
DocType: Delivery Note Item,Against Sales Order Item,対受注アイテム
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},属性 {0} の属性値を指定してください
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},属性 {0} の属性値を指定してください
DocType: Item,Default Warehouse,デフォルト倉庫
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},グループアカウント{0}に対して予算を割り当てることができません
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,親コストセンターを入力してください
DocType: Delivery Note,Print Without Amount,金額なしで印刷
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,減価償却日
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,「税区分」は在庫アイテムではないので、「評価」や「評価と合計 」にすることはできません.
DocType: Issue,Support Team,サポートチーム
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),(日数)有効期限
DocType: Appraisal,Total Score (Out of 5),総得点(5点満点)
DocType: Fee Structure,FS.,FS。
-DocType: Program Enrollment,Batch,バッチ
+DocType: Student Attendance Tool,Batch,バッチ
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,残高
DocType: Room,Seating Capacity,座席定員
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),総経費請求(経費請求経由)
+DocType: GST Settings,GST Summary,GSTサマリー
DocType: Assessment Result,Total Score,合計スコア
DocType: Journal Entry,Debit Note,借方票
DocType: Stock Entry,As per Stock UOM,在庫の数量単位ごと
@@ -4426,12 +4457,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,デフォルト完成品倉庫
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,営業担当
DocType: SMS Parameter,SMS Parameter,SMSパラメータ
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,予算とコストセンター
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,予算とコストセンター
DocType: Vehicle Service,Half Yearly,半年ごと
DocType: Lead,Blog Subscriber,ブログ購読者
DocType: Guardian,Alternate Number,代替番号
DocType: Assessment Plan Criteria,Maximum Score,最大スコア
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,値に基づいて取引を制限するルールを作成
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,グループロールNo
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,1年に学生グループを作る場合は空欄にしてください
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day",チェックした場合、営業日数は全て祝日を含みますが、これにより1日あたりの給与の値は小さくなります
DocType: Purchase Invoice,Total Advance,前払金計
@@ -4449,6 +4481,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,これは、この顧客に対するトランザクションに基づいています。詳細については、以下のタイムラインを参照してください。
DocType: Supplier,Credit Days Based On,与信日数基準
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},行{0}:割り当て量{1}未満であるか、または支払エントリ量に等しくなければならない{2}
+,Course wise Assessment Report,コースワイズアセスメントレポート
DocType: Tax Rule,Tax Rule,税ルール
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,販売サイクル全体で同じレートを維持
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,ワークステーションの労働時間外のタイムログを計画します。
@@ -4457,7 +4490,7 @@
,Items To Be Requested,要求されるアイテム
DocType: Purchase Order,Get Last Purchase Rate,最新の購入料金を取得
DocType: Company,Company Info,会社情報
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,選択するか、新規顧客を追加
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,選択するか、新規顧客を追加
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,原価センタは、経費請求を予約するために必要とされます
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),資金運用(資産)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,これは、この従業員の出席に基づいています
@@ -4465,27 +4498,29 @@
DocType: Fiscal Year,Year Start Date,年始日
DocType: Attendance,Employee Name,従業員名
DocType: Sales Invoice,Rounded Total (Company Currency),合計(四捨五入)(会社通貨)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,会計タイプが選択されているため、グループに変換することはできません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,会計タイプが選択されているため、グループに変換することはできません
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1}が変更されています。画面を更新してください。
DocType: Leave Block List,Stop users from making Leave Applications on following days.,以下の日にはユーザーからの休暇申請を受け付けない
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,購入金額
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,サプライヤー見積 {0} 作成済
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,終了年は開始年前にすることはできません
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,従業員給付
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,従業員給付
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},梱包済数量は、行{1}のアイテム{0}の数量と等しくなければなりません
DocType: Production Order,Manufactured Qty,製造数量
DocType: Purchase Receipt Item,Accepted Quantity,受入数
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},従業員のデフォルト休日リストを設定してください{0}または当社{1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}:{1}は存在しません
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}:{1}は存在しません
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,バッチ番号を選択
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,顧客あて請求
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,プロジェクトID
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},行番号 {0}:経費請求{1}に対して保留額より大きい額は指定できません。保留額は {2} です
DocType: Maintenance Schedule,Schedule,スケジュール
DocType: Account,Parent Account,親勘定
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,利用可
DocType: Quality Inspection Reading,Reading 3,報告要素3
,Hub,ハブ
DocType: GL Entry,Voucher Type,伝票タイプ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,価格表が見つからないか無効になっています
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,価格表が見つからないか無効になっています
DocType: Employee Loan Application,Approved,承認済
DocType: Pricing Rule,Price,価格
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0}から取り除かれた従業員は「退職」に設定されなければなりません
@@ -4496,7 +4531,8 @@
DocType: Selling Settings,Campaign Naming By,キャンペーンの命名により、
DocType: Employee,Current Address Is,現住所は:
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,変更された
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.",オプション。指定されていない場合は、会社のデフォルト通貨を設定します。
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.",オプション。指定されていない場合は、会社のデフォルト通貨を設定します。
+DocType: Sales Invoice,Customer GSTIN,顧客GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,会計仕訳
DocType: Delivery Note Item,Available Qty at From Warehouse,倉庫内利用可能数量
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,先に従業員レコードを選択してください
@@ -4504,7 +4540,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},行{0}:当事者/アカウントが {3} {4} の {1} / {2}と一致しません
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,経費勘定を入力してください
DocType: Account,Stock,在庫
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",行#{0}:リファレンスドキュメントタイプは、購買発注、購買請求書または仕訳のいずれかでなければなりません
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",行#{0}:リファレンスドキュメントタイプは、購買発注、購買請求書または仕訳のいずれかでなければなりません
DocType: Employee,Current Address,現住所
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified",アイテムが別のアイテムのバリエーションである場合には、明示的に指定しない限り、その後の説明、画像、価格、税金などはテンプレートから設定されます
DocType: Serial No,Purchase / Manufacture Details,仕入/製造の詳細
@@ -4517,8 +4553,8 @@
DocType: Pricing Rule,Min Qty,最小数量
DocType: Asset Movement,Transaction Date,取引日
DocType: Production Plan Item,Planned Qty,計画数量
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,税合計
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,数量(製造数量)が必須です
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,税合計
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,数量(製造数量)が必須です
DocType: Stock Entry,Default Target Warehouse,デフォルト入庫先倉庫
DocType: Purchase Invoice,Net Total (Company Currency),差引計(会社通貨)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,年終了日は年開始日より前にすることはできません。日付を訂正して、もう一度お試しください。
@@ -4532,13 +4568,11 @@
DocType: Hub Settings,Hub Settings,ハブの設定
DocType: Project,Gross Margin %,粗利益率%
DocType: BOM,With Operations,操作で
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,会計エントリがすでに会社{1}の通貨{0}に存在します。債権または債務アカウントを通貨{0}で選択してください。
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,会計エントリがすでに会社{1}の通貨{0}に存在します。債権または債務アカウントを通貨{0}で選択してください。
DocType: Asset,Is Existing Asset,既存の資産は、
DocType: Salary Detail,Statistical Component,統計コンポーネント
-,Monthly Salary Register,月給登録
DocType: Warranty Claim,If different than customer address,顧客の住所と異なる場合
DocType: BOM Operation,BOM Operation,部品表の操作
-DocType: School Settings,Validate the Student Group from Program Enrollment,プログラムの登録から生徒グループを検証する
DocType: Purchase Taxes and Charges,On Previous Row Amount,前行の額
DocType: Student,Home Address,ホームアドレス
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,資産を譲渡
@@ -4546,28 +4580,27 @@
DocType: Training Event,Event Name,イベント名
apps/erpnext/erpnext/config/schools.py +39,Admission,入場
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},{0}のための入試
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.",予算や目標などを設定する期間
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants",アイテム{0}はテンプレートです。バリエーションのいずれかを選択してください
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.",予算や目標などを設定する期間
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants",アイテム{0}はテンプレートです。バリエーションのいずれかを選択してください
DocType: Asset,Asset Category,資産カテゴリー
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,購入者
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,給与をマイナスにすることはできません
DocType: SMS Settings,Static Parameters,静的パラメータ
DocType: Assessment Plan,Room,ルーム
DocType: Purchase Order,Advance Paid,立替金
DocType: Item,Item Tax,アイテムごとの税
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,サプライヤー用資材
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,消費税の請求書
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,消費税の請求書
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}%が複数回表示されます
DocType: Expense Claim,Employees Email Id,従業員メールアドレス
DocType: Employee Attendance Tool,Marked Attendance,マークされた出席
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,流動負債
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,流動負債
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,連絡先にまとめてSMSを送信
DocType: Program,Program Name,プログラム名
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,税金・料金を考慮
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,実際の数量は必須です
DocType: Employee Loan,Loan Type,ローンの種類
DocType: Scheduling Tool,Scheduling Tool,スケジューリングツール
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,クレジットカード
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,クレジットカード
DocType: BOM,Item to be manufactured or repacked,製造または再梱包するアイテム
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,在庫取引のデフォルト設定
DocType: Purchase Invoice,Next Date,次の日
@@ -4583,10 +4616,10 @@
DocType: Stock Entry,Repack,再梱包
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,続行する前に、フォームを保存してください
DocType: Item Attribute,Numeric Values,数値
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,ロゴを添付
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,ロゴを添付
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,在庫レベル
DocType: Customer,Commission Rate,手数料率
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,バリエーション作成
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,バリエーション作成
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,部門別休暇申請
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer",お支払い方法の種類は、受信のいずれかで支払うと内部転送する必要があります
apps/erpnext/erpnext/config/selling.py +179,Analytics,分析
@@ -4594,45 +4627,45 @@
DocType: Vehicle,Model,モデル
DocType: Production Order,Actual Operating Cost,実際の営業費用
DocType: Payment Entry,Cheque/Reference No,小切手/リファレンスなし
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,ルートを編集することはできません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,ルートを編集することはできません
DocType: Item,Units of Measure,測定の単位
DocType: Manufacturing Settings,Allow Production on Holidays,休日に製造を許可
DocType: Sales Order,Customer's Purchase Order Date,顧客の発注日
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,株式資本
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,株式資本
DocType: Shopping Cart Settings,Show Public Attachments,パブリックアタッチメントを表示する
DocType: Packing Slip,Package Weight Details,パッケージ重量詳細
DocType: Payment Gateway Account,Payment Gateway Account,ペイメントゲートウェイアカウント
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,支払完了後、選択したページにリダイレクトします
DocType: Company,Existing Company,既存企業
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",すべての商品アイテムが非在庫アイテムであるため、税カテゴリが「合計」に変更されました
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,csvファイルを選択してください
DocType: Student Leave Application,Mark as Present,プレゼントとしてマーク
DocType: Purchase Order,To Receive and Bill,受領・請求する
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,おすすめ商品
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,デザイナー
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,デザイナー
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,規約のテンプレート
DocType: Serial No,Delivery Details,納品詳細
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},タイプ{1}のための税金テーブルの行{0}にコストセンターが必要です
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},タイプ{1}のための税金テーブルの行{0}にコストセンターが必要です
DocType: Program,Program Code,プログラム・コード
DocType: Terms and Conditions,Terms and Conditions Help,利用規約ヘルプ
,Item-wise Purchase Register,アイテムごとの仕入登録
DocType: Batch,Expiry Date,有効期限
-,Supplier Addresses and Contacts,サプライヤー住所・連絡先
,accounts-browser,アカウントブラウザ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,カテゴリを選択してください
apps/erpnext/erpnext/config/projects.py +13,Project master.,プロジェクトマスター
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.",証券取引設定]または[アイテムの「手当」を更新し、課金オーバーまたは過剰発注できるようにするには。
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.",証券取引設定]または[アイテムの「手当」を更新し、課金オーバーまたは過剰発注できるようにするには。
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,次の通貨に$などのような任意のシンボルを表示しません。
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(半日)
DocType: Supplier,Credit Days,信用日数
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,学生のバッチを作ります
DocType: Leave Type,Is Carry Forward,繰越済
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,部品表からアイテムを取得
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,部品表からアイテムを取得
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,リードタイム日数
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},資産の転記日付購入日と同じでなければなりません{1} {2}:行#{0}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},資産の転記日付購入日と同じでなければなりません{1} {2}:行#{0}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,上記の表に受注を入力してください
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,給与スリップ提出されていません
,Stock Summary,株式の概要
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,別の倉庫から資産を移します
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,別の倉庫から資産を移します
DocType: Vehicle,Petrol,ガソリン
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,部品表
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},行{0}:当事者タイプと当事者が売掛金/買掛金勘定 {1} に必要です
@@ -4643,6 +4676,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,承認予算額
DocType: GL Entry,Is Opening,オープン
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},行{0}:借方エントリは{1}とリンクすることができません
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,アカウント{0}は存在しません
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,アカウント{0}は存在しません
DocType: Account,Cash,現金
DocType: Employee,Short biography for website and other publications.,ウェブサイトや他の出版物のための略歴
diff --git a/erpnext/translations/km.csv b/erpnext/translations/km.csv
index ac4b97e..e02289d 100644
--- a/erpnext/translations/km.csv
+++ b/erpnext/translations/km.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,ផលិតផលទំនិញប្រើប្រាស់
DocType: Item,Customer Items,ធាតុអតិថិជន
DocType: Project,Costing and Billing,និងវិក័យប័ត្រមានតម្លៃ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,គណនី {0}: គណនីមាតាបិតា {1} មិនអាចជាសៀវភៅមួយ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,គណនី {0}: គណនីមាតាបិតា {1} មិនអាចជាសៀវភៅមួយ
DocType: Item,Publish Item to hub.erpnext.com,បោះពុម្ពផ្សាយធាតុទៅ hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,ការជូនដំណឹងអ៊ីមែល
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,ការវាយតំលៃ
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,ការវាយតំលៃ
DocType: Item,Default Unit of Measure,អង្គភាពលំនាំដើមនៃវិធានការ
DocType: SMS Center,All Sales Partner Contact,ទាំងអស់ដៃគូទំនាក់ទំនងលក់
DocType: Employee,Leave Approvers,ទុកឱ្យការអនុម័ត
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),អត្រាប្តូរប្រាក់ត្រូវតែមានដូចគ្នា {0} {1} ({2})
DocType: Sales Invoice,Customer Name,ឈ្មោះអតិថិជន
DocType: Vehicle,Natural Gas,ឧស្ម័នធម្មជាតិ
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},គណនីធនាគារដែលមិនអាចត្រូវបានដាក់ឈ្មោះថាជា {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},គណនីធនាគារដែលមិនអាចត្រូវបានដាក់ឈ្មោះថាជា {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,ក្បាល (ឬក្រុម) ប្រឆាំងនឹងធាតុគណនេយ្យនិងតុល្យភាពត្រូវបានធ្វើឡើងត្រូវបានរក្សា។
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),ឆ្នើមសម្រាប់ {0} មិនអាចតិចជាងសូន្យ ({1})
DocType: Manufacturing Settings,Default 10 mins,10 នាទីលំនាំដើម
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,ទាំងអស់ផ្គត់ផ្គង់ទំនាក់ទំនង
DocType: Support Settings,Support Settings,ការកំណត់ការគាំទ្រ
DocType: SMS Parameter,Parameter,ប៉ារ៉ាម៉ែត្រ
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,គេរំពឹងថានឹងកាលបរិច្ឆេទបញ្ចប់មិនអាចតិចជាងការរំពឹងទុកការចាប់ផ្តើមកាលបរិច្ឆេទ
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,គេរំពឹងថានឹងកាលបរិច្ឆេទបញ្ចប់មិនអាចតិចជាងការរំពឹងទុកការចាប់ផ្តើមកាលបរិច្ឆេទ
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ជួរដេក # {0}: អត្រាការប្រាក់ត្រូវតែមានដូចគ្នា {1} {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,ចាកចេញកម្មវិធីថ្មី
,Batch Item Expiry Status,ធាតុបាច់ស្ថានភាពផុតកំណត់
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,សេចក្តីព្រាងធនាគារ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,សេចក្តីព្រាងធនាគារ
DocType: Mode of Payment Account,Mode of Payment Account,របៀបនៃការទូទាត់គណនី
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,បង្ហាញវ៉ារ្យ៉ង់
DocType: Academic Term,Academic Term,រយៈពេលនៃការសិក្សា
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,សម្ភារៈ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,បរិមាណដែលត្រូវទទួលទាន
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,តារាងគណនីមិនអាចទទេ។
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),ការផ្តល់ប្រាក់កម្ចី (បំណុល)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),ការផ្តល់ប្រាក់កម្ចី (បំណុល)
DocType: Employee Education,Year of Passing,ឆ្នាំ Pass
DocType: Item,Country of Origin,ប្រទេសនៃប្រភពដើម
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,នៅក្នុងផ្សារ
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,នៅក្នុងផ្សារ
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,ការបើកចំហរបញ្ហា
DocType: Production Plan Item,Production Plan Item,ផលិតកម្មធាតុផែនការ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},{0} អ្នកប្រើត្រូវបានកំណត់រួចទៅបុគ្គលិក {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,ការថែទាំសុខភាព
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ពន្យាពេលក្នុងការទូទាត់ (ថ្ងៃ)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,ការចំណាយសេវា
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},លេខស៊េរី: {0} ត្រូវបានយោងរួចហើយនៅក្នុងវិក័យប័ត្រលក់: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},លេខស៊េរី: {0} ត្រូវបានយោងរួចហើយនៅក្នុងវិក័យប័ត្រលក់: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,វិក័យប័ត្រ
DocType: Maintenance Schedule Item,Periodicity,រយៈពេល
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ឆ្នាំសារពើពន្ធ {0} ត្រូវបានទាមទារ
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,ជួរដេក # {0}:
DocType: Timesheet,Total Costing Amount,ចំនួនទឹកប្រាក់ផ្សារសរុប
DocType: Delivery Note,Vehicle No,គ្មានយានយន្ត
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,សូមជ្រើសតារាងតម្លៃ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,សូមជ្រើសតារាងតម្លៃ
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,ជួរដេក # {0}: ឯកសារការទូទាត់ត្រូវបានទាមទារដើម្បីបញ្ចប់ trasaction នេះ
DocType: Production Order Operation,Work In Progress,ការងារក្នុងវឌ្ឍនភាព
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,សូមជ្រើសរើសកាលបរិច្ឆេទ
DocType: Employee,Holiday List,បញ្ជីថ្ងៃឈប់សម្រាក
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,គណនេយ្យករ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,គណនេយ្យករ
DocType: Cost Center,Stock User,អ្នកប្រើប្រាស់ភាគហ៊ុន
DocType: Company,Phone No,គ្មានទូរស័ព្ទ
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,កាលវិភាគការពិតណាស់ដែលបានបង្កើត:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},ថ្មី {0}: # {1}
,Sales Partners Commission,គណៈកម្មាធិការលក់ដៃគូ
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,អក្សរកាត់មិនអាចមានច្រើនជាង 5 តួអក្សរ
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,អក្សរកាត់មិនអាចមានច្រើនជាង 5 តួអក្សរ
DocType: Payment Request,Payment Request,ស្នើសុំការទូទាត់
DocType: Asset,Value After Depreciation,តម្លៃបន្ទាប់ពីការរំលស់
DocType: Employee,O+,ឱ +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,កាលបរិច្ឆេទចូលរួមមិនអាចតិចជាងការចូលរួមរបស់បុគ្គលិកនិងកាលបរិច្ឆេទ
DocType: Grading Scale,Grading Scale Name,ធ្វើមាត្រដ្ឋានចំណាត់ឈ្មោះ
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,នេះគឺជាគណនី root និងមិនអាចត្រូវបានកែសម្រួល។
+DocType: Sales Invoice,Company Address,អាសយដ្ឋានរបស់ក្រុមហ៊ុន
DocType: BOM,Operations,ប្រតិបត្ដិការ
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},មិនអាចកំណត់ការអនុញ្ញាតនៅលើមូលដ្ឋាននៃការបញ្ចុះតម្លៃសម្រាប់ {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name",ភ្ជាប់ឯកសារ .csv ដែលមានជួរឈរពីរសម្រាប់ឈ្មោះចាស់និងមួយសម្រាប់ឈ្មោះថ្មី
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} មិននៅក្នុងឆ្នាំសារពើពន្ធសកម្មណាមួយឡើយ។
DocType: Packed Item,Parent Detail docname,ពត៌មានលំអិតរបស់ឪពុកម្តាយ docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","ឯកសារយោង: {0}, លេខកូដធាតុ: {1} និងអតិថិជន: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,គីឡូក្រាម
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,គីឡូក្រាម
DocType: Student Log,Log,កំណត់ហេតុ
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,បើកសម្រាប់ការងារ។
DocType: Item Attribute,Increment,ចំនួនបន្ថែម
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,ការផ្សព្វផ្សាយពាណិជ្ជកម្ម
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,ក្រុមហ៊ុនដូចគ្នាត្រូវបានបញ្ចូលច្រើនជាងម្ដង
DocType: Employee,Married,រៀបការជាមួយ
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},មិនត្រូវបានអនុញ្ញាតសម្រាប់ {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},មិនត្រូវបានអនុញ្ញាតសម្រាប់ {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,ទទួលបានធាតុពី
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},ភាគហ៊ុនដែលមិនអាចធ្វើបច្ចុប្បន្នភាពការប្រឆាំងនឹងការដឹកជញ្ជូនចំណាំ {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},ភាគហ៊ុនដែលមិនអាចធ្វើបច្ចុប្បន្នភាពការប្រឆាំងនឹងការដឹកជញ្ជូនចំណាំ {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},ផលិតផល {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,គ្មានធាតុដែលបានរាយ
DocType: Payment Reconciliation,Reconcile,សម្របសម្រួល
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,រំលស់បន្ទាប់កាលបរិច្ឆេទមិនអាចមុនពេលទិញកាលបរិច្ឆេទ
DocType: SMS Center,All Sales Person,ការលក់របស់បុគ្គលទាំងអស់
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** ** ចែកចាយប្រចាំខែអាចជួយឱ្យអ្នកចែកថវិកា / គោលដៅនៅទូទាំងខែប្រសិនបើអ្នកមានរដូវកាលនៅក្នុងអាជីវកម្មរបស់អ្នក។
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,មិនមានធាតុដែលបានរកឃើញ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,មិនមានធាតុដែលបានរកឃើញ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,បាត់ប្រាក់ខែរចនាសម្ព័ន្ធ
DocType: Lead,Person Name,ឈ្មោះបុគ្គល
DocType: Sales Invoice Item,Sales Invoice Item,ការលក់វិក័យប័ត្រធាតុ
DocType: Account,Credit,ឥណទាន
DocType: POS Profile,Write Off Cost Center,បិទការសរសេរមជ្ឈមណ្ឌលថ្លៃដើម
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",ឧទាហរណ៍ "សាលាបឋមសិក្សា" ឬ "សាកលវិទ្យាល័យ"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",ឧទាហរណ៍ "សាលាបឋមសិក្សា" ឬ "សាកលវិទ្យាល័យ"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,របាយការណ៍ភាគហ៊ុន
DocType: Warehouse,Warehouse Detail,ពត៌មានលំអិតឃ្លាំង
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},ដែនកំណត់ឥណទានត្រូវបានឆ្លងកាត់សម្រាប់អតិថិជន {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},ដែនកំណត់ឥណទានត្រូវបានឆ្លងកាត់សម្រាប់អតិថិជន {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,កាលបរិច្ឆេទបញ្ចប់រយៈពេលមិនអាចមាននៅពេលក្រោយជាងឆ្នាំបញ្ចប់កាលបរិច្ឆេទនៃឆ្នាំសិក្សាដែលរយៈពេលនេះត្រូវបានតភ្ជាប់ (អប់រំឆ្នាំ {}) ។ សូមកែកាលបរិច្ឆេទនិងព្យាយាមម្ដងទៀត។
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",«តើអចលន "មិនអាចត្រូវបានធីកមានទ្រព្យសម្បត្តិដែលជាកំណត់ត្រាប្រឆាំងនឹងធាតុ
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",«តើអចលន "មិនអាចត្រូវបានធីកមានទ្រព្យសម្បត្តិដែលជាកំណត់ត្រាប្រឆាំងនឹងធាតុ
DocType: Vehicle Service,Brake Oil,ប្រេងហ្វ្រាំង
DocType: Tax Rule,Tax Type,ប្រភេទពន្ធលើ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},អ្នកមិនត្រូវបានអនុញ្ញាតឱ្យបន្ថែមឬធ្វើឱ្យទាន់សម័យធាតុមុន {0}
DocType: BOM,Item Image (if not slideshow),រូបភាពធាតុ (ប្រសិនបើមិនមានការបញ្ចាំងស្លាយ)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,អតិថិជនមួយដែលមានឈ្មោះដូចគ្នា
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(ហួរអត្រា / 60) * ជាក់ស្តែងប្រតិបត្តិការម៉ោង
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,ជ្រើស Bom
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,ជ្រើស Bom
DocType: SMS Log,SMS Log,ផ្ញើសារជាអក្សរចូល
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,តម្លៃនៃធាតុដែលបានផ្តល់
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,ថ្ងៃឈប់សម្រាកនៅលើ {0} គឺមិនមានរវាងពីកាលបរិច្ឆេទនិងដើម្បីកាលបរិច្ឆេទ
@@ -159,13 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},ពី {0} ទៅ {1}
DocType: Item,Copy From Item Group,ការចម្លងពីធាតុគ្រុប
DocType: Journal Entry,Opening Entry,ការបើកចូល
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,អតិថិជន> ក្រុមអតិថិជន> ដែនដី
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,មានតែគណនីប្រាក់
DocType: Employee Loan,Repay Over Number of Periods,សងចំនួនជាងនៃរយៈពេល
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} មិនត្រូវបានចុះឈ្មោះនៅក្នុងការផ្តល់ឱ្យ {2}
DocType: Stock Entry,Additional Costs,ការចំណាយបន្ថែមទៀត
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,គណនីប្រតិបត្តិការដែលមានស្រាប់ដែលមិនអាចត្រូវបានបម្លែងទៅជាក្រុម។
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,គណនីប្រតិបត្តិការដែលមានស្រាប់ដែលមិនអាចត្រូវបានបម្លែងទៅជាក្រុម។
DocType: Lead,Product Enquiry,ផលិតផលសំណួរ
DocType: Academic Term,Schools,សាលារៀន
+DocType: School Settings,Validate Batch for Students in Student Group,ធ្វើឱ្យមានសុពលភាពបាច់សម្រាប់សិស្សនិស្សិតនៅក្នុងពូល
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},គ្មានការកត់ត្រាការឈប់សម្រាកបានរកឃើញសម្រាប់បុគ្គលិក {0} {1} សម្រាប់
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,សូមបញ្ចូលក្រុមហ៊ុនដំបូង
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,សូមជ្រើសរើសក្រុមហ៊ុនដំបូង
@@ -174,48 +176,48 @@
DocType: BOM,Total Cost,ការចំណាយសរុប
DocType: Journal Entry Account,Employee Loan,ឥណទានបុគ្គលិក
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,កំណត់ហេតុសកម្មភាព:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,ធាតុ {0} មិនមាននៅក្នុងប្រព័ន្ធឬបានផុតកំណត់
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,ធាតុ {0} មិនមាននៅក្នុងប្រព័ន្ធឬបានផុតកំណត់
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,អចលនទ្រព្យ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,សេចក្តីថ្លែងការណ៍របស់គណនី
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,ឱសថ
DocType: Purchase Invoice Item,Is Fixed Asset,ជាទ្រព្យថេរ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","qty អាចប្រើបានគឺ {0}, អ្នកត្រូវ {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","qty អាចប្រើបានគឺ {0}, អ្នកត្រូវ {1}"
DocType: Expense Claim Detail,Claim Amount,ចំនួនពាក្យបណ្តឹង
-DocType: Employee,Mr,លោក
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,ក្រុមអតិថិជនស្ទួនរកឃើញនៅក្នុងតារាងក្រុម cutomer
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,ប្រភេទក្រុមហ៊ុនផ្គត់ផ្គង់ / ផ្គត់ផ្គង់
DocType: Naming Series,Prefix,បុព្វបទ
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,អ្នកប្រើប្រាស់
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,អ្នកប្រើប្រាស់
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,នាំចូលចូល
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,ទាញស្នើសុំសម្ភារៈនៃប្រភេទដែលបានផលិតដោយផ្អែកលើលក្ខណៈវិនិច្ឆ័យខាងលើនេះ
DocType: Training Result Employee,Grade,ថ្នាក់ទី
DocType: Sales Invoice Item,Delivered By Supplier,បានបញ្ជូនដោយអ្នកផ្គត់ផ្គង់
DocType: SMS Center,All Contact,ទំនាក់ទំនងទាំងអស់
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,លំដាប់ផលិតកម្មបានបង្កើតរួចសម្រាប់ធាតុទាំងអស់ដែលមាន Bom
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,ប្រាក់បៀវត្សប្រចាំឆ្នាំប្រាក់
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,លំដាប់ផលិតកម្មបានបង្កើតរួចសម្រាប់ធាតុទាំងអស់ដែលមាន Bom
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,ប្រាក់បៀវត្សប្រចាំឆ្នាំប្រាក់
DocType: Daily Work Summary,Daily Work Summary,សង្ខេបការងារប្រចាំថ្ងៃ
DocType: Period Closing Voucher,Closing Fiscal Year,បិទឆ្នាំសារពើពន្ធ
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} ជាកក
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,សូមជ្រើសក្រុមហ៊ុនដែលមានស្រាប់សម្រាប់ការបង្កើតគណនីគំនូសតាង
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,ការចំណាយភាគហ៊ុន
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} ជាកក
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,សូមជ្រើសក្រុមហ៊ុនដែលមានស្រាប់សម្រាប់ការបង្កើតគណនីគំនូសតាង
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,ការចំណាយភាគហ៊ុន
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,ជ្រើសគោលដៅឃ្លាំង
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,សូមបញ្ចូលអ៊ីម៉ែលទំនាក់ទំនងដែលពេញចិត្ត
+DocType: Program Enrollment,School Bus,ឡានសាលា
DocType: Journal Entry,Contra Entry,ចូល contra
DocType: Journal Entry Account,Credit in Company Currency,ឥណទានក្នុងក្រុមហ៊ុនរូបិយប័ណ្ណ
DocType: Delivery Note,Installation Status,ស្ថានភាពនៃការដំឡើង
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",តើអ្នកចង់ធ្វើឱ្យទាន់សម័យចូលរួម? <br> បច្ចុប្បន្ន: {0} \ <br> អវត្តមាន: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},+ ទទួលយកបានច្រានចោល Qty ត្រូវតែស្មើនឹងទទួលបានបរិមាណសម្រាប់ធាតុ {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},+ ទទួលយកបានច្រានចោល Qty ត្រូវតែស្មើនឹងទទួលបានបរិមាណសម្រាប់ធាតុ {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,ការផ្គត់ផ្គង់សម្ភារៈសម្រាប់ការទិញសាច់ឆៅ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,របៀបយ៉ាងហោចណាស់មួយនៃការទូទាត់ត្រូវបានទាមទារសម្រាប់វិក័យប័ត្រម៉ាស៊ីនឆូតកាត។
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,របៀបយ៉ាងហោចណាស់មួយនៃការទូទាត់ត្រូវបានទាមទារសម្រាប់វិក័យប័ត្រម៉ាស៊ីនឆូតកាត។
DocType: Products Settings,Show Products as a List,បង្ហាញផលិតផលជាបញ្ជី
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records",ទាញយកទំព័រគំរូបំពេញទិន្នន័យត្រឹមត្រូវហើយភ្ជាប់ឯកសារដែលបានកែប្រែ។ កាលបរិច្ឆេទនិងបុគ្គលិកទាំងអស់រួមបញ្ចូលគ្នានៅក្នុងរយៈពេលដែលបានជ្រើសនឹងមកនៅក្នុងពុម្ពដែលមានស្រាប់ជាមួយនឹងកំណត់ត្រាវត្តមាន
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,ធាតុ {0} គឺមិនសកម្មឬទីបញ្ចប់នៃជីវិតត្រូវបានឈានដល់
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,ឧទាហរណ៍: គណិតវិទ្យាមូលដ្ឋាន
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",ដើម្បីរួមបញ្ចូលពន្ធក្នុងជួរ {0} នៅក្នុងអត្រាធាតុពន្ធក្នុងជួរដេក {1} ត្រូវតែត្រូវបានរួមបញ្ចូល
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,ធាតុ {0} គឺមិនសកម្មឬទីបញ្ចប់នៃជីវិតត្រូវបានឈានដល់
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,ឧទាហរណ៍: គណិតវិទ្យាមូលដ្ឋាន
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",ដើម្បីរួមបញ្ចូលពន្ធក្នុងជួរ {0} នៅក្នុងអត្រាធាតុពន្ធក្នុងជួរដេក {1} ត្រូវតែត្រូវបានរួមបញ្ចូល
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,ការកំណត់សម្រាប់ម៉ូឌុលធនធានមនុស្ស
DocType: SMS Center,SMS Center,ផ្ញើសារជាអក្សរមជ្ឈមណ្ឌល
DocType: Sales Invoice,Change Amount,ការផ្លាស់ប្តូរចំនួនទឹកប្រាក់
@@ -225,7 +227,7 @@
DocType: Lead,Request Type,ប្រភេទនៃសំណើសុំ
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,ធ្វើឱ្យបុគ្គលិក
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,ការផ្សព្វផ្សាយ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,ការប្រតិបត្តិ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,ការប្រតិបត្តិ
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,ពត៌មានលំអិតនៃការប្រតិបត្ដិការនេះបានអនុវត្ត។
DocType: Serial No,Maintenance Status,ស្ថានភាពថែទាំ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: ផ្គត់ផ្គង់គឺត្រូវបានទាមទារប្រឆាំងនឹងគណនីទូទាត់ {2}
@@ -253,7 +255,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,សំណើរសម្រាប់សម្រង់នេះអាចត្រូវបានចូលដំណើរការដោយចុចលើតំណខាងក្រោម
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,បម្រុងទុកស្លឹកសម្រាប់ឆ្នាំនេះ។
DocType: SG Creation Tool Course,SG Creation Tool Course,វគ្គឧបករណ៍បង្កើត SG
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,ហ៊ុនមិនគ្រប់គ្រាន់
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,ហ៊ុនមិនគ្រប់គ្រាន់
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,បិទការធ្វើផែនការតាមដានម៉ោងសមត្ថភាពនិង
DocType: Email Digest,New Sales Orders,ការបញ្ជាទិញការលក់ការថ្មី
DocType: Bank Guarantee,Bank Account,គណនីធនាគារ
@@ -264,8 +266,9 @@
DocType: Production Order Operation,Updated via 'Time Log',ធ្វើឱ្យទាន់សម័យតាមរយៈ "ពេលវេលាកំណត់ហេតុ '
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},ចំនួនទឹកប្រាក់ជាមុនមិនអាចច្រើនជាង {0} {1}
DocType: Naming Series,Series List for this Transaction,បញ្ជីស៊េរីសម្រាប់ប្រតិបត្តិការនេះ
+DocType: Company,Enable Perpetual Inventory,បើកការសារពើភ័ណ្ឌជាបន្តបន្ទាប់
DocType: Company,Default Payroll Payable Account,បើកប្រាក់បៀវត្សត្រូវបង់លំនាំដើមគណនី
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,ធ្វើឱ្យទាន់សម័យគ្រុបអ៊ីម៉ែល
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,ធ្វើឱ្យទាន់សម័យគ្រុបអ៊ីម៉ែល
DocType: Sales Invoice,Is Opening Entry,ត្រូវការបើកចូល
DocType: Customer Group,Mention if non-standard receivable account applicable,និយាយបានបើគណនីដែលមិនមែនជាស្តង់ដាទទួលអនុវត្តបាន
DocType: Course Schedule,Instructor Name,ឈ្មោះគ្រូបង្ហាត់
@@ -277,13 +280,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,ការប្រឆាំងនឹងការធាតុលក់វិក័យប័ត្រ
,Production Orders in Progress,ការបញ្ជាទិញផលិតកម្មក្នុងវឌ្ឍនភាព
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,សាច់ប្រាក់សុទ្ធពីការផ្តល់ហិរញ្ញប្បទាន
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","ផ្ទុកទិន្នន័យមូលដ្ឋានជាការពេញលេញ, មិនបានរក្សាទុក"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","ផ្ទុកទិន្នន័យមូលដ្ឋានជាការពេញលេញ, មិនបានរក្សាទុក"
DocType: Lead,Address & Contact,អាសយដ្ឋានទំនាក់ទំនង
DocType: Leave Allocation,Add unused leaves from previous allocations,បន្ថែមស្លឹកដែលមិនបានប្រើពីការបែងចែកពីមុន
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},កើតឡើងបន្ទាប់ {0} នឹងត្រូវបានបង្កើតនៅលើ {1}
DocType: Sales Partner,Partner website,គេហទំព័រជាដៃគូ
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,បន្ថែមធាតុ
-,Contact Name,ឈ្មោះទំនាក់ទំនង
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,ឈ្មោះទំនាក់ទំនង
DocType: Course Assessment Criteria,Course Assessment Criteria,លក្ខណៈវិនិច្ឆ័យការវាយតំលៃការពិតណាស់
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,បង្កើតប័ណ្ណប្រាក់បៀវត្សចំពោះលក្ខណៈវិនិច្ឆ័យដែលបានរៀបរាប់ខាងលើ។
DocType: POS Customer Group,POS Customer Group,ក្រុមផ្ទាល់ខ្លួនម៉ាស៊ីនឆូតកាត
@@ -292,18 +295,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,ការពិពណ៌នាដែលបានផ្ដល់ឱ្យមិនមាន
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,ស្នើសុំសម្រាប់ការទិញ។
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,នេះមានមូលដ្ឋានលើតារាងពេលវេលាដែលបានបង្កើតការប្រឆាំងនឹងគម្រោងនេះ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,ប្រាក់ចំណេញសុទ្ធមិនអាចតិចជាង 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,ប្រាក់ចំណេញសុទ្ធមិនអាចតិចជាង 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,មានតែការយល់ព្រមចាកចេញជ្រើសអាចដាក់ពាក្យសុំចាកចេញនេះ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,បន្ថយកាលបរិច្ឆេទត្រូវតែធំជាងកាលបរិច្ឆេទនៃការចូលរួម
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,ស្លឹកមួយឆ្នាំ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,ស្លឹកមួយឆ្នាំ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ជួរដេក {0}: សូមពិនិត្យមើលតើជាមុនប្រឆាំងគណនី {1} ប្រសិនបើនេះជាធាតុជាមុន។
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},ឃ្លាំង {0} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន {1}
DocType: Email Digest,Profit & Loss,ប្រាក់ចំណេញនិងការបាត់បង់
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Litre
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Litre
DocType: Task,Total Costing Amount (via Time Sheet),សរុបការចំណាយចំនួនទឹកប្រាក់ (តាមរយៈសន្លឹកម៉ោង)
DocType: Item Website Specification,Item Website Specification,បញ្ជាក់ធាតុគេហទំព័រ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,ទុកឱ្យទប់ស្កាត់
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},ធាតុ {0} បានឈានដល់ទីបញ្ចប់នៃជីវិតរបស់ខ្លួននៅលើ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},ធាតុ {0} បានឈានដល់ទីបញ្ចប់នៃជីវិតរបស់ខ្លួននៅលើ {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,ធាតុធនាគារ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,ប្រចាំឆ្នាំ
DocType: Stock Reconciliation Item,Stock Reconciliation Item,ធាតុភាគហ៊ុនការផ្សះផ្សា
@@ -311,9 +314,9 @@
DocType: Material Request Item,Min Order Qty,លោក Min លំដាប់ Qty
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,ឧបករណ៍វគ្គការបង្កើតក្រុមនិស្សិត
DocType: Lead,Do Not Contact,កុំទំនាក់ទំនង
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,មនុស្សដែលបានបង្រៀននៅក្នុងអង្គការរបស់អ្នក
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,មនុស្សដែលបានបង្រៀននៅក្នុងអង្គការរបស់អ្នក
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,លេខសម្គាល់តែមួយគត់សម្រាប់ការតាមដានវិក័យប័ត្រកើតឡើងទាំងអស់។ វាត្រូវបានគេបង្កើតនៅលើការដាក់ស្នើ។
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,អភិវឌ្ឍន៍កម្មវិធី
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,អភិវឌ្ឍន៍កម្មវិធី
DocType: Item,Minimum Order Qty,អប្បរមាលំដាប់ Qty
DocType: Pricing Rule,Supplier Type,ប្រភេទក្រុមហ៊ុនផ្គត់ផ្គង់
DocType: Course Scheduling Tool,Course Start Date,វគ្គសិក្សាបានចាប់ផ្តើមកាលបរិច្ឆេទ
@@ -322,11 +325,11 @@
DocType: Item,Publish in Hub,បោះពុម្ពផ្សាយនៅក្នុងមជ្ឈមណ្ឌល
DocType: Student Admission,Student Admission,ការចូលរបស់សិស្ស
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,ធាតុ {0} ត្រូវបានលុបចោល
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,ធាតុ {0} ត្រូវបានលុបចោល
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,សម្ភារៈស្នើសុំ
DocType: Bank Reconciliation,Update Clearance Date,ធ្វើឱ្យទាន់សម័យបោសសំអាតកាលបរិច្ឆេទ
DocType: Item,Purchase Details,ពត៌មានលំអិតទិញ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ធាតុ {0} មិនត្រូវបានរកឃើញនៅក្នុង 'វត្ថុធាតុដើមការី "តារាងក្នុងការទិញលំដាប់ {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ធាតុ {0} មិនត្រូវបានរកឃើញនៅក្នុង 'វត្ថុធាតុដើមការី "តារាងក្នុងការទិញលំដាប់ {1}
DocType: Employee,Relation,ការទំនាក់ទំនង
DocType: Shipping Rule,Worldwide Shipping,ការដឹកជញ្ជូននៅទូទាំងពិភពលោក
DocType: Student Guardian,Mother,ម្តាយ
@@ -345,6 +348,7 @@
DocType: Student Group Student,Student Group Student,សិស្សគ្រុបសិស្ស
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,មានចុងក្រោយ
DocType: Vehicle Service,Inspection,អធិការកិច្ច
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,បញ្ជី
DocType: Email Digest,New Quotations,សម្រង់សម្តីដែលថ្មី
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,ប័ណ្ណប្រាក់ខែបុគ្គលិកដោយផ្អែកអ៊ីម៉ែលទៅកាន់អ៊ីម៉ែលពេញចិត្តលើជ្រើសក្នុងបុគ្គលិក
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,ការអនុម័តចាកចេញដំបូងក្នុងបញ្ជីនេះនឹងត្រូវបានកំណត់ជាលំនាំដើមចាកចេញការអនុម័ត
@@ -353,20 +357,20 @@
DocType: Asset,Next Depreciation Date,រំលស់បន្ទាប់កាលបរិច្ឆេទ
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,តម្លៃសកម្មភាពដោយបុគ្គលិក
DocType: Accounts Settings,Settings for Accounts,ការកំណត់សម្រាប់គណនី
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},ក្រុមហ៊ុនផ្គត់ផ្គង់មានក្នុងវិក័យប័ត្រគ្មានវិក័យប័ត្រទិញ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},ក្រុមហ៊ុនផ្គត់ផ្គង់មានក្នុងវិក័យប័ត្រគ្មានវិក័យប័ត្រទិញ {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,គ្រប់គ្រងការលក់បុគ្គលដើមឈើ។
DocType: Job Applicant,Cover Letter,លិខិត
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,មូលប្បទានប័ត្រឆ្នើមនិងប្រាក់បញ្ញើដើម្បីជម្រះ
DocType: Item,Synced With Hub,ធ្វើសមកាលកម្មជាមួយនឹងការហាប់
DocType: Vehicle,Fleet Manager,កម្មវិធីគ្រប់គ្រងកងនាវា
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},ជួរដេក # {0}: {1} មិនអាចមានផលអវិជ្ជមានសម្រាប់ធាតុ {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,ពាក្យសម្ងាត់មិនត្រឹមត្រូវ
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,ពាក្យសម្ងាត់មិនត្រឹមត្រូវ
DocType: Item,Variant Of,វ៉ារ្យ៉ង់របស់
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',Qty បានបញ្ចប់មិនអាចជាធំជាង Qty ដើម្បីផលិត "
DocType: Period Closing Voucher,Closing Account Head,បិទនាយកគណនី
DocType: Employee,External Work History,ការងារខាងក្រៅប្រវត្តិ
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,កំហុសក្នុងការយោងសារាចរ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,ឈ្មោះ Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,ឈ្មោះ Guardian1
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,នៅក្នុងពាក្យ (នាំចេញ) នឹងមើលឃើញនៅពេលដែលអ្នករក្សាទុកចំណាំដឹកជញ្ជូនផងដែរ។
DocType: Cheque Print Template,Distance from left edge,ចម្ងាយពីគែមខាងឆ្វេង
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} គ្រឿង [{1}] (# សំណុំបែបបទ / ធាតុ / {1}) រកឃើញនៅក្នុង [{2}] (# សំណុំបែបបទ / ឃ្លាំង / {2})
@@ -375,11 +379,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,ជូនដំណឹងដោយអ៊ីមែលនៅលើការបង្កើតសម្ភារៈស្នើសុំដោយស្វ័យប្រវត្តិ
DocType: Journal Entry,Multi Currency,រូបិយប័ណ្ណពហុ
DocType: Payment Reconciliation Invoice,Invoice Type,ប្រភេទវិក័យប័ត្រ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,ដឹកជញ្ជូនចំណាំ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,ដឹកជញ្ជូនចំណាំ
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,ការរៀបចំពន្ធ
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,តម្លៃនៃការលក់អចលនទ្រព្យ
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,ចូលការទូទាត់ត្រូវបានកែប្រែបន្ទាប់ពីអ្នកបានទាញវា។ សូមទាញវាម្តងទៀត។
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} បានចូលពីរដងនៅក្នុងការប្រមូលពន្ធលើធាតុ
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,ចូលការទូទាត់ត្រូវបានកែប្រែបន្ទាប់ពីអ្នកបានទាញវា។ សូមទាញវាម្តងទៀត។
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} បានចូលពីរដងនៅក្នុងការប្រមូលពន្ធលើធាតុ
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,សង្ខេបសម្រាប់សប្តាហ៍នេះនិងសកម្មភាពដែលមិនទាន់សម្រេច
DocType: Student Applicant,Admitted,បានទទួលស្គាល់ថា
DocType: Workstation,Rent Cost,ការចំណាយជួល
@@ -397,25 +401,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,សូមបញ្ចូល 'ធ្វើម្តងទៀតនៅថ្ងៃនៃខែ' តម្លៃវាល
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,អត្រាដែលរូបិយវត្ថុរបស់អតិថិជនត្រូវបានបម្លែងទៅជារូបិយប័ណ្ណមូលដ្ឋានរបស់អតិថិជន
DocType: Course Scheduling Tool,Course Scheduling Tool,ឧបករណ៍កាលវិភាគវគ្គសិក្សាបាន
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ជួរដេក # {0}: ការទិញវិក័យប័ត្រដែលមិនអាចត្រូវបានធ្វើឡើងប្រឆាំងនឹងទ្រព្យសម្បត្តិដែលមានស្រាប់ {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ជួរដេក # {0}: ការទិញវិក័យប័ត្រដែលមិនអាចត្រូវបានធ្វើឡើងប្រឆាំងនឹងទ្រព្យសម្បត្តិដែលមានស្រាប់ {1}
DocType: Item Tax,Tax Rate,អត្រាអាករ
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} បម្រុងទុកសម្រាប់បុគ្គលិក {1} សម្រាប់រយៈពេល {2} ទៅ {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,ជ្រើសធាតុ
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,ទិញ {0} វិក័យប័ត្រត្រូវបានដាក់ស្នើរួចទៅហើយ
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,ទិញ {0} វិក័យប័ត្រត្រូវបានដាក់ស្នើរួចទៅហើយ
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},ជួរដេក # {0}: បាច់មិនមានត្រូវតែមានដូចគ្នា {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,បម្លែងទៅនឹងការមិនគ្រុប
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,បាច់ (ច្រើន) នៃវត្ថុមួយ។
DocType: C-Form Invoice Detail,Invoice Date,វិក័យប័ត្រកាលបរិច្ឆេទ
DocType: GL Entry,Debit Amount,ចំនួនឥណពន្ធ
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},មានតែអាចមានគណនីមួយក្រុមហ៊ុន 1 ក្នុង {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,សូមមើលឯកសារភ្ជាប់
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},មានតែអាចមានគណនីមួយក្រុមហ៊ុន 1 ក្នុង {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,សូមមើលឯកសារភ្ជាប់
DocType: Purchase Order,% Received,% បានទទួល
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,បង្កើតក្រុមនិស្សិត
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,ការដំឡើងពេញលេញរួចទៅហើយ !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,ចំនួនឥណទានចំណាំ
,Finished Goods,ទំនិញបានបញ្ចប់
DocType: Delivery Note,Instructions,សេចក្តីណែនាំ
DocType: Quality Inspection,Inspected By,បានត្រួតពិនិត្យដោយ
DocType: Maintenance Visit,Maintenance Type,ប្រភេទថែទាំ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} មិនត្រូវបានចុះឈ្មោះក្នុងវគ្គសិក្សានេះ {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},សៀរៀល {0} គ្មានមិនមែនជាកម្មសិទ្ធិរបស់ដឹកជញ្ជូនចំណាំ {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext សាកល្បង
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,បន្ថែមធាតុ
@@ -436,7 +442,7 @@
DocType: Request for Quotation,Request for Quotation,សំណើរសម្រាប់សម្រង់
DocType: Salary Slip Timesheet,Working Hours,ម៉ោងធ្វើការ
DocType: Naming Series,Change the starting / current sequence number of an existing series.,ផ្លាស់ប្តូរការចាប់ផ្តើមលេខលំដាប់ / នាពេលបច្ចុប្បន្ននៃស៊េរីដែលមានស្រាប់។
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,បង្កើតអតិថិជនថ្មី
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,បង្កើតអតិថិជនថ្មី
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","បើសិនជាវិធានការបន្តតម្លៃជាច្រើនដែលមានជ័យជំនះ, អ្នកប្រើត្រូវបានសួរដើម្បីកំណត់អាទិភាពដោយដៃដើម្បីដោះស្រាយជម្លោះ។"
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,បង្កើតបញ្ជាទិញ
,Purchase Register,ទិញចុះឈ្មោះ
@@ -448,7 +454,7 @@
DocType: Student Log,Medical,ពេទ្យ
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,ហេតុផលសម្រាប់ការសម្រក
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,ការនាំមុខម្ចាស់មិនអាចជាដូចគ្នានាំមុខ
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,ចំនួនទឹកប្រាក់ដែលបានបម្រុងទុកមិនអាចធំជាងចំនួនសរុបមិនបានកែតម្រូវ
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,ចំនួនទឹកប្រាក់ដែលបានបម្រុងទុកមិនអាចធំជាងចំនួនសរុបមិនបានកែតម្រូវ
DocType: Announcement,Receiver,អ្នកទទួល
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},ស្ថានីយការងារត្រូវបានបិទនៅលើកាលបរិច្ឆេទដូចខាងក្រោមដូចជាក្នុងបញ្ជីថ្ងៃឈប់សម្រាក: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,ឱកាសការងារ
@@ -462,8 +468,7 @@
DocType: Assessment Plan,Examiner Name,ពិនិត្យឈ្មោះ
DocType: Purchase Invoice Item,Quantity and Rate,បរិមាណនិងអត្រាការប្រាក់
DocType: Delivery Note,% Installed,% ដែលបានដំឡើង
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,ថ្នាក់រៀន / មន្ទីរពិសោធន៍លដែលជាកន្លែងដែលបង្រៀនអាចត្រូវបានកំណត់។
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,ហាងទំនិញ> ប្រភេទក្រុមហ៊ុនផ្គត់ផ្គង់
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,ថ្នាក់រៀន / មន្ទីរពិសោធន៍លដែលជាកន្លែងដែលបង្រៀនអាចត្រូវបានកំណត់។
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,សូមបញ្ចូលឈ្មោះរបស់ក្រុមហ៊ុនដំបូង
DocType: Purchase Invoice,Supplier Name,ឈ្មោះក្រុមហ៊ុនផ្គត់ផ្គង់
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,សូមអានសៀវភៅដៃ ERPNext
@@ -473,7 +478,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,ពិនិត្យហាងទំនិញវិក័យប័ត្រលេខពិសេស
DocType: Vehicle Service,Oil Change,ការផ្លាស់ប្តូរតម្លៃប្រេង
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','ដើម្បីសំណុំរឿងលេខ " មិនអាចតិចជាងពីសំណុំរឿងលេខ "
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,មិនរកប្រាក់ចំណេញ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,មិនរកប្រាក់ចំណេញ
DocType: Production Order,Not Started,មិនបានចាប់ផ្តើម
DocType: Lead,Channel Partner,ឆានែលដៃគូ
DocType: Account,Old Parent,ឪពុកម្តាយចាស់
@@ -483,19 +488,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,ការកំណត់សកលសម្រាប់ដំណើរការផលិតទាំងអស់។
DocType: Accounts Settings,Accounts Frozen Upto,រីករាយជាមួយនឹងទឹកកកគណនី
DocType: SMS Log,Sent On,ដែលបានផ្ញើនៅថ្ងៃ
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,គុណលក្ខណៈ {0} បានជ្រើសរើសច្រើនដងក្នុងតារាងគុណលក្ខណៈ
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,គុណលក្ខណៈ {0} បានជ្រើសរើសច្រើនដងក្នុងតារាងគុណលក្ខណៈ
DocType: HR Settings,Employee record is created using selected field. ,កំណត់ត្រាបុគ្គលិកត្រូវបានបង្កើតដោយប្រើវាលដែលបានជ្រើស។
DocType: Sales Order,Not Applicable,ដែលមិនអាចអនុវត្តបាន
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,ចៅហ្វាយថ្ងៃឈប់សម្រាក។
DocType: Request for Quotation Item,Required Date,កាលបរិច្ឆេទដែលបានទាមទារ
DocType: Delivery Note,Billing Address,វិក័យប័ត្រអាសយដ្ឋាន
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,សូមបញ្ចូលលេខកូដធាតុ។
DocType: BOM,Costing,ចំណាយថវិកាអស់
DocType: Tax Rule,Billing County,ខោនធីវិក័យប័ត្រ
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount",ប្រសិនបើបានធីកចំនួនប្រាក់ពន្ធដែលនឹងត្រូវបានចាត់ទុកជាបានរួមបញ្ចូលរួចហើយនៅក្នុងអត្រាការបោះពុម្ព / បោះពុម្ពចំនួនទឹកប្រាក់
DocType: Request for Quotation,Message for Supplier,សារសម្រាប់ផ្គត់ផ្គង់
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,សរុប Qty
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,លេខសម្គាល់អ៊ីមែល Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,លេខសម្គាល់អ៊ីមែល Guardian2
DocType: Item,Show in Website (Variant),បង្ហាញក្នុងវេបសាយ (វ៉ារ្យង់)
DocType: Employee,Health Concerns,ការព្រួយបារម្ភសុខភាព
DocType: Process Payroll,Select Payroll Period,ជ្រើសរយៈពេលបើកប្រាក់បៀវត្ស
@@ -513,25 +517,27 @@
DocType: Sales Order Item,Used for Production Plan,ត្រូវបានប្រើសម្រាប់ផែនការផលិតកម្ម
DocType: Employee Loan,Total Payment,ការទូទាត់សរុប
DocType: Manufacturing Settings,Time Between Operations (in mins),ពេលវេលារវាងការប្រតិបត្តិការ (នៅក្នុងនាទី)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} ត្រូវបានលុបចោលដូច្នេះសកម្មភាពនេះមិនអាចត្រូវបានបញ្ចប់
DocType: Customer,Buyer of Goods and Services.,អ្នកទិញទំនិញនិងសេវាកម្ម។
DocType: Journal Entry,Accounts Payable,គណនីទូទាត់
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,នេះ BOMs បានជ្រើសរើសគឺមិនមែនសម្រាប់ធាតុដូចគ្នា
DocType: Pricing Rule,Valid Upto,រីករាយជាមួយនឹងមានសុពលភាព
DocType: Training Event,Workshop,សិក្ខាសាលា
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,រាយមួយចំនួននៃអតិថិជនរបស់អ្នក។ ពួកគេអាចត្រូវបានអង្គការឬបុគ្គល។
-,Enough Parts to Build,ផ្នែកគ្រប់គ្រាន់ដើម្បីកសាង
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,ប្រាក់ចំណូលដោយផ្ទាល់
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,រាយមួយចំនួននៃអតិថិជនរបស់អ្នក។ ពួកគេអាចត្រូវបានអង្គការឬបុគ្គល។
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,ផ្នែកគ្រប់គ្រាន់ដើម្បីកសាង
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,ប្រាក់ចំណូលដោយផ្ទាល់
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","មិនអាចត្រងដោយផ្អែកលើគណនី, ប្រសិនបើការដាក់ជាក្រុមតាមគណនី"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,មន្រ្តីរដ្ឋបាល
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,សូមជ្រើសវគ្គសិក្សា
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,មន្រ្តីរដ្ឋបាល
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,សូមជ្រើសវគ្គសិក្សា
DocType: Timesheet Detail,Hrs,ម៉ោង
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,សូមជ្រើសរើសក្រុមហ៊ុន
DocType: Stock Entry Detail,Difference Account,គណនីមានភាពខុសគ្នា
+DocType: Purchase Invoice,Supplier GSTIN,GSTIN ក្រុមហ៊ុនផ្គត់ផ្គង់
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,មិនអាចភារកិច្ចជិតស្និទ្ធដូចជាការពឹងផ្អែករបស់ខ្លួនមានភារកិច្ច {0} គឺមិនត្រូវបានបិទ។
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,សូមបញ្ចូលឃ្លាំងដែលសម្ភារៈស្នើសុំនឹងត្រូវបានលើកឡើង
DocType: Production Order,Additional Operating Cost,ចំណាយប្រតិបត្តិការបន្ថែម
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,គ្រឿងសំអាង
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items",រួមបញ្ចូលគ្នានោះមានលក្ខណៈសម្បត្តិដូចខាងក្រោមនេះត្រូវដូចគ្នាសម្រាប់ធាតុទាំងពីរ
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items",រួមបញ្ចូលគ្នានោះមានលក្ខណៈសម្បត្តិដូចខាងក្រោមនេះត្រូវដូចគ្នាសម្រាប់ធាតុទាំងពីរ
DocType: Shipping Rule,Net Weight,ទំងន់សុទ្ធ
DocType: Employee,Emergency Phone,ទូរស័ព្ទសង្រ្គោះបន្ទាន់
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,ទិញ
@@ -540,14 +546,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,សូមកំណត់ថ្នាក់ទីសម្រាប់កម្រិតពន្លឺ 0%
DocType: Sales Order,To Deliver,ដើម្បីរំដោះ
DocType: Purchase Invoice Item,Item,ធាតុ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,សៀរៀលធាតុគ្មានមិនអាចត្រូវប្រភាគ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,សៀរៀលធាតុគ្មានមិនអាចត្រូវប្រភាគ
DocType: Journal Entry,Difference (Dr - Cr),ភាពខុសគ្នា (លោកវេជ្ជបណ្ឌិត - Cr)
DocType: Account,Profit and Loss,ប្រាក់ចំណេញនិងការបាត់បង់
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,ការគ្រប់គ្រងអ្នកម៉ៅការបន្ត
DocType: Project,Project will be accessible on the website to these users,គម្រោងនឹងត្រូវបានចូលដំណើរការបាននៅលើគេហទំព័រទាំងនេះដល់អ្នកប្រើ
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,អត្រាដែលតារាងតំលៃរូបិយប័ណ្ណត្រូវបម្លែងទៅជារូបិយប័ណ្ណមូលដ្ឋានរបស់ក្រុមហ៊ុន
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},គណនី {0} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,អក្សរសង្ខេបដែលបានប្រើរួចហើយសម្រាប់ក្រុមហ៊ុនផ្សេងទៀត
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},គណនី {0} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,អក្សរសង្ខេបដែលបានប្រើរួចហើយសម្រាប់ក្រុមហ៊ុនផ្សេងទៀត
DocType: Selling Settings,Default Customer Group,លំនាំដើមគ្រុបអតិថិជន
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction",ប្រសិនបើការបិទវាល "សរុបមូល" នឹងមិនត្រូវបានមើលឃើញនៅក្នុងប្រតិបត្តិការណាមួយឡើយ
DocType: BOM,Operating Cost,ចំណាយប្រតិបត្តិការ
@@ -555,7 +561,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,ចំនួនបន្ថែមមិនអាចត្រូវបាន 0
DocType: Production Planning Tool,Material Requirement,សម្ភារៈតម្រូវ
DocType: Company,Delete Company Transactions,លុបប្រតិបត្តិការក្រុមហ៊ុន
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,សេចក្តីយោងកាលបរិច្ឆេទទេនិងយោងចាំបាច់សម្រាប់ប្រតិបត្តិការគឺធនាគារ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,សេចក្តីយោងកាលបរិច្ឆេទទេនិងយោងចាំបាច់សម្រាប់ប្រតិបត្តិការគឺធនាគារ
DocType: Purchase Receipt,Add / Edit Taxes and Charges,បន្ថែម / កែសម្រួលពន្ធនិងការចោទប្រកាន់
DocType: Purchase Invoice,Supplier Invoice No,វិក័យប័ត្រគ្មានការផ្គត់ផ្គង់
DocType: Territory,For reference,សម្រាប់ជាឯកសារយោង
@@ -566,22 +572,22 @@
DocType: Installation Note Item,Installation Note Item,ធាតុចំណាំការដំឡើង
DocType: Production Plan Item,Pending Qty,ដំណើ Qty
DocType: Budget,Ignore,មិនអើពើ
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} គឺមិនសកម្ម
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} គឺមិនសកម្ម
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},ផ្ញើសារទៅកាន់លេខដូចខាងក្រោម: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,វិមាត្ររៀបចំការពិនិត្យសម្រាប់ការបោះពុម្ព
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,វិមាត្ររៀបចំការពិនិត្យសម្រាប់ការបោះពុម្ព
DocType: Salary Slip,Salary Slip Timesheet,Timesheet ប្រាក់បៀវត្សរ៍ប័ណ្ណ
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,ឃ្លាំងក្រុមហ៊ុនផ្គត់ផ្គង់ចាំបាច់សម្រាប់ការទទួលទិញកិច្ចសន្យា
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,ឃ្លាំងក្រុមហ៊ុនផ្គត់ផ្គង់ចាំបាច់សម្រាប់ការទទួលទិញកិច្ចសន្យា
DocType: Pricing Rule,Valid From,មានសុពលភាពពី
DocType: Sales Invoice,Total Commission,គណៈកម្មាការសរុប
DocType: Pricing Rule,Sales Partner,ដៃគូការលក់
DocType: Buying Settings,Purchase Receipt Required,បង្កាន់ដៃត្រូវការទិញ
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,អត្រាការវាយតម្លៃជាការចាំបាច់ប្រសិនបើមានការបើកផ្សារហ៊ុនដែលបានបញ្ចូល
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,អត្រាការវាយតម្លៃជាការចាំបាច់ប្រសិនបើមានការបើកផ្សារហ៊ុនដែលបានបញ្ចូល
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,បានរកឃើញនៅក្នុងតារាងវិក័យប័ត្រកំណត់ត្រាគ្មាន
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,សូមជ្រើសប្រភេទក្រុមហ៊ុននិងបក្សទីមួយ
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,ហិរញ្ញវត្ថុ / ស្មើឆ្នាំ។
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,ហិរញ្ញវត្ថុ / ស្មើឆ្នាំ។
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,តម្លៃបង្គរ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","សូមអភ័យទោស, សៀរៀល, Nos មិនអាចត្រូវបានបញ្ចូលគ្នា"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,ធ្វើឱ្យការលក់សណ្តាប់ធ្នាប់
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,ធ្វើឱ្យការលក់សណ្តាប់ធ្នាប់
DocType: Project Task,Project Task,គម្រោងការងារ
,Lead Id,ការនាំមុខលេខសម្គាល់
DocType: C-Form Invoice Detail,Grand Total,សម្ពោធសរុប
@@ -598,7 +604,7 @@
DocType: Job Applicant,Resume Attachment,ឯកសារភ្ជាប់ប្រវត្តិរូប
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,អតិថិជនម្តងទៀត
DocType: Leave Control Panel,Allocate,ការបម្រុងទុក
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,ត្រឡប់មកវិញការលក់
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,ត្រឡប់មកវិញការលក់
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,ចំណាំ: ស្លឹកដែលបានបម្រុងទុកសរុប {0} មិនគួរត្រូវបានតិចជាងស្លឹកត្រូវបានអនុម័តរួចទៅហើយ {1} សម្រាប់រយៈពេលនេះ
DocType: Announcement,Posted By,Posted by
DocType: Item,Delivered by Supplier (Drop Ship),ថ្លែងដោយហាងទំនិញ (ទម្លាក់នាវា)
@@ -608,8 +614,8 @@
DocType: Quotation,Quotation To,សម្រង់ដើម្បី
DocType: Lead,Middle Income,ប្រាក់ចំណូលពាក់កណ្តាល
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),ពិធីបើក (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,ឯកតាលំនាំដើមសម្រាប់ធាតុវិធានការ {0} មិនអាចត្រូវបានផ្លាស់ប្តូរដោយផ្ទាល់ដោយសារតែអ្នកបានធ្វើប្រតិបត្តិការមួយចំនួន (s) ដែលមាន UOM មួយទៀតរួចទៅហើយ។ អ្នកនឹងត្រូវការដើម្បីបង្កើតធាតុថ្មីមួយក្នុងការប្រើ UOM លំនាំដើមផ្សេងគ្នា។
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,ចំនួនទឹកប្រាក់ដែលបានបម្រុងទុកសម្រាប់មិនអាចជាអវិជ្ជមាន
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,ឯកតាលំនាំដើមសម្រាប់ធាតុវិធានការ {0} មិនអាចត្រូវបានផ្លាស់ប្តូរដោយផ្ទាល់ដោយសារតែអ្នកបានធ្វើប្រតិបត្តិការមួយចំនួន (s) ដែលមាន UOM មួយទៀតរួចទៅហើយ។ អ្នកនឹងត្រូវការដើម្បីបង្កើតធាតុថ្មីមួយក្នុងការប្រើ UOM លំនាំដើមផ្សេងគ្នា។
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,ចំនួនទឹកប្រាក់ដែលបានបម្រុងទុកសម្រាប់មិនអាចជាអវិជ្ជមាន
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,សូមកំណត់ក្រុមហ៊ុន
DocType: Purchase Order Item,Billed Amt,វិក័យប័ត្រ AMT
DocType: Training Result Employee,Training Result Employee,បុគ្គលិកបណ្តុះបណ្តាលទ្ធផល
@@ -621,7 +627,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,ជ្រើសគណនីទូទាត់ដើម្បីធ្វើឱ្យធាតុរបស់ធនាគារ
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll",បង្កើតកំណត់ត្រាបុគ្គលិកដើម្បីគ្រប់គ្រងស្លឹកពាក្យបណ្តឹងការចំណាយនិងបញ្ជីបើកប្រាក់ខែ
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,បន្ថែមទៅមូលដ្ឋានចំណេះដឹង
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,ការសរសេរសំណើរ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,ការសរសេរសំណើរ
DocType: Payment Entry Deduction,Payment Entry Deduction,ការដកហូតចូលការទូទាត់
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,បុគ្គលលក់មួយផ្សេងទៀត {0} មានដែលមានលេខសម្គាល់និយោជិតដូចគ្នា
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests",ប្រសិនបើបានធីកវត្ថុធាតុដើមសម្រាប់ធាតុដែលបានចុះកិច្ចសន្យាជាមួយនឹងត្រូវបញ្ចូលក្នុងសំណើធនធានទិន្នន័យ
@@ -635,7 +641,7 @@
DocType: Timesheet,Billed,ផ្សព្វផ្សាយ
DocType: Batch,Batch Description,បាច់ការពិពណ៌នាសង្ខេប
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,ការបង្កើតក្រុមនិស្សិត
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.",គណនីទូទាត់មិនត្រូវបានបង្កើតទេសូមបង្កើតមួយដោយដៃ។
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.",គណនីទូទាត់មិនត្រូវបានបង្កើតទេសូមបង្កើតមួយដោយដៃ។
DocType: Sales Invoice,Sales Taxes and Charges,ពន្ធលក់និងការចោទប្រកាន់
DocType: Employee,Organization Profile,ពត៌មានរបស់អង្គការ
DocType: Student,Sibling Details,សេចក្ដីលម្អិតបងប្អូនបង្កើត
@@ -657,11 +663,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,ការផ្លាស់ប្តូរសុទ្ធនៅសារពើភ័ណ្ឌ
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,បុគ្គលិកគ្រប់គ្រងឥណទាន
DocType: Employee,Passport Number,លេខលិខិតឆ្លងដែន
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,ទំនាក់ទំនងជាមួយ Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,កម្មវិធីគ្រប់គ្រង
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,ទំនាក់ទំនងជាមួយ Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,កម្មវិធីគ្រប់គ្រង
DocType: Payment Entry,Payment From / To,ការទូទាត់ពី / ទៅ
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},កំណត់ឥណទានថ្មីនេះគឺមានចំនួនតិចជាងប្រាក់ដែលលេចធ្លោនាពេលបច្ចុប្បន្នសម្រាប់អតិថិជន។ ចំនួនកំណត់ឥណទានមានដើម្បីឱ្យមានយ៉ាងហោចណាស់ {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,ធាតុដូចគ្នាត្រូវបានបញ្ចូលច្រើនដង។
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},កំណត់ឥណទានថ្មីនេះគឺមានចំនួនតិចជាងប្រាក់ដែលលេចធ្លោនាពេលបច្ចុប្បន្នសម្រាប់អតិថិជន។ ចំនួនកំណត់ឥណទានមានដើម្បីឱ្យមានយ៉ាងហោចណាស់ {0}
DocType: SMS Settings,Receiver Parameter,អ្នកទទួលប៉ារ៉ាម៉ែត្រ
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'ដោយផ្អែកលើ "និង" ក្រុមតាម' មិនអាចជាដូចគ្នា
DocType: Sales Person,Sales Person Targets,ការលក់មនុស្សគោលដៅ
@@ -670,8 +675,9 @@
DocType: Issue,Resolution Date,ការដោះស្រាយកាលបរិច្ឆេទ
DocType: Student Batch Name,Batch Name,ឈ្មោះបាច់
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timesheet បង្កើត:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},សូមកំណត់លំនាំដើមឬគណនីសាច់ប្រាក់របស់ធនាគារក្នុងរបៀបនៃការទូទាត់ {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},សូមកំណត់លំនាំដើមឬគណនីសាច់ប្រាក់របស់ធនាគារក្នុងរបៀបនៃការទូទាត់ {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,ចុះឈ្មោះ
+DocType: GST Settings,GST Settings,ការកំណត់ជីអេសធី
DocType: Selling Settings,Customer Naming By,ឈ្មោះអតិថិជនដោយ
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,នឹងបង្ហាញនិស្សិតដូចមានបង្ហាញក្នុងរបាយការណ៍ប្រចាំខែរបស់សិស្សចូលរួម
DocType: Depreciation Schedule,Depreciation Amount,ចំនួនទឹកប្រាក់រំលស់
@@ -693,6 +699,7 @@
DocType: Item,Material Transfer,សម្ភារៈសេវាផ្ទេរប្រាក់
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),ពិធីបើក (លោកបណ្ឌិត)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},ត្រាពេលវេលាប្រកាសត្រូវតែមានបន្ទាប់ {0}
+,GST Itemised Purchase Register,ជីអេសធីធាតុទិញចុះឈ្មោះ
DocType: Employee Loan,Total Interest Payable,ការប្រាក់ត្រូវបង់សរុប
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ពន្ធទូកចោទប្រកាន់ចំនាយ
DocType: Production Order Operation,Actual Start Time,ជាក់ស្តែងពេលវេលាចាប់ផ្ដើម
@@ -719,10 +726,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
DocType: Account,Accounts,គណនី
DocType: Vehicle,Odometer Value (Last),តម្លៃ odometer (ចុងក្រោយ)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,ទីផ្សារ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,ទីផ្សារ
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,ចូលក្នុងការទូទាត់ត្រូវបានបង្កើតឡើងរួចទៅហើយ
DocType: Purchase Receipt Item Supplied,Current Stock,ហ៊ុននាពេលបច្ចុប្បន្ន
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},ជួរដេក # {0}: ទ្រព្យសកម្ម {1} មិនបានភ្ជាប់ទៅនឹងធាតុ {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},ជួរដេក # {0}: ទ្រព្យសកម្ម {1} មិនបានភ្ជាប់ទៅនឹងធាតុ {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,គ្រូពេទ្យប្រហែលជាប្រាក់ខែការមើលជាមុន
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,គណនី {0} ត្រូវបានបញ្ចូលច្រើនដង
DocType: Account,Expenses Included In Valuation,ការចំណាយដែលបានរួមបញ្ចូលនៅក្នុងការវាយតម្លៃ
@@ -730,7 +737,7 @@
,Absent Student Report,របាយការណ៍សិស្សអវត្តមាន
DocType: Email Digest,Next email will be sent on:,អ៊ីម៉ែលបន្ទាប់នឹងត្រូវបានផ្ញើនៅលើ:
DocType: Offer Letter Term,Offer Letter Term,ផ្តល់ជូននូវលិខិតអាណត្តិ
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,ធាតុមានវ៉ារ្យ៉ង់។
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,ធាតុមានវ៉ារ្យ៉ង់។
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,ធាតុ {0} មិនបានរកឃើញ
DocType: Bin,Stock Value,ភាគហ៊ុនតម្លៃ
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,ក្រុមហ៊ុន {0} មិនមានទេ
@@ -739,7 +746,7 @@
DocType: Serial No,Warranty Expiry Date,ការធានាកាលបរិច្ឆេទផុតកំណត់
DocType: Material Request Item,Quantity and Warehouse,បរិមាណនិងឃ្លាំង
DocType: Sales Invoice,Commission Rate (%),អត្រាប្រាក់កំរៃ (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,សូមជ្រើសកម្មវិធី
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,សូមជ្រើសកម្មវិធី
DocType: Project,Estimated Cost,តំលៃ
DocType: Purchase Order,Link to material requests,តំណភ្ជាប់ទៅនឹងសំណើសម្ភារៈ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,អវកាស
@@ -753,14 +760,14 @@
DocType: Purchase Order,Supply Raw Materials,ផ្គត់ផ្គង់សំភារៈឆៅ
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,កាលបរិច្ឆេទដែលវិក័យប័ត្រក្រោយនឹងត្រូវបានបង្កើត។ វាត្រូវបានគេបង្កើតនៅលើការដាក់ស្នើ។
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,ទ្រព្យនាពេលបច្ចុប្បន្ន
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} គឺមិនមានធាតុភាគហ៊ុន
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} គឺមិនមានធាតុភាគហ៊ុន
DocType: Mode of Payment Account,Default Account,គណនីលំនាំដើម
DocType: Payment Entry,Received Amount (Company Currency),ទទួលបានចំនួនទឹកប្រាក់ (ក្រុមហ៊ុនរូបិយប័ណ្ណ)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,ការនាំមុខត្រូវតែត្រូវបានកំណត់ប្រសិនបើមានឱកាសត្រូវបានធ្វើពីអ្នកដឹកនាំ
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,សូមជ្រើសយកថ្ងៃឈប់សម្រាកប្រចាំសប្តាហ៍
DocType: Production Order Operation,Planned End Time,ពេលវេលាដែលបានគ្រោងបញ្ចប់
,Sales Person Target Variance Item Group-Wise,ការលក់បុគ្គលធាតុគោលដៅអថេរ Group និងក្រុមហ៊ុនដែលមានប្រាជ្ញា
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,គណនីប្រតិបត្តិការដែលមានស្រាប់ដែលមិនអាចត្រូវបានបម្លែងទៅជាសៀវភៅ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,គណនីប្រតិបត្តិការដែលមានស្រាប់ដែលមិនអាចត្រូវបានបម្លែងទៅជាសៀវភៅ
DocType: Delivery Note,Customer's Purchase Order No,ការទិញរបស់អតិថិជនលំដាប់គ្មាន
DocType: Budget,Budget Against,ថវិកាប្រឆាំងនឹង
DocType: Employee,Cell Number,លេខទូរស័ព្ទ
@@ -772,15 +779,13 @@
DocType: Opportunity,Opportunity From,ឱកាសការងារពី
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,សេចក្តីថ្លែងការប្រាក់បៀវត្សរ៍ប្រចាំខែ។
DocType: BOM,Website Specifications,ជាក់លាក់វេបសាយ
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,សូមរៀបចំចំនួនតាមរយៈការចូលរួមស៊េរីសម្រាប់ការដំឡើង> លេខស៊េរី
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: ពី {0} នៃប្រភេទ {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,ជួរដេក {0}: ការប្រែចិត្តជឿកត្តាគឺជាការចាំបាច់
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,ជួរដេក {0}: ការប្រែចិត្តជឿកត្តាគឺជាការចាំបាច់
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","វិធានតម្លៃច្រើនមានលក្ខណៈវិនិច្ឆ័យដូចគ្នា, សូមដោះស្រាយជម្លោះដោយផ្ដល់អាទិភាព។ វិធានតម្លៃ: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,មិនអាចធ្វើឱ្យឬបោះបង់ Bom ជាវាត្រូវបានផ្សារភ្ជាប់ជាមួយនឹង BOMs ផ្សេងទៀត
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","វិធានតម្លៃច្រើនមានលក្ខណៈវិនិច្ឆ័យដូចគ្នា, សូមដោះស្រាយជម្លោះដោយផ្ដល់អាទិភាព។ វិធានតម្លៃ: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,មិនអាចធ្វើឱ្យឬបោះបង់ Bom ជាវាត្រូវបានផ្សារភ្ជាប់ជាមួយនឹង BOMs ផ្សេងទៀត
DocType: Opportunity,Maintenance,ការថែរក្សា
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},លេខបង្កាន់ដៃទិញបានទាមទារសម្រាប់ធាតុ {0}
DocType: Item Attribute Value,Item Attribute Value,តម្លៃគុណលក្ខណៈធាតុ
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,យុទ្ធនាការលក់។
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,ធ្វើឱ្យ Timesheet
@@ -813,29 +818,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},ទ្រព្យសកម្មបានបោះបង់ចោលការចូលតាមរយៈទិនានុប្បវត្តិ {0}
DocType: Employee Loan,Interest Income Account,គណនីប្រាក់ចំណូលការប្រាក់
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,ជីវបច្ចេកវិទ្យា
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,ការិយាល័យថែទាំចំណាយ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,ការិយាល័យថែទាំចំណាយ
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ការបង្កើតគណនីអ៊ីម៉ែល
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,សូមបញ្ចូលធាតុដំបូង
DocType: Account,Liability,ការទទួលខុសត្រូវ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ចំនួនទឹកប្រាក់បានអនុញ្ញាតមិនអាចជាចំនួនទឹកប្រាក់ធំជាងក្នុងជួរដេកណ្តឹងទាមទារសំណង {0} ។
DocType: Company,Default Cost of Goods Sold Account,តម្លៃលំនាំដើមនៃគណនីទំនិញលក់
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,បញ្ជីតម្លៃដែលមិនបានជ្រើស
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,បញ្ជីតម្លៃដែលមិនបានជ្រើស
DocType: Employee,Family Background,ប្រវត្តិក្រុមគ្រួសារ
DocType: Request for Quotation Supplier,Send Email,ផ្ញើអ៊ីមែល
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},ព្រមាន & ‧;: ឯកសារភ្ជាប់មិនត្រឹមត្រូវ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},ព្រមាន & ‧;: ឯកសារភ្ជាប់មិនត្រឹមត្រូវ {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,គ្មានសិទ្ធិ
DocType: Company,Default Bank Account,គណនីធនាគារលំនាំដើម
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",ដើម្បីត្រងដោយផ្អែកទៅលើគណបក្សជ្រើសគណបក្សវាយជាលើកដំបូង
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"ធ្វើឱ្យទាន់សម័យហ៊ុន 'មិនអាចត្រូវបានគូសធីកទេព្រោះធាតុមិនត្រូវបានបញ្ជូនតាមរយៈ {0}
DocType: Vehicle,Acquisition Date,ការទិញយកកាលបរិច្ឆេទ
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,nos
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,nos
DocType: Item,Items with higher weightage will be shown higher,ធាតុជាមួយនឹង weightage ខ្ពស់ជាងនេះនឹងត្រូវបានបង្ហាញដែលខ្ពស់ជាង
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,ពត៌មានលំអិតធនាគារការផ្សះផ្សា
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,ជួរដេក # {0}: ទ្រព្យសកម្ម {1} ត្រូវតែត្រូវបានដាក់ជូន
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,ជួរដេក # {0}: ទ្រព្យសកម្ម {1} ត្រូវតែត្រូវបានដាក់ជូន
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,រកមិនឃើញបុគ្គលិក
DocType: Supplier Quotation,Stopped,បញ្ឈប់
DocType: Item,If subcontracted to a vendor,ប្រសិនបើមានអ្នកលក់មួយម៉ៅការបន្ត
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,និស្សិតក្រុមត្រូវបានធ្វើបច្ចុប្បន្នភាពរួចទៅហើយ។
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,និស្សិតក្រុមត្រូវបានធ្វើបច្ចុប្បន្នភាពរួចទៅហើយ។
DocType: SMS Center,All Customer Contact,ទាំងអស់ទំនាក់ទំនងអតិថិជន
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,ផ្ទុកឡើងសមតុល្យភាគហ៊ុនតាមរយៈ CSV ។
DocType: Warehouse,Tree Details,ដើមឈើលំអិត
@@ -847,13 +852,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: មជ្ឈមណ្ឌលតម្លៃ {2} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: គណនី {2} មិនអាចជាក្រុមមួយ
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,ធាតុជួរដេក {idx}: {} {DOCNAME DOCTYPE} មិនមាននៅក្នុងខាងលើ '{DOCTYPE}' តុ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Timesheet {0} ត្រូវបានបញ្ចប់រួចទៅហើយឬលុបចោល
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} ត្រូវបានបញ្ចប់រួចទៅហើយឬលុបចោល
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,គ្មានភារកិច្ច
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","ថ្ងៃនៃខែដែលវិក័យប័ត្រដោយស្វ័យប្រវត្តិនឹងត្រូវបានបង្កើតឧ 05, 28 ល"
DocType: Asset,Opening Accumulated Depreciation,រំលស់បង្គរបើក
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,ពិន្ទុត្រូវតែតិចជាងឬស្មើនឹង 5
DocType: Program Enrollment Tool,Program Enrollment Tool,ឧបករណ៍ការចុះឈ្មោះកម្មវិធី
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,កំណត់ត្រា C-សំណុំបែបបទ
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,កំណត់ត្រា C-សំណុំបែបបទ
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,ហាងទំនិញនិងអតិថិជន
DocType: Email Digest,Email Digest Settings,ការកំណត់សង្ខេបអ៊ីម៉ែល
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,សូមអរគុណអ្នកសម្រាប់អាជីវកម្មរបស់អ្នក!
@@ -863,17 +868,19 @@
DocType: Bin,Moving Average Rate,ការផ្លាស់ប្តូរអត្រាការប្រាក់ជាមធ្យម
DocType: Production Planning Tool,Select Items,ជ្រើសធាតុ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},ប្រឆាំងនឹង {0} {1} របស់លោក Bill ចុះថ្ងៃទី {2}
+DocType: Program Enrollment,Vehicle/Bus Number,រថយន្ត / លេខរថយន្តក្រុង
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,កាលវិភាគការពិតណាស់
DocType: Maintenance Visit,Completion Status,ស្ថានភាពបញ្ចប់
DocType: HR Settings,Enter retirement age in years,បញ្ចូលអាយុចូលនិវត្តន៍នៅក្នុងប៉ុន្មានឆ្នាំ
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,គោលដៅឃ្លាំង
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,សូមជ្រើសឃ្លាំង
DocType: Cheque Print Template,Starting location from left edge,ការចាប់ផ្តើមទីតាំងពីគែមឆ្វេង
DocType: Item,Allow over delivery or receipt upto this percent,អនុញ្ញាតឱ្យមានការចែកចាយឬទទួលបានជាងរីករាយជាមួយនឹងភាគរយ
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,នាំចូលវត្តមាន
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,ក្រុមធាតុទាំងអស់
DocType: Process Payroll,Activity Log,សកម្មភាពកំណត់ហេតុ
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,ប្រាក់ចំណេញសុទ្ធ / បាត់បង់
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,ប្រាក់ចំណេញសុទ្ធ / បាត់បង់
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,តែងសារស្វ័យប្រវត្តិនៅលើការដាក់ប្រតិបត្តិការ។
DocType: Production Order,Item To Manufacture,ធាតុដើម្បីផលិត
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} ស្ថានភាពគឺ {2}
@@ -882,16 +889,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,ដីកាបង្គាប់ឱ្យទូទាត់ការទិញ
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,ការព្យាករ Qty
DocType: Sales Invoice,Payment Due Date,ការទូទាត់កាលបរិច្ឆេទ
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,ធាតុវ៉ារ្យង់ {0} រួចហើយដែលមានគុណលក្ខណៈដូចគ្នា
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,ធាតុវ៉ារ្យង់ {0} រួចហើយដែលមានគុណលក្ខណៈដូចគ្នា
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',"ការបើក"
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,ការបើកចំហរដើម្បីធ្វើ
DocType: Notification Control,Delivery Note Message,សារដឹកជញ្ជូនចំណាំ
DocType: Expense Claim,Expenses,ការចំណាយ
+,Support Hours,ការគាំទ្រម៉ោង
DocType: Item Variant Attribute,Item Variant Attribute,ធាតុគុណលក្ខណៈវ៉ារ្យង់
,Purchase Receipt Trends,និន្នាការបង្កាន់ដៃទិញ
DocType: Process Payroll,Bimonthly,bimonthly
DocType: Vehicle Service,Brake Pad,បន្ទះហ្វ្រាំង
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,ស្រាវជ្រាវនិងអភិវឌ្ឍន៍
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,ស្រាវជ្រាវនិងអភិវឌ្ឍន៍
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,ចំនួនទឹកប្រាក់ដែលលោក Bill
DocType: Company,Registration Details,ពត៌មានលំអិតការចុះឈ្មោះ
DocType: Timesheet,Total Billed Amount,ចំនួនទឹកប្រាក់ដែលបានបង់ប្រាក់សរុប
@@ -904,12 +912,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,មានតែវត្ថុធាតុដើមទទួល
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,វាយតម្លៃការអនុវត្ត។
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",បើក 'ប្រើសម្រាប់ការកន្រ្តកទំនិញដូចដែលត្រូវបានអនុញ្ញាតកន្រ្តកទំនិញនិងគួរតែមានច្បាប់ពន្ធយ៉ាងហោចណាស់មួយសម្រាប់ការកន្រ្តកទំនិញ
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","ចូលការទូទាត់ {0} ត្រូវបានផ្សារភ្ជាប់នឹងដីកាសម្រេច {1}, ពិនិត្យមើលថាតើវាគួរតែត្រូវបានដកមុននៅក្នុងវិក័យប័ត្រដែលជានេះ។"
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","ចូលការទូទាត់ {0} ត្រូវបានផ្សារភ្ជាប់នឹងដីកាសម្រេច {1}, ពិនិត្យមើលថាតើវាគួរតែត្រូវបានដកមុននៅក្នុងវិក័យប័ត្រដែលជានេះ។"
DocType: Sales Invoice Item,Stock Details,ភាគហ៊ុនលំអិត
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,តម្លៃគម្រោង
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,ចំណុចនៃការលក់
DocType: Vehicle Log,Odometer Reading,ការអាន odometer
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","សមតុល្យគណនីរួចហើយនៅក្នុងឥណទាន, អ្នកមិនត្រូវបានអនុញ្ញាតឱ្យកំណត់ទឹកប្រាក់ត្រូវតែ "ជា" ឥណពន្ធ"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","សមតុល្យគណនីរួចហើយនៅក្នុងឥណទាន, អ្នកមិនត្រូវបានអនុញ្ញាតឱ្យកំណត់ទឹកប្រាក់ត្រូវតែ "ជា" ឥណពន្ធ"
DocType: Account,Balance must be,មានតុល្យភាពត្រូវតែមាន
DocType: Hub Settings,Publish Pricing,តម្លៃបោះពុម្ពផ្សាយ
DocType: Notification Control,Expense Claim Rejected Message,សារពាក្យបណ្តឹងលើការចំណាយបានច្រានចោល
@@ -919,7 +927,7 @@
DocType: Salary Slip,Working Days,ថ្ងៃធ្វើការ
DocType: Serial No,Incoming Rate,អត្រាការមកដល់
DocType: Packing Slip,Gross Weight,ទំងន់សរុបបាន
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,ឈ្មោះរបស់ក្រុមហ៊ុនរបស់អ្នកដែលអ្នកកំពុងបង្កើតប្រព័ន្ធនេះ។
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,ឈ្មោះរបស់ក្រុមហ៊ុនរបស់អ្នកដែលអ្នកកំពុងបង្កើតប្រព័ន្ធនេះ។
DocType: HR Settings,Include holidays in Total no. of Working Days,រួមបញ្ចូលថ្ងៃឈប់សម្រាកនៅក្នុងការសរុបទេ។ នៃថ្ងៃធ្វើការ
DocType: Job Applicant,Hold,សង្កត់
DocType: Employee,Date of Joining,កាលបរិច្ឆេទនៃការចូលរួម
@@ -930,20 +938,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,បង្កាន់ដៃទិញ
,Received Items To Be Billed,ទទួលបានធាតុដែលនឹងត្រូវបានផ្សព្វផ្សាយ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,បានដាក់ស្នើគ្រូពេទ្យប្រហែលជាប្រាក់ខែ
-DocType: Employee,Ms,លោកស្រី
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,អត្រាប្តូរប្រាក់រូបិយប័ណ្ណមេ។
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},សេចក្តីយោង DOCTYPE ត្រូវតែជាផ្នែកមួយនៃ {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,អត្រាប្តូរប្រាក់រូបិយប័ណ្ណមេ។
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},សេចក្តីយោង DOCTYPE ត្រូវតែជាផ្នែកមួយនៃ {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},មិនអាចរកឃើញរន្ធពេលវេលាក្នុងការ {0} ថ្ងៃទៀតសម្រាប់ប្រតិបត្ដិការ {1}
DocType: Production Order,Plan material for sub-assemblies,សម្ភារៈផែនការសម្រាប់ការអនុសភា
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,ដៃគូការលក់និងទឹកដី
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,មិនអាចបង្កើតគណនីដោយស្វ័យប្រវត្តិដូចជាមានភាគហ៊ុននៅក្នុងគណនីតុល្យភាពរួចទៅហើយ។ អ្នកត្រូវតែបង្កើតគណនីផ្គូផ្គងមុនពេលអ្នកអាចធ្វើឱ្យធាតុនៅលើឃ្លាំងនេះ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,Bom {0} ត្រូវតែសកម្ម
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,Bom {0} ត្រូវតែសកម្ម
DocType: Journal Entry,Depreciation Entry,ចូលរំលស់
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,សូមជ្រើសប្រភេទឯកសារនេះជាលើកដំបូង
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,បោះបង់ការមើលសម្ភារៈ {0} មុនពេលលុបចោលដំណើរទស្សនកិច្ចនេះជួសជុល
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},សៀរៀលគ្មាន {0} មិនមែនជារបស់ធាតុ {1}
DocType: Purchase Receipt Item Supplied,Required Qty,តម្រូវការ Qty
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,ប្រតិបត្តិការដែលមានស្រាប់ឃ្លាំងដោយមានមិនអាចត្រូវបានបម្លែងទៅជាសៀវភៅ។
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,ប្រតិបត្តិការដែលមានស្រាប់ឃ្លាំងដោយមានមិនអាចត្រូវបានបម្លែងទៅជាសៀវភៅ។
DocType: Bank Reconciliation,Total Amount,ចំនួនសរុប
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,ការបោះពុម្ពអ៊ីធឺណិត
DocType: Production Planning Tool,Production Orders,ការបញ្ជាទិញ
@@ -958,25 +964,26 @@
DocType: Fee Structure,Components,សមាសភាគ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},សូមបញ្ចូលប្រភេទទ្រព្យសម្បត្តិនៅក្នុងធាតុ {0}
DocType: Quality Inspection Reading,Reading 6,ការអាន 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,មិនអាច {0} {1} {2} ដោយគ្មានវិក័យប័ត្រឆ្នើមអវិជ្ជមាន
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,មិនអាច {0} {1} {2} ដោយគ្មានវិក័យប័ត្រឆ្នើមអវិជ្ជមាន
DocType: Purchase Invoice Advance,Purchase Invoice Advance,ទិញវិក័យប័ត្រជាមុន
DocType: Hub Settings,Sync Now,ធ្វើសមកាលកម្មឥឡូវ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},ជួរដេក {0}: ធាតុឥណទានមិនអាចត្រូវបានផ្សារភ្ជាប់ទៅនឹងការ {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,កំណត់ថវិកាសម្រាប់ឆ្នាំហិរញ្ញវត្ថុ។
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,កំណត់ថវិកាសម្រាប់ឆ្នាំហិរញ្ញវត្ថុ។
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,លំនាំដើមគណនីធនាគារ / សាច់ប្រាក់នឹងត្រូវបានធ្វើបច្ចុប្បន្នភាពដោយស្វ័យប្រវត្តិក្នុងម៉ាស៊ីនឆូតកាតវិក្កយបត្រពេលអ្នកប្រើរបៀបនេះត្រូវបានជ្រើស។
DocType: Lead,LEAD-,LEAD-
DocType: Employee,Permanent Address Is,អាសយដ្ឋានគឺជាអចិន្រ្តៃយ៍
DocType: Production Order Operation,Operation completed for how many finished goods?,ប្រតិបត្ដិការបានបញ្ចប់សម្រាប់ទំនិញដែលបានបញ្ចប់តើមានមនុស្សប៉ុន្មាន?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,ម៉ាកនេះ
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,ម៉ាកនេះ
DocType: Employee,Exit Interview Details,ពត៌មានលំអិតចេញពីការសម្ភាសន៍
DocType: Item,Is Purchase Item,តើមានធាតុទិញ
DocType: Asset,Purchase Invoice,ការទិញវិក័យប័ត្រ
DocType: Stock Ledger Entry,Voucher Detail No,ពត៌មានលំអិតកាតមានទឹកប្រាក់គ្មាន
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,វិក័យប័ត្រលក់ថ្មី
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,វិក័យប័ត្រលក់ថ្មី
DocType: Stock Entry,Total Outgoing Value,តម្លៃចេញសរុប
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,បើកកាលបរិច្ឆេទនិងថ្ងៃផុតកំណត់គួរតែត្រូវបាននៅក្នុងឆ្នាំសារពើពន្ធដូចគ្នា
DocType: Lead,Request for Information,សំណើសុំព័ត៌មាន
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,ធ្វើសមកាលកម្មវិកិយប័ត្រក្រៅបណ្តាញ
+,LeaderBoard,តារាងពិន្ទុ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,ធ្វើសមកាលកម្មវិកិយប័ត្រក្រៅបណ្តាញ
DocType: Payment Request,Paid,Paid
DocType: Program Fee,Program Fee,ថ្លៃសេវាកម្មវិធី
DocType: Salary Slip,Total in words,សរុបនៅក្នុងពាក្យ
@@ -985,13 +992,13 @@
DocType: Cheque Print Template,Has Print Format,មានទ្រង់ទ្រាយបោះពុម្ព
DocType: Employee Loan,Sanctioned,អនុញ្ញាត
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,គឺជាចាំបាច់។ ប្រហែលជាកំណត់ត្រាប្តូររូបិយប័ណ្ណដែលមិនត្រូវបានបង្កើតឡើងសម្រាប់
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},ជួរដេក # {0}: សូមបញ្ជាក់សម្រាប់ធាតុសៀរៀលគ្មាន {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","សម្រាប់ធាតុ "ផលិតផលកញ្ចប់, ឃ្លាំង, សៀរៀល, គ្មានទេនិងបាច់ & ‧នឹងត្រូវបានចាត់ទុកថាពី" ការវេចខ្ចប់បញ្ជី "តារាង។ បើសិនជាគ្មានឃ្លាំងនិងជំនាន់ដូចគ្នាសម្រាប់ធាតុដែលមានទាំងអស់សម្រាប់វេចខ្ចប់ធាតុណាមួយ "ផលិតផលជាកញ្ចប់" តម្លៃទាំងនោះអាចត្រូវបានបញ្ចូលនៅក្នុងតារាងធាតុដ៏សំខាន់, តម្លៃនឹងត្រូវបានចម្លងទៅ 'វេចខ្ចប់បញ្ជី "តារាង។"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},ជួរដេក # {0}: សូមបញ្ជាក់សម្រាប់ធាតុសៀរៀលគ្មាន {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","សម្រាប់ធាតុ "ផលិតផលកញ្ចប់, ឃ្លាំង, សៀរៀល, គ្មានទេនិងបាច់ & ‧នឹងត្រូវបានចាត់ទុកថាពី" ការវេចខ្ចប់បញ្ជី "តារាង។ បើសិនជាគ្មានឃ្លាំងនិងជំនាន់ដូចគ្នាសម្រាប់ធាតុដែលមានទាំងអស់សម្រាប់វេចខ្ចប់ធាតុណាមួយ "ផលិតផលជាកញ្ចប់" តម្លៃទាំងនោះអាចត្រូវបានបញ្ចូលនៅក្នុងតារាងធាតុដ៏សំខាន់, តម្លៃនឹងត្រូវបានចម្លងទៅ 'វេចខ្ចប់បញ្ជី "តារាង។"
DocType: Job Opening,Publish on website,បោះពុម្ពផ្សាយនៅលើគេហទំព័រ
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,ការនាំចេញទៅកាន់អតិថិជន។
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,វិក័យប័ត្រក្រុមហ៊ុនផ្គត់ផ្គង់កាលបរិច្ឆេទមិនអាចច្រើនជាងកាលបរិច្ឆេទប្រកាស
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,វិក័យប័ត្រក្រុមហ៊ុនផ្គត់ផ្គង់កាលបរិច្ឆេទមិនអាចច្រើនជាងកាលបរិច្ឆេទប្រកាស
DocType: Purchase Invoice Item,Purchase Order Item,ទិញធាតុលំដាប់
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,ចំណូលប្រយោល
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,ចំណូលប្រយោល
DocType: Student Attendance Tool,Student Attendance Tool,ឧបករណ៍វត្តមានរបស់សិស្ស
DocType: Cheque Print Template,Date Settings,ការកំណត់កាលបរិច្ឆេទ
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,អថេរ
@@ -1009,20 +1016,20 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,គីមី
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,គណនីធនាគារ / សាច់ប្រាក់លំនាំដើមនឹងត្រូវបានធ្វើឱ្យទាន់សម័យដោយស្វ័យប្រវត្តិនៅពេលដែលប្រាក់ Journal Entry របៀបនេះត្រូវបានជ្រើស។
DocType: BOM,Raw Material Cost(Company Currency),តម្លៃវត្ថុធាតុដើម (ក្រុមហ៊ុនរូបិយប័ណ្ណ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,ធាតុទាំងអស់ត្រូវបានបញ្ជូនរួចហើយសម្រាប់ការបញ្ជាទិញផលិតផលនេះ។
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,ធាតុទាំងអស់ត្រូវបានបញ្ជូនរួចហើយសម្រាប់ការបញ្ជាទិញផលិតផលនេះ។
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},ជួរដេក # {0}: អត្រាការប្រាក់មិនអាចច្រើនជាងអត្រាដែលបានប្រើនៅ {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,ម៉ែត្រ
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,ម៉ែត្រ
DocType: Workstation,Electricity Cost,តម្លៃអគ្គិសនី
DocType: HR Settings,Don't send Employee Birthday Reminders,កុំផ្ញើបុគ្គលិករំលឹកខួបកំណើត
DocType: Item,Inspection Criteria,លក្ខណៈវិនិច្ឆ័យអធិការកិច្ច
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,ផ្ទេរប្រាក់
DocType: BOM Website Item,BOM Website Item,ធាតុគេហទំព័រ Bom
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,ផ្ទុកឡើងក្បាលលិខិតនិងស្លាកសញ្ញារបស់អ្នក។ (អ្នកអាចកែសម្រួលពួកវានៅពេលក្រោយ) ។
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,ផ្ទុកឡើងក្បាលលិខិតនិងស្លាកសញ្ញារបស់អ្នក។ (អ្នកអាចកែសម្រួលពួកវានៅពេលក្រោយ) ។
DocType: Timesheet Detail,Bill,វិក័យប័ត្រ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,រំលស់ត្រូវបានបញ្ចូលកាលបរិច្ឆេទបន្ទាប់កាលបរិច្ឆេទកន្លងមកដែលជា
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,សេត
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,សេត
DocType: SMS Center,All Lead (Open),អ្នកដឹកនាំការទាំងអស់ (ការបើកចំហ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ជួរដេក {0}: Qty មិនមានសម្រាប់ {4} នៅក្នុងឃ្លាំង {1} នៅក្នុងប្រកាសពេលនៃធាតុ ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ជួរដេក {0}: Qty មិនមានសម្រាប់ {4} នៅក្នុងឃ្លាំង {1} នៅក្នុងប្រកាសពេលនៃធាតុ ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,ទទួលបានការវិវត្តបង់ប្រាក់
DocType: Item,Automatically Create New Batch,បង្កើតដោយស្វ័យប្រវត្តិថ្មីបាច់
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,ធ្វើឱ្យ
@@ -1032,13 +1039,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,កន្ត្រកទំនិញរបស់ខ្ញុំ
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},ប្រភេទការបញ្ជាទិញត្រូវតែជាផ្នែកមួយនៃ {0}
DocType: Lead,Next Contact Date,ទំនាក់ទំនងបន្ទាប់កាលបរិច្ឆេទ
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,បើក Qty
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,សូមបញ្ចូលគណនីសម្រាប់ការផ្លាស់ប្តូរចំនួនទឹកប្រាក់
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,បើក Qty
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,សូមបញ្ចូលគណនីសម្រាប់ការផ្លាស់ប្តូរចំនួនទឹកប្រាក់
DocType: Student Batch Name,Student Batch Name,ឈ្មោះបាច់សិស្ស
DocType: Holiday List,Holiday List Name,បញ្ជីថ្ងៃឈប់សម្រាកឈ្មោះ
DocType: Repayment Schedule,Balance Loan Amount,តុល្យភាពប្រាក់កម្ចីចំនួនទឹកប្រាក់
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,វគ្គកាលវិភាគ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,ជម្រើសភាគហ៊ុន
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,ជម្រើសភាគហ៊ុន
DocType: Journal Entry Account,Expense Claim,ពាក្យបណ្តឹងលើការចំណាយ
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,តើអ្នកពិតជាចង់ស្តារទ្រព្យសកម្មបោះបង់ចោលនេះ?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},qty សម្រាប់ {0}
@@ -1050,12 +1057,12 @@
DocType: Company,Default Terms,លក្ខខណ្ឌលំនាំដើម
DocType: Packing Slip Item,Packing Slip Item,វេចខ្ចប់ធាតុគ្រូពេទ្យប្រហែលជា
DocType: Purchase Invoice,Cash/Bank Account,សាច់ប្រាក់ / គណនីធនាគារ
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},សូមបញ្ជាក់ {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},សូមបញ្ជាក់ {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,ធាតុបានយកចេញដោយការផ្លាស់ប្តូរក្នុងបរិមាណឬតម្លៃទេ។
DocType: Delivery Note,Delivery To,ដឹកជញ្ជូនដើម្បី
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,តារាងគុណលក្ខណៈគឺជាការចាំបាច់
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,តារាងគុណលក្ខណៈគឺជាការចាំបាច់
DocType: Production Planning Tool,Get Sales Orders,ទទួលបានការបញ្ជាទិញលក់
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} មិនអាចជាអវិជ្ជមាន
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} មិនអាចជាអវិជ្ជមាន
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,បញ្ចុះតំលៃ
DocType: Asset,Total Number of Depreciations,ចំនួនសរុបនៃការធ្លាក់ថ្លៃ
DocType: Sales Invoice Item,Rate With Margin,អត្រាជាមួយនឹងរឹម
@@ -1075,7 +1082,6 @@
DocType: Serial No,Creation Document No,ការបង្កើតឯកសារគ្មាន
DocType: Issue,Issue,បញ្ហា
DocType: Asset,Scrapped,បោះបង់ចោល
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,គណនីមិនត្រូវគ្នាជាមួយក្រុមហ៊ុន
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.",គុណលក្ខណៈសម្រាប់ធាតុវ៉ារ្យ៉ង់។ ឧទាហរណ៍ដូចជាទំហំពណ៌ល
DocType: Purchase Invoice,Returns,ត្រឡប់
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,ឃ្លាំង WIP
@@ -1087,12 +1093,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,ធាតុត្រូវបានបន្ថែមដោយប្រើ "ចូរក្រោកធាតុពីការទិញបង្កាន់ដៃ 'ប៊ូតុង
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,រួមបញ្ចូលធាតុដែលមិនមែនភាគហ៊ុន
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,ចំណាយការលក់
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,ចំណាយការលក់
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,ទិញស្ដង់ដារ
DocType: GL Entry,Against,ប្រឆាំងនឹងការ
DocType: Item,Default Selling Cost Center,ចំណាយលើការលក់លំនាំដើមរបស់មជ្ឈមណ្ឌល
DocType: Sales Partner,Implementation Partner,ដៃគូអនុវត្ដន៍
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,លេខកូដតំបន់
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,លេខកូដតំបន់
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},លំដាប់ការលក់ {0} គឺ {1}
DocType: Opportunity,Contact Info,ពត៌មានទំនាក់ទំនង
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,ការធ្វើឱ្យធាតុហ៊ុន
@@ -1105,31 +1111,31 @@
DocType: Holiday List,Get Weekly Off Dates,ដើម្បីទទួលបានកាលបរិច្ឆេទការបិទប្រចាំសប្តាហ៍
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,កាលបរិច្ឆេទបញ្ចប់មិនអាចតិចជាងការចាប់ផ្តើមកាលបរិច្ឆេទ
DocType: Sales Person,Select company name first.,ជ្រើសឈ្មោះក្រុមហ៊ុនជាលើកដំបូង។
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,លោកបណ្ឌិត
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,សម្រង់ពាក្យដែលទទួលបានពីការផ្គត់ផ្គង់។
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},ដើម្បី {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,អាយុជាមធ្យម
DocType: School Settings,Attendance Freeze Date,ការចូលរួមកាលបរិច្ឆេទបង្កក
DocType: Opportunity,Your sales person who will contact the customer in future,ការលក់ផ្ទាល់ខ្លួនរបស់អ្នកដែលនឹងទាក់ទងអតិថិជននៅថ្ងៃអនាគត
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,រាយមួយចំនួននៃការផ្គត់ផ្គង់របស់អ្នក។ ពួកគេអាចត្រូវបានអង្គការឬបុគ្គល។
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,រាយមួយចំនួននៃការផ្គត់ផ្គង់របស់អ្នក។ ពួកគេអាចត្រូវបានអង្គការឬបុគ្គល។
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,មើលផលិតផលទាំងអស់
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),អ្នកដឹកនាំការកំរិតអាយុអប្បបរមា (ថ្ងៃ)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,BOMs ទាំងអស់
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,BOMs ទាំងអស់
DocType: Company,Default Currency,រូបិយប័ណ្ណលំនាំដើម
DocType: Expense Claim,From Employee,ពីបុគ្គលិក
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,ព្រមាន: ប្រព័ន្ធនឹងមិនពិនិត្យមើល overbilling ចាប់តាំងពីចំនួនទឹកប្រាក់សម្រាប់ធាតុ {0} {1} ក្នុងសូន្យ
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,ព្រមាន: ប្រព័ន្ធនឹងមិនពិនិត្យមើល overbilling ចាប់តាំងពីចំនួនទឹកប្រាក់សម្រាប់ធាតុ {0} {1} ក្នុងសូន្យ
DocType: Journal Entry,Make Difference Entry,ធ្វើឱ្យធាតុខុសគ្នា
DocType: Upload Attendance,Attendance From Date,ការចូលរួមពីកាលបរិច្ឆេទ
DocType: Appraisal Template Goal,Key Performance Area,គន្លឹះការសម្តែងតំបន់
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,ការដឹកជញ្ជូន
+DocType: Program Enrollment,Transportation,ការដឹកជញ្ជូន
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Attribute មិនត្រឹមត្រូវ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} ត្រូវតែត្រូវបានដាក់ជូន
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} ត្រូវតែត្រូវបានដាក់ជូន
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},បរិមាណដែលត្រូវទទួលទានត្រូវតែតិចជាងឬស្មើទៅនឹង {0}
DocType: SMS Center,Total Characters,តួអក្សរសរុប
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},សូមជ្រើស Bom នៅក្នុងវាល Bom សម្រាប់ធាតុ {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},សូមជ្រើស Bom នៅក្នុងវាល Bom សម្រាប់ធាតុ {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,ពត៌មានវិក័យប័ត្ររបស់ C-សំណុំបែបបទ
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ការទូទាត់វិក័យប័ត្រផ្សះផ្សានិងយុត្តិធម៌
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,ការចូលរួមចំណែក%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ជាមួយការកំណត់ការទិញប្រសិនបើមានការទិញលំដាប់ទាមទារ == "បាទ" ហើយបន្ទាប់មកសម្រាប់ការបង្កើតការទិញវិក័យប័ត្រ, អ្នកប្រើត្រូវការដើម្បីបង្កើតការបញ្ជាទិញជាលើកដំបូងសម្រាប់ធាតុ {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,លេខចុះបញ្ជីក្រុមហ៊ុនសម្រាប់ជាឯកសារយោងរបស់អ្នក។ ចំនួនពន្ធល
DocType: Sales Partner,Distributor,ចែកចាយ
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ការដើរទិញឥវ៉ាន់វិធានការដឹកជញ្ជូនក្នុងកន្រ្តក
@@ -1138,23 +1144,25 @@
,Ordered Items To Be Billed,ធាតុបញ្ជាឱ្យនឹងត្រូវបានផ្សព្វផ្សាយ
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,ពីជួរមានដើម្បីឱ្យមានតិចជាងដើម្បីជួរ
DocType: Global Defaults,Global Defaults,លំនាំដើមជាសកល
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,ការអញ្ជើញសហការគម្រោង
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,ការអញ្ជើញសហការគម្រោង
DocType: Salary Slip,Deductions,ការកាត់
DocType: Leave Allocation,LAL/,លោក Lal /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,ការចាប់ផ្តើមឆ្នាំ
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},លេខ 2 ខ្ទង់នៃ GSTIN គួរតែផ្គូផ្គងជាមួយលេខរដ្ឋ {0}
DocType: Purchase Invoice,Start date of current invoice's period,ការចាប់ផ្តើមកាលបរិច្ឆេទនៃការរយៈពេលបច្ចុប្បន្នរបស់វិក័យប័ត្រ
DocType: Salary Slip,Leave Without Pay,ទុកឱ្យដោយគ្មានការបង់
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,កំហុសក្នុងការធ្វើផែនការការកសាងសមត្ថភាព
,Trial Balance for Party,អង្គជំនុំតុល្យភាពសម្រាប់ការគណបក្ស
DocType: Lead,Consultant,អ្នកប្រឹក្សាយោបល់
DocType: Salary Slip,Earnings,ការរកប្រាក់ចំណូល
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,ធាតុបានបញ្ចប់ {0} អាចត្រូវបានបញ្ចូលសម្រាប់ធាតុប្រភេទការផលិត
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,ធាតុបានបញ្ចប់ {0} អាចត្រូវបានបញ្ចូលសម្រាប់ធាតុប្រភេទការផលិត
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,បើកសមតុល្យគណនី
+,GST Sales Register,ជីអេសធីលក់ចុះឈ្មោះ
DocType: Sales Invoice Advance,Sales Invoice Advance,ការលក់វិក័យប័ត្រជាមុន
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,គ្មានអ្វីដែលត្រូវស្នើសុំ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},កំណត់ត្រាថវិកាមួយផ្សេងទៀត '{0}' រួចហើយប្រឆាំងនឹង {1} '{2} "សម្រាប់ឆ្នាំសារពើពន្ធ {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',"ជាក់ស្តែងកាលបរិច្ឆេទចាប់ផ្តើម" មិនអាចជាធំជាងជាក់ស្តែងកាលបរិច្ឆេទបញ្ចប់ "
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,ការគ្រប់គ្រង
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,ការគ្រប់គ្រង
DocType: Cheque Print Template,Payer Settings,ការកំណត់អ្នកចេញការចំណាយ
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","នេះនឹងត្រូវបានបន្ថែមទៅក្នុងក្រមធាតុនៃវ៉ារ្យ៉ង់នោះ។ ឧទាហរណ៍ប្រសិនបើអក្សរកាត់របស់អ្នកគឺ "ផលិតកម្ម SM" និងលេខកូដធាតុគឺ "អាវយឺត", លេខកូដធាតុនៃវ៉ារ្យ៉ង់នេះនឹងត្រូវបាន "អាវយឺត-ផលិតកម្ម SM""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,ប្រាក់ចំណេញសុទ្ធ (និយាយម្យ៉ាង) នឹងមើលឃើញនៅពេលដែលអ្នករក្សាទុកប័ណ្ណប្រាក់បៀវត្ស។
@@ -1171,8 +1179,8 @@
DocType: Employee Loan,Partially Disbursed,ផ្តល់ឱ្រយអតិថិជនដោយផ្នែក
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,មូលដ្ឋានទិន្នន័យដែលបានផ្គត់ផ្គង់។
DocType: Account,Balance Sheet,តារាងតុល្យការ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',មជ្ឈមណ្ឌលចំណាយសម្រាប់ធាតុដែលមានលេខកូដធាតុ "
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",របៀបក្នុងការទូទាត់ត្រូវបានមិនបានកំណត់រចនាសម្ព័ន្ធ។ សូមពិនិត្យមើលថាតើគណនីត្រូវបានកំណត់នៅលើរបៀបនៃការទូទាត់ឬនៅលើប្រវត្តិរូបម៉ាស៊ីនឆូតកាត។
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',មជ្ឈមណ្ឌលចំណាយសម្រាប់ធាតុដែលមានលេខកូដធាតុ "
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",របៀបក្នុងការទូទាត់ត្រូវបានមិនបានកំណត់រចនាសម្ព័ន្ធ។ សូមពិនិត្យមើលថាតើគណនីត្រូវបានកំណត់នៅលើរបៀបនៃការទូទាត់ឬនៅលើប្រវត្តិរូបម៉ាស៊ីនឆូតកាត។
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,មនុស្សម្នាក់ដែលលក់របស់អ្នកនឹងទទួលបាននូវការរំលឹកមួយនៅលើកាលបរិច្ឆេទនេះដើម្បីទាក់ទងអតិថិជន
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,ធាតុដូចគ្នាមិនអាចត្រូវបានបញ្ចូលច្រើនដង។
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups",គណនីដែលមានបន្ថែមទៀតអាចត្រូវបានធ្វើក្រោមការក្រុមនោះទេតែធាតុដែលអាចត្រូវបានធ្វើប្រឆាំងនឹងការដែលមិនមែនជាក្រុម
@@ -1180,7 +1188,7 @@
DocType: Email Digest,Payables,បង់
DocType: Course,Course Intro,វគ្គបរិញ្ញ
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,ភាគហ៊ុនចូល {0} បង្កើតឡើង
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,ជួរដេក # {0}: បានច្រានចោលមិនអាច Qty បញ្ចូលនៅក្នុងការទិញត្រឡប់មកវិញ
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,ជួរដេក # {0}: បានច្រានចោលមិនអាច Qty បញ្ចូលនៅក្នុងការទិញត្រឡប់មកវិញ
,Purchase Order Items To Be Billed,ការបញ្ជាទិញធាតុដែលនឹងត្រូវបានផ្សព្វផ្សាយ
DocType: Purchase Invoice Item,Net Rate,អត្រាការប្រាក់សុទ្ធ
DocType: Purchase Invoice Item,Purchase Invoice Item,ទិញទំនិញវិក័យប័ត្រ
@@ -1205,7 +1213,7 @@
DocType: Sales Order,SO-,SO-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,សូមជ្រើសបុព្វបទជាលើកដំបូង
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,ស្រាវជ្រាវ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,ស្រាវជ្រាវ
DocType: Maintenance Visit Purpose,Work Done,ការងារធ្វើ
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,សូមបញ្ជាក់គុណលក្ខណៈយ៉ាងហោចណាស់មួយនៅក្នុងតារាងលក្ខណៈ
DocType: Announcement,All Students,និស្សិតទាំងអស់
@@ -1213,17 +1221,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,មើលសៀវភៅ
DocType: Grading Scale,Intervals,ចន្លោះពេល
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,ដំបូងបំផុត
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group",ធាតុមួយពូលមានឈ្មោះដូចគ្នាសូមប្ដូរឈ្មោះធាតុឬប្ដូរឈ្មោះធាតុដែលជាក្រុម
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,លេខទូរស័ព្ទចល័តរបស់សិស្ស
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,នៅសល់នៃពិភពលោក
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group",ធាតុមួយពូលមានឈ្មោះដូចគ្នាសូមប្ដូរឈ្មោះធាតុឬប្ដូរឈ្មោះធាតុដែលជាក្រុម
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,លេខទូរស័ព្ទចល័តរបស់សិស្ស
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,នៅសល់នៃពិភពលោក
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,ធាតុនេះ {0} មិនអាចមានបាច់
,Budget Variance Report,របាយការណ៍អថេរថវិការ
DocType: Salary Slip,Gross Pay,បង់សរុបបាន
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,ជួរដេក {0}: ប្រភេទសកម្មភាពគឺជាការចាំបាច់។
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,ភាគលាភបង់ប្រាក់
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,ភាគលាភបង់ប្រាក់
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,គណនេយ្យសៀវភៅធំ
DocType: Stock Reconciliation,Difference Amount,ចំនួនទឹកប្រាក់ដែលមានភាពខុសគ្នា
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,ប្រាក់ចំណូលរក្សាទុក
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,ប្រាក់ចំណូលរក្សាទុក
DocType: Vehicle Log,Service Detail,សេវាលំអិត
DocType: BOM,Item Description,ធាតុការពិពណ៌នាសង្ខេប
DocType: Student Sibling,Student Sibling,បងប្អូនបង្កើតរបស់សិស្ស
@@ -1237,11 +1245,11 @@
DocType: Opportunity Item,Opportunity Item,ធាតុឱកាសការងារ
,Student and Guardian Contact Details,សិស្សនិងអាណាព្យាបាលទំនាក់ទំនងលំអិត
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,ជួរដេក {0}: សម្រាប់ផ្គត់ផ្គង់ {0} អាសយដ្ឋានអ៊ីម៉ែលត្រូវបានទាមទារដើម្បីផ្ញើអ៊ីម៉ែល
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,ពិធីបើកបណ្តោះអាសន្ន
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,ពិធីបើកបណ្តោះអាសន្ន
,Employee Leave Balance,បុគ្គលិកចាកចេញតុល្យភាព
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},តុល្យភាពសម្រាប់គណនី {0} តែងតែត្រូវតែមាន {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},អត្រាការវាយតម្លៃដែលបានទាមទារសម្រាប់ធាតុនៅក្នុងជួរដេក {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,ឧទាហរណ៍: ថ្នាក់អនុបណ្ឌិតវិទ្យាសាស្រ្តកុំព្យូទ័រ
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,ឧទាហរណ៍: ថ្នាក់អនុបណ្ឌិតវិទ្យាសាស្រ្តកុំព្យូទ័រ
DocType: Purchase Invoice,Rejected Warehouse,ឃ្លាំងច្រានចោល
DocType: GL Entry,Against Voucher,ប្រឆាំងនឹងប័ណ្ណ
DocType: Item,Default Buying Cost Center,មជ្ឈមណ្ឌលការចំណាយទិញលំនាំដើម
@@ -1254,31 +1262,30 @@
DocType: Journal Entry,Get Outstanding Invoices,ទទួលបានវិកិយប័ត្រឆ្នើម
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,លំដាប់ការលក់ {0} មិនត្រឹមត្រូវ
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,ការបញ្ជាទិញជួយអ្នកមានគម្រោងនិងតាមដាននៅលើការទិញរបស់អ្នក
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","សូមអភ័យទោស, ក្រុមហ៊ុនមិនអាចត្រូវបានបញ្ចូលគ្នា"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","សូមអភ័យទោស, ក្រុមហ៊ុនមិនអាចត្រូវបានបញ្ចូលគ្នា"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",បរិមាណបញ្ហា / សេវាផ្ទេរប្រាក់សរុប {0} នៅក្នុងសំណើសម្ភារៈ {1} \ មិនអាចច្រើនជាងបរិមាណដែលបានស្នើរសុំ {2} សម្រាប់ធាតុ {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,ខ្នាតតូច
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,ខ្នាតតូច
DocType: Employee,Employee Number,ចំនួនបុគ្គលិក
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},ករណីគ្មានការ (s) បានរួចហើយនៅក្នុងការប្រើប្រាស់។ សូមព្យាយាមពីករណីគ្មាន {0}
DocType: Project,% Completed,% បានបញ្ចប់
,Invoiced Amount (Exculsive Tax),ចំនួន invoiced (ពន្ធលើ Exculsive)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,ធាតុ 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,ប្រធានគណនី {0} បង្កើតឡើង
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,ព្រឹត្តិការណ៍បណ្តុះបណ្តាល
DocType: Item,Auto re-order,ការបញ្ជាទិញជាថ្មីម្តងទៀតដោយស្វ័យប្រវត្តិ
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,សរុបសម្រេច
DocType: Employee,Place of Issue,ទីកន្លែងបញ្ហា
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,ការចុះកិច្ចសន្យា
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,ការចុះកិច្ចសន្យា
DocType: Email Digest,Add Quote,បន្ថែមសម្រង់
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},កត្តាគ្របដណ្តប់ UOM បានទាមទារសម្រាប់ការ UOM: {0} នៅក្នុងធាតុ: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,ការចំណាយដោយប្រយោល
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},កត្តាគ្របដណ្តប់ UOM បានទាមទារសម្រាប់ការ UOM: {0} នៅក្នុងធាតុ: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,ការចំណាយដោយប្រយោល
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,ជួរដេក {0}: Qty គឺជាការចាំបាច់
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,កសិកម្ម
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,ធ្វើសមកាលកម្មទិន្នន័យអនុបណ្ឌិត
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,ផលិតផលឬសេវាកម្មរបស់អ្នក
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,ធ្វើសមកាលកម្មទិន្នន័យអនុបណ្ឌិត
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,ផលិតផលឬសេវាកម្មរបស់អ្នក
DocType: Mode of Payment,Mode of Payment,របៀបនៃការទូទាត់
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,វេបសាយរូបភាពគួរតែជាឯកសារសាធារណៈឬគេហទំព័ររបស់ URL
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,វេបសាយរូបភាពគួរតែជាឯកសារសាធារណៈឬគេហទំព័ររបស់ URL
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,Bom
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,នេះគឺជាក្រុមមួយដែលធាតុ root និងមិនអាចត្រូវបានកែសម្រួល។
@@ -1287,17 +1294,17 @@
DocType: Warehouse,Warehouse Contact Info,ឃ្លាំងពត៌មានទំនាក់ទំនង
DocType: Payment Entry,Write Off Difference Amount,សរសេរបិទចំនួនទឹកប្រាក់ផ្សេងគ្នា
DocType: Purchase Invoice,Recurring Type,ប្រភេទកើតឡើង
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: រកមិនឃើញអ៊ីម៉ែលបុគ្គលិក, ហេតុនេះមិនបានចាត់អ៊ីមែល"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: រកមិនឃើញអ៊ីម៉ែលបុគ្គលិក, ហេតុនេះមិនបានចាត់អ៊ីមែល"
DocType: Item,Foreign Trade Details,សេចក្ដីលម្អិតពាណិជ្ជកម្មបរទេស
DocType: Email Digest,Annual Income,ប្រាក់ចំណូលប្រចាំឆ្នាំ
DocType: Serial No,Serial No Details,គ្មានព័ត៌មានលំអិតសៀរៀល
DocType: Purchase Invoice Item,Item Tax Rate,អត្រាអាករធាតុ
DocType: Student Group Student,Group Roll Number,លេខវិលគ្រុប
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",{0} មានតែគណនីឥណទានអាចត្រូវបានតភ្ជាប់ប្រឆាំងនឹងធាតុឥណពន្ធផ្សេងទៀត
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,សរុបនៃភារកិច្ចទាំងអស់គួរតែមានទម្ងន់ 1. សូមលៃតម្រូវត្រូវមានភារកិច្ចគម្រោងទម្ងន់ទាំងអស់ទៅតាម
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,ការដឹកជញ្ជូនចំណាំ {0} គឺមិនត្រូវបានដាក់ស្នើ
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,ធាតុ {0} ត្រូវតែជាធាតុអនុចុះកិច្ចសន្យា
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,ឧបករណ៍រាជធានី
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,សរុបនៃភារកិច្ចទាំងអស់គួរតែមានទម្ងន់ 1. សូមលៃតម្រូវត្រូវមានភារកិច្ចគម្រោងទម្ងន់ទាំងអស់ទៅតាម
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,ការដឹកជញ្ជូនចំណាំ {0} គឺមិនត្រូវបានដាក់ស្នើ
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,ធាតុ {0} ត្រូវតែជាធាតុអនុចុះកិច្ចសន្យា
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,ឧបករណ៍រាជធានី
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",វិធានកំណត់តម្លៃដំបូងត្រូវបានជ្រើសដោយផ្អែកលើ 'អនុវត្តនៅលើ' វាលដែលអាចជាធាតុធាតុក្រុមឬម៉ាក។
DocType: Hub Settings,Seller Website,វេបសាយអ្នកលក់
DocType: Item,ITEM-,ITEM-
@@ -1315,7 +1322,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",មានតែអាចជាលក្ខខណ្ឌមួយដែលមានការដឹកជញ្ជូនវិធាន 0 ឬតម្លៃវានៅទទេសម្រាប់ "ឱ្យតម្លៃ"
DocType: Authorization Rule,Transaction,ប្រតិបត្តិការ
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,ចំណាំ: មជ្ឈមណ្ឌលនេះជាការចំណាយក្រុម។ មិនអាចធ្វើឱ្យការបញ្ចូលគណនីប្រឆាំងនឹងក្រុម។
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,ឃ្លាំងកុមារមានសម្រាប់ឃ្លាំងនេះ។ អ្នកមិនអាចលុបឃ្លាំងនេះ។
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,ឃ្លាំងកុមារមានសម្រាប់ឃ្លាំងនេះ។ អ្នកមិនអាចលុបឃ្លាំងនេះ។
DocType: Item,Website Item Groups,ក្រុមធាតុវេបសាយ
DocType: Purchase Invoice,Total (Company Currency),សរុប (ក្រុមហ៊ុនរូបិយវត្ថុ)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,លេខសម្គាល់ {0} បានចូលច្រើនជាងមួយដង
@@ -1325,7 +1332,7 @@
DocType: Grading Scale Interval,Grade Code,កូដថ្នាក់ទី
DocType: POS Item Group,POS Item Group,គ្រុបធាតុម៉ាស៊ីនឆូតកាត
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,សង្ខេបអ៊ីម៉ែល:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},Bom {0} មិនមែនជារបស់ធាតុ {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},Bom {0} មិនមែនជារបស់ធាតុ {1}
DocType: Sales Partner,Target Distribution,ចែកចាយគោលដៅ
DocType: Salary Slip,Bank Account No.,លេខគណនីធនាគារ
DocType: Naming Series,This is the number of the last created transaction with this prefix,នេះជាចំនួននៃការប្រតិបត្តិការបង្កើតចុងក្រោយជាមួយបុព្វបទនេះ
@@ -1335,12 +1342,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,សៀវភៅរំលស់ទ្រព្យសម្បត្តិចូលដោយស្វ័យប្រវត្តិ
DocType: BOM Operation,Workstation,ស្ថានីយការងារ Stencils
DocType: Request for Quotation Supplier,Request for Quotation Supplier,សំណើរសម្រាប់ការផ្គត់ផ្គង់សម្រង់
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,ផ្នែករឹង
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,ផ្នែករឹង
DocType: Sales Order,Recurring Upto,រីករាយជាមួយនឹងកើតឡើង
DocType: Attendance,HR Manager,កម្មវិធីគ្រប់គ្រងធនធានមនុស្ស
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,សូមជ្រើសរើសក្រុមហ៊ុន
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,ឯកសិទ្ធិចាកចេញ
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,សូមជ្រើសរើសក្រុមហ៊ុន
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,ឯកសិទ្ធិចាកចេញ
DocType: Purchase Invoice,Supplier Invoice Date,កាលបរិច្ឆេទផ្គត់ផ្គង់វិក័យប័ត្រ
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,ក្នុងមួយ
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,អ្នកត្រូវអនុញ្ញាតកន្រ្តកទំនិញ
DocType: Payment Entry,Writeoff,សរសេរបិទ
DocType: Appraisal Template Goal,Appraisal Template Goal,គោលដៅវាយតម្លៃទំព័រគំរូ
@@ -1351,10 +1359,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,លក្ខខណ្ឌត្រួតស៊ីគ្នាបានរកឃើញរវាង:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,ប្រឆាំងនឹង Journal Entry {0} ត្រូវបានលៃតម្រូវរួចទៅហើយប្រឆាំងនឹងកាតមានទឹកប្រាក់មួយចំនួនផ្សេងទៀត
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,តម្លៃលំដាប់សរុប
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,អាហារ
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,អាហារ
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,ជួរ Ageing 3
DocType: Maintenance Schedule Item,No of Visits,គ្មានការមើល
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,លោក Mark ការចូលរួម
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,លោក Mark ការចូលរួម
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},កាលវិភាគថែរក្សា {0} ដែលមានការប្រឆាំងនឹង {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,សិស្សចុះឈ្មោះ
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},រូបិយប័ណ្ណនៃគណនីបិទត្រូវតែជា {0}
@@ -1368,6 +1376,7 @@
DocType: Rename Tool,Utilities,ឧបករណ៍ប្រើប្រាស់
DocType: Purchase Invoice Item,Accounting,គណនេយ្យ
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,សូមជ្រើសជំនាន់សម្រាប់ធាតុបាច់
DocType: Asset,Depreciation Schedules,កាលវិភាគរំលស់
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,រយៈពេលប្រើប្រាស់មិនអាចមានការបែងចែកការឈប់សម្រាកនៅខាងក្រៅក្នុងរយៈពេល
DocType: Activity Cost,Projects,គម្រោងការ
@@ -1381,6 +1390,7 @@
DocType: POS Profile,Campaign,យុទ្ធនាការឃោសនា
DocType: Supplier,Name and Type,ឈ្មោះនិងប្រភេទ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',ស្ថានភាពការអនុម័តត្រូវតែបាន "ត្រូវបានអនុម័ត" ឬ "បានច្រានចោល"
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,ចាប់ផ្ដើម
DocType: Purchase Invoice,Contact Person,ទំនាក់ទំនង
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"ការរំពឹងទុកការចាប់ផ្តើមកាលបរិច្ឆេទ" មិនអាចជាធំជាងការរំពឹងទុកកាលបរិច្ឆេទបញ្ចប់ "
DocType: Course Scheduling Tool,Course End Date,ការពិតណាស់កាលបរិច្ឆេទបញ្ចប់
@@ -1388,12 +1398,11 @@
DocType: Sales Order Item,Planned Quantity,បរិមាណដែលបានគ្រោងទុក
DocType: Purchase Invoice Item,Item Tax Amount,ចំនួនទឹកប្រាក់ពន្ធលើធាតុ
DocType: Item,Maintain Stock,ការរក្សាហ៊ុន
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,ធាតុភាគហ៊ុនដែលបានបង្កើតរួចផលិតកម្មលំដាប់
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,ធាតុភាគហ៊ុនដែលបានបង្កើតរួចផលិតកម្មលំដាប់
DocType: Employee,Prefered Email,ចំណង់ចំណូលចិត្តអ៊ីមែល
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,ការផ្លាស់ប្តូរសុទ្ធនៅលើអចលនទ្រព្យ
DocType: Leave Control Panel,Leave blank if considered for all designations,ប្រសិនបើអ្នកទុកវាឱ្យទទេសម្រាប់ការរចនាទាំងអស់បានពិចារណាថា
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,ឃ្លាំងជាការចាំបាច់សម្រាប់គណនីដែលមិនមែនជាក្រុមនៃប្រភេទហ៊ុន
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,បន្ទុកនៃប្រភេទ 'ជាក់ស្តែង "នៅក្នុងជួរដេកដែលបាន {0} មិនអាចត្រូវបានរួមបញ្ចូលនៅក្នុងអត្រាធាតុ
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,បន្ទុកនៃប្រភេទ 'ជាក់ស្តែង "នៅក្នុងជួរដេកដែលបាន {0} មិនអាចត្រូវបានរួមបញ្ចូលនៅក្នុងអត្រាធាតុ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},អតិបរមា: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,ចាប់ពី Datetime
DocType: Email Digest,For Company,សម្រាប់ក្រុមហ៊ុន
@@ -1403,15 +1412,15 @@
DocType: Sales Invoice,Shipping Address Name,ការដឹកជញ្ជូនឈ្មោះអាសយដ្ឋាន
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,គំនូសតាងគណនី
DocType: Material Request,Terms and Conditions Content,លក្ខខណ្ឌមាតិកា
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,មិនអាចជាធំជាង 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,ធាតុ {0} គឺមិនមានធាតុភាគហ៊ុន
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,មិនអាចជាធំជាង 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,ធាតុ {0} គឺមិនមានធាតុភាគហ៊ុន
DocType: Maintenance Visit,Unscheduled,គ្មានការគ្រោងទុក
DocType: Employee,Owned,កម្មសិទ្ធផ្ទាល់ខ្លួន
DocType: Salary Detail,Depends on Leave Without Pay,អាស្រ័យនៅលើស្លឹកដោយគ្មានប្រាក់ខែ
DocType: Pricing Rule,"Higher the number, higher the priority","ខ្ពស់ជាងចំនួន, ខ្ពស់ជាងអាទិភាព"
,Purchase Invoice Trends,ទិញវិក័យប័ត្រនិន្នាការ
DocType: Employee,Better Prospects,ទស្សនវិស័យល្អប្រសើរជាងមុន
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","ជួរដេក # {0}: បាច់នេះ {1} មានតែ {2} qty ។ សូមជ្រើសក្រុមមួយផ្សេងទៀតដែលមាន {3} qty អាចប្រើបានឬបំបែកជួរដេកដែលបានចូលទៅក្នុងជួរដេកច្រើន, ដើម្បីរំដោះ / បញ្ហាពីជំនាន់ច្រើន"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","ជួរដេក # {0}: បាច់នេះ {1} មានតែ {2} qty ។ សូមជ្រើសក្រុមមួយផ្សេងទៀតដែលមាន {3} qty អាចប្រើបានឬបំបែកជួរដេកដែលបានចូលទៅក្នុងជួរដេកច្រើន, ដើម្បីរំដោះ / បញ្ហាពីជំនាន់ច្រើន"
DocType: Vehicle,License Plate,ស្លាកលេខ
DocType: Appraisal,Goals,គ្រាប់បាល់បញ្ចូលទី
DocType: Warranty Claim,Warranty / AMC Status,ការធានា / ស្ថានភាព AMC
@@ -1422,19 +1431,20 @@
,Batch-Wise Balance History,ប្រាជ្ញាតុល្យភាពបាច់ប្រវត្តិ
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,ការកំណត់បោះពុម្ពទាន់សម័យក្នុងទ្រង់ទ្រាយម៉ាស៊ីនបោះពុម្ពរបស់
DocType: Package Code,Package Code,កូដកញ្ចប់
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,សិស្ស
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,សិស្ស
+DocType: Purchase Invoice,Company GSTIN,ក្រុមហ៊ុន GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,បរិមាណដែលត្រូវទទួលទានអវិជ្ជមានមិនត្រូវបានអនុញ្ញាត
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",តារាងពន្ធលើការដែលបានទៅយកពីព័ត៌មានលម្អិតធាតុដែលម្ចាស់ជាខ្សែអក្សរមួយនិងបានរក្សាទុកនៅក្នុងវាលនេះ។ ត្រូវបានប្រើសម្រាប់ការបង់ពន្ធនិងបន្ទុក
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,បុគ្គលិកមិនអាចរាយការណ៍ទៅខ្លួនឯង។
DocType: Account,"If the account is frozen, entries are allowed to restricted users.",ប្រសិនបើគណនីគឺជាការកកធាតុត្រូវបានអនុញ្ញាតឱ្យអ្នកប្រើប្រាស់ដាក់កម្រិត។
DocType: Email Digest,Bank Balance,ធនាគារតុល្យភាព
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},គណនេយ្យធាតុសម្រាប់ {0} {1} អាចត្រូវបានធ្វើតែនៅក្នុងរូបិយប័ណ្ណ: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},គណនេយ្យធាតុសម្រាប់ {0} {1} អាចត្រូវបានធ្វើតែនៅក្នុងរូបិយប័ណ្ណ: {2}
DocType: Job Opening,"Job profile, qualifications required etc.",ទម្រង់យ៉ូបបានទាមទារលក្ខណៈសម្បត្តិល
DocType: Journal Entry Account,Account Balance,សមតុល្យគណនី
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,វិធានពន្ធសម្រាប់កិច្ចការជំនួញ។
DocType: Rename Tool,Type of document to rename.,ប្រភេទនៃឯកសារដែលបានប្ដូរឈ្មោះ។
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,យើងទិញធាតុនេះ
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,យើងទិញធាតុនេះ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: អតិថិជនគឺត្រូវបានទាមទារឱ្យមានការប្រឆាំងនឹងគណនីអ្នកទទួល {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),ពន្ធសរុបនិងការចោទប្រកាន់ (រូបិយប័ណ្ណរបស់ក្រុមហ៊ុន)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,"បង្ហាញសមតុល្យ, P & L កាលពីឆ្នាំសារពើពន្ធរបស់មិនបិទ"
@@ -1445,29 +1455,30 @@
DocType: Stock Entry,Total Additional Costs,ការចំណាយបន្ថែមទៀតសរុប
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),សំណល់អេតចាយសម្ភារៈតម្លៃ (ក្រុមហ៊ុនរូបិយប័ណ្ណ)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,សភាអនុ
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,សភាអនុ
DocType: Asset,Asset Name,ឈ្មោះទ្រព្យសម្បត្តិ
DocType: Project,Task Weight,ទម្ងន់ភារកិច្ច
DocType: Shipping Rule Condition,To Value,ទៅតម្លៃ
DocType: Asset Movement,Stock Manager,ភាគហ៊ុនប្រធានគ្រប់គ្រង
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},ឃ្លាំងប្រភពចាំបាច់សម្រាប់ជួរ {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,គ្រូពេទ្យប្រហែលជាវេចខ្ចប់
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,ការិយាល័យសំរាប់ជួល
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},ឃ្លាំងប្រភពចាំបាច់សម្រាប់ជួរ {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,គ្រូពេទ្យប្រហែលជាវេចខ្ចប់
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,ការិយាល័យសំរាប់ជួល
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,ការកំណត់ច្រកចេញចូលការរៀបចំសារជាអក្សរ
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,នាំចូលបានបរាជ័យ!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,គ្មានអាសយដ្ឋានបន្ថែមនៅឡើយទេ។
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,គ្មានអាសយដ្ឋានបន្ថែមនៅឡើយទេ។
DocType: Workstation Working Hour,Workstation Working Hour,ស្ថានីយការងារការងារហួរ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,អ្នកវិភាគ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,អ្នកវិភាគ
DocType: Item,Inventory,សារពើភ័ណ្ឌ
DocType: Item,Sales Details,ពត៌មានលំអិតការលក់
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,ជាមួយនឹងការធាតុ
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,នៅក្នុង qty
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,នៅក្នុង qty
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,ធ្វើឱ្យមានសុពលភាពចុះឈ្មោះសិស្សនៅក្នុងវគ្គសិក្សាសម្រាប់ក្រុមសិស្ស
DocType: Notification Control,Expense Claim Rejected,ពាក្យបណ្តឹងលើការចំណាយបានច្រានចោល
DocType: Item,Item Attribute,គុណលក្ខណៈធាតុ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,រដ្ឋាភិបាល
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,រដ្ឋាភិបាល
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,ពាក្យបណ្តឹងការចំណាយ {0} រួចហើយសម្រាប់រថយន្តចូល
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,ឈ្មោះវិទ្យាស្ថាន
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,ឈ្មោះវិទ្យាស្ថាន
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,សូមបញ្ចូលចំនួនទឹកប្រាក់ដែលការទូទាត់សង
apps/erpnext/erpnext/config/stock.py +300,Item Variants,វ៉ារ្យ៉ង់ធាតុ
DocType: Company,Services,ការផ្តល់សេវា
@@ -1477,18 +1488,18 @@
DocType: Sales Invoice,Source,ប្រភព
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,បង្ហាញបានបិទ
DocType: Leave Type,Is Leave Without Pay,ត្រូវទុកឱ្យដោយគ្មានការបង់
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,ទ្រព្យសម្បត្តិប្រភេទជាការចាំបាច់សម្រាប់ធាតុទ្រព្យសកម្មថេរ
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,ទ្រព្យសម្បត្តិប្រភេទជាការចាំបាច់សម្រាប់ធាតុទ្រព្យសកម្មថេរ
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,រកឃើញនៅក្នុងតារាងគ្មានប្រាក់បង់ការកត់ត្រា
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},នេះ {0} ជម្លោះជាមួយ {1} សម្រាប់ {2} {3}
DocType: Student Attendance Tool,Students HTML,សិស្សរបស់ HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,កាលបរិច្ឆេទចាប់ផ្តើមក្នុងឆ្នាំហិរញ្ញវត្ថុ
DocType: POS Profile,Apply Discount,អនុវត្តការបញ្ចុះតម្លៃ
+DocType: Purchase Invoice Item,GST HSN Code,កូដ HSN ជីអេសធី
DocType: Employee External Work History,Total Experience,បទពិសោធន៍សរុប
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,បើកគម្រោង
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,គ្រូពេទ្យប្រហែលជាវេចខ្ចប់ (s) បានត្រូវបានលុបចោល
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,លំហូរសាច់ប្រាក់ចេញពីការវិនិយោគ
DocType: Program Course,Program Course,វគ្គសិក្សាកម្មវិធី
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,ការចោទប្រកាន់ការដឹកជញ្ជូននិងការបញ្ជូនបន្ត
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,ការចោទប្រកាន់ការដឹកជញ្ជូននិងការបញ្ជូនបន្ត
DocType: Homepage,Company Tagline for website homepage,ក្រុមហ៊ុនឃ្លាអត្ថបទសម្រាប់គេហទំព័រគេហទំព័រ
DocType: Item Group,Item Group Name,ធាតុឈ្មោះក្រុម
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,គេយក
@@ -1498,6 +1509,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,បង្កើតនាំទៅរក
DocType: Maintenance Schedule,Schedules,កាលវិភាគ
DocType: Purchase Invoice Item,Net Amount,ចំនួនទឹកប្រាក់សុទ្ធ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} មិនត្រូវបានដាក់ស្នើដូច្នេះសកម្មភាពនេះមិនអាចត្រូវបានបញ្ចប់
DocType: Purchase Order Item Supplied,BOM Detail No,ពត៌មានលំអិត Bom គ្មាន
DocType: Landed Cost Voucher,Additional Charges,ការចោទប្រកាន់បន្ថែម
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),ចំនួនទឹកប្រាក់ដែលបញ្ចុះតម្លៃបន្ថែម (រូបិយប័ណ្ណរបស់ក្រុមហ៊ុន)
@@ -1513,6 +1525,7 @@
DocType: Employee Loan,Monthly Repayment Amount,ចំនួនទឹកប្រាក់សងប្រចាំខែ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,សូមកំណត់លេខសម្គាល់អ្នកប្រើនៅក្នុងវាលកំណត់ត្រានិយោជិតម្នាក់ក្នុងការកំណត់តួនាទីរបស់និយោជិត
DocType: UOM,UOM Name,ឈ្មោះ UOM
+DocType: GST HSN Code,HSN Code,កូដ HSN
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,ចំនួនទឹកប្រាក់ចំែណក
DocType: Purchase Invoice,Shipping Address,ការដឹកជញ្ជូនអាសយដ្ឋាន
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,ឧបករណ៍នេះអាចជួយអ្នកក្នុងការធ្វើឱ្យទាន់សម័យឬជួសជុលបរិមាណនិងតម្លៃនៃភាគហ៊ុននៅក្នុងប្រព័ន្ធ។ វាត្រូវបានប្រើដើម្បីធ្វើសមកាលកម្មតម្លៃប្រព័ន្ធនិងអ្វីដែលជាការពិតមាននៅក្នុងឃ្លាំងរបស់អ្នក។
@@ -1523,17 +1536,16 @@
DocType: Program Enrollment Tool,Program Enrollments,ការចុះឈ្មោះចូលរៀនកម្មវិធី
DocType: Sales Invoice Item,Brand Name,ឈ្មោះម៉ាក
DocType: Purchase Receipt,Transporter Details,សេចក្ដីលម្អិតដឹកជញ្ជូន
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,ឃ្លាំងលំនាំដើមគឺត្រូវបានទាមទារសម្រាប់ធាតុដែលបានជ្រើស
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,ប្រអប់
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,ឃ្លាំងលំនាំដើមគឺត្រូវបានទាមទារសម្រាប់ធាតុដែលបានជ្រើស
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,ប្រអប់
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,ហាងទំនិញដែលអាចធ្វើបាន
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,អង្គការ
DocType: Budget,Monthly Distribution,ចែកចាយប្រចាំខែ
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,បញ្ជីអ្នកទទួលគឺទទេ។ សូមបង្កើតបញ្ជីអ្នកទទួល
DocType: Production Plan Sales Order,Production Plan Sales Order,ផលិតកម្មផែនការលក់សណ្តាប់ធ្នាប់
DocType: Sales Partner,Sales Partner Target,ដៃគូគោលដៅការលក់
DocType: Loan Type,Maximum Loan Amount,ចំនួនទឹកប្រាក់កម្ចីអតិបរមា
DocType: Pricing Rule,Pricing Rule,វិធានការកំណត់តម្លៃ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},ចំនួនសិស្សស្ទួនរមៀល {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},ចំនួនសិស្សស្ទួនរមៀល {0}
DocType: Budget,Action if Annual Budget Exceeded,ប្រសិនបើមានថវិកាប្រចាំឆ្នាំសកម្មភាពលើសពី
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,សម្ភារៈសំណើទិញសណ្តាប់ធ្នាប់
DocType: Shopping Cart Settings,Payment Success URL,ការទូទាត់ URL ដែលទទួលបានភាពជោគជ័យ
@@ -1546,11 +1558,11 @@
DocType: C-Form,III,III បាន
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,ការបើកផ្សារហ៊ុនតុល្យភាព
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} ត្រូវតែបង្ហាញបានតែម្តង
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},មិនអនុញ្ញាតឱ្យការផ្តល់ជាច្រើនទៀត {0} {1} ជាជាងការប្រឆាំងនឹងការទិញលំដាប់ {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},មិនអនុញ្ញាតឱ្យការផ្តល់ជាច្រើនទៀត {0} {1} ជាជាងការប្រឆាំងនឹងការទិញលំដាប់ {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},ទុកបម្រុងទុកដោយជោគជ័យសម្រាប់ {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,គ្មានធាតុខ្ចប់
DocType: Shipping Rule Condition,From Value,ពីតម្លៃ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,បរិមាណដែលត្រូវទទួលទានគឺចាំបាច់កម្មន្តសាល
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,បរិមាណដែលត្រូវទទួលទានគឺចាំបាច់កម្មន្តសាល
DocType: Employee Loan,Repayment Method,វិធីសាស្រ្តការទូទាត់សង
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",ប្រសិនបើបានធីកទំព័រដើមនេះនឹងត្រូវបានក្រុមធាតុលំនាំដើមសម្រាប់គេហទំព័រនេះ
DocType: Quality Inspection Reading,Reading 4,ការអានទី 4
@@ -1560,7 +1572,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},ជួរដេក # {0}: កាលបរិច្ឆេទបោសសំអាត {1} មិនអាចមានមុនពេលកាលបរិច្ឆេទមូលប្បទានប័ត្រ {2}
DocType: Company,Default Holiday List,បញ្ជីថ្ងៃឈប់សម្រាកលំនាំដើម
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},ជួរដេក {0}: ពីពេលវេលានិងពេលវេលានៃ {1} ត្រូវបានត្រួតស៊ីគ្នាជាមួយ {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,បំណុលភាគហ៊ុន
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,បំណុលភាគហ៊ុន
DocType: Purchase Invoice,Supplier Warehouse,ឃ្លាំងក្រុមហ៊ុនផ្គត់ផ្គង់
DocType: Opportunity,Contact Mobile No,ទំនាក់ទំនងទូរស័ព្ទគ្មាន
,Material Requests for which Supplier Quotations are not created,សំណើសម្ភារៈដែលសម្រង់សម្តីផ្គត់ផ្គង់មិនត្រូវបានបង្កើត
@@ -1571,35 +1583,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,ចូរធ្វើសម្រង់
apps/erpnext/erpnext/config/selling.py +216,Other Reports,របាយការណ៍ផ្សេងទៀត
DocType: Dependent Task,Dependent Task,ការងារពឹងផ្អែក
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},កត្តាប្រែចិត្តជឿសម្រាប់អង្គភាពលំនាំដើមត្រូវតែមានវិធានការក្នុងមួយជួរដេក 1 {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},កត្តាប្រែចិត្តជឿសម្រាប់អង្គភាពលំនាំដើមត្រូវតែមានវិធានការក្នុងមួយជួរដេក 1 {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},ការឈប់សម្រាកនៃប្រភេទ {0} មិនអាចមានយូរជាង {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,ការធ្វើផែនការប្រតិបត្ដិការសម្រាប់ការព្យាយាមរបស់ X នៅមុនថ្ងៃ។
DocType: HR Settings,Stop Birthday Reminders,បញ្ឈប់ការរំលឹកខួបកំណើត
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},សូមកំណត់បើកប្រាក់បៀវត្សគណនីទូទាត់លំនាំដើមក្នុងក្រុមហ៊ុន {0}
DocType: SMS Center,Receiver List,បញ្ជីអ្នកទទួល
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,ស្វែងរកធាតុ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,ស្វែងរកធាតុ
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,ចំនួនទឹកប្រាក់ដែលគេប្រើប្រាស់
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,ការផ្លាស់ប្តូរសាច់ប្រាក់សុទ្ធ
DocType: Assessment Plan,Grading Scale,ធ្វើមាត្រដ្ឋានពិន្ទុ
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,ឯកតារង្វាស់ {0} ត្រូវបានបញ្ចូលលើសពីមួយដងនៅក្នុងការសន្ទនាកត្តាតារាង
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,ឯកតារង្វាស់ {0} ត្រូវបានបញ្ចូលលើសពីមួយដងនៅក្នុងការសន្ទនាកត្តាតារាង
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,បានបញ្ចប់រួចទៅហើយ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,ភាគហ៊ុននៅក្នុងដៃ
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},ស្នើសុំការទូទាត់រួចហើយ {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,តម្លៃនៃធាតុដែលបានចេញផ្សាយ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},បរិមាណមិនត្រូវការច្រើនជាង {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,មុនឆ្នាំហិរញ្ញវត្ថុមិនត្រូវបានបិទ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),អាយុ (ថ្ងៃ)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),អាយុ (ថ្ងៃ)
DocType: Quotation Item,Quotation Item,ធាតុសម្រង់
+DocType: Customer,Customer POS Id,លេខសម្គាល់អតិថិជនម៉ាស៊ីនឆូតកាត
DocType: Account,Account Name,ឈ្មោះគណនី
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,ពីកាលបរិច្ឆេទមិនអាចមានចំនួនច្រើនជាងកាលបរិច្ឆេទ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,សៀរៀលគ្មាន {0} {1} បរិមាណមិនអាចធ្វើជាប្រភាគ
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,ប្រភេទផ្គត់ផ្គង់គ្រូ។
DocType: Purchase Order Item,Supplier Part Number,ក្រុមហ៊ុនផ្គត់ផ្គង់ផ្នែកមួយចំនួន
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,អត្រានៃការប្រែចិត្តជឿមិនអាចជា 0 ឬ 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,អត្រានៃការប្រែចិត្តជឿមិនអាចជា 0 ឬ 1
DocType: Sales Invoice,Reference Document,ឯកសារជាឯកសារយោង
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} ត្រូវបានលុបចោលឬបញ្ឈប់
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} ត្រូវបានលុបចោលឬបញ្ឈប់
DocType: Accounts Settings,Credit Controller,ឧបករណ៍ត្រួតពិនិត្យឥណទាន
DocType: Delivery Note,Vehicle Dispatch Date,កាលបរិច្ឆេទបញ្ជូនយានយន្ត
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,ការទិញការទទួល {0} គឺមិនត្រូវបានដាក់ស្នើ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,ការទិញការទទួល {0} គឺមិនត្រូវបានដាក់ស្នើ
DocType: Company,Default Payable Account,គណនីទូទាត់លំនាំដើម
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.",ការកំណត់សម្រាប់រទេះដើរទិញឥវ៉ាន់អនឡាញដូចជាវិធានការដឹកជញ្ជូនបញ្ជីតម្លៃល
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% បានបង់ប្រាក់
@@ -1618,11 +1632,12 @@
DocType: Expense Claim,Total Amount Reimbursed,ចំនួនទឹកប្រាក់សរុបដែលបានសងវិញ
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,នេះផ្អែកលើកំណត់ហេតុប្រឆាំងនឹងរថយន្តនេះ។ សូមមើលខាងក្រោមសម្រាប់សេចក្ដីលម្អិតកំណត់ពេលវេលា
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,ប្រមូល
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},ប្រឆាំងនឹងការផ្គត់ផ្គង់វិក័យប័ត្រ {0} {1} ចុះកាលបរិច្ឆេទ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},ប្រឆាំងនឹងការផ្គត់ផ្គង់វិក័យប័ត្រ {0} {1} ចុះកាលបរិច្ឆេទ
DocType: Customer,Default Price List,តារាងតម្លៃលំនាំដើម
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,កំណត់ត្រាចលនាទ្រព្យសកម្ម {0} បង្កើតឡើង
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,អ្នកមិនអាចលុបឆ្នាំសារពើពន្ធ {0} ។ ឆ្នាំសារពើពន្ធ {0} ត្រូវបានកំណត់ជាលំនាំដើមនៅក្នុងការកំណត់សកល
DocType: Journal Entry,Entry Type,ប្រភេទធាតុ
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,មិនមានផែនការវាយតម្លៃបានភ្ជាប់ជាមួយនឹងក្រុមវាយតម្លៃនេះ
,Customer Credit Balance,សមតុល្យឥណទានអតិថិជន
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,ការផ្លាស់ប្តូរសុទ្ធក្នុងគណនីទូទាត់
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',អតិថិជនដែលបានទាមទារសម្រាប់ 'បញ្ចុះតម្លៃ Customerwise "
@@ -1630,7 +1645,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,ការកំណត់តម្លៃ
DocType: Quotation,Term Details,ពត៌មានលំអិតរយៈពេល
DocType: Project,Total Sales Cost (via Sales Order),សរុបតម្លៃលក់ (តាមរយៈលំដាប់លក់)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,មិនអាចចុះឈ្មោះចូលរៀនច្រើនជាង {0} សិស្សសម្រាប់ក្រុមនិស្សិតនេះ។
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,មិនអាចចុះឈ្មោះចូលរៀនច្រើនជាង {0} សិស្សសម្រាប់ក្រុមនិស្សិតនេះ។
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,អ្នកដឹកនាំការរាប់
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} ត្រូវតែធំជាង 0
DocType: Manufacturing Settings,Capacity Planning For (Days),ផែនការការកសាងសមត្ថភាពសម្រាប់ (ថ្ងៃ)
@@ -1651,7 +1666,7 @@
DocType: Sales Invoice,Packed Items,ធាតុ packed
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,ពាក្យបណ្តឹងប្រឆាំងនឹងលេខសៀរៀលធានា
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","ជំនួសជាក់លាក់ Bom ក្នុង BOMs ផ្សេងទៀតទាំងអស់ដែលជាកន្លែងដែលវាត្រូវបានគេប្រើ។ វានឹងជំនួសតំណ Bom អាយុ, ធ្វើឱ្យទាន់សម័យការចំណាយនិងការរីកលូតលាស់ឡើងវិញ "ធាតុផ្ទុះ Bom" តារាងជាមួយ Bom ថ្មី"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total',"សរុប"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total',"សរុប"
DocType: Shopping Cart Settings,Enable Shopping Cart,បើកការកន្រ្តកទំនិញ
DocType: Employee,Permanent Address,អាសយដ្ឋានអចិន្រ្តៃយ៍
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1667,9 +1682,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,សូមបរិមាណឬអត្រាវាយតម្លៃឬទាំងពីរបានបញ្ជាក់
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,ការបំពេញ
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,មើលក្នុងកន្ត្រកទំនិញ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,ចំណាយទីផ្សារ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,ចំណាយទីផ្សារ
,Item Shortage Report,របាយការណ៍កង្វះធាតុ
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",ទំងន់ត្រូវបានបង្ហាញ \ n សូមនិយាយអំពី "ទម្ងន់ UOM" ពេក
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",ទំងន់ត្រូវបានបង្ហាញ \ n សូមនិយាយអំពី "ទម្ងន់ UOM" ពេក
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,សម្ភារៈស្នើសុំប្រើដើម្បីធ្វើឱ្យផ្សារហ៊ុននេះបានចូល
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,កាលបរិច្ឆេទគឺបន្ទាប់រំលស់ចាំបាច់សម្រាប់ទ្រព្យថ្មី
DocType: Student Group Creation Tool,Separate course based Group for every Batch,ក្រុមដែលមានមូលដ្ឋាននៅជំនាន់ការពិតណាស់ការដាច់ដោយឡែកសម្រាប់គ្រប់
@@ -1678,17 +1693,18 @@
,Student Fee Collection,ការប្រមូលថ្លៃសេវាសិស្ស
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,ធ្វើឱ្យធាតុគណនេយ្យសម្រាប់គ្រប់ចលនាហ៊ុន
DocType: Leave Allocation,Total Leaves Allocated,ចំនួនសរុបដែលបានបម្រុងទុកស្លឹក
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},ឃ្លាំងបានទាមទារនៅក្នុងជួរដេកគ្មាន {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,សូមបញ្ចូលឆ្នាំដែលមានសុពលភាពហិរញ្ញវត្ថុកាលបរិច្ឆេទចាប់ផ្ដើមនិងបញ្ចប់
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},ឃ្លាំងបានទាមទារនៅក្នុងជួរដេកគ្មាន {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,សូមបញ្ចូលឆ្នាំដែលមានសុពលភាពហិរញ្ញវត្ថុកាលបរិច្ឆេទចាប់ផ្ដើមនិងបញ្ចប់
DocType: Employee,Date Of Retirement,កាលបរិច្ឆេទនៃការចូលនិវត្តន៍
DocType: Upload Attendance,Get Template,ទទួលបានទំព័រគំរូ
+DocType: Material Request,Transferred,ផ្ទេរ
DocType: Vehicle,Doors,ទ្វារ
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ការដំឡើង ERPNext ទាំងស្រុង!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ការដំឡើង ERPNext ទាំងស្រុង!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: មជ្ឈមណ្ឌលតម្លៃត្រូវបានទាមទារសម្រាប់ 'ប្រាក់ចំណេញនិងការបាត់បង់' គណនី {2} ។ សូមបង្កើតមជ្ឈមណ្ឌលតម្លៃលំនាំដើមសម្រាប់ក្រុមហ៊ុន។
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ការគ្រុបអតិថិជនមានឈ្មោះដូចគ្នាសូមផ្លាស់ប្តូរឈ្មោះរបស់អតិថិជនឬប្តូរឈ្មោះក្រុមរបស់អតិថិជន
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,ទំនាក់ទំនងថ្មី
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ការគ្រុបអតិថិជនមានឈ្មោះដូចគ្នាសូមផ្លាស់ប្តូរឈ្មោះរបស់អតិថិជនឬប្តូរឈ្មោះក្រុមរបស់អតិថិជន
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,ទំនាក់ទំនងថ្មី
DocType: Territory,Parent Territory,ដែនដីមាតាឬបិតា
DocType: Quality Inspection Reading,Reading 2,ការអាន 2
DocType: Stock Entry,Material Receipt,សម្ភារៈបង្កាន់ដៃ
@@ -1697,17 +1713,16 @@
DocType: Employee,AB+,ប់ AB + +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","ប្រសិនបើមានធាតុនេះមានវ៉ារ្យ៉ង់, បន្ទាប់មកវាមិនអាចត្រូវបានជ្រើសនៅក្នុងការបញ្ជាទិញការលក់ល"
DocType: Lead,Next Contact By,ទំនាក់ទំនងបន្ទាប់ដោយ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},បរិមាណដែលទាមទារសម្រាប់ធាតុ {0} នៅក្នុងជួរដេក {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},ឃ្លាំង {0} មិនអាចត្រូវបានលុបជាបរិមាណមានសម្រាប់ធាតុ {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},បរិមាណដែលទាមទារសម្រាប់ធាតុ {0} នៅក្នុងជួរដេក {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},ឃ្លាំង {0} មិនអាចត្រូវបានលុបជាបរិមាណមានសម្រាប់ធាតុ {1}
DocType: Quotation,Order Type,ប្រភេទលំដាប់
DocType: Purchase Invoice,Notification Email Address,សេចក្តីជូនដំណឹងស្តីពីអាសយដ្ឋានអ៊ីម៉ែល
,Item-wise Sales Register,ធាតុប្រាជ្ញាលក់ចុះឈ្មោះ
DocType: Asset,Gross Purchase Amount,ចំនួនទឹកប្រាក់សរុបការទិញ
DocType: Asset,Depreciation Method,វិធីសាស្រ្តរំលស់
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,ក្រៅបណ្តាញ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,ក្រៅបណ្តាញ
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,តើការប្រមូលពន្ធលើនេះបានរួមបញ្ចូលក្នុងអត្រាជាមូលដ្ឋាន?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,គោលដៅសរុប
-DocType: Program Course,Required,ត្រូវការ
DocType: Job Applicant,Applicant for a Job,កម្មវិធីសម្រាប់ការងារ
DocType: Production Plan Material Request,Production Plan Material Request,ផលិតកម្មសំណើសម្ភារៈផែនការ
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,គ្មានការបញ្ជាទិញផលិតផលដែលបានបង្កើត
@@ -1716,17 +1731,17 @@
DocType: Purchase Invoice Item,Batch No,បាច់គ្មាន
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,អនុញ្ញាតឱ្យមានការបញ្ជាទិញការលក់ការទិញសណ្តាប់ធ្នាប់ជាច្រើនប្រឆាំងនឹងអតិថិជនរបស់មួយ
DocType: Student Group Instructor,Student Group Instructor,ក្រុមនិស្សិតគ្រូបង្រៀន
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 ទូរស័ព្ទដៃគ្មាន
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,ដើមចម្បង
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 ទូរស័ព្ទដៃគ្មាន
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,ដើមចម្បង
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,វ៉ារ្យ៉ង់
DocType: Naming Series,Set prefix for numbering series on your transactions,កំណត់បុព្វបទសម្រាប់លេខស៊េរីលើប្រតិបតិ្តការរបស់អ្នក
DocType: Employee Attendance Tool,Employees HTML,និយោជិករបស់ HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Bom លំនាំដើម ({0}) ត្រូវតែសកម្មសម្រាប់ធាតុនេះឬពុម្ពរបស់ខ្លួន
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Bom លំនាំដើម ({0}) ត្រូវតែសកម្មសម្រាប់ធាតុនេះឬពុម្ពរបស់ខ្លួន
DocType: Employee,Leave Encashed?,ទុកឱ្យ Encashed?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ឱកាសក្នុងវាលពីគឺចាំបាច់
DocType: Email Digest,Annual Expenses,ការចំណាយប្រចាំឆ្នាំ
DocType: Item,Variants,វ៉ារ្យ៉ង់
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,ធ្វើឱ្យការទិញសណ្តាប់ធ្នាប់
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,ធ្វើឱ្យការទិញសណ្តាប់ធ្នាប់
DocType: SMS Center,Send To,បញ្ជូនទៅ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},មិនមានតុល្យភាពឈប់សម្រាកឱ្យបានគ្រប់គ្រាន់សម្រាប់ទុកឱ្យប្រភេទ {0}
DocType: Payment Reconciliation Payment,Allocated amount,ទឹកប្រាក់ដែលត្រៀមបម្រុងទុក
@@ -1740,26 +1755,25 @@
DocType: Supplier,Statutory info and other general information about your Supplier,ពត៌មានច្បាប់និងព័ត៌មានទូទៅអំពីផ្គត់ផ្គង់របស់អ្នក
DocType: Item,Serial Nos and Batches,សៀរៀល nos និងជំនាន់
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,ក្រុមនិស្សិតកម្លាំង
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,ប្រឆាំងនឹង Journal Entry {0} មិនមានធាតុមិនផ្គូផ្គងណាមួយ {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,ប្រឆាំងនឹង Journal Entry {0} មិនមានធាតុមិនផ្គូផ្គងណាមួយ {1}
apps/erpnext/erpnext/config/hr.py +137,Appraisals,វាយតម្ល្រ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},គ្មានបានចូលស្ទួនសៀរៀលសម្រាប់ធាតុ {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,លក្ខខណ្ឌមួយសម្រាប់វិធានការដឹកជញ្ជូនមួយ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,សូមបញ្ចូល
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","មិនអាច overbill សម្រាប់ធាតុនៅ {0} {1} ជួរដេកច្រើនជាង {2} ។ ដើម្បីអនុញ្ញាតឱ្យការវិក័យប័ត្រ, សូមកំណត់នៅក្នុងការកំណត់ការទិញ"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,សូមកំណត់តម្រងដែលមានមូលដ្ឋានលើធាតុឬឃ្លាំង
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","មិនអាច overbill សម្រាប់ធាតុនៅ {0} {1} ជួរដេកច្រើនជាង {2} ។ ដើម្បីអនុញ្ញាតឱ្យការវិក័យប័ត្រ, សូមកំណត់នៅក្នុងការកំណត់ការទិញ"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,សូមកំណត់តម្រងដែលមានមូលដ្ឋានលើធាតុឬឃ្លាំង
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ទំងន់សុទ្ធកញ្ចប់នេះ។ (គណនាដោយស្វ័យប្រវត្តិជាផលបូកនៃទម្ងន់សុទ្ធនៃធាតុ)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,សូមបង្កើតគណនីសម្រាប់ឃ្លាំងនេះនិងភ្ជាប់វា។ នេះមិនអាចត្រូវបានធ្វើដោយស្វ័យប្រវត្តិជាគណនីដែលមានឈ្មោះជា {0} មានរួចហើយ
DocType: Sales Order,To Deliver and Bill,ដើម្បីផ្តល់និង Bill
DocType: Student Group,Instructors,គ្រូបង្វឹក
DocType: GL Entry,Credit Amount in Account Currency,ចំនួនឥណទានរូបិយប័ណ្ណគណនី
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,Bom {0} ត្រូវតែត្រូវបានដាក់ជូន
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,Bom {0} ត្រូវតែត្រូវបានដាក់ជូន
DocType: Authorization Control,Authorization Control,ការត្រួតពិនិត្យសេចក្តីអនុញ្ញាត
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ជួរដេក # {0}: ឃ្លាំងគឺជាការចាំបាច់បានច្រានចោលការប្រឆាំងនឹងធាតុច្រានចោល {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ជួរដេក # {0}: ឃ្លាំងគឺជាការចាំបាច់បានច្រានចោលការប្រឆាំងនឹងធាតុច្រានចោល {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,ការទូទាត់
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","ឃ្លាំង {0} គឺមិនត្រូវបានភ្ជាប់ទៅគណនីណាមួយ, សូមនិយាយអំពីគណនីនៅក្នុងកំណត់ត្រាឃ្លាំងឬកំណត់គណនីសារពើភ័ណ្ឌលំនាំដើមនៅក្នុងក្រុមហ៊ុន {1} ។"
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,គ្រប់គ្រងការបញ្ជាទិញរបស់អ្នក
DocType: Production Order Operation,Actual Time and Cost,ពេលវេលាពិតប្រាកដនិងការចំណាយ
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},ស្នើសុំសម្ភារៈនៃអតិបរមា {0} អាចត្រូវបានធ្វើឡើងសម្រាប់ធាតុ {1} នឹងដីកាសម្រេចលក់ {2}
-DocType: Employee,Salutation,ពាក្យសួរសុខទុក្ខ
DocType: Course,Course Abbreviation,អក្សរកាត់ការពិតណាស់
DocType: Student Leave Application,Student Leave Application,កម្មវិធីទុកឱ្យសិស្ស
DocType: Item,Will also apply for variants,ក៏នឹងអនុវត្តសម្រាប់វ៉ារ្យ៉ង់
@@ -1771,12 +1785,12 @@
DocType: Quotation Item,Actual Qty,ជាក់ស្តែ Qty
DocType: Sales Invoice Item,References,ឯកសារយោង
DocType: Quality Inspection Reading,Reading 10,ការអាន 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",រាយបញ្ជីផលិតផលឬសេវាកម្មរបស់អ្នកដែលអ្នកទិញឬលក់។ ធ្វើឱ្យប្រាកដថាដើម្បីពិនិត្យមើលធាតុ Group ដែលជាឯកតារង្វាស់និងលក្ខណៈសម្បត្តិផ្សេងទៀតនៅពេលដែលអ្នកចាប់ផ្តើម។
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",រាយបញ្ជីផលិតផលឬសេវាកម្មរបស់អ្នកដែលអ្នកទិញឬលក់។ ធ្វើឱ្យប្រាកដថាដើម្បីពិនិត្យមើលធាតុ Group ដែលជាឯកតារង្វាស់និងលក្ខណៈសម្បត្តិផ្សេងទៀតនៅពេលដែលអ្នកចាប់ផ្តើម។
DocType: Hub Settings,Hub Node,ហាប់ថ្នាំង
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,អ្នកបានបញ្ចូលធាតុស្ទួន។ សូមកែតម្រូវនិងព្យាយាមម្ដងទៀត។
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,រង
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,រង
DocType: Asset Movement,Asset Movement,ចលនាទ្រព្យសម្បត្តិ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,រទេះថ្មី
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,រទេះថ្មី
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,ធាតុ {0} គឺមិនមែនជាធាតុសៀរៀល
DocType: SMS Center,Create Receiver List,បង្កើតបញ្ជីអ្នកទទួល
DocType: Vehicle,Wheels,កង់
@@ -1796,19 +1810,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',អាចយោងជួរដេកតែប្រសិនបើប្រភេទបន្ទុកគឺ "នៅលើចំនួនទឹកប្រាក់ជួរដេកមុន" ឬ "មុនជួរដេកសរុប
DocType: Sales Order Item,Delivery Warehouse,ឃ្លាំងដឹកជញ្ជូន
DocType: SMS Settings,Message Parameter,ប៉ារ៉ាម៉ែត្រសារដែលបាន
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,មែកធាងនៃមជ្ឈមណ្ឌលការចំណាយហិរញ្ញវត្ថុ។
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,មែកធាងនៃមជ្ឈមណ្ឌលការចំណាយហិរញ្ញវត្ថុ។
DocType: Serial No,Delivery Document No,ចែកចាយឯកសារមិនមាន
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},សូមកំណត់ 'គណនី / ចំណេញនៅលើបោះចោលបាត់បង់ទ្រព្យសកម្ម "ក្នុងក្រុមហ៊ុន {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,ទទួលបានធាតុពីបង្កាន់ដៃទិញ
DocType: Serial No,Creation Date,កាលបរិច្ឆេទបង្កើត
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},ធាតុ {0} លេចឡើងជាច្រើនដងនៅក្នុងបញ្ជីតម្លៃ {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}",លក់ត្រូវតែត្រូវបានធីកបើកម្មវិធីសម្រាប់ការត្រូវបានជ្រើសរើសជា {0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}",លក់ត្រូវតែត្រូវបានធីកបើកម្មវិធីសម្រាប់ការត្រូវបានជ្រើសរើសជា {0}
DocType: Production Plan Material Request,Material Request Date,សម្ភារៈសំណើកាលបរិច្ឆេទ
DocType: Purchase Order Item,Supplier Quotation Item,ធាតុសម្រង់ក្រុមហ៊ុនផ្គត់ផ្គង់
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,មិនអនុញ្ញាតការបង្កើតនៃការពេលវេលាដែលនឹងដីកាកំណត់ហេតុផលិតកម្ម។ ប្រតិបត្ដិការនឹងមិនត្រូវបានតាមដានប្រឆាំងនឹងដីកាសម្រេចរបស់ផលិតកម្ម
DocType: Student,Student Mobile Number,លេខទូរស័ព្ទរបស់សិស្ស
DocType: Item,Has Variants,មានវ៉ារ្យ៉ង់
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},អ្នកបានជ្រើសរួចហើយចេញពីធាតុ {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},អ្នកបានជ្រើសរួចហើយចេញពីធាតុ {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,ឈ្មោះរបស់ចែកចាយប្រចាំខែ
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,លេខសម្គាល់បាច់ជាការចាំបាច់
DocType: Sales Person,Parent Sales Person,ឪពុកម្តាយរបស់បុគ្គលលក់
@@ -1818,12 +1832,12 @@
DocType: Budget,Fiscal Year,ឆ្នាំសារពើពន្ធ
DocType: Vehicle Log,Fuel Price,តម្លៃប្រេងឥន្ធនៈ
DocType: Budget,Budget,ថវិការ
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,ធាតុទ្រព្យសកម្មថេរត្រូវតែជាធាតុដែលមិនមែនជាភាគហ៊ុន។
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,ធាតុទ្រព្យសកម្មថេរត្រូវតែជាធាតុដែលមិនមែនជាភាគហ៊ុន។
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","ថវិកាដែលមិនអាចត្រូវបានផ្ដល់ប្រឆាំងនឹង {0}, ដែលជាវាមិនមែនជាគណនីដែលមានប្រាក់ចំណូលឬការចំណាយ"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,សម្រេចបាន
DocType: Student Admission,Application Form Route,ពាក្យស្នើសុំផ្លូវ
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,ទឹកដី / អតិថិជន
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,ឧ 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,ឧ 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,ទុកឱ្យប្រភេទ {0} មិនអាចត្រូវបានបម្រុងទុកសម្រាប់ចាប់តាំងពីវាត្រូវបានចាកចេញដោយគ្មានប្រាក់ខែ
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,នៅក្នុងពាក្យនោះនឹងត្រូវបានមើលឃើញនៅពេលដែលអ្នករក្សាទុកវិក័យប័ត្រលក់។
DocType: Item,Is Sales Item,តើមានធាតុលក់
@@ -1831,7 +1845,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,ធាតុ {0} មិនត្រូវបានដំឡើងសម្រាប់ការសៀរៀល Nos ។ សូមពិនិត្យមើលមេធាតុ
DocType: Maintenance Visit,Maintenance Time,ថែទាំម៉ោង
,Amount to Deliver,ចំនួនទឹកប្រាក់ដែលផ្តល់
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,ផលិតផលឬសេវាកម្ម
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,ផលិតផលឬសេវាកម្ម
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,រយៈពេលកាលបរិច្ឆេទចាប់ផ្ដើមមិនអាចមានមុនជាងឆ្នាំចាប់ផ្ដើមកាលបរិច្ឆេទនៃឆ្នាំសិក្សាដែលរយៈពេលនេះត្រូវបានតភ្ជាប់ (អប់រំឆ្នាំ {}) ។ សូមកែកាលបរិច្ឆេទនិងព្យាយាមម្ដងទៀត។
DocType: Guardian,Guardian Interests,ចំណាប់អារម្មណ៍របស់កាសែត The Guardian
DocType: Naming Series,Current Value,តម្លៃបច្ចុប្បន្ន
@@ -1845,12 +1859,12 @@
must be greater than or equal to {2}","ជួរដេក {0}: ដើម្បីកំណត់ {1} រយៈពេល, ភាពខុសគ្នារវាងពីនិងដើម្បីកាលបរិច្ឆេទ \ ត្រូវតែធំជាងឬស្មើទៅនឹង {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,នេះត្រូវបានផ្អែកលើចលនាភាគហ៊ុន។ សូមមើល {0} សម្រាប់សេចក្តីលម្អិត
DocType: Pricing Rule,Selling,លក់
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},ចំនួនទឹកប្រាក់ {0} {1} បានកាត់ប្រឆាំងនឹង {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},ចំនួនទឹកប្រាក់ {0} {1} បានកាត់ប្រឆាំងនឹង {2}
DocType: Employee,Salary Information,ពត៌មានប្រាក់បៀវត្ស
DocType: Sales Person,Name and Employee ID,ឈ្មោះនិងលេខសម្គាល់របស់និយោជិត
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,កាលបរិច្ឆេទដោយសារតែមិនអាចមានមុនពេលការប្រកាសកាលបរិច្ឆេទ
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,កាលបរិច្ឆេទដោយសារតែមិនអាចមានមុនពេលការប្រកាសកាលបរិច្ឆេទ
DocType: Website Item Group,Website Item Group,វេបសាយធាតុគ្រុប
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,ភារកិច្ចនិងពន្ធ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,ភារកិច្ចនិងពន្ធ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,សូមបញ្ចូលកាលបរិច្ឆេទយោង
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} ធាតុទូទាត់មិនអាចត្រូវបានត្រងដោយ {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,តារាងសម្រាប់ធាតុដែលនឹងត្រូវបានបង្ហាញនៅក្នុងវ៉ិបសាយ
@@ -1867,9 +1881,9 @@
DocType: Payment Reconciliation Payment,Reference Row,សេចក្តីយោងជួរដេក
DocType: Installation Note,Installation Time,ពេលដំឡើង
DocType: Sales Invoice,Accounting Details,សេចក្ដីលម្អិតគណនី
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,លុបប្រតិបត្តិការទាំងអស់សម្រាប់ក្រុមហ៊ុននេះ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,ជួរដេក # {0}: ប្រតិបត្ដិការ {1} មិនត្រូវបានបញ្ចប់សម្រាប់ {2} qty ទំនិញសម្រេចនៅក្នុងផលិតកម្មលំដាប់ # {3} ។ សូមធ្វើឱ្យទាន់សម័យស្ថានភាពកំណត់ហេតុម៉ោងប្រតិបត្ដិការតាមរយៈការ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,ការវិនិយោគ
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,លុបប្រតិបត្តិការទាំងអស់សម្រាប់ក្រុមហ៊ុននេះ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,ជួរដេក # {0}: ប្រតិបត្ដិការ {1} មិនត្រូវបានបញ្ចប់សម្រាប់ {2} qty ទំនិញសម្រេចនៅក្នុងផលិតកម្មលំដាប់ # {3} ។ សូមធ្វើឱ្យទាន់សម័យស្ថានភាពកំណត់ហេតុម៉ោងប្រតិបត្ដិការតាមរយៈការ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,ការវិនិយោគ
DocType: Issue,Resolution Details,ពត៌មានលំអិតការដោះស្រាយ
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,តុល្យភាព
DocType: Item Quality Inspection Parameter,Acceptance Criteria,លក្ខណៈវិនិច្ឆ័យក្នុងការទទួលយក
@@ -1894,7 +1908,7 @@
DocType: Room,Room Name,ឈ្មោះបន្ទប់
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","ទុកឱ្យមិនអាចត្រូវបានអនុវត្ត / លុបចោលមុនពេល {0}, ដែលជាតុល្យភាពការឈប់សម្រាកបានជាទំនិញ-បានបញ្ជូនបន្តនៅក្នុងកំណត់ត្រាការបែងចែកការឈប់សម្រាកនាពេលអនាគតរួចទៅហើយ {1}"
DocType: Activity Cost,Costing Rate,អត្រាការប្រាក់មានតម្លៃ
-,Customer Addresses And Contacts,អាសយដ្ឋានអតិថិជននិងទំនាក់ទំនង
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,អាសយដ្ឋានអតិថិជននិងទំនាក់ទំនង
,Campaign Efficiency,ប្រសិទ្ធភាពយុទ្ធនាការ
DocType: Discussion,Discussion,ការពិភាក្សា
DocType: Payment Entry,Transaction ID,លេខសម្គាល់ប្រតិបត្តិការ
@@ -1904,14 +1918,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),ចំនួនវិក័យប័ត្រសរុប (តាមរយៈសន្លឹកម៉ោង)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,ប្រាក់ចំណូលគយបានធ្វើម្តងទៀត
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) ត្រូវតែមានតួនាទីជា "អ្នកអនុម័តការចំណាយ"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,គូ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,ជ្រើស Bom និង Qty សម្រាប់ផលិតកម្ម
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,គូ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,ជ្រើស Bom និង Qty សម្រាប់ផលិតកម្ម
DocType: Asset,Depreciation Schedule,កាលវិភាគរំលស់
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,អាសយដ្ឋានដៃគូលក់និងទំនាក់ទំនង
DocType: Bank Reconciliation Detail,Against Account,ប្រឆាំងនឹងគណនី
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,ថ្ងៃពាក់កណ្តាលកាលបរិច្ឆេទគួរត្រូវបានរវាងពីកាលបរិច្ឆេទនិងដើម្បីកាលបរិច្ឆេទ
DocType: Maintenance Schedule Detail,Actual Date,ជាក់ស្តែងកាលបរិច្ឆេទ
DocType: Item,Has Batch No,មានបាច់គ្មាន
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},វិក័យប័ត្រប្រចាំឆ្នាំ: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},វិក័យប័ត្រប្រចាំឆ្នាំ: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),ពន្ធទំនិញនិងសេវា (ជីអេសធីឥណ្ឌា)
DocType: Delivery Note,Excise Page Number,រដ្ឋាករលេខទំព័រ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory",ក្រុមហ៊ុនមកពីកាលបរិច្ឆេទនិងដើម្បីកាលបរិច្ឆេទគឺជាការចាំបាច់
DocType: Asset,Purchase Date,ទិញកាលបរិច្ឆេទ
@@ -1919,11 +1935,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},សូមកំណត់ 'ទ្រព្យសម្បត្តិមជ្ឈមណ្ឌលតម្លៃរំលស់ "នៅក្នុងក្រុមហ៊ុន {0}
,Maintenance Schedules,កាលវិភាគថែរក្សា
DocType: Task,Actual End Date (via Time Sheet),បញ្ចប់ពិតប្រាកដកាលបរិច្ឆេទ (តាមរយៈសន្លឹកម៉ោង)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},ចំនួនទឹកប្រាក់ {0} {1} ប្រឆាំងនឹង {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},ចំនួនទឹកប្រាក់ {0} {1} ប្រឆាំងនឹង {2} {3}
,Quotation Trends,សម្រង់និន្នាការ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},ធាតុគ្រុបមិនបានរៀបរាប់នៅក្នុងមេធាតុសម្រាប់ធាតុ {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,ឥណពន្ធវីសាទៅគណនីត្រូវតែជាគណនីដែលទទួល
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},ធាតុគ្រុបមិនបានរៀបរាប់នៅក្នុងមេធាតុសម្រាប់ធាតុ {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,ឥណពន្ធវីសាទៅគណនីត្រូវតែជាគណនីដែលទទួល
DocType: Shipping Rule Condition,Shipping Amount,ចំនួនទឹកប្រាក់ការដឹកជញ្ជូន
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,បន្ថែមអតិថិជន
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,ចំនួនទឹកប្រាក់ដែលមិនទាន់សម្រេច
DocType: Purchase Invoice Item,Conversion Factor,ការប្រែចិត្តជឿកត្តា
DocType: Purchase Order,Delivered,បានបញ្ជូន
@@ -1933,7 +1950,8 @@
DocType: Purchase Receipt,Vehicle Number,ចំនួនរថយន្ត
DocType: Purchase Invoice,The date on which recurring invoice will be stop,ថ្ងៃដែលនឹងត្រូវកើតឡើងវិក្កយបត្របញ្ឈប់ការ
DocType: Employee Loan,Loan Amount,ចំនួនប្រាក់កម្ចី
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},ជួរដេក {0}: លោក Bill នៃសម្ភារៈមិនបានរកឃើញសម្រាប់ធាតុ {1}
+DocType: Program Enrollment,Self-Driving Vehicle,រថយន្តបើកបរដោយខ្លួនឯង
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},ជួរដេក {0}: លោក Bill នៃសម្ភារៈមិនបានរកឃើញសម្រាប់ធាតុ {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,ចំនួនសរុបដែលបានបម្រុងទុកស្លឹក {0} មិនអាចតិចជាងស្លឹកត្រូវបានអនុម័តរួចទៅហើយ {1} សម្រាប់រយៈពេលនេះ
DocType: Journal Entry,Accounts Receivable,គណនីអ្នកទទួល
,Supplier-Wise Sales Analytics,ក្រុមហ៊ុនផ្គត់ផ្គង់ប្រាជ្ញាលក់វិភាគ
@@ -1950,21 +1968,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,ពាក្យបណ្តឹងលើការចំណាយគឺត្រូវរង់ចាំការអនុម័ត។ មានតែការអនុម័តលើការចំណាយនេះអាចធ្វើឱ្យស្ថានភាពទាន់សម័យ។
DocType: Email Digest,New Expenses,ការចំណាយថ្មី
DocType: Purchase Invoice,Additional Discount Amount,ចំនួនទឹកប្រាក់ដែលបញ្ចុះតម្លៃបន្ថែម
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ជួរដេក # {0}: Qty ត្រូវតែ 1, ជាធាតុជាទ្រព្យសកម្មថេរ។ សូមប្រើជួរដាច់ដោយឡែកសម្រាប់ qty ច្រើន។"
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ជួរដេក # {0}: Qty ត្រូវតែ 1, ជាធាតុជាទ្រព្យសកម្មថេរ។ សូមប្រើជួរដាច់ដោយឡែកសម្រាប់ qty ច្រើន។"
DocType: Leave Block List Allow,Leave Block List Allow,បញ្ជីប្លុកអនុញ្ញាតឱ្យចាកចេញពី
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Abbr មិនអាចមាននៅទទេឬទំហំ
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr មិនអាចមាននៅទទេឬទំហំ
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,ជាក្រុមការមិនគ្រុប
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,កីឡា
DocType: Loan Type,Loan Name,ឈ្មោះសេវាឥណទាន
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,សរុបជាក់ស្តែង
DocType: Student Siblings,Student Siblings,បងប្អូននិស្សិត
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,អង្គភាព
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,សូមបញ្ជាក់ក្រុមហ៊ុន
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,អង្គភាព
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,សូមបញ្ជាក់ក្រុមហ៊ុន
,Customer Acquisition and Loyalty,ការទិញរបស់អតិថិជននិងភាពស្មោះត្រង់
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,ឃ្លាំងដែលជាកន្លែងដែលអ្នកត្រូវបានរក្សាឱ្យបាននូវភាគហ៊ុនរបស់ធាតុដែលបានច្រានចោល
DocType: Production Order,Skip Material Transfer,រំលងសម្ភារៈផ្ទេរ
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,មិនអាចរកឃើញអត្រាប្តូរប្រាក់សម្រាប់ {0} ទៅ {1} សម្រាប់កាលបរិច្ឆេទគន្លឹះ {2} ។ សូមបង្កើតកំណត់ត្រាប្តូររូបិយប័ណ្ណដោយដៃ
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,កាលពីឆ្នាំហិរញ្ញវត្ថុរបស់អ្នកនឹងបញ្ចប់នៅថ្ងៃ
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,មិនអាចរកឃើញអត្រាប្តូរប្រាក់សម្រាប់ {0} ទៅ {1} សម្រាប់កាលបរិច្ឆេទគន្លឹះ {2} ។ សូមបង្កើតកំណត់ត្រាប្តូររូបិយប័ណ្ណដោយដៃ
DocType: POS Profile,Price List,តារាងតម្លៃ
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} ឥឡូវនេះជាលំនាំដើមឆ្នាំសារពើពន្ធនេះ។ សូមធ្វើឱ្យកម្មវិធីរុករករបស់អ្នកសម្រាប់ការផ្លាស់ប្តូរមានប្រសិទ្ធិភាព។
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,ប្តឹងទាមទារសំណងលើការចំណាយ
@@ -1977,14 +1994,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},ភាគហ៊ុននៅក្នុងជំនាន់ទីតុល្យភាព {0} នឹងក្លាយទៅជាអវិជ្ជមាន {1} សម្រាប់ធាតុ {2} នៅឃ្លាំង {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,បន្ទាប់ពីការសម្ភារៈសំណើត្រូវបានលើកឡើងដោយស្វ័យប្រវត្តិដោយផ្អែកលើកម្រិតឡើងវិញដើម្បីធាតុរបស់
DocType: Email Digest,Pending Sales Orders,ការរង់ចាំការបញ្ជាទិញលក់
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},គណនី {0} មិនត្រឹមត្រូវ។ រូបិយប័ណ្ណគណនីត្រូវតែ {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},គណនី {0} មិនត្រឹមត្រូវ។ រូបិយប័ណ្ណគណនីត្រូវតែ {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},កត្តាប្រែចិត្តជឿ UOM គឺត្រូវបានទាមទារនៅក្នុងជួរដេក {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ជួរដេក # {0}: យោងប្រភេទឯកសារត្រូវតែជាផ្នែកមួយនៃដីកាលក់, ការលក់វិក័យប័ត្រឬធាតុទិនានុប្បវត្តិ"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ជួរដេក # {0}: យោងប្រភេទឯកសារត្រូវតែជាផ្នែកមួយនៃដីកាលក់, ការលក់វិក័យប័ត្រឬធាតុទិនានុប្បវត្តិ"
DocType: Salary Component,Deduction,ការដក
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,ជួរដេក {0}: ពីពេលវេលានិងទៅពេលវេលាគឺជាការចាំបាច់។
DocType: Stock Reconciliation Item,Amount Difference,ភាពខុសគ្នាចំនួនទឹកប្រាក់
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},ថ្លៃទំនិញបានបន្ថែមសម្រាប់ {0} នៅក្នុងបញ្ជីតម្លៃ {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},ថ្លៃទំនិញបានបន្ថែមសម្រាប់ {0} នៅក្នុងបញ្ជីតម្លៃ {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,សូមបញ្ចូលនិយោជិតលេខសម្គាល់នេះបុគ្គលការលក់
DocType: Territory,Classification of Customers by region,ចំណាត់ថ្នាក់នៃអតិថិជនដោយតំបន់
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,ចំនួនទឹកប្រាក់ផ្សេងគ្នាត្រូវតែសូន្យ
@@ -1996,21 +2013,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,ការកាត់សរុប
,Production Analytics,វិភាគផលិតកម្ម
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,ការចំណាយបន្ទាន់សម័យ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,ការចំណាយបន្ទាន់សម័យ
DocType: Employee,Date of Birth,ថ្ងៃខែឆ្នាំកំណើត
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,ធាតុ {0} ត្រូវបានត្រឡប់មកវិញរួចហើយ
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,ធាតុ {0} ត្រូវបានត្រឡប់មកវិញរួចហើយ
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ឆ្នាំសារពើពន្ធឆ្នាំ ** តំណាងឱ្យហិរញ្ញវត្ថុ។ ការបញ្ចូលគណនីទាំងអស់និងប្រតិបត្តិការដ៏ធំមួយផ្សេងទៀតត្រូវបានតាមដានការប្រឆាំងនឹងឆ្នាំសារពើពន្ធ ** ** ។
DocType: Opportunity,Customer / Lead Address,អតិថិជន / អ្នកដឹកនាំការអាសយដ្ឋាន
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},ព្រមាន: វិញ្ញាបនបត្រ SSL មិនត្រឹមត្រូវលើឯកសារភ្ជាប់ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},ព្រមាន: វិញ្ញាបនបត្រ SSL មិនត្រឹមត្រូវលើឯកសារភ្ជាប់ {0}
DocType: Student Admission,Eligibility,សិទ្ធិទទួលបាន
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads",ការនាំមុខជួយឱ្យអ្នកទទួលអាជីវកម្មការបន្ថែមទំនាក់ទំនងរបស់អ្នកទាំងអស់និងច្រើនទៀតតម្រុយរបស់អ្នក
DocType: Production Order Operation,Actual Operation Time,ប្រតិបត្ដិការពេលវេលាពិតប្រាកដ
DocType: Authorization Rule,Applicable To (User),ដែលអាចអនុវត្តទៅ (អ្នកប្រើប្រាស់)
DocType: Purchase Taxes and Charges,Deduct,កាត់
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,ការពិពណ៌នាការងារ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,ការពិពណ៌នាការងារ
DocType: Student Applicant,Applied,អនុវត្ត
DocType: Sales Invoice Item,Qty as per Stock UOM,qty ដូចជាក្នុងមួយហ៊ុន UOM
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,ឈ្មោះ Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,ឈ្មោះ Guardian2
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","តួអក្សរពិសេសលើកលែងតែ "-", "#", "" ។ និង "/" មិនត្រូវបានអនុញ្ញាតក្នុងការដាក់ឈ្មោះរបស់ស៊េរី"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","រក្សាដាននៃការលក់យុទ្ធនាការ។ រក្សាដាននៃការនាំមុខ, សម្រង់សម្តី, ការលក់លំដាប់លពីយុទ្ធនាការដើម្បីវាស់ស្ទង់ត្រឡប់ទៅលើការវិនិយោគ។"
DocType: Expense Claim,Approver,ការអនុម័ត
@@ -2021,7 +2038,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},សៀរៀល {0} គ្មានរីករាយជាមួយនឹងស្ថិតនៅក្រោមការធានា {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,ចំណាំដឹកជញ្ជូនពុះចូលទៅក្នុងកញ្ចប់។
apps/erpnext/erpnext/hooks.py +87,Shipments,ការនាំចេញ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,សមតុល្យគណនី ({0}) សម្រាប់ {1} និងតម្លៃភាគហ៊ុន ({2}) សម្រាប់ឃ្លាំង {3} ត្រូវតែមានដូចគ្នា
DocType: Payment Entry,Total Allocated Amount (Company Currency),ចំនួនទឹកប្រាក់ដែលបានបម្រុងទុកសរុប (ក្រុមហ៊ុនរូបិយវត្ថុ)
DocType: Purchase Order Item,To be delivered to customer,ត្រូវបានបញ្ជូនទៅកាន់អតិថិជន
DocType: BOM,Scrap Material Cost,តម្លៃសំណល់អេតចាយសម្ភារៈ
@@ -2029,20 +2045,21 @@
DocType: Purchase Invoice,In Words (Company Currency),នៅក្នុងពាក្យ (ក្រុមហ៊ុនរូបិយវត្ថុ)
DocType: Asset,Supplier,ក្រុមហ៊ុនផ្គត់ផ្គង់
DocType: C-Form,Quarter,ត្រីមាស
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,ការចំណាយនានា
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,ការចំណាយនានា
DocType: Global Defaults,Default Company,ក្រុមហ៊ុនលំនាំដើម
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ការចំណាយឬគណនីភាពខុសគ្នាគឺជាការចាំបាច់សម្រាប់ធាតុ {0} វាជាការរួមភាគហ៊ុនតម្លៃផលប៉ះពាល់
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ការចំណាយឬគណនីភាពខុសគ្នាគឺជាការចាំបាច់សម្រាប់ធាតុ {0} វាជាការរួមភាគហ៊ុនតម្លៃផលប៉ះពាល់
DocType: Payment Request,PR,ការិយាល័យទទួលជំនួយផ្ទាល់
DocType: Cheque Print Template,Bank Name,ឈ្មោះធនាគារ
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Above
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Above
DocType: Employee Loan,Employee Loan Account,គណនីឥណទានបុគ្គលិក
DocType: Leave Application,Total Leave Days,សរុបថ្ងៃស្លឹក
DocType: Email Digest,Note: Email will not be sent to disabled users,ចំណាំ: អ៊ីម៉ែលនឹងមិនត្រូវបានផ្ញើទៅកាន់អ្នកប្រើជនពិការ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,ចំនួននៃអន្តរកម្ម
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,កូដធាតុ> ធាតុគ្រុប> ម៉ាក
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,ជ្រើសក្រុមហ៊ុន ...
DocType: Leave Control Panel,Leave blank if considered for all departments,ប្រសិនបើអ្នកទុកវាឱ្យទទេទាំងអស់ពិចារណាសម្រាប់នាយកដ្ឋាន
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).",ប្រភេទការងារ (អចិន្ត្រយ៍កិច្ចសន្យាហាត់ជាដើម) ។
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} គឺជាការចាំបាច់សម្រាប់ធាតុ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} គឺជាការចាំបាច់សម្រាប់ធាតុ {1}
DocType: Process Payroll,Fortnightly,ពីរសប្តាហ៍
DocType: Currency Exchange,From Currency,ចាប់ពីរូបិយប័ណ្ណ
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","សូមជ្រើសចំនួនទឹកប្រាក់ដែលបានបម្រុងទុក, ប្រភេទវិក័យប័ត្រនិងលេខវិក្កយបត្រក្នុងមួយជួរដេកយ៉ាងហោចណាស់"
@@ -2064,7 +2081,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,សូមចុចលើ 'បង្កើតកាលវិភាគ' ដើម្បីទទួលបាននូវកាលវិភាគ
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,មានកំហុសខណៈពេលលុបកាលវិភាគដូចខាងក្រោមមាន:
DocType: Bin,Ordered Quantity,បរិមាណដែលត្រូវបានបញ្ជាឱ្យ
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",ឧទាហរណ៏ "ឧបករណ៍សម្រាប់អ្នកសាងសង់ស្ថាបនា"
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",ឧទាហរណ៏ "ឧបករណ៍សម្រាប់អ្នកសាងសង់ស្ថាបនា"
DocType: Grading Scale,Grading Scale Intervals,ចន្លោះពេលការដាក់ពិន្ទុធ្វើមាត្រដ្ឋាន
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: ធាតុគណនេយ្យសម្រាប់ {2} អាចត្រូវបានធ្វើតែនៅក្នុងរូបិយប័ណ្ណ: {3}
DocType: Production Order,In Process,ក្នុងដំណើរការ
@@ -2078,12 +2095,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} ក្រុមនិស្សិតបានបង្កើត។
DocType: Sales Invoice,Total Billing Amount,ចំនួនទឹកប្រាក់សរុបវិក័យប័ត្រ
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,ត្រូវតែមានគណនីអ៊ីម៉ែលំនាំដើមអនុញ្ញាតសម្រាប់ចូលមួយនេះដើម្បីធ្វើការ។ សូមរៀបចំគណនីអ៊ីម៉ែលំនាំដើមចូល (POP / IMAP) ហើយព្យាយាមម្តងទៀត។
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,គណនីត្រូវទទួល
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},ជួរដេក # {0}: ទ្រព្យសកម្ម {1} មានរួចហើយ {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,គណនីត្រូវទទួល
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},ជួរដេក # {0}: ទ្រព្យសកម្ម {1} មានរួចហើយ {2}
DocType: Quotation Item,Stock Balance,តុល្យភាពភាគហ៊ុន
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,សណ្តាប់ធ្នាប់ការលក់ទៅការទូទាត់
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,សូមកំណត់ការដាក់ឈ្មោះកម្រងឯកសារសម្រាប់ {0} តាមរយៈការដំឡើង> ករកំណត់> ដាក់ឈ្មោះកម្រងឯកសារ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,នាយកប្រតិបត្តិ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,នាយកប្រតិបត្តិ
DocType: Expense Claim Detail,Expense Claim Detail,ពត៌មានលំអិតពាក្យបណ្តឹងលើការចំណាយ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,សូមជ្រើសរើសគណនីដែលត្រឹមត្រូវ
DocType: Item,Weight UOM,ទំងន់ UOM
@@ -2092,12 +2108,12 @@
DocType: Production Order Operation,Pending,ឡុងេពល
DocType: Course,Course Name,ឈ្មោះវគ្គសិក្សាបាន
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,អ្នកប្រើដែលអាចអនុម័តកម្មវិធីដែលបានឈប់សម្រាកជាក់លាក់របស់បុគ្គលិក
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,សម្ភារៈការិយាល័យ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,សម្ភារៈការិយាល័យ
DocType: Purchase Invoice Item,Qty,qty
DocType: Fiscal Year,Companies,មានក្រុមហ៊ុន
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,ឡិចត្រូនិច
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,ចូរលើកសំណើសុំនៅពេលដែលភាគហ៊ុនសម្ភារៈឈានដល់កម្រិតបញ្ជាទិញឡើងវិញ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,ពេញម៉ោង
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,ពេញម៉ោង
DocType: Salary Structure,Employees,និយោជិត
DocType: Employee,Contact Details,ពត៌មានទំនាក់ទំនង
DocType: C-Form,Received Date,កាលបរិច្ឆេទទទួលបាន
@@ -2107,7 +2123,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,តម្លៃនេះនឹងមិនត្រូវបានបង្ហាញទេប្រសិនបើបញ្ជីតម្លៃគឺមិនត្រូវបានកំណត់
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,សូមបញ្ជាក់ជាប្រទេសមួយសម្រាប់វិធានការដឹកជញ្ជូននេះឬពិនិត្យមើលការដឹកជញ្ជូននៅទូទាំងពិភពលោក
DocType: Stock Entry,Total Incoming Value,តម្លៃចូលសរុប
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,ឥណពន្ធវីសាដើម្បីត្រូវបានទាមទារ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,ឥណពន្ធវីសាដើម្បីត្រូវបានទាមទារ
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team",Timesheets ជួយរក្សាដាននៃពេលវេលាការចំណាយនិងវិក័យប័ត្រសំរាប់ការសកម្មភាពដែលបានធ្វើដោយក្រុមរបស់អ្នក
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,បញ្ជីតម្លៃទិញ
DocType: Offer Letter Term,Offer Term,ផ្តល់ជូននូវរយៈពេល
@@ -2116,17 +2132,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,ការផ្សះផ្សាការទូទាត់
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,សូមជ្រើសឈ្មោះ Incharge បុគ្គលរបស់
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,បច្ចេកវិទ្យា
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},សរុបគ្មានប្រាក់ខែ: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},សរុបគ្មានប្រាក់ខែ: {0}
DocType: BOM Website Operation,BOM Website Operation,Bom គេហទំព័រប្រតិបត្តិការ
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,ផ្តល់ជូននូវលិខិត
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,បង្កើតសម្ភារៈសំណើរ (MRP) និងការបញ្ជាទិញផលិតផល។
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,សរុបវិក័យប័ត្រ AMT
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,សរុបវិក័យប័ត្រ AMT
DocType: BOM,Conversion Rate,អត្រាការប្រែចិត្តជឿ
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,ស្វែងរកផលិតផល
DocType: Timesheet Detail,To Time,ទៅពេល
DocType: Authorization Rule,Approving Role (above authorized value),ការអនុម័តតួនាទី (ខាងលើតម្លៃដែលបានអនុញ្ញាត)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,ឥណទានទៅគណនីត្រូវតែជាគណនីទូទាត់មួយ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},ការហៅខ្លួនឯង Bom: {0} មិនអាចជាឪពុកម្តាយឬកូនរបស់ {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,ឥណទានទៅគណនីត្រូវតែជាគណនីទូទាត់មួយ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},ការហៅខ្លួនឯង Bom: {0} មិនអាចជាឪពុកម្តាយឬកូនរបស់ {2}
DocType: Production Order Operation,Completed Qty,Qty បានបញ្ចប់
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",{0} មានតែគណនីឥណពន្ធអាចត្រូវបានតភ្ជាប់ប្រឆាំងនឹងធាតុឥណទានផ្សេងទៀត
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,បញ្ជីតម្លៃ {0} ត្រូវបានបិទ
@@ -2137,28 +2153,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} លេខសៀរៀលដែលបានទាមទារសម្រាប់ធាតុ {1} ។ អ្នកបានផ្ដល់ {2} ។
DocType: Stock Reconciliation Item,Current Valuation Rate,អត្រាវាយតម្លៃនាពេលបច្ចុប្បន្ន
DocType: Item,Customer Item Codes,កូដធាតុអតិថិជន
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,អត្រាប្តូរប្រាក់ចំណេញ / បាត់បង់
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,អត្រាប្តូរប្រាក់ចំណេញ / បាត់បង់
DocType: Opportunity,Lost Reason,បាត់បង់មូលហេតុ
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,អាសយដ្ឋានថ្មី
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,អាសយដ្ឋានថ្មី
DocType: Quality Inspection,Sample Size,ទំហំគំរូ
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,សូមបញ្ចូលឯកសារបង្កាន់ដៃ
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,ធាតុទាំងអស់ត្រូវបាន invoiced រួចទៅហើយ
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,ធាតុទាំងអស់ត្រូវបាន invoiced រួចទៅហើយ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',សូមបញ្ជាក់ត្រឹមត្រូវមួយ "ពីសំណុំរឿងលេខ"
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,មជ្ឈមណ្ឌលការចំណាយបន្ថែមទៀតអាចត្រូវបានធ្វើឡើងនៅក្រោមការក្រុមនោះទេប៉ុន្តែធាតុដែលអាចត្រូវបានធ្វើប្រឆាំងនឹងការដែលមិនមែនជាក្រុម
DocType: Project,External,ខាងក្រៅ
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,អ្នកប្រើនិងសិទ្ធិ
DocType: Vehicle Log,VLOG.,Vlogging ។
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},ការបញ្ជាទិញផលិតកម្មបានបង្កើត: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},ការបញ្ជាទិញផលិតកម្មបានបង្កើត: {0}
DocType: Branch,Branch,សាខា
DocType: Guardian,Mobile Number,លេខទូរសព្ទចល័ត
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,ការបោះពុម្ពនិងម៉ាក
DocType: Bin,Actual Quantity,បរិមាណដែលត្រូវទទួលទានពិតប្រាកដ
DocType: Shipping Rule,example: Next Day Shipping,ឧទាហរណ៍: ថ្ងៃបន្ទាប់ការដឹកជញ្ជូន
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,គ្មានសៀរៀល {0} មិនបានរកឃើញ
-DocType: Scheduling Tool,Student Batch,បាច់សិស្ស
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,អតិថិជនរបស់អ្នក
+DocType: Program Enrollment,Student Batch,បាច់សិស្ស
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,ធ្វើឱ្យសិស្ស
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},អ្នកបានត្រូវអញ្ជើញដើម្បីសហការគ្នាលើគម្រោងនេះ: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},អ្នកបានត្រូវអញ្ជើញដើម្បីសហការគ្នាលើគម្រោងនេះ: {0}
DocType: Leave Block List Date,Block Date,ប្លុកកាលបរិច្ឆេទ
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,ដាក់ពាក្យឥឡូវនេះ
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},ជាក់ស្តែង Qty {0} / រង់ចាំ Qty {1}
@@ -2167,7 +2182,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.",បង្កើតនិងគ្រប់គ្រងការរំលាយអាហារបានអ៊ីម៉ែលជារៀងរាល់ថ្ងៃប្រចាំសប្តាហ៍និងប្រចាំខែ។
DocType: Appraisal Goal,Appraisal Goal,គោលដៅវាយតម្លៃ
DocType: Stock Reconciliation Item,Current Amount,ចំនួនទឹកប្រាក់បច្ចុប្បន្ន
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,អគារ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,អគារ
DocType: Fee Structure,Fee Structure,រចនាសម្ព័ន្ធថ្លៃសេវា
DocType: Timesheet Detail,Costing Amount,ចំនួនទឹកប្រាក់ដែលចំណាយថវិកាអស់
DocType: Student Admission,Application Fee,ថ្លៃសេវាកម្មវិធី
@@ -2179,10 +2194,10 @@
DocType: POS Profile,[Select],[ជ្រើស]
DocType: SMS Log,Sent To,ដែលបានផ្ញើទៅ
DocType: Payment Request,Make Sales Invoice,ធ្វើឱ្យការលក់វិក័យប័ត្រ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,កម្មវិធី
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,កម្មវិធី
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,ទំនាក់ទំនងក្រោយកាលបរិច្ឆេទមិនអាចមានក្នុងពេលកន្លងមក
DocType: Company,For Reference Only.,ឯកសារយោងប៉ុណ្ណោះ។
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,ជ្រើសបាច់គ្មាន
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,ជ្រើសបាច់គ្មាន
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},មិនត្រឹមត្រូវ {0} {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,មុនចំនួនទឹកប្រាក់
@@ -2192,15 +2207,15 @@
DocType: Employee,Employment Details,ព័ត៌មានការងារ
DocType: Employee,New Workplace,ញូការងារ
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,ដែលបានកំណត់ជាបិទ
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},គ្មានធាតុជាមួយនឹងលេខកូដ {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},គ្មានធាតុជាមួយនឹងលេខកូដ {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,សំណុំរឿងលេខមិនអាចមាន 0
DocType: Item,Show a slideshow at the top of the page,បង្ហាញតែការបញ្ចាំងស្លាយមួយនៅផ្នែកខាងលើនៃទំព័រនេះ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,ហាងលក់
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,ហាងលក់
DocType: Serial No,Delivery Time,ម៉ោងដឹកជញ្ជូន
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Ageing ដោយផ្អែកលើការ
DocType: Item,End of Life,ចុងបញ្ចប់នៃជីវិត
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,ការធ្វើដំណើរ
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,ការធ្វើដំណើរ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,គ្មានប្រាក់ខែរចនាសម្ព័ន្ធសកម្មឬបានរកឃើញសម្រាប់បុគ្គលិកលំនាំដើម {0} សម្រាប់កាលបរិច្ឆេទដែលបានផ្ដល់ឱ្យ
DocType: Leave Block List,Allow Users,អនុញ្ញាតឱ្យអ្នកប្រើ
DocType: Purchase Order,Customer Mobile No,គ្មានគយចល័ត
@@ -2209,28 +2224,29 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,តម្លៃដែលធ្វើឱ្យទាន់សម័យ
DocType: Item Reorder,Item Reorder,ធាតុរៀបចំ
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,គ្រូពេទ្យប្រហែលជាបង្ហាញប្រាក់ខែ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,សម្ភារៈសេវាផ្ទេរប្រាក់
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,សម្ភារៈសេវាផ្ទេរប្រាក់
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","បញ្ជាក់ប្រតិបត្តិការ, ការចំណាយប្រតិបត្ដិការនិងផ្ដល់ឱ្យនូវប្រតិបត្ដិការតែមួយគត់នោះទេដើម្បីឱ្យប្រតិបត្តិការរបស់អ្នក។"
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,សូមកំណត់កើតឡើងបន្ទាប់ពីរក្សាទុក
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,គណនីចំនួនទឹកប្រាក់ជ្រើសការផ្លាស់ប្តូរ
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,សូមកំណត់កើតឡើងបន្ទាប់ពីរក្សាទុក
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,គណនីចំនួនទឹកប្រាក់ជ្រើសការផ្លាស់ប្តូរ
DocType: Purchase Invoice,Price List Currency,បញ្ជីតម្លៃរូបិយប័ណ្ណ
DocType: Naming Series,User must always select,អ្នកប្រើដែលត្រូវតែជ្រើសតែងតែ
DocType: Stock Settings,Allow Negative Stock,អនុញ្ញាតឱ្យហ៊ុនអវិជ្ជមាន
DocType: Installation Note,Installation Note,ចំណាំការដំឡើង
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,បន្ថែមពន្ធ
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,បន្ថែមពន្ធ
DocType: Topic,Topic,ប្រធានបទ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,លំហូរសាច់ប្រាក់ពីការផ្តល់ហិរញ្ញប្បទាន
DocType: Budget Account,Budget Account,គណនីថវិកា
DocType: Quality Inspection,Verified By,បានផ្ទៀងផ្ទាត់ដោយ
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",មិនអាចផ្លាស់ប្តូរូបិយប័ណ្ណលំនាំដើមរបស់ក្រុមហ៊ុនដោយសារតែមានប្រតិបតិ្តការដែលមានស្រាប់។ ប្រតិបត្ដិការត្រូវតែត្រូវបានលុបចោលការផ្លាស់ប្តូររូបិយប័ណ្ណលំនាំដើម។
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",មិនអាចផ្លាស់ប្តូរូបិយប័ណ្ណលំនាំដើមរបស់ក្រុមហ៊ុនដោយសារតែមានប្រតិបតិ្តការដែលមានស្រាប់។ ប្រតិបត្ដិការត្រូវតែត្រូវបានលុបចោលការផ្លាស់ប្តូររូបិយប័ណ្ណលំនាំដើម។
DocType: Grading Scale Interval,Grade Description,ថ្នាក់ទីបរិយាយ
DocType: Stock Entry,Purchase Receipt No,គ្មានបង្កាន់ដៃទិញ
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,ប្រាក់ Earnest បាន
DocType: Process Payroll,Create Salary Slip,បង្កើតប្រាក់ខែគ្រូពេទ្យប្រហែលជា
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,traceability
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),ប្រភពមូលនិធិ (បំណុល)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},បរិមាណដែលត្រូវទទួលទានក្នុងមួយជួរដេក {0} ({1}) ត្រូវតែមានដូចគ្នាបរិមាណផលិត {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),ប្រភពមូលនិធិ (បំណុល)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},បរិមាណដែលត្រូវទទួលទានក្នុងមួយជួរដេក {0} ({1}) ត្រូវតែមានដូចគ្នាបរិមាណផលិត {2}
DocType: Appraisal,Employee,បុគ្គលិក
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,ជ្រើសបាច់
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} ត្រូវបានផ្សព្វផ្សាយឱ្យបានពេញលេញ
DocType: Training Event,End Time,ពេលវេលាបញ្ចប់
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,រចនាសម្ព័ន្ធប្រាក់ខែសកម្ម {0} បានរកឃើញសម្រាប់ {1} បុគ្គលិកសម្រាប់កាលបរិច្ឆេទដែលបានផ្ដល់ឱ្យ
@@ -2242,11 +2258,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,តម្រូវការនៅលើ
DocType: Rename Tool,File to Rename,ឯកសារដែលត្រូវប្តូរឈ្មោះ
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},សូមជ្រើស Bom សម្រាប់ធាតុក្នុងជួរដេក {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Bom បានបញ្ជាក់ {0} មិនមានសម្រាប់ធាតុ {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},គណនី {0} មិនផ្គូផ្គងនឹងក្រុមហ៊ុន {1} នៅក្នុងរបៀបនៃគណនី: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Bom បានបញ្ជាក់ {0} មិនមានសម្រាប់ធាតុ {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,កាលវិភាគថែរក្សា {0} ត្រូវតែបានលុបចោលមុនពេលលុបចោលការបញ្ជាលក់នេះ
DocType: Notification Control,Expense Claim Approved,ពាក្យបណ្តឹងលើការចំណាយបានអនុម័ត
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,ប័ណ្ណប្រាក់ខែរបស់បុគ្គលិក {0} បានបង្កើតឡើងរួចទៅហើយសម្រាប់រយៈពេលនេះ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,ឱសថ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,ឱសថ
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,តម្លៃនៃធាតុដែលបានទិញ
DocType: Selling Settings,Sales Order Required,ការលក់លំដាប់ដែលបានទាមទារ
DocType: Purchase Invoice,Credit To,ការផ្តល់ឥណទានដល់
@@ -2263,42 +2280,42 @@
DocType: Payment Gateway Account,Payment Account,គណនីទូទាត់ប្រាក់
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,សូមបញ្ជាក់ក្រុមហ៊ុនដើម្បីបន្ត
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,ការផ្លាស់ប្តូរសុទ្ធក្នុងគណនីអ្នកទទួល
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,ទូទាត់បិទ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,ទូទាត់បិទ
DocType: Offer Letter,Accepted,បានទទួលយក
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,អង្គការ
DocType: SG Creation Tool Course,Student Group Name,ឈ្មោះក្រុមសិស្ស
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,សូមប្រាកដថាអ្នកពិតជាចង់លុបប្រតិបតិ្តការទាំងអស់សម្រាប់ក្រុមហ៊ុននេះ។ ទិន្នន័យមេរបស់អ្នកនឹងនៅតែជាវាគឺជា។ សកម្មភាពនេះមិនអាចមិនធ្វើវិញ។
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,សូមប្រាកដថាអ្នកពិតជាចង់លុបប្រតិបតិ្តការទាំងអស់សម្រាប់ក្រុមហ៊ុននេះ។ ទិន្នន័យមេរបស់អ្នកនឹងនៅតែជាវាគឺជា។ សកម្មភាពនេះមិនអាចមិនធ្វើវិញ។
DocType: Room,Room Number,លេខបន្ទប់
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},សេចក្ដីយោងមិនត្រឹមត្រូវ {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) មិនអាចច្រើនជាងការគ្រោងទុក quanitity ({2}) នៅក្នុងផលិតកម្មលំដាប់ {3}
DocType: Shipping Rule,Shipping Rule Label,វិធានការដឹកជញ្ជូនស្លាក
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,វេទិកាអ្នកប្រើ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,វត្ថុធាតុដើមដែលមិនអាចត្រូវបានទទេ។
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","មិនអាចធ្វើឱ្យទាន់សម័យហ៊ុន, វិក័យប័ត្រមានធាតុដឹកជញ្ជូនទម្លាក់។"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,វត្ថុធាតុដើមដែលមិនអាចត្រូវបានទទេ។
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","មិនអាចធ្វើឱ្យទាន់សម័យហ៊ុន, វិក័យប័ត្រមានធាតុដឹកជញ្ជូនទម្លាក់។"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,ធាតុទិនានុប្បវត្តិរហ័ស
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,អ្នកមិនអាចផ្លាស់ប្តូរអត្រាការបានប្រសិនបើ Bom បានរៀបរាប់ agianst ធាតុណាមួយ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,អ្នកមិនអាចផ្លាស់ប្តូរអត្រាការបានប្រសិនបើ Bom បានរៀបរាប់ agianst ធាតុណាមួយ
DocType: Employee,Previous Work Experience,បទពិសោធន៍ការងារមុន
DocType: Stock Entry,For Quantity,ចប់
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},សូមបញ្ចូលសម្រាប់ធាតុគ្រោងទុក Qty {0} នៅក្នុងជួរដេក {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} មិនត្រូវបានដាក់ស្នើ
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,សំណើសម្រាប់ធាតុ។
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,គោលបំណងផលិតដោយឡែកពីគ្នានឹងត្រូវបានបង្កើតសម្រាប់ធាតុដ៏ល្អគ្នាបានបញ្ចប់។
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} ត្រូវតែអវិជ្ជមាននៅក្នុងឯកសារត្រឡប់មកវិញ
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} ត្រូវតែអវិជ្ជមាននៅក្នុងឯកសារត្រឡប់មកវិញ
,Minutes to First Response for Issues,នាទីដើម្បីឆ្លើយតបដំបូងសម្រាប់បញ្ហា
DocType: Purchase Invoice,Terms and Conditions1,លក្ខខណ្ឌនិង Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,ឈ្មោះរបស់វិទ្យាស្ថាននេះដែលអ្នកកំពុងកំណត់ប្រព័ន្ធនេះ។
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,ឈ្មោះរបស់វិទ្យាស្ថាននេះដែលអ្នកកំពុងកំណត់ប្រព័ន្ធនេះ។
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",ធាតុគណនេយ្យកករហូតដល់កាលបរិច្ឆេទនេះគ្មាននរណាម្នាក់អាចធ្វើ / កែប្រែធាតុមួយលើកលែងតែជាតួនាទីដែលបានបញ្ជាក់ខាងក្រោម។
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,សូមរក្សាទុកឯកសារមុនពេលដែលបង្កើតកាលវិភាគថែរក្សា
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,ស្ថានភាពគម្រោង
DocType: UOM,Check this to disallow fractions. (for Nos),ធីកប្រអប់នេះដើម្បីមិនអនុញ្ញាតឱ្យប្រភាគ។ (សម្រាប់ Nos)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,លំដាប់ខាងក្រោមនេះត្រូវបានបង្កើតផលិតកម្ម:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,លំដាប់ខាងក្រោមនេះត្រូវបានបង្កើតផលិតកម្ម:
DocType: Student Admission,Naming Series (for Student Applicant),ការដាក់ឈ្មោះស៊េរី (សម្រាប់សិស្សកម្មវិធី)
DocType: Delivery Note,Transporter Name,ឈ្មោះដឹកជញ្ជូន
DocType: Authorization Rule,Authorized Value,តម្លៃដែលបានអនុញ្ញាត
DocType: BOM,Show Operations,បង្ហាញប្រតិបត្តិការ
,Minutes to First Response for Opportunity,នាទីដើម្បីឆ្លើយតបដំបូងសម្រាប់ឱកាសការងារ
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,សរុបអវត្តមាន
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,ធាតុឬឃ្លាំងសំរាប់ជួរ {0} មិនផ្គូផ្គងសំណើសម្ភារៈ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,ធាតុឬឃ្លាំងសំរាប់ជួរ {0} មិនផ្គូផ្គងសំណើសម្ភារៈ
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,ឯកតារង្វាស់
DocType: Fiscal Year,Year End Date,ឆ្នាំបញ្ចប់កាលបរិច្ឆេទ
DocType: Task Depends On,Task Depends On,ភារកិច្ចអាស្រ័យលើ
@@ -2377,11 +2394,11 @@
DocType: Asset,Manual,សៀវភៅដៃ
DocType: Salary Component Account,Salary Component Account,គណនីប្រាក់បៀវត្សសមាសភាគ
DocType: Global Defaults,Hide Currency Symbol,រូបិយប័ណ្ណនិមិត្តសញ្ញាលាក់
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","ឧធនាគារសាច់ប្រាក់, កាតឥណទាន"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","ឧធនាគារសាច់ប្រាក់, កាតឥណទាន"
DocType: Lead Source,Source Name,ឈ្មោះប្រភព
DocType: Journal Entry,Credit Note,ឥណទានចំណាំ
DocType: Warranty Claim,Service Address,សេវាអាសយដ្ឋាន
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,គ្រឿងសង្ហារឹមនិងព្រឹត្តិការណ៍ប្រកួត
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,គ្រឿងសង្ហារឹមនិងព្រឹត្តិការណ៍ប្រកួត
DocType: Item,Manufacture,ការផលិត
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,ជាដំបូងសូមចំណាំដឹកជញ្ជូន
DocType: Student Applicant,Application Date,ពាក្យស្នើសុំកាលបរិច្ឆេទ
@@ -2391,7 +2408,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,ការបោសសំអាតកាលបរិច្ឆេទមិនបានលើកឡើង
apps/erpnext/erpnext/config/manufacturing.py +7,Production,ផលិតកម្ម
DocType: Guardian,Occupation,ការកាន់កាប់
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,សូមរៀបចំបុគ្គលិកដាក់ឈ្មោះប្រព័ន្ធជាធនធានមនុ> ការកំណត់ធនធានមនុស្ស
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,ជួរដេក {0}: ចាប់ផ្តើមកាលបរិច្ឆេទត្រូវតែមុនពេលដែលកាលបរិច្ឆេទបញ្ចប់
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),សរុប (Qty)
DocType: Sales Invoice,This Document,ឯកសារនេះ
@@ -2403,19 +2419,19 @@
DocType: Purchase Receipt,Time at which materials were received,ពេលវេលាដែលបានសមា្ភារៈត្រូវបានទទួល
DocType: Stock Ledger Entry,Outgoing Rate,អត្រាចេញ
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,ចៅហ្វាយសាខាអង្គការ។
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,ឬ
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,ឬ
DocType: Sales Order,Billing Status,ស្ថានភាពវិក័យប័ត្រ
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,រាយការណ៍បញ្ហា
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,ចំណាយឧបករណ៍ប្រើប្រាស់
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,ចំណាយឧបករណ៍ប្រើប្រាស់
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90 ខាងលើ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,ជួរដេក # {0}: Journal Entry {1} មិនមានគណនី {2} ឬកាតមានទឹកប្រាក់រួចហើយបានផ្គូផ្គងប្រឆាំងនឹងផ្សេងទៀត
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,ជួរដេក # {0}: Journal Entry {1} មិនមានគណនី {2} ឬកាតមានទឹកប្រាក់រួចហើយបានផ្គូផ្គងប្រឆាំងនឹងផ្សេងទៀត
DocType: Buying Settings,Default Buying Price List,តារាងតម្លៃទិញលំនាំដើម & ‧;
DocType: Process Payroll,Salary Slip Based on Timesheet,ប័ណ្ណប្រាក់ខែដោយផ្អែកលើ Timesheet
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,គ្មាននិយោជិតលក្ខណៈវិនិច្ឆ័យដែលបានជ្រើសខាងលើឬប័ណ្ណប្រាក់បៀវត្សដែលបានបង្កើតរួច
DocType: Notification Control,Sales Order Message,ការលក់លំដាប់សារ
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",កំណត់តម្លៃលំនាំដើមដូចជាការក្រុមហ៊ុនរូបិយប័ណ្ណបច្ចុប្បន្នឆ្នាំសារពើពន្ធល
DocType: Payment Entry,Payment Type,ប្រភេទការទូទាត់
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,សូមជ្រើសបាច់សម្រាប់ធាតុ {0} ។ មិនអាចរកក្រុមតែមួយដែលបំពេញតម្រូវការនេះ
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,សូមជ្រើសបាច់សម្រាប់ធាតុ {0} ។ មិនអាចរកក្រុមតែមួយដែលបំពេញតម្រូវការនេះ
DocType: Process Payroll,Select Employees,ជ្រើសបុគ្គលិក
DocType: Opportunity,Potential Sales Deal,ឥឡូវនេះការលក់មានសក្តានុពល
DocType: Payment Entry,Cheque/Reference Date,មូលប្បទានប័ត្រ / សេចក្តីយោងកាលបរិច្ឆេទ
@@ -2435,7 +2451,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,ឯកសារបង្កាន់ដៃត្រូវជូន
DocType: Purchase Invoice Item,Received Qty,ទទួលបានការ Qty
DocType: Stock Entry Detail,Serial No / Batch,សៀរៀលគ្មាន / បាច់
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,មិនបានបង់និងការមិនផ្តល់
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,មិនបានបង់និងការមិនផ្តល់
DocType: Product Bundle,Parent Item,ធាតុមេ
DocType: Account,Account Type,ប្រភេទគណនី
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2449,24 +2465,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),ការកំណត់អត្តសញ្ញាណនៃកញ្ចប់សម្រាប់ការចែកចាយ (សម្រាប់បោះពុម្ព)
DocType: Bin,Reserved Quantity,បរិមាណបំរុងទុក
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,សូមបញ្ចូលអាសយដ្ឋានអ៊ីម៉ែលត្រឹមត្រូវ
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},មិនមានការពិតណាស់ដែលចាំបាច់សម្រាប់កម្មវិធីនេះគឺ {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,ទទួលទិញរបស់របរ
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,ទម្រង់តាមបំណង
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,ចុងក្រោយ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,ចុងក្រោយ
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,ចំនួនប្រាក់រំលោះក្នុងអំឡុងពេលនេះ
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,ពុម្ពជនពិការមិនត្រូវពុម្ពលំនាំដើម
DocType: Account,Income Account,គណនីប្រាក់ចំណូល
DocType: Payment Request,Amount in customer's currency,ចំនួនទឹកប្រាក់របស់អតិថិជនជារូបិយប័ណ្ណ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,ការដឹកជញ្ជូន
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,ការដឹកជញ្ជូន
DocType: Stock Reconciliation Item,Current Qty,Qty នាពេលបច្ចុប្បន្ន
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",សូមមើល "អត្រានៃមូលដ្ឋាននៅលើសម្ភារៈ" នៅក្នុងផ្នែកទីផ្សារ
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,មុន
DocType: Appraisal Goal,Key Responsibility Area,តំបន់ភារកិច្ចសំខាន់
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","ជំនាន់របស់សិស្សជួយអ្នកតាមដានការចូលរួម, ការវាយតម្លៃនិងថ្លៃសម្រាប់សិស្សនិស្សិត"
DocType: Payment Entry,Total Allocated Amount,ចំនួនទឹកប្រាក់ដែលបានបម្រុងទុកសរុប
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,កំណត់លំនាំដើមសម្រាប់គណនីសារពើភ័ណ្ឌរហូតសារពើភ័ណ្ឌ
DocType: Item Reorder,Material Request Type,ប្រភេទស្នើសុំសម្ភារៈ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},ភាពត្រឹមត្រូវទិនានុប្បវត្តិធាតុសម្រាប់ប្រាក់ខែពី {0} ទៅ {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","ផ្ទុកទិន្នន័យមូលដ្ឋាននេះគឺជាការពេញលេញ, មិនបានរក្សាទុក"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","ផ្ទុកទិន្នន័យមូលដ្ឋាននេះគឺជាការពេញលេញ, មិនបានរក្សាទុក"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,ជួរដេក {0}: UOM ការប្រែចិត្តជឿកត្តាគឺជាការចាំបាច់
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,យោង
DocType: Budget,Cost Center,មជ្ឈមណ្ឌលការចំណាយ
@@ -2479,19 +2495,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",វិធានការកំណត់តម្លៃត្រូវបានផលិតដើម្បីសរសេរជាន់ពីលើតារាងតម្លៃ / កំណត់ជាភាគរយបញ្ចុះតម្លៃដោយផ្អែកលើលក្ខណៈវិនិច្ឆ័យមួយចំនួន។
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,ឃ្លាំងអាចផ្លាស់ប្តូរបានតែតាមរយៈហ៊ុនចូល / ដឹកជញ្ជូនចំណាំបង្កាន់ដៃ / ការទិញ
DocType: Employee Education,Class / Percentage,ថ្នាក់ / ភាគរយ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,ជាប្រធានទីផ្សារនិងលក់
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,ពន្ធលើប្រាក់ចំណូល
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,ជាប្រធានទីផ្សារនិងលក់
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,ពន្ធលើប្រាក់ចំណូល
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","បើសិនជាវិធានតម្លៃដែលបានជ្រើសត្រូវបានបង្កើតឡើងសម្រាប់ "តំលៃ" វានឹងសរសេរជាន់លើបញ្ជីតម្លៃ។ តម្លៃដែលកំណត់តម្លៃគឺជាតម្លៃវិធានចុងក្រោយនេះបានបញ្ចុះតម្លៃបន្ថែមទៀតដូច្នេះមិនមានគួរត្រូវបានអនុវត្ត។ ហេតុនេះហើយបានជានៅក្នុងប្រតិបត្តិការដូចជាការលក់សណ្តាប់ធ្នាប់, ការទិញលំដាប់លនោះវានឹងត្រូវបានទៅយកនៅក្នុងវិស័យ 'អត្រា' ជាជាងវាល "តំលៃអត្រាបញ្ជី។"
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,បទនាំតាមប្រភេទឧស្សាហកម្ម។
DocType: Item Supplier,Item Supplier,ផ្គត់ផ្គង់ធាតុ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,សូមបញ្ចូលលេខកូដធាតុដើម្បីទទួលបាច់នោះទេ
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},សូមជ្រើសតម្លៃសម្រាប់ {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,សូមបញ្ចូលលេខកូដធាតុដើម្បីទទួលបាច់នោះទេ
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},សូមជ្រើសតម្លៃសម្រាប់ {0} quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,អាសយដ្ឋានទាំងអស់។
DocType: Company,Stock Settings,ការកំណត់តម្លៃភាគហ៊ុន
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","រួមបញ្ចូលគ្នារវាងគឺអាចធ្វើបានតែប៉ុណ្ណោះប្រសិនបើមានលក្ខណៈសម្បត្តិដូចខាងក្រោមគឺដូចគ្នានៅក្នុងកំណត់ត្រាទាំងពីរ។ គឺជាក្រុម, ប្រភេទជា Root ក្រុមហ៊ុន"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","រួមបញ្ចូលគ្នារវាងគឺអាចធ្វើបានតែប៉ុណ្ណោះប្រសិនបើមានលក្ខណៈសម្បត្តិដូចខាងក្រោមគឺដូចគ្នានៅក្នុងកំណត់ត្រាទាំងពីរ។ គឺជាក្រុម, ប្រភេទជា Root ក្រុមហ៊ុន"
DocType: Vehicle,Electric,អគ្គិសនី
DocType: Task,% Progress,% វឌ្ឍនភាព
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,ការកើនឡើង / ខាតបោះចោលទ្រព្យសកម្ម
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,ការកើនឡើង / ខាតបោះចោលទ្រព្យសកម្ម
DocType: Training Event,Will send an email about the event to employees with status 'Open',នឹងផ្ញើអ៊ីមែលអំពីព្រឹត្តិការណ៍នេះឱ្យទៅបុគ្គលិកដែលមានស្ថានភាព "ការបើកចំហ"
DocType: Task,Depends on Tasks,អាស្រ័យលើភារកិច្ច
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,គ្រប់គ្រងក្រុមផ្ទាល់ខ្លួនដើមឈើ។
@@ -2500,7 +2516,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,មជ្ឈមណ្ឌលការចំណាយថ្មីរបស់ឈ្មោះ
DocType: Leave Control Panel,Leave Control Panel,ទុកឱ្យផ្ទាំងបញ្ជា
DocType: Project,Task Completion,ការបំពេញភារកិច្ច
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,មិនមែននៅក្នុងផ្សារ
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,មិនមែននៅក្នុងផ្សារ
DocType: Appraisal,HR User,ធនធានមនុស្សរបស់អ្នកប្រើប្រាស់
DocType: Purchase Invoice,Taxes and Charges Deducted,ពន្ធនិងការចោទប្រកាន់កាត់
apps/erpnext/erpnext/hooks.py +116,Issues,បញ្ហានានា
@@ -2511,22 +2527,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},គ្មានប័ណ្ណប្រាក់ខែបានរកឃើញរវាង {0} និង {1}
,Pending SO Items For Purchase Request,ការរង់ចាំការធាតុដូច្នេះសម្រាប់សំណើរសុំទិញ
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,សិស្សចុះឈ្មោះចូលរៀន
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} ត្រូវបានបិទ
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} ត្រូវបានបិទ
DocType: Supplier,Billing Currency,រូបិយប័ណ្ណវិក័យប័ត្រ
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,បន្ថែមទៀតដែលមានទំហំធំ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,បន្ថែមទៀតដែលមានទំហំធំ
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,ស្លឹកសរុប
,Profit and Loss Statement,សេចក្តីថ្លែងការណ៍ប្រាក់ចំណេញនិងការបាត់បង់
DocType: Bank Reconciliation Detail,Cheque Number,លេខមូលប្បទានប័ត្រ
,Sales Browser,កម្មវិធីរុករកការលក់
DocType: Journal Entry,Total Credit,ឥណទានសរុប
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},ព្រមាន: មួយទៀត {0} {1} # មានប្រឆាំងនឹងធាតុភាគហ៊ុន {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,ក្នុងតំបន់
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,ក្នុងតំបន់
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),ឥណទាននិងបុរេប្រទាន (ទ្រព្យសម្បត្តិ)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,ជំពាក់បំណុល
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,ដែលមានទំហំធំ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,ដែលមានទំហំធំ
DocType: Homepage Featured Product,Homepage Featured Product,ផលិតផលដែលមានលក្ខណៈពិសេសគេហទំព័រ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,ក្រុមការវាយតំលៃទាំងអស់
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,ក្រុមការវាយតំលៃទាំងអស់
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,ឈ្មោះឃ្លាំងថ្មី
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),សរុប {0} ({1})
DocType: C-Form Invoice Detail,Territory,សណ្ធានដី
@@ -2536,12 +2552,12 @@
DocType: Production Order Operation,Planned Start Time,ពេលវេលាចាប់ផ្ដើមគ្រោងទុក
DocType: Course,Assessment,ការវាយតំលៃ
DocType: Payment Entry Reference,Allocated,ត្រៀមបម្រុងទុក
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,តារាងតុល្យការជិតស្និទ្ធនិងសៀវភៅចំណញឬខាត។
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,តារាងតុល្យការជិតស្និទ្ធនិងសៀវភៅចំណញឬខាត។
DocType: Student Applicant,Application Status,ស្ថានភាពស្នើសុំ
DocType: Fees,Fees,ថ្លៃសេវា
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,បញ្ជាក់អត្រាប្តូរប្រាក់ដើម្បីបម្លែងរូបិយប័ណ្ណមួយទៅមួយផ្សេងទៀត
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,សម្រង់ {0} ត្រូវបានលុបចោល
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,ចំនួនសរុប
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,ចំនួនសរុប
DocType: Sales Partner,Targets,គោលដៅ
DocType: Price List,Price List Master,តារាងតម្លៃអនុបណ្ឌិត
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,ទាំងអស់តិបត្តិការអាចនឹងត្រូវបានដាក់ស្លាកលក់បានច្រើនជនលក់ប្រឆាំងនឹង ** ** ដូច្នេះអ្នកអាចកំណត់និងត្រួតពិនិត្យគោលដៅ។
@@ -2573,11 +2589,11 @@
1. Address and Contact of your Company.","លក្ខខណ្ឌក្នុងស្ដង់ដារនិងលក្ខខណ្ឌដែលអាចត្រូវបានបន្ថែមទៅការលក់និងការទិញ។ ឧទាហរណ៏: 1. សុពលភាពនៃការផ្តល់ជូននេះ។ 1. លក្ខខណ្ឌក្នុងការទូទាត់ (មុន, នៅលើឥណទានដែលជាផ្នែកមួយមុនល) ។ 1. តើអ្វីជាការបន្ថែម (ឬបង់ដោយអតិថិជន) ។ 1. សុវត្ថិភាពការព្រមាន / ការប្រើប្រាស់។ 1. ការធានាប្រសិនបើមាន។ 1. ត្រឡប់គោលនយោបាយ។ 1. ល័ក្ខខ័ណ្ឌលើការដឹកជញ្ជូន, បើអនុវត្តបាន។ 1. វិធីនៃការដោះស្រាយវិវាទសំណងការទទួលខុសត្រូវជាដើម 1. អាសយដ្ឋាននិងទំនាក់ទំនងរបស់ក្រុមហ៊ុនរបស់អ្នក។"
DocType: Attendance,Leave Type,ប្រភេទការឈប់សម្រាក
DocType: Purchase Invoice,Supplier Invoice Details,ក្រុមហ៊ុនផ្គត់ផ្គង់វិក័យប័ត្រលំអិត
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,គណនីក្នុងការចំណាយ / ភាពខុសគ្នា ({0}) ត្រូវតែជា "ចំណញឬខាត 'គណនី
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,គណនីក្នុងការចំណាយ / ភាពខុសគ្នា ({0}) ត្រូវតែជា "ចំណញឬខាត 'គណនី
DocType: Project,Copied From,ចម្លងពី
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},កំហុសឈ្មោះ: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,ការខ្វះខាត
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} មិនបានផ្សារភ្ជាប់ជាមួយនឹង {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} មិនបានផ្សារភ្ជាប់ជាមួយនឹង {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,ការចូលរួមសម្រាប់ការ {0} បុគ្គលិកត្រូវបានសម្គាល់រួចហើយ
DocType: Packing Slip,If more than one package of the same type (for print),បើកញ្ចប់ច្រើនជាងមួយនៃប្រភេទដូចគ្នា (សម្រាប់បោះពុម្ព)
,Salary Register,ប្រាក់បៀវត្សចុះឈ្មោះ
@@ -2595,22 +2611,23 @@
,Requested Qty,បានស្នើរសុំ Qty
DocType: Tax Rule,Use for Shopping Cart,ប្រើសម្រាប់កន្រ្តកទំនិញ
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},តម្លៃ {0} សម្រាប់គុណលក្ខណៈ {1} មិនមាននៅក្នុងបញ្ជីនៃធាតុត្រឹមត្រូវសម្រាប់ធាតុតម្លៃគុណលក្ខណៈ {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,ជ្រើសលេខសៀរៀល
DocType: BOM Item,Scrap %,សំណល់អេតចាយ%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection",បទចោទប្រកាន់នឹងត្រូវបានចែកដោយផ្អែកលើធាតុ qty សមាមាត្រឬបរិមាណជាមួយជម្រើសរបស់អ្នក
DocType: Maintenance Visit,Purposes,គោលបំនង
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,យ៉ាងហោចណាស់ធាតុមួយដែលគួរតែត្រូវបញ្ចូលដោយបរិមាណអវិជ្ជមាននៅក្នុងឯកសារវិលត្រឡប់មកវិញ
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,យ៉ាងហោចណាស់ធាតុមួយដែលគួរតែត្រូវបញ្ចូលដោយបរិមាណអវិជ្ជមាននៅក្នុងឯកសារវិលត្រឡប់មកវិញ
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","ប្រតិបត្ដិការ {0} យូរជាងម៉ោងធ្វើការដែលអាចប្រើណាមួយនៅក្នុងស្ថានីយការងារ {1}, បំបែកប្រតិបត្ដិការទៅក្នុងប្រតិបត្ដិការច្រើន"
,Requested,បានស្នើរសុំ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,គ្មានសុន្ទរកថា
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,គ្មានសុន្ទរកថា
DocType: Purchase Invoice,Overdue,ហួសកាលកំណត់
DocType: Account,Stock Received But Not Billed,ភាគហ៊ុនបានទទួលប៉ុន្តែមិនបានផ្សព្វផ្សាយ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,គណនី root ត្រូវតែជាក្រុមមួយ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,គណនី root ត្រូវតែជាក្រុមមួយ
DocType: Fees,FEE.,តំលៃ។
DocType: Employee Loan,Repaid/Closed,សង / បិទ
DocType: Item,Total Projected Qty,សរុបរបស់គម្រោង Qty
DocType: Monthly Distribution,Distribution Name,ឈ្មោះចែកចាយ
DocType: Course,Course Code,ក្រមការពិតណាស់
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},ពិនិត្យគុណភាពបានទាមទារសម្រាប់ធាតុ {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},ពិនិត្យគុណភាពបានទាមទារសម្រាប់ធាតុ {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,អត្រារូបិយប័ណ្ណអតិថិជនដែលត្រូវបានបម្លែងទៅជារូបិយប័ណ្ណមូលដ្ឋានរបស់ក្រុមហ៊ុន
DocType: Purchase Invoice Item,Net Rate (Company Currency),អត្រាការប្រាក់សុទ្ធ (ក្រុមហ៊ុនរូបិយវត្ថុ)
DocType: Salary Detail,Condition and Formula Help,លក្ខខណ្ឌនិងរូបមន្តជំនួយ
@@ -2623,27 +2640,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,ផ្ទេរសម្រាប់ការផលិតសម្ភារៈ
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,ភាគរយបញ្ចុះតម្លៃអាចត្រូវបានអនុវត្តទាំងការប្រឆាំងនឹងតារាងតម្លៃមួយឬសម្រាប់តារាងតម្លៃទាំងអស់។
DocType: Purchase Invoice,Half-yearly,ពាក់កណ្តាលប្រចាំឆ្នាំ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,ចូលគណនេយ្យសម្រាប់ក្រុមហ៊ុនផ្សារ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,ចូលគណនេយ្យសម្រាប់ក្រុមហ៊ុនផ្សារ
DocType: Vehicle Service,Engine Oil,ប្រេងម៉ាស៊ីន
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,សូមរៀបចំបុគ្គលិកដាក់ឈ្មោះប្រព័ន្ធជាធនធានមនុ> ការកំណត់ធនធានមនុស្ស
DocType: Sales Invoice,Sales Team1,Team1 ការលក់
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,ធាតុ {0} មិនមាន
DocType: Sales Invoice,Customer Address,អាសយដ្ឋានអតិថិជន
DocType: Employee Loan,Loan Details,សេចក្ដីលម្អិតប្រាក់កម្ចី
+DocType: Company,Default Inventory Account,គណនីសារពើភ័ណ្ឌលំនាំដើម
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,ជួរដេក {0}: Qty បានបញ្ចប់ត្រូវតែធំជាងសូន្យ។
DocType: Purchase Invoice,Apply Additional Discount On,អនុវត្តបន្ថែមការបញ្ចុះតម្លៃនៅលើ
DocType: Account,Root Type,ប្រភេទជា Root
DocType: Item,FIFO,FIFO & ‧;
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},ជួរដេក # {0}: មិនអាចវិលត្រឡប់មកវិញច្រើនជាង {1} សម្រាប់ធាតុ {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},ជួរដេក # {0}: មិនអាចវិលត្រឡប់មកវិញច្រើនជាង {1} សម្រាប់ធាតុ {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,ចំណែកដី
DocType: Item Group,Show this slideshow at the top of the page,បង្ហាញតែការបញ្ចាំងស្លាយនេះនៅកំពូលនៃទំព័រ
DocType: BOM,Item UOM,ធាតុ UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),ចំនួនប្រាក់ពន្ធបន្ទាប់ពីចំនួនការបញ្ចុះតម្លៃ (ក្រុមហ៊ុនរូបិយវត្ថុ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},ឃ្លាំងគោលដៅគឺជាការចាំបាច់សម្រាប់ជួរ {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},ឃ្លាំងគោលដៅគឺជាការចាំបាច់សម្រាប់ជួរ {0}
DocType: Cheque Print Template,Primary Settings,ការកំណត់បឋមសិក្សា
DocType: Purchase Invoice,Select Supplier Address,ជ្រើសអាសយដ្ឋានផ្គត់ផ្គង់
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,បន្ថែមបុគ្គលិក
DocType: Purchase Invoice Item,Quality Inspection,ពិនិត្យគុណភាព
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,បន្ថែមទៀតខ្នាតតូច
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,បន្ថែមទៀតខ្នាតតូច
DocType: Company,Standard Template,ទំព័រគំរូស្ដង់ដារ
DocType: Training Event,Theory,ទ្រឹស្តី
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,ព្រមាន: សម្ភារៈដែលបានស្នើ Qty គឺតិចជាងអប្បបរមាលំដាប់ Qty
@@ -2651,7 +2670,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,ផ្នែកច្បាប់អង្គភាព / តារាងរួមផ្សំជាមួយនឹងគណនីដាច់ដោយឡែកមួយដែលជាកម្មសិទ្ធិរបស់អង្គការនេះ។
DocType: Payment Request,Mute Email,ស្ងាត់អ៊ីម៉ែល
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","អាហារ, ភេសជ្ជៈនិងថ្នាំជក់"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},ត្រឹមតែអាចធ្វើឱ្យការទូទាត់ប្រឆាំងនឹង unbilled {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},ត្រឹមតែអាចធ្វើឱ្យការទូទាត់ប្រឆាំងនឹង unbilled {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,អត្រាការគណៈកម្មាការមិនអាចជាធំជាង 100
DocType: Stock Entry,Subcontract,របបម៉ៅការ
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,សូមបញ្ចូល {0} ដំបូង
@@ -2664,18 +2683,18 @@
DocType: SMS Log,No of Sent SMS,គ្មានសារដែលបានផ្ញើ
DocType: Account,Expense Account,ចំណាយតាមគណនី
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,កម្មវិធីសម្រាប់បញ្ចូលកុំព្យូទ័រ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,ពណ៌
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,ពណ៌
DocType: Assessment Plan Criteria,Assessment Plan Criteria,លក្ខណៈវិនិច្ឆ័យការវាយតំលៃផែនការ
DocType: Training Event,Scheduled,កំណត់ពេលវេលា
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,ស្នើសុំសម្រាប់សម្រង់។
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",សូមជ្រើសធាតុដែល "គឺជាធាតុហ៊ុន" គឺ "ទេ" ហើយ "តើធាតុលក់" គឺជា "បាទ" ហើយមិនមានកញ្ចប់ផលិតផលផ្សេងទៀត
DocType: Student Log,Academic,អប់រំ
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ជាមុនសរុប ({0}) នឹងដីកាសម្រេច {1} មិនអាចច្រើនជាងសម្ពោធសរុប ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ជាមុនសរុប ({0}) នឹងដីកាសម្រេច {1} មិនអាចច្រើនជាងសម្ពោធសរុប ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,ជ្រើសដើម្បីមិនស្មើគ្នាចែកចាយប្រចាំខែគោលដៅនៅទូទាំងខែចែកចាយ។
DocType: Purchase Invoice Item,Valuation Rate,អត្រាការវាយតម្លៃ
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,ម៉ាស៊ូត
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,រូបិយប័ណ្ណបញ្ជីតម្លៃមិនបានជ្រើសរើស
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,រូបិយប័ណ្ណបញ្ជីតម្លៃមិនបានជ្រើសរើស
,Student Monthly Attendance Sheet,សិស្សសន្លឹកអវត្តមានប្រចាំខែ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},បុគ្គលិក {0} បានអនុវត្តរួចហើយសម្រាប់ {1} រវាង {2} និង {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,ការចាប់ផ្តើមគម្រោងកាលបរិច្ឆេទ
@@ -2687,7 +2706,7 @@
DocType: BOM,Scrap,សំណល់អេតចាយ
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,គ្រប់គ្រងការលក់ដៃគូ។
DocType: Quality Inspection,Inspection Type,ប្រភេទអធិការកិច្ច
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,ប្រតិបត្តិការដែលមានស្រាប់ឃ្លាំងដោយមានមិនអាចត្រូវបានបម្លែងទៅជាក្រុម។
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,ប្រតិបត្តិការដែលមានស្រាប់ឃ្លាំងដោយមានមិនអាចត្រូវបានបម្លែងទៅជាក្រុម។
DocType: Assessment Result Tool,Result HTML,លទ្ធផលរបស់ HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,ផុតកំណត់នៅថ្ងៃទី
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,បន្ថែមសិស្ស
@@ -2695,13 +2714,13 @@
DocType: C-Form,C-Form No,ទម្រង់បែបបទគ្មាន C-
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,វត្តមានចំណាំទុក
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,អ្នកស្រាវជ្រាវ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,អ្នកស្រាវជ្រាវ
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,ឧបករណ៍សិស្សចុះឈ្មោះចូលរៀនកម្មវិធី
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,ឈ្មោះឬអ៊ីម៉ែលចាំបាច់
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,ការត្រួតពិនិត្យដែលមានគុណភាពចូល។
DocType: Purchase Order Item,Returned Qty,ត្រឡប់មកវិញ Qty
DocType: Employee,Exit,ការចាកចេញ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,ប្រភេទជា Root គឺជាចាំបាច់
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,ប្រភេទជា Root គឺជាចាំបាច់
DocType: BOM,Total Cost(Company Currency),តម្លៃសរុប (ក្រុមហ៊ុនរូបិយវត្ថុ)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,សៀរៀលគ្មាន {0} បង្កើតឡើង
DocType: Homepage,Company Description for website homepage,សង្ខេបសម្រាប់គេហទំព័ររបស់ក្រុមហ៊ុនគេហទំព័រ
@@ -2710,7 +2729,7 @@
DocType: Sales Invoice,Time Sheet List,បញ្ជីសន្លឹកពេលវេលា
DocType: Employee,You can enter any date manually,អ្នកអាចបញ្ចូលកាលបរិច្ឆេទណាមួយដោយដៃ
DocType: Asset Category Account,Depreciation Expense Account,គណនីរំលស់
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,រយៈពេលសាកល្បង
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,រយៈពេលសាកល្បង
DocType: Customer Group,Only leaf nodes are allowed in transaction,មានតែថ្នាំងស្លឹកត្រូវបានអនុញ្ញាតក្នុងប្រតិបត្តិការ
DocType: Expense Claim,Expense Approver,ការអនុម័តការចំណាយ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,ជួរដេក {0}: ជាមុនប្រឆាំងនឹងការអតិថិជនត្រូវតែមានការឥណទាន
@@ -2723,10 +2742,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,កាលវិភាគវគ្គសិក្សាបានលុប:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,កំណត់ហេតុសម្រាប់ការរក្សាស្ថានភាពចែកចាយផ្ញើសារជាអក្សរ
DocType: Accounts Settings,Make Payment via Journal Entry,ធ្វើឱ្យសេវាទូទាត់តាមរយៈ Journal Entry
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,បោះពុម្ពលើ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,បោះពុម្ពលើ
DocType: Item,Inspection Required before Delivery,ត្រូវការមុនពេលការដឹកជញ្ជូនអធិការកិច្ច
DocType: Item,Inspection Required before Purchase,ត្រូវការមុនពេលការទិញអធិការកិច្ច
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,សកម្មភាពដែលមិនទាន់សម្រេច
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,អង្គការរបស់អ្នក
DocType: Fee Component,Fees Category,ថ្លៃសេវាប្រភេទ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,សូមបញ្ចូលកាលបរិច្ឆេទបន្ថយ។
apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT
@@ -2736,9 +2756,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,រៀបចំវគ្គ
DocType: Company,Chart Of Accounts Template,តារាងនៃគណនីទំព័រគំរូ
DocType: Attendance,Attendance Date,ការចូលរួមកាលបរិច្ឆេទ
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},ថ្លៃទំនិញឱ្យទាន់សម័យសម្រាប់ {0} នៅក្នុងបញ្ជីតម្លៃ {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},ថ្លៃទំនិញឱ្យទាន់សម័យសម្រាប់ {0} នៅក្នុងបញ្ជីតម្លៃ {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,ការបែកបាក់គ្នាដោយផ្អែកលើការរកប្រាក់ចំណូលបានប្រាក់ខែនិងការកាត់។
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,គណនីជាមួយថ្នាំងជាកុមារមិនអាចត្រូវបានបម្លែងទៅសៀវភៅ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,គណនីជាមួយថ្នាំងជាកុមារមិនអាចត្រូវបានបម្លែងទៅសៀវភៅ
DocType: Purchase Invoice Item,Accepted Warehouse,ឃ្លាំងទទួលយក
DocType: Bank Reconciliation Detail,Posting Date,ការប្រកាសកាលបរិច្ឆេទ
DocType: Item,Valuation Method,វិធីសាស្រ្តវាយតម្លៃ
@@ -2747,14 +2767,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,ធាតុស្ទួន
DocType: Program Enrollment Tool,Get Students,ទទួលយកនិស្សិត
DocType: Serial No,Under Warranty,នៅក្រោមការធានា
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[កំហុសក្នុងការ]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[កំហុសក្នុងការ]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,នៅក្នុងពាក្យនោះនឹងត្រូវបានមើលឃើញនៅពេលដែលអ្នករក្សាសណ្តាប់ធ្នាប់ការលក់។
,Employee Birthday,បុគ្គលិកខួបកំណើត
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,ឧបករណ៍វត្តមានបាច់សិស្ស
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,ដែនកំណត់កាត់
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,ដែនកំណត់កាត់
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,យ្រប
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,មួយរយៈសិក្សាជាមួយនេះ "ឆ្នាំសិក្សា" {0} និង 'ឈ្មោះរយៈពេល' {1} រួចហើយ។ សូមកែប្រែធាតុទាំងនេះនិងព្យាយាមម្ដងទៀត។
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","ដូចជាមានការប្រតិបតិ្តការដែលមានស្រាប់ប្រឆាំងនឹងធាតុ {0}, អ្នកមិនអាចផ្លាស់ប្តូរតម្លៃនៃ {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","ដូចជាមានការប្រតិបតិ្តការដែលមានស្រាប់ប្រឆាំងនឹងធាតុ {0}, អ្នកមិនអាចផ្លាស់ប្តូរតម្លៃនៃ {1}"
DocType: UOM,Must be Whole Number,ត្រូវតែជាលេខទាំងមូល
DocType: Leave Control Panel,New Leaves Allocated (In Days),ស្លឹកថ្មីដែលបានបម្រុងទុក (ក្នុងថ្ងៃ)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,សៀរៀលគ្មាន {0} មិនមាន
@@ -2763,6 +2783,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,លេខវិក្ក័យប័ត្រ
DocType: Shopping Cart Settings,Orders,ការបញ្ជាទិញ
DocType: Employee Leave Approver,Leave Approver,ទុកឱ្យការអនុម័ត
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,សូមជ្រើសបាច់មួយ
DocType: Assessment Group,Assessment Group Name,ឈ្មោះការវាយតម្លៃជាក្រុម
DocType: Manufacturing Settings,Material Transferred for Manufacture,សម្ភារៈផ្ទេរសម្រាប់ការផលិត
DocType: Expense Claim,"A user with ""Expense Approver"" role",អ្នកប្រើដែលមាន "ការចំណាយការអនុម័ត" តួនាទីមួយ
@@ -2772,9 +2793,10 @@
DocType: Target Detail,Target Detail,ពត៌មានលំអិតគោលដៅ
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,ការងារទាំងអស់
DocType: Sales Order,% of materials billed against this Sales Order,% នៃសមា្ភារៈ billed នឹងដីកាសម្រេចការលក់នេះ
+DocType: Program Enrollment,Mode of Transportation,របៀបនៃការដឹកជញ្ជូន
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,ចូលរយៈពេលបិទ
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,ជាមួយនឹងការប្រតិបត្តិការនៃមជ្ឈមណ្ឌលការចំណាយដែលមានស្រាប់ដែលមិនអាចត្រូវបានបម្លែងទៅជាក្រុម
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},ចំនួនទឹកប្រាក់ {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},ចំនួនទឹកប្រាក់ {0} {1} {2} {3}
DocType: Account,Depreciation,រំលស់
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),ក្រុមហ៊ុនផ្គត់ផ្គង់ (s បាន)
DocType: Employee Attendance Tool,Employee Attendance Tool,ឧបករណ៍វត្តមានបុគ្គលិក
@@ -2782,7 +2804,7 @@
DocType: Supplier,Credit Limit,ដែនកំណត់ឥណទាន
DocType: Production Plan Sales Order,Salse Order Date,កាលបរិច្ឆេទ Salse លំដាប់
DocType: Salary Component,Salary Component,សមាសភាគប្រាក់ខែ
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,ធាតុការទូទាត់ {0} គឺជាតំណភ្ជាប់របស់អង្គការសហប្រជាជាតិ
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,ធាតុការទូទាត់ {0} គឺជាតំណភ្ជាប់របស់អង្គការសហប្រជាជាតិ
DocType: GL Entry,Voucher No,កាតមានទឹកប្រាក់គ្មាន
,Lead Owner Efficiency,ប្រសិទ្ធភាពម្ចាស់ការនាំមុខ
DocType: Leave Allocation,Leave Allocation,ទុកឱ្យការបម្រុងទុក
@@ -2793,11 +2815,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,ទំព័រគំរូនៃពាក្យឬកិច្ចសន្យា។
DocType: Purchase Invoice,Address and Contact,អាស័យដ្ឋាននិងទំនាក់ទំនង
DocType: Cheque Print Template,Is Account Payable,តើមានគណនីទូទាត់
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},ភាគហ៊ុនដែលមិនអាចធ្វើបច្ចុប្បន្នភាពការប្រឆាំងនឹងការទទួលទិញ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},ភាគហ៊ុនដែលមិនអាចធ្វើបច្ចុប្បន្នភាពការប្រឆាំងនឹងការទទួលទិញ {0}
DocType: Supplier,Last Day of the Next Month,ចុងក្រោយកាលពីថ្ងៃនៃខែបន្ទាប់
DocType: Support Settings,Auto close Issue after 7 days,ដោយស្វ័យប្រវត្តិបន្ទាប់ពីបញ្ហានៅជិត 7 ថ្ងៃ
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","ទុកឱ្យមិនអាចត្រូវបានបម្រុងទុកមុន {0}, ដែលជាតុល្យភាពការឈប់សម្រាកបានជាទំនិញ-បានបញ្ជូនបន្តនៅក្នុងកំណត់ត្រាការបែងចែកការឈប់សម្រាកនាពេលអនាគតរួចទៅហើយ {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),ចំណាំ: ដោយសារតែ / សេចក្តីយោងកាលបរិច្ឆេទលើសពីអនុញ្ញាតឱ្យថ្ងៃឥណទានរបស់អតិថិជនដោយ {0} ថ្ងៃ (s)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),ចំណាំ: ដោយសារតែ / សេចក្តីយោងកាលបរិច្ឆេទលើសពីអនុញ្ញាតឱ្យថ្ងៃឥណទានរបស់អតិថិជនដោយ {0} ថ្ងៃ (s)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,ពាក្យសុំរបស់សិស្ស
DocType: Asset Category Account,Accumulated Depreciation Account,គណនីរំលស់បង្គរ
DocType: Stock Settings,Freeze Stock Entries,ធាតុបង្កហ៊ុន
@@ -2806,36 +2828,36 @@
DocType: Activity Cost,Billing Rate,អត្រាវិក័យប័ត្រ
,Qty to Deliver,qty សង្គ្រោះ
,Stock Analytics,ភាគហ៊ុនវិភាគ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,ប្រតិបត្តិការមិនអាចត្រូវបានទុកឱ្យនៅទទេ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,ប្រតិបត្តិការមិនអាចត្រូវបានទុកឱ្យនៅទទេ
DocType: Maintenance Visit Purpose,Against Document Detail No,ពត៌មានលំអិតរបស់ឯកសារគ្មានការប្រឆាំងនឹងការ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,គណបក្សជាការចាំបាច់ប្រភេទ
DocType: Quality Inspection,Outgoing,ចេញ
DocType: Material Request,Requested For,ស្នើសម្រាប់
DocType: Quotation Item,Against Doctype,ប្រឆាំងនឹងការ DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} ត្រូវបានលុបចោលឬបានបិទ
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} ត្រូវបានលុបចោលឬបានបិទ
DocType: Delivery Note,Track this Delivery Note against any Project,តាមដានការដឹកជញ្ជូនចំណាំនេះប្រឆាំងនឹងគម្រោងណាមួយឡើយ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,សាច់ប្រាក់សុទ្ធពីការវិនិយោគ
-,Is Primary Address,គឺជាអាសយដ្ឋានបឋមសិក្សា
DocType: Production Order,Work-in-Progress Warehouse,ការងារក្នុងវឌ្ឍនភាពឃ្លាំង
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,ទ្រព្យសកម្ម {0} ត្រូវតែត្រូវបានដាក់ជូន
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},ការចូលរួមកំណត់ត្រា {0} មានប្រឆាំងនឹងនិស្សិត {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},ការចូលរួមកំណត់ត្រា {0} មានប្រឆាំងនឹងនិស្សិត {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},សេចក្តីយោង # {0} {1} ចុះកាលបរិច្ឆេទ
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,ការធ្លាក់ចុះដោយសារការចោល Eliminated នៃទ្រព្យសកម្ម
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,គ្រប់គ្រងអាសយដ្ឋាន
DocType: Asset,Item Code,ក្រមធាតុ
DocType: Production Planning Tool,Create Production Orders,បង្កើតការបញ្ជាទិញផលិតកម្ម
DocType: Serial No,Warranty / AMC Details,ការធានា / AMC ពត៌មានលំអិត
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,ជ្រើសរើសសិស្សនិស្សិតដោយដៃសម្រាប់សកម្មភាពដែលមានមូលដ្ឋាននៅក្រុម
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,ជ្រើសរើសសិស្សនិស្សិតដោយដៃសម្រាប់សកម្មភាពដែលមានមូលដ្ឋាននៅក្រុម
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,ជ្រើសរើសសិស្សនិស្សិតដោយដៃសម្រាប់សកម្មភាពដែលមានមូលដ្ឋាននៅក្រុម
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,ជ្រើសរើសសិស្សនិស្សិតដោយដៃសម្រាប់សកម្មភាពដែលមានមូលដ្ឋាននៅក្រុម
DocType: Journal Entry,User Remark,សំគាល់របស់អ្នកប្រើ
DocType: Lead,Market Segment,ចំណែកទីផ្សារ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},ចំនួនទឹកប្រាក់ដែលត្រូវចំណាយប្រាក់មិនអាចត្រូវបានធំជាងចំនួនទឹកប្រាក់សរុបអវិជ្ជមាន {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},ចំនួនទឹកប្រាក់ដែលត្រូវចំណាយប្រាក់មិនអាចត្រូវបានធំជាងចំនួនទឹកប្រាក់សរុបអវិជ្ជមាន {0}
DocType: Employee Internal Work History,Employee Internal Work History,ប្រវត្តិការងាររបស់បុគ្គលិកផ្ទៃក្នុង
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),បិទ (លោកបណ្ឌិត)
DocType: Cheque Print Template,Cheque Size,ទំហំមូលប្បទានប័ត្រ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,គ្មានសៀរៀល {0} មិនត្រូវបាននៅក្នុងស្តុក
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,ពុម្ពពន្ធលើការលក់ការធ្វើប្រតិបត្តិការ។
DocType: Sales Invoice,Write Off Outstanding Amount,បិទការសរសេរចំនួនទឹកប្រាក់ដ៏ឆ្នើម
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},គណនី {0} មិនផ្គូផ្គងនឹងក្រុមហ៊ុន {1}
DocType: School Settings,Current Academic Year,ឆ្នាំសិក្សាបច្ចុប្បន្ន
DocType: Stock Settings,Default Stock UOM,លំនាំដើមហ៊ុន UOM
DocType: Asset,Number of Depreciations Booked,ចំនួននៃរំលស់បានកក់
@@ -2850,27 +2872,27 @@
DocType: Asset,Double Declining Balance,ការធ្លាក់ចុះទ្វេដងតុល្យភាព
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,គោលបំណងដែលបានបិទមិនអាចត្រូវបានលុបចោល។ unclosed ដើម្បីលុបចោល។
DocType: Student Guardian,Father,ព្រះបិតា
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,"ធ្វើឱ្យទាន់សម័យហ៊ុន 'មិនអាចត្រូវបានពិនិត្យរកការលក់ទ្រព្យសកម្មថេរ
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"ធ្វើឱ្យទាន់សម័យហ៊ុន 'មិនអាចត្រូវបានពិនិត្យរកការលក់ទ្រព្យសកម្មថេរ
DocType: Bank Reconciliation,Bank Reconciliation,ធនាគារការផ្សះផ្សា
DocType: Attendance,On Leave,ឈប់សម្រាក
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,ទទួលបានការធ្វើឱ្យទាន់សម័យ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: គណនី {2} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,សម្ភារៈសំណើ {0} ត្រូវបានលុបចោលឬបញ្ឈប់
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,បន្ថែមកំណត់ត្រាគំរូមួយចំនួនដែល
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,បន្ថែមកំណត់ត្រាគំរូមួយចំនួនដែល
apps/erpnext/erpnext/config/hr.py +301,Leave Management,ទុកឱ្យការគ្រប់គ្រង
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,ក្រុមតាមគណនី
DocType: Sales Order,Fully Delivered,ផ្តល់ឱ្យបានពេញលេញ
DocType: Lead,Lower Income,ប្រាក់ចំណូលទាប
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},ប្រភពនិងឃ្លាំងគោលដៅមិនអាចមានដូចគ្នាសម្រាប់ជួរដេក {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},ប្រភពនិងឃ្លាំងគោលដៅមិនអាចមានដូចគ្នាសម្រាប់ជួរដេក {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",គណនីមានភាពខុសគ្នាត្រូវតែជាគណនីប្រភេទទ្រព្យសកម្ម / ការទទួលខុសត្រូវចាប់តាំងពីការផ្សះផ្សានេះគឺផ្សារភាគហ៊ុនការបើកជាមួយធាតុ
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},ចំនួនទឹកប្រាក់ដែលបានចំណាយមិនអាចមានប្រាក់កម្ចីចំនួនធំជាង {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},ទិញចំនួនលំដាប់ដែលបានទាមទារសម្រាប់ធាតុ {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,លំដាប់ផលិតកម្មមិនត្រូវបានបង្កើត
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},ទិញចំនួនលំដាប់ដែលបានទាមទារសម្រាប់ធាតុ {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,លំដាប់ផលិតកម្មមិនត្រូវបានបង្កើត
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"ពីកាលបរិច្ឆេទ" ត្រូវតែមានបន្ទាប់ 'ដើម្បីកាលបរិច្ឆេទ "
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},មិនអាចផ្លាស់ប្តូរស្ថានភាពជានិស្សិត {0} ត្រូវបានផ្សារភ្ជាប់ជាមួយនឹងកម្មវិធីនិស្សិត {1}
DocType: Asset,Fully Depreciated,ធ្លាក់ថ្លៃយ៉ាងពេញលេញ
,Stock Projected Qty,គម្រោង Qty ផ្សារភាគហ៊ុន
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},អតិថិជន {0} មិនមែនជារបស់គម្រោង {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},អតិថិជន {0} មិនមែនជារបស់គម្រោង {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,វត្តមានដែលបានសម្គាល់ជា HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",ដកស្រង់សំណើដេញថ្លៃដែលអ្នកបានផ្ញើទៅឱ្យអតិថិជនរបស់អ្នក
DocType: Sales Order,Customer's Purchase Order,ទិញលំដាប់របស់អតិថិជន
@@ -2879,33 +2901,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,ផលបូកនៃពិន្ទុវាយតំលៃត្រូវការដើម្បីឱ្យមាន {0} ។
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,សូមកំណត់ចំនួននៃរំលស់បានកក់
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,តំលៃឬ Qty
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,ការបញ្ជាទិញផលិតផលនេះមិនអាចត្រូវបានលើកឡើងសម្រាប់:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,នាទី
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,ការបញ្ជាទិញផលិតផលនេះមិនអាចត្រូវបានលើកឡើងសម្រាប់:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,នាទី
DocType: Purchase Invoice,Purchase Taxes and Charges,ទិញពន្ធនិងការចោទប្រកាន់
,Qty to Receive,qty ទទួល
DocType: Leave Block List,Leave Block List Allowed,ទុកឱ្យប្លុកដែលបានអនុញ្ញាតក្នុងបញ្ជី
DocType: Grading Scale Interval,Grading Scale Interval,ធ្វើមាត្រដ្ឋានចន្លោះពេលការដាក់ពិន្ទុ
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},ពាក្យបណ្តឹងការចំណាយសម្រាប់រថយន្តចូល {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,បញ្ចុះតម្លៃ (%) នៅលើអត្រាតារាងតម្លៃជាមួយរឹម
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,ឃ្លាំងទាំងអស់
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,ឃ្លាំងទាំងអស់
DocType: Sales Partner,Retailer,ការលក់រាយ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,ឥណទានទៅគណនីត្រូវតែមានតារាងតុល្យការគណនី
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,ឥណទានទៅគណនីត្រូវតែមានតារាងតុល្យការគណនី
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,ក្រុមហ៊ុនផ្គត់ផ្គង់គ្រប់ប្រភេទ
DocType: Global Defaults,Disable In Words,បិទនៅក្នុងពាក្យ
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,ក្រមធាតុគឺជាចាំបាច់ដោយសារតែធាតុបង់លេខដោយស្វ័យប្រវត្តិគឺមិន
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,ក្រមធាតុគឺជាចាំបាច់ដោយសារតែធាតុបង់លេខដោយស្វ័យប្រវត្តិគឺមិន
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},សម្រង់ {0} មិនត្រូវបាននៃប្រភេទ {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,កាលវិភាគធាតុថែទាំ
DocType: Sales Order,% Delivered,% ដឹកនាំ
DocType: Production Order,PRO-,គាំទ្រ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,ធនាគាររូបារូប
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,ធនាគាររូបារូប
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,ធ្វើឱ្យប្រាក់ខែគ្រូពេទ្យប្រហែលជា
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,ជួរដេក # {0}: ចំនួនទឹកប្រាក់ដែលបានបម្រុងទុកមិនអាចច្រើនជាងចំនួនពូកែ។
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,រកមើល Bom
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,ការផ្តល់កម្ចីដែលមានសុវត្ថិភាព
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,ការផ្តល់កម្ចីដែលមានសុវត្ថិភាព
DocType: Purchase Invoice,Edit Posting Date and Time,កែសម្រួលប្រកាសកាលបរិច្ឆេទនិងពេលវេលា
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},សូមកំណត់ដែលទាក់ទងនឹងការរំលស់ក្នុងគណនីទ្រព្យសកម្មប្រភេទឬ {0} {1} ក្រុមហ៊ុន
DocType: Academic Term,Academic Year,ឆ្នាំសិក្សា
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,សមធម៌តុល្យភាពពិធីបើក
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,សមធម៌តុល្យភាពពិធីបើក
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,ការវាយតម្លៃ
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},អ៊ីម៉ែលដែលបានផ្ញើទៅឱ្យអ្នកផ្គត់ផ្គង់ {0}
@@ -2921,7 +2943,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,អនុម័តតួនាទីមិនអាចជាដូចគ្នាទៅនឹងតួនាទីរបស់ច្បាប់ត្រូវបានអនុវត្ត
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,ជាវពីអ៊ីម៉ែលនេះសង្ខេប
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,សារដែលបានផ្ញើ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,គណនីជាមួយថ្នាំងជាកូនក្មេងដែលមិនអាចត្រូវបានកំណត់ជាសៀវភៅ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,គណនីជាមួយថ្នាំងជាកូនក្មេងដែលមិនអាចត្រូវបានកំណត់ជាសៀវភៅ
DocType: C-Form,II,ទី II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,អត្រាដែលតារាងតំលៃរូបិយប័ណ្ណត្រូវបានបម្លែងទៅជារូបិយប័ណ្ណមូលដ្ឋានរបស់អតិថិជន
DocType: Purchase Invoice Item,Net Amount (Company Currency),ចំនួនទឹកប្រាក់សុទ្ធ (ក្រុមហ៊ុនរូបិយវត្ថុ)
@@ -2956,7 +2978,7 @@
DocType: Expense Claim,Approval Status,ស្ថានភាពការអនុម័ត
DocType: Hub Settings,Publish Items to Hub,បោះពុម្ពផ្សាយធាតុហាប់
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},ពីតម្លៃត្រូវតែតិចជាងទៅនឹងតម្លៃនៅក្នុងជួរដេក {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,ការផ្ទេរខ្សែ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,ការផ្ទេរខ្សែ
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,សូមពិនិត្យមើលទាំងអស់
DocType: Vehicle Log,Invoice Ref,Ref វិក័យប័ត្រ
DocType: Purchase Order,Recurring Order,លំដាប់កើតឡើង
@@ -2969,19 +2991,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,ធនាគារនិងទូទាត់
,Welcome to ERPNext,សូមស្វាគមន៍មកកាន់ ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,នាំឱ្យមានការសម្រង់
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,គ្មានអ្វីច្រើនជាងនេះដើម្បីបង្ហាញ។
DocType: Lead,From Customer,ពីអតិថិជន
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,ការហៅទូរស័ព្ទ
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,ការហៅទូរស័ព្ទ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,ជំនាន់
DocType: Project,Total Costing Amount (via Time Logs),ចំនួនទឹកប្រាក់ផ្សារសរុប (តាមរយៈការពេលវេលាកំណត់ហេតុ)
DocType: Purchase Order Item Supplied,Stock UOM,ភាគហ៊ុន UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,ទិញលំដាប់ {0} គឺមិនត្រូវបានដាក់ស្នើ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,ទិញលំដាប់ {0} គឺមិនត្រូវបានដាក់ស្នើ
DocType: Customs Tariff Number,Tariff Number,លេខពន្ធ
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,ការព្យាករ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},សៀរៀលគ្មាន {0} មិនមែនជារបស់ឃ្លាំង {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,ចំណាំ: ប្រព័ន្ធនឹងមិនបានពិនិត្យមើលលើការចែកចាយនិងការកក់សម្រាប់ធាតុ {0} ជាបរិមាណឬចំនួនទឹកប្រាក់គឺ 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,ចំណាំ: ប្រព័ន្ធនឹងមិនបានពិនិត្យមើលលើការចែកចាយនិងការកក់សម្រាប់ធាតុ {0} ជាបរិមាណឬចំនួនទឹកប្រាក់គឺ 0
DocType: Notification Control,Quotation Message,សារសម្រង់
DocType: Employee Loan,Employee Loan Application,កម្មវិធីបុគ្គលិកឥណទាន
DocType: Issue,Opening Date,ពិធីបើកកាលបរិច្ឆេទ
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,ការចូលរួមត្រូវបានគេបានសម្គាល់ដោយជោគជ័យ។
+DocType: Program Enrollment,Public Transport,ការដឹកជញ្ជូនសាធារណៈ
DocType: Journal Entry,Remark,សំគាល់
DocType: Purchase Receipt Item,Rate and Amount,អត្រាការប្រាក់និងចំនួន
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},ប្រភេទគណនីសម្រាប់ {0} ត្រូវតែជា {1}
@@ -2989,32 +3014,32 @@
DocType: School Settings,Current Academic Term,រយៈពេលសិក្សាបច្ចុប្បន្ន
DocType: School Settings,Current Academic Term,រយៈពេលសិក្សាបច្ចុប្បន្ន
DocType: Sales Order,Not Billed,មិនបានផ្សព្វផ្សាយ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,ឃ្លាំងទាំងពីរត្រូវតែជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុនដូចគ្នា
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,គ្មានទំនាក់ទំនងបានបន្ថែមនៅឡើយទេ។
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,ឃ្លាំងទាំងពីរត្រូវតែជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុនដូចគ្នា
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,គ្មានទំនាក់ទំនងបានបន្ថែមនៅឡើយទេ។
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ចំនួនប័ណ្ណការចំណាយបានចុះចត
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,វិក័យប័ត្រដែលបានលើកឡើងដោយអ្នកផ្គត់ផ្គង់។
DocType: POS Profile,Write Off Account,បិទការសរសេរគណនី
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,ឥណពន្ធចំណាំ AMT
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,ចំនួនការបញ្ចុះតំលៃ
DocType: Purchase Invoice,Return Against Purchase Invoice,ការវិលត្រឡប់ពីការប្រឆាំងនឹងការទិញវិក័យប័ត្រ
DocType: Item,Warranty Period (in days),ការធានារយៈពេល (នៅក្នុងថ្ងៃ)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,ទំនាក់ទំនងជាមួយ Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,ទំនាក់ទំនងជាមួយ Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,ប្រតិបត្ដិការសាច់ប្រាក់សុទ្ធពី
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,ឧអាករលើតម្លៃបន្ថែម
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,ឧអាករលើតម្លៃបន្ថែម
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,ធាតុ 4
DocType: Student Admission,Admission End Date,ការចូលរួមទស្សនាកាលបរិច្ឆេទបញ្ចប់
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,អនុកិច្ចសន្យា
DocType: Journal Entry Account,Journal Entry Account,គណនីធាតុទិនានុប្បវត្តិ
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,ក្រុមនិស្សិត
DocType: Shopping Cart Settings,Quotation Series,សម្រង់កម្រងឯកសារ
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","ធាតុមួយមានឈ្មោះដូចគ្នា ({0}), សូមផ្លាស់ប្តូរឈ្មោះធាតុឬប្ដូរឈ្មោះក្រុមធាតុ"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,សូមជ្រើសអតិថិជន
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","ធាតុមួយមានឈ្មោះដូចគ្នា ({0}), សូមផ្លាស់ប្តូរឈ្មោះធាតុឬប្ដូរឈ្មោះក្រុមធាតុ"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,សូមជ្រើសអតិថិជន
DocType: C-Form,I,ខ្ញុំ
DocType: Company,Asset Depreciation Cost Center,មជ្ឈមណ្ឌលតម្លៃរំលស់ទ្រព្យសម្បត្តិ
DocType: Sales Order Item,Sales Order Date,លំដាប់ការលក់កាលបរិច្ឆេទ
DocType: Sales Invoice Item,Delivered Qty,ប្រគល់ Qty
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.",ប្រសិនបើបានធីកកូនទាំងអស់នៃធាតុផលិតគ្នានឹងត្រូវបញ្ចូលក្នុងសំណើសម្ភារៈ។
DocType: Assessment Plan,Assessment Plan,ផែនការការវាយតំលៃ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,ឃ្លាំង {0}: ក្រុមហ៊ុនគឺជាការចាំបាច់
DocType: Stock Settings,Limit Percent,ដែនកំណត់ភាគរយ
,Payment Period Based On Invoice Date,អំឡុងពេលបង់ប្រាក់ដែលមានមូលដ្ឋានលើវិក័យប័ត្រកាលបរិច្ឆេទ
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},បាត់ខ្លួនរូបិយប័ណ្ណប្តូរប្រាក់អត្រាការប្រាក់សម្រាប់ {0}
@@ -3026,7 +3051,7 @@
DocType: Vehicle,Insurance Details,សេចក្ដីលម្អិតការធានារ៉ាប់រង
DocType: Account,Payable,បង់
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,សូមបញ្ចូលរយៈពេលសងប្រាក់
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),កូនបំណុល ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),កូនបំណុល ({0})
DocType: Pricing Rule,Margin,រឹម
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,អតិថិជនថ្មី
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,ប្រាក់ចំណេញ% សរុបបាន
@@ -3037,16 +3062,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,គណបក្សជាការចាំបាច់
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,ប្រធានបទឈ្មោះ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,យ៉ាងហោចណាស់មួយនៃការលក់ឬទិញត្រូវតែត្រូវបានជ្រើស & ‧;
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,ជ្រើសធម្មជាតិនៃអាជីវកម្មរបស់អ្នក។
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,យ៉ាងហោចណាស់មួយនៃការលក់ឬទិញត្រូវតែត្រូវបានជ្រើស & ‧;
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,ជ្រើសធម្មជាតិនៃអាជីវកម្មរបស់អ្នក។
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},ជួរដេក # {0}: ស្ទួនធាតុនៅក្នុងឯកសារយោង {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,ដែលជាកន្លែងដែលប្រតិបត្ដិការផលិតត្រូវបានអនុវត្ត។
DocType: Asset Movement,Source Warehouse,ឃ្លាំងប្រភព
DocType: Installation Note,Installation Date,កាលបរិច្ឆេទនៃការដំឡើង
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},ជួរដេក # {0}: ទ្រព្យសកម្ម {1} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},ជួរដេក # {0}: ទ្រព្យសកម្ម {1} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន {2}
DocType: Employee,Confirmation Date,ការអះអាងកាលបរិច្ឆេទ
DocType: C-Form,Total Invoiced Amount,ចំនួន invoiced សរុប
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,លោក Min Qty មិនអាចជាធំជាងអតិបរមា Qty
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,លោក Min Qty មិនអាចជាធំជាងអតិបរមា Qty
DocType: Account,Accumulated Depreciation,រំលស់បង្គរ
DocType: Stock Entry,Customer or Supplier Details,សេចក្ដីលម្អិតអតិថិជនឬផ្គត់ផ្គង់
DocType: Employee Loan Application,Required by Date,ទាមទារដោយកាលបរិច្ឆេទ
@@ -3067,22 +3092,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,ភាគរយចែកចាយប្រចាំខែ
DocType: Territory,Territory Targets,ទឹកដីគោលដៅ
DocType: Delivery Note,Transporter Info,ពត៌មាន transporter
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},សូមកំណត់លំនាំដើមនៅ {0} {1} ក្រុមហ៊ុន
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},សូមកំណត់លំនាំដើមនៅ {0} {1} ក្រុមហ៊ុន
DocType: Cheque Print Template,Starting position from top edge,ការចាប់ផ្តើមតំណែងពីគែមកំពូល
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,ក្រុមហ៊ុនផ្គត់ផ្គង់ដូចគ្នាត្រូវបានបញ្ចូលច្រើនដង
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,ប្រាក់ចំណេញសរុប / បាត់បង់
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,ដីកាបង្គាប់របស់សហការីការទិញធាតុ
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,ឈ្មោះក្រុមហ៊ុនមិនអាចត្រូវបានក្រុមហ៊ុន
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,ឈ្មោះក្រុមហ៊ុនមិនអាចត្រូវបានក្រុមហ៊ុន
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,ប្រមុខលិខិតសម្រាប់ពុម្ពអក្សរ។
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,ការផ្តល់ប័ណ្ណសម្រាប់ពុម្ពដែលបោះពុម្ពឧ Proforma វិក័យប័ត្រ។
DocType: Student Guardian,Student Guardian,អាណាព្យាបាលរបស់សិស្ស
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,ការចោទប្រកាន់មិនអាចវាយតម្លៃប្រភេទសម្គាល់ថាជាការរួមបញ្ចូល
DocType: POS Profile,Update Stock,ធ្វើឱ្យទាន់សម័យហ៊ុន
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,ហាងទំនិញ> ប្រភេទក្រុមហ៊ុនផ្គត់ផ្គង់
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM ផ្សេងគ្នាសម្រាប់ធាតុនឹងនាំឱ្យមានមិនត្រឹមត្រូវ (សរុប) តម្លៃទម្ងន់សុទ្ធ។ សូមប្រាកដថាទម្ងន់សុទ្ធនៃធាតុគ្នាគឺនៅ UOM ដូចគ្នា។
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,អត្រា Bom
DocType: Asset,Journal Entry for Scrap,ទិនានុប្បវត្តិធាតុសម្រាប់សំណល់អេតចាយ
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,សូមទាញធាតុពីការដឹកជញ្ជូនចំណាំ
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,ធាតុទិនានុប្បវត្តិ {0} គឺជាតំណភ្ជាប់របស់អង្គការសហប្រជាជាតិ
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,ធាតុទិនានុប្បវត្តិ {0} គឺជាតំណភ្ជាប់របស់អង្គការសហប្រជាជាតិ
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","កំណត់ហេតុនៃការទំនាក់ទំនងទាំងអស់នៃប្រភេទអ៊ីមែលទូរស័ព្ទជជែកកំសាន្ត, ដំណើរទស្សនកិច្ច, ល"
DocType: Manufacturer,Manufacturers used in Items,ក្រុមហ៊ុនផលិតដែលត្រូវបានប្រើនៅក្នុងធាតុ
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,សូមនិយាយពីមជ្ឈមណ្ឌលការចំណាយមូលបិទក្នុងក្រុមហ៊ុន
@@ -3131,34 +3157,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,ក្រុមហ៊ុនផ្គត់ផ្គង់បានផ្ដល់នូវការទៅឱ្យអតិថិជន
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# សំណុំបែបបទ / ធាតុ / {0}) គឺចេញពីស្តុក
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,កាលបរិច្ឆេទបន្ទាប់ត្រូវតែធំជាងកាលបរិច្ឆេទប្រកាស
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,សម្រាកឡើងពន្ធលើការបង្ហាញ
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},ដោយសារ / សេចក្តីយោងកាលបរិច្ឆេទមិនអាចបន្ទាប់ពី {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,សម្រាកឡើងពន្ធលើការបង្ហាញ
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},ដោយសារ / សេចក្តីយោងកាលបរិច្ឆេទមិនអាចបន្ទាប់ពី {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,នាំចូលទិន្នន័យនិងការនាំចេញ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","ផ្សារភាគហ៊ុនមានការប្រឆាំងនឹងធាតុឃ្លាំង {0}, ហេតុនេះអ្នកមិនអាចឡើងវិញបានផ្តល់តម្លៃឬកែប្រែវា"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,គ្មានសិស្សនិស្សិតបានរកឃើញ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,គ្មានសិស្សនិស្សិតបានរកឃើញ
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,កាលបរិច្ឆេទវិក្ក័យប័ត្រ
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,លក់
DocType: Sales Invoice,Rounded Total,សរុបមានរាងមូល
DocType: Product Bundle,List items that form the package.,ធាតុបញ្ជីដែលបង្កើតជាកញ្ចប់។
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,ការបែងចែកគួរតែស្មើជាភាគរយទៅ 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,សូមជ្រើសរើសកាលបរិច្ឆេទមុនការជ្រើសគណបក្ស
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,សូមជ្រើសរើសកាលបរិច្ឆេទមុនការជ្រើសគណបក្ស
DocType: Program Enrollment,School House,សាលាផ្ទះ
DocType: Serial No,Out of AMC,ចេញពីមជ្ឈមណ្ឌល AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,សូមជ្រើសសម្រង់សម្តី
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,សូមជ្រើសសម្រង់សម្តី
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,សូមជ្រើសសម្រង់សម្តី
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,សូមជ្រើសសម្រង់សម្តី
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,ចំនួននៃការធ្លាក់ចុះបានកក់មិនអាចច្រើនជាងចំនួនសរុបនៃការធ្លាក់ថ្លៃ
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,ធ្វើឱ្យការថែទាំទស្សនកិច្ច
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,សូមទាក់ទងទៅអ្នកប្រើដែលមានការលក់កម្មវិធីគ្រប់គ្រងអនុបណ្ឌិតតួនាទី {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,សូមទាក់ទងទៅអ្នកប្រើដែលមានការលក់កម្មវិធីគ្រប់គ្រងអនុបណ្ឌិតតួនាទី {0}
DocType: Company,Default Cash Account,គណនីសាច់ប្រាក់លំនាំដើម
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,ក្រុមហ៊ុន (មិនមានអតិថិជនឬផ្គត់) មេ។
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,នេះត្រូវបានផ្អែកលើការចូលរួមរបស់សិស្សនេះ
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,គ្មានសិស្សនៅក្នុង
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,គ្មានសិស្សនៅក្នុង
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,បន្ថែមធាតុបន្ថែមឬទម្រង់ពេញលេញបើកចំហ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',សូមបញ្ចូល 'កាលបរិច្ឆេទដឹកជញ្ជូនរំពឹងទុក "
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ភក្ដិកំណត់ត្រាកំណត់ការដឹកជញ្ជូន {0} ត្រូវតែបានលុបចោលមុនពេលលុបចោលការបញ្ជាលក់នេះ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,ចំនួនទឹកប្រាក់ដែលបង់ + + បិទសរសេរចំនួនទឹកប្រាក់ដែលមិនអាចត្រូវបានធំជាងសម្ពោធសរុប
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,ចំនួនទឹកប្រាក់ដែលបង់ + + បិទសរសេរចំនួនទឹកប្រាក់ដែលមិនអាចត្រូវបានធំជាងសម្ពោធសរុប
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} គឺមិនមែនជាលេខបាច់ត្រឹមត្រូវសម្រាប់ធាតុ {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},ចំណាំ: មិនមានតុល្យភាពឈប់សម្រាកឱ្យបានគ្រប់គ្រាន់សម្រាប់ទុកឱ្យប្រភេទ {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN មិនត្រឹមត្រូវឬបញ្ចូលរដ្ឋសភាសម្រាប់មិនបានចុះឈ្មោះ
DocType: Training Event,Seminar,សិក្ខាសាលា
DocType: Program Enrollment Fee,Program Enrollment Fee,ថ្លៃសេវាកម្មវិធីការចុះឈ្មោះ
DocType: Item,Supplier Items,ក្រុមហ៊ុនផ្គត់ផ្គង់ធាតុ
@@ -3184,28 +3210,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,ធាតុ 3
DocType: Purchase Order,Customer Contact Email,ទំនាក់ទំនងអតិថិជនអ៊ីម៉ែល
DocType: Warranty Claim,Item and Warranty Details,លម្អិតអំពីធាតុនិងការធានា
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,កូដធាតុ> ធាតុគ្រុប> ម៉ាក
DocType: Sales Team,Contribution (%),ចំែណក (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,ចំណាំ: ការទូទាត់នឹងមិនចូលត្រូវបានបង្កើតតាំងពីសាច់ប្រាក់ឬគណនីធនាគារ 'មិនត្រូវបានបញ្ជាក់
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,ជ្រើសកម្មវិធីទៅយកវគ្គសិក្សាជាចាំបាច់នោះ។
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,ជ្រើសកម្មវិធីទៅយកវគ្គសិក្សាជាចាំបាច់នោះ។
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,ការទទួលខុសត្រូវ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,ការទទួលខុសត្រូវ
DocType: Expense Claim Account,Expense Claim Account,គណនីបណ្តឹងទាមទារការចំណាយ
DocType: Sales Person,Sales Person Name,ការលក់ឈ្មោះបុគ្គល
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,សូមបញ្ចូលយ៉ាងហោចណាស់ 1 វិក័យប័ត្រក្នុងតារាង
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,បន្ថែមអ្នកប្រើ
DocType: POS Item Group,Item Group,ធាតុគ្រុប
DocType: Item,Safety Stock,ហ៊ុនសុវត្ថិភាព
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,ការរីកចំរើន% សម្រាប់ភារកិច្ចមួយដែលមិនអាចមានច្រើនជាង 100 នាក់។
DocType: Stock Reconciliation Item,Before reconciliation,មុនពេលការផ្សះផ្សាជាតិ
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},ដើម្បី {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),ពន្ធនិងការចោទប្រកាន់បន្ថែម (ក្រុមហ៊ុនរូបិយវត្ថុ)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ជួរដេកពន្ធធាតុ {0} ត្រូវតែមានគណនីនៃប្រភេទពន្ធឬប្រាក់ចំណូលឬការចំណាយឬបន្ទុក
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ជួរដេកពន្ធធាតុ {0} ត្រូវតែមានគណនីនៃប្រភេទពន្ធឬប្រាក់ចំណូលឬការចំណាយឬបន្ទុក
DocType: Sales Order,Partly Billed,ផ្សព្វផ្សាយមួយផ្នែក
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,ធាតុ {0} ត្រូវតែជាទ្រព្យសកម្មមួយដែលមានកាលកំណត់ធាតុ
DocType: Item,Default BOM,Bom លំនាំដើម
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,សូមប្រភេទឈ្មោះរបស់ក្រុមហ៊ុនដើម្បីបញ្ជាក់
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,សរុបឆ្នើម AMT
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,ចំនួនទឹកប្រាក់ឥណពន្ធចំណាំ
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,សូមប្រភេទឈ្មោះរបស់ក្រុមហ៊ុនដើម្បីបញ្ជាក់
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,សរុបឆ្នើម AMT
DocType: Journal Entry,Printing Settings,ការកំណត់បោះពុម្ព
DocType: Sales Invoice,Include Payment (POS),រួមបញ្ចូលការទូទាត់ (ម៉ាស៊ីនឆូតកាត)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},ឥណពន្ធសរុបត្រូវតែស្មើនឹងឥណទានសរុប។ ភាពខុសគ្នានេះគឺ {0}
@@ -3219,16 +3242,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,នៅក្នុងស្តុក:
DocType: Notification Control,Custom Message,សារផ្ទាល់ខ្លួន
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,ធនាគារវិនិយោគ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,គណនីសាច់ប្រាក់ឬធនាគារជាការចាំបាច់សម្រាប់ការធ្វើឱ្យធាតុដែលបានទូទាត់ប្រាក់
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,អាសយដ្ឋានសិស្ស
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,អាសយដ្ឋានសិស្ស
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,គណនីសាច់ប្រាក់ឬធនាគារជាការចាំបាច់សម្រាប់ការធ្វើឱ្យធាតុដែលបានទូទាត់ប្រាក់
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,សូមរៀបចំចំនួនតាមរយៈការចូលរួមស៊េរីសម្រាប់ការដំឡើង> លេខស៊េរី
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,អាសយដ្ឋានសិស្ស
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,អាសយដ្ឋានសិស្ស
DocType: Purchase Invoice,Price List Exchange Rate,តារាងតម្លៃអត្រាប្តូរប្រាក់
DocType: Purchase Invoice Item,Rate,អត្រាការប្រាក់
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,ហាត់ការ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,ឈ្មោះអាសយដ្ឋាន
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,ហាត់ការ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,ឈ្មោះអាសយដ្ឋាន
DocType: Stock Entry,From BOM,ចាប់ពី Bom
DocType: Assessment Code,Assessment Code,ក្រមការវាយតំលៃ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,ជាមូលដ្ឋាន
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,ជាមូលដ្ឋាន
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,ប្រតិបតិ្តការភាគហ៊ុនមុនពេល {0} ត្រូវបានជាប់គាំង
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',សូមចុចលើ 'បង្កើតកាលវិភាគ "
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","ឧគីឡូក្រាម, អង្គភាព, NOS លោកម៉ែត្រ"
@@ -3238,11 +3262,11 @@
DocType: Salary Slip,Salary Structure,រចនាសម្ព័ន្ធប្រាក់បៀវត្ស
DocType: Account,Bank,ធនាគារ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,ក្រុមហ៊ុនអាកាសចរណ៍
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,សម្ភារៈបញ្ហា
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,សម្ភារៈបញ្ហា
DocType: Material Request Item,For Warehouse,សម្រាប់ឃ្លាំង
DocType: Employee,Offer Date,ការផ្តល់ជូនកាលបរិច្ឆេទ
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,សម្រង់ពាក្យ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,អ្នកគឺជាអ្នកនៅក្នុងរបៀបក្រៅបណ្ដាញ។ អ្នកនឹងមិនអាចផ្ទុកឡើងវិញរហូតដល់អ្នកមានបណ្តាញ។
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,អ្នកគឺជាអ្នកនៅក្នុងរបៀបក្រៅបណ្ដាញ។ អ្នកនឹងមិនអាចផ្ទុកឡើងវិញរហូតដល់អ្នកមានបណ្តាញ។
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,គ្មានក្រុមនិស្សិតបានបង្កើត។
DocType: Purchase Invoice Item,Serial No,សៀរៀលគ្មាន
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,ចំនួនទឹកប្រាក់ដែលត្រូវសងប្រចាំខែមិនអាចត្រូវបានធំជាងចំនួនទឹកប្រាក់ឥណទាន
@@ -3250,8 +3274,8 @@
DocType: Purchase Invoice,Print Language,បោះពុម្ពភាសា
DocType: Salary Slip,Total Working Hours,ម៉ោងធ្វើការសរុប
DocType: Stock Entry,Including items for sub assemblies,អនុដែលរួមមានធាតុសម្រាប់សភា
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,បញ្ចូលតម្លៃត្រូវតែវិជ្ជមាន
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,ទឹកដីទាំងអស់
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,បញ្ចូលតម្លៃត្រូវតែវិជ្ជមាន
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,ទឹកដីទាំងអស់
DocType: Purchase Invoice,Items,ធាតុ
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,និស្សិតត្រូវបានចុះឈ្មោះរួចហើយ។
DocType: Fiscal Year,Year Name,ឈ្មោះចូលឆ្នាំ
@@ -3270,10 +3294,10 @@
DocType: Issue,Opening Time,ម៉ោងបើក
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,ពីនិងដើម្បីកាលបរិច្ឆេទដែលបានទាមទារ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,ផ្លាស់ប្តូរទំនិញនិងមូលបត្រ
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',អង្គភាពលំនាំដើមនៃវិធានការសម្រាប់វ៉ារ្យង់ '{0} "ត្រូវតែមានដូចគ្នានៅក្នុងទំព័រគំរូ' {1} '
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',អង្គភាពលំនាំដើមនៃវិធានការសម្រាប់វ៉ារ្យង់ '{0} "ត្រូវតែមានដូចគ្នានៅក្នុងទំព័រគំរូ' {1} '
DocType: Shipping Rule,Calculate Based On,គណនាមូលដ្ឋាននៅលើ
DocType: Delivery Note Item,From Warehouse,ចាប់ពីឃ្លាំង
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,គ្មានធាតុជាមួយលោក Bill នៃសម្ភារៈដើម្បីផលិត
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,គ្មានធាតុជាមួយលោក Bill នៃសម្ភារៈដើម្បីផលិត
DocType: Assessment Plan,Supervisor Name,ឈ្មោះអ្នកគ្រប់គ្រង
DocType: Program Enrollment Course,Program Enrollment Course,កម្មវិធីវគ្គបណ្តុះបណ្តាលចុះឈ្មោះ
DocType: Program Enrollment Course,Program Enrollment Course,កម្មវិធីវគ្គបណ្តុះបណ្តាលចុះឈ្មោះ
@@ -3289,18 +3313,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"ថ្ងៃចាប់ពីលំដាប់ចុងក្រោយ 'ត្រូវតែធំជាងឬស្មើសូន្យ
DocType: Process Payroll,Payroll Frequency,ភពញឹកញប់បើកប្រាក់បៀវត្ស
DocType: Asset,Amended From,ធ្វើវិសោធនកម្មពី
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,វត្ថុធាតុដើម
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,វត្ថុធាតុដើម
DocType: Leave Application,Follow via Email,សូមអនុវត្តតាមរយៈអ៊ីម៉ែល
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,រុក្ខជាតិនិងគ្រឿងម៉ាស៊ីន
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,រុក្ខជាតិនិងគ្រឿងម៉ាស៊ីន
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,ចំនួនប្រាក់ពន្ធបន្ទាប់ពីចំនួនទឹកប្រាក់ដែលបញ្ចុះតម្លៃ
DocType: Daily Work Summary Settings,Daily Work Summary Settings,ការកំណត់សង្ខេបការងារប្រចាំថ្ងៃ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},រូបិយប័ណ្ណនៃបញ្ជីតម្លៃ {0} គឺមិនមានលក្ខណៈស្រដៀងគ្នាជាមួយរូបិយប័ណ្ណដែលបានជ្រើស {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},រូបិយប័ណ្ណនៃបញ្ជីតម្លៃ {0} គឺមិនមានលក្ខណៈស្រដៀងគ្នាជាមួយរូបិយប័ណ្ណដែលបានជ្រើស {1}
DocType: Payment Entry,Internal Transfer,សេវាផ្ទេរប្រាក់ផ្ទៃក្នុង
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,គណនីកុមារដែលមានសម្រាប់គណនីនេះ។ អ្នកមិនអាចលុបគណនីនេះ។
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,គណនីកុមារដែលមានសម្រាប់គណនីនេះ។ អ្នកមិនអាចលុបគណនីនេះ។
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ទាំង qty គោលដៅឬចំនួនគោលដៅគឺជាចាំបាច់
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},គ្មាន Bom លំនាំដើមសម្រាប់ធាតុមាន {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},គ្មាន Bom លំនាំដើមសម្រាប់ធាតុមាន {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,សូមជ្រើសរើសកាលបរិច្ឆេទដំបូងគេបង្អស់
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,បើកកាលបរិច្ឆេទគួរតែមានមុនកាលបរិចេ្ឆទផុតកំណត់
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,សូមកំណត់ការដាក់ឈ្មោះកម្រងឯកសារសម្រាប់ {0} តាមរយៈការដំឡើង> ករកំណត់> ដាក់ឈ្មោះកម្រងឯកសារ
DocType: Leave Control Panel,Carry Forward,អនុវត្តការទៅមុខ
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,មជ្ឈមណ្ឌលប្រាក់ដែលមានស្រាប់ការចំណាយដែលមិនអាចត្រូវបានបម្លែងទៅជាសៀវភៅ
DocType: Department,Days for which Holidays are blocked for this department.,ថ្ងៃដែលថ្ងៃឈប់សម្រាកត្រូវបានបិទសម្រាប់នាយកដ្ឋាននេះ។
@@ -3310,11 +3335,10 @@
DocType: Issue,Raised By (Email),បានលើកឡើងដោយ (អ៊ីម៉ែល)
DocType: Training Event,Trainer Name,ឈ្មោះគ្រូបង្គោល
DocType: Mode of Payment,General,ទូទៅ
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,ភ្ជាប់ក្បាលលិខិត
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,ការទំនាក់ទំនងចុងក្រោយ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,ការទំនាក់ទំនងចុងក្រោយ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',មិនអាចធ្វើការកាត់កងនៅពេលដែលប្រភេទគឺសម្រាប់ 'វាយតម្លៃ' ឬ 'វាយតម្លៃនិងសរុប
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",រាយបញ្ជីក្បាលពន្ធរបស់អ្នក (ឧទាហរណ៍អាករលើតម្លៃបន្ថែមពន្ធគយលពួកគេគួរតែមានឈ្មោះតែមួយគត់) និងអត្រាការស្ដង់ដាររបស់ខ្លួន។ ការនេះនឹងបង្កើតគំរូស្តង់ដាដែលអ្នកអាចកែសម្រួលនិងបន្ថែមច្រើនទៀតនៅពេលក្រោយ។
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",រាយបញ្ជីក្បាលពន្ធរបស់អ្នក (ឧទាហរណ៍អាករលើតម្លៃបន្ថែមពន្ធគយលពួកគេគួរតែមានឈ្មោះតែមួយគត់) និងអត្រាការស្ដង់ដាររបស់ខ្លួន។ ការនេះនឹងបង្កើតគំរូស្តង់ដាដែលអ្នកអាចកែសម្រួលនិងបន្ថែមច្រើនទៀតនៅពេលក្រោយ។
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Nos ដែលត្រូវការសម្រាប់ធាតុសៀរៀលសៀរៀល {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,វិកិយប័ត្រទូទាត់ប្រកួតជាមួយ
DocType: Journal Entry,Bank Entry,ចូលធនាគារ
@@ -3323,16 +3347,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,បញ្ចូលទៅក្នុងរទេះ
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,ក្រុមតាម
DocType: Guardian,Interests,ចំណាប់អារម្មណ៍
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,អនុញ្ញាត / មិនអនុញ្ញាតឱ្យរូបិយប័ណ្ណ។
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,អនុញ្ញាត / មិនអនុញ្ញាតឱ្យរូបិយប័ណ្ណ។
DocType: Production Planning Tool,Get Material Request,ទទួលបានសម្ភារៈសំណើ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,ចំណាយប្រៃសណីយ៍
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,ចំណាយប្រៃសណីយ៍
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),សរុប (AMT)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,"ការកំសាន្ត, ការលំហែ"
DocType: Quality Inspection,Item Serial No,គ្មានសៀរៀលធាតុ
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,បង្កើតកំណត់ត្រាបុគ្គលិក
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,បច្ចុប្បន្នសរុប
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,របាយការណ៍គណនី
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,ហួរ
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,ហួរ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,គ្មានស៊េរីថ្មីនេះមិនអាចមានឃ្លាំង។ ឃ្លាំងត្រូវតែត្រូវបានកំណត់ដោយបង្កាន់ដៃហ៊ុនទិញចូលឬ
DocType: Lead,Lead Type,ការនាំមុខប្រភេទ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,អ្នកមិនត្រូវបានអនុញ្ញាតឱ្យអនុម័តស្លឹកនៅលើកាលបរិច្ឆេទប្លុក
@@ -3344,6 +3368,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,នេះបន្ទាប់ពីការជំនួស Bom
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,ចំណុចនៃការលក់
DocType: Payment Entry,Received Amount,ទទួលបានចំនួនទឹកប្រាក់
+DocType: GST Settings,GSTIN Email Sent On,GSTIN ផ្ញើអ៊ីម៉ែលនៅលើ
+DocType: Program Enrollment,Pick/Drop by Guardian,ជ្រើសយក / ទម្លាក់ដោយអាណាព្យាបាល
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","បង្កើតសម្រាប់បរិមាណពេញលេញ, មិនអើពើនឹងការបញ្ជាទិញរួចទៅហើយបរិមាណ"
DocType: Account,Tax,ការបង់ពន្ធ
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,មិនត្រូវបានសម្គាល់
@@ -3357,7 +3383,7 @@
DocType: Batch,Source Document Name,ឈ្មោះឯកសារប្រភព
DocType: Job Opening,Job Title,ចំណងជើងការងារ
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,បង្កើតអ្នកប្រើ
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,ក្រាម
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,ក្រាម
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,បរិមាណដែលត្រូវទទួលទានក្នុងការផលិតត្រូវតែធំជាង 0 ។
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,សូមចូលទស្សនារបាយការណ៍សម្រាប់ការហៅថែទាំ។
DocType: Stock Entry,Update Rate and Availability,អត្រាធ្វើឱ្យទាន់សម័យនិងអាចរកបាន
@@ -3365,7 +3391,7 @@
DocType: POS Customer Group,Customer Group,ក្រុមផ្ទាល់ខ្លួន
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),លេខសម្គាល់ជំនាន់ថ្មី (ជាជម្រើស)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),លេខសម្គាល់ជំនាន់ថ្មី (ជាជម្រើស)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},គណនីក្នុងការចំណាយជាការចាំបាច់សម្រាប់ធាតុ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},គណនីក្នុងការចំណាយជាការចាំបាច់សម្រាប់ធាតុ {0}
DocType: BOM,Website Description,វេបសាយការពិពណ៌នាសង្ខេប
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,ការផ្លាស់ប្តូរសុទ្ធនៅសមភាព
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,សូមបោះបង់ការទិញវិក័យប័ត្រ {0} ដំបូង
@@ -3375,8 +3401,8 @@
,Sales Register,ការលក់ចុះឈ្មោះ
DocType: Daily Work Summary Settings Company,Send Emails At,ផ្ញើអ៊ីម៉ែល
DocType: Quotation,Quotation Lost Reason,សម្រង់បាត់បង់មូលហេតុ
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,ជ្រើសដែនរបស់អ្នក
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},សេចក្ដីយោងប្រតិបត្តិការមិនមាន {0} {1} ចុះកាលបរិច្ឆេទ
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,ជ្រើសដែនរបស់អ្នក
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},សេចក្ដីយោងប្រតិបត្តិការមិនមាន {0} {1} ចុះកាលបរិច្ឆេទ
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,មិនមានអ្វីដើម្បីកែសម្រួលទេ។
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,សង្ខេបសម្រាប់ខែនេះនិងសកម្មភាពដែលមិនទាន់សម្រេច
DocType: Customer Group,Customer Group Name,ឈ្មោះក្រុមអតិថិជន
@@ -3384,14 +3410,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,សេចក្តីថ្លែងការណ៍លំហូរសាច់ប្រាក់
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},ចំនួនទឹកប្រាក់កម្ចីមិនអាចលើសពីចំនួនទឹកប្រាក់កម្ចីអតិបរមានៃ {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,អាជ្ញាប័ណ្ណ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},សូមយកវិក័យប័ត្រនេះ {0} ពី C-សំណុំបែបបទ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},សូមយកវិក័យប័ត្រនេះ {0} ពី C-សំណុំបែបបទ {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,សូមជ្រើសយកការទៅមុខផងដែរប្រសិនបើអ្នកចង់រួមបញ្ចូលតុល្យភាពឆ្នាំមុនសារពើពន្ធរបស់ទុកនឹងឆ្នាំសារពើពន្ធនេះ
DocType: GL Entry,Against Voucher Type,ប្រឆាំងនឹងប្រភេទប័ណ្ណ
DocType: Item,Attributes,គុណលក្ខណៈ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,សូមបញ្ចូលបិទសរសេរគណនី
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,សូមបញ្ចូលបិទសរសេរគណនី
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,លំដាប់ចុងក្រោយកាលបរិច្ឆេទ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},គណនី {0} មិនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,លេខសៀរៀលនៅក្នុងជួរដេក {0} មិនផ្គូផ្គងនឹងការដឹកជញ្ជូនចំណាំ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,លេខសៀរៀលនៅក្នុងជួរដេក {0} មិនផ្គូផ្គងនឹងការដឹកជញ្ជូនចំណាំ
DocType: Student,Guardian Details,កាសែត Guardian លំអិត
DocType: C-Form,C-Form,C-សំណុំបែបបទ
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,លោក Mark វត្តមានសម្រាប់បុគ្គលិកច្រើន
@@ -3406,15 +3432,15 @@
DocType: Budget Account,Budget Amount,ថវិកាចំនួន
DocType: Appraisal Template,Appraisal Template Title,ការវាយតម្លៃទំព័រគំរូចំណងជើង
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},ពីកាលបរិច្ឆេទសម្រាប់ការ {0} {1} និយោជិតមិនអាចមានការចូលរួមរបស់លោកមុនពេលដែលកាលបរិច្ឆេទបុគ្គលិក {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,ពាណិជ្ជ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,ពាណិជ្ជ
DocType: Payment Entry,Account Paid To,គណនីបង់ទៅ
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,ធាតុមេ {0} មិនត្រូវធាតុហ៊ុនមួយ
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,ផលិតផលឬសេវាកម្មទាំងអស់។
DocType: Expense Claim,More Details,លម្អិតបន្ថែមទៀត
DocType: Supplier Quotation,Supplier Address,ក្រុមហ៊ុនផ្គត់ផ្គង់អាសយដ្ឋាន
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',ជួរដេក {0} # គណនីត្រូវតែមានប្រភេទ "ទ្រព្យ"
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,ចេញ Qty
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,វិធានដើម្បីគណនាចំនួនដឹកជញ្ជូនសម្រាប់លក់
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',ជួរដេក {0} # គណនីត្រូវតែមានប្រភេទ "ទ្រព្យ"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,ចេញ Qty
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,វិធានដើម្បីគណនាចំនួនដឹកជញ្ជូនសម្រាប់លក់
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,កម្រងឯកសារចាំបាច់
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,សេវាហិរញ្ញវត្ថុ
DocType: Student Sibling,Student ID,លេខសម្គាល់របស់សិស្ស
@@ -3422,13 +3448,13 @@
DocType: Tax Rule,Sales,ការលក់
DocType: Stock Entry Detail,Basic Amount,ចំនួនទឹកប្រាក់ជាមូលដ្ឋាន
DocType: Training Event,Exam,ការប្រឡង
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},ឃ្លាំងដែលបានទាមទារសម្រាប់ធាតុភាគហ៊ុន {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},ឃ្លាំងដែលបានទាមទារសម្រាប់ធាតុភាគហ៊ុន {0}
DocType: Leave Allocation,Unused leaves,ស្លឹកមិនប្រើ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,CR
DocType: Tax Rule,Billing State,រដ្ឋវិក័យប័ត្រ
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,សេវាផ្ទេរប្រាក់
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} មិនបានភ្ជាប់ជាមួយគណនីរបស់គណបក្ស {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),យក Bom ផ្ទុះ (រួមបញ្ចូលទាំងសភាអនុ)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} មិនបានភ្ជាប់ជាមួយគណនីរបស់គណបក្ស {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),យក Bom ផ្ទុះ (រួមបញ្ចូលទាំងសភាអនុ)
DocType: Authorization Rule,Applicable To (Employee),ដែលអាចអនុវត្តទៅ (បុគ្គលិក)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,កាលបរិច្ឆេទដល់កំណត់គឺជាចាំបាច់
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,ចំនួនបន្ថែមសម្រាប់គុណលក្ខណៈ {0} មិនអាចជា 0
@@ -3456,7 +3482,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,លេខកូដធាតុវត្ថុធាតុដើម
DocType: Journal Entry,Write Off Based On,បិទការសរសេរមូលដ្ឋាននៅលើ
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,ធ្វើឱ្យការនាំមុខ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,បោះពុម្ពនិងការិយាល័យ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,បោះពុម្ពនិងការិយាល័យ
DocType: Stock Settings,Show Barcode Field,បង្ហាញវាលលេខកូដ
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,ផ្ញើអ៊ីម៉ែលផ្គត់ផ្គង់
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","ប្រាក់បៀវត្សដែលបានដំណើរការរួចទៅហើយសម្រាប់សម័យនេះរវាង {0} និង {1}, ទុកឱ្យរយៈពេលកម្មវិធីមិនអាចមានរវាងជួរកាលបរិច្ឆេទនេះ។"
@@ -3464,14 +3490,16 @@
DocType: Guardian Interest,Guardian Interest,កាសែត The Guardian ការប្រាក់
apps/erpnext/erpnext/config/hr.py +177,Training,ការបណ្តុះបណ្តាល
DocType: Timesheet,Employee Detail,បុគ្គលិកលំអិត
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,លេខសម្គាល់អ៊ីមែល Guardian1
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,លេខសម្គាល់អ៊ីមែល Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,លេខសម្គាល់អ៊ីមែល Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,លេខសម្គាល់អ៊ីមែល Guardian1
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,ថ្ងៃកាលបរិច្ឆេទក្រោយនិងធ្វើម្តងទៀតនៅថ្ងៃនៃខែត្រូវតែស្មើ
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,ការកំណត់សម្រាប់គេហទំព័រគេហទំព័រ
DocType: Offer Letter,Awaiting Response,រង់ចាំការឆ្លើយតប
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,ខាងលើ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,ខាងលើ
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},គុណលក្ខណៈមិនត្រឹមត្រូវ {0} {1}
DocType: Supplier,Mention if non-standard payable account,និយាយពីប្រសិនបើគណនីត្រូវបង់មិនស្តង់ដារ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},ធាតុដូចគ្នាត្រូវបានបញ្ចូលជាច្រើនដង។ {បញ្ជី}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',សូមជ្រើសក្រុមការវាយតម្លៃផ្សេងទៀតជាង "ក្រុមវាយតម្លៃទាំងអស់ '
DocType: Salary Slip,Earning & Deduction,ការរកប្រាក់ចំណូលនិងការកាត់បនថយ
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,ស្រេចចិត្ត។ ការកំណត់នេះនឹងត្រូវបានប្រើដើម្បីត្រងនៅក្នុងប្រតិបត្តិការនានា។
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,អត្រាវាយតម្លៃអវិជ្ជមានមិនត្រូវបានអនុញ្ញាត
@@ -3485,9 +3513,9 @@
DocType: Sales Invoice,Product Bundle Help,កញ្ចប់ជំនួយផលិតផល
,Monthly Attendance Sheet,សន្លឹកវត្តមានប្រចាំខែ
DocType: Production Order Item,Production Order Item,ផលិតកម្មធាតុលំដាប់
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,បានរកឃើញថាគ្មានកំណត់ត្រា
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,បានរកឃើញថាគ្មានកំណត់ត្រា
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,តម្លៃនៃទ្រព្យសម្បត្តិបានបោះបង់ចោល
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: មជ្ឈមណ្ឌលចំណាយគឺជាការចាំបាច់សម្រាប់ធាតុ {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: មជ្ឈមណ្ឌលចំណាយគឺជាការចាំបាច់សម្រាប់ធាតុ {2}
DocType: Vehicle,Policy No,គោលនយោបាយគ្មាន
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,ទទួលបានធាតុពីកញ្ចប់ផលិតផល
DocType: Asset,Straight Line,បន្ទាត់ត្រង់
@@ -3496,7 +3524,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,ពុះ
DocType: GL Entry,Is Advance,តើការជាមុន
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,ការចូលរួមពីកាលបរិច្ឆេទនិងចូលរួមកាលបរិច្ឆេទគឺជាចាំបាច់
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,សូមបញ្ចូល <តើកិច្ចសន្យាបន្ដ 'ជាបាទឬទេ
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,សូមបញ្ចូល <តើកិច្ចសន្យាបន្ដ 'ជាបាទឬទេ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,កាលបរិច្ឆេទចុងក្រោយការទំនាក់ទំនង
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,កាលបរិច្ឆេទចុងក្រោយការទំនាក់ទំនង
DocType: Sales Team,Contact No.,លេខទំនាក់ទំនងទៅ
@@ -3525,60 +3553,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,តម្លៃពិធីបើក
DocType: Salary Detail,Formula,រូបមន្ត
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,# សៀរៀល
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,គណៈកម្មការលើការលក់
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,គណៈកម្មការលើការលក់
DocType: Offer Letter Term,Value / Description,គុណតម្លៃ / ការពិពណ៌នាសង្ខេប
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ជួរដេក # {0}: ទ្រព្យសកម្ម {1} មិនអាចត្រូវបានដាក់ស្នើ, វារួចទៅហើយ {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ជួរដេក # {0}: ទ្រព្យសកម្ម {1} មិនអាចត្រូវបានដាក់ស្នើ, វារួចទៅហើយ {2}"
DocType: Tax Rule,Billing Country,វិក័យប័ត្រប្រទេស
DocType: Purchase Order Item,Expected Delivery Date,គេរំពឹងថាការដឹកជញ្ជូនកាលបរិច្ឆេទ
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,ឥណពន្ធនិងឥណទានមិនស្មើគ្នាសម្រាប់ {0} # {1} ។ ភាពខុសគ្នាគឺ {2} ។
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,ចំណាយកំសាន្ត
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,ធ្វើឱ្យសម្ភារៈសំណើ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,ចំណាយកំសាន្ត
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,ធ្វើឱ្យសម្ភារៈសំណើ
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},បើកធាតុ {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,ការលក់វិក័យប័ត្រ {0} ត្រូវតែបានលុបចោលមុនពេលលុបចោលការបញ្ជាលក់នេះ
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,ដែលមានអាយុ
DocType: Sales Invoice Timesheet,Billing Amount,ចំនួនវិក័យប័ត្រ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,បរិមាណមិនត្រឹមត្រូវដែលបានបញ្ជាក់សម្រាប់ធាតុ {0} ។ បរិមាណដែលត្រូវទទួលទានគួរតែធំជាង 0 ។
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,កម្មវិធីសម្រាប់ការឈប់សម្រាក។
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,គណនីប្រតិបត្តិការដែលមានស្រាប់ដែលមិនអាចត្រូវបានលុប
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,គណនីប្រតិបត្តិការដែលមានស្រាប់ដែលមិនអាចត្រូវបានលុប
DocType: Vehicle,Last Carbon Check,ពិនិត្យកាបូនចុងក្រោយនេះ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,ការចំណាយផ្នែកច្បាប់
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,ការចំណាយផ្នែកច្បាប់
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,សូមជ្រើសរើសបរិមាណនៅលើជួរដេក
DocType: Purchase Invoice,Posting Time,ម៉ោងប្រកាស
DocType: Timesheet,% Amount Billed,% ចំនួន billed
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,ការចំណាយតាមទូរស័ព្ទ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,ការចំណាយតាមទូរស័ព្ទ
DocType: Sales Partner,Logo,រូបសញ្ញា
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,ធីកប្រអប់នេះប្រសិនបើអ្នកចង់បង្ខំឱ្យអ្នកប្រើជ្រើសស៊េរីមុនពេលរក្សាទុក។ វានឹងជាលំនាំដើមប្រសិនបើអ្នកធីកនេះ។
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},គ្មានធាតុជាមួយសៀរៀលគ្មាន {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},គ្មានធាតុជាមួយសៀរៀលគ្មាន {0}
DocType: Email Digest,Open Notifications,ការជូនដំណឹងបើកទូលាយ
DocType: Payment Entry,Difference Amount (Company Currency),ចំនួនទឹកប្រាក់ផ្សេងគ្នា (ក្រុមហ៊ុនរូបិយប័ណ្ណ)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,ការចំណាយដោយផ្ទាល់
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,ការចំណាយដោយផ្ទាល់
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} គឺជាអាសយដ្ឋានអ៊ីមែលមិនត្រឹមត្រូវនៅក្នុង 'ការជូនដំណឹង \ អាសយដ្ឋានអ៊ីមែល'
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,ប្រាក់ចំណូលអតិថិជនថ្មី
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,ការចំណាយការធ្វើដំណើរ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,ការចំណាយការធ្វើដំណើរ
DocType: Maintenance Visit,Breakdown,ការវិភាគ
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,គណនី: {0} ដែលមានរូបិយប័ណ្ណ: {1} មិនអាចត្រូវបានជ្រើស & ‧;
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,គណនី: {0} ដែលមានរូបិយប័ណ្ណ: {1} មិនអាចត្រូវបានជ្រើស & ‧;
DocType: Bank Reconciliation Detail,Cheque Date,កាលបរិច្ឆេទមូលប្បទានប័ត្រ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},គណនី {0}: គណនីមាតាបិតា {1} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},គណនី {0}: គណនីមាតាបិតា {1} មិនមែនជាកម្មសិទ្ធិរបស់ក្រុមហ៊ុន: {2}
DocType: Program Enrollment Tool,Student Applicants,បេក្ខជនសិស្ស
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,ទទួលបានជោគជ័យក្នុងការតិបត្តិការទាំងអស់ដែលបានលុបដែលទាក់ទងទៅនឹងក្រុមហ៊ុននេះ!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,ទទួលបានជោគជ័យក្នុងការតិបត្តិការទាំងអស់ដែលបានលុបដែលទាក់ទងទៅនឹងក្រុមហ៊ុននេះ!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,ដូចជានៅលើកាលបរិច្ឆេទ
DocType: Appraisal,HR,ធនធានមនុស្ស
DocType: Program Enrollment,Enrollment Date,កាលបរិច្ឆេទចុះឈ្មោះចូលរៀន
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,ការសាកល្បង
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,ការសាកល្បង
apps/erpnext/erpnext/config/hr.py +115,Salary Components,សមាសភាគប្រាក់ខែ
DocType: Program Enrollment Tool,New Academic Year,ឆ្នាំសិក្សាថ្មី
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,ការវិលត្រឡប់ / ឥណទានចំណាំ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,ការវិលត្រឡប់ / ឥណទានចំណាំ
DocType: Stock Settings,Auto insert Price List rate if missing,បញ្ចូលដោយស្វ័យប្រវត្តិប្រសិនបើអ្នកមានអត្រាតារាងតម្លៃបាត់ខ្លួន
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,ចំនួនទឹកប្រាក់ដែលបង់សរុប
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,ចំនួនទឹកប្រាក់ដែលបង់សរុប
DocType: Production Order Item,Transferred Qty,ផ្ទេរ Qty
apps/erpnext/erpnext/config/learn.py +11,Navigating,ការរុករក
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,ការធ្វើផែនការ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,ចេញផ្សាយ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,ការធ្វើផែនការ
+DocType: Material Request,Issued,ចេញផ្សាយ
DocType: Project,Total Billing Amount (via Time Logs),ចំនួនវិក័យប័ត្រសរុប (តាមរយៈការពេលវេលាកំណត់ហេតុ)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,យើងលក់ធាតុនេះ
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,លេខសម្គាល់អ្នកផ្គត់ផ្គង់
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,យើងលក់ធាតុនេះ
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,លេខសម្គាល់អ្នកផ្គត់ផ្គង់
DocType: Payment Request,Payment Gateway Details,សេចក្ដីលម្អិតការទូទាត់
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,បរិមាណដែលត្រូវទទួលទានគួរជាធំជាង 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,បរិមាណដែលត្រូវទទួលទានគួរជាធំជាង 0
DocType: Journal Entry,Cash Entry,ចូលជាសាច់ប្រាក់
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,ថ្នាំងកុមារអាចត្រូវបានបង្កើតតែនៅក្រោមថ្នាំងប្រភេទ 'ក្រុម
DocType: Leave Application,Half Day Date,កាលបរិច្ឆេទពាក់កណ្តាលថ្ងៃ
@@ -3590,14 +3619,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},សូមកំណត់គណនីលំនាំដើមនៅក្នុងប្រភេទពាក្យបណ្តឹងការចំណាយ {0}
DocType: Assessment Result,Student Name,ឈ្មោះរបស់និស្សិត
DocType: Brand,Item Manager,កម្មវិធីគ្រប់គ្រងធាតុ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,បើកប្រាក់បៀវត្សដែលត្រូវបង់
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,បើកប្រាក់បៀវត្សដែលត្រូវបង់
DocType: Buying Settings,Default Supplier Type,ប្រភេទហាងទំនិញលំនាំដើម
DocType: Production Order,Total Operating Cost,ថ្លៃប្រតិបត្តិការ
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,ចំណាំ: ធាតុ {0} បានចូលច្រើនដង
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,ទំនាក់ទំនងទាំងអស់។
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,អក្សរកាត់របស់ក្រុមហ៊ុន
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,អក្សរកាត់របស់ក្រុមហ៊ុន
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,ប្រើ {0} មិនមាន
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,វត្ថុធាតុដើមមិនអាចជាដូចគ្នាដូចដែលធាតុដ៏សំខាន់
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,វត្ថុធាតុដើមមិនអាចជាដូចគ្នាដូចដែលធាតុដ៏សំខាន់
DocType: Item Attribute Value,Abbreviation,អក្សរកាត់
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,ចូលការទូទាត់រួចហើយ
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,មិន authroized តាំងពី {0} លើសពីដែនកំណត់
@@ -3606,35 +3635,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,កំណត់ច្បាប់ពន្ធសម្រាប់រទេះដើរទិញឥវ៉ាន់
DocType: Purchase Invoice,Taxes and Charges Added,ពន្ធនិងការចោទប្រកាន់បន្ថែម
,Sales Funnel,ការប្រមូលផ្តុំការលក់
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,អក្សរកាត់គឺជាការចាំបាច់
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,អក្សរកាត់គឺជាការចាំបាច់
DocType: Project,Task Progress,វឌ្ឍនភាពភារកិច្ច
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,រទេះ
,Qty to Transfer,qty ដើម្បីផ្ទេរ
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,ដកស្រង់ដើម្បីដឹកនាំឬអតិថិជន។
DocType: Stock Settings,Role Allowed to edit frozen stock,តួនាទីដែលត្រូវបានអនុញ្ញាតឱ្យកែសម្រួលភាគហ៊ុនទឹកកក
,Territory Target Variance Item Group-Wise,ទឹកដីរបស់ធាតុគោលដៅអថេរ Group និងក្រុមហ៊ុនដែលមានប្រាជ្ញា
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,ក្រុមអតិថិជនទាំងអស់
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,ក្រុមអតិថិជនទាំងអស់
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,បង្គរប្រចាំខែ
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} គឺជាចាំបាច់។ ប្រហែលជាកំណត់ត្រាប្តូររូបិយប័ណ្ណមិនត្រូវបានបង្កើតឡើងសម្រាប់ {1} ទៅ {2} ។
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} គឺជាចាំបាច់។ ប្រហែលជាកំណត់ត្រាប្តូររូបិយប័ណ្ណមិនត្រូវបានបង្កើតឡើងសម្រាប់ {1} ទៅ {2} ។
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,ទំព័រគំរូពន្ធលើគឺជាចាំបាច់។
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,គណនី {0}: គណនីមាតាបិតា {1} មិនមាន
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,គណនី {0}: គណនីមាតាបិតា {1} មិនមាន
DocType: Purchase Invoice Item,Price List Rate (Company Currency),បញ្ជីតម្លៃដែលអត្រា (ក្រុមហ៊ុនរូបិយវត្ថុ)
DocType: Products Settings,Products Settings,ការកំណត់ផលិតផល
DocType: Account,Temporary,ជាបណ្តោះអាសន្ន
DocType: Program,Courses,វគ្គសិក្សា
DocType: Monthly Distribution Percentage,Percentage Allocation,ការបម្រុងទុកជាភាគរយ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,លេខាធិការ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,លេខាធិការ
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",ប្រសិនបើបានបិទ "នៅក្នុងពាក្យ" វាលនឹងមិនត្រូវបានមើលឃើញនៅក្នុងប្រតិបត្តិការណាមួយឡើយ
DocType: Serial No,Distinct unit of an Item,អង្គភាពផ្សេងគ្នានៃធាតុ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,សូមកំណត់ក្រុមហ៊ុន
DocType: Pricing Rule,Buying,ការទិញ
DocType: HR Settings,Employee Records to be created by,កំណត់ត្រាបុគ្គលិកដែលនឹងត្រូវបានបង្កើតឡើងដោយ
DocType: POS Profile,Apply Discount On,អនុវត្តការបញ្ចុះតំលៃនៅលើ
,Reqd By Date,Reqd តាមកាលបរិច្ឆេទ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,ម្ចាស់បំណុល
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,ម្ចាស់បំណុល
DocType: Assessment Plan,Assessment Name,ឈ្មោះការវាយតំលៃ
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,ជួរដេក # {0}: មិនស៊េរីគឺជាការចាំបាច់
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,ពត៌មានលំអិតពន្ធលើដែលមានប្រាជ្ញាធាតុ
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,អក្សរកាត់វិទ្យាស្ថាន
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,អក្សរកាត់វិទ្យាស្ថាន
,Item-wise Price List Rate,អត្រាតារាងតម្លៃធាតុប្រាជ្ញា
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,សម្រង់ក្រុមហ៊ុនផ្គត់ផ្គង់
DocType: Quotation,In Words will be visible once you save the Quotation.,នៅក្នុងពាក្យនោះនឹងត្រូវបានមើលឃើញនៅពេលដែលអ្នករក្សាទុកការសម្រង់នេះ។
@@ -3642,14 +3672,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},បរិមាណ ({0}) មិនអាចជាប្រភាគក្នុងមួយជួរដេក {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,ប្រមូលថ្លៃ
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},លេខកូដ {0} ត្រូវបានប្រើរួចហើយនៅក្នុងធាតុ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},លេខកូដ {0} ត្រូវបានប្រើរួចហើយនៅក្នុងធាតុ {1}
DocType: Lead,Add to calendar on this date,បញ្ចូលទៅក្នុងប្រតិទិនស្តីពីកាលបរិច្ឆេទនេះ
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,ក្បួនសម្រាប់ការបន្ថែមការចំណាយលើការដឹកជញ្ជូន។
DocType: Item,Opening Stock,ការបើកផ្សារហ៊ុន
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,អតិថិជនគឺត្រូវបានទាមទារ
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} គឺជាការចាំបាច់សម្រាប់ការត្រឡប់
DocType: Purchase Order,To Receive,ដើម្បីទទួលបាន
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,អ៊ីម៉ែលផ្ទាល់ខ្លួន
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,អថេរចំនួនសរុប
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",បើអនុញ្ញាតប្រព័ន្ធនេះនឹងផ្តល់ការបញ្ចូលគណនីសម្រាប់ការដោយស្វ័យប្រវត្តិ។
@@ -3660,13 +3689,14 @@
DocType: Customer,From Lead,បានមកពីអ្នកដឹកនាំ
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ការបញ្ជាទិញដែលបានចេញផ្សាយសម្រាប់ការផលិត។
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,ជ្រើសឆ្នាំសារពើពន្ធ ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,ម៉ាស៊ីនឆូតកាតពត៌មានផ្ទាល់ខ្លួនត្រូវបានទាមទារដើម្បីធ្វើឱ្យធាតុរបស់ម៉ាស៊ីនឆូតកាត
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,ម៉ាស៊ីនឆូតកាតពត៌មានផ្ទាល់ខ្លួនត្រូវបានទាមទារដើម្បីធ្វើឱ្យធាតុរបស់ម៉ាស៊ីនឆូតកាត
DocType: Program Enrollment Tool,Enroll Students,ចុះឈ្មោះសិស្ស
DocType: Hub Settings,Name Token,ឈ្មោះនិមិត្តសញ្ញា
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,ស្តង់ដាលក់
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,យ៉ាងហោចណាស់មានម្នាក់ឃ្លាំងគឺជាចាំបាច់
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,យ៉ាងហោចណាស់មានម្នាក់ឃ្លាំងគឺជាចាំបាច់
DocType: Serial No,Out of Warranty,ចេញពីការធានា
DocType: BOM Replace Tool,Replace,ជំនួស
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,គ្មានផលិតផលដែលបានរកឃើញ។
DocType: Production Order,Unstopped,ឮ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} ប្រឆាំងនឹងការលក់វិក័យប័ត្រ {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3677,13 +3707,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,ភាពខុសគ្នាតម្លៃភាគហ៊ុន
apps/erpnext/erpnext/config/learn.py +234,Human Resource,ធនធានមនុស្ស
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,ការទូទាត់ការផ្សះផ្សាការទូទាត់
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,ការប្រមូលពន្ធលើទ្រព្យសម្បត្តិ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,ការប្រមូលពន្ធលើទ្រព្យសម្បត្តិ
DocType: BOM Item,BOM No,Bom គ្មាន
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,ធាតុទិនានុប្បវត្តិ {0} មិនមានគណនី {1} ឬកាតមានទឹកប្រាក់រួចហើយបានផ្គូផ្គងប្រឆាំងនឹងផ្សេងទៀត
DocType: Item,Moving Average,ជាមធ្យមការផ្លាស់ប្តូរ
DocType: BOM Replace Tool,The BOM which will be replaced,Bom ដែលនឹងត្រូវបានជំនួស
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,ឧបករណ៍អេឡិចត្រូនិ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,ឧបករណ៍អេឡិចត្រូនិ
DocType: Account,Debit,ឥណពន្ធ
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"ស្លឹកត្រូវតែត្រូវបានបម្រុងទុកនៅក្នុង 0,5 ច្រើន"
DocType: Production Order,Operation Cost,ប្រតិបត្ដិការចំណាយ
@@ -3691,7 +3721,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,ឆ្នើម AMT
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,ធាតុសំណុំក្រុមគោលដៅប្រាជ្ញាសម្រាប់ការនេះការលក់បុគ្គល។
DocType: Stock Settings,Freeze Stocks Older Than [Days],ភាគហ៊ុនបង្កកចាស់ជាង [ថ្ងៃ]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,ជួរដេក # {0}: ទ្រព្យសកម្មគឺជាការចាំបាច់សម្រាប់ទ្រព្យសកម្មថេរទិញ / លក់
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,ជួរដេក # {0}: ទ្រព្យសកម្មគឺជាការចាំបាច់សម្រាប់ទ្រព្យសកម្មថេរទិញ / លក់
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",បើសិនជាវិធានតម្លៃពីរឬច្រើនត្រូវបានរកឃើញដោយផ្អែកលើលក្ខខណ្ឌខាងលើអាទិភាពត្រូវបានអនុវត្ត។ អាទិភាពគឺជាលេខរវាង 0 ទៅ 20 ខណៈពេលតម្លៃលំនាំដើមគឺសូន្យ (ទទេ) ។ ចំនួនខ្ពស់មានន័យថាវានឹងយកអាទិភាពប្រសិនបើមិនមានវិធានតម្លៃច្រើនដែលមានស្ថានភាពដូចគ្នា។
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,ឆ្នាំសារពើពន្ធ: {0} មិនមាន
DocType: Currency Exchange,To Currency,ដើម្បីរូបិយប័ណ្ណ
@@ -3700,7 +3730,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},អត្រាសម្រាប់ធាតុលក់ {0} គឺទាបជាង {1} របស់ខ្លួន។ អត្រាលក់គួរមានយ៉ាងហោចណាស់ {2}
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},អត្រាសម្រាប់ធាតុលក់ {0} គឺទាបជាង {1} របស់ខ្លួន។ អត្រាលក់គួរមានយ៉ាងហោចណាស់ {2}
DocType: Item,Taxes,ពន្ធ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,បង់និងការមិនផ្តល់
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,បង់និងការមិនផ្តល់
DocType: Project,Default Cost Center,មជ្ឈមណ្ឌលតម្លៃលំនាំដើម
DocType: Bank Guarantee,End Date,កាលបរិច្ឆេទបញ្ចប់
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,ប្រតិបត្តិការភាគហ៊ុន
@@ -3725,24 +3755,22 @@
DocType: Employee,Held On,ប្រារព្ធឡើងនៅថ្ងៃទី
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,ផលិតកម្មធាតុ
,Employee Information,ព័ត៌មានបុគ្គលិក
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),អត្រាការប្រាក់ (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),អត្រាការប្រាក់ (%)
DocType: Stock Entry Detail,Additional Cost,ការចំណាយបន្ថែមទៀត
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,កាលបរិច្ឆេទឆ្នាំហិរញ្ញវត្ថុបញ្ចប់
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",មិនអាចត្រងដោយផ្អែកលើប័ណ្ណគ្មានប្រសិនបើដាក់ជាក្រុមតាមប័ណ្ណ
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,ធ្វើឱ្យសម្រង់ផ្គត់ផ្គង់
DocType: Quality Inspection,Incoming,មកដល់
DocType: BOM,Materials Required (Exploded),សំភារៈទាមទារ (ផ្ទុះ)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself",បន្ថែមអ្នកប្រើប្រាស់ក្នុងអង្គការរបស់អ្នកក្រៅពីខ្លួនអ្នកផ្ទាល់
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,ការប្រកាសកាលបរិច្ឆេទមិនអាចបរិច្ឆេទនាពេលអនាគត
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},ជួរដេក # {0}: សៀរៀលគ្មាន {1} មិនផ្គូផ្គងនឹង {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,ចាកចេញធម្មតា
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,ចាកចេញធម្មតា
DocType: Batch,Batch ID,លេខសម្គាល់បាច់
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},ចំណាំ: {0}
,Delivery Note Trends,និន្នាការដឹកជញ្ជូនចំណាំ
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,សប្តាហ៍នេះមានសេចក្តីសង្ខេប
-,In Stock Qty,នៅក្នុងផ្សារ Qty
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,នៅក្នុងផ្សារ Qty
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,គណនី: {0} អាចត្រូវបានធ្វើឱ្យទាន់សម័យបានតែតាមរយៈប្រតិបត្តិការហ៊ុន
-DocType: Program Enrollment,Get Courses,ទទួលបានវគ្គសិក្សា
+DocType: Student Group Creation Tool,Get Courses,ទទួលបានវគ្គសិក្សា
DocType: GL Entry,Party,គណបក្ស
DocType: Sales Order,Delivery Date,ដឹកជញ្ជូនកាលបរិច្ឆេទ
DocType: Opportunity,Opportunity Date,កាលបរិច្ឆេទឱកាសការងារ
@@ -3750,14 +3778,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,ស្នើសុំសម្រាប់ធាតុសម្រង់
DocType: Purchase Order,To Bill,លោក Bill
DocType: Material Request,% Ordered,% លំដាប់
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",សម្រាប់សិស្សនិស្សិតដែលមានមូលដ្ឋានលើវគ្គសិក្សាជាក្រុមហើយវគ្គនេះនឹងមានសុពលភាពសម្រាប់គ្រប់សិស្សចុះឈ្មោះចូលរៀនវគ្គសិក្សានេះបានមកពីកម្មវិធីចុះឈ្មោះចូលរៀននៅ។
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","បញ្ចូលអាសយដ្ឋានអ៊ីមែលដែលបំបែកដោយសញ្ញាក្បៀស, វិក័យប័ត្រនឹងត្រូវបានផ្ញើដោយស្វ័យប្រវត្តិនៅលើកាលបរិច្ឆេទពិសេស"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,ម៉ៅការ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,ម៉ៅការ
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,ជាមធ្យម។ អត្រាទិញ
DocType: Task,Actual Time (in Hours),ពេលវេលាពិតប្រាកដ (នៅក្នុងម៉ោងធ្វើការ)
DocType: Employee,History In Company,ប្រវត្តិសាស្រ្តនៅក្នុងក្រុមហ៊ុន
apps/erpnext/erpnext/config/learn.py +107,Newsletters,ព្រឹត្តិបត្រ
DocType: Stock Ledger Entry,Stock Ledger Entry,ភាគហ៊ុនធាតុសៀវភៅ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,អតិថិជន> ក្រុមអតិថិជន> ដែនដី
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,ធាតុដូចគ្នាត្រូវបានបញ្ចូលច្រើនដង
DocType: Department,Leave Block List,ទុកឱ្យបញ្ជីប្លុក
DocType: Sales Invoice,Tax ID,លេខសម្គាល់ការប្រមូលពន្ធលើ
@@ -3772,30 +3800,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} គ្រឿង {1} ត្រូវការជាចាំបាច់ក្នុង {2} ដើម្បីបញ្ចប់ការប្រតិបត្តិការនេះ។
DocType: Loan Type,Rate of Interest (%) Yearly,អត្រានៃការប្រាក់ (%) ប្រចាំឆ្នាំ
DocType: SMS Settings,SMS Settings,កំណត់ការផ្ញើសារជាអក្សរ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,គណនីបណ្តោះអាសន្ន
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,ពណ៌ខ្មៅ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,គណនីបណ្តោះអាសន្ន
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,ពណ៌ខ្មៅ
DocType: BOM Explosion Item,BOM Explosion Item,ធាតុផ្ទុះ Bom
DocType: Account,Auditor,សវនករ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} ធាតុផលិត
DocType: Cheque Print Template,Distance from top edge,ចម្ងាយពីគែមកំពូល
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,បញ្ជីតម្លៃ {0} ត្រូវបានបិទឬមិនមាន
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,បញ្ជីតម្លៃ {0} ត្រូវបានបិទឬមិនមាន
DocType: Purchase Invoice,Return,ត្រឡប់មកវិញ
DocType: Production Order Operation,Production Order Operation,ផលិតកម្មលំដាប់ប្រតិបត្តិការ
DocType: Pricing Rule,Disable,មិនអនុញ្ញាត
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,របៀបនៃការទូទាត់គឺត្រូវបានទាមទារដើម្បីធ្វើឱ្យការទូទាត់
DocType: Project Task,Pending Review,ការរង់ចាំការត្រួតពិនិត្យឡើងវិញ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} មិនត្រូវបានចុះឈ្មោះក្នុងជំនាន់ទី {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","ទ្រព្យសកម្ម {0} មិនអាចត្រូវបានបោះបង់ចោល, ដូចដែលវាមានរួចទៅ {1}"
DocType: Task,Total Expense Claim (via Expense Claim),ពាក្យបណ្តឹងការចំណាយសរុប (តាមរយៈបណ្តឹងទាមទារការចំណាយ)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,លេខសម្គាល់អតិថិជន
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,លោក Mark អវត្តមាន
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ជួរដេក {0}: រូបិយប័ណ្ណរបស់ Bom បាន # {1} គួរតែស្មើនឹងរូបិយប័ណ្ណដែលបានជ្រើស {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ជួរដេក {0}: រូបិយប័ណ្ណរបស់ Bom បាន # {1} គួរតែស្មើនឹងរូបិយប័ណ្ណដែលបានជ្រើស {2}
DocType: Journal Entry Account,Exchange Rate,អត្រាប្តូរប្រាក់
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,ការលក់លំដាប់ {0} គឺមិនត្រូវបានដាក់ស្នើ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,ការលក់លំដាប់ {0} គឺមិនត្រូវបានដាក់ស្នើ
DocType: Homepage,Tag Line,បន្ទាត់ស្លាក
DocType: Fee Component,Fee Component,សមាសភាគថ្លៃសេវា
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,គ្រប់គ្រងកងនាវា
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,បន្ថែមធាតុពី
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},ឃ្លាំង {0}: គណនីមាតាបិតា {1} មិន bolong ទៅក្រុមហ៊ុន {2}
DocType: Cheque Print Template,Regular,ទៀងទាត
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,weightage សរុបនៃលក្ខណៈវិនិច្ឆ័យការវាយតម្លៃទាំងអស់ត្រូវ 100%
DocType: BOM,Last Purchase Rate,អត្រាទិញចុងក្រោយ
@@ -3804,11 +3831,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,ភាគហ៊ុនមិនអាចមានសម្រាប់ធាតុ {0} តាំងពីមានវ៉ារ្យ៉ង់
,Sales Person-wise Transaction Summary,ការលក់បុគ្គលប្រាជ្ញាសង្ខេបប្រតិបត្តិការ
DocType: Training Event,Contact Number,លេខទំនាក់ទំនង
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,ឃ្លាំង {0} មិនមាន
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,ឃ្លាំង {0} មិនមាន
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,ចុះឈ្មោះសម្រាប់ហាប់ ERPNext
DocType: Monthly Distribution,Monthly Distribution Percentages,ចំនួនភាគរយចែកចាយប្រចាំខែ
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,ធាតុដែលបានជ្រើសមិនអាចមានជំនាន់ទី
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","រកមិនឃើញអត្រានៃការវាយតម្លៃសម្រាប់ធាតុដែលបាន {0}, ដែលត្រូវបានតម្រូវឱ្យធ្វើការបញ្ចូលគណនីសម្រាប់ {1} {2} ។ បើធាតុនេះត្រូវបានប្រតិបត្តិការជាធាតុគំរូមួយនៅក្នុង {1}, សូមនិយាយថានៅក្នុង {1} តារាងធាតុ។ បើមិនដូច្នោះទេសូមបង្កើតភាគហ៊ុនប្រតិបត្តិការចូលសម្រាប់អត្រាតម្លៃធាតុឬការនិយាយនៅក្នុងកំណត់ត្រាធាតុហើយបន្ទាប់មកព្យាយាម submiting / លុបចោលធាតុនេះ"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","រកមិនឃើញអត្រានៃការវាយតម្លៃសម្រាប់ធាតុដែលបាន {0}, ដែលត្រូវបានតម្រូវឱ្យធ្វើការបញ្ចូលគណនីសម្រាប់ {1} {2} ។ បើធាតុនេះត្រូវបានប្រតិបត្តិការជាធាតុគំរូមួយនៅក្នុង {1}, សូមនិយាយថានៅក្នុង {1} តារាងធាតុ។ បើមិនដូច្នោះទេសូមបង្កើតភាគហ៊ុនប្រតិបត្តិការចូលសម្រាប់អត្រាតម្លៃធាតុឬការនិយាយនៅក្នុងកំណត់ត្រាធាតុហើយបន្ទាប់មកព្យាយាម submiting / លុបចោលធាតុនេះ"
DocType: Delivery Note,% of materials delivered against this Delivery Note,សមា្ភារៈបានបញ្ជូន% នៃការប្រឆាំងនឹងការផ្តល់ចំណាំនេះ
DocType: Project,Customer Details,ពត៌មានលំអិតរបស់អតិថិជន
DocType: Employee,Reports to,របាយការណ៍ទៅ
@@ -3816,24 +3843,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,បញ្ចូល URL សម្រាប់ការទទួលប៉ារ៉ាម៉ែត្រ NOS
DocType: Payment Entry,Paid Amount,ចំនួនទឹកប្រាក់ដែលបង់
DocType: Assessment Plan,Supervisor,អ្នកគ្រប់គ្រង
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,លើបណ្តាញ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,លើបណ្តាញ
,Available Stock for Packing Items,អាចរកបានសម្រាប់វេចខ្ចប់ហ៊ុនរបស់របរ
DocType: Item Variant,Item Variant,ធាតុវ៉ារ្យង់
DocType: Assessment Result Tool,Assessment Result Tool,ការវាយតំលៃលទ្ធផលឧបករណ៍
DocType: BOM Scrap Item,BOM Scrap Item,ធាតុសំណល់អេតចាយ Bom
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,ការបញ្ជាទិញដែលបានដាក់ស្នើមិនអាចត្រូវបានលុប
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","សមតុល្យគណនីរួចហើយនៅក្នុងឥណពន្ធ, អ្នកមិនត្រូវបានអនុញ្ញាតឱ្យកំណត់ទឹកប្រាក់ត្រូវតែ "ជា" ឥណទាន ""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,គ្រប់គ្រងគុណភាព
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,ការបញ្ជាទិញដែលបានដាក់ស្នើមិនអាចត្រូវបានលុប
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","សមតុល្យគណនីរួចហើយនៅក្នុងឥណពន្ធ, អ្នកមិនត្រូវបានអនុញ្ញាតឱ្យកំណត់ទឹកប្រាក់ត្រូវតែ "ជា" ឥណទាន ""
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,គ្រប់គ្រងគុណភាព
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,ធាតុ {0} ត្រូវបានបិទ
DocType: Employee Loan,Repay Fixed Amount per Period,សងចំនួនថេរក្នុងមួយរយៈពេល
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},សូមបញ្ចូលបរិមាណសម្រាប់ធាតុ {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,ឥណទានចំណាំ AMT
DocType: Employee External Work History,Employee External Work History,បុគ្គលិកខាងក្រៅប្រវត្តិការងារ
DocType: Tax Rule,Purchase,ការទិញ
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,មានតុល្យភាព Qty
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,មានតុល្យភាព Qty
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,គ្រាប់បាល់បញ្ចូលទីមិនអាចទទេ
DocType: Item Group,Parent Item Group,ធាតុមេគ្រុប
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} {1} សម្រាប់
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,មជ្ឈមណ្ឌលការចំណាយ
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,មជ្ឈមណ្ឌលការចំណាយ
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,អត្រារូបិយប័ណ្ណក្រុមហ៊ុនផ្គត់ផ្គង់ដែលត្រូវបានបម្លែងទៅជារូបិយប័ណ្ណមូលដ្ឋានរបស់ក្រុមហ៊ុន
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},ជួរដេក # {0}: ជម្លោះពេលវេលាជាមួយនឹងជួរ {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,អនុញ្ញាតឱ្យអត្រាការវាយតម្លៃសូន្យ
@@ -3841,17 +3869,18 @@
DocType: Training Event Employee,Invited,បានអញ្ជើញ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,រចនាសម្ព័ន្ធប្រាក់ខែសកម្មច្រើនបានរកឃើញសម្រាប់ {0} បុគ្គលិកសម្រាប់កាលបរិច្ឆេទដែលបានផ្ដល់ឱ្យ
DocType: Opportunity,Next Contact,ទំនាក់ទំនងបន្ទាប់
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,រៀបចំគណនីច្រកផ្លូវ។
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,រៀបចំគណនីច្រកផ្លូវ។
DocType: Employee,Employment Type,ប្រភេទការងារធ្វើ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,ទ្រព្យសកម្មថេរ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,ទ្រព្យសកម្មថេរ
DocType: Payment Entry,Set Exchange Gain / Loss,កំណត់អត្រាប្តូរប្រាក់ចំណេញ / បាត់បង់
+,GST Purchase Register,ជីអេសធីទិញចុះឈ្មោះ
,Cash Flow,លំហូរសាច់ប្រាក់
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,រយៈពេលប្រើប្រាស់មិនអាចមាននៅទូទាំងកំណត់ត្រា alocation ទាំងពីរនាក់
DocType: Item Group,Default Expense Account,ចំណាយតាមគណនីលំនាំដើម
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,លេខសម្គាល់អ៊ីមែលរបស់សិស្ស
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,លេខសម្គាល់អ៊ីមែលរបស់សិស្ស
DocType: Employee,Notice (days),សេចក្តីជូនដំណឹង (ថ្ងៃ)
DocType: Tax Rule,Sales Tax Template,ទំព័រគំរូពន្ធលើការលក់
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,ជ្រើសធាតុដើម្បីរក្សាទុកការវិក្ក័យប័ត្រ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,ជ្រើសធាតុដើម្បីរក្សាទុកការវិក្ក័យប័ត្រ
DocType: Employee,Encashment Date,Encashment កាលបរិច្ឆេទ
DocType: Training Event,Internet,អ៊ីនធើណែ
DocType: Account,Stock Adjustment,ការលៃតម្រូវភាគហ៊ុន
@@ -3880,7 +3909,7 @@
DocType: Guardian,Guardian Of ,អាណាព្យាបាល
DocType: Grading Scale Interval,Threshold,កម្រិតពន្លឺ
DocType: BOM Replace Tool,Current BOM,Bom នាពេលបច្ចុប្បន្ន
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,បន្ថែមគ្មានសៀរៀល
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,បន្ថែមគ្មានសៀរៀល
apps/erpnext/erpnext/config/support.py +22,Warranty,ការធានា
DocType: Purchase Invoice,Debit Note Issued,ចេញផ្សាយឥណពន្ធចំណាំ
DocType: Production Order,Warehouses,ឃ្លាំង
@@ -3889,20 +3918,20 @@
DocType: Workstation,per hour,ក្នុងមួយម៉ោង
apps/erpnext/erpnext/config/buying.py +7,Purchasing,ការទិញ
DocType: Announcement,Announcement,សេចក្តីប្រកាស
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,គណនីសម្រាប់ឃ្លាំង (សារពើភ័ណ្ឌងូត) នឹងត្រូវបានបង្កើតឡើងក្រោមគណនីនេះ។
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,ឃ្លាំងមិនអាចលុបធាតុដែលបានចុះក្នុងសៀវភៅភាគហ៊ុនមានសម្រាប់ឃ្លាំងនេះ។
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",សម្រាប់សិស្សនិស្សិតដែលមានមូលដ្ឋាននៅជំនាន់ទីក្រុមជំនាន់សិស្សនឹងត្រូវបានធ្វើឱ្យមានសុពលភាពការគ្រប់សិស្សពីការសម្រាប់កម្មវិធីចុះឈ្មោះនេះ។
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,ឃ្លាំងមិនអាចលុបធាតុដែលបានចុះក្នុងសៀវភៅភាគហ៊ុនមានសម្រាប់ឃ្លាំងនេះ។
DocType: Company,Distribution,ចែកចាយ
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,ចំនួនទឹកប្រាក់ដែលបង់
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,ប្រធានគ្រប់គ្រងគម្រោង
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,ប្រធានគ្រប់គ្រងគម្រោង
,Quoted Item Comparison,ធាតុដកស្រង់សម្តីប្រៀបធៀប
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,បញ្ជូន
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,ការបញ្ចុះតម្លៃអតិបរមាដែលបានអនុញ្ញាតសម្រាប់ធាតុ: {0} គឺ {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,បញ្ជូន
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,ការបញ្ចុះតម្លៃអតិបរមាដែលបានអនុញ្ញាតសម្រាប់ធាតុ: {0} គឺ {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,តម្លៃទ្រព្យសម្បត្តិសុទ្ធដូចជានៅលើ
DocType: Account,Receivable,អ្នកទទួល
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ជួរដេក # {0}: មិនត្រូវបានអនុញ្ញាតឱ្យផ្លាស់ប្តូរហាងទំនិញថាជាការទិញលំដាប់រួចហើយ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ជួរដេក # {0}: មិនត្រូវបានអនុញ្ញាតឱ្យផ្លាស់ប្តូរហាងទំនិញថាជាការទិញលំដាប់រួចហើយ
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,តួនាទីដែលត្រូវបានអនុញ្ញាតឱ្យដាក់ស្នើតិបត្តិការដែលលើសពីដែនកំណត់ឥណទានបានកំណត់។
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,ជ្រើសធាតុដើម្បីផលិត
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","ធ្វើសមកាលកម្មទិន្នន័យអនុបណ្ឌិត, វាអាចចំណាយពេលខ្លះ"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,ជ្រើសធាតុដើម្បីផលិត
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","ធ្វើសមកាលកម្មទិន្នន័យអនុបណ្ឌិត, វាអាចចំណាយពេលខ្លះ"
DocType: Item,Material Issue,សម្ភារៈបញ្ហា
DocType: Hub Settings,Seller Description,អ្នកលក់ការពិពណ៌នាសង្ខេប
DocType: Employee Education,Qualification,គុណវុឌ្ឍិ
@@ -3922,7 +3951,6 @@
DocType: BOM,Rate Of Materials Based On,អត្រានៃសម្ភារៈមូលដ្ឋាននៅលើ
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,ការគាំទ្រ Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,ដោះធីកទាំងអស់
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},ក្រុមហ៊ុនត្រូវបានបាត់នៅក្នុងឃ្លាំង {0}
DocType: POS Profile,Terms and Conditions,លក្ខខណ្ឌ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},ដើម្បីកាលបរិច្ឆេទគួរតែនៅចន្លោះឆ្នាំសារពើពន្ធ។ សន្មត់ថាដើម្បីកាលបរិច្ឆេទ = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","នៅទីនេះអ្នកអាចរក្សាកម្ពស់, ទម្ងន់, អាឡែស៊ី, មានការព្រួយបារម្ភវេជ្ជសាស្រ្តល"
@@ -3937,19 +3965,18 @@
DocType: Sales Order Item,For Production,ចំពោះផលិតកម្ម
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,មើលការងារ
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,កាលពីឆ្នាំហិរញ្ញវត្ថុរបស់អ្នកចាប់ផ្តើមនៅ
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,ចម្បង / នាំមុខ%
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,ចម្បង / នាំមុខ%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,សមតុលយទ្រព្យសកម្មរំលស់និងការ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},ចំនួនទឹកប្រាក់ {0} {1} បានផ្ទេរពី {2} ទៅ {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},ចំនួនទឹកប្រាក់ {0} {1} បានផ្ទេរពី {2} ទៅ {3}
DocType: Sales Invoice,Get Advances Received,ទទួលបុរេប្រទានបានទទួល
DocType: Email Digest,Add/Remove Recipients,បន្ថែម / យកអ្នកទទួល
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},ប្រតិបត្តិការមិនត្រូវបានអនុញ្ញាតប្រឆាំងនឹងផលិតកម្មបានឈប់លំដាប់ {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},ប្រតិបត្តិការមិនត្រូវបានអនុញ្ញាតប្រឆាំងនឹងផលិតកម្មបានឈប់លំដាប់ {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",ដើម្បីកំណត់ឆ្នាំសារពើពន្ធនេះជាលំនាំដើមសូមចុចលើ "កំណត់ជាលំនាំដើម '
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,ចូលរួមជាមួយ
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,ចូលរួមជាមួយ
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,កង្វះខាត Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,វ៉ារ្យ៉ង់ធាតុ {0} មានដែលមានគុណលក្ខណៈដូចគ្នា
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,វ៉ារ្យ៉ង់ធាតុ {0} មានដែលមានគុណលក្ខណៈដូចគ្នា
DocType: Employee Loan,Repay from Salary,សងពីប្រាក់ខែ
DocType: Leave Application,LAP/,ភ្លៅ /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},ស្នើសុំការទូទាត់ប្រឆាំងនឹង {0} {1} ចំនួន {2}
@@ -3960,34 +3987,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.",បង្កើតវេចខ្ចប់គ្រូពេទ្យប្រហែលជាសម្រាប់កញ្ចប់ត្រូវបានបញ្ជូន។ ត្រូវបានប្រើដើម្បីជូនដំណឹងដល់ចំនួនដែលកញ្ចប់មាតិកាកញ្ចប់និងទំងន់របស់ខ្លួន។
DocType: Sales Invoice Item,Sales Order Item,ធាតុលំដាប់ការលក់
DocType: Salary Slip,Payment Days,ថ្ងៃការទូទាត់
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,ឃ្លាំងជាមួយថ្នាំងជាកូនមិនអាចត្រូវបានបម្លែងទៅសៀវភៅ
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,ឃ្លាំងជាមួយថ្នាំងជាកូនមិនអាចត្រូវបានបម្លែងទៅសៀវភៅ
DocType: BOM,Manage cost of operations,គ្រប់គ្រងការចំណាយប្រតិបត្តិការ
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.",នៅពេលណាដែលប្រតិបត្តិការដែលបានធីកត្រូវបាន "ផ្តល់ជូន" ដែលជាការលេចឡើងអ៊ីម៉ែលដែលបានបើកដោយស្វ័យប្រវត្តិដើម្បីផ្ញើអ៊ីមែលទៅជាប់ទាក់ទង "ទំនាក់ទំនង" នៅក្នុងប្រតិបត្តិការនោះដោយមានប្រតិបត្តិការជាមួយការភ្ជាប់នេះ។ អ្នកប្រើដែលអាចឬមិនអាចផ្ញើអ៊ីមែល។
apps/erpnext/erpnext/config/setup.py +14,Global Settings,ការកំណត់សកល
DocType: Assessment Result Detail,Assessment Result Detail,ការវាយតំលៃលទ្ធផលលំអិត
DocType: Employee Education,Employee Education,បុគ្គលិកអប់រំ
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,ធាតុស្ទួនក្រុមបានរកឃើញក្នុងតារាងក្រុមធាតុ
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,វាត្រូវបានគេត្រូវការដើម្បីទៅយកលំអិតធាតុ។
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,វាត្រូវបានគេត្រូវការដើម្បីទៅយកលំអិតធាតុ។
DocType: Salary Slip,Net Pay,ប្រាក់ចំណេញសុទ្ធ
DocType: Account,Account,គណនី
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,សៀរៀល {0} គ្មានត្រូវបានទទួលរួចហើយ
,Requested Items To Be Transferred,ធាតុដែលបានស្នើសុំឱ្យគេបញ្ជូន
DocType: Expense Claim,Vehicle Log,រថយន្តចូល
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","ឃ្លាំង {0} គឺមិនត្រូវបានភ្ជាប់ទៅគណនីណាមួយ, សូមបង្កើត / ភ្ជាប់គណនីដែលត្រូវគ្នា (ទ្រព្យសម្បត្តិ) សម្រាប់ឃ្លាំង។"
DocType: Purchase Invoice,Recurring Id,លេខសម្គាល់កើតឡើង
DocType: Customer,Sales Team Details,ពត៌មានលំអិតការលក់ក្រុមការងារ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,លុបជារៀងរហូត?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,លុបជារៀងរហូត?
DocType: Expense Claim,Total Claimed Amount,ចំនួនទឹកប្រាក់អះអាងសរុប
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,ឱកាសក្នុងការមានសក្តានុពលសម្រាប់ការលក់។
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},មិនត្រឹមត្រូវ {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,ស្លឹកឈឺ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},មិនត្រឹមត្រូវ {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,ស្លឹកឈឺ
DocType: Email Digest,Email Digest,អ៊ីម៉ែលសង្ខេប
DocType: Delivery Note,Billing Address Name,វិក័យប័ត្រឈ្មោះអាសយដ្ឋាន
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,ហាងលក់នាយកដ្ឋាន
DocType: Warehouse,PIN,ម្ជុល
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,ការរៀបចំរបស់អ្នកនៅក្នុង ERPNext សាលា
DocType: Sales Invoice,Base Change Amount (Company Currency),មូលដ្ឋានផ្លាស់ប្តូរចំនួនទឹកប្រាក់ (ក្រុមហ៊ុនរូបិយប័ណ្ណ)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,គ្មានការបញ្ចូលគណនីសម្រាប់ឃ្លាំងដូចខាងក្រោមនេះ
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,គ្មានការបញ្ចូលគណនីសម្រាប់ឃ្លាំងដូចខាងក្រោមនេះ
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,រក្សាទុកឯកសារជាលើកដំបូង។
DocType: Account,Chargeable,បន្ទុក
DocType: Company,Change Abbreviation,ការផ្លាស់ប្តូរអក្សរកាត់
@@ -4005,7 +4031,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,គេរំពឹងថាការដឹកជញ្ជូនមិនអាចកាលបរិច្ឆេទត្រូវតែមុនពេលការទិញលំដាប់កាលបរិច្ឆេទ
DocType: Appraisal,Appraisal Template,ការវាយតម្លៃទំព័រគំរូ
DocType: Item Group,Item Classification,ចំណាត់ថ្នាក់ធាតុ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,ប្រធានផ្នែកអភិវឌ្ឍន៍ពាណិជ្ជកម្ម
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,ប្រធានផ្នែកអភិវឌ្ឍន៍ពាណិជ្ជកម្ម
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,គោលបំណងថែទាំទស្សនកិច្ច
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,រយៈពេល
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,ទូទៅសៀវភៅ
@@ -4015,8 +4041,8 @@
DocType: Item Attribute Value,Attribute Value,តម្លៃគុណលក្ខណៈ
,Itemwise Recommended Reorder Level,Itemwise ផ្ដល់អនុសាសន៍រៀបចំវគ្គ
DocType: Salary Detail,Salary Detail,លំអិតប្រាក់ខែ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,សូមជ្រើស {0} ដំបូង
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,បាច់នៃ {0} {1} ធាតុបានផុតកំណត់។
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,សូមជ្រើស {0} ដំបូង
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,បាច់នៃ {0} {1} ធាតុបានផុតកំណត់។
DocType: Sales Invoice,Commission,គណៈកម្មការ
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,ពេលវេលាសម្រាប់ការផលិតសន្លឹក។
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,សរុបរង
@@ -4027,6 +4053,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`បង្កកដែលមានវ័យចំណាស់ Than` ភាគហ៊ុនគួរមានទំហំតូចជាងថ្ងៃ% d ។
DocType: Tax Rule,Purchase Tax Template,ទិញពន្ធលើទំព័រគំរូ
,Project wise Stock Tracking,គម្រោងផ្សារហ៊ុនដែលមានប្រាជ្ញាតាមដាន
+DocType: GST HSN Code,Regional,តំបន់
DocType: Stock Entry Detail,Actual Qty (at source/target),ជាក់ស្តែ Qty (នៅប្រភព / គោលដៅ)
DocType: Item Customer Detail,Ref Code,យោងលេខកូដ
apps/erpnext/erpnext/config/hr.py +12,Employee records.,កំណត់ត្រាបុគ្គលិក។
@@ -4037,13 +4064,13 @@
DocType: Email Digest,New Purchase Orders,ការបញ្ជាទិញថ្មីមួយ
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,ជា root មិនអាចមានការកណ្តាលចំណាយឪពុកម្តាយ
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,ជ្រើសម៉ាក ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,បណ្តុះបណ្តាព្រឹត្តិការណ៍ / លទ្ធផល
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,បង្គររំលស់ដូចជានៅលើ
DocType: Sales Invoice,C-Form Applicable,C-ទម្រង់ពាក្យស្នើសុំ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},ប្រតិបត្ដិការពេលវេលាត្រូវតែធំជាង 0 សម្រាប់ប្រតិបត្ដិការ {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,ឃ្លាំងគឺជាការចាំបាច់
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,ឃ្លាំងគឺជាការចាំបាច់
DocType: Supplier,Address and Contacts,អាសយដ្ឋាននិងទំនាក់ទំនង
DocType: UOM Conversion Detail,UOM Conversion Detail,ពត៌មាននៃការប្រែចិត្តជឿ UOM
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),រក្សាវាបណ្ដាញ 900px មិត្តភាព (សរសេរ) ដោយ 100px (ម៉ោង)
DocType: Program,Program Abbreviation,អក្សរកាត់កម្មវិធី
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,ផលិតកម្មលំដាប់មិនអាចត្រូវបានលើកឡើងប្រឆាំងនឹងការធាតុមួយទំព័រគំរូ
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,ការចោទប្រកាន់ត្រូវបានធ្វើបច្ចុប្បន្នភាពនៅបង្កាន់ដៃទិញប្រឆាំងនឹងធាតុគ្នា
@@ -4051,13 +4078,13 @@
DocType: Bank Guarantee,Start Date,ថ្ងៃចាប់ផ្តើម
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,បម្រុងទុកស្លឹកសម្រាប់រយៈពេល។
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,មូលប្បទានប័ត្រនិងប្រាក់បញ្ញើបានជម្រះមិនត្រឹមត្រូវ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,គណនី {0}: អ្នកមិនអាចកំណត់ដោយខ្លួនវាជាគណនីឪពុកម្តាយ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,គណនី {0}: អ្នកមិនអាចកំណត់ដោយខ្លួនវាជាគណនីឪពុកម្តាយ
DocType: Purchase Invoice Item,Price List Rate,តម្លៃការវាយតម្លៃបញ្ជី
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,បង្កើតសម្រង់អតិថិជន
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",បង្ហាញតែការ "នៅក្នុងផ្សារហ៊ុន»ឬ«មិនមែននៅក្នុងផ្សារ" ដោយផ្អែកលើតម្លៃភាគហ៊ុនដែលអាចរកបាននៅក្នុងឃ្លាំងនេះ។
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),វិក័យប័ត្រនៃសម្ភារៈ (Bom)
DocType: Item,Average time taken by the supplier to deliver,ពេលមធ្យមដែលថតដោយអ្នកផ្គត់ផ្គង់ដើម្បីរំដោះ
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,លទ្ធផលការវាយតំលៃ
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,លទ្ធផលការវាយតំលៃ
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,ម៉ោងធ្វើការ
DocType: Project,Expected Start Date,គេរំពឹងថានឹងចាប់ផ្តើមកាលបរិច្ឆេទ
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,យកធាតុប្រសិនបើការចោទប្រកាន់គឺអាចអនុវត្តទៅធាតុដែល
@@ -4071,25 +4098,24 @@
DocType: Workstation,Operating Costs,ចំណាយប្រតិបត្តិការ
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,ប្រសិនបើអ្នកបានប្រមូលថវិកាសកម្មភាពលើសពីប្រចាំខែ
DocType: Purchase Invoice,Submit on creation,ដាក់ស្នើលើការបង្កើត
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},រូបិយប័ណ្ណសម្រាប់ {0} ត្រូវតែជា {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},រូបិយប័ណ្ណសម្រាប់ {0} ត្រូវតែជា {1}
DocType: Asset,Disposal Date,បោះចោលកាលបរិច្ឆេទ
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",អ៊ីមែលនឹងត្រូវបានផ្ញើទៅបុគ្គលិកសកម្មអស់ពីក្រុមហ៊ុននេះនៅម៉ោងដែលបានផ្តល់ឱ្យប្រសិនបើពួកគេមិនមានថ្ងៃឈប់សម្រាក។ សេចក្ដីសង្ខេបនៃការឆ្លើយតបនឹងត្រូវបានផ្ញើនៅកណ្តាលអធ្រាត្រ។
DocType: Employee Leave Approver,Employee Leave Approver,ទុកឱ្យការអនុម័តបុគ្គលិក
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},ជួរដេក {0}: ធាតុរៀបចំមួយរួចហើយសម្រាប់ឃ្លាំងនេះ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},ជួរដេក {0}: ធាតុរៀបចំមួយរួចហើយសម្រាប់ឃ្លាំងនេះ {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.",មិនអាចប្រកាសបាត់បង់នោះទេព្រោះសម្រង់ត្រូវបានធ្វើឡើង។
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,មតិការបណ្តុះបណ្តាល
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,ផលិតកម្មលំដាប់ {0} ត្រូវតែត្រូវបានដាក់ជូន
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,ផលិតកម្មលំដាប់ {0} ត្រូវតែត្រូវបានដាក់ជូន
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},សូមជ្រើសរើសកាលបរិច្ឆេទចាប់ផ្ដើមនិងកាលបរិច្ឆេទបញ្ចប់សម្រាប់ធាតុ {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},ពិតណាស់គឺចាំបាច់នៅក្នុងជួរដេក {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,ដើម្បីកាលបរិច្ឆេទមិនអាចមានមុនពេលចេញពីកាលបរិច្ឆេទ
DocType: Supplier Quotation Item,Prevdoc DocType,ចង្អុលបង្ហាញ Prevdoc
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,បន្ថែម / កែសម្រួលតម្លៃទំនិញ
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,បន្ថែម / កែសម្រួលតម្លៃទំនិញ
DocType: Batch,Parent Batch,បាច់មាតាបិតា
DocType: Batch,Parent Batch,បាច់មាតាបិតា
DocType: Cheque Print Template,Cheque Print Template,ទំព័រគំរូបោះពុម្ពមូលប្បទានប័ត្រ
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,គំនូសតាងនៃមជ្ឈមណ្ឌលការចំណាយ
,Requested Items To Be Ordered,ធាតុដែលបានស្នើដើម្បីឱ្យបានលំដាប់
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,ក្រុមហ៊ុនឃ្លាំងត្រូវដូចគ្នាដែលជាក្រុមហ៊ុនគណនី
DocType: Price List,Price List Name,ឈ្មោះតារាងតម្លៃ
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},សេចក្តីសង្ខេបការងារប្រចាំថ្ងៃសម្រាប់ {0}
DocType: Employee Loan,Totals,សរុប
@@ -4110,55 +4136,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,សូមបញ្ចូល NOS ទូរស័ព្ទដៃដែលមានសុពលភាព
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,សូមបញ្ចូលសារមុនពេលផ្ញើ
DocType: Email Digest,Pending Quotations,ការរង់ចាំសម្រង់សម្តី
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,ចំណុចនៃការលក់ពត៌មានផ្ទាល់ខ្លួន
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,ចំណុចនៃការលក់ពត៌មានផ្ទាល់ខ្លួន
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,សូមធ្វើឱ្យទាន់សម័យការកំណត់ការផ្ញើសារជាអក្សរ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,ការផ្តល់កម្ចីដោយគ្មានសុវត្ថិភាព
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,ការផ្តល់កម្ចីដោយគ្មានសុវត្ថិភាព
DocType: Cost Center,Cost Center Name,ឈ្មោះមជ្ឈមណ្ឌលចំណាយអស់
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,ម៉ោងអតិបរមាប្រឆាំងនឹង Timesheet
DocType: Maintenance Schedule Detail,Scheduled Date,កាលបរិច្ឆេទដែលបានកំណត់ពេល
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,សរុបបង់ AMT
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,សរុបបង់ AMT
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,សារដែលបានធំជាង 160 តួអក្សរដែលនឹងត្រូវចែកចេញជាសារច្រើន
DocType: Purchase Receipt Item,Received and Accepted,បានទទួលនិងទទួលយក
+,GST Itemised Sales Register,ជីអេសធីធាតុលក់ចុះឈ្មោះ
,Serial No Service Contract Expiry,គ្មានសេវាកិច្ចសន្យាសៀរៀលផុតកំណត់
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,អ្នកមិនអាចឥណទាននិងឥណពន្ធគណនីដូចគ្នានៅពេលតែមួយ
DocType: Naming Series,Help HTML,ជំនួយ HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,ការបង្កើតក្រុមនិស្សិតឧបករណ៍
DocType: Item,Variant Based On,វ៉ារ្យង់ដែលមានមូលដ្ឋាននៅលើ
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},weightage សរុបដែលបានផ្ដល់គួរតែទទួលបាន 100% ។ វាគឺជា {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,អ្នកផ្គត់ផ្គង់របស់អ្នក
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,អ្នកផ្គត់ផ្គង់របស់អ្នក
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,មិនអាចបាត់បង់ដូចដែលបានកំណត់ជាលំដាប់ត្រូវបានធ្វើឱ្យការលក់រថយន្ត។
DocType: Request for Quotation Item,Supplier Part No,ក្រុមហ៊ុនផ្គត់ផ្គង់គ្រឿងបន្លាស់គ្មាន
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',មិនអាចកាត់ពេលដែលប្រភេទគឺសម្រាប់ 'វាយតម្លៃ' ឬ 'Vaulation និងសរុប
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,ទទួលបានពី
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,ទទួលបានពី
DocType: Lead,Converted,ប្រែចិត្តជឿ
DocType: Item,Has Serial No,គ្មានសៀរៀល
DocType: Employee,Date of Issue,កាលបរិច្ឆេទនៃបញ្ហា
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: ពី {0} {1} សម្រាប់
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ជាមួយការកំណត់ការទិញប្រសិនបើមានការទិញ Reciept ទាមទារ == "បាទ" ហើយបន្ទាប់មកសម្រាប់ការបង្កើតការទិញវិក័យប័ត្រ, អ្នកប្រើត្រូវតែបង្កើតការទទួលទិញជាលើកដំបូងសម្រាប់ធាតុ {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},ជួរដេក # {0}: កំណត់ផ្គត់ផ្គង់សម្រាប់ធាតុ {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,ជួរដេក {0}: តម្លៃប៉ុន្មានម៉ោងត្រូវតែធំជាងសូន្យ។
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,គេហទំព័ររូបភាព {0} បានភ្ជាប់ទៅនឹងធាតុ {1} មិនអាចត្រូវបានរកឃើញ
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,គេហទំព័ររូបភាព {0} បានភ្ជាប់ទៅនឹងធាតុ {1} មិនអាចត្រូវបានរកឃើញ
DocType: Issue,Content Type,ប្រភេទមាតិការ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,កុំព្យូទ័រ
DocType: Item,List this Item in multiple groups on the website.,រាយធាតុនេះនៅក្នុងក្រុមជាច្រើននៅលើគេហទំព័រ។
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,សូមពិនិត្យមើលជម្រើសរូបិយវត្ថុពហុដើម្បីអនុញ្ញាតឱ្យគណនីជារូបិយប័ណ្ណផ្សេងទៀត
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,ធាតុ: {0} មិនមាននៅក្នុងប្រព័ន្ធ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,អ្នកមិនត្រូវបានអនុញ្ញាតឱ្យកំណត់តម្លៃទឹកកក
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,ធាតុ: {0} មិនមាននៅក្នុងប្រព័ន្ធ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,អ្នកមិនត្រូវបានអនុញ្ញាតឱ្យកំណត់តម្លៃទឹកកក
DocType: Payment Reconciliation,Get Unreconciled Entries,ទទួលបានធាតុ Unreconciled
DocType: Payment Reconciliation,From Invoice Date,ចាប់ពីកាលបរិច្ឆេទវិក័យប័ត្រ
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,រូបិយប័ណ្ណវិក័យប័ត្រត្រូវតែស្មើឬគណនីគណបក្សរូបិយប័ណ្ណទាំង comapany លំនាំដើមរូបិយប័ណ្ណរបស់
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,ទុកឱ្យ Encashment
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,តើធ្វើដូចម្ដេច?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,រូបិយប័ណ្ណវិក័យប័ត្រត្រូវតែស្មើឬគណនីគណបក្សរូបិយប័ណ្ណទាំង comapany លំនាំដើមរូបិយប័ណ្ណរបស់
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,ទុកឱ្យ Encashment
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,តើធ្វើដូចម្ដេច?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,ដើម្បីឃ្លាំង
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,សិស្សទាំងអស់ការចុះឈ្មោះចូលរៀន
,Average Commission Rate,គណៈកម្មការជាមធ្យមអត្រាការ
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,'មិនមានមិនសៀរៀល' មិនអាចក្លាយជា 'បាទ' សម្រាប់ធាតុដែលមិនមែនជាភាគហ៊ុន-
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'មិនមានមិនសៀរៀល' មិនអាចក្លាយជា 'បាទ' សម្រាប់ធាតុដែលមិនមែនជាភាគហ៊ុន-
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,ការចូលរួមមិនអាចត្រូវបានសម្គាល់សម្រាប់កាលបរិច្ឆេទនាពេលអនាគត
DocType: Pricing Rule,Pricing Rule Help,វិធានកំណត់តម្លៃជំនួយ
DocType: School House,House Name,ឈ្មោះផ្ទះ
DocType: Purchase Taxes and Charges,Account Head,នាយកគណនី
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,ធ្វើឱ្យទាន់សម័យការចំណាយបន្ថែមទៀតដើម្បីគណនាការចំណាយចុះចតនៃធាតុ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,អគ្គិសនី
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,អគ្គិសនី
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,បន្ថែមនៅសល់នៃអង្គការរបស់អ្នកដែលជាអ្នកប្រើរបស់អ្នក។ អ្នកអាចបន្ថែមទៅក្នុងវិបផតថលអតិថិជនដែលអញ្ជើញរបស់អ្នកដោយបន្ថែមពួកគេពីការទំនាក់ទំនង
DocType: Stock Entry,Total Value Difference (Out - In),ភាពខុសគ្នាតម្លៃសរុប (ចេញ - ក្នុង)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,ជួរដេក {0}: អត្រាប្តូរប្រាក់គឺជាការចាំបាច់
@@ -4168,7 +4196,7 @@
DocType: Item,Customer Code,លេខកូដអតិថិជន
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},កម្មវិធីរំលឹកខួបកំណើតសម្រាប់ {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,ថ្ងៃចាប់ពីលំដាប់ចុងក្រោយ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,ឥណពន្ធវីសាទៅគណនីត្រូវតែមានតារាងតុល្យការគណនី
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,ឥណពន្ធវីសាទៅគណនីត្រូវតែមានតារាងតុល្យការគណនី
DocType: Buying Settings,Naming Series,ដាក់ឈ្មោះកម្រងឯកសារ
DocType: Leave Block List,Leave Block List Name,ទុកឱ្យឈ្មោះបញ្ជីប្លុក
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,កាលបរិច្ឆេទការធានារ៉ាប់រងការចាប់ផ្តើមគួរតែតិចជាងកាលបរិច្ឆេទធានារ៉ាប់រងបញ្ចប់
@@ -4183,27 +4211,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},ប័ណ្ណប្រាក់ខែរបស់បុគ្គលិក {0} បានបង្កើតឡើងរួចហើយសម្រាប់តារាងពេលវេលា {1}
DocType: Vehicle Log,Odometer,odometer
DocType: Sales Order Item,Ordered Qty,បានបញ្ជាឱ្យ Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,ធាតុ {0} ត្រូវបានបិទ
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,ធាតុ {0} ត្រូវបានបិទ
DocType: Stock Settings,Stock Frozen Upto,រីករាយជាមួយនឹងផ្សារភាគហ៊ុនទឹកកក
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,Bom មិនមានភាគហ៊ុនណាមួយឡើយធាតុ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,Bom មិនមានភាគហ៊ុនណាមួយឡើយធាតុ
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},រយៈពេលចាប់ពីនិងរយៈពេលដើម្បីកាលបរិច្ឆេទចាំបាច់សម្រាប់កើតឡើង {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,សកម្មភាពរបស់គម្រោង / ភារកិច្ច។
DocType: Vehicle Log,Refuelling Details,សេចក្ដីលម្អិតចាក់ប្រេង
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,បង្កើតប្រាក់ខែគ្រូពេទ្យប្រហែលជា
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}",ទិញត្រូវតែត្រូវបានធីកបើកម្មវិធីសម្រាប់ការត្រូវបានជ្រើសរើសជា {0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}",ទិញត្រូវតែត្រូវបានធីកបើកម្មវិធីសម្រាប់ការត្រូវបានជ្រើសរើសជា {0}
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,ការបញ្ចុះតម្លៃត្រូវតែមានតិចជាង 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,រកមិនឃើញអត្រាទិញមុនបាន
DocType: Purchase Invoice,Write Off Amount (Company Currency),បិទការសរសេរចំនួនទឹកប្រាក់ (ក្រុមហ៊ុនរូបិយវត្ថុ)
DocType: Sales Invoice Timesheet,Billing Hours,ម៉ោងវិក័យប័ត្រ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,Bom លំនាំដើមសម្រាប់ {0} មិនបានរកឃើញ
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,ជួរដេក # {0}: សូមកំណត់បរិមាណតម្រៀបឡើងវិញ
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,ជួរដេក # {0}: សូមកំណត់បរិមាណតម្រៀបឡើងវិញ
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,ប៉ះធាតុដើម្បីបន្ថែមពួកវានៅទីនេះ
DocType: Fees,Program Enrollment,កម្មវិធីការចុះឈ្មោះ
DocType: Landed Cost Voucher,Landed Cost Voucher,ប័ណ្ណតម្លៃដែលបានចុះចត
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},សូមកំណត់ {0}
DocType: Purchase Invoice,Repeat on Day of Month,ធ្វើម្តងទៀតនៅថ្ងៃនៃខែ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} ជានិស្សិតអសកម្ម
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} ជានិស្សិតអសកម្ម
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} ជានិស្សិតអសកម្ម
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} ជានិស្សិតអសកម្ម
DocType: Employee,Health Details,ពត៌មានលំអិតសុខភាព
DocType: Offer Letter,Offer Letter Terms,ផ្តល់ជូននូវលក្ខខណ្ឌលិខិត
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,ដើម្បីបង្កើតសំណើទូទាត់ឯកសារសេចក្ដីយោងគឺត្រូវបានទាមទារ
@@ -4225,7 +4253,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","ឧទាហរណ៍: ។ ABCD ##### ប្រសិនបើមានស៊េរីត្រូវបានកំណត់និងគ្មានសៀរៀលមិនត្រូវបានរៀបរាប់នៅក្នុងប្រតិបត្តិការ, លេខសម្គាល់បន្ទាប់មកដោយស្វ័យប្រវត្តិនឹងត្រូវបានបង្កើតដោយផ្អែកលើស៊េរីនេះ។ ប្រសិនបើអ្នកតែងតែចង់និយាយឱ្យបានច្បាស់សៀរៀល Nos សម្រាប់ធាតុនេះ។ ទុកឱ្យវាទទេ។"
DocType: Upload Attendance,Upload Attendance,វត្តមានផ្ទុកឡើង
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,កម្មន្តសាលចំនូន Bom និងត្រូវបានតម្រូវ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,កម្មន្តសាលចំនូន Bom និងត្រូវបានតម្រូវ
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,ជួរ Ageing 2
DocType: SG Creation Tool Course,Max Strength,កម្លាំងអតិបរមា
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,Bom បានជំនួស
@@ -4235,8 +4263,8 @@
,Prospects Engaged But Not Converted,ទស្សនវិស័យភ្ជាប់ពាក្យប៉ុន្តែមិនប្រែចិត្តទទួលជឿ
DocType: Manufacturing Settings,Manufacturing Settings,ការកំណត់កម្មន្តសាល
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,ការបង្កើតអ៊ីម៉ែ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 ទូរស័ព្ទដៃគ្មាន
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,សូមបញ្ចូលរូបិយប័ណ្ណលំនាំដើមនៅក្នុងក្រុមហ៊ុនអនុបណ្ឌិត
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 ទូរស័ព្ទដៃគ្មាន
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,សូមបញ្ចូលរូបិយប័ណ្ណលំនាំដើមនៅក្នុងក្រុមហ៊ុនអនុបណ្ឌិត
DocType: Stock Entry Detail,Stock Entry Detail,ពត៌មាននៃភាគហ៊ុនចូល
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,ការរំលឹកជារៀងរាល់ថ្ងៃ
DocType: Products Settings,Home Page is Products,ទំព័រដើមទំព័រគឺផលិតផល
@@ -4245,7 +4273,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,ឈ្មោះគណនីថ្មី
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,ការចំណាយវត្ថុធាតុដើមការី
DocType: Selling Settings,Settings for Selling Module,ម៉ូឌុលការកំណត់សម្រាប់លក់
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,សេវាបំរើអតិថិជន
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,សេវាបំរើអតិថិជន
DocType: BOM,Thumbnail,កូនរូបភាព
DocType: Item Customer Detail,Item Customer Detail,ពត៌មានរបស់អតិថិជនធាតុ
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,បេក្ខជនផ្ដល់ការងារ។
@@ -4254,7 +4282,7 @@
DocType: Pricing Rule,Percentage,ចំនួនភាគរយ
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,ធាតុ {0} ត្រូវតែជាធាតុភាគហ៊ុន
DocType: Manufacturing Settings,Default Work In Progress Warehouse,ការងារលំនាំដើមនៅក្នុងឃ្លាំងវឌ្ឍនភាព
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,ការកំណត់លំនាំដើមសម្រាប់ប្រតិបត្តិការគណនេយ្យ។
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,ការកំណត់លំនាំដើមសម្រាប់ប្រតិបត្តិការគណនេយ្យ។
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,កាលបរិច្ឆេទគេរំពឹងថានឹងមិនអាចមានមុនពេលដែលកាលបរិច្ឆេទនៃសំណើសុំសម្ភារៈ
DocType: Purchase Invoice Item,Stock Qty,ហ៊ុន Qty
@@ -4268,10 +4296,10 @@
DocType: Sales Order,Printing Details,សេចក្ដីលម្អិតការបោះពុម្ព
DocType: Task,Closing Date,ថ្ងៃផុតកំណត់
DocType: Sales Order Item,Produced Quantity,បរិមាណដែលបានផលិត
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,វិស្វករ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,វិស្វករ
DocType: Journal Entry,Total Amount Currency,រូបិយប័ណ្ណចំនួនសរុប
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,សភាអនុស្វែងរក
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},កូដធាតុបានទាមទារនៅជួរដេកគ្មាន {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},កូដធាតុបានទាមទារនៅជួរដេកគ្មាន {0}
DocType: Sales Partner,Partner Type,ប្រភេទជាដៃគូ
DocType: Purchase Taxes and Charges,Actual,ពិតប្រាកដ
DocType: Authorization Rule,Customerwise Discount,Customerwise បញ្ចុះតំលៃ
@@ -4288,11 +4316,11 @@
DocType: Item Reorder,Re-Order Level,ដីកាសម្រេចកម្រិតឡើងវិញ
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,បញ្ចូលធាតុនិងការដែលបានគ្រោងទុក qty ដែលអ្នកចង់បានដើម្បីបង្កើនការបញ្ជាទិញផលិតផលឬទាញយកវត្ថុធាតុដើមសម្រាប់ការវិភាគ។
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,គំនូសតាង Gantt
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,ពេញម៉ោង
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,ពេញម៉ោង
DocType: Employee,Applicable Holiday List,បញ្ជីថ្ងៃឈប់សម្រាកដែលអាចអនុវត្តបាន
DocType: Employee,Cheque,មូលប្បទានប័ត្រ
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,បានបន្ទាន់សម័យស៊េរី
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,របាយការណ៏ចាំបាច់ប្រភេទ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,របាយការណ៏ចាំបាច់ប្រភេទ
DocType: Item,Serial Number Series,កម្រងឯកសារលេខសៀរៀល
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},ឃ្លាំងជាការចាំបាច់សម្រាប់ធាតុភាគហ៊ុននៅ {0} {1} ជួរដេក
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,ការលក់រាយលក់ដុំនិងចែកចាយ
@@ -4314,7 +4342,7 @@
DocType: BOM,Materials,សមា្ភារៈ
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",ប្រសិនបើមិនបានធីកបញ្ជីនេះនឹងត្រូវបានបន្ថែមទៅកាន់ក្រសួងគ្នាដែលជាកន្លែងដែលវាត្រូវបានអនុវត្ត។
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,ប្រភពនិងគោលដៅឃ្លាំងមិនអាចត្រូវបានដូចគ្នា
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,ប្រកាសកាលបរិច្ឆេទនិងពេលវេលាជាការចាំបាច់បង្ហោះ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,ប្រកាសកាលបរិច្ឆេទនិងពេលវេលាជាការចាំបាច់បង្ហោះ
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,ពុម្ពពន្ធលើការទិញប្រតិបត្តិការ។
,Item Prices,តម្លៃធាតុ
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,នៅក្នុងពាក្យនោះនឹងត្រូវបានមើលឃើញនៅពេលដែលអ្នករក្សាទុកការបញ្ជាទិញនេះ។
@@ -4323,22 +4351,23 @@
DocType: Task,Review Date,ពិនិត្យឡើងវិញកាលបរិច្ឆេទ
DocType: Purchase Invoice,Advance Payments,ការទូទាត់ជាមុន
DocType: Purchase Taxes and Charges,On Net Total,នៅលើសុទ្ធសរុប
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,ឃ្លាំងគោលដៅក្នុងជួរ {0} ត្រូវតែមានដូចគ្នាដូចដែលបញ្ជាទិញផលិតផល
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,ឃ្លាំងគោលដៅក្នុងជួរ {0} ត្រូវតែមានដូចគ្នាដូចដែលបញ្ជាទិញផលិតផល
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,"ការជូនដំណឹងអាសយដ្ឋានអ៊ីមែល 'មិនត្រូវបានបញ្ជាក់សម្រាប់% s ដែលកើតឡើង
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,រូបិយប័ណ្ណមិនអាចត្រូវបានផ្លាស់ប្តូរបន្ទាប់ពីធ្វើការធាតុប្រើប្រាស់រូបិយប័ណ្ណផ្សេងទៀតមួយចំនួន
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,រូបិយប័ណ្ណមិនអាចត្រូវបានផ្លាស់ប្តូរបន្ទាប់ពីធ្វើការធាតុប្រើប្រាស់រូបិយប័ណ្ណផ្សេងទៀតមួយចំនួន
DocType: Vehicle Service,Clutch Plate,សន្លឹកក្ដាប់
DocType: Company,Round Off Account,បិទការប្រកួតជុំទីគណនី
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,ចំណាយរដ្ឋបាល
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,ចំណាយរដ្ឋបាល
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,ការប្រឹក្សាយោបល់
DocType: Customer Group,Parent Customer Group,ឪពុកម្តាយដែលជាក្រុមអតិថិជន
DocType: Purchase Invoice,Contact Email,ទំនាក់ទំនងតាមអ៊ីមែល
DocType: Appraisal Goal,Score Earned,គ្រាប់បាល់បញ្ចូលទីទទួលបាន
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,រយៈពេលជូនដំណឹង
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,រយៈពេលជូនដំណឹង
DocType: Asset Category,Asset Category Name,ប្រភេទទ្រព្យសកម្មឈ្មោះ
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,នេះគឺជាទឹកដីជា root និងមិនអាចត្រូវបានកែសម្រួល។
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,ឈ្មោះថ្មីលក់បុគ្គល
DocType: Packing Slip,Gross Weight UOM,សរុបបានទំ UOM
DocType: Delivery Note Item,Against Sales Invoice,ប្រឆាំងនឹងការវិក័យប័ត្រលក់
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,សូមបញ្ចូលលេខសៀរៀលសម្រាប់ធាតុសៀរៀល
DocType: Bin,Reserved Qty for Production,បម្រុងទុក Qty សម្រាប់ផលិតកម្ម
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,ទុកឱ្យធីកបើអ្នកមិនចង់ឱ្យពិចារណាបាច់ខណៈពេលដែលធ្វើការពិតណាស់ដែលមានមូលដ្ឋាននៅក្រុម។
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,ទុកឱ្យធីកបើអ្នកមិនចង់ឱ្យពិចារណាបាច់ខណៈពេលដែលធ្វើការពិតណាស់ដែលមានមូលដ្ឋាននៅក្រុម។
@@ -4347,25 +4376,25 @@
DocType: Landed Cost Item,Landed Cost Item,ធាតុតម្លៃដែលបានចុះចត
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,បង្ហាញតម្លៃសូន្យ
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,បរិមាណនៃការផលិតធាតុដែលទទួលបានបន្ទាប់ / វែចខ្ចប់ឡើងវិញពីបរិមាណដែលបានផ្តល់វត្ថុធាតុដើម
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,ការរៀបចំវែបសាយសាមញ្ញសម្រាប់អង្គការរបស់ខ្ញុំ
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,ការរៀបចំវែបសាយសាមញ្ញសម្រាប់អង្គការរបស់ខ្ញុំ
DocType: Payment Reconciliation,Receivable / Payable Account,ទទួលគណនី / ចងការប្រាក់
DocType: Delivery Note Item,Against Sales Order Item,ការប្រឆាំងនឹងការធាតុលក់សណ្តាប់ធ្នាប់
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},សូមបញ្ជាក់គុណតម្លៃសម្រាប់គុណលក្ខណៈ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},សូមបញ្ជាក់គុណតម្លៃសម្រាប់គុណលក្ខណៈ {0}
DocType: Item,Default Warehouse,ឃ្លាំងលំនាំដើម
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},ថវិកាដែលមិនអាចត្រូវបានផ្ដល់ប្រឆាំងនឹងគណនីគ្រុប {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,សូមបញ្ចូលមជ្ឈមណ្ឌលចំណាយឪពុកម្តាយ
DocType: Delivery Note,Print Without Amount,បោះពុម្ពដោយគ្មានការចំនួនទឹកប្រាក់
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,រំលស់កាលបរិច្ឆេទ
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,ប្រភេទពន្ធលើមិនអាចជា "វាយតម្លៃ 'ឬ' វាយតម្លៃនិងសរុប 'ជាធាតុទាំងអស់នេះគឺជាធាតុដែលមិនមានភាគហ៊ុន
DocType: Issue,Support Team,ក្រុមគាំទ្រ
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),ផុតកំណត់ (ក្នុងថ្ងៃ)
DocType: Appraisal,Total Score (Out of 5),ពិន្ទុសរុប (ក្នុងចំណោម 5)
DocType: Fee Structure,FS.,FS ។
-DocType: Program Enrollment,Batch,ជំនាន់ទី
+DocType: Student Attendance Tool,Batch,ជំនាន់ទី
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,មានតុល្យភាព
DocType: Room,Seating Capacity,ការកសាងសមត្ថភាពកន្លែងអង្គុយ
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),ពាក្យបណ្តឹងលើការចំណាយសរុប (តាមរយៈការប្តឹងទាមទារសំណងលើការចំណាយ)
+DocType: GST Settings,GST Summary,សង្ខេបជីអេសធី
DocType: Assessment Result,Total Score,ពិន្ទុសរុប
DocType: Journal Entry,Debit Note,ចំណាំឥណពន្ធ
DocType: Stock Entry,As per Stock UOM,ដូចជាក្នុងមួយហ៊ុន UOM
@@ -4377,12 +4406,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,ឃ្លាំងទំនិញលំនាំដើមបានបញ្ចប់
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,ការលក់បុគ្គល
DocType: SMS Parameter,SMS Parameter,ផ្ញើសារជាអក្សរប៉ារ៉ាម៉ែត្រ
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,មជ្ឈមណ្ឌលថវិកានិងការចំណាយ
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,មជ្ឈមណ្ឌលថវិកានិងការចំណាយ
DocType: Vehicle Service,Half Yearly,ពាក់កណ្តាលប្រចាំឆ្នាំ
DocType: Lead,Blog Subscriber,អតិថិជនកំណត់ហេតុបណ្ដាញ
DocType: Guardian,Alternate Number,លេខជំនួស
DocType: Assessment Plan Criteria,Maximum Score,ពិន្ទុអតិបរមា
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,បង្កើតច្បាប់ដើម្បីរឹតបន្តឹងការធ្វើប្រតិបត្តិការដោយផ្អែកលើតម្លៃ។
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,ក្រុមការវិលគ្មាន
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,ទុកឱ្យនៅទទេប្រសិនបើអ្នកបានធ្វើឱ្យក្រុមសិស្សក្នុងមួយឆ្នាំ
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,ទុកឱ្យនៅទទេប្រសិនបើអ្នកបានធ្វើឱ្យក្រុមសិស្សក្នុងមួយឆ្នាំ
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","ប្រសិនបើបានធីកនោះទេសរុប។ នៃថ្ងៃធ្វើការនឹងរួមបញ្ចូលទាំងថ្ងៃឈប់សម្រាក, ហើយនេះនឹងកាត់បន្ថយតម្លៃនៃប្រាក់ខែក្នុងមួយថ្ងៃនោះ"
@@ -4402,6 +4432,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,នេះផ្អែកលើប្រតិបត្តិការប្រឆាំងនឹងអតិថិជននេះ។ សូមមើលខាងក្រោមសម្រាប់សេចក្ដីលម្អិតកំណត់ពេលវេលា
DocType: Supplier,Credit Days Based On,ថ្ងៃដោយផ្អែកលើការផ្តល់ឥណទាន
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},ជួរដេក {0}: ចំនួនទឹកប្រាក់ដែលបានបម្រុងទុក {1} ត្រូវតែតិចជាងឬស្មើទៅនឹងចំនួនចូលទូទាត់ {2}
+,Course wise Assessment Report,របាយការណ៍វាយតម្លៃដែលមានប្រាជ្ញាជាការពិតណាស់
DocType: Tax Rule,Tax Rule,ច្បាប់ពន្ធ
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,រក្សាអត្រាការវដ្តនៃការលក់ពេញមួយដូចគ្នា
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,គម្រោងការកំណត់ហេតុពេលវេលាដែលនៅក្រៅម៉ោងស្ថានីយការងារការងារ។
@@ -4410,7 +4441,7 @@
,Items To Be Requested,ធាតុដែលនឹងត្រូវបានស្នើ
DocType: Purchase Order,Get Last Purchase Rate,ទទួលបានអត្រាការទិញចុងក្រោយ
DocType: Company,Company Info,ពត៌មានរបស់ក្រុមហ៊ុន
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,ជ្រើសឬបន្ថែមអតិថិជនថ្មី
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,ជ្រើសឬបន្ថែមអតិថិជនថ្មី
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,កណ្តាលការចំណាយគឺត្រូវបានទាមទារដើម្បីកក់ពាក្យបណ្តឹងការចំណាយ
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),កម្មវិធីរបស់មូលនិធិ (ទ្រព្យសកម្ម)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,នេះត្រូវបានផ្អែកលើការចូលរួមរបស់បុគ្គលិកនេះ
@@ -4418,27 +4449,29 @@
DocType: Fiscal Year,Year Start Date,នៅឆ្នាំកាលបរិច្ឆេទចាប់ផ្តើម
DocType: Attendance,Employee Name,ឈ្មោះបុគ្គលិក
DocType: Sales Invoice,Rounded Total (Company Currency),សរុបមូល (ក្រុមហ៊ុនរូបិយវត្ថុ)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,មិនអាចសម្ងាត់មួយដើម្បីពូលដោយសារតែប្រភេទគណនីត្រូវបានជ្រើស។
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,មិនអាចសម្ងាត់មួយដើម្បីពូលដោយសារតែប្រភេទគណនីត្រូវបានជ្រើស។
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} បានកែប្រែទេ។ សូមផ្ទុកឡើងវិញ។
DocType: Leave Block List,Stop users from making Leave Applications on following days.,បញ្ឈប់ការរបស់អ្នកប្រើពីការធ្វើឱ្យកម្មវិធីដែលបានចាកចេញនៅថ្ងៃបន្ទាប់។
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,ចំនួនទឹកប្រាក់ការទិញ
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,សម្រង់ក្រុមហ៊ុនផ្គត់ផ្គង់ {0} បង្កើតឡើង
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,ឆ្នាំបញ្ចប់មិនអាចជាការចាប់ផ្តើមឆ្នាំមុន
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,អត្ថប្រយោជន៍បុគ្គលិក
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,អត្ថប្រយោជន៍បុគ្គលិក
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},បរិមាណបរិមាណស្មើនឹងត្រូវ packed សម្រាប់ធាតុ {0} នៅក្នុងជួរដេក {1}
DocType: Production Order,Manufactured Qty,បានផលិត Qty
DocType: Purchase Receipt Item,Accepted Quantity,បរិមាណដែលត្រូវទទួលយក
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},សូមកំណត់លំនាំដើមបញ្ជីថ្ងៃឈប់សម្រាកសម្រាប់បុគ្គលិកឬ {0} {1} ក្រុមហ៊ុន
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0} {1} មិនមាន
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0} {1} មិនមាន
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,ជ្រើសលេខបាច់
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,វិក័យប័ត្របានលើកឡើងដល់អតិថិជន។
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,លេខសម្គាល់របស់គម្រោង
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},ជួរដេកគ្មាន {0}: ចំនួនទឹកប្រាក់មិនអាចមានចំនួនច្រើនជាងការរង់ចាំការប្រឆាំងនឹងពាក្យបណ្តឹងការចំណាយទឹកប្រាក់ {1} ។ ចំនួនទឹកប្រាក់ដែលមិនទាន់សម្រេចគឺ {2}
DocType: Maintenance Schedule,Schedule,កាលវិភាគ
DocType: Account,Parent Account,គណនីមាតាឬបិតា
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,ដែលអាចប្រើបាន
DocType: Quality Inspection Reading,Reading 3,ការអានទី 3
,Hub,ហាប់
DocType: GL Entry,Voucher Type,ប្រភេទកាតមានទឹកប្រាក់
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,រកមិនឃើញបញ្ជីថ្លៃឬជនពិការ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,រកមិនឃើញបញ្ជីថ្លៃឬជនពិការ
DocType: Employee Loan Application,Approved,បានអនុម័ត
DocType: Pricing Rule,Price,តំលៃលក់
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',បុគ្គលិកធូរស្រាលនៅលើ {0} ត្រូវតែត្រូវបានកំណត់ជា "ឆ្វេង"
@@ -4449,7 +4482,8 @@
DocType: Selling Settings,Campaign Naming By,ដាក់ឈ្មោះការឃោសនាដោយ
DocType: Employee,Current Address Is,អាសយដ្ឋានបច្ចុប្បន្នគឺ
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,បានកែប្រែ
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.",ស្រេចចិត្ត។ កំណត់រូបិយប័ណ្ណលំនាំដើមរបស់ក្រុមហ៊ុនប្រសិនបើមិនបានបញ្ជាក់។
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.",ស្រេចចិត្ត។ កំណត់រូបិយប័ណ្ណលំនាំដើមរបស់ក្រុមហ៊ុនប្រសិនបើមិនបានបញ្ជាក់។
+DocType: Sales Invoice,Customer GSTIN,GSTIN អតិថិជន
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,ធាតុទិនានុប្បវត្តិគណនេយ្យ។
DocType: Delivery Note Item,Available Qty at From Warehouse,ដែលអាចប្រើបាននៅពីឃ្លាំង Qty
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,សូមជ្រើសរើសបុគ្គលិកកំណត់ត្រាដំបូង។
@@ -4457,7 +4491,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ជួរដេក {0}: គណបក្ស / គណនីមិនផ្គូផ្គងនឹង {1} / {2} នៅក្នុង {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,សូមបញ្ចូលចំណាយតាមគណនី
DocType: Account,Stock,ភាគហ៊ុន
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ជួរដេក # {0}: យោងប្រភេទឯកសារត្រូវតែជាផ្នែកមួយនៃការទិញលំដាប់, ការទិញវិក័យប័ត្រឬធាតុទិនានុប្បវត្តិ"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ជួរដេក # {0}: យោងប្រភេទឯកសារត្រូវតែជាផ្នែកមួយនៃការទិញលំដាប់, ការទិញវិក័យប័ត្រឬធាតុទិនានុប្បវត្តិ"
DocType: Employee,Current Address,អាសយដ្ឋានបច្ចុប្បន្ន
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","ប្រសិនបើមានធាតុគឺវ៉ារ្យ៉ង់នៃធាតុផ្សេងទៀតបន្ទាប់មកពិពណ៌នា, រូបភាព, ការកំណត់តម្លៃពន្ធលនឹងត្រូវបានកំណត់ពីពុម្ពមួយនេះទេលុះត្រាតែបានបញ្ជាក់យ៉ាងជាក់លាក់"
DocType: Serial No,Purchase / Manufacture Details,ទិញ / ពត៌មានលំអិតការផលិត
@@ -4470,8 +4504,8 @@
DocType: Pricing Rule,Min Qty,លោក Min Qty
DocType: Asset Movement,Transaction Date,ប្រតិបត្តិការកាលបរិច្ឆេទ
DocType: Production Plan Item,Planned Qty,បានគ្រោងទុក Qty
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,ការប្រមូលពន្ធលើចំនួនសរុប
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,ចប់ (ផលិត Qty) គឺជាចាំបាច់
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,ការប្រមូលពន្ធលើចំនួនសរុប
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,ចប់ (ផលិត Qty) គឺជាចាំបាច់
DocType: Stock Entry,Default Target Warehouse,ឃ្លាំងគោលដៅលំនាំដើម
DocType: Purchase Invoice,Net Total (Company Currency),សរុប (ក្រុមហ៊ុនរូបិយវត្ថុ)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,ឆ្នាំបញ្ចប់កាលបរិច្ឆេទនេះមិនអាចមានមុនជាងឆ្នាំចាប់ផ្ដើមកាលបរិច្ឆេទ។ សូមកែកាលបរិច្ឆេទនិងព្យាយាមម្ដងទៀត។
@@ -4485,15 +4519,12 @@
DocType: Hub Settings,Hub Settings,ការកំណត់ហាប់
DocType: Project,Gross Margin %,រឹម% សរុបបាន
DocType: BOM,With Operations,ជាមួយនឹងការប្រតិបត្ដិការ
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,ធាតុគណនេយ្យត្រូវបានគេធ្វើរួចទៅហើយនៅក្នុងរូបិយប័ណ្ណ {0} សម្រាប់ក្រុមហ៊ុន {1} ។ សូមជ្រើសគណនីដែលត្រូវទទួលឬបង់រូបិយប័ណ្ណ {0} ។
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,ធាតុគណនេយ្យត្រូវបានគេធ្វើរួចទៅហើយនៅក្នុងរូបិយប័ណ្ណ {0} សម្រាប់ក្រុមហ៊ុន {1} ។ សូមជ្រើសគណនីដែលត្រូវទទួលឬបង់រូបិយប័ណ្ណ {0} ។
DocType: Asset,Is Existing Asset,ទ្រព្យដែលមានស្រាប់ត្រូវបាន
DocType: Salary Detail,Statistical Component,សមាសភាគស្ថិតិ
DocType: Salary Detail,Statistical Component,សមាសភាគស្ថិតិ
-,Monthly Salary Register,ប្រចាំខែប្រាក់ខែចុះឈ្មោះ
DocType: Warranty Claim,If different than customer address,បើសិនជាខុសគ្នាជាងអាសយដ្ឋានអតិថិជន
DocType: BOM Operation,BOM Operation,Bom ប្រតិបត្តិការ
-DocType: School Settings,Validate the Student Group from Program Enrollment,ធ្វើឱ្យមានសុពលភាពក្រុមនិស្សិតមកពីកម្មវិធីចុះឈ្មោះ
-DocType: School Settings,Validate the Student Group from Program Enrollment,ធ្វើឱ្យមានសុពលភាពក្រុមនិស្សិតមកពីកម្មវិធីចុះឈ្មោះ
DocType: Purchase Taxes and Charges,On Previous Row Amount,នៅថ្ងៃទីចំនួនជួរដេកមុន
DocType: Student,Home Address,អាសយដ្ឋានផ្ទះ
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,ផ្ទេរទ្រព្យសម្បត្តិ
@@ -4501,28 +4532,27 @@
DocType: Training Event,Event Name,ឈ្មោះព្រឹត្តិការណ៍
apps/erpnext/erpnext/config/schools.py +39,Admission,ការចូលរៀន
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},ការចូលសម្រាប់ {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.",រដូវកាលសម្រាប់ការកំណត់ថវិកាគោលដៅល
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants",ធាតុ {0} គឺពុម្ពមួយសូមជ្រើសមួយក្នុងចំណោមវ៉ារ្យ៉ង់របស់ខ្លួន
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.",រដូវកាលសម្រាប់ការកំណត់ថវិកាគោលដៅល
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants",ធាតុ {0} គឺពុម្ពមួយសូមជ្រើសមួយក្នុងចំណោមវ៉ារ្យ៉ង់របស់ខ្លួន
DocType: Asset,Asset Category,ប្រភេទទ្រព្យសកម្ម
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,អ្នកទិញ
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,ប្រាក់ខែសុទ្ធមិនអាចជាអវិជ្ជមាន
DocType: SMS Settings,Static Parameters,ប៉ារ៉ាម៉ែត្រឋិតិវន្ត
DocType: Assessment Plan,Room,បន្ទប់
DocType: Purchase Order,Advance Paid,មុនបង់ប្រាក់
DocType: Item,Item Tax,ការប្រមូលពន្ធលើធាតុ
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,សម្ភារៈដើម្បីផ្គត់ផ្គង់
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,រដ្ឋាករវិក័យប័ត្រ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,រដ្ឋាករវិក័យប័ត្រ
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% ហាក់ដូចជាច្រើនជាងម្ដង
DocType: Expense Claim,Employees Email Id,និយោជិអ៊ីម៉ែលលេខសម្គាល់
DocType: Employee Attendance Tool,Marked Attendance,វត្តមានដែលបានសម្គាល់
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,បំណុលនាពេលបច្ចុប្បន្ន
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,បំណុលនាពេលបច្ចុប្បន្ន
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,ផ្ញើសារជាអក្សរដ៏ធំមួយដើម្បីទំនាក់ទំនងរបស់អ្នក
DocType: Program,Program Name,ឈ្មោះកម្មវិធី
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,សូមពិចារណាឬបន្ទុកសម្រាប់ពន្ធលើ
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,ជាក់ស្តែ Qty ចាំបាច់
DocType: Employee Loan,Loan Type,ប្រភេទសេវាឥណទាន
DocType: Scheduling Tool,Scheduling Tool,ឧបករណ៍កាលវិភាគ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,កាតឥណទាន
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,កាតឥណទាន
DocType: BOM,Item to be manufactured or repacked,ធាតុនឹងត្រូវបានផលិតឬ repacked
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,ការកំណត់លំនាំដើមសម្រាប់ប្រតិបត្តិការភាគហ៊ុន។
DocType: Purchase Invoice,Next Date,កាលបរិច្ឆេទបន្ទាប់
@@ -4538,10 +4568,10 @@
DocType: Stock Entry,Repack,Repack
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,អ្នកត្រូវតែរក្សាទុកសំណុំបែបបទមុនពេលដំណើរការសវនាការ
DocType: Item Attribute,Numeric Values,តម្លៃជាលេខ
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,ភ្ជាប់រូបសញ្ញា
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,ភ្ជាប់រូបសញ្ញា
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,កម្រិតភាគហ៊ុន
DocType: Customer,Commission Rate,អត្រាប្រាក់កំរៃ
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,ធ្វើឱ្យវ៉ារ្យង់
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,ធ្វើឱ្យវ៉ារ្យង់
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,កម្មវិធីដែលបានឈប់សម្រាកប្លុកដោយនាយកដ្ឋាន។
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer",ប្រភេទការទូទាត់ត្រូវតែជាផ្នែកមួយនៃការទទួលបានការសងប្រាក់និងផ្ទេរប្រាក់បរទេស
apps/erpnext/erpnext/config/selling.py +179,Analytics,វិធីវិភាគ
@@ -4549,45 +4579,45 @@
DocType: Vehicle,Model,តារាម៉ូដែល
DocType: Production Order,Actual Operating Cost,ការចំណាយប្រតិបត្តិការបានពិតប្រាកដ
DocType: Payment Entry,Cheque/Reference No,មូលប្បទានប័ត្រ / យោងគ្មាន
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,ជា root មិនអាចត្រូវបានកែសម្រួល។
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,ជា root មិនអាចត្រូវបានកែសម្រួល។
DocType: Item,Units of Measure,ឯកតារង្វាស់
DocType: Manufacturing Settings,Allow Production on Holidays,ផលិតកម្មនៅលើថ្ងៃឈប់សម្រាកអនុញ្ញាតឱ្យ
DocType: Sales Order,Customer's Purchase Order Date,របស់អតិថិជនទិញលំដាប់កាលបរិច្ឆេទ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,រាជធានីហ៊ុន
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,រាជធានីហ៊ុន
DocType: Shopping Cart Settings,Show Public Attachments,បង្ហាញឯកសារភ្ជាប់សាធារណៈ
DocType: Packing Slip,Package Weight Details,កញ្ចប់ព័ត៌មានលម្អិតទម្ងន់
DocType: Payment Gateway Account,Payment Gateway Account,គណនីទូទាត់
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,បន្ទាប់ពីការបញ្ចប់ការទូទាត់ប្តូរទិសអ្នកប្រើទំព័រដែលបានជ្រើស។
DocType: Company,Existing Company,ក្រុមហ៊ុនដែលមានស្រាប់
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",ប្រភេទពន្ធត្រូវបានផ្លាស់ប្តូរទៅជា "សរុប" ដោយសារតែធាតុទាំងអស់នេះគឺជាធាតុដែលមិនមែនជាភាគហ៊ុន
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,សូមជ្រើសឯកសារ csv
DocType: Student Leave Application,Mark as Present,សម្គាល់ជាបច្ចុប្បន្ន
DocType: Purchase Order,To Receive and Bill,ដើម្បីទទួលបាននិង Bill
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,ផលិតផលពិសេស
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,អ្នករចនា
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,អ្នករចនា
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,លក្ខខណ្ឌទំព័រគំរូ
DocType: Serial No,Delivery Details,ពត៌មានលំអិតដឹកជញ្ជូន
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},មជ្ឈមណ្ឌលការចំណាយគឺត្រូវបានទាមទារនៅក្នុងជួរដេក {0} នៅក្នុងពន្ធតារាងសម្រាប់ប្រភេទ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},មជ្ឈមណ្ឌលការចំណាយគឺត្រូវបានទាមទារនៅក្នុងជួរដេក {0} នៅក្នុងពន្ធតារាងសម្រាប់ប្រភេទ {1}
DocType: Program,Program Code,កូដកម្មវិធី
DocType: Terms and Conditions,Terms and Conditions Help,លក្ខខណ្ឌជំនួយ
,Item-wise Purchase Register,ចុះឈ្មោះទិញធាតុប្រាជ្ញា
DocType: Batch,Expiry Date,កាលបរិច្ឆេទផុតកំណត់
-,Supplier Addresses and Contacts,អាសយដ្ឋានក្រុមហ៊ុនផ្គត់ផ្គង់និងទំនាក់ទំនង
,accounts-browser,គណនីកម្មវិធីរុករក
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,សូមជ្រើសប្រភេទជាលើកដំបូង
apps/erpnext/erpnext/config/projects.py +13,Project master.,ចៅហ្វាយគម្រោង។
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","ដើម្បីអនុញ្ញាតឱ្យវិក័យប័ត្រឬលើសលំដាប់ជាង, ធ្វើឱ្យទាន់សម័យ "អនុញ្ញាត" នៅក្នុងការកំណត់ហ៊ុនឬធាតុ។"
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","ដើម្បីអនុញ្ញាតឱ្យវិក័យប័ត្រឬលើសលំដាប់ជាង, ធ្វើឱ្យទាន់សម័យ "អនុញ្ញាត" នៅក្នុងការកំណត់ហ៊ុនឬធាតុ។"
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,កុំបង្ហាញនិមិត្តរូបដូចជា $ លណាមួយដែលជាប់នឹងរូបិយប័ណ្ណ។
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(ពាក់កណ្តាលថ្ងៃ)
DocType: Supplier,Credit Days,ថ្ងៃឥណទាន
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,ធ្វើឱ្យបាច់សិស្ស
DocType: Leave Type,Is Carry Forward,គឺត្រូវបានអនុវត្តទៅមុខ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,ទទួលបានធាតុពី Bom
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,ទទួលបានធាតុពី Bom
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Lead ពេលថ្ងៃ
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ជួរដេក # {0}: ប្រកាសកាលបរិច្ឆេទត្រូវតែមានដូចគ្នាកាលបរិច្ឆេទទិញ {1} នៃទ្រព្យសម្បត្តិ {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ជួរដេក # {0}: ប្រកាសកាលបរិច្ឆេទត្រូវតែមានដូចគ្នាកាលបរិច្ឆេទទិញ {1} នៃទ្រព្យសម្បត្តិ {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,សូមបញ្ចូលការបញ្ជាទិញលក់នៅក្នុងតារាងខាងលើ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,មិនផ្តល់ជូនប្រាក់ខែគ្រូពេទ្យប្រហែលជា
,Stock Summary,សង្ខេបភាគហ៊ុន
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,ផ្ទេរទ្រព្យសម្បត្តិមួយពីឃ្លាំងមួយទៅមួយទៀត
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,ផ្ទេរទ្រព្យសម្បត្តិមួយពីឃ្លាំងមួយទៅមួយទៀត
DocType: Vehicle,Petrol,ប្រេង
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,វិក័យប័ត្រនៃសម្ភារៈ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},ជួរដេក {0}: គណបក្សប្រភេទនិងគណបក្សគឺត្រូវបានទាមទារសម្រាប់ការទទួលគណនី / បង់ {1}
@@ -4598,6 +4628,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,ចំនួនទឹកប្រាក់ដែលបានអនុញ្ញាត
DocType: GL Entry,Is Opening,តើការបើក
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},ជួរដេក {0}: ធាតុឥណពន្ធមិនអាចត្រូវបានផ្សារភ្ជាប់ទៅនឹងការ {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,គណនី {0} មិនមាន
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,គណនី {0} មិនមាន
DocType: Account,Cash,ជាសាច់ប្រាក់
DocType: Employee,Short biography for website and other publications.,ប្រវត្ដិរូបខ្លីសម្រាប់គេហទំព័រនិងសៀវភៅផ្សេងទៀត។
diff --git a/erpnext/translations/kn.csv b/erpnext/translations/kn.csv
index 7fa871a..6fb74e7 100644
--- a/erpnext/translations/kn.csv
+++ b/erpnext/translations/kn.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,ಗ್ರಾಹಕ ಉತ್ಪನ್ನಗಳು
DocType: Item,Customer Items,ಗ್ರಾಹಕ ವಸ್ತುಗಳು
DocType: Project,Costing and Billing,ಕಾಸ್ಟಿಂಗ್ ಮತ್ತು ಬಿಲ್ಲಿಂಗ್
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,ಖಾತೆ {0}: ಪೋಷಕರ ಖಾತೆಯ {1} ಒಂದು ಲೆಡ್ಜರ್ ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,ಖಾತೆ {0}: ಪೋಷಕರ ಖಾತೆಯ {1} ಒಂದು ಲೆಡ್ಜರ್ ಸಾಧ್ಯವಿಲ್ಲ
DocType: Item,Publish Item to hub.erpnext.com,Hub.erpnext.com ಗೆ ಐಟಂ ಪ್ರಕಟಿಸಿ
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,ಇಮೇಲ್ ಅಧಿಸೂಚನೆಗಳನ್ನು
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,ಮೌಲ್ಯಮಾಪನ
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,ಮೌಲ್ಯಮಾಪನ
DocType: Item,Default Unit of Measure,ಮಾಪನದ ಡೀಫಾಲ್ಟ್ ಘಟಕ
DocType: SMS Center,All Sales Partner Contact,ಎಲ್ಲಾ ಮಾರಾಟದ ಪಾರ್ಟ್ನರ್ಸ್ ಸಂಪರ್ಕಿಸಿ
DocType: Employee,Leave Approvers,Approvers ಬಿಡಿ
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),ವಿನಿಮಯ ದರ ಅದೇ ಇರಬೇಕು {0} {1} ({2})
DocType: Sales Invoice,Customer Name,ಗ್ರಾಹಕ ಹೆಸರು
DocType: Vehicle,Natural Gas,ನೈಸರ್ಗಿಕ ಅನಿಲ
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},ಬ್ಯಾಂಕ್ ಖಾತೆಯಿಂದ ಹೆಸರಿನ ಸಾಧ್ಯವಿಲ್ಲ {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},ಬ್ಯಾಂಕ್ ಖಾತೆಯಿಂದ ಹೆಸರಿನ ಸಾಧ್ಯವಿಲ್ಲ {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,ತಲೆ (ಅಥವಾ ಗುಂಪುಗಳು) ವಿರುದ್ಧ ಲೆಕ್ಕಪರಿಶೋಧಕ ನಮೂದುಗಳನ್ನು ಮಾಡಲಾಗುತ್ತದೆ ಮತ್ತು ಸಮತೋಲನಗಳ ನಿರ್ವಹಿಸುತ್ತದೆ.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),ಮಹೋನ್ನತ {0} ಕಡಿಮೆ ಶೂನ್ಯ ಸಾಧ್ಯವಿಲ್ಲ ( {1} )
DocType: Manufacturing Settings,Default 10 mins,10 ನಿಮಿಷಗಳು ಡೀಫಾಲ್ಟ್
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,ಎಲ್ಲಾ ಸಂಪರ್ಕಿಸಿ ಸರಬರಾಜುದಾರ
DocType: Support Settings,Support Settings,ಬೆಂಬಲ ಸೆಟ್ಟಿಂಗ್ಗಳು
DocType: SMS Parameter,Parameter,ನಿಯತಾಂಕ
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,ನಿರೀಕ್ಷಿತ ಅಂತಿಮ ದಿನಾಂಕ ನಿರೀಕ್ಷಿತ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಕಡಿಮೆ ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,ನಿರೀಕ್ಷಿತ ಅಂತಿಮ ದಿನಾಂಕ ನಿರೀಕ್ಷಿತ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಕಡಿಮೆ ಸಾಧ್ಯವಿಲ್ಲ
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ರೋ # {0}: ದರ ಅದೇ ಇರಬೇಕು {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,ಹೊಸ ರಜೆ ಅಪ್ಲಿಕೇಶನ್
,Batch Item Expiry Status,ಬ್ಯಾಚ್ ಐಟಂ ಅಂತ್ಯ ಸ್ಥಿತಿ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,ಬ್ಯಾಂಕ್ ಡ್ರಾಫ್ಟ್
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,ಬ್ಯಾಂಕ್ ಡ್ರಾಫ್ಟ್
DocType: Mode of Payment Account,Mode of Payment Account,ಪಾವತಿ ಖಾತೆಯಿಂದ ಮೋಡ್
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,ತೋರಿಸು ಮಾರ್ಪಾಟುಗಳು
DocType: Academic Term,Academic Term,ಶೈಕ್ಷಣಿಕ ಟರ್ಮ್
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,ವಸ್ತು
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,ಪ್ರಮಾಣ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,ಟೇಬಲ್ ಖಾತೆಗಳು ಖಾಲಿ ಇರುವಂತಿಲ್ಲ.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),ಸಾಲ ( ಹೊಣೆಗಾರಿಕೆಗಳು )
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),ಸಾಲ ( ಹೊಣೆಗಾರಿಕೆಗಳು )
DocType: Employee Education,Year of Passing,ಸಾಗುವುದು ವರ್ಷ
DocType: Item,Country of Origin,ಮೂಲ ದೇಶ
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,ಸಂಗ್ರಹಣೆಯಲ್ಲಿ
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,ಸಂಗ್ರಹಣೆಯಲ್ಲಿ
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,ಓಪನ್ ತೊಂದರೆಗಳು
DocType: Production Plan Item,Production Plan Item,ನಿರ್ಮಾಣ ವೇಳಾಪಟ್ಟಿಯು ಐಟಂ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},ಬಳಕೆದಾರ {0} ಈಗಾಗಲೇ ನೌಕರರ ನಿಗದಿಪಡಿಸಲಾಗಿದೆ {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,ಆರೋಗ್ಯ
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ಪಾವತಿ ವಿಳಂಬ (ದಿನಗಳು)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,ಸೇವೆ ಖರ್ಚು
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},ಕ್ರಮ ಸಂಖ್ಯೆ: {0} ಈಗಾಗಲೇ ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಉಲ್ಲೇಖವಿದೆ: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},ಕ್ರಮ ಸಂಖ್ಯೆ: {0} ಈಗಾಗಲೇ ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಉಲ್ಲೇಖವಿದೆ: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,ಸರಕುಪಟ್ಟಿ
DocType: Maintenance Schedule Item,Periodicity,ನಿಯತಕಾಲಿಕತೆ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ಹಣಕಾಸಿನ ವರ್ಷ {0} ಅಗತ್ಯವಿದೆ
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,ರೋ # {0}:
DocType: Timesheet,Total Costing Amount,ಒಟ್ಟು ಕಾಸ್ಟಿಂಗ್ ಪ್ರಮಾಣ
DocType: Delivery Note,Vehicle No,ವಾಹನ ನಂ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,ಬೆಲೆ ಪಟ್ಟಿ ಆಯ್ಕೆ ಮಾಡಿ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,ಬೆಲೆ ಪಟ್ಟಿ ಆಯ್ಕೆ ಮಾಡಿ
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,ರೋ # {0}: ಪಾವತಿ ಡಾಕ್ಯುಮೆಂಟ್ trasaction ಪೂರ್ಣಗೊಳಿಸಲು ಅಗತ್ಯವಿದೆ
DocType: Production Order Operation,Work In Progress,ಪ್ರಗತಿಯಲ್ಲಿದೆ ಕೆಲಸ
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,ದಿನಾಂಕ ಆಯ್ಕೆ
DocType: Employee,Holiday List,ಹಾಲಿಡೇ ಪಟ್ಟಿ
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,ಅಕೌಂಟೆಂಟ್
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,ಅಕೌಂಟೆಂಟ್
DocType: Cost Center,Stock User,ಸ್ಟಾಕ್ ಬಳಕೆದಾರ
DocType: Company,Phone No,ದೂರವಾಣಿ ಸಂಖ್ಯೆ
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,ಕೋರ್ಸ್ ವೇಳಾಪಟ್ಟಿಗಳು ದಾಖಲಿಸಿದವರು:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},ಹೊಸ {0}: # {1}
,Sales Partners Commission,ಮಾರಾಟದ ಪಾರ್ಟ್ನರ್ಸ್ ಆಯೋಗ
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,ಸಂಕ್ಷೇಪಣ ಹೆಚ್ಚು 5 ಪಾತ್ರಗಳು ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,ಸಂಕ್ಷೇಪಣ ಹೆಚ್ಚು 5 ಪಾತ್ರಗಳು ಸಾಧ್ಯವಿಲ್ಲ
DocType: Payment Request,Payment Request,ಪಾವತಿ ವಿನಂತಿ
DocType: Asset,Value After Depreciation,ಸವಕಳಿ ನಂತರ ಮೌಲ್ಯ
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,ಅಟೆಂಡೆನ್ಸ್ ದಿನಾಂಕ ನೌಕರನ ಸೇರುವ ದಿನಾಂಕಕ್ಕಿಂತ ಕಡಿಮೆ ಇರಬಾರದು
DocType: Grading Scale,Grading Scale Name,ಗ್ರೇಡಿಂಗ್ ಸ್ಕೇಲ್ ಹೆಸರು
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,ಈ ಒಂದು ಮೂಲ ಖಾತೆಯನ್ನು ಮತ್ತು ಸಂಪಾದಿತವಾಗಿಲ್ಲ .
+DocType: Sales Invoice,Company Address,ಕಂಪೆನಿ ವಿಳಾಸ
DocType: BOM,Operations,ಕಾರ್ಯಾಚರಣೆ
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},ರಿಯಾಯಿತಿ ಆಧಾರದ ಮೇಲೆ ಅಧಿಕಾರ ಹೊಂದಿಸಲು ಸಾಧ್ಯವಾಗಿಲ್ಲ {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","ಎರಡು ಕಾಲಮ್ಗಳು, ಹಳೆಯ ಹೆಸರು ಒಂದು ಮತ್ತು ಹೆಸರು ಒಂದು CSV ಕಡತ ಲಗತ್ತಿಸಿ"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ಯಾವುದೇ ಸಕ್ರಿಯ ವರ್ಷದಲ್ಲಿ.
DocType: Packed Item,Parent Detail docname,Docname ಪೋಷಕ ವಿವರ
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","ರೆಫರೆನ್ಸ್: {0}, ಐಟಂ ಕೋಡ್: {1} ಮತ್ತು ಗ್ರಾಹಕ: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,ಕೆಜಿ
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,ಕೆಜಿ
DocType: Student Log,Log,ಲಾಗ್
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,ಕೆಲಸ ತೆರೆಯುತ್ತಿದೆ .
DocType: Item Attribute,Increment,ಹೆಚ್ಚಳವನ್ನು
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,ಜಾಹೀರಾತು
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,ಅದೇ ಕಂಪನಿಯ ಒಂದಕ್ಕಿಂತ ಹೆಚ್ಚು ಬಾರಿ ದಾಖಲಿಸಿದರೆ
DocType: Employee,Married,ವಿವಾಹಿತರು
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},ಜಾಹೀರಾತು ಅನುಮತಿಯಿಲ್ಲ {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},ಜಾಹೀರಾತು ಅನುಮತಿಯಿಲ್ಲ {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,ಐಟಂಗಳನ್ನು ಪಡೆಯಿರಿ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},ಸ್ಟಾಕ್ ಡೆಲಿವರಿ ಗಮನಿಸಿ ವಿರುದ್ಧ ನವೀಕರಿಸಲಾಗುವುದಿಲ್ಲ {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},ಸ್ಟಾಕ್ ಡೆಲಿವರಿ ಗಮನಿಸಿ ವಿರುದ್ಧ ನವೀಕರಿಸಲಾಗುವುದಿಲ್ಲ {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},ಉತ್ಪನ್ನ {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,ಯಾವುದೇ ಐಟಂಗಳನ್ನು ಪಟ್ಟಿ
DocType: Payment Reconciliation,Reconcile,ರಾಜಿ ಮಾಡಿಸು
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,ಮುಂದಿನ ಸವಕಳಿ ದಿನಾಂಕ ಖರೀದಿ ದಿನಾಂಕ ಮೊದಲು ಸಾಧ್ಯವಿಲ್ಲ
DocType: SMS Center,All Sales Person,ಎಲ್ಲಾ ಮಾರಾಟಗಾರನ
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** ಮಾಸಿಕ ವಿತರಣೆ ** ನಿಮ್ಮ ವ್ಯವಹಾರದಲ್ಲಿ ಋತುಗಳು ಹೊಂದಿದ್ದರೆ ನೀವು ತಿಂಗಳ ಅಡ್ಡಲಾಗಿ ಬಜೆಟ್ / ಟಾರ್ಗೆಟ್ ವಿತರಿಸಲು ನೆರವಾಗುತ್ತದೆ.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,ಮಾಡಿರುವುದಿಲ್ಲ ಐಟಂಗಳನ್ನು ಕಂಡುಬಂದಿಲ್ಲ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,ಮಾಡಿರುವುದಿಲ್ಲ ಐಟಂಗಳನ್ನು ಕಂಡುಬಂದಿಲ್ಲ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,ಸಂಬಳ ರಚನೆ ಮಿಸ್ಸಿಂಗ್
DocType: Lead,Person Name,ವ್ಯಕ್ತಿ ಹೆಸರು
DocType: Sales Invoice Item,Sales Invoice Item,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಐಟಂ
DocType: Account,Credit,ಕ್ರೆಡಿಟ್
DocType: POS Profile,Write Off Cost Center,ವೆಚ್ಚ ಸೆಂಟರ್ ಆಫ್ ಬರೆಯಿರಿ
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",ಉದಾಹರಣೆಗೆ "ಪ್ರಾಥಮಿಕ ಶಾಲೆ" ಅಥವಾ "ವಿಶ್ವವಿದ್ಯಾಲಯ"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",ಉದಾಹರಣೆಗೆ "ಪ್ರಾಥಮಿಕ ಶಾಲೆ" ಅಥವಾ "ವಿಶ್ವವಿದ್ಯಾಲಯ"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,ಸ್ಟಾಕ್ ವರದಿಗಳು
DocType: Warehouse,Warehouse Detail,ವೇರ್ಹೌಸ್ ವಿವರ
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},ಕ್ರೆಡಿಟ್ ಮಿತಿಯನ್ನು ಗ್ರಾಹಕ ದಾಟಿದೆ ಮಾಡಲಾಗಿದೆ {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},ಕ್ರೆಡಿಟ್ ಮಿತಿಯನ್ನು ಗ್ರಾಹಕ ದಾಟಿದೆ ಮಾಡಲಾಗಿದೆ {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ಟರ್ಮ್ ಎಂಡ್ ದಿನಾಂಕ ನಂತರ ಶೈಕ್ಷಣಿಕ ವರ್ಷದ ವರ್ಷಾಂತ್ಯದ ದಿನಾಂಕ ಪದವನ್ನು ಸಂಪರ್ಕಿತ ಉದ್ದವಾಗಿರುವಂತಿಲ್ಲ (ಅಕಾಡೆಮಿಕ್ ಇಯರ್ {}). ದಯವಿಟ್ಟು ದಿನಾಂಕಗಳನ್ನು ಸರಿಪಡಿಸಲು ಹಾಗೂ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""ಸ್ಥಿರ ಆಸ್ತಿ" ಆಸ್ತಿ ದಾಖಲೆ ಐಟಂ ವಿರುದ್ಧ ಅಸ್ತಿತ್ವದಲ್ಲಿರುವಂತೆ, ಪರಿಶೀಲಿಸದೆ ಸಾಧ್ಯವಿಲ್ಲ"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""ಸ್ಥಿರ ಆಸ್ತಿ" ಆಸ್ತಿ ದಾಖಲೆ ಐಟಂ ವಿರುದ್ಧ ಅಸ್ತಿತ್ವದಲ್ಲಿರುವಂತೆ, ಪರಿಶೀಲಿಸದೆ ಸಾಧ್ಯವಿಲ್ಲ"
DocType: Vehicle Service,Brake Oil,ಬ್ರೇಕ್ ಆಯಿಲ್
DocType: Tax Rule,Tax Type,ಜನಪ್ರಿಯ ಕೌಟುಂಬಿಕತೆ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},ನೀವು ಮೊದಲು ನಮೂದುಗಳನ್ನು ಸೇರಿಸಲು ಅಥವ ಅಪ್ಡೇಟ್ ಅಧಿಕಾರ {0}
DocType: BOM,Item Image (if not slideshow),ಐಟಂ ಚಿತ್ರ (ಇಲ್ಲದಿದ್ದರೆ ಸ್ಲೈಡ್ಶೋ )
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,ಗ್ರಾಹಕ ಅದೇ ಹೆಸರಿನ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(ಅವರ್ ದರ / 60) * ವಾಸ್ತವಿಕ ಆಪರೇಷನ್ ಟೈಮ್
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,ಬಿಒಎಮ್ ಆಯ್ಕೆ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,ಬಿಒಎಮ್ ಆಯ್ಕೆ
DocType: SMS Log,SMS Log,ಎಸ್ಎಂಎಸ್ ಲಾಗಿನ್
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,ತಲುಪಿಸುವುದಾಗಿರುತ್ತದೆ ವೆಚ್ಚ
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,{0} ರಜೆ ದಿನಾಂಕದಿಂದ ಮತ್ತು ದಿನಾಂಕ ನಡುವೆ ಅಲ್ಲ
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},ಗೆ {0} ಗೆ {1}
DocType: Item,Copy From Item Group,ಐಟಂ ಗುಂಪಿನಿಂದ ನಕಲಿಸಿ
DocType: Journal Entry,Opening Entry,ಎಂಟ್ರಿ ತೆರೆಯುವ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ಗ್ರಾಹಕ> ಗ್ರಾಹಕನಿಗೆ ಗ್ರೂಪ್> ಟೆರಿಟರಿ
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,ಖಾತೆ ಪೇ ಮಾತ್ರ
DocType: Employee Loan,Repay Over Number of Periods,ಓವರ್ ಸಂಖ್ಯೆ ಅವಧಿಗಳು ಮರುಪಾವತಿ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} ಸೇರಿಕೊಂಡಿಲ್ಲ ನೀಡಿದಲ್ಲಿ {2}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} ಸೇರಿಕೊಂಡಿಲ್ಲ ನೀಡಿದಲ್ಲಿ {2}
DocType: Stock Entry,Additional Costs,ಹೆಚ್ಚುವರಿ ವೆಚ್ಚ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಖಾತೆ ಗುಂಪು ಪರಿವರ್ತನೆ ಸಾಧ್ಯವಿಲ್ಲ .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಖಾತೆ ಗುಂಪು ಪರಿವರ್ತನೆ ಸಾಧ್ಯವಿಲ್ಲ .
DocType: Lead,Product Enquiry,ಉತ್ಪನ್ನ ವಿಚಾರಣೆ
DocType: Academic Term,Schools,ಶಾಲೆಗಳು
+DocType: School Settings,Validate Batch for Students in Student Group,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪಿನಲ್ಲಿರುವ ವಿದ್ಯಾರ್ಥಿಗಳಿಗೆ ಬ್ಯಾಚ್ ಸ್ಥಿರೀಕರಿಸಿ
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},ಯಾವುದೇ ರಜೆ ದಾಖಲೆ ನೌಕರ ಕಂಡು {0} ಫಾರ್ {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,ಮೊದಲ ಕಂಪನಿ ನಮೂದಿಸಿ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,ಮೊದಲ ಕಂಪನಿ ಆಯ್ಕೆ ಮಾಡಿ
@@ -175,50 +176,50 @@
DocType: BOM,Total Cost,ಒಟ್ಟು ವೆಚ್ಚ
DocType: Journal Entry Account,Employee Loan,ನೌಕರರ ಸಾಲ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,ಚಟುವಟಿಕೆ ಲಾಗ್ :
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,ಐಟಂ {0} ವ್ಯವಸ್ಥೆಯ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ ಅಥವಾ ಮುಗಿದಿದೆ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,ಐಟಂ {0} ವ್ಯವಸ್ಥೆಯ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ ಅಥವಾ ಮುಗಿದಿದೆ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,ಸ್ಥಿರಾಸ್ತಿ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,ಖಾತೆ ಹೇಳಿಕೆ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,ಫಾರ್ಮಾಸ್ಯುಟಿಕಲ್ಸ್
DocType: Purchase Invoice Item,Is Fixed Asset,ಸ್ಥಿರ ಆಸ್ತಿ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","ಲಭ್ಯವಿರುವ ಪ್ರಮಾಣ ಇದೆ {0}, ನೀವು {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","ಲಭ್ಯವಿರುವ ಪ್ರಮಾಣ ಇದೆ {0}, ನೀವು {1}"
DocType: Expense Claim Detail,Claim Amount,ಹಕ್ಕು ಪ್ರಮಾಣವನ್ನು
-DocType: Employee,Mr,ಶ್ರೀ
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,cutomer ಗುಂಪು ಟೇಬಲ್ ಕಂಡುಬರುವ ನಕಲು ಗ್ರಾಹಕ ಗುಂಪಿನ
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,ಸರಬರಾಜುದಾರ ಟೈಪ್ / ಸರಬರಾಜುದಾರ
DocType: Naming Series,Prefix,ಮೊದಲೇ ಜೋಡಿಸು
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,ಉಪಭೋಗ್ಯ
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,ಉಪಭೋಗ್ಯ
DocType: Employee,B-,ಬಿ
DocType: Upload Attendance,Import Log,ಆಮದು ಲಾಗ್
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,ಮೇಲೆ ಮಾನದಂಡಗಳನ್ನು ಆಧರಿಸಿ ರೀತಿಯ ತಯಾರಿಕೆ ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ಪುಲ್
DocType: Training Result Employee,Grade,ಗ್ರೇಡ್
DocType: Sales Invoice Item,Delivered By Supplier,ಸರಬರಾಜುದಾರ ವಿತರಣೆ
DocType: SMS Center,All Contact,ಎಲ್ಲಾ ಸಂಪರ್ಕಿಸಿ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ಈಗಾಗಲೇ ಬಿಒಎಮ್ ಎಲ್ಲಾ ಐಟಂಗಳನ್ನು ದಾಖಲಿಸಿದವರು
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,ವಾರ್ಷಿಕ ಸಂಬಳ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ಈಗಾಗಲೇ ಬಿಒಎಮ್ ಎಲ್ಲಾ ಐಟಂಗಳನ್ನು ದಾಖಲಿಸಿದವರು
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,ವಾರ್ಷಿಕ ಸಂಬಳ
DocType: Daily Work Summary,Daily Work Summary,ದೈನಂದಿನ ಕೆಲಸ ಸಾರಾಂಶ
DocType: Period Closing Voucher,Closing Fiscal Year,ಹಣಕಾಸಿನ ವರ್ಷ ಕ್ಲೋಸಿಂಗ್
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} ಹೆಪ್ಪುಗಟ್ಟಿರುವ
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,ದಯವಿಟ್ಟು ಖಾತೆಗಳ ಪಟ್ಟಿ ರಚಿಸಲು ಕಂಪನಿಯ ಆಯ್ಕೆ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,ಸ್ಟಾಕ್ ವೆಚ್ಚಗಳು
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} ಹೆಪ್ಪುಗಟ್ಟಿರುವ
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,ದಯವಿಟ್ಟು ಖಾತೆಗಳ ಪಟ್ಟಿ ರಚಿಸಲು ಕಂಪನಿಯ ಆಯ್ಕೆ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,ಸ್ಟಾಕ್ ವೆಚ್ಚಗಳು
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,ಟಾರ್ಗೆಟ್ ವೇರ್ಹೌಸ್ ಆಯ್ಕೆ
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,ಟಾರ್ಗೆಟ್ ವೇರ್ಹೌಸ್ ಆಯ್ಕೆ
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,ದಯವಿಟ್ಟು ಇಷ್ಟದ ಸಂಪರ್ಕ ಇಮೇಲ್ ನಮೂದಿಸಿ
+DocType: Program Enrollment,School Bus,ಶಾಲಾ ಬಸ್
DocType: Journal Entry,Contra Entry,ಕಾಂಟ್ರಾ ಎಂಟ್ರಿ
DocType: Journal Entry Account,Credit in Company Currency,ಕಂಪನಿ ಕರೆನ್ಸಿ ಕ್ರೆಡಿಟ್
DocType: Delivery Note,Installation Status,ಅನುಸ್ಥಾಪನ ಸ್ಥಿತಿಯನ್ನು
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",ನೀವು ಹಾಜರಾತಿ ನವೀಕರಿಸಲು ಬಯಸುತ್ತೀರಾ? <br> ಪ್ರೆಸೆಂಟ್: {0} \ <br> ಆಬ್ಸೆಂಟ್: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},ಅಕ್ಸೆಪ್ಟೆಡ್ + ತಿರಸ್ಕರಿಸಲಾಗಿದೆ ಪ್ರಮಾಣ ಐಟಂ ಸ್ವೀಕರಿಸಲಾಗಿದೆ ಪ್ರಮಾಣಕ್ಕೆ ಸಮ ಇರಬೇಕು {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},ಅಕ್ಸೆಪ್ಟೆಡ್ + ತಿರಸ್ಕರಿಸಲಾಗಿದೆ ಪ್ರಮಾಣ ಐಟಂ ಸ್ವೀಕರಿಸಲಾಗಿದೆ ಪ್ರಮಾಣಕ್ಕೆ ಸಮ ಇರಬೇಕು {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,ಪೂರೈಕೆ ಕಚ್ಚಾ ವಸ್ತುಗಳ ಖರೀದಿ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,ಪಾವತಿಯ ಕನಿಷ್ಟ ಒಂದು ಮಾದರಿ ಪಿಓಎಸ್ ಸರಕುಪಟ್ಟಿ ಅಗತ್ಯವಿದೆ.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,ಪಾವತಿಯ ಕನಿಷ್ಟ ಒಂದು ಮಾದರಿ ಪಿಓಎಸ್ ಸರಕುಪಟ್ಟಿ ಅಗತ್ಯವಿದೆ.
DocType: Products Settings,Show Products as a List,ಪ್ರದರ್ಶನ ಉತ್ಪನ್ನಗಳು ಪಟ್ಟಿಯೆಂದು
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records",", ಟೆಂಪ್ಲೇಟು ಸೂಕ್ತ ಮಾಹಿತಿ ತುಂಬಲು ಮತ್ತು ಬದಲಾಯಿಸಲಾಗಿತ್ತು ಕಡತ ಲಗತ್ತಿಸಬಹುದು.
ಆಯ್ಕೆ ಅವಧಿಯಲ್ಲಿ ಎಲ್ಲ ದಿನಾಂಕಗಳು ಮತ್ತು ನೌಕರ ಸಂಯೋಜನೆಯನ್ನು ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಹಾಜರಾತಿ ದಾಖಲೆಗಳು, ಟೆಂಪ್ಲೇಟ್ ಬರುತ್ತದೆ"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,ಐಟಂ {0} ಸಕ್ರಿಯವಾಗಿಲ್ಲ ಅಥವಾ ಜೀವನದ ಕೊನೆಯಲ್ಲಿ ತಲುಪಿತು ಮಾಡಲಾಗಿದೆ
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,ಉದಾಹರಣೆ: ಮೂಲಭೂತ ಗಣಿತ
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","ಸತತವಾಗಿ ತೆರಿಗೆ ಸೇರಿಸಲು {0} ಐಟಂ ಪ್ರಮಾಣದಲ್ಲಿ , ಸಾಲುಗಳಲ್ಲಿ ತೆರಿಗೆ {1} , ಎಂದು ಸೇರಿಸಲೇಬೇಕು"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,ಐಟಂ {0} ಸಕ್ರಿಯವಾಗಿಲ್ಲ ಅಥವಾ ಜೀವನದ ಕೊನೆಯಲ್ಲಿ ತಲುಪಿತು ಮಾಡಲಾಗಿದೆ
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,ಉದಾಹರಣೆ: ಮೂಲಭೂತ ಗಣಿತ
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","ಸತತವಾಗಿ ತೆರಿಗೆ ಸೇರಿಸಲು {0} ಐಟಂ ಪ್ರಮಾಣದಲ್ಲಿ , ಸಾಲುಗಳಲ್ಲಿ ತೆರಿಗೆ {1} , ಎಂದು ಸೇರಿಸಲೇಬೇಕು"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,ಮಾನವ ಸಂಪನ್ಮೂಲ ಮಾಡ್ಯೂಲ್ ಸೆಟ್ಟಿಂಗ್ಗಳು
DocType: SMS Center,SMS Center,ಸಂಚಿಕೆ ಸೆಂಟರ್
DocType: Sales Invoice,Change Amount,ಪ್ರಮಾಣವನ್ನು ಬದಲಾವಣೆ
@@ -228,7 +229,7 @@
DocType: Lead,Request Type,ವಿನಂತಿ ಪ್ರಕಾರ
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,ನೌಕರರ ಮಾಡಿ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,ಬ್ರಾಡ್ಕಾಸ್ಟಿಂಗ್
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,ಎಕ್ಸಿಕ್ಯೂಶನ್
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,ಎಕ್ಸಿಕ್ಯೂಶನ್
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,ಕಾರ್ಯಾಚರಣೆಗಳ ವಿವರಗಳು ನಡೆಸಿತು.
DocType: Serial No,Maintenance Status,ನಿರ್ವಹಣೆ ಸ್ಥಿತಿಯನ್ನು
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: ಸರಬರಾಜುದಾರ ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆಯನ್ನು ವಿರುದ್ಧ ಅಗತ್ಯವಿದೆ {2}
@@ -256,7 +257,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,ಉದ್ಧರಣ ವಿನಂತಿಯನ್ನು ಕೆಳಗಿನ ಲಿಂಕ್ ಕ್ಲಿಕ್ಕಿಸಿ ನಿಲುಕಿಸಿಕೊಳ್ಳಬಹುದು
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,ವರ್ಷದ ಎಲೆಗಳು ನಿಯೋಜಿಸಿ.
DocType: SG Creation Tool Course,SG Creation Tool Course,ಎಸ್ಜಿ ಸೃಷ್ಟಿ ಉಪಕರಣ ಕೋರ್ಸ್
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,ಸಾಕಷ್ಟು ಸ್ಟಾಕ್
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,ಸಾಕಷ್ಟು ಸ್ಟಾಕ್
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ ಸಾಮರ್ಥ್ಯವನ್ನು ಯೋಜನೆ ಮತ್ತು ಟೈಮ್ ಟ್ರಾಕಿಂಗ್
DocType: Email Digest,New Sales Orders,ಹೊಸ ಮಾರಾಟ ಆದೇಶಗಳನ್ನು
DocType: Bank Guarantee,Bank Account,ಠೇವಣಿ ವಿವರ
@@ -267,8 +268,9 @@
DocType: Production Order Operation,Updated via 'Time Log','ಟೈಮ್ ಲಾಗ್' ಮೂಲಕ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},ಅಡ್ವಾನ್ಸ್ ಪ್ರಮಾಣವನ್ನು ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ {0} {1}
DocType: Naming Series,Series List for this Transaction,ಈ ಟ್ರಾನ್ಸಾಕ್ಷನ್ ಸರಣಿ ಪಟ್ಟಿ
+DocType: Company,Enable Perpetual Inventory,ಶಾಶ್ವತ ಇನ್ವೆಂಟರಿ ಸಕ್ರಿಯಗೊಳಿಸಿ
DocType: Company,Default Payroll Payable Account,ಡೀಫಾಲ್ಟ್ ವೇತನದಾರರ ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,ಅಪ್ಡೇಟ್ ಇಮೇಲ್ ಗುಂಪು
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,ಅಪ್ಡೇಟ್ ಇಮೇಲ್ ಗುಂಪು
DocType: Sales Invoice,Is Opening Entry,ಎಂಟ್ರಿ ಆರಂಭ
DocType: Customer Group,Mention if non-standard receivable account applicable,ಬಗ್ಗೆ ಸ್ಟಾಂಡರ್ಡ್ ಅಲ್ಲದ ಸ್ವೀಕೃತಿ ಖಾತೆಯನ್ನು ಅನ್ವಯಿಸಿದರೆ
DocType: Course Schedule,Instructor Name,ಬೋಧಕ ಹೆಸರು
@@ -280,13 +282,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಐಟಂ ವಿರುದ್ಧ
,Production Orders in Progress,ಪ್ರೋಗ್ರೆಸ್ ಉತ್ಪಾದನೆ ಆರ್ಡರ್ಸ್
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,ಹಣಕಾಸು ನಿವ್ವಳ ನಗದು
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","ಸ್ಥಳಿಯಸಂಗ್ರಹಣೆ ಪೂರ್ಣ, ಉಳಿಸಲು ಮಾಡಲಿಲ್ಲ"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","ಸ್ಥಳಿಯಸಂಗ್ರಹಣೆ ಪೂರ್ಣ, ಉಳಿಸಲು ಮಾಡಲಿಲ್ಲ"
DocType: Lead,Address & Contact,ವಿಳಾಸ ಮತ್ತು ಸಂಪರ್ಕ
DocType: Leave Allocation,Add unused leaves from previous allocations,ಹಿಂದಿನ ಹಂಚಿಕೆಗಳು ರಿಂದ ಬಳಕೆಯಾಗದ ಎಲೆಗಳು ಸೇರಿಸಿ
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},ಮುಂದಿನ ಮರುಕಳಿಸುವ {0} ಮೇಲೆ ನಿರ್ಮಿಸಲಾಗುತ್ತದೆ {1}
DocType: Sales Partner,Partner website,ಸಂಗಾತಿ ವೆಬ್ಸೈಟ್
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,ಐಟಂ ಸೇರಿಸಿ
-,Contact Name,ಸಂಪರ್ಕಿಸಿ ಹೆಸರು
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,ಸಂಪರ್ಕಿಸಿ ಹೆಸರು
DocType: Course Assessment Criteria,Course Assessment Criteria,ಕೋರ್ಸ್ ಅಸೆಸ್ಮೆಂಟ್ ಕ್ರೈಟೀರಿಯಾ
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,ಮೇಲೆ ತಿಳಿಸಿದ ಮಾನದಂಡಗಳನ್ನು ಸಂಬಳ ಸ್ಲಿಪ್ ರಚಿಸುತ್ತದೆ .
DocType: POS Customer Group,POS Customer Group,ಪಿಓಎಸ್ ಗ್ರಾಹಕ ಗುಂಪಿನ
@@ -295,18 +297,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,ಯಾವುದೇ ವಿವರಣೆ givenName
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,ಖರೀದಿ ವಿನಂತಿ .
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,ಈ ಯೋಜನೆಯ ವಿರುದ್ಧ ಕಾಲ ಶೀಟ್ಸ್ ಆಧರಿಸಿದೆ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,ನಿವ್ವಳ ವೇತನ ಸಾಧ್ಯವಿಲ್ಲ ಕಡಿಮೆ 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,ನಿವ್ವಳ ವೇತನ ಸಾಧ್ಯವಿಲ್ಲ ಕಡಿಮೆ 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,ಕೇವಲ ಆಯ್ದ ಲೀವ್ ಅನುಮೋದಕ ಈ ರಜೆ ಅಪ್ಲಿಕೇಶನ್ ಸಲ್ಲಿಸಬಹುದು
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,ದಿನಾಂಕ ನಿವಾರಿಸುವ ಸೇರುವ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಇರಬೇಕು
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,ವರ್ಷಕ್ಕೆ ಎಲೆಗಳು
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,ವರ್ಷಕ್ಕೆ ಎಲೆಗಳು
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ಸಾಲು {0}: ಪರಿಶೀಲಿಸಿ ಖಾತೆ ವಿರುದ್ಧ 'ಅಡ್ವಾನ್ಸ್ ಈಸ್' {1} ಈ ಮುಂಗಡ ಪ್ರವೇಶ ವೇಳೆ.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},ವೇರ್ಹೌಸ್ {0} ಸೇರುವುದಿಲ್ಲ ಕಂಪನಿ {1}
DocType: Email Digest,Profit & Loss,ಲಾಭ ನಷ್ಟ
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,ಲೀಟರ್
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,ಲೀಟರ್
DocType: Task,Total Costing Amount (via Time Sheet),ಒಟ್ಟು ಕಾಸ್ಟಿಂಗ್ ಪ್ರಮಾಣ (ಟೈಮ್ ಶೀಟ್ ಮೂಲಕ)
DocType: Item Website Specification,Item Website Specification,ವಸ್ತು ವಿಶೇಷತೆಗಳು ವೆಬ್ಸೈಟ್
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,ಬಿಡಿ ನಿರ್ಬಂಧಿಸಿದ
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},ಐಟಂ {0} ಜೀವನದ ತನ್ನ ಕೊನೆಯಲ್ಲಿ ತಲುಪಿದೆ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},ಐಟಂ {0} ಜೀವನದ ತನ್ನ ಕೊನೆಯಲ್ಲಿ ತಲುಪಿದೆ {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,ಬ್ಯಾಂಕ್ ನಮೂದುಗಳು
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,ವಾರ್ಷಿಕ
DocType: Stock Reconciliation Item,Stock Reconciliation Item,ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ ಐಟಂ
@@ -314,9 +316,9 @@
DocType: Material Request Item,Min Order Qty,ಮಿನ್ ಪ್ರಮಾಣ ಆದೇಶ
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಸೃಷ್ಟಿ ಉಪಕರಣ ಕೋರ್ಸ್
DocType: Lead,Do Not Contact,ಸಂಪರ್ಕಿಸಿ ಇಲ್ಲ
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,ನಿಮ್ಮ ಸಂಘಟನೆಯಲ್ಲಿ ಕಲಿಸಲು ಜನರು
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,ನಿಮ್ಮ ಸಂಘಟನೆಯಲ್ಲಿ ಕಲಿಸಲು ಜನರು
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,ಎಲ್ಲಾ ಮರುಕಳಿಸುವ ಇನ್ವಾಯ್ಸ್ ಟ್ರ್ಯಾಕ್ ಅನನ್ಯ ID . ಇದು ಸಲ್ಲಿಸಲು ಮೇಲೆ ಉತ್ಪಾದಿಸಲಾಗುತ್ತದೆ.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,ಸಾಫ್ಟ್ವೇರ್ ಡೆವಲಪರ್
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,ಸಾಫ್ಟ್ವೇರ್ ಡೆವಲಪರ್
DocType: Item,Minimum Order Qty,ಕನಿಷ್ಠ ಪ್ರಮಾಣ ಆದೇಶ
DocType: Pricing Rule,Supplier Type,ಸರಬರಾಜುದಾರ ಪ್ರಕಾರ
DocType: Course Scheduling Tool,Course Start Date,ಕೋರ್ಸ್ ಪ್ರಾರಂಭ ದಿನಾಂಕ
@@ -325,11 +327,11 @@
DocType: Item,Publish in Hub,ಹಬ್ ಪ್ರಕಟಿಸಿ
DocType: Student Admission,Student Admission,ವಿದ್ಯಾರ್ಥಿ ಪ್ರವೇಶ
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,ಐಟಂ {0} ರದ್ದು
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,ಐಟಂ {0} ರದ್ದು
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ
DocType: Bank Reconciliation,Update Clearance Date,ಅಪ್ಡೇಟ್ ಕ್ಲಿಯರೆನ್ಸ್ ದಿನಾಂಕ
DocType: Item,Purchase Details,ಖರೀದಿ ವಿವರಗಳು
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ಖರೀದಿ ಆದೇಶದ 'ಕಚ್ಚಾ ವಸ್ತುಗಳ ಸರಬರಾಜು ಕೋಷ್ಟಕದಲ್ಲಿ ಕಂಡುಬಂದಿಲ್ಲ ಐಟಂ {0} {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ಖರೀದಿ ಆದೇಶದ 'ಕಚ್ಚಾ ವಸ್ತುಗಳ ಸರಬರಾಜು ಕೋಷ್ಟಕದಲ್ಲಿ ಕಂಡುಬಂದಿಲ್ಲ ಐಟಂ {0} {1}
DocType: Employee,Relation,ರಿಲೇಶನ್
DocType: Shipping Rule,Worldwide Shipping,ವಿಶ್ವಾದ್ಯಂತ ಹಡಗು
DocType: Student Guardian,Mother,ತಾಯಿಯ
@@ -348,6 +350,7 @@
DocType: Student Group Student,Student Group Student,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ವಿದ್ಯಾರ್ಥಿ
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,ಇತ್ತೀಚಿನ
DocType: Vehicle Service,Inspection,ತಪಾಸಣೆ
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,ಪಟ್ಟಿ
DocType: Email Digest,New Quotations,ಹೊಸ ಉಲ್ಲೇಖಗಳು
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,ಮೆಚ್ಚಿನ ಇಮೇಲ್ ನೌಕರರ ಆಯ್ಕೆ ಆಧರಿಸಿ ನೌಕರ ಇಮೇಲ್ಗಳನ್ನು ಸಂಬಳ ಸ್ಲಿಪ್
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,ಪಟ್ಟಿಯಲ್ಲಿ ಮೊದಲ ಲೀವ್ ಅನುಮೋದಕ ಡೀಫಾಲ್ಟ್ ಲೀವ್ ಅನುಮೋದಕ ಎಂದು ಸೆಟ್ ಮಾಡಲಾಗುತ್ತದೆ
@@ -356,20 +359,20 @@
DocType: Asset,Next Depreciation Date,ಮುಂದಿನ ಸವಕಳಿ ದಿನಾಂಕ
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,ನೌಕರರ ಚಟುವಟಿಕೆಗಳನ್ನು ವೆಚ್ಚ
DocType: Accounts Settings,Settings for Accounts,ಖಾತೆಗಳಿಗೆ ಸೆಟ್ಟಿಂಗ್ಗಳು
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},ಸರಬರಾಜುದಾರ ಸರಕುಪಟ್ಟಿ ಯಾವುದೇ ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},ಸರಬರಾಜುದಾರ ಸರಕುಪಟ್ಟಿ ಯಾವುದೇ ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,ಮಾರಾಟಗಾರನ ಟ್ರೀ ನಿರ್ವಹಿಸಿ .
DocType: Job Applicant,Cover Letter,ಕವರ್ ಲೆಟರ್
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,ಅತ್ಯುತ್ತಮ ಚೆಕ್ ಮತ್ತು ತೆರವುಗೊಳಿಸಲು ಠೇವಣಿಗಳ
DocType: Item,Synced With Hub,ಹಬ್ ಸಿಂಕ್
DocType: Vehicle,Fleet Manager,ಫ್ಲೀಟ್ ಮ್ಯಾನೇಜರ್
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},ರೋ # {0}: {1} ಐಟಂ ನಕಾರಾತ್ಮಕವಾಗಿರಬಾರದು {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,ತಪ್ಪು ಪಾಸ್ವರ್ಡ್
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,ತಪ್ಪು ಪಾಸ್ವರ್ಡ್
DocType: Item,Variant Of,ಭಿನ್ನ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',ಹೆಚ್ಚು 'ಪ್ರಮಾಣ ತಯಾರಿಸಲು' ಮುಗಿದಿದೆ ಪ್ರಮಾಣ ಹೆಚ್ಚಾಗಿರುವುದು ಸಾಧ್ಯವಿಲ್ಲ
DocType: Period Closing Voucher,Closing Account Head,ಖಾತೆ ಮುಚ್ಚುವಿಕೆಗೆ ಹೆಡ್
DocType: Employee,External Work History,ಬಾಹ್ಯ ಕೆಲಸ ಇತಿಹಾಸ
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,ಸುತ್ತೋಲೆ ಆಧಾರದೋಷ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1 ಹೆಸರು
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 ಹೆಸರು
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,ನೀವು ವಿತರಣಾ ಸೂಚನೆ ಉಳಿಸಲು ಒಮ್ಮೆ ವರ್ಡ್ಸ್ ( ರಫ್ತು ) ಗೋಚರಿಸುತ್ತದೆ.
DocType: Cheque Print Template,Distance from left edge,ಎಡ ತುದಿಯಲ್ಲಿ ದೂರ
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{1}] ಘಟಕಗಳು (# ಫಾರ್ಮ್ / ಐಟಂ / {1}) [{2}] ಕಂಡುಬರುತ್ತದೆ (# ಫಾರ್ಮ್ / ವೇರ್ಹೌಸ್ / {2})
@@ -378,11 +381,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,ಸ್ವಯಂಚಾಲಿತ ವಸ್ತು ವಿನಂತಿಯನ್ನು ಸೃಷ್ಟಿ ಮೇಲೆ ಈಮೇಲ್ ಸೂಚಿಸಿ
DocType: Journal Entry,Multi Currency,ಮಲ್ಟಿ ಕರೆನ್ಸಿ
DocType: Payment Reconciliation Invoice,Invoice Type,ಸರಕುಪಟ್ಟಿ ಪ್ರಕಾರ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,ಡೆಲಿವರಿ ಗಮನಿಸಿ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,ಡೆಲಿವರಿ ಗಮನಿಸಿ
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,ತೆರಿಗೆಗಳು ಹೊಂದಿಸಲಾಗುತ್ತಿದೆ
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,ಮಾರಾಟ ಆಸ್ತಿ ವೆಚ್ಚ
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,ನೀವು ಹೊರಹಾಕಿದ ನಂತರ ಪಾವತಿ ಎಂಟ್ರಿ ಮಾರ್ಪಡಿಸಲಾಗಿದೆ. ಮತ್ತೆ ಎಳೆಯಲು ದಯವಿಟ್ಟು.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} ಐಟಂ ತೆರಿಗೆ ಎರಡು ಬಾರಿ ಪ್ರವೇಶಿಸಿತು
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,ನೀವು ಹೊರಹಾಕಿದ ನಂತರ ಪಾವತಿ ಎಂಟ್ರಿ ಮಾರ್ಪಡಿಸಲಾಗಿದೆ. ಮತ್ತೆ ಎಳೆಯಲು ದಯವಿಟ್ಟು.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} ಐಟಂ ತೆರಿಗೆ ಎರಡು ಬಾರಿ ಪ್ರವೇಶಿಸಿತು
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,ಈ ವಾರ ಬಾಕಿ ಚಟುವಟಿಕೆಗಳಿಗೆ ಸಾರಾಂಶ
DocType: Student Applicant,Admitted,ಒಪ್ಪಿಕೊಂಡರು
DocType: Workstation,Rent Cost,ಬಾಡಿಗೆ ವೆಚ್ಚ
@@ -401,25 +404,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,ನಮೂದಿಸಿ fieldValue ' ತಿಂಗಳಿನ ದಿನ ಪುನರಾವರ್ತಿಸಿ '
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,ಗ್ರಾಹಕ ಕರೆನ್ಸಿ ದರ ಗ್ರಾಹಕ ಬೇಸ್ ಕರೆನ್ಸಿ ಪರಿವರ್ತನೆ
DocType: Course Scheduling Tool,Course Scheduling Tool,ಕೋರ್ಸ್ ನಿಗದಿಗೊಳಿಸುವ ಟೂಲ್
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ರೋ # {0} ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಸಾಧ್ಯವಿಲ್ಲ ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಆಸ್ತಿಯ ಕುರಿತು ಮಾಡಿದ {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ರೋ # {0} ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಸಾಧ್ಯವಿಲ್ಲ ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಆಸ್ತಿಯ ಕುರಿತು ಮಾಡಿದ {1}
DocType: Item Tax,Tax Rate,ತೆರಿಗೆ ದರ
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} ಈಗಾಗಲೇ ನೌಕರರ ಹಂಚಿಕೆ {1} ಗೆ ಅವಧಿಯಲ್ಲಿ {2} ಫಾರ್ {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,ಆಯ್ಕೆ ಐಟಂ
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,ಖರೀದಿ ಸರಕುಪಟ್ಟಿ {0} ಈಗಾಗಲೇ ಸಲ್ಲಿಸಿದ
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,ಖರೀದಿ ಸರಕುಪಟ್ಟಿ {0} ಈಗಾಗಲೇ ಸಲ್ಲಿಸಿದ
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},ರೋ # {0}: ಬ್ಯಾಚ್ ಯಾವುದೇ ಅದೇ ಇರಬೇಕು {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,ಅ ಗ್ರೂಪ್ ಗೆ ಪರಿವರ್ತಿಸಿ
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,ಐಟಂ ಬ್ಯಾಚ್ ( ಬಹಳಷ್ಟು ) .
DocType: C-Form Invoice Detail,Invoice Date,ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕ
DocType: GL Entry,Debit Amount,ಡೆಬಿಟ್ ಪ್ರಮಾಣ
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},ಮಾತ್ರ ಕಂಪನಿ ಪ್ರತಿ 1 ಖಾತೆ ಇಲ್ಲದಂತಾಗುತ್ತದೆ {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,ಬಾಂಧವ್ಯ ನೋಡಿ
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},ಮಾತ್ರ ಕಂಪನಿ ಪ್ರತಿ 1 ಖಾತೆ ಇಲ್ಲದಂತಾಗುತ್ತದೆ {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,ಬಾಂಧವ್ಯ ನೋಡಿ
DocType: Purchase Order,% Received,% ಸ್ವೀಕರಿಸಲಾಗಿದೆ
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪುಗಳು ರಚಿಸಿ
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,ಈಗಾಗಲೇ ಸೆಟಪ್ ಪೂರ್ಣಗೊಳಿಸಲು!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,ಕ್ರೆಡಿಟ್ ಗಮನಿಸಿ ಪ್ರಮಾಣ
,Finished Goods,ಪೂರ್ಣಗೊಂಡ ಸರಕನ್ನು
DocType: Delivery Note,Instructions,ಸೂಚನೆಗಳು
DocType: Quality Inspection,Inspected By,ಪರಿಶೀಲನೆ
DocType: Maintenance Visit,Maintenance Type,ನಿರ್ವಹಣೆ ಪ್ರಕಾರ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} ಕೋರ್ಸ್ ಸೇರಿಕೊಂಡಳು ಇದೆ {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ಡೆಲಿವರಿ ಗಮನಿಸಿ ಸೇರುವುದಿಲ್ಲ {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext ಡೆಮೊ
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,ವಸ್ತುಗಳು ಸೇರಿಸಿ
@@ -442,7 +447,7 @@
DocType: Request for Quotation,Request for Quotation,ಉದ್ಧರಣ ವಿನಂತಿ
DocType: Salary Slip Timesheet,Working Hours,ದುಡಿಮೆಯು
DocType: Naming Series,Change the starting / current sequence number of an existing series.,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಸರಣಿಯ ಆರಂಭಿಕ / ಪ್ರಸ್ತುತ ಅನುಕ್ರಮ ಸಂಖ್ಯೆ ಬದಲಾಯಿಸಿ.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,ಹೊಸ ಗ್ರಾಹಕ ರಚಿಸಿ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,ಹೊಸ ಗ್ರಾಹಕ ರಚಿಸಿ
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","ಅನೇಕ ಬೆಲೆ ನಿಯಮಗಳು ಮೇಲುಗೈ ಮುಂದುವರಿದರೆ, ಬಳಕೆದಾರರು ಸಂಘರ್ಷ ಪರಿಹರಿಸಲು ಕೈಯಾರೆ ಆದ್ಯತಾ ಸೆಟ್ ತಿಳಿಸಲಾಗುತ್ತದೆ."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,ಖರೀದಿ ಆದೇಶಗಳನ್ನು ರಚಿಸಿ
,Purchase Register,ಖರೀದಿ ನೋಂದಣಿ
@@ -454,7 +459,7 @@
DocType: Student Log,Medical,ವೈದ್ಯಕೀಯ
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,ಸೋತ ಕಾರಣ
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,ಲೀಡ್ ಮಾಲೀಕ ಲೀಡ್ ಅದೇ ಸಾಧ್ಯವಿಲ್ಲ
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,ಹಂಚಿಕೆ ಪ್ರಮಾಣವನ್ನು ಹೊರಹೊಮ್ಮಿತು ಪ್ರಮಾಣದ ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,ಹಂಚಿಕೆ ಪ್ರಮಾಣವನ್ನು ಹೊರಹೊಮ್ಮಿತು ಪ್ರಮಾಣದ ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ
DocType: Announcement,Receiver,ಸ್ವೀಕರಿಸುವವರ
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},ಕಾರ್ಯಸ್ಥಳ ಹಾಲಿಡೇ ಪಟ್ಟಿ ಪ್ರಕಾರ ಕೆಳಗಿನ ದಿನಾಂಕಗಳಂದು ಮುಚ್ಚಲಾಗಿದೆ: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,ಅವಕಾಶಗಳು
@@ -468,8 +473,7 @@
DocType: Assessment Plan,Examiner Name,ಎಕ್ಸಾಮಿನರ್ ಹೆಸರು
DocType: Purchase Invoice Item,Quantity and Rate,ಪ್ರಮಾಣ ಮತ್ತು ದರ
DocType: Delivery Note,% Installed,% ಅನುಸ್ಥಾಪಿಸಲಾದ
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,ಪಾಠದ / ಲ್ಯಾಬೋರೇಟರೀಸ್ ಇತ್ಯಾದಿ ಉಪನ್ಯಾಸಗಳು ಮಾಡಬಹುದು ನಿಗದಿತ ಅಲ್ಲಿ.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,ಸರಬರಾಜುದಾರ> ಸರಬರಾಜುದಾರ ವಿಧ
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,ಪಾಠದ / ಲ್ಯಾಬೋರೇಟರೀಸ್ ಇತ್ಯಾದಿ ಉಪನ್ಯಾಸಗಳು ಮಾಡಬಹುದು ನಿಗದಿತ ಅಲ್ಲಿ.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,ಮೊದಲ ಕಂಪನಿ ಹೆಸರು ನಮೂದಿಸಿ
DocType: Purchase Invoice,Supplier Name,ಸರಬರಾಜುದಾರ ಹೆಸರು
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,ERPNext ಮ್ಯಾನುಯಲ್ ಓದಿ
@@ -479,7 +483,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,ಚೆಕ್ ಸರಬರಾಜುದಾರ ಸರಕುಪಟ್ಟಿ ಸಂಖ್ಯೆ ವೈಶಿಷ್ಟ್ಯ
DocType: Vehicle Service,Oil Change,ತೈಲ ಬದಲಾವಣೆ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.',' ನಂ ಪ್ರಕರಣಕ್ಕೆ . ' ' ಕೇಸ್ ನಂ ಗೆ . ' ಕಡಿಮೆ ಸಾಧ್ಯವಿಲ್ಲ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,ಲಾಭಾಪೇಕ್ಷೆಯಿಲ್ಲದ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,ಲಾಭಾಪೇಕ್ಷೆಯಿಲ್ಲದ
DocType: Production Order,Not Started,ಪ್ರಾರಂಭವಾಗಿಲ್ಲ
DocType: Lead,Channel Partner,ಚಾನೆಲ್ ಸಂಗಾತಿ
DocType: Account,Old Parent,ಓಲ್ಡ್ ಪೋಷಕ
@@ -490,20 +494,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,ಎಲ್ಲಾ ಉತ್ಪಾದನಾ ಪ್ರಕ್ರಿಯೆಗಳು ಜಾಗತಿಕ ಸೆಟ್ಟಿಂಗ್ಗಳು.
DocType: Accounts Settings,Accounts Frozen Upto,ಘನೀಕೃತ ವರೆಗೆ ಖಾತೆಗಳು
DocType: SMS Log,Sent On,ಕಳುಹಿಸಲಾಗಿದೆ
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,ಗುಣಲಕ್ಷಣ {0} ಗುಣಲಕ್ಷಣಗಳು ಟೇಬಲ್ ಅನೇಕ ಬಾರಿ ಆಯ್ಕೆ
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,ಗುಣಲಕ್ಷಣ {0} ಗುಣಲಕ್ಷಣಗಳು ಟೇಬಲ್ ಅನೇಕ ಬಾರಿ ಆಯ್ಕೆ
DocType: HR Settings,Employee record is created using selected field. ,
DocType: Sales Order,Not Applicable,ಅನ್ವಯಿಸುವುದಿಲ್ಲ
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,ಹಾಲಿಡೇ ಮಾಸ್ಟರ್ .
DocType: Request for Quotation Item,Required Date,ಅಗತ್ಯವಿರುವ ದಿನಾಂಕ
DocType: Delivery Note,Billing Address,ಬಿಲ್ಲಿಂಗ್ ವಿಳಾಸ
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,ಐಟಂ ಕೋಡ್ ನಮೂದಿಸಿ.
DocType: BOM,Costing,ಕಾಸ್ಟಿಂಗ್
DocType: Tax Rule,Billing County,ಬಿಲ್ಲಿಂಗ್ ಕೌಂಟಿ
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","ಪರಿಶೀಲಿಸಿದರೆ ಈಗಾಗಲೇ ಮುದ್ರಣ ದರ / ಪ್ರಿಂಟ್ ಪ್ರಮಾಣ ಸೇರಿಸಲಾಗಿದೆ ಎಂದು , ತೆರಿಗೆ ಪ್ರಮಾಣವನ್ನು ಪರಿಗಣಿಸಲಾಗುವುದು"
DocType: Request for Quotation,Message for Supplier,ಸರಬರಾಜುದಾರ ಸಂದೇಶ
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,ಒಟ್ಟು ಪ್ರಮಾಣ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 ಮೇಲ್
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 ಮೇಲ್
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 ಮೇಲ್
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 ಮೇಲ್
DocType: Item,Show in Website (Variant),ವೆಬ್ಸೈಟ್ ತೋರಿಸಿ (variant)
DocType: Employee,Health Concerns,ಆರೋಗ್ಯ ಕಾಳಜಿ
DocType: Process Payroll,Select Payroll Period,ವೇತನದಾರರ ಅವಧಿಯ ಆಯ್ಕೆ
@@ -521,26 +524,28 @@
DocType: Sales Order Item,Used for Production Plan,ಉತ್ಪಾದನೆ ಯೋಜನೆ ಉಪಯೋಗಿಸಿದ
DocType: Employee Loan,Total Payment,ಒಟ್ಟು ಪಾವತಿ
DocType: Manufacturing Settings,Time Between Operations (in mins),(ನಿಮಿಷಗಳು) ಕಾರ್ಯಾಚರಣೆ ನಡುವೆ ಸಮಯ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} ಕ್ರಮ ಪೂರ್ಣಗೊಳಿಸಲಾಗಲಿಲ್ಲ ಆದ್ದರಿಂದ ರದ್ದುಗೊಂಡಿತು
DocType: Customer,Buyer of Goods and Services.,ಸರಕು ಮತ್ತು ಸೇವೆಗಳ ಖರೀದಿದಾರನ.
DocType: Journal Entry,Accounts Payable,ಖಾತೆಗಳನ್ನು ಕೊಡಬೇಕಾದ
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,ಆಯ್ಕೆ BOMs ಒಂದೇ ಐಟಂ ಅಲ್ಲ
DocType: Pricing Rule,Valid Upto,ಮಾನ್ಯ ವರೆಗೆ
DocType: Training Event,Workshop,ಕಾರ್ಯಾಗಾರ
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,ನಿಮ್ಮ ಗ್ರಾಹಕರ ಕೆಲವು ಪಟ್ಟಿ. ಅವರು ಸಂಸ್ಥೆಗಳು ಅಥವಾ ವ್ಯಕ್ತಿಗಳು ಆಗಿರಬಹುದು .
-,Enough Parts to Build,ಸಾಕಷ್ಟು ಭಾಗಗಳನ್ನು ನಿರ್ಮಿಸಲು
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,ನೇರ ಆದಾಯ
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,ನಿಮ್ಮ ಗ್ರಾಹಕರ ಕೆಲವು ಪಟ್ಟಿ. ಅವರು ಸಂಸ್ಥೆಗಳು ಅಥವಾ ವ್ಯಕ್ತಿಗಳು ಆಗಿರಬಹುದು .
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,ಸಾಕಷ್ಟು ಭಾಗಗಳನ್ನು ನಿರ್ಮಿಸಲು
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,ನೇರ ಆದಾಯ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","ಖಾತೆ ವರ್ಗೀಕರಿಸಲಾದ ವೇಳೆ , ಖಾತೆ ಆಧರಿಸಿ ಫಿಲ್ಟರ್ ಸಾಧ್ಯವಿಲ್ಲ"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,ಆಡಳಿತಾಧಿಕಾರಿ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,ದಯವಿಟ್ಟು ಕೋರ್ಸ್ ಆಯ್ಕೆ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,ದಯವಿಟ್ಟು ಕೋರ್ಸ್ ಆಯ್ಕೆ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,ಆಡಳಿತಾಧಿಕಾರಿ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,ದಯವಿಟ್ಟು ಕೋರ್ಸ್ ಆಯ್ಕೆ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,ದಯವಿಟ್ಟು ಕೋರ್ಸ್ ಆಯ್ಕೆ
DocType: Timesheet Detail,Hrs,ಗಂಟೆಗಳ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,ಕಂಪನಿ ಆಯ್ಕೆಮಾಡಿ
DocType: Stock Entry Detail,Difference Account,ವ್ಯತ್ಯಾಸ ಖಾತೆ
+DocType: Purchase Invoice,Supplier GSTIN,ಸರಬರಾಜುದಾರ GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,ಇದನ್ನು ಅವಲಂಬಿಸಿರುವ ಕೆಲಸವನ್ನು {0} ಮುಚ್ಚಿಲ್ಲ ಹತ್ತಿರಕ್ಕೆ ಕೆಲಸವನ್ನು ಸಾಧ್ಯವಿಲ್ಲ.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,ವೇರ್ಹೌಸ್ ವಸ್ತು ವಿನಂತಿಯನ್ನು ಏರಿಸಲಾಗುತ್ತದೆ ಇದಕ್ಕಾಗಿ ನಮೂದಿಸಿ
DocType: Production Order,Additional Operating Cost,ಹೆಚ್ಚುವರಿ ವೆಚ್ಚವನ್ನು
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,ಕಾಸ್ಮೆಟಿಕ್ಸ್
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","ವಿಲೀನಗೊಳ್ಳಲು , ನಂತರ ಲಕ್ಷಣಗಳು ಐಟಂಗಳನ್ನು ಸಾಮಾನ್ಯ ಇರಬೇಕು"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","ವಿಲೀನಗೊಳ್ಳಲು , ನಂತರ ಲಕ್ಷಣಗಳು ಐಟಂಗಳನ್ನು ಸಾಮಾನ್ಯ ಇರಬೇಕು"
DocType: Shipping Rule,Net Weight,ನೆಟ್ ತೂಕ
DocType: Employee,Emergency Phone,ತುರ್ತು ದೂರವಾಣಿ
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,ಖರೀದಿ
@@ -550,14 +555,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,ದಯವಿಟ್ಟು ಥ್ರೆಶ್ಹೋಲ್ಡ್ 0% ಗ್ರೇಡ್ ವ್ಯಾಖ್ಯಾನಿಸಲು
DocType: Sales Order,To Deliver,ತಲುಪಿಸಲು
DocType: Purchase Invoice Item,Item,ವಸ್ತು
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,ಸೀರಿಯಲ್ ಯಾವುದೇ ಐಟಂ ಭಾಗವನ್ನು ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,ಸೀರಿಯಲ್ ಯಾವುದೇ ಐಟಂ ಭಾಗವನ್ನು ಸಾಧ್ಯವಿಲ್ಲ
DocType: Journal Entry,Difference (Dr - Cr),ವ್ಯತ್ಯಾಸ ( ಡಾ - ಸಿಆರ್)
DocType: Account,Profit and Loss,ಲಾಭ ಮತ್ತು ನಷ್ಟ
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,ವ್ಯವಸ್ಥಾಪಕ ಉಪಗುತ್ತಿಗೆ
DocType: Project,Project will be accessible on the website to these users,ಪ್ರಾಜೆಕ್ಟ್ ಈ ಬಳಕೆದಾರರಿಗೆ ವೆಬ್ಸೈಟ್ನಲ್ಲಿ ಪ್ರವೇಶಿಸಬಹುದಾಗಿದೆ
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,ಬೆಲೆ ಪಟ್ಟಿ ಕರೆನ್ಸಿ ದರ ಕಂಪನಿಯ ಬೇಸ್ ಕರೆನ್ಸಿ ಪರಿವರ್ತನೆ
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},ಖಾತೆ {0} ಕಂಪನಿ ಸೇರುವುದಿಲ್ಲ: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,ಸಂಕ್ಷೇಪಣ ಈಗಾಗಲೇ ಮತ್ತೊಂದು ಕಂಪನಿಗೆ ಬಳಸಲಾಗುತ್ತದೆ
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},ಖಾತೆ {0} ಕಂಪನಿ ಸೇರುವುದಿಲ್ಲ: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,ಸಂಕ್ಷೇಪಣ ಈಗಾಗಲೇ ಮತ್ತೊಂದು ಕಂಪನಿಗೆ ಬಳಸಲಾಗುತ್ತದೆ
DocType: Selling Settings,Default Customer Group,ಡೀಫಾಲ್ಟ್ ಗ್ರಾಹಕ ಗುಂಪಿನ
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿದಲ್ಲಿ, ' ದುಂಡಾದ ಒಟ್ಟು ' ಕ್ಷೇತ್ರದಲ್ಲಿ ಯಾವುದೇ ವ್ಯವಹಾರದಲ್ಲಿ ಕಾಣಿಸುವುದಿಲ್ಲ"
DocType: BOM,Operating Cost,ವೆಚ್ಚವನ್ನು
@@ -565,7 +570,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,ಹೆಚ್ಚಳವನ್ನು 0 ಸಾಧ್ಯವಿಲ್ಲ
DocType: Production Planning Tool,Material Requirement,ಮೆಟೀರಿಯಲ್ ಅವಶ್ಯಕತೆ
DocType: Company,Delete Company Transactions,ಕಂಪನಿ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ ಅಳಿಸಿ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,ರೆಫರೆನ್ಸ್ ಯಾವುದೇ ಮತ್ತು ರೆಫರೆನ್ಸ್ ದಿನಾಂಕ ಬ್ಯಾಂಕ್ ವ್ಯವಹಾರ ಕಡ್ಡಾಯವಾಗಿದೆ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,ರೆಫರೆನ್ಸ್ ಯಾವುದೇ ಮತ್ತು ರೆಫರೆನ್ಸ್ ದಿನಾಂಕ ಬ್ಯಾಂಕ್ ವ್ಯವಹಾರ ಕಡ್ಡಾಯವಾಗಿದೆ
DocType: Purchase Receipt,Add / Edit Taxes and Charges,ಸೇರಿಸಿ / ಸಂಪಾದಿಸಿ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು
DocType: Purchase Invoice,Supplier Invoice No,ಸರಬರಾಜುದಾರ ಸರಕುಪಟ್ಟಿ ನಂ
DocType: Territory,For reference,ಪರಾಮರ್ಶೆಗಾಗಿ
@@ -576,22 +581,22 @@
DocType: Installation Note Item,Installation Note Item,ಅನುಸ್ಥಾಪನೆ ಸೂಚನೆ ಐಟಂ
DocType: Production Plan Item,Pending Qty,ಬಾಕಿ ಪ್ರಮಾಣ
DocType: Budget,Ignore,ಕಡೆಗಣಿಸು
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} ಸಕ್ರಿಯವಾಗಿಲ್ಲ
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} ಸಕ್ರಿಯವಾಗಿಲ್ಲ
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},ಎಸ್ಎಂಎಸ್ ಸಂಖ್ಯೆಗಳನ್ನು ಕಳುಹಿಸಲಾಗುತ್ತದೆ: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,ಮುದ್ರಣ ಸೆಟಪ್ ಚೆಕ್ ಆಯಾಮಗಳು
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,ಮುದ್ರಣ ಸೆಟಪ್ ಚೆಕ್ ಆಯಾಮಗಳು
DocType: Salary Slip,Salary Slip Timesheet,ಸಂಬಳ ಸ್ಲಿಪ್ Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,ಉಪ ಒಪ್ಪಂದ ಖರೀದಿ ರಸೀತಿ ಕಡ್ಡಾಯ ಸರಬರಾಜುದಾರ ವೇರ್ಹೌಸ್
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,ಉಪ ಒಪ್ಪಂದ ಖರೀದಿ ರಸೀತಿ ಕಡ್ಡಾಯ ಸರಬರಾಜುದಾರ ವೇರ್ಹೌಸ್
DocType: Pricing Rule,Valid From,ಮಾನ್ಯ
DocType: Sales Invoice,Total Commission,ಒಟ್ಟು ಆಯೋಗ
DocType: Pricing Rule,Sales Partner,ಮಾರಾಟದ ಸಂಗಾತಿ
DocType: Buying Settings,Purchase Receipt Required,ಅಗತ್ಯ ಖರೀದಿ ರಸೀತಿ
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,ತೆರೆಯುವ ಸ್ಟಾಕ್ ಪ್ರವೇಶಿಸಿತು ಮೌಲ್ಯಾಂಕನ ದರ ಕಡ್ಡಾಯ
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,ತೆರೆಯುವ ಸ್ಟಾಕ್ ಪ್ರವೇಶಿಸಿತು ಮೌಲ್ಯಾಂಕನ ದರ ಕಡ್ಡಾಯ
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,ಸರಕುಪಟ್ಟಿ ಕೋಷ್ಟಕದಲ್ಲಿ ಯಾವುದೇ ದಾಖಲೆಗಳು
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,ಮೊದಲ ಕಂಪನಿ ಮತ್ತು ಪಕ್ಷದ ಕೌಟುಂಬಿಕತೆ ಆಯ್ಕೆ ಮಾಡಿ
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,ಹಣಕಾಸು / ಲೆಕ್ಕಪರಿಶೋಧಕ ವರ್ಷ .
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,ಹಣಕಾಸು / ಲೆಕ್ಕಪರಿಶೋಧಕ ವರ್ಷ .
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,ಕ್ರೋಢಿಕೃತ ಮೌಲ್ಯಗಳು
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","ಕ್ಷಮಿಸಿ, ಸೀರಿಯಲ್ ಸೂಲ ವಿಲೀನಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,ಮಾಡಿ ಮಾರಾಟದ ಆರ್ಡರ್
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,ಮಾಡಿ ಮಾರಾಟದ ಆರ್ಡರ್
DocType: Project Task,Project Task,ಪ್ರಾಜೆಕ್ಟ್ ಟಾಸ್ಕ್
,Lead Id,ಲೀಡ್ ಸಂ
DocType: C-Form Invoice Detail,Grand Total,ಗ್ರ್ಯಾಂಡ್ ಒಟ್ಟು
@@ -608,7 +613,7 @@
DocType: Job Applicant,Resume Attachment,ಪುನರಾರಂಭಿಸು ಲಗತ್ತು
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,ಮತ್ತೆ ಗ್ರಾಹಕರ
DocType: Leave Control Panel,Allocate,ಗೊತ್ತುಪಡಿಸು
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,ಮಾರಾಟದ ರಿಟರ್ನ್
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,ಮಾರಾಟದ ರಿಟರ್ನ್
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,ಗಮನಿಸಿ: ಒಟ್ಟು ನಿಯೋಜಿತವಾದ ಎಲೆಗಳನ್ನು {0} ಈಗಾಗಲೇ ಅನುಮೋದನೆ ಎಲೆಗಳು ಕಡಿಮೆ ಮಾಡಬಾರದು {1} ಕಾಲ
DocType: Announcement,Posted By,ಪೋಸ್ಟ್ ಮಾಡಿದವರು
DocType: Item,Delivered by Supplier (Drop Ship),ಸರಬರಾಜುದಾರ ವಿತರಣೆ (ಡ್ರಾಪ್ ಹಡಗು)
@@ -618,8 +623,8 @@
DocType: Quotation,Quotation To,ಉದ್ಧರಣಾ
DocType: Lead,Middle Income,ಮಧ್ಯಮ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),ತೆರೆಯುತ್ತಿದೆ ( ಸಿಆರ್)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,ನೀವು ಈಗಾಗಲೇ ಮತ್ತೊಂದು ಮೈಸೂರು ವಿಶ್ವವಿದ್ಯಾನಿಲದ ಕೆಲವು ವ್ಯವಹಾರ (ರು) ಮಾಡಿರುವ ಕಾರಣ ಐಟಂ ಚಟುವಟಿಕೆ ಡೀಫಾಲ್ಟ್ ಘಟಕ {0} ನೇರವಾಗಿ ಬದಲಾಯಿಸಲಾಗುವುದಿಲ್ಲ. ನೀವು ಬೇರೆ ಡೀಫಾಲ್ಟ್ ಮೈಸೂರು ವಿಶ್ವವಿದ್ಯಾನಿಲದ ಬಳಸಲು ಹೊಸ ಐಟಂ ರಚಿಸಬೇಕಾಗಿದೆ.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,ಹಂಚಿಕೆ ಪ್ರಮಾಣವನ್ನು ಋಣಾತ್ಮಕ ಇರುವಂತಿಲ್ಲ
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,ನೀವು ಈಗಾಗಲೇ ಮತ್ತೊಂದು ಮೈಸೂರು ವಿಶ್ವವಿದ್ಯಾನಿಲದ ಕೆಲವು ವ್ಯವಹಾರ (ರು) ಮಾಡಿರುವ ಕಾರಣ ಐಟಂ ಚಟುವಟಿಕೆ ಡೀಫಾಲ್ಟ್ ಘಟಕ {0} ನೇರವಾಗಿ ಬದಲಾಯಿಸಲಾಗುವುದಿಲ್ಲ. ನೀವು ಬೇರೆ ಡೀಫಾಲ್ಟ್ ಮೈಸೂರು ವಿಶ್ವವಿದ್ಯಾನಿಲದ ಬಳಸಲು ಹೊಸ ಐಟಂ ರಚಿಸಬೇಕಾಗಿದೆ.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,ಹಂಚಿಕೆ ಪ್ರಮಾಣವನ್ನು ಋಣಾತ್ಮಕ ಇರುವಂತಿಲ್ಲ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,ದಯವಿಟ್ಟು ಕಂಪನಿ ಸೆಟ್
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,ದಯವಿಟ್ಟು ಕಂಪನಿ ಸೆಟ್
DocType: Purchase Order Item,Billed Amt,ಖ್ಯಾತವಾದ ಕಚೇರಿ
@@ -632,7 +637,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,ಬ್ಯಾಂಕ್ ಎಂಟ್ರಿ ಮಾಡಲು ಆಯ್ಕೆ ಪಾವತಿ ಖಾತೆ
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","ಎಲೆಗಳು, ಖರ್ಚು ಹಕ್ಕು ಮತ್ತು ವೇತನದಾರರ ನಿರ್ವಹಿಸಲು ನೌಕರರ ದಾಖಲೆಗಳು ರಚಿಸಿ"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,ಜ್ಞಾನ ನೆಲೆ ಸೇರಿಸಲು
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,ಪ್ರೊಪೋಸಲ್ ಬರವಣಿಗೆ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,ಪ್ರೊಪೋಸಲ್ ಬರವಣಿಗೆ
DocType: Payment Entry Deduction,Payment Entry Deduction,ಪಾವತಿ ಎಂಟ್ರಿ ಡಿಡಕ್ಷನ್
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,ಮತ್ತೊಂದು ಮಾರಾಟಗಾರನ {0} ಅದೇ ನೌಕರರ ಐಡಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","ಉಪ ಗುತ್ತಿಗೆ ಮೆಟೀರಿಯಲ್ ವಿನಂತಿಗಳು ಸೇರಿಸಲಾಗುವುದು ಎಂದು ಐಟಂಗಳನ್ನು ಪರಿಶೀಲಿಸಿದ, ಕಚ್ಚಾ ವಸ್ತುಗಳ ವೇಳೆ"
@@ -647,7 +652,7 @@
DocType: Batch,Batch Description,ಬ್ಯಾಚ್ ವಿವರಣೆ
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪುಗಳ ರಚಿಸಲಾಗುತ್ತಿದೆ
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪುಗಳ ರಚಿಸಲಾಗುತ್ತಿದೆ
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.",ಪೇಮೆಂಟ್ ಗೇಟ್ ವೇ ಖಾತೆಯನ್ನು ಕೈಯಾರೆ ಒಂದು ರಚಿಸಿ.
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.",ಪೇಮೆಂಟ್ ಗೇಟ್ ವೇ ಖಾತೆಯನ್ನು ಕೈಯಾರೆ ಒಂದು ರಚಿಸಿ.
DocType: Sales Invoice,Sales Taxes and Charges,ಮಾರಾಟ ತೆರಿಗೆ ಮತ್ತು ಶುಲ್ಕಗಳು
DocType: Employee,Organization Profile,ಸಂಸ್ಥೆ ಪ್ರೊಫೈಲ್ಗಳು
DocType: Student,Sibling Details,ಒಡಹುಟ್ಟಿದವರು ವಿವರಗಳು
@@ -669,11 +674,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,ಇನ್ವೆಂಟರಿ ನಿವ್ವಳ ವ್ಯತ್ಯಾಸದ
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,ನೌಕರರ ಸಾಲ ಮ್ಯಾನೇಜ್ಮೆಂಟ್
DocType: Employee,Passport Number,ಪಾಸ್ಪೋರ್ಟ್ ಸಂಖ್ಯೆ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Guardian2 ಸಂಬಂಧ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,ವ್ಯವಸ್ಥಾಪಕ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2 ಸಂಬಂಧ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,ವ್ಯವಸ್ಥಾಪಕ
DocType: Payment Entry,Payment From / To,ಪಾವತಿ / ಹೋಗು
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},ಹೊಸ ಕ್ರೆಡಿಟ್ ಮಿತಿಯನ್ನು ಗ್ರಾಹಕ ಪ್ರಸ್ತುತ ಬಾಕಿ ಮೊತ್ತದ ಕಡಿಮೆ. ಕ್ರೆಡಿಟ್ ಮಿತಿಯನ್ನು ಕನಿಷ್ಠ ಎಂದು ಹೊಂದಿದೆ {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,ಅದೇ ಐಟಂ ಅನೇಕ ಬಾರಿ ನಮೂದಿಸಲಾದ.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},ಹೊಸ ಕ್ರೆಡಿಟ್ ಮಿತಿಯನ್ನು ಗ್ರಾಹಕ ಪ್ರಸ್ತುತ ಬಾಕಿ ಮೊತ್ತದ ಕಡಿಮೆ. ಕ್ರೆಡಿಟ್ ಮಿತಿಯನ್ನು ಕನಿಷ್ಠ ಎಂದು ಹೊಂದಿದೆ {0}
DocType: SMS Settings,Receiver Parameter,ಸ್ವೀಕರಿಸುವವರ ನಿಯತಾಂಕಗಳನ್ನು
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'ಆಧರಿಸಿ ' ಮತ್ತು ' ಗುಂಪಿನ ' ಇರಲಾಗುವುದಿಲ್ಲ
DocType: Sales Person,Sales Person Targets,ಮಾರಾಟಗಾರನ ಗುರಿ
@@ -682,8 +686,9 @@
DocType: Issue,Resolution Date,ರೆಸಲ್ಯೂಶನ್ ದಿನಾಂಕ
DocType: Student Batch Name,Batch Name,ಬ್ಯಾಚ್ ಹೆಸರು
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timesheet ದಾಖಲಿಸಿದವರು:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},ಪಾವತಿಯ ಮಾದರಿಯು ಡೀಫಾಲ್ಟ್ ನಗದು ಅಥವಾ ಬ್ಯಾಂಕ್ ಖಾತೆ ಸೆಟ್ ದಯವಿಟ್ಟು {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},ಪಾವತಿಯ ಮಾದರಿಯು ಡೀಫಾಲ್ಟ್ ನಗದು ಅಥವಾ ಬ್ಯಾಂಕ್ ಖಾತೆ ಸೆಟ್ ದಯವಿಟ್ಟು {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,ದಾಖಲಾಗಿ
+DocType: GST Settings,GST Settings,ಜಿಎಸ್ಟಿ ಸೆಟ್ಟಿಂಗ್ಗಳು
DocType: Selling Settings,Customer Naming By,ಗ್ರಾಹಕ ಹೆಸರಿಸುವ ಮೂಲಕ
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,ವಿದ್ಯಾರ್ಥಿಗಳ ಮಾಸಿಕ ಅಟೆಂಡೆನ್ಸ್ ವರದಿ ಎಂದೇ ಪ್ರೆಸೆಂಟ್ ವಿದ್ಯಾರ್ಥಿ ತೋರಿಸುತ್ತದೆ
DocType: Depreciation Schedule,Depreciation Amount,ಸವಕಳಿ ಪ್ರಮಾಣ
@@ -705,6 +710,7 @@
DocType: Item,Material Transfer,ವಸ್ತು ವರ್ಗಾವಣೆ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),ತೆರೆಯುತ್ತಿದೆ ( ಡಾ )
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},ಪೋಸ್ಟ್ ಸಮಯಮುದ್ರೆಗೆ ನಂತರ ಇರಬೇಕು {0}
+,GST Itemised Purchase Register,ಜಿಎಸ್ಟಿ Itemized ಖರೀದಿ ನೋಂದಣಿ
DocType: Employee Loan,Total Interest Payable,ಪಾವತಿಸಲಾಗುವುದು ಒಟ್ಟು ಬಡ್ಡಿ
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ಇಳಿಯಿತು ವೆಚ್ಚ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು
DocType: Production Order Operation,Actual Start Time,ನಿಜವಾದ ಟೈಮ್
@@ -733,10 +739,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
DocType: Account,Accounts,ಅಕೌಂಟ್ಸ್
DocType: Vehicle,Odometer Value (Last),ದೂರಮಾಪಕ ಮೌಲ್ಯ (ಕೊನೆಯ)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,ಮಾರ್ಕೆಟಿಂಗ್
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,ಮಾರ್ಕೆಟಿಂಗ್
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,ಪಾವತಿ ಎಂಟ್ರಿ ಈಗಾಗಲೇ ರಚಿಸಲಾಗಿದೆ
DocType: Purchase Receipt Item Supplied,Current Stock,ಪ್ರಸ್ತುತ ಸ್ಟಾಕ್
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},ರೋ # {0}: ಆಸ್ತಿ {1} ಐಟಂ ಲಿಂಕ್ ಇಲ್ಲ {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},ರೋ # {0}: ಆಸ್ತಿ {1} ಐಟಂ ಲಿಂಕ್ ಇಲ್ಲ {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,ಮುನ್ನೋಟ ಸಂಬಳ ಸ್ಲಿಪ್
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,ಖಾತೆ {0} ಅನೇಕ ಬಾರಿ ನಮೂದಿಸಲಾದ
DocType: Account,Expenses Included In Valuation,ವೆಚ್ಚಗಳು ಮೌಲ್ಯಾಂಕನ ಸೇರಿಸಲಾಗಿದೆ
@@ -744,7 +750,7 @@
,Absent Student Report,ಆಬ್ಸೆಂಟ್ ವಿದ್ಯಾರ್ಥಿ ವರದಿ
DocType: Email Digest,Next email will be sent on:,ಮುಂದೆ ಇಮೇಲ್ ಮೇಲೆ ಕಳುಹಿಸಲಾಗುವುದು :
DocType: Offer Letter Term,Offer Letter Term,ಪತ್ರ ಟರ್ಮ್ ಆಫರ್
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,ಐಟಂ ವೇರಿಯಂಟ್.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,ಐಟಂ ವೇರಿಯಂಟ್.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,ಐಟಂ {0} ಕಂಡುಬಂದಿಲ್ಲ
DocType: Bin,Stock Value,ಸ್ಟಾಕ್ ಮೌಲ್ಯ
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,ಕಂಪನಿ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
@@ -753,8 +759,8 @@
DocType: Serial No,Warranty Expiry Date,ಖಾತರಿ ಅಂತ್ಯ ದಿನಾಂಕ
DocType: Material Request Item,Quantity and Warehouse,ಪ್ರಮಾಣ ಮತ್ತು ವೇರ್ಹೌಸ್
DocType: Sales Invoice,Commission Rate (%),ಕಮಿಷನ್ ದರ ( % )
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,ದಯವಿಟ್ಟು ಆಯ್ಕೆ ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,ದಯವಿಟ್ಟು ಆಯ್ಕೆ ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,ದಯವಿಟ್ಟು ಆಯ್ಕೆ ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,ದಯವಿಟ್ಟು ಆಯ್ಕೆ ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ
DocType: Project,Estimated Cost,ಅಂದಾಜು ವೆಚ್ಚ
DocType: Purchase Order,Link to material requests,ವಸ್ತು ವಿನಂತಿಗಳನ್ನು ಲಿಂಕ್
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,ಏರೋಸ್ಪೇಸ್
@@ -768,14 +774,14 @@
DocType: Purchase Order,Supply Raw Materials,ಪೂರೈಕೆ ರಾ ಮೆಟೀರಿಯಲ್ಸ್
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,ಮುಂದಿನ ಸರಕುಪಟ್ಟಿ ಉತ್ಪಾದಿಸಬಹುದಾಗಿದೆ ಯಾವ ದಿನಾಂಕ. ಒಪ್ಪಿಸಬಹುದು ಮೇಲೆ ಉತ್ಪಾದಿಸಲಾಗುತ್ತದೆ.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,ಪ್ರಸಕ್ತ ಆಸ್ತಿಪಾಸ್ತಿಗಳು
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} ಸ್ಟಾಕ್ ಐಟಂ ಅಲ್ಲ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} ಸ್ಟಾಕ್ ಐಟಂ ಅಲ್ಲ
DocType: Mode of Payment Account,Default Account,ಡೀಫಾಲ್ಟ್ ಖಾತೆ
DocType: Payment Entry,Received Amount (Company Currency),ಸ್ವೀಕರಿಸಲಾಗಿದೆ ಪ್ರಮಾಣ (ಕಂಪನಿ ಕರೆನ್ಸಿ)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,ಅವಕಾಶ ಪ್ರಮುಖ ತಯಾರಿಸಲಾಗುತ್ತದೆ ವೇಳೆ ಲೀಡ್ ಸೆಟ್ ಮಾಡಬೇಕು
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,ಸಾಪ್ತಾಹಿಕ ದಿನ ಆಫ್ ಆಯ್ಕೆಮಾಡಿ
DocType: Production Order Operation,Planned End Time,ಯೋಜಿತ ಎಂಡ್ ಟೈಮ್
,Sales Person Target Variance Item Group-Wise,ಮಾರಾಟಗಾರನ ಟಾರ್ಗೆಟ್ ವೈಷಮ್ಯವನ್ನು ಐಟಂ ಗ್ರೂಪ್ ವೈಸ್
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಖಾತೆ ಲೆಡ್ಜರ್ ಪರಿವರ್ತನೆ ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಖಾತೆ ಲೆಡ್ಜರ್ ಪರಿವರ್ತನೆ ಸಾಧ್ಯವಿಲ್ಲ
DocType: Delivery Note,Customer's Purchase Order No,ಗ್ರಾಹಕರ ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ನಂ
DocType: Budget,Budget Against,ಬಜೆಟ್ ವಿರುದ್ಧ
DocType: Employee,Cell Number,ಸೆಲ್ ಸಂಖ್ಯೆ
@@ -787,15 +793,13 @@
DocType: Opportunity,Opportunity From,ಅವಕಾಶದಿಂದ
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,ಮಾಸಿಕ ವೇತನವನ್ನು ಹೇಳಿಕೆ .
DocType: BOM,Website Specifications,ವೆಬ್ಸೈಟ್ ವಿಶೇಷಣಗಳು
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,ಸೆಟಪ್ ಸೆಟಪ್ ಮೂಲಕ ಅಟೆಂಡೆನ್ಸ್ ಕ್ರಮಾಂಕಗಳನ್ನು ದಯವಿಟ್ಟು ಸರಣಿ> ನಂಬರಿಂಗ್ ಸರಣಿ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: ಗೆ {0} ರೀತಿಯ {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,ರೋ {0}: ಪರಿವರ್ತಿಸುವುದರ ಕಡ್ಡಾಯ
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,ರೋ {0}: ಪರಿವರ್ತಿಸುವುದರ ಕಡ್ಡಾಯ
DocType: Employee,A+,ಎ +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",ಬಹು ಬೆಲೆ ನಿಯಮಗಳು ಒಂದೇ ಮಾನದಂಡವನ್ನು ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಪ್ರಾಶಸ್ತ್ಯವನ್ನು ನಿಗದಿಪಡಿಸಬೇಕು ಸಂಘರ್ಷ ಪರಿಹರಿಸಲು ಮಾಡಿ. ಬೆಲೆ ನಿಯಮಗಳು: {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲು ಅಥವಾ ಇತರ BOMs ಸಂಬಂಧ ಇದೆ ಎಂದು ಬಿಒಎಮ್ ರದ್ದುಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",ಬಹು ಬೆಲೆ ನಿಯಮಗಳು ಒಂದೇ ಮಾನದಂಡವನ್ನು ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಪ್ರಾಶಸ್ತ್ಯವನ್ನು ನಿಗದಿಪಡಿಸಬೇಕು ಸಂಘರ್ಷ ಪರಿಹರಿಸಲು ಮಾಡಿ. ಬೆಲೆ ನಿಯಮಗಳು: {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲು ಅಥವಾ ಇತರ BOMs ಸಂಬಂಧ ಇದೆ ಎಂದು ಬಿಒಎಮ್ ರದ್ದುಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
DocType: Opportunity,Maintenance,ಸಂರಕ್ಷಣೆ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},ಐಟಂ ಅಗತ್ಯವಿದೆ ಖರೀದಿ ರಸೀತಿ ಸಂಖ್ಯೆ {0}
DocType: Item Attribute Value,Item Attribute Value,ಐಟಂ ಮೌಲ್ಯ ಲಕ್ಷಣ
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,ಮಾರಾಟದ ಶಿಬಿರಗಳನ್ನು .
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Timesheet ಮಾಡಿ
@@ -847,30 +851,30 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},ಆಸ್ತಿ ಜರ್ನಲ್ ಎಂಟ್ರಿ ಮೂಲಕ ಕೈಬಿಟ್ಟಿತು {0}
DocType: Employee Loan,Interest Income Account,ಬಡ್ಡಿಯ ಖಾತೆ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,ಬಯೋಟೆಕ್ನಾಲಜಿ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,ಕಚೇರಿ ನಿರ್ವಹಣಾ ವೆಚ್ಚಗಳು
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,ಕಚೇರಿ ನಿರ್ವಹಣಾ ವೆಚ್ಚಗಳು
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ಇಮೇಲ್ ಖಾತೆಯನ್ನು ಹೊಂದಿಸಲಾಗುತ್ತಿದೆ
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,ಮೊದಲ ಐಟಂ ನಮೂದಿಸಿ
DocType: Account,Liability,ಹೊಣೆಗಾರಿಕೆ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ಮಂಜೂರು ಪ್ರಮಾಣ ರೋನಲ್ಲಿ ಹಕ್ಕು ಪ್ರಮಾಣವನ್ನು ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ {0}.
DocType: Company,Default Cost of Goods Sold Account,ಸರಕುಗಳು ಮಾರಾಟ ಖಾತೆ ಡೀಫಾಲ್ಟ್ ವೆಚ್ಚ
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,ಬೆಲೆ ಪಟ್ಟಿಯನ್ನು ಅಲ್ಲ
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,ಬೆಲೆ ಪಟ್ಟಿಯನ್ನು ಅಲ್ಲ
DocType: Employee,Family Background,ಕೌಟುಂಬಿಕ ಹಿನ್ನೆಲೆ
DocType: Request for Quotation Supplier,Send Email,ಇಮೇಲ್ ಕಳುಹಿಸಿ
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},ಎಚ್ಚರಿಕೆ: ಅಮಾನ್ಯ ಲಗತ್ತು {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},ಎಚ್ಚರಿಕೆ: ಅಮಾನ್ಯ ಲಗತ್ತು {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,ಯಾವುದೇ ಅನುಮತಿ
DocType: Company,Default Bank Account,ಡೀಫಾಲ್ಟ್ ಬ್ಯಾಂಕ್ ಖಾತೆ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",ಪಕ್ಷದ ಆಧಾರದ ಮೇಲೆ ಫಿಲ್ಟರ್ ಆರಿಸಿ ಪಕ್ಷದ ಮೊದಲ ನೀಡಿರಿ
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},ಐಟಂಗಳನ್ನು ಮೂಲಕ ವಿತರಿಸಲಾಯಿತು ಏಕೆಂದರೆ 'ಅಪ್ಡೇಟ್ ಸ್ಟಾಕ್' ಪರಿಶೀಲಿಸಲಾಗುವುದಿಲ್ಲ {0}
DocType: Vehicle,Acquisition Date,ಸ್ವಾಧೀನ ದಿನಾಂಕ
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,ಸೂಲ
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,ಸೂಲ
DocType: Item,Items with higher weightage will be shown higher,ಹೆಚ್ಚಿನ ಪ್ರಾಮುಖ್ಯತೆಯನ್ನು ಹೊಂದಿರುವ ಐಟಂಗಳು ಹೆಚ್ಚಿನ ತೋರಿಸಲಾಗುತ್ತದೆ
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,ಬ್ಯಾಂಕ್ ಸಾಮರಸ್ಯ ವಿವರ
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,ರೋ # {0}: ಆಸ್ತಿ {1} ಸಲ್ಲಿಸಬೇಕು
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,ರೋ # {0}: ಆಸ್ತಿ {1} ಸಲ್ಲಿಸಬೇಕು
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,ಯಾವುದೇ ನೌಕರ
DocType: Supplier Quotation,Stopped,ನಿಲ್ಲಿಸಿತು
DocType: Item,If subcontracted to a vendor,ಮಾರಾಟಗಾರರ ಗೆ subcontracted ವೇಳೆ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಈಗಾಗಲೇ ನವೀಕರಿಸಲಾಗಿದೆ.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಈಗಾಗಲೇ ನವೀಕರಿಸಲಾಗಿದೆ.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಈಗಾಗಲೇ ನವೀಕರಿಸಲಾಗಿದೆ.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಈಗಾಗಲೇ ನವೀಕರಿಸಲಾಗಿದೆ.
DocType: SMS Center,All Customer Contact,ಎಲ್ಲಾ ಗ್ರಾಹಕ ಸಂಪರ್ಕ
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,CSV ಮೂಲಕ ಸ್ಟಾಕ್ ಸಮತೋಲನ ಅಪ್ಲೋಡ್ .
DocType: Warehouse,Tree Details,ಟ್ರೀ ವಿವರಗಳು
@@ -882,13 +886,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: ವೆಚ್ಚದ ಕೇಂದ್ರ {2} ಕಂಪನಿ ಸೇರುವುದಿಲ್ಲ {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: ಖಾತೆ {2} ಒಂದು ಗುಂಪು ಸಾಧ್ಯವಿಲ್ಲ
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,ಐಟಂ ರೋ {IDX}: {DOCTYPE} {DOCNAME} ಮೇಲೆ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ '{DOCTYPE}' ಟೇಬಲ್
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Timesheet {0} ಈಗಾಗಲೇ ಪೂರ್ಣಗೊಂಡ ಅಥವಾ ರದ್ದು
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} ಈಗಾಗಲೇ ಪೂರ್ಣಗೊಂಡ ಅಥವಾ ರದ್ದು
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ಯಾವುದೇ ಕಾರ್ಯಗಳು
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","ಸ್ವಯಂ ಸರಕುಪಟ್ಟಿ 05, 28 ಇತ್ಯಾದಿ ಉದಾ ರಚಿಸಲಾಗಿದೆ ಮೇಲೆ ತಿಂಗಳ ದಿನ"
DocType: Asset,Opening Accumulated Depreciation,ಕ್ರೋಢಿಕೃತ ಸವಕಳಿ ತೆರೆಯುವ
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,ಸ್ಕೋರ್ ಕಡಿಮೆ ಅಥವಾ 5 ಸಮಾನವಾಗಿರಬೇಕು
DocType: Program Enrollment Tool,Program Enrollment Tool,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ನೋಂದಣಿ ಟೂಲ್
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,ಸಿ ಆಕಾರ ರೆಕಾರ್ಡ್ಸ್
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,ಸಿ ಆಕಾರ ರೆಕಾರ್ಡ್ಸ್
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,ಗ್ರಾಹಕ ಮತ್ತು ಸರಬರಾಜುದಾರ
DocType: Email Digest,Email Digest Settings,ಡೈಜೆಸ್ಟ್ ಇಮೇಲ್ ಸೆಟ್ಟಿಂಗ್ಗಳು
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,ನಿಮ್ಮ ವ್ಯಾಪಾರ ಧನ್ಯವಾದಗಳು!
@@ -898,17 +902,19 @@
DocType: Bin,Moving Average Rate,ಮೂವಿಂಗ್ ಸರಾಸರಿ ದರ
DocType: Production Planning Tool,Select Items,ಐಟಂಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} ಬಿಲ್ ವಿರುದ್ಧ {1} ರ {2}
+DocType: Program Enrollment,Vehicle/Bus Number,ವಾಹನ / ಬಸ್ ಸಂಖ್ಯೆ
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,ಕೋರ್ಸ್ ಶೆಡ್ಯೂಲ್
DocType: Maintenance Visit,Completion Status,ಪೂರ್ಣಗೊಂಡ ಸ್ಥಿತಿ
DocType: HR Settings,Enter retirement age in years,ವರ್ಷಗಳಲ್ಲಿ ನಿವೃತ್ತಿ ವಯಸ್ಸು ನಮೂದಿಸಿ
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,ಟಾರ್ಗೆಟ್ ವೇರ್ಹೌಸ್
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,ದಯವಿಟ್ಟು ಗೋದಾಮಿನ ಆಯ್ಕೆ
DocType: Cheque Print Template,Starting location from left edge,ಎಡ ತುದಿಯಲ್ಲಿ ಸ್ಥಳ ಆರಂಭಗೊಂಡು
DocType: Item,Allow over delivery or receipt upto this percent,ಈ ಶೇಕಡಾ ವರೆಗೆ ವಿತರಣೆ ಅಥವಾ ರಶೀದಿ ಮೇಲೆ ಅವಕಾಶ
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,ಆಮದು ಅಟೆಂಡೆನ್ಸ್
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,ಎಲ್ಲಾ ಐಟಂ ಗುಂಪುಗಳು
DocType: Process Payroll,Activity Log,ಚಟುವಟಿಕೆ ಲಾಗ್
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,ನಿವ್ವಳ ಲಾಭ / ನಷ್ಟ
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,ನಿವ್ವಳ ಲಾಭ / ನಷ್ಟ
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,ಸ್ವಯಂಚಾಲಿತವಾಗಿ ವ್ಯವಹಾರಗಳ ಸಲ್ಲಿಕೆಯಲ್ಲಿ ಸಂದೇಶವನ್ನು ರಚಿಸಿದರು .
DocType: Production Order,Item To Manufacture,ತಯಾರಿಸಲು ಐಟಂ
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} ಸ್ಥಿತಿ {2} ಆಗಿದೆ
@@ -917,16 +923,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,ಪಾವತಿ ಆರ್ಡರ್ ಖರೀದಿಸಿ
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,ಪ್ರಮಾಣ ಯೋಜಿತ
DocType: Sales Invoice,Payment Due Date,ಪಾವತಿ ಕಾರಣ ದಿನಾಂಕ
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,ಐಟಂ ಭಿನ್ನ {0} ಈಗಾಗಲೇ ಅದೇ ಲಕ್ಷಣಗಳು ಅಸ್ತಿತ್ವದಲ್ಲಿದ್ದರೆ
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,ಐಟಂ ಭಿನ್ನ {0} ಈಗಾಗಲೇ ಅದೇ ಲಕ್ಷಣಗಳು ಅಸ್ತಿತ್ವದಲ್ಲಿದ್ದರೆ
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',ಉದ್ಘಾಟಿಸುತ್ತಿರುವುದು
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,ಮಾಡಬೇಕಾದುದು ಓಪನ್
DocType: Notification Control,Delivery Note Message,ಡೆಲಿವರಿ ಗಮನಿಸಿ ಸಂದೇಶ
DocType: Expense Claim,Expenses,ವೆಚ್ಚಗಳು
+,Support Hours,ಬೆಂಬಲ ಅವರ್ಸ್
DocType: Item Variant Attribute,Item Variant Attribute,ಐಟಂ ಭಿನ್ನ ಲಕ್ಷಣ
,Purchase Receipt Trends,ಖರೀದಿ ರಸೀತಿ ಟ್ರೆಂಡ್ಸ್
DocType: Process Payroll,Bimonthly,ಎರಡು ತಿಂಗಳಿಗೊಮ್ಮೆ
DocType: Vehicle Service,Brake Pad,ಬ್ರೇಕ್ ಪ್ಯಾಡ್
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,ಸಂಶೋಧನೆ ಮತ್ತು ಅಭಿವೃದ್ಧಿ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,ಸಂಶೋಧನೆ ಮತ್ತು ಅಭಿವೃದ್ಧಿ
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,ಬಿಲ್ ಪ್ರಮಾಣ
DocType: Company,Registration Details,ನೋಂದಣಿ ವಿವರಗಳು
DocType: Timesheet,Total Billed Amount,ಒಟ್ಟು ಖ್ಯಾತವಾದ ಪ್ರಮಾಣ
@@ -939,12 +946,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,ಕಚ್ಚಾ ವಸ್ತುಗಳನ್ನು ಮಾತ್ರ ಪಡೆದುಕೊಳ್ಳಿ
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,ಸಾಧನೆಯ ಮೌಲ್ಯ ನಿರ್ಣಯ .
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","ಸಕ್ರಿಯಗೊಳಿಸುವುದರಿಂದ ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ಶಕ್ತಗೊಳ್ಳುತ್ತದೆ, 'ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ಬಳಸಿ' ಮತ್ತು ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ಕಡೇಪಕ್ಷ ಒಂದು ತೆರಿಗೆ ನಿಯಮ ಇರಬೇಕು"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","ಪಾವತಿ ಎಂಟ್ರಿ {0} ಆರ್ಡರ್ {1}, ಈ ಸರಕುಪಟ್ಟಿ ಮುಂಚಿತವಾಗಿ ಮಾಹಿತಿ ನಿಲ್ಲಿಸಲು ಏನನ್ನು ಪರೀಕ್ಷಿಸಲು ವಿರುದ್ಧ ಲಿಂಕ್ ಇದೆ."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","ಪಾವತಿ ಎಂಟ್ರಿ {0} ಆರ್ಡರ್ {1}, ಈ ಸರಕುಪಟ್ಟಿ ಮುಂಚಿತವಾಗಿ ಮಾಹಿತಿ ನಿಲ್ಲಿಸಲು ಏನನ್ನು ಪರೀಕ್ಷಿಸಲು ವಿರುದ್ಧ ಲಿಂಕ್ ಇದೆ."
DocType: Sales Invoice Item,Stock Details,ಸ್ಟಾಕ್ ವಿವರಗಳು
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,ಪ್ರಾಜೆಕ್ಟ್ ಮೌಲ್ಯ
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,ಪಾಯಿಂಟ್ ಯಾ ಮಾರಾಟಕ್ಕೆ
DocType: Vehicle Log,Odometer Reading,ದೂರಮಾಪಕ ಓದುವಿಕೆ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","ಖಾತೆ ಸಮತೋಲನ ಈಗಾಗಲೇ ಕ್ರೆಡಿಟ್, ನೀವು ಹೊಂದಿಸಲು ಅನುಮತಿ ಇಲ್ಲ 'ಡೆಬಿಟ್' ಎಂದು 'ಬ್ಯಾಲೆನ್ಸ್ ಇರಲೇಬೇಕು'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","ಖಾತೆ ಸಮತೋಲನ ಈಗಾಗಲೇ ಕ್ರೆಡಿಟ್, ನೀವು ಹೊಂದಿಸಲು ಅನುಮತಿ ಇಲ್ಲ 'ಡೆಬಿಟ್' ಎಂದು 'ಬ್ಯಾಲೆನ್ಸ್ ಇರಲೇಬೇಕು'"
DocType: Account,Balance must be,ಬ್ಯಾಲೆನ್ಸ್ ಇರಬೇಕು
DocType: Hub Settings,Publish Pricing,ಬೆಲೆ ಪ್ರಕಟಿಸಿ
DocType: Notification Control,Expense Claim Rejected Message,ಖರ್ಚು ಹೇಳಿಕೆಯನ್ನು ತಿರಸ್ಕರಿಸಿದರು ಸಂದೇಶ
@@ -954,7 +961,7 @@
DocType: Salary Slip,Working Days,ಕೆಲಸ ದಿನಗಳ
DocType: Serial No,Incoming Rate,ಒಳಬರುವ ದರ
DocType: Packing Slip,Gross Weight,ಒಟ್ಟು ತೂಕ
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,ನೀವು ಈ ಗಣಕವನ್ನು ಹೊಂದಿಸುವ ಇದು ನಿಮ್ಮ ಕಂಪನಿ ಹೆಸರು .
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,ನೀವು ಈ ಗಣಕವನ್ನು ಹೊಂದಿಸುವ ಇದು ನಿಮ್ಮ ಕಂಪನಿ ಹೆಸರು .
DocType: HR Settings,Include holidays in Total no. of Working Days,ಒಟ್ಟು ರಜಾದಿನಗಳು ಸೇರಿಸಿ ಕೆಲಸ ದಿನಗಳ ಯಾವುದೇ
DocType: Job Applicant,Hold,ಹಿಡಿ
DocType: Employee,Date of Joining,ಸೇರುವ ದಿನಾಂಕ
@@ -965,20 +972,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,ಖರೀದಿ ರಸೀತಿ
,Received Items To Be Billed,ಪಾವತಿಸಬೇಕಾಗುತ್ತದೆ ಸ್ವೀಕರಿಸಿದ ಐಟಂಗಳು
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,ಸಲ್ಲಿಸಿದ ಸಂಬಳ ತುಂಡಿನಲ್ಲಿ
-DocType: Employee,Ms,MS
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,ಕರೆನ್ಸಿ ವಿನಿಮಯ ದರ ಮಾಸ್ಟರ್ .
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},ರೆಫರೆನ್ಸ್ Doctype ಒಂದು ಇರಬೇಕು {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,ಕರೆನ್ಸಿ ವಿನಿಮಯ ದರ ಮಾಸ್ಟರ್ .
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},ರೆಫರೆನ್ಸ್ Doctype ಒಂದು ಇರಬೇಕು {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},ಆಪರೇಷನ್ ಮುಂದಿನ {0} ದಿನಗಳಲ್ಲಿ ಟೈಮ್ ಸ್ಲಾಟ್ ಕಾಣಬರಲಿಲ್ಲ {1}
DocType: Production Order,Plan material for sub-assemblies,ಉಪ ಜೋಡಣೆಗಳಿಗೆ ಯೋಜನೆ ವಸ್ತು
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,ಮಾರಾಟದ ಪಾರ್ಟ್ನರ್ಸ್ ಮತ್ತು ಸಂಸ್ಥಾನದ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,ಈಗಾಗಲೇ ಖಾತೆಯಲ್ಲಿ ಸ್ಟಾಕ್ ಸಮತೋಲನವು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಖಾತೆ ರಚಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ. ನೀವು ಈ ಗೋದಾಮಿನ ಒಂದು ನಮೂದನ್ನು ಮಾಡಬಹುದು ಮೊದಲು ಹೊಂದಾಣಿಕೆಗೆ ಮಾಡಬೇಕು ಖಾತೆಯನ್ನು ರಚಿಸಲು
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,ಬಿಒಎಮ್ {0} ಸಕ್ರಿಯ ಇರಬೇಕು
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,ಬಿಒಎಮ್ {0} ಸಕ್ರಿಯ ಇರಬೇಕು
DocType: Journal Entry,Depreciation Entry,ಸವಕಳಿ ಎಂಟ್ರಿ
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,ಮೊದಲ ದಾಖಲೆ ಪ್ರಕಾರ ಆಯ್ಕೆ ಮಾಡಿ
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,ಈ ನಿರ್ವಹಣೆ ಭೇಟಿ ರದ್ದು ಮೊದಲು ವಸ್ತು ಭೇಟಿ {0} ರದ್ದು
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ಐಟಂ ಸೇರುವುದಿಲ್ಲ {1}
DocType: Purchase Receipt Item Supplied,Required Qty,ಅಗತ್ಯವಿದೆ ಪ್ರಮಾಣ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಗೋದಾಮುಗಳು ಲೆಡ್ಜರ್ ಪರಿವರ್ತಿಸಬಹುದು ಸಾಧ್ಯವಿಲ್ಲ.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಗೋದಾಮುಗಳು ಲೆಡ್ಜರ್ ಪರಿವರ್ತಿಸಬಹುದು ಸಾಧ್ಯವಿಲ್ಲ.
DocType: Bank Reconciliation,Total Amount,ಒಟ್ಟು ಪ್ರಮಾಣ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,ಇಂಟರ್ನೆಟ್ ಪಬ್ಲಿಷಿಂಗ್
DocType: Production Planning Tool,Production Orders,ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ಸ್
@@ -993,25 +998,26 @@
DocType: Fee Structure,Components,ಘಟಕಗಳು
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},ಐಟಂ ರಲ್ಲಿ ಆಸ್ತಿ ವರ್ಗ ನಮೂದಿಸಿ {0}
DocType: Quality Inspection Reading,Reading 6,6 ಓದುವಿಕೆ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,ಅಲ್ಲ {0} {1} {2} ಯಾವುದೇ ಋಣಾತ್ಮಕ ಮಹೋನ್ನತ ಸರಕುಪಟ್ಟಿ ಕ್ಯಾನ್
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,ಅಲ್ಲ {0} {1} {2} ಯಾವುದೇ ಋಣಾತ್ಮಕ ಮಹೋನ್ನತ ಸರಕುಪಟ್ಟಿ ಕ್ಯಾನ್
DocType: Purchase Invoice Advance,Purchase Invoice Advance,ಸರಕುಪಟ್ಟಿ ಮುಂಗಡ ಖರೀದಿ
DocType: Hub Settings,Sync Now,ಸಿಂಕ್ ಈಗ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},ಸಾಲು {0}: ಕ್ರೆಡಿಟ್ ಪ್ರವೇಶ ಸಂಬಂಧ ಸಾಧ್ಯವಿಲ್ಲ ಒಂದು {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,ಆರ್ಥಿಕ ವರ್ಷದ ಬಜೆಟ್ ವಿವರಿಸಿ.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,ಆರ್ಥಿಕ ವರ್ಷದ ಬಜೆಟ್ ವಿವರಿಸಿ.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,ಈ ಕ್ರಮವನ್ನು ಆಯ್ಕೆ ಮಾಡಿದಾಗ ಡೀಫಾಲ್ಟ್ ಬ್ಯಾಂಕ್ / ನಗದು ಖಾತೆಯನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಪಿಓಎಸ್ ಸರಕುಪಟ್ಟಿ ರಲ್ಲಿ ನವೀಕರಿಸಲಾಗುತ್ತದೆ.
DocType: Lead,LEAD-,LEAD-
DocType: Employee,Permanent Address Is,ಖಾಯಂ ವಿಳಾಸ ಈಸ್
DocType: Production Order Operation,Operation completed for how many finished goods?,ಆಪರೇಷನ್ ಎಷ್ಟು ಸಿದ್ಧಪಡಿಸಿದ ವಸ್ತುಗಳನ್ನು ಪೂರ್ಣಗೊಂಡಿತು?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,ಬ್ರ್ಯಾಂಡ್
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,ಬ್ರ್ಯಾಂಡ್
DocType: Employee,Exit Interview Details,ಎಕ್ಸಿಟ್ ಸಂದರ್ಶನ ವಿವರಗಳು
DocType: Item,Is Purchase Item,ಖರೀದಿ ಐಟಂ
DocType: Asset,Purchase Invoice,ಖರೀದಿ ಸರಕುಪಟ್ಟಿ
DocType: Stock Ledger Entry,Voucher Detail No,ಚೀಟಿ ವಿವರ ನಂ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,ಹೊಸ ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,ಹೊಸ ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ
DocType: Stock Entry,Total Outgoing Value,ಒಟ್ಟು ಹೊರಹೋಗುವ ಮೌಲ್ಯ
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,ದಿನಾಂಕ ಮತ್ತು ಮುಕ್ತಾಯದ ದಿನಾಂಕ ತೆರೆಯುವ ಒಂದೇ ಆಗಿರುವ ಹಣಕಾಸಿನ ವರ್ಷವನ್ನು ಒಳಗೆ ಇರಬೇಕು
DocType: Lead,Request for Information,ಮಾಹಿತಿಗಾಗಿ ಕೋರಿಕೆ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,ಸಿಂಕ್ ಆಫ್ಲೈನ್ ಇನ್ವಾಯ್ಸ್ಗಳು
+,LeaderBoard,ಲೀಡರ್
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,ಸಿಂಕ್ ಆಫ್ಲೈನ್ ಇನ್ವಾಯ್ಸ್ಗಳು
DocType: Payment Request,Paid,ಹಣ
DocType: Program Fee,Program Fee,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ಶುಲ್ಕ
DocType: Salary Slip,Total in words,ಪದಗಳನ್ನು ಒಟ್ಟು
@@ -1020,13 +1026,13 @@
DocType: Cheque Print Template,Has Print Format,ಪ್ರಿಂಟ್ ಫಾರ್ಮ್ಯಾಟ್ ಹೊಂದಿದೆ
DocType: Employee Loan,Sanctioned,ಮಂಜೂರು
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,ಕಡ್ಡಾಯ. ಬಹುಶಃ ಕರೆನ್ಸಿ ವಿನಿಮಯ ದಾಖಲೆ ರಚಿಸಲಾಗಲಿಲ್ಲ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},ರೋ # {0}: ಐಟಂ ಯಾವುದೇ ಸೀರಿಯಲ್ ಸೂಚಿಸಲು ದಯವಿಟ್ಟು {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'ಉತ್ಪನ್ನ ಕಟ್ಟು' ಐಟಂಗಳನ್ನು, ವೇರ್ಹೌಸ್, ಸೀರಿಯಲ್ ಯಾವುದೇ ಮತ್ತು ಬ್ಯಾಚ್ ಯಾವುದೇ 'ಪ್ಯಾಕಿಂಗ್ ಪಟ್ಟಿ ಮೇಜಿನಿಂದ ಪರಿಗಣಿಸಲಾಗುವುದು. ವೇರ್ಹೌಸ್ ಮತ್ತು ಬ್ಯಾಚ್ ಯಾವುದೇ ಯಾವುದೇ 'ಉತ್ಪನ್ನ ಕಟ್ಟು' ಐಟಂ ಎಲ್ಲಾ ಪ್ಯಾಕಿಂಗ್ ವಸ್ತುಗಳನ್ನು ಅದೇ ಇದ್ದರೆ, ಆ ಮೌಲ್ಯಗಳು ಮುಖ್ಯ ಐಟಂ ಕೋಷ್ಟಕದಲ್ಲಿ ಪ್ರವೇಶಿಸಬಹುದಾದ, ಮೌಲ್ಯಗಳನ್ನು ಟೇಬಲ್ 'ಪ್ಯಾಕಿಂಗ್ ಪಟ್ಟಿ' ನಕಲು ನಡೆಯಲಿದೆ."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},ರೋ # {0}: ಐಟಂ ಯಾವುದೇ ಸೀರಿಯಲ್ ಸೂಚಿಸಲು ದಯವಿಟ್ಟು {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'ಉತ್ಪನ್ನ ಕಟ್ಟು' ಐಟಂಗಳನ್ನು, ವೇರ್ಹೌಸ್, ಸೀರಿಯಲ್ ಯಾವುದೇ ಮತ್ತು ಬ್ಯಾಚ್ ಯಾವುದೇ 'ಪ್ಯಾಕಿಂಗ್ ಪಟ್ಟಿ ಮೇಜಿನಿಂದ ಪರಿಗಣಿಸಲಾಗುವುದು. ವೇರ್ಹೌಸ್ ಮತ್ತು ಬ್ಯಾಚ್ ಯಾವುದೇ ಯಾವುದೇ 'ಉತ್ಪನ್ನ ಕಟ್ಟು' ಐಟಂ ಎಲ್ಲಾ ಪ್ಯಾಕಿಂಗ್ ವಸ್ತುಗಳನ್ನು ಅದೇ ಇದ್ದರೆ, ಆ ಮೌಲ್ಯಗಳು ಮುಖ್ಯ ಐಟಂ ಕೋಷ್ಟಕದಲ್ಲಿ ಪ್ರವೇಶಿಸಬಹುದಾದ, ಮೌಲ್ಯಗಳನ್ನು ಟೇಬಲ್ 'ಪ್ಯಾಕಿಂಗ್ ಪಟ್ಟಿ' ನಕಲು ನಡೆಯಲಿದೆ."
DocType: Job Opening,Publish on website,ವೆಬ್ಸೈಟ್ನಲ್ಲಿ ಪ್ರಕಟಿಸಿ
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,ಗ್ರಾಹಕರಿಗೆ ರವಾನಿಸಲಾಯಿತು .
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,ಸರಬರಾಜುದಾರ ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕ ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,ಸರಬರಾಜುದಾರ ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕ ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಸಾಧ್ಯವಿಲ್ಲ
DocType: Purchase Invoice Item,Purchase Order Item,ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ಐಟಂ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,ಪರೋಕ್ಷ ಆದಾಯ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,ಪರೋಕ್ಷ ಆದಾಯ
DocType: Student Attendance Tool,Student Attendance Tool,ವಿದ್ಯಾರ್ಥಿ ಅಟೆಂಡೆನ್ಸ್ ಉಪಕರಣ
DocType: Cheque Print Template,Date Settings,ದಿನಾಂಕ ಸೆಟ್ಟಿಂಗ್ಗಳು
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,ಭಿನ್ನಾಭಿಪ್ರಾಯ
@@ -1044,21 +1050,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,ರಾಸಾಯನಿಕ
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,ಈ ಕ್ರಮದಲ್ಲಿ ಆಯ್ಕೆ ಮಾಡಿದಾಗ ಡೀಫಾಲ್ಟ್ ಬ್ಯಾಂಕ್ / ನಗದು ಖಾತೆಯನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಸಂಬಳ ಜರ್ನಲ್ ಎಂಟ್ರಿ ನವೀಕರಿಸಲಾಗುತ್ತದೆ.
DocType: BOM,Raw Material Cost(Company Currency),ರಾ ಮೆಟೀರಿಯಲ್ ವೆಚ್ಚ (ಕಂಪನಿ ಕರೆನ್ಸಿ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,ಎಲ್ಲಾ ಐಟಂಗಳನ್ನು ಈಗಾಗಲೇ ಈ ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ವರ್ಗಾಯಿಸಲಾಗಿದೆ.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,ಎಲ್ಲಾ ಐಟಂಗಳನ್ನು ಈಗಾಗಲೇ ಈ ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ವರ್ಗಾಯಿಸಲಾಗಿದೆ.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},ರೋ # {0}: ದರ ಪ್ರಮಾಣ ಬಳಸಲ್ಪಡುತ್ತಿದ್ದವು ಹೆಚ್ಚಿರಬಾರದು {1} {2}
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},ರೋ # {0}: ದರ ಪ್ರಮಾಣ ಬಳಸಲ್ಪಡುತ್ತಿದ್ದವು ಹೆಚ್ಚಿರಬಾರದು {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,ಮೀಟರ್
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,ಮೀಟರ್
DocType: Workstation,Electricity Cost,ವಿದ್ಯುತ್ ಬೆಲೆ
DocType: HR Settings,Don't send Employee Birthday Reminders,ನೌಕರರ ಜನ್ಮದಿನ ಜ್ಞಾಪನೆಗಳನ್ನು ಕಳುಹಿಸಬೇಡಿ
DocType: Item,Inspection Criteria,ಇನ್ಸ್ಪೆಕ್ಷನ್ ಮಾನದಂಡ
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,ವರ್ಗಾವಣೆಯ
DocType: BOM Website Item,BOM Website Item,ಬಿಒಎಮ್ ವೆಬ್ಸೈಟ್ ಐಟಂ
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,ನಿಮ್ಮ ಪತ್ರ ತಲೆ ಮತ್ತು ಲೋಗೋ ಅಪ್ಲೋಡ್. (ನೀವು ಅವುಗಳನ್ನು ನಂತರ ಸಂಪಾದಿಸಬಹುದು).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,ನಿಮ್ಮ ಪತ್ರ ತಲೆ ಮತ್ತು ಲೋಗೋ ಅಪ್ಲೋಡ್. (ನೀವು ಅವುಗಳನ್ನು ನಂತರ ಸಂಪಾದಿಸಬಹುದು).
DocType: Timesheet Detail,Bill,ಬಿಲ್
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,ಮುಂದಿನ ಸವಕಳಿ ದಿನಾಂಕ ಕಳೆದ ದಿನಾಂಕ ದಾಖಲಿಸಿದರೆ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,ಬಿಳಿ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,ಬಿಳಿ
DocType: SMS Center,All Lead (Open),ಎಲ್ಲಾ ಪ್ರಮುಖ ( ಓಪನ್ )
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ರೋ {0}: ಫಾರ್ ಪ್ರಮಾಣ ಲಭ್ಯವಿಲ್ಲ {4} ಉಗ್ರಾಣದಲ್ಲಿ {1} ಪ್ರವೇಶ ಸಮಯದಲ್ಲಿ ಪೋಸ್ಟ್ ನಲ್ಲಿ ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ರೋ {0}: ಫಾರ್ ಪ್ರಮಾಣ ಲಭ್ಯವಿಲ್ಲ {4} ಉಗ್ರಾಣದಲ್ಲಿ {1} ಪ್ರವೇಶ ಸಮಯದಲ್ಲಿ ಪೋಸ್ಟ್ ನಲ್ಲಿ ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,ಪಾವತಿಸಿದ ಅಡ್ವಾನ್ಸಸ್ ಪಡೆಯಿರಿ
DocType: Item,Automatically Create New Batch,ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಹೊಸ ಬ್ಯಾಚ್ ರಚಿಸಿ
DocType: Item,Automatically Create New Batch,ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಹೊಸ ಬ್ಯಾಚ್ ರಚಿಸಿ
@@ -1069,13 +1075,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,ನನ್ನ ಕಾರ್ಟ್
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},ಆರ್ಡರ್ ಪ್ರಕಾರ ಒಂದು ಇರಬೇಕು {0}
DocType: Lead,Next Contact Date,ಮುಂದೆ ಸಂಪರ್ಕಿಸಿ ದಿನಾಂಕ
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,ಆರಂಭಿಕ ಪ್ರಮಾಣ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,ದಯವಿಟ್ಟು ಪ್ರಮಾಣ ಚೇಂಜ್ ಖಾತೆಯನ್ನು ನಮೂದಿಸಿ
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,ಆರಂಭಿಕ ಪ್ರಮಾಣ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,ದಯವಿಟ್ಟು ಪ್ರಮಾಣ ಚೇಂಜ್ ಖಾತೆಯನ್ನು ನಮೂದಿಸಿ
DocType: Student Batch Name,Student Batch Name,ವಿದ್ಯಾರ್ಥಿ ಬ್ಯಾಚ್ ಹೆಸರು
DocType: Holiday List,Holiday List Name,ಹಾಲಿಡೇ ಪಟ್ಟಿ ಹೆಸರು
DocType: Repayment Schedule,Balance Loan Amount,ಬ್ಯಾಲೆನ್ಸ್ ಸಾಲದ ಪ್ರಮಾಣ
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,ವೇಳಾಪಟ್ಟಿ ಕೋರ್ಸ್
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,ಸ್ಟಾಕ್ ಆಯ್ಕೆಗಳು
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,ಸ್ಟಾಕ್ ಆಯ್ಕೆಗಳು
DocType: Journal Entry Account,Expense Claim,ಖರ್ಚು ಹಕ್ಕು
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,ನೀವು ನಿಜವಾಗಿಯೂ ಈ ಕೈಬಿಟ್ಟಿತು ಆಸ್ತಿ ಪುನಃಸ್ಥಾಪಿಸಲು ಬಯಸುವಿರಾ?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},ಫಾರ್ ಪ್ರಮಾಣ {0}
@@ -1087,12 +1093,12 @@
DocType: Company,Default Terms,ಡೀಫಾಲ್ಟ್ ನಿಯಮಗಳು
DocType: Packing Slip Item,Packing Slip Item,ಪ್ಯಾಕಿಂಗ್ ಸ್ಲಿಪ್ ಐಟಂ
DocType: Purchase Invoice,Cash/Bank Account,ನಗದು / ಬ್ಯಾಂಕ್ ಖಾತೆ
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},ದಯವಿಟ್ಟು ಸೂಚಿಸಿ ಒಂದು {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},ದಯವಿಟ್ಟು ಸೂಚಿಸಿ ಒಂದು {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,ಪ್ರಮಾಣ ಅಥವಾ ಮೌಲ್ಯವನ್ನು ಯಾವುದೇ ಬದಲಾವಣೆ ತೆಗೆದುಹಾಕಲಾಗಿದೆ ಐಟಂಗಳನ್ನು.
DocType: Delivery Note,Delivery To,ವಿತರಣಾ
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,ಗುಣಲಕ್ಷಣ ಟೇಬಲ್ ಕಡ್ಡಾಯ
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,ಗುಣಲಕ್ಷಣ ಟೇಬಲ್ ಕಡ್ಡಾಯ
DocType: Production Planning Tool,Get Sales Orders,ಮಾರಾಟದ ಆರ್ಡರ್ಸ್ ಪಡೆಯಿರಿ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} ಋಣಾತ್ಮಕ ಇರುವಂತಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} ಋಣಾತ್ಮಕ ಇರುವಂತಿಲ್ಲ
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,ರಿಯಾಯಿತಿ
DocType: Asset,Total Number of Depreciations,Depreciations ಒಟ್ಟು ಸಂಖ್ಯೆ
DocType: Sales Invoice Item,Rate With Margin,ಮಾರ್ಜಿನ್ ಜೊತೆಗೆ ದರ
@@ -1113,7 +1119,6 @@
DocType: Serial No,Creation Document No,ಸೃಷ್ಟಿ ಡಾಕ್ಯುಮೆಂಟ್ ಸಂಖ್ಯೆ
DocType: Issue,Issue,ಸಂಚಿಕೆ
DocType: Asset,Scrapped,ಕೈಬಿಟ್ಟಿತು
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,ಖಾತೆ ಕಂಪನಿ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","ಐಟಂ ಮಾರ್ಪಾಟುಗಳು ಗುಣಲಕ್ಷಣಗಳು. ಉದಾಹರಣೆಗೆ ಗಾತ್ರ, ಬಣ್ಣ ಇತ್ಯಾದಿ"
DocType: Purchase Invoice,Returns,ರಿಟರ್ನ್ಸ್
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,ವಿಪ್ ವೇರ್ಹೌಸ್
@@ -1125,12 +1130,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,ಐಟಂ ಬಟನ್ 'ಖರೀದಿ ರಸೀದಿಗಳನ್ನು ರಿಂದ ಐಟಂಗಳು ಪಡೆಯಿರಿ' ಬಳಸಿಕೊಂಡು ಸೇರಿಸಬೇಕು
DocType: Employee,A-,ಎ
DocType: Production Planning Tool,Include non-stock items,ನಾನ್ ಸ್ಟಾಕ್ ವಸ್ತುಗಳಾದ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,ಮಾರಾಟ ವೆಚ್ಚಗಳು
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,ಮಾರಾಟ ವೆಚ್ಚಗಳು
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,ಸ್ಟ್ಯಾಂಡರ್ಡ್ ಬೈಯಿಂಗ್
DocType: GL Entry,Against,ವಿರುದ್ಧವಾಗಿ
DocType: Item,Default Selling Cost Center,ಡೀಫಾಲ್ಟ್ ಮಾರಾಟ ವೆಚ್ಚ ಸೆಂಟರ್
DocType: Sales Partner,Implementation Partner,ಅನುಷ್ಠಾನ ಸಂಗಾತಿ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,ZIP ಕೋಡ್
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,ZIP ಕೋಡ್
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},ಮಾರಾಟದ ಆರ್ಡರ್ {0} ಯನ್ನು {1}
DocType: Opportunity,Contact Info,ಸಂಪರ್ಕ ಮಾಹಿತಿ
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,ಸ್ಟಾಕ್ ನಮೂದುಗಳು ಮೇಕಿಂಗ್
@@ -1143,33 +1148,33 @@
DocType: Holiday List,Get Weekly Off Dates,ದಿನಾಂಕ ವೀಕ್ಲಿ ಆಫ್ ಪಡೆಯಿರಿ
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,ಅಂತಿಮ ದಿನಾಂಕ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಕಡಿಮೆ ಸಾಧ್ಯವಿಲ್ಲ
DocType: Sales Person,Select company name first.,ಮೊದಲ ಕಂಪನಿ ಹೆಸರು ಆಯ್ಕೆ ಮಾಡಿ.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,ಡಾ
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,ಉಲ್ಲೇಖಗಳು ವಿತರಕರಿಂದ ಪಡೆದ .
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},ಗೆ {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,ಸರಾಸರಿ ವಯಸ್ಸು
DocType: School Settings,Attendance Freeze Date,ಅಟೆಂಡೆನ್ಸ್ ಫ್ರೀಜ್ ದಿನಾಂಕ
DocType: School Settings,Attendance Freeze Date,ಅಟೆಂಡೆನ್ಸ್ ಫ್ರೀಜ್ ದಿನಾಂಕ
DocType: Opportunity,Your sales person who will contact the customer in future,ಭವಿಷ್ಯದಲ್ಲಿ ಗ್ರಾಹಕ ಸಂಪರ್ಕಿಸಿ ಯಾರು ನಿಮ್ಮ ಮಾರಾಟಗಾರನ
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,ನಿಮ್ಮ ಪೂರೈಕೆದಾರರ ಕೆಲವು ಪಟ್ಟಿ. ಅವರು ಸಂಸ್ಥೆಗಳು ಅಥವಾ ವ್ಯಕ್ತಿಗಳು ಆಗಿರಬಹುದು .
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,ನಿಮ್ಮ ಪೂರೈಕೆದಾರರ ಕೆಲವು ಪಟ್ಟಿ. ಅವರು ಸಂಸ್ಥೆಗಳು ಅಥವಾ ವ್ಯಕ್ತಿಗಳು ಆಗಿರಬಹುದು .
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,ಎಲ್ಲಾ ಉತ್ಪನ್ನಗಳು ವೀಕ್ಷಿಸಿ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),ಕನಿಷ್ಠ ಲೀಡ್ ವಯಸ್ಸು (ದಿನಗಳು)
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),ಕನಿಷ್ಠ ಲೀಡ್ ವಯಸ್ಸು (ದಿನಗಳು)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,ಎಲ್ಲಾ BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,ಎಲ್ಲಾ BOMs
DocType: Company,Default Currency,ಡೀಫಾಲ್ಟ್ ಕರೆನ್ಸಿ
DocType: Expense Claim,From Employee,ಉದ್ಯೋಗಗಳು ಗೆ
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,ಎಚ್ಚರಿಕೆ: ಸಿಸ್ಟಮ್ {0} {1} ಶೂನ್ಯ ರಲ್ಲಿ ಐಟಂ ಪ್ರಮಾಣದ overbilling ರಿಂದ ಪರೀಕ್ಷಿಸುವುದಿಲ್ಲ
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,ಎಚ್ಚರಿಕೆ: ಸಿಸ್ಟಮ್ {0} {1} ಶೂನ್ಯ ರಲ್ಲಿ ಐಟಂ ಪ್ರಮಾಣದ overbilling ರಿಂದ ಪರೀಕ್ಷಿಸುವುದಿಲ್ಲ
DocType: Journal Entry,Make Difference Entry,ವ್ಯತ್ಯಾಸ ಎಂಟ್ರಿ ಮಾಡಿ
DocType: Upload Attendance,Attendance From Date,ಅಟೆಂಡೆನ್ಸ್ Fromdate
DocType: Appraisal Template Goal,Key Performance Area,ಪ್ರಮುಖ ಸಾಧನೆ ಪ್ರದೇಶ
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,ಸಾರಿಗೆ
+DocType: Program Enrollment,Transportation,ಸಾರಿಗೆ
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,ಅಮಾನ್ಯ ಲಕ್ಷಣ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} ಸಲ್ಲಿಸಬೇಕು
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} ಸಲ್ಲಿಸಬೇಕು
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},ಪ್ರಮಾಣ ಕಡಿಮೆ ಅಥವಾ ಸಮನಾಗಿರಬೇಕು {0}
DocType: SMS Center,Total Characters,ಒಟ್ಟು ಪಾತ್ರಗಳು
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},ಐಟಂ ಬಿಒಎಮ್ ಕ್ಷೇತ್ರದಲ್ಲಿ ಬಿಒಎಮ್ ಆಯ್ಕೆಮಾಡಿ {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},ಐಟಂ ಬಿಒಎಮ್ ಕ್ಷೇತ್ರದಲ್ಲಿ ಬಿಒಎಮ್ ಆಯ್ಕೆಮಾಡಿ {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,ಸಿ ಆಕಾರ ಸರಕುಪಟ್ಟಿ ವಿವರ
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ಪಾವತಿ ಸಾಮರಸ್ಯ ಸರಕುಪಟ್ಟಿ
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,ಕೊಡುಗೆ%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ಆರ್ಡರ್ ಖರೀದಿಸಿ ಅಗತ್ಯವಿದೆ ವೇಳೆ == 'ಹೌದು', ನಂತರ ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ರಚಿಸಲು, ಬಳಕೆದಾರ ಐಟಂ ಮೊದಲ ಆರ್ಡರ್ ಖರೀದಿಸಿ ರಚಿಸಬೇಕಾಗಿದೆ ಬೈಯಿಂಗ್ ಸೆಟ್ಟಿಂಗ್ಗಳು ಪ್ರಕಾರ {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,ನಿಮ್ಮ ಉಲ್ಲೇಖ ಕಂಪನಿ ನೋಂದಣಿ ಸಂಖ್ಯೆಗಳು . ತೆರಿಗೆ ಸಂಖ್ಯೆಗಳನ್ನು ಇತ್ಯಾದಿ
DocType: Sales Partner,Distributor,ವಿತರಕ
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ಶಿಪ್ಪಿಂಗ್ ರೂಲ್
@@ -1178,23 +1183,25 @@
,Ordered Items To Be Billed,ಖ್ಯಾತವಾದ ಐಟಂಗಳನ್ನು ಆದೇಶ
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,ರೇಂಜ್ ಕಡಿಮೆ ಎಂದು ಹೊಂದಿದೆ ಹೆಚ್ಚಾಗಿ ಶ್ರೇಣಿಗೆ
DocType: Global Defaults,Global Defaults,ಜಾಗತಿಕ ಪೂರ್ವನಿಯೋಜಿತಗಳು
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,ಪ್ರಾಜೆಕ್ಟ್ ಸಹಯೋಗ ಆಮಂತ್ರಣ
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,ಪ್ರಾಜೆಕ್ಟ್ ಸಹಯೋಗ ಆಮಂತ್ರಣ
DocType: Salary Slip,Deductions,ನಿರ್ಣಯಗಳಿಂದ
DocType: Leave Allocation,LAL/,ಲಾಲ್ /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,ಪ್ರಾರಂಭ ವರ್ಷ
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},GSTIN ಮೊದಲ 2 ಅಂಕೆಗಳು ರಾಜ್ಯ ಸಂಖ್ಯೆಯ ಹೊಂದಾಣಿಕೆ ಮಾಡಬೇಕು {0}
DocType: Purchase Invoice,Start date of current invoice's period,ಪ್ರಸ್ತುತ ಅವಧಿಯ ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕ ಪ್ರಾರಂಭಿಸಿ
DocType: Salary Slip,Leave Without Pay,ಪೇ ಇಲ್ಲದೆ ಬಿಡಿ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,ಸಾಮರ್ಥ್ಯವನ್ನು ಯೋಜನೆ ದೋಷ
,Trial Balance for Party,ಪಕ್ಷದ ಟ್ರಯಲ್ ಬ್ಯಾಲೆನ್ಸ್
DocType: Lead,Consultant,ಕನ್ಸಲ್ಟೆಂಟ್
DocType: Salary Slip,Earnings,ಅರ್ನಿಂಗ್ಸ್
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,ಮುಗಿದ ಐಟಂ {0} ತಯಾರಿಕೆ ರೀತಿಯ ಪ್ರವೇಶ ನಮೂದಿಸಲಾಗುವ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,ಮುಗಿದ ಐಟಂ {0} ತಯಾರಿಕೆ ರೀತಿಯ ಪ್ರವೇಶ ನಮೂದಿಸಲಾಗುವ
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,ತೆರೆಯುವ ಲೆಕ್ಕಪರಿಶೋಧಕ ಬ್ಯಾಲೆನ್ಸ್
+,GST Sales Register,ಜಿಎಸ್ಟಿ ಮಾರಾಟದ ನೋಂದಣಿ
DocType: Sales Invoice Advance,Sales Invoice Advance,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಅಡ್ವಾನ್ಸ್
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,ಮನವಿ ನಥಿಂಗ್
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},ಮತ್ತೊಂದು ಬಜೆಟ್ ದಾಖಲೆ '{0}' ಈಗಾಗಲೇ ವಿರುದ್ಧ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {1} '{2}' ಹಣಕಾಸು ವರ್ಷಕ್ಕೆ {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',' ನಿಜವಾದ ಆರಂಭ ದಿನಾಂಕ ' ಗ್ರೇಟರ್ ದ್ಯಾನ್ ' ನಿಜವಾದ ಅಂತಿಮ ದಿನಾಂಕ ' ಸಾಧ್ಯವಿಲ್ಲ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,ಆಡಳಿತ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,ಆಡಳಿತ
DocType: Cheque Print Template,Payer Settings,ಪಾವತಿಸುವ ಸೆಟ್ಟಿಂಗ್ಗಳು
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","ಈ ವ್ಯತ್ಯಯದ ಐಟಂ ಕೋಡ್ ಬಿತ್ತರಿಸಲಾಗುವುದು. ನಿಮ್ಮ ಸಂಕ್ಷೇಪಣ ""ಎಸ್ಎಮ್"", ಮತ್ತು ಉದಾಹರಣೆಗೆ, ಐಟಂ ಕೋಡ್ ""ಟಿ ಶರ್ಟ್"", ""ಟಿ-ಶರ್ಟ್ ಎಸ್.ಎಂ."" ಇರುತ್ತದೆ ವ್ಯತ್ಯಯದ ಐಟಂ ಸಂಕೇತ"
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,ನೀವು ಸಂಬಳ ಸ್ಲಿಪ್ ಉಳಿಸಲು ಒಮ್ಮೆ ( ಮಾತಿನಲ್ಲಿ) ನಿವ್ವಳ ವೇತನ ಗೋಚರಿಸುತ್ತದೆ.
@@ -1211,8 +1218,8 @@
DocType: Employee Loan,Partially Disbursed,ಭಾಗಶಃ ಪಾವತಿಸಲಾಗುತ್ತದೆ
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,ಸರಬರಾಜುದಾರ ಡೇಟಾಬೇಸ್ .
DocType: Account,Balance Sheet,ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ','ಐಟಂ ಕೋಡ್ನೊಂದಿಗೆ ಐಟಂ ಸೆಂಟರ್ ವೆಚ್ಚ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",ಪಾವತಿ ಮೋಡ್ ಸಂರಚಿತವಾಗಿರುವುದಿಲ್ಲ. ಖಾತೆ ಪಾವತಿ ವಿಧಾನ ಮೇಲೆ ಅಥವಾ ಪಿಓಎಸ್ ಪ್ರೊಫೈಲ್ ಹೊಂದಿಸಲಾಗಿದೆ ಎಂಬುದನ್ನು ದಯವಿಟ್ಟು ಪರಿಶೀಲಿಸಿ.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ','ಐಟಂ ಕೋಡ್ನೊಂದಿಗೆ ಐಟಂ ಸೆಂಟರ್ ವೆಚ್ಚ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",ಪಾವತಿ ಮೋಡ್ ಸಂರಚಿತವಾಗಿರುವುದಿಲ್ಲ. ಖಾತೆ ಪಾವತಿ ವಿಧಾನ ಮೇಲೆ ಅಥವಾ ಪಿಓಎಸ್ ಪ್ರೊಫೈಲ್ ಹೊಂದಿಸಲಾಗಿದೆ ಎಂಬುದನ್ನು ದಯವಿಟ್ಟು ಪರಿಶೀಲಿಸಿ.
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,ನಿಮ್ಮ ಮಾರಾಟಗಾರ ಗ್ರಾಹಕ ಸಂಪರ್ಕಿಸಿ ಈ ದಿನಾಂಕದಂದು ನೆನಪಿಸುವ ಪಡೆಯುತ್ತಾನೆ
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,ಅದೇ ಐಟಂ ಅನೇಕ ಬಾರಿ ಪ್ರವೇಶಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","ಮತ್ತಷ್ಟು ಖಾತೆಗಳನ್ನು ಗುಂಪುಗಳು ಅಡಿಯಲ್ಲಿ ಮಾಡಬಹುದು, ಆದರೆ ನಮೂದುಗಳನ್ನು ಅಲ್ಲದ ಗುಂಪುಗಳ ವಿರುದ್ಧ ಮಾಡಬಹುದು"
@@ -1220,7 +1227,7 @@
DocType: Email Digest,Payables,ಸಂದಾಯಗಳು
DocType: Course,Course Intro,ಕೋರ್ಸ್ ಪರಿಚಯ
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,ಸ್ಟಾಕ್ ಎಂಟ್ರಿ {0} ದಾಖಲಿಸಿದವರು
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,ರೋ # {0}: ಪ್ರಮಾಣ ಖರೀದಿ ರಿಟರ್ನ್ ಪ್ರವೇಶಿಸಿತು ಸಾಧ್ಯವಿಲ್ಲ ತಿರಸ್ಕರಿಸಲಾಗಿದೆ
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,ರೋ # {0}: ಪ್ರಮಾಣ ಖರೀದಿ ರಿಟರ್ನ್ ಪ್ರವೇಶಿಸಿತು ಸಾಧ್ಯವಿಲ್ಲ ತಿರಸ್ಕರಿಸಲಾಗಿದೆ
,Purchase Order Items To Be Billed,ಪಾವತಿಸಬೇಕಾಗುತ್ತದೆ ಖರೀದಿ ಆದೇಶವನ್ನು ಐಟಂಗಳು
DocType: Purchase Invoice Item,Net Rate,ನೆಟ್ ದರ
DocType: Purchase Invoice Item,Purchase Invoice Item,ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಐಟಂ
@@ -1247,7 +1254,7 @@
DocType: Sales Order,SO-,ಆದ್ದರಿಂದ-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,ಮೊದಲ ಪೂರ್ವಪ್ರತ್ಯಯ ಆಯ್ಕೆ ಮಾಡಿ
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,ರಿಸರ್ಚ್
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,ರಿಸರ್ಚ್
DocType: Maintenance Visit Purpose,Work Done,ಕೆಲಸ ನಡೆದಿದೆ
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,ಗುಣಲಕ್ಷಣಗಳು ಕೋಷ್ಟಕದಲ್ಲಿ ಕನಿಷ್ಠ ಒಂದು ಗುಣಲಕ್ಷಣ ಸೂಚಿಸಿ
DocType: Announcement,All Students,ಎಲ್ಲಾ ವಿದ್ಯಾರ್ಥಿಗಳು
@@ -1255,17 +1262,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,ವೀಕ್ಷಿಸು ಲೆಡ್ಜರ್
DocType: Grading Scale,Intervals,ಮಧ್ಯಂತರಗಳು
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,ಮುಂಚಿನ
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","ಐಟಂ ಗುಂಪು ಅದೇ ಹೆಸರಿನಲ್ಲಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ , ಐಟಂ ಹೆಸರನ್ನು ಬದಲಾಯಿಸಲು ಅಥವಾ ಐಟಂ ಗುಂಪು ಹೆಸರನ್ನು ದಯವಿಟ್ಟು"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,ವಿದ್ಯಾರ್ಥಿ ಮೊಬೈಲ್ ನಂ
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,ವಿಶ್ವದ ಉಳಿದ
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","ಐಟಂ ಗುಂಪು ಅದೇ ಹೆಸರಿನಲ್ಲಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ , ಐಟಂ ಹೆಸರನ್ನು ಬದಲಾಯಿಸಲು ಅಥವಾ ಐಟಂ ಗುಂಪು ಹೆಸರನ್ನು ದಯವಿಟ್ಟು"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,ವಿದ್ಯಾರ್ಥಿ ಮೊಬೈಲ್ ನಂ
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,ವಿಶ್ವದ ಉಳಿದ
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,ಐಟಂ {0} ಬ್ಯಾಚ್ ಹೊಂದುವಂತಿಲ್ಲ
,Budget Variance Report,ಬಜೆಟ್ ವೈಷಮ್ಯವನ್ನು ವರದಿ
DocType: Salary Slip,Gross Pay,ಗ್ರಾಸ್ ಪೇ
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,ರೋ {0}: ಚಟುವಟಿಕೆ ಕೌಟುಂಬಿಕತೆ ಕಡ್ಡಾಯವಾಗಿದೆ.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,ಫಲಕಾರಿಯಾಯಿತು
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,ಫಲಕಾರಿಯಾಯಿತು
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,ಲೆಕ್ಕಪತ್ರ ಲೆಡ್ಜರ್
DocType: Stock Reconciliation,Difference Amount,ವ್ಯತ್ಯಾಸ ಪ್ರಮಾಣ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,ಇಟ್ಟುಕೊಂಡ ಗಳಿಕೆಗಳು
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,ಇಟ್ಟುಕೊಂಡ ಗಳಿಕೆಗಳು
DocType: Vehicle Log,Service Detail,ಸೇವೆ ವಿವರ
DocType: BOM,Item Description,ಐಟಂ ವಿವರಣೆ
DocType: Student Sibling,Student Sibling,ವಿದ್ಯಾರ್ಥಿ ಒಡಹುಟ್ಟಿದವರು
@@ -1280,11 +1287,11 @@
DocType: Opportunity Item,Opportunity Item,ಅವಕಾಶ ಐಟಂ
,Student and Guardian Contact Details,ವಿದ್ಯಾರ್ಥಿ ಮತ್ತು ಗಾರ್ಡಿಯನ್ ಸಂಪರ್ಕ ವಿವರಗಳು
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,ರೋ {0}: ಪೂರೈಕೆದಾರ ಫಾರ್ {0} ಇಮೇಲ್ ವಿಳಾಸ ಇಮೇಲ್ ಕಳುಹಿಸಲು ಅಗತ್ಯವಿದೆ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,ತಾತ್ಕಾಲಿಕ ಉದ್ಘಾಟನಾ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,ತಾತ್ಕಾಲಿಕ ಉದ್ಘಾಟನಾ
,Employee Leave Balance,ನೌಕರರ ಲೀವ್ ಬ್ಯಾಲೆನ್ಸ್
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},{0} ಯಾವಾಗಲೂ ಇರಬೇಕು ಖಾತೆ ಬಾಕಿ {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},ಸತತವಾಗಿ ಐಟಂ ಅಗತ್ಯವಿದೆ ಮೌಲ್ಯಾಂಕನ ದರ {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,ಉದಾಹರಣೆ: ಕಂಪ್ಯೂಟರ್ ಸೈನ್ಸ್ ಮಾಸ್ಟರ್ಸ್
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,ಉದಾಹರಣೆ: ಕಂಪ್ಯೂಟರ್ ಸೈನ್ಸ್ ಮಾಸ್ಟರ್ಸ್
DocType: Purchase Invoice,Rejected Warehouse,ತಿರಸ್ಕರಿಸಲಾಗಿದೆ ವೇರ್ಹೌಸ್
DocType: GL Entry,Against Voucher,ಚೀಟಿ ವಿರುದ್ಧ
DocType: Item,Default Buying Cost Center,ಡೀಫಾಲ್ಟ್ ಖರೀದಿ ವೆಚ್ಚ ಸೆಂಟರ್
@@ -1297,31 +1304,30 @@
DocType: Journal Entry,Get Outstanding Invoices,ಮಹೋನ್ನತ ಇನ್ವಾಯ್ಸಸ್ ಪಡೆಯಿರಿ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,ಮಾರಾಟದ ಆರ್ಡರ್ {0} ಮಾನ್ಯವಾಗಿಲ್ಲ
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,ಖರೀದಿ ಆದೇಶ ನೀವು ಯೋಜನೆ ಸಹಾಯ ಮತ್ತು ನಿಮ್ಮ ಖರೀದಿ ಮೇಲೆ ಅನುಸರಿಸಿ
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","ಕ್ಷಮಿಸಿ, ಕಂಪನಿಗಳು ವಿಲೀನಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","ಕ್ಷಮಿಸಿ, ಕಂಪನಿಗಳು ವಿಲೀನಗೊಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",ಒಟ್ಟು ಸಂಚಿಕೆ / ವರ್ಗಾವಣೆ ಪ್ರಮಾಣ {0} ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ರಲ್ಲಿ {1} \ ವಿನಂತಿಸಿದ ಪ್ರಮಾಣ {2} ಐಟಂ ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,ಸಣ್ಣ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,ಸಣ್ಣ
DocType: Employee,Employee Number,ನೌಕರರ ಸಂಖ್ಯೆ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},ಕೇಸ್ ಇಲ್ಲ (ಗಳು) ಈಗಾಗಲೇ ಬಳಕೆಯಲ್ಲಿದೆ. ಪ್ರಕರಣ ಸಂಖ್ಯೆ ನಿಂದ ಪ್ರಯತ್ನಿಸಿ {0}
DocType: Project,% Completed,% ಪೂರ್ಣಗೊಂಡಿದೆ
,Invoiced Amount (Exculsive Tax),ಸರಕುಪಟ್ಟಿ ಪ್ರಮಾಣ ( ತೆರಿಗೆ Exculsive )
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,ಐಟಂ 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,ಖಾತೆ ತಲೆ {0} ದಾಖಲಿಸಿದವರು
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,ತರಬೇತಿ ಈವೆಂಟ್
DocType: Item,Auto re-order,ಆಟೋ ಪುನಃ ಸಲುವಾಗಿ
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,ಒಟ್ಟು ಸಾಧಿಸಿದ
DocType: Employee,Place of Issue,ಸಂಚಿಕೆ ಪ್ಲೇಸ್
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,ಒಪ್ಪಂದ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,ಒಪ್ಪಂದ
DocType: Email Digest,Add Quote,ಉದ್ಧರಣ ಸೇರಿಸಿ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},UOM ಅಗತ್ಯವಿದೆ UOM coversion ಫ್ಯಾಕ್ಟರ್: {0} ಐಟಂ ರಲ್ಲಿ: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,ಪರೋಕ್ಷ ವೆಚ್ಚಗಳು
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM ಅಗತ್ಯವಿದೆ UOM coversion ಫ್ಯಾಕ್ಟರ್: {0} ಐಟಂ ರಲ್ಲಿ: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,ಪರೋಕ್ಷ ವೆಚ್ಚಗಳು
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,ರೋ {0}: ಪ್ರಮಾಣ ಕಡ್ಡಾಯ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,ವ್ಯವಸಾಯ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,ಸಿಂಕ್ ಮಾಸ್ಟರ್ ಡಾಟಾ
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,ನಿಮ್ಮ ಉತ್ಪನ್ನಗಳನ್ನು ಅಥವಾ ಸೇವೆಗಳನ್ನು
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,ಸಿಂಕ್ ಮಾಸ್ಟರ್ ಡಾಟಾ
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,ನಿಮ್ಮ ಉತ್ಪನ್ನಗಳನ್ನು ಅಥವಾ ಸೇವೆಗಳನ್ನು
DocType: Mode of Payment,Mode of Payment,ಪಾವತಿಯ ಮಾದರಿಯು
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,ವೆಬ್ಸೈಟ್ ಚಿತ್ರ ಸಾರ್ವಜನಿಕ ಕಡತ ಅಥವಾ ವೆಬ್ಸೈಟ್ URL ಇರಬೇಕು
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,ವೆಬ್ಸೈಟ್ ಚಿತ್ರ ಸಾರ್ವಜನಿಕ ಕಡತ ಅಥವಾ ವೆಬ್ಸೈಟ್ URL ಇರಬೇಕು
DocType: Student Applicant,AP,ಎಪಿ
DocType: Purchase Invoice Item,BOM,ಬಿಒಎಮ್
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,ಈ ಒಂದು ಮೂಲ ಐಟಂ ಗುಂಪು ಮತ್ತು ಸಂಪಾದಿತವಾಗಿಲ್ಲ .
@@ -1330,7 +1336,7 @@
DocType: Warehouse,Warehouse Contact Info,ವೇರ್ಹೌಸ್ ಸಂಪರ್ಕ ಮಾಹಿತಿ
DocType: Payment Entry,Write Off Difference Amount,ವ್ಯತ್ಯಾಸ ಪ್ರಮಾಣ ಆಫ್ ಬರೆಯಿರಿ
DocType: Purchase Invoice,Recurring Type,ಮರುಕಳಿಸುವ ಪ್ರಕಾರ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: ನೌಕರರ ಇಮೇಲ್ ಕಂಡುಬಂದಿಲ್ಲ, ಆದ್ದರಿಂದ ಕಳುಹಿಸಲಾಗಿಲ್ಲ ಇಮೇಲ್"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: ನೌಕರರ ಇಮೇಲ್ ಕಂಡುಬಂದಿಲ್ಲ, ಆದ್ದರಿಂದ ಕಳುಹಿಸಲಾಗಿಲ್ಲ ಇಮೇಲ್"
DocType: Item,Foreign Trade Details,ವಿದೇಶಿ ವ್ಯಾಪಾರ ವಿವರಗಳು
DocType: Email Digest,Annual Income,ವಾರ್ಷಿಕ ಆದಾಯ
DocType: Serial No,Serial No Details,ಯಾವುದೇ ಸೀರಿಯಲ್ ವಿವರಗಳು
@@ -1338,10 +1344,10 @@
DocType: Student Group Student,Group Roll Number,ಗುಂಪು ರೋಲ್ ಸಂಖ್ಯೆ
DocType: Student Group Student,Group Roll Number,ಗುಂಪು ರೋಲ್ ಸಂಖ್ಯೆ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","{0}, ಮಾತ್ರ ಕ್ರೆಡಿಟ್ ಖಾತೆಗಳನ್ನು ಮತ್ತೊಂದು ಡೆಬಿಟ್ ಪ್ರವೇಶ ವಿರುದ್ಧ ಲಿಂಕ್ ಮಾಡಬಹುದು ಫಾರ್"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,ಎಲ್ಲಾ ಕೆಲಸವನ್ನು ತೂಕ ಒಟ್ಟು ಇರಬೇಕು 1. ಪ್ರಕಾರವಾಗಿ ಎಲ್ಲ ಪ್ರಾಜೆಕ್ಟ್ ಕಾರ್ಯಗಳ ತೂಕ ಹೊಂದಿಸಿಕೊಳ್ಳಿ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,ಡೆಲಿವರಿ ಗಮನಿಸಿ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,ಐಟಂ {0} ಒಂದು ಉಪ ಒಪ್ಪಂದ ಐಟಂ ಇರಬೇಕು
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,ಸಲಕರಣಾ
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,ಎಲ್ಲಾ ಕೆಲಸವನ್ನು ತೂಕ ಒಟ್ಟು ಇರಬೇಕು 1. ಪ್ರಕಾರವಾಗಿ ಎಲ್ಲ ಪ್ರಾಜೆಕ್ಟ್ ಕಾರ್ಯಗಳ ತೂಕ ಹೊಂದಿಸಿಕೊಳ್ಳಿ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,ಡೆಲಿವರಿ ಗಮನಿಸಿ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,ಐಟಂ {0} ಒಂದು ಉಪ ಒಪ್ಪಂದ ಐಟಂ ಇರಬೇಕು
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,ಸಲಕರಣಾ
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","ಬೆಲೆ ರೂಲ್ ಮೊದಲ ಐಟಂ, ಐಟಂ ಗುಂಪು ಅಥವಾ ಬ್ರಾಂಡ್ ಆಗಿರಬಹುದು, ಕ್ಷೇತ್ರದಲ್ಲಿ 'ರಂದು ಅನ್ವಯಿಸು' ಆಧಾರದ ಮೇಲೆ ಆಯ್ಕೆ."
DocType: Hub Settings,Seller Website,ಮಾರಾಟಗಾರ ವೆಬ್ಸೈಟ್
DocType: Item,ITEM-,ITEM-
@@ -1359,7 +1365,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","ಕೇವಲ "" ಮೌಲ್ಯವನ್ನು "" 0 ಅಥವಾ ಖಾಲಿ ಮೌಲ್ಯದೊಂದಿಗೆ ಒಂದು ಹಡಗು ರೂಲ್ ಕಂಡಿಶನ್ ಇಡಬಹುದು"
DocType: Authorization Rule,Transaction,ಟ್ರಾನ್ಸಾಕ್ಷನ್
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,ಗಮನಿಸಿ: ಈ ವೆಚ್ಚ ಸೆಂಟರ್ ಒಂದು ಗುಂಪು. ಗುಂಪುಗಳ ವಿರುದ್ಧ ಲೆಕ್ಕಪರಿಶೋಧಕ ನಮೂದುಗಳನ್ನು ಮಾಡಲು ಸಾಧ್ಯವಿಲ್ಲ.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,ಮಕ್ಕಳ ಗೋದಾಮಿನ ಈ ಗೋದಾಮಿನ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ. ಈ ಗೋದಾಮಿನ ಅಳಿಸಲಾಗುವುದಿಲ್ಲ.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,ಮಕ್ಕಳ ಗೋದಾಮಿನ ಈ ಗೋದಾಮಿನ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ. ಈ ಗೋದಾಮಿನ ಅಳಿಸಲಾಗುವುದಿಲ್ಲ.
DocType: Item,Website Item Groups,ವೆಬ್ಸೈಟ್ ಐಟಂ ಗುಂಪುಗಳು
DocType: Purchase Invoice,Total (Company Currency),ಒಟ್ಟು (ಕಂಪನಿ ಕರೆನ್ಸಿ)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,ಕ್ರಮಸಂಖ್ಯೆ {0} ಒಮ್ಮೆ ಹೆಚ್ಚು ಪ್ರವೇಶಿಸಿತು
@@ -1369,7 +1375,7 @@
DocType: Grading Scale Interval,Grade Code,ಗ್ರೇಡ್ ಕೋಡ್
DocType: POS Item Group,POS Item Group,ಪಿಓಎಸ್ ಐಟಂ ಗ್ರೂಪ್
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ಡೈಜೆಸ್ಟ್ ಇಮೇಲ್:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},ಬಿಒಎಮ್ {0} ಐಟಂ ಸೇರುವುದಿಲ್ಲ {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},ಬಿಒಎಮ್ {0} ಐಟಂ ಸೇರುವುದಿಲ್ಲ {1}
DocType: Sales Partner,Target Distribution,ಟಾರ್ಗೆಟ್ ಡಿಸ್ಟ್ರಿಬ್ಯೂಶನ್
DocType: Salary Slip,Bank Account No.,ಬ್ಯಾಂಕ್ ಖಾತೆ ಸಂಖ್ಯೆ
DocType: Naming Series,This is the number of the last created transaction with this prefix,ಈ ಪೂರ್ವನಾಮವನ್ನು ಹೊಂದಿರುವ ಲೋಡ್ ದಾಖಲಿಸಿದವರು ವ್ಯವಹಾರದ ಸಂಖ್ಯೆ
@@ -1380,12 +1386,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,ಪುಸ್ತಕ ಸ್ವತ್ತು ಸವಕಳಿ ಎಂಟ್ರಿ ಸ್ವಯಂಚಾಲಿತವಾಗಿ
DocType: BOM Operation,Workstation,ಕಾರ್ಯಸ್ಥಾನ
DocType: Request for Quotation Supplier,Request for Quotation Supplier,ಉದ್ಧರಣ ಸರಬರಾಜುದಾರ ವಿನಂತಿ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,ಹಾರ್ಡ್ವೇರ್
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,ಹಾರ್ಡ್ವೇರ್
DocType: Sales Order,Recurring Upto,ಮರುಕಳಿಸುವ ವರೆಗೆ
DocType: Attendance,HR Manager,ಮಾನವ ಸಂಪನ್ಮೂಲ ಮ್ಯಾನೇಜರ್
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,ಒಂದು ಕಂಪನಿ ಆಯ್ಕೆಮಾಡಿ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,ಸವಲತ್ತು ಲೀವ್
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,ಒಂದು ಕಂಪನಿ ಆಯ್ಕೆಮಾಡಿ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,ಸವಲತ್ತು ಲೀವ್
DocType: Purchase Invoice,Supplier Invoice Date,ಸರಬರಾಜುದಾರ ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕ
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,ಪ್ರತಿ
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,ನೀವು ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ಶಕ್ತಗೊಳಿಸಬೇಕಾಗುತ್ತದೆ
DocType: Payment Entry,Writeoff,Writeoff
DocType: Appraisal Template Goal,Appraisal Template Goal,ಅಪ್ರೇಸಲ್ ಟೆಂಪ್ಲೇಟು ಗೋಲ್
@@ -1396,10 +1403,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,ನಡುವೆ ಕಂಡುಬರುವ ಅತಿಕ್ರಮಿಸುವ ಪರಿಸ್ಥಿತಿಗಳು :
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,ಜರ್ನಲ್ ವಿರುದ್ಧ ಎಂಟ್ರಿ {0} ಈಗಾಗಲೇ ಕೆಲವು ಚೀಟಿ ವಿರುದ್ಧ ಸರಿಹೊಂದಿಸಲಾಗುತ್ತದೆ
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,ಒಟ್ಟು ಆರ್ಡರ್ ಮೌಲ್ಯ
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,ಆಹಾರ
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,ಆಹಾರ
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,ಏಜಿಂಗ್ ರೇಂಜ್ 3
DocType: Maintenance Schedule Item,No of Visits,ಭೇಟಿ ಸಂಖ್ಯೆ
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,ಮಾರ್ಕ್ Attendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,ಮಾರ್ಕ್ Attendence
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},ನಿರ್ವಹಣೆ ವೇಳಾಪಟ್ಟಿ {0} ವಿರುದ್ಧ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,ನೋಂದಾಯಿತ ವಿದ್ಯಾರ್ಥಿ
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},ಖಾತೆ ಮುಚ್ಚುವಿಕೆಗೆ ಕರೆನ್ಸಿ ಇರಬೇಕು {0}
@@ -1413,6 +1420,7 @@
DocType: Rename Tool,Utilities,ಉಪಯುಕ್ತತೆಗಳನ್ನು
DocType: Purchase Invoice Item,Accounting,ಲೆಕ್ಕಪರಿಶೋಧಕ
DocType: Employee,EMP/,ಕಂಪನ /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,ದಯವಿಟ್ಟು ಬ್ಯಾಚ್ ಮಾಡಿರುವ ಐಟಂ ಬ್ಯಾಚ್ಗಳು ಆಯ್ಕೆ
DocType: Asset,Depreciation Schedules,ಸವಕಳಿ ವೇಳಾಪಟ್ಟಿಗಳು
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,ಅಪ್ಲಿಕೇಶನ್ ಅವಧಿಯಲ್ಲಿ ಹೊರಗೆ ರಜೆ ಹಂಚಿಕೆ ಅವಧಿಯಲ್ಲಿ ಸಾಧ್ಯವಿಲ್ಲ
DocType: Activity Cost,Projects,ಯೋಜನೆಗಳು
@@ -1426,6 +1434,7 @@
DocType: POS Profile,Campaign,ದಂಡಯಾತ್ರೆ
DocType: Supplier,Name and Type,ಹೆಸರು ಮತ್ತು ವಿಧ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',ಅನುಮೋದನೆ ಸ್ಥಿತಿ 'ಅಂಗೀಕಾರವಾದ' ಅಥವಾ ' ತಿರಸ್ಕರಿಸಲಾಗಿದೆ ' ಮಾಡಬೇಕು
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,ಬೂಟ್ಸ್ಟ್ರ್ಯಾಪ್
DocType: Purchase Invoice,Contact Person,ಕಾಂಟ್ಯಾಕ್ಟ್ ಪರ್ಸನ್
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',' ನಿರೀಕ್ಷಿತ ಪ್ರಾರಂಭ ದಿನಾಂಕ ' ' ನಿರೀಕ್ಷಿತ ಅಂತಿಮ ದಿನಾಂಕ ' ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ
DocType: Course Scheduling Tool,Course End Date,ಕೋರ್ಸ್ ಅಂತಿಮ ದಿನಾಂಕ
@@ -1433,12 +1442,11 @@
DocType: Sales Order Item,Planned Quantity,ಯೋಜಿತ ಪ್ರಮಾಣ
DocType: Purchase Invoice Item,Item Tax Amount,ಐಟಂ ತೆರಿಗೆ ಪ್ರಮಾಣ
DocType: Item,Maintain Stock,ಸ್ಟಾಕ್ ನಿರ್ವಹಿಸುವುದು
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,ಈಗಾಗಲೇ ಉತ್ಪಾದನೆ ಆರ್ಡರ್ ದಾಖಲಿಸಿದವರು ಸ್ಟಾಕ್ ನಮೂದುಗಳು
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,ಈಗಾಗಲೇ ಉತ್ಪಾದನೆ ಆರ್ಡರ್ ದಾಖಲಿಸಿದವರು ಸ್ಟಾಕ್ ನಮೂದುಗಳು
DocType: Employee,Prefered Email,prefered ಇಮೇಲ್
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,ಸ್ಥಿರ ಸಂಪತ್ತಾದ ನಿವ್ವಳ ವ್ಯತ್ಯಾಸದ
DocType: Leave Control Panel,Leave blank if considered for all designations,ಎಲ್ಲಾ ಅಂಕಿತಗಳು ಪರಿಗಣಿಸಲ್ಪಡುವ ವೇಳೆ ಖಾಲಿ ಬಿಡಿ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,ವೇರ್ಹೌಸ್ ರೀತಿಯ ಸ್ಟಾಕ್ ಅಲ್ಲದ ಗುಂಪು ಖಾತೆಗಳು ಕಡ್ಡಾಯವಾಗಿದೆ
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,ಮಾದರಿ ಸಾಲು {0} ನಲ್ಲಿ 'ವಾಸ್ತವಿಕ' ಉಸ್ತುವಾರಿ ಐಟಂ ದರದಲ್ಲಿ ಸೇರಿಸಲಾಗಿದೆ ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,ಮಾದರಿ ಸಾಲು {0} ನಲ್ಲಿ 'ವಾಸ್ತವಿಕ' ಉಸ್ತುವಾರಿ ಐಟಂ ದರದಲ್ಲಿ ಸೇರಿಸಲಾಗಿದೆ ಸಾಧ್ಯವಿಲ್ಲ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},ಮ್ಯಾಕ್ಸ್: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Datetime ಗೆ
DocType: Email Digest,For Company,ಕಂಪನಿ
@@ -1448,15 +1456,15 @@
DocType: Sales Invoice,Shipping Address Name,ಶಿಪ್ಪಿಂಗ್ ವಿಳಾಸ ಹೆಸರು
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,ಖಾತೆಗಳ ಚಾರ್ಟ್
DocType: Material Request,Terms and Conditions Content,ನಿಯಮಗಳು ಮತ್ತು ನಿಯಮಗಳು ವಿಷಯ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,100 ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,ಐಟಂ {0} ಸ್ಟಾಕ್ ಐಟಂ ಅಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,100 ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,ಐಟಂ {0} ಸ್ಟಾಕ್ ಐಟಂ ಅಲ್ಲ
DocType: Maintenance Visit,Unscheduled,ಅನಿಗದಿತ
DocType: Employee,Owned,ಸ್ವಾಮ್ಯದ
DocType: Salary Detail,Depends on Leave Without Pay,ಸಂಬಳ ಇಲ್ಲದೆ ಬಿಟ್ಟು ಅವಲಂಬಿಸಿರುತ್ತದೆ
DocType: Pricing Rule,"Higher the number, higher the priority","ಹೆಚ್ಚಿನ ಸಂಖ್ಯೆ, ಹೆಚ್ಚಿನ ಆದ್ಯತೆಯನ್ನು"
,Purchase Invoice Trends,ಸರಕುಪಟ್ಟಿ ಟ್ರೆಂಡ್ಸ್ ಖರೀದಿಸಿ
DocType: Employee,Better Prospects,ಉತ್ತಮ ಜೀವನ
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","ರೋ # {0}: ಬ್ಯಾಚ್ {1} ಕೇವಲ {2} ಪ್ರಮಾಣ ಹೊಂದಿದೆ. ದಯವಿಟ್ಟು {3} ಪ್ರಮಾಣ ಲಭ್ಯವಿದೆ, ಇನ್ನೊಂದು ತಂಡ ಆಯ್ಕೆ ಅಥವಾ ಅನೇಕ ಬ್ಯಾಚ್ಗಳು ರಿಂದ ಸಮಸ್ಯೆಯನ್ನು ತಲುಪಿಸಲು /, ಅನೇಕ ಸಾಲುಗಳನ್ನು ಸಾಲು ಬೇರ್ಪಟ್ಟು"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","ರೋ # {0}: ಬ್ಯಾಚ್ {1} ಕೇವಲ {2} ಪ್ರಮಾಣ ಹೊಂದಿದೆ. ದಯವಿಟ್ಟು {3} ಪ್ರಮಾಣ ಲಭ್ಯವಿದೆ, ಇನ್ನೊಂದು ತಂಡ ಆಯ್ಕೆ ಅಥವಾ ಅನೇಕ ಬ್ಯಾಚ್ಗಳು ರಿಂದ ಸಮಸ್ಯೆಯನ್ನು ತಲುಪಿಸಲು /, ಅನೇಕ ಸಾಲುಗಳನ್ನು ಸಾಲು ಬೇರ್ಪಟ್ಟು"
DocType: Vehicle,License Plate,ಪರವಾನಗಿ ಫಲಕ
DocType: Appraisal,Goals,ಗುರಿಗಳು
DocType: Warranty Claim,Warranty / AMC Status,ಖಾತರಿ / ಎಎಮ್ಸಿ ಸ್ಥಿತಿ
@@ -1467,7 +1475,8 @@
,Batch-Wise Balance History,ಬ್ಯಾಚ್ ವೈಸ್ ಬ್ಯಾಲೆನ್ಸ್ ಇತಿಹಾಸ
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,ಮುದ್ರಣ ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು ಆಯಾ ಮುದ್ರಣ ರೂಪದಲ್ಲಿ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ
DocType: Package Code,Package Code,ಪ್ಯಾಕೇಜ್ ಕೋಡ್
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,ಹೊಸಗಸುಬಿ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,ಹೊಸಗಸುಬಿ
+DocType: Purchase Invoice,Company GSTIN,ಕಂಪನಿ GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,ನಕಾರಾತ್ಮಕ ಪ್ರಮಾಣ ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","ಸ್ಟ್ರಿಂಗ್ ಐಟಂ ಮಾಸ್ಟರ್ ರಿಂದ ಗಳಿಸಿತು ಮತ್ತು ಈ ಕ್ಷೇತ್ರದಲ್ಲಿ ಸಂಗ್ರಹಿಸಲಾಗಿದೆ ತೆರಿಗೆ ವಿವರ ಟೇಬಲ್.
@@ -1475,12 +1484,12 @@
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,ನೌಕರರ ಸ್ವತಃ ವರದಿ ಸಾಧ್ಯವಿಲ್ಲ.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","ಖಾತೆ ಹೆಪ್ಪುಗಟ್ಟಿರುವ ವೇಳೆ , ನಮೂದುಗಳನ್ನು ನಿರ್ಬಂಧಿತ ಬಳಕೆದಾರರಿಗೆ ಅವಕಾಶವಿರುತ್ತದೆ ."
DocType: Email Digest,Bank Balance,ಬ್ಯಾಂಕ್ ಬ್ಯಾಲೆನ್ಸ್
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},{1} ಮಾತ್ರ ಕರೆನ್ಸಿ ಮಾಡಬಹುದು: {0} ಲೆಕ್ಕಪರಿಶೋಧಕ ಎಂಟ್ರಿ {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},{1} ಮಾತ್ರ ಕರೆನ್ಸಿ ಮಾಡಬಹುದು: {0} ಲೆಕ್ಕಪರಿಶೋಧಕ ಎಂಟ್ರಿ {2}
DocType: Job Opening,"Job profile, qualifications required etc.","ಜಾಬ್ ಪ್ರೊಫೈಲ್ಗಳು , ಅಗತ್ಯ ವಿದ್ಯಾರ್ಹತೆಗಳು , ಇತ್ಯಾದಿ"
DocType: Journal Entry Account,Account Balance,ಖಾತೆ ಬ್ಯಾಲೆನ್ಸ್
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,ವ್ಯವಹಾರಗಳಿಗೆ ತೆರಿಗೆ ನಿಯಮ.
DocType: Rename Tool,Type of document to rename.,ಬದಲಾಯಿಸಲು ಡಾಕ್ಯುಮೆಂಟ್ ಪ್ರಕಾರ .
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,ನಾವು ಈ ಐಟಂ ಖರೀದಿ
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,ನಾವು ಈ ಐಟಂ ಖರೀದಿ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: ಗ್ರಾಹಕ ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆಯನ್ನು ವಿರುದ್ಧ ಅಗತ್ಯವಿದೆ {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),ಒಟ್ಟು ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು ( ಕಂಪನಿ ಕರೆನ್ಸಿ )
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,ಮುಚ್ಚಿಲ್ಲದ ಆರ್ಥಿಕ ವರ್ಷದ ಪಿ & ಎಲ್ ಬ್ಯಾಲೆನ್ಸ್ ತೋರಿಸಿ
@@ -1491,29 +1500,30 @@
DocType: Stock Entry,Total Additional Costs,ಒಟ್ಟು ಹೆಚ್ಚುವರಿ ವೆಚ್ಚ
DocType: Course Schedule,SH,ಎಸ್
DocType: BOM,Scrap Material Cost(Company Currency),ಸ್ಕ್ರ್ಯಾಪ್ ಮೆಟೀರಿಯಲ್ ವೆಚ್ಚ (ಕಂಪನಿ ಕರೆನ್ಸಿ)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,ಉಪ ಅಸೆಂಬ್ಲೀಸ್
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,ಉಪ ಅಸೆಂಬ್ಲೀಸ್
DocType: Asset,Asset Name,ಆಸ್ತಿ ಹೆಸರು
DocType: Project,Task Weight,ಟಾಸ್ಕ್ ತೂಕ
DocType: Shipping Rule Condition,To Value,ಮೌಲ್ಯ
DocType: Asset Movement,Stock Manager,ಸ್ಟಾಕ್ ಮ್ಯಾನೇಜರ್
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},ಮೂಲ ಗೋದಾಮಿನ ಸಾಲು ಕಡ್ಡಾಯ {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,ಪ್ಯಾಕಿಂಗ್ ಸ್ಲಿಪ್
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,ಕಚೇರಿ ಬಾಡಿಗೆ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},ಮೂಲ ಗೋದಾಮಿನ ಸಾಲು ಕಡ್ಡಾಯ {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,ಪ್ಯಾಕಿಂಗ್ ಸ್ಲಿಪ್
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,ಕಚೇರಿ ಬಾಡಿಗೆ
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,ಸೆಟಪ್ SMS ಗೇಟ್ವೇ ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,ಆಮದು ವಿಫಲವಾಗಿದೆ!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,ಯಾವುದೇ ವಿಳಾಸ ಇನ್ನೂ ಸೇರಿಸಲಾಗಿದೆ.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,ಯಾವುದೇ ವಿಳಾಸ ಇನ್ನೂ ಸೇರಿಸಲಾಗಿದೆ.
DocType: Workstation Working Hour,Workstation Working Hour,ಕಾರ್ಯಸ್ಥಳ ವರ್ಕಿಂಗ್ ಅವರ್
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,ವಿಶ್ಲೇಷಕ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,ವಿಶ್ಲೇಷಕ
DocType: Item,Inventory,ತಪಶೀಲು ಪಟ್ಟಿ
DocType: Item,Sales Details,ಮಾರಾಟದ ವಿವರಗಳು
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,ವಸ್ತುಗಳು
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,ಸೇರಿಸಿ ಪ್ರಮಾಣ
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,ಸೇರಿಸಿ ಪ್ರಮಾಣ
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪಿನಲ್ಲಿರುವ ವಿದ್ಯಾರ್ಥಿಗಳಿಗೆ ಸೇರಿಕೊಂಡಳು ಕೋರ್ಸ್ ಸ್ಥಿರೀಕರಿಸಿ
DocType: Notification Control,Expense Claim Rejected,ಖರ್ಚು ಹೇಳಿಕೆಯನ್ನು ತಿರಸ್ಕರಿಸಿದರು
DocType: Item,Item Attribute,ಐಟಂ ಲಕ್ಷಣ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,ಸರ್ಕಾರ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,ಸರ್ಕಾರ
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,ಖರ್ಚು ಹಕ್ಕು {0} ಈಗಾಗಲೇ ವಾಹನ ಲಾಗ್ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,ಇನ್ಸ್ಟಿಟ್ಯೂಟ್ ಹೆಸರು
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,ಇನ್ಸ್ಟಿಟ್ಯೂಟ್ ಹೆಸರು
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,ದಯವಿಟ್ಟು ಮರುಪಾವತಿ ಪ್ರಮಾಣವನ್ನು ನಮೂದಿಸಿ
apps/erpnext/erpnext/config/stock.py +300,Item Variants,ಐಟಂ ಮಾರ್ಪಾಟುಗಳು
DocType: Company,Services,ಸೇವೆಗಳು
@@ -1523,18 +1533,18 @@
DocType: Sales Invoice,Source,ಮೂಲ
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,ಮುಚ್ಚಲಾಗಿದೆ ಶೋ
DocType: Leave Type,Is Leave Without Pay,ಸಂಬಳ ಇಲ್ಲದೆ ಬಿಟ್ಟು ಇದೆ
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,ಆಸ್ತಿ ವರ್ಗ ಸ್ಥಿರ ಆಸ್ತಿ ಐಟಂ ಕಡ್ಡಾಯವಾಗಿದೆ
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,ಆಸ್ತಿ ವರ್ಗ ಸ್ಥಿರ ಆಸ್ತಿ ಐಟಂ ಕಡ್ಡಾಯವಾಗಿದೆ
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,ಪಾವತಿ ಕೋಷ್ಟಕದಲ್ಲಿ ಯಾವುದೇ ದಾಖಲೆಗಳು
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},ಈ {0} ಸಂಘರ್ಷಗಳನ್ನು {1} ಫಾರ್ {2} {3}
DocType: Student Attendance Tool,Students HTML,ವಿದ್ಯಾರ್ಥಿಗಳು ಎಚ್ಟಿಎಮ್ಎಲ್
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,ಹಣಕಾಸು ವರ್ಷದ ಪ್ರಾರಂಭ ದಿನಾಂಕ
DocType: POS Profile,Apply Discount,ರಿಯಾಯಿತಿ ಅನ್ವಯಿಸು
+DocType: Purchase Invoice Item,GST HSN Code,ಜಿಎಸ್ಟಿ HSN ಕೋಡ್
DocType: Employee External Work History,Total Experience,ಒಟ್ಟು ಅನುಭವ
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,ತೆರೆದ ಯೋಜನೆಗಳು
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,ಪ್ಯಾಕಿಂಗ್ ಸ್ಲಿಪ್ (ಗಳು) ರದ್ದು
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,ಹೂಡಿಕೆ ಹಣದ ಹರಿವನ್ನು
DocType: Program Course,Program Course,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ಕೋರ್ಸ್
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,ಸರಕು ಮತ್ತು ಸಾಗಣೆಯನ್ನು ಚಾರ್ಜಸ್
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,ಸರಕು ಮತ್ತು ಸಾಗಣೆಯನ್ನು ಚಾರ್ಜಸ್
DocType: Homepage,Company Tagline for website homepage,ವೆಬ್ಸೈಟ್ ಮುಖಪುಟಕ್ಕೆ ಕಂಪನಿ ಟ್ಯಾಗ್ ಲೈನ್
DocType: Item Group,Item Group Name,ಐಟಂ ಗುಂಪು ಹೆಸರು
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,ಟೇಕನ್
@@ -1544,6 +1554,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,ಕಾರಣವಾಗುತ್ತದೆ ರಚಿಸಿ
DocType: Maintenance Schedule,Schedules,ವೇಳಾಪಟ್ಟಿಗಳು
DocType: Purchase Invoice Item,Net Amount,ನೆಟ್ ಪ್ರಮಾಣ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} ಸಲ್ಲಿಸಲಾಗಿಲ್ಲ ಕ್ರಮ ಪೂರ್ಣಗೊಳಿಸಲಾಗಲಿಲ್ಲ ಆದ್ದರಿಂದ
DocType: Purchase Order Item Supplied,BOM Detail No,BOM ವಿವರ ಯಾವುದೇ
DocType: Landed Cost Voucher,Additional Charges,ಹೆಚ್ಚುವರಿ ಶುಲ್ಕಗಳು
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),ಹೆಚ್ಚುವರಿ ರಿಯಾಯಿತಿ ಪ್ರಮಾಣ (ಕಂಪನಿ ಕರೆನ್ಸಿ)
@@ -1559,6 +1570,7 @@
DocType: Employee Loan,Monthly Repayment Amount,ಮಾಸಿಕ ಮರುಪಾವತಿಯ ಪ್ರಮಾಣ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,ನೌಕರರ ಪಾತ್ರ ಸೆಟ್ ಒಂದು ನೌಕರರ ದಾಖಲೆಯಲ್ಲಿ ಬಳಕೆದಾರ ID ಕ್ಷೇತ್ರದಲ್ಲಿ ಸೆಟ್ ಮಾಡಿ
DocType: UOM,UOM Name,UOM ಹೆಸರು
+DocType: GST HSN Code,HSN Code,HSN ಕೋಡ್
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,ಕೊಡುಗೆ ಪ್ರಮಾಣ
DocType: Purchase Invoice,Shipping Address,ಶಿಪ್ಪಿಂಗ್ ವಿಳಾಸ
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,ಈ ಉಪಕರಣವನ್ನು ಅಪ್ಡೇಟ್ ಅಥವಾ ವ್ಯವಸ್ಥೆಯಲ್ಲಿ ಸ್ಟಾಕ್ ಪ್ರಮಾಣ ಮತ್ತು ಮೌಲ್ಯಮಾಪನ ಸರಿಪಡಿಸಲು ಸಹಾಯ. ಇದು ಸಾಮಾನ್ಯವಾಗಿ ವ್ಯವಸ್ಥೆಯ ಮೌಲ್ಯಗಳು ಮತ್ತು ವಾಸ್ತವವಾಗಿ ನಿಮ್ಮ ಗೋದಾಮುಗಳು ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಸಿಂಕ್ರೊನೈಸ್ ಬಳಸಲಾಗುತ್ತದೆ.
@@ -1569,18 +1581,17 @@
DocType: Program Enrollment Tool,Program Enrollments,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ನೋಂದಣಿಯ
DocType: Sales Invoice Item,Brand Name,ಬ್ರಾಂಡ್ ಹೆಸರು
DocType: Purchase Receipt,Transporter Details,ಟ್ರಾನ್ಸ್ಪೋರ್ಟರ್ ವಿವರಗಳು
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,ಡೀಫಾಲ್ಟ್ ಗೋದಾಮಿನ ಆಯ್ಕೆಮಾಡಿದ ಐಟಂ ಅಗತ್ಯವಿದೆ
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,ಪೆಟ್ಟಿಗೆ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,ಡೀಫಾಲ್ಟ್ ಗೋದಾಮಿನ ಆಯ್ಕೆಮಾಡಿದ ಐಟಂ ಅಗತ್ಯವಿದೆ
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,ಪೆಟ್ಟಿಗೆ
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,ಸಂಭಾವ್ಯ ಸರಬರಾಜುದಾರ
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,ಸಂಸ್ಥೆ
DocType: Budget,Monthly Distribution,ಮಾಸಿಕ ವಿತರಣೆ
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,ಸ್ವೀಕರಿಸುವವರ ಪಟ್ಟಿ ಖಾಲಿಯಾಗಿದೆ . ಸ್ವೀಕರಿಸುವವರ ಪಟ್ಟಿ ದಯವಿಟ್ಟು ರಚಿಸಿ
DocType: Production Plan Sales Order,Production Plan Sales Order,ನಿರ್ಮಾಣ ವೇಳಾಪಟ್ಟಿಯು ಮಾರಾಟದ ಆರ್ಡರ್
DocType: Sales Partner,Sales Partner Target,ಮಾರಾಟದ ಸಂಗಾತಿ ಟಾರ್ಗೆಟ್
DocType: Loan Type,Maximum Loan Amount,ಗರಿಷ್ಠ ಸಾಲದ
DocType: Pricing Rule,Pricing Rule,ಬೆಲೆ ರೂಲ್
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},ವಿದ್ಯಾರ್ಥಿ ನಕಲು ರೋಲ್ ಸಂಖ್ಯೆ {0}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},ವಿದ್ಯಾರ್ಥಿ ನಕಲು ರೋಲ್ ಸಂಖ್ಯೆ {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},ವಿದ್ಯಾರ್ಥಿ ನಕಲು ರೋಲ್ ಸಂಖ್ಯೆ {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},ವಿದ್ಯಾರ್ಥಿ ನಕಲು ರೋಲ್ ಸಂಖ್ಯೆ {0}
DocType: Budget,Action if Annual Budget Exceeded,ಆಕ್ಷನ್ ವಾರ್ಷಿಕ ಬಜೆಟ್ ಮೀರಿದ್ದಲ್ಲಿ
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,ಆರ್ಡರ್ ಖರೀದಿಸಿ ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ
DocType: Shopping Cart Settings,Payment Success URL,ಪಾವತಿ ಯಶಸ್ಸು URL
@@ -1593,11 +1604,11 @@
DocType: C-Form,III,III ನೇ
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,ತೆರೆಯುವ ಸ್ಟಾಕ್ ಬ್ಯಾಲೆನ್ಸ್
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} ಒಮ್ಮೆ ಮಾತ್ರ ಕಾಣಿಸಿಕೊಳ್ಳುತ್ತವೆ ಮಾಡಬೇಕು
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},ಹೆಚ್ಚು ವರ್ಗಾಯಿಸುವುದೇ ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ {0} ಹೆಚ್ಚು {1} ಆರ್ಡರ್ ಖರೀದಿಸಿ ವಿರುದ್ಧ {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},ಹೆಚ್ಚು ವರ್ಗಾಯಿಸುವುದೇ ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ {0} ಹೆಚ್ಚು {1} ಆರ್ಡರ್ ಖರೀದಿಸಿ ವಿರುದ್ಧ {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},ಎಲೆಗಳು ಯಶಸ್ವಿಯಾಗಿ ನಿಗದಿ {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,ಪ್ಯಾಕ್ ಯಾವುದೇ ಐಟಂಗಳು
DocType: Shipping Rule Condition,From Value,FromValue
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,ಮ್ಯಾನುಫ್ಯಾಕ್ಚರಿಂಗ್ ಪ್ರಮಾಣ ಕಡ್ಡಾಯ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,ಮ್ಯಾನುಫ್ಯಾಕ್ಚರಿಂಗ್ ಪ್ರಮಾಣ ಕಡ್ಡಾಯ
DocType: Employee Loan,Repayment Method,ಮರುಪಾವತಿಯ ವಿಧಾನ
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","ಪರಿಶೀಲಿಸಿದರೆ, ಮುಖಪುಟ ವೆಬ್ಸೈಟ್ ಡೀಫಾಲ್ಟ್ ಐಟಂ ಗ್ರೂಪ್ ಇರುತ್ತದೆ"
DocType: Quality Inspection Reading,Reading 4,4 ಓದುವಿಕೆ
@@ -1607,7 +1618,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},ರೋ # {0}: ಕ್ಲಿಯರೆನ್ಸ್ ದಿನಾಂಕ {1} ಚೆಕ್ ದಿನಾಂಕ ಮೊದಲು ಸಾಧ್ಯವಿಲ್ಲ {2}
DocType: Company,Default Holiday List,ಹಾಲಿಡೇ ಪಟ್ಟಿ ಡೀಫಾಲ್ಟ್
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},ರೋ {0}: ಗೆ ಸಮಯ ಮತ್ತು ಸಮಯ {1} ಜೊತೆ ಅತಿಕ್ರಮಿಸುವ {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,ಸ್ಟಾಕ್ ಭಾದ್ಯತೆಗಳನ್ನು
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,ಸ್ಟಾಕ್ ಭಾದ್ಯತೆಗಳನ್ನು
DocType: Purchase Invoice,Supplier Warehouse,ಸರಬರಾಜುದಾರ ವೇರ್ಹೌಸ್
DocType: Opportunity,Contact Mobile No,ಸಂಪರ್ಕಿಸಿ ಮೊಬೈಲ್ ನಂ
,Material Requests for which Supplier Quotations are not created,ಯಾವ ಸರಬರಾಜುದಾರ ಉಲ್ಲೇಖಗಳು ಮೆಟೀರಿಯಲ್ ವಿನಂತಿಗಳು ದಾಖಲಿಸಿದವರು ಇಲ್ಲ
@@ -1618,35 +1629,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,ಉದ್ಧರಣ ಮಾಡಿ
apps/erpnext/erpnext/config/selling.py +216,Other Reports,ಇತರ ವರದಿಗಳು
DocType: Dependent Task,Dependent Task,ಅವಲಂಬಿತ ಟಾಸ್ಕ್
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},ಅಳತೆ ಡೀಫಾಲ್ಟ್ ಘಟಕ ಪರಿವರ್ತಿಸುವುದರ ಸತತವಾಗಿ 1 ಇರಬೇಕು {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},ಅಳತೆ ಡೀಫಾಲ್ಟ್ ಘಟಕ ಪರಿವರ್ತಿಸುವುದರ ಸತತವಾಗಿ 1 ಇರಬೇಕು {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},ರೀತಿಯ ಲೀವ್ {0} ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,ಮುಂಚಿತವಾಗಿ ಎಕ್ಸ್ ದಿನಗಳ ಕಾರ್ಯಾಚರಣೆ ಯೋಜನೆ ಪ್ರಯತ್ನಿಸಿ.
DocType: HR Settings,Stop Birthday Reminders,ನಿಲ್ಲಿಸಿ ಜನ್ಮದಿನ ಜ್ಞಾಪನೆಗಳು
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},ಕಂಪನಿ ರಲ್ಲಿ ಡೀಫಾಲ್ಟ್ ವೇತನದಾರರ ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆ ಸೆಟ್ ಮಾಡಿ {0}
DocType: SMS Center,Receiver List,ಸ್ವೀಕರಿಸುವವರ ಪಟ್ಟಿ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,ಹುಡುಕಾಟ ಐಟಂ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,ಹುಡುಕಾಟ ಐಟಂ
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,ಸೇವಿಸುವ ಪ್ರಮಾಣವನ್ನು
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,ನಗದು ನಿವ್ವಳ ವ್ಯತ್ಯಾಸದ
DocType: Assessment Plan,Grading Scale,ಗ್ರೇಡಿಂಗ್ ಸ್ಕೇಲ್
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,ಅಳತೆಯ ಘಟಕ {0} ಹೆಚ್ಚು ಪರಿವರ್ತಿಸುವುದರ ಟೇಬಲ್ ಒಮ್ಮೆ ಹೆಚ್ಚು ನಮೂದಿಸಲಾದ
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,ಅಳತೆಯ ಘಟಕ {0} ಹೆಚ್ಚು ಪರಿವರ್ತಿಸುವುದರ ಟೇಬಲ್ ಒಮ್ಮೆ ಹೆಚ್ಚು ನಮೂದಿಸಲಾದ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,ಈಗಾಗಲೇ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,ಹ್ಯಾಂಡ್ ರಲ್ಲಿ ಸ್ಟಾಕ್
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},ಪಾವತಿ ವಿನಂತಿ ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,ನೀಡಲಾಗಿದೆ ಐಟಂಗಳು ವೆಚ್ಚ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},ಪ್ರಮಾಣ ಹೆಚ್ಚು ಇರಬಾರದು {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,ಹಿಂದಿನ ಹಣಕಾಸು ವರ್ಷದ ಮುಚ್ಚಿಲ್ಲ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),ವಯಸ್ಸು (ದಿನಗಳು)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),ವಯಸ್ಸು (ದಿನಗಳು)
DocType: Quotation Item,Quotation Item,ನುಡಿಮುತ್ತುಗಳು ಐಟಂ
+DocType: Customer,Customer POS Id,ಗ್ರಾಹಕ ಪಿಓಎಸ್ ಐಡಿ
DocType: Account,Account Name,ಖಾತೆ ಹೆಸರು
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,ದಿನಾಂಕದಿಂದ ದಿನಾಂಕ ಹೆಚ್ಚಿನ ಸಾಧ್ಯವಿಲ್ಲ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ಪ್ರಮಾಣ {1} ಭಾಗವನ್ನು ಸಾಧ್ಯವಿಲ್ಲ
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,ಸರಬರಾಜುದಾರ ಟೈಪ್ ಮಾಸ್ಟರ್ .
DocType: Purchase Order Item,Supplier Part Number,ಸರಬರಾಜುದಾರ ಭಾಗ ಸಂಖ್ಯೆ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,ಪರಿವರ್ತನೆ ದರವು 0 ಅಥವಾ 1 ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,ಪರಿವರ್ತನೆ ದರವು 0 ಅಥವಾ 1 ಸಾಧ್ಯವಿಲ್ಲ
DocType: Sales Invoice,Reference Document,ರೆಫರೆನ್ಸ್ ಡಾಕ್ಯುಮೆಂಟ್
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} ರದ್ದು ಅಥವಾ ನಿಲ್ಲಿಸಿದಾಗ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} ರದ್ದು ಅಥವಾ ನಿಲ್ಲಿಸಿದಾಗ
DocType: Accounts Settings,Credit Controller,ಕ್ರೆಡಿಟ್ ನಿಯಂತ್ರಕ
DocType: Delivery Note,Vehicle Dispatch Date,ವಾಹನ ಡಿಸ್ಪ್ಯಾಚ್ ದಿನಾಂಕ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,ಖರೀದಿ ರಸೀತಿ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,ಖರೀದಿ ರಸೀತಿ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ
DocType: Company,Default Payable Account,ಡೀಫಾಲ್ಟ್ ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆ
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","ಉದಾಹರಣೆಗೆ ಹಡಗು ನಿಯಮಗಳು, ಬೆಲೆ ಪಟ್ಟಿ ಇತ್ಯಾದಿ ಆನ್ಲೈನ್ ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ಸೆಟ್ಟಿಂಗ್ಗಳು"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% ಖ್ಯಾತವಾದ
@@ -1665,11 +1678,12 @@
DocType: Expense Claim,Total Amount Reimbursed,ಒಟ್ಟು ಪ್ರಮಾಣ ಮತ್ತೆ
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,ಈ ವಾಹನ ವಿರುದ್ಧ ದಾಖಲೆಗಳು ಆಧರಿಸಿದೆ. ಮಾಹಿತಿಗಾಗಿ ಕೆಳಗೆ ಟೈಮ್ಲೈನ್ ನೋಡಿ
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,ಸಂಗ್ರಹಿಸಿ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},ಸರಬರಾಜುದಾರ ವಿರುದ್ಧ ಸರಕುಪಟ್ಟಿ {0} ರ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},ಸರಬರಾಜುದಾರ ವಿರುದ್ಧ ಸರಕುಪಟ್ಟಿ {0} ರ {1}
DocType: Customer,Default Price List,ಡೀಫಾಲ್ಟ್ ಬೆಲೆ ಪಟ್ಟಿ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,ಆಸ್ತಿ ಚಳವಳಿ ದಾಖಲೆ {0} ದಾಖಲಿಸಿದವರು
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,ನೀವು ಅಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ ಹಣಕಾಸಿನ ವರ್ಷದ {0}. ಹಣಕಾಸಿನ ವರ್ಷ {0} ಜಾಗತಿಕ ಸೆಟ್ಟಿಂಗ್ಗಳು ಡೀಫಾಲ್ಟ್ ಆಗಿ ಹೊಂದಿಸಲಾಗಿದೆ
DocType: Journal Entry,Entry Type,ಎಂಟ್ರಿ ಟೈಪ್
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,ಈ ಸಲಹೆಯನ್ನು ಗುಂಪು ಸಂಬಂಧ ಇಲ್ಲ ಮೌಲ್ಯಮಾಪನ ಯೋಜನೆಯನ್ನು
,Customer Credit Balance,ಗ್ರಾಹಕ ಕ್ರೆಡಿಟ್ ಬ್ಯಾಲೆನ್ಸ್
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆಗಳು ನಿವ್ವಳ ವ್ಯತ್ಯಾಸದ
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',' Customerwise ಡಿಸ್ಕೌಂಟ್ ' ಅಗತ್ಯವಿದೆ ಗ್ರಾಹಕ
@@ -1678,7 +1692,7 @@
DocType: Quotation,Term Details,ಟರ್ಮ್ ವಿವರಗಳು
DocType: Project,Total Sales Cost (via Sales Order),ಒಟ್ಟು ಮಾರಾಟದ ವೆಚ್ಚ (ಮಾರಾಟದ ಆರ್ಡರ್ ಮೂಲಕ)
DocType: Project,Total Sales Cost (via Sales Order),ಒಟ್ಟು ಮಾರಾಟದ ವೆಚ್ಚ (ಮಾರಾಟದ ಆರ್ಡರ್ ಮೂಲಕ)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,{0} ಈ ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ವಿದ್ಯಾರ್ಥಿಗಳನ್ನು ಹೆಚ್ಚು ದಾಖಲಿಸಲಾಗುವುದಿಲ್ಲ.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,{0} ಈ ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ವಿದ್ಯಾರ್ಥಿಗಳನ್ನು ಹೆಚ್ಚು ದಾಖಲಿಸಲಾಗುವುದಿಲ್ಲ.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,ಲೀಡ್ ಕೌಂಟ್
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,ಲೀಡ್ ಕೌಂಟ್
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} 0 ಹೆಚ್ಚು ಇರಬೇಕು
@@ -1701,7 +1715,7 @@
DocType: Sales Invoice,Packed Items,ಪ್ಯಾಕ್ ಐಟಂಗಳು
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,ಸೀರಿಯಲ್ ನಂ ವಿರುದ್ಧ ಖಾತರಿ ಹಕ್ಕು
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","ಇದು ಬಳಸಲಾಗುತ್ತದೆ ಅಲ್ಲಿ ಎಲ್ಲಾ ಇತರ BOMs ನಿರ್ದಿಷ್ಟ ಬಿಒಎಮ್ ಬದಲಾಯಿಸಿ. ಇದು, ಹಳೆಯ ಬಿಒಎಮ್ ಲಿಂಕ್ ಬದಲಿಗೆ ವೆಚ್ಚ ಅಪ್ಡೇಟ್ ಮತ್ತು ಹೊಸ ಬಿಒಎಮ್ ಪ್ರಕಾರ ""ಬಿಒಎಮ್ ಸ್ಫೋಟ ಐಟಂ"" ಟೇಬಲ್ ಮತ್ತೆ ಕಾಣಿಸುತ್ತದೆ"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','ಒಟ್ಟು'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','ಒಟ್ಟು'
DocType: Shopping Cart Settings,Enable Shopping Cart,ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ಸಕ್ರಿಯಗೊಳಿಸಿ
DocType: Employee,Permanent Address,ಖಾಯಂ ವಿಳಾಸ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1717,9 +1731,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,ಪ್ರಮಾಣ ಅಥವಾ ಮೌಲ್ಯಾಂಕನ ದರ ಅಥವಾ ಎರಡೂ ಸೂಚಿಸಲು ದಯವಿಟ್ಟು
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,ಈಡೇರಿದ
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,ಕಾರ್ಟ್ ವೀಕ್ಷಿಸಿ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,ಮಾರ್ಕೆಟಿಂಗ್ ವೆಚ್ಚಗಳು
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,ಮಾರ್ಕೆಟಿಂಗ್ ವೆಚ್ಚಗಳು
,Item Shortage Report,ಐಟಂ ಕೊರತೆ ವರದಿ
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","ತೂಕ ತುಂಬಾ ""ತೂಕ ಮೈ.ವಿ.ವಿ.ಯ"" ನೀಡಿರಿ \n, ಉಲ್ಲೇಖಿಸಲಾಗಿದೆ"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","ತೂಕ ತುಂಬಾ ""ತೂಕ ಮೈ.ವಿ.ವಿ.ಯ"" ನೀಡಿರಿ \n, ಉಲ್ಲೇಖಿಸಲಾಗಿದೆ"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,ಈ ನೆಲದ ಎಂಟ್ರಿ ಮಾಡಲು ಬಳಸಲಾಗುತ್ತದೆ ವಿನಂತಿ ವಸ್ತು
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,ಮುಂದಿನ ಸವಕಳಿ ದಿನಾಂಕ ಹೊಸ ಆಸ್ತಿ ಕಡ್ಡಾಯವಾಗಿದೆ
DocType: Student Group Creation Tool,Separate course based Group for every Batch,ಪ್ರತಿ ಬ್ಯಾಚ್ ಪ್ರತ್ಯೇಕ ಕೋರ್ಸನ್ನು ಗುಂಪು
@@ -1729,17 +1743,18 @@
,Student Fee Collection,ವಿದ್ಯಾರ್ಥಿ ಶುಲ್ಕ ಸಂಗ್ರಹ
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,ಪ್ರತಿ ಸ್ಟಾಕ್ ಚಳುವಳಿ ಲೆಕ್ಕಪರಿಶೋಧಕ ಎಂಟ್ರಿ ಮಾಡಿ
DocType: Leave Allocation,Total Leaves Allocated,ನಿಗದಿ ಒಟ್ಟು ಎಲೆಗಳು
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},ರೋ ಯಾವುದೇ ಅಗತ್ಯವಿದೆ ವೇರ್ಹೌಸ್ {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,ಮಾನ್ಯ ಹಣಕಾಸು ವರ್ಷದ ಆರಂಭ ಮತ್ತು ಅಂತಿಮ ದಿನಾಂಕ ನಮೂದಿಸಿ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},ರೋ ಯಾವುದೇ ಅಗತ್ಯವಿದೆ ವೇರ್ಹೌಸ್ {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,ಮಾನ್ಯ ಹಣಕಾಸು ವರ್ಷದ ಆರಂಭ ಮತ್ತು ಅಂತಿಮ ದಿನಾಂಕ ನಮೂದಿಸಿ
DocType: Employee,Date Of Retirement,ನಿವೃತ್ತಿ ದಿನಾಂಕ
DocType: Upload Attendance,Get Template,ಟೆಂಪ್ಲೆಟ್ ಪಡೆಯಿರಿ
+DocType: Material Request,Transferred,ವರ್ಗಾಯಿಸಲ್ಪಟ್ಟ
DocType: Vehicle,Doors,ಡೋರ್ಸ್
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext ಸೆಟಪ್ ಪೂರ್ಣಗೊಳಿಸಿ!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext ಸೆಟಪ್ ಪೂರ್ಣಗೊಳಿಸಿ!
DocType: Course Assessment Criteria,Weightage,weightage
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: ವೆಚ್ಚದ ಕೇಂದ್ರ 'ಲಾಭ ಮತ್ತು ನಷ್ಟ' ಖಾತೆಯನ್ನು ಅಗತ್ಯವಿದೆ {2}. ಕಂಪನಿ ಒಂದು ಡೀಫಾಲ್ಟ್ ವೆಚ್ಚದ ಕೇಂದ್ರ ಸ್ಥಾಪಿಸಲು ದಯವಿಟ್ಟು.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ಎ ಗ್ರಾಹಕ ಗುಂಪಿನ ಅದೇ ಹೆಸರಿನಲ್ಲಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಗ್ರಾಹಕ ಹೆಸರನ್ನು ಬದಲಾಯಿಸಲು ಅಥವಾ ಗ್ರಾಹಕ ಗುಂಪಿನ ಹೆಸರನ್ನು ದಯವಿಟ್ಟು
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,ಹೊಸ ಸಂಪರ್ಕ
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ಎ ಗ್ರಾಹಕ ಗುಂಪಿನ ಅದೇ ಹೆಸರಿನಲ್ಲಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಗ್ರಾಹಕ ಹೆಸರನ್ನು ಬದಲಾಯಿಸಲು ಅಥವಾ ಗ್ರಾಹಕ ಗುಂಪಿನ ಹೆಸರನ್ನು ದಯವಿಟ್ಟು
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,ಹೊಸ ಸಂಪರ್ಕ
DocType: Territory,Parent Territory,ಪೋಷಕ ಪ್ರದೇಶ
DocType: Quality Inspection Reading,Reading 2,2 ಓದುವಿಕೆ
DocType: Stock Entry,Material Receipt,ಮೆಟೀರಿಯಲ್ ರಸೀತಿ
@@ -1748,17 +1763,16 @@
DocType: Employee,AB+,ಎಬಿ +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","ಈ ಐಟಂ ವೇರಿಯಂಟ್, ಅದು ಮಾರಾಟ ಆದೇಶಗಳಿಗೆ ಇತ್ಯಾದಿ ಆಯ್ಕೆ ಸಾಧ್ಯವಿಲ್ಲ"
DocType: Lead,Next Contact By,ಮುಂದೆ ಸಂಪರ್ಕಿಸಿ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},ಐಟಂ ಬೇಕಾದ ಪ್ರಮಾಣ {0} ಸತತವಾಗಿ {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},ಪ್ರಮಾಣ ಐಟಂ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಎಂದು ವೇರ್ಹೌಸ್ {0} ಅಳಿಸಲಾಗಿಲ್ಲ {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},ಐಟಂ ಬೇಕಾದ ಪ್ರಮಾಣ {0} ಸತತವಾಗಿ {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},ಪ್ರಮಾಣ ಐಟಂ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಎಂದು ವೇರ್ಹೌಸ್ {0} ಅಳಿಸಲಾಗಿಲ್ಲ {1}
DocType: Quotation,Order Type,ಆರ್ಡರ್ ಪ್ರಕಾರ
DocType: Purchase Invoice,Notification Email Address,ಅಧಿಸೂಚನೆ ಇಮೇಲ್ ವಿಳಾಸವನ್ನು
,Item-wise Sales Register,ಐಟಂ ಬಲ್ಲ ಮಾರಾಟದ ರಿಜಿಸ್ಟರ್
DocType: Asset,Gross Purchase Amount,ಒಟ್ಟು ಖರೀದಿಯ ಮೊತ್ತ
DocType: Asset,Depreciation Method,ಸವಕಳಿ ವಿಧಾನ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,ಆಫ್ಲೈನ್
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,ಆಫ್ಲೈನ್
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,ಈ ಮೂಲ ದರದ ತೆರಿಗೆ ಒಳಗೊಂಡಿದೆ?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,ಒಟ್ಟು ಟಾರ್ಗೆಟ್
-DocType: Program Course,Required,ಅಗತ್ಯ
DocType: Job Applicant,Applicant for a Job,ಒಂದು ಜಾಬ್ ಅರ್ಜಿದಾರರ
DocType: Production Plan Material Request,Production Plan Material Request,ಪ್ರೊಡಕ್ಷನ್ ಯೋಜನೆ ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,ದಾಖಲಿಸಿದವರು ಯಾವುದೇ ನಿರ್ಮಾಣ ಆದೇಶಗಳನ್ನು
@@ -1768,17 +1782,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,ಗ್ರಾಹಕರ ಖರೀದಿ ಆದೇಶದ ವಿರುದ್ಧ ಅನೇಕ ಮಾರಾಟ ಆದೇಶಗಳಿಗೆ ಅವಕಾಶ
DocType: Student Group Instructor,Student Group Instructor,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಬೋಧಕ
DocType: Student Group Instructor,Student Group Instructor,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಬೋಧಕ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 ಮೊಬೈಲ್ ಇಲ್ಲ
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,ಮುಖ್ಯ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 ಮೊಬೈಲ್ ಇಲ್ಲ
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,ಮುಖ್ಯ
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,ಭಿನ್ನ
DocType: Naming Series,Set prefix for numbering series on your transactions,ನಿಮ್ಮ ವ್ಯವಹಾರಗಳ ಮೇಲೆ ಸರಣಿ ಸಂಖ್ಯೆಗಳನ್ನು ಹೊಂದಿಸಿ ಪೂರ್ವಪ್ರತ್ಯಯ
DocType: Employee Attendance Tool,Employees HTML,ನೌಕರರು ಎಚ್ಟಿಎಮ್ಎಲ್
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,ಡೀಫಾಲ್ಟ್ BOM ({0}) ಈ ಐಟಂ ಅಥವಾ ಅದರ ಟೆಂಪ್ಲೇಟ್ ಸಕ್ರಿಯ ಇರಬೇಕು
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,ಡೀಫಾಲ್ಟ್ BOM ({0}) ಈ ಐಟಂ ಅಥವಾ ಅದರ ಟೆಂಪ್ಲೇಟ್ ಸಕ್ರಿಯ ಇರಬೇಕು
DocType: Employee,Leave Encashed?,Encashed ಬಿಡಿ ?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ಕ್ಷೇತ್ರದ ಅವಕಾಶ ಕಡ್ಡಾಯ
DocType: Email Digest,Annual Expenses,ವಾರ್ಷಿಕ ವೆಚ್ಚಗಳು
DocType: Item,Variants,ರೂಪಾಂತರಗಳು
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,ಮಾಡಿ ಪರ್ಚೇಸ್ ಆರ್ಡರ್
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,ಮಾಡಿ ಪರ್ಚೇಸ್ ಆರ್ಡರ್
DocType: SMS Center,Send To,ಕಳಿಸಿ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},ಲೀವ್ ಪ್ರಕಾರ ಸಾಕಷ್ಟು ರಜೆ ಸಮತೋಲನ ಇಲ್ಲ {0}
DocType: Payment Reconciliation Payment,Allocated amount,ಹಂಚಿಕೆ ಪ್ರಮಾಣವನ್ನು
@@ -1794,26 +1808,25 @@
DocType: Item,Serial Nos and Batches,ಸೀರಿಯಲ್ ಸೂಲ ಮತ್ತು ಬ್ಯಾಚ್
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಸಾಮರ್ಥ್ಯ
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಸಾಮರ್ಥ್ಯ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,ಜರ್ನಲ್ ವಿರುದ್ಧ ಎಂಟ್ರಿ {0} ಯಾವುದೇ ಸಾಟಿಯಿಲ್ಲದ {1} ದಾಖಲೆಗಳನ್ನು ಹೊಂದಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,ಜರ್ನಲ್ ವಿರುದ್ಧ ಎಂಟ್ರಿ {0} ಯಾವುದೇ ಸಾಟಿಯಿಲ್ಲದ {1} ದಾಖಲೆಗಳನ್ನು ಹೊಂದಿಲ್ಲ
apps/erpnext/erpnext/config/hr.py +137,Appraisals,ರೀತಿಗೆ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},ಐಟಂ ಪ್ರವೇಶಿಸಿತು ಅನುಕ್ರಮ ಸಂಖ್ಯೆ ನಕಲು {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,ಒಂದು ಶಿಪ್ಪಿಂಗ್ ರೂಲ್ ಒಂದು ಸ್ಥಿತಿ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,ದಯವಿಟ್ಟು ನಮೂದಿಸಿ
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ಸತತವಾಗಿ ಐಟಂ {0} ಗಾಗಿ overbill ಸಾಧ್ಯವಿಲ್ಲ {1} ಹೆಚ್ಚು {2}. ಅತಿ ಬಿಲ್ಲಿಂಗ್ ಅನುಮತಿಸಲು, ಸೆಟ್ಟಿಂಗ್ಗಳು ಬೈಯಿಂಗ್ ಸೆಟ್ ಮಾಡಿ"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,ಐಟಂ ಅಥವಾ ವೇರ್ಹೌಸ್ ಮೇಲೆ ಫಿಲ್ಟರ್ ಸೆಟ್ ಮಾಡಿ
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ಸತತವಾಗಿ ಐಟಂ {0} ಗಾಗಿ overbill ಸಾಧ್ಯವಿಲ್ಲ {1} ಹೆಚ್ಚು {2}. ಅತಿ ಬಿಲ್ಲಿಂಗ್ ಅನುಮತಿಸಲು, ಸೆಟ್ಟಿಂಗ್ಗಳು ಬೈಯಿಂಗ್ ಸೆಟ್ ಮಾಡಿ"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,ಐಟಂ ಅಥವಾ ವೇರ್ಹೌಸ್ ಮೇಲೆ ಫಿಲ್ಟರ್ ಸೆಟ್ ಮಾಡಿ
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ಈ ಪ್ಯಾಕೇಜ್ ನಿವ್ವಳ ತೂಕ . ( ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಲ ಐಟಂಗಳನ್ನು ನಿವ್ವಳ ತೂಕ ಮೊತ್ತ ಎಂದು )
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,ಈ ವೇರ್ಹೌಸ್ ಖಾತೆಯನ್ನು ರಚಿಸಲು ಮತ್ತು ಲಿಂಕ್. ಈ ಸಾಧ್ಯವಿಲ್ಲ ಹೆಸರಿನೊಂದಿಗೆ ಖಾತೆಯನ್ನು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಮಾಡಲಾಗುತ್ತದೆ {0} ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ
DocType: Sales Order,To Deliver and Bill,ತಲುಪಿಸಿ ಮತ್ತು ಬಿಲ್
DocType: Student Group,Instructors,ತರಬೇತುದಾರರು
DocType: GL Entry,Credit Amount in Account Currency,ಖಾತೆ ಕರೆನ್ಸಿ ಕ್ರೆಡಿಟ್ ಪ್ರಮಾಣ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,ಬಿಒಎಮ್ {0} ಸಲ್ಲಿಸಬೇಕು
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,ಬಿಒಎಮ್ {0} ಸಲ್ಲಿಸಬೇಕು
DocType: Authorization Control,Authorization Control,ಅಧಿಕಾರ ಕಂಟ್ರೋಲ್
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ರೋ # {0}: ವೇರ್ಹೌಸ್ ತಿರಸ್ಕರಿಸಲಾಗಿದೆ ತಿರಸ್ಕರಿಸಿದರು ಐಟಂ ವಿರುದ್ಧ ಕಡ್ಡಾಯ {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ರೋ # {0}: ವೇರ್ಹೌಸ್ ತಿರಸ್ಕರಿಸಲಾಗಿದೆ ತಿರಸ್ಕರಿಸಿದರು ಐಟಂ ವಿರುದ್ಧ ಕಡ್ಡಾಯ {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,ಪಾವತಿ
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","ವೇರ್ಹೌಸ್ {0} ಯಾವುದೇ ಖಾತೆಗೆ ಲಿಂಕ್ ಇದೆ, ಕಂಪನಿಯಲ್ಲಿ ಗೋದಾಮಿನ ದಾಖಲೆಯಲ್ಲಿ ಖಾತೆ ಅಥವಾ ಸೆಟ್ ಡೀಫಾಲ್ಟ್ ದಾಸ್ತಾನು ಖಾತೆಯನ್ನು ಸೂಚಿಸಿ {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,ನಿಮ್ಮ ಆದೇಶಗಳನ್ನು ನಿರ್ವಹಿಸಿ
DocType: Production Order Operation,Actual Time and Cost,ನಿಜವಾದ ಸಮಯ ಮತ್ತು ವೆಚ್ಚ
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},ಗರಿಷ್ಠ ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ {0} ಐಟಂ {1} {2} ಮಾರಾಟದ ಆರ್ಡರ್ ವಿರುದ್ಧ ಮಾಡಬಹುದು
-DocType: Employee,Salutation,ವಂದನೆ
DocType: Course,Course Abbreviation,ಕೋರ್ಸ್ ಸಂಕ್ಷೇಪಣ
DocType: Student Leave Application,Student Leave Application,ವಿದ್ಯಾರ್ಥಿ ಬಿಡಿ ಅಪ್ಲಿಕೇಶನ್
DocType: Item,Will also apply for variants,ಸಹ ರೂಪಾಂತರಗಳು ಅನ್ವಯವಾಗುವುದು
@@ -1825,12 +1838,12 @@
DocType: Quotation Item,Actual Qty,ನಿಜವಾದ ಪ್ರಮಾಣ
DocType: Sales Invoice Item,References,ಉಲ್ಲೇಖಗಳು
DocType: Quality Inspection Reading,Reading 10,10 ಓದುವಿಕೆ
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",ನಿಮ್ಮ ಉತ್ಪನ್ನಗಳನ್ನು ಅಥವಾ ಖರೀದಿ ಅಥವಾ ಮಾರಾಟ ಸೇವೆಗಳು ಪಟ್ಟಿ .
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",ನಿಮ್ಮ ಉತ್ಪನ್ನಗಳನ್ನು ಅಥವಾ ಖರೀದಿ ಅಥವಾ ಮಾರಾಟ ಸೇವೆಗಳು ಪಟ್ಟಿ .
DocType: Hub Settings,Hub Node,ಹಬ್ ನೋಡ್
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,ನೀವು ನಕಲಿ ಐಟಂಗಳನ್ನು ನಮೂದಿಸಿದ್ದೀರಿ. ನಿವಾರಿಸಿಕೊಳ್ಳಲು ಹಾಗೂ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ .
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,ಜತೆಗೂಡಿದ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,ಜತೆಗೂಡಿದ
DocType: Asset Movement,Asset Movement,ಆಸ್ತಿ ಮೂವ್ಮೆಂಟ್
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,ಹೊಸ ಕಾರ್ಟ್
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,ಹೊಸ ಕಾರ್ಟ್
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,ಐಟಂ {0} ಒಂದು ಧಾರಾವಾಹಿಯಾಗಿ ಐಟಂ ಅಲ್ಲ
DocType: SMS Center,Create Receiver List,ಸ್ವೀಕರಿಸುವವರ ಪಟ್ಟಿ ರಚಿಸಿ
DocType: Vehicle,Wheels,ವೀಲ್ಸ್
@@ -1850,19 +1863,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',ಬ್ಯಾಚ್ ಮಾದರಿ ಅಥವಾ ' ಹಿಂದಿನ ರೋ ಒಟ್ಟು ' ' ಹಿಂದಿನ ರೋ ಪ್ರಮಾಣ ರಂದು ' ಮಾತ್ರ ಸಾಲು ಉಲ್ಲೇಖಿಸಬಹುದು
DocType: Sales Order Item,Delivery Warehouse,ಡೆಲಿವರಿ ವೇರ್ಹೌಸ್
DocType: SMS Settings,Message Parameter,ಸಂದೇಶ ನಿಯತಾಂಕ
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,ಆರ್ಥಿಕ ವೆಚ್ಚ ಸೆಂಟರ್ಸ್ ಟ್ರೀ.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,ಆರ್ಥಿಕ ವೆಚ್ಚ ಸೆಂಟರ್ಸ್ ಟ್ರೀ.
DocType: Serial No,Delivery Document No,ಡೆಲಿವರಿ ಡಾಕ್ಯುಮೆಂಟ್ ಸಂಖ್ಯೆ
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},ಕಂಪನಿಯಲ್ಲಿ 'ಆಸ್ತಿ ವಿಲೇವಾರಿ ಮೇಲೆ ಗಳಿಕೆ / ನಷ್ಟ ಖಾತೆ' ಸೆಟ್ ಮಾಡಿ {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,ಖರೀದಿ ರಸೀದಿಗಳನ್ನು ವಸ್ತುಗಳನ್ನು ಪಡೆಯಲು
DocType: Serial No,Creation Date,ರಚನೆ ದಿನಾಂಕ
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},ಐಟಂ {0} ಬೆಲೆ ಪಟ್ಟಿ ಅನೇಕ ಬಾರಿ ಕಾಣಿಸಿಕೊಳ್ಳುತ್ತದೆ {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","ಅನ್ವಯಿಸುವ ಹಾಗೆ ಆರಿಸಿದರೆ ವಿಕ್ರಯ, ಪರೀಕ್ಷಿಸಬೇಕು {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","ಅನ್ವಯಿಸುವ ಹಾಗೆ ಆರಿಸಿದರೆ ವಿಕ್ರಯ, ಪರೀಕ್ಷಿಸಬೇಕು {0}"
DocType: Production Plan Material Request,Material Request Date,ವಸ್ತು ವಿನಂತಿ ದಿನಾಂಕ
DocType: Purchase Order Item,Supplier Quotation Item,ಸರಬರಾಜುದಾರ ಉದ್ಧರಣ ಐಟಂ
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,ಪ್ರೊಡಕ್ಷನ್ ಆದೇಶದ ವಿರುದ್ಧ ಸಮಯ ದಾಖಲೆಗಳು ಸೃಷ್ಟಿ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸುತ್ತದೆ. ಕಾರ್ಯಾಚರಣೆ ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ವಿರುದ್ಧ ಟ್ರ್ಯಾಕ್ ಸಾಧ್ಯವಿಲ್ಲ ಹಾಗಿಲ್ಲ
DocType: Student,Student Mobile Number,ವಿದ್ಯಾರ್ಥಿ ಮೊಬೈಲ್ ಸಂಖ್ಯೆ
DocType: Item,Has Variants,ವೇರಿಯಂಟ್
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},ನೀವು ಈಗಾಗಲೇ ಆಯ್ಕೆ ಐಟಂಗಳನ್ನು ಎಂದು {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},ನೀವು ಈಗಾಗಲೇ ಆಯ್ಕೆ ಐಟಂಗಳನ್ನು ಎಂದು {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,ಮಾಸಿಕ ವಿತರಣೆ ಹೆಸರು
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,ಬ್ಯಾಚ್ ID ಕಡ್ಡಾಯ
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,ಬ್ಯಾಚ್ ID ಕಡ್ಡಾಯ
@@ -1873,12 +1886,12 @@
DocType: Budget,Fiscal Year,ಹಣಕಾಸಿನ ವರ್ಷ
DocType: Vehicle Log,Fuel Price,ಇಂಧನ ಬೆಲೆ
DocType: Budget,Budget,ಮುಂಗಡಪತ್ರ
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,ಸ್ಥಿರ ಆಸ್ತಿ ಐಟಂ ನಾನ್ ಸ್ಟಾಕ್ ಐಟಂ ಇರಬೇಕು.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,ಸ್ಥಿರ ಆಸ್ತಿ ಐಟಂ ನಾನ್ ಸ್ಟಾಕ್ ಐಟಂ ಇರಬೇಕು.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",ಇದು ಆದಾಯ ಅಥವಾ ಖರ್ಚುವೆಚ್ಚ ಅಲ್ಲ ಎಂದು ಬಜೆಟ್ ವಿರುದ್ಧ {0} ನಿಯೋಜಿಸಲಾಗುವುದು ಸಾಧ್ಯವಿಲ್ಲ
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,ಸಾಧಿಸಿದ
DocType: Student Admission,Application Form Route,ಅಪ್ಲಿಕೇಶನ್ ಫಾರ್ಮ್ ಮಾರ್ಗ
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,ಪ್ರದೇಶ / ಗ್ರಾಹಕ
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,ಇ ಜಿ 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,ಇ ಜಿ 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,ಕೌಟುಂಬಿಕತೆ {0} ಇದು ಸಂಬಳ ಇಲ್ಲದೆ ಬಿಟ್ಟು ರಿಂದ ಮಾಡಬಹುದು ಹಂಚಿಕೆ ಆಗುವುದಿಲ್ಲ
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},ಸಾಲು {0}: ನಿಗದಿ ಪ್ರಮಾಣದ {1} ಕಡಿಮೆ ಅಥವಾ ಬಾಕಿ ಮೊತ್ತದ ಸರಕುಪಟ್ಟಿ ಸಮನಾಗಿರುತ್ತದೆ ಮಾಡಬೇಕು {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,ನೀವು ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಉಳಿಸಲು ಒಮ್ಮೆ ವರ್ಡ್ಸ್ ಗೋಚರಿಸುತ್ತದೆ.
@@ -1887,7 +1900,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,ಐಟಂ {0} ಸೀರಿಯಲ್ ಸಂಖ್ಯೆ ಸ್ಥಾಪನೆಯ ಅಲ್ಲ ಐಟಂ ಮಾಸ್ಟರ್ ಪರಿಶೀಲಿಸಿ
DocType: Maintenance Visit,Maintenance Time,ನಿರ್ವಹಣೆ ಟೈಮ್
,Amount to Deliver,ಪ್ರಮಾಣವನ್ನು ಬಿಡುಗಡೆಗೊಳಿಸಲು
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,ಒಂದು ಉತ್ಪನ್ನ ಅಥವಾ ಸೇವೆ
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,ಒಂದು ಉತ್ಪನ್ನ ಅಥವಾ ಸೇವೆ
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ಟರ್ಮ್ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಶೈಕ್ಷಣಿಕ ವರ್ಷದ ಪ್ರಾರಂಭ ವರ್ಷ ದಿನಾಂಕ ಪದವನ್ನು ಸಂಪರ್ಕಿತ ಮುಂಚಿತವಾಗಿರಬೇಕು ಸಾಧ್ಯವಿಲ್ಲ (ಅಕಾಡೆಮಿಕ್ ಇಯರ್ {}). ದಯವಿಟ್ಟು ದಿನಾಂಕಗಳನ್ನು ಸರಿಪಡಿಸಲು ಹಾಗೂ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ.
DocType: Guardian,Guardian Interests,ಗಾರ್ಡಿಯನ್ ಆಸಕ್ತಿಗಳು
DocType: Naming Series,Current Value,ಪ್ರಸ್ತುತ ಮೌಲ್ಯ
@@ -1902,12 +1915,12 @@
ಗೆ ನಡುವಿನ ವ್ಯತ್ಯಾಸ ಹೆಚ್ಚು ಅಥವಾ ಸಮನಾಗಿರಬೇಕು {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,ಈ ಸ್ಟಾಕ್ ಚಲನೆಯನ್ನು ಆಧರಿಸಿದೆ. ನೋಡಿ {0} ವಿವರಗಳಿಗಾಗಿ
DocType: Pricing Rule,Selling,ವಿಕ್ರಯ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},ಪ್ರಮಾಣ {0} {1} ವಿರುದ್ಧ ಕಡಿತಗೊಳಿಸಲಾಗುತ್ತದೆ {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},ಪ್ರಮಾಣ {0} {1} ವಿರುದ್ಧ ಕಡಿತಗೊಳಿಸಲಾಗುತ್ತದೆ {2}
DocType: Employee,Salary Information,ವೇತನ ಮಾಹಿತಿ
DocType: Sales Person,Name and Employee ID,ಹೆಸರು ಮತ್ತು ಉದ್ಯೋಗಿಗಳ ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,ಕಾರಣ ದಿನಾಂಕ ದಿನಾಂಕ ಪೋಸ್ಟ್ ಮುನ್ನ ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,ಕಾರಣ ದಿನಾಂಕ ದಿನಾಂಕ ಪೋಸ್ಟ್ ಮುನ್ನ ಸಾಧ್ಯವಿಲ್ಲ
DocType: Website Item Group,Website Item Group,ಐಟಂ ಗ್ರೂಪ್ ವೆಬ್ಸೈಟ್
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,ಕರ್ತವ್ಯಗಳು ಮತ್ತು ತೆರಿಗೆಗಳು
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,ಕರ್ತವ್ಯಗಳು ಮತ್ತು ತೆರಿಗೆಗಳು
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,ರೆಫರೆನ್ಸ್ ದಿನಾಂಕ ನಮೂದಿಸಿ
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} ಪಾವತಿ ನಮೂದುಗಳನ್ನು ಫಿಲ್ಟರ್ ಸಾಧ್ಯವಿಲ್ಲ {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,ವೆಬ್ ಸೈಟ್ ತೋರಿಸಲಾಗುತ್ತದೆ ಎಂದು ಐಟಂ ಟೇಬಲ್
@@ -1924,9 +1937,9 @@
DocType: Payment Reconciliation Payment,Reference Row,ರೆಫರೆನ್ಸ್ ರೋ
DocType: Installation Note,Installation Time,ಅನುಸ್ಥಾಪನ ಟೈಮ್
DocType: Sales Invoice,Accounting Details,ಲೆಕ್ಕಪರಿಶೋಧಕ ವಿವರಗಳು
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,ಈ ಕಂಪೆನಿಗೆ ಎಲ್ಲಾ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ ಅಳಿಸಿ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,ರೋ # {0}: ಆಪರೇಷನ್ {1} ಉತ್ಪಾದನೆ ತಯಾರಾದ ಸರಕುಗಳ {2} ಪ್ರಮಾಣ ಫಾರ್ ಪೂರ್ಣಗೊಳಿಸಿಲ್ಲ ಆರ್ಡರ್ # {3}. ಟೈಮ್ ದಾಖಲೆಗಳು ಮೂಲಕ ಕಾರ್ಯಾಚರಣೆ ಸ್ಥಿತಿ ನವೀಕರಿಸಿ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,ಇನ್ವೆಸ್ಟ್ಮೆಂಟ್ಸ್
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,ಈ ಕಂಪೆನಿಗೆ ಎಲ್ಲಾ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ ಅಳಿಸಿ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,ರೋ # {0}: ಆಪರೇಷನ್ {1} ಉತ್ಪಾದನೆ ತಯಾರಾದ ಸರಕುಗಳ {2} ಪ್ರಮಾಣ ಫಾರ್ ಪೂರ್ಣಗೊಳಿಸಿಲ್ಲ ಆರ್ಡರ್ # {3}. ಟೈಮ್ ದಾಖಲೆಗಳು ಮೂಲಕ ಕಾರ್ಯಾಚರಣೆ ಸ್ಥಿತಿ ನವೀಕರಿಸಿ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,ಇನ್ವೆಸ್ಟ್ಮೆಂಟ್ಸ್
DocType: Issue,Resolution Details,ರೆಸಲ್ಯೂಶನ್ ವಿವರಗಳು
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,ಹಂಚಿಕೆಯು
DocType: Item Quality Inspection Parameter,Acceptance Criteria,ಒಪ್ಪಿಕೊಳ್ಳುವ ಅಳತೆಗೋಲುಗಳನ್ನು
@@ -1951,7 +1964,7 @@
DocType: Room,Room Name,ರೂಮ್ ಹೆಸರು
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","ರಜೆ ಸಮತೋಲನ ಈಗಾಗಲೇ ಕ್ಯಾರಿ ಫಾರ್ವರ್ಡ್ ಭವಿಷ್ಯದ ರಜೆ ಹಂಚಿಕೆ ದಾಖಲೆಯಲ್ಲಿ ಬಂದಿದೆ, ಮೊದಲು {0} ರದ್ದು / ಅನ್ವಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ ಬಿಡಿ {1}"
DocType: Activity Cost,Costing Rate,ಕಾಸ್ಟಿಂಗ್ ದರ
-,Customer Addresses And Contacts,ಗ್ರಾಹಕ ವಿಳಾಸಗಳು ಮತ್ತು ಸಂಪರ್ಕಗಳು
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,ಗ್ರಾಹಕ ವಿಳಾಸಗಳು ಮತ್ತು ಸಂಪರ್ಕಗಳು
,Campaign Efficiency,ಕ್ಯಾಂಪೇನ್ ದಕ್ಷತೆ
,Campaign Efficiency,ಕ್ಯಾಂಪೇನ್ ದಕ್ಷತೆ
DocType: Discussion,Discussion,ಚರ್ಚೆ
@@ -1963,14 +1976,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),ಒಟ್ಟು ಬಿಲ್ಲಿಂಗ್ ಪ್ರಮಾಣ (ಟೈಮ್ ಶೀಟ್ ಮೂಲಕ)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,ಪುನರಾವರ್ತಿತ ಗ್ರಾಹಕ ಕಂದಾಯ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) ಪಾತ್ರ 'ಖರ್ಚು ಅನುಮೋದಕ' ಆಗಿರಬೇಕು
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,ಜೋಡಿ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,ಪ್ರೊಡಕ್ಷನ್ ಬಿಒಎಮ್ ಮತ್ತು ಪ್ರಮಾಣ ಆಯ್ಕೆ
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,ಜೋಡಿ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,ಪ್ರೊಡಕ್ಷನ್ ಬಿಒಎಮ್ ಮತ್ತು ಪ್ರಮಾಣ ಆಯ್ಕೆ
DocType: Asset,Depreciation Schedule,ಸವಕಳಿ ವೇಳಾಪಟ್ಟಿ
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,ಮಾರಾಟದ ಸಂಗಾತಿ ವಿಳಾಸಗಳು ಮತ್ತು ಸಂಪರ್ಕಗಳು
DocType: Bank Reconciliation Detail,Against Account,ಖಾತೆ ವಿರುದ್ಧ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,ಅರ್ಧ ದಿನ ದಿನಾಂಕ ದಿನಾಂಕದಿಂದ ಮತ್ತು ದಿನಾಂಕ ನಡುವೆ ಇರಬೇಕು
DocType: Maintenance Schedule Detail,Actual Date,ನಿಜವಾದ ದಿನಾಂಕ
DocType: Item,Has Batch No,ಬ್ಯಾಚ್ ನಂ ಹೊಂದಿದೆ
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},ವಾರ್ಷಿಕ ಬಿಲ್ಲಿಂಗ್: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},ವಾರ್ಷಿಕ ಬಿಲ್ಲಿಂಗ್: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),ಸರಕು ಮತ್ತು ಸೇವಾ ತೆರಿಗೆ (ಜಿಎಸ್ಟಿ ಭಾರತ)
DocType: Delivery Note,Excise Page Number,ಅಬಕಾರಿ ಪುಟ ಸಂಖ್ಯೆ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","ಕಂಪನಿ, ಈ ದಿನಾಂಕದಿಂದ ಮತ್ತು ದಿನಾಂಕ ಕಡ್ಡಾಯ"
DocType: Asset,Purchase Date,ಖರೀದಿಸಿದ ದಿನಾಂಕ
@@ -1978,11 +1993,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},ದಯವಿಟ್ಟು ಕಂಪನಿಯಲ್ಲಿ 'ಆಸ್ತಿ ಸವಕಳಿ ವೆಚ್ಚದ ಕೇಂದ್ರ' ಸೆಟ್ {0}
,Maintenance Schedules,ನಿರ್ವಹಣಾ ವೇಳಾಪಟ್ಟಿಗಳು
DocType: Task,Actual End Date (via Time Sheet),ನಿಜವಾದ ಅಂತಿಮ ದಿನಾಂಕ (ಟೈಮ್ ಶೀಟ್ ಮೂಲಕ)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},ಪ್ರಮಾಣ {0} {1} ವಿರುದ್ಧ {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},ಪ್ರಮಾಣ {0} {1} ವಿರುದ್ಧ {2} {3}
,Quotation Trends,ನುಡಿಮುತ್ತುಗಳು ಟ್ರೆಂಡ್ಸ್
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},ಐಟಂ ಐಟಂ ಮಾಸ್ಟರ್ ಉಲ್ಲೇಖಿಸಿಲ್ಲ ಐಟಂ ಗ್ರೂಪ್ {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,ಖಾತೆಗೆ ಡೆಬಿಟ್ ಒಂದು ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆಯನ್ನು ಇರಬೇಕು
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},ಐಟಂ ಐಟಂ ಮಾಸ್ಟರ್ ಉಲ್ಲೇಖಿಸಿಲ್ಲ ಐಟಂ ಗ್ರೂಪ್ {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,ಖಾತೆಗೆ ಡೆಬಿಟ್ ಒಂದು ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆಯನ್ನು ಇರಬೇಕು
DocType: Shipping Rule Condition,Shipping Amount,ಶಿಪ್ಪಿಂಗ್ ಪ್ರಮಾಣ
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,ಗ್ರಾಹಕರು ಸೇರಿಸಿ
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,ಬಾಕಿ ಪ್ರಮಾಣ
DocType: Purchase Invoice Item,Conversion Factor,ಪರಿವರ್ತಿಸುವುದರ
DocType: Purchase Order,Delivered,ತಲುಪಿಸಲಾಗಿದೆ
@@ -1992,7 +2008,8 @@
DocType: Purchase Receipt,Vehicle Number,ವಾಹನ ಸಂಖ್ಯೆ
DocType: Purchase Invoice,The date on which recurring invoice will be stop,ಮರುಕಳಿಸುವ ಸರಕುಪಟ್ಟಿ ಸ್ಟಾಪ್ ಯಾವ ದಿನಾಂಕ
DocType: Employee Loan,Loan Amount,ಸಾಲದ ಪ್ರಮಾಣ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},ಸಾಲು {0}: ಮೆಟೀರಿಯಲ್ಸ್ ಬಿಲ್ ಐಟಂ ಕಂಡುಬಂದಿಲ್ಲ {1}
+DocType: Program Enrollment,Self-Driving Vehicle,ಸ್ವಯಂ ಚಾಲಕ ವಾಹನ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},ಸಾಲು {0}: ಮೆಟೀರಿಯಲ್ಸ್ ಬಿಲ್ ಐಟಂ ಕಂಡುಬಂದಿಲ್ಲ {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,ಒಟ್ಟು ಹಂಚಿಕೆ ಎಲೆಗಳು {0} ಕಡಿಮೆ ಸಾಧ್ಯವಿಲ್ಲ ಕಾಲ ಈಗಾಗಲೇ ಅನುಮೋದನೆ ಎಲೆಗಳು {1} ಹೆಚ್ಚು
DocType: Journal Entry,Accounts Receivable,ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆಗಳು
,Supplier-Wise Sales Analytics,ಸರಬರಾಜುದಾರ ವೈಸ್ ಮಾರಾಟದ ಅನಾಲಿಟಿಕ್ಸ್
@@ -2010,22 +2027,21 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,ಖರ್ಚು ಹಕ್ಕು ಅನುಮೋದನೆ ಬಾಕಿ ಇದೆ . ಮಾತ್ರ ಖರ್ಚು ಅನುಮೋದಕ ಡೇಟ್ ಮಾಡಬಹುದು .
DocType: Email Digest,New Expenses,ಹೊಸ ವೆಚ್ಚಗಳು
DocType: Purchase Invoice,Additional Discount Amount,ಹೆಚ್ಚುವರಿ ರಿಯಾಯಿತಿ ಪ್ರಮಾಣ
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ರೋ # {0}: ಪ್ರಮಾಣ 1, ಐಟಂ ಸ್ಥಿರ ಆಸ್ತಿ ಇರಬೇಕು. ದಯವಿಟ್ಟು ಬಹು ಪ್ರಮಾಣ ಪ್ರತ್ಯೇಕ ಸಾಲು ಬಳಸಿ."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ರೋ # {0}: ಪ್ರಮಾಣ 1, ಐಟಂ ಸ್ಥಿರ ಆಸ್ತಿ ಇರಬೇಕು. ದಯವಿಟ್ಟು ಬಹು ಪ್ರಮಾಣ ಪ್ರತ್ಯೇಕ ಸಾಲು ಬಳಸಿ."
DocType: Leave Block List Allow,Leave Block List Allow,ಬ್ಲಾಕ್ ಲಿಸ್ಟ್ ಅನುಮತಿಸಿ ಬಿಡಿ
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Abbr ಖಾಲಿ ಅಥವಾ ಜಾಗವನ್ನು ಇರುವಂತಿಲ್ಲ
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr ಖಾಲಿ ಅಥವಾ ಜಾಗವನ್ನು ಇರುವಂತಿಲ್ಲ
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,ಅಲ್ಲದ ಗ್ರೂಪ್ ಗ್ರೂಪ್
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,ಕ್ರೀಡೆ
DocType: Loan Type,Loan Name,ಸಾಲ ಹೆಸರು
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,ನಿಜವಾದ ಒಟ್ಟು
DocType: Student Siblings,Student Siblings,ವಿದ್ಯಾರ್ಥಿ ಒಡಹುಟ್ಟಿದವರ
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,ಘಟಕ
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,ಕಂಪನಿ ನಮೂದಿಸಿ
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,ಘಟಕ
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,ಕಂಪನಿ ನಮೂದಿಸಿ
,Customer Acquisition and Loyalty,ಗ್ರಾಹಕ ಸ್ವಾಧೀನ ಮತ್ತು ನಿಷ್ಠೆ
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,ನೀವು ತಿರಸ್ಕರಿಸಿದರು ಐಟಂಗಳ ಸ್ಟಾಕ್ ನಿರ್ವಹಿಸುವುದು ಅಲ್ಲಿ ವೇರ್ಹೌಸ್
DocType: Production Order,Skip Material Transfer,ವಸ್ತು ಟ್ರಾನ್ಸ್ಫರ್ ತೆರಳಿ
DocType: Production Order,Skip Material Transfer,ವಸ್ತು ಟ್ರಾನ್ಸ್ಫರ್ ತೆರಳಿ
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,ವಿನಿಮಯ ದರದ ಸಿಗಲಿಲ್ಲವಾದ್ದರಿಂದ {0} ನಿಂದ {1} ಪ್ರಮುಖ ದಿನಾಂಕದಂದು {2}. ದಯವಿಟ್ಟು ಕರೆನ್ಸಿ ವಿನಿಮಯ ದಾಖಲೆ ಕೈಯಾರೆ ರಚಿಸಲು
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,ನಿಮ್ಮ ಹಣಕಾಸಿನ ವರ್ಷ ಕೊನೆಗೊಳ್ಳುತ್ತದೆ
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,ವಿನಿಮಯ ದರದ ಸಿಗಲಿಲ್ಲವಾದ್ದರಿಂದ {0} ನಿಂದ {1} ಪ್ರಮುಖ ದಿನಾಂಕದಂದು {2}. ದಯವಿಟ್ಟು ಕರೆನ್ಸಿ ವಿನಿಮಯ ದಾಖಲೆ ಕೈಯಾರೆ ರಚಿಸಲು
DocType: POS Profile,Price List,ಬೆಲೆ ಪಟ್ಟಿ
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} ಈಗ ಡೀಫಾಲ್ಟ್ ಹಣಕಾಸಿನ ವರ್ಷ ಆಗಿದೆ . ಕಾರ್ಯಗತವಾಗಲು ಬದಲಾವಣೆಗೆ ನಿಮ್ಮ ಬ್ರೌಸರ್ ರಿಫ್ರೆಶ್ ಮಾಡಿ .
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,ಖರ್ಚು ಹಕ್ಕು
@@ -2038,14 +2054,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},ಬ್ಯಾಚ್ ಸ್ಟಾಕ್ ಸಮತೋಲನ {0} ಪರಿಣಮಿಸುತ್ತದೆ ಋಣಾತ್ಮಕ {1} ಕೋಠಿಯಲ್ಲಿ ಐಟಂ {2} ಫಾರ್ {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿಗಳು ಕೆಳಗಿನ ಐಟಂ ಮರು ಆದೇಶ ಮಟ್ಟವನ್ನು ಆಧರಿಸಿ ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಎದ್ದಿವೆ
DocType: Email Digest,Pending Sales Orders,ಮಾರಾಟದ ಆದೇಶಗಳನ್ನು ಬಾಕಿ
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},ಖಾತೆ {0} ಅಮಾನ್ಯವಾಗಿದೆ. ಖಾತೆ ಕರೆನ್ಸಿ ಇರಬೇಕು {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},ಖಾತೆ {0} ಅಮಾನ್ಯವಾಗಿದೆ. ಖಾತೆ ಕರೆನ್ಸಿ ಇರಬೇಕು {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM ಪರಿವರ್ತಿಸುವುದರ ಸತತವಾಗಿ ಅಗತ್ಯವಿದೆ {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ರೋ # {0}: ರೆಫರೆನ್ಸ್ ಡಾಕ್ಯುಮೆಂಟ್ ಕೌಟುಂಬಿಕತೆ ಮಾರಾಟದ ಆರ್ಡರ್ ಒಂದು, ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಅಥವಾ ಜರ್ನಲ್ ಎಂಟ್ರಿ ಇರಬೇಕು"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ರೋ # {0}: ರೆಫರೆನ್ಸ್ ಡಾಕ್ಯುಮೆಂಟ್ ಕೌಟುಂಬಿಕತೆ ಮಾರಾಟದ ಆರ್ಡರ್ ಒಂದು, ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಅಥವಾ ಜರ್ನಲ್ ಎಂಟ್ರಿ ಇರಬೇಕು"
DocType: Salary Component,Deduction,ವ್ಯವಕಲನ
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,ರೋ {0}: ಸಮಯ ಮತ್ತು ಟೈಮ್ ಕಡ್ಡಾಯ.
DocType: Stock Reconciliation Item,Amount Difference,ಪ್ರಮಾಣ ವ್ಯತ್ಯಾಸ
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},ಐಟಂ ಬೆಲೆ ಸೇರ್ಪಡೆ {0} ದರ ಪಟ್ಟಿ ರಲ್ಲಿ {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},ಐಟಂ ಬೆಲೆ ಸೇರ್ಪಡೆ {0} ದರ ಪಟ್ಟಿ ರಲ್ಲಿ {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,ಈ ಮಾರಾಟಗಾರನ ಉದ್ಯೋಗಿ ಅನ್ನು ನಮೂದಿಸಿ
DocType: Territory,Classification of Customers by region,ಪ್ರದೇಶವಾರು ಗ್ರಾಹಕರು ವರ್ಗೀಕರಣ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,ವ್ಯತ್ಯಾಸ ಪ್ರಮಾಣ ಶೂನ್ಯ ಇರಬೇಕು
@@ -2057,21 +2073,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,ಒಟ್ಟು ಕಳೆಯುವುದು
,Production Analytics,ಪ್ರೊಡಕ್ಷನ್ ಅನಾಲಿಟಿಕ್ಸ್
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,ವೆಚ್ಚ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,ವೆಚ್ಚ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ
DocType: Employee,Date of Birth,ಜನ್ಮ ದಿನಾಂಕ
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,ಐಟಂ {0} ಈಗಾಗಲೇ ಮರಳಿದರು
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,ಐಟಂ {0} ಈಗಾಗಲೇ ಮರಳಿದರು
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ಹಣಕಾಸಿನ ವರ್ಷ ** ಒಂದು ಹಣಕಾಸು ವರ್ಷದ ಪ್ರತಿನಿಧಿಸುತ್ತದೆ. ಎಲ್ಲಾ ಲೆಕ್ಕ ನಮೂದುಗಳನ್ನು ಮತ್ತು ಇತರ ಪ್ರಮುಖ ವ್ಯವಹಾರಗಳ ** ** ಹಣಕಾಸಿನ ವರ್ಷ ವಿರುದ್ಧ ಕಂಡುಕೊಳ್ಳಲಾಯಿತು.
DocType: Opportunity,Customer / Lead Address,ಗ್ರಾಹಕ / ಲೀಡ್ ವಿಳಾಸ
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},ಎಚ್ಚರಿಕೆ: ಬಾಂಧವ್ಯ ಅಮಾನ್ಯ SSL ಪ್ರಮಾಣಪತ್ರ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},ಎಚ್ಚರಿಕೆ: ಬಾಂಧವ್ಯ ಅಮಾನ್ಯ SSL ಪ್ರಮಾಣಪತ್ರ {0}
DocType: Student Admission,Eligibility,ಅರ್ಹತಾ
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","ಕಾರಣವಾಗುತ್ತದೆ ನೀವು ಪಡೆಯಲು ವ್ಯಾಪಾರ, ನಿಮ್ಮ ತೀರಗಳು ಎಲ್ಲ ಸಂಪರ್ಕಗಳನ್ನು ಮತ್ತು ಹೆಚ್ಚು ಸೇರಿಸಲು ಸಹಾಯ"
DocType: Production Order Operation,Actual Operation Time,ನಿಜವಾದ ಕಾರ್ಯಾಚರಣೆ ಟೈಮ್
DocType: Authorization Rule,Applicable To (User),ಅನ್ವಯವಾಗುತ್ತದೆ ( ಬಳಕೆದಾರ )
DocType: Purchase Taxes and Charges,Deduct,ಕಳೆ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,ಜಾಬ್ ವಿವರಣೆ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,ಜಾಬ್ ವಿವರಣೆ
DocType: Student Applicant,Applied,ಅಪ್ಲೈಡ್
DocType: Sales Invoice Item,Qty as per Stock UOM,ಪ್ರಮಾಣ ಸ್ಟಾಕ್ UOM ಪ್ರಕಾರ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2 ಹೆಸರು
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 ಹೆಸರು
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","ಹೊರತುಪಡಿಸಿ ವಿಶೇಷ ಅಕ್ಷರಗಳು ""-"" ""."", ""#"", ಮತ್ತು ""/"" ಸರಣಿ ಹೆಸರಿಸುವ ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.",ಮಾರಾಟದ ಶಿಬಿರಗಳು ಟ್ರ್ಯಾಕ್. ಲೀಡ್ಸ್ ಉಲ್ಲೇಖಗಳು ಜಾಡನ್ನು ಮಾರಾಟದ ಆರ್ಡರ್ ಇತ್ಯಾದಿ ಶಿಬಿರಗಳು ರಿಂದ ಹೂಡಿಕೆ ಮೇಲೆ ರಿಟರ್ನ್ ಅಳೆಯುವ.
DocType: Expense Claim,Approver,ಅನಪುಮೋದಕ
@@ -2082,8 +2098,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ವರೆಗೆ ವಾರಂಟಿ {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,ಪ್ರವಾಸ ಒಳಗೆ ಡೆಲಿವರಿ ಗಮನಿಸಿ ಸ್ಪ್ಲಿಟ್ .
apps/erpnext/erpnext/hooks.py +87,Shipments,ಸಾಗಣೆಗಳು
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,ಖಾತೆ ಬಾಕಿ ({0}) {1} ಮತ್ತು ಸ್ಟಾಕ್ ಮೌಲ್ಯಕ್ಕೆ ({2}) ಗೋದಾಮಿನ {3} ಏಕರೂಪಿಯಾಗಿರಬೇಕು
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,ಖಾತೆ ಬಾಕಿ ({0}) {1} ಮತ್ತು ಸ್ಟಾಕ್ ಮೌಲ್ಯಕ್ಕೆ ({2}) ಗೋದಾಮಿನ {3} ಏಕರೂಪಿಯಾಗಿರಬೇಕು
DocType: Payment Entry,Total Allocated Amount (Company Currency),ಒಟ್ಟು ನಿಗದಿ ಪ್ರಮಾಣ (ಕಂಪನಿ ಕರೆನ್ಸಿ)
DocType: Purchase Order Item,To be delivered to customer,ಗ್ರಾಹಕನಿಗೆ ನೀಡಬೇಕಾಗಿದೆ
DocType: BOM,Scrap Material Cost,ಸ್ಕ್ರ್ಯಾಪ್ ಮೆಟೀರಿಯಲ್ ವೆಚ್ಚ
@@ -2091,21 +2105,22 @@
DocType: Purchase Invoice,In Words (Company Currency),ವರ್ಡ್ಸ್ ( ಕಂಪನಿ ಕರೆನ್ಸಿ ) ರಲ್ಲಿ
DocType: Asset,Supplier,ಸರಬರಾಜುದಾರ
DocType: C-Form,Quarter,ಕಾಲು ಭಾಗ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,ವಿವಿಧ ಖರ್ಚುಗಳು
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,ವಿವಿಧ ಖರ್ಚುಗಳು
DocType: Global Defaults,Default Company,ಡೀಫಾಲ್ಟ್ ಕಂಪನಿ
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ಖರ್ಚು ಅಥವಾ ವ್ಯತ್ಯಾಸ ಖಾತೆ ಕಡ್ಡಾಯ ಐಟಂ {0} ಪರಿಣಾಮ ಬೀರುತ್ತದೆ ಒಟ್ಟಾರೆ ಸ್ಟಾಕ್ ಮೌಲ್ಯ
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ಖರ್ಚು ಅಥವಾ ವ್ಯತ್ಯಾಸ ಖಾತೆ ಕಡ್ಡಾಯ ಐಟಂ {0} ಪರಿಣಾಮ ಬೀರುತ್ತದೆ ಒಟ್ಟಾರೆ ಸ್ಟಾಕ್ ಮೌಲ್ಯ
DocType: Payment Request,PR,ಉದ್ಯೋಗ ತರಬೇತಿ
DocType: Cheque Print Template,Bank Name,ಬ್ಯಾಂಕ್ ಹೆಸರು
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Above
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Above
DocType: Employee Loan,Employee Loan Account,ನೌಕರರ ಸಾಲದ ಖಾತೆ
DocType: Leave Application,Total Leave Days,ಒಟ್ಟು ರಜೆಯ ದಿನಗಳಲ್ಲಿ
DocType: Email Digest,Note: Email will not be sent to disabled users,ಗಮನಿಸಿ : ಇಮೇಲ್ ಅಂಗವಿಕಲ ಬಳಕೆದಾರರಿಗೆ ಕಳುಹಿಸಲಾಗುವುದಿಲ್ಲ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,ಇಂಟರಾಕ್ಷನ್ ಸಂಖ್ಯೆ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,ಇಂಟರಾಕ್ಷನ್ ಸಂಖ್ಯೆ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,ಐಟಂ ಕೋಡ್> ಐಟಂ ಗ್ರೂಪ್> ಬ್ರ್ಯಾಂಡ್
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,ಕಂಪನಿ ಆಯ್ಕೆ ...
DocType: Leave Control Panel,Leave blank if considered for all departments,ಎಲ್ಲಾ ವಿಭಾಗಗಳು ಪರಿಗಣಿಸಲ್ಪಡುವ ವೇಳೆ ಖಾಲಿ ಬಿಡಿ
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","ಉದ್ಯೋಗ ವಿಧಗಳು ( ಶಾಶ್ವತ , ಒಪ್ಪಂದ , ಇಂಟರ್ನ್ , ಇತ್ಯಾದಿ ) ."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} ಐಟಂ ಕಡ್ಡಾಯ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} ಐಟಂ ಕಡ್ಡಾಯ {1}
DocType: Process Payroll,Fortnightly,ಪಾಕ್ಷಿಕ
DocType: Currency Exchange,From Currency,ಚಲಾವಣೆಯ
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","ಕನಿಷ್ಠ ಒಂದು ಸತತವಾಗಿ ನಿಗದಿ ಪ್ರಮಾಣ, ಸರಕುಪಟ್ಟಿ ಕೌಟುಂಬಿಕತೆ ಮತ್ತು ಸರಕುಪಟ್ಟಿ ಸಂಖ್ಯೆ ಆಯ್ಕೆಮಾಡಿ"
@@ -2128,7 +2143,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,ವೇಳಾಪಟ್ಟಿ ಪಡೆಯಲು ' ರಚಿಸಿ ವೇಳಾಪಟ್ಟಿ ' ಮೇಲೆ ಕ್ಲಿಕ್ ಮಾಡಿ
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,ಕೆಳಗಿನ ವೇಳಾಪಟ್ಟಿಯನ್ನು ಅಳಿಸುವಾಗ ದೋಷಗಳು ಇದ್ದವು:
DocType: Bin,Ordered Quantity,ಆದೇಶ ಪ್ರಮಾಣ
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","ಇ ಜಿ "" ಬಿಲ್ಡರ್ ಗಳು ಉಪಕರಣಗಳು ನಿರ್ಮಿಸಿ """
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","ಇ ಜಿ "" ಬಿಲ್ಡರ್ ಗಳು ಉಪಕರಣಗಳು ನಿರ್ಮಿಸಿ """
DocType: Grading Scale,Grading Scale Intervals,ಗ್ರೇಡಿಂಗ್ ಸ್ಕೇಲ್ ಮಧ್ಯಂತರಗಳು
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: {2} ಲೆಕ್ಕಪರಿಶೋಧಕ ಎಂಟ್ರಿ ಮಾತ್ರ ಕರೆನ್ಸಿ ಮಾಡಬಹುದು: {3}
DocType: Production Order,In Process,ಪ್ರಕ್ರಿಯೆಯಲ್ಲಿ
@@ -2143,12 +2158,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} ವಿದ್ಯಾರ್ಥಿ ಗುಂಪುಗಳು ರಚಿಸಲಾಗಿದೆ.
DocType: Sales Invoice,Total Billing Amount,ಒಟ್ಟು ಬಿಲ್ಲಿಂಗ್ ಪ್ರಮಾಣ
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,ಒಂದು ಡೀಫಾಲ್ಟ್ ಒಳಬರುವ ಇಮೇಲ್ ಖಾತೆ ಈ ಕೆಲಸ ಮಾಡಲು ಸಕ್ರಿಯಗೊಳಿಸಬೇಕು. ದಯವಿಟ್ಟು ಅನ್ನು ಡೀಫಾಲ್ಟ್ ಒಳಬರುವ ಇಮೇಲ್ ಖಾತೆ (ಪಾಪ್ / IMAP ಅಲ್ಲ) ಹಾಗೂ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆ
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},ರೋ # {0}: ಆಸ್ತಿ {1} ಈಗಾಗಲೇ {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆ
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},ರೋ # {0}: ಆಸ್ತಿ {1} ಈಗಾಗಲೇ {2}
DocType: Quotation Item,Stock Balance,ಸ್ಟಾಕ್ ಬ್ಯಾಲೆನ್ಸ್
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,ಪಾವತಿ ಮಾರಾಟ ಆರ್ಡರ್
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} ಹೊಂದಿಸುವಿಕೆ> ಸೆಟ್ಟಿಂಗ್ಗಳು ಮೂಲಕ> ಹೆಸರಿಸುವ ಸರಣಿಗಾಗಿ ಸರಣಿ ಹೆಸರಿಸುವ ದಯವಿಟ್ಟು
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,ಸಿಇಒ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,ಸಿಇಒ
DocType: Expense Claim Detail,Expense Claim Detail,ಖರ್ಚು ಹಕ್ಕು ವಿವರ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,ಸರಿಯಾದ ಖಾತೆಯನ್ನು ಆಯ್ಕೆಮಾಡಿ
DocType: Item,Weight UOM,ತೂಕ UOM
@@ -2157,12 +2171,12 @@
DocType: Production Order Operation,Pending,ಬಾಕಿ
DocType: Course,Course Name,ಕೋರ್ಸ್ ಹೆಸರು
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,ನಿರ್ದಿಷ್ಟ ನೌಕರನ ರಜೆ ಅನ್ವಯಗಳನ್ನು ಒಪ್ಪಿಗೆ ಬಳಕೆದಾರರು
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,ಕಚೇರಿ ಉಪಕರಣ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,ಕಚೇರಿ ಉಪಕರಣ
DocType: Purchase Invoice Item,Qty,ಪ್ರಮಾಣ
DocType: Fiscal Year,Companies,ಕಂಪನಿಗಳು
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,ಇಲೆಕ್ಟ್ರಾನಿಕ್ ಶಾಸ್ತ್ರ
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,ಸ್ಟಾಕ್ ಮತ್ತೆ ಸಲುವಾಗಿ ಮಟ್ಟ ತಲುಪಿದಾಗ ವಸ್ತು ವಿನಂತಿಗಳನ್ನು ರೈಸ್
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,ಪೂರ್ಣ ಬಾರಿ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,ಪೂರ್ಣ ಬಾರಿ
DocType: Salary Structure,Employees,ನೌಕರರು
DocType: Employee,Contact Details,ಸಂಪರ್ಕ ವಿವರಗಳು
DocType: C-Form,Received Date,ಸ್ವೀಕರಿಸಲಾಗಿದೆ ದಿನಾಂಕ
@@ -2172,7 +2186,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,ದರ ಪಟ್ಟಿ ಹೊಂದಿಸದೆ ವೇಳೆ ಬೆಲೆಗಳು ತೋರಿಸಲಾಗುವುದಿಲ್ಲ
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,ಈ ಶಿಪ್ಪಿಂಗ್ ರೂಲ್ ಒಂದು ದೇಶದ ಸೂಚಿಸಲು ಅಥವಾ ವಿಶ್ವಾದ್ಯಂತ ಹಡಗು ಪರಿಶೀಲಿಸಿ
DocType: Stock Entry,Total Incoming Value,ಒಟ್ಟು ಒಳಬರುವ ಮೌಲ್ಯ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,ಡೆಬಿಟ್ ಅಗತ್ಯವಿದೆ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,ಡೆಬಿಟ್ ಅಗತ್ಯವಿದೆ
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets ನಿಮ್ಮ ತಂಡದ ಮಾಡಲಾಗುತ್ತದೆ ಚಟುವಟಿಕೆಗಳನ್ನು ಫಾರ್ ಸಮಯ, ವೆಚ್ಚ ಮತ್ತು ಬಿಲ್ಲಿಂಗ್ ಟ್ರ್ಯಾಕ್ ಸಹಾಯ"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,ಖರೀದಿ ಬೆಲೆ ಪಟ್ಟಿ
DocType: Offer Letter Term,Offer Term,ಆಫರ್ ಟರ್ಮ್
@@ -2181,17 +2195,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,ಪಾವತಿ ಸಾಮರಸ್ಯ
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,ಉಸ್ತುವಾರಿ ವ್ಯಕ್ತಿಯ ಹೆಸರು ಆಯ್ಕೆ ಮಾಡಿ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,ತಂತ್ರಜ್ಞಾನ
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},ಒಟ್ಟು ಪೇಯ್ಡ್: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},ಒಟ್ಟು ಪೇಯ್ಡ್: {0}
DocType: BOM Website Operation,BOM Website Operation,ಬಿಒಎಮ್ ವೆಬ್ಸೈಟ್ ಆಪರೇಷನ್
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,ಪತ್ರ ನೀಡಲು
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿಗಳು ( MRP ) ಮತ್ತು ಉತ್ಪಾದನೆ ಮುಖಾಂತರವೇ .
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,ಒಟ್ಟು ಸರಕುಪಟ್ಟಿ ಆಮ್ಟ್
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,ಒಟ್ಟು ಸರಕುಪಟ್ಟಿ ಆಮ್ಟ್
DocType: BOM,Conversion Rate,ಪರಿವರ್ತನೆ ದರ
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,ಉತ್ಪನ್ನ ಹುಡುಕಾಟ
DocType: Timesheet Detail,To Time,ಸಮಯ
DocType: Authorization Rule,Approving Role (above authorized value),(ಅಧಿಕಾರ ಮೌಲ್ಯವನ್ನು ಮೇಲೆ) ಪಾತ್ರ ಅನುಮೋದನೆ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,ಖಾತೆಗೆ ಕ್ರೆಡಿಟ್ ಒಂದು ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆಯನ್ನು ಇರಬೇಕು
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM ಪುನರಾವರ್ತನ : {0} ಪೋಷಕರು ಅಥವಾ ಮಗು ಸಾಧ್ಯವಿಲ್ಲ {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,ಖಾತೆಗೆ ಕ್ರೆಡಿಟ್ ಒಂದು ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆಯನ್ನು ಇರಬೇಕು
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM ಪುನರಾವರ್ತನ : {0} ಪೋಷಕರು ಅಥವಾ ಮಗು ಸಾಧ್ಯವಿಲ್ಲ {2}
DocType: Production Order Operation,Completed Qty,ಪೂರ್ಣಗೊಂಡಿದೆ ಪ್ರಮಾಣ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","{0}, ಮಾತ್ರ ಡೆಬಿಟ್ ಖಾತೆಗಳನ್ನು ಇನ್ನೊಂದು ಕ್ರೆಡಿಟ್ ಪ್ರವೇಶ ವಿರುದ್ಧ ಲಿಂಕ್ ಮಾಡಬಹುದು ಫಾರ್"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,ಬೆಲೆ ಪಟ್ಟಿ {0} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ
@@ -2203,28 +2217,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} ಐಟಂ ಬೇಕಾದ ಸೀರಿಯಲ್ ಸಂಖ್ಯೆಗಳು {1}. ನೀವು ಒದಗಿಸಿದ {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,ಪ್ರಸ್ತುತ ಮೌಲ್ಯಮಾಪನ ದರ
DocType: Item,Customer Item Codes,ಗ್ರಾಹಕ ಐಟಂ ಕೋಡ್ಸ್
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,ವಿನಿಮಯ ಗಳಿಕೆ / ನಷ್ಟ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,ವಿನಿಮಯ ಗಳಿಕೆ / ನಷ್ಟ
DocType: Opportunity,Lost Reason,ಲಾಸ್ಟ್ ಕಾರಣ
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,ಹೊಸ ವಿಳಾಸ
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,ಹೊಸ ವಿಳಾಸ
DocType: Quality Inspection,Sample Size,ಸ್ಯಾಂಪಲ್ ಸೈಜ್
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,ದಯವಿಟ್ಟು ರಸೀತಿ ಡಾಕ್ಯುಮೆಂಟ್ ನಮೂದಿಸಿ
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,ಎಲ್ಲಾ ಐಟಂಗಳನ್ನು ಈಗಾಗಲೇ ಸರಕುಪಟ್ಟಿ ಮಾಡಲಾಗಿದೆ
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,ಎಲ್ಲಾ ಐಟಂಗಳನ್ನು ಈಗಾಗಲೇ ಸರಕುಪಟ್ಟಿ ಮಾಡಲಾಗಿದೆ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',ಮಾನ್ಯ ಸೂಚಿಸಲು ದಯವಿಟ್ಟು ' ಕೇಸ್ ನಂ ಗೆ . '
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,ಮತ್ತಷ್ಟು ವೆಚ್ಚ ಕೇಂದ್ರಗಳು ಗುಂಪುಗಳು ಅಡಿಯಲ್ಲಿ ಮಾಡಬಹುದು ಆದರೆ ನಮೂದುಗಳನ್ನು ಅಲ್ಲದ ಗುಂಪುಗಳ ವಿರುದ್ಧ ಮಾಡಬಹುದು
DocType: Project,External,ಬಾಹ್ಯ
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,ಬಳಕೆದಾರರು ಮತ್ತು ಅನುಮತಿಗಳು
DocType: Vehicle Log,VLOG.,VLOG.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ಸ್ ರಚಿಸಲಾಗಿದೆ: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ಸ್ ರಚಿಸಲಾಗಿದೆ: {0}
DocType: Branch,Branch,ಶಾಖೆ
DocType: Guardian,Mobile Number,ಮೊಬೈಲ್ ನಂಬರ
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,ಮುದ್ರಣ ಮತ್ತು ಬ್ರ್ಯಾಂಡಿಂಗ್
DocType: Bin,Actual Quantity,ನಿಜವಾದ ಪ್ರಮಾಣ
DocType: Shipping Rule,example: Next Day Shipping,ಉದಾಹರಣೆಗೆ : ಮುಂದೆ ದಿನ ಶಿಪ್ಪಿಂಗ್
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,ಕಂಡುಬಂದಿಲ್ಲ ಸರಣಿ ಯಾವುದೇ {0}
-DocType: Scheduling Tool,Student Batch,ವಿದ್ಯಾರ್ಥಿ ಬ್ಯಾಚ್
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,ನಿಮ್ಮ ಗ್ರಾಹಕರು
+DocType: Program Enrollment,Student Batch,ವಿದ್ಯಾರ್ಥಿ ಬ್ಯಾಚ್
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,ವಿದ್ಯಾರ್ಥಿ ಮಾಡಿ
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},ನೀವು ಯೋಜನೆಯ ಸಹಯೋಗಿಸಲು ಆಮಂತ್ರಿಸಲಾಗಿದೆ: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},ನೀವು ಯೋಜನೆಯ ಸಹಯೋಗಿಸಲು ಆಮಂತ್ರಿಸಲಾಗಿದೆ: {0}
DocType: Leave Block List Date,Block Date,ಬ್ಲಾಕ್ ದಿನಾಂಕ
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,ಈಗ ಅನ್ವಯಿಸು
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},ವಾಸ್ತವಿಕ ಪ್ರಮಾಣ {0} / ವೇಟಿಂಗ್ ಪ್ರಮಾಣ {1}
@@ -2234,7 +2247,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","ರಚಿಸಿ ಮತ್ತು , ದೈನಂದಿನ ಸಾಪ್ತಾಹಿಕ ಮತ್ತು ಮಾಸಿಕ ಇಮೇಲ್ ಡೈಜೆಸ್ಟ್ ನಿರ್ವಹಿಸಿ ."
DocType: Appraisal Goal,Appraisal Goal,ಅಪ್ರೇಸಲ್ ಗೋಲ್
DocType: Stock Reconciliation Item,Current Amount,ಪ್ರಸ್ತುತ ಪ್ರಮಾಣವನ್ನು
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,ಕಟ್ಟಡಗಳು
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,ಕಟ್ಟಡಗಳು
DocType: Fee Structure,Fee Structure,ಶುಲ್ಕ ರಚನೆ
DocType: Timesheet Detail,Costing Amount,ವೆಚ್ಚದ ಪ್ರಮಾಣ
DocType: Student Admission,Application Fee,ಅರ್ಜಿ ಶುಲ್ಕ
@@ -2246,10 +2259,10 @@
DocType: POS Profile,[Select],[ ಆರಿಸಿರಿ ]
DocType: SMS Log,Sent To,ಕಳುಹಿಸಲಾಗುತ್ತದೆ
DocType: Payment Request,Make Sales Invoice,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ಮಾಡಿ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,ಸಾಫ್ಟ್
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,ಸಾಫ್ಟ್
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,ಮುಂದಿನ ಸಂಪರ್ಕಿಸಿ ದಿನಾಂಕ ಹಿಂದೆ ಸಾಧ್ಯವಿಲ್ಲ
DocType: Company,For Reference Only.,ಪರಾಮರ್ಶೆಗಾಗಿ ಮಾತ್ರ.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,ಬ್ಯಾಚ್ ಆಯ್ಕೆ ಇಲ್ಲ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,ಬ್ಯಾಚ್ ಆಯ್ಕೆ ಇಲ್ಲ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},ಅಮಾನ್ಯ {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,ಅಡ್ವಾನ್ಸ್ ಪ್ರಮಾಣ
@@ -2259,15 +2272,15 @@
DocType: Employee,Employment Details,ಉದ್ಯೋಗದ ವಿವರಗಳು
DocType: Employee,New Workplace,ಹೊಸ ಕೆಲಸದ
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,ಮುಚ್ಚಲಾಗಿದೆ ಹೊಂದಿಸಿ
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},ಬಾರ್ಕೋಡ್ ಐಟಂ ಅನ್ನು {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},ಬಾರ್ಕೋಡ್ ಐಟಂ ಅನ್ನು {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,ಪ್ರಕರಣ ಸಂಖ್ಯೆ 0 ಸಾಧ್ಯವಿಲ್ಲ
DocType: Item,Show a slideshow at the top of the page,ಪುಟದ ಮೇಲಿರುವ ಒಂದು ಸ್ಲೈಡ್ಶೋ ತೋರಿಸು
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,ಸ್ಟೋರ್ಸ್
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,ಸ್ಟೋರ್ಸ್
DocType: Serial No,Delivery Time,ಡೆಲಿವರಿ ಟೈಮ್
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,ರಂದು ಆಧರಿಸಿ ಏಜಿಂಗ್
DocType: Item,End of Life,ಲೈಫ್ ಅಂತ್ಯ
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,ಓಡಾಡು
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,ಓಡಾಡು
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,ಯಾವುದೇ ಸಕ್ರಿಯ ಅಥವಾ ಡೀಫಾಲ್ಟ್ ಸಂಬಳ ರಚನೆ ನೀಡಿದ ದಿನಾಂಕಗಳನ್ನು ಉದ್ಯೋಗಿ {0} ಕಂಡುಬಂದಿಲ್ಲ
DocType: Leave Block List,Allow Users,ಬಳಕೆದಾರರನ್ನು ಅನುಮತಿಸಿ
DocType: Purchase Order,Customer Mobile No,ಗ್ರಾಹಕ ಮೊಬೈಲ್ ಯಾವುದೇ
@@ -2276,29 +2289,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,ನವೀಕರಣ ವೆಚ್ಚ
DocType: Item Reorder,Item Reorder,ಐಟಂ ಮರುಕ್ರಮಗೊಳಿಸಿ
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,ಸಂಬಳ ಶೋ ಸ್ಲಿಪ್
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,ಟ್ರಾನ್ಸ್ಫರ್ ವಸ್ತು
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,ಟ್ರಾನ್ಸ್ಫರ್ ವಸ್ತು
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","ಕಾರ್ಯಾಚರಣೆಗಳು , ನಿರ್ವಹಣಾ ವೆಚ್ಚ ನಿರ್ದಿಷ್ಟಪಡಿಸಲು ಮತ್ತು ಕಾರ್ಯಾಚರಣೆಗಳು ಒಂದು ಅನನ್ಯ ಕಾರ್ಯಾಚರಣೆ ಯಾವುದೇ ನೀಡಿ ."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,ಈ ಡಾಕ್ಯುಮೆಂಟ್ ಮೂಲಕ ಮಿತಿಗಿಂತ {0} {1} ಐಟಂ {4}. ನೀವು ಮಾಡುತ್ತಿದ್ದಾರೆ ಇನ್ನೊಂದು ಅದೇ ವಿರುದ್ಧ {3} {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,ಉಳಿಸುವ ನಂತರ ಮರುಕಳಿಸುವ ಸೆಟ್ ಮಾಡಿ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,ಬದಲಾವಣೆ ಆಯ್ಕೆ ಪ್ರಮಾಣದ ಖಾತೆಯನ್ನು
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,ಈ ಡಾಕ್ಯುಮೆಂಟ್ ಮೂಲಕ ಮಿತಿಗಿಂತ {0} {1} ಐಟಂ {4}. ನೀವು ಮಾಡುತ್ತಿದ್ದಾರೆ ಇನ್ನೊಂದು ಅದೇ ವಿರುದ್ಧ {3} {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,ಉಳಿಸುವ ನಂತರ ಮರುಕಳಿಸುವ ಸೆಟ್ ಮಾಡಿ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,ಬದಲಾವಣೆ ಆಯ್ಕೆ ಪ್ರಮಾಣದ ಖಾತೆಯನ್ನು
DocType: Purchase Invoice,Price List Currency,ಬೆಲೆ ಪಟ್ಟಿ ಕರೆನ್ಸಿ
DocType: Naming Series,User must always select,ಬಳಕೆದಾರ ಯಾವಾಗಲೂ ಆಯ್ಕೆ ಮಾಡಬೇಕು
DocType: Stock Settings,Allow Negative Stock,ನಕಾರಾತ್ಮಕ ಸ್ಟಾಕ್ ಅನುಮತಿಸಿ
DocType: Installation Note,Installation Note,ಅನುಸ್ಥಾಪನೆ ಸೂಚನೆ
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,ತೆರಿಗೆಗಳು ಸೇರಿಸಿ
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,ತೆರಿಗೆಗಳು ಸೇರಿಸಿ
DocType: Topic,Topic,ವಿಷಯ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,ಹಣಕಾಸು ಹಣದ ಹರಿವನ್ನು
DocType: Budget Account,Budget Account,ಬಜೆಟ್ ಖಾತೆ
DocType: Quality Inspection,Verified By,ಪರಿಶೀಲಿಸಲಾಗಿದೆ
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವ್ಯವಹಾರಗಳು ಇರುವುದರಿಂದ, ಕಂಪನಿಯ ಡೀಫಾಲ್ಟ್ ಕರೆನ್ಸಿ ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ . ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ ಡೀಫಾಲ್ಟ್ ಕರೆನ್ಸಿ ಬದಲಾಯಿಸಲು ರದ್ದು ಮಾಡಬೇಕು ."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವ್ಯವಹಾರಗಳು ಇರುವುದರಿಂದ, ಕಂಪನಿಯ ಡೀಫಾಲ್ಟ್ ಕರೆನ್ಸಿ ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ . ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ ಡೀಫಾಲ್ಟ್ ಕರೆನ್ಸಿ ಬದಲಾಯಿಸಲು ರದ್ದು ಮಾಡಬೇಕು ."
DocType: Grading Scale Interval,Grade Description,ಗ್ರೇಡ್ ವಿವರಣೆ
DocType: Stock Entry,Purchase Receipt No,ಖರೀದಿ ರಸೀತಿ ನಂ
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,ಅರ್ನೆಸ್ಟ್ ಮನಿ
DocType: Process Payroll,Create Salary Slip,ಸಂಬಳ ಸ್ಲಿಪ್ ರಚಿಸಿ
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,ಪತ್ತೆ ಹಚ್ಚುವಿಕೆ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),ಗಳಂತಹವು ( ಹೊಣೆಗಾರಿಕೆಗಳು )
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},ಪ್ರಮಾಣ ಸತತವಾಗಿ {0} ( {1} ) ಅದೇ ಇರಬೇಕು ತಯಾರಿಸಿದ ಪ್ರಮಾಣ {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),ಗಳಂತಹವು ( ಹೊಣೆಗಾರಿಕೆಗಳು )
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},ಪ್ರಮಾಣ ಸತತವಾಗಿ {0} ( {1} ) ಅದೇ ಇರಬೇಕು ತಯಾರಿಸಿದ ಪ್ರಮಾಣ {2}
DocType: Appraisal,Employee,ನೌಕರರ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,ಬ್ಯಾಚ್ ಆಯ್ಕೆ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} ಸಂಪೂರ್ಣವಾಗಿ ವಿಧಿಸಲಾಗುತ್ತದೆ
DocType: Training Event,End Time,ಎಂಡ್ ಟೈಮ್
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,ಸಕ್ರಿಯ ಸಂಬಳ ರಚನೆ {0} ನೀಡಲಾಗಿದೆ ದಿನಾಂಕಗಳಿಗೆ ನೌಕರ {1} ಕಂಡುಬಂದಿಲ್ಲ
@@ -2310,11 +2324,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,ಅಗತ್ಯವಿದೆ ರಂದು
DocType: Rename Tool,File to Rename,ಮರುಹೆಸರಿಸಲು ಫೈಲ್
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},ರೋನಲ್ಲಿ ಐಟಂ ಬಿಒಎಮ್ ಆಯ್ಕೆಮಾಡಿ {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},ಐಟಂ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ ನಿಗದಿತ ಬಿಒಎಮ್ {0} {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},ಖಾತೆ {0} {1} ಖಾತೆಯ ಮೋಡ್ನಲ್ಲಿ ಕಂಪೆನಿಯೊಂದಿಗೆ ಹೋಲಿಕೆಯಾಗುವುದಿಲ್ಲ: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},ಐಟಂ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ ನಿಗದಿತ ಬಿಒಎಮ್ {0} {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,ನಿರ್ವಹಣೆ ವೇಳಾಪಟ್ಟಿ {0} ಈ ಮಾರಾಟದ ಆದೇಶವನ್ನು ರದ್ದುಗೊಳಿಸುವ ಮೊದಲು ರದ್ದು ಮಾಡಬೇಕು
DocType: Notification Control,Expense Claim Approved,ಖರ್ಚು ಹಕ್ಕು ಅನುಮೋದನೆ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,ಉದ್ಯೋಗಿ ಸಂಬಳ ಸ್ಲಿಪ್ {0} ಈಗಾಗಲೇ ಈ ಅವಧಿಯಲ್ಲಿ ರಚಿಸಿದ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,ಔಷಧೀಯ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,ಔಷಧೀಯ
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,ಖರೀದಿಸಿದ ವಸ್ತುಗಳ ವೆಚ್ಚ
DocType: Selling Settings,Sales Order Required,ಮಾರಾಟದ ಆದೇಶ ಅಗತ್ಯವಿರುವ
DocType: Purchase Invoice,Credit To,ಕ್ರೆಡಿಟ್
@@ -2331,43 +2346,43 @@
DocType: Payment Gateway Account,Payment Account,ಪಾವತಿ ಖಾತೆ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,ಮುಂದುವರೆಯಲು ಕಂಪನಿ ನಮೂದಿಸಿ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,ಸ್ವೀಕರಿಸುವಂತಹ ಖಾತೆಗಳು ನಿವ್ವಳ ವ್ಯತ್ಯಾಸದ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,ಪರಿಹಾರ ಆಫ್
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,ಪರಿಹಾರ ಆಫ್
DocType: Offer Letter,Accepted,Accepted
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,ಸಂಸ್ಥೆ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,ಸಂಸ್ಥೆ
DocType: SG Creation Tool Course,Student Group Name,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಹೆಸರು
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,ನೀವು ನಿಜವಾಗಿಯೂ ಈ ಕಂಪನಿಗೆ ಎಲ್ಲಾ ವ್ಯವಹಾರಗಳ ಅಳಿಸಲು ಖಚಿತಪಡಿಸಿಕೊಳ್ಳಿ. ಅದು ಎಂದು ನಿಮ್ಮ ಮಾಸ್ಟರ್ ಡೇಟಾ ಉಳಿಯುತ್ತದೆ. ಈ ಕಾರ್ಯವನ್ನು ರದ್ದುಪಡಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,ನೀವು ನಿಜವಾಗಿಯೂ ಈ ಕಂಪನಿಗೆ ಎಲ್ಲಾ ವ್ಯವಹಾರಗಳ ಅಳಿಸಲು ಖಚಿತಪಡಿಸಿಕೊಳ್ಳಿ. ಅದು ಎಂದು ನಿಮ್ಮ ಮಾಸ್ಟರ್ ಡೇಟಾ ಉಳಿಯುತ್ತದೆ. ಈ ಕಾರ್ಯವನ್ನು ರದ್ದುಪಡಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ.
DocType: Room,Room Number,ಕೋಣೆ ಸಂಖ್ಯೆ
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},ಅಮಾನ್ಯವಾದ ಉಲ್ಲೇಖ {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ಯೋಜನೆ quanitity ಅಧಿಕವಾಗಿರುತ್ತದೆ ಸಾಧ್ಯವಿಲ್ಲ ({2}) ಉತ್ಪಾದನೆಯಲ್ಲಿನ ಆರ್ಡರ್ {3}
DocType: Shipping Rule,Shipping Rule Label,ಶಿಪ್ಪಿಂಗ್ ಲೇಬಲ್ ರೂಲ್
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,ಬಳಕೆದಾರ ವೇದಿಕೆ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,ರಾ ಮೆಟೀರಿಯಲ್ಸ್ ಖಾಲಿ ಇರುವಂತಿಲ್ಲ.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","ಸ್ಟಾಕ್ ನವೀಕರಣಗೊಳ್ಳುವುದಿಲ್ಲ, ಸರಕುಪಟ್ಟಿ ಡ್ರಾಪ್ ಹಡಗು ಐಟಂ ಹೊಂದಿದೆ."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,ರಾ ಮೆಟೀರಿಯಲ್ಸ್ ಖಾಲಿ ಇರುವಂತಿಲ್ಲ.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","ಸ್ಟಾಕ್ ನವೀಕರಣಗೊಳ್ಳುವುದಿಲ್ಲ, ಸರಕುಪಟ್ಟಿ ಡ್ರಾಪ್ ಹಡಗು ಐಟಂ ಹೊಂದಿದೆ."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,ತ್ವರಿತ ಜರ್ನಲ್ ಎಂಟ್ರಿ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,BOM ಯಾವುದೇ ಐಟಂ agianst ಪ್ರಸ್ತಾಪಿಸಿದ್ದಾರೆ ವೇಳೆ ನೀವು ದರ ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,BOM ಯಾವುದೇ ಐಟಂ agianst ಪ್ರಸ್ತಾಪಿಸಿದ್ದಾರೆ ವೇಳೆ ನೀವು ದರ ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
DocType: Employee,Previous Work Experience,ಹಿಂದಿನ ಅನುಭವ
DocType: Stock Entry,For Quantity,ಪ್ರಮಾಣ
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},ಐಟಂ ಯೋಜಿಸಿದ ಪ್ರಮಾಣ ನಮೂದಿಸಿ {0} ಸಾಲು {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} ಸಲ್ಲಿಸದಿದ್ದರೆ
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,ಐಟಂಗಳನ್ನು ವಿನಂತಿಗಳು .
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,ಪ್ರತ್ಯೇಕ ಉತ್ಪಾದನಾ ಸಲುವಾಗಿ ಪ್ರತಿ ಸಿದ್ಧಪಡಿಸಿದ ಉತ್ತಮ ಐಟಂ ನಿರ್ಮಿಸಲಾಗುತ್ತದೆ .
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} ರಿಟರ್ನ್ ದಸ್ತಾವೇಜು ಋಣಾತ್ಮಕ ಇರಬೇಕು
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} ರಿಟರ್ನ್ ದಸ್ತಾವೇಜು ಋಣಾತ್ಮಕ ಇರಬೇಕು
,Minutes to First Response for Issues,ಇಷ್ಯೂಸ್ ಮೊದಲ ರೆಸ್ಪಾನ್ಸ್ ನಿಮಿಷಗಳ
DocType: Purchase Invoice,Terms and Conditions1,ನಿಯಮಗಳು ಮತ್ತು Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,ಸಂಸ್ಥೆಯ ಹೆಸರು ಇದಕ್ಕಾಗಿ ನೀವು ಈ ವ್ಯವಸ್ಥೆಯ ಹೊಂದಿಸುವಾಗ.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,ಸಂಸ್ಥೆಯ ಹೆಸರು ಇದಕ್ಕಾಗಿ ನೀವು ಈ ವ್ಯವಸ್ಥೆಯ ಹೊಂದಿಸುವಾಗ.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","ಲೆಕ್ಕಪರಿಶೋಧಕ ಪ್ರವೇಶ ಈ ದಿನಾಂಕ ಫ್ರೀಜ್ , ಯಾರೂ / ಕೆಳಗೆ ಸೂಚಿಸಲಾದ ಪಾತ್ರವನ್ನು ಹೊರತುಪಡಿಸಿ ಪ್ರವೇಶ ಮಾರ್ಪಡಿಸಲು ಮಾಡಬಹುದು ."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,ನಿರ್ವಹಣೆ ವೇಳಾಪಟ್ಟಿ ಉತ್ಪಾದಿಸುವ ಮೊದಲು ಡಾಕ್ಯುಮೆಂಟ್ ಉಳಿಸಲು ದಯವಿಟ್ಟು
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,ಸ್ಥಿತಿ
DocType: UOM,Check this to disallow fractions. (for Nos),ಭಿನ್ನರಾಶಿಗಳನ್ನು ಅವಕಾಶ ಈ ಪರಿಶೀಲಿಸಿ . ( ಸೂಲ ಫಾರ್ )
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,ಕೆಳಗಿನ ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ಸ್ ರಚಿಸಲಾಯಿತು:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,ಕೆಳಗಿನ ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ಸ್ ರಚಿಸಲಾಯಿತು:
DocType: Student Admission,Naming Series (for Student Applicant),ಸರಣಿ ಹೆಸರಿಸುವ (ವಿದ್ಯಾರ್ಥಿ ಅರ್ಜಿದಾರರಿಂದ)
DocType: Delivery Note,Transporter Name,ಟ್ರಾನ್ಸ್ಪೋರ್ಟರ್ ಹೆಸರು
DocType: Authorization Rule,Authorized Value,ಅಧಿಕೃತ ಮೌಲ್ಯ
DocType: BOM,Show Operations,ಕಾರ್ಯಾಚರಣೆಗಳಪರಿವಿಡಿಯನ್ನುತೋರಿಸು
,Minutes to First Response for Opportunity,ಅವಕಾಶ ಮೊದಲ ಪ್ರತಿಕ್ರಿಯೆ ನಿಮಿಷಗಳ
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,ಒಟ್ಟು ಆಬ್ಸೆಂಟ್
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,ಸಾಲು ಐಟಂ ಅಥವಾ ಗೋದಾಮಿನ {0} ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,ಸಾಲು ಐಟಂ ಅಥವಾ ಗೋದಾಮಿನ {0} ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,ಅಳತೆಯ ಘಟಕ
DocType: Fiscal Year,Year End Date,ವರ್ಷಾಂತ್ಯದ ದಿನಾಂಕ
DocType: Task Depends On,Task Depends On,ಟಾಸ್ಕ್ ಅವಲಂಬಿಸಿರುತ್ತದೆ
@@ -2467,11 +2482,11 @@
DocType: Asset,Manual,ಕೈಪಿಡಿ
DocType: Salary Component Account,Salary Component Account,ಸಂಬಳ ಕಾಂಪೊನೆಂಟ್ ಖಾತೆ
DocType: Global Defaults,Hide Currency Symbol,ಕರೆನ್ಸಿ ಸಂಕೇತ ಮರೆಮಾಡಿ
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","ಇ ಜಿ ಬ್ಯಾಂಕ್ , ನಗದು, ಕ್ರೆಡಿಟ್ ಕಾರ್ಡ್"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","ಇ ಜಿ ಬ್ಯಾಂಕ್ , ನಗದು, ಕ್ರೆಡಿಟ್ ಕಾರ್ಡ್"
DocType: Lead Source,Source Name,ಮೂಲ ಹೆಸರು
DocType: Journal Entry,Credit Note,ಕ್ರೆಡಿಟ್ ಸ್ಕೋರ್
DocType: Warranty Claim,Service Address,ಸೇವೆ ವಿಳಾಸ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,ಪೀಠೋಪಕರಣಗಳು ಮತ್ತು ನೆಲೆವಸ್ತುಗಳ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,ಪೀಠೋಪಕರಣಗಳು ಮತ್ತು ನೆಲೆವಸ್ತುಗಳ
DocType: Item,Manufacture,ಉತ್ಪಾದನೆ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,ದಯವಿಟ್ಟು ಡೆಲಿವರಿ ಗಮನಿಸಿ ಮೊದಲ
DocType: Student Applicant,Application Date,ಅಪ್ಲಿಕೇಶನ್ ದಿನಾಂಕ
@@ -2481,7 +2496,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,ಕ್ಲಿಯರೆನ್ಸ್ ದಿನಾಂಕ ಪ್ರಸ್ತಾಪಿಸಿದ್ದಾರೆ
apps/erpnext/erpnext/config/manufacturing.py +7,Production,ಉತ್ಪಾದನೆ
DocType: Guardian,Occupation,ಉದ್ಯೋಗ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,ದಯವಿಟ್ಟು ಸೆಟಪ್ ನೌಕರರ ಮಾನವ ಸಂಪನ್ಮೂಲ ವ್ಯವಸ್ಥೆ ಹೆಸರಿಸುವ> ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್ಗಳು
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,ರೋ {0} : ಪ್ರಾರಂಭ ದಿನಾಂಕ ಎಂಡ್ ದಿನಾಂಕದ ಮೊದಲು
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),ಒಟ್ಟು (ಪ್ರಮಾಣ)
DocType: Sales Invoice,This Document,ಈ ಡಾಕ್ಯುಮೆಂಟ್
@@ -2493,20 +2507,20 @@
DocType: Purchase Receipt,Time at which materials were received,ವಸ್ತುಗಳನ್ನು ಸ್ವೀಕರಿಸಿದ ಯಾವ ಸಮಯದಲ್ಲಿ
DocType: Stock Ledger Entry,Outgoing Rate,ಹೊರಹೋಗುವ ದರ
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,ಸಂಸ್ಥೆ ಶಾಖೆ ಮಾಸ್ಟರ್ .
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,ಅಥವಾ
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,ಅಥವಾ
DocType: Sales Order,Billing Status,ಬಿಲ್ಲಿಂಗ್ ಸ್ಥಿತಿ
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,ಸಮಸ್ಯೆಯನ್ನು ವರದಿಮಾಡಿ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,ಯುಟಿಲಿಟಿ ವೆಚ್ಚಗಳು
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,ಯುಟಿಲಿಟಿ ವೆಚ್ಚಗಳು
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90 ಮೇಲೆ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,ರೋ # {0}: ಜರ್ನಲ್ ಎಂಟ್ರಿ {1} ಖಾತೆಯನ್ನು ಹೊಂದಿಲ್ಲ {2} ಅಥವಾ ಈಗಾಗಲೇ ಮತ್ತೊಂದು ಚೀಟಿ ವಿರುದ್ಧ ದಾಖಲೆಗಳುಸರಿಹೊಂದಿವೆ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,ರೋ # {0}: ಜರ್ನಲ್ ಎಂಟ್ರಿ {1} ಖಾತೆಯನ್ನು ಹೊಂದಿಲ್ಲ {2} ಅಥವಾ ಈಗಾಗಲೇ ಮತ್ತೊಂದು ಚೀಟಿ ವಿರುದ್ಧ ದಾಖಲೆಗಳುಸರಿಹೊಂದಿವೆ
DocType: Buying Settings,Default Buying Price List,ಡೀಫಾಲ್ಟ್ ಬೆಲೆ ಪಟ್ಟಿ ಖರೀದಿ
DocType: Process Payroll,Salary Slip Based on Timesheet,ಸಂಬಳ ಸ್ಲಿಪ್ Timesheet ಆಧರಿಸಿ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,ಮೇಲೆ ಆಯ್ಕೆ ಮಾಡಿದ ಮಾನದಂಡ ಅಥವಾ ಸಂಬಳ ಸ್ಲಿಪ್ ಯಾವುದೇ ಉದ್ಯೋಗಿ ಈಗಾಗಲೇ ರಚಿಸಿದ
DocType: Notification Control,Sales Order Message,ಮಾರಾಟದ ಆರ್ಡರ್ ಸಂದೇಶ
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","ಇತ್ಯಾದಿ ಕಂಪನಿ, ಕರೆನ್ಸಿ , ಪ್ರಸಕ್ತ ಆರ್ಥಿಕ ವರ್ಷದ , ಹಾಗೆ ಹೊಂದಿಸಿ ಡೀಫಾಲ್ಟ್ ಮೌಲ್ಯಗಳು"
DocType: Payment Entry,Payment Type,ಪಾವತಿ ಪ್ರಕಾರ
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,ಐಟಂ ಒಂದು ಬ್ಯಾಚ್ ಆಯ್ಕೆಮಾಡಿ {0}. ಈ ಅವಶ್ಯಕತೆಯನ್ನು ಪೂರೈಸುವ ಒಂದು ಬ್ಯಾಚ್ ಸಿಗಲಿಲ್ಲವಾದ್ದರಿಂದ
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,ಐಟಂ ಒಂದು ಬ್ಯಾಚ್ ಆಯ್ಕೆಮಾಡಿ {0}. ಈ ಅವಶ್ಯಕತೆಯನ್ನು ಪೂರೈಸುವ ಒಂದು ಬ್ಯಾಚ್ ಸಿಗಲಿಲ್ಲವಾದ್ದರಿಂದ
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,ಐಟಂ ಒಂದು ಬ್ಯಾಚ್ ಆಯ್ಕೆಮಾಡಿ {0}. ಈ ಅವಶ್ಯಕತೆಯನ್ನು ಪೂರೈಸುವ ಒಂದು ಬ್ಯಾಚ್ ಸಿಗಲಿಲ್ಲವಾದ್ದರಿಂದ
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,ಐಟಂ ಒಂದು ಬ್ಯಾಚ್ ಆಯ್ಕೆಮಾಡಿ {0}. ಈ ಅವಶ್ಯಕತೆಯನ್ನು ಪೂರೈಸುವ ಒಂದು ಬ್ಯಾಚ್ ಸಿಗಲಿಲ್ಲವಾದ್ದರಿಂದ
DocType: Process Payroll,Select Employees,ಆಯ್ಕೆ ನೌಕರರು
DocType: Opportunity,Potential Sales Deal,ಸಂಭಾವ್ಯ ಮಾರಾಟ ಡೀಲ್
DocType: Payment Entry,Cheque/Reference Date,ಚೆಕ್ / ಉಲ್ಲೇಖ ದಿನಾಂಕ
@@ -2526,7 +2540,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,ರಸೀತಿ ಡಾಕ್ಯುಮೆಂಟ್ ಸಲ್ಲಿಸಬೇಕು
DocType: Purchase Invoice Item,Received Qty,ಪ್ರಮಾಣ ಸ್ವೀಕರಿಸಲಾಗಿದೆ
DocType: Stock Entry Detail,Serial No / Batch,ಯಾವುದೇ ಸೀರಿಯಲ್ / ಬ್ಯಾಚ್
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,ಮಾಡಿರುವುದಿಲ್ಲ ಪಾವತಿಸಿದ ಮತ್ತು ವಿತರಣೆ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,ಮಾಡಿರುವುದಿಲ್ಲ ಪಾವತಿಸಿದ ಮತ್ತು ವಿತರಣೆ
DocType: Product Bundle,Parent Item,ಪೋಷಕ ಐಟಂ
DocType: Account,Account Type,ಖಾತೆ ಪ್ರಕಾರ
DocType: Delivery Note,DN-RET-,ಡಿ-RET-
@@ -2541,25 +2555,24 @@
DocType: Bin,Reserved Quantity,ರಿಸರ್ವ್ಡ್ ಪ್ರಮಾಣ
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,ದಯವಿಟ್ಟು ಮಾನ್ಯವಾದ ಇಮೇಲ್ ವಿಳಾಸವನ್ನು ನಮೂದಿಸಿ
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,ದಯವಿಟ್ಟು ಮಾನ್ಯವಾದ ಇಮೇಲ್ ವಿಳಾಸವನ್ನು ನಮೂದಿಸಿ
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},ಪ್ರೋಗ್ರಾಂ ಯಾವುದೇ ಕಡ್ಡಾಯ ಕೋರ್ಸ್ ಇದೆ {0}
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},ಪ್ರೋಗ್ರಾಂ ಯಾವುದೇ ಕಡ್ಡಾಯ ಕೋರ್ಸ್ ಇದೆ {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,ಖರೀದಿ ರಸೀತಿ ಐಟಂಗಳು
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,ಇಚ್ಛೆಗೆ ತಕ್ಕಂತೆ ಫಾರ್ಮ್ಸ್
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,ಉಳಿಕೆ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,ಉಳಿಕೆ
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,ಅವಧಿಯಲ್ಲಿ ಸವಕಳಿ ಪ್ರಮಾಣ
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ ಟೆಂಪ್ಲೇಟ್ ಡೀಫಾಲ್ಟ್ ಟೆಂಪ್ಲೇಟ್ ಇರಬಾರದು
DocType: Account,Income Account,ಆದಾಯ ಖಾತೆ
DocType: Payment Request,Amount in customer's currency,ಗ್ರಾಹಕರ ಕರೆನ್ಸಿ ಪ್ರಮಾಣ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,ಡೆಲಿವರಿ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,ಡೆಲಿವರಿ
DocType: Stock Reconciliation Item,Current Qty,ಪ್ರಸ್ತುತ ಪ್ರಮಾಣ
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section","ವಿಭಾಗ ಕಾಸ್ಟಿಂಗ್ ರಲ್ಲಿ ""ಆಧರಿಸಿ ವಸ್ತುಗಳ ದರ "" ನೋಡಿ"
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,ಹಿಂದಿನದು
DocType: Appraisal Goal,Key Responsibility Area,ಪ್ರಮುಖ ಜವಾಬ್ದಾರಿ ಪ್ರದೇಶ
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","ವಿದ್ಯಾರ್ಥಿ ಬ್ಯಾಚ್ಗಳು ನೀವು ವಿದ್ಯಾರ್ಥಿಗಳು ಹಾಜರಾತಿ, ಮೌಲ್ಯಮಾಪನಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು ಟ್ರ್ಯಾಕ್ ಸಹಾಯ"
DocType: Payment Entry,Total Allocated Amount,ಒಟ್ಟು ನಿಗದಿ ಪ್ರಮಾಣ
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,ಸಾರ್ವಕಾಲಿಕ ದಾಸ್ತಾನು ಹೊಂದಿಸಲಾದ ಪೂರ್ವನಿಯೋಜಿತ ದಾಸ್ತಾನು ಖಾತೆ
DocType: Item Reorder,Material Request Type,ಮೆಟೀರಿಯಲ್ RequestType
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},ನಿಂದ {0} ಗೆ ಸಂಬಳ Accural ಜರ್ನಲ್ ಎಂಟ್ರಿ {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","ಸ್ಥಳಿಯಸಂಗ್ರಹಣೆ ಪೂರ್ಣ, ಉಳಿಸಿಲ್ಲ"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","ಸ್ಥಳಿಯಸಂಗ್ರಹಣೆ ಪೂರ್ಣ, ಉಳಿಸಿಲ್ಲ"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,ಸಾಲು {0}: ಮೈಸೂರು ವಿಶ್ವವಿದ್ಯಾನಿಲದ ಪರಿವರ್ತನಾ ಕಾರಕ ಕಡ್ಡಾಯ
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,ತೀರ್ಪುಗಾರ
DocType: Budget,Cost Center,ವೆಚ್ಚ ಸೆಂಟರ್
@@ -2572,19 +2585,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","ಬೆಲೆ ರೂಲ್ ಕೆಲವು ಮಾನದಂಡಗಳನ್ನು ಆಧರಿಸಿ, ಬೆಲೆ ಪಟ್ಟಿ / ರಿಯಾಯಿತಿ ಶೇಕಡಾವಾರು ವ್ಯಾಖ್ಯಾನಿಸಲು ಬದಲಿಸಿ ತಯಾರಿಸಲಾಗುತ್ತದೆ."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,ವೇರ್ಹೌಸ್ ಮಾತ್ರ ಸ್ಟಾಕ್ ಎಂಟ್ರಿ / ಡೆಲಿವರಿ ಸೂಚನೆ / ರಸೀತಿ ಖರೀದಿ ಮೂಲಕ ಬದಲಾಯಿಸಬಹುದು
DocType: Employee Education,Class / Percentage,ವರ್ಗ / ಶೇಕಡಾವಾರು
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,ಮಾರ್ಕೆಟಿಂಗ್ ಮತ್ತು ಮಾರಾಟದ ಮುಖ್ಯಸ್ಥ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,ವರಮಾನ ತೆರಿಗೆ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,ಮಾರ್ಕೆಟಿಂಗ್ ಮತ್ತು ಮಾರಾಟದ ಮುಖ್ಯಸ್ಥ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,ವರಮಾನ ತೆರಿಗೆ
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","ಆಯ್ಕೆ ಬೆಲೆ ರೂಲ್ 'ಬೆಲೆ' ತಯಾರಿಸಲಾಗುತ್ತದೆ, ಅದು ಬೆಲೆ ಪಟ್ಟಿ ಬದಲಿಸಿ. ಬೆಲೆ ರೂಲ್ ಬೆಲೆ ಅಂತಿಮ ಬೆಲೆ, ಆದ್ದರಿಂದ ಯಾವುದೇ ರಿಯಾಯಿತಿ ಅನ್ವಯಿಸಬಹುದಾಗಿದೆ. ಆದ್ದರಿಂದ, ಇತ್ಯಾದಿ ಮಾರಾಟದ ಆರ್ಡರ್, ಆರ್ಡರ್ ಖರೀದಿಸಿ ರೀತಿಯ ವ್ಯವಹಾರಗಳಲ್ಲಿ, ಇದು ಬದಲಿಗೆ 'ಬೆಲೆ ಪಟ್ಟಿ ದರ' ಕ್ಷೇತ್ರದಲ್ಲಿ ಹೆಚ್ಚು, 'ದರ' ಕ್ಷೇತ್ರದಲ್ಲಿ ತರಲಾಗಿದೆ ನಡೆಯಲಿದೆ."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,ಟ್ರ್ಯಾಕ್ ಇಂಡಸ್ಟ್ರಿ ಪ್ರಕಾರ ಕಾರಣವಾಗುತ್ತದೆ.
DocType: Item Supplier,Item Supplier,ಐಟಂ ಸರಬರಾಜುದಾರ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,ಯಾವುದೇ ಐಟಂ ಬ್ಯಾಚ್ ಪಡೆಯಲು ಕೋಡ್ ನಮೂದಿಸಿ
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},{0} {1} quotation_to ಒಂದು ಮೌಲ್ಯವನ್ನು ಆಯ್ಕೆ ಮಾಡಿ
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,ಯಾವುದೇ ಐಟಂ ಬ್ಯಾಚ್ ಪಡೆಯಲು ಕೋಡ್ ನಮೂದಿಸಿ
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},{0} {1} quotation_to ಒಂದು ಮೌಲ್ಯವನ್ನು ಆಯ್ಕೆ ಮಾಡಿ
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,ಎಲ್ಲಾ ವಿಳಾಸಗಳನ್ನು .
DocType: Company,Stock Settings,ಸ್ಟಾಕ್ ಸೆಟ್ಟಿಂಗ್ಗಳು
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","ಕೆಳಗಿನ ಲಕ್ಷಣಗಳು ದಾಖಲೆಗಳಲ್ಲಿ ಅದೇ ವೇಳೆ ಮರ್ಜಿಂಗ್ ಮಾತ್ರ ಸಾಧ್ಯ. ಗ್ರೂಪ್, ರೂಟ್ ಕೌಟುಂಬಿಕತೆ, ಕಂಪನಿ"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","ಕೆಳಗಿನ ಲಕ್ಷಣಗಳು ದಾಖಲೆಗಳಲ್ಲಿ ಅದೇ ವೇಳೆ ಮರ್ಜಿಂಗ್ ಮಾತ್ರ ಸಾಧ್ಯ. ಗ್ರೂಪ್, ರೂಟ್ ಕೌಟುಂಬಿಕತೆ, ಕಂಪನಿ"
DocType: Vehicle,Electric,ಎಲೆಕ್ಟ್ರಿಕ್
DocType: Task,% Progress,% ಪ್ರೋಗ್ರೆಸ್
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,ಆಸ್ತಿ ವಿಲೇವಾರಿ ಮೇಲೆ ಗಳಿಕೆ / ನಷ್ಟ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,ಆಸ್ತಿ ವಿಲೇವಾರಿ ಮೇಲೆ ಗಳಿಕೆ / ನಷ್ಟ
DocType: Training Event,Will send an email about the event to employees with status 'Open',ಸ್ಥಿತಿ ಕ್ರಿಯೆಯನ್ನು ಬಗ್ಗೆ ಒಂದು ಇಮೇಲ್ ಕಳುಹಿಸುತ್ತೇವೆ ನೌಕರರಿಗೆ 'ಮುಕ್ತ'
DocType: Task,Depends on Tasks,ಕಾರ್ಯಗಳು ಅವಲಂಬಿಸಿದೆ
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,ಗ್ರಾಹಕ ಮ್ಯಾನೇಜ್ಮೆಂಟ್ ಗ್ರೂಪ್ ಟ್ರೀ .
@@ -2593,7 +2606,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,ಹೊಸ ವೆಚ್ಚ ಸೆಂಟರ್ ಹೆಸರು
DocType: Leave Control Panel,Leave Control Panel,ಕಂಟ್ರೋಲ್ ಪ್ಯಾನಲ್ ಬಿಡಿ
DocType: Project,Task Completion,ಕಾರ್ಯ ಪೂರ್ಣಗೊಂಡ
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,ಮಾಡಿರುವುದಿಲ್ಲ ಸ್ಟಾಕ್
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,ಮಾಡಿರುವುದಿಲ್ಲ ಸ್ಟಾಕ್
DocType: Appraisal,HR User,ಮಾನವ ಸಂಪನ್ಮೂಲ ಬಳಕೆದಾರ
DocType: Purchase Invoice,Taxes and Charges Deducted,ಕಡಿತಗೊಳಿಸಲಾಗುತ್ತದೆ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು
apps/erpnext/erpnext/hooks.py +116,Issues,ತೊಂದರೆಗಳು
@@ -2604,22 +2617,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},ಸಂಬಳ ಸ್ಲಿಪ್ ನಡುವಿನ ಭಾಗದಲ್ಲಿ {0} ಮತ್ತು {1}
,Pending SO Items For Purchase Request,ಖರೀದಿ ವಿನಂತಿ ಆದ್ದರಿಂದ ಐಟಂಗಳು ಬಾಕಿ
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,ವಿದ್ಯಾರ್ಥಿ ಪ್ರವೇಶ
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ
DocType: Supplier,Billing Currency,ಬಿಲ್ಲಿಂಗ್ ಕರೆನ್ಸಿ
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,ಎಕ್ಸ್ಟ್ರಾ ದೊಡ್ಡದು
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,ಎಕ್ಸ್ಟ್ರಾ ದೊಡ್ಡದು
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,ಒಟ್ಟು ಎಲೆಗಳು
,Profit and Loss Statement,ಲಾಭ ಮತ್ತು ನಷ್ಟ ಹೇಳಿಕೆ
DocType: Bank Reconciliation Detail,Cheque Number,ಚೆಕ್ ಸಂಖ್ಯೆ
,Sales Browser,ಮಾರಾಟದ ಬ್ರೌಸರ್
DocType: Journal Entry,Total Credit,ಒಟ್ಟು ಕ್ರೆಡಿಟ್
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},ಎಚ್ಚರಿಕೆ: ಮತ್ತೊಂದು {0} # {1} ಸ್ಟಾಕ್ ಪ್ರವೇಶ ವಿರುದ್ಧ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,ಸ್ಥಳೀಯ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,ಸ್ಥಳೀಯ
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),ಸಾಲ ಮತ್ತು ಅಡ್ವಾನ್ಸಸ್ ( ಆಸ್ತಿಗಳು )
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,ಸಾಲಗಾರರು
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,ದೊಡ್ಡ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,ದೊಡ್ಡ
DocType: Homepage Featured Product,Homepage Featured Product,ಮುಖಪುಟ ಉತ್ಪನ್ನ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,ಎಲ್ಲಾ ಅಸೆಸ್ಮೆಂಟ್ ಗುಂಪುಗಳು
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,ಎಲ್ಲಾ ಅಸೆಸ್ಮೆಂಟ್ ಗುಂಪುಗಳು
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,ಹೊಸ ವೇರ್ಹೌಸ್ ಹೆಸರು
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),ಒಟ್ಟು {0} ({1})
DocType: C-Form Invoice Detail,Territory,ಕ್ಷೇತ್ರ
@@ -2629,12 +2642,12 @@
DocType: Production Order Operation,Planned Start Time,ಯೋಜಿತ ಆರಂಭಿಸಲು ಸಮಯ
DocType: Course,Assessment,ಅಸೆಸ್ಮೆಂಟ್
DocType: Payment Entry Reference,Allocated,ಹಂಚಿಕೆ
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,ಮುಚ್ಚಿ ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಮತ್ತು ಪುಸ್ತಕ ಲಾಭ ಅಥವಾ ನಷ್ಟ .
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,ಮುಚ್ಚಿ ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಮತ್ತು ಪುಸ್ತಕ ಲಾಭ ಅಥವಾ ನಷ್ಟ .
DocType: Student Applicant,Application Status,ಅಪ್ಲಿಕೇಶನ್ ಸ್ಥಿತಿ
DocType: Fees,Fees,ಶುಲ್ಕ
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ವಿನಿಮಯ ದರ ಇನ್ನೊಂದು ಒಂದು ಕರೆನ್ಸಿ ಪರಿವರ್ತಿಸಲು ಸೂಚಿಸಿ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,ನುಡಿಮುತ್ತುಗಳು {0} ರದ್ದು
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,ಒಟ್ಟು ಬಾಕಿ ಮೊತ್ತದ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,ಒಟ್ಟು ಬಾಕಿ ಮೊತ್ತದ
DocType: Sales Partner,Targets,ಗುರಿ
DocType: Price List,Price List Master,ದರ ಪಟ್ಟಿ ಮಾಸ್ಟರ್
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,ನೀವು ಸೆಟ್ ಮತ್ತು ಗುರಿಗಳನ್ನು ಮೇಲ್ವಿಚಾರಣೆ ಆ ಎಲ್ಲಾ ಮಾರಾಟದ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ ಅನೇಕ ** ಮಾರಾಟದ ವ್ಯಕ್ತಿಗಳು ** ವಿರುದ್ಧ ಟ್ಯಾಗ್ ಮಾಡಬಹುದು.
@@ -2678,12 +2691,12 @@
1 ಮಾರ್ಗಗಳು. ವಿಳಾಸ ಮತ್ತು ನಿಮ್ಮ ಕಂಪನಿ ಸಂಪರ್ಕಿಸಿ."
DocType: Attendance,Leave Type,ಪ್ರಕಾರ ಬಿಡಿ
DocType: Purchase Invoice,Supplier Invoice Details,ಸರಬರಾಜುದಾರ ಇನ್ವಾಯ್ಸ್ ವಿವರಗಳು
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,ಖರ್ಚು / ವ್ಯತ್ಯಾಸ ಖಾತೆ ({0}) ಒಂದು 'ಲಾಭ ಅಥವಾ ನಷ್ಟ' ಖಾತೆ ಇರಬೇಕು
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,ಖರ್ಚು / ವ್ಯತ್ಯಾಸ ಖಾತೆ ({0}) ಒಂದು 'ಲಾಭ ಅಥವಾ ನಷ್ಟ' ಖಾತೆ ಇರಬೇಕು
DocType: Project,Copied From,ನಕಲು
DocType: Project,Copied From,ನಕಲು
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},ಹೆಸರು ದೋಷ: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,ಕೊರತೆ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} ಸಂಬಂಧಿಸಿದ ಇಲ್ಲ {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} ಸಂಬಂಧಿಸಿದ ಇಲ್ಲ {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,ನೌಕರ ಅಟೆಂಡೆನ್ಸ್ {0} ಈಗಾಗಲೇ ಗುರುತಿಸಲಾಗಿದೆ
DocType: Packing Slip,If more than one package of the same type (for print),ವೇಳೆ ( ಮುದ್ರಣ ) ಅದೇ ರೀತಿಯ ಒಂದಕ್ಕಿಂತ ಹೆಚ್ಚು ಪ್ಯಾಕೇಜ್
,Salary Register,ಸಂಬಳ ನೋಂದಣಿ
@@ -2701,22 +2714,23 @@
,Requested Qty,ವಿನಂತಿಸಲಾಗಿದೆ ಪ್ರಮಾಣ
DocType: Tax Rule,Use for Shopping Cart,ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ಬಳಸಲು
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},ಮೌಲ್ಯ {0} ವೈಶಿಷ್ಟ್ಯದ {1} ಮಾನ್ಯ ಐಟಂ ಪಟ್ಟಿಯಲ್ಲಿ ಐಟಂ ಆಟ್ರಿಬ್ಯೂಟ್ ಮೌಲ್ಯಗಳು ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,ಸೀರಿಯಲ್ ಸಂಖ್ಯೆಗಳು ಆಯ್ಕೆ
DocType: BOM Item,Scrap %,ಸ್ಕ್ರ್ಯಾಪ್ %
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","ಆರೋಪಗಳನ್ನು ಸೂಕ್ತ ಪ್ರಮಾಣದಲ್ಲಿ ನಿಮ್ಮ ಆಯ್ಕೆಯ ಪ್ರಕಾರ, ಐಟಂ ಪ್ರಮಾಣ ಅಥವಾ ಪ್ರಮಾಣವನ್ನು ಆಧರಿಸಿ ಹಂಚಲಾಗುತ್ತದೆ"
DocType: Maintenance Visit,Purposes,ಉದ್ದೇಶಗಳಿಗಾಗಿ
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,ಕನಿಷ್ಠ ಒಂದು ಐಟಂ ರಿಟರ್ನ್ ದಸ್ತಾವೇಜು ನಕಾರಾತ್ಮಕ ಪ್ರಮಾಣ ದಾಖಲಿಸಬೇಕಾಗುತ್ತದೆ
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,ಕನಿಷ್ಠ ಒಂದು ಐಟಂ ರಿಟರ್ನ್ ದಸ್ತಾವೇಜು ನಕಾರಾತ್ಮಕ ಪ್ರಮಾಣ ದಾಖಲಿಸಬೇಕಾಗುತ್ತದೆ
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","ಆಪರೇಷನ್ {0} ಕಾರ್ಯಸ್ಥಳ ಯಾವುದೇ ಲಭ್ಯವಿರುವ ಕೆಲಸದ ಹೆಚ್ಚು {1}, ಅನೇಕ ಕಾರ್ಯಾಚರಣೆಗಳು ಆಪರೇಷನ್ ಮುರಿಯಲು"
,Requested,ವಿನಂತಿಸಲಾಗಿದೆ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,ಯಾವುದೇ ಟೀಕೆಗಳನ್ನು
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,ಯಾವುದೇ ಟೀಕೆಗಳನ್ನು
DocType: Purchase Invoice,Overdue,ಮಿತಿಮೀರಿದ
DocType: Account,Stock Received But Not Billed,ಸ್ಟಾಕ್ ಪಡೆದರು ಆದರೆ ಖ್ಯಾತವಾದ ಮಾಡಿರುವುದಿಲ್ಲ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,ಮೂಲ ಖಾತೆಯು ಒಂದು ಗುಂಪು ಇರಬೇಕು
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,ಮೂಲ ಖಾತೆಯು ಒಂದು ಗುಂಪು ಇರಬೇಕು
DocType: Fees,FEE.,ಶುಲ್ಕ.
DocType: Employee Loan,Repaid/Closed,ಮರುಪಾವತಿ / ಮುಚ್ಚಲಾಗಿದೆ
DocType: Item,Total Projected Qty,ಒಟ್ಟು ಯೋಜಿತ ಪ್ರಮಾಣ
DocType: Monthly Distribution,Distribution Name,ವಿತರಣೆ ಹೆಸರು
DocType: Course,Course Code,ಕೋರ್ಸ್ ಕೋಡ್
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},ಐಟಂ ಬೇಕಾದ ಗುಣಮಟ್ಟ ತಪಾಸಣೆ {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},ಐಟಂ ಬೇಕಾದ ಗುಣಮಟ್ಟ ತಪಾಸಣೆ {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,ಗ್ರಾಹಕ ಕರೆನ್ಸಿ ದರ ಕಂಪನಿಯ ಬೇಸ್ ಕರೆನ್ಸಿ ಪರಿವರ್ತನೆ
DocType: Purchase Invoice Item,Net Rate (Company Currency),ನೆಟ್ ದರ (ಕಂಪನಿ ಕರೆನ್ಸಿ)
DocType: Salary Detail,Condition and Formula Help,ಪರಿಸ್ಥಿತಿ ಮತ್ತು ಫಾರ್ಮುಲಾ ಸಹಾಯ
@@ -2729,27 +2743,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,ತಯಾರಿಕೆಗೆ ವಸ್ತು ವರ್ಗಾವಣೆ
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,ರಿಯಾಯಿತಿ ಶೇಕಡಾವಾರು ಬೆಲೆ ಪಟ್ಟಿ ವಿರುದ್ಧ ಅಥವಾ ಎಲ್ಲಾ ಬೆಲೆ ಪಟ್ಟಿ ಎರಡೂ ಅನ್ವಯಿಸಬಹುದು.
DocType: Purchase Invoice,Half-yearly,ಅರ್ಧವಾರ್ಷಿಕ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,ಸ್ಟಾಕ್ ಲೆಕ್ಕಪರಿಶೋಧಕ ಎಂಟ್ರಿ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,ಸ್ಟಾಕ್ ಲೆಕ್ಕಪರಿಶೋಧಕ ಎಂಟ್ರಿ
DocType: Vehicle Service,Engine Oil,ಎಂಜಿನ್ ತೈಲ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,ದಯವಿಟ್ಟು ಸೆಟಪ್ ನೌಕರರ ಮಾನವ ಸಂಪನ್ಮೂಲ ವ್ಯವಸ್ಥೆ ಹೆಸರಿಸುವ> ಮಾನವ ಸಂಪನ್ಮೂಲ ಸೆಟ್ಟಿಂಗ್ಗಳು
DocType: Sales Invoice,Sales Team1,ಮಾರಾಟದ team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,ಐಟಂ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
DocType: Sales Invoice,Customer Address,ಗ್ರಾಹಕ ವಿಳಾಸ
DocType: Employee Loan,Loan Details,ಸಾಲ ವಿವರಗಳು
+DocType: Company,Default Inventory Account,ಡೀಫಾಲ್ಟ್ ಇನ್ವೆಂಟರಿ ಖಾತೆ
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,ರೋ {0}: ಪೂರ್ಣಗೊಂಡಿದೆ ಪ್ರಮಾಣ ಹೆಚ್ಚಾಗಿದೆ ಶೂನ್ಯ ಇರಬೇಕು.
DocType: Purchase Invoice,Apply Additional Discount On,ಹೆಚ್ಚುವರಿ ರಿಯಾಯತಿ ಅನ್ವಯಿಸು
DocType: Account,Root Type,ರೂಟ್ ಪ್ರಕಾರ
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},ರೋ # {0}: ಹೆಚ್ಚು ಮರಳಲು ಸಾಧ್ಯವಿಲ್ಲ {1} ಐಟಂ {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},ರೋ # {0}: ಹೆಚ್ಚು ಮರಳಲು ಸಾಧ್ಯವಿಲ್ಲ {1} ಐಟಂ {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,ಪ್ಲಾಟ್
DocType: Item Group,Show this slideshow at the top of the page,ಪುಟದ ಮೇಲಿರುವ ಈ ಸ್ಲೈಡ್ಶೋ ತೋರಿಸು
DocType: BOM,Item UOM,ಐಟಂ UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),ಡಿಸ್ಕೌಂಟ್ ಪ್ರಮಾಣದ ನಂತರ ತೆರಿಗೆ ಪ್ರಮಾಣ (ಕಂಪನಿ ಕರೆನ್ಸಿ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},ಟಾರ್ಗೆಟ್ ಗೋದಾಮಿನ ಸಾಲು ಕಡ್ಡಾಯ {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},ಟಾರ್ಗೆಟ್ ಗೋದಾಮಿನ ಸಾಲು ಕಡ್ಡಾಯ {0}
DocType: Cheque Print Template,Primary Settings,ಪ್ರಾಥಮಿಕ ಸೆಟ್ಟಿಂಗ್ಗಳು
DocType: Purchase Invoice,Select Supplier Address,ಸರಬರಾಜುದಾರ ವಿಳಾಸ ಆಯ್ಕೆ
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,ನೌಕರರು ಸೇರಿಸಿ
DocType: Purchase Invoice Item,Quality Inspection,ಗುಣಮಟ್ಟದ ತಪಾಸಣೆ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,ಹೆಚ್ಚುವರಿ ಸಣ್ಣ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,ಹೆಚ್ಚುವರಿ ಸಣ್ಣ
DocType: Company,Standard Template,ಸ್ಟ್ಯಾಂಡರ್ಡ್ ಟೆಂಪ್ಲೇಟು
DocType: Training Event,Theory,ಥಿಯರಿ
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,ಎಚ್ಚರಿಕೆ : ಪ್ರಮಾಣ ವಿನಂತಿಸಿದ ವಸ್ತು ಕನಿಷ್ಠ ಪ್ರಮಾಣ ಆದೇಶ ಕಡಿಮೆ
@@ -2757,7 +2773,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,ಸಂಸ್ಥೆ ಸೇರಿದ ಖಾತೆಗಳ ಪ್ರತ್ಯೇಕ ಚಾರ್ಟ್ ಜೊತೆಗೆ ಕಾನೂನು ಘಟಕದ / ಅಂಗಸಂಸ್ಥೆ.
DocType: Payment Request,Mute Email,ಮ್ಯೂಟ್ ಇಮೇಲ್
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","ಆಹಾರ , ಪಾನೀಯ ಮತ್ತು ತಂಬಾಕು"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},ಮಾತ್ರ ವಿರುದ್ಧ ಪಾವತಿ ಮಾಡಬಹುದು unbilled {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},ಮಾತ್ರ ವಿರುದ್ಧ ಪಾವತಿ ಮಾಡಬಹುದು unbilled {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,ಕಮಿಷನ್ ದರ 100 ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ
DocType: Stock Entry,Subcontract,subcontract
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,ಮೊದಲ {0} ನಮೂದಿಸಿ
@@ -2770,18 +2786,18 @@
DocType: SMS Log,No of Sent SMS,ಕಳುಹಿಸಲಾಗಿದೆ ಎಸ್ಎಂಎಸ್ ಸಂಖ್ಯೆ
DocType: Account,Expense Account,ವೆಚ್ಚದಲ್ಲಿ ಖಾತೆಯನ್ನು
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,ತಂತ್ರಾಂಶ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,ಬಣ್ಣದ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,ಬಣ್ಣದ
DocType: Assessment Plan Criteria,Assessment Plan Criteria,ಅಸೆಸ್ಮೆಂಟ್ ಯೋಜನೆ ಮಾನದಂಡ
DocType: Training Event,Scheduled,ಪರಿಶಿಷ್ಟ
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,ಉದ್ಧರಣಾ ಫಾರ್ ವಿನಂತಿ.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","ಇಲ್ಲ" ಮತ್ತು "ಮಾರಾಟ ಐಟಂ" "ಸ್ಟಾಕ್ ಐಟಂ" ಅಲ್ಲಿ "ಹೌದು" ಐಟಂ ಆಯ್ಕೆ ಮತ್ತು ಯಾವುದೇ ಉತ್ಪನ್ನ ಕಟ್ಟು ಇಲ್ಲ ದಯವಿಟ್ಟು
DocType: Student Log,Academic,ಶೈಕ್ಷಣಿಕ
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ಒಟ್ಟು ಮುಂಚಿತವಾಗಿ ({0}) ಆರ್ಡರ್ ವಿರುದ್ಧ {1} ಗ್ರ್ಯಾಂಡ್ ಒಟ್ಟು ಅಧಿಕವಾಗಿರುತ್ತದೆ ಸಾಧ್ಯವಿಲ್ಲ ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ಒಟ್ಟು ಮುಂಚಿತವಾಗಿ ({0}) ಆರ್ಡರ್ ವಿರುದ್ಧ {1} ಗ್ರ್ಯಾಂಡ್ ಒಟ್ಟು ಅಧಿಕವಾಗಿರುತ್ತದೆ ಸಾಧ್ಯವಿಲ್ಲ ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,ಅಸಮಾನವಾಗಿ ತಿಂಗಳ ಅಡ್ಡಲಾಗಿ ಗುರಿಗಳನ್ನು ವಿತರಿಸಲು ಮಾಸಿಕ ವಿತರಣೆ ಆಯ್ಕೆ.
DocType: Purchase Invoice Item,Valuation Rate,ಮೌಲ್ಯಾಂಕನ ದರ
DocType: Stock Reconciliation,SR/,ಎಸ್ಆರ್ /
DocType: Vehicle,Diesel,ಡೀಸೆಲ್
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,ಬೆಲೆ ಪಟ್ಟಿ ಕರೆನ್ಸಿ ಆಯ್ಕೆ ಇಲ್ಲ
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,ಬೆಲೆ ಪಟ್ಟಿ ಕರೆನ್ಸಿ ಆಯ್ಕೆ ಇಲ್ಲ
,Student Monthly Attendance Sheet,ವಿದ್ಯಾರ್ಥಿ ಮಾಸಿಕ ಅಟೆಂಡೆನ್ಸ್ ಶೀಟ್
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},ನೌಕರರ {0} ಈಗಾಗಲೇ {1} {2} ಮತ್ತು ನಡುವೆ ಅನ್ವಯಿಸಿದ್ದಾರೆ {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,ಪ್ರಾಜೆಕ್ಟ್ ಪ್ರಾರಂಭ ದಿನಾಂಕ
@@ -2794,7 +2810,7 @@
DocType: BOM,Scrap,ಸ್ಕ್ರ್ಯಾಪ್
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,ಮಾರಾಟದ ಪಾರ್ಟ್ನರ್ಸ್ ನಿರ್ವಹಿಸಿ.
DocType: Quality Inspection,Inspection Type,ಇನ್ಸ್ಪೆಕ್ಷನ್ ಪ್ರಕಾರ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಗೋದಾಮುಗಳು ಗುಂಪು ಪರಿವರ್ತಿಸಬಹುದು ಸಾಧ್ಯವಿಲ್ಲ.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಗೋದಾಮುಗಳು ಗುಂಪು ಪರಿವರ್ತಿಸಬಹುದು ಸಾಧ್ಯವಿಲ್ಲ.
DocType: Assessment Result Tool,Result HTML,ಪರಿಣಾಮವಾಗಿ HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,ರಂದು ಅವಧಿ ಮೀರುತ್ತದೆ
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,ವಿದ್ಯಾರ್ಥಿಗಳು ಸೇರಿಸಿ
@@ -2802,13 +2818,13 @@
DocType: C-Form,C-Form No,ಸಿ ಫಾರ್ಮ್ ನಂ
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,ಗುರುತು ಅಟೆಂಡೆನ್ಸ್
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,ಸಂಶೋಧಕ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,ಸಂಶೋಧಕ
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ನೋಂದಣಿ ಉಪಕರಣ ವಿದ್ಯಾರ್ಥಿ
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,ಹೆಸರು ಅಥವಾ ಇಮೇಲ್ ಕಡ್ಡಾಯ
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,ಒಳಬರುವ ಗುಣಮಟ್ಟ ತಪಾಸಣೆ .
DocType: Purchase Order Item,Returned Qty,ಮರಳಿದರು ಪ್ರಮಾಣ
DocType: Employee,Exit,ನಿರ್ಗಮನ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,ರೂಟ್ ಪ್ರಕಾರ ಕಡ್ಡಾಯ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,ರೂಟ್ ಪ್ರಕಾರ ಕಡ್ಡಾಯ
DocType: BOM,Total Cost(Company Currency),ಒಟ್ಟು ವೆಚ್ಚ (ಕಂಪನಿ ಕರೆನ್ಸಿ)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ದಾಖಲಿಸಿದವರು
DocType: Homepage,Company Description for website homepage,ವೆಬ್ಸೈಟ್ ಮುಖಪುಟಕ್ಕೆ ಕಂಪನಿ ವಿವರಣೆ
@@ -2817,7 +2833,7 @@
DocType: Sales Invoice,Time Sheet List,ಟೈಮ್ ಶೀಟ್ ಪಟ್ಟಿ
DocType: Employee,You can enter any date manually,ನೀವು ಕೈಯಾರೆ ಯಾವುದೇ ದಿನಾಂಕ ನಮೂದಿಸಬಹುದು
DocType: Asset Category Account,Depreciation Expense Account,ಸವಕಳಿ ಖರ್ಚುವೆಚ್ಚ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,ಉಮೇದುವಾರಿಕೆಯ ಅವಧಿಯಲ್ಲಿ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,ಉಮೇದುವಾರಿಕೆಯ ಅವಧಿಯಲ್ಲಿ
DocType: Customer Group,Only leaf nodes are allowed in transaction,ಮಾತ್ರ ಲೀಫ್ ನೋಡ್ಗಳು ವ್ಯವಹಾರದಲ್ಲಿ ಅವಕಾಶ
DocType: Expense Claim,Expense Approver,ವೆಚ್ಚದಲ್ಲಿ ಅನುಮೋದಕ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,ಸಾಲು {0}: ಗ್ರಾಹಕ ವಿರುದ್ಧ ಅಡ್ವಾನ್ಸ್ ಕ್ರೆಡಿಟ್ ಇರಬೇಕು
@@ -2831,10 +2847,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,ಕೋರ್ಸ್ ವೇಳಾಪಟ್ಟಿಗಳು ಅಳಿಸಲಾಗಿದೆ:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,SMS ಡೆಲಿವರಿ ಸ್ಥಾನಮಾನ ಕಾಯ್ದುಕೊಳ್ಳುವುದು ದಾಖಲೆಗಳು
DocType: Accounts Settings,Make Payment via Journal Entry,ಜರ್ನಲ್ ಎಂಟ್ರಿ ಮೂಲಕ ಪಾವತಿ ಮಾಡಲು
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,ಮುದ್ರಿಸಲಾಗಿತ್ತು
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,ಮುದ್ರಿಸಲಾಗಿತ್ತು
DocType: Item,Inspection Required before Delivery,ತಪಾಸಣೆ ಅಗತ್ಯ ಡೆಲಿವರಿ ಮೊದಲು
DocType: Item,Inspection Required before Purchase,ತಪಾಸಣೆ ಅಗತ್ಯ ಖರೀದಿ ಮೊದಲು
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,ಬಾಕಿ ಚಟುವಟಿಕೆಗಳು
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,ನಿಮ್ಮ ಸಂಸ್ಥೆ
DocType: Fee Component,Fees Category,ಶುಲ್ಕ ವರ್ಗ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,ದಿನಾಂಕ ನಿವಾರಿಸುವ ನಮೂದಿಸಿ.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,ಮೊತ್ತ
@@ -2844,9 +2861,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,ಮರುಕ್ರಮಗೊಳಿಸಿ ಮಟ್ಟ
DocType: Company,Chart Of Accounts Template,ಖಾತೆಗಳನ್ನು ಟೆಂಪ್ಲೇಟು ಚಾರ್ಟ್
DocType: Attendance,Attendance Date,ಅಟೆಂಡೆನ್ಸ್ ದಿನಾಂಕ
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},ಐಟಂ ಬೆಲೆ {0} ಬೆಲೆ ಪಟ್ಟಿ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},ಐಟಂ ಬೆಲೆ {0} ಬೆಲೆ ಪಟ್ಟಿ ಅಪ್ಡೇಟ್ಗೊಳಿಸಲಾಗಿದೆ {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,ಸಂಬಳ ವಿಘಟನೆಯ ಸಂಪಾದಿಸಿದ ಮತ್ತು ಕಳೆಯುವುದು ಆಧರಿಸಿ .
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,ಚೈಲ್ಡ್ ನೋಡ್ಗಳ ಜೊತೆ ಖಾತೆ ಲೆಡ್ಜರ್ ಪರಿವರ್ತನೆ ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,ಚೈಲ್ಡ್ ನೋಡ್ಗಳ ಜೊತೆ ಖಾತೆ ಲೆಡ್ಜರ್ ಪರಿವರ್ತನೆ ಸಾಧ್ಯವಿಲ್ಲ
DocType: Purchase Invoice Item,Accepted Warehouse,ಅಕ್ಸೆಪ್ಟೆಡ್ ವೇರ್ಹೌಸ್
DocType: Bank Reconciliation Detail,Posting Date,ದಿನಾಂಕ ಪೋಸ್ಟ್
DocType: Item,Valuation Method,ಮೌಲ್ಯಮಾಪನ ವಿಧಾನ
@@ -2855,14 +2872,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,ಪ್ರವೇಶ ನಕಲು
DocType: Program Enrollment Tool,Get Students,ವಿದ್ಯಾರ್ಥಿಗಳು ಪಡೆಯಿರಿ
DocType: Serial No,Under Warranty,ವಾರಂಟಿ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[ದೋಷ]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[ದೋಷ]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,ನೀವು ಮಾರಾಟದ ಆರ್ಡರ್ ಉಳಿಸಲು ಒಮ್ಮೆ ವರ್ಡ್ಸ್ ಗೋಚರಿಸುತ್ತದೆ.
,Employee Birthday,ನೌಕರರ ಜನ್ಮದಿನ
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,ವಿದ್ಯಾರ್ಥಿ ಬ್ಯಾಚ್ ಅಟೆಂಡೆನ್ಸ್ ಉಪಕರಣ
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,ಮಿತಿ ಕ್ರಾಸ್ಡ್
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,ಮಿತಿ ಕ್ರಾಸ್ಡ್
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,ಸಾಹಸೋದ್ಯಮ ಬಂಡವಾಳ
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,ಈ ಶೈಕ್ಷಣಿಕ ವರ್ಷದ ಶೈಕ್ಷಣಿಕ ಪದವನ್ನು {0} ಮತ್ತು 'ಟರ್ಮ್ ಹೆಸರು' {1} ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ. ದಯವಿಟ್ಟು ಈ ನಮೂದುಗಳನ್ನು ಮಾರ್ಪಡಿಸಲು ಹಾಗೂ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","ಐಟಂ {0} ವಿರುದ್ಧದ ವ್ಯವಹಾರ ಇವೆ, ನೀವು ಮೌಲ್ಯವನ್ನು ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","ಐಟಂ {0} ವಿರುದ್ಧದ ವ್ಯವಹಾರ ಇವೆ, ನೀವು ಮೌಲ್ಯವನ್ನು ಬದಲಾಯಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ {1}"
DocType: UOM,Must be Whole Number,ಹೋಲ್ ಸಂಖ್ಯೆ ಇರಬೇಕು
DocType: Leave Control Panel,New Leaves Allocated (In Days),( ದಿನಗಳಲ್ಲಿ) ನಿಗದಿ ಹೊಸ ಎಲೆಗಳು
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
@@ -2871,6 +2888,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,ಸರಕುಪಟ್ಟಿ ಸಂಖ್ಯೆ
DocType: Shopping Cart Settings,Orders,ಆರ್ಡರ್ಸ್
DocType: Employee Leave Approver,Leave Approver,ಅನುಮೋದಕ ಬಿಡಿ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,ದಯವಿಟ್ಟು ತಂಡ ಆಯ್ಕೆ
DocType: Assessment Group,Assessment Group Name,ಅಸೆಸ್ಮೆಂಟ್ ಗುಂಪು ಹೆಸರು
DocType: Manufacturing Settings,Material Transferred for Manufacture,ವಸ್ತು ತಯಾರಿಕೆಗೆ ವರ್ಗಾಯಿಸಲಾಯಿತು
DocType: Expense Claim,"A user with ""Expense Approver"" role","""ಖರ್ಚು ಅನುಮೋದಕ"" ಪಾತ್ರವನ್ನು ಒಂದು ಬಳಕೆದಾರ"
@@ -2880,9 +2898,10 @@
DocType: Target Detail,Target Detail,ವಿವರ ಟಾರ್ಗೆಟ್
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,ಎಲ್ಲಾ ಉದ್ಯೋಗ
DocType: Sales Order,% of materials billed against this Sales Order,ಈ ಮಾರಾಟದ ಆರ್ಡರ್ ವಿರುದ್ಧ ಕೊಕ್ಕಿನ ವಸ್ತುಗಳ %
+DocType: Program Enrollment,Mode of Transportation,ಸಾರಿಗೆ ಮೋಡ್
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,ಅವಧಿಯ ಮುಕ್ತಾಯ ಎಂಟ್ರಿ
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವ್ಯವಹಾರಗಳು ವೆಚ್ಚ ಸೆಂಟರ್ ಗುಂಪು ಪರಿವರ್ತನೆ ಸಾಧ್ಯವಿಲ್ಲ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},ಪ್ರಮಾಣ {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},ಪ್ರಮಾಣ {0} {1} {2} {3}
DocType: Account,Depreciation,ಸವಕಳಿ
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),ಪೂರೈಕೆದಾರ (ರು)
DocType: Employee Attendance Tool,Employee Attendance Tool,ನೌಕರರ ಅಟೆಂಡೆನ್ಸ್ ಉಪಕರಣ
@@ -2890,7 +2909,7 @@
DocType: Supplier,Credit Limit,ಕ್ರೆಡಿಟ್ ಮಿತಿಯನ್ನು
DocType: Production Plan Sales Order,Salse Order Date,ಮಣ್ಣಿನ ಜ್ವಾಲಾಮುಖಿ ಆದೇಶ ದಿನಾಂಕ
DocType: Salary Component,Salary Component,ಸಂಬಳ ಕಾಂಪೊನೆಂಟ್
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,ಪಾವತಿ ನಮೂದುಗಳು {0} ಅನ್ ಬಂಧಿಸಿಲ್ಲ
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,ಪಾವತಿ ನಮೂದುಗಳು {0} ಅನ್ ಬಂಧಿಸಿಲ್ಲ
DocType: GL Entry,Voucher No,ಚೀಟಿ ಸಂಖ್ಯೆ
,Lead Owner Efficiency,ಲೀಡ್ ಮಾಲೀಕ ದಕ್ಷತೆ
,Lead Owner Efficiency,ಲೀಡ್ ಮಾಲೀಕ ದಕ್ಷತೆ
@@ -2902,11 +2921,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,ನಿಯಮಗಳು ಅಥವಾ ಒಪ್ಪಂದದ ಟೆಂಪ್ಲೇಟು .
DocType: Purchase Invoice,Address and Contact,ವಿಳಾಸ ಮತ್ತು ಸಂಪರ್ಕ
DocType: Cheque Print Template,Is Account Payable,ಖಾತೆ ಪಾವತಿಸಲಾಗುವುದು
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},ಷೇರು ಖರೀದಿ ರಸೀತಿ ವಿರುದ್ಧ ನವೀಕರಿಸಲಾಗುವುದಿಲ್ಲ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},ಷೇರು ಖರೀದಿ ರಸೀತಿ ವಿರುದ್ಧ ನವೀಕರಿಸಲಾಗುವುದಿಲ್ಲ {0}
DocType: Supplier,Last Day of the Next Month,ಮುಂದಿನ ತಿಂಗಳ ಕೊನೆಯ ದಿನ
DocType: Support Settings,Auto close Issue after 7 days,7 ದಿನಗಳ ನಂತರ ಆಟೋ ನಿಕಟ ಸಂಚಿಕೆ
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","ಮೊದಲು ಹಂಚಿಕೆ ಸಾಧ್ಯವಿಲ್ಲ ಬಿಡಿ {0}, ರಜೆ ಸಮತೋಲನ ಈಗಾಗಲೇ ಕ್ಯಾರಿ ಫಾರ್ವರ್ಡ್ ಭವಿಷ್ಯದ ರಜೆ ಹಂಚಿಕೆ ದಾಖಲೆಯಲ್ಲಿ ಬಂದಿದೆ {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),ಗಮನಿಸಿ: ಕಾರಣ / ಉಲ್ಲೇಖ ದಿನಾಂಕ {0} ದಿನ ಅವಕಾಶ ಗ್ರಾಹಕ ಕ್ರೆಡಿಟ್ ದಿನಗಳ ಮೀರಿದೆ (ರು)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),ಗಮನಿಸಿ: ಕಾರಣ / ಉಲ್ಲೇಖ ದಿನಾಂಕ {0} ದಿನ ಅವಕಾಶ ಗ್ರಾಹಕ ಕ್ರೆಡಿಟ್ ದಿನಗಳ ಮೀರಿದೆ (ರು)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,ವಿದ್ಯಾರ್ಥಿ ಅರ್ಜಿದಾರರ
DocType: Asset Category Account,Accumulated Depreciation Account,ಕ್ರೋಢಿಕೃತ ಸವಕಳಿ ಖಾತೆ
DocType: Stock Settings,Freeze Stock Entries,ಫ್ರೀಜ್ ಸ್ಟಾಕ್ ನಮೂದುಗಳು
@@ -2915,36 +2934,36 @@
DocType: Activity Cost,Billing Rate,ಬಿಲ್ಲಿಂಗ್ ದರ
,Qty to Deliver,ಡೆಲಿವರ್ ಪ್ರಮಾಣ
,Stock Analytics,ಸ್ಟಾಕ್ ಅನಾಲಿಟಿಕ್ಸ್
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,ಕಾರ್ಯಾಚರಣೆ ಖಾಲಿ ಬಿಡುವಂತಿಲ್ಲ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,ಕಾರ್ಯಾಚರಣೆ ಖಾಲಿ ಬಿಡುವಂತಿಲ್ಲ
DocType: Maintenance Visit Purpose,Against Document Detail No,ಡಾಕ್ಯುಮೆಂಟ್ ವಿವರ ವಿರುದ್ಧ ನಂ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,ಪಕ್ಷದ ಕೌಟುಂಬಿಕತೆ ಕಡ್ಡಾಯ
DocType: Quality Inspection,Outgoing,ನಿರ್ಗಮಿಸುವ
DocType: Material Request,Requested For,ಮನವಿ
DocType: Quotation Item,Against Doctype,DOCTYPE ವಿರುದ್ಧ
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} ರದ್ದು ಅಥವಾ ಮುಚ್ಚಲಾಗಿದೆ
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} ರದ್ದು ಅಥವಾ ಮುಚ್ಚಲಾಗಿದೆ
DocType: Delivery Note,Track this Delivery Note against any Project,ಯಾವುದೇ ಪ್ರಾಜೆಕ್ಟ್ ವಿರುದ್ಧ ಈ ಡೆಲಿವರಿ ಗಮನಿಸಿ ಟ್ರ್ಯಾಕ್
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,ಹೂಡಿಕೆ ನಿವ್ವಳ ನಗದು
-,Is Primary Address,ಪ್ರಾಥಮಿಕ ವಿಳಾಸ
DocType: Production Order,Work-in-Progress Warehouse,ಕೆಲಸ ಪ್ರಗತಿಯಲ್ಲಿರುವ ವೇರ್ಹೌಸ್
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,ಆಸ್ತಿ {0} ಸಲ್ಲಿಸಬೇಕು
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},ಹಾಜರಾತಿ {0} ವಿದ್ಯಾರ್ಥಿ ವಿರುದ್ಧ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},ಹಾಜರಾತಿ {0} ವಿದ್ಯಾರ್ಥಿ ವಿರುದ್ಧ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},ರೆಫರೆನ್ಸ್ # {0} {1} ರ
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,ಸವಕಳಿ ಕಾರಣ ಸ್ವತ್ತುಗಳ ವಿಲೇವಾರಿ ಕೊಡದಿರುವ
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,ವಿಳಾಸಗಳನ್ನು ನಿರ್ವಹಿಸಿ
DocType: Asset,Item Code,ಐಟಂ ಕೋಡ್
DocType: Production Planning Tool,Create Production Orders,ಪ್ರೊಡಕ್ಷನ್ ಆದೇಶಗಳನ್ನು ರಚಿಸಲು
DocType: Serial No,Warranty / AMC Details,ಖಾತರಿ / ಎಎಮ್ಸಿ ವಿವರಗಳು
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,ಚಟುವಟಿಕೆ ಆಧಾರಿತ ಗ್ರೂಪ್ ಕೈಯಾರೆ ವಿದ್ಯಾರ್ಥಿಗಳು ಆಯ್ಕೆ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,ಚಟುವಟಿಕೆ ಆಧಾರಿತ ಗ್ರೂಪ್ ಕೈಯಾರೆ ವಿದ್ಯಾರ್ಥಿಗಳು ಆಯ್ಕೆ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,ಚಟುವಟಿಕೆ ಆಧಾರಿತ ಗ್ರೂಪ್ ಕೈಯಾರೆ ವಿದ್ಯಾರ್ಥಿಗಳು ಆಯ್ಕೆ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,ಚಟುವಟಿಕೆ ಆಧಾರಿತ ಗ್ರೂಪ್ ಕೈಯಾರೆ ವಿದ್ಯಾರ್ಥಿಗಳು ಆಯ್ಕೆ
DocType: Journal Entry,User Remark,ಬಳಕೆದಾರ ಟೀಕಿಸು
DocType: Lead,Market Segment,ಮಾರುಕಟ್ಟೆ ವಿಭಾಗ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},ಪಾವತಿಸಿದ ಮೊತ್ತ ಒಟ್ಟು ಋಣಾತ್ಮಕ ಬಾಕಿ ಮೊತ್ತದ ಹೆಚ್ಚಿನ ಸಾಧ್ಯವಿಲ್ಲ {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},ಪಾವತಿಸಿದ ಮೊತ್ತ ಒಟ್ಟು ಋಣಾತ್ಮಕ ಬಾಕಿ ಮೊತ್ತದ ಹೆಚ್ಚಿನ ಸಾಧ್ಯವಿಲ್ಲ {0}
DocType: Employee Internal Work History,Employee Internal Work History,ಆಂತರಿಕ ಕೆಲಸದ ಇತಿಹಾಸ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),ಮುಚ್ಚುವ (ಡಾ)
DocType: Cheque Print Template,Cheque Size,ಚೆಕ್ ಗಾತ್ರ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ಅಲ್ಲ ಸ್ಟಾಕ್
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,ವ್ಯವಹಾರ ಮಾರಾಟ ತೆರಿಗೆ ಟೆಂಪ್ಲೆಟ್ .
DocType: Sales Invoice,Write Off Outstanding Amount,ಪ್ರಮಾಣ ಅತ್ಯುತ್ತಮ ಆಫ್ ಬರೆಯಿರಿ
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},ಖಾತೆ {0} ಕಂಪೆನಿಯೊಂದಿಗೆ ಹೊಂದುವುದಿಲ್ಲ {1}
DocType: School Settings,Current Academic Year,ಈಗಿನ ಅಕಾಡೆಮಿಕ್ ಇಯರ್
DocType: School Settings,Current Academic Year,ಈಗಿನ ಅಕಾಡೆಮಿಕ್ ಇಯರ್
DocType: Stock Settings,Default Stock UOM,ಡೀಫಾಲ್ಟ್ ಸ್ಟಾಕ್ UOM
@@ -2960,27 +2979,27 @@
DocType: Asset,Double Declining Balance,ಡಬಲ್ ಕ್ಷೀಣಿಸಿದ ಬ್ಯಾಲೆನ್ಸ್
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,ಮುಚ್ಚಿದ ಆದೇಶವನ್ನು ರದ್ದು ಸಾಧ್ಯವಿಲ್ಲ. ರದ್ದು ತೆರೆದಿಡು.
DocType: Student Guardian,Father,ತಂದೆ
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'ಅಪ್ಡೇಟ್ ಸ್ಟಾಕ್' ಸ್ಥಿರ ಸಂಪತ್ತಾದ ಮಾರಾಟ ಪರಿಶೀಲಿಸಲಾಗುವುದಿಲ್ಲ
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'ಅಪ್ಡೇಟ್ ಸ್ಟಾಕ್' ಸ್ಥಿರ ಸಂಪತ್ತಾದ ಮಾರಾಟ ಪರಿಶೀಲಿಸಲಾಗುವುದಿಲ್ಲ
DocType: Bank Reconciliation,Bank Reconciliation,ಬ್ಯಾಂಕ್ ಸಾಮರಸ್ಯ
DocType: Attendance,On Leave,ರಜೆಯ ಮೇಲೆ
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,ಅಪ್ಡೇಟ್ಗಳು ಪಡೆಯಿರಿ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: ಖಾತೆ {2} ಕಂಪನಿ ಸೇರುವುದಿಲ್ಲ {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ {0} ರದ್ದು ಅಥವಾ ನಿಲ್ಲಿಸಿದಾಗ
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,ಕೆಲವು ಸ್ಯಾಂಪಲ್ ದಾಖಲೆಗಳನ್ನು ಸೇರಿಸಿ
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,ಕೆಲವು ಸ್ಯಾಂಪಲ್ ದಾಖಲೆಗಳನ್ನು ಸೇರಿಸಿ
apps/erpnext/erpnext/config/hr.py +301,Leave Management,ಮ್ಯಾನೇಜ್ಮೆಂಟ್ ಬಿಡಿ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,ಖಾತೆ ಗುಂಪು
DocType: Sales Order,Fully Delivered,ಸಂಪೂರ್ಣವಾಗಿ ತಲುಪಿಸಲಾಗಿದೆ
DocType: Lead,Lower Income,ಕಡಿಮೆ ವರಮಾನ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},ಮೂಲ ಮತ್ತು ಗುರಿ ಗೋದಾಮಿನ ಸಾಲಿನ ಇರಲಾಗುವುದಿಲ್ಲ {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},ಮೂಲ ಮತ್ತು ಗುರಿ ಗೋದಾಮಿನ ಸಾಲಿನ ಇರಲಾಗುವುದಿಲ್ಲ {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","ಈ ಸ್ಟಾಕ್ ಸಾಮರಸ್ಯ ಒಂದು ಆರಂಭಿಕ ಎಂಟ್ರಿ ಏಕೆಂದರೆ ವ್ಯತ್ಯಾಸ ಖಾತೆ, ಒಂದು ಆಸ್ತಿ / ಹೊಣೆಗಾರಿಕೆ ರೀತಿಯ ಖಾತೆ ಇರಬೇಕು"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},ಪಾವತಿಸಲಾಗುತ್ತದೆ ಪ್ರಮಾಣ ಸಾಲದ ಪ್ರಮಾಣ ಹೆಚ್ಚು ಹೆಚ್ಚಿರಬಾರದು {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ಸಂಖ್ಯೆ ಐಟಂ ಅಗತ್ಯವಿದೆ {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ರಚಿಸಿಲ್ಲ
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ಸಂಖ್ಯೆ ಐಟಂ ಅಗತ್ಯವಿದೆ {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ರಚಿಸಿಲ್ಲ
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"ಇಂದ ದಿನಾಂಕ, ಗೆ ದಿನಾಂಕದ ಆಮೇಲೆ ಬರಬೇಕು"
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},ಅಲ್ಲ ವಿದ್ಯಾರ್ಥಿಯಾಗಿ ಸ್ಥಿತಿಯನ್ನು ಬದಲಾಯಿಸಬಹುದು {0} ವಿದ್ಯಾರ್ಥಿ ಅಪ್ಲಿಕೇಶನ್ ಸಂಬಂಧ ಇದೆ {1}
DocType: Asset,Fully Depreciated,ಸಂಪೂರ್ಣವಾಗಿ Depreciated
,Stock Projected Qty,ಸ್ಟಾಕ್ ಪ್ರಮಾಣ ಯೋಜಿತ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},ಗ್ರಾಹಕ {0} ಅಭಿವ್ಯಕ್ತಗೊಳಿಸಲು ಸೇರಿಲ್ಲ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},ಗ್ರಾಹಕ {0} ಅಭಿವ್ಯಕ್ತಗೊಳಿಸಲು ಸೇರಿಲ್ಲ {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,ಗುರುತು ಅಟೆಂಡೆನ್ಸ್ ಎಚ್ಟಿಎಮ್ಎಲ್
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","ಉಲ್ಲೇಖಗಳು ಪ್ರಸ್ತಾಪಗಳನ್ನು, ನಿಮ್ಮ ಗ್ರಾಹಕರಿಗೆ ಕಳುಹಿಸಿದ್ದಾರೆ ಬಿಡ್ ಇವೆ"
DocType: Sales Order,Customer's Purchase Order,ಗ್ರಾಹಕರ ಆರ್ಡರ್ ಖರೀದಿಸಿ
@@ -2989,8 +3008,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,ಅಸೆಸ್ಮೆಂಟ್ ಕ್ರೈಟೀರಿಯಾ ಅಂಕಗಳು ಮೊತ್ತ {0} ಎಂದು ಅಗತ್ಯವಿದೆ.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,ದಯವಿಟ್ಟು ಸೆಟ್ Depreciations ಸಂಖ್ಯೆ ಬುಕ್ಡ್
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,ಮೌಲ್ಯ ಅಥವಾ ಪ್ರಮಾಣ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,ಪ್ರೊಡಕ್ಷನ್ಸ್ ಆರ್ಡರ್ಸ್ ಬೆಳೆದ ಸಾಧ್ಯವಿಲ್ಲ:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,ಮಿನಿಟ್
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,ಪ್ರೊಡಕ್ಷನ್ಸ್ ಆರ್ಡರ್ಸ್ ಬೆಳೆದ ಸಾಧ್ಯವಿಲ್ಲ:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,ಮಿನಿಟ್
DocType: Purchase Invoice,Purchase Taxes and Charges,ಖರೀದಿ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು
,Qty to Receive,ಸ್ವೀಕರಿಸುವ ಪ್ರಮಾಣ
DocType: Leave Block List,Leave Block List Allowed,ಖಂಡ ಅನುಮತಿಸಲಾಗಿದೆ ಬಿಡಿ
@@ -2998,25 +3017,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},ವಾಹನ ಲಾಗ್ ಖರ್ಚು ಹಕ್ಕು {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ಮೇಲಿನ ಅಂಚು ಜೊತೆ ಬೆಲೆ ಪಟ್ಟಿ ದರ ರಿಯಾಯಿತಿ (%)
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ಮೇಲಿನ ಅಂಚು ಜೊತೆ ಬೆಲೆ ಪಟ್ಟಿ ದರ ರಿಯಾಯಿತಿ (%)
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,ಎಲ್ಲಾ ಗೋದಾಮುಗಳು
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,ಎಲ್ಲಾ ಗೋದಾಮುಗಳು
DocType: Sales Partner,Retailer,ಚಿಲ್ಲರೆ ವ್ಯಾಪಾರಿ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,ಖಾತೆಗೆ ಕ್ರೆಡಿಟ್ ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಖಾತೆ ಇರಬೇಕು
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,ಖಾತೆಗೆ ಕ್ರೆಡಿಟ್ ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಖಾತೆ ಇರಬೇಕು
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,ಎಲ್ಲಾ ವಿಧಗಳು ಸರಬರಾಜುದಾರ
DocType: Global Defaults,Disable In Words,ವರ್ಡ್ಸ್ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,ಐಟಂ ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಸಂಖ್ಯೆಯ ಕಾರಣ ಐಟಂ ಕೋಡ್ ಕಡ್ಡಾಯ
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,ಐಟಂ ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಸಂಖ್ಯೆಯ ಕಾರಣ ಐಟಂ ಕೋಡ್ ಕಡ್ಡಾಯ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},ನುಡಿಮುತ್ತುಗಳು {0} ಅಲ್ಲ ರೀತಿಯ {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,ನಿರ್ವಹಣೆ ವೇಳಾಪಟ್ಟಿ ಐಟಂ
DocType: Sales Order,% Delivered,ತಲುಪಿಸಲಾಗಿದೆ %
DocType: Production Order,PRO-,ಪರ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,ಬ್ಯಾಂಕಿನ ಓವರ್ಡ್ರಾಫ್ಟ್ ಖಾತೆ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,ಬ್ಯಾಂಕಿನ ಓವರ್ಡ್ರಾಫ್ಟ್ ಖಾತೆ
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,ಸಂಬಳ ಸ್ಲಿಪ್ ಮಾಡಿ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,ರೋ # {0}: ನಿಗದಿ ಪ್ರಮಾಣ ಬಾಕಿ ಮೊತ್ತದ ಹೆಚ್ಚು ಹೆಚ್ಚಿರಬಾರದು.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,ಬ್ರೌಸ್ BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,ಸುರಕ್ಷಿತ ಸಾಲ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,ಸುರಕ್ಷಿತ ಸಾಲ
DocType: Purchase Invoice,Edit Posting Date and Time,ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಮತ್ತು ಸಮಯವನ್ನು ಸಂಪಾದಿಸಿ
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},ಆಸ್ತಿ ವರ್ಗ {0} ಅಥವಾ ಕಂಪನಿಯಲ್ಲಿ ಸವಕಳಿ ಸಂಬಂಧಿಸಿದ ಖಾತೆಗಳು ಸೆಟ್ ಮಾಡಿ {1}
DocType: Academic Term,Academic Year,ಶೈಕ್ಷಣಿಕ ವರ್ಷ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,ಆರಂಭಿಕ ಬ್ಯಾಲೆನ್ಸ್ ಇಕ್ವಿಟಿ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,ಆರಂಭಿಕ ಬ್ಯಾಲೆನ್ಸ್ ಇಕ್ವಿಟಿ
DocType: Lead,CRM,ಸಿಆರ್ಎಂ
DocType: Appraisal,Appraisal,ಬೆಲೆಕಟ್ಟುವಿಕೆ
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},ಇಮೇಲ್ ಪೂರೈಕೆದಾರ ಕಳುಹಿಸಲಾಗುವುದು {0}
@@ -3032,7 +3051,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,ಪಾತ್ರ ನಿಯಮ ಅನ್ವಯವಾಗುತ್ತದೆ ಪಾತ್ರ ಅನುಮೋದನೆ ಇರಲಾಗುವುದಿಲ್ಲ
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,ಈ ಇಮೇಲ್ ಡೈಜೆಸ್ಟ್ ಅನ್ಸಬ್ಸ್ಕ್ರೈಬ್
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,ಕಳುಹಿಸಿದ ಸಂದೇಶವನ್ನು
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,ಚೈಲ್ಡ್ ನೋಡ್ಗಳ ಜೊತೆ ಖಾತೆ ಲೆಡ್ಜರ್ ಎಂದು ಹೊಂದಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,ಚೈಲ್ಡ್ ನೋಡ್ಗಳ ಜೊತೆ ಖಾತೆ ಲೆಡ್ಜರ್ ಎಂದು ಹೊಂದಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
DocType: C-Form,II,II ನೇ
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,ಬೆಲೆ ಪಟ್ಟಿ ಕರೆನ್ಸಿ ದರ ಗ್ರಾಹಕ ಬೇಸ್ ಕರೆನ್ಸಿ ಪರಿವರ್ತನೆ
DocType: Purchase Invoice Item,Net Amount (Company Currency),ನೆಟ್ ಪ್ರಮಾಣ (ಕಂಪನಿ ಕರೆನ್ಸಿ)
@@ -3067,7 +3086,7 @@
DocType: Expense Claim,Approval Status,ಅನುಮೋದನೆ ಸ್ಥಿತಿ
DocType: Hub Settings,Publish Items to Hub,ಹಬ್ ಐಟಂಗಳು ಪ್ರಕಟಿಸಿ
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},ಮೌಲ್ಯದಿಂದ ಸತತವಾಗಿ ಮೌಲ್ಯಕ್ಕೆ ಕಡಿಮೆ ಇರಬೇಕು {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,ವೈರ್ ಟ್ರಾನ್ಸ್ಫರ್
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,ವೈರ್ ಟ್ರಾನ್ಸ್ಫರ್
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,ಎಲ್ಲಾ ಪರಿಶೀಲಿಸಿ
DocType: Vehicle Log,Invoice Ref,ಸರಕುಪಟ್ಟಿ ಉಲ್ಲೇಖ
DocType: Purchase Order,Recurring Order,ಮರುಕಳಿಸುವ ಆರ್ಡರ್
@@ -3080,19 +3099,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,ಬ್ಯಾಂಕಿಂಗ್ ಮತ್ತು ಪಾವತಿಗಳು
,Welcome to ERPNext,ERPNext ಸ್ವಾಗತ
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,ಉದ್ಧರಣ ದಾರಿ
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,ಬೇರೇನೂ ತೋರಿಸಲು.
DocType: Lead,From Customer,ಗ್ರಾಹಕ
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,ಕರೆಗಳು
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,ಕರೆಗಳು
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,ಬ್ಯಾಚ್ಗಳು
DocType: Project,Total Costing Amount (via Time Logs),ಒಟ್ಟು ಕಾಸ್ಟಿಂಗ್ ಪ್ರಮಾಣ (ಸಮಯ ದಾಖಲೆಗಳು ಮೂಲಕ)
DocType: Purchase Order Item Supplied,Stock UOM,ಸ್ಟಾಕ್ UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,ಪರ್ಚೇಸ್ ಆರ್ಡರ್ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,ಪರ್ಚೇಸ್ ಆರ್ಡರ್ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ
DocType: Customs Tariff Number,Tariff Number,ಟ್ಯಾರಿಫ್ ಸಂಖ್ಯೆ
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,ಯೋಜಿತ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ವೇರ್ಹೌಸ್ ಸೇರುವುದಿಲ್ಲ {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,ಗಮನಿಸಿ : ಸಿಸ್ಟಮ್ ಐಟಂ ಡೆಲಿವರಿ ಮೇಲೆ ಮತ್ತು ಅತಿ ಬುಕಿಂಗ್ ಪರೀಕ್ಷಿಸುವುದಿಲ್ಲ {0} ಪ್ರಮಾಣ ಅಥವಾ ಪ್ರಮಾಣದ 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,ಗಮನಿಸಿ : ಸಿಸ್ಟಮ್ ಐಟಂ ಡೆಲಿವರಿ ಮೇಲೆ ಮತ್ತು ಅತಿ ಬುಕಿಂಗ್ ಪರೀಕ್ಷಿಸುವುದಿಲ್ಲ {0} ಪ್ರಮಾಣ ಅಥವಾ ಪ್ರಮಾಣದ 0
DocType: Notification Control,Quotation Message,ನುಡಿಮುತ್ತುಗಳು ಸಂದೇಶ
DocType: Employee Loan,Employee Loan Application,ನೌಕರರ ಸಾಲ ಅಪ್ಲಿಕೇಶನ್
DocType: Issue,Opening Date,ದಿನಾಂಕ ತೆರೆಯುವ
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,ಅಟೆಂಡೆನ್ಸ್ ಯಶಸ್ವಿಯಾಗಿ ಗುರುತಿಸಲಾಗಿದೆ.
+DocType: Program Enrollment,Public Transport,ಸಾರ್ವಜನಿಕ ಸಾರಿಗೆ
DocType: Journal Entry,Remark,ಟೀಕಿಸು
DocType: Purchase Receipt Item,Rate and Amount,ದರ ಮತ್ತು ಪ್ರಮಾಣ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},ಖಾತೆ ಕೌಟುಂಬಿಕತೆ {0} ಇರಬೇಕು {1}
@@ -3100,32 +3122,32 @@
DocType: School Settings,Current Academic Term,ಪ್ರಸ್ತುತ ಶೈಕ್ಷಣಿಕ ಟರ್ಮ್
DocType: School Settings,Current Academic Term,ಪ್ರಸ್ತುತ ಶೈಕ್ಷಣಿಕ ಟರ್ಮ್
DocType: Sales Order,Not Billed,ಖ್ಯಾತವಾದ ಮಾಡಿರುವುದಿಲ್ಲ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,ಎರಡೂ ಗೋದಾಮಿನ ಅದೇ ಕಂಪನಿ ಸೇರಿರಬೇಕು
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,ಯಾವುದೇ ಸಂಪರ್ಕಗಳನ್ನು ಇನ್ನೂ ಸೇರಿಸಲಾಗಿದೆ.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,ಎರಡೂ ಗೋದಾಮಿನ ಅದೇ ಕಂಪನಿ ಸೇರಿರಬೇಕು
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,ಯಾವುದೇ ಸಂಪರ್ಕಗಳನ್ನು ಇನ್ನೂ ಸೇರಿಸಲಾಗಿದೆ.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ಇಳಿಯಿತು ವೆಚ್ಚ ಚೀಟಿ ಪ್ರಮಾಣ
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,ಪೂರೈಕೆದಾರರು ಬೆಳೆಸಿದರು ಬಿಲ್ಲುಗಳನ್ನು .
DocType: POS Profile,Write Off Account,ಖಾತೆ ಆಫ್ ಬರೆಯಿರಿ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,ಗಮನಿಸಿ ಆಮ್ಟ್ ಡೆಬಿಟ್
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,ರಿಯಾಯಿತಿ ಪ್ರಮಾಣ
DocType: Purchase Invoice,Return Against Purchase Invoice,ವಿರುದ್ಧ ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಹಿಂತಿರುಗಿ
DocType: Item,Warranty Period (in days),( ದಿನಗಳಲ್ಲಿ ) ಖಾತರಿ ಅವಧಿಯ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Guardian1 ಸಂಬಂಧ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1 ಸಂಬಂಧ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,ಕಾರ್ಯಾಚರಣೆ ನಿವ್ವಳ ನಗದು
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,ಇ ಜಿ ವ್ಯಾಟ್
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,ಇ ಜಿ ವ್ಯಾಟ್
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,ಐಟಂ 4
DocType: Student Admission,Admission End Date,ಪ್ರವೇಶ ಮುಕ್ತಾಯ ದಿನಾಂಕ
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,ಒಳ-ಒಪ್ಪಂದ
DocType: Journal Entry Account,Journal Entry Account,ಜರ್ನಲ್ ಎಂಟ್ರಿ ಖಾತೆ
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು
DocType: Shopping Cart Settings,Quotation Series,ಉದ್ಧರಣ ಸರಣಿ
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","ಐಟಂ ( {0} ) , ಐಟಂ ಗುಂಪು ಹೆಸರನ್ನು ಬದಲಾಯಿಸಲು ಅಥವಾ ಐಟಂ ಹೆಸರನ್ನು ದಯವಿಟ್ಟು ಅದೇ ಹೆಸರಿನಲ್ಲಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,ದಯವಿಟ್ಟು ಗ್ರಾಹಕರ ಆಯ್ಕೆ
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","ಐಟಂ ( {0} ) , ಐಟಂ ಗುಂಪು ಹೆಸರನ್ನು ಬದಲಾಯಿಸಲು ಅಥವಾ ಐಟಂ ಹೆಸರನ್ನು ದಯವಿಟ್ಟು ಅದೇ ಹೆಸರಿನಲ್ಲಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,ದಯವಿಟ್ಟು ಗ್ರಾಹಕರ ಆಯ್ಕೆ
DocType: C-Form,I,ನಾನು
DocType: Company,Asset Depreciation Cost Center,ಆಸ್ತಿ ಸವಕಳಿ ವೆಚ್ಚದ ಕೇಂದ್ರ
DocType: Sales Order Item,Sales Order Date,ಮಾರಾಟದ ಆದೇಶ ದಿನಾಂಕ
DocType: Sales Invoice Item,Delivered Qty,ತಲುಪಿಸಲಾಗಿದೆ ಪ್ರಮಾಣ
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","ಪರಿಶೀಲಿಸಿದರೆ, ಪ್ರತಿಯೊಂದು ನಿರ್ಮಾಣ ಐಟಂ ಎಲ್ಲಾ ಮಕ್ಕಳು ಮೆಟೀರಿಯಲ್ ವಿನಂತಿಗಳು ಸೇರಿಸಲಾಗುವುದು."
DocType: Assessment Plan,Assessment Plan,ಅಸೆಸ್ಮೆಂಟ್ ಯೋಜನೆ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,ವೇರ್ಹೌಸ್ {0}: ಕಂಪನಿ ಕಡ್ಡಾಯ
DocType: Stock Settings,Limit Percent,ಮಿತಿ ಪರ್ಸೆಂಟ್
,Payment Period Based On Invoice Date,ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕವನ್ನು ಆಧರಿಸಿ ಪಾವತಿ ಅವಧಿ
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},ಕಾಣೆಯಾಗಿದೆ ಕರೆನ್ಸಿ ವಿನಿಮಯ ದರಗಳು {0}
@@ -3137,7 +3159,7 @@
DocType: Vehicle,Insurance Details,ವಿಮೆ ವಿವರಗಳು
DocType: Account,Payable,ಕೊಡಬೇಕಾದ
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,ದಯವಿಟ್ಟು ಮರುಪಾವತಿಯ ಅವಧಿಗಳು ನಮೂದಿಸಿ
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),ಸಾಲಗಾರರು ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),ಸಾಲಗಾರರು ({0})
DocType: Pricing Rule,Margin,ಕರೆ
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,ಹೊಸ ಗ್ರಾಹಕರು
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,ನಿವ್ವಳ ಲಾಭ%
@@ -3148,16 +3170,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,ಪಕ್ಷದ ಕಡ್ಡಾಯ
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,ವಿಷಯ ಹೆಸರು
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,ಮಾರಾಟ ಅಥವಾ ಖರೀದಿ ಆಫ್ ಕನಿಷ್ಠ ಒಂದು ಆಯ್ಕೆ ಮಾಡಬೇಕು
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,ನಿಮ್ಮ ವ್ಯಾಪಾರ ಸ್ವರೂಪ ಆಯ್ಕೆಮಾಡಿ.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,ಮಾರಾಟ ಅಥವಾ ಖರೀದಿ ಆಫ್ ಕನಿಷ್ಠ ಒಂದು ಆಯ್ಕೆ ಮಾಡಬೇಕು
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,ನಿಮ್ಮ ವ್ಯಾಪಾರ ಸ್ವರೂಪ ಆಯ್ಕೆಮಾಡಿ.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},ರೋ # {0}: ನಕಲು ಉಲ್ಲೇಖಗಳು ಪ್ರವೇಶ {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,ಉತ್ಪಾದನಾ ಕಾರ್ಯಗಳ ಅಲ್ಲಿ ನಿರ್ವಹಿಸುತ್ತಾರೆ.
DocType: Asset Movement,Source Warehouse,ಮೂಲ ವೇರ್ಹೌಸ್
DocType: Installation Note,Installation Date,ಅನುಸ್ಥಾಪನ ದಿನಾಂಕ
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},ರೋ # {0}: ಆಸ್ತಿ {1} ಕಂಪನಿಗೆ ಇಲ್ಲ ಸೇರುವುದಿಲ್ಲ {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},ರೋ # {0}: ಆಸ್ತಿ {1} ಕಂಪನಿಗೆ ಇಲ್ಲ ಸೇರುವುದಿಲ್ಲ {2}
DocType: Employee,Confirmation Date,ದೃಢೀಕರಣ ದಿನಾಂಕ
DocType: C-Form,Total Invoiced Amount,ಒಟ್ಟು ಸರಕುಪಟ್ಟಿ ಪ್ರಮಾಣ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,ಮಿನ್ ಪ್ರಮಾಣ ಹೆಚ್ಚಿನ ಮ್ಯಾಕ್ಸ್ ಪ್ರಮಾಣ ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,ಮಿನ್ ಪ್ರಮಾಣ ಹೆಚ್ಚಿನ ಮ್ಯಾಕ್ಸ್ ಪ್ರಮಾಣ ಸಾಧ್ಯವಿಲ್ಲ
DocType: Account,Accumulated Depreciation,ಕ್ರೋಢಿಕೃತ ಸವಕಳಿ
DocType: Stock Entry,Customer or Supplier Details,ಗ್ರಾಹಕ ಅಥವಾ ಪೂರೈಕೆದಾರರ ವಿವರಗಳು
DocType: Employee Loan Application,Required by Date,ದಿನಾಂಕ ಅಗತ್ಯವಾದ
@@ -3178,22 +3200,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,ಮಾಸಿಕ ವಿತರಣೆ ಶೇಕಡಾವಾರು
DocType: Territory,Territory Targets,ಪ್ರದೇಶ ಗುರಿಗಳ
DocType: Delivery Note,Transporter Info,ಸಾರಿಗೆ ಮಾಹಿತಿ
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},ದಯವಿಟ್ಟು ಡೀಫಾಲ್ಟ್ {0} ಕಂಪನಿ ಸೆಟ್ {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},ದಯವಿಟ್ಟು ಡೀಫಾಲ್ಟ್ {0} ಕಂಪನಿ ಸೆಟ್ {1}
DocType: Cheque Print Template,Starting position from top edge,ಮೇಲಿನ ತುದಿಯಲ್ಲಿ ಸ್ಥಾನವನ್ನು ಆರಂಭಗೊಂಡು
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,ಅದೇ ಪೂರೈಕೆದಾರ ಅನೇಕ ಬಾರಿ ನಮೂದಿಸಲಾದ
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,ಒಟ್ಟು ಲಾಭ / ನಷ್ಟ
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ಐಟಂ ವಿತರಿಸುತ್ತಾರೆ
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,ಕಂಪೆನಿ ಹೆಸರು ಕಂಪನಿ ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,ಕಂಪೆನಿ ಹೆಸರು ಕಂಪನಿ ಸಾಧ್ಯವಿಲ್ಲ
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,ಮುದ್ರಣ ಟೆಂಪ್ಲೆಟ್ಗಳನ್ನು letterheads .
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,ಮುದ್ರಣ ಶೀರ್ಷಿಕೆ ಇ ಜಿ ಟೆಂಪ್ಲೇಟ್ಗಳು Proforma ಸರಕುಪಟ್ಟಿ .
DocType: Student Guardian,Student Guardian,ವಿದ್ಯಾರ್ಥಿ ಗಾರ್ಡಿಯನ್
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,ಮೌಲ್ಯಾಂಕನ ರೀತಿಯ ಆರೋಪಗಳನ್ನು ಇನ್ಕ್ಲೂಸಿವ್ ಎಂದು ಗುರುತಿಸಲಾಗಿದೆ ಸಾಧ್ಯವಿಲ್ಲ
DocType: POS Profile,Update Stock,ಸ್ಟಾಕ್ ನವೀಕರಿಸಲು
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,ಸರಬರಾಜುದಾರ> ಸರಬರಾಜುದಾರ ವಿಧ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,ಐಟಂಗಳನ್ನು ವಿವಿಧ UOM ತಪ್ಪು ( ಒಟ್ಟು ) ನೆಟ್ ತೂಕ ಮೌಲ್ಯವನ್ನು ಕಾರಣವಾಗುತ್ತದೆ . ಪ್ರತಿ ಐಟಂ ಮಾಡಿ surethat ನೆಟ್ ತೂಕ ಅದೇ UOM ಹೊಂದಿದೆ .
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,ಬಿಒಎಮ್ ದರ
DocType: Asset,Journal Entry for Scrap,ಸ್ಕ್ರ್ಯಾಪ್ ಜರ್ನಲ್ ಎಂಟ್ರಿ
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,ಡೆಲಿವರಿ ಗಮನಿಸಿ ಐಟಂಗಳನ್ನು ಪುಲ್ ದಯವಿಟ್ಟು
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,ಜರ್ನಲ್ ನಮೂದುಗಳು {0} ಅನ್ ಬಂಧಿಸಿಲ್ಲ
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,ಜರ್ನಲ್ ನಮೂದುಗಳು {0} ಅನ್ ಬಂಧಿಸಿಲ್ಲ
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","ಮಾದರಿ ಇಮೇಲ್, ಫೋನ್, ಚಾಟ್, ಭೇಟಿ, ಇತ್ಯಾದಿ ಎಲ್ಲಾ ಸಂವಹನ ರೆಕಾರ್ಡ್"
DocType: Manufacturer,Manufacturers used in Items,ವಸ್ತುಗಳ ತಯಾರಿಕೆಯಲ್ಲಿ ತಯಾರಕರು
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,ಕಂಪನಿಯಲ್ಲಿ ರೌಂಡ್ ಆಫ್ ವೆಚ್ಚ ಸೆಂಟರ್ ಬಗ್ಗೆ ದಯವಿಟ್ಟು
@@ -3242,34 +3265,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,ಸರಬರಾಜುದಾರ ಗ್ರಾಹಕ ನೀಡುತ್ತದೆ
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ಫಾರ್ಮ್ / ಐಟಂ / {0}) ಷೇರುಗಳ ಔಟ್
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,ಮುಂದಿನ ದಿನಾಂಕ ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಹೆಚ್ಚು ಇರಬೇಕು
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,ಶೋ ತೆರಿಗೆ ಮುರಿದುಕೊಂಡು
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},ಕಾರಣ / ಉಲ್ಲೇಖ ದಿನಾಂಕ ನಂತರ ಇರುವಂತಿಲ್ಲ {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,ಶೋ ತೆರಿಗೆ ಮುರಿದುಕೊಂಡು
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},ಕಾರಣ / ಉಲ್ಲೇಖ ದಿನಾಂಕ ನಂತರ ಇರುವಂತಿಲ್ಲ {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,ಡೇಟಾ ಆಮದು ಮತ್ತು ರಫ್ತು
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","ಸ್ಟಾಕ್ ನಮೂದುಗಳನ್ನು, ವೇರ್ಹೌಸ್ {0} ವಿರುದ್ಧ ಅಸ್ತಿತ್ವದಲ್ಲಿವೆ ಆದ್ದರಿಂದ ನೀವು ಮರು ನಿಯೋಜಿಸಲು ಅಥವಾ ಮಾರ್ಪಡಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,ಯಾವುದೇ ವಿದ್ಯಾರ್ಥಿಗಳು ಕಂಡುಬಂದಿಲ್ಲ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,ಯಾವುದೇ ವಿದ್ಯಾರ್ಥಿಗಳು ಕಂಡುಬಂದಿಲ್ಲ
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,ಸರಕುಪಟ್ಟಿ ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,ಮಾರಾಟ
DocType: Sales Invoice,Rounded Total,ದುಂಡಾದ ಒಟ್ಟು
DocType: Product Bundle,List items that form the package.,ಪಟ್ಟಿ ಐಟಂಗಳನ್ನು ಪ್ಯಾಕೇಜ್ ರೂಪಿಸಲು ಮಾಡಿದರು .
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,ಶೇಕಡಾವಾರು ಅಲೋಕೇಶನ್ 100% ಸಮನಾಗಿರುತ್ತದೆ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,ದಯವಿಟ್ಟು ಪಕ್ಷದ ಆರಿಸುವ ಮೊದಲು ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಆಯ್ಕೆ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,ದಯವಿಟ್ಟು ಪಕ್ಷದ ಆರಿಸುವ ಮೊದಲು ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಆಯ್ಕೆ
DocType: Program Enrollment,School House,ಸ್ಕೂಲ್ ಹೌಸ್
DocType: Serial No,Out of AMC,ಎಎಂಸಿ ಔಟ್
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,ದಯವಿಟ್ಟು ಉಲ್ಲೇಖಗಳು ಆಯ್ಕೆ
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,ದಯವಿಟ್ಟು ಉಲ್ಲೇಖಗಳು ಆಯ್ಕೆ
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,ದಯವಿಟ್ಟು ಉಲ್ಲೇಖಗಳು ಆಯ್ಕೆ
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,ದಯವಿಟ್ಟು ಉಲ್ಲೇಖಗಳು ಆಯ್ಕೆ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,ಬುಕ್ಡ್ Depreciations ಸಂಖ್ಯೆ ಒಟ್ಟು ಸಂಖ್ಯೆ Depreciations ಕ್ಕೂ ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,ನಿರ್ವಹಣೆ ಭೇಟಿ ಮಾಡಿ
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,ಮಾರಾಟದ ಮಾಸ್ಟರ್ ಮ್ಯಾನೇಜರ್ {0} ಪಾತ್ರದಲ್ಲಿ ಹೊಂದಿರುವ ಬಳಕೆದಾರರಿಗೆ ಸಂಪರ್ಕಿಸಿ
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,ಮಾರಾಟದ ಮಾಸ್ಟರ್ ಮ್ಯಾನೇಜರ್ {0} ಪಾತ್ರದಲ್ಲಿ ಹೊಂದಿರುವ ಬಳಕೆದಾರರಿಗೆ ಸಂಪರ್ಕಿಸಿ
DocType: Company,Default Cash Account,ಡೀಫಾಲ್ಟ್ ನಗದು ಖಾತೆ
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,ಕಂಪನಿ ( ಗ್ರಾಹಕ ಅಥವಾ ಸರಬರಾಜುದಾರ ) ಮಾಸ್ಟರ್ .
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,ಈ ವಿದ್ಯಾರ್ಥಿ ಹಾಜರಾತಿ ಆಧರಿಸಿದೆ
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,ಯಾವುದೇ ವಿದ್ಯಾರ್ಥಿಗಳ ರಲ್ಲಿ
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,ಯಾವುದೇ ವಿದ್ಯಾರ್ಥಿಗಳ ರಲ್ಲಿ
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,ಹೆಚ್ಚಿನ ಐಟಂಗಳನ್ನು ಅಥವಾ ಮುಕ್ತ ಪೂರ್ಣ ರೂಪ ಸೇರಿಸಿ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',' ನಿರೀಕ್ಷಿತ ಡೆಲಿವರಿ ದಿನಾಂಕ ' ನಮೂದಿಸಿ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ಡೆಲಿವರಿ ಟಿಪ್ಪಣಿಗಳು {0} ಈ ಮಾರಾಟದ ಆದೇಶವನ್ನು ರದ್ದುಗೊಳಿಸುವ ಮೊದಲು ರದ್ದು ಮಾಡಬೇಕು
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,ಪಾವತಿಸಿದ ಪ್ರಮಾಣದ + ಆಫ್ ಬರೆಯಿರಿ ಪ್ರಮಾಣ ಹೆಚ್ಚಿನ ಗ್ರ್ಯಾಂಡ್ ಒಟ್ಟು ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,ಪಾವತಿಸಿದ ಪ್ರಮಾಣದ + ಆಫ್ ಬರೆಯಿರಿ ಪ್ರಮಾಣ ಹೆಚ್ಚಿನ ಗ್ರ್ಯಾಂಡ್ ಒಟ್ಟು ಸಾಧ್ಯವಿಲ್ಲ
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ಐಟಂ ಮಾನ್ಯ ಬ್ಯಾಚ್ ಸಂಖ್ಯೆ ಅಲ್ಲ {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},ಗಮನಿಸಿ : ಲೀವ್ ಪ್ರಕಾರ ಸಾಕಷ್ಟು ರಜೆ ಸಮತೋಲನ ಇಲ್ಲ {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,ಅಮಾನ್ಯವಾದ GSTIN ಅಥವಾ ನೋಂದಾಯಿಸದ ಫಾರ್ ಎನ್ಎ ನಮೂದಿಸಿ
DocType: Training Event,Seminar,ಸೆಮಿನಾರ್
DocType: Program Enrollment Fee,Program Enrollment Fee,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ನೋಂದಣಿ ಶುಲ್ಕ
DocType: Item,Supplier Items,ಪೂರೈಕೆದಾರ ಐಟಂಗಳು
@@ -3295,28 +3318,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,ಐಟಂ 3
DocType: Purchase Order,Customer Contact Email,ಗ್ರಾಹಕ ಸಂಪರ್ಕ ಇಮೇಲ್
DocType: Warranty Claim,Item and Warranty Details,ಐಟಂ ಮತ್ತು ಖಾತರಿ ವಿವರಗಳು
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,ಐಟಂ ಕೋಡ್> ಐಟಂ ಗ್ರೂಪ್> ಬ್ರ್ಯಾಂಡ್
DocType: Sales Team,Contribution (%),ಕೊಡುಗೆ ( % )
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,ಗಮನಿಸಿ : ಪಾವತಿ ಎಂಟ್ರಿ 'ನಗದು ಅಥವಾ ಬ್ಯಾಂಕ್ ಖಾತೆ ' ಏನು ನಿರ್ದಿಷ್ಟಪಡಿಸಿಲ್ಲ ರಿಂದ ರಚಿಸಲಾಗುವುದಿಲ್ಲ
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,ಕಡ್ಡಾಯ ಶಿಕ್ಷಣ ಪಡೆದುಕೊಳ್ಳಲು ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ಆಯ್ಕೆಮಾಡಿ.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,ಕಡ್ಡಾಯ ಶಿಕ್ಷಣ ಪಡೆದುಕೊಳ್ಳಲು ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ಆಯ್ಕೆಮಾಡಿ.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,ಜವಾಬ್ದಾರಿಗಳನ್ನು
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,ಜವಾಬ್ದಾರಿಗಳನ್ನು
DocType: Expense Claim Account,Expense Claim Account,ಖರ್ಚು ಹಕ್ಕು ಖಾತೆ
DocType: Sales Person,Sales Person Name,ಮಾರಾಟಗಾರನ ಹೆಸರು
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,ಕೋಷ್ಟಕದಲ್ಲಿ ಕನಿಷ್ಠ ಒಂದು ಸರಕುಪಟ್ಟಿ ನಮೂದಿಸಿ
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,ಬಳಕೆದಾರರು ಸೇರಿಸಿ
DocType: POS Item Group,Item Group,ಐಟಂ ಗುಂಪು
DocType: Item,Safety Stock,ಸುರಕ್ಷತೆ ಸ್ಟಾಕ್
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,ಕಾರ್ಯ ಪ್ರಗತಿ% ಹೆಚ್ಚು 100 ಸಾಧ್ಯವಿಲ್ಲ.
DocType: Stock Reconciliation Item,Before reconciliation,ಸಮನ್ವಯ ಮೊದಲು
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},ಗೆ {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),ಸೇರಿಸಲಾಗಿದೆ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು ( ಕಂಪನಿ ಕರೆನ್ಸಿ )
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ಐಟಂ ತೆರಿಗೆ ರೋ {0} ಬಗೆಯ ತೆರಿಗೆ ಅಥವಾ ಆದಾಯ ಅಥವಾ ಖರ್ಚು ಅಥವಾ ಶುಲ್ಕಕ್ಕೆ ಖಾತೆಯನ್ನು ಹೊಂದಿರಬೇಕು
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ಐಟಂ ತೆರಿಗೆ ರೋ {0} ಬಗೆಯ ತೆರಿಗೆ ಅಥವಾ ಆದಾಯ ಅಥವಾ ಖರ್ಚು ಅಥವಾ ಶುಲ್ಕಕ್ಕೆ ಖಾತೆಯನ್ನು ಹೊಂದಿರಬೇಕು
DocType: Sales Order,Partly Billed,ಹೆಚ್ಚಾಗಿ ಖ್ಯಾತವಾದ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,ಐಟಂ {0} ಸ್ಥಿರ ಆಸ್ತಿ ಐಟಂ ಇರಬೇಕು
DocType: Item,Default BOM,ಡೀಫಾಲ್ಟ್ BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,ಮರು ಮಾದರಿ ಕಂಪನಿ ಹೆಸರು ದೃಢೀಕರಿಸಿ ದಯವಿಟ್ಟು
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,ಒಟ್ಟು ಅತ್ಯುತ್ತಮ ಆಮ್ಟ್
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,ಡೆಬಿಟ್ ಗಮನಿಸಿ ಪ್ರಮಾಣ
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,ಮರು ಮಾದರಿ ಕಂಪನಿ ಹೆಸರು ದೃಢೀಕರಿಸಿ ದಯವಿಟ್ಟು
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,ಒಟ್ಟು ಅತ್ಯುತ್ತಮ ಆಮ್ಟ್
DocType: Journal Entry,Printing Settings,ಮುದ್ರಣ ಸೆಟ್ಟಿಂಗ್ಗಳು
DocType: Sales Invoice,Include Payment (POS),ಪಾವತಿ ಸೇರಿಸಿ (ಪಿಓಎಸ್)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},ಒಟ್ಟು ಡೆಬಿಟ್ ಒಟ್ಟು ಕ್ರೆಡಿಟ್ ಸಮಾನವಾಗಿರಬೇಕು . ವ್ಯತ್ಯಾಸ {0}
@@ -3330,16 +3350,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,ಉಪಲಬ್ದವಿದೆ:
DocType: Notification Control,Custom Message,ಕಸ್ಟಮ್ ಸಂದೇಶ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,ಇನ್ವೆಸ್ಟ್ಮೆಂಟ್ ಬ್ಯಾಂಕಿಂಗ್
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,ನಗದು ಅಥವಾ ಬ್ಯಾಂಕ್ ಖಾತೆ ಪಾವತಿ ಪ್ರವೇಶ ಮಾಡುವ ಕಡ್ಡಾಯ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,ವಿದ್ಯಾರ್ಥಿ ವಿಳಾಸ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,ವಿದ್ಯಾರ್ಥಿ ವಿಳಾಸ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,ನಗದು ಅಥವಾ ಬ್ಯಾಂಕ್ ಖಾತೆ ಪಾವತಿ ಪ್ರವೇಶ ಮಾಡುವ ಕಡ್ಡಾಯ
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,ಸೆಟಪ್ ಸೆಟಪ್ ಮೂಲಕ ಅಟೆಂಡೆನ್ಸ್ ಕ್ರಮಾಂಕಗಳನ್ನು ದಯವಿಟ್ಟು ಸರಣಿ> ನಂಬರಿಂಗ್ ಸರಣಿ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ವಿದ್ಯಾರ್ಥಿ ವಿಳಾಸ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ವಿದ್ಯಾರ್ಥಿ ವಿಳಾಸ
DocType: Purchase Invoice,Price List Exchange Rate,ಬೆಲೆ ಪಟ್ಟಿ ವಿನಿಮಯ ದರ
DocType: Purchase Invoice Item,Rate,ದರ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,ಆಂತರಿಕ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,ವಿಳಾಸ ಹೆಸರು
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,ಆಂತರಿಕ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,ವಿಳಾಸ ಹೆಸರು
DocType: Stock Entry,From BOM,BOM ಗೆ
DocType: Assessment Code,Assessment Code,ಅಸೆಸ್ಮೆಂಟ್ ಕೋಡ್
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,ಮೂಲಭೂತ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,ಮೂಲಭೂತ
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,{0} ಮೊದಲು ಸ್ಟಾಕ್ ವ್ಯವಹಾರ ಘನೀಭವಿಸಿದ
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',ವೇಳಾಪಟ್ಟಿ ' ' ರಚಿಸಿ 'ಅನ್ನು ಕ್ಲಿಕ್ ಮಾಡಿ
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","ಇ ಜಿ ಕೆಜಿ, ಘಟಕ , ಸೂಲ , ಮೀ"
@@ -3349,11 +3370,11 @@
DocType: Salary Slip,Salary Structure,ಸಂಬಳ ರಚನೆ
DocType: Account,Bank,ಬ್ಯಾಂಕ್
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,ಏರ್ಲೈನ್
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,ಸಂಚಿಕೆ ಮೆಟೀರಿಯಲ್
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,ಸಂಚಿಕೆ ಮೆಟೀರಿಯಲ್
DocType: Material Request Item,For Warehouse,ಗೋದಾಮಿನ
DocType: Employee,Offer Date,ಆಫರ್ ದಿನಾಂಕ
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,ಉಲ್ಲೇಖಗಳು
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,ಆಫ್ಲೈನ್ ಕ್ರಮದಲ್ಲಿ ಇವೆ. ನೀವು ಜಾಲಬಂಧ ತನಕ ರಿಲೋಡ್ ಸಾಧ್ಯವಾಗುವುದಿಲ್ಲ.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,ಆಫ್ಲೈನ್ ಕ್ರಮದಲ್ಲಿ ಇವೆ. ನೀವು ಜಾಲಬಂಧ ತನಕ ರಿಲೋಡ್ ಸಾಧ್ಯವಾಗುವುದಿಲ್ಲ.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,ಯಾವುದೇ ವಿದ್ಯಾರ್ಥಿ ಗುಂಪುಗಳು ದಾಖಲಿಸಿದವರು.
DocType: Purchase Invoice Item,Serial No,ಅನುಕ್ರಮ ಸಂಖ್ಯೆ
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,ಮಾಸಿಕ ಮರುಪಾವತಿಯ ಪ್ರಮಾಣ ಸಾಲದ ಪ್ರಮಾಣ ಅಧಿಕವಾಗಿರುತ್ತದೆ ಸಾಧ್ಯವಿಲ್ಲ
@@ -3361,8 +3382,8 @@
DocType: Purchase Invoice,Print Language,ಮುದ್ರಣ ಭಾಷಾ
DocType: Salary Slip,Total Working Hours,ಒಟ್ಟು ವರ್ಕಿಂಗ್ ಅವರ್ಸ್
DocType: Stock Entry,Including items for sub assemblies,ಉಪ ಅಸೆಂಬ್ಲಿಗಳಿಗೆ ಐಟಂಗಳನ್ನು ಸೇರಿದಂತೆ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,ನಮೂದಿಸಿ ಮೌಲ್ಯವನ್ನು ಧನಾತ್ಮಕವಾಗಿರಬೇಕು
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,ಎಲ್ಲಾ ಪ್ರಾಂತ್ಯಗಳು
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,ನಮೂದಿಸಿ ಮೌಲ್ಯವನ್ನು ಧನಾತ್ಮಕವಾಗಿರಬೇಕು
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,ಎಲ್ಲಾ ಪ್ರಾಂತ್ಯಗಳು
DocType: Purchase Invoice,Items,ಐಟಂಗಳನ್ನು
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,ವಿದ್ಯಾರ್ಥಿ ಈಗಾಗಲೇ ದಾಖಲಿಸಲಾಗಿದೆ.
DocType: Fiscal Year,Year Name,ವರ್ಷದ ಹೆಸರು
@@ -3381,10 +3402,10 @@
DocType: Issue,Opening Time,ಆರಂಭಿಕ ಸಮಯ
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,ಅಗತ್ಯವಿದೆ ದಿನಾಂಕ ಮತ್ತು ಮಾಡಲು
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,ಸೆಕ್ಯುರಿಟೀಸ್ ಮತ್ತು ಸರಕು ವಿನಿಮಯ
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ಭಿನ್ನ ಚಟುವಟಿಕೆ ಡೀಫಾಲ್ಟ್ ಘಟಕ '{0}' ಟೆಂಪ್ಲೇಟು ಅದೇ ಇರಬೇಕು '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ಭಿನ್ನ ಚಟುವಟಿಕೆ ಡೀಫಾಲ್ಟ್ ಘಟಕ '{0}' ಟೆಂಪ್ಲೇಟು ಅದೇ ಇರಬೇಕು '{1}'
DocType: Shipping Rule,Calculate Based On,ಆಧರಿಸಿದ ಲೆಕ್ಕ
DocType: Delivery Note Item,From Warehouse,ಗೋದಾಮಿನ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,ಮೆಟೀರಿಯಲ್ಸ್ ಬಿಲ್ ಯಾವುದೇ ವಸ್ತುಗಳು ತಯಾರಿಸಲು
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,ಮೆಟೀರಿಯಲ್ಸ್ ಬಿಲ್ ಯಾವುದೇ ವಸ್ತುಗಳು ತಯಾರಿಸಲು
DocType: Assessment Plan,Supervisor Name,ಮೇಲ್ವಿಚಾರಕ ಹೆಸರು
DocType: Program Enrollment Course,Program Enrollment Course,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ದಾಖಲಾತಿ ಕೋರ್ಸ್
DocType: Program Enrollment Course,Program Enrollment Course,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ದಾಖಲಾತಿ ಕೋರ್ಸ್
@@ -3400,18 +3421,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,' ಕೊನೆಯ ಆರ್ಡರ್ ರಿಂದ ಡೇಸ್ ' ಹೆಚ್ಚು ಅಥವಾ ಶೂನ್ಯಕ್ಕೆ ಸಮಾನವಾಗಿರುತ್ತದೆ ಇರಬೇಕು
DocType: Process Payroll,Payroll Frequency,ವೇತನದಾರರ ಆವರ್ತನ
DocType: Asset,Amended From,ಗೆ ತಿದ್ದುಪಡಿ
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,ಮೂಲಸಾಮಗ್ರಿ
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,ಮೂಲಸಾಮಗ್ರಿ
DocType: Leave Application,Follow via Email,ಇಮೇಲ್ ಮೂಲಕ ಅನುಸರಿಸಿ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,ಸಸ್ಯಗಳು ಮತ್ತು ಯಂತ್ರೋಪಕರಣಗಳಲ್ಲಿ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,ಸಸ್ಯಗಳು ಮತ್ತು ಯಂತ್ರೋಪಕರಣಗಳಲ್ಲಿ
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,ಡಿಸ್ಕೌಂಟ್ ಪ್ರಮಾಣ ನಂತರ ತೆರಿಗೆ ಪ್ರಮಾಣ
DocType: Daily Work Summary Settings,Daily Work Summary Settings,ದೈನಂದಿನ ಕೆಲಸ ಸಾರಾಂಶ ಸೆಟ್ಟಿಂಗ್ಗಳು
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},ಬೆಲೆ ಪಟ್ಟಿ {0} ಕರೆನ್ಸಿ ಆಯ್ಕೆ ಕರೆನ್ಸಿಗೆ ಹೋಲುವ ಅಲ್ಲ {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},ಬೆಲೆ ಪಟ್ಟಿ {0} ಕರೆನ್ಸಿ ಆಯ್ಕೆ ಕರೆನ್ಸಿಗೆ ಹೋಲುವ ಅಲ್ಲ {1}
DocType: Payment Entry,Internal Transfer,ಆಂತರಿಕ ಟ್ರಾನ್ಸ್ಫರ್
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,ಮಗುವಿನ ಖಾತೆಗೆ ಈ ಖಾತೆಗಾಗಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ . ನೀವು ಈ ಖಾತೆಯನ್ನು ಅಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,ಮಗುವಿನ ಖಾತೆಗೆ ಈ ಖಾತೆಗಾಗಿ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ . ನೀವು ಈ ಖಾತೆಯನ್ನು ಅಳಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ .
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ಗುರಿ ಪ್ರಮಾಣ ಅಥವಾ ಗುರಿ ಪ್ರಮಾಣವನ್ನು ಒಂದೋ ಕಡ್ಡಾಯ
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},ಯಾವುದೇ ಡೀಫಾಲ್ಟ್ BOM ಐಟಂ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},ಯಾವುದೇ ಡೀಫಾಲ್ಟ್ BOM ಐಟಂ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,ಮೊದಲ ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಆಯ್ಕೆಮಾಡಿ
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,ದಿನಾಂಕ ತೆರೆಯುವ ದಿನಾಂಕ ಮುಚ್ಚುವ ಮೊದಲು ಇರಬೇಕು
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} ಹೊಂದಿಸುವಿಕೆ> ಸೆಟ್ಟಿಂಗ್ಗಳು ಮೂಲಕ> ಹೆಸರಿಸುವ ಸರಣಿಗಾಗಿ ಸರಣಿ ಹೆಸರಿಸುವ ದಯವಿಟ್ಟು
DocType: Leave Control Panel,Carry Forward,ಮುಂದಕ್ಕೆ ಸಾಗಿಸುವ
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವ್ಯವಹಾರಗಳು ವೆಚ್ಚ ಸೆಂಟರ್ ಲೆಡ್ಜರ್ ಪರಿವರ್ತನೆ ಸಾಧ್ಯವಿಲ್ಲ
DocType: Department,Days for which Holidays are blocked for this department.,ಯಾವ ರಜಾದಿನಗಳಲ್ಲಿ ಡೇಸ್ ಈ ಇಲಾಖೆಗೆ ನಿರ್ಬಂಧಿಸಲಾಗುತ್ತದೆ.
@@ -3421,11 +3443,10 @@
DocType: Issue,Raised By (Email),( ಇಮೇಲ್ ) ಬೆಳೆಸಿದರು
DocType: Training Event,Trainer Name,ತರಬೇತುದಾರ ಹೆಸರು
DocType: Mode of Payment,General,ಜನರಲ್
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,ತಲೆಬರಹ ಲಗತ್ತಿಸಿ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,ಕೊನೆಯ ಸಂವಹನ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,ಕೊನೆಯ ಸಂವಹನ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ವರ್ಗದಲ್ಲಿ ' ಮೌಲ್ಯಾಂಕನ ' ಅಥವಾ ' ಮೌಲ್ಯಾಂಕನ ಮತ್ತು ಒಟ್ಟು ' ಫಾರ್ ಯಾವಾಗ ಕಡಿತಗೊಳಿಸದಿರುವುದರ ಸಾಧ್ಯವಿಲ್ಲ
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","ನಿಮ್ಮ ತೆರಿಗೆ ತಲೆ ಪಟ್ಟಿ (ಉದಾ ವ್ಯಾಟ್ ಕಸ್ಟಮ್ಸ್ ಇತ್ಯಾದಿ; ಅವರು ಅನನ್ಯ ಹೆಸರುಗಳು ಇರಬೇಕು) ಮತ್ತು ತಮ್ಮ ಗುಣಮಟ್ಟದ ದರಗಳು. ನೀವು ಸಂಪಾದಿಸಲು ಮತ್ತು ಹೆಚ್ಚು ನಂತರ ಸೇರಿಸಬಹುದು ಇದರಲ್ಲಿ ಮಾದರಿಯಲ್ಲಿ, ರಚಿಸುತ್ತದೆ."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","ನಿಮ್ಮ ತೆರಿಗೆ ತಲೆ ಪಟ್ಟಿ (ಉದಾ ವ್ಯಾಟ್ ಕಸ್ಟಮ್ಸ್ ಇತ್ಯಾದಿ; ಅವರು ಅನನ್ಯ ಹೆಸರುಗಳು ಇರಬೇಕು) ಮತ್ತು ತಮ್ಮ ಗುಣಮಟ್ಟದ ದರಗಳು. ನೀವು ಸಂಪಾದಿಸಲು ಮತ್ತು ಹೆಚ್ಚು ನಂತರ ಸೇರಿಸಬಹುದು ಇದರಲ್ಲಿ ಮಾದರಿಯಲ್ಲಿ, ರಚಿಸುತ್ತದೆ."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},ಧಾರಾವಾಹಿಯಾಗಿ ಐಟಂ ಸೀರಿಯಲ್ ಸೂಲ ಅಗತ್ಯವಿದೆ {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,ಇನ್ವಾಯ್ಸ್ಗಳು ಜೊತೆ ಪಾವತಿಗಳು ಹೊಂದಿಕೆ
DocType: Journal Entry,Bank Entry,ಬ್ಯಾಂಕ್ ಎಂಟ್ರಿ
@@ -3434,16 +3455,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,ಕಾರ್ಟ್ ಸೇರಿಸಿ
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,ಗುಂಪಿನ
DocType: Guardian,Interests,ಆಸಕ್ತಿಗಳು
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,/ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ ಕರೆನ್ಸಿಗಳ ಸಕ್ರಿಯಗೊಳಿಸಿ .
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,/ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ ಕರೆನ್ಸಿಗಳ ಸಕ್ರಿಯಗೊಳಿಸಿ .
DocType: Production Planning Tool,Get Material Request,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ಪಡೆಯಿರಿ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,ಅಂಚೆ ವೆಚ್ಚಗಳು
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,ಅಂಚೆ ವೆಚ್ಚಗಳು
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),ಒಟ್ಟು (ಆಮ್ಟ್)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,ಮನರಂಜನೆ ಮತ್ತು ವಿರಾಮ
DocType: Quality Inspection,Item Serial No,ಐಟಂ ಅನುಕ್ರಮ ಸಂಖ್ಯೆ
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,ನೌಕರರ ದಾಖಲೆಗಳು ರಚಿಸಿ
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,ಒಟ್ಟು ಪ್ರೆಸೆಂಟ್
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,ಲೆಕ್ಕಪರಿಶೋಧಕ ಹೇಳಿಕೆಗಳು
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,ಗಂಟೆ
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,ಗಂಟೆ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,ಹೊಸ ಸೀರಿಯಲ್ ನಂ ಗೋದಾಮಿನ ಸಾಧ್ಯವಿಲ್ಲ . ವೇರ್ಹೌಸ್ ಷೇರು ಖರೀದಿ ರಸೀತಿ ಎಂಟ್ರಿ ಅಥವಾ ಸೆಟ್ ಮಾಡಬೇಕು
DocType: Lead,Lead Type,ಲೀಡ್ ಪ್ರಕಾರ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,ನೀವು ಬ್ಲಾಕ್ ದಿನಾಂಕ ಎಲೆಗಳು ಅನುಮೋದಿಸಲು ನಿನಗೆ ಅಧಿಕಾರವಿಲ್ಲ
@@ -3455,6 +3476,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,ಬದಲಿ ನಂತರ ಹೊಸ BOM
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,ಪಾಯಿಂಟ್ ಆಫ್ ಸೇಲ್
DocType: Payment Entry,Received Amount,ಸ್ವೀಕರಿಸಲಾಗಿದೆ ಪ್ರಮಾಣ
+DocType: GST Settings,GSTIN Email Sent On,GSTIN ಇಮೇಲ್ ಕಳುಹಿಸಲಾಗಿದೆ
+DocType: Program Enrollment,Pick/Drop by Guardian,ಗಾರ್ಡಿಯನ್ / ಡ್ರಾಪ್ ಆರಿಸಿ
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","ಆದೇಶದ ಈಗಾಗಲೇ ಪ್ರಮಾಣ ಕಡೆಗಣಿಸಿ, ಪೂರ್ಣ ಪ್ರಮಾಣದ ರಚಿಸಿ"
DocType: Account,Tax,ತೆರಿಗೆ
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,ಗುರುತು ಮಾಡದಿರುವ
@@ -3468,7 +3491,7 @@
DocType: Batch,Source Document Name,ಮೂಲ ಡಾಕ್ಯುಮೆಂಟ್ ಹೆಸರು
DocType: Job Opening,Job Title,ಕೆಲಸದ ಶೀರ್ಷಿಕೆ
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,ಬಳಕೆದಾರರು ರಚಿಸಿ
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,ಗ್ರಾಮ
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,ಗ್ರಾಮ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,ತಯಾರಿಸಲು ಪ್ರಮಾಣ 0 ಹೆಚ್ಚು ಇರಬೇಕು.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,ನಿರ್ವಹಣೆ ಕಾಲ್ ವರದಿ ಭೇಟಿ .
DocType: Stock Entry,Update Rate and Availability,ಅಪ್ಡೇಟ್ ದರ ಮತ್ತು ಲಭ್ಯತೆ
@@ -3476,7 +3499,7 @@
DocType: POS Customer Group,Customer Group,ಗ್ರಾಹಕ ಗುಂಪಿನ
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),ಹೊಸ ಬ್ಯಾಚ್ ID (ಐಚ್ಛಿಕ)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),ಹೊಸ ಬ್ಯಾಚ್ ID (ಐಚ್ಛಿಕ)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},ವೆಚ್ಚದಲ್ಲಿ ಖಾತೆಯನ್ನು ಐಟಂ ಕಡ್ಡಾಯ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},ವೆಚ್ಚದಲ್ಲಿ ಖಾತೆಯನ್ನು ಐಟಂ ಕಡ್ಡಾಯ {0}
DocType: BOM,Website Description,ವೆಬ್ಸೈಟ್ ವಿವರಣೆ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,ಇಕ್ವಿಟಿ ನಿವ್ವಳ ವ್ಯತ್ಯಾಸದ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,ಖರೀದಿ ಸರಕುಪಟ್ಟಿ {0} ರದ್ದು ಮೊದಲು
@@ -3486,8 +3509,8 @@
,Sales Register,ಮಾರಾಟದ ರಿಜಿಸ್ಟರ್
DocType: Daily Work Summary Settings Company,Send Emails At,ನಲ್ಲಿ ಇಮೇಲ್ಗಳನ್ನು ಕಳುಹಿಸಿ
DocType: Quotation,Quotation Lost Reason,ನುಡಿಮುತ್ತುಗಳು ಲಾಸ್ಟ್ ಕಾರಣ
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,ನಿಮ್ಮನ್ನು ಆಯ್ಕೆ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},ವ್ಯವಹಾರ ಉಲ್ಲೇಖ ಯಾವುದೇ {0} ರ {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,ನಿಮ್ಮನ್ನು ಆಯ್ಕೆ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},ವ್ಯವಹಾರ ಉಲ್ಲೇಖ ಯಾವುದೇ {0} ರ {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,ಸಂಪಾದಿಸಲು ಏನೂ ಇಲ್ಲ.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,ಈ ತಿಂಗಳ ಬಾಕಿ ಚಟುವಟಿಕೆಗಳಿಗೆ ಸಾರಾಂಶ
DocType: Customer Group,Customer Group Name,ಗ್ರಾಹಕ ಗುಂಪಿನ ಹೆಸರು
@@ -3495,14 +3518,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,ಕ್ಯಾಶ್ ಫ್ಲೋ ಹೇಳಿಕೆ
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},ಸಾಲದ ಪ್ರಮಾಣ ಗರಿಷ್ಠ ಸಾಲದ ಪ್ರಮಾಣ ಮೀರುವಂತಿಲ್ಲ {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,ಪರವಾನಗಿ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},ಸಿ ಫಾರ್ಮ್ ಈ ಸರಕುಪಟ್ಟಿ {0} ತೆಗೆದುಹಾಕಿ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},ಸಿ ಫಾರ್ಮ್ ಈ ಸರಕುಪಟ್ಟಿ {0} ತೆಗೆದುಹಾಕಿ {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,ನೀವು ಆದ್ದರಿಂದ ಈ ಹಿಂದಿನ ಆರ್ಥಿಕ ವರ್ಷದ ಬಾಕಿ ಈ ಆರ್ಥಿಕ ವರ್ಷ ಬಿಟ್ಟು ಸೇರಿವೆ ಬಯಸಿದರೆ ಮುಂದಕ್ಕೆ ಸಾಗಿಸುವ ಆಯ್ಕೆ ಮಾಡಿ
DocType: GL Entry,Against Voucher Type,ಚೀಟಿ ಕೌಟುಂಬಿಕತೆ ವಿರುದ್ಧ
DocType: Item,Attributes,ಗುಣಲಕ್ಷಣಗಳು
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,ಖಾತೆ ಆಫ್ ಬರೆಯಿರಿ ನಮೂದಿಸಿ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,ಖಾತೆ ಆಫ್ ಬರೆಯಿರಿ ನಮೂದಿಸಿ
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,ಕೊನೆಯ ಆದೇಶ ದಿನಾಂಕ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},ಖಾತೆ {0} ಮಾಡುತ್ತದೆ ಕಂಪನಿ ಸೇರಿದೆ ಅಲ್ಲ {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,ಸಾಲು {0} ಸರಣಿ ಸಂಖ್ಯೆಗಳು ಡೆಲಿವರಿ ಗಮನಿಸಿ ಹೊಂದುವುದಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,ಸಾಲು {0} ಸರಣಿ ಸಂಖ್ಯೆಗಳು ಡೆಲಿವರಿ ಗಮನಿಸಿ ಹೊಂದುವುದಿಲ್ಲ
DocType: Student,Guardian Details,ಗಾರ್ಡಿಯನ್ ವಿವರಗಳು
DocType: C-Form,C-Form,ಸಿ ಆಕಾರ
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,ಅನೇಕ ನೌಕರರು ಮಾರ್ಕ್ ಅಟೆಂಡೆನ್ಸ್
@@ -3517,16 +3540,16 @@
DocType: Budget Account,Budget Amount,ಬಜೆಟ್ ಪ್ರಮಾಣ
DocType: Appraisal Template,Appraisal Template Title,ಅಪ್ರೇಸಲ್ ಟೆಂಪ್ಲೇಟು ಶೀರ್ಷಿಕೆ
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},ದಿನಾಂಕ ಗೆ {0} ದಿ ಎಂಪ್ಲಾಯ್ {1} ನೌಕರನ ಸೇರುವ ದಿನಾಂಕ ಮೊದಲು ಸಾಧ್ಯವಿಲ್ಲ {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,ವ್ಯಾಪಾರದ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,ವ್ಯಾಪಾರದ
DocType: Payment Entry,Account Paid To,ಖಾತೆಗೆ ಹಣ
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,ಪೋಷಕ ಐಟಂ {0} ಒಂದು ಸ್ಟಾಕ್ ಐಟಂ ಇರಬಾರದು
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,ಎಲ್ಲಾ ಉತ್ಪನ್ನಗಳು ಅಥವಾ ಸೇವೆಗಳ .
DocType: Expense Claim,More Details,ಇನ್ನಷ್ಟು ವಿವರಗಳು
DocType: Supplier Quotation,Supplier Address,ಸರಬರಾಜುದಾರ ವಿಳಾಸ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} ಖಾತೆಗೆ ಬಜೆಟ್ {1} ವಿರುದ್ಧ {2} {3} ಆಗಿದೆ {4}. ಇದು ಮೂಲಕ ಮೀರುತ್ತದೆ {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',ರೋ {0} # ಖಾತೆ ರೀತಿಯ ಇರಬೇಕು 'ಸ್ಥಿರ ಸ್ವತ್ತು'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,ಪ್ರಮಾಣ ಔಟ್
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,ಒಂದು ಮಾರಾಟ ಹಡಗು ಪ್ರಮಾಣವನ್ನು ಲೆಕ್ಕಾಚಾರ ನಿಯಮಗಳು
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',ರೋ {0} # ಖಾತೆ ರೀತಿಯ ಇರಬೇಕು 'ಸ್ಥಿರ ಸ್ವತ್ತು'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,ಪ್ರಮಾಣ ಔಟ್
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,ಒಂದು ಮಾರಾಟ ಹಡಗು ಪ್ರಮಾಣವನ್ನು ಲೆಕ್ಕಾಚಾರ ನಿಯಮಗಳು
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,ಸರಣಿ ಕಡ್ಡಾಯ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,ಹಣಕಾಸು ಸೇವೆಗಳು
DocType: Student Sibling,Student ID,ವಿದ್ಯಾರ್ಥಿ ಗುರುತು
@@ -3534,13 +3557,13 @@
DocType: Tax Rule,Sales,ಮಾರಾಟದ
DocType: Stock Entry Detail,Basic Amount,ಬೇಸಿಕ್ ಪ್ರಮಾಣ
DocType: Training Event,Exam,ಪರೀಕ್ಷೆ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},ಸ್ಟಾಕ್ ಐಟಂ ಅಗತ್ಯವಿದೆ ವೇರ್ಹೌಸ್ {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},ಸ್ಟಾಕ್ ಐಟಂ ಅಗತ್ಯವಿದೆ ವೇರ್ಹೌಸ್ {0}
DocType: Leave Allocation,Unused leaves,ಬಳಕೆಯಾಗದ ಎಲೆಗಳು
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,ಕೋಟಿ
DocType: Tax Rule,Billing State,ಬಿಲ್ಲಿಂಗ್ ರಾಜ್ಯ
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,ವರ್ಗಾವಣೆ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} ಪಕ್ಷದ ಖಾತೆಗೆ ಸಂಬಂಧಿಸಿದ ಇಲ್ಲ {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),( ಉಪ ಜೋಡಣೆಗಳಿಗೆ ಸೇರಿದಂತೆ ) ಸ್ಫೋಟಿಸಿತು BOM ಪಡೆದುಕೊಳ್ಳಿ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} ಪಕ್ಷದ ಖಾತೆಗೆ ಸಂಬಂಧಿಸಿದ ಇಲ್ಲ {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),( ಉಪ ಜೋಡಣೆಗಳಿಗೆ ಸೇರಿದಂತೆ ) ಸ್ಫೋಟಿಸಿತು BOM ಪಡೆದುಕೊಳ್ಳಿ
DocType: Authorization Rule,Applicable To (Employee),ಅನ್ವಯವಾಗುತ್ತದೆ ( ಉದ್ಯೋಗಗಳು)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,ಕಾರಣ ದಿನಾಂಕ ಕಡ್ಡಾಯ
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,ಗುಣಲಕ್ಷಣ ಹೆಚ್ಚಳವನ್ನು {0} 0 ಸಾಧ್ಯವಿಲ್ಲ
@@ -3568,7 +3591,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,ರಾ ಮೆಟೀರಿಯಲ್ ಐಟಂ ಕೋಡ್
DocType: Journal Entry,Write Off Based On,ಆಧರಿಸಿದ ಆಫ್ ಬರೆಯಿರಿ
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,ಲೀಡ್ ಮಾಡಿ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,ಮುದ್ರಣ ಮತ್ತು ಲೇಖನ ಸಾಮಗ್ರಿ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,ಮುದ್ರಣ ಮತ್ತು ಲೇಖನ ಸಾಮಗ್ರಿ
DocType: Stock Settings,Show Barcode Field,ಶೋ ಬಾರ್ಕೋಡ್ ಫೀಲ್ಡ್
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,ಸರಬರಾಜುದಾರ ಇಮೇಲ್ಗಳನ್ನು ಕಳುಹಿಸಿ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","ಸಂಬಳ ಈಗಾಗಲೇ ನಡುವೆ {0} ಮತ್ತು {1}, ಬಿಡಿ ಅಪ್ಲಿಕೇಶನ್ ಅವಧಿಯಲ್ಲಿ ಈ ದಿನಾಂಕ ಶ್ರೇಣಿ ನಡುವೆ ಸಾಧ್ಯವಿಲ್ಲ ಕಾಲ ಸಂಸ್ಕರಿಸಿದ."
@@ -3576,14 +3599,16 @@
DocType: Guardian Interest,Guardian Interest,ಗಾರ್ಡಿಯನ್ ಬಡ್ಡಿ
apps/erpnext/erpnext/config/hr.py +177,Training,ತರಬೇತಿ
DocType: Timesheet,Employee Detail,ನೌಕರರ ವಿವರ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 ಮೇಲ್
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 ಮೇಲ್
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 ಮೇಲ್
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 ಮೇಲ್
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,ಮುಂದಿನ ದಿನಾಂಕ ದಿನ ಮತ್ತು ತಿಂಗಳ ದಿನದಂದು ಪುನರಾವರ್ತಿಸಿ ಸಮನಾಗಿರಬೇಕು
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,ವೆಬ್ಸೈಟ್ ಮುಖಪುಟ ಸೆಟ್ಟಿಂಗ್ಗಳು
DocType: Offer Letter,Awaiting Response,ಪ್ರತಿಕ್ರಿಯೆ ಕಾಯುತ್ತಿದ್ದ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,ಮೇಲೆ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,ಮೇಲೆ
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},ಅಮಾನ್ಯ ಗುಣಲಕ್ಷಣ {0} {1}
DocType: Supplier,Mention if non-standard payable account,ಹೇಳಿರಿ ಅಲ್ಲದ ಪ್ರಮಾಣಿತ ಪಾವತಿಸಬೇಕು ಖಾತೆಯನ್ನು ವೇಳೆ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},ಒಂದೇ ಐಟಂ ಅನ್ನು ಹಲವಾರು ಬಾರಿ ನಮೂದಿಸಲಾದ. {ಪಟ್ಟಿ}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',ದಯವಿಟ್ಟು 'ಎಲ್ಲಾ ಅಸೆಸ್ಮೆಂಟ್ ಗುಂಪುಗಳು' ಬೇರೆ ಅಸೆಸ್ಮೆಂಟ್ ಗುಂಪು ಆಯ್ಕೆ
DocType: Salary Slip,Earning & Deduction,ದುಡಿಯುತ್ತಿದ್ದ & ಡಿಡಕ್ಷನ್
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,ಐಚ್ಛಿಕ . ಈ ಸೆಟ್ಟಿಂಗ್ ವಿವಿಧ ವ್ಯವಹಾರಗಳಲ್ಲಿ ಫಿಲ್ಟರ್ ಬಳಸಲಾಗುತ್ತದೆ.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,ನಕಾರಾತ್ಮಕ ಮೌಲ್ಯಾಂಕನ ದರ ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ
@@ -3597,9 +3622,9 @@
DocType: Sales Invoice,Product Bundle Help,ಉತ್ಪನ್ನ ಕಟ್ಟು ಸಹಾಯ
,Monthly Attendance Sheet,ಮಾಸಿಕ ಹಾಜರಾತಿ ಹಾಳೆ
DocType: Production Order Item,Production Order Item,ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ಐಟಂ
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,ಯಾವುದೇ ದಾಖಲೆ
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,ಯಾವುದೇ ದಾಖಲೆ
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,ಕೈಬಿಟ್ಟಿತು ಆಸ್ತಿ ವೆಚ್ಚ
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: ವೆಚ್ಚ ಸೆಂಟರ್ ಐಟಂ ಕಡ್ಡಾಯ {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: ವೆಚ್ಚ ಸೆಂಟರ್ ಐಟಂ ಕಡ್ಡಾಯ {2}
DocType: Vehicle,Policy No,ನೀತಿ ಇಲ್ಲ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,ಉತ್ಪನ್ನ ಬಂಡಲ್ ವಸ್ತುಗಳನ್ನು ಪಡೆಯಲು
DocType: Asset,Straight Line,ಸರಳ ರೇಖೆ
@@ -3608,7 +3633,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,ಒಡೆದ
DocType: GL Entry,Is Advance,ಮುಂಗಡ ಹೊಂದಿದೆ
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,ದಿನಾಂಕದಿಂದ ಮತ್ತು ದಿನಾಂಕ ಅಟೆಂಡೆನ್ಸ್ ಹಾಜರಿದ್ದ ಕಡ್ಡಾಯ
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,ನಮೂದಿಸಿ ಹೌದು ಅಥವಾ ಇಲ್ಲ ಎಂದು ' subcontracted ಈಸ್'
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,ನಮೂದಿಸಿ ಹೌದು ಅಥವಾ ಇಲ್ಲ ಎಂದು ' subcontracted ಈಸ್'
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,ಕೊನೆಯ ಸಂವಹನ ದಿನಾಂಕ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,ಕೊನೆಯ ಸಂವಹನ ದಿನಾಂಕ
DocType: Sales Team,Contact No.,ಸಂಪರ್ಕಿಸಿ ನಂ
@@ -3637,60 +3662,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,ಆರಂಭಿಕ ಮೌಲ್ಯ
DocType: Salary Detail,Formula,ಸೂತ್ರ
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,ಸರಣಿ #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,ಮಾರಾಟದ ಮೇಲೆ ಕಮಿಷನ್
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,ಮಾರಾಟದ ಮೇಲೆ ಕಮಿಷನ್
DocType: Offer Letter Term,Value / Description,ಮೌಲ್ಯ / ವಿವರಣೆ
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ರೋ # {0}: ಆಸ್ತಿ {1} ಮಾಡಬಹುದು ಸಲ್ಲಿಸಲಾಗುತ್ತದೆ, ಇದು ಈಗಾಗಲೇ {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ರೋ # {0}: ಆಸ್ತಿ {1} ಮಾಡಬಹುದು ಸಲ್ಲಿಸಲಾಗುತ್ತದೆ, ಇದು ಈಗಾಗಲೇ {2}"
DocType: Tax Rule,Billing Country,ಬಿಲ್ಲಿಂಗ್ ಕಂಟ್ರಿ
DocType: Purchase Order Item,Expected Delivery Date,ನಿರೀಕ್ಷಿತ ಡೆಲಿವರಿ ದಿನಾಂಕ
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,ಡೆಬಿಟ್ ಮತ್ತು ಕ್ರೆಡಿಟ್ {0} # ಸಮಾನ ಅಲ್ಲ {1}. ವ್ಯತ್ಯಾಸ {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,ಮನೋರಂಜನೆ ವೆಚ್ಚಗಳು
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ಮಾಡಿ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,ಮನೋರಂಜನೆ ವೆಚ್ಚಗಳು
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ಮಾಡಿ
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},ಓಪನ್ ಐಟಂ {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ {0} ಈ ಮಾರಾಟದ ಆದೇಶವನ್ನು ರದ್ದುಗೊಳಿಸುವ ಮೊದಲು ರದ್ದು ಮಾಡಬೇಕು
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,ವಯಸ್ಸು
DocType: Sales Invoice Timesheet,Billing Amount,ಬಿಲ್ಲಿಂಗ್ ಪ್ರಮಾಣ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,ಐಟಂ ನಿಗದಿತ ಅಮಾನ್ಯ ಪ್ರಮಾಣ {0} . ಪ್ರಮಾಣ 0 ಹೆಚ್ಚಿರಬೇಕು
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,ರಜೆ ಅಪ್ಲಿಕೇಷನ್ಗಳಿಗೆ .
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಖಾತೆ ಅಳಿಸಲಾಗಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ವಹಿವಾಟು ಖಾತೆ ಅಳಿಸಲಾಗಿಲ್ಲ
DocType: Vehicle,Last Carbon Check,ಕೊನೆಯ ಕಾರ್ಬನ್ ಪರಿಶೀಲಿಸಿ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,ಕಾನೂನು ವೆಚ್ಚ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,ಕಾನೂನು ವೆಚ್ಚ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,ದಯವಿಟ್ಟು ಸಾಲಿನಲ್ಲಿ ಪ್ರಮಾಣ ಆಯ್ಕೆ
DocType: Purchase Invoice,Posting Time,ಟೈಮ್ ಪೋಸ್ಟ್
DocType: Timesheet,% Amount Billed,ಖ್ಯಾತವಾದ % ಪ್ರಮಾಣ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,ಟೆಲಿಫೋನ್ ವೆಚ್ಚಗಳು
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,ಟೆಲಿಫೋನ್ ವೆಚ್ಚಗಳು
DocType: Sales Partner,Logo,ಲೋಗೋ
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,ನೀವು ಉಳಿಸುವ ಮೊದಲು ಸರಣಿ ಆರಿಸಲು ಬಳಕೆದಾರರಿಗೆ ಒತ್ತಾಯಿಸಲು ಬಯಸಿದಲ್ಲಿ ಈ ಪರಿಶೀಲಿಸಿ . ನೀವು ಈ ಪರಿಶೀಲಿಸಿ ವೇಳೆ ಯಾವುದೇ ಡೀಫಾಲ್ಟ್ ಇರುತ್ತದೆ .
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},ಯಾವುದೇ ಸೀರಿಯಲ್ ಐಟಂ ಅನ್ನು {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},ಯಾವುದೇ ಸೀರಿಯಲ್ ಐಟಂ ಅನ್ನು {0}
DocType: Email Digest,Open Notifications,ಓಪನ್ ಸೂಚನೆಗಳು
DocType: Payment Entry,Difference Amount (Company Currency),ವ್ಯತ್ಯಾಸ ಪ್ರಮಾಣ (ಕಂಪನಿ ಕರೆನ್ಸಿ)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,ನೇರ ವೆಚ್ಚಗಳು
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,ನೇರ ವೆಚ್ಚಗಳು
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} 'ಅಧಿಸೂಚನೆ \ ಇಮೇಲ್ ವಿಳಾಸ' ಒಂದು ಅಮಾನ್ಯ ಇಮೇಲ್ ವಿಳಾಸ
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,ಹೊಸ ಗ್ರಾಹಕ ಕಂದಾಯ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,ಪ್ರಯಾಣ ವೆಚ್ಚ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,ಪ್ರಯಾಣ ವೆಚ್ಚ
DocType: Maintenance Visit,Breakdown,ಅನಾರೋಗ್ಯದಿಂದ ಕುಸಿತ
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,ಖಾತೆ: {0} ಕರೆನ್ಸಿಗೆ: {1} ಆಯ್ಕೆ ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,ಖಾತೆ: {0} ಕರೆನ್ಸಿಗೆ: {1} ಆಯ್ಕೆ ಸಾಧ್ಯವಿಲ್ಲ
DocType: Bank Reconciliation Detail,Cheque Date,ಚೆಕ್ ದಿನಾಂಕ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},ಖಾತೆ {0}: ಪೋಷಕರ ಖಾತೆಯ {1} ಕಂಪನಿ ಸೇರುವುದಿಲ್ಲ: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},ಖಾತೆ {0}: ಪೋಷಕರ ಖಾತೆಯ {1} ಕಂಪನಿ ಸೇರುವುದಿಲ್ಲ: {2}
DocType: Program Enrollment Tool,Student Applicants,ವಿದ್ಯಾರ್ಥಿ ಅರ್ಜಿದಾರರು
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,ಯಶಸ್ವಿಯಾಗಿ ಈ ಕಂಪನಿಗೆ ಸಂಬಂಧಿಸಿದ ಎಲ್ಲಾ ವ್ಯವಹಾರಗಳನ್ನು ಅಳಿಸಲಾಗಿದೆ!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,ಯಶಸ್ವಿಯಾಗಿ ಈ ಕಂಪನಿಗೆ ಸಂಬಂಧಿಸಿದ ಎಲ್ಲಾ ವ್ಯವಹಾರಗಳನ್ನು ಅಳಿಸಲಾಗಿದೆ!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,ದಿನಾಂಕದಂದು
DocType: Appraisal,HR,ಮಾನವ ಸಂಪನ್ಮೂಲ
DocType: Program Enrollment,Enrollment Date,ನೋಂದಣಿ ದಿನಾಂಕ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,ಪರೀಕ್ಷಣೆ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,ಪರೀಕ್ಷಣೆ
apps/erpnext/erpnext/config/hr.py +115,Salary Components,ಸಂಬಳ ಘಟಕಗಳು
DocType: Program Enrollment Tool,New Academic Year,ಹೊಸ ಶೈಕ್ಷಣಿಕ ವರ್ಷದ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,ರಿಟರ್ನ್ / ಕ್ರೆಡಿಟ್ ಗಮನಿಸಿ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,ರಿಟರ್ನ್ / ಕ್ರೆಡಿಟ್ ಗಮನಿಸಿ
DocType: Stock Settings,Auto insert Price List rate if missing,ಆಟೋ ಇನ್ಸರ್ಟ್ ದರ ಪಟ್ಟಿ ದರ ಕಾಣೆಯಾಗಿದೆ ವೇಳೆ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,ಒಟ್ಟು ಗಳಿಸುವ ಪ್ರಮಾಣ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,ಒಟ್ಟು ಗಳಿಸುವ ಪ್ರಮಾಣ
DocType: Production Order Item,Transferred Qty,ಪ್ರಮಾಣ ವರ್ಗಾಯಿಸಲಾಯಿತು
apps/erpnext/erpnext/config/learn.py +11,Navigating,ನ್ಯಾವಿಗೇಟ್
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,ಯೋಜನೆ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,ಬಿಡುಗಡೆ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,ಯೋಜನೆ
+DocType: Material Request,Issued,ಬಿಡುಗಡೆ
DocType: Project,Total Billing Amount (via Time Logs),ಒಟ್ಟು ಬಿಲ್ಲಿಂಗ್ ಪ್ರಮಾಣ (ಸಮಯ ದಾಖಲೆಗಳು ಮೂಲಕ)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,ನಾವು ಈ ಐಟಂ ಮಾರಾಟ
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,ಪೂರೈಕೆದಾರ ಐಡಿ
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,ನಾವು ಈ ಐಟಂ ಮಾರಾಟ
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,ಪೂರೈಕೆದಾರ ಐಡಿ
DocType: Payment Request,Payment Gateway Details,ಪೇಮೆಂಟ್ ಗೇಟ್ ವೇ ವಿವರಗಳು
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,ಪ್ರಮಾಣ 0 ಹೆಚ್ಚು ಇರಬೇಕು
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,ಪ್ರಮಾಣ 0 ಹೆಚ್ಚು ಇರಬೇಕು
DocType: Journal Entry,Cash Entry,ನಗದು ಎಂಟ್ರಿ
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,ಚೈಲ್ಡ್ ನೋಡ್ಗಳ ಮಾತ್ರ 'ಗುಂಪು' ರೀತಿಯ ಗ್ರಂಥಿಗಳು ಅಡಿಯಲ್ಲಿ ರಚಿಸಬಹುದಾಗಿದೆ
DocType: Leave Application,Half Day Date,ಅರ್ಧ ದಿನ ದಿನಾಂಕ
@@ -3702,14 +3728,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},ದಯವಿಟ್ಟು ಖರ್ಚು ಹಕ್ಕು ಪ್ರಕಾರ ಡೀಫಾಲ್ಟ್ ಖಾತೆಯನ್ನು ಸೆಟ್ {0}
DocType: Assessment Result,Student Name,ವಿದ್ಯಾರ್ಥಿಯ ಹೆಸರು
DocType: Brand,Item Manager,ಐಟಂ ಮ್ಯಾನೇಜರ್
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,ವೇತನದಾರರ ಪಾವತಿಸಲಾಗುವುದು
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,ವೇತನದಾರರ ಪಾವತಿಸಲಾಗುವುದು
DocType: Buying Settings,Default Supplier Type,ಡೀಫಾಲ್ಟ್ ಸರಬರಾಜುದಾರ ಪ್ರಕಾರ
DocType: Production Order,Total Operating Cost,ಒಟ್ಟು ವೆಚ್ಚವನ್ನು
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,ರೇಟಿಂಗ್ : ಐಟಂ {0} ಅನೇಕ ಬಾರಿ ಪ್ರವೇಶಿಸಿತು
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,ಎಲ್ಲಾ ಸಂಪರ್ಕಗಳು .
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,ಕಂಪನಿ ಸಂಕ್ಷೇಪಣ
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,ಕಂಪನಿ ಸಂಕ್ಷೇಪಣ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,ಬಳಕೆದಾರ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,ಕಚ್ಚಾ ವಸ್ತು ಮುಖ್ಯ ಐಟಂ ಅದೇ ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,ಕಚ್ಚಾ ವಸ್ತು ಮುಖ್ಯ ಐಟಂ ಅದೇ ಸಾಧ್ಯವಿಲ್ಲ
DocType: Item Attribute Value,Abbreviation,ಸಂಕ್ಷೇಪಣ
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,ಪಾವತಿ ಎಂಟ್ರಿ ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} ಮಿತಿಗಳನ್ನು ಮೀರಿದೆ ರಿಂದ authroized ಮಾಡಿರುವುದಿಲ್ಲ
@@ -3718,35 +3744,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,ಶಾಪಿಂಗ್ ಕಾರ್ಟ್ ತೆರಿಗೆಯ ರೂಲ್
DocType: Purchase Invoice,Taxes and Charges Added,ಸೇರಿಸಲಾಗಿದೆ ತೆರಿಗೆಗಳು ಮತ್ತು ಶುಲ್ಕಗಳು
,Sales Funnel,ಮಾರಾಟ ಕೊಳವೆಯನ್ನು
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,ಸಂಕ್ಷೇಪಣ ಕಡ್ಡಾಯ
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,ಸಂಕ್ಷೇಪಣ ಕಡ್ಡಾಯ
DocType: Project,Task Progress,ಟಾಸ್ಕ್ ಪ್ರೋಗ್ರೆಸ್
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,ಕಾರ್ಟ್
,Qty to Transfer,ವರ್ಗಾವಣೆ ಪ್ರಮಾಣ
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,ಪಾತ್ರಗಳ ಅಥವಾ ಗ್ರಾಹಕರಿಗೆ ಹಿಟ್ಟಿಗೆ .
DocType: Stock Settings,Role Allowed to edit frozen stock,ಪಾತ್ರ ಹೆಪ್ಪುಗಟ್ಟಿದ ಸ್ಟಾಕ್ ಸಂಪಾದಿಸಲು ಅನುಮತಿಸಲಾಗಿದೆ
,Territory Target Variance Item Group-Wise,ಪ್ರದೇಶ ಟಾರ್ಗೆಟ್ ವೈಷಮ್ಯವನ್ನು ಐಟಂ ಗ್ರೂಪ್ ವೈಸ್
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,ಎಲ್ಲಾ ಗ್ರಾಹಕ ಗುಂಪುಗಳು
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,ಎಲ್ಲಾ ಗ್ರಾಹಕ ಗುಂಪುಗಳು
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,ಕ್ರೋಢಿಕೃತ ಮಾಸಿಕ
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ಕಡ್ಡಾಯ. ಬಹುಶಃ ಕರೆನ್ಸಿ ವಿನಿಮಯ ದಾಖಲೆ {2} ಗೆ {1} ದಾಖಲಿಸಿದವರು ಇದೆ.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ಕಡ್ಡಾಯ. ಬಹುಶಃ ಕರೆನ್ಸಿ ವಿನಿಮಯ ದಾಖಲೆ {2} ಗೆ {1} ದಾಖಲಿಸಿದವರು ಇದೆ.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,ತೆರಿಗೆ ಟೆಂಪ್ಲೇಟು ಕಡ್ಡಾಯವಾಗಿದೆ.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,ಖಾತೆ {0}: ಪೋಷಕರ ಖಾತೆಯ {1} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,ಖಾತೆ {0}: ಪೋಷಕರ ಖಾತೆಯ {1} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
DocType: Purchase Invoice Item,Price List Rate (Company Currency),ಬೆಲೆ ಪಟ್ಟಿ ದರ ( ಕಂಪನಿ ಕರೆನ್ಸಿ )
DocType: Products Settings,Products Settings,ಉತ್ಪನ್ನಗಳು ಸೆಟ್ಟಿಂಗ್ಗಳು
DocType: Account,Temporary,ತಾತ್ಕಾಲಿಕ
DocType: Program,Courses,ಶಿಕ್ಷಣ
DocType: Monthly Distribution Percentage,Percentage Allocation,ಶೇಕಡಾವಾರು ಹಂಚಿಕ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,ಕಾರ್ಯದರ್ಶಿ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,ಕಾರ್ಯದರ್ಶಿ
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿದಲ್ಲಿ, ಕ್ಷೇತ್ರದಲ್ಲಿ ವರ್ಡ್ಸ್ 'ಯಾವುದೇ ವ್ಯವಹಾರದಲ್ಲಿ ಗೋಚರಿಸುವುದಿಲ್ಲ"
DocType: Serial No,Distinct unit of an Item,ಐಟಂ ವಿಶಿಷ್ಟ ಘಟಕವಾಗಿದೆ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,ಕಂಪನಿ ದಯವಿಟ್ಟು
DocType: Pricing Rule,Buying,ಖರೀದಿ
DocType: HR Settings,Employee Records to be created by,ನೌಕರರ ದಾಖಲೆಗಳು ದಾಖಲಿಸಿದವರು
DocType: POS Profile,Apply Discount On,ರಿಯಾಯತಿ ಅನ್ವಯಿಸು
,Reqd By Date,ಬೇಕಾಗಿದೆ ದಿನಾಂಕ ಮೂಲಕ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,ಸಾಲ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,ಸಾಲ
DocType: Assessment Plan,Assessment Name,ಅಸೆಸ್ಮೆಂಟ್ ಹೆಸರು
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,ರೋ # {0}: ಸೀರಿಯಲ್ ಯಾವುದೇ ಕಡ್ಡಾಯ
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,ಐಟಂ ವೈಸ್ ತೆರಿಗೆ ವಿವರ
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,ಇನ್ಸ್ಟಿಟ್ಯೂಟ್ ಸಂಕ್ಷೇಪಣ
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,ಇನ್ಸ್ಟಿಟ್ಯೂಟ್ ಸಂಕ್ಷೇಪಣ
,Item-wise Price List Rate,ಐಟಂ ಬಲ್ಲ ಬೆಲೆ ಪಟ್ಟಿ ದರ
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,ಸರಬರಾಜುದಾರ ನುಡಿಮುತ್ತುಗಳು
DocType: Quotation,In Words will be visible once you save the Quotation.,ನೀವು ಉದ್ಧರಣ ಉಳಿಸಲು ಒಮ್ಮೆ ವರ್ಡ್ಸ್ ಗೋಚರಿಸುತ್ತದೆ.
@@ -3754,14 +3781,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},ಪ್ರಮಾಣ ({0}) ಸತತವಾಗಿ ಭಾಗವನ್ನು ಸಾಧ್ಯವಿಲ್ಲ {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,ಶುಲ್ಕ ಸಂಗ್ರಹಿಸಿ
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},ಬಾರ್ಕೋಡ್ {0} ಈಗಾಗಲೇ ಐಟಂ ಬಳಸಲಾಗುತ್ತದೆ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},ಬಾರ್ಕೋಡ್ {0} ಈಗಾಗಲೇ ಐಟಂ ಬಳಸಲಾಗುತ್ತದೆ {1}
DocType: Lead,Add to calendar on this date,ಈ ದಿನಾಂಕದಂದು ಕ್ಯಾಲೆಂಡರ್ಗೆ ಸೇರಿಸು
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,ಹಡಗು ವೆಚ್ಚ ಸೇರಿಸುವ ನಿಯಮಗಳು .
DocType: Item,Opening Stock,ಸ್ಟಾಕ್ ತೆರೆಯುವ
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,ಗ್ರಾಹಕ ಅಗತ್ಯವಿದೆ
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} ರಿಟರ್ನ್ ಕಡ್ಡಾಯ
DocType: Purchase Order,To Receive,ಪಡೆಯಲು
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,ಸ್ಟಾಫ್ ಇಮೇಲ್
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,ಒಟ್ಟು ಭಿನ್ನಾಭಿಪ್ರಾಯ
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","ಶಕ್ತಗೊಂಡಿದ್ದಲ್ಲಿ , ಗಣಕವು ದಾಸ್ತಾನು ಲೆಕ್ಕಪರಿಶೋಧಕ ನಮೂದುಗಳನ್ನು ಪೋಸ್ಟ್ ಕಾಣಿಸುತ್ತದೆ ."
@@ -3773,13 +3799,14 @@
DocType: Customer,From Lead,ಮುಂಚೂಣಿಯಲ್ಲಿವೆ
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ಉತ್ಪಾದನೆಗೆ ಬಿಡುಗಡೆ ಆರ್ಡರ್ಸ್ .
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,ಹಣಕಾಸಿನ ವರ್ಷ ಆಯ್ಕೆ ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,ಪಿಓಎಸ್ ಪ್ರೊಫೈಲ್ ಪಿಓಎಸ್ ಎಂಟ್ರಿ ಮಾಡಲು ಅಗತ್ಯವಿದೆ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,ಪಿಓಎಸ್ ಪ್ರೊಫೈಲ್ ಪಿಓಎಸ್ ಎಂಟ್ರಿ ಮಾಡಲು ಅಗತ್ಯವಿದೆ
DocType: Program Enrollment Tool,Enroll Students,ವಿದ್ಯಾರ್ಥಿಗಳು ದಾಖಲು
DocType: Hub Settings,Name Token,ಹೆಸರು ಟೋಕನ್
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,ಸ್ಟ್ಯಾಂಡರ್ಡ್ ವಿಕ್ರಯ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,ಕನಿಷ್ಠ ಒಂದು ಗೋದಾಮಿನ ಕಡ್ಡಾಯ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,ಕನಿಷ್ಠ ಒಂದು ಗೋದಾಮಿನ ಕಡ್ಡಾಯ
DocType: Serial No,Out of Warranty,ಖಾತರಿ ಹೊರಗೆ
DocType: BOM Replace Tool,Replace,ಬದಲಾಯಿಸಿ
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,ಯಾವುದೇ ಉತ್ಪನ್ನಗಳು ಕಂಡುಬಂದಿಲ್ಲ.
DocType: Production Order,Unstopped,ತಡೆಯುವಿಕೆಯೂ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ವಿರುದ್ಧ {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3790,13 +3817,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,ಸ್ಟಾಕ್ ಮೌಲ್ಯ ವ್ಯತ್ಯಾಸ
apps/erpnext/erpnext/config/learn.py +234,Human Resource,ಮಾನವ ಸಂಪನ್ಮೂಲ
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,ಪಾವತಿ ರಾಜಿ ಪಾವತಿಗೆ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,ತೆರಿಗೆ ಸ್ವತ್ತುಗಳು
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,ತೆರಿಗೆ ಸ್ವತ್ತುಗಳು
DocType: BOM Item,BOM No,ಯಾವುದೇ BOM
DocType: Instructor,INS/,ಐಎನ್ಎಸ್ /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,ಜರ್ನಲ್ ಎಂಟ್ರಿ {0} {1} ಅಥವಾ ಈಗಾಗಲೇ ಇತರ ಚೀಟಿ ವಿರುದ್ಧ ದಾಖಲೆಗಳುಸರಿಹೊಂದಿವೆ ಖಾತೆಯನ್ನು ಹೊಂದಿಲ್ಲ
DocType: Item,Moving Average,ಸರಾಸರಿ ಮೂವಿಂಗ್
DocType: BOM Replace Tool,The BOM which will be replaced,BOM ಯಾವ ಸ್ಥಾನಾಂತರಿಸಲಾಗಿದೆ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,ಎಲೆಕ್ಟ್ರಾನಿಕ್ ಉಪಕರಣಗಳು
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,ಎಲೆಕ್ಟ್ರಾನಿಕ್ ಉಪಕರಣಗಳು
DocType: Account,Debit,ಡೆಬಿಟ್
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,ಎಲೆಗಳು ಹಂಚಿಕೆ 0.5 ಗುಣಾತ್ಮಕವಾಗಿ ಇರಬೇಕು
DocType: Production Order,Operation Cost,ಆಪರೇಷನ್ ವೆಚ್ಚ
@@ -3804,7 +3831,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,ಅತ್ಯುತ್ತಮ ಆಮ್ಟ್
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,ಸೆಟ್ ಗುರಿಗಳನ್ನು ಐಟಂ ಗುಂಪು ಬಲ್ಲ ಈ ಮಾರಾಟ ವ್ಯಕ್ತಿಗೆ .
DocType: Stock Settings,Freeze Stocks Older Than [Days],ಫ್ರೀಜ್ ಸ್ಟಾಕ್ಗಳು ಹಳೆಯದಾಗಿರುವ [ ಡೇಸ್ ]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,ರೋ # {0}: ಆಸ್ತಿ ಸ್ಥಿರ ಆಸ್ತಿ ಖರೀದಿ / ಮಾರಾಟ ಕಡ್ಡಾಯ
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,ರೋ # {0}: ಆಸ್ತಿ ಸ್ಥಿರ ಆಸ್ತಿ ಖರೀದಿ / ಮಾರಾಟ ಕಡ್ಡಾಯ
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","ಎರಡು ಅಥವಾ ಹೆಚ್ಚು ಬೆಲೆ ನಿಯಮಗಳು ಮೇಲೆ ಆಧರಿಸಿ ಕಂಡುಬರದಿದ್ದಲ್ಲಿ, ಆದ್ಯತಾ ಅನ್ವಯಿಸಲಾಗುತ್ತದೆ. ಡೀಫಾಲ್ಟ್ ಮೌಲ್ಯವನ್ನು ಶೂನ್ಯ (ಖಾಲಿ) ಹಾಗೆಯೇ ಆದ್ಯತಾ 20 0 ನಡುವೆ ಸಂಖ್ಯೆ. ಹೆಚ್ಚಿನ ಸಂಖ್ಯೆ ಅದೇ ಪರಿಸ್ಥಿತಿಗಳು ಅನೇಕ ಬೆಲೆ ನಿಯಮಗಳು ಇವೆ ಅದು ಪ್ರಾಧಾನ್ಯತೆಯನ್ನು ತೆಗೆದುಕೊಳ್ಳುತ್ತದೆ ಅರ್ಥ."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,ಹಣಕಾಸಿನ ವರ್ಷ: {0} ಮಾಡುವುದಿಲ್ಲ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ
DocType: Currency Exchange,To Currency,ಕರೆನ್ಸಿ
@@ -3813,7 +3840,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ಅದರ {1} ಐಟಂ ಪ್ರಮಾಣ ಮಾರಾಟ {0} ಕಡಿಮೆಯಿದೆ. ಮಾರಾಟ ದರವನ್ನು ಇರಬೇಕು ಕನಿಷ್ಠ {2}
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ಅದರ {1} ಐಟಂ ಪ್ರಮಾಣ ಮಾರಾಟ {0} ಕಡಿಮೆಯಿದೆ. ಮಾರಾಟ ದರವನ್ನು ಇರಬೇಕು ಕನಿಷ್ಠ {2}
DocType: Item,Taxes,ತೆರಿಗೆಗಳು
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,ಹಣ ಮತ್ತು ವಿತರಣೆ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,ಹಣ ಮತ್ತು ವಿತರಣೆ
DocType: Project,Default Cost Center,ಡೀಫಾಲ್ಟ್ ವೆಚ್ಚ ಸೆಂಟರ್
DocType: Bank Guarantee,End Date,ಅಂತಿಮ ದಿನಾಂಕ
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,ಸ್ಟಾಕ್ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್
@@ -3838,24 +3865,22 @@
DocType: Employee,Held On,ನಡೆದ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,ಪ್ರೊಡಕ್ಷನ್ ಐಟಂ
,Employee Information,ನೌಕರರ ಮಾಹಿತಿ
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),ದರ (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),ದರ (%)
DocType: Stock Entry Detail,Additional Cost,ಹೆಚ್ಚುವರಿ ವೆಚ್ಚ
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,ಹಣಕಾಸು ವರ್ಷಾಂತ್ಯದ ದಿನಾಂಕ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","ಚೀಟಿ ಮೂಲಕ ವರ್ಗೀಕರಿಸಲಾಗಿದೆ ವೇಳೆ , ಚೀಟಿ ಸಂಖ್ಯೆ ಆಧರಿಸಿ ಫಿಲ್ಟರ್ ಸಾಧ್ಯವಿಲ್ಲ"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,ಸರಬರಾಜುದಾರ ಉದ್ಧರಣ ಮಾಡಿ
DocType: Quality Inspection,Incoming,ಒಳಬರುವ
DocType: BOM,Materials Required (Exploded),ಬೇಕಾದ ಸಾಮಗ್ರಿಗಳು (ಸ್ಫೋಟಿಸಿತು )
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","ನಿಮ್ಮನ್ನು ಬೇರೆ, ನಿಮ್ಮ ಸಂಸ್ಥೆಗೆ ಬಳಕೆದಾರರು ಸೇರಿಸಿ"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಮುಂದಿನ ದಿನಾಂಕದಂದು ಸಾಧ್ಯವಿಲ್ಲ
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},ರೋ # {0}: ಸೀರಿಯಲ್ ಯಾವುದೇ {1} ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,ರಜೆ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,ರಜೆ
DocType: Batch,Batch ID,ಬ್ಯಾಚ್ ID
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},ರೇಟಿಂಗ್ : {0}
,Delivery Note Trends,ಡೆಲಿವರಿ ಗಮನಿಸಿ ಪ್ರವೃತ್ತಿಗಳು
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,ಈ ವಾರದ ಸಾರಾಂಶ
-,In Stock Qty,ಸ್ಟಾಕ್ ಪ್ರಮಾಣ ರಲ್ಲಿ
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,ಸ್ಟಾಕ್ ಪ್ರಮಾಣ ರಲ್ಲಿ
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,ಖಾತೆ: {0} ಮಾತ್ರ ಸ್ಟಾಕ್ ಟ್ರಾನ್ಸಾಕ್ಷನ್ಸ್ ಮೂಲಕ ಅಪ್ಡೇಟ್ ಮಾಡಬಹುದು
-DocType: Program Enrollment,Get Courses,ಕೋರ್ಸ್ಗಳು ಪಡೆಯಿರಿ
+DocType: Student Group Creation Tool,Get Courses,ಕೋರ್ಸ್ಗಳು ಪಡೆಯಿರಿ
DocType: GL Entry,Party,ಪಕ್ಷ
DocType: Sales Order,Delivery Date,ಡೆಲಿವರಿ ದಿನಾಂಕ
DocType: Opportunity,Opportunity Date,ಅವಕಾಶ ದಿನಾಂಕ
@@ -3863,14 +3888,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,ಉದ್ಧರಣ ಐಟಂ ವಿನಂತಿ
DocType: Purchase Order,To Bill,ಬಿಲ್
DocType: Material Request,% Ordered,% ಆದೇಶ
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","ಕೋರ್ಸ್ ಆಧಾರಿತ ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಫಾರ್, ಕೋರ್ಸ್ ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ದಾಖಲಾತಿ ಸೇರಿಕೊಂಡಳು ಕೋರ್ಸ್ಗಳು ಪ್ರತಿ ವಿದ್ಯಾರ್ಥಿ ಪಡಿಸಿ ನಡೆಯಲಿದೆ."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","ಇಮೇಲ್ ವಿಳಾಸ ನಮೂದಿಸಿ ಬೇರ್ಪಡಿಸಲಾಗಿರುತ್ತದೆ, ಸರಕುಪಟ್ಟಿ ನಿರ್ದಿಷ್ಟ ದಿನಾಂಕದಂದು ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಮೇಲ್ ಆಗುತ್ತದೆ"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Piecework
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Piecework
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,ಆವರೇಜ್. ಬೈಯಿಂಗ್ ದರ
DocType: Task,Actual Time (in Hours),(ಘಂಟೆಗಳಲ್ಲಿ) ವಾಸ್ತವ ಟೈಮ್
DocType: Employee,History In Company,ಕಂಪನಿ ಇತಿಹಾಸ
apps/erpnext/erpnext/config/learn.py +107,Newsletters,ಸುದ್ದಿಪತ್ರಗಳು
DocType: Stock Ledger Entry,Stock Ledger Entry,ಸ್ಟಾಕ್ ಲೆಡ್ಜರ್ ಎಂಟ್ರಿ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ಗ್ರಾಹಕ> ಗ್ರಾಹಕನಿಗೆ ಗ್ರೂಪ್> ಟೆರಿಟರಿ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,ಒಂದೇ ಐಟಂ ಅನ್ನು ಹಲವಾರು ಬಾರಿ ನಮೂದಿಸಲಾದ
DocType: Department,Leave Block List,ಖಂಡ ಬಿಡಿ
DocType: Sales Invoice,Tax ID,ತೆರಿಗೆಯ ID
@@ -3885,30 +3910,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} ಘಟಕಗಳು {1} ನಲ್ಲಿ {2} ಈ ವ್ಯವಹಾರವನ್ನು ಪೂರ್ಣಗೊಳಿಸಲು ಅಗತ್ಯವಿದೆ.
DocType: Loan Type,Rate of Interest (%) Yearly,ಬಡ್ಡಿ ದರ (%) ವಾರ್ಷಿಕ
DocType: SMS Settings,SMS Settings,SMS ಸೆಟ್ಟಿಂಗ್ಗಳು
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,ತಾತ್ಕಾಲಿಕ ಖಾತೆಗಳು
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,ಬ್ಲಾಕ್
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,ತಾತ್ಕಾಲಿಕ ಖಾತೆಗಳು
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,ಬ್ಲಾಕ್
DocType: BOM Explosion Item,BOM Explosion Item,BOM ಸ್ಫೋಟ ಐಟಂ
DocType: Account,Auditor,ಆಡಿಟರ್
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} ನಿರ್ಮಾಣ ಐಟಂಗಳನ್ನು
DocType: Cheque Print Template,Distance from top edge,ಮೇಲಿನ ತುದಿಯಲ್ಲಿ ದೂರ
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,ದರ ಪಟ್ಟಿ {0} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿದರೆ ಅಥವಾ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,ದರ ಪಟ್ಟಿ {0} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿದರೆ ಅಥವಾ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
DocType: Purchase Invoice,Return,ರಿಟರ್ನ್
DocType: Production Order Operation,Production Order Operation,ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ಆಪರೇಷನ್
DocType: Pricing Rule,Disable,ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಿ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,ಪಾವತಿಸುವ ವಿಧಾನ ಪಾವತಿ ಮಾಡಬೇಕಿರುತ್ತದೆ
DocType: Project Task,Pending Review,ಬಾಕಿ ರಿವ್ಯೂ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ಬ್ಯಾಚ್ ಸೇರಿಕೊಂಡಳು ಇದೆ {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}",ಇದು ಈಗಾಗಲೇ ಆಸ್ತಿ {0} ನಿಷ್ಕ್ರಿಯವಾಗಲ್ಪಟ್ಟವು ಸಾಧ್ಯವಿಲ್ಲ {1}
DocType: Task,Total Expense Claim (via Expense Claim),(ಖರ್ಚು ಹಕ್ಕು ಮೂಲಕ) ಒಟ್ಟು ಖರ್ಚು ಹಕ್ಕು
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,ಗ್ರಾಹಕ ಗುರುತು
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,ಮಾರ್ಕ್ ಆಬ್ಸೆಂಟ್
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ರೋ {0}: ಆಫ್ ಬಿಒಎಮ್ # ಕರೆನ್ಸಿ {1} ಆಯ್ಕೆ ಕರೆನ್ಸಿ ಸಮಾನ ಇರಬೇಕು {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ರೋ {0}: ಆಫ್ ಬಿಒಎಮ್ # ಕರೆನ್ಸಿ {1} ಆಯ್ಕೆ ಕರೆನ್ಸಿ ಸಮಾನ ಇರಬೇಕು {2}
DocType: Journal Entry Account,Exchange Rate,ವಿನಿಮಯ ದರ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,ಮಾರಾಟದ ಆರ್ಡರ್ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,ಮಾರಾಟದ ಆರ್ಡರ್ {0} ಸಲ್ಲಿಸದಿದ್ದರೆ
DocType: Homepage,Tag Line,ಟ್ಯಾಗ್ ಲೈನ್
DocType: Fee Component,Fee Component,ಶುಲ್ಕ ಕಾಂಪೊನೆಂಟ್
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,ಫ್ಲೀಟ್ ಮ್ಯಾನೇಜ್ಮೆಂಟ್
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,ಐಟಂಗಳನ್ನು ಸೇರಿಸಿ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},ವೇರ್ಹೌಸ್ {0}: ಪೋಷಕರ ಖಾತೆಯ {1} ಕಂಪನಿಗೆ ಸದಸ್ಯ ಮಾಡುವುದಿಲ್ಲ {2}
DocType: Cheque Print Template,Regular,ನಿಯಮಿತ
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,ಎಲ್ಲಾ ಅಸೆಸ್ಮೆಂಟ್ ಕ್ರೈಟೀರಿಯಾ ಒಟ್ಟು ಪ್ರಾಮುಖ್ಯತೆಯನ್ನು 100% ಇರಬೇಕು
DocType: BOM,Last Purchase Rate,ಕೊನೆಯ ಖರೀದಿ ದರ
@@ -3917,11 +3941,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,ಐಟಂ ಅಸ್ತಿತ್ವದಲ್ಲಿರುವುದಿಲ್ಲ ಸ್ಟಾಕ್ {0} ರಿಂದ ವೇರಿಯಂಟ್
,Sales Person-wise Transaction Summary,ಮಾರಾಟಗಾರನ ಬಲ್ಲ ಟ್ರಾನ್ಸಾಕ್ಷನ್ ಸಾರಾಂಶ
DocType: Training Event,Contact Number,ಸಂಪರ್ಕ ಸಂಖ್ಯೆ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,ವೇರ್ಹೌಸ್ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,ವೇರ್ಹೌಸ್ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,ERPNext ಹಬ್ ನೋಂದಣಿ
DocType: Monthly Distribution,Monthly Distribution Percentages,ಮಾಸಿಕ ವಿತರಣೆ ಶೇಕಡಾವಾರು
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,ಆಯ್ದುಕೊಂಡ ಬ್ಯಾಚ್ ಹೊಂದುವಂತಿಲ್ಲ
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","ಮೌಲ್ಯಾಂಕನ ದರ ಲೆಕ್ಕಪತ್ರ ನಮೂದುಗಳನ್ನು ಮಾಡಲು ಅಗತ್ಯವಿದೆ ಇದು ಐಟಂ {0}, ಕಂಡುಬಂದಿಲ್ಲ {1} {2}. ಐಟಂ ಒಂದು ಮಾದರಿ ಐಟಂ ವಹಿವಾಟುಗಳನ್ನು ವೇಳೆ {1}, {1} ಐಟಂ ಕೋಷ್ಟಕದಲ್ಲಿ ಕುರಿತು ಮಾಹಿತಿ ನೀಡಿ. ಇಲ್ಲವಾದರೆ, ಐಟಂ ದಾಖಲೆಯಲ್ಲಿ ಐಟಂ ಅಥವಾ ಉಲ್ಲೇಖವನ್ನು ಮೌಲ್ಯಮಾಪನ ದರ ಒಳಬರುವ ಶೇರು ವಹಿವಾಟು ರಚಿಸಲು, ತದನಂತರ / submiting ಪ್ರಯತ್ನಿಸಿ ಈ ನಮೂದನ್ನು ರದ್ದು ಮಾಡಿ"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","ಮೌಲ್ಯಾಂಕನ ದರ ಲೆಕ್ಕಪತ್ರ ನಮೂದುಗಳನ್ನು ಮಾಡಲು ಅಗತ್ಯವಿದೆ ಇದು ಐಟಂ {0}, ಕಂಡುಬಂದಿಲ್ಲ {1} {2}. ಐಟಂ ಒಂದು ಮಾದರಿ ಐಟಂ ವಹಿವಾಟುಗಳನ್ನು ವೇಳೆ {1}, {1} ಐಟಂ ಕೋಷ್ಟಕದಲ್ಲಿ ಕುರಿತು ಮಾಹಿತಿ ನೀಡಿ. ಇಲ್ಲವಾದರೆ, ಐಟಂ ದಾಖಲೆಯಲ್ಲಿ ಐಟಂ ಅಥವಾ ಉಲ್ಲೇಖವನ್ನು ಮೌಲ್ಯಮಾಪನ ದರ ಒಳಬರುವ ಶೇರು ವಹಿವಾಟು ರಚಿಸಲು, ತದನಂತರ / submiting ಪ್ರಯತ್ನಿಸಿ ಈ ನಮೂದನ್ನು ರದ್ದು ಮಾಡಿ"
DocType: Delivery Note,% of materials delivered against this Delivery Note,ಈ ಡೆಲಿವರಿ ಗಮನಿಸಿ ವಿರುದ್ಧ ವಿತರಿಸಲಾಯಿತು ವಸ್ತುಗಳ %
DocType: Project,Customer Details,ಗ್ರಾಹಕ ವಿವರಗಳು
DocType: Employee,Reports to,ಗೆ ವರದಿಗಳು
@@ -3929,24 +3953,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,ರಿಸೀವರ್ ಸೂಲ URL ಅನ್ನು ನಿಯತಾಂಕ ಯನ್ನು
DocType: Payment Entry,Paid Amount,ಮೊತ್ತವನ್ನು
DocType: Assessment Plan,Supervisor,ಮೇಲ್ವಿಚಾರಕ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,ಆನ್ಲೈನ್
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,ಆನ್ಲೈನ್
,Available Stock for Packing Items,ಐಟಂಗಳು ಪ್ಯಾಕಿಂಗ್ ಸ್ಟಾಕ್ ಲಭ್ಯವಿದೆ
DocType: Item Variant,Item Variant,ಐಟಂ ಭಿನ್ನ
DocType: Assessment Result Tool,Assessment Result Tool,ಅಸೆಸ್ಮೆಂಟ್ ಫಲಿತಾಂಶ ಟೂಲ್
DocType: BOM Scrap Item,BOM Scrap Item,ಬಿಒಎಮ್ ಸ್ಕ್ರ್ಯಾಪ್ ಐಟಂ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,ಸಲ್ಲಿಸಲಾಗಿದೆ ಆದೇಶಗಳನ್ನು ಅಳಿಸಲಾಗುವುದಿಲ್ಲ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ಈಗಾಗಲೇ ಡೆಬಿಟ್ ರಲ್ಲಿ ಖಾತೆ ಸಮತೋಲನ, ನೀವು 'ಕ್ರೆಡಿಟ್' 'ಬ್ಯಾಲೆನ್ಸ್ ಇರಬೇಕು ಹೊಂದಿಸಲು ಅನುಮತಿ ಇಲ್ಲ"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,ಗುಣಮಟ್ಟ ನಿರ್ವಹಣೆ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,ಸಲ್ಲಿಸಲಾಗಿದೆ ಆದೇಶಗಳನ್ನು ಅಳಿಸಲಾಗುವುದಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ಈಗಾಗಲೇ ಡೆಬಿಟ್ ರಲ್ಲಿ ಖಾತೆ ಸಮತೋಲನ, ನೀವು 'ಕ್ರೆಡಿಟ್' 'ಬ್ಯಾಲೆನ್ಸ್ ಇರಬೇಕು ಹೊಂದಿಸಲು ಅನುಮತಿ ಇಲ್ಲ"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,ಗುಣಮಟ್ಟ ನಿರ್ವಹಣೆ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,ಐಟಂ {0} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ
DocType: Employee Loan,Repay Fixed Amount per Period,ಅವಧಿಯ ಪ್ರತಿ ಸ್ಥಿರ ಪ್ರಮಾಣದ ಮರುಪಾವತಿ
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},ಐಟಂ ಪ್ರಮಾಣ ನಮೂದಿಸಿ {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,ಕ್ರೆಡಿಟ್ ಗಮನಿಸಿ ಆಮ್ಟ್
DocType: Employee External Work History,Employee External Work History,ಬಾಹ್ಯ ಕೆಲಸದ ಇತಿಹಾಸ
DocType: Tax Rule,Purchase,ಖರೀದಿ
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,ಬ್ಯಾಲೆನ್ಸ್ ಪ್ರಮಾಣ
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,ಬ್ಯಾಲೆನ್ಸ್ ಪ್ರಮಾಣ
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,ಗುರಿಗಳು ಖಾಲಿ ಇರುವಂತಿಲ್ಲ
DocType: Item Group,Parent Item Group,ಪೋಷಕ ಐಟಂ ಗುಂಪು
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} ಫಾರ್ {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,ವೆಚ್ಚ ಕೇಂದ್ರಗಳು
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,ವೆಚ್ಚ ಕೇಂದ್ರಗಳು
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,ಯಾವ ಸರಬರಾಜುದಾರರ ಕರೆನ್ಸಿ ದರ ಕಂಪನಿಯ ಬೇಸ್ ಕರೆನ್ಸಿ ಪರಿವರ್ತನೆ
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},ರೋ # {0}: ಸಾಲು ಸಮಯ ಘರ್ಷಣೆಗಳು {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,ಅನುಮತಿಸಿ ಶೂನ್ಯ ಮೌಲ್ಯಾಂಕನ ದರ
@@ -3954,17 +3979,18 @@
DocType: Training Event Employee,Invited,ಆಹ್ವಾನಿತ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,ನೀಡಿದ ದಿನಾಂಕಗಳನ್ನು ಉದ್ಯೋಗಿ {0} ಗಾಗಿ ಬಹು ಸಕ್ರಿಯ ಸಂಬಳ ಸ್ಟ್ರಕ್ಚರ್ಸ್
DocType: Opportunity,Next Contact,ಮುಂದಿನ ಸಂಪರ್ಕಿಸಿ
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,ಸೆಟಪ್ ಗೇಟ್ವೇ ಖಾತೆಗಳನ್ನು.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,ಸೆಟಪ್ ಗೇಟ್ವೇ ಖಾತೆಗಳನ್ನು.
DocType: Employee,Employment Type,ಉದ್ಯೋಗ ಪ್ರಕಾರ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,ಸ್ಥಿರ ಆಸ್ತಿಗಳ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,ಸ್ಥಿರ ಆಸ್ತಿಗಳ
DocType: Payment Entry,Set Exchange Gain / Loss,ವಿನಿಮಯ ಗಳಿಕೆ / ನಷ್ಟ ಹೊಂದಿಸಿ
+,GST Purchase Register,ಜಿಎಸ್ಟಿ ಖರೀದಿ ನೋಂದಣಿ
,Cash Flow,ಕ್ಯಾಶ್ ಫ್ಲೋ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,ಅಪ್ಲಿಕೇಶನ್ ಅವಧಿಯಲ್ಲಿ ಎರಡು alocation ದಾಖಲೆಗಳನ್ನು ಅಡ್ಡಲಾಗಿ ಸಾಧ್ಯವಿಲ್ಲ
DocType: Item Group,Default Expense Account,ಡೀಫಾಲ್ಟ್ ಖರ್ಚು ಖಾತೆ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,ವಿದ್ಯಾರ್ಥಿ ಈಮೇಲ್ ಅಡ್ರೆಸ್
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,ವಿದ್ಯಾರ್ಥಿ ಈಮೇಲ್ ಅಡ್ರೆಸ್
DocType: Employee,Notice (days),ಎಚ್ಚರಿಕೆ ( ದಿನಗಳು)
DocType: Tax Rule,Sales Tax Template,ಮಾರಾಟ ತೆರಿಗೆ ಟೆಂಪ್ಲೇಟು
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,ಸರಕುಪಟ್ಟಿ ಉಳಿಸಲು ಐಟಂಗಳನ್ನು ಆಯ್ಕೆ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,ಸರಕುಪಟ್ಟಿ ಉಳಿಸಲು ಐಟಂಗಳನ್ನು ಆಯ್ಕೆ
DocType: Employee,Encashment Date,ನಗದೀಕರಣ ದಿನಾಂಕ
DocType: Training Event,Internet,ಇಂಟರ್ನೆಟ್
DocType: Account,Stock Adjustment,ಸ್ಟಾಕ್ ಹೊಂದಾಣಿಕೆ
@@ -3993,7 +4019,7 @@
DocType: Guardian,Guardian Of ,ಗಾರ್ಡಿಯನ್
DocType: Grading Scale Interval,Threshold,ಮಿತಿ
DocType: BOM Replace Tool,Current BOM,ಪ್ರಸ್ತುತ BOM
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,ಸೀರಿಯಲ್ ನಂ ಸೇರಿಸಿ
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,ಸೀರಿಯಲ್ ನಂ ಸೇರಿಸಿ
apps/erpnext/erpnext/config/support.py +22,Warranty,ಖಾತರಿ
DocType: Purchase Invoice,Debit Note Issued,ಡೆಬಿಟ್ ಚೀಟಿಯನ್ನು ನೀಡಲಾಗಿದೆ
DocType: Production Order,Warehouses,ಗೋದಾಮುಗಳು
@@ -4002,20 +4028,20 @@
DocType: Workstation,per hour,ಗಂಟೆಗೆ
apps/erpnext/erpnext/config/buying.py +7,Purchasing,ಖರೀದಿ
DocType: Announcement,Announcement,ಪ್ರಕಟಣೆ
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,ಗೋದಾಮಿನ ( ಸಾರ್ವಕಾಲಿಕ ದಾಸ್ತಾನು ) ಖಾತೆ ಈ ಖಾತೆಯ ಅಡಿಯಲ್ಲಿ ನಿರ್ಮಿಸಲಾಗುತ್ತದೆ.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,ಸ್ಟಾಕ್ ಲೆಡ್ಜರ್ ಪ್ರವೇಶ ಈ ಗೋದಾಮಿನ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಎಂದು ವೇರ್ಹೌಸ್ ಅಳಿಸಲಾಗುವುದಿಲ್ಲ .
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","ಬ್ಯಾಚ್ ಆಧಾರಿತ ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಫಾರ್, ವಿದ್ಯಾರ್ಥಿ ಬ್ಯಾಚ್ ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ದಾಖಲಾತಿ ಪ್ರತಿ ವಿದ್ಯಾರ್ಥಿ ಪಡಿಸಿ ನಡೆಯಲಿದೆ."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,ಸ್ಟಾಕ್ ಲೆಡ್ಜರ್ ಪ್ರವೇಶ ಈ ಗೋದಾಮಿನ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಎಂದು ವೇರ್ಹೌಸ್ ಅಳಿಸಲಾಗುವುದಿಲ್ಲ .
DocType: Company,Distribution,ಹಂಚುವುದು
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,ಮೊತ್ತವನ್ನು
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,ಪ್ರಾಜೆಕ್ಟ್ ಮ್ಯಾನೇಜರ್
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,ಪ್ರಾಜೆಕ್ಟ್ ಮ್ಯಾನೇಜರ್
,Quoted Item Comparison,ಉಲ್ಲೇಖಿಸಿದ ಐಟಂ ಹೋಲಿಕೆ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,ರವಾನಿಸು
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,ಮ್ಯಾಕ್ಸ್ ರಿಯಾಯಿತಿ ಐಟಂ ಅವಕಾಶ: {0} {1}% ಆಗಿದೆ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,ರವಾನಿಸು
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,ಮ್ಯಾಕ್ಸ್ ರಿಯಾಯಿತಿ ಐಟಂ ಅವಕಾಶ: {0} {1}% ಆಗಿದೆ
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,ಮೇಲೆ ನಿವ್ವಳ ಆಸ್ತಿ ಮೌಲ್ಯ
DocType: Account,Receivable,ಲಭ್ಯ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ರೋ # {0}: ಆರ್ಡರ್ ಖರೀದಿಸಿ ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಪೂರೈಕೆದಾರ ಬದಲಾಯಿಸಲು ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ರೋ # {0}: ಆರ್ಡರ್ ಖರೀದಿಸಿ ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ ಪೂರೈಕೆದಾರ ಬದಲಾಯಿಸಲು ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,ಪಾತ್ರ ವ್ಯವಹಾರ ಸೆಟ್ ಕ್ರೆಡಿಟ್ ಮಿತಿಯನ್ನು ಮಾಡಲಿಲ್ಲ ಸಲ್ಲಿಸಲು ಅವಕಾಶ ನೀಡಲಿಲ್ಲ .
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,ಉತ್ಪಾದನೆ ಐಟಂಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","ಮಾಸ್ಟರ್ ಡಾಟಾ ಸಿಂಕ್, ಇದು ಸ್ವಲ್ಪ ಸಮಯ ತೆಗೆದುಕೊಳ್ಳಬಹುದು"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,ಉತ್ಪಾದನೆ ಐಟಂಗಳನ್ನು ಆಯ್ಕೆಮಾಡಿ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","ಮಾಸ್ಟರ್ ಡಾಟಾ ಸಿಂಕ್, ಇದು ಸ್ವಲ್ಪ ಸಮಯ ತೆಗೆದುಕೊಳ್ಳಬಹುದು"
DocType: Item,Material Issue,ಮೆಟೀರಿಯಲ್ ಸಂಚಿಕೆ
DocType: Hub Settings,Seller Description,ಮಾರಾಟಗಾರ ವಿವರಣೆ
DocType: Employee Education,Qualification,ಅರ್ಹತೆ
@@ -4035,7 +4061,6 @@
DocType: BOM,Rate Of Materials Based On,ಮೆಟೀರಿಯಲ್ಸ್ ಆಧರಿಸಿದ ದರ
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,ಬೆಂಬಲ Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,ಎಲ್ಲವನ್ನೂ
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},ಕಂಪನಿ ಗೋದಾಮುಗಳು ಕಾಣೆಯಾಗಿದೆ {0}
DocType: POS Profile,Terms and Conditions,ನಿಯಮಗಳು ಮತ್ತು ನಿಯಮಗಳು
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},ದಿನಾಂಕ ಹಣಕಾಸಿನ ವರ್ಷದ ಒಳಗೆ ಇರಬೇಕು. ದಿನಾಂಕ ಭಾವಿಸಿಕೊಂಡು = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","ಇಲ್ಲಿ ನೀವು ಎತ್ತರ, ತೂಕ, ಅಲರ್ಜಿ , ವೈದ್ಯಕೀಯ ಇತ್ಯಾದಿ ಕನ್ಸರ್ನ್ಸ್ ಕಾಯ್ದುಕೊಳ್ಳಬಹುದು"
@@ -4050,19 +4075,18 @@
DocType: Sales Order Item,For Production,ಉತ್ಪಾದನೆಗೆ
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,ವೀಕ್ಷಿಸಿ ಟಾಸ್ಕ್
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,ನಿಮ್ಮ ಹಣಕಾಸಿನ ವರ್ಷ ಆರಂಭವಾಗುವ
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,ಎದುರು / ಲೀಡ್%
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,ಎದುರು / ಲೀಡ್%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,ಆಸ್ತಿ Depreciations ಮತ್ತು ಸಮತೋಲನ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},ಪ್ರಮಾಣ {0} {1} ವರ್ಗಾಯಿಸಲಾಯಿತು {2} ನಿಂದ {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},ಪ್ರಮಾಣ {0} {1} ವರ್ಗಾಯಿಸಲಾಯಿತು {2} ನಿಂದ {3}
DocType: Sales Invoice,Get Advances Received,ಅಡ್ವಾನ್ಸಸ್ ಸ್ವೀಕರಿಸಲಾಗಿದೆ ಪಡೆಯಿರಿ
DocType: Email Digest,Add/Remove Recipients,ಸೇರಿಸಿ / ತೆಗೆದುಹಾಕಿ ಸ್ವೀಕೃತದಾರರ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ ಟ್ರಾನ್ಸಾಕ್ಷನ್ ಉತ್ಪಾದನೆ ಆರ್ಡರ್ ವಿರುದ್ಧ ನಿಲ್ಲಿಸಿತು {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},ಅನುಮತಿಸಲಾಗುವುದಿಲ್ಲ ಟ್ರಾನ್ಸಾಕ್ಷನ್ ಉತ್ಪಾದನೆ ಆರ್ಡರ್ ವಿರುದ್ಧ ನಿಲ್ಲಿಸಿತು {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","ಡೀಫಾಲ್ಟ್ ಎಂದು ಈ ಆರ್ಥಿಕ ವರ್ಷ ಹೊಂದಿಸಲು, ' ಪೂರ್ವನಿಯೋಜಿತವಾಗಿನಿಗದಿಪಡಿಸು ' ಕ್ಲಿಕ್"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,ಸೇರಲು
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,ಸೇರಲು
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,ಕೊರತೆ ಪ್ರಮಾಣ
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,ಐಟಂ ಭಿನ್ನ {0} ಅದೇ ಲಕ್ಷಣಗಳು ಅಸ್ತಿತ್ವದಲ್ಲಿದ್ದರೆ
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,ಐಟಂ ಭಿನ್ನ {0} ಅದೇ ಲಕ್ಷಣಗಳು ಅಸ್ತಿತ್ವದಲ್ಲಿದ್ದರೆ
DocType: Employee Loan,Repay from Salary,ಸಂಬಳದಿಂದ ಬಂದ ಮರುಪಾವತಿ
DocType: Leave Application,LAP/,ಲ್ಯಾಪ್ /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},ವಿರುದ್ಧ ಪಾವತಿ ಮನವಿ {0} {1} ಪ್ರಮಾಣದ {2}
@@ -4073,34 +4097,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","ಪ್ರವಾಸ ತಲುಪಬೇಕಾದರೆ ಚೂರುಗಳನ್ನು ಪ್ಯಾಕಿಂಗ್ ರಚಿಸಿ. ಪ್ಯಾಕೇಜ್ ಸಂಖ್ಯೆ, ಪ್ಯಾಕೇಜ್ ್ಷೀಸಿ ಮತ್ತು ಅದರ ತೂಕ ತಿಳಿಸಲು ಬಳಸಲಾಗುತ್ತದೆ."
DocType: Sales Invoice Item,Sales Order Item,ಮಾರಾಟದ ಆರ್ಡರ್ ಐಟಂ
DocType: Salary Slip,Payment Days,ಪಾವತಿ ಡೇಸ್
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,ಚೈಲ್ಡ್ ನೋಡ್ಗಳ ಜೊತೆ ಗೋದಾಮುಗಳು ಲೆಡ್ಜರ್ ಪರಿವರ್ತಿಸಬಹುದು ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,ಚೈಲ್ಡ್ ನೋಡ್ಗಳ ಜೊತೆ ಗೋದಾಮುಗಳು ಲೆಡ್ಜರ್ ಪರಿವರ್ತಿಸಬಹುದು ಸಾಧ್ಯವಿಲ್ಲ
DocType: BOM,Manage cost of operations,ಕಾರ್ಯಾಚರಣೆಗಳ ನಿರ್ವಹಣೆ ವೆಚ್ಚ
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","ಪರೀಕ್ಷಿಸಿದ್ದು ವ್ಯವಹಾರಗಳ ಯಾವುದೇ ""ಸಲ್ಲಿಸಿದ"" ಮಾಡಲಾಗುತ್ತದೆ , ಇಮೇಲ್ ಪಾಪ್ ಅಪ್ ಸ್ವಯಂಚಾಲಿತವಾಗಿ ಒಂದು ಅಟ್ಯಾಚ್ಮೆಂಟ್ ಆಗಿ ವ್ಯವಹಾರ ಜೊತೆ , ಮಾಡಿದರು ವ್ಯವಹಾರ ಸಂಬಂಧಿಸಿದ "" ಸಂಪರ್ಕಿಸಿ "" ಒಂದು ಇಮೇಲ್ ಕಳುಹಿಸಲು ತೆರೆಯಿತು . ಬಳಕೆದಾರ ಅಥವಾ ಜೂನ್ ಜೂನ್ ಇಮೇಲ್ ಕಳುಹಿಸಲು ."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,ಜಾಗತಿಕ ಸೆಟ್ಟಿಂಗ್ಗಳು
DocType: Assessment Result Detail,Assessment Result Detail,ಅಸೆಸ್ಮೆಂಟ್ ಫಲಿತಾಂಶ ವಿವರ
DocType: Employee Education,Employee Education,ನೌಕರರ ಶಿಕ್ಷಣ
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,ನಕಲು ಐಟಂ ಗುಂಪು ಐಟಂ ಗುಂಪು ಟೇಬಲ್ ಕಂಡುಬರುವ
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,ಇದು ಐಟಂ ವಿವರಗಳು ತರಲು ಅಗತ್ಯವಿದೆ.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,ಇದು ಐಟಂ ವಿವರಗಳು ತರಲು ಅಗತ್ಯವಿದೆ.
DocType: Salary Slip,Net Pay,ನಿವ್ವಳ ವೇತನ
DocType: Account,Account,ಖಾತೆ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,ಯಾವುದೇ ಸೀರಿಯಲ್ {0} ಈಗಾಗಲೇ ಸ್ವೀಕರಿಸಲಾಗಿದೆ
,Requested Items To Be Transferred,ಬದಲಾಯಿಸಿಕೊಳ್ಳುವಂತೆ ವಿನಂತಿಸಲಾಗಿದೆ ಐಟಂಗಳು
DocType: Expense Claim,Vehicle Log,ವಾಹನ ಲಾಗ್
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","ವೇರ್ಹೌಸ್ {0} ಯಾವುದೇ ಖಾತೆಗೆ ಲಿಂಕ್, ದಯವಿಟ್ಟು / ಲಿಂಕ್ ಗೋದಾಮಿನ ಅನುಗುಣವಾದ (ಆಸ್ತಿ) ಖಾತೆಯನ್ನು ರಚಿಸಲು."
DocType: Purchase Invoice,Recurring Id,ಮರುಕಳಿಸುವ ಸಂ
DocType: Customer,Sales Team Details,ಮಾರಾಟ ತಂಡದ ವಿವರಗಳು
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,ಶಾಶ್ವತವಾಗಿ ಅಳಿಸಿ?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,ಶಾಶ್ವತವಾಗಿ ಅಳಿಸಿ?
DocType: Expense Claim,Total Claimed Amount,ಹಕ್ಕು ಪಡೆದ ಒಟ್ಟು ಪ್ರಮಾಣ
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,ಮಾರಾಟ ಸಮರ್ಥ ಅವಕಾಶಗಳನ್ನು .
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},ಅಮಾನ್ಯವಾದ {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,ಸಿಕ್ ಲೀವ್
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},ಅಮಾನ್ಯವಾದ {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,ಸಿಕ್ ಲೀವ್
DocType: Email Digest,Email Digest,ಡೈಜೆಸ್ಟ್ ಇಮೇಲ್
DocType: Delivery Note,Billing Address Name,ಬಿಲ್ಲಿಂಗ್ ವಿಳಾಸ ಹೆಸರು
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,ಡಿಪಾರ್ಟ್ಮೆಂಟ್ ಸ್ಟೋರ್ಸ್
DocType: Warehouse,PIN,ಪಿನ್
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,ERPNext ನಿಮ್ಮ ಸ್ಕೂಲ್ ಸೆಟಪ್
DocType: Sales Invoice,Base Change Amount (Company Currency),ಬೇಸ್ ಬದಲಾಯಿಸಬಹುದು ಪ್ರಮಾಣ (ಕಂಪನಿ ಕರೆನ್ಸಿ)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,ನಂತರ ಗೋದಾಮುಗಳು ಯಾವುದೇ ಲೆಕ್ಕಪರಿಶೋಧಕ ನಮೂದುಗಳನ್ನು
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,ನಂತರ ಗೋದಾಮುಗಳು ಯಾವುದೇ ಲೆಕ್ಕಪರಿಶೋಧಕ ನಮೂದುಗಳನ್ನು
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,ಮೊದಲ ದಾಖಲೆ ಉಳಿಸಿ.
DocType: Account,Chargeable,ಪೂರಣಮಾಡಬಲ್ಲ
DocType: Company,Change Abbreviation,ಬದಲಾವಣೆ ಸಂಕ್ಷೇಪಣ
@@ -4118,7 +4141,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,ನಿರೀಕ್ಷಿತ ಡೆಲಿವರಿ ದಿನಾಂಕ ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ದಿನಾಂಕ ಮೊದಲು ಸಾಧ್ಯವಿಲ್ಲ
DocType: Appraisal,Appraisal Template,ಅಪ್ರೇಸಲ್ ಟೆಂಪ್ಲೇಟು
DocType: Item Group,Item Classification,ಐಟಂ ವರ್ಗೀಕರಣ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,ವ್ಯವಹಾರ ಅಭಿವೃದ್ಧಿ ವ್ಯವಸ್ಥಾಪಕ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,ವ್ಯವಹಾರ ಅಭಿವೃದ್ಧಿ ವ್ಯವಸ್ಥಾಪಕ
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,ನಿರ್ವಹಣೆ ಭೇಟಿ ಉದ್ದೇಶ
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,ಅವಧಿ
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,ಸಾಮಾನ್ಯ ಲೆಡ್ಜರ್
@@ -4128,8 +4151,8 @@
DocType: Item Attribute Value,Attribute Value,ಮೌಲ್ಯ ಲಕ್ಷಣ
,Itemwise Recommended Reorder Level,Itemwise ಮರುಕ್ರಮಗೊಳಿಸಿ ಮಟ್ಟ ಶಿಫಾರಸು
DocType: Salary Detail,Salary Detail,ಸಂಬಳ ವಿವರ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,ಮೊದಲ {0} ಆಯ್ಕೆ ಮಾಡಿ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,ಐಟಂ ಬ್ಯಾಚ್ {0} {1} ಮುಗಿದಿದೆ.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,ಮೊದಲ {0} ಆಯ್ಕೆ ಮಾಡಿ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,ಐಟಂ ಬ್ಯಾಚ್ {0} {1} ಮುಗಿದಿದೆ.
DocType: Sales Invoice,Commission,ಆಯೋಗ
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,ಉತ್ಪಾದನೆ ಟೈಮ್ ಶೀಟ್.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,ಉಪಮೊತ್ತ
@@ -4140,6 +4163,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,` ಸ್ಟಾಕ್ಗಳು ದ್ಯಾನ್ ಫ್ರೀಜ್ ` ಹಳೆಯ % d ದಿನಗಳಲ್ಲಿ ಹೆಚ್ಚು ಚಿಕ್ಕದಾಗಿರಬೇಕು.
DocType: Tax Rule,Purchase Tax Template,ತೆರಿಗೆ ಟೆಂಪ್ಲೇಟು ಖರೀದಿಸಿ
,Project wise Stock Tracking,ಪ್ರಾಜೆಕ್ಟ್ ಬುದ್ಧಿವಂತ ಸ್ಟಾಕ್ ಟ್ರ್ಯಾಕಿಂಗ್
+DocType: GST HSN Code,Regional,ಪ್ರಾದೇಶಿಕ
DocType: Stock Entry Detail,Actual Qty (at source/target),ನಿಜವಾದ ಪ್ರಮಾಣ ( ಮೂಲ / ಗುರಿ )
DocType: Item Customer Detail,Ref Code,ಉಲ್ಲೇಖ ಕೋಡ್
apps/erpnext/erpnext/config/hr.py +12,Employee records.,ನೌಕರರ ದಾಖಲೆಗಳು .
@@ -4150,13 +4174,13 @@
DocType: Email Digest,New Purchase Orders,ಹೊಸ ಖರೀದಿ ಆದೇಶಗಳನ್ನು
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,ರೂಟ್ ಪೋಷಕರು ವೆಚ್ಚ ಸೆಂಟರ್ ಸಾಧ್ಯವಿಲ್ಲ
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,ಆಯ್ಕೆ ಬ್ರ್ಯಾಂಡ್ ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,ಕ್ರಿಯೆಗಳು / ಫಲಿತಾಂಶಗಳು ತರಬೇತಿ
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,ಮೇಲೆ ಸವಕಳಿ ಕ್ರೋಢಿಕೃತ
DocType: Sales Invoice,C-Form Applicable,ಅನ್ವಯಿಸುವ ಸಿ ಆಕಾರ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},ಆಪರೇಷನ್ ಟೈಮ್ ಆಪರೇಷನ್ 0 ಹೆಚ್ಚು ಇರಬೇಕು {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,ವೇರ್ಹೌಸ್ ಕಡ್ಡಾಯ
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,ವೇರ್ಹೌಸ್ ಕಡ್ಡಾಯ
DocType: Supplier,Address and Contacts,ವಿಳಾಸ ಮತ್ತು ಸಂಪರ್ಕಗಳು
DocType: UOM Conversion Detail,UOM Conversion Detail,UOM ಪರಿವರ್ತನೆ ವಿವರಗಳು
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),100px ವೆಬ್ ಸ್ನೇಹಿ 900px ( W ) ನೋಡಿಕೊಳ್ಳಿ ( H )
DocType: Program,Program Abbreviation,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ಸಂಕ್ಷೇಪಣ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ ಒಂದು ಐಟಂ ಟೆಂಪ್ಲೇಟು ವಿರುದ್ಧ ಬೆಳೆದ ಸಾಧ್ಯವಿಲ್ಲ
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,ಆರೋಪಗಳನ್ನು ಪ್ರತಿ ಐಟಂ ವಿರುದ್ಧ ಖರೀದಿ ರಿಸೀಟ್ನ್ನು ನವೀಕರಿಸಲಾಗುವುದು
@@ -4164,13 +4188,13 @@
DocType: Bank Guarantee,Start Date,ಪ್ರಾರಂಭ ದಿನಾಂಕ
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,ಕಾಲ ಎಲೆಗಳು ನಿಯೋಜಿಸಿ.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,ಚೆಕ್ ಮತ್ತು ಠೇವಣಿಗಳ ತಪ್ಪಾಗಿ ತೆರವುಗೊಳಿಸಲಾಗಿದೆ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,ಖಾತೆ {0}: ನೀವು ಪೋಷಕರ ಖಾತೆಯ ಎಂದು ಸ್ವತಃ ನಿಯೋಜಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,ಖಾತೆ {0}: ನೀವು ಪೋಷಕರ ಖಾತೆಯ ಎಂದು ಸ್ವತಃ ನಿಯೋಜಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ
DocType: Purchase Invoice Item,Price List Rate,ಬೆಲೆ ಪಟ್ಟಿ ದರ
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,ಗ್ರಾಹಕ ಉಲ್ಲೇಖಗಳು ರಚಿಸಿ
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",""" ಸ್ಟಾಕ್ ರಲ್ಲಿ "" ತೋರಿಸು ಅಥವಾ "" ಅಲ್ಲ ಸ್ಟಾಕ್ "" ಈ ಉಗ್ರಾಣದಲ್ಲಿ ಲಭ್ಯವಿರುವ ಸ್ಟಾಕ್ ಆಧರಿಸಿ ."
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),ಮೆಟೀರಿಯಲ್ಸ್ ಬಿಲ್ (BOM)
DocType: Item,Average time taken by the supplier to deliver,ಪೂರೈಕೆದಾರರಿಂದ ವಿಧವಾಗಿ ಸಮಯ ತಲುಪಿಸಲು
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,ಅಸೆಸ್ಮೆಂಟ್ ಫಲಿತಾಂಶ
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,ಅಸೆಸ್ಮೆಂಟ್ ಫಲಿತಾಂಶ
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,ಅವರ್ಸ್
DocType: Project,Expected Start Date,ನಿರೀಕ್ಷಿತ ಪ್ರಾರಂಭ ದಿನಾಂಕ
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,ಆರೋಪಗಳನ್ನು ಐಟಂ ಅನ್ವಯಿಸುವುದಿಲ್ಲ ವೇಳೆ ಐಟಂ ತೆಗೆದುಹಾಕಿ
@@ -4184,25 +4208,24 @@
DocType: Workstation,Operating Costs,ವೆಚ್ಚದ
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,ಆಕ್ಷನ್ ಮಾಸಿಕ ಬಜೆಟ್ ಮೀರಿದೆ ತನ್ನತ್ತ
DocType: Purchase Invoice,Submit on creation,ಸೃಷ್ಟಿ ಸಲ್ಲಿಸಿ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},ಕರೆನ್ಸಿ {0} ಇರಬೇಕು {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},ಕರೆನ್ಸಿ {0} ಇರಬೇಕು {1}
DocType: Asset,Disposal Date,ವಿಲೇವಾರಿ ದಿನಾಂಕ
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","ಇಮೇಲ್ಗಳನ್ನು ಅವರು ರಜಾ ಹೊಂದಿಲ್ಲ ವೇಳೆ, ಗಂಟೆ ಕಂಪನಿಯ ಎಲ್ಲಾ ಸಕ್ರಿಯ ನೌಕರರು ಕಳುಹಿಸಲಾಗುವುದು. ಪ್ರತಿಕ್ರಿಯೆಗಳ ಸಾರಾಂಶ ಮಧ್ಯರಾತ್ರಿ ಕಳುಹಿಸಲಾಗುವುದು."
DocType: Employee Leave Approver,Employee Leave Approver,ನೌಕರರ ಲೀವ್ ಅನುಮೋದಕ
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},ಸಾಲು {0}: ಒಂದು ಮರುಕ್ರಮಗೊಳಿಸಿ ಪ್ರವೇಶ ಈಗಾಗಲೇ ಈ ಗೋದಾಮಿನ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},ಸಾಲು {0}: ಒಂದು ಮರುಕ್ರಮಗೊಳಿಸಿ ಪ್ರವೇಶ ಈಗಾಗಲೇ ಈ ಗೋದಾಮಿನ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","ಸೋತು ಉದ್ಧರಣ ಮಾಡಲಾಗಿದೆ ಏಕೆಂದರೆ , ಘೋಷಿಸಲು ಸಾಧ್ಯವಿಲ್ಲ."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,ತರಬೇತಿ ಪ್ರತಿಕ್ರಿಯೆ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ {0} ಸಲ್ಲಿಸಬೇಕು
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,ಪ್ರೊಡಕ್ಷನ್ ಆರ್ಡರ್ {0} ಸಲ್ಲಿಸಬೇಕು
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},ಪ್ರಾರಂಭ ದಿನಾಂಕ ಮತ್ತು ಐಟಂ ಎಂಡ್ ದಿನಾಂಕ ಆಯ್ಕೆ ಮಾಡಿ {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},ಕೋರ್ಸ್ ಸತತವಾಗಿ ಕಡ್ಡಾಯ {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,ಇಲ್ಲಿಯವರೆಗೆ fromDate ಮೊದಲು ಸಾಧ್ಯವಿಲ್ಲ
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc doctype
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,/ ಸಂಪಾದಿಸಿ ಬೆಲೆಗಳು ಸೇರಿಸಿ
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,/ ಸಂಪಾದಿಸಿ ಬೆಲೆಗಳು ಸೇರಿಸಿ
DocType: Batch,Parent Batch,ಪೋಷಕ ಬ್ಯಾಚ್
DocType: Batch,Parent Batch,ಪೋಷಕ ಬ್ಯಾಚ್
DocType: Cheque Print Template,Cheque Print Template,ಚೆಕ್ ಪ್ರಿಂಟ್ ಟೆಂಪ್ಲೇಟು
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,ವೆಚ್ಚ ಸೆಂಟರ್ಸ್ ಚಾರ್ಟ್
,Requested Items To Be Ordered,ಆದೇಶ ಕೋರಲಾಗಿದೆ ಐಟಂಗಳು
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,ವೇರ್ಹೌಸ್ ಕಂಪನಿ ಖಾತೆ ಕಂಪನಿ ಅದೇ ಇರಬೇಕು
DocType: Price List,Price List Name,ಬೆಲೆ ಪಟ್ಟಿ ಹೆಸರು
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},ಡೈಲಿ ಕೆಲಸ ಸಾರಾಂಶ {0}
DocType: Employee Loan,Totals,ಮೊತ್ತವನ್ನು
@@ -4224,55 +4247,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,ಮಾನ್ಯ ಮೊಬೈಲ್ ಸೂಲ ನಮೂದಿಸಿ
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,ಕಳುಹಿಸುವ ಮೊದಲು ಸಂದೇಶವನ್ನು ನಮೂದಿಸಿ
DocType: Email Digest,Pending Quotations,ಬಾಕಿ ಉಲ್ಲೇಖಗಳು
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,ಪಾಯಿಂಟ್ ಯಾ ಮಾರಾಟಕ್ಕೆ ವಿವರ
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,ಪಾಯಿಂಟ್ ಯಾ ಮಾರಾಟಕ್ಕೆ ವಿವರ
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,SMS ಸೆಟ್ಟಿಂಗ್ಗಳು ಅಪ್ಡೇಟ್ ಮಾಡಿ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,ಅಸುರಕ್ಷಿತ ಸಾಲ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,ಅಸುರಕ್ಷಿತ ಸಾಲ
DocType: Cost Center,Cost Center Name,ವೆಚ್ಚದ ಕೇಂದ್ರವಾಗಿ ಹೆಸರು
DocType: Employee,B+,ಬಿ +
DocType: HR Settings,Max working hours against Timesheet,ಮ್ಯಾಕ್ಸ್ Timesheet ವಿರುದ್ಧ ಕೆಲಸದ
DocType: Maintenance Schedule Detail,Scheduled Date,ಪರಿಶಿಷ್ಟ ದಿನಾಂಕ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,ಒಟ್ಟು ಪಾವತಿಸಿದ ಆಮ್ಟ್
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,ಒಟ್ಟು ಪಾವತಿಸಿದ ಆಮ್ಟ್
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 ಪಾತ್ರಗಳು ಹೆಚ್ಚು ಸಂದೇಶಗಳು ಅನೇಕ ಸಂದೇಶಗಳನ್ನು ವಿಭಜಿಸಲಾಗುವುದು
DocType: Purchase Receipt Item,Received and Accepted,ಸ್ವೀಕರಿಸಲಾಗಿದೆ ಮತ್ತು Accepted
+,GST Itemised Sales Register,ಜಿಎಸ್ಟಿ Itemized ಮಾರಾಟದ ನೋಂದಣಿ
,Serial No Service Contract Expiry,ಯಾವುದೇ ಸೀರಿಯಲ್ ಸೇವೆ ಕಾಂಟ್ರಾಕ್ಟ್ ಅಂತ್ಯ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,ನೀವು ಕ್ರೆಡಿಟ್ ಮತ್ತು sametime ನಲ್ಲಿ ಅದೇ ಖಾತೆಯನ್ನು ಡೆಬಿಟ್ ಸಾಧ್ಯವಿಲ್ಲ
DocType: Naming Series,Help HTML,HTML ಸಹಾಯ
DocType: Student Group Creation Tool,Student Group Creation Tool,ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಸೃಷ್ಟಿ ಉಪಕರಣ
DocType: Item,Variant Based On,ಭಿನ್ನ ಬೇಸ್ಡ್ ರಂದು
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},ನಿಯೋಜಿಸಲಾಗಿದೆ ಒಟ್ಟು ಪ್ರಾಮುಖ್ಯತೆಯನ್ನು 100% ಇರಬೇಕು. ಇದು {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,ನಿಮ್ಮ ಪೂರೈಕೆದಾರರು
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,ನಿಮ್ಮ ಪೂರೈಕೆದಾರರು
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,ಮಾರಾಟದ ಆರ್ಡರ್ ಮಾಡಿದ ಎಂದು ಕಳೆದು ಹೊಂದಿಸಲು ಸಾಧ್ಯವಾಗಿಲ್ಲ .
DocType: Request for Quotation Item,Supplier Part No,ಸರಬರಾಜುದಾರ ಭಾಗ ಯಾವುದೇ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',ವರ್ಗದಲ್ಲಿ 'ಮೌಲ್ಯಾಂಕನ' ಅಥವಾ 'Vaulation ಮತ್ತು ಒಟ್ಟು' ಆಗಿದೆ ಮಾಡಿದಾಗ ಕಡಿತಗೊಳಿಸದಿರುವುದರ ಸಾಧ್ಯವಿಲ್ಲ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,ಸ್ವೀಕರಿಸಿದ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,ಸ್ವೀಕರಿಸಿದ
DocType: Lead,Converted,ಪರಿವರ್ತಿತ
DocType: Item,Has Serial No,ಅನುಕ್ರಮ ಸಂಖ್ಯೆ ಹೊಂದಿದೆ
DocType: Employee,Date of Issue,ಸಂಚಿಕೆ ದಿನಾಂಕ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: ಗೆ {0} ಫಾರ್ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ಖರೀದಿ Reciept ಅಗತ್ಯವಿದೆ == 'ಹೌದು', ನಂತರ ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ರಚಿಸಲು, ಬಳಕೆದಾರ ಐಟಂ ಮೊದಲ ಖರೀದಿ ರಸೀತಿ ರಚಿಸಬೇಕಾಗಿದೆ ವೇಳೆ ಬೈಯಿಂಗ್ ಸೆಟ್ಟಿಂಗ್ಗಳು ಪ್ರಕಾರ {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},ರೋ # {0}: ಐಟಂ ಹೊಂದಿಸಿ ಸರಬರಾಜುದಾರ {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,ರೋ {0}: ಗಂಟೆಗಳು ಮೌಲ್ಯವನ್ನು ಶೂನ್ಯ ಹೆಚ್ಚು ಇರಬೇಕು.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,ಐಟಂ {1} ಜೋಡಿಸಲಾದ ವೆಬ್ಸೈಟ್ ಚಿತ್ರ {0} ದೊರೆಯುತ್ತಿಲ್ಲ
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,ಐಟಂ {1} ಜೋಡಿಸಲಾದ ವೆಬ್ಸೈಟ್ ಚಿತ್ರ {0} ದೊರೆಯುತ್ತಿಲ್ಲ
DocType: Issue,Content Type,ವಿಷಯ ಪ್ರಕಾರ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,ಗಣಕಯಂತ್ರ
DocType: Item,List this Item in multiple groups on the website.,ವೆಬ್ಸೈಟ್ನಲ್ಲಿ ಅನೇಕ ಗುಂಪುಗಳಲ್ಲಿ ಈ ಐಟಂ ಪಟ್ಟಿ .
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,ಇತರ ಕರೆನ್ಸಿ ಖಾತೆಗಳನ್ನು ಅವಕಾಶ ಮಲ್ಟಿ ಕರೆನ್ಸಿ ಆಯ್ಕೆಯನ್ನು ಪರಿಶೀಲಿಸಿ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,ಐಟಂ: {0} ವ್ಯವಸ್ಥೆಯ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,ನೀವು ಫ್ರೋಜನ್ ಮೌಲ್ಯವನ್ನು ಅಧಿಕಾರ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,ಐಟಂ: {0} ವ್ಯವಸ್ಥೆಯ ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,ನೀವು ಫ್ರೋಜನ್ ಮೌಲ್ಯವನ್ನು ಅಧಿಕಾರ
DocType: Payment Reconciliation,Get Unreconciled Entries,ರಾಜಿಯಾಗದ ನಮೂದುಗಳು ಪಡೆಯಿರಿ
DocType: Payment Reconciliation,From Invoice Date,ಸರಕುಪಟ್ಟಿ ದಿನಾಂಕ ಗೆ
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,ಬಿಲ್ಲಿಂಗ್ ಕರೆನ್ಸಿ ಡೀಫಾಲ್ಟ್ comapany ಕರೆನ್ಸಿ ಅಥವಾ ಪಕ್ಷದ ಖಾತೆಯನ್ನು ಕರೆನ್ಸಿ ಸಮನಾಗಿರಬೇಕು
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,ನಗದಾಗಿಸುವಿಕೆ ಬಿಡಿ
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,ಇದು ಏನು ಮಾಡುತ್ತದೆ?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,ಬಿಲ್ಲಿಂಗ್ ಕರೆನ್ಸಿ ಡೀಫಾಲ್ಟ್ comapany ಕರೆನ್ಸಿ ಅಥವಾ ಪಕ್ಷದ ಖಾತೆಯನ್ನು ಕರೆನ್ಸಿ ಸಮನಾಗಿರಬೇಕು
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,ನಗದಾಗಿಸುವಿಕೆ ಬಿಡಿ
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,ಇದು ಏನು ಮಾಡುತ್ತದೆ?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,ಗೋದಾಮಿನ
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,ಎಲ್ಲಾ ವಿದ್ಯಾರ್ಥಿ ಪ್ರವೇಶ
,Average Commission Rate,ಸರಾಸರಿ ಆಯೋಗದ ದರ
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,' ಸೀರಿಯಲ್ ನಂ ಹ್ಯಾಸ್ ' ನಾನ್ ಸ್ಟಾಕ್ ಐಟಂ ' ಹೌದು ' ಸಾಧ್ಯವಿಲ್ಲ
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,' ಸೀರಿಯಲ್ ನಂ ಹ್ಯಾಸ್ ' ನಾನ್ ಸ್ಟಾಕ್ ಐಟಂ ' ಹೌದು ' ಸಾಧ್ಯವಿಲ್ಲ
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,ಅಟೆಂಡೆನ್ಸ್ ಭವಿಷ್ಯದ ದಿನಾಂಕ ಗುರುತಿಸಲಾಗಿದೆ ಸಾಧ್ಯವಿಲ್ಲ
DocType: Pricing Rule,Pricing Rule Help,ಬೆಲೆ ನಿಯಮ ಸಹಾಯ
DocType: School House,House Name,ಹೌಸ್ ಹೆಸರು
DocType: Purchase Taxes and Charges,Account Head,ಖಾತೆ ಹೆಡ್
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,ಐಟಂಗಳ ಬಂದಿಳಿದ ವೆಚ್ಚ ಲೆಕ್ಕ ಹೆಚ್ಚುವರಿ ವೆಚ್ಚ ನವೀಕರಿಸಿ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,ವಿದ್ಯುತ್ತಿನ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,ವಿದ್ಯುತ್ತಿನ
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,ನಿಮ್ಮ ಬಳಕೆದಾರರಿಗೆ ನಿಮ್ಮ ಸಂಸ್ಥೆಯ ಉಳಿದ ಸೇರಿಸಿ. ನೀವು ಸಂಪರ್ಕಗಳು ಅವುಗಳನ್ನು ಸೇರಿಸುವ ಮೂಲಕ ನಿಮ್ಮ ಪೋರ್ಟಲ್ ಗ್ರಾಹಕರಿಗೆ ಆಮಂತ್ರಿಸಲು ಸೇರಿಸಬಹುದು
DocType: Stock Entry,Total Value Difference (Out - In),ಒಟ್ಟು ಮೌಲ್ಯ ವ್ಯತ್ಯಾಸ (ಔಟ್ - ರಲ್ಲಿ)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,ಸಾಲು {0}: ವಿನಿಮಯ ದರ ಕಡ್ಡಾಯ
@@ -4282,7 +4307,7 @@
DocType: Item,Customer Code,ಗ್ರಾಹಕ ಕೋಡ್
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},ಹುಟ್ಟುಹಬ್ಬದ ಜ್ಞಾಪನೆ {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,ದಿನಗಳಿಂದಲೂ ಕೊನೆಯ ಆರ್ಡರ್
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,ಖಾತೆಗೆ ಡೆಬಿಟ್ ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಖಾತೆ ಇರಬೇಕು
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,ಖಾತೆಗೆ ಡೆಬಿಟ್ ಬ್ಯಾಲೆನ್ಸ್ ಶೀಟ್ ಖಾತೆ ಇರಬೇಕು
DocType: Buying Settings,Naming Series,ಸರಣಿ ಹೆಸರಿಸುವ
DocType: Leave Block List,Leave Block List Name,ಖಂಡ ಬಿಡಿ ಹೆಸರು
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,ವಿಮೆ ಪ್ರಾರಂಭ ದಿನಾಂಕ ವಿಮಾ ಅಂತಿಮ ದಿನಾಂಕ ಕಡಿಮೆ ಇರಬೇಕು
@@ -4297,27 +4322,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},ಉದ್ಯೋಗಿ ಸಂಬಳ ಸ್ಲಿಪ್ {0} ಈಗಾಗಲೇ ಸಮಯ ಹಾಳೆ ದಾಖಲಿಸಿದವರು {1}
DocType: Vehicle Log,Odometer,ದೂರಮಾಪಕ
DocType: Sales Order Item,Ordered Qty,ಪ್ರಮಾಣ ಆದೇಶ
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,ಐಟಂ {0} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,ಐಟಂ {0} ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ
DocType: Stock Settings,Stock Frozen Upto,ಸ್ಟಾಕ್ ಘನೀಕೃತ ವರೆಗೆ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,ಬಿಒಎಮ್ ಯಾವುದೇ ಸ್ಟಾಕ್ ಐಟಂ ಹೊಂದಿಲ್ಲ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,ಬಿಒಎಮ್ ಯಾವುದೇ ಸ್ಟಾಕ್ ಐಟಂ ಹೊಂದಿಲ್ಲ
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},ಗೆ ಅವಧಿಯ ಮರುಕಳಿಸುವ ಕಡ್ಡಾಯವಾಗಿ ದಿನಾಂಕಗಳನ್ನು ಅವಧಿಯಲ್ಲಿ {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,ಪ್ರಾಜೆಕ್ಟ್ ಚಟುವಟಿಕೆ / ಕೆಲಸ .
DocType: Vehicle Log,Refuelling Details,Refuelling ವಿವರಗಳು
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,ಸಂಬಳ ಚೂರುಗಳನ್ನು ರಚಿಸಿ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","ಅನ್ವಯಿಸುವ ಹಾಗೆ ಆರಿಸಿದರೆ ಖರೀದಿ, ಪರೀಕ್ಷಿಸಬೇಕು {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","ಅನ್ವಯಿಸುವ ಹಾಗೆ ಆರಿಸಿದರೆ ಖರೀದಿ, ಪರೀಕ್ಷಿಸಬೇಕು {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,ರಿಯಾಯಿತಿ ಕಡಿಮೆ 100 ಇರಬೇಕು
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,ಕೊನೆಯ ಖರೀದಿ ಕಂಡುಬಂದಿಲ್ಲ
DocType: Purchase Invoice,Write Off Amount (Company Currency),ಪ್ರಮಾಣದ ಆಫ್ ಬರೆಯಿರಿ (ಕಂಪನಿ ಕರೆನ್ಸಿ)
DocType: Sales Invoice Timesheet,Billing Hours,ಬಿಲ್ಲಿಂಗ್ ಅವರ್ಸ್
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,ಫಾರ್ {0} ಕಂಡುಬಂದಿಲ್ಲ ಡೀಫಾಲ್ಟ್ ಬಿಒಎಮ್
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,ರೋ # {0}: ಮರುಕ್ರಮಗೊಳಿಸಿ ಪ್ರಮಾಣ ಹೊಂದಿಸಿ
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,ರೋ # {0}: ಮರುಕ್ರಮಗೊಳಿಸಿ ಪ್ರಮಾಣ ಹೊಂದಿಸಿ
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,ಅವುಗಳನ್ನು ಇಲ್ಲಿ ಸೇರಿಸಲು ಐಟಂಗಳನ್ನು ಟ್ಯಾಪ್
DocType: Fees,Program Enrollment,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ನೋಂದಣಿ
DocType: Landed Cost Voucher,Landed Cost Voucher,ಇಳಿಯಿತು ವೆಚ್ಚ ಚೀಟಿ
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},ಸೆಟ್ ದಯವಿಟ್ಟು {0}
DocType: Purchase Invoice,Repeat on Day of Month,ತಿಂಗಳಿನ ದಿನ ಪುನರಾವರ್ತಿಸಿ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} ನಿಷ್ಕ್ರಿಯ ವಿದ್ಯಾರ್ಥಿ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} ನಿಷ್ಕ್ರಿಯ ವಿದ್ಯಾರ್ಥಿ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} ನಿಷ್ಕ್ರಿಯ ವಿದ್ಯಾರ್ಥಿ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} ನಿಷ್ಕ್ರಿಯ ವಿದ್ಯಾರ್ಥಿ
DocType: Employee,Health Details,ಆರೋಗ್ಯ ವಿವರಗಳು
DocType: Offer Letter,Offer Letter Terms,ಪತ್ರ ಕರಾರು ಆಫರ್
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,ಒಂದು ಪಾವತಿ ವಿನಂತಿ ಉಲ್ಲೇಖ ಡಾಕ್ಯುಮೆಂಟ್ ಅಗತ್ಯವಿದೆ ರಚಿಸಲು
@@ -4340,7 +4365,7 @@
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","ಉದಾಹರಣೆಗೆ:. ಸರಣಿ ಹೊಂದಿಸಲಾಗಿದೆ ಮತ್ತು ಸೀರಿಯಲ್ ಯಾವುದೇ ವ್ಯವಹಾರಗಳಲ್ಲಿ ಉಲ್ಲೇಖಿಸಲ್ಪಟ್ಟಿಲ್ಲ ವೇಳೆ ABCD #####
, ನಂತರ ಸ್ವಯಂಚಾಲಿತ ಕ್ರಮಸಂಖ್ಯೆ ಈ ಸರಣಿ ಮೇಲೆ ನಡೆಯಲಿದೆ. ನೀವು ಯಾವಾಗಲೂ ಸ್ಪಷ್ಟವಾಗಿ ಈ ಐಟಂ ಸೀರಿಯಲ್ ನಾವು ಬಗ್ಗೆ ಬಯಸಿದರೆ. ಈ ಜಾಗವನ್ನು ಖಾಲಿ ಬಿಡುತ್ತಾರೆ."
DocType: Upload Attendance,Upload Attendance,ಅಟೆಂಡೆನ್ಸ್ ಅಪ್ಲೋಡ್
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM ಮತ್ತು ಉತ್ಪಾದನೆ ಪ್ರಮಾಣ ಅಗತ್ಯವಿದೆ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM ಮತ್ತು ಉತ್ಪಾದನೆ ಪ್ರಮಾಣ ಅಗತ್ಯವಿದೆ
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,ಏಜಿಂಗ್ ರೇಂಜ್ 2
DocType: SG Creation Tool Course,Max Strength,ಮ್ಯಾಕ್ಸ್ ಸಾಮರ್ಥ್ಯ
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM ಬದಲಾಯಿಸಲ್ಪಟ್ಟಿದೆ
@@ -4350,8 +4375,8 @@
,Prospects Engaged But Not Converted,ಪ್ರಾಸ್ಪೆಕ್ಟ್ಸ್ ಎಂಗೇಜಡ್ ಆದರೆ ಪರಿವರ್ತನೆಗೊಂಡಿಲ್ಲ
DocType: Manufacturing Settings,Manufacturing Settings,ಉತ್ಪಾದನಾ ಸೆಟ್ಟಿಂಗ್ಗಳು
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,ಇಮೇಲ್ ಹೊಂದಿಸಲಾಗುತ್ತಿದೆ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 ಮೊಬೈಲ್ ಇಲ್ಲ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,CompanyMaster ಡೀಫಾಲ್ಟ್ ಕರೆನ್ಸಿ ನಮೂದಿಸಿ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 ಮೊಬೈಲ್ ಇಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,CompanyMaster ಡೀಫಾಲ್ಟ್ ಕರೆನ್ಸಿ ನಮೂದಿಸಿ
DocType: Stock Entry Detail,Stock Entry Detail,ಸ್ಟಾಕ್ ಎಂಟ್ರಿ ವಿವರಗಳು
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,ದೈನಂದಿನ ಜ್ಞಾಪನೆಗಳನ್ನು
DocType: Products Settings,Home Page is Products,ಮುಖಪುಟ ಉತ್ಪನ್ನಗಳು ಆಗಿದೆ
@@ -4360,7 +4385,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,ಹೊಸ ಖಾತೆ ಹೆಸರು
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,ರಾ ಮೆಟೀರಿಯಲ್ಸ್ ಸರಬರಾಜು ವೆಚ್ಚ
DocType: Selling Settings,Settings for Selling Module,ಮಾಡ್ಯೂಲ್ ಮಾರಾಟವಾಗುವ ಸೆಟ್ಟಿಂಗ್ಗಳು
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,ಗ್ರಾಹಕ ಸೇವೆ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,ಗ್ರಾಹಕ ಸೇವೆ
DocType: BOM,Thumbnail,ಥಂಬ್ನೇಲ್
DocType: Item Customer Detail,Item Customer Detail,ಗ್ರಾಹಕ ಐಟಂ ವಿವರ
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,ಆಫರ್ ಅಭ್ಯರ್ಥಿ ಒಂದು ಜಾಬ್.
@@ -4369,7 +4394,7 @@
DocType: Pricing Rule,Percentage,ಶೇಕಡಾವಾರು
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,ಐಟಂ {0} ಸ್ಟಾಕ್ ಐಟಂ ಇರಬೇಕು
DocType: Manufacturing Settings,Default Work In Progress Warehouse,ಪ್ರೋಗ್ರೆಸ್ ಉಗ್ರಾಣದಲ್ಲಿ ಡೀಫಾಲ್ಟ್ ಕೆಲಸ
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,ಅಕೌಂಟಿಂಗ್ ವ್ಯವಹಾರ ಡೀಫಾಲ್ಟ್ ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು .
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,ಅಕೌಂಟಿಂಗ್ ವ್ಯವಹಾರ ಡೀಫಾಲ್ಟ್ ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು .
DocType: Maintenance Visit,MV,ಎಂವಿ
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,ನಿರೀಕ್ಷಿತ ದಿನಾಂಕ ಮೆಟೀರಿಯಲ್ ವಿನಂತಿ ದಿನಾಂಕ ಮೊದಲು ಸಾಧ್ಯವಿಲ್ಲ
DocType: Purchase Invoice Item,Stock Qty,ಸ್ಟಾಕ್ ಪ್ರಮಾಣ
@@ -4383,10 +4408,10 @@
DocType: Sales Order,Printing Details,ಮುದ್ರಣ ವಿವರಗಳು
DocType: Task,Closing Date,ದಿನಾಂಕ ಕ್ಲೋಸಿಂಗ್
DocType: Sales Order Item,Produced Quantity,ಉತ್ಪಾದನೆಯ ಪ್ರಮಾಣ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,ಇಂಜಿನಿಯರ್
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,ಇಂಜಿನಿಯರ್
DocType: Journal Entry,Total Amount Currency,ಒಟ್ಟು ಪ್ರಮಾಣ ಕರೆನ್ಸಿ
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,ಹುಡುಕು ಉಪ ಅಸೆಂಬ್ಲೀಸ್
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},ರೋ ನಂ ಅಗತ್ಯವಿದೆ ಐಟಂ ಕೋಡ್ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},ರೋ ನಂ ಅಗತ್ಯವಿದೆ ಐಟಂ ಕೋಡ್ {0}
DocType: Sales Partner,Partner Type,ಸಂಗಾತಿ ಪ್ರಕಾರ
DocType: Purchase Taxes and Charges,Actual,ವಾಸ್ತವಿಕ
DocType: Authorization Rule,Customerwise Discount,Customerwise ಡಿಸ್ಕೌಂಟ್
@@ -4403,11 +4428,11 @@
DocType: Item Reorder,Re-Order Level,ಮರು ಕ್ರಮಾಂಕದ ಮಟ್ಟ
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,ನೀವು ಉತ್ಪಾದನೆ ಆದೇಶಗಳನ್ನು ಹೆಚ್ಚಿಸಲು ಅಥವಾ ವಿಶ್ಲೇಷಣೆ ಕಚ್ಚಾ ವಸ್ತುಗಳನ್ನು ಡೌನ್ಲೋಡ್ ಬಯಸುವ ಐಟಂಗಳನ್ನು ಮತ್ತು ಯೋಜಿಸಿದ ಪ್ರಮಾಣ ನಮೂದಿಸಿ.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,ಗಂಟ್ ಚಾರ್ಟ್
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,ಅರೆಕಾಲಿಕ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,ಅರೆಕಾಲಿಕ
DocType: Employee,Applicable Holiday List,ಅನ್ವಯಿಸುವ ಹಾಲಿಡೇ ಪಟ್ಟಿ
DocType: Employee,Cheque,ಚೆಕ್
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,ಸರಣಿ Updated
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,ವರದಿ ಪ್ರಕಾರ ಕಡ್ಡಾಯ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,ವರದಿ ಪ್ರಕಾರ ಕಡ್ಡಾಯ
DocType: Item,Serial Number Series,ಕ್ರಮ ಸಂಖ್ಯೆ ಸರಣಿ
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},ವೇರ್ಹೌಸ್ ಸ್ಟಾಕ್ ಐಟಂ ಕಡ್ಡಾಯ {0} ಸತತವಾಗಿ {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,ಚಿಲ್ಲರೆ & ಸಗಟು
@@ -4429,7 +4454,7 @@
DocType: BOM,Materials,ಮೆಟೀರಿಯಲ್
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","ಪರೀಕ್ಷಿಸಿದ್ದು ಅಲ್ಲ, ಪಟ್ಟಿ ಇದು ಅನ್ವಯಿಸಬಹುದು ಅಲ್ಲಿ ಪ್ರತಿ ಇಲಾಖೆಗಳು ಸೇರಿಸಲಾಗುತ್ತದೆ ಹೊಂದಿರುತ್ತದೆ ."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,ಮೂಲ ಮತ್ತು ಗುರಿ ವೇರ್ಹೌಸ್ ಇರಲಾಗುವುದಿಲ್ಲ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಮತ್ತು ಪೋಸ್ಟ್ ಸಮಯದಲ್ಲಿ ಕಡ್ಡಾಯ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಮತ್ತು ಪೋಸ್ಟ್ ಸಮಯದಲ್ಲಿ ಕಡ್ಡಾಯ
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,ವ್ಯವಹಾರ ಖರೀದಿ ತೆರಿಗೆ ಟೆಂಪ್ಲೆಟ್ .
,Item Prices,ಐಟಂ ಬೆಲೆಗಳು
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,ನೀವು ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ಉಳಿಸಲು ಒಮ್ಮೆ ವರ್ಡ್ಸ್ ಗೋಚರಿಸುತ್ತದೆ.
@@ -4439,22 +4464,23 @@
DocType: Purchase Invoice,Advance Payments,ಅಡ್ವಾನ್ಸ್ ಪಾವತಿಗಳು
DocType: Purchase Taxes and Charges,On Net Total,ನೆಟ್ ಒಟ್ಟು ರಂದು
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},ಲಕ್ಷಣ {0} ಮೌಲ್ಯವನ್ನು ವ್ಯಾಪ್ತಿಯಲ್ಲಿ ಇರಬೇಕು {1} ನಿಂದ {2} ಏರಿಕೆಗಳಲ್ಲಿ {3} ಐಟಂ {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,ಸತತವಾಗಿ ಟಾರ್ಗೆಟ್ ಗೋದಾಮಿನ {0} ಅದೇ ಇರಬೇಕು ಉತ್ಪಾದನೆ ಆರ್ಡರ್
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,ಸತತವಾಗಿ ಟಾರ್ಗೆಟ್ ಗೋದಾಮಿನ {0} ಅದೇ ಇರಬೇಕು ಉತ್ಪಾದನೆ ಆರ್ಡರ್
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,% ರು ಪುನರಾವರ್ತಿತ ನಿರ್ದಿಷ್ಟಪಡಿಸಲಾಗಿಲ್ಲ 'ಅಧಿಸೂಚನೆ ಇಮೇಲ್ ವಿಳಾಸಗಳು'
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,ಕರೆನ್ಸಿ ಕೆಲವು ಇತರ ಕರೆನ್ಸಿ ಬಳಸಿಕೊಂಡು ನಮೂದುಗಳನ್ನು ಮಾಡಿದ ನಂತರ ಬದಲಾಯಿಸಲಾಗುವುದಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,ಕರೆನ್ಸಿ ಕೆಲವು ಇತರ ಕರೆನ್ಸಿ ಬಳಸಿಕೊಂಡು ನಮೂದುಗಳನ್ನು ಮಾಡಿದ ನಂತರ ಬದಲಾಯಿಸಲಾಗುವುದಿಲ್ಲ
DocType: Vehicle Service,Clutch Plate,ಕ್ಲಚ್ ಪ್ಲೇಟ್
DocType: Company,Round Off Account,ಖಾತೆ ಆಫ್ ಸುತ್ತ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,ಆಡಳಿತಾತ್ಮಕ ವೆಚ್ಚಗಳು
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,ಆಡಳಿತಾತ್ಮಕ ವೆಚ್ಚಗಳು
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,ಕನ್ಸಲ್ಟಿಂಗ್
DocType: Customer Group,Parent Customer Group,ಪೋಷಕ ಗ್ರಾಹಕ ಗುಂಪಿನ
DocType: Purchase Invoice,Contact Email,ಇಮೇಲ್ ಮೂಲಕ ಸಂಪರ್ಕಿಸಿ
DocType: Appraisal Goal,Score Earned,ಸ್ಕೋರ್ ಗಳಿಸಿದರು
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,ಎಚ್ಚರಿಕೆ ಅವಧಿಯ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,ಎಚ್ಚರಿಕೆ ಅವಧಿಯ
DocType: Asset Category,Asset Category Name,ಆಸ್ತಿ ವರ್ಗ ಹೆಸರು
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,ಈ ಒಂದು ಮೂಲ ಪ್ರದೇಶವನ್ನು ಮತ್ತು ಸಂಪಾದಿತವಾಗಿಲ್ಲ .
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,ಹೊಸ ಮಾರಾಟದ ವ್ಯಕ್ತಿ ಹೆಸರು
DocType: Packing Slip,Gross Weight UOM,ಒಟ್ಟಾರೆ ತೂಕದ UOM
DocType: Delivery Note Item,Against Sales Invoice,ಮಾರಾಟದ ಸರಕುಪಟ್ಟಿ ವಿರುದ್ಧ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,ದಯವಿಟ್ಟು ಧಾರಾವಾಹಿಯಾಗಿ ಐಟಂ ಸರಣಿ ಸಂಖ್ಯೆಗಳನ್ನು ನಮೂದಿಸಿ
DocType: Bin,Reserved Qty for Production,ಪ್ರೊಡಕ್ಷನ್ ಪ್ರಮಾಣ ಕಾಯ್ದಿರಿಸಲಾಗಿದೆ
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,ನೀವು ಕೋರ್ಸ್ ಆಧಾರಿತ ಗುಂಪುಗಳನ್ನು ಮಾಡುವಾಗ ಬ್ಯಾಚ್ ಪರಿಗಣಿಸಲು ಬಯಸದಿದ್ದರೆ ಪರಿಶೀಲಿಸದೆ ಬಿಟ್ಟುಬಿಡಿ.
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,ನೀವು ಕೋರ್ಸ್ ಆಧಾರಿತ ಗುಂಪುಗಳನ್ನು ಮಾಡುವಾಗ ಬ್ಯಾಚ್ ಪರಿಗಣಿಸಲು ಬಯಸದಿದ್ದರೆ ಪರಿಶೀಲಿಸದೆ ಬಿಟ್ಟುಬಿಡಿ.
@@ -4463,25 +4489,25 @@
DocType: Landed Cost Item,Landed Cost Item,ಇಳಿಯಿತು ವೆಚ್ಚ ಐಟಂ
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,ಶೂನ್ಯ ಮೌಲ್ಯಗಳು ತೋರಿಸಿ
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,ಕಚ್ಚಾ ವಸ್ತುಗಳ givenName ಪ್ರಮಾಣದಲ್ಲಿ repacking / ತಯಾರಿಕಾ ನಂತರ ಪಡೆದುಕೊಂಡು ಐಟಂ ಪ್ರಮಾಣ
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,ಸೆಟಪ್ ನನ್ನ ಸಂಸ್ಥೆಗೆ ಒಂದು ಸರಳ ವೆಬ್ಸೈಟ್
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,ಸೆಟಪ್ ನನ್ನ ಸಂಸ್ಥೆಗೆ ಒಂದು ಸರಳ ವೆಬ್ಸೈಟ್
DocType: Payment Reconciliation,Receivable / Payable Account,ಸ್ವೀಕರಿಸುವಂತಹ / ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆ
DocType: Delivery Note Item,Against Sales Order Item,ಮಾರಾಟದ ಆರ್ಡರ್ ಐಟಂ ವಿರುದ್ಧ
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},ಗುಣಲಕ್ಷಣ ಮೌಲ್ಯ ಗುಣಲಕ್ಷಣ ಸೂಚಿಸಿ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},ಗುಣಲಕ್ಷಣ ಮೌಲ್ಯ ಗುಣಲಕ್ಷಣ ಸೂಚಿಸಿ {0}
DocType: Item,Default Warehouse,ಡೀಫಾಲ್ಟ್ ವೇರ್ಹೌಸ್
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},ಬಜೆಟ್ ಗ್ರೂಪ್ ಖಾತೆ ವಿರುದ್ಧ ನಿಯೋಜಿಸಲಾಗುವುದು ಸಾಧ್ಯವಿಲ್ಲ {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,ಮೂಲ ವೆಚ್ಚ ಸೆಂಟರ್ ನಮೂದಿಸಿ
DocType: Delivery Note,Print Without Amount,ಪ್ರಮಾಣ ಇಲ್ಲದೆ ಮುದ್ರಿಸು
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,ಸವಕಳಿ ದಿನಾಂಕ
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,ತೆರಿಗೆ ಬದಲಿಸಿ ' ಮೌಲ್ಯಾಂಕನ ' ಅಥವಾ ' ಮೌಲ್ಯಾಂಕನ ಮತ್ತು ಒಟ್ಟು ' ಎಲ್ಲಾ ಐಟಂಗಳನ್ನು ಅಲ್ಲದ ಸ್ಟಾಕ್ ವಸ್ತುಗಳಾಗಿವೆ ಎಂದು ಸಾಧ್ಯವಿಲ್ಲ
DocType: Issue,Support Team,ಬೆಂಬಲ ತಂಡ
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),ಅಂತ್ಯ (ದಿನಗಳಲ್ಲಿ)
DocType: Appraisal,Total Score (Out of 5),ಒಟ್ಟು ಸ್ಕೋರ್ ( 5)
DocType: Fee Structure,FS.,ಎಫ್ಎಸ್.
-DocType: Program Enrollment,Batch,ಗುಂಪು
+DocType: Student Attendance Tool,Batch,ಗುಂಪು
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,ಬ್ಯಾಲೆನ್ಸ್
DocType: Room,Seating Capacity,ಆಸನ ಸಾಮರ್ಥ್ಯ
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),ಒಟ್ಟು ಖರ್ಚು ಹಕ್ಕು (ಖರ್ಚು ಹಕ್ಕು ಮೂಲಕ)
+DocType: GST Settings,GST Summary,ಜಿಎಸ್ಟಿ ಸಾರಾಂಶ
DocType: Assessment Result,Total Score,ಒಟ್ಟು ಅಂಕ
DocType: Journal Entry,Debit Note,ಡೆಬಿಟ್ ಚೀಟಿಯನ್ನು
DocType: Stock Entry,As per Stock UOM,ಸ್ಟಾಕ್ UOM ಪ್ರಕಾರ
@@ -4493,12 +4519,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,ಡೀಫಾಲ್ಟ್ ತಯಾರಾದ ಸರಕುಗಳು ವೇರ್ಹೌಸ್
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,ಮಾರಾಟಗಾರ
DocType: SMS Parameter,SMS Parameter,ಎಸ್ಎಂಎಸ್ ನಿಯತಾಂಕಗಳನ್ನು
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,ಬಜೆಟ್ ಮತ್ತು ವೆಚ್ಚದ ಕೇಂದ್ರ
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,ಬಜೆಟ್ ಮತ್ತು ವೆಚ್ಚದ ಕೇಂದ್ರ
DocType: Vehicle Service,Half Yearly,ಅರ್ಧ ವಾರ್ಷಿಕ
DocType: Lead,Blog Subscriber,ಬ್ಲಾಗ್ ಚಂದಾದಾರರ
DocType: Guardian,Alternate Number,ಪರ್ಯಾಯ ಸಂಖ್ಯೆ
DocType: Assessment Plan Criteria,Maximum Score,ಗರಿಷ್ಠ ಸ್ಕೋರ್
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,ಮೌಲ್ಯಗಳ ಆಧಾರದ ವ್ಯವಹಾರ ನಿರ್ಬಂಧಿಸಲು ನಿಯಮಗಳನ್ನು ರಚಿಸಿ .
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,ಗುಂಪು ರೋಲ್ ಇಲ್ಲ
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,ನೀವು ವರ್ಷಕ್ಕೆ ವಿದ್ಯಾರ್ಥಿಗಳು ಗುಂಪುಗಳು ಮಾಡಿದರೆ ಖಾಲಿ ಬಿಡಿ
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,ನೀವು ವರ್ಷಕ್ಕೆ ವಿದ್ಯಾರ್ಥಿಗಳು ಗುಂಪುಗಳು ಮಾಡಿದರೆ ಖಾಲಿ ಬಿಡಿ
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","ಪರಿಶೀಲಿಸಿದರೆ, ಕೆಲಸ ದಿನಗಳ ಒಟ್ಟು ಯಾವುದೇ ರಜಾದಿನಗಳು ಸೇರಿವೆ , ಮತ್ತು ಈ ಸಂಬಳ ದಿನಕ್ಕೆ ಮೌಲ್ಯವನ್ನು ಕಡಿಮೆಗೊಳಿಸುತ್ತದೆ"
@@ -4518,6 +4545,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,ಈ ಗ್ರಾಹಕ ವಿರುದ್ಧ ವ್ಯವಹಾರ ಆಧರಿಸಿದೆ. ಮಾಹಿತಿಗಾಗಿ ಕೆಳಗೆ ಟೈಮ್ಲೈನ್ ನೋಡಿ
DocType: Supplier,Credit Days Based On,ಕ್ರೆಡಿಟ್ ಡೇಸ್ ರಂದು ಆಧರಿಸಿ
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},ರೋ {0}: ನಿಗದಿ ಪ್ರಮಾಣದ {1} ಕಡಿಮೆ ಅಥವಾ ಪಾವತಿ ಎಂಟ್ರಿ ಪ್ರಮಾಣದ ಸಮನಾಗಿರುತ್ತದೆ ಮಾಡಬೇಕು {2}
+,Course wise Assessment Report,ಕೋರ್ಸ್ ಬುದ್ಧಿವಂತ ಅಂದಾಜು ವರದಿ
DocType: Tax Rule,Tax Rule,ತೆರಿಗೆ ನಿಯಮ
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,ಮಾರಾಟ ಸೈಕಲ್ ಉದ್ದಕ್ಕೂ ಅದೇ ದರ ಕಾಯ್ದುಕೊಳ್ಳಲು
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,ವರ್ಕ್ಸ್ಟೇಷನ್ ಕೆಲಸ ಅವಧಿಗಳನ್ನು ಹೊರತುಪಡಿಸಿ ಸಮಯ ದಾಖಲೆಗಳು ಯೋಜನೆ.
@@ -4526,7 +4554,7 @@
,Items To Be Requested,ಮನವಿ ಐಟಂಗಳನ್ನು
DocType: Purchase Order,Get Last Purchase Rate,ಕೊನೆಯ ಖರೀದಿ ದರ ಸಿಗುತ್ತದೆ
DocType: Company,Company Info,ಕಂಪನಿ ಮಾಹಿತಿ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,ಆಯ್ಕೆಮಾಡಿ ಅಥವಾ ಹೊಸ ಗ್ರಾಹಕ ಸೇರಿಸು
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,ಆಯ್ಕೆಮಾಡಿ ಅಥವಾ ಹೊಸ ಗ್ರಾಹಕ ಸೇರಿಸು
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,ವೆಚ್ಚದ ಕೇಂದ್ರವಾಗಿ ಒಂದು ಖರ್ಚು ಹಕ್ಕು ಕಾಯ್ದಿರಿಸಲು ಅಗತ್ಯವಿದೆ
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),ನಿಧಿಗಳು ಅಪ್ಲಿಕೇಶನ್ ( ಆಸ್ತಿಗಳು )
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,ಈ ನೌಕರರ ಹಾಜರಾತಿ ಆಧರಿಸಿದೆ
@@ -4534,27 +4562,29 @@
DocType: Fiscal Year,Year Start Date,ವರ್ಷದ ಆರಂಭ ದಿನಾಂಕ
DocType: Attendance,Employee Name,ನೌಕರರ ಹೆಸರು
DocType: Sales Invoice,Rounded Total (Company Currency),ದುಂಡಾದ ಒಟ್ಟು ( ಕಂಪನಿ ಕರೆನ್ಸಿ )
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,ಖಾತೆ ಕೌಟುಂಬಿಕತೆ ಆಯ್ಕೆ ಏಕೆಂದರೆ ಗ್ರೂಪ್ ನಿಗೂಢ ಸಾಧ್ಯವಿಲ್ಲ.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,ಖಾತೆ ಕೌಟುಂಬಿಕತೆ ಆಯ್ಕೆ ಏಕೆಂದರೆ ಗ್ರೂಪ್ ನಿಗೂಢ ಸಾಧ್ಯವಿಲ್ಲ.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} ಮಾರ್ಪಡಿಸಲಾಗಿದೆ. ರಿಫ್ರೆಶ್ ಮಾಡಿ.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,ಕೆಳಗಿನ ದಿನಗಳಲ್ಲಿ ಲೀವ್ ಅಪ್ಲಿಕೇಶನ್ ಮಾಡುವ ಬಳಕೆದಾರರನ್ನು ನಿಲ್ಲಿಸಿ .
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,ಖರೀದಿಯ ಮೊತ್ತ
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,ಸರಬರಾಜುದಾರ ಉದ್ಧರಣ {0} ದಾಖಲಿಸಿದವರು
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,ಅಂತ್ಯ ವರ್ಷ ಪ್ರಾರಂಭ ವರ್ಷ ಮೊದಲು ಸಾಧ್ಯವಿಲ್ಲ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,ಉದ್ಯೋಗಿ ಸೌಲಭ್ಯಗಳು
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,ಉದ್ಯೋಗಿ ಸೌಲಭ್ಯಗಳು
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},{0} ಸತತವಾಗಿ {1} ಪ್ಯಾಕ್ಡ್ ಪ್ರಮಾಣ ಐಟಂ ಪ್ರಮಾಣ ಸಮ
DocType: Production Order,Manufactured Qty,ತಯಾರಿಸಲ್ಪಟ್ಟ ಪ್ರಮಾಣ
DocType: Purchase Receipt Item,Accepted Quantity,Accepted ಪ್ರಮಾಣ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},ದಯವಿಟ್ಟು ಡೀಫಾಲ್ಟ್ ನೌಕರರ ಹಾಲಿಡೇ ಪಟ್ಟಿ ಸೆಟ್ {0} ಅಥವಾ ಕಂಪನಿ {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} ಮಾಡುವುದಿಲ್ಲ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} ಮಾಡುವುದಿಲ್ಲ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,ಬ್ಯಾಚ್ ಸಂಖ್ಯೆಗಳು ಆಯ್ಕೆ
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,ಗ್ರಾಹಕರು ಬೆಳೆದ ಬಿಲ್ಲುಗಳನ್ನು .
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,ಪ್ರಾಜೆಕ್ಟ್ ಐಡಿ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},ರೋ ಯಾವುದೇ {0}: ಪ್ರಮಾಣ ಖರ್ಚು ಹಕ್ಕು {1} ವಿರುದ್ಧ ಪ್ರಮಾಣ ಬಾಕಿ ಹೆಚ್ಚು ಸಾಧ್ಯವಿಲ್ಲ. ಬಾಕಿ ಪ್ರಮಾಣ {2}
DocType: Maintenance Schedule,Schedule,ಕಾರ್ಯಕ್ರಮ
DocType: Account,Parent Account,ಪೋಷಕರ ಖಾತೆಯ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,ಲಭ್ಯ
DocType: Quality Inspection Reading,Reading 3,3 ಓದುವಿಕೆ
,Hub,ಹಬ್
DocType: GL Entry,Voucher Type,ಚೀಟಿ ಪ್ರಕಾರ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,ದರ ಪಟ್ಟಿ ಕಂಡುಬಂದಿಲ್ಲ ಅಥವಾ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,ದರ ಪಟ್ಟಿ ಕಂಡುಬಂದಿಲ್ಲ ಅಥವಾ ನಿಷ್ಕ್ರಿಯಗೊಳಿಸಲಾಗಿದೆ
DocType: Employee Loan Application,Approved,Approved
DocType: Pricing Rule,Price,ಬೆಲೆ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0} ಮೇಲೆ ಬಿಡುಗಡೆ ನೌಕರರ ' ಎಡ ' ಹೊಂದಿಸಿ
@@ -4565,7 +4595,8 @@
DocType: Selling Settings,Campaign Naming By,ಅಭಿಯಾನ ಹೆಸರಿಸುವ
DocType: Employee,Current Address Is,ಪ್ರಸ್ತುತ ವಿಳಾಸ ಈಸ್
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,ಮಾರ್ಪಡಿಸಿದ
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","ಐಚ್ಛಿಕ. ನಿರ್ದಿಷ್ಟಪಡಿಸಿದ ಅಲ್ಲ, ಕಂಪನಿಯ ಡೀಫಾಲ್ಟ್ ಕರೆನ್ಸಿ ಹೊಂದಿಸುತ್ತದೆ."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","ಐಚ್ಛಿಕ. ನಿರ್ದಿಷ್ಟಪಡಿಸಿದ ಅಲ್ಲ, ಕಂಪನಿಯ ಡೀಫಾಲ್ಟ್ ಕರೆನ್ಸಿ ಹೊಂದಿಸುತ್ತದೆ."
+DocType: Sales Invoice,Customer GSTIN,ಗ್ರಾಹಕ GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,ಲೆಕ್ಕಪರಿಶೋಧಕ ಜರ್ನಲ್ ನಮೂದುಗಳು .
DocType: Delivery Note Item,Available Qty at From Warehouse,ಗೋದಾಮಿನ ಲಭ್ಯವಿದೆ ಪ್ರಮಾಣ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,ಮೊದಲ ನೌಕರರ ರೆಕಾರ್ಡ್ ಆಯ್ಕೆಮಾಡಿ.
@@ -4573,7 +4604,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ಸಾಲು {0}: ಪಕ್ಷದ / ಖಾತೆ ಹೊಂದಿಕೆಯಾಗುವುದಿಲ್ಲ {1} / {2} ನಲ್ಲಿ {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,ವೆಚ್ಚದಲ್ಲಿ ಖಾತೆಯನ್ನು ನಮೂದಿಸಿ
DocType: Account,Stock,ಸ್ಟಾಕ್
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ರೋ # {0}: ರೆಫರೆನ್ಸ್ ಡಾಕ್ಯುಮೆಂಟ್ ಕೌಟುಂಬಿಕತೆ ಆರ್ಡರ್ ಖರೀದಿಸಿ ಒಂದು, ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಅಥವಾ ಜರ್ನಲ್ ಎಂಟ್ರಿ ಇರಬೇಕು"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ರೋ # {0}: ರೆಫರೆನ್ಸ್ ಡಾಕ್ಯುಮೆಂಟ್ ಕೌಟುಂಬಿಕತೆ ಆರ್ಡರ್ ಖರೀದಿಸಿ ಒಂದು, ಖರೀದಿ ಸರಕುಪಟ್ಟಿ ಅಥವಾ ಜರ್ನಲ್ ಎಂಟ್ರಿ ಇರಬೇಕು"
DocType: Employee,Current Address,ಪ್ರಸ್ತುತ ವಿಳಾಸ
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","ನಿಗದಿಸಬಹುದು ಹೊರತು ಐಟಂ ನಂತರ ವಿವರಣೆ, ಇಮೇಜ್, ಬೆಲೆ, ತೆರಿಗೆ ಟೆಂಪ್ಲೇಟ್ ಸೆಟ್ ಮಾಡಲಾಗುತ್ತದೆ ಇತ್ಯಾದಿ ಮತ್ತೊಂದು ಐಟಂ ಒಂದು ಭೇದ ವೇಳೆ"
DocType: Serial No,Purchase / Manufacture Details,ಖರೀದಿ / ತಯಾರಿಕೆ ವಿವರಗಳು
@@ -4586,8 +4617,8 @@
DocType: Pricing Rule,Min Qty,ಮಿನ್ ಪ್ರಮಾಣ
DocType: Asset Movement,Transaction Date,TransactionDate
DocType: Production Plan Item,Planned Qty,ಯೋಜಿಸಿದ ಪ್ರಮಾಣ
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,ಒಟ್ಟು ತೆರಿಗೆ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,ಪ್ರಮಾಣ (ಪ್ರಮಾಣ ತಯಾರಿಸಲ್ಪಟ್ಟ) ಕಡ್ಡಾಯ
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,ಒಟ್ಟು ತೆರಿಗೆ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,ಪ್ರಮಾಣ (ಪ್ರಮಾಣ ತಯಾರಿಸಲ್ಪಟ್ಟ) ಕಡ್ಡಾಯ
DocType: Stock Entry,Default Target Warehouse,ಡೀಫಾಲ್ಟ್ ಟಾರ್ಗೆಟ್ ವೇರ್ಹೌಸ್
DocType: Purchase Invoice,Net Total (Company Currency),ನೆಟ್ ಒಟ್ಟು ( ಕಂಪನಿ ಕರೆನ್ಸಿ )
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,ವರ್ಷಾಂತ್ಯದ ದಿನಾಂಕ ವರ್ಷದ ಪ್ರಾರಂಭ ದಿನಾಂಕ ಮುಂಚಿತವಾಗಿರಬೇಕು ಸಾಧ್ಯವಿಲ್ಲ. ದಯವಿಟ್ಟು ದಿನಾಂಕಗಳನ್ನು ಸರಿಪಡಿಸಲು ಹಾಗೂ ಮತ್ತೆ ಪ್ರಯತ್ನಿಸಿ.
@@ -4601,15 +4632,12 @@
DocType: Hub Settings,Hub Settings,ಹಬ್ ಸೆಟ್ಟಿಂಗ್ಗಳು
DocType: Project,Gross Margin %,ಒಟ್ಟು ಅಂಚು %
DocType: BOM,With Operations,ಕಾರ್ಯಾಚರಣೆ
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,ಲೆಕ್ಕಪರಿಶೋಧಕ ನಮೂದುಗಳನ್ನು ಈಗಾಗಲೇ ಕರೆನ್ಸಿ ಮಾಡಲಾಗಿದೆ {0} ಕಂಪನಿಗೆ {1}. ಕರೆನ್ಸಿಯ ಜತೆ ಸ್ವೀಕೃತಿ ಅಥವಾ ಕೊಡಬೇಕಾದ ಖಾತೆಯನ್ನು ಆಯ್ಕೆಮಾಡಿ {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,ಲೆಕ್ಕಪರಿಶೋಧಕ ನಮೂದುಗಳನ್ನು ಈಗಾಗಲೇ ಕರೆನ್ಸಿ ಮಾಡಲಾಗಿದೆ {0} ಕಂಪನಿಗೆ {1}. ಕರೆನ್ಸಿಯ ಜತೆ ಸ್ವೀಕೃತಿ ಅಥವಾ ಕೊಡಬೇಕಾದ ಖಾತೆಯನ್ನು ಆಯ್ಕೆಮಾಡಿ {0}.
DocType: Asset,Is Existing Asset,ಆಸ್ತಿ ಅಸ್ತಿತ್ವದಲ್ಲಿರುವ ಇದೆ
DocType: Salary Detail,Statistical Component,ಸ್ಟ್ಯಾಟಿಸ್ಟಿಕಲ್ ಕಾಂಪೊನೆಂಟ್
DocType: Salary Detail,Statistical Component,ಸ್ಟ್ಯಾಟಿಸ್ಟಿಕಲ್ ಕಾಂಪೊನೆಂಟ್
-,Monthly Salary Register,ಮಾಸಿಕ ವೇತನ ನೋಂದಣಿ
DocType: Warranty Claim,If different than customer address,ಗ್ರಾಹಕ ವಿಳಾಸಕ್ಕೆ ವಿಭಿನ್ನವಾದ
DocType: BOM Operation,BOM Operation,BOM ಕಾರ್ಯಾಚರಣೆ
-DocType: School Settings,Validate the Student Group from Program Enrollment,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ನೋಂದಣಿಯಲ್ಲಿ ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಸ್ಥಿರೀಕರಿಸಿ
-DocType: School Settings,Validate the Student Group from Program Enrollment,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ನೋಂದಣಿಯಲ್ಲಿ ವಿದ್ಯಾರ್ಥಿ ಗುಂಪು ಸ್ಥಿರೀಕರಿಸಿ
DocType: Purchase Taxes and Charges,On Previous Row Amount,ಹಿಂದಿನ ಸಾಲು ಪ್ರಮಾಣ ರಂದು
DocType: Student,Home Address,ಮನೆ ವಿಳಾಸ
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,ಟ್ರಾನ್ಸ್ಫರ್ ಸ್ವತ್ತು
@@ -4617,28 +4645,27 @@
DocType: Training Event,Event Name,ಈವೆಂಟ್ ಹೆಸರು
apps/erpnext/erpnext/config/schools.py +39,Admission,ಪ್ರವೇಶ
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},ಪ್ರವೇಶಾತಿಯು {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","ಸ್ಥಾಪನೆಗೆ ಬಜೆಟ್, ಗುರಿಗಳನ್ನು ಇತ್ಯಾದಿ ಋತುಮಾನ"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","{0} ಐಟಂ ಒಂದು ಟೆಂಪ್ಲೇಟ್ ಆಗಿದೆ, ಅದರ ರೂಪಾಂತರಗಳು ಒಂದಾಗಿದೆ ಆಯ್ಕೆ ಮಾಡಿ"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","ಸ್ಥಾಪನೆಗೆ ಬಜೆಟ್, ಗುರಿಗಳನ್ನು ಇತ್ಯಾದಿ ಋತುಮಾನ"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","{0} ಐಟಂ ಒಂದು ಟೆಂಪ್ಲೇಟ್ ಆಗಿದೆ, ಅದರ ರೂಪಾಂತರಗಳು ಒಂದಾಗಿದೆ ಆಯ್ಕೆ ಮಾಡಿ"
DocType: Asset,Asset Category,ಆಸ್ತಿ ವರ್ಗ
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,ಖರೀದಿದಾರ
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,ನಿವ್ವಳ ವೇತನ ಋಣಾತ್ಮಕ ಇರುವಂತಿಲ್ಲ
DocType: SMS Settings,Static Parameters,ಸ್ಥಾಯೀ ನಿಯತಾಂಕಗಳನ್ನು
DocType: Assessment Plan,Room,ಕೊಠಡಿ
DocType: Purchase Order,Advance Paid,ಅಡ್ವಾನ್ಸ್ ಪಾವತಿಸಿದ
DocType: Item,Item Tax,ಐಟಂ ತೆರಿಗೆ
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,ಸರಬರಾಜುದಾರ ವಸ್ತು
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,ಅಬಕಾರಿ ಸರಕುಪಟ್ಟಿ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,ಅಬಕಾರಿ ಸರಕುಪಟ್ಟಿ
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,ಟ್ರೆಶ್ಹೋಲ್ಡ್ {0}% ಹೆಚ್ಚು ಬಾರಿ ಕಾಣಿಸಿಕೊಳ್ಳುತ್ತದೆ
DocType: Expense Claim,Employees Email Id,ನೌಕರರು ಇಮೇಲ್ ಐಡಿ
DocType: Employee Attendance Tool,Marked Attendance,ಗುರುತು ಅಟೆಂಡೆನ್ಸ್
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,ಪ್ರಸಕ್ತ ಹಣಕಾಸಿನ ಹೊಣೆಗಾರಿಕೆಗಳು
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,ಪ್ರಸಕ್ತ ಹಣಕಾಸಿನ ಹೊಣೆಗಾರಿಕೆಗಳು
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,ನಿಮ್ಮ ಸಂಪರ್ಕಗಳಿಗೆ ಸಾಮೂಹಿಕ SMS ಕಳುಹಿಸಿ
DocType: Program,Program Name,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ಹೆಸರು
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,ತೆರಿಗೆ ಅಥವಾ ಶುಲ್ಕ ಪರಿಗಣಿಸಿ
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,ನಿಜವಾದ ಪ್ರಮಾಣ ಕಡ್ಡಾಯ
DocType: Employee Loan,Loan Type,ಸಾಲದ ಬಗೆಯ
DocType: Scheduling Tool,Scheduling Tool,ನಿಗದಿಗೊಳಿಸುವ ಟೂಲ್
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,ಕ್ರೆಡಿಟ್ ಕಾರ್ಡ್
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,ಕ್ರೆಡಿಟ್ ಕಾರ್ಡ್
DocType: BOM,Item to be manufactured or repacked,ಉತ್ಪಾದಿತ ಅಥವಾ repacked ಎಂದು ಐಟಂ
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,ಸ್ಟಾಕ್ ವ್ಯವಹಾರ ಡೀಫಾಲ್ಟ್ ಸೆಟ್ಟಿಂಗ್ಗಳನ್ನು .
DocType: Purchase Invoice,Next Date,NextDate
@@ -4654,10 +4681,10 @@
DocType: Stock Entry,Repack,ಮೂಟೆಕಟ್ಟು
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,ನೀವು ಮುಂದುವರೆಯುವುದಕ್ಕೆ ಮುಂಚಿತವಾಗಿ ರೂಪ ಉಳಿಸಬೇಕು
DocType: Item Attribute,Numeric Values,ಸಂಖ್ಯೆಯ ಮೌಲ್ಯಗಳನ್ನು
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,ಲೋಗೋ ಲಗತ್ತಿಸಿ
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,ಲೋಗೋ ಲಗತ್ತಿಸಿ
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,ಸ್ಟಾಕ್ ಲೆವೆಲ್ಸ್
DocType: Customer,Commission Rate,ಕಮಿಷನ್ ದರ
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,ಭಿನ್ನ ಮಾಡಿ
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,ಭಿನ್ನ ಮಾಡಿ
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,ಇಲಾಖೆ ರಜೆ ಅನ್ವಯಗಳನ್ನು ನಿರ್ಬಂಧಿಸಿ .
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","ಪಾವತಿ ಕೌಟುಂಬಿಕತೆ, ಸ್ವೀಕರಿಸಿ ಒಂದು ಇರಬೇಕು ಪೇ ಮತ್ತು ಆಂತರಿಕ ಟ್ರಾನ್ಸ್ಫರ್"
apps/erpnext/erpnext/config/selling.py +179,Analytics,ಅನಾಲಿಟಿಕ್ಸ್
@@ -4665,45 +4692,45 @@
DocType: Vehicle,Model,ಮಾದರಿ
DocType: Production Order,Actual Operating Cost,ನಿಜವಾದ ವೆಚ್ಚವನ್ನು
DocType: Payment Entry,Cheque/Reference No,ಚೆಕ್ / ಉಲ್ಲೇಖ ಇಲ್ಲ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,ರೂಟ್ ಸಂಪಾದಿತವಾಗಿಲ್ಲ .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,ರೂಟ್ ಸಂಪಾದಿತವಾಗಿಲ್ಲ .
DocType: Item,Units of Measure,ಮಾಪನದ ಘಟಕಗಳಿಗೆ
DocType: Manufacturing Settings,Allow Production on Holidays,ರಜಾ ದಿನಗಳಲ್ಲಿ ಪ್ರೊಡಕ್ಷನ್ ಅವಕಾಶ
DocType: Sales Order,Customer's Purchase Order Date,ಗ್ರಾಹಕರ ಪರ್ಚೇಸ್ ಆರ್ಡರ್ ದಿನಾಂಕ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,ಬಂಡವಾಳ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,ಬಂಡವಾಳ
DocType: Shopping Cart Settings,Show Public Attachments,ಸಾರ್ವಜನಿಕ ಲಗತ್ತುಗಳು ತೋರಿಸಿ
DocType: Packing Slip,Package Weight Details,ಪ್ಯಾಕೇಜ್ ತೂಕ ವಿವರಗಳು
DocType: Payment Gateway Account,Payment Gateway Account,ಪಾವತಿ ಗೇಟ್ವೇ ಖಾತೆ
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,ಪಾವತಿ ನಂತರ ಆಯ್ಕೆ ಪುಟ ಬಳಕೆದಾರ ಮರುನಿರ್ದೇಶನ.
DocType: Company,Existing Company,ಕಂಪನಿಯ
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",ತೆರಿಗೆ ಬದಲಿಸಿ ಬದಲಾಯಿಸಲಾಗಿದೆ "ಒಟ್ಟು" ಎಲ್ಲಾ ವಸ್ತುಗಳು ನಾನ್ ಸ್ಟಾಕ್ ಐಟಂಗಳನ್ನು ಏಕೆಂದರೆ
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,ಒಂದು CSV ಕಡತ ಆಯ್ಕೆ ಮಾಡಿ
DocType: Student Leave Application,Mark as Present,ಪ್ರೆಸೆಂಟ್ ಮಾರ್ಕ್
DocType: Purchase Order,To Receive and Bill,ಸ್ವೀಕರಿಸಿ ಮತ್ತು ಬಿಲ್
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,ವೈಶಿಷ್ಟ್ಯದ ಉತ್ಪನ್ನಗಳು
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,ಡಿಸೈನರ್
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,ಡಿಸೈನರ್
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,ನಿಯಮಗಳು ಮತ್ತು ನಿಯಮಗಳು ಟೆಂಪ್ಲೇಟು
DocType: Serial No,Delivery Details,ಡೆಲಿವರಿ ವಿವರಗಳು
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},ವೆಚ್ಚ ಸೆಂಟರ್ ಸಾಲು ಅಗತ್ಯವಿದೆ {0} ತೆರಿಗೆಗಳು ಕೋಷ್ಟಕದಲ್ಲಿ ಮಾದರಿ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},ವೆಚ್ಚ ಸೆಂಟರ್ ಸಾಲು ಅಗತ್ಯವಿದೆ {0} ತೆರಿಗೆಗಳು ಕೋಷ್ಟಕದಲ್ಲಿ ಮಾದರಿ {1}
DocType: Program,Program Code,ಕಾರ್ಯಕ್ರಮದಲ್ಲಿ ಕೋಡ್
DocType: Terms and Conditions,Terms and Conditions Help,ನಿಯಮಗಳು ಮತ್ತು ನಿಯಮಗಳು ಸಹಾಯ
,Item-wise Purchase Register,ಐಟಂ ಬುದ್ಧಿವಂತ ಖರೀದಿ ನೋಂದಣಿ
DocType: Batch,Expiry Date,ಅಂತ್ಯ ದಿನಾಂಕ
-,Supplier Addresses and Contacts,ಸರಬರಾಜುದಾರ ವಿಳಾಸಗಳು ಮತ್ತು ಸಂಪರ್ಕಗಳು
,accounts-browser,ಖಾತೆಗಳನ್ನು ಬ್ರೌಸರ್
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,ಮೊದಲ ವರ್ಗ ಆಯ್ಕೆ ಮಾಡಿ
apps/erpnext/erpnext/config/projects.py +13,Project master.,ಪ್ರಾಜೆಕ್ಟ್ ಮಾಸ್ಟರ್ .
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","ಮೇಲೆ-ಬಿಲ್ಲಿಂಗ್ ಅಥವಾ ಅತಿ ಆದೇಶ ಅವಕಾಶ, ನವೀಕರಿಸಿ "ಸೇವನೆ" ಸ್ಟಾಕ್ ಸೆಟ್ಟಿಂಗ್ಗಳು ಅಥವಾ ಅಂಶದಲ್ಲಿ."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","ಮೇಲೆ-ಬಿಲ್ಲಿಂಗ್ ಅಥವಾ ಅತಿ ಆದೇಶ ಅವಕಾಶ, ನವೀಕರಿಸಿ "ಸೇವನೆ" ಸ್ಟಾಕ್ ಸೆಟ್ಟಿಂಗ್ಗಳು ಅಥವಾ ಅಂಶದಲ್ಲಿ."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,ಮುಂದಿನ ಕರೆನ್ಸಿಗಳ $ ಇತ್ಯಾದಿ ಯಾವುದೇ ಸಂಕೇತ ತೋರಿಸುವುದಿಲ್ಲ.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(ಅರ್ಧ ದಿನ)
DocType: Supplier,Credit Days,ಕ್ರೆಡಿಟ್ ಡೇಸ್
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,ವಿದ್ಯಾರ್ಥಿ ಬ್ಯಾಚ್ ಮಾಡಿ
DocType: Leave Type,Is Carry Forward,ಮುಂದಕ್ಕೆ ಸಾಗಿಸುವ ಇದೆ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,BOM ಐಟಂಗಳು ಪಡೆಯಿರಿ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,BOM ಐಟಂಗಳು ಪಡೆಯಿರಿ
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,ಟೈಮ್ ಡೇಸ್ ಲೀಡ್
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ರೋ # {0}: ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಖರೀದಿ ದಿನಾಂಕ ಅದೇ ಇರಬೇಕು {1} ಸ್ವತ್ತಿನ {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ರೋ # {0}: ಪೋಸ್ಟಿಂಗ್ ದಿನಾಂಕ ಖರೀದಿ ದಿನಾಂಕ ಅದೇ ಇರಬೇಕು {1} ಸ್ವತ್ತಿನ {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,ದಯವಿಟ್ಟು ಮೇಲಿನ ಕೋಷ್ಟಕದಲ್ಲಿ ಮಾರಾಟದ ಆರ್ಡರ್ಸ್ ನಮೂದಿಸಿ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,ಸಲ್ಲಿಸಿಲ್ಲ ಸಂಬಳ ತುಂಡಿನಲ್ಲಿ
,Stock Summary,ಸ್ಟಾಕ್ ಸಾರಾಂಶ
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,ಮತ್ತೊಂದು ಗೋದಾಮಿನ ಒಂದು ಆಸ್ತಿ ವರ್ಗಾವಣೆ
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,ಮತ್ತೊಂದು ಗೋದಾಮಿನ ಒಂದು ಆಸ್ತಿ ವರ್ಗಾವಣೆ
DocType: Vehicle,Petrol,ಪೆಟ್ರೋಲ್
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,ಸಾಮಗ್ರಿಗಳ ಬಿಲ್ಲು
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},ಸಾಲು {0}: ಪಕ್ಷದ ಕೌಟುಂಬಿಕತೆ ಮತ್ತು ಪಕ್ಷದ ಸ್ವೀಕರಿಸುವಂತಹ / ಪಾವತಿಸಲಾಗುವುದು ಖಾತೆಯನ್ನು ಅಗತ್ಯವಿದೆ {1}
@@ -4714,6 +4741,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,ಮಂಜೂರಾದ ಹಣದಲ್ಲಿ
DocType: GL Entry,Is Opening,ಆರಂಭ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},ಸಾಲು {0}: ಡೆಬಿಟ್ ಪ್ರವೇಶ ಸಂಬಂಧ ಸಾಧ್ಯವಿಲ್ಲ ಒಂದು {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,ಖಾತೆ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,ಖಾತೆ {0} ಅಸ್ತಿತ್ವದಲ್ಲಿಲ್ಲ
DocType: Account,Cash,ನಗದು
DocType: Employee,Short biography for website and other publications.,ವೆಬ್ಸೈಟ್ ಮತ್ತು ಇತರ ಪ್ರಕಟಣೆಗಳು ಕಿರು ಜೀವನಚರಿತ್ರೆ.
diff --git a/erpnext/translations/ko.csv b/erpnext/translations/ko.csv
index e580528..ae6d4c7 100644
--- a/erpnext/translations/ko.csv
+++ b/erpnext/translations/ko.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,소비자 제품
DocType: Item,Customer Items,고객 항목
DocType: Project,Costing and Billing,원가 계산 및 결제
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,계정 {0} : 부모 계정은 {1} 원장이 될 수 없습니다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,계정 {0} : 부모 계정은 {1} 원장이 될 수 없습니다
DocType: Item,Publish Item to hub.erpnext.com,hub.erpnext.com에 항목을 게시
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,전자 메일 알림
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,평가
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,평가
DocType: Item,Default Unit of Measure,측정의 기본 단위
DocType: SMS Center,All Sales Partner Contact,모든 판매 파트너 문의
DocType: Employee,Leave Approvers,승인자를 남겨
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),환율은 동일해야합니다 {0} {1} ({2})
DocType: Sales Invoice,Customer Name,고객 이름
DocType: Vehicle,Natural Gas,천연 가스
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},은행 계정으로 명명 할 수없는 {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},은행 계정으로 명명 할 수없는 {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,머리 (또는 그룹)에있는 회계 항목은 만들어와 균형이 유지된다.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),뛰어난 {0}보다 작을 수 없습니다에 대한 ({1})
DocType: Manufacturing Settings,Default 10 mins,10 분을 기본
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,모든 공급 업체에게 연락 해주기
DocType: Support Settings,Support Settings,지원 설정
DocType: SMS Parameter,Parameter,매개변수
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,예상 종료 날짜는 예상 시작 날짜보다 작을 수 없습니다
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,예상 종료 날짜는 예상 시작 날짜보다 작을 수 없습니다
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,행 번호 {0} : 속도가 동일해야합니다 {1} {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,새로운 허가 신청
,Batch Item Expiry Status,일괄 상품 만료 상태
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,은행 어음
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,은행 어음
DocType: Mode of Payment Account,Mode of Payment Account,지불 계정의 모드
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,쇼 변형
DocType: Academic Term,Academic Term,학술 용어
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,자료
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,수량
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,계정 테이블은 비워 둘 수 없습니다.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),대출 (부채)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),대출 (부채)
DocType: Employee Education,Year of Passing,전달의 해
DocType: Item,Country of Origin,원산지
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,재고 있음
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,재고 있음
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,알려진 문제
DocType: Production Plan Item,Production Plan Item,생산 계획 항목
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},사용자 {0}이 (가) 이미 직원에 할당 된 {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,건강 관리
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),지급 지연 (일)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,서비스 비용
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},일련 번호 : {0}은 (는) 판매 송장에서 이미 참조되었습니다. {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},일련 번호 : {0}은 (는) 판매 송장에서 이미 참조되었습니다. {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,송장
DocType: Maintenance Schedule Item,Periodicity,주기성
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,회계 연도는 {0} 필요
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,행 번호 {0} :
DocType: Timesheet,Total Costing Amount,총 원가 계산 금액
DocType: Delivery Note,Vehicle No,차량 없음
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,가격리스트를 선택하세요
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,가격리스트를 선택하세요
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,행 # {0} : 결제 문서는 trasaction을 완료하는 데 필요한
DocType: Production Order Operation,Work In Progress,진행중인 작업
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,날짜를 선택하세요
DocType: Employee,Holiday List,휴일 목록
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,회계사
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,회계사
DocType: Cost Center,Stock User,재고 사용자
DocType: Company,Phone No,전화 번호
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,코스 스케줄 작성 :
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},신규 {0} : # {1}
,Sales Partners Commission,영업 파트너위원회
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,약어는 5 개 이상의 문자를 가질 수 없습니다
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,약어는 5 개 이상의 문자를 가질 수 없습니다
DocType: Payment Request,Payment Request,지불 요청
DocType: Asset,Value After Depreciation,감가 상각 후 값
DocType: Employee,O+,O의 +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,출석 날짜는 직원의 입사 날짜보다 작을 수 없습니다
DocType: Grading Scale,Grading Scale Name,등급 스케일 이름
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,이 루트 계정 및 편집 할 수 없습니다.
+DocType: Sales Invoice,Company Address,회사 주소
DocType: BOM,Operations,운영
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},에 대한 할인의 기준으로 권한을 설정할 수 없습니다 {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","두 개의 열, 이전 이름에 대해 하나의 새로운 이름을 하나 .CSV 파일 첨부"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1}하지 활성 회계 연도한다.
DocType: Packed Item,Parent Detail docname,부모 상세 docName 같은
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","참조 : {0}, 상품 코드 : {1} 및 고객 : {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,KG
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,KG
DocType: Student Log,Log,기록
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,작업에 대한 열기.
DocType: Item Attribute,Increment,증가
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,광고
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,같은 회사가 두 번 이상 입력
DocType: Employee,Married,결혼 한
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},허용되지 {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},허용되지 {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,에서 항목을 가져 오기
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},스톡 배달 주에 업데이트 할 수 없습니다 {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},스톡 배달 주에 업데이트 할 수 없습니다 {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},제품 {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,나열된 항목이 없습니다.
DocType: Payment Reconciliation,Reconcile,조정
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,다음 감가 상각 날짜는 구매 날짜 이전 될 수 없습니다
DocType: SMS Center,All Sales Person,모든 판매 사람
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** 월간 배포 ** 당신이 당신의 사업에 계절성이있는 경우는 개월에 걸쳐 예산 / 대상을 배포하는 데 도움이됩니다.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,항목을 찾을 수 없습니다
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,항목을 찾을 수 없습니다
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,급여 구조 누락
DocType: Lead,Person Name,사람 이름
DocType: Sales Invoice Item,Sales Invoice Item,판매 송장 상품
DocType: Account,Credit,신용
DocType: POS Profile,Write Off Cost Center,비용 센터를 오프 쓰기
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""","예를 들어, "초등 학교"또는 "대학""
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""","예를 들어, "초등 학교"또는 "대학""
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,재고 보고서
DocType: Warehouse,Warehouse Detail,창고 세부 정보
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},신용 한도는 고객에 대한 교차 된 {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},신용 한도는 고객에 대한 교차 된 {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,계약 기간 종료 날짜 나중에 용어가 연결되는 학술 올해의 연말 날짜 초과 할 수 없습니다 (학년 {}). 날짜를 수정하고 다시 시도하십시오.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","자산 레코드 항목에 대해 존재하는, 선택 해제 할 수 없습니다 "고정 자산""
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","자산 레코드 항목에 대해 존재하는, 선택 해제 할 수 없습니다 "고정 자산""
DocType: Vehicle Service,Brake Oil,브레이크 오일
DocType: Tax Rule,Tax Type,세금의 종류
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},당신은 전에 항목을 추가하거나 업데이트 할 수있는 권한이 없습니다 {0}
DocType: BOM,Item Image (if not slideshow),상품의 이미지 (그렇지 않으면 슬라이드 쇼)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,고객은 같은 이름을 가진
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(시간 / 60) * 실제 작업 시간
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,선택 BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,선택 BOM
DocType: SMS Log,SMS Log,SMS 로그
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,배달 항목의 비용
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,{0}의 휴가 날짜부터 현재까지 사이 아니다
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},에서 {0}에 {1}
DocType: Item,Copy From Item Group,상품 그룹에서 복사
DocType: Journal Entry,Opening Entry,항목 열기
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,고객> 고객 그룹> 지역
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,계정 결제 만
DocType: Employee Loan,Repay Over Number of Periods,기간의 동안 수 상환
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1}은 (는) 주어진 {2}에 등록되지 않았습니다.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1}은 (는) 주어진 {2}에 등록되지 않았습니다.
DocType: Stock Entry,Additional Costs,추가 비용
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,기존 거래와 계정 그룹으로 변환 할 수 없습니다.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,기존 거래와 계정 그룹으로 변환 할 수 없습니다.
DocType: Lead,Product Enquiry,제품 문의
DocType: Academic Term,Schools,학교
+DocType: School Settings,Validate Batch for Students in Student Group,학생 그룹의 학생들을위한 배치 확인
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},직원에 대한 검색 휴가를 기록하지 {0}의 {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,첫 번째 회사를 입력하십시오
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,처음 회사를 선택하세요
@@ -175,50 +176,50 @@
DocType: BOM,Total Cost,총 비용
DocType: Journal Entry Account,Employee Loan,직원 대출
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,활동 로그 :
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,{0} 항목을 시스템에 존재하지 않거나 만료
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,{0} 항목을 시스템에 존재하지 않거나 만료
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,부동산
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,거래명세표
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,제약
DocType: Purchase Invoice Item,Is Fixed Asset,고정 자산입니다
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","사용 가능한 수량은 {0}, 당신은 필요가있다 {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","사용 가능한 수량은 {0}, 당신은 필요가있다 {1}"
DocType: Expense Claim Detail,Claim Amount,청구 금액
-DocType: Employee,Mr,씨
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,cutomer 그룹 테이블에서 발견 중복 된 고객 그룹
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,공급 업체 유형 / 공급 업체
DocType: Naming Series,Prefix,접두사
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,소모품
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,소모품
DocType: Employee,B-,비-
DocType: Upload Attendance,Import Log,가져 오기 로그
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,위의 기준에 따라 유형 제조의 자료 요청을 당겨
DocType: Training Result Employee,Grade,학년
DocType: Sales Invoice Item,Delivered By Supplier,공급 업체에 의해 전달
DocType: SMS Center,All Contact,모든 연락처
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,생산 주문이 이미 BOM 모든 항목에 대해 작성
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,연봉
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,생산 주문이 이미 BOM 모든 항목에 대해 작성
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,연봉
DocType: Daily Work Summary,Daily Work Summary,매일 작업 요약
DocType: Period Closing Voucher,Closing Fiscal Year,회계 연도 결산
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} 냉동입니다
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,계정의 차트를 만드는 기존 회사를 선택하세요
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,재고 비용
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} 냉동입니다
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,계정의 차트를 만드는 기존 회사를 선택하세요
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,재고 비용
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,대상 창고 선택
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,대상 창고 선택
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,기본 연락 이메일을 입력하세요
+DocType: Program Enrollment,School Bus,학교 버스
DocType: Journal Entry,Contra Entry,콘트라 항목
DocType: Journal Entry Account,Credit in Company Currency,회사 통화 신용
DocType: Delivery Note,Installation Status,설치 상태
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",당신은 출석을 업데이트 하시겠습니까? <br> 현재 : {0} \ <br> 부재 {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},수락 + 거부 수량이 항목에 대한 수신 수량이 동일해야합니다 {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},수락 + 거부 수량이 항목에 대한 수신 수량이 동일해야합니다 {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,공급 원료 구매
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,결제 적어도 하나의 모드는 POS 송장이 필요합니다.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,결제 적어도 하나의 모드는 POS 송장이 필요합니다.
DocType: Products Settings,Show Products as a List,제품 표시 목록으로
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records",", 템플릿을 다운로드 적절한 데이터를 입력하고 수정 된 파일을 첨부합니다.
선택한 기간의 모든 날짜와 직원 조합은 기존의 출석 기록과 함께, 템플릿에 올 것이다"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,{0} 항목을 활성화하지 않거나 수명이 도달했습니다
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,예 : 기본 수학
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","행에있는 세금을 포함하려면 {0} 항목의 요금에, 행의 세금은 {1}도 포함되어야한다"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,{0} 항목을 활성화하지 않거나 수명이 도달했습니다
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,예 : 기본 수학
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","행에있는 세금을 포함하려면 {0} 항목의 요금에, 행의 세금은 {1}도 포함되어야한다"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,HR 모듈에 대한 설정
DocType: SMS Center,SMS Center,SMS 센터
DocType: Sales Invoice,Change Amount,변화량
@@ -228,7 +229,7 @@
DocType: Lead,Request Type,요청 유형
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,직원을
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,방송
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,실행
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,실행
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,작업의 세부 사항은 실시.
DocType: Serial No,Maintenance Status,유지 보수 상태
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1} : 공급 업체는 채무 계정에 필요한 {2}
@@ -256,7 +257,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,견적 요청은 다음 링크를 클릭하여 액세스 할 수 있습니다
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,올해 잎을 할당합니다.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG 생성 도구 코스
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,재고 부족
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,재고 부족
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,사용 안 함 용량 계획 및 시간 추적
DocType: Email Digest,New Sales Orders,새로운 판매 주문
DocType: Bank Guarantee,Bank Account,은행 계좌
@@ -267,8 +268,9 @@
DocType: Production Order Operation,Updated via 'Time Log','소요시간 로그'를 통해 업데이트 되었습니다.
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},사전 금액보다 클 수 없습니다 {0} {1}
DocType: Naming Series,Series List for this Transaction,이 트랜잭션에 대한 시리즈 일람
+DocType: Company,Enable Perpetual Inventory,영구 인벤토리 사용
DocType: Company,Default Payroll Payable Account,기본 급여 지급 계정
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,업데이트 이메일 그룹
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,업데이트 이메일 그룹
DocType: Sales Invoice,Is Opening Entry,개시 항목
DocType: Customer Group,Mention if non-standard receivable account applicable,표준이 아닌 채권 계정 (해당되는 경우)
DocType: Course Schedule,Instructor Name,강사 이름
@@ -280,13 +282,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,견적서 항목에 대하여
,Production Orders in Progress,진행 중 생산 주문
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Financing의 순 현금
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","로컬 저장이 가득, 저장하지 않은"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","로컬 저장이 가득, 저장하지 않은"
DocType: Lead,Address & Contact,주소 및 연락처
DocType: Leave Allocation,Add unused leaves from previous allocations,이전 할당에서 사용하지 않는 잎 추가
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},다음 반복 {0} 생성됩니다 {1}
DocType: Sales Partner,Partner website,파트너 웹 사이트
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,항목 추가
-,Contact Name,담당자 이름
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,담당자 이름
DocType: Course Assessment Criteria,Course Assessment Criteria,코스 평가 기준
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,위에서 언급 한 기준에 대한 급여 명세서를 작성합니다.
DocType: POS Customer Group,POS Customer Group,POS 고객 그룹
@@ -295,18 +297,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,주어진 설명이 없습니다
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,구입 요청합니다.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,이는이 프로젝트에 대해 만든 시간 시트를 기반으로
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,인터넷 결제는 0보다 작은 수 없습니다
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,인터넷 결제는 0보다 작은 수 없습니다
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,만 선택 안함 승인자이 허가 신청을 제출할 수 있습니다
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,날짜를 완화하는 것은 가입 날짜보다 커야합니다
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,연간 잎
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,연간 잎
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,행 {0} : 확인하시기 바랍니다이 계정에 대한 '사전인가'{1}이 사전 항목 인 경우.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},웨어 하우스는 {0}에 속하지 않는 회사 {1}
DocType: Email Digest,Profit & Loss,이익 및 손실
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,리터
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,리터
DocType: Task,Total Costing Amount (via Time Sheet),(시간 시트를 통해) 총 원가 계산 금액
DocType: Item Website Specification,Item Website Specification,항목 웹 사이트 사양
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,남겨 차단
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},항목 {0}에 수명이 다한 {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},항목 {0}에 수명이 다한 {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,은행 입장
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,연간
DocType: Stock Reconciliation Item,Stock Reconciliation Item,재고 조정 항목
@@ -314,9 +316,9 @@
DocType: Material Request Item,Min Order Qty,최소 주문 수량
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,학생 그룹 생성 도구 코스
DocType: Lead,Do Not Contact,연락하지 말라
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,조직에서 가르치는 사람들
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,조직에서 가르치는 사람들
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,모든 반복 송장을 추적하는 고유 ID.그것은 제출에 생성됩니다.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,소프트웨어 개발자
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,소프트웨어 개발자
DocType: Item,Minimum Order Qty,최소 주문 수량
DocType: Pricing Rule,Supplier Type,공급 업체 유형
DocType: Course Scheduling Tool,Course Start Date,코스 시작 날짜
@@ -325,11 +327,11 @@
DocType: Item,Publish in Hub,허브에 게시
DocType: Student Admission,Student Admission,학생 입학
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,{0} 항목 취소
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,{0} 항목 취소
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,자료 요청
DocType: Bank Reconciliation,Update Clearance Date,업데이트 통관 날짜
DocType: Item,Purchase Details,구매 상세 정보
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},구매 주문에 '원료 공급'테이블에없는 항목 {0} {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},구매 주문에 '원료 공급'테이블에없는 항목 {0} {1}
DocType: Employee,Relation,관계
DocType: Shipping Rule,Worldwide Shipping,해외 배송
DocType: Student Guardian,Mother,어머니
@@ -348,6 +350,7 @@
DocType: Student Group Student,Student Group Student,학생 그룹 학생
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,최근
DocType: Vehicle Service,Inspection,검사
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,명부
DocType: Email Digest,New Quotations,새로운 인용
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,직원에서 선택한 선호하는 이메일을 기반으로 직원에게 이메일 급여 명세서
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,목록의 첫 번째 허가 승인자는 기본 남겨 승인자로 설정됩니다
@@ -356,20 +359,20 @@
DocType: Asset,Next Depreciation Date,다음 감가 상각 날짜
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,직원 당 활동 비용
DocType: Accounts Settings,Settings for Accounts,계정에 대한 설정
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},공급 업체 송장 번호는 구매 송장에 존재 {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},공급 업체 송장 번호는 구매 송장에 존재 {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,판매 인 나무를 관리합니다.
DocType: Job Applicant,Cover Letter,커버 레터
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,뛰어난 수표 및 취소 예금
DocType: Item,Synced With Hub,허브와 동기화
DocType: Vehicle,Fleet Manager,함대 관리자
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},행 번호 {0} : {1} 항목에 대한 음수가 될 수 없습니다 {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,잘못된 비밀번호
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,잘못된 비밀번호
DocType: Item,Variant Of,의 변형
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',보다 '수량 제조하는'완료 수량은 클 수 없습니다
DocType: Period Closing Voucher,Closing Account Head,마감 계정 헤드
DocType: Employee,External Work History,외부 작업의 역사
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,순환 참조 오류
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1 이름
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 이름
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,당신은 배달 주를 저장 한 단어에서 (수출) 표시됩니다.
DocType: Cheque Print Template,Distance from left edge,왼쪽 가장자리까지의 거리
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{1}]의 단위 (# 양식 / 상품 / {1}) {2}]에서 발견 (# 양식 / 창고 / {2})
@@ -378,11 +381,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,자동 자료 요청의 생성에 이메일로 통보
DocType: Journal Entry,Multi Currency,멀티 통화
DocType: Payment Reconciliation Invoice,Invoice Type,송장 유형
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,상품 수령증
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,상품 수령증
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,세금 설정
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,판매 자산의 비용
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,당신이 그것을 끌어 후 결제 항목이 수정되었습니다.다시 당깁니다.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} 항목의 세금에 두 번 입력
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,당신이 그것을 끌어 후 결제 항목이 수정되었습니다.다시 당깁니다.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} 항목의 세금에 두 번 입력
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,이번 주 보류중인 활동에 대한 요약
DocType: Student Applicant,Admitted,인정
DocType: Workstation,Rent Cost,임대 비용
@@ -401,25 +404,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,필드 값을 '이달의 날 반복'을 입력하십시오
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,고객 통화는 고객의 기본 통화로 변환하는 속도에
DocType: Course Scheduling Tool,Course Scheduling Tool,코스 일정 도구
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},행 # {0} : 구매 송장 기존 자산에 대해 할 수 없습니다 {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},행 # {0} : 구매 송장 기존 자산에 대해 할 수 없습니다 {1}
DocType: Item Tax,Tax Rate,세율
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} 이미 직원에 할당 {1}에 기간 {2}에 대한 {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,항목 선택
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,구매 송장 {0}이 (가) 이미 제출
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,구매 송장 {0}이 (가) 이미 제출
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},행 번호 {0} : 일괄 없음은 동일해야합니다 {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,비 그룹으로 변환
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,항목의 일괄처리 (lot).
DocType: C-Form Invoice Detail,Invoice Date,송장의 날짜
DocType: GL Entry,Debit Amount,직불 금액
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},만에 회사 당 1 계정이있을 수 있습니다 {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,첨부 파일을 참조하시기 바랍니다
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},만에 회사 당 1 계정이있을 수 있습니다 {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,첨부 파일을 참조하시기 바랍니다
DocType: Purchase Order,% Received,% 수신
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,학생 그룹 만들기
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,이미 설치 완료!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,대변 메모 금액
,Finished Goods,완성품
DocType: Delivery Note,Instructions,지침
DocType: Quality Inspection,Inspected By,검사
DocType: Maintenance Visit,Maintenance Type,유지 보수 유형
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1}이 (가) 과정에 등록되지 않았습니다. {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},일련 번호 {0} 배달 주에 속하지 않는 {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext 데모
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,항목 추가
@@ -442,7 +447,7 @@
DocType: Request for Quotation,Request for Quotation,견적 요청
DocType: Salary Slip Timesheet,Working Hours,근무 시간
DocType: Naming Series,Change the starting / current sequence number of an existing series.,기존 시리즈의 시작 / 현재의 순서 번호를 변경합니다.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,새로운 고객을 만들기
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,새로운 고객을 만들기
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","여러 가격의 규칙이 우선 계속되면, 사용자는 충돌을 해결하기 위해 수동으로 우선 순위를 설정하라는 메시지가 표시됩니다."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,구매 오더를 생성
,Purchase Register,회원에게 구매
@@ -454,7 +459,7 @@
DocType: Student Log,Medical,의료
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,잃는 이유
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,리드 소유자는 납과 동일 할 수 없습니다
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,할당 된 금액은 조정되지 않은 금액보다 큰 수
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,할당 된 금액은 조정되지 않은 금액보다 큰 수
DocType: Announcement,Receiver,리시버
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},워크 스테이션 홀리데이 목록에 따라 다음과 같은 날짜에 닫혀 : {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,기회
@@ -468,8 +473,7 @@
DocType: Assessment Plan,Examiner Name,심사관 이름
DocType: Purchase Invoice Item,Quantity and Rate,수량 및 평가
DocType: Delivery Note,% Installed,% 설치
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,교실 / 강의는 예약 할 수 있습니다 연구소 등.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,공급 업체> 공급 업체 유형
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,교실 / 강의는 예약 할 수 있습니다 연구소 등.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,첫 번째 회사 이름을 입력하십시오
DocType: Purchase Invoice,Supplier Name,공급 업체 이름
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,ERPNext 설명서를 읽어
@@ -479,7 +483,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,체크 공급 업체 송장 번호 특이 사항
DocType: Vehicle Service,Oil Change,오일 변경
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.',' 마지막 케이스 번호' 는 '시작 케이스 번호' 보다 커야 합니다.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,비영리
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,비영리
DocType: Production Order,Not Started,시작되지 않음
DocType: Lead,Channel Partner,채널 파트너
DocType: Account,Old Parent,이전 부모
@@ -490,20 +494,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,모든 제조 공정에 대한 글로벌 설정.
DocType: Accounts Settings,Accounts Frozen Upto,까지에게 동결계정
DocType: SMS Log,Sent On,에 전송
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,속성 {0} 속성 테이블에서 여러 번 선택
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,속성 {0} 속성 테이블에서 여러 번 선택
DocType: HR Settings,Employee record is created using selected field. ,
DocType: Sales Order,Not Applicable,적용 할 수 없음
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,휴일 마스터.
DocType: Request for Quotation Item,Required Date,필요한 날짜
DocType: Delivery Note,Billing Address,청구 주소
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,상품 코드를 입력 해 주시기 바랍니다.
DocType: BOM,Costing,원가 계산
DocType: Tax Rule,Billing County,결제 카운티
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount",선택하면 이미 인쇄 속도 / 인쇄 금액에 포함되어있는 세액은 간주됩니다
DocType: Request for Quotation,Message for Supplier,공급 업체에 대한 메시지
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,총 수량
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 이메일 ID
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 이메일 ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 이메일 ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 이메일 ID
DocType: Item,Show in Website (Variant),웹 사이트에 표시 (변형)
DocType: Employee,Health Concerns,건강 문제
DocType: Process Payroll,Select Payroll Period,급여 기간을 선택
@@ -521,26 +524,28 @@
DocType: Sales Order Item,Used for Production Plan,생산 계획에 사용
DocType: Employee Loan,Total Payment,총 결제
DocType: Manufacturing Settings,Time Between Operations (in mins),(분에) 작업 사이의 시간
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1}이 (가) 취소되어 작업을 완료 할 수 없습니다.
DocType: Customer,Buyer of Goods and Services.,제품 및 서비스의 구매자.
DocType: Journal Entry,Accounts Payable,미지급금
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,선택한 BOM의 동일한 항목에 대한 없습니다
DocType: Pricing Rule,Valid Upto,유효한 개까지
DocType: Training Event,Workshop,작업장
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,고객의 몇 가지를 나열합니다.그들은 조직 또는 개인이 될 수 있습니다.
-,Enough Parts to Build,충분한 부품 작성하기
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,직접 수입
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,고객의 몇 가지를 나열합니다.그들은 조직 또는 개인이 될 수 있습니다.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,충분한 부품 작성하기
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,직접 수입
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","계정별로 분류하면, 계정을 기준으로 필터링 할 수 없습니다"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,관리 책임자
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,코스를 선택하십시오
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,코스를 선택하십시오
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,관리 책임자
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,코스를 선택하십시오
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,코스를 선택하십시오
DocType: Timesheet Detail,Hrs,시간
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,회사를 선택하세요
DocType: Stock Entry Detail,Difference Account,차이 계정
+DocType: Purchase Invoice,Supplier GSTIN,공급 업체 GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,종속 작업 {0}이 닫혀 있지 가까운 작업을 할 수 없습니다.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,자료 요청이 발생합니다있는 창고를 입력 해주십시오
DocType: Production Order,Additional Operating Cost,추가 운영 비용
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,화장품
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items",병합하려면 다음과 같은 속성이 두 항목에 대해 동일해야합니다
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items",병합하려면 다음과 같은 속성이 두 항목에 대해 동일해야합니다
DocType: Shipping Rule,Net Weight,순중량
DocType: Employee,Emergency Phone,긴급 전화
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,사다
@@ -550,14 +555,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,임계 값 0 %의 등급을 정의하십시오.
DocType: Sales Order,To Deliver,전달하기
DocType: Purchase Invoice Item,Item,항목
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,일련 번호 항목 일부가 될 수 없습니다
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,일련 번호 항목 일부가 될 수 없습니다
DocType: Journal Entry,Difference (Dr - Cr),차이 (박사 - 크롬)
DocType: Account,Profit and Loss,이익과 손실
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,관리 하도급
DocType: Project,Project will be accessible on the website to these users,프로젝트는 이러한 사용자에게 웹 사이트에 액세스 할 수 있습니다
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,가격 목록 통화는 회사의 기본 통화로 변환하는 속도에
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},계정 {0} 회사에 속하지 않는 {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,약어는 이미 다른 회사에 사용
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},계정 {0} 회사에 속하지 않는 {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,약어는 이미 다른 회사에 사용
DocType: Selling Settings,Default Customer Group,기본 고객 그룹
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","사용하지 않으면, '둥근 총'이 필드는 모든 트랜잭션에서 볼 수 없습니다"
DocType: BOM,Operating Cost,운영 비용
@@ -565,7 +570,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,증가는 0이 될 수 없습니다
DocType: Production Planning Tool,Material Requirement,자료 요구
DocType: Company,Delete Company Transactions,회사 거래 삭제
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,참조 번호 및 참조 날짜는 은행 거래를위한 필수입니다
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,참조 번호 및 참조 날짜는 은행 거래를위한 필수입니다
DocType: Purchase Receipt,Add / Edit Taxes and Charges,세금과 요금 추가/편집
DocType: Purchase Invoice,Supplier Invoice No,공급 업체 송장 번호
DocType: Territory,For reference,참고로
@@ -576,22 +581,22 @@
DocType: Installation Note Item,Installation Note Item,설치 노트 항목
DocType: Production Plan Item,Pending Qty,보류 수량
DocType: Budget,Ignore,무시
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} 활성화되지 않습니다
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} 활성화되지 않습니다
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS는 다음 번호로 전송 : {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,인쇄 설정 확인 치수
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,인쇄 설정 확인 치수
DocType: Salary Slip,Salary Slip Timesheet,급여 슬립 표
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,하청 구입 영수증 필수 공급 업체 창고
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,하청 구입 영수증 필수 공급 업체 창고
DocType: Pricing Rule,Valid From,유효
DocType: Sales Invoice,Total Commission,전체위원회
DocType: Pricing Rule,Sales Partner,영업 파트너
DocType: Buying Settings,Purchase Receipt Required,필수 구입 영수증
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,열기 재고 입력 한 경우 평가 비율은 필수입니다
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,열기 재고 입력 한 경우 평가 비율은 필수입니다
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,송장 테이블에있는 레코드 없음
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,첫번째 회사와 파티 유형을 선택하세요
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,금융 / 회계 연도.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,금융 / 회계 연도.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,누적 값
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","죄송합니다, 시리얼 NOS는 병합 할 수 없습니다"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,확인 판매 주문
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,확인 판매 주문
DocType: Project Task,Project Task,프로젝트 작업
,Lead Id,리드 아이디
DocType: C-Form Invoice Detail,Grand Total,총 합계
@@ -608,7 +613,7 @@
DocType: Job Applicant,Resume Attachment,이력서 첨부
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,반복 고객
DocType: Leave Control Panel,Allocate,할당
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,판매로 돌아 가기
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,판매로 돌아 가기
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,참고 : 총 할당 잎 {0} 이미 승인 나뭇잎 이상이어야한다 {1} 기간 동안
DocType: Announcement,Posted By,에 의해 게시 됨
DocType: Item,Delivered by Supplier (Drop Ship),공급 업체에 의해 전달 (드롭 선박)
@@ -618,8 +623,8 @@
DocType: Quotation,Quotation To,에 견적
DocType: Lead,Middle Income,중간 소득
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),오프닝 (CR)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,이미 다른 UOM 일부 거래 (들)을 만들었 때문에 항목에 대한 측정의 기본 단위는 {0} 직접 변경할 수 없습니다. 당신은 다른 기본 UOM을 사용하여 새 항목을 작성해야합니다.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,할당 된 금액은 음수 일 수 없습니다
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,이미 다른 UOM 일부 거래 (들)을 만들었 때문에 항목에 대한 측정의 기본 단위는 {0} 직접 변경할 수 없습니다. 당신은 다른 기본 UOM을 사용하여 새 항목을 작성해야합니다.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,할당 된 금액은 음수 일 수 없습니다
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,회사를 설정하십시오.
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,회사를 설정하십시오.
DocType: Purchase Order Item,Billed Amt,청구 AMT 사의
@@ -632,7 +637,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,선택 결제 계좌는 은행 항목을 만들려면
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","잎, 비용 청구 및 급여를 관리하는 직원 레코드를 작성"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,기술 자료 추가
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,제안서 작성
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,제안서 작성
DocType: Payment Entry Deduction,Payment Entry Deduction,결제 항목 공제
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,또 다른 판매 사람 {0} 같은 직원 ID 존재
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","자재 요청에 포함됩니다 하청있는 항목에 대해, 원료를 선택하면"
@@ -647,7 +652,7 @@
DocType: Batch,Batch Description,일괄처리 설명
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,학생 그룹 만들기
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,학생 그룹 만들기
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.",지불 게이트웨이 계정이 생성되지 수동으로 하나를 만드십시오.
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.",지불 게이트웨이 계정이 생성되지 수동으로 하나를 만드십시오.
DocType: Sales Invoice,Sales Taxes and Charges,판매 세금 및 요금
DocType: Employee,Organization Profile,기업 프로필
DocType: Student,Sibling Details,형제의 자세한 사항
@@ -669,11 +674,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,재고의 순 변화
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,직원 대출 관리
DocType: Employee,Passport Number,여권 번호
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Guardian2와의 관계
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,관리자
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2와의 관계
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,관리자
DocType: Payment Entry,Payment From / To,/에서로 지불
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},새로운 신용 한도는 고객의 현재 뛰어난 양 미만이다. 신용 한도이어야 수있다 {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,동일한 항목을 복수 회 입력되었습니다.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},새로운 신용 한도는 고객의 현재 뛰어난 양 미만이다. 신용 한도이어야 수있다 {0}
DocType: SMS Settings,Receiver Parameter,수신기 매개 변수
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Based On'과 'Group By'는 달라야 합니다.
DocType: Sales Person,Sales Person Targets,영업 사원 대상
@@ -682,8 +686,9 @@
DocType: Issue,Resolution Date,결의일
DocType: Student Batch Name,Batch Name,배치 이름
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,작업 표 작성 :
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},지불 모드로 기본 현금 또는 은행 계정을 설정하십시오 {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},지불 모드로 기본 현금 또는 은행 계정을 설정하십시오 {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,싸다
+DocType: GST Settings,GST Settings,GST 설정
DocType: Selling Settings,Customer Naming By,고객 이름 지정으로
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,학생 월별 출석 보고서에서와 같이 현재 학생을 보여줍니다
DocType: Depreciation Schedule,Depreciation Amount,감가 상각 금액
@@ -705,6 +710,7 @@
DocType: Item,Material Transfer,재료 이송
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),오프닝 (박사)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},게시 타임 스탬프 이후 여야 {0}
+,GST Itemised Purchase Register,GST 품목별 구매 등록부
DocType: Employee Loan,Total Interest Payable,채무 총 관심
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,착륙 비용 세금 및 요금
DocType: Production Order Operation,Actual Start Time,실제 시작 시간
@@ -732,10 +738,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
DocType: Account,Accounts,회계
DocType: Vehicle,Odometer Value (Last),주행 거리계 값 (마지막)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,마케팅
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,마케팅
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,결제 항목이 이미 생성
DocType: Purchase Receipt Item Supplied,Current Stock,현재 재고
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},행 번호는 {0} : {1} 자산이 항목에 연결되지 않는 {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},행 번호는 {0} : {1} 자산이 항목에 연결되지 않는 {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,미리보기 연봉 슬립
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,계정 {0} 여러 번 입력 된
DocType: Account,Expenses Included In Valuation,비용은 평가에 포함
@@ -743,7 +749,7 @@
,Absent Student Report,결석 한 학생 보고서
DocType: Email Digest,Next email will be sent on:,다음 이메일에 전송됩니다 :
DocType: Offer Letter Term,Offer Letter Term,편지 기간을 제공
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,항목 변종이있다.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,항목 변종이있다.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,{0} 항목을 찾을 수 없습니다
DocType: Bin,Stock Value,재고 가치
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,회사 {0} 존재하지 않습니다
@@ -752,8 +758,8 @@
DocType: Serial No,Warranty Expiry Date,보증 유효 기간
DocType: Material Request Item,Quantity and Warehouse,수량 및 창고
DocType: Sales Invoice,Commission Rate (%),위원회 비율 (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,프로그램을 선택하십시오.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,프로그램을 선택하십시오.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,프로그램을 선택하십시오.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,프로그램을 선택하십시오.
DocType: Project,Estimated Cost,예상 비용
DocType: Purchase Order,Link to material requests,자료 요청에 대한 링크
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,항공 우주
@@ -767,14 +773,14 @@
DocType: Purchase Order,Supply Raw Materials,공급 원료
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,다음 송장이 생성됩니다되는 날짜입니다. 그것은 제출에 생성됩니다.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,유동 자산
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} 재고 상품이 아닌
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} 재고 상품이 아닌
DocType: Mode of Payment Account,Default Account,기본 계정
DocType: Payment Entry,Received Amount (Company Currency),받은 금액 (회사 통화)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,기회고객을 리드고객으로 만든 경우 리드고객를 설정해야합니다
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,매주 오프 날짜를 선택하세요
DocType: Production Order Operation,Planned End Time,계획 종료 시간
,Sales Person Target Variance Item Group-Wise,영업 사원 대상 분산 상품 그룹 와이즈
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,기존 거래와 계정 원장으로 변환 할 수 없습니다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,기존 거래와 계정 원장으로 변환 할 수 없습니다
DocType: Delivery Note,Customer's Purchase Order No,고객의 구매 주문 번호
DocType: Budget,Budget Against,예산에 대하여
DocType: Employee,Cell Number,핸드폰 번호
@@ -786,15 +792,13 @@
DocType: Opportunity,Opportunity From,기회에서
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,월급의 문.
DocType: BOM,Website Specifications,웹 사이트 사양
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,설정> 번호 매기기 시리즈를 통해 출석을위한 번호 매기기 시리즈를 설정하십시오.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}에서 {0} 유형의 {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,행 {0} : 변환 계수는 필수입니다
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,행 {0} : 변환 계수는 필수입니다
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",여러 가격 규칙은 동일한 기준으로 존재 우선 순위를 할당하여 충돌을 해결하십시오. 가격 규칙 : {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,비활성화하거나 다른 BOM을 함께 연결되어로 BOM을 취소 할 수 없습니다
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",여러 가격 규칙은 동일한 기준으로 존재 우선 순위를 할당하여 충돌을 해결하십시오. 가격 규칙 : {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,비활성화하거나 다른 BOM을 함께 연결되어로 BOM을 취소 할 수 없습니다
DocType: Opportunity,Maintenance,유지
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},상품에 필요한 구매 영수증 번호 {0}
DocType: Item Attribute Value,Item Attribute Value,항목 속성 값
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,판매 캠페인.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,표 만들기
@@ -846,30 +850,30 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},분개를 통해 폐기 자산 {0}
DocType: Employee Loan,Interest Income Account,이자 소득 계정
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,생명 공학
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,사무실 유지 비용
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,사무실 유지 비용
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,이메일 계정 설정
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,첫 번째 항목을 입력하십시오
DocType: Account,Liability,부채
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,제재 금액 행에 청구 금액보다 클 수 없습니다 {0}.
DocType: Company,Default Cost of Goods Sold Account,제품 판매 계정의 기본 비용
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,가격 목록을 선택하지
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,가격 목록을 선택하지
DocType: Employee,Family Background,가족 배경
DocType: Request for Quotation Supplier,Send Email,이메일 보내기
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},경고 : 잘못된 첨부 파일 {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},경고 : 잘못된 첨부 파일 {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,아무 권한이 없습니다
DocType: Company,Default Bank Account,기본 은행 계좌
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",파티를 기반으로 필터링하려면 선택 파티 첫 번째 유형
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},항목을 통해 전달되지 않기 때문에 '업데이트 재고'확인 할 수없는 {0}
DocType: Vehicle,Acquisition Date,취득일
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,NOS
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,NOS
DocType: Item,Items with higher weightage will be shown higher,높은 weightage와 항목에서 높은 표시됩니다
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,은행 계정조정 세부 정보
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,행 번호 {0} 자산이 {1} 제출해야합니다
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,행 번호 {0} 자산이 {1} 제출해야합니다
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,검색된 직원이 없습니다
DocType: Supplier Quotation,Stopped,중지
DocType: Item,If subcontracted to a vendor,공급 업체에 하청하는 경우
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,학생 그룹이 이미 업데이트되었습니다.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,학생 그룹이 이미 업데이트되었습니다.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,학생 그룹이 이미 업데이트되었습니다.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,학생 그룹이 이미 업데이트되었습니다.
DocType: SMS Center,All Customer Contact,모든 고객에게 연락
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,CSV를 통해 재고의 균형을 업로드 할 수 있습니다.
DocType: Warehouse,Tree Details,트리 세부 사항
@@ -881,13 +885,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1} : 코스트 센터 {2} 회사에 속하지 않는 {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1} 계정 {2} 그룹이 될 수 없습니다
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,항목 행 {IDX} {문서 타입} {DOCNAME} 위에 존재하지 않는 '{문서 타입}'테이블
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,표 {0} 이미 완료 또는 취소
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,표 {0} 이미 완료 또는 취소
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,어떤 작업을하지
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","자동 청구서는 05, 28 등의 예를 들어 생성되는 달의 날"
DocType: Asset,Opening Accumulated Depreciation,감가 상각 누계액 열기
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,점수보다 작거나 5 같아야
DocType: Program Enrollment Tool,Program Enrollment Tool,프로그램 등록 도구
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,C 형태의 기록
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C 형태의 기록
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,고객 및 공급 업체
DocType: Email Digest,Email Digest Settings,알림 이메일 설정
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,귀하의 비즈니스 주셔서 감사합니다!
@@ -897,17 +901,19 @@
DocType: Bin,Moving Average Rate,이동 평균 속도
DocType: Production Planning Tool,Select Items,항목 선택
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} 빌에 대해 {1} 일자 {2}
+DocType: Program Enrollment,Vehicle/Bus Number,차량 / 버스 번호
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,코스 일정
DocType: Maintenance Visit,Completion Status,완료 상태
DocType: HR Settings,Enter retirement age in years,년에 은퇴 연령을 입력
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,목표웨어 하우스
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,창고를 선택하십시오.
DocType: Cheque Print Template,Starting location from left edge,왼쪽 가장자리에서 위치 시작
DocType: Item,Allow over delivery or receipt upto this percent,이 퍼센트 개까지 배달 또는 영수증을 통해 허용
DocType: Stock Entry,STE-,스테
DocType: Upload Attendance,Import Attendance,수입 출석
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,모든 상품 그룹
DocType: Process Payroll,Activity Log,활동 로그
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,당기 순이익 / 손실
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,당기 순이익 / 손실
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,자동 거래의 제출에 메시지를 작성합니다.
DocType: Production Order,Item To Manufacture,제조 품목에
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} 상태가 {2}이다
@@ -916,16 +922,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,지불하기 위해 구매
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,수량을 예상
DocType: Sales Invoice,Payment Due Date,지불 기한
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,항목 변형 {0} 이미 동일한 속성을 가진 존재
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,항목 변형 {0} 이미 동일한 속성을 가진 존재
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','열기'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,수행하려면 열기
DocType: Notification Control,Delivery Note Message,납품서 메시지
DocType: Expense Claim,Expenses,비용
+,Support Hours,지원 시간
DocType: Item Variant Attribute,Item Variant Attribute,항목 변형 특성
,Purchase Receipt Trends,구매 영수증 동향
DocType: Process Payroll,Bimonthly,격월
DocType: Vehicle Service,Brake Pad,브레이크 패드
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,연구 개발 (R & D)
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,연구 개발 (R & D)
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,빌 금액
DocType: Company,Registration Details,등록 세부 사항
DocType: Timesheet,Total Billed Amount,총 청구 금액
@@ -938,12 +945,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,만 원료를 얻
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,성능 평가.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","사용 쇼핑 카트가 활성화 될 때, '쇼핑 카트에 사용'및 장바구니 적어도 하나의 세금 규칙이 있어야한다"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","결제 항목 {0} 주문이이 송장에 미리으로 당겨 할 필요가있는 경우 {1}, 확인에 연결되어 있습니다."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","결제 항목 {0} 주문이이 송장에 미리으로 당겨 할 필요가있는 경우 {1}, 확인에 연결되어 있습니다."
DocType: Sales Invoice Item,Stock Details,재고 상세
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,프로젝트 값
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,판매 시점
DocType: Vehicle Log,Odometer Reading,주행 거리계 독서
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","계정 잔액이 이미 신용, 당신이 설정할 수 없습니다 '직불 카드'로 '밸런스 것은이어야'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","계정 잔액이 이미 신용, 당신이 설정할 수 없습니다 '직불 카드'로 '밸런스 것은이어야'"
DocType: Account,Balance must be,잔고는
DocType: Hub Settings,Publish Pricing,가격을 게시
DocType: Notification Control,Expense Claim Rejected Message,비용 청구 거부 메시지
@@ -953,7 +960,7 @@
DocType: Salary Slip,Working Days,작업 일
DocType: Serial No,Incoming Rate,수신 속도
DocType: Packing Slip,Gross Weight,총중량
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,이 시스템을 설정하는하는 기업의 이름입니다.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,이 시스템을 설정하는하는 기업의 이름입니다.
DocType: HR Settings,Include holidays in Total no. of Working Days,없이 총 휴일을 포함. 작업 일의
DocType: Job Applicant,Hold,길게 누르기
DocType: Employee,Date of Joining,가입 날짜
@@ -964,20 +971,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,구입 영수증
,Received Items To Be Billed,청구에 주어진 항목
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,제출 급여 전표
-DocType: Employee,Ms,MS
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,통화 환율 마스터.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},참고없는 Doctype 중 하나 여야합니다 {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,통화 환율 마스터.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},참고없는 Doctype 중 하나 여야합니다 {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},작업에 대한 다음 {0} 일 시간 슬롯을 찾을 수 없습니다 {1}
DocType: Production Order,Plan material for sub-assemblies,서브 어셈블리 계획 물질
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,판매 파트너 및 지역
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,이미 계정에 재고 밸런스가 자동으로 계정을 만들 수 없습니다. 이 창고에 항목을 만들 수 있습니다 전에 일치하는 계정을 만들어야합니다
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0}이 활성화되어 있어야합니다
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0}이 활성화되어 있어야합니다
DocType: Journal Entry,Depreciation Entry,감가 상각 항목
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,첫 번째 문서 유형을 선택하세요
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,"이 유지 보수 방문을 취소하기 전, 재질 방문 {0} 취소"
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},일련 번호 {0} 항목에 속하지 않는 {1}
DocType: Purchase Receipt Item Supplied,Required Qty,필요한 수량
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,기존 거래와 창고가 원장으로 변환 할 수 없습니다.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,기존 거래와 창고가 원장으로 변환 할 수 없습니다.
DocType: Bank Reconciliation,Total Amount,총액
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,인터넷 게시
DocType: Production Planning Tool,Production Orders,생산 주문
@@ -992,25 +997,26 @@
DocType: Fee Structure,Components,구성 요소들
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},상품에 자산 카테고리를 입력하세요 {0}
DocType: Quality Inspection Reading,Reading 6,6 읽기
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,하지 {0} {1} {2}없이 음의 뛰어난 송장 수
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,하지 {0} {1} {2}없이 음의 뛰어난 송장 수
DocType: Purchase Invoice Advance,Purchase Invoice Advance,송장 전진에게 구입
DocType: Hub Settings,Sync Now,지금 동기화
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},행은 {0} : 신용 항목에 링크 할 수 없습니다 {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,회계 연도 예산을 정의합니다.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,회계 연도 예산을 정의합니다.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,이 모드를 선택하면 기본 은행 / 현금 계정은 자동으로 POS 송장에 업데이트됩니다.
DocType: Lead,LEAD-,리드-
DocType: Employee,Permanent Address Is,영구 주소는
DocType: Production Order Operation,Operation completed for how many finished goods?,작업이 얼마나 많은 완제품 완료?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,브랜드
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,브랜드
DocType: Employee,Exit Interview Details,출구 인터뷰의 자세한 사항
DocType: Item,Is Purchase Item,구매 상품입니다
DocType: Asset,Purchase Invoice,구매 송장
DocType: Stock Ledger Entry,Voucher Detail No,바우처 세부 사항 없음
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,새로운 판매 송장
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,새로운 판매 송장
DocType: Stock Entry,Total Outgoing Value,총 보내는 값
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,날짜 및 마감일을 열면 동일 회계 연도 내에 있어야합니다
DocType: Lead,Request for Information,정보 요청
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,동기화 오프라인 송장
+,LeaderBoard,리더 보드
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,동기화 오프라인 송장
DocType: Payment Request,Paid,지불
DocType: Program Fee,Program Fee,프로그램 비용
DocType: Salary Slip,Total in words,즉 전체
@@ -1019,13 +1025,13 @@
DocType: Cheque Print Template,Has Print Format,인쇄 형식
DocType: Employee Loan,Sanctioned,제재
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,필수입니다. 환율 레코드가 생성되지 않았습니다.
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},행 번호는 {0} 항목에 대한 일련 번호를 지정하십시오 {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'제품 번들'항목, 창고, 일련 번호 및 배치에 대해 아니오 '포장 목록'테이블에서 고려 될 것이다. 창고 및 배치 없음 어떤 '제품 번들'항목에 대한 모든 포장 항목에 대해 동일한 경우, 그 값이 주요 항목 테이블에 입력 할 수는 값이 테이블 '목록 포장'을 복사됩니다."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},행 번호는 {0} 항목에 대한 일련 번호를 지정하십시오 {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'제품 번들'항목, 창고, 일련 번호 및 배치에 대해 아니오 '포장 목록'테이블에서 고려 될 것이다. 창고 및 배치 없음 어떤 '제품 번들'항목에 대한 모든 포장 항목에 대해 동일한 경우, 그 값이 주요 항목 테이블에 입력 할 수는 값이 테이블 '목록 포장'을 복사됩니다."
DocType: Job Opening,Publish on website,웹 사이트에 게시
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,고객에게 선적.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,공급 업체 송장 날짜 게시 날짜보다 클 수 없습니다
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,공급 업체 송장 날짜 게시 날짜보다 클 수 없습니다
DocType: Purchase Invoice Item,Purchase Order Item,구매 주문 상품
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,간접 소득
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,간접 소득
DocType: Student Attendance Tool,Student Attendance Tool,학생 출석 도구
DocType: Cheque Print Template,Date Settings,날짜 설정
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,변화
@@ -1043,21 +1049,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,화학
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,이 모드를 선택하면 기본 은행 / 현금 계정이 자동으로 급여 업무 일지 항목에 업데이트됩니다.
DocType: BOM,Raw Material Cost(Company Currency),원료 비용 (기업 통화)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,모든 항목은 이미 생산 주문에 대한 전송되었습니다.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,모든 항목은 이미 생산 주문에 대한 전송되었습니다.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},행 번호 {0} : 요율은 {1}에서 사용 된 요율보다 클 수 없습니다 {2}
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},행 번호 {0} : 요율은 {1}에서 사용 된 요율보다 클 수 없습니다 {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,미터
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,미터
DocType: Workstation,Electricity Cost,전기 비용
DocType: HR Settings,Don't send Employee Birthday Reminders,직원 생일 알림을 보내지 마십시오
DocType: Item,Inspection Criteria,검사 기준
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,옮겨진
DocType: BOM Website Item,BOM Website Item,BOM 웹 사이트 항목
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,편지의 머리와 로고를 업로드합니다. (나중에 편집 할 수 있습니다).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,편지의 머리와 로고를 업로드합니다. (나중에 편집 할 수 있습니다).
DocType: Timesheet Detail,Bill,계산서
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,다음 감가 상각 날짜는 과거 날짜로 입력
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,화이트
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,화이트
DocType: SMS Center,All Lead (Open),모든 납 (열기)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),행 {0}에 대한 수량을 사용할 수없는 {4}웨어 하우스의 {1} 항목의 시간을 게시에 ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),행 {0}에 대한 수량을 사용할 수없는 {4}웨어 하우스의 {1} 항목의 시간을 게시에 ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,선불지급
DocType: Item,Automatically Create New Batch,새로운 배치 자동 생성
DocType: Item,Automatically Create New Batch,새로운 배치 자동 생성
@@ -1068,13 +1074,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,내 장바구니
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},주문 유형 중 하나 여야합니다 {0}
DocType: Lead,Next Contact Date,다음 접촉 날짜
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,열기 수량
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,변경 금액에 대한 계정을 입력하세요
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,열기 수량
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,변경 금액에 대한 계정을 입력하세요
DocType: Student Batch Name,Student Batch Name,학생 배치 이름
DocType: Holiday List,Holiday List Name,휴일 목록 이름
DocType: Repayment Schedule,Balance Loan Amount,잔액 대출 금액
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,일정 코스
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,재고 옵션
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,재고 옵션
DocType: Journal Entry Account,Expense Claim,비용 청구
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,당신은 정말이 폐기 자산을 복원 하시겠습니까?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},대한 수량 {0}
@@ -1086,12 +1092,12 @@
DocType: Company,Default Terms,기본 약관
DocType: Packing Slip Item,Packing Slip Item,패킹 슬립 상품
DocType: Purchase Invoice,Cash/Bank Account,현금 / 은행 계좌
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},지정하여 주시기 바랍니다 {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},지정하여 주시기 바랍니다 {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,양 또는 값의 변화없이 제거 항목.
DocType: Delivery Note,Delivery To,에 배달
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,속성 테이블은 필수입니다
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,속성 테이블은 필수입니다
DocType: Production Planning Tool,Get Sales Orders,판매 주문을 받아보세요
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} 음수가 될 수 없습니다
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} 음수가 될 수 없습니다
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,할인
DocType: Asset,Total Number of Depreciations,감가 상각의 총 수
DocType: Sales Invoice Item,Rate With Margin,이익률
@@ -1112,7 +1118,6 @@
DocType: Serial No,Creation Document No,작성 문서 없음
DocType: Issue,Issue,이슈
DocType: Asset,Scrapped,폐기
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,계정은 회사와 일치하지 않습니다
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","항목 변형의 속성. 예를 들어, 크기, 색상 등"
DocType: Purchase Invoice,Returns,보고
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP 창고
@@ -1124,12 +1129,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,항목 버튼 '구매 영수증에서 항목 가져 오기'를 사용하여 추가해야합니다
DocType: Employee,A-,에이-
DocType: Production Planning Tool,Include non-stock items,재고 항목을 포함
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,영업 비용
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,영업 비용
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,표준 구매
DocType: GL Entry,Against,에 대하여
DocType: Item,Default Selling Cost Center,기본 판매 비용 센터
DocType: Sales Partner,Implementation Partner,구현 파트너
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,우편 번호
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,우편 번호
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},판매 주문 {0}를 {1}
DocType: Opportunity,Contact Info,연락처 정보
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,재고 항목 만들기
@@ -1142,33 +1147,33 @@
DocType: Holiday List,Get Weekly Off Dates,날짜 매주 하차
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,종료 날짜는 시작 날짜보다 작을 수 없습니다
DocType: Sales Person,Select company name first.,첫 번째 회사 이름을 선택합니다.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,박사
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,인용문은 공급 업체에서 받았다.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},에 {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,평균 연령
DocType: School Settings,Attendance Freeze Date,출석 정지 날짜
DocType: School Settings,Attendance Freeze Date,출석 정지 날짜
DocType: Opportunity,Your sales person who will contact the customer in future,미래의 고객에게 연락 할 것이다 판매 사람
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,공급 업체의 몇 가지를 나열합니다.그들은 조직 또는 개인이 될 수 있습니다.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,공급 업체의 몇 가지를 나열합니다.그들은 조직 또는 개인이 될 수 있습니다.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,모든 제품보기
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),최소 납기 (일)
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),최소 납기 (일)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,모든 BOM을
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,모든 BOM을
DocType: Company,Default Currency,기본 통화
DocType: Expense Claim,From Employee,직원에서
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,경고 : 시스템이 {0} {1} 제로의 항목에 대한 금액 때문에 과다 청구를 확인하지 않습니다
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,경고 : 시스템이 {0} {1} 제로의 항목에 대한 금액 때문에 과다 청구를 확인하지 않습니다
DocType: Journal Entry,Make Difference Entry,차액 항목을 만듭니다
DocType: Upload Attendance,Attendance From Date,날짜부터 출석
DocType: Appraisal Template Goal,Key Performance Area,핵심 성과 지역
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,교통비
+DocType: Program Enrollment,Transportation,교통비
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,잘못된 속성
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} 제출해야합니다
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} 제출해야합니다
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},수량보다 작거나 같아야합니다 {0}
DocType: SMS Center,Total Characters,전체 문자
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},상품에 대한 BOM 필드에서 BOM을 선택하세요 {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},상품에 대한 BOM 필드에서 BOM을 선택하세요 {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-양식 송장 세부 정보
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,결제 조정 송장
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,공헌 %
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","구매 주문이 필요한 경우 구매 설정에 따라 == '예', 구매 송장 작성시 사용자가 {0} 항목에 대해 먼저 구매 주문서를 작성해야합니다."
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,당신의 참고를위한 회사의 등록 번호.세금 번호 등
DocType: Sales Partner,Distributor,분배 자
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,쇼핑 카트 배송 규칙
@@ -1177,23 +1182,25 @@
,Ordered Items To Be Billed,청구 항목을 주문한
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,범위이어야한다보다는에게 범위
DocType: Global Defaults,Global Defaults,글로벌 기본값
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,프로젝트 협력 초대
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,프로젝트 협력 초대
DocType: Salary Slip,Deductions,공제
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,시작 년도
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},GSTIN의 처음 2 자리 숫자는 주 번호 {0}과 일치해야합니다.
DocType: Purchase Invoice,Start date of current invoice's period,현재 송장의 기간의 시작 날짜
DocType: Salary Slip,Leave Without Pay,지불하지 않고 종료
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,용량 계획 오류
,Trial Balance for Party,파티를위한 시산표
DocType: Lead,Consultant,컨설턴트
DocType: Salary Slip,Earnings,당기순이익
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,완료 항목 {0} 제조 유형 항목을 입력해야합니다
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,완료 항목 {0} 제조 유형 항목을 입력해야합니다
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,개시 잔고
+,GST Sales Register,GST 영업 등록
DocType: Sales Invoice Advance,Sales Invoice Advance,선행 견적서
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,요청하지 마
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},또 다른 예산 기록은 '{0}'이 (가) 이미 존재에 대해 {1} '{2}'회계 연도 {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date','시작 날짜가' '종료 날짜 '보다 클 수 없습니다
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,관리
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,관리
DocType: Cheque Print Template,Payer Settings,지불 설정
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","이 변형의 상품 코드에 추가됩니다.귀하의 약어는 ""SM""이며, 예를 들어, 아이템 코드는 ""T-SHIRT"", ""T-SHIRT-SM""입니다 변형의 항목 코드"
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,당신이 급여 슬립을 저장하면 (즉) 순 유료가 표시됩니다.
@@ -1210,8 +1217,8 @@
DocType: Employee Loan,Partially Disbursed,부분적으로 지급
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,공급 업체 데이터베이스.
DocType: Account,Balance Sheet,대차 대조표
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ','상품 코드와 항목에 대한 센터 비용
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",지불 방식은 구성되어 있지 않습니다. 계정 결제의 모드 또는 POS 프로필에 설정되어 있는지 확인하십시오.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ','상품 코드와 항목에 대한 센터 비용
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",지불 방식은 구성되어 있지 않습니다. 계정 결제의 모드 또는 POS 프로필에 설정되어 있는지 확인하십시오.
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,귀하의 영업 사원은 고객에게 연락이 날짜에 알림을 얻을 것이다
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,동일 상품을 여러 번 입력 할 수 없습니다.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","또한 계정의 그룹에서 제조 될 수 있지만, 항목은 비 - 그룹에 대해 만들어 질 수있다"
@@ -1219,7 +1226,7 @@
DocType: Email Digest,Payables,채무
DocType: Course,Course Intro,코스 소개
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,재고 입력 {0} 완료
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,행 번호 {0} : 수량은 구매 대가로 입력 할 수 없습니다 거부
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,행 번호 {0} : 수량은 구매 대가로 입력 할 수 없습니다 거부
,Purchase Order Items To Be Billed,청구 할 수 구매 주문 아이템
DocType: Purchase Invoice Item,Net Rate,인터넷 속도
DocType: Purchase Invoice Item,Purchase Invoice Item,구매 송장 항목
@@ -1246,7 +1253,7 @@
DocType: Sales Order,SO-,그래서-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,첫 번째 접두사를 선택하세요
DocType: Employee,O-,영형-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,연구
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,연구
DocType: Maintenance Visit Purpose,Work Done,작업 완료
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,속성 테이블에서 하나 이상의 속성을 지정하십시오
DocType: Announcement,All Students,모든 학생
@@ -1254,17 +1261,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,보기 원장
DocType: Grading Scale,Intervals,간격
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,처음
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group",항목 그룹이 동일한 이름을 가진 항목의 이름을 변경하거나 항목 그룹의 이름을 바꾸십시오
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,학생 휴대 전화 번호
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,세계의 나머지
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group",항목 그룹이 동일한 이름을 가진 항목의 이름을 변경하거나 항목 그룹의 이름을 바꾸십시오
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,학생 휴대 전화 번호
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,세계의 나머지
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,항목 {0} 배치를 가질 수 없습니다
,Budget Variance Report,예산 차이 보고서
DocType: Salary Slip,Gross Pay,총 지불
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,행 {0} : 활동 유형은 필수입니다.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,배당금 지급
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,배당금 지급
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,회계 원장
DocType: Stock Reconciliation,Difference Amount,차이 금액
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,이익 잉여금
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,이익 잉여금
DocType: Vehicle Log,Service Detail,서비스 세부 정보
DocType: BOM,Item Description,항목 설명
DocType: Student Sibling,Student Sibling,학생 형제
@@ -1279,11 +1286,11 @@
DocType: Opportunity Item,Opportunity Item,기회 상품
,Student and Guardian Contact Details,학생 및 보호자 연락처 세부 사항
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,행 {0} : 공급 업체 {0} 이메일 주소는 이메일을 보낼 필요
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,임시 열기
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,임시 열기
,Employee Leave Balance,직원 허가 밸런스
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},{0} 계정 잔고는 항상 {1} 이어야합니다
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},행 항목에 필요한 평가 비율 {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,예 : 컴퓨터 과학 석사
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,예 : 컴퓨터 과학 석사
DocType: Purchase Invoice,Rejected Warehouse,거부 창고
DocType: GL Entry,Against Voucher,바우처에 대한
DocType: Item,Default Buying Cost Center,기본 구매 비용 센터
@@ -1296,31 +1303,30 @@
DocType: Journal Entry,Get Outstanding Invoices,미결제 송장를 얻을
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,판매 주문 {0} 유효하지 않습니다
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,구매 주문은 당신이 계획하는 데 도움이 당신의 구입에 후속
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","죄송합니다, 회사는 병합 할 수 없습니다"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","죄송합니다, 회사는 병합 할 수 없습니다"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",자료 요청의 총 발행 / 전송 양 {0} {1} \ 항목에 대한 요청한 수량 {2}보다 클 수 없습니다 {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,작은
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,작은
DocType: Employee,Employee Number,직원 수
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},케이스 없음 (들)을 이미 사용.케이스 없음에서 시도 {0}
DocType: Project,% Completed,% 완료
,Invoiced Amount (Exculsive Tax),송장에 청구 된 금액 (Exculsive 세금)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,항목 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,계정 머리 {0} 생성
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,교육 이벤트
DocType: Item,Auto re-order,자동 재 주문
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,전체 달성
DocType: Employee,Place of Issue,문제의 장소
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,계약직
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,계약직
DocType: Email Digest,Add Quote,견적 추가
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},UOM에 필요한 UOM coversion 인자 : {0} 항목 {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,간접 비용
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM에 필요한 UOM coversion 인자 : {0} 항목 {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,간접 비용
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,행 {0} : 수량은 필수입니다
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,농업
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,싱크 마스터 데이터
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,귀하의 제품이나 서비스
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,싱크 마스터 데이터
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,귀하의 제품이나 서비스
DocType: Mode of Payment,Mode of Payment,결제 방식
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,웹 사이트의 이미지가 공개 파일 또는 웹 사이트 URL이어야합니다
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,웹 사이트의 이미지가 공개 파일 또는 웹 사이트 URL이어야합니다
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,이 루트 항목 그룹 및 편집 할 수 없습니다.
@@ -1329,7 +1335,7 @@
DocType: Warehouse,Warehouse Contact Info,창고 연락처 정보
DocType: Payment Entry,Write Off Difference Amount,차이 금액 오프 쓰기
DocType: Purchase Invoice,Recurring Type,경상 유형
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0} : 직원의 이메일을 찾을 수 없습니다, 따라서 보낸 이메일이 아닌"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0} : 직원의 이메일을 찾을 수 없습니다, 따라서 보낸 이메일이 아닌"
DocType: Item,Foreign Trade Details,대외 무역 세부 사항
DocType: Email Digest,Annual Income,연간 소득
DocType: Serial No,Serial No Details,일련 번호 세부 사항
@@ -1337,10 +1343,10 @@
DocType: Student Group Student,Group Roll Number,그룹 롤 번호
DocType: Student Group Student,Group Roll Number,그룹 롤 번호
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",{0} 만 신용 계정은 자동 이체 항목에 링크 할 수 있습니다 들어
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,모든 작업 가중치의 합계 1. 따라 모든 프로젝트 작업의 가중치를 조정하여주십시오해야한다
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,배송 참고 {0} 제출되지
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,{0} 항목 하위 계약 품목이어야합니다
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,자본 장비
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,모든 작업 가중치의 합계 1. 따라 모든 프로젝트 작업의 가중치를 조정하여주십시오해야한다
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,배송 참고 {0} 제출되지
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,{0} 항목 하위 계약 품목이어야합니다
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,자본 장비
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","가격 규칙은 첫 번째 항목, 항목 그룹 또는 브랜드가 될 수있는 필드 '에 적용'에 따라 선택됩니다."
DocType: Hub Settings,Seller Website,판매자 웹 사이트
DocType: Item,ITEM-,목-
@@ -1358,7 +1364,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","전용 ""값을""0 또는 빈 값을 발송하는 규칙 조건이있을 수 있습니다"
DocType: Authorization Rule,Transaction,거래
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,참고 :이 비용 센터가 그룹입니다.그룹에 대한 회계 항목을 만들 수 없습니다.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,아이웨어 하우스는이웨어 하우스에 대한 필요성이 존재한다. 이웨어 하우스를 삭제할 수 없습니다.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,아이웨어 하우스는이웨어 하우스에 대한 필요성이 존재한다. 이웨어 하우스를 삭제할 수 없습니다.
DocType: Item,Website Item Groups,웹 사이트 상품 그룹
DocType: Purchase Invoice,Total (Company Currency),총 (회사 통화)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,일련 번호 {0} 번 이상 입력
@@ -1368,7 +1374,7 @@
DocType: Grading Scale Interval,Grade Code,등급 코드
DocType: POS Item Group,POS Item Group,POS 항목 그룹
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,다이제스트 이메일 :
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} 아이템에 속하지 않는 {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} 아이템에 속하지 않는 {1}
DocType: Sales Partner,Target Distribution,대상 배포
DocType: Salary Slip,Bank Account No.,은행 계좌 번호
DocType: Naming Series,This is the number of the last created transaction with this prefix,이것은이 접두사를 마지막으로 생성 된 트랜잭션의 수입니다
@@ -1379,12 +1385,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,장부 자산 감가 상각 항목 자동 입력
DocType: BOM Operation,Workstation,워크스테이션
DocType: Request for Quotation Supplier,Request for Quotation Supplier,견적 공급 업체 요청
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,하드웨어
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,하드웨어
DocType: Sales Order,Recurring Upto,반복 개까지
DocType: Attendance,HR Manager,HR 관리자
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,회사를 선택하세요
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,권한 허가
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,회사를 선택하세요
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,권한 허가
DocType: Purchase Invoice,Supplier Invoice Date,공급 업체 송장 날짜
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,당
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,당신은 쇼핑 카트를 활성화해야
DocType: Payment Entry,Writeoff,청구 취소
DocType: Appraisal Template Goal,Appraisal Template Goal,평가 템플릿 목표
@@ -1395,10 +1402,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,사이에있는 중복 조건 :
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,저널에 대하여 항목은 {0}이 (가) 이미 다른 쿠폰에 대해 조정
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,총 주문액
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,음식
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,음식
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,고령화 범위 3
DocType: Maintenance Schedule Item,No of Visits,방문 없음
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,마크 출석율
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,마크 출석율
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},{1}에 대한 유지 관리 일정 {0}이 (가) 있습니다.
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,등록 학생
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},닫기 계정의 통화가 있어야합니다 {0}
@@ -1412,6 +1419,7 @@
DocType: Rename Tool,Utilities,"공공요금(전기세, 상/하 수도세, 가스세, 쓰레기세 등)"
DocType: Purchase Invoice Item,Accounting,회계
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,배치 항목에 대한 배치를 선택하십시오.
DocType: Asset,Depreciation Schedules,감가 상각 스케줄
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,신청 기간은 외부 휴가 할당 기간이 될 수 없습니다
DocType: Activity Cost,Projects,프로젝트
@@ -1425,6 +1433,7 @@
DocType: POS Profile,Campaign,캠페인
DocType: Supplier,Name and Type,이름 및 유형
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',승인 상태가 '승인'또는 '거부'해야
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,부트 스트랩
DocType: Purchase Invoice,Contact Person,담당자
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','예상 시작 날짜'는'예상 종료 날짜 ' 이전이어야 합니다.
DocType: Course Scheduling Tool,Course End Date,코스 종료 날짜
@@ -1432,12 +1441,11 @@
DocType: Sales Order Item,Planned Quantity,계획 수량
DocType: Purchase Invoice Item,Item Tax Amount,항목 세액
DocType: Item,Maintain Stock,재고 유지
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,이미 생산 오더에 대 한 만든 항목
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,이미 생산 오더에 대 한 만든 항목
DocType: Employee,Prefered Email,선호하는 이메일
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,고정 자산의 순 변화
DocType: Leave Control Panel,Leave blank if considered for all designations,모든 지정을 고려하는 경우 비워 둡니다
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,창고 형 주식 아닌 그룹 계정에 대한 필수입니다
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,유형 행 {0}에있는 '실제'의 책임은 상품 요금에 포함 할 수 없습니다
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,유형 행 {0}에있는 '실제'의 책임은 상품 요금에 포함 할 수 없습니다
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},최대 : {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,날짜 시간에서
DocType: Email Digest,For Company,회사
@@ -1447,15 +1455,15 @@
DocType: Sales Invoice,Shipping Address Name,배송 주소 이름
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,계정 차트
DocType: Material Request,Terms and Conditions Content,약관 내용
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,100보다 큰 수 없습니다
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,{0} 항목을 재고 항목이 없습니다
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,100보다 큰 수 없습니다
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,{0} 항목을 재고 항목이 없습니다
DocType: Maintenance Visit,Unscheduled,예약되지 않은
DocType: Employee,Owned,소유
DocType: Salary Detail,Depends on Leave Without Pay,무급 휴가에 따라 다름
DocType: Pricing Rule,"Higher the number, higher the priority",숫자가 클수록 더 높은 우선 순위
,Purchase Invoice Trends,송장 동향을 구입
DocType: Employee,Better Prospects,더 나은 전망
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",행 # {0} : 배치 {1}에는 {2} 개의 수량 만 있습니다. {3} 수량이있는 다른 배치를 선택하거나 행을 여러 행으로 분할하여 여러 배치에서 전달 / 발행하십시오.
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",행 # {0} : 배치 {1}에는 {2} 개의 수량 만 있습니다. {3} 수량이있는 다른 배치를 선택하거나 행을 여러 행으로 분할하여 여러 배치에서 전달 / 발행하십시오.
DocType: Vehicle,License Plate,차량 번호판
DocType: Appraisal,Goals,목표
DocType: Warranty Claim,Warranty / AMC Status,보증 / AMC 상태
@@ -1466,7 +1474,8 @@
,Batch-Wise Balance History,배치 식 밸런스 역사
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,인쇄 설정은 각각의 인쇄 형식 업데이트
DocType: Package Code,Package Code,패키지 코드
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,도제
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,도제
+DocType: Purchase Invoice,Company GSTIN,회사 GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,음의 수량은 허용되지 않습니다
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","문자열로 품목 마스터에서 가져온이 분야에 저장 세금 세부 테이블.
@@ -1474,12 +1483,12 @@
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,직원은 자신에게보고 할 수 없습니다.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","계정이 동결 된 경우, 항목은 제한된 사용자에게 허용됩니다."
DocType: Email Digest,Bank Balance,은행 잔액
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},{1} 만 통화 할 수있다 : {0}에 대한 회계 항목 {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},{1} 만 통화 할 수있다 : {0}에 대한 회계 항목 {2}
DocType: Job Opening,"Job profile, qualifications required etc.","필요한 작업 프로필, 자격 등"
DocType: Journal Entry Account,Account Balance,계정 잔액
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,거래에 대한 세금 규칙.
DocType: Rename Tool,Type of document to rename.,이름을 바꿀 문서의 종류.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,우리는이 품목을 구매
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,우리는이 품목을 구매
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1} : 고객은 채권 계정에 필요한 {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),총 세금 및 요금 (회사 통화)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,닫히지 않은 회계 연도의 P & L 잔액을보기
@@ -1490,29 +1499,30 @@
DocType: Stock Entry,Total Additional Costs,총 추가 비용
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),스크랩 자재 비용 (기업 통화)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,서브 어셈블리
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,서브 어셈블리
DocType: Asset,Asset Name,자산 이름
DocType: Project,Task Weight,작업 무게
DocType: Shipping Rule Condition,To Value,값
DocType: Asset Movement,Stock Manager,재고 관리자
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},소스웨어 하우스는 행에 대해 필수입니다 {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,포장 명세서
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,사무실 임대
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},소스웨어 하우스는 행에 대해 필수입니다 {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,포장 명세서
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,사무실 임대
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,설치 SMS 게이트웨이 설정
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,가져 오기 실패!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,어떤 주소는 아직 추가되지 않습니다.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,어떤 주소는 아직 추가되지 않습니다.
DocType: Workstation Working Hour,Workstation Working Hour,워크 스테이션 작업 시간
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,분석자
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,분석자
DocType: Item,Inventory,재고
DocType: Item,Sales Details,판매 세부 사항
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,항목
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,수량에
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,수량에
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,학생 그룹의 학생들을위한 등록 된 과정 확인
DocType: Notification Control,Expense Claim Rejected,비용 청구는 거부
DocType: Item,Item Attribute,항목 속성
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,통치 체제
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,통치 체제
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,경비 청구서 {0} 이미 차량 로그인 존재
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,연구소 이름
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,연구소 이름
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,상환 금액을 입력하세요
apps/erpnext/erpnext/config/stock.py +300,Item Variants,항목 변형
DocType: Company,Services,Services (서비스)
@@ -1522,18 +1532,18 @@
DocType: Sales Invoice,Source,소스
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,쇼 폐쇄
DocType: Leave Type,Is Leave Without Pay,지불하지 않고 남겨주세요
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,자산의 종류는 고정 자산 항목에 대해 필수입니다
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,자산의 종류는 고정 자산 항목에 대해 필수입니다
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,지불 테이블에있는 레코드 없음
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},이 {0} 충돌 {1}의 {2} {3}
DocType: Student Attendance Tool,Students HTML,학생들 HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,회계 연도의 시작 날짜
DocType: POS Profile,Apply Discount,할인 적용
+DocType: Purchase Invoice Item,GST HSN Code,GST HSN 코드
DocType: Employee External Work History,Total Experience,총 체험
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,오픈 프로젝트
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,포장 명세서 (들) 취소
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,투자의 현금 흐름
DocType: Program Course,Program Course,프로그램 과정
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,화물 운송 및 포워딩 요금
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,화물 운송 및 포워딩 요금
DocType: Homepage,Company Tagline for website homepage,웹 사이트 홈페이지에 대한 회사의 태그 라인
DocType: Item Group,Item Group Name,항목 그룹 이름
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,촬영
@@ -1543,6 +1553,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,리드 만들기
DocType: Maintenance Schedule,Schedules,일정
DocType: Purchase Invoice Item,Net Amount,순액
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1}이 (가) 제출되지 않았으므로 조치를 완료 할 수 없습니다.
DocType: Purchase Order Item Supplied,BOM Detail No,BOM 세부 사항 없음
DocType: Landed Cost Voucher,Additional Charges,추가 요금
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),추가 할인 금액 (회사 통화)
@@ -1558,6 +1569,7 @@
DocType: Employee Loan,Monthly Repayment Amount,월별 상환 금액
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,직원 역할을 설정하는 직원 레코드에 사용자 ID 필드를 설정하십시오
DocType: UOM,UOM Name,UOM 이름
+DocType: GST HSN Code,HSN Code,HSN 코드
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,기부액
DocType: Purchase Invoice,Shipping Address,배송 주소
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,이 도구를 업데이트하거나 시스템에 재고의 수량 및 평가를 해결하는 데 도움이됩니다.이것은 전형적으로 시스템 값 것과 실제로 존재 창고를 동기화하는 데 사용된다.
@@ -1568,18 +1580,17 @@
DocType: Program Enrollment Tool,Program Enrollments,프로그램 등록 계약
DocType: Sales Invoice Item,Brand Name,브랜드 명
DocType: Purchase Receipt,Transporter Details,수송기 상세
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,기본 창고가 선택한 항목에 대한 필요
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,상자
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,기본 창고가 선택한 항목에 대한 필요
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,상자
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,가능한 공급 업체
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,조직
DocType: Budget,Monthly Distribution,예산 월간 배분
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,수신기 목록이 비어 있습니다.수신기 목록을 만드십시오
DocType: Production Plan Sales Order,Production Plan Sales Order,생산 계획 판매 주문
DocType: Sales Partner,Sales Partner Target,영업 파트너 대상
DocType: Loan Type,Maximum Loan Amount,최대 대출 금액
DocType: Pricing Rule,Pricing Rule,가격 규칙
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},학생 {0}의 중복 롤 번호
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},학생 {0}의 중복 롤 번호
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},학생 {0}의 중복 롤 번호
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},학생 {0}의 중복 롤 번호
DocType: Budget,Action if Annual Budget Exceeded,액션 연간 예산 초과하는 경우
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,주문을 (를) 구매하려면 자료 요청
DocType: Shopping Cart Settings,Payment Success URL,지불 성공 URL
@@ -1592,11 +1603,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,열기 주식 대차
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} 한 번만 표시합니다
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},더 tranfer 할 수 없습니다 {0}보다 {1} 구매 주문에 대한 {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},더 tranfer 할 수 없습니다 {0}보다 {1} 구매 주문에 대한 {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},잎에 성공적으로 할당 된 {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,포장하는 항목이 없습니다
DocType: Shipping Rule Condition,From Value,값에서
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,제조 수량이 필수입니다
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,제조 수량이 필수입니다
DocType: Employee Loan,Repayment Method,상환 방법
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",선택하면 홈 페이지는 웹 사이트에 대한 기본 항목 그룹이 될 것입니다
DocType: Quality Inspection Reading,Reading 4,4 읽기
@@ -1606,7 +1617,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},행 # {0} : 정리 날짜는 {1} 수표 날짜 전에 할 수 없습니다 {2}
DocType: Company,Default Holiday List,휴일 목록 기본
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},행 {0}의 시간과 시간에서 {1}과 중첩된다 {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,재고 부채
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,재고 부채
DocType: Purchase Invoice,Supplier Warehouse,공급 업체 창고
DocType: Opportunity,Contact Mobile No,연락처 모바일 없음
,Material Requests for which Supplier Quotations are not created,공급 업체의 견적이 생성되지 않는 자재 요청
@@ -1617,35 +1628,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,견적 확인
apps/erpnext/erpnext/config/selling.py +216,Other Reports,기타 보고서
DocType: Dependent Task,Dependent Task,종속 작업
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},측정의 기본 단위에 대한 변환 계수는 행에 반드시 1이 {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},측정의 기본 단위에 대한 변환 계수는 행에 반드시 1이 {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},유형의 휴가는 {0}을 넘을 수 없습니다 {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,사전에 X 일에 대한 작업을 계획 해보십시오.
DocType: HR Settings,Stop Birthday Reminders,정지 생일 알림
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},회사에서 기본 급여 채무 계정을 설정하십시오 {0}
DocType: SMS Center,Receiver List,수신기 목록
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,검색 항목
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,검색 항목
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,소비 금액
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,현금의 순 변화
DocType: Assessment Plan,Grading Scale,등급 규모
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,측정 단위는 {0}보다 변환 계수 표에 두 번 이상 입력 한
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,측정 단위는 {0}보다 변환 계수 표에 두 번 이상 입력 한
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,이미 완료
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,손에 주식
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},지불 요청이 이미 존재 {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,발행 항목의 비용
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},수량 이하이어야한다 {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,이전 회계 연도가 종료되지 않습니다
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),나이 (일)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),나이 (일)
DocType: Quotation Item,Quotation Item,견적 상품
+DocType: Customer,Customer POS Id,고객 POS ID
DocType: Account,Account Name,계정 이름
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,날짜에서 날짜보다 클 수 없습니다
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,일련 번호 {0} 수량 {1} 일부가 될 수 없습니다
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,공급 유형 마스터.
DocType: Purchase Order Item,Supplier Part Number,공급 업체 부품 번호
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,변환 속도는 0 또는 1이 될 수 없습니다
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,변환 속도는 0 또는 1이 될 수 없습니다
DocType: Sales Invoice,Reference Document,참조 문헌
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} 취소 또는 정지되었습니다.
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} 취소 또는 정지되었습니다.
DocType: Accounts Settings,Credit Controller,신용 컨트롤러
DocType: Delivery Note,Vehicle Dispatch Date,차량 파견 날짜
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,구입 영수증 {0} 제출되지
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,구입 영수증 {0} 제출되지
DocType: Company,Default Payable Account,기본 지불 계정
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","이러한 운송 규칙, 가격 목록 등 온라인 쇼핑 카트에 대한 설정"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0} % 청구
@@ -1664,11 +1677,12 @@
DocType: Expense Claim,Total Amount Reimbursed,총 금액 상환
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,이이 차량에 대한 로그를 기반으로합니다. 자세한 내용은 아래 일정을 참조하십시오
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,수집
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},공급 업체 청구서를 {0} 일자 {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},공급 업체 청구서를 {0} 일자 {1}
DocType: Customer,Default Price List,기본 가격리스트
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,자산 이동 기록 {0} 작성
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,당신은 삭제할 수 없습니다 회계 연도 {0}. 회계 연도 {0} 전역 설정에서 기본값으로 설정
DocType: Journal Entry,Entry Type,항목 유형
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,이 평가 그룹과 연결된 평가 계획이 없습니다.
,Customer Credit Balance,고객 신용 잔액
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,외상 매입금의 순 변화
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount','Customerwise 할인'을 위해 필요한 고객
@@ -1677,7 +1691,7 @@
DocType: Quotation,Term Details,용어의 자세한 사항
DocType: Project,Total Sales Cost (via Sales Order),총 판매 비용 (판매 주문을 통한)
DocType: Project,Total Sales Cost (via Sales Order),총 판매 비용 (판매 주문을 통한)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,이 학생 그룹에 대한 {0} 학생 이상 등록 할 수 없습니다.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,이 학생 그룹에 대한 {0} 학생 이상 등록 할 수 없습니다.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,리드 카운트
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,리드 카운트
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} 0보다 커야합니다
@@ -1700,7 +1714,7 @@
DocType: Sales Invoice,Packed Items,포장 항목
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,일련 번호에 대한 보증 청구
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","그것을 사용하는 다른 모든 BOM을의 특정 BOM을 교체합니다.또한, 기존의 BOM 링크를 교체 비용을 업데이트하고 새로운 BOM에 따라 ""BOM 폭발 항목""테이블을 다시 생성"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','합계'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','합계'
DocType: Shopping Cart Settings,Enable Shopping Cart,장바구니 사용
DocType: Employee,Permanent Address,영구 주소
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1716,9 +1730,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,수량이나 평가 비율 또는 둘 중 하나를 지정하십시오
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,이행
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,쇼핑 카트에보기
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,마케팅 비용
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,마케팅 비용
,Item Shortage Report,매물 부족 보고서
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","무게도 ""무게 UOM""를 언급 해주십시오 \n, 언급"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","무게도 ""무게 UOM""를 언급 해주십시오 \n, 언급"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,자료 요청이 재고 항목을 확인하는 데 사용
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,다음 감가 상각 날짜는 새로운 자산에 대한 필수입니다
DocType: Student Group Creation Tool,Separate course based Group for every Batch,모든 일괄 처리를위한 별도의 과정 기반 그룹
@@ -1728,17 +1742,18 @@
,Student Fee Collection,학생 요금 컬렉션
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,모든 재고 이동을위한 회계 항목을 만듭니다
DocType: Leave Allocation,Total Leaves Allocated,할당 된 전체 잎
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},행 없음에 필요한 창고 {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,유효한 회계 연도 시작 및 종료 날짜를 입력하십시오
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},행 없음에 필요한 창고 {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,유효한 회계 연도 시작 및 종료 날짜를 입력하십시오
DocType: Employee,Date Of Retirement,은퇴 날짜
DocType: Upload Attendance,Get Template,양식 구하기
+DocType: Material Request,Transferred,이전 됨
DocType: Vehicle,Doors,문
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext 설치가 완료!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext 설치가 완료!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,추신-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1} : 코스트 센터가 '손익'계정이 필요합니다 {2}. 회사의 기본 비용 센터를 설치하시기 바랍니다.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,고객 그룹이 동일한 이름으로 존재하는 것은 고객의 이름을 변경하거나 고객 그룹의 이름을 바꾸십시오
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,새 연락처
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,고객 그룹이 동일한 이름으로 존재하는 것은 고객의 이름을 변경하거나 고객 그룹의 이름을 바꾸십시오
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,새 연락처
DocType: Territory,Parent Territory,상위 지역
DocType: Quality Inspection Reading,Reading 2,2 읽기
DocType: Stock Entry,Material Receipt,소재 영수증
@@ -1747,17 +1762,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","이 항목이 변형을 갖는다면, 이는 판매 주문 등을 선택할 수 없다"
DocType: Lead,Next Contact By,다음 접촉
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},상품에 필요한 수량 {0} 행에서 {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},수량이 항목에 대한 존재하는 창고 {0} 삭제할 수 없습니다 {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},상품에 필요한 수량 {0} 행에서 {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},수량이 항목에 대한 존재하는 창고 {0} 삭제할 수 없습니다 {1}
DocType: Quotation,Order Type,주문 유형
DocType: Purchase Invoice,Notification Email Address,알림 전자 메일 주소
,Item-wise Sales Register,상품이 많다는 판매 등록
DocType: Asset,Gross Purchase Amount,총 구매 금액
DocType: Asset,Depreciation Method,감가 상각 방법
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,오프라인
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,오프라인
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,이 세금은 기본 요금에 포함되어 있습니까?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,총 대상
-DocType: Program Course,Required,필수
DocType: Job Applicant,Applicant for a Job,작업에 대한 신청자
DocType: Production Plan Material Request,Production Plan Material Request,생산 계획 자료 요청
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,생성 된 NO 생성 주문하지
@@ -1767,17 +1781,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,고객의 구매 주문에 대해 여러 판매 주문 허용
DocType: Student Group Instructor,Student Group Instructor,학생 그룹 강사
DocType: Student Group Instructor,Student Group Instructor,학생 그룹 강사
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 모바일 없음
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,주요 기능
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 모바일 없음
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,주요 기능
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,변체
DocType: Naming Series,Set prefix for numbering series on your transactions,트랜잭션에 일련 번호에 대한 설정 접두사
DocType: Employee Attendance Tool,Employees HTML,직원 HTML을
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,기본 BOM은 ({0})이 항목 또는 템플릿에 대한 활성화되어 있어야합니다
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,기본 BOM은 ({0})이 항목 또는 템플릿에 대한 활성화되어 있어야합니다
DocType: Employee,Leave Encashed?,Encashed 남겨?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,필드에서 기회는 필수입니다
DocType: Email Digest,Annual Expenses,연간 비용
DocType: Item,Variants,변종
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,확인 구매 주문
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,확인 구매 주문
DocType: SMS Center,Send To,보내기
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},허가 유형에 대한 충분한 휴가 밸런스가 없습니다 {0}
DocType: Payment Reconciliation Payment,Allocated amount,할당 된 양
@@ -1793,26 +1807,25 @@
DocType: Item,Serial Nos and Batches,일련 번호 및 배치
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,학생 그룹의 힘
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,학생 그룹의 힘
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,저널에 대하여 항목 {0} 어떤 타의 추종을 불허 {1} 항목이없는
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,저널에 대하여 항목 {0} 어떤 타의 추종을 불허 {1} 항목이없는
apps/erpnext/erpnext/config/hr.py +137,Appraisals,감정
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},중복 된 일련 번호는 항목에 대해 입력 {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,배송 규칙의 조건
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,들어 오세요
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",행의 항목 {0}에 대한 overbill 수 없습니다 {1}보다 {2}. 과다 청구를 허용하려면 설정을 구매에서 설정하시기 바랍니다
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,상품 또는웨어 하우스를 기반으로 필터를 설정하십시오
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",행의 항목 {0}에 대한 overbill 수 없습니다 {1}보다 {2}. 과다 청구를 허용하려면 설정을 구매에서 설정하시기 바랍니다
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,상품 또는웨어 하우스를 기반으로 필터를 설정하십시오
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),이 패키지의 순 중량. (항목의 순 중량의 합으로 자동으로 계산)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,이 창고에 대한 계정을 생성하고 연결하십시오. 이 {0} 이미 존재하는 이름을 가진 계정으로 자동으로 수행 할 수 없습니다
DocType: Sales Order,To Deliver and Bill,제공 및 법안
DocType: Student Group,Instructors,강사
DocType: GL Entry,Credit Amount in Account Currency,계정 통화 신용의 양
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM은 {0} 제출해야합니다
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM은 {0} 제출해야합니다
DocType: Authorization Control,Authorization Control,권한 제어
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},행 번호 {0} : 창고 거부 거부 항목에 대해 필수입니다 {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},행 번호 {0} : 창고 거부 거부 항목에 대해 필수입니다 {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,지불
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.",창고 {0}이 (가) 어떤 계정에도 연결되어 있지 않습니다. 창고 기록에서 계정을 언급하거나 {1} 회사에서 기본 인벤토리 계정을 설정하십시오.
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,주문 관리
DocType: Production Order Operation,Actual Time and Cost,실제 시간과 비용
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},최대의 자료 요청은 {0} 항목에 대한 {1}에 대해 수행 할 수있는 판매 주문 {2}
-DocType: Employee,Salutation,인사말
DocType: Course,Course Abbreviation,코스 약어
DocType: Student Leave Application,Student Leave Application,학생 휴가 신청
DocType: Item,Will also apply for variants,또한 변형 적용됩니다
@@ -1824,12 +1837,12 @@
DocType: Quotation Item,Actual Qty,실제 수량
DocType: Sales Invoice Item,References,참조
DocType: Quality Inspection Reading,Reading 10,10 읽기
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","귀하의 제품이나 제품을 구매하거나 판매하는 서비스를 나열합니다.당신이 시작할 때 항목 그룹, 측정 및 기타 속성의 단위를 확인해야합니다."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","귀하의 제품이나 제품을 구매하거나 판매하는 서비스를 나열합니다.당신이 시작할 때 항목 그룹, 측정 및 기타 속성의 단위를 확인해야합니다."
DocType: Hub Settings,Hub Node,허브 노드
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,중복 항목을 입력했습니다.조정하고 다시 시도하십시오.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,준
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,준
DocType: Asset Movement,Asset Movement,자산 이동
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,새로운 장바구니
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,새로운 장바구니
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,{0} 항목을 직렬화 된 상품이 없습니다
DocType: SMS Center,Create Receiver List,수신기 목록 만들기
DocType: Vehicle,Wheels,휠
@@ -1849,19 +1862,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"충전 타입 또는 '이전 행 전체', '이전 행의 양에'인 경우에만 행을 참조 할 수 있습니다"
DocType: Sales Order Item,Delivery Warehouse,배송 창고
DocType: SMS Settings,Message Parameter,메시지 매개 변수
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,금융 코스트 센터의 나무.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,금융 코스트 센터의 나무.
DocType: Serial No,Delivery Document No,납품 문서 없음
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},회사의 '자산 처분 이익 / 손실 계정'으로 설정하십시오 {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,구매 영수증에서 항목 가져 오기
DocType: Serial No,Creation Date,만든 날짜
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},{0} 항목을 가격 목록에 여러 번 나타납니다 {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","해당 법령에가로 선택된 경우 판매, 확인해야합니다 {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","해당 법령에가로 선택된 경우 판매, 확인해야합니다 {0}"
DocType: Production Plan Material Request,Material Request Date,자료 요청 날짜
DocType: Purchase Order Item,Supplier Quotation Item,공급 업체의 견적 상품
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,생산 오더에 대한 시간 로그의 생성을 사용하지 않습니다. 작업은 생산 오더에 대해 추적 할 수 없다
DocType: Student,Student Mobile Number,학생 휴대 전화 번호
DocType: Item,Has Variants,변형을 가지고
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},이미에서 항목을 선택한 {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},이미에서 항목을 선택한 {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,월별 분포의 이름
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,일괄 ID는 필수 항목입니다.
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,일괄 ID는 필수 항목입니다.
@@ -1872,12 +1885,12 @@
DocType: Budget,Fiscal Year,회계 연도
DocType: Vehicle Log,Fuel Price,연료 가격
DocType: Budget,Budget,예산
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,고정 자산 항목은 재고 항목 있어야합니다.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,고정 자산 항목은 재고 항목 있어야합니다.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",이 수입 또는 비용 계정이 아니다으로 예산이에 대해 {0}에 할당 할 수 없습니다
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,달성
DocType: Student Admission,Application Form Route,신청서 경로
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,지역 / 고객
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,예) 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,예) 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,그것은 지불하지 않고 종료되기 때문에 유형 {0}를 할당 할 수 없습니다 남겨주세요
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},행 {0} : 할당 된 양 {1} 미만 또는 잔액을 청구하기 위해 동일합니다 {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,당신이 판매 송장을 저장 한 단어에서 볼 수 있습니다.
@@ -1886,7 +1899,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,{0} 항목을 직렬 제의 체크 항목 마스터에 대한 설정이 없습니다
DocType: Maintenance Visit,Maintenance Time,유지 시간
,Amount to Deliver,금액 제공하는
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,제품 또는 서비스
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,제품 또는 서비스
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,계약 기간의 시작 날짜는 용어가 연결되는 학술 올해의 올해의 시작 날짜보다 이전이 될 수 없습니다 (학년 {}). 날짜를 수정하고 다시 시도하십시오.
DocType: Guardian,Guardian Interests,가디언 관심
DocType: Naming Series,Current Value,현재 값
@@ -1901,12 +1914,12 @@
에 차이는보다 크거나 같아야합니다 {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,이는 재고의 움직임을 기반으로합니다. 참조 {0} 자세한 내용은
DocType: Pricing Rule,Selling,판매
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},금액은 {0} {1}에 대해 공제 {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},금액은 {0} {1}에 대해 공제 {2}
DocType: Employee,Salary Information,급여정보
DocType: Sales Person,Name and Employee ID,이름 및 직원 ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,기한 날짜를 게시하기 전에 할 수 없습니다
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,기한 날짜를 게시하기 전에 할 수 없습니다
DocType: Website Item Group,Website Item Group,웹 사이트 상품 그룹
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,관세 및 세금
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,관세 및 세금
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,참고 날짜를 입력 해주세요
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} 지급 항목으로 필터링 할 수 없습니다 {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,웹 사이트에 표시됩니다 항목 표
@@ -1923,9 +1936,9 @@
DocType: Payment Reconciliation Payment,Reference Row,참고 행
DocType: Installation Note,Installation Time,설치 시간
DocType: Sales Invoice,Accounting Details,회계 세부 사항
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,이 회사의 모든 거래를 삭제
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,행 번호 {0} : 작업 {1} 생산에서 완제품 {2} 수량에 대한 완료되지 않은 주문 # {3}.시간 로그를 통해 동작 상태를 업데이트하세요
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,투자
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,이 회사의 모든 거래를 삭제
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,행 번호 {0} : 작업 {1} 생산에서 완제품 {2} 수량에 대한 완료되지 않은 주문 # {3}.시간 로그를 통해 동작 상태를 업데이트하세요
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,투자
DocType: Issue,Resolution Details,해상도 세부 사항
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,할당
DocType: Item Quality Inspection Parameter,Acceptance Criteria,허용 기준
@@ -1950,7 +1963,7 @@
DocType: Room,Room Name,객실 이름
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","휴가 밸런스 이미 캐리 전달 미래두고 할당 레코드되었습니다로서, {0} 전에 취소 / 적용될 수 없다 남겨 {1}"
DocType: Activity Cost,Costing Rate,원가 계산 속도
-,Customer Addresses And Contacts,고객 주소 및 연락처
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,고객 주소 및 연락처
,Campaign Efficiency,캠페인 효율성
,Campaign Efficiency,캠페인 효율성
DocType: Discussion,Discussion,토론
@@ -1962,14 +1975,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),총 결제 금액 (시간 시트를 통해)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,반복 고객 수익
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1})은 '지출 승인자'이어야 합니다.
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,페어링
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,생산을위한 BOM 및 수량 선택
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,페어링
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,생산을위한 BOM 및 수량 선택
DocType: Asset,Depreciation Schedule,감가 상각 일정
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,영업 파트너 주소 및 연락처
DocType: Bank Reconciliation Detail,Against Account,계정에 대하여
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,하프 데이 데이트 날짜부터 현재까지 사이에 있어야한다
DocType: Maintenance Schedule Detail,Actual Date,실제 날짜
DocType: Item,Has Batch No,일괄 없음에게 있습니다
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},연간 결제 : {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},연간 결제 : {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),재화 및 서비스 세금 (GST 인도)
DocType: Delivery Note,Excise Page Number,소비세의 페이지 번호
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory",회사는 날짜부터 현재까지는 필수입니다
DocType: Asset,Purchase Date,구입 날짜
@@ -1977,11 +1992,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},회사의 '자산 감가 상각 비용 센터'를 설정하십시오 {0}
,Maintenance Schedules,관리 스케줄
DocType: Task,Actual End Date (via Time Sheet),실제 종료 날짜 (시간 시트를 통해)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},양 {0} {1}에 대한 {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},양 {0} {1}에 대한 {2} {3}
,Quotation Trends,견적 동향
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},항목에 대한 항목을 마스터에 언급되지 않은 항목 그룹 {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,차변계정은 채권 계정이어야합니다
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},항목에 대한 항목을 마스터에 언급되지 않은 항목 그룹 {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,차변계정은 채권 계정이어야합니다
DocType: Shipping Rule Condition,Shipping Amount,배송 금액
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,고객 추가
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,대기중인 금액
DocType: Purchase Invoice Item,Conversion Factor,변환 계수
DocType: Purchase Order,Delivered,배달
@@ -1991,7 +2007,8 @@
DocType: Purchase Receipt,Vehicle Number,차량 번호
DocType: Purchase Invoice,The date on which recurring invoice will be stop,반복 송장이 중단 될 일자
DocType: Employee Loan,Loan Amount,대출금
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},행 {0} : 재료 명세서 (BOM) 항목 찾을 수 없습니다 {1}
+DocType: Program Enrollment,Self-Driving Vehicle,자가 운전 차량
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},행 {0} : 재료 명세서 (BOM) 항목 찾을 수 없습니다 {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,총 할당 된 잎 {0} 작을 수 없습니다 기간 동안 이미 승인 된 잎 {1}보다
DocType: Journal Entry,Accounts Receivable,미수금
,Supplier-Wise Sales Analytics,공급 업체별 판매 분석
@@ -2009,22 +2026,21 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,비용 청구가 승인 대기 중입니다.만 비용 승인자 상태를 업데이트 할 수 있습니다.
DocType: Email Digest,New Expenses,새로운 비용
DocType: Purchase Invoice,Additional Discount Amount,추가 할인 금액
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",행 번호 {0} 항목이 고정 자산이기 때문에 수량은 1이어야합니다. 여러 수량에 대해 별도의 행을 사용하십시오.
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",행 번호 {0} 항목이 고정 자산이기 때문에 수량은 1이어야합니다. 여러 수량에 대해 별도의 행을 사용하십시오.
DocType: Leave Block List Allow,Leave Block List Allow,차단 목록은 허용 남겨
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,약어는 비워둘수 없습니다
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,약어는 비워둘수 없습니다
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,비 그룹에 그룹
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,스포츠
DocType: Loan Type,Loan Name,대출 이름
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,실제 총
DocType: Student Siblings,Student Siblings,학생 형제 자매
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,단위
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,회사를 지정하십시오
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,단위
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,회사를 지정하십시오
,Customer Acquisition and Loyalty,고객 확보 및 충성도
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,당신이 거부 된 품목의 재고를 유지하고 창고
DocType: Production Order,Skip Material Transfer,자재 전송 건너 뛰기
DocType: Production Order,Skip Material Transfer,자재 전송 건너 뛰기
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,주요 날짜 {2}에 대해 {0}에서 {1}까지의 환율을 찾을 수 없습니다. 통화 기록을 수동으로 작성하십시오.
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,재무 년에 종료
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,주요 날짜 {2}에 대해 {0}에서 {1}까지의 환율을 찾을 수 없습니다. 통화 기록을 수동으로 작성하십시오.
DocType: POS Profile,Price List,가격리스트
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} 이제 기본 회계 연도이다.변경 내용을 적용하기 위해 브라우저를 새로 고침하십시오.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,비용 청구
@@ -2037,14 +2053,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},일괄 재고 잔액은 {0}이 될 것이다 부정적인 {1}의 창고에서 상품 {2}에 대한 {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,자료 요청에 이어 항목의 재 주문 레벨에 따라 자동으로 제기되고있다
DocType: Email Digest,Pending Sales Orders,판매 주문을 보류
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},계정 {0} 유효하지 않습니다. 계정 통화가 있어야합니다 {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},계정 {0} 유효하지 않습니다. 계정 통화가 있어야합니다 {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM 변환 계수는 행에 필요한 {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","행 번호 {0} 참조 문서 형식은 판매 주문 중 하나, 판매 송장 또는 분개해야합니다"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","행 번호 {0} 참조 문서 형식은 판매 주문 중 하나, 판매 송장 또는 분개해야합니다"
DocType: Salary Component,Deduction,공제
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,행 {0} : 시간에서와 시간은 필수입니다.
DocType: Stock Reconciliation Item,Amount Difference,금액 차이
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},상품 가격은 추가 {0} 가격 목록에서 {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},상품 가격은 추가 {0} 가격 목록에서 {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,이 영업 사원의 직원 ID를 입력하십시오
DocType: Territory,Classification of Customers by region,지역별 고객의 분류
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,차이 금액이 0이어야합니다
@@ -2056,21 +2072,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,총 공제
,Production Analytics,생산 분석
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,비용 업데이트
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,비용 업데이트
DocType: Employee,Date of Birth,생일
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,항목 {0}이 (가) 이미 반환 된
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,항목 {0}이 (가) 이미 반환 된
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** 회계 연도는 ** 금융 년도 나타냅니다.모든 회계 항목 및 기타 주요 거래는 ** ** 회계 연도에 대해 추적됩니다.
DocType: Opportunity,Customer / Lead Address,고객 / 리드 주소
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},경고 : 첨부 파일에 잘못된 SSL 인증서 {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},경고 : 첨부 파일에 잘못된 SSL 인증서 {0}
DocType: Student Admission,Eligibility,적임
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","리드는 당신이 사업은, 모든 연락처 등을 리드로 추가하는 데 도움"
DocType: Production Order Operation,Actual Operation Time,실제 작업 시간
DocType: Authorization Rule,Applicable To (User),에 적용 (사용자)
DocType: Purchase Taxes and Charges,Deduct,공제
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,작업 설명
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,작업 설명
DocType: Student Applicant,Applied,적용된
DocType: Sales Invoice Item,Qty as per Stock UOM,수량 재고 UOM 당
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2 이름
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 이름
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","를 제외한 특수 문자 ""-"" ""."", ""#"", 그리고 ""/""시리즈 이름에 사용할 수 없습니다"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","판매 캠페인을 추적.리드, 인용문을 추적, 판매 주문 등 캠페인에서 투자 수익을 측정합니다."
DocType: Expense Claim,Approver,승인자
@@ -2088,21 +2104,22 @@
DocType: Purchase Invoice,In Words (Company Currency),단어 (회사 통화)에서
DocType: Asset,Supplier,공급 업체
DocType: C-Form,Quarter,지구
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,기타 비용
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,기타 비용
DocType: Global Defaults,Default Company,기본 회사
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,비용이나 차이 계정은 필수 항목에 대한 {0}에 영향을 미치기 전체 재고 가치로
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,비용이나 차이 계정은 필수 항목에 대한 {0}에 영향을 미치기 전체 재고 가치로
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,은행 이름
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-위
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-위
DocType: Employee Loan,Employee Loan Account,직원 대출 계정
DocType: Leave Application,Total Leave Days,총 허가 일
DocType: Email Digest,Note: Email will not be sent to disabled users,참고 : 전자 메일을 사용할 사용자에게 전송되지 않습니다
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,상호 작용 수
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,상호 작용 수
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,상품 코드> 상품 그룹> 브랜드
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,회사를 선택 ...
DocType: Leave Control Panel,Leave blank if considered for all departments,모든 부서가 있다고 간주 될 경우 비워 둡니다
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","고용 (영구, 계약, 인턴 등)의 종류."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} 항목에 대한 필수입니다 {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} 항목에 대한 필수입니다 {1}
DocType: Process Payroll,Fortnightly,이주일에 한번의
DocType: Currency Exchange,From Currency,통화와
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","이어야 한 행에 할당 된 금액, 송장 유형 및 송장 번호를 선택하세요"
@@ -2125,7 +2142,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,일정을 얻기 위해 '생성 일정'을 클릭 해주세요
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,다음 일정을 삭제하는 동안 오류가 발생했습니다 :
DocType: Bin,Ordered Quantity,주문 수량
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","예) ""빌더를 위한 빌드 도구"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","예) ""빌더를 위한 빌드 도구"""
DocType: Grading Scale,Grading Scale Intervals,등급 스케일 간격
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1} {2}에 대한 회계 항목 만 통화 할 수있다 : {3}
DocType: Production Order,In Process,처리 중
@@ -2140,12 +2157,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} 학생 그룹이 생성되었습니다.
DocType: Sales Invoice,Total Billing Amount,총 결제 금액
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,이 작업을 사용할 기본 들어오는 이메일 계정이 있어야합니다. 하십시오 설치 기본 들어오는 이메일 계정 (POP / IMAP)하고 다시 시도하십시오.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,채권 계정
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},행 번호 {0} 자산이 {1} 이미 {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,채권 계정
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},행 번호 {0} 자산이 {1} 이미 {2}
DocType: Quotation Item,Stock Balance,재고 대차
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,지불에 판매 주문
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,설정> 설정> 이름 지정 시리즈를 통해 이름 지정 시리즈를 {0}으로 설정하십시오.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,최고 경영자
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,최고 경영자
DocType: Expense Claim Detail,Expense Claim Detail,비용 청구 상세 정보
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,올바른 계정을 선택하세요
DocType: Item,Weight UOM,무게 UOM
@@ -2154,12 +2170,12 @@
DocType: Production Order Operation,Pending,대기 중
DocType: Course,Course Name,코스 명
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,특정 직원의 휴가 응용 프로그램을 승인 할 수 있습니다 사용자
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,사무용품
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,사무용품
DocType: Purchase Invoice Item,Qty,수량
DocType: Fiscal Year,Companies,회사
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,전자 공학
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,재고가 다시 주문 수준에 도달 할 때 자료 요청을 올립니다
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,전 시간
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,전 시간
DocType: Salary Structure,Employees,직원
DocType: Employee,Contact Details,연락처 세부 사항
DocType: C-Form,Received Date,받은 날짜
@@ -2169,7 +2185,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,가격리스트가 설정되지 않은 경우 가격이 표시되지
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,이 배송 규칙에 대한 국가를 지정하거나 전세계 배송을 확인하시기 바랍니다
DocType: Stock Entry,Total Incoming Value,총 수신 값
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,직불 카드에 대한이 필요합니다
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,직불 카드에 대한이 필요합니다
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","작업 표는 팀에 의해 수행하는 행동이 시간, 비용 및 결제 추적 할 수 있도록"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,구매 가격 목록
DocType: Offer Letter Term,Offer Term,행사 기간
@@ -2178,17 +2194,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,결제 조정
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,INCHARGE 사람의 이름을 선택하세요
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,기술
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},총 미지급 : {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},총 미지급 : {0}
DocType: BOM Website Operation,BOM Website Operation,BOM 웹 사이트 운영
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,편지를 제공
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,자료 요청 (MRP) 및 생산 오더를 생성합니다.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,총 청구 AMT 사의
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,총 청구 AMT 사의
DocType: BOM,Conversion Rate,전환율
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,제품 검색
DocType: Timesheet Detail,To Time,시간
DocType: Authorization Rule,Approving Role (above authorized value),(승인 된 값 이상) 역할을 승인
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,대변계정은 채무 계정이어야합니다
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM 재귀 : {0} 부모 또는 자녀가 될 수 없습니다 {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,대변계정은 채무 계정이어야합니다
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM 재귀 : {0} 부모 또는 자녀가 될 수 없습니다 {2}
DocType: Production Order Operation,Completed Qty,완료 수량
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",{0} 만 직불 계정은 다른 신용 항목에 링크 할 수 있습니다 들어
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,가격 목록 {0} 비활성화
@@ -2200,28 +2216,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} 항목에 필요한 일련 번호 {1}. 당신이 제공 한 {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,현재 평가 비율
DocType: Item,Customer Item Codes,고객 상품 코드
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,교환 이득 / 손실
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,교환 이득 / 손실
DocType: Opportunity,Lost Reason,분실 된 이유
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,새 주소
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,새 주소
DocType: Quality Inspection,Sample Size,표본 크기
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,수신 문서를 입력하세요
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,모든 상품은 이미 청구 된
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,모든 상품은 이미 청구 된
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.','사건 번호에서'유효 기간을 지정하십시오
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,또한 비용 센터 그룹에서 할 수 있지만 항목이 아닌 그룹에 대해 할 수있다
DocType: Project,External,외부
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,사용자 및 권한
DocType: Vehicle Log,VLOG.,동영상 블로그.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},생산 오더 생성 : {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},생산 오더 생성 : {0}
DocType: Branch,Branch,Branch
DocType: Guardian,Mobile Number,휴대 전화 번호
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,인쇄 및 브랜딩
DocType: Bin,Actual Quantity,실제 수량
DocType: Shipping Rule,example: Next Day Shipping,예 : 익일 배송
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,발견되지 일련 번호 {0}
-DocType: Scheduling Tool,Student Batch,학생 배치
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,고객
+DocType: Program Enrollment,Student Batch,학생 배치
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,학생을
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},당신은 프로젝트 공동 작업에 초대되었습니다 : {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},당신은 프로젝트 공동 작업에 초대되었습니다 : {0}
DocType: Leave Block List Date,Block Date,블록 날짜
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,지금 적용
DocType: Sales Order,Not Delivered,전달되지 않음
@@ -2229,7 +2244,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","만들고, 매일, 매주 및 매월 이메일 다이제스트를 관리 할 수 있습니다."
DocType: Appraisal Goal,Appraisal Goal,평가목표
DocType: Stock Reconciliation Item,Current Amount,현재 양
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,건물
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,건물
DocType: Fee Structure,Fee Structure,요금 구조
DocType: Timesheet Detail,Costing Amount,원가 계산 금액
DocType: Student Admission,Application Fee,신청비
@@ -2241,10 +2256,10 @@
DocType: POS Profile,[Select],[선택]
DocType: SMS Log,Sent To,전송
DocType: Payment Request,Make Sales Invoice,견적서에게 확인
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,소프트웨어
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,소프트웨어
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,다음으로 연락 날짜는 과거가 될 수 없습니다
DocType: Company,For Reference Only.,참조 용으로 만 사용됩니다.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,배치 번호 선택
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,배치 번호 선택
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},잘못된 {0} : {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,사전의 양
@@ -2254,15 +2269,15 @@
DocType: Employee,Employment Details,고용 세부 사항
DocType: Employee,New Workplace,새로운 직장
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,휴일로 설정
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},바코드 가진 항목이 없습니다 {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},바코드 가진 항목이 없습니다 {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,케이스 번호는 0이 될 수 없습니다
DocType: Item,Show a slideshow at the top of the page,페이지의 상단에 슬라이드 쇼보기
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,BOM을
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,상점
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,BOM을
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,상점
DocType: Serial No,Delivery Time,배달 시간
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,을 바탕으로 고령화
DocType: Item,End of Life,수명 종료
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,여행
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,여행
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,지정된 날짜에 대해 직원 {0}에 대한 검색 활성 또는 기본 급여 구조 없다
DocType: Leave Block List,Allow Users,사용자에게 허용
DocType: Purchase Order,Customer Mobile No,고객 모바일 없음
@@ -2271,29 +2286,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,업데이트 비용
DocType: Item Reorder,Item Reorder,항목 순서 바꾸기
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,쇼 급여 슬립
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,전송 자료
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,전송 자료
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","운영, 운영 비용을 지정하고 작업에 고유 한 작업에게 더를 제공합니다."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,이 문서에 의해 제한을 초과 {0} {1} 항목 {4}. 당신은하고 있습니다 동일에 대한 또 다른 {3} {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,저장 한 후 반복 설정하십시오
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,선택 변화량 계정
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,이 문서에 의해 제한을 초과 {0} {1} 항목 {4}. 당신은하고 있습니다 동일에 대한 또 다른 {3} {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,저장 한 후 반복 설정하십시오
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,선택 변화량 계정
DocType: Purchase Invoice,Price List Currency,가격리스트 통화
DocType: Naming Series,User must always select,사용자는 항상 선택해야합니다
DocType: Stock Settings,Allow Negative Stock,음의 재고 허용
DocType: Installation Note,Installation Note,설치 노트
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,세금 추가
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,세금 추가
DocType: Topic,Topic,이야기
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,금융으로 인한 현금 흐름
DocType: Budget Account,Budget Account,예산 계정
DocType: Quality Inspection,Verified By,에 의해 확인
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","기존의 트랜잭션이 있기 때문에, 회사의 기본 통화를 변경할 수 없습니다.거래 기본 통화를 변경하려면 취소해야합니다."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","기존의 트랜잭션이 있기 때문에, 회사의 기본 통화를 변경할 수 없습니다.거래 기본 통화를 변경하려면 취소해야합니다."
DocType: Grading Scale Interval,Grade Description,등급 설명
DocType: Stock Entry,Purchase Receipt No,구입 영수증 없음
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,계약금
DocType: Process Payroll,Create Salary Slip,급여 슬립을 만듭니다
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,추적
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),자금의 출처 (부채)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},수량은 행에서 {0} ({1})와 동일해야합니다 제조 수량 {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),자금의 출처 (부채)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},수량은 행에서 {0} ({1})와 동일해야합니다 제조 수량 {2}
DocType: Appraisal,Employee,종업원
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,배치 선택
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} 전액 지불되었습니다.
DocType: Training Event,End Time,종료 시간
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,주어진 날짜에 대해 직원 {1}의 발견 액티브 급여 구조 {0}
@@ -2305,11 +2321,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,필요에
DocType: Rename Tool,File to Rename,이름 바꾸기 파일
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},행에 항목에 대한 BOM을 선택하세요 {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},상품에 대한 존재하지 않습니다 BOM {0} {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},계정 {0}이 (가) 계정 모드에서 회사 {1}과 (과) 일치하지 않습니다 : {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},상품에 대한 존재하지 않습니다 BOM {0} {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,유지 보수 일정은 {0}이 판매 주문을 취소하기 전에 취소해야합니다
DocType: Notification Control,Expense Claim Approved,비용 청구 승인
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,직원의 급여 슬립은 {0} 이미이 기간 동안 생성
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,제약
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,제약
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,구입 한 항목의 비용
DocType: Selling Settings,Sales Order Required,판매 주문 필수
DocType: Purchase Invoice,Credit To,신용에
@@ -2326,43 +2343,43 @@
DocType: Payment Gateway Account,Payment Account,결제 계정
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,진행하는 회사를 지정하십시오
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,채권에 순 변경
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,보상 오프
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,보상 오프
DocType: Offer Letter,Accepted,허용
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,조직
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,조직
DocType: SG Creation Tool Course,Student Group Name,학생 그룹 이름
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,당신이 정말로이 회사에 대한 모든 트랜잭션을 삭제 하시겠습니까 확인하시기 바랍니다. 그대로 마스터 데이터는 유지됩니다. 이 작업은 취소 할 수 없습니다.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,당신이 정말로이 회사에 대한 모든 트랜잭션을 삭제 하시겠습니까 확인하시기 바랍니다. 그대로 마스터 데이터는 유지됩니다. 이 작업은 취소 할 수 없습니다.
DocType: Room,Room Number,방 번호
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},잘못된 참조 {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{3} 생산 주문시 {0} ({1}) 수량은 ({2})} 보다 클 수 없습니다.
DocType: Shipping Rule,Shipping Rule Label,배송 규칙 라벨
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,사용자 포럼
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,원료는 비워 둘 수 없습니다.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","주식을 업데이트 할 수 없습니다, 송장은 하락 선박 항목이 포함되어 있습니다."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,원료는 비워 둘 수 없습니다.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","주식을 업데이트 할 수 없습니다, 송장은 하락 선박 항목이 포함되어 있습니다."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,빠른 분개
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,BOM 어떤 항목 agianst 언급 한 경우는 속도를 변경할 수 없습니다
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,BOM 어떤 항목 agianst 언급 한 경우는 속도를 변경할 수 없습니다
DocType: Employee,Previous Work Experience,이전 작업 경험
DocType: Stock Entry,For Quantity,수량
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},항목에 대한 계획 수량을 입력하십시오 {0} 행에서 {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} 제출되지 않았습니다.
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,상품에 대한 요청.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,별도의 생산 순서는 각 완제품 항목에 대해 작성됩니다.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} 반환 문서에 부정적인해야합니다
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} 반환 문서에 부정적인해야합니다
,Minutes to First Response for Issues,문제에 대한 첫 번째 응답에 분
DocType: Purchase Invoice,Terms and Conditions1,약관 및 상태 인 경우 1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,연구소의 이름은 당신이 시스템을 설정하고 있습니다.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,연구소의 이름은 당신이 시스템을 설정하고 있습니다.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","회계 항목이 날짜까지 동결, 아무도 / 아래 지정된 역할을 제외하고 항목을 수정하지 않을 수 있습니다."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,유지 보수 일정을 생성하기 전에 문서를 저장하십시오
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,프로젝트 상태
DocType: UOM,Check this to disallow fractions. (for Nos),분수를 허용하려면이 옵션을 선택합니다. (NOS의 경우)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,다음 생산 오더가 생성했다 :
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,다음 생산 오더가 생성했다 :
DocType: Student Admission,Naming Series (for Student Applicant),시리즈 이름 지정 (학생 지원자의 경우)
DocType: Delivery Note,Transporter Name,트랜스 포터의 이름
DocType: Authorization Rule,Authorized Value,공인 값
DocType: BOM,Show Operations,보기 운영
,Minutes to First Response for Opportunity,기회에 대한 첫 번째 응답에 분
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,총 결석
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,행에 대한 항목이나 창고 {0} 물자의 요청과 일치하지 않습니다
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,행에 대한 항목이나 창고 {0} 물자의 요청과 일치하지 않습니다
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,측정 단위
DocType: Fiscal Year,Year End Date,연도 종료 날짜
DocType: Task Depends On,Task Depends On,작업에 따라 다릅니다
@@ -2461,11 +2478,11 @@
DocType: Asset,Manual,조작
DocType: Salary Component Account,Salary Component Account,급여 구성 요소 계정
DocType: Global Defaults,Hide Currency Symbol,통화 기호에게 숨기기
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","예) 은행, 현금, 신용 카드"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","예) 은행, 현금, 신용 카드"
DocType: Lead Source,Source Name,원본 이름
DocType: Journal Entry,Credit Note,신용 주
DocType: Warranty Claim,Service Address,서비스 주소
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,가구 및 비품
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,가구 및 비품
DocType: Item,Manufacture,제조
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,제발 배달 주 처음
DocType: Student Applicant,Application Date,신청 날짜
@@ -2475,7 +2492,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,통관 날짜가 언급되지 않았습니다
apps/erpnext/erpnext/config/manufacturing.py +7,Production,생산
DocType: Guardian,Occupation,직업
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,인력> 인사말 설정에서 직원 네임 시스템 설정
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,행 {0} : 시작 날짜가 종료 날짜 이전이어야합니다
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),합계 (수량)
DocType: Sales Invoice,This Document,이 문서
@@ -2487,20 +2503,20 @@
DocType: Purchase Receipt,Time at which materials were received,재료가 수신 된 시간입니다
DocType: Stock Ledger Entry,Outgoing Rate,보내는 속도
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,조직 분기의 마스터.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,또는
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,또는
DocType: Sales Order,Billing Status,결제 상태
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,문제 신고
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,광열비
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,광열비
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90 위
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,행 번호 {0} 저널 항목 {1} 계정이없는이 {2} 또는 이미 다른 쿠폰에 대해 일치
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,행 번호 {0} 저널 항목 {1} 계정이없는이 {2} 또는 이미 다른 쿠폰에 대해 일치
DocType: Buying Settings,Default Buying Price List,기본 구매 가격 목록
DocType: Process Payroll,Salary Slip Based on Timesheet,표를 바탕으로 급여 슬립
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,위의 선택 기준 또는 급여 명세서에 대한 어떤 직원이 이미 만들어
DocType: Notification Control,Sales Order Message,판매 주문 메시지
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","기타 회사, 통화, 당해 사업 연도와 같은 기본값을 설정"
DocType: Payment Entry,Payment Type,지불 유형
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,{0} 항목에 대한 배치를 선택하십시오. 이 요구 사항을 충족하는 단일 배치를 찾을 수 없습니다.
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,{0} 항목에 대한 배치를 선택하십시오. 이 요구 사항을 충족하는 단일 배치를 찾을 수 없습니다.
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,{0} 항목에 대한 배치를 선택하십시오. 이 요구 사항을 충족하는 단일 배치를 찾을 수 없습니다.
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,{0} 항목에 대한 배치를 선택하십시오. 이 요구 사항을 충족하는 단일 배치를 찾을 수 없습니다.
DocType: Process Payroll,Select Employees,직원 선택
DocType: Opportunity,Potential Sales Deal,잠재적 인 판매 거래
DocType: Payment Entry,Cheque/Reference Date,수표 / 참조 날짜
@@ -2520,7 +2536,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,영수증 문서를 제출해야합니다
DocType: Purchase Invoice Item,Received Qty,수량에게받은
DocType: Stock Entry Detail,Serial No / Batch,일련 번호 / 배치
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,아니 지불하고 전달되지 않음
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,아니 지불하고 전달되지 않음
DocType: Product Bundle,Parent Item,상위 항목
DocType: Account,Account Type,계정 유형
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2535,25 +2551,24 @@
DocType: Bin,Reserved Quantity,예약 주문
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,유효한 이메일 주소를 입력하십시오.
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,올바른 이메일 주소를 입력하십시오.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},{0} 프로그램에는 필수 코스가 없습니다.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},{0} 프로그램에는 필수 코스가 없습니다.
DocType: Landed Cost Voucher,Purchase Receipt Items,구매 영수증 항목
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,사용자 정의 양식
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,지체
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,지체
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,기간 동안 감가 상각 금액
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,장애인 템플릿은 기본 템플릿이 아니어야합니다
DocType: Account,Income Account,수익 계정
DocType: Payment Request,Amount in customer's currency,고객의 통화 금액
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,배달
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,배달
DocType: Stock Reconciliation Item,Current Qty,현재 수량
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section","절 원가 계산의 ""에 근거를 자료의 평가""를 참조하십시오"
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,예전
DocType: Appraisal Goal,Key Responsibility Area,주요 책임 지역
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","학생 배치는 학생에 대한 출석, 평가 및 비용을 추적하는 데 도움이"
DocType: Payment Entry,Total Allocated Amount,총 할당 된 금액
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,영구 인벤토리에 대한 기본 재고 계정 설정
DocType: Item Reorder,Material Request Type,자료 요청 유형
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},{0}에에서 급여에 대한 Accural 분개 {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","로컬 저장이 가득, 저장하지 않은"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","로컬 저장이 가득, 저장하지 않은"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,행 {0} : UOM 변환 계수는 필수입니다
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,참조
DocType: Budget,Cost Center,비용 센터
@@ -2566,19 +2581,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","가격 규칙은 몇 가지 기준에 따라, 가격 목록 / 할인 비율을 정의 덮어 쓰기를한다."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,창고 재고 만 입력 / 배달 주 / 구매 영수증을 통해 변경 될 수 있습니다
DocType: Employee Education,Class / Percentage,클래스 / 비율
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,마케팅 및 영업 책임자
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,소득세
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,마케팅 및 영업 책임자
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,소득세
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","선택 가격 규칙은 '가격'을 위해 만든 경우, 가격 목록을 덮어 쓰게됩니다.가격 규칙 가격이 최종 가격이기 때문에 더 이상의 할인은 적용되지해야합니다.따라서, 등 판매 주문, 구매 주문 등의 거래에있어서, 그것은 오히려 '가격 목록 평가'분야보다 '속도'필드에서 가져온 것입니다."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,트랙은 산업 유형에 의해 리드.
DocType: Item Supplier,Item Supplier,부품 공급 업체
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,더 배치를 얻을 수 상품 코드를 입력하시기 바랍니다
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},값을 선택하세요 {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,더 배치를 얻을 수 상품 코드를 입력하시기 바랍니다
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},값을 선택하세요 {0} quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,모든 주소.
DocType: Company,Stock Settings,재고 설정
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","다음과 같은 속성이 모두 기록에 같은 경우 병합에만 가능합니다. 그룹, 루트 유형, 회사는"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","다음과 같은 속성이 모두 기록에 같은 경우 병합에만 가능합니다. 그룹, 루트 유형, 회사는"
DocType: Vehicle,Electric,전기 같은
DocType: Task,% Progress,%의 진행
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,자산 처분 이익 / 손실
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,자산 처분 이익 / 손실
DocType: Training Event,Will send an email about the event to employees with status 'Open',상태 직원들에게 이벤트에 대한 이메일을 보내드립니다 '열기'
DocType: Task,Depends on Tasks,작업에 따라 달라집니다
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,고객 그룹 트리를 관리 할 수 있습니다.
@@ -2587,7 +2602,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,새로운 비용 센터의 이름
DocType: Leave Control Panel,Leave Control Panel,제어판에게 남겨
DocType: Project,Task Completion,작업 완료
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,재고에
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,재고에
DocType: Appraisal,HR User,HR 사용자
DocType: Purchase Invoice,Taxes and Charges Deducted,차감 세금과 요금
apps/erpnext/erpnext/hooks.py +116,Issues,문제
@@ -2598,22 +2613,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},사이 찾지 급여 슬립하지 {0}과 {1}
,Pending SO Items For Purchase Request,구매 요청에 대한 SO 항목 보류
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,학생 입학
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} 비활성화
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} 비활성화
DocType: Supplier,Billing Currency,결제 통화
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,아주 큰
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,아주 큰
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,전체 잎
,Profit and Loss Statement,손익 계산서
DocType: Bank Reconciliation Detail,Cheque Number,수표 번호
,Sales Browser,판매 브라우저
DocType: Journal Entry,Total Credit,총 크레딧
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},경고 : 또 다른 {0} # {1} 재고 항목에 대해 존재 {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,지역정보 검색
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,지역정보 검색
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),대출 및 선수금 (자산)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,외상매출금
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,큰
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,큰
DocType: Homepage Featured Product,Homepage Featured Product,홈페이지 주요 제품
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,모든 평가 그룹
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,모든 평가 그룹
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,새로운웨어 하우스 이름
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),총 {0} ({1})
DocType: C-Form Invoice Detail,Territory,국가
@@ -2623,12 +2638,12 @@
DocType: Production Order Operation,Planned Start Time,계획 시작 시간
DocType: Course,Assessment,평가
DocType: Payment Entry Reference,Allocated,할당
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,닫기 대차 대조표 및 책 이익 또는 손실.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,닫기 대차 대조표 및 책 이익 또는 손실.
DocType: Student Applicant,Application Status,출원 현황
DocType: Fees,Fees,수수료
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,환율이 통화를 다른 통화로 지정
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,견적 {0} 취소
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,총 발행 금액
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,총 발행 금액
DocType: Sales Partner,Targets,대상
DocType: Price List,Price List Master,가격 목록 마스터
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,당신이 설정 한 목표를 모니터링 할 수 있도록 모든 판매 트랜잭션은 여러 ** 판매 사람 **에 태그 할 수 있습니다.
@@ -2672,12 +2687,12 @@
하나의 방법.주소 및 회사의 연락."
DocType: Attendance,Leave Type,휴가 유형
DocType: Purchase Invoice,Supplier Invoice Details,공급 업체 인보이스 세부 사항
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,비용 / 차이 계정 ({0})의 이익 또는 손실 '계정이어야합니다
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,비용 / 차이 계정 ({0})의 이익 또는 손실 '계정이어야합니다
DocType: Project,Copied From,에서 복사 됨
DocType: Project,Copied From,에서 복사 됨
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},이름 오류 : {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,부족
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1}과 연관되지 않는 {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1}과 연관되지 않는 {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,직원의 출석 {0}이 (가) 이미 표시되어
DocType: Packing Slip,If more than one package of the same type (for print),만약 (프린트) 동일한 유형의 하나 이상의 패키지
,Salary Register,연봉 회원 가입
@@ -2695,22 +2710,23 @@
,Requested Qty,요청 수량
DocType: Tax Rule,Use for Shopping Cart,쇼핑 카트에 사용
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},값은 {0} 속성에 대한 {1} 항목에 대한 속성 값 유효한 항목 목록에 존재하지 않는 {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,일련 번호 선택
DocType: BOM Item,Scrap %,스크랩 %
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","요금은 비례 적으로 사용자의 선택에 따라, 상품 수량 또는 금액에 따라 배포됩니다"
DocType: Maintenance Visit,Purposes,목적
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,이어야 하나의 항목이 반환 문서에 부정적인 수량 입력해야합니다
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,이어야 하나의 항목이 반환 문서에 부정적인 수량 입력해야합니다
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","작업 {0} 워크 스테이션에서 사용 가능한 근무 시간 이상 {1}, 여러 작업으로 작업을 분해"
,Requested,요청
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,없음 비고
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,없음 비고
DocType: Purchase Invoice,Overdue,연체
DocType: Account,Stock Received But Not Billed,재고품 받았지만 청구하지
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,루트 계정은 그룹이어야합니다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,루트 계정은 그룹이어야합니다
DocType: Fees,FEE.,보수.
DocType: Employee Loan,Repaid/Closed,/ 상환 휴무
DocType: Item,Total Projected Qty,총 예상 수량
DocType: Monthly Distribution,Distribution Name,배포 이름
DocType: Course,Course Code,코스 코드
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},상품에 필요한 품질 검사 {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},상품에 필요한 품질 검사 {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,고객의 통화는 회사의 기본 통화로 변환하는 속도에
DocType: Purchase Invoice Item,Net Rate (Company Currency),인터넷 속도 (회사 통화)
DocType: Salary Detail,Condition and Formula Help,조건 및 수식 도움말
@@ -2723,27 +2739,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,제조에 대한 자료 전송
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,할인 비율은 가격 목록에 대해 또는 전체 가격 목록에 하나를 적용 할 수 있습니다.
DocType: Purchase Invoice,Half-yearly,반년마다
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,재고에 대한 회계 항목
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,재고에 대한 회계 항목
DocType: Vehicle Service,Engine Oil,엔진 오일
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,인력> 인사말 설정에서 직원 네임 시스템 설정
DocType: Sales Invoice,Sales Team1,판매 Team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,{0} 항목이 존재하지 않습니다
DocType: Sales Invoice,Customer Address,고객 주소
DocType: Employee Loan,Loan Details,대출 세부 사항
+DocType: Company,Default Inventory Account,기본 재고 계정
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,행 {0} : 완성 된 수량은 0보다 커야합니다.
DocType: Purchase Invoice,Apply Additional Discount On,추가 할인에 적용
DocType: Account,Root Type,루트 유형
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},행 번호 {0} : 이상 반환 할 수 없습니다 {1} 항목에 대한 {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},행 번호 {0} : 이상 반환 할 수 없습니다 {1} 항목에 대한 {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,줄거리
DocType: Item Group,Show this slideshow at the top of the page,페이지 상단에이 슬라이드 쇼보기
DocType: BOM,Item UOM,상품 UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),할인 금액 후 세액 (회사 통화)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},목표웨어 하우스는 행에 대해 필수입니다 {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},목표웨어 하우스는 행에 대해 필수입니다 {0}
DocType: Cheque Print Template,Primary Settings,기본 설정
DocType: Purchase Invoice,Select Supplier Address,선택 공급 업체 주소
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,직원 추가
DocType: Purchase Invoice Item,Quality Inspection,품질 검사
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,매우 작은
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,매우 작은
DocType: Company,Standard Template,표준 템플릿
DocType: Training Event,Theory,이론
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,경고 : 수량 요청 된 자료는 최소 주문 수량보다 적은
@@ -2751,7 +2769,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,조직에 속한 계정의 별도의 차트와 법인 / 자회사.
DocType: Payment Request,Mute Email,음소거 이메일
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","음식, 음료 및 담배"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},단지에 대한 지불을 할 수 미 청구 {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},단지에 대한 지불을 할 수 미 청구 {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,수수료율은 100보다 큰 수 없습니다
DocType: Stock Entry,Subcontract,하청
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,첫 번째 {0}을 입력하세요
@@ -2764,18 +2782,18 @@
DocType: SMS Log,No of Sent SMS,보낸 SMS 없음
DocType: Account,Expense Account,비용 계정
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,소프트웨어
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,컬러
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,컬러
DocType: Assessment Plan Criteria,Assessment Plan Criteria,평가 계획 기준
DocType: Training Event,Scheduled,예약된
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,견적 요청.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","아니오"와 "판매 상품은" "주식의 항목으로"여기서 "예"인 항목을 선택하고 다른 제품 번들이없는하세요
DocType: Student Log,Academic,학생
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),전체 사전 ({0})의 순서에 대하여 {1} 총합계보다 클 수 없습니다 ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),전체 사전 ({0})의 순서에 대하여 {1} 총합계보다 클 수 없습니다 ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,고르지 개월에 걸쳐 목표를 배포하는 월별 분포를 선택합니다.
DocType: Purchase Invoice Item,Valuation Rate,평가 평가
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,디젤
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,가격리스트 통화 선택하지
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,가격리스트 통화 선택하지
,Student Monthly Attendance Sheet,학생 월별 출석 시트
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},직원 {0}이 (가) 이미 사이에 {1}를 신청했다 {2}와 {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,프로젝트 시작 날짜
@@ -2788,7 +2806,7 @@
DocType: BOM,Scrap,한조각
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,판매 파트너를 관리합니다.
DocType: Quality Inspection,Inspection Type,검사 유형
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,기존 거래와 창고 그룹으로 변환 할 수 없습니다.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,기존 거래와 창고 그룹으로 변환 할 수 없습니다.
DocType: Assessment Result Tool,Result HTML,결과 HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,에 만료
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,학생들 추가
@@ -2796,13 +2814,13 @@
DocType: C-Form,C-Form No,C-양식 없음
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,표시되지 않은 출석
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,연구원
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,연구원
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,프로그램 등록 도구 학생
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,이름이나 이메일은 필수입니다
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,수신 품질 검사.
DocType: Purchase Order Item,Returned Qty,반품 수량
DocType: Employee,Exit,닫기
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,루트 유형이 필수입니다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,루트 유형이 필수입니다
DocType: BOM,Total Cost(Company Currency),총 비용 (기업 통화)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,일련 번호 {0} 생성
DocType: Homepage,Company Description for website homepage,웹 사이트 홈페이지에 대한 회사 설명
@@ -2811,7 +2829,7 @@
DocType: Sales Invoice,Time Sheet List,타임 시트 목록
DocType: Employee,You can enter any date manually,당신은 수동으로 날짜를 입력 할 수 있습니다
DocType: Asset Category Account,Depreciation Expense Account,감가 상각 비용 계정
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,수습 기간
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,수습 기간
DocType: Customer Group,Only leaf nodes are allowed in transaction,만 잎 노드는 트랜잭션에 허용
DocType: Expense Claim,Expense Approver,지출 승인
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,행 {0} : 고객에 대한 사전 신용해야합니다
@@ -2825,10 +2843,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,코스 스케줄 삭제 :
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,SMS 전달 상태를 유지하기위한 로그
DocType: Accounts Settings,Make Payment via Journal Entry,분개를 통해 결제하기
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,인쇄에
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,인쇄에
DocType: Item,Inspection Required before Delivery,검사 배달 전에 필수
DocType: Item,Inspection Required before Purchase,검사 구매하기 전에 필수
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,보류 활동
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,조직
DocType: Fee Component,Fees Category,요금 종류
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,날짜를 덜어 입력 해 주시기 바랍니다.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT
@@ -2838,9 +2857,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,재정렬 수준
DocType: Company,Chart Of Accounts Template,계정 템플릿의 차트
DocType: Attendance,Attendance Date,출석 날짜
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},상품 가격은 {0}에서 가격 목록 업데이트 {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},상품 가격은 {0}에서 가격 목록 업데이트 {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,급여 이별은 적립 및 차감에 따라.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,자식 노드와 계정 원장으로 변환 할 수 없습니다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,자식 노드와 계정 원장으로 변환 할 수 없습니다
DocType: Purchase Invoice Item,Accepted Warehouse,허용 창고
DocType: Bank Reconciliation Detail,Posting Date,등록일자
DocType: Item,Valuation Method,평가 방법
@@ -2849,14 +2868,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,항목을 중복
DocType: Program Enrollment Tool,Get Students,학생들 가져 오기
DocType: Serial No,Under Warranty,보증에 따른
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[오류]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[오류]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,당신이 판매 주문을 저장하면 단어에서 볼 수 있습니다.
,Employee Birthday,직원 생일
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,학생 배치 출석 도구
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,한계를 넘어
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,한계를 넘어
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,벤처 캐피탈
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,이 '학년'과 학술 용어는 {0}과 '기간 이름'{1} 이미 존재합니다. 이 항목을 수정하고 다시 시도하십시오.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","항목 {0}에 대한 기존의 트랜잭션이, 당신은의 값을 변경할 수 없습니다 {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","항목 {0}에 대한 기존의 트랜잭션이, 당신은의 값을 변경할 수 없습니다 {1}"
DocType: UOM,Must be Whole Number,전체 숫자 여야합니다
DocType: Leave Control Panel,New Leaves Allocated (In Days),(일) 할당 된 새로운 잎
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,일련 번호 {0}이 (가) 없습니다
@@ -2865,6 +2884,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,송장 번호
DocType: Shopping Cart Settings,Orders,명령
DocType: Employee Leave Approver,Leave Approver,승인자를 남겨
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,일괄 처리를 선택하십시오.
DocType: Assessment Group,Assessment Group Name,평가 그룹 이름
DocType: Manufacturing Settings,Material Transferred for Manufacture,재료 제조에 양도
DocType: Expense Claim,"A user with ""Expense Approver"" role","""비용 승인자""역할이있는 사용자"
@@ -2874,9 +2894,10 @@
DocType: Target Detail,Target Detail,세부 목표
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,모든 작업
DocType: Sales Order,% of materials billed against this Sales Order,이 판매 주문에 대해 청구 자료 %
+DocType: Program Enrollment,Mode of Transportation,교통 수단
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,기간 결산 항목
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,기존의 트랜잭션 비용 센터는 그룹으로 변환 할 수 없습니다
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},양 {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},양 {0} {1} {2} {3}
DocType: Account,Depreciation,감가 상각
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),공급 업체 (들)
DocType: Employee Attendance Tool,Employee Attendance Tool,직원의 출석 도구
@@ -2884,7 +2905,7 @@
DocType: Supplier,Credit Limit,신용 한도
DocType: Production Plan Sales Order,Salse Order Date,Salse 주문 날짜
DocType: Salary Component,Salary Component,급여 구성 요소
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,결제 항목은 {0}-않은 링크입니다
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,결제 항목은 {0}-않은 링크입니다
DocType: GL Entry,Voucher No,바우처 없음
,Lead Owner Efficiency,리드 소유자 효율성
,Lead Owner Efficiency,리드 소유자 효율성
@@ -2896,11 +2917,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,조건 또는 계약의 템플릿.
DocType: Purchase Invoice,Address and Contact,주소와 연락처
DocType: Cheque Print Template,Is Account Payable,채무 계정입니다
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},주식은 구매 영수증에 대해 업데이트 할 수 없습니다 {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},주식은 구매 영수증에 대해 업데이트 할 수 없습니다 {0}
DocType: Supplier,Last Day of the Next Month,다음 달의 마지막 날
DocType: Support Settings,Auto close Issue after 7 days,칠일 후 자동으로 닫 문제
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","이전에 할당 할 수없는 남기기 {0}, 휴가 균형이 이미 반입 전달 미래 휴가 할당 기록되었습니다로 {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),참고 : 지원 / 참조 날짜가 {0} 일에 의해 허용 된 고객의 신용 일을 초과 (들)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),참고 : 지원 / 참조 날짜가 {0} 일에 의해 허용 된 고객의 신용 일을 초과 (들)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,학생 신청자
DocType: Asset Category Account,Accumulated Depreciation Account,누적 감가 상각 계정
DocType: Stock Settings,Freeze Stock Entries,동결 재고 항목
@@ -2909,36 +2930,36 @@
DocType: Activity Cost,Billing Rate,결제 비율
,Qty to Deliver,제공하는 수량
,Stock Analytics,재고 분석
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,작업은 비워 둘 수 없습니다
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,작업은 비워 둘 수 없습니다
DocType: Maintenance Visit Purpose,Against Document Detail No,문서의 세부 사항에 대한 없음
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,파티의 종류는 필수입니다
DocType: Quality Inspection,Outgoing,발신
DocType: Material Request,Requested For,에 대해 요청
DocType: Quotation Item,Against Doctype,문서 종류에 대하여
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} 취소 또는 폐쇄
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} 취소 또는 폐쇄
DocType: Delivery Note,Track this Delivery Note against any Project,모든 프로젝트에 대해이 배달 주를 추적
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,투자에서 순 현금
-,Is Primary Address,기본 주소는
DocType: Production Order,Work-in-Progress Warehouse,작업중인 창고
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,자산 {0} 제출해야합니다
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},출석 기록은 {0} 학생에 존재 {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},출석 기록은 {0} 학생에 존재 {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},참고 # {0} 년 {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,감가 상각으로 인한 자산의 처분을 제거하고
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,주소를 관리
DocType: Asset,Item Code,상품 코드
DocType: Production Planning Tool,Create Production Orders,생산 오더를 생성
DocType: Serial No,Warranty / AMC Details,보증 / AMC의 자세한 사항
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,활동 기반 그룹을 위해 학생들을 수동으로 선택하십시오.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,활동 기반 그룹을 위해 학생들을 수동으로 선택하십시오.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,활동 기반 그룹을 위해 학생들을 수동으로 선택하십시오.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,활동 기반 그룹을 위해 학생들을 수동으로 선택하십시오.
DocType: Journal Entry,User Remark,사용자 비고
DocType: Lead,Market Segment,시장 세분
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},지불 금액은 총 음의 뛰어난 금액보다 클 수 없습니다 {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},지불 금액은 총 음의 뛰어난 금액보다 클 수 없습니다 {0}
DocType: Employee Internal Work History,Employee Internal Work History,직원 내부 작업 기록
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),결산 (박사)
DocType: Cheque Print Template,Cheque Size,수표 크기
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,일련 번호 {0} 재고가없는
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,거래를 판매에 대한 세금 템플릿.
DocType: Sales Invoice,Write Off Outstanding Amount,잔액을 떨어져 쓰기
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},계정 {0}이 회사 {1}과 (과) 일치하지 않습니다.
DocType: School Settings,Current Academic Year,현재 학년도
DocType: School Settings,Current Academic Year,현재 학년도
DocType: Stock Settings,Default Stock UOM,기본 재고 UOM
@@ -2954,27 +2975,27 @@
DocType: Asset,Double Declining Balance,이중 체감
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,청산 주문이 취소 할 수 없습니다. 취소 열다.
DocType: Student Guardian,Father,아버지
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'업데이트 증권은'고정 자산의 판매 확인할 수 없습니다
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'업데이트 증권은'고정 자산의 판매 확인할 수 없습니다
DocType: Bank Reconciliation,Bank Reconciliation,은행 계정 조정
DocType: Attendance,On Leave,휴가로
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,업데이트 받기
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1} 계정 {2} 회사에 속하지 않는 {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,자료 요청 {0} 취소 또는 정지
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,몇 가지 샘플 레코드 추가
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,몇 가지 샘플 레코드 추가
apps/erpnext/erpnext/config/hr.py +301,Leave Management,관리를 남겨주세요
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,계정별 그룹
DocType: Sales Order,Fully Delivered,완전 배달
DocType: Lead,Lower Income,낮은 소득
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},소스와 목표웨어 하우스는 행에 대해 동일 할 수 없습니다 {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},소스와 목표웨어 하우스는 행에 대해 동일 할 수 없습니다 {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","콘텐츠 화해는 열기 항목이기 때문에 차이 계정, 자산 / 부채 형 계정이어야합니다"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},지급 금액은 대출 금액보다 클 수 없습니다 {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},구매 주문 번호 항목에 필요한 {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,생산 주문이 작성되지
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},구매 주문 번호 항목에 필요한 {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,생산 주문이 작성되지
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','시작일자'는 '마감일자' 이전이어야 합니다
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},학생으로 상태를 변경할 수 없습니다 {0} 학생 응용 프로그램과 연결되어 {1}
DocType: Asset,Fully Depreciated,완전 상각
,Stock Projected Qty,재고 수량을 예상
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},고객 {0} 프로젝트에 속하지 않는 {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},고객 {0} 프로젝트에 속하지 않는 {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,표시된 출석 HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","견적, 당신은 당신의 고객에게 보낸 입찰 제안서 있습니다"
DocType: Sales Order,Customer's Purchase Order,고객의 구매 주문
@@ -2983,8 +3004,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,평가 기준의 점수의 합 {0} 할 필요가있다.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,감가 상각 수 예약을 설정하십시오
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,값 또는 수량
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,생산 주문을 사육 할 수 없습니다
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,분
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,생산 주문을 사육 할 수 없습니다
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,분
DocType: Purchase Invoice,Purchase Taxes and Charges,구매 세금과 요금
,Qty to Receive,받도록 수량
DocType: Leave Block List,Leave Block List Allowed,차단 목록은 허용 남겨
@@ -2992,25 +3013,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},차량 로그에 대한 경비 요청 {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,증거금율과 할인율 (%)
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,증거금율과 할인율 (%)
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,모든 창고
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,모든 창고
DocType: Sales Partner,Retailer,소매상 인
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,계정에 신용은 대차 대조표 계정이어야합니다
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,계정에 신용은 대차 대조표 계정이어야합니다
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,모든 공급 유형
DocType: Global Defaults,Disable In Words,단어에서 해제
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,항목이 자동으로 번호가되어 있지 않기 때문에 상품 코드는 필수입니다
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,항목이 자동으로 번호가되어 있지 않기 때문에 상품 코드는 필수입니다
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},견적 {0}은 유형 {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,유지 보수 일정 상품
DocType: Sales Order,% Delivered,% 배달
DocType: Production Order,PRO-,찬성-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,당좌 차월 계정
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,당좌 차월 계정
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,급여 슬립을
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,행 번호 {0} : 할당 된 금액은 미납 금액을 초과 할 수 없습니다.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,찾아 BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,보안 대출
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,보안 대출
DocType: Purchase Invoice,Edit Posting Date and Time,편집 게시 날짜 및 시간
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},자산 카테고리 {0} 또는 회사의 감가 상각 관련 계정을 설정하십시오 {1}
DocType: Academic Term,Academic Year,학년
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,잔액 지분
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,잔액 지분
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,펑가
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},공급 업체에 보낸 이메일 {0}
@@ -3026,7 +3047,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,역할을 승인하면 규칙이 적용됩니다 역할로 동일 할 수 없습니다
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,이 이메일 다이제스트 수신 거부
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,보낸 메시지
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,자식 노드와 계좌 원장은로 설정 될 수 없다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,자식 노드와 계좌 원장은로 설정 될 수 없다
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,가격 목록의 통화는 고객의 기본 통화로 변환하는 속도에
DocType: Purchase Invoice Item,Net Amount (Company Currency),순 금액 (회사 통화)
@@ -3061,7 +3082,7 @@
DocType: Expense Claim,Approval Status,승인 상태
DocType: Hub Settings,Publish Items to Hub,허브에 항목을 게시
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},값에서 행의 값보다 작아야합니다 {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,송금
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,송금
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,모두 확인
DocType: Vehicle Log,Invoice Ref,송장 참조
DocType: Purchase Order,Recurring Order,반복 주문
@@ -3074,19 +3095,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,은행 및 결제
,Welcome to ERPNext,ERPNext에 오신 것을 환영합니다
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,리드고객에게 견적?
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,더 아무것도 표시가 없습니다.
DocType: Lead,From Customer,고객의
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,통화
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,통화
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,배치
DocType: Project,Total Costing Amount (via Time Logs),총 원가 계산 금액 (시간 로그를 통해)
DocType: Purchase Order Item Supplied,Stock UOM,재고 UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,구매 주문 {0} 제출되지
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,구매 주문 {0} 제출되지
DocType: Customs Tariff Number,Tariff Number,관세 번호
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,예상
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},일련 번호 {0} 창고에 속하지 않는 {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,주 : 시스템이 항목에 대한 납품에 이상 - 예약 확인하지 않습니다 {0} 수량 또는 금액으로 0이됩니다
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,주 : 시스템이 항목에 대한 납품에 이상 - 예약 확인하지 않습니다 {0} 수량 또는 금액으로 0이됩니다
DocType: Notification Control,Quotation Message,견적 메시지
DocType: Employee Loan,Employee Loan Application,직원 대출 신청
DocType: Issue,Opening Date,Opening 날짜
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,출석이 성공적으로 표시되었습니다.
+DocType: Program Enrollment,Public Transport,대중 교통
DocType: Journal Entry,Remark,비고
DocType: Purchase Receipt Item,Rate and Amount,속도 및 양
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},계정 유형 {0}해야합니다에 대한 {1}
@@ -3094,32 +3118,32 @@
DocType: School Settings,Current Academic Term,현재 학기
DocType: School Settings,Current Academic Term,현재 학기
DocType: Sales Order,Not Billed,청구되지 않음
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,두 창고는 같은 회사에 속해 있어야합니다
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,주소록은 아직 추가되지 않습니다.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,두 창고는 같은 회사에 속해 있어야합니다
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,주소록은 아직 추가되지 않습니다.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,착륙 비용 바우처 금액
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,공급 업체에 의해 제기 된 지폐입니다.
DocType: POS Profile,Write Off Account,감액계정
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,차변 메모 Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,할인 금액
DocType: Purchase Invoice,Return Against Purchase Invoice,에 대하여 구매 송장을 돌려줍니다
DocType: Item,Warranty Period (in days),(일) 보증 기간
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Guardian1와의 관계
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1와의 관계
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,조작에서 순 현금
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,예) VAT
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,예) VAT
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,항목 4
DocType: Student Admission,Admission End Date,입학 종료 날짜
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,하위 계약
DocType: Journal Entry Account,Journal Entry Account,분개 계정
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,학생 그룹
DocType: Shopping Cart Settings,Quotation Series,견적 시리즈
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item",항목 ({0}) 항목의 그룹 이름을 변경하거나 항목의 이름을 변경하시기 바랍니다 같은 이름을 가진
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,고객을 선택하세요
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item",항목 ({0}) 항목의 그룹 이름을 변경하거나 항목의 이름을 변경하시기 바랍니다 같은 이름을 가진
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,고객을 선택하세요
DocType: C-Form,I,나는
DocType: Company,Asset Depreciation Cost Center,자산 감가 상각 비용 센터
DocType: Sales Order Item,Sales Order Date,판매 주문 날짜
DocType: Sales Invoice Item,Delivered Qty,납품 수량
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","이 옵션이 선택되면, 각 생산 항목의 모든 아이들은 자료 요청에 포함됩니다."
DocType: Assessment Plan,Assessment Plan,평가 계획
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,창고 {0} : 회사는 필수입니다
DocType: Stock Settings,Limit Percent,제한 비율
,Payment Period Based On Invoice Date,송장의 날짜를 기준으로 납부 기간
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},대한 누락 된 통화 환율 {0}
@@ -3131,7 +3155,7 @@
DocType: Vehicle,Insurance Details,보험의 자세한 사항
DocType: Account,Payable,지급
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,상환 기간을 입력하세요
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),채무자 ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),채무자 ({0})
DocType: Pricing Rule,Margin,마진
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,신규 고객
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,매출 총 이익 %
@@ -3142,16 +3166,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,파티는 필수입니다
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,항목 이름
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,판매 또는 구매의이어야 하나를 선택해야합니다
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,비즈니스의 성격을 선택합니다.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,판매 또는 구매의이어야 하나를 선택해야합니다
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,비즈니스의 성격을 선택합니다.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},행 # {0} : 참조 {1}에 중복 항목이 있습니다. {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,제조 작업은 어디를 수행한다.
DocType: Asset Movement,Source Warehouse,자료 창고
DocType: Installation Note,Installation Date,설치 날짜
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},행 번호 {0} 자산이 {1} 회사에 속하지 않는 {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},행 번호 {0} 자산이 {1} 회사에 속하지 않는 {2}
DocType: Employee,Confirmation Date,확인 일자
DocType: C-Form,Total Invoiced Amount,총 송장 금액
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,최소 수량이 최대 수량보다 클 수 없습니다
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,최소 수량이 최대 수량보다 클 수 없습니다
DocType: Account,Accumulated Depreciation,감가 상각 누계액
DocType: Stock Entry,Customer or Supplier Details,"고객, 공급 업체의 자세한 사항"
DocType: Employee Loan Application,Required by Date,날짜에 필요한
@@ -3172,22 +3196,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,월별 분포 비율
DocType: Territory,Territory Targets,지역 대상
DocType: Delivery Note,Transporter Info,트랜스 정보
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},회사의 기본 {0}을 설정하십시오 {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},회사의 기본 {0}을 설정하십시오 {1}
DocType: Cheque Print Template,Starting position from top edge,위쪽 가장자리에서 시작 위치
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,동일한 공급자는 여러 번 입력 된
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,총 이익 / 손실
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,구매 주문 상품 공급
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,회사 이름은 회사가 될 수 없습니다
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,회사 이름은 회사가 될 수 없습니다
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,인쇄 템플릿에 대한 편지 머리.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,인쇄 템플릿의 제목은 형식 상 청구서를 예.
DocType: Student Guardian,Student Guardian,가디언
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,평가 유형 요금은 포괄적으로 표시 할 수 없습니다
DocType: POS Profile,Update Stock,재고 업데이트
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,공급 업체> 공급 업체 유형
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,항목에 대해 서로 다른 UOM가 잘못 (총) 순 중량 값으로 이어질 것입니다.각 항목의 순 중량이 동일한 UOM에 있는지 확인하십시오.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM 평가
DocType: Asset,Journal Entry for Scrap,스크랩에 대한 분개
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,배달 주에서 항목을 뽑아주세요
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,저널 항목은 {0}-않은 링크 된
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,저널 항목은 {0}-않은 링크 된
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","형 이메일, 전화, 채팅, 방문 등의 모든 통신 기록"
DocType: Manufacturer,Manufacturers used in Items,항목에 사용 제조 업체
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,회사에 라운드 오프 비용 센터를 언급 해주십시오
@@ -3236,34 +3261,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,공급자는 고객에게 제공
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# 양식 / 상품 / {0}) 품절
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,다음 날짜 게시 날짜보다 커야합니다
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,쇼 세금 해체
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},때문에 / 참조 날짜 이후 수 없습니다 {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,쇼 세금 해체
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},때문에 / 참조 날짜 이후 수 없습니다 {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,데이터 가져 오기 및 내보내기
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","재고 항목은 따라서 당신이 다시 할당하거나 수정할 수 없습니다, {0} 창고에 존재"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,어떤 학생들은 찾을 수 없음
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,어떤 학생들은 찾을 수 없음
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,송장 전기 일
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,팔다
DocType: Sales Invoice,Rounded Total,둥근 총
DocType: Product Bundle,List items that form the package.,패키지를 형성하는 목록 항목.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,백분율 할당은 100 % 같아야
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,파티를 선택하기 전에 게시 날짜를 선택하세요
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,파티를 선택하기 전에 게시 날짜를 선택하세요
DocType: Program Enrollment,School House,학교 하우스
DocType: Serial No,Out of AMC,AMC의 아웃
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,견적을 선택하십시오
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,견적을 선택하십시오
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,견적을 선택하십시오
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,견적을 선택하십시오
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,예약 감가 상각의 수는 감가 상각의 총 수보다 클 수 없습니다
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,유지 보수 방문을합니다
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,판매 마스터 관리자 {0} 역할이 사용자에게 문의하시기 바랍니다
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,판매 마스터 관리자 {0} 역할이 사용자에게 문의하시기 바랍니다
DocType: Company,Default Cash Account,기본 현금 계정
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,회사 (안 고객 또는 공급 업체) 마스터.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,이이 학생의 출석을 기반으로
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,학생 없음
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,학생 없음
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,더 많은 항목 또는 완전 개방 형태로 추가
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date','예상 배달 날짜'를 입력하십시오
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,배달 노트는 {0}이 판매 주문을 취소하기 전에 취소해야합니다
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,지불 금액 + 금액 오프 쓰기 총합보다 클 수 없습니다
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,지불 금액 + 금액 오프 쓰기 총합보다 클 수 없습니다
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} 항목에 대한 유효한 배치 번호없는 {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},참고 : 허가 유형에 대한 충분한 휴가 밸런스가 없습니다 {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,등록되지 않은 GSTIN이 잘못되었거나 NA 입력
DocType: Training Event,Seminar,세미나
DocType: Program Enrollment Fee,Program Enrollment Fee,프로그램 등록 수수료
DocType: Item,Supplier Items,공급 업체 항목
@@ -3289,28 +3314,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,항목 3
DocType: Purchase Order,Customer Contact Email,고객 연락처 이메일
DocType: Warranty Claim,Item and Warranty Details,상품 및 보증의 자세한 사항
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,상품 코드> 상품 그룹> 브랜드
DocType: Sales Team,Contribution (%),기여도 (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,참고 : 결제 항목이 '현금 또는 은행 계좌'이 지정되지 않았기 때문에 생성되지 않습니다
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,필수 과목을 가져 오려면 프로그램을 선택하십시오.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,필수 과목을 가져 오려면 프로그램을 선택하십시오.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,책임
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,책임
DocType: Expense Claim Account,Expense Claim Account,경비 청구서 계정
DocType: Sales Person,Sales Person Name,영업 사원명
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,표에이어야 1 송장을 입력하십시오
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,사용자 추가
DocType: POS Item Group,Item Group,항목 그룹
DocType: Item,Safety Stock,안전 재고
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,작업에 대한 진행 상황 % 이상 100 수 없습니다.
DocType: Stock Reconciliation Item,Before reconciliation,계정조정전
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},에 {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),추가 세금 및 수수료 (회사 통화)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,상품 세금 행 {0} 유형의 세금 또는 수입 비용 또는 청구의 계정이 있어야합니다
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,상품 세금 행 {0} 유형의 세금 또는 수입 비용 또는 청구의 계정이 있어야합니다
DocType: Sales Order,Partly Billed,일부 청구
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,항목 {0} 고정 자산 항목이어야합니다
DocType: Item,Default BOM,기본 BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,다시 입력 회사 이름은 확인하시기 바랍니다
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,총 발행 AMT 사의
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,차변 메모 금액
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,다시 입력 회사 이름은 확인하시기 바랍니다
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,총 발행 AMT 사의
DocType: Journal Entry,Printing Settings,인쇄 설정
DocType: Sales Invoice,Include Payment (POS),지불을 포함 (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},총 직불 카드는 전체 신용 동일해야합니다.차이는 {0}
@@ -3324,16 +3346,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,재고:
DocType: Notification Control,Custom Message,사용자 지정 메시지
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,투자 은행
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,현금 또는 은행 계좌 결제 항목을 만들기위한 필수입니다
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,학생 주소
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,학생 주소
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,현금 또는 은행 계좌 결제 항목을 만들기위한 필수입니다
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,설치> 번호 매기기 시리즈를 통해 출석을위한 번호 매기기 시리즈를 설정하십시오.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,학생 주소
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,학생 주소
DocType: Purchase Invoice,Price List Exchange Rate,가격 기준 환율
DocType: Purchase Invoice Item,Rate,비율
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,인턴
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,주소 명
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,인턴
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,주소 명
DocType: Stock Entry,From BOM,BOM에서
DocType: Assessment Code,Assessment Code,평가 코드
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,기본
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,기본
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,{0} 전에 재고 거래는 동결
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule','생성 일정'을 클릭 해주세요
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","예) kg, 단위, NOS, M"
@@ -3343,11 +3366,11 @@
DocType: Salary Slip,Salary Structure,급여 체계
DocType: Account,Bank,은행
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,항공 회사
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,문제의 소재
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,문제의 소재
DocType: Material Request Item,For Warehouse,웨어 하우스
DocType: Employee,Offer Date,제공 날짜
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,견적
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,당신은 오프라인 모드에 있습니다. 당신은 당신이 네트워크를 때까지 다시로드 할 수 없습니다.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,당신은 오프라인 모드에 있습니다. 당신은 당신이 네트워크를 때까지 다시로드 할 수 없습니다.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,어떤 학생 그룹이 생성되지 않습니다.
DocType: Purchase Invoice Item,Serial No,일련 번호
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,월별 상환 금액은 대출 금액보다 클 수 없습니다
@@ -3355,8 +3378,8 @@
DocType: Purchase Invoice,Print Language,인쇄 언어
DocType: Salary Slip,Total Working Hours,총 근로 시간
DocType: Stock Entry,Including items for sub assemblies,서브 어셈블리에 대한 항목을 포함
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,입력 값은 양수 여야합니다
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,모든 국가
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,입력 값은 양수 여야합니다
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,모든 국가
DocType: Purchase Invoice,Items,아이템
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,학생이 이미 등록되어 있습니다.
DocType: Fiscal Year,Year Name,올해의 이름
@@ -3375,10 +3398,10 @@
DocType: Issue,Opening Time,영업 시간
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,일자 및 끝
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,증권 및 상품 교환
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',변형에 대한 측정의 기본 단위는 '{0}'템플릿에서와 동일해야합니다 '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',변형에 대한 측정의 기본 단위는 '{0}'템플릿에서와 동일해야합니다 '{1}'
DocType: Shipping Rule,Calculate Based On,에 의거에게 계산
DocType: Delivery Note Item,From Warehouse,창고에서
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,재료 명세서 (BOM)와 어떤 항목은 제조 없습니다
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,재료 명세서 (BOM)와 어떤 항목은 제조 없습니다
DocType: Assessment Plan,Supervisor Name,관리자 이름
DocType: Program Enrollment Course,Program Enrollment Course,프로그램 등록 과정
DocType: Program Enrollment Course,Program Enrollment Course,프로그램 등록 과정
@@ -3394,18 +3417,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'마지막 주문 날짜' 이후의 날짜를 지정해 주세요.
DocType: Process Payroll,Payroll Frequency,급여 주파수
DocType: Asset,Amended From,개정
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,원료
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,원료
DocType: Leave Application,Follow via Email,이메일을 통해 수행
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,식물과 기계류
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,식물과 기계류
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,할인 금액 후 세액
DocType: Daily Work Summary Settings,Daily Work Summary Settings,매일 작업 요약 설정
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},가격 목록 {0}의 통화 선택한 통화와 유사하지 {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},가격 목록 {0}의 통화 선택한 통화와 유사하지 {1}
DocType: Payment Entry,Internal Transfer,내부 전송
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,이 계정에 하위계정이 존재합니다.이 계정을 삭제할 수 없습니다.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,이 계정에 하위계정이 존재합니다.이 계정을 삭제할 수 없습니다.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,목표 수량 또는 목표량 하나는 필수입니다
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},기본의 BOM은 존재하지 않습니다 항목에 대한 {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},기본의 BOM은 존재하지 않습니다 항목에 대한 {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,첫 번째 게시 날짜를 선택하세요
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,날짜를 열기 날짜를 닫기 전에해야
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,설정> 설정> 이름 지정 시리즈를 통해 이름 지정 시리즈를 {0}으로 설정하십시오.
DocType: Leave Control Panel,Carry Forward,이월하다
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,기존의 트랜잭션 비용 센터 원장으로 변환 할 수 없습니다
DocType: Department,Days for which Holidays are blocked for this department.,휴일이 부서 차단하는 일.
@@ -3415,11 +3439,10 @@
DocType: Issue,Raised By (Email),(이메일)에 의해 제기
DocType: Training Event,Trainer Name,트레이너 이름
DocType: Mode of Payment,General,일반
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,레터 첨부하기
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,마지막 커뮤니케이션
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,마지막 커뮤니케이션
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',카테고리는 '평가'또는 '평가 및 전체'에 대한 때 공제 할 수 없습니다
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","세금 헤드 목록 (예를 들어 부가가치세, 관세 등, 그들은 고유 한 이름을 가져야한다)과 그 표준 요금. 이것은 당신이 편집하고 더 이상 추가 할 수있는 표준 템플릿을 생성합니다."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","세금 헤드 목록 (예를 들어 부가가치세, 관세 등, 그들은 고유 한 이름을 가져야한다)과 그 표준 요금. 이것은 당신이 편집하고 더 이상 추가 할 수있는 표준 템플릿을 생성합니다."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},직렬화 된 항목에 대한 일련 NOS 필수 {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,송장과 일치 결제
DocType: Journal Entry,Bank Entry,은행 입장
@@ -3428,16 +3451,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,쇼핑 카트에 담기
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,그룹으로
DocType: Guardian,Interests,이해
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,/ 비활성화 통화를 사용합니다.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,/ 비활성화 통화를 사용합니다.
DocType: Production Planning Tool,Get Material Request,자료 요청을 받으세요
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,우편 비용
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,우편 비용
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),총 AMT ()
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,엔터테인먼트 & 레저
DocType: Quality Inspection,Item Serial No,상품 시리얼 번호
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,직원 레코드 만들기
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,전체 현재
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,회계 문
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,시간
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,시간
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,새로운 시리얼 번호는 창고를 가질 수 없습니다.창고 재고 항목 또는 구입 영수증으로 설정해야합니다
DocType: Lead,Lead Type,리드 타입
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,당신은 블록 날짜에 잎을 승인 할 수있는 권한이 없습니다
@@ -3449,6 +3472,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,교체 후 새로운 BOM
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,판매 시점
DocType: Payment Entry,Received Amount,받은 금액
+DocType: GST Settings,GSTIN Email Sent On,GSTIN 이메일 전송
+DocType: Program Enrollment,Pick/Drop by Guardian,Guardian의 선택 / 드롭
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order",전체 수량에 대한 만들기 위해 이미 양을 무시
DocType: Account,Tax,세금
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,표시되지
@@ -3462,7 +3487,7 @@
DocType: Batch,Source Document Name,원본 문서 이름
DocType: Job Opening,Job Title,직책
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,사용자 만들기
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,그램
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,그램
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,제조하는 수량은 0보다 커야합니다.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,유지 보수 통화에 대해 보고서를 참조하십시오.
DocType: Stock Entry,Update Rate and Availability,업데이트 속도 및 가용성
@@ -3470,7 +3495,7 @@
DocType: POS Customer Group,Customer Group,고객 그룹
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),새 일괄 처리 ID (선택 사항)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),새 일괄 처리 ID (선택 사항)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},비용 계정 항목에 대한 필수 {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},비용 계정 항목에 대한 필수 {0}
DocType: BOM,Website Description,웹 사이트 설명
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,자본에 순 변경
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,첫 번째 구매 송장 {0}을 취소하십시오
@@ -3480,8 +3505,8 @@
,Sales Register,판매 등록
DocType: Daily Work Summary Settings Company,Send Emails At,에 이메일 보내기
DocType: Quotation,Quotation Lost Reason,견적 잃어버린 이유
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,귀하의 도메인을 선택
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},거래 기준은 {0}에 제출하지 {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,귀하의 도메인을 선택
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},거래 기준은 {0}에 제출하지 {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,편집 할 수있는 것은 아무 것도 없습니다.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,이 달 보류중인 활동에 대한 요약
DocType: Customer Group,Customer Group Name,고객 그룹 이름
@@ -3489,14 +3514,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,현금 흐름표
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},대출 금액은 최대 대출 금액을 초과 할 수 없습니다 {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,특허
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},C-양식에서이 송장 {0}을 제거하십시오 {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},C-양식에서이 송장 {0}을 제거하십시오 {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,당신은 또한 이전 회계 연도의 균형이 회계 연도에 나뭇잎 포함 할 경우 이월를 선택하세요
DocType: GL Entry,Against Voucher Type,바우처 형식에 대한
DocType: Item,Attributes,속성
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,계정을 끄기 쓰기 입력하십시오
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,계정을 끄기 쓰기 입력하십시오
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,마지막 주문 날짜
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},계정 {0} 수행은 회사 소유하지 {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,행 {0}의 일련 번호가 배달 참고와 일치하지 않습니다.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,행 {0}의 일련 번호가 배달 참고와 일치하지 않습니다.
DocType: Student,Guardian Details,가디언의 자세한 사항
DocType: C-Form,C-Form,C-양식
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,여러 직원 마크 출석
@@ -3511,16 +3536,16 @@
DocType: Budget Account,Budget Amount,예산 금액
DocType: Appraisal Template,Appraisal Template Title,평가 템플릿 제목
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},날짜 {0}에 대한 직원 {1} 직원의 입사 날짜 이전 될 수 없습니다 {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,광고 방송
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,광고 방송
DocType: Payment Entry,Account Paid To,계정에 유료
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,상위 항목 {0} 주식 항목이 아니어야합니다
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,모든 제품 또는 서비스.
DocType: Expense Claim,More Details,세부정보 더보기
DocType: Supplier Quotation,Supplier Address,공급 업체 주소
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},계정에 대한 {0} 예산 {1}에 대한 {2} {3}는 {4}. 그것은에 의해 초과 {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',행 {0} # 계정 유형이어야합니다 '고정 자산'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,수량 아웃
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,판매 배송 금액을 계산하는 규칙
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',행 {0} # 계정 유형이어야합니다 '고정 자산'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,수량 아웃
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,판매 배송 금액을 계산하는 규칙
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,시리즈는 필수입니다
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,금융 서비스
DocType: Student Sibling,Student ID,학생 아이디
@@ -3528,13 +3553,13 @@
DocType: Tax Rule,Sales,판매
DocType: Stock Entry Detail,Basic Amount,기본 금액
DocType: Training Event,Exam,시험
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},재고 품목에 필요한 창고 {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},재고 품목에 필요한 창고 {0}
DocType: Leave Allocation,Unused leaves,사용하지 않는 잎
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,CR
DocType: Tax Rule,Billing State,결제 주
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,이체
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} 파티 계정과 연결되어 있지 않습니다 {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),(서브 어셈블리 포함) 폭발 BOM 가져 오기
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} 파티 계정과 연결되어 있지 않습니다 {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),(서브 어셈블리 포함) 폭발 BOM 가져 오기
DocType: Authorization Rule,Applicable To (Employee),에 적용 (직원)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,마감일은 필수입니다
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,속성에 대한 증가는 {0} 0이 될 수 없습니다
@@ -3562,7 +3587,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,원료 상품 코드
DocType: Journal Entry,Write Off Based On,에 의거 오프 쓰기
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,리드를 확인
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,인쇄 및 문구
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,인쇄 및 문구
DocType: Stock Settings,Show Barcode Field,쇼 바코드 필드
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,공급 업체 이메일 보내기
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","급여는 이미 {0}과 {1},이 기간 사이가 될 수 없습니다 신청 기간을 남겨 사이의 기간에 대해 처리."
@@ -3570,14 +3595,16 @@
DocType: Guardian Interest,Guardian Interest,가디언 관심
apps/erpnext/erpnext/config/hr.py +177,Training,훈련
DocType: Timesheet,Employee Detail,직원 세부 정보
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 이메일 ID
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 이메일 ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 이메일 ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 이메일 ID
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,다음 날짜의 날짜와 동일해야한다 이달의 날에 반복
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,웹 사이트 홈페이지에 대한 설정
DocType: Offer Letter,Awaiting Response,응답을 기다리는 중
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,위
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,위
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},잘못된 속성 {0} {1}
DocType: Supplier,Mention if non-standard payable account,표준이 아닌 지불 계정에 대한 언급
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},동일한 항목이 여러 번 입력되었습니다. {명부}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups','모든 평가 그룹'이외의 평가 그룹을 선택하십시오.
DocType: Salary Slip,Earning & Deduction,당기순이익/손실
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,선택.이 설정은 다양한 거래를 필터링하는 데 사용됩니다.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,부정 평가 비율은 허용되지 않습니다
@@ -3591,9 +3618,9 @@
DocType: Sales Invoice,Product Bundle Help,번들 제품 도움말
,Monthly Attendance Sheet,월간 출석 시트
DocType: Production Order Item,Production Order Item,생산 오더 항목
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,검색된 레코드가 없습니다
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,검색된 레코드가 없습니다
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,폐기 자산의 비용
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1} : 코스트 센터는 항목에 대해 필수입니다 {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1} : 코스트 센터는 항목에 대해 필수입니다 {2}
DocType: Vehicle,Policy No,정책 없음
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,제품 번들에서 항목 가져 오기
DocType: Asset,Straight Line,일직선
@@ -3602,7 +3629,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,스플릿
DocType: GL Entry,Is Advance,사전인가
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,날짜에 날짜 및 출석 출석은 필수입니다
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,입력 해주십시오은 예 또는 아니오로 '하청'
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,입력 해주십시오은 예 또는 아니오로 '하청'
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,마지막 통신 날짜
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,마지막 통신 날짜
DocType: Sales Team,Contact No.,연락 번호
@@ -3631,60 +3658,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,영업 가치
DocType: Salary Detail,Formula,공식
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,직렬 #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,판매에 대한 수수료
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,판매에 대한 수수료
DocType: Offer Letter Term,Value / Description,값 / 설명
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","행 번호 {0} 자산이 {1} 제출할 수 없습니다, 그것은 이미 {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","행 번호 {0} 자산이 {1} 제출할 수 없습니다, 그것은 이미 {2}"
DocType: Tax Rule,Billing Country,결제 나라
DocType: Purchase Order Item,Expected Delivery Date,예상 배송 날짜
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,직불 및 신용 {0} #에 대한 동일하지 {1}. 차이는 {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,접대비
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,자료 요청합니다
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,접대비
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,자료 요청합니다
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},열기 항목 {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,판매 송장은 {0}이 판매 주문을 취소하기 전에 취소해야합니다
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,나이
DocType: Sales Invoice Timesheet,Billing Amount,결제 금액
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,항목에 대해 지정된 잘못된 수량 {0}.수량이 0보다 커야합니다.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,휴가 신청.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,기존 거래 계정은 삭제할 수 없습니다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,기존 거래 계정은 삭제할 수 없습니다
DocType: Vehicle,Last Carbon Check,마지막으로 탄소 확인
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,법률 비용
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,법률 비용
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,행의 수량을 선택하십시오.
DocType: Purchase Invoice,Posting Time,등록시간
DocType: Timesheet,% Amount Billed,청구 % 금액
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,전화 비용
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,전화 비용
DocType: Sales Partner,Logo,로고
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,당신은 저장하기 전에 시리즈를 선택하도록 강제하려는 경우이 옵션을 선택합니다.당신이 선택하면 기본이되지 않습니다.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},시리얼 번호와 어떤 항목이 없습니다 {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},시리얼 번호와 어떤 항목이 없습니다 {0}
DocType: Email Digest,Open Notifications,열기 알림
DocType: Payment Entry,Difference Amount (Company Currency),차이 금액 (회사 통화)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,직접 비용
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,직접 비용
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} '알림 \ 이메일 주소'잘못된 이메일 주소입니다
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,새로운 고객 수익
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,여행 비용
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,여행 비용
DocType: Maintenance Visit,Breakdown,고장
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,계정 : {0} 통화로 : {1}을 선택할 수 없습니다
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,계정 : {0} 통화로 : {1}을 선택할 수 없습니다
DocType: Bank Reconciliation Detail,Cheque Date,수표 날짜
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},계정 {0} : 부모 계정 {1} 회사에 속하지 않는 {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},계정 {0} : 부모 계정 {1} 회사에 속하지 않는 {2}
DocType: Program Enrollment Tool,Student Applicants,학생 지원자
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,성공적으로이 회사에 관련된 모든 트랜잭션을 삭제!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,성공적으로이 회사에 관련된 모든 트랜잭션을 삭제!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,날짜에로
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,등록 날짜
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,근신
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,근신
apps/erpnext/erpnext/config/hr.py +115,Salary Components,급여의 구성 요소
DocType: Program Enrollment Tool,New Academic Year,새 학년
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,반품 / 신용 참고
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,반품 / 신용 참고
DocType: Stock Settings,Auto insert Price List rate if missing,자동 삽입 가격표 속도없는 경우
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,총 지불 금액
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,총 지불 금액
DocType: Production Order Item,Transferred Qty,수량에게 전송
apps/erpnext/erpnext/config/learn.py +11,Navigating,탐색
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,계획
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,발행 된
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,계획
+DocType: Material Request,Issued,발행 된
DocType: Project,Total Billing Amount (via Time Logs),총 결제 금액 (시간 로그를 통해)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,우리는이 품목을
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,공급 업체 아이디
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,우리는이 품목을
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,공급 업체 아이디
DocType: Payment Request,Payment Gateway Details,지불 게이트웨이의 자세한 사항
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,수량이 0보다 커야합니다
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,수량이 0보다 커야합니다
DocType: Journal Entry,Cash Entry,현금 항목
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,자식 노드은 '그룹'유형 노드에서 생성 할 수 있습니다
DocType: Leave Application,Half Day Date,하프 데이 데이트
@@ -3696,14 +3724,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},경비 요청 유형에 기본 계정을 설정하십시오 {0}
DocType: Assessment Result,Student Name,학생 이름
DocType: Brand,Item Manager,항목 관리자
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,채무 급여
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,채무 급여
DocType: Buying Settings,Default Supplier Type,기본 공급자 유형
DocType: Production Order,Total Operating Cost,총 영업 비용
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,참고 : {0} 항목을 여러 번 입력
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,모든 연락처.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,회사의 약어
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,회사의 약어
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,{0} 사용자가 존재하지 않습니다
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,원료의 주요 항목과 동일 할 수 없습니다
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,원료의 주요 항목과 동일 할 수 없습니다
DocType: Item Attribute Value,Abbreviation,약어
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,결제 항목이 이미 존재합니다
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} 한도를 초과 한 authroized Not
@@ -3712,35 +3740,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,쇼핑 카트에 설정 세금 규칙
DocType: Purchase Invoice,Taxes and Charges Added,추가 세금 및 수수료
,Sales Funnel,판매 퍼넬
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,약자는 필수입니다
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,약자는 필수입니다
DocType: Project,Task Progress,작업 진행
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,카트
,Qty to Transfer,전송하는 수량
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,리드 또는 고객에게 인용.
DocType: Stock Settings,Role Allowed to edit frozen stock,동결 재고을 편집 할 수 있는 역할
,Territory Target Variance Item Group-Wise,지역 대상 분산 상품 그룹 와이즈
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,모든 고객 그룹
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,모든 고객 그룹
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,누적 월별
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} 필수입니다.아마 통화 기록은 {2}로 {1}에 만들어지지 않습니다.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} 필수입니다.아마 통화 기록은 {2}로 {1}에 만들어지지 않습니다.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,세금 템플릿은 필수입니다.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,계정 {0} : 부모 계정 {1}이 (가) 없습니다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,계정 {0} : 부모 계정 {1}이 (가) 없습니다
DocType: Purchase Invoice Item,Price List Rate (Company Currency),가격 목록 비율 (회사 통화)
DocType: Products Settings,Products Settings,제품 설정
DocType: Account,Temporary,일시적인
DocType: Program,Courses,행동
DocType: Monthly Distribution Percentage,Percentage Allocation,비율 할당
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,비서
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,비서
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",사용하지 않으면 필드 '단어에서'트랜잭션에 표시되지 않습니다
DocType: Serial No,Distinct unit of an Item,항목의 고유 단위
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,회사를 설정하십시오.
DocType: Pricing Rule,Buying,구매
DocType: HR Settings,Employee Records to be created by,직원 기록에 의해 생성되는
DocType: POS Profile,Apply Discount On,할인에 적용
,Reqd By Date,Reqd 날짜
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,채권자
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,채권자
DocType: Assessment Plan,Assessment Name,평가의 이름
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,행 번호 {0} : 일련 번호는 필수입니다
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,항목 와이즈 세금 세부 정보
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,연구소 약어
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,연구소 약어
,Item-wise Price List Rate,상품이 많다는 가격리스트 평가
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,공급 업체 견적
DocType: Quotation,In Words will be visible once you save the Quotation.,당신은 견적을 저장 한 단어에서 볼 수 있습니다.
@@ -3748,14 +3777,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},수량 ({0})은 행 {1}의 분수가 될 수 없습니다.
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,수수료를 수집
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},바코드 {0}이 (가) 이미 상품에 사용되는 {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},바코드 {0}이 (가) 이미 상품에 사용되는 {1}
DocType: Lead,Add to calendar on this date,이 날짜에 캘린더에 추가
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,비용을 추가하는 규칙.
DocType: Item,Opening Stock,열기 증권
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,고객이 필요합니다
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} 반환을위한 필수입니다
DocType: Purchase Order,To Receive,받다
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,개인 이메일
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,총 분산
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","활성화되면, 시스템이 자동으로 재고에 대한 회계 항목을 게시 할 예정입니다."
@@ -3766,13 +3794,14 @@
DocType: Customer,From Lead,리드에서
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,생산 발표 순서.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,회계 연도 선택 ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS 프로필 POS 항목을 만드는 데 필요한
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS 프로필 POS 항목을 만드는 데 필요한
DocType: Program Enrollment Tool,Enroll Students,학생 등록
DocType: Hub Settings,Name Token,이름 토큰
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,표준 판매
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,이어야 한 창고는 필수입니다
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,이어야 한 창고는 필수입니다
DocType: Serial No,Out of Warranty,보증 기간 만료
DocType: BOM Replace Tool,Replace,교체
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,제품을 찾을 수 없습니다.
DocType: Production Order,Unstopped,마개를
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} 견적서에 대한 {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3783,13 +3812,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,재고 가치의 차이
apps/erpnext/erpnext/config/learn.py +234,Human Resource,인적 자원
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,지불 화해 지불
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,법인세 자산
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,법인세 자산
DocType: BOM Item,BOM No,BOM 없음
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,분개 {0} {1} 또는 이미 다른 쿠폰에 대해 일치하는 계정이 없습니다
DocType: Item,Moving Average,움직임 평균
DocType: BOM Replace Tool,The BOM which will be replaced,대체됩니다 BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,전자 장비
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,전자 장비
DocType: Account,Debit,직불
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,잎은 0.5의 배수로 할당해야합니다
DocType: Production Order,Operation Cost,운영 비용
@@ -3797,7 +3826,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,뛰어난 AMT 사의
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,목표를 설정 항목 그룹 방향이 판매 사람입니다.
DocType: Stock Settings,Freeze Stocks Older Than [Days],고정 재고 이전보다 [일]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,행 # {0} : 자산은 고정 자산 구매 / 판매를위한 필수입니다
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,행 # {0} : 자산은 고정 자산 구매 / 판매를위한 필수입니다
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","둘 이상의 가격 결정 규칙은 상기 조건에 따라 발견되면, 우선 적용된다.기본 값이 0 (공백) 동안 우선 순위는 0-20 사이의 숫자입니다.숫자가 높을수록 동일한 조건으로 여러 가격 규칙이있는 경우는 우선 순위를 의미합니다."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,회계 연도 : {0} 수행하지 존재
DocType: Currency Exchange,To Currency,통화로
@@ -3806,7 +3835,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},항목 {0}의 판매율이 {1}보다 낮습니다. 판매율은 atleast 여야합니다 {2}
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},항목 {0}의 판매율이 {1}보다 낮습니다. 판매율은 atleast 여야합니다 {2}
DocType: Item,Taxes,세금
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,유료 및 전달되지 않음
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,유료 및 전달되지 않음
DocType: Project,Default Cost Center,기본 비용 센터
DocType: Bank Guarantee,End Date,끝 날짜
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,재고 변동
@@ -3831,24 +3860,22 @@
DocType: Employee,Held On,개최
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,생산 품목
,Employee Information,직원 정보
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),비율 (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),비율 (%)
DocType: Stock Entry Detail,Additional Cost,추가 비용
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,회계 연도 종료일
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","바우처를 기반으로 필터링 할 수 없음, 바우처로 그룹화하는 경우"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,공급 업체의 견적을
DocType: Quality Inspection,Incoming,수신
DocType: BOM,Materials Required (Exploded),필요한 재료 (분해)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself",자신보다 다른 조직에 사용자를 추가
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,게시 날짜는 미래의 날짜 수 없습니다
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},행 번호 {0} : 일련 번호 {1}과 일치하지 않는 {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,캐주얼 허가
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,캐주얼 허가
DocType: Batch,Batch ID,일괄 처리 ID
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},참고 : {0}
,Delivery Note Trends,배송 참고 동향
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,이번 주 요약
-,In Stock Qty,재고 수량에서
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,재고 수량에서
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,계정 : {0} 만 재고 거래를 통해 업데이트 할 수 있습니다
-DocType: Program Enrollment,Get Courses,과정을 받으세요
+DocType: Student Group Creation Tool,Get Courses,과정을 받으세요
DocType: GL Entry,Party,파티
DocType: Sales Order,Delivery Date,* 인수일
DocType: Opportunity,Opportunity Date,기회 날짜
@@ -3856,14 +3883,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,견적 항목에 대한 요청
DocType: Purchase Order,To Bill,빌
DocType: Material Request,% Ordered,% 발주
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","과정 기반 학생 그룹의 경우, 과정은 등록 된 과정의 등록 된 과정에서 모든 학생에 대해 유효성이 검사됩니다."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","쉼표로 구분하여 입력 이메일 주소, 청구서는 특정 날짜에 자동으로 발송됩니다"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,일한 분량에 따라 공임을 지급받는 일
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,일한 분량에 따라 공임을 지급받는 일
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,평균. 구매 비율
DocType: Task,Actual Time (in Hours),(시간) 실제 시간
DocType: Employee,History In Company,회사의 역사
apps/erpnext/erpnext/config/learn.py +107,Newsletters,뉴스 레터
DocType: Stock Ledger Entry,Stock Ledger Entry,재고 원장 입력
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,고객> 고객 그룹> 지역
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,같은 항목을 여러 번 입력 된
DocType: Department,Leave Block List,차단 목록을 남겨주세요
DocType: Sales Invoice,Tax ID,세금 아이디
@@ -3878,30 +3905,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} 단위 {1} {2}이 거래를 완료하는 필요.
DocType: Loan Type,Rate of Interest (%) Yearly,이자의 비율 (%) 연간
DocType: SMS Settings,SMS Settings,SMS 설정
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,임시 계정
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,검정
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,임시 계정
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,검정
DocType: BOM Explosion Item,BOM Explosion Item,BOM 폭발 상품
DocType: Account,Auditor,감사
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,생산 {0} 항목
DocType: Cheque Print Template,Distance from top edge,상단으로부터의 거리
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,가격 목록 {0} 비활성화 또는 존재하지 않는
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,가격 목록 {0} 비활성화 또는 존재하지 않는
DocType: Purchase Invoice,Return,반환
DocType: Production Order Operation,Production Order Operation,생산 오더 운영
DocType: Pricing Rule,Disable,사용 안함
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,지불 모드는 지불 할 필요
DocType: Project Task,Pending Review,검토 중
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1}은 (는) 배치 {2}에 등록되지 않았습니다.
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","이미 같이 자산 {0}, 폐기 될 수 없다 {1}"
DocType: Task,Total Expense Claim (via Expense Claim),(비용 청구를 통해) 총 경비 요청
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,고객 아이디
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,마크 결석
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},행 {0} 다음 BOM 번호의 통화 {1} 선택한 통화 같아야한다 {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},행 {0} 다음 BOM 번호의 통화 {1} 선택한 통화 같아야한다 {2}
DocType: Journal Entry Account,Exchange Rate,환율
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,판매 주문 {0} 제출되지 않았습니다.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,판매 주문 {0} 제출되지 않았습니다.
DocType: Homepage,Tag Line,태그 라인
DocType: Fee Component,Fee Component,요금 구성 요소
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,함대 관리
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,에서 항목 추가
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},창고 {0} : 부모 계정이 {1} 회사에 BOLONG하지 않는 {2}
DocType: Cheque Print Template,Regular,정규병
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,모든 평가 기준 총 Weightage 100 %이어야합니다
DocType: BOM,Last Purchase Rate,마지막 구매 비율
@@ -3910,11 +3936,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,상품에 대한 존재할 수 없다 재고 {0} 이후 변종이있다
,Sales Person-wise Transaction Summary,판매 사람이 많다는 거래 요약
DocType: Training Event,Contact Number,연락 번호
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,창고 {0}이 (가) 없습니다
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,창고 {0}이 (가) 없습니다
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,ERPNext 허브에 등록
DocType: Monthly Distribution,Monthly Distribution Percentages,예산 월간 배분 백분율
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,선택한 항목이 배치를 가질 수 없습니다
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","평가 비율은 회계 항목을 수행하는 데 필요한 항목 {0} 찾을 수 없습니다 {1} {2}. 항목의 샘플 항목으로 거래되는 경우 {1}, {1} (으) 항목 테이블에서 그 언급 해주십시오. 그렇지 않으면, / 제출 중 노력이 항목을 취소 한 다음 항목 레코드의 항목이나 언급 평가 비율에 대한 들어오는 재고 트랜잭션을 생성하고십시오"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","평가 비율은 회계 항목을 수행하는 데 필요한 항목 {0} 찾을 수 없습니다 {1} {2}. 항목의 샘플 항목으로 거래되는 경우 {1}, {1} (으) 항목 테이블에서 그 언급 해주십시오. 그렇지 않으면, / 제출 중 노력이 항목을 취소 한 다음 항목 레코드의 항목이나 언급 평가 비율에 대한 들어오는 재고 트랜잭션을 생성하고십시오"
DocType: Delivery Note,% of materials delivered against this Delivery Note,이 납품서에 대해 배송자재 %
DocType: Project,Customer Details,고객 상세 정보
DocType: Employee,Reports to,에 대한 보고서
@@ -3922,24 +3948,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,수신기 NOS에 대한 URL 매개 변수를 입력
DocType: Payment Entry,Paid Amount,지불 금액
DocType: Assessment Plan,Supervisor,감독자
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,온라인으로
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,온라인으로
,Available Stock for Packing Items,항목 포장 재고품
DocType: Item Variant,Item Variant,항목 변형
DocType: Assessment Result Tool,Assessment Result Tool,평가 결과 도구
DocType: BOM Scrap Item,BOM Scrap Item,BOM 스크랩 항목
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,제출 된 주문은 삭제할 수 없습니다
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","이미 직불의 계정 잔액, 당신은 같은 '신용', '균형이어야합니다'설정할 수 없습니다"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,품질 관리
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,제출 된 주문은 삭제할 수 없습니다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","이미 직불의 계정 잔액, 당신은 같은 '신용', '균형이어야합니다'설정할 수 없습니다"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,품질 관리
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,{0} 항목이 비활성화되었습니다
DocType: Employee Loan,Repay Fixed Amount per Period,기간 당 고정 금액을 상환
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},제품의 수량을 입력 해주십시오 {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,크레딧 노트 Amt
DocType: Employee External Work History,Employee External Work History,직원 외부 일 역사
DocType: Tax Rule,Purchase,구입
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,잔고 수량
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,잔고 수량
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,목표는 비워 둘 수 없습니다
DocType: Item Group,Parent Item Group,부모 항목 그룹
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0}에 대한 {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,코스트 센터
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,코스트 센터
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,공급 업체의 통화는 회사의 기본 통화로 변환하는 속도에
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},행 번호 {0} : 행과 타이밍 충돌 {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,평점 0 허용
@@ -3947,17 +3974,18 @@
DocType: Training Event Employee,Invited,초대
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,지정된 날짜에 대해 직원 {0}에 대해 발견 된 여러 활성 급여 구조
DocType: Opportunity,Next Contact,다음 연락
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,설치 게이트웨이를 차지한다.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,설치 게이트웨이를 차지한다.
DocType: Employee,Employment Type,고용 유형
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,고정 자산
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,고정 자산
DocType: Payment Entry,Set Exchange Gain / Loss,교환 게인을 설정 / 손실
+,GST Purchase Register,GST 구매 등록
,Cash Flow,현금 흐름
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,신청 기간은 2 alocation 기록을 통해 할 수 없습니다
DocType: Item Group,Default Expense Account,기본 비용 계정
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,학생 이메일 ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,학생 이메일 ID
DocType: Employee,Notice (days),공지 사항 (일)
DocType: Tax Rule,Sales Tax Template,판매 세 템플릿
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,송장을 저장하는 항목을 선택
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,송장을 저장하는 항목을 선택
DocType: Employee,Encashment Date,현금화 날짜
DocType: Training Event,Internet,인터넷
DocType: Account,Stock Adjustment,재고 조정
@@ -3986,7 +4014,7 @@
DocType: Guardian,Guardian Of ,의 가디언
DocType: Grading Scale Interval,Threshold,문지방
DocType: BOM Replace Tool,Current BOM,현재 BOM
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,일련 번호 추가
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,일련 번호 추가
apps/erpnext/erpnext/config/support.py +22,Warranty,보증
DocType: Purchase Invoice,Debit Note Issued,직불 주 발행
DocType: Production Order,Warehouses,창고
@@ -3995,20 +4023,20 @@
DocType: Workstation,per hour,시간당
apps/erpnext/erpnext/config/buying.py +7,Purchasing,구매
DocType: Announcement,Announcement,발표
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,웨어 하우스 (영구 재고)에 대한 계정은이 계정이 생성됩니다.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,재고 원장 항목이 창고에 존재하는웨어 하우스는 삭제할 수 없습니다.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","배치 기반 학생 그룹의 경우, 학생 배치는 프로그램 등록의 모든 학생에 대해 유효성이 검사됩니다."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,재고 원장 항목이 창고에 존재하는웨어 하우스는 삭제할 수 없습니다.
DocType: Company,Distribution,유통
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,지불 금액
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,프로젝트 매니저
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,프로젝트 매니저
,Quoted Item Comparison,인용 상품 비교
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,파견
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,최대 할인 품목을 허용 : {0} {1} %이
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,파견
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,최대 할인 품목을 허용 : {0} {1} %이
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,순자산 값에
DocType: Account,Receivable,받을 수있는
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,행 번호 {0} : 구매 주문이 이미 존재로 공급 업체를 변경할 수 없습니다
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,행 번호 {0} : 구매 주문이 이미 존재로 공급 업체를 변경할 수 없습니다
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,설정 신용 한도를 초과하는 거래를 제출하도록 허용 역할.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,제조 할 항목을 선택합니다
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","마스터 데이터 동기화, 그것은 시간이 걸릴 수 있습니다"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,제조 할 항목을 선택합니다
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","마스터 데이터 동기화, 그것은 시간이 걸릴 수 있습니다"
DocType: Item,Material Issue,소재 호
DocType: Hub Settings,Seller Description,판매자 설명
DocType: Employee Education,Qualification,자격
@@ -4028,7 +4056,6 @@
DocType: BOM,Rate Of Materials Based On,자료에 의거 한 속도
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,지원 Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,모두 선택 취소
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},회사는 창고에없는 {0}
DocType: POS Profile,Terms and Conditions,이용약관
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},현재까지의 회계 연도 내에 있어야합니다.날짜에 가정 = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","여기서 당신은 신장, 체중, 알레르기, 의료 문제 등 유지 관리 할 수 있습니다"
@@ -4043,19 +4070,18 @@
DocType: Sales Order Item,For Production,생산
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,보기 작업
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,귀하의 회계 연도가 시작됩니다
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead %
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead %
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,자산 감가 상각 및 잔액
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},금액은 {0} {1}에서 전송 {2}에 {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},금액은 {0} {1}에서 전송 {2}에 {3}
DocType: Sales Invoice,Get Advances Received,선불수취
DocType: Email Digest,Add/Remove Recipients,추가 /받는 사람을 제거
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},거래 정지 생산 오더에 대해 허용되지 {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},거래 정지 생산 오더에 대해 허용되지 {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",기본값으로이 회계 연도 설정하려면 '기본값으로 설정'을 클릭
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,어울리다
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,어울리다
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,부족 수량
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,항목 변형 {0} 같은 속성을 가진 존재
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,항목 변형 {0} 같은 속성을 가진 존재
DocType: Employee Loan,Repay from Salary,급여에서 상환
DocType: Leave Application,LAP/,무릎/
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},에 대한 지불을 요청 {0} {1} 금액에 대한 {2}
@@ -4066,34 +4092,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","패키지가 제공하는 슬립 포장 생성합니다.패키지 번호, 패키지 내용과 그 무게를 통보하는 데 사용됩니다."
DocType: Sales Invoice Item,Sales Order Item,판매 주문 품목
DocType: Salary Slip,Payment Days,지불 일
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,자식 노드와 창고가 원장으로 변환 할 수 없습니다
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,자식 노드와 창고가 원장으로 변환 할 수 없습니다
DocType: BOM,Manage cost of operations,작업의 비용 관리
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","체크 거래의 하나가 ""제출""하면, 이메일 팝업이 자동으로 첨부 파일로 트랜잭션, 트랜잭션에 관련된 ""연락처""로 이메일을 보내 열었다.사용자는 나 이메일을 보낼 수도 있고 그렇지 않을 수도 있습니다."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,전역 설정
DocType: Assessment Result Detail,Assessment Result Detail,평가 결과의 세부 사항
DocType: Employee Education,Employee Education,직원 교육
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,항목 그룹 테이블에서 발견 중복 항목 그룹
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,그것은 상품 상세을 가져 오기 위해 필요하다.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,그것은 상품 상세을 가져 오기 위해 필요하다.
DocType: Salary Slip,Net Pay,실질 임금
DocType: Account,Account,계정
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,일련 번호 {0}이 (가) 이미 수신 된
,Requested Items To Be Transferred,전송할 요청 항목
DocType: Expense Claim,Vehicle Log,차량 로그인
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","창고 {0} 모든 계정에 연결되지 않고, /웨어 하우스에 대한 대응 (자산) 계정을 연결 작성하시기 바랍니다."
DocType: Purchase Invoice,Recurring Id,경상 아이디
DocType: Customer,Sales Team Details,판매 팀의 자세한 사항
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,영구적으로 삭제 하시겠습니까?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,영구적으로 삭제 하시겠습니까?
DocType: Expense Claim,Total Claimed Amount,총 주장 금액
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,판매를위한 잠재적 인 기회.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},잘못된 {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,병가
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},잘못된 {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,병가
DocType: Email Digest,Email Digest,이메일 다이제스트
DocType: Delivery Note,Billing Address Name,청구 주소 이름
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,백화점
DocType: Warehouse,PIN,핀
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,ERPNext에 설치 학교
DocType: Sales Invoice,Base Change Amount (Company Currency),자료 변경 금액 (회사 통화)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,다음 창고에 대한 회계 항목이 없음
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,다음 창고에 대한 회계 항목이 없음
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,먼저 문서를 저장합니다.
DocType: Account,Chargeable,청구
DocType: Company,Change Abbreviation,변경 요약
@@ -4111,7 +4136,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,예상 배송 날짜는 구매 주문 날짜 전에 할 수 없습니다
DocType: Appraisal,Appraisal Template,평가 템플릿
DocType: Item Group,Item Classification,품목 분류
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,비즈니스 개발 매니저
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,비즈니스 개발 매니저
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,유지 보수 방문 목적
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,기간
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,원장
@@ -4121,8 +4146,8 @@
DocType: Item Attribute Value,Attribute Value,속성 값
,Itemwise Recommended Reorder Level,Itemwise는 재주문 수준에게 추천
DocType: Salary Detail,Salary Detail,급여 세부 정보
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,먼저 {0}를 선택하세요
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,항목의 일괄 {0} {1} 만료되었습니다.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,먼저 {0}를 선택하세요
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,항목의 일괄 {0} {1} 만료되었습니다.
DocType: Sales Invoice,Commission,위원회
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,제조 시간 시트.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,소계
@@ -4133,6 +4158,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`확정된 재고'는 `% d의 일보다 작아야한다.
DocType: Tax Rule,Purchase Tax Template,세금 템플릿을 구입
,Project wise Stock Tracking,프로젝트 현명한 재고 추적
+DocType: GST HSN Code,Regional,지역
DocType: Stock Entry Detail,Actual Qty (at source/target),실제 수량 (소스 / 대상에서)
DocType: Item Customer Detail,Ref Code,참조 코드
apps/erpnext/erpnext/config/hr.py +12,Employee records.,직원 기록.
@@ -4143,13 +4169,13 @@
DocType: Email Digest,New Purchase Orders,새로운 구매 주문
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,루트는 부모의 비용 센터를 가질 수 없습니다
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,선택 브랜드 ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,교육 이벤트 / 결과
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,등의 감가 상각 누계액
DocType: Sales Invoice,C-Form Applicable,해당 C-양식
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},작업 시간은 작업에 대한 0보다 큰 수 있어야 {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,창고는 필수입니다
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,창고는 필수입니다
DocType: Supplier,Address and Contacts,주소 및 연락처
DocType: UOM Conversion Detail,UOM Conversion Detail,UOM 변환 세부 사항
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),100 픽셀로 웹 친화적 인 900px (W)를 유지 (H)
DocType: Program,Program Abbreviation,프로그램의 약자
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,생산 주문은 항목 템플릿에 대해 제기 할 수 없습니다
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,요금은 각 항목에 대해 구매 영수증에 업데이트됩니다
@@ -4157,13 +4183,13 @@
DocType: Bank Guarantee,Start Date,시작 날짜
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,기간 동안 잎을 할당합니다.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,수표와 예금 잘못 삭제
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,계정 {0} : 당신은 부모 계정 자체를 할당 할 수 없습니다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,계정 {0} : 당신은 부모 계정 자체를 할당 할 수 없습니다
DocType: Purchase Invoice Item,Price List Rate,가격리스트 평가
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,고객 따옴표를 만들기
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","""재고""표시 또는 ""재고 부족""이 창고에 재고를 기반으로."
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),재료 명세서 (BOM)
DocType: Item,Average time taken by the supplier to deliver,공급 업체에 의해 촬영 평균 시간 제공하는
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,평가 결과
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,평가 결과
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,시간
DocType: Project,Expected Start Date,예상 시작 날짜
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,요금은 해당 항목에 적용 할 수없는 경우 항목을 제거
@@ -4177,25 +4203,24 @@
DocType: Workstation,Operating Costs,운영 비용
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,액션 월별 예산이 초과 축적 된 경우
DocType: Purchase Invoice,Submit on creation,창조에 제출
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},환율 {0}해야합니다에 대한 {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},환율 {0}해야합니다에 대한 {1}
DocType: Asset,Disposal Date,폐기 날짜
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","그들은 휴일이없는 경우 이메일은, 주어진 시간에 회사의 모든 Active 직원에 전송됩니다. 응답 요약 자정에 전송됩니다."
DocType: Employee Leave Approver,Employee Leave Approver,직원 허가 승인자
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},행 {0} : 재주문 항목이 이미이웨어 하우스 존재 {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},행 {0} : 재주문 항목이 이미이웨어 하우스 존재 {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","손실로 견적이되었습니다 때문에, 선언 할 수 없습니다."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,교육 피드백
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,생산 오더 {0} 제출해야합니다
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,생산 오더 {0} 제출해야합니다
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},시작 날짜와 항목에 대한 종료 날짜를 선택하세요 {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},코스 행의 필수 {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,지금까지 날로부터 이전 할 수 없습니다
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc의 문서 종류
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,가격 추가/편집
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,가격 추가/편집
DocType: Batch,Parent Batch,상위 일괄 처리
DocType: Batch,Parent Batch,상위 일괄 처리
DocType: Cheque Print Template,Cheque Print Template,수표 인쇄 템플릿
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,코스트 센터의 차트
,Requested Items To Be Ordered,주문 요청 항목
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,창고 회사는 계정 회사로 동일해야합니다
DocType: Price List,Price List Name,가격리스트 이름
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},일일 작업 요약 {0}
DocType: Employee Loan,Totals,합계
@@ -4217,55 +4242,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,유효 모바일 NOS를 입력 해주십시오
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,전송하기 전에 메시지를 입력 해주세요
DocType: Email Digest,Pending Quotations,견적을 보류
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,판매 시점 프로필
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,판매 시점 프로필
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,SMS 설정을 업데이트하십시오
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,무담보 대출
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,무담보 대출
DocType: Cost Center,Cost Center Name,코스트 센터의 이름
DocType: Employee,B+,B의 +
DocType: HR Settings,Max working hours against Timesheet,최대 작업 표에 대해 근무 시간
DocType: Maintenance Schedule Detail,Scheduled Date,예약 된 날짜
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,총 유료 AMT 사의
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,총 유료 AMT 사의
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 자보다 큰 메시지는 여러 개의 메시지로 분할됩니다
DocType: Purchase Receipt Item,Received and Accepted,접수 및 승인
+,GST Itemised Sales Register,GST 항목 별 판매 등록
,Serial No Service Contract Expiry,일련 번호 서비스 계약 유효
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,당신은 신용과 같은 시간에 같은 계좌에서 금액을 인출 할 수 없습니다
DocType: Naming Series,Help HTML,도움말 HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,학생 그룹 생성 도구
DocType: Item,Variant Based On,변형 기반에
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},할당 된 총 weightage 100 %이어야한다.그것은 {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,공급 업체
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,공급 업체
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,판매 주문이 이루어질으로 분실로 설정할 수 없습니다.
DocType: Request for Quotation Item,Supplier Part No,공급 업체 부품 번호
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',카테고리는 '평가'또는 'Vaulation과 전체'에 대한 때 공제 할 수 없음
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,에서 수신
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,에서 수신
DocType: Lead,Converted,변환
DocType: Item,Has Serial No,시리얼 No에게 있습니다
DocType: Employee,Date of Issue,발행일
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}에서 {0}에 대한 {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","구매 요청이 필요한 경우 구매 설정에 따라 == '예', 구매 송장 생성을 위해 사용자는 {0} 품목의 구매 영수증을 먼저 생성해야합니다."
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},행 번호 {0} 항목에 대한 설정 공급 업체 {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,행 {0} : 시간의 값은 0보다 커야합니다.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,부품 {1}에 연결된 웹 사이트 콘텐츠 {0}를 찾을 수없는
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,부품 {1}에 연결된 웹 사이트 콘텐츠 {0}를 찾을 수없는
DocType: Issue,Content Type,컨텐츠 유형
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,컴퓨터
DocType: Item,List this Item in multiple groups on the website.,웹 사이트에 여러 그룹에이 항목을 나열합니다.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,다른 통화와 계정을 허용하는 다중 통화 옵션을 확인하시기 바랍니다
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,상품 : {0} 시스템에 존재하지 않을
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,당신은 고정 된 값을 설정할 수있는 권한이 없습니다
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,상품 : {0} 시스템에 존재하지 않을
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,당신은 고정 된 값을 설정할 수있는 권한이 없습니다
DocType: Payment Reconciliation,Get Unreconciled Entries,비 조정 항목을보세요
DocType: Payment Reconciliation,From Invoice Date,송장 일로부터
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,결제 통화 중 기본의 comapany의 통화 또는 파티 계정 통화와 동일해야합니다
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,현금화를 남겨
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,그것은 무엇을 하는가?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,결제 통화 중 기본의 comapany의 통화 또는 파티 계정 통화와 동일해야합니다
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,현금화를 남겨
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,그것은 무엇을 하는가?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,창고
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,모든 학생 입학
,Average Commission Rate,평균위원회 평가
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,'시리얼 번호를 가지고 있음'의 경우 무재고 항목에 대해 '예'일 수 없습니다
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'시리얼 번호를 가지고 있음'의 경우 무재고 항목에 대해 '예'일 수 없습니다
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,출석은 미래의 날짜에 표시 할 수 없습니다
DocType: Pricing Rule,Pricing Rule Help,가격 규칙 도움말
DocType: School House,House Name,집 이름
DocType: Purchase Taxes and Charges,Account Head,계정 헤드
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,상품의 도착 비용을 계산하기 위해 추가적인 비용을 업데이트
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,전기의
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,전기의
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,사용자로 조직의 나머지 부분을 추가합니다. 또한 연락처에서 추가하여 포털에 고객을 초대 추가 할 수 있습니다
DocType: Stock Entry,Total Value Difference (Out - In),총 가치 차이 (아웃 -에서)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,행 {0} : 환율은 필수입니다
@@ -4275,7 +4302,7 @@
DocType: Item,Customer Code,고객 코드
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},생일 알림 {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,일 이후 마지막 주문
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,계정에 직불는 대차 대조표 계정이어야합니다
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,계정에 직불는 대차 대조표 계정이어야합니다
DocType: Buying Settings,Naming Series,시리즈 이름 지정
DocType: Leave Block List,Leave Block List Name,차단 목록의 이름을 남겨주세요
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,보험 시작일은 보험 종료일보다 작아야합니다
@@ -4290,27 +4317,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},직원의 급여 슬립 {0} 이미 시간 시트 생성 {1}
DocType: Vehicle Log,Odometer,주행 거리계
DocType: Sales Order Item,Ordered Qty,수량 주문
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,항목 {0} 사용할 수 없습니다
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,항목 {0} 사용할 수 없습니다
DocType: Stock Settings,Stock Frozen Upto,재고 동결 개까지
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM은 재고 아이템을 포함하지 않는
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM은 재고 아이템을 포함하지 않는
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},에서와 기간 반복 필수 날짜로 기간 {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,프로젝트 활동 / 작업.
DocType: Vehicle Log,Refuelling Details,급유 세부 사항
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,급여 전표 생성
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}",해당 법령에가로 선택된 경우 구매 확인해야합니다 {0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}",해당 법령에가로 선택된 경우 구매 확인해야합니다 {0}
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,할인 100 미만이어야합니다
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,마지막 구매 비율을 찾을 수 없습니다
DocType: Purchase Invoice,Write Off Amount (Company Currency),금액을 상각 (회사 통화)
DocType: Sales Invoice Timesheet,Billing Hours,결제 시간
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,{0}를 찾을 수 없습니다에 대한 기본 BOM
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,행 번호 {0} : 재주문 수량을 설정하세요
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,행 번호 {0} : 재주문 수량을 설정하세요
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,항목을 탭하여 여기에 추가하십시오.
DocType: Fees,Program Enrollment,프로그램 등록
DocType: Landed Cost Voucher,Landed Cost Voucher,착륙 비용 바우처
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},설정하십시오 {0}
DocType: Purchase Invoice,Repeat on Day of Month,이달의 날 반복
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1}은 (는) 비활성 학생입니다.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1}은 (는) 비활성 학생입니다.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1}은 (는) 비활성 학생입니다.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1}은 (는) 비활성 학생입니다.
DocType: Employee,Health Details,건강의 자세한 사항
DocType: Offer Letter,Offer Letter Terms,편지 약관 제공
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,지불 요청 참조 문서를 작성하려면 필수 항목입니다.
@@ -4333,7 +4360,7 @@
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","예 :. 시리즈가 설정되고 일련 번호가 트랜잭션에 언급되지 않은 경우 ABCD #####
후 자동 일련 번호는이 시리즈를 기반으로 생성됩니다.당신은 항상 명시 적으로이 항목에 대한 일련 번호를 언급합니다. 이 비워 둡니다."
DocType: Upload Attendance,Upload Attendance,출석 업로드
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM 및 제조 수량이 필요합니다
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM 및 제조 수량이 필요합니다
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,고령화 범위 2
DocType: SG Creation Tool Course,Max Strength,최대 강도
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM 교체
@@ -4343,8 +4370,8 @@
,Prospects Engaged But Not Converted,잠재 고객은 참여했지만 전환하지 않았습니다.
DocType: Manufacturing Settings,Manufacturing Settings,제조 설정
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,이메일 설정
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 모바일 없음
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,회사 마스터에 기본 통화를 입력 해주십시오
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 모바일 없음
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,회사 마스터에 기본 통화를 입력 해주십시오
DocType: Stock Entry Detail,Stock Entry Detail,재고 입력 상세
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,매일 알림
DocType: Products Settings,Home Page is Products,홈 페이지는 제품입니다
@@ -4353,7 +4380,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,새 계정 이름
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,원료 공급 비용
DocType: Selling Settings,Settings for Selling Module,모듈 판매에 대한 설정
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,고객 서비스
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,고객 서비스
DocType: BOM,Thumbnail,미리보기
DocType: Item Customer Detail,Item Customer Detail,항목을 고객의 세부 사항
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,제공 후보 작업.
@@ -4362,7 +4389,7 @@
DocType: Pricing Rule,Percentage,백분율
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,{0} 항목을 재고 품목 수 있어야합니다
DocType: Manufacturing Settings,Default Work In Progress Warehouse,진행웨어 하우스의 기본 작업
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,회계 거래의 기본 설정.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,회계 거래의 기본 설정.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,예상 날짜 자료 요청 날짜 이전 할 수 없습니다
DocType: Purchase Invoice Item,Stock Qty,재고 수량
@@ -4376,10 +4403,10 @@
DocType: Sales Order,Printing Details,인쇄 세부 사항
DocType: Task,Closing Date,마감일
DocType: Sales Order Item,Produced Quantity,생산 수량
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,기사
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,기사
DocType: Journal Entry,Total Amount Currency,합계 금액 통화
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,검색 서브 어셈블리
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},행 번호에 필요한 상품 코드 {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},행 번호에 필요한 상품 코드 {0}
DocType: Sales Partner,Partner Type,파트너 유형
DocType: Purchase Taxes and Charges,Actual,실제
DocType: Authorization Rule,Customerwise Discount,Customerwise 할인
@@ -4396,11 +4423,11 @@
DocType: Item Reorder,Re-Order Level,다시 주문 수준
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,당신이 생산 주문을 올리거나 분석을위한 원시 자료를 다운로드하고자하는 항목 및 계획 수량을 입력합니다.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt 차트
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,파트 타임으로
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,파트 타임으로
DocType: Employee,Applicable Holiday List,해당 휴일 목록
DocType: Employee,Cheque,수표
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,시리즈 업데이트
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,보고서 유형이 필수입니다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,보고서 유형이 필수입니다
DocType: Item,Serial Number Series,일련 번호 시리즈
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},창고 재고 상품의 경우 필수 {0} 행에서 {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,소매 및 도매
@@ -4422,7 +4449,7 @@
DocType: BOM,Materials,도구
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","선택되지 않으면, 목록은인가되는 각 부서가 여기에 첨가되어야 할 것이다."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,소스 및 대상웨어 하우스는 동일 할 수 없습니다
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,게시 날짜 및 게시 시간이 필수입니다
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,게시 날짜 및 게시 시간이 필수입니다
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,트랜잭션을 구입을위한 세금 템플릿.
,Item Prices,상품 가격
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,당신이 구매 주문을 저장 한 단어에서 볼 수 있습니다.
@@ -4432,22 +4459,23 @@
DocType: Purchase Invoice,Advance Payments,사전 지불
DocType: Purchase Taxes and Charges,On Net Total,인터넷 전체에
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},{0} 속성에 대한 값의 범위 내에 있어야합니다 {1}에 {2}의 단위 {3} 항목에 대한 {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,행의 목표웨어 하우스가 {0}과 동일해야합니다 생산 주문
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,행의 목표웨어 하우스가 {0}과 동일해야합니다 생산 주문
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,% s을 (를) 반복되는 지정되지 않은 '알림 이메일 주소'
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,환율이 다른 통화를 사용하여 항목을 한 후 변경할 수 없습니다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,환율이 다른 통화를 사용하여 항목을 한 후 변경할 수 없습니다
DocType: Vehicle Service,Clutch Plate,클러치 플레이트
DocType: Company,Round Off Account,반올림
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,관리비
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,관리비
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,컨설팅
DocType: Customer Group,Parent Customer Group,상위 고객 그룹
DocType: Purchase Invoice,Contact Email,담당자 이메일
DocType: Appraisal Goal,Score Earned,점수 획득
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,통지 기간
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,통지 기간
DocType: Asset Category,Asset Category Name,자산 범주 이름
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,이 루트 영토 및 편집 할 수 없습니다.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,새로운 판매 사람 이름
DocType: Packing Slip,Gross Weight UOM,총중량 UOM
DocType: Delivery Note Item,Against Sales Invoice,견적서에 대하여
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,일련 번호가 지정된 항목의 일련 번호를 입력하십시오.
DocType: Bin,Reserved Qty for Production,생산 수량 예약
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,과정 기반 그룹을 만드는 동안 배치를 고려하지 않으려면 선택하지 마십시오.
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,과정 기반 그룹을 만드는 동안 일괄 처리를 고려하지 않으려면 선택하지 않습니다.
@@ -4456,25 +4484,25 @@
DocType: Landed Cost Item,Landed Cost Item,착륙 비용 항목
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,0 값을보기
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,원료의 부여 수량에서 재 포장 / 제조 후의 아이템의 수량
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,설정 내 조직에 대한 간단한 웹 사이트
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,설정 내 조직에 대한 간단한 웹 사이트
DocType: Payment Reconciliation,Receivable / Payable Account,채권 / 채무 계정
DocType: Delivery Note Item,Against Sales Order Item,판매 주문 항목에 대하여
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},속성에 대한 속성 값을 지정하십시오 {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},속성에 대한 속성 값을 지정하십시오 {0}
DocType: Item,Default Warehouse,기본 창고
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},예산은 그룹 계정에 할당 할 수 없습니다 {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,부모의 비용 센터를 입력 해주십시오
DocType: Delivery Note,Print Without Amount,금액없이 인쇄
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,감가 상각 날짜
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,세금의 종류는 '평가'또는 '평가 및 전체'모든 항목은 비 재고 품목이기 때문에 할 수 없습니다
DocType: Issue,Support Team,지원 팀
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),(일) 만료
DocType: Appraisal,Total Score (Out of 5),전체 점수 (5 점 만점)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,일괄처리
+DocType: Student Attendance Tool,Batch,일괄처리
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,잔고
DocType: Room,Seating Capacity,좌석
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),총 경비 요청 (비용 청구를 통해)
+DocType: GST Settings,GST Summary,GST 요약
DocType: Assessment Result,Total Score,총 점수
DocType: Journal Entry,Debit Note,직불 주
DocType: Stock Entry,As per Stock UOM,재고당 측정단위
@@ -4486,12 +4514,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,기본 완제품 창고
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,영업 사원
DocType: SMS Parameter,SMS Parameter,SMS 매개 변수
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,예산 및 비용 센터
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,예산 및 비용 센터
DocType: Vehicle Service,Half Yearly,반년
DocType: Lead,Blog Subscriber,블로그 구독자
DocType: Guardian,Alternate Number,다른 번호
DocType: Assessment Plan Criteria,Maximum Score,최대 점수
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,값을 기준으로 거래를 제한하는 규칙을 만듭니다.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,그룹 롤 번호
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,1 년에 학생 그룹을 만들면 비워 둡니다.
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,1 년에 학생 그룹을 만들면 비워 둡니다.
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","이 옵션을 선택하면 총 없음. 작업 일의 휴일을 포함하며,이 급여 당 일의 가치를 감소시킬 것이다"
@@ -4511,6 +4540,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,이이 고객에 대한 거래를 기반으로합니다. 자세한 내용은 아래 일정을 참조하십시오
DocType: Supplier,Credit Days Based On,신용 일을 기준으로
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},행 {0} : 할당 된 양 {1} 미만 또는 결제 항목의 금액과 동일합니다 {2}
+,Course wise Assessment Report,코스 현명한 평가 보고서
DocType: Tax Rule,Tax Rule,세금 규칙
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,판매주기 전반에 걸쳐 동일한 비율을 유지
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,워크 스테이션 근무 시간 외에 시간 로그를 계획합니다.
@@ -4519,7 +4549,7 @@
,Items To Be Requested,요청 할 항목
DocType: Purchase Order,Get Last Purchase Rate,마지막 구매께서는보세요
DocType: Company,Company Info,회사 소개
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,선택하거나 새로운 고객을 추가
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,선택하거나 새로운 고객을 추가
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,비용 센터 비용 청구를 예약 할 필요
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),펀드의 응용 프로그램 (자산)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,이이 직원의 출석을 기반으로
@@ -4527,27 +4557,29 @@
DocType: Fiscal Year,Year Start Date,년 시작 날짜
DocType: Attendance,Employee Name,직원 이름
DocType: Sales Invoice,Rounded Total (Company Currency),둥근 합계 (회사 통화)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,계정 유형을 선택하기 때문에 그룹을 변환 할 수 없습니다.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,계정 유형을 선택하기 때문에 그룹을 변환 할 수 없습니다.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} 수정되었습니다.새로 고침하십시오.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,다음과 같은 일에 허가 신청을하는 사용자가 중지합니다.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,구매 금액
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,공급 업체의 견적 {0} 작성
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,종료 연도는 시작 연도 이전 될 수 없습니다
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,종업원 급여
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,종업원 급여
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},{0} 행에서 {1} 포장 수량의 수량을 동일해야합니다
DocType: Production Order,Manufactured Qty,제조 수량
DocType: Purchase Receipt Item,Accepted Quantity,허용 수량
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},직원에 대한 기본 홀리데이 목록을 설정하십시오 {0} 또는 회사 {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0} : {1} 수행하지 존재
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0} : {1} 수행하지 존재
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,배치 번호 선택
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,고객에게 제기 지폐입니다.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,프로젝트 ID
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},행 번호 {0} : 금액 경비 요청 {1}에 대해 금액을 보류보다 클 수 없습니다. 등록되지 않은 금액은 {2}
DocType: Maintenance Schedule,Schedule,일정
DocType: Account,Parent Account,부모 계정
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,사용 가능함
DocType: Quality Inspection Reading,Reading 3,3 읽기
,Hub,허브
DocType: GL Entry,Voucher Type,바우처 유형
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,가격 목록 발견되지 않았거나 비활성화
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,가격 목록 발견되지 않았거나 비활성화
DocType: Employee Loan Application,Approved,인가 된
DocType: Pricing Rule,Price,가격
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0}에 안심 직원은 '왼쪽'으로 설정해야합니다
@@ -4558,7 +4590,8 @@
DocType: Selling Settings,Campaign Naming By,캠페인 이름 지정으로
DocType: Employee,Current Address Is,현재 주소는
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,수정 된
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","선택 사항. 지정하지 않을 경우, 회사의 기본 통화를 설정합니다."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","선택 사항. 지정하지 않을 경우, 회사의 기본 통화를 설정합니다."
+DocType: Sales Invoice,Customer GSTIN,고객 GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,회계 분개.
DocType: Delivery Note Item,Available Qty at From Warehouse,창고에서 이용 가능한 수량
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,먼저 직원 레코드를 선택하십시오.
@@ -4566,7 +4599,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},행 {0} : 파티 / 계정과 일치하지 않는 {1} / {2}에서 {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,비용 계정을 입력하십시오
DocType: Account,Stock,재고
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",행 번호 {0} 참조 문서 형식은 구매 주문 중 하나를 구매 송장 또는 분개해야합니다
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",행 번호 {0} 참조 문서 형식은 구매 주문 중 하나를 구매 송장 또는 분개해야합니다
DocType: Employee,Current Address,현재 주소
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","명시 적으로 지정하지 않는 항목은 다음 설명, 이미지, 가격은 세금이 템플릿에서 설정됩니다 등 다른 항목의 변형 인 경우"
DocType: Serial No,Purchase / Manufacture Details,구매 / 제조 세부 사항
@@ -4579,8 +4612,8 @@
DocType: Pricing Rule,Min Qty,최소 수량
DocType: Asset Movement,Transaction Date,거래 날짜
DocType: Production Plan Item,Planned Qty,계획 수량
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,총 세금
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,수량 (수량 제조) 필수
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,총 세금
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,수량 (수량 제조) 필수
DocType: Stock Entry,Default Target Warehouse,기본 대상 창고
DocType: Purchase Invoice,Net Total (Company Currency),합계액 (회사 통화)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,올해 종료 날짜는 연도 시작 날짜보다 이전이 될 수 없습니다. 날짜를 수정하고 다시 시도하십시오.
@@ -4594,15 +4627,12 @@
DocType: Hub Settings,Hub Settings,허브 설정
DocType: Project,Gross Margin %,매출 총 이익률의 %
DocType: BOM,With Operations,운영과
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,회계 항목이 이미 통화로 된 {0} 회사의 {1}. 통화와 채권 또는 채무 계정을 선택하세요 {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,회계 항목이 이미 통화로 된 {0} 회사의 {1}. 통화와 채권 또는 채무 계정을 선택하세요 {0}.
DocType: Asset,Is Existing Asset,자산을 기존됩니다
DocType: Salary Detail,Statistical Component,통계 구성 요소
DocType: Salary Detail,Statistical Component,통계 구성 요소
-,Monthly Salary Register,월급 등록
DocType: Warranty Claim,If different than customer address,만약 고객 주소와 다른
DocType: BOM Operation,BOM Operation,BOM 운영
-DocType: School Settings,Validate the Student Group from Program Enrollment,프로그램 등록에서 학생 그룹 확인
-DocType: School Settings,Validate the Student Group from Program Enrollment,프로그램 등록에서 학생 그룹 확인
DocType: Purchase Taxes and Charges,On Previous Row Amount,이전 행의 양에
DocType: Student,Home Address,집 주소
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,전송 자산
@@ -4610,28 +4640,27 @@
DocType: Training Event,Event Name,이벤트 이름
apps/erpnext/erpnext/config/schools.py +39,Admission,입장
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},대한 입학 {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","설정 예산, 목표 등 계절성"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","{0} 항목 템플릿이며, 그 변종 중 하나를 선택하십시오"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","설정 예산, 목표 등 계절성"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","{0} 항목 템플릿이며, 그 변종 중 하나를 선택하십시오"
DocType: Asset,Asset Category,자산의 종류
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,구매자
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,순 임금은 부정 할 수 없습니다
DocType: SMS Settings,Static Parameters,정적 매개 변수
DocType: Assessment Plan,Room,방
DocType: Purchase Order,Advance Paid,사전 유료
DocType: Item,Item Tax,상품의 세금
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,공급 업체에 소재
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,소비세 송장
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,소비세 송장
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0} %가 한 번 이상 나타납니다
DocType: Expense Claim,Employees Email Id,직원 이드 이메일
DocType: Employee Attendance Tool,Marked Attendance,표시된 출석
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,유동 부채
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,유동 부채
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,상대에게 대량 SMS를 보내기
DocType: Program,Program Name,프로그램 이름
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,세금이나 요금에 대한 고려
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,실제 수량은 필수입니다
DocType: Employee Loan,Loan Type,대출 유형
DocType: Scheduling Tool,Scheduling Tool,예약 도구
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,신용카드
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,신용카드
DocType: BOM,Item to be manufactured or repacked,제조 또는 재 포장 할 항목
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,재고 거래의 기본 설정.
DocType: Purchase Invoice,Next Date,다음 날짜
@@ -4647,10 +4676,10 @@
DocType: Stock Entry,Repack,재 포장
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,당신은 진행하기 전에 양식을 저장해야합니다
DocType: Item Attribute,Numeric Values,숫자 값
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,로고 첨부
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,로고 첨부
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,재고 수준
DocType: Customer,Commission Rate,위원회 평가
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,변형을 확인
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,변형을 확인
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,부서에서 허가 응용 프로그램을 차단합니다.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","결제 유형, 수신 중 하나가 될 지불하고 내부 전송합니다"
apps/erpnext/erpnext/config/selling.py +179,Analytics,분석
@@ -4658,45 +4687,45 @@
DocType: Vehicle,Model,모델
DocType: Production Order,Actual Operating Cost,실제 운영 비용
DocType: Payment Entry,Cheque/Reference No,수표 / 참조 없음
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,루트는 편집 할 수 없습니다.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,루트는 편집 할 수 없습니다.
DocType: Item,Units of Measure,측정 단위
DocType: Manufacturing Settings,Allow Production on Holidays,휴일에 생산 허용
DocType: Sales Order,Customer's Purchase Order Date,고객의 구매 주문 날짜
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,자본금
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,자본금
DocType: Shopping Cart Settings,Show Public Attachments,공용 첨부 파일 표시
DocType: Packing Slip,Package Weight Details,포장 무게 세부 정보
DocType: Payment Gateway Account,Payment Gateway Account,지불 게이트웨이 계정
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,결제 완료 후 선택한 페이지로 사용자를 리디렉션.
DocType: Company,Existing Company,기존 회사
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",모든 품목이 비 재고 품목이므로 Tax Category가 "Total"로 변경되었습니다.
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,CSV 파일을 선택하세요
DocType: Student Leave Application,Mark as Present,현재로 표시
DocType: Purchase Order,To Receive and Bill,수신 및 법안
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,주요 제품
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,디자이너
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,디자이너
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,이용 약관 템플릿
DocType: Serial No,Delivery Details,납품 세부 사항
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},비용 센터가 행에 필요한 {0} 세금 테이블의 유형에 대한 {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},비용 센터가 행에 필요한 {0} 세금 테이블의 유형에 대한 {1}
DocType: Program,Program Code,프로그램 코드
DocType: Terms and Conditions,Terms and Conditions Help,이용 약관 도움말
,Item-wise Purchase Register,상품 현명한 구매 등록
DocType: Batch,Expiry Date,유효 기간
-,Supplier Addresses and Contacts,공급 업체 주소 및 연락처
,accounts-browser,계정 브라우저
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,첫 번째 범주를 선택하십시오
apps/erpnext/erpnext/config/projects.py +13,Project master.,프로젝트 마스터.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.",주식 설정 또는 항목에 "수당"을 업데이트 청구 오버 또는 과잉 주문 가능합니다.
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.",주식 설정 또는 항목에 "수당"을 업데이트 청구 오버 또는 과잉 주문 가능합니다.
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,다음 통화 $ 등과 같은 모든 기호를 표시하지 마십시오.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(반나절)
DocType: Supplier,Credit Days,신용 일
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,학생 배치 확인
DocType: Leave Type,Is Carry Forward,이월된다
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,BOM에서 항목 가져 오기
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,BOM에서 항목 가져 오기
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,시간 일 리드
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},행 # {0} : 날짜를 게시하면 구입 날짜와 동일해야합니다 {1} 자산의 {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},행 # {0} : 날짜를 게시하면 구입 날짜와 동일해야합니다 {1} 자산의 {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,위의 표에 판매 주문을 입력하세요
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,급여 전표 제출하지 않음
,Stock Summary,재고 요약
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,다른 한 창고에서 자산을 이동
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,다른 한 창고에서 자산을 이동
DocType: Vehicle,Petrol,가솔린
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,재료 명세서 (BOM)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},행 {0} : 파티 형 파티는 채권 / 채무 계정이 필요합니다 {1}
@@ -4707,6 +4736,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,제재 금액
DocType: GL Entry,Is Opening,개시
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},행 {0} 차변 항목과 링크 될 수 없다 {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,계정 {0}이 (가) 없습니다
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,계정 {0}이 (가) 없습니다
DocType: Account,Cash,자금
DocType: Employee,Short biography for website and other publications.,웹 사이트 및 기타 간행물에 대한 짧은 전기.
diff --git a/erpnext/translations/ku.csv b/erpnext/translations/ku.csv
index 40051b6..a99ffd3 100644
--- a/erpnext/translations/ku.csv
+++ b/erpnext/translations/ku.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Products Serfkaran
DocType: Item,Customer Items,Nawy mişterî
DocType: Project,Costing and Billing,Bi qurûşekî û Billing
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Account {0}: account Parent {1} nikare bibe ledger
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Account {0}: account Parent {1} nikare bibe ledger
DocType: Item,Publish Item to hub.erpnext.com,Weşana babet bi hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,Notifications Email
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Nirxandin
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,Nirxandin
DocType: Item,Default Unit of Measure,Default Unit ji Measure
DocType: SMS Center,All Sales Partner Contact,Hemû Sales Partner Contact
DocType: Employee,Leave Approvers,Dev ji Approvers
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Exchange Rate divê eynî wek {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Navê mişterî
DocType: Vehicle,Natural Gas,Gaza natûral
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},hesabê bankê dikare wekî ne bê bi navê {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},hesabê bankê dikare wekî ne bê bi navê {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Serên (an jî Komên) dijî ku Arşîva Accounting bi made û hevsengiyên parast in.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Outstanding ji bo {0} nikare were kêmî ji sifir ({1})
DocType: Manufacturing Settings,Default 10 mins,Default 10 mins
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Hemû Supplier Contact
DocType: Support Settings,Support Settings,Mîhengên piştgiriya
DocType: SMS Parameter,Parameter,parametreyê
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Hêvîkirin End Date nikare bibe kêmtir ji hêvîkirin Date Start
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Hêvîkirin End Date nikare bibe kêmtir ji hêvîkirin Date Start
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"Row # {0} ye: Pûan bide, divê heman be {1}: {2} ({3} / {4})"
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,New Leave Application
,Batch Item Expiry Status,Batch babet Status Expiry
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,pêşnûmeya Bank
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,pêşnûmeya Bank
DocType: Mode of Payment Account,Mode of Payment Account,Mode of Account Payment
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Show Variants
DocType: Academic Term,Academic Term,Term (Ekadîmî)
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Mal
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Jimarî
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,table Hesabên nikare bibe vala.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Deyn (Deynên)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Deyn (Deynên)
DocType: Employee Education,Year of Passing,Sal ji Dr.Kemal
DocType: Item,Country of Origin,Welatê jêderk
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,Ez bêzarim
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,Ez bêzarim
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Issues vekirî
DocType: Production Plan Item,Production Plan Item,Production Plan babetî
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Bikarhêner {0} ji niha ve ji bo karkirinê rêdan {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Parastina saxlemîyê
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Delay di peredana (Days)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Expense Service
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Hejmara Serial: {0} jixwe li Sales bi fatûreyên referans: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Hejmara Serial: {0} jixwe li Sales bi fatûreyên referans: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Biha
DocType: Maintenance Schedule Item,Periodicity,Periodicity
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Sal malî {0} pêwîst e
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Row # {0}:
DocType: Timesheet,Total Costing Amount,Temamê meblaxa bi qurûşekî
DocType: Delivery Note,Vehicle No,Vehicle No
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,Ji kerema xwe ve List Price hilbijêre
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Ji kerema xwe ve List Price hilbijêre
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: belgeya Payment pêwîst e ji bo temamkirina trasaction
DocType: Production Order Operation,Work In Progress,Kar berdewam e
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Ji kerema xwe ve date hilbijêre
DocType: Employee,Holiday List,Lîsteya Holiday
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Hesabdar
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Hesabdar
DocType: Cost Center,Stock User,Stock Bikarhêner
DocType: Company,Phone No,Phone No
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Schedules Kurs tên afirandin:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},New {0}: {1}
,Sales Partners Commission,Komîsyona Partners Sales
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Abbreviation dikarin zêdetir ji 5 characters ne xwedî
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Abbreviation dikarin zêdetir ji 5 characters ne xwedî
DocType: Payment Request,Payment Request,Daxwaza Payment
DocType: Asset,Value After Depreciation,Nirx Piştî Farhad.
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,date Beşdariyê nikare bibe kêmtir ji date tevlî karker ya
DocType: Grading Scale,Grading Scale Name,Qarneya Name Scale
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Ev hesabê root e û ne jî dikarim di dahatûyê de were.
+DocType: Sales Invoice,Company Address,Company Address
DocType: BOM,Operations,operasyonên
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Can destûr li ser bingeha Discount bo set ne {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Attach .csv file bi du stûnên, yek ji bo ku bi navê kevin û yek jî ji bo navê xwe yê nû"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ne jî di tu aktîv sala diravî.
DocType: Packed Item,Parent Detail docname,docname Detail dê û bav
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","World: Kurdî: {0}, Code babet: {1} û Mişterî: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,kg
DocType: Student Log,Log,Rojname
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Vekirina ji bo Job.
DocType: Item Attribute,Increment,Increment
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Reqlam
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,"Di heman şirketê de ye ketin, ji carekê zêdetir"
DocType: Employee,Married,Zewicî
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},ji bo destûr ne {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},ji bo destûr ne {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Get tomar ji
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Stock dikare li hember Delivery Têbînî ne bê ewe {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Stock dikare li hember Delivery Têbînî ne bê ewe {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Product {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,No tomar di lîsteyê de
DocType: Payment Reconciliation,Reconcile,li hev
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Next Date Farhad. Nikarim li ber Date Purchase be
DocType: SMS Center,All Sales Person,Hemû Person Sales
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Belavkariya Ayda ** alîkariya te dike belavkirin Budçeya / Armanc seranser mehan Eger tu dzanî seasonality di karê xwe.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Ne tumar hatin dîtin
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Ne tumar hatin dîtin
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Missing Structure meaş
DocType: Lead,Person Name,Navê kesê
DocType: Sales Invoice Item,Sales Invoice Item,Babetê firotina bi fatûreyên
DocType: Account,Credit,Krêdî
DocType: POS Profile,Write Off Cost Center,Hewe Off Navenda Cost
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",eg "Dibistana Seretayî" an "University"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",eg "Dibistana Seretayî" an "University"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Reports Stock
DocType: Warehouse,Warehouse Detail,Detail warehouse
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},limit Credit hatiye dîtin ji bo mişterî re derbas {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},limit Credit hatiye dîtin ji bo mişterî re derbas {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,The Date Term End ne dikarin paşê ji Date Sal End of the Year (Ekadîmî) ji bo ku di dema girêdayî be (Year (Ekadîmî) {}). Ji kerema xwe re li rojên bike û careke din biceribîne.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Ma Asset Fixed" nikare bibe nedixwest, wek record Asset li dijî babete heye"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Ma Asset Fixed" nikare bibe nedixwest, wek record Asset li dijî babete heye"
DocType: Vehicle Service,Brake Oil,Oil şikand
DocType: Tax Rule,Tax Type,Type bacê
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Destûra te tune ku lê zêde bike an update entries berî {0}
DocType: BOM,Item Image (if not slideshow),Wêne Babetê (eger Mîhrîcana ne)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,An Mişterî ya bi heman navî heye
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Saet Rate / 60) * Time Actual Operation
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Hilbijêre BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Hilbijêre BOM
DocType: SMS Log,SMS Log,SMS bike Têkeve Têkeve
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Cost ji Nawy Çiyan
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Cejna li ser {0} e di navbera From Date û To Date ne
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Ji {0} ji bo {1}
DocType: Item,Copy From Item Group,Copy Ji babetî Pula
DocType: Journal Entry,Opening Entry,Peyam di roja vekirina
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Mişterî> Mişterî Pol> Herêma
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Account Pay Tenê
DocType: Employee Loan,Repay Over Number of Periods,Bergîdana Hejmara Over ji Maweya
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} di jimartin ne re hatî dayîn {2}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} di jimartin ne re hatî dayîn {2}
DocType: Stock Entry,Additional Costs,Xercên din
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Account bi mêjera yên heyî dikarin bi komeke ne bê guhertin.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Account bi mêjera yên heyî dikarin bi komeke ne bê guhertin.
DocType: Lead,Product Enquiry,Lêpirsînê ya Product
DocType: Academic Term,Schools,dibistanên
+DocType: School Settings,Validate Batch for Students in Student Group,Validate Batch bo Xwendekarên li Komeleya Xwendekarên
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},No record îzna dîtin ji bo karker {0} ji bo {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Ji kerema xwe ve yekemîn şîrketa binivîse
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Ji kerema xwe ve yekem Company hilbijêre
@@ -175,49 +176,49 @@
DocType: BOM,Total Cost,Total Cost
DocType: Journal Entry Account,Employee Loan,Xebatkarê Loan
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Têkeve çalakiyê:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,"Babetê {0} nayê di sîstema tune ne, an jî xelas bûye"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,"Babetê {0} nayê di sîstema tune ne, an jî xelas bûye"
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Emlak
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Daxûyanîya Account
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Pharmaceuticals
DocType: Purchase Invoice Item,Is Fixed Asset,E Asset Fixed
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","QTY de derbasdar e {0}, divê hûn {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","QTY de derbasdar e {0}, divê hûn {1}"
DocType: Expense Claim Detail,Claim Amount,Şêwaz îdîaya
-DocType: Employee,Mr,Birêz
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,koma mişterî hate dîtin li ser sifrê koma cutomer
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Supplier Type / Supplier
DocType: Naming Series,Prefix,Pêşkîte
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,bikaranînê
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,bikaranînê
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Import bike Têkeve Têkeve
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Kolane Daxwaza maddî ya type Manufacture li ser bingeha krîterên ku li jor
DocType: Training Result Employee,Grade,Sinif
DocType: Sales Invoice Item,Delivered By Supplier,Teslîmî By Supplier
DocType: SMS Center,All Contact,Hemû Contact
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Production Order berê ve ji bo hemû tomar bi BOM tên afirandin
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Salary salane
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Production Order berê ve ji bo hemû tomar bi BOM tên afirandin
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Salary salane
DocType: Daily Work Summary,Daily Work Summary,Nasname Work rojane
DocType: Period Closing Voucher,Closing Fiscal Year,Girtina sala diravî
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} frozen e
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Ji kerema xwe ve û taybet de Company ji bo afirandina Chart Dageriyê hilbijêre
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Mesref Stock
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} frozen e
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Ji kerema xwe ve û taybet de Company ji bo afirandina Chart Dageriyê hilbijêre
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Mesref Stock
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Select Target Warehouse
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Select Target Warehouse
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,Ji kerema xwe re têkevin Preferred Contact Email
+DocType: Program Enrollment,School Bus,Otobûsa xwendingehê
DocType: Journal Entry,Contra Entry,Peyam kontrayî
DocType: Journal Entry Account,Credit in Company Currency,Credit li Company Exchange
DocType: Delivery Note,Installation Status,Rewş installation
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Ma tu dixwazî ji bo rojanekirina amadebûnê? <br> Present: {0} \ <br> Absent: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},"Qebûlkirin + Redkirin Qty, divê ji bo pêşwazî qasêsa wekhev de ji bo babet bê {0}"
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},"Qebûlkirin + Redkirin Qty, divê ji bo pêşwazî qasêsa wekhev de ji bo babet bê {0}"
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Madeyên Raw ji bo Purchase
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,De bi kêmanî yek mode of tezmînat ji bo fatûra POS pêwîst e.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,De bi kêmanî yek mode of tezmînat ji bo fatûra POS pêwîst e.
DocType: Products Settings,Show Products as a List,Show Products wek List
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Download Şablon, welat guncaw tije û pelê de hate guherandin ve girêbidin. Hemû dîrokên û karker combination di dema hilbijartî dê di şablon bên, bi records amadebûnê heyî"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,Babetê {0} e çalak ne jî dawiya jiyana gihîştiye
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Mînak: Matematîk Basic
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","To de baca li row {0} di rêjeya Babetê, bacên li rêzên {1} divê jî di nav de bê"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Babetê {0} e çalak ne jî dawiya jiyana gihîştiye
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Mînak: Matematîk Basic
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","To de baca li row {0} di rêjeya Babetê, bacên li rêzên {1} divê jî di nav de bê"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Mîhengên ji bo Module HR
DocType: SMS Center,SMS Center,Navenda SMS
DocType: Sales Invoice,Change Amount,Change Mîqdar
@@ -227,7 +228,7 @@
DocType: Lead,Request Type,request type
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Make Employee
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Broadcasting
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Birêverbirî
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Birêverbirî
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Details ji operasyonên hatiye lidarxistin.
DocType: Serial No,Maintenance Status,Rewş Maintenance
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Supplier dijî account cîhde pêwîst e {2}
@@ -255,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Daxwaz ji bo gotinên li dikare were bi tikandina li ser vê lînkê tê xwestin
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,"Veqetandin, pelên ji bo sala."
DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Kurs
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,Stock Têrê nake
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,Stock Têrê nake
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Planning þiyanên Disable û Time Tracking
DocType: Email Digest,New Sales Orders,New Orders Sales
DocType: Bank Guarantee,Bank Account,Hesabê bankê
@@ -266,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log',Demê via 'Time Têkeve'
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},mîqdara Advance ne dikarin bibin mezintir {0} {1}
DocType: Naming Series,Series List for this Transaction,Lîsteya Series ji bo vê Transaction
+DocType: Company,Enable Perpetual Inventory,Çalak Inventory Eternal
DocType: Company,Default Payroll Payable Account,Default maeş cîhde Account
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Update Email Group
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Update Email Group
DocType: Sales Invoice,Is Opening Entry,Ma Opening Peyam
DocType: Customer Group,Mention if non-standard receivable account applicable,"Behs, eger ne-standard account teleb pêkanîn,"
DocType: Course Schedule,Instructor Name,Navê Instructor
@@ -279,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Li dijî Sales bi fatûreyên babetî
,Production Orders in Progress,Ordênên Production in Progress
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Cash Net ji Fînansa
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage tije ye, rizgar ne"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage tije ye, rizgar ne"
DocType: Lead,Address & Contact,Navnîşana & Contact
DocType: Leave Allocation,Add unused leaves from previous allocations,Lê zêde bike pelên feyde ji xerciyên berê
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Next Aksarayê {0} dê li ser tên afirandin {1}
DocType: Sales Partner,Partner website,malpera partner
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,lê zêde bike babetî
-,Contact Name,Contact Name
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Contact Name
DocType: Course Assessment Criteria,Course Assessment Criteria,Şertên Nirxandina Kurs
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Diafirîne slip meaş ji bo krîterên ku li jor dîyarkirine.
DocType: POS Customer Group,POS Customer Group,POS Mişterî Group
@@ -294,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,No description dayîn
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,ji bo kirînê bixwaze.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Ev li ser Sheets Time de tên li dijî vê projeyê
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Pay Net nikare bibe kêmtir ji 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Pay Net nikare bibe kêmtir ji 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Tenê hilbijartin Leave Approver dikarin vê Leave Application submit
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Destkêşana Date divê mezintir Date of bizaveka be
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Dihêle per Sal
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Dihêle per Sal
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Row {0}: Hêvîye 'de venêrî Is Advance' li dijî Account {1} eger ev an entry pêşwext e.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Warehouse {0} nayê ji şîrketa girêdayî ne {1}
DocType: Email Digest,Profit & Loss,Qezencê & Loss
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Litre
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Litre
DocType: Task,Total Costing Amount (via Time Sheet),Bi tevahî bi qurûşekî jî Mîqdar (via Time Sheet)
DocType: Item Website Specification,Item Website Specification,Specification babete Website
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Dev ji astengkirin
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Babetê {0} dawiya wê ya jiyanê li ser gihîşt {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Babetê {0} dawiya wê ya jiyanê li ser gihîşt {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Arşîva Bank
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Yeksalî
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Babetê Stock Lihevkirinê
@@ -313,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,Min Order Qty
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Kurs Komeleya Xwendekarên Tool Creation
DocType: Lead,Do Not Contact,Serî
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,Kesên ku di rêxistina xwe hînî
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,Kesên ku di rêxistina xwe hînî
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,The id yekane ji bo êşekê hemû hisab dubare bikin. Ev li ser submit bi giştî.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Developer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Developer
DocType: Item,Minimum Order Qty,Siparîşa hindiktirîn Qty
DocType: Pricing Rule,Supplier Type,Supplier Type
DocType: Course Scheduling Tool,Course Start Date,Kurs Date Start
@@ -324,11 +326,11 @@
DocType: Item,Publish in Hub,Weşana Hub
DocType: Student Admission,Student Admission,Admission Student
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Babetê {0} betal e
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Babetê {0} betal e
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Daxwaza maddî
DocType: Bank Reconciliation,Update Clearance Date,Update Date Clearance
DocType: Item,Purchase Details,Details kirîn
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Babetê {0} di 'Delîlên Raw Supplied' sifrê li Purchase Kom nehate dîtin {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Babetê {0} di 'Delîlên Raw Supplied' sifrê li Purchase Kom nehate dîtin {1}
DocType: Employee,Relation,Meriv
DocType: Shipping Rule,Worldwide Shipping,Shipping Worldwide
DocType: Student Guardian,Mother,Dê
@@ -347,6 +349,7 @@
DocType: Student Group Student,Student Group Student,Xwendekarên Komeleya Xwendekarên
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Dawîtirîn
DocType: Vehicle Service,Inspection,Berçavderbasî
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Rêzok
DocType: Email Digest,New Quotations,Quotations New
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,slip Emails meaş ji bo karker li ser epeyamê yê xwestî di karkirinê yên hilbijartî
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,"The yekem Approver Leave di lîsteyê de, wê bê weke default Leave Approver danîn"
@@ -355,20 +358,20 @@
DocType: Asset,Next Depreciation Date,Next Date Farhad.
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Cost Activity per Employee
DocType: Accounts Settings,Settings for Accounts,Mîhengên ji bo Accounts
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Supplier bi fatûreyên No li Purchase bi fatûreyên heye {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Supplier bi fatûreyên No li Purchase bi fatûreyên heye {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Manage Sales Person Tree.
DocType: Job Applicant,Cover Letter,Paldana ser
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Cheques Outstanding û meden ji bo paqijkirina
DocType: Item,Synced With Hub,Senkronîzekirin Bi Hub
DocType: Vehicle,Fleet Manager,Fîloya Manager
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} nikare were ji bo em babete neyînî {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Şîfreya çewt
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Şîfreya çewt
DocType: Item,Variant Of,guhertoya Of
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',Qediya Qty ne dikarin bibin mezintir 'Qty ji bo Manufacture'
DocType: Period Closing Voucher,Closing Account Head,Girtina Serokê Account
DocType: Employee,External Work History,Dîroka Work Link
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Error Reference bezandin
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Navê Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Navê Guardian1
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Li Words (Export) xuya dê bibe dema ku tu Delivery Têbînî xilas bike.
DocType: Cheque Print Template,Distance from left edge,Distance ji devê hiştin
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} yekîneyên [{1}] (Form # / babet / {1}) found in [{2}] (Form # / Warehouse / {2})
@@ -377,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notify by Email li ser çêkirina Daxwaza Material otomatîk
DocType: Journal Entry,Multi Currency,Multi Exchange
DocType: Payment Reconciliation Invoice,Invoice Type,bi fatûreyên Type
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Delivery Note
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Delivery Note
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Avakirina Baca
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Cost ji Asset Sold
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,"Peyam di peredana hatiye guherandin, piştî ku we paş de vekişiyaye. Ji kerema xwe re dîsa ew vekişîne."
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} du caran li Bacê babet ketin
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Peyam di peredana hatiye guherandin, piştî ku we paş de vekişiyaye. Ji kerema xwe re dîsa ew vekişîne."
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} du caran li Bacê babet ketin
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Nasname ji bo vê hefteyê û çalakiyên hîn
DocType: Student Applicant,Admitted,xwe mikur
DocType: Workstation,Rent Cost,Cost kirê
@@ -400,25 +403,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Ji kerema xwe ve nirxa warê 'li ser Day of Month Dubare' binivîse
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Rate li ku Mişterî Exchange ji bo pereyan base mişterî bîya
DocType: Course Scheduling Tool,Course Scheduling Tool,Kurs Scheduling Tool
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Purchase bi fatûreyên nikare li hemberî sermaye heyî ne bên kirin {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Purchase bi fatûreyên nikare li hemberî sermaye heyî ne bên kirin {1}
DocType: Item Tax,Tax Rate,Rate bacê
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} berê ji bo karkirinê yên bi rêk û {1} ji bo dema {2} ji bo {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Hilbijêre babetî
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Bikirin bi fatûreyên {0} ji xwe şandin
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Bikirin bi fatûreyên {0} ji xwe şandin
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Batch No divê eynî wek {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Convert to non-Group
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Batch (gelek) ji vî babetî.
DocType: C-Form Invoice Detail,Invoice Date,Date bi fatûreyên
DocType: GL Entry,Debit Amount,Şêwaz Debit
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Li wir bi tenê dikare 1 Account per Company di be {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,Ji kerema xwe ve attachment bibînin
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Li wir bi tenê dikare 1 Account per Company di be {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,Ji kerema xwe ve attachment bibînin
DocType: Purchase Order,% Received,% pêşwazî
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Create komên xwendekaran
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Setup Jixwe Complete !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Credit Têbînî Mîqdar
,Finished Goods,Goods qedand
DocType: Delivery Note,Instructions,Telîmata
DocType: Quality Inspection,Inspected By,teftîş kirin By
DocType: Maintenance Visit,Maintenance Type,Type Maintenance
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} ku di Kurs jimartin ne {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Serial No {0} nayê to Delivery Têbînî girêdayî ne {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,lê zêde bike babetî
@@ -441,7 +446,7 @@
DocType: Request for Quotation,Request for Quotation,Daxwaza ji bo Quotation
DocType: Salary Slip Timesheet,Working Hours,dema xebatê
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Guhertina Guherandinên / hejmara cihekê niha ya series heyî.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Create a Mişterî ya nû
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Create a Mişterî ya nû
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ger Rules Pricing multiple berdewam bi ser keve, bikarhênerên pirsî danîna Priority bi destan ji bo çareserkirina pevçûnan."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Create Orders Purchase
,Purchase Register,Buy Register
@@ -453,7 +458,7 @@
DocType: Student Log,Medical,Pizişkî
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Sedem ji bo winda
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Xwedîyê Lead nikare bibe wek beşa Komedî de
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,butçe dikare ne mezintir mîqdara unadjusted
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,butçe dikare ne mezintir mîqdara unadjusted
DocType: Announcement,Receiver,Receiver
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation dîrokan li ser wek per Lîsteya Holiday girtî be: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,derfetên
@@ -467,8 +472,7 @@
DocType: Assessment Plan,Examiner Name,Navê sehkerê
DocType: Purchase Invoice Item,Quantity and Rate,Quantity û Rate
DocType: Delivery Note,% Installed,% firin
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,Sinifên / kolîja hwd ku ders dikare bê destnîşankirin.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Supplier> Type Supplier
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,Sinifên / kolîja hwd ku ders dikare bê destnîşankirin.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Ji kerema xwe re navê şîrketa binivîse
DocType: Purchase Invoice,Supplier Name,Supplier Name
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Xandinê Manual ERPNext
@@ -478,7 +482,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Check Supplier bi fatûreyên Hejmara bêhempabûna
DocType: Vehicle Service,Oil Change,Change petrolê
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','To No. Case' nikare bibe kêmtir ji 'Ji No. Case'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Profit non
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Profit non
DocType: Production Order,Not Started,Destpêkirin ne
DocType: Lead,Channel Partner,Channel Partner
DocType: Account,Old Parent,Parent Old
@@ -489,20 +493,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,settings Global ji bo hemû pêvajoyên bi aktîvîteyên.
DocType: Accounts Settings,Accounts Frozen Upto,Hesabên Frozen Upto
DocType: SMS Log,Sent On,şandin ser
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Pêşbîr {0} çend caran li Attributes Table hilbijartin
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Pêşbîr {0} çend caran li Attributes Table hilbijartin
DocType: HR Settings,Employee record is created using selected field. ,record Employee bikaranîna hilbijartî tên afirandin e.
DocType: Sales Order,Not Applicable,Rêveber
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,master Holiday.
DocType: Request for Quotation Item,Required Date,Date pêwîst
DocType: Delivery Note,Billing Address,Telefona berîkan
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Tikaye kodî babetî bikevin.
DocType: BOM,Costing,yên arzane ku
DocType: Tax Rule,Billing County,County Billing
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Eger kontrolkirin, mîqdara bacê dê were hesibandin ku jixwe di Rate Print / Print Mîqdar de"
DocType: Request for Quotation,Message for Supplier,Peyam ji bo Supplier
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Total Qty
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 ID Email
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 ID Email
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 ID Email
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 ID Email
DocType: Item,Show in Website (Variant),Show li Website (Variant)
DocType: Employee,Health Concerns,Gûman Health
DocType: Process Payroll,Select Payroll Period,Select payroll Period
@@ -520,26 +523,28 @@
DocType: Sales Order Item,Used for Production Plan,Tê bikaranîn ji bo Plan Production
DocType: Employee Loan,Total Payment,Total Payment
DocType: Manufacturing Settings,Time Between Operations (in mins),Time di navbera Operasyonên (li mins)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} betal e da ku di çalakiyê de ne, dikare bi dawî bibe"
DocType: Customer,Buyer of Goods and Services.,Buyer yên mal û xizmetan.
DocType: Journal Entry,Accounts Payable,bikarhênerên cîhde
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,The dikeye hilbijartî ne ji bo em babete eynî ne
DocType: Pricing Rule,Valid Upto,derbasdar Upto
DocType: Training Event,Workshop,Kargeh
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,"Lîsteya çend ji mişterîyên xwe. Ew dikarin bibin rêxistin, yan jî kesên."
-,Enough Parts to Build,Parts bes ji bo Build
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Dahata rasterast
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,"Lîsteya çend ji mişterîyên xwe. Ew dikarin bibin rêxistin, yan jî kesên."
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Parts bes ji bo Build
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Dahata rasterast
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Dikarin li ser Account ne filter bingeha, eger destê Account komkirin"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Berpirsê kargêrî
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Tikaye Kurs hilbijêre
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Tikaye Kurs hilbijêre
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Berpirsê kargêrî
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Tikaye Kurs hilbijêre
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Tikaye Kurs hilbijêre
DocType: Timesheet Detail,Hrs,hrs
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Ji kerema xwe ve Company hilbijêre
DocType: Stock Entry Detail,Difference Account,Account Cudahiya
+DocType: Purchase Invoice,Supplier GSTIN,Supplier GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Can karê nêzîkî wek karekî girêdayî wê {0} e girtî ne ne.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Ji kerema xwe ve Warehouse ji bo ku Daxwaza Material wê werin zindî binivîse
DocType: Production Order,Additional Operating Cost,Cost Operating Additional
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Cosmetics
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","To merge, milkên li jêr, divê ji bo hem tomar be"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","To merge, milkên li jêr, divê ji bo hem tomar be"
DocType: Shipping Rule,Net Weight,Loss net
DocType: Employee,Emergency Phone,Phone Emergency
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Kirrîn
@@ -549,14 +554,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Tikaye pola bo Qeyrana 0% define
DocType: Sales Order,To Deliver,Gihandin
DocType: Purchase Invoice Item,Item,Şanî
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Serial no babete nikare bibe fraction
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Serial no babete nikare bibe fraction
DocType: Journal Entry,Difference (Dr - Cr),Cudahiya (Dr - Kr)
DocType: Account,Profit and Loss,Qezenc û Loss
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,birêvebirina îhaleya
DocType: Project,Project will be accessible on the website to these users,Project li ser malpera ji bo van bikarhênerên were gihiştin
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Rate li ku currency list Price ji bo pereyan base şîrketê bîya
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Account {0} nayê ji şîrketa girêdayî ne: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Kurtenivîsên SYR ji berê ve ji bo şîrketa din tê bikaranîn
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Account {0} nayê ji şîrketa girêdayî ne: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Kurtenivîsên SYR ji berê ve ji bo şîrketa din tê bikaranîn
DocType: Selling Settings,Default Customer Group,Default Mişterî Group
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Heke neçalak bike, qada 'Rounded Total' wê ne di tu mêjera xuya"
DocType: BOM,Operating Cost,Cost Operating
@@ -564,7 +569,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Increment nikare bibe 0
DocType: Production Planning Tool,Material Requirement,Divê materyalên
DocType: Company,Delete Company Transactions,Vemirandina Transactions Company
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Çavkanî No û Date: Çavkanî ji bo muameleyan Bank wêneke e
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Çavkanî No û Date: Çavkanî ji bo muameleyan Bank wêneke e
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Lê zêde bike Baca / Edit û doz li
DocType: Purchase Invoice,Supplier Invoice No,Supplier bi fatûreyên No
DocType: Territory,For reference,ji bo referansa
@@ -575,22 +580,22 @@
DocType: Installation Note Item,Installation Note Item,Installation Têbînî babetî
DocType: Production Plan Item,Pending Qty,Pending Qty
DocType: Budget,Ignore,Berçavnegirtin
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} e çalak ne
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} e çalak ne
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},"SMS şandin, da ku hejmarên jêr e: {0}"
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,aliyên check Setup ji bo çapkirinê
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,aliyên check Setup ji bo çapkirinê
DocType: Salary Slip,Salary Slip Timesheet,Timesheet meaş Slip
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Supplier Warehouse diyarkirî ji bo-sub bi peyman Meqbûz Purchase
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Supplier Warehouse diyarkirî ji bo-sub bi peyman Meqbûz Purchase
DocType: Pricing Rule,Valid From,derbasdar From
DocType: Sales Invoice,Total Commission,Total Komîsyona
DocType: Pricing Rule,Sales Partner,Partner Sales
DocType: Buying Settings,Purchase Receipt Required,Meqbûz kirînê pêwîst
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,"Rate Valuation diyarkirî ye, eger Opening Stock ketin"
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,"Rate Valuation diyarkirî ye, eger Opening Stock ketin"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,No records dîtin li ser sifrê bi fatûreyên
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Ji kerema xwe ve yekem Company û Partiya Type hilbijêre
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Financial / salê.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Financial / salê.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Nirxên Accumulated
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Mixabin, Serial Nos bi yek bên"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Make Sales Order
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Make Sales Order
DocType: Project Task,Project Task,Project Task
,Lead Id,Lead Id
DocType: C-Form Invoice Detail,Grand Total,ÃƒÆ Bi tevahî
@@ -607,7 +612,7 @@
DocType: Job Applicant,Resume Attachment,Attachment resume
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,muşteriyan repeat
DocType: Leave Control Panel,Allocate,Pardan
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Return Sales
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Return Sales
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Nîşe: Hemû pelên bi rêk û {0} ne pêwîst be kêmtir ji pelên jixwe pejirandin {1} ji bo dema
DocType: Announcement,Posted By,Posted By
DocType: Item,Delivered by Supplier (Drop Ship),Teslîmî destê Supplier (Drop Ship)
@@ -617,8 +622,8 @@
DocType: Quotation,Quotation To,quotation To
DocType: Lead,Middle Income,Dahata Navîn
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Opening (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Default Unit ji pîvanê ji bo babet {0} rasterast nikarin bên guhertin ji ber ku te berê kirin hin muameleyan (s) bi UOM din. Ji we re lazim ê ji bo afirandina a babet nû bi kar Default UOM cuda.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,butçe ne dikare bibe neyînî
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Default Unit ji pîvanê ji bo babet {0} rasterast nikarin bên guhertin ji ber ku te berê kirin hin muameleyan (s) bi UOM din. Ji we re lazim ê ji bo afirandina a babet nû bi kar Default UOM cuda.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,butçe ne dikare bibe neyînî
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Xêra xwe li Company
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Xêra xwe li Company
DocType: Purchase Order Item,Billed Amt,billed Amt
@@ -631,7 +636,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Hilbijêre Account Payment ji bo Peyam Bank
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Qeydên a Karkeran, ji bo birêvebirina pelên, îdîaya k'îsî û payroll"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Add to Knowledge Base
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Writing Pêşniyarek
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Writing Pêşniyarek
DocType: Payment Entry Deduction,Payment Entry Deduction,Payment dabirîna Peyam
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Din Person Sales {0} bi heman id karkirinê heye
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Eger ji bo hêmanên ku ne sub-bi peyman dê di Requests Material de kontrolkirin, madeyên xav"
@@ -646,7 +651,7 @@
DocType: Batch,Batch Description,batch Description
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Afirandina komên xwendekaran
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Afirandina komên xwendekaran
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Payment Account Gateway tên afirandin ne, ji kerema xwe ve yek bi destan biafirîne."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Payment Account Gateway tên afirandin ne, ji kerema xwe ve yek bi destan biafirîne."
DocType: Sales Invoice,Sales Taxes and Charges,Baca firotina û doz li
DocType: Employee,Organization Profile,rêxistina Profile
DocType: Student,Sibling Details,Details Sibling
@@ -668,11 +673,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Change Net di Inventory
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Xebatkarê Management Loan
DocType: Employee,Passport Number,Nimareya pasaportê
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Peywendiya bi Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Rêvebir
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Peywendiya bi Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Rêvebir
DocType: Payment Entry,Payment From / To,Payment From / To
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},limit credit New kêmtir ji yê mayî niha ji bo mişterî e. limit Credit heye Hindîstan be {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,babete heman hatiye bicihkirin çend caran.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},limit credit New kêmtir ji yê mayî niha ji bo mişterî e. limit Credit heye Hindîstan be {0}
DocType: SMS Settings,Receiver Parameter,Receiver parametreyê
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Li ser' û 'Koma By' nikare bibe heman
DocType: Sales Person,Sales Person Targets,Armanc Person Sales
@@ -681,8 +685,9 @@
DocType: Issue,Resolution Date,Date Resolution
DocType: Student Batch Name,Batch Name,Navê batch
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timesheet tên afirandin:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},Ji kerema xwe ve Cash default an account Bank set li Mode of Payment {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Ji kerema xwe ve Cash default an account Bank set li Mode of Payment {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Nivîsîn
+DocType: GST Settings,GST Settings,Settings gst
DocType: Selling Settings,Customer Naming By,Qada Mişterî By
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Ê ku xwendekarê ku di Student Beşdariyê Report Ayda Present nîşan
DocType: Depreciation Schedule,Depreciation Amount,Şêwaz Farhad.
@@ -704,6 +709,7 @@
DocType: Item,Material Transfer,Transfer maddî
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Opening (Dr)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Deaktîv bike û demxeya divê piştî be {0}
+,GST Itemised Purchase Register,Gst bidine Buy Register
DocType: Employee Loan,Total Interest Payable,Interest Total cîhde
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,"Bac, Cost siwar bûn û doz li"
DocType: Production Order Operation,Actual Start Time,Time rastî Start
@@ -732,10 +738,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
DocType: Account,Accounts,bikarhênerên
DocType: Vehicle,Odometer Value (Last),Nirx Green (dawî)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,marketing
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,marketing
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Peyam di peredana ji nuha ve tên afirandin
DocType: Purchase Receipt Item Supplied,Current Stock,Stock niha:
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} ne ji Babetê girêdayî ne {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} ne ji Babetê girêdayî ne {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Preview Bikini Salary
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Account {0} hatiye bicihkirin çend caran
DocType: Account,Expenses Included In Valuation,Mesrefên di nav Valuation
@@ -743,7 +749,7 @@
,Absent Student Report,Absent Report Student
DocType: Email Digest,Next email will be sent on:,email Next dê li ser şand:
DocType: Offer Letter Term,Offer Letter Term,Pêşkêşkirina Letter Term
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Em babete Guhertoyên.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Em babete Guhertoyên.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Babetê {0} nehate dîtin
DocType: Bin,Stock Value,Stock Nirx
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Company {0} tune
@@ -752,8 +758,8 @@
DocType: Serial No,Warranty Expiry Date,Mîsoger Date Expiry
DocType: Material Request Item,Quantity and Warehouse,Quantity û Warehouse
DocType: Sales Invoice,Commission Rate (%),Komîsyona Rate (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Please select Program
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Please select Program
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Please select Program
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Please select Program
DocType: Project,Estimated Cost,Cost texmînkirin
DocType: Purchase Order,Link to material requests,Link to daxwazên maddî
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aerospace
@@ -767,14 +773,14 @@
DocType: Purchase Order,Supply Raw Materials,Supply Alav Raw
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,Roja ku fatûra next bi giştî wê bê. Ev li ser submit bi giştî.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,heyînên vegeryayî
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} e a stock babet ne
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} e a stock babet ne
DocType: Mode of Payment Account,Default Account,Account Default
DocType: Payment Entry,Received Amount (Company Currency),Pêşwaziya Mîqdar (Company Exchange)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,Lead bê mîhenkirin eger derfetek e ji Lead kirin
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,Ji kerema xwe re bi roj off heftane hilbijêre
DocType: Production Order Operation,Planned End Time,Bi plan Time End
,Sales Person Target Variance Item Group-Wise,Person firotina Target Variance babetî Pula-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Account bi mêjera heyî nikare bê guhartina ji bo ledger
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Account bi mêjera heyî nikare bê guhartina ji bo ledger
DocType: Delivery Note,Customer's Purchase Order No,Buy Mişterî ya Order No
DocType: Budget,Budget Against,budceya dijî
DocType: Employee,Cell Number,Hejmara Cell
@@ -786,15 +792,13 @@
DocType: Opportunity,Opportunity From,derfet ji
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,daxuyaniyê de meaşê mehane.
DocType: BOM,Website Specifications,Specifications Website
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Tikaye setup hijmara series ji bo beşdarbûna bi rêya Setup> Nî Series
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Ji {0} ji type {1}
DocType: Warranty Claim,CI-,çi-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Row {0}: Factor Converter wêneke e
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Row {0}: Factor Converter wêneke e
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Rules Price Multiple bi pîvanên heman heye, ji kerema xwe ve çareser şer ji aliyê hêzeke pêşanî. Rules Biha: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,ne dikarin neçalak bikî an betal BOM wekî ku bi din dikeye girêdayî
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Rules Price Multiple bi pîvanên heman heye, ji kerema xwe ve çareser şer ji aliyê hêzeke pêşanî. Rules Biha: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,ne dikarin neçalak bikî an betal BOM wekî ku bi din dikeye girêdayî
DocType: Opportunity,Maintenance,Lênerrînî
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},hejmara kirînê Meqbûz pêwîst ji bo vî babetî {0}
DocType: Item Attribute Value,Item Attribute Value,Babetê nirxê taybetmendiyê
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,kampanyayên firotina.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Make timesheet
@@ -827,30 +831,30 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Asset belav via Peyam Journal {0}
DocType: Employee Loan,Interest Income Account,Account Dahata Interest
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Biotechnology
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Mesref Maintenance Office
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Mesref Maintenance Office
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Avakirina Account Email
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Ji kerema xwe ve yekem babetî bikevin
DocType: Account,Liability,Bar
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Şêwaz belê ne dikarin li Row mezintir Mîqdar Îdîaya {0}.
DocType: Company,Default Cost of Goods Sold Account,Default Cost ji Account Goods Sold
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,List Price hilbijartî ne
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,List Price hilbijartî ne
DocType: Employee,Family Background,Background Family
DocType: Request for Quotation Supplier,Send Email,Send Email
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Hişyarî: Attachment Invalid {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Hişyarî: Attachment Invalid {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,No Destûr
DocType: Company,Default Bank Account,Account Bank Default
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Fîltre li ser bingeha Partîya, Partîya select yekem Type"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"'Update Stock' nikarin werin kontrolkirin, ji ber tumar bi via teslîmî ne {0}"
DocType: Vehicle,Acquisition Date,Derheqê Date
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,nos
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,nos
DocType: Item,Items with higher weightage will be shown higher,Nawy bi weightage mezintir dê mezintir li banî tê
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Detail Bank Lihevkirinê
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} de divê bê şandin
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} de divê bê şandin
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,No karker dîtin
DocType: Supplier Quotation,Stopped,rawestandin
DocType: Item,If subcontracted to a vendor,Eger ji bo vendor subcontracted
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Xwendekarên Pol ji xwe ve.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Xwendekarên Pol ji xwe ve.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Xwendekarên Pol ji xwe ve.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Xwendekarên Pol ji xwe ve.
DocType: SMS Center,All Customer Contact,Hemû Mişterî Contact
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Upload balance stock via CSV.
DocType: Warehouse,Tree Details,Details dara
@@ -862,13 +866,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Navenda Cost {2} ne ji Company girêdayî ne {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Account {2} dikarin bi a Group
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Babetê Row {IDX}: {doctype} {docname} nayê li jor de tune ne '{doctype}' sifrê
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Timesheet {0} ji xwe temam an jî betalkirin
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} ji xwe temam an jî betalkirin
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,No erkên
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Dotira rojê ya meha ku li ser fatûra auto nimûne, 05, 28 û hwd. Jî wê bi giştî bê"
DocType: Asset,Opening Accumulated Depreciation,Vekirina Farhad. Accumulated
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Score gerek kêmtir an jî wekhev ji bo 5 be
DocType: Program Enrollment Tool,Program Enrollment Tool,Program hejmartina Tool
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,records C-Form
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,records C-Form
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Mişterî û Supplier
DocType: Email Digest,Email Digest Settings,Email Settings Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Spas dikim ji bo karê te!
@@ -878,17 +882,19 @@
DocType: Bin,Moving Average Rate,Moving Average Rate
DocType: Production Planning Tool,Select Items,Nawy Hilbijêre
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} dijî Bill {1} dîroka {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Vehicle / Hejmara Bus
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Cedwela Kurs
DocType: Maintenance Visit,Completion Status,Rewş cebîr
DocType: HR Settings,Enter retirement age in years,temenê teqawidîyê Enter di salên
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Warehouse target
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Ji kerema xwe re warehouse hilbijêre
DocType: Cheque Print Template,Starting location from left edge,Guherandinên location ji devê hiştin
DocType: Item,Allow over delivery or receipt upto this percent,Destûrê bide ser teslîmkirina an jî meqbûza upto ev ji sedî
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,Beşdariyê Import
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Hemû Groups babetî
DocType: Process Payroll,Activity Log,Activity bike Têkeve Têkeve
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Profit Net / Loss
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Profit Net / Loss
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,"Otomatîk helbestan, peyamek li ser sertewandina muamele."
DocType: Production Order,Item To Manufacture,Babetê To Manufacture
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} status e {2}
@@ -897,16 +903,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,"Bikirin, ji bo Payment"
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,projeya Qty
DocType: Sales Invoice,Payment Due Date,Payment Date ji ber
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Babetê Variant {0} ji xwe bi taybetmendiyên xwe heman heye
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Babetê Variant {0} ji xwe bi taybetmendiyên xwe heman heye
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','Dergeh'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Open To Do
DocType: Notification Control,Delivery Note Message,Delivery Têbînî Message
DocType: Expense Claim,Expenses,mesrefên
+,Support Hours,Saet Support
DocType: Item Variant Attribute,Item Variant Attribute,Babetê Pêşbîr Variant
,Purchase Receipt Trends,Trends kirînê Meqbûz
DocType: Process Payroll,Bimonthly,pakêtê de
DocType: Vehicle Service,Brake Pad,Pad şikand
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Lêkolîn & Development
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Lêkolîn & Development
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Mîqdar ji bo Bill
DocType: Company,Registration Details,Details Registration
DocType: Timesheet,Total Billed Amount,Temamê meblaxa billed
@@ -919,12 +926,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Tenê Wergirtin Alav Raw
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,nirxandina Performance.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Ne bitenê 'bi kar bîne ji bo Têxe selikê', wek Têxe selikê pêk tê û divê bi kêmanî yek Rule Bacê ji bo Têxe selikê li wir be"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Peyam di peredana {0} li dijî Order {1}, ka jî, divê wekî pêşda li vê fatoreyê de vekişiyaye ve girêdayî ye."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Peyam di peredana {0} li dijî Order {1}, ka jî, divê wekî pêşda li vê fatoreyê de vekişiyaye ve girêdayî ye."
DocType: Sales Invoice Item,Stock Details,Stock Details
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Project Nirx
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Point-ji-Sale
DocType: Vehicle Log,Odometer Reading,Reading Green
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","balance Account jixwe di Credit, hûn bi destûr ne ji bo danîna wek 'Debit' 'Balance Must Be'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","balance Account jixwe di Credit, hûn bi destûr ne ji bo danîna wek 'Debit' 'Balance Must Be'"
DocType: Account,Balance must be,Balance divê
DocType: Hub Settings,Publish Pricing,Weşana Pricing
DocType: Notification Control,Expense Claim Rejected Message,Message mesrefan Redkirin
@@ -934,7 +941,7 @@
DocType: Salary Slip,Working Days,rojên xebatê
DocType: Serial No,Incoming Rate,Rate Incoming
DocType: Packing Slip,Gross Weight,Giraniya
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,The name of şirketa we ji bo ku hûn bi avakirina vê sîstemê.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,The name of şirketa we ji bo ku hûn bi avakirina vê sîstemê.
DocType: HR Settings,Include holidays in Total no. of Working Days,Usa jî cejnên li Bi tevahî tune. ji rojên xebatê
DocType: Job Applicant,Hold,Rawestan
DocType: Employee,Date of Joining,Date of bizaveka
@@ -945,20 +952,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Meqbûz kirîn
,Received Items To Be Billed,Pêşwaziya Nawy ye- Be
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Şandin Slips Salary
-DocType: Employee,Ms,çirkan de
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,rêjeya qotîk master.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},"Çavkanî Doctype, divê yek ji yên bê {0}"
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,rêjeya qotîk master.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},"Çavkanî Doctype, divê yek ji yên bê {0}"
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Nikare bibînin Slot Time di pêş {0} rojan de ji bo Operasyona {1}
DocType: Production Order,Plan material for sub-assemblies,maddî Plan ji bo sub-meclîsên
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Partners Sales û Herêmê
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,Can Account ne automatically create wek e jixwe balance stock di Account hene. Divê tu account hevcotî ava berî tu an entry li ser vê warehouse bide
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} divê çalak be
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} divê çalak be
DocType: Journal Entry,Depreciation Entry,Peyam Farhad.
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Ji kerema xwe re ji cureyê pelgeyê hilbijêre
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Betal Serdan Material {0} berî betalkirinê ev Maintenance Visit
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serial No {0} nayê to Babetê girêdayî ne {1}
DocType: Purchase Receipt Item Supplied,Required Qty,required Qty
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Wargehan de bi mêjera yên heyî dikarin bi ledger ne bê guhertin.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Wargehan de bi mêjera yên heyî dikarin bi ledger ne bê guhertin.
DocType: Bank Reconciliation,Total Amount,Temamê meblaxa
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Publishing Internet
DocType: Production Planning Tool,Production Orders,ordênên Production
@@ -973,25 +978,26 @@
DocType: Fee Structure,Components,Components
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Ji kerema xwe ve Asset Category li babet binivîse {0}
DocType: Quality Inspection Reading,Reading 6,Reading 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Can ne {0} {1} {2} bêyî ku fatûra hilawîstî neyînî
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Can ne {0} {1} {2} bêyî ku fatûra hilawîstî neyînî
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Bikirin bi fatûreyên Advance
DocType: Hub Settings,Sync Now,Sync Now
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Row {0}: entry Credit ne bi were bi girêdayî a {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Define budceya ji bo salekê aborî.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Define budceya ji bo salekê aborî.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Default account Bank / Cash wê were li POS bi fatûreyên ve dema ku ev moda hilbijartî ye.
DocType: Lead,LEAD-,GÛLLE-
DocType: Employee,Permanent Address Is,Daîmî navnîşana e
DocType: Production Order Operation,Operation completed for how many finished goods?,Operasyona ji bo çawa gelek mal qediyayî qediya?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,The Brand
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,The Brand
DocType: Employee,Exit Interview Details,Details Exit Hevpeyvîn
DocType: Item,Is Purchase Item,E Purchase babetî
DocType: Asset,Purchase Invoice,Buy bi fatûreyên
DocType: Stock Ledger Entry,Voucher Detail No,Detail fîşeke No
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,New bi fatûreyên Sales
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,New bi fatûreyên Sales
DocType: Stock Entry,Total Outgoing Value,Total Nirx Afganî
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Vekirina Date û roja dawî divê di heman sala diravî be
DocType: Lead,Request for Information,Daxwaza ji bo Information
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Syncê girêdayî hisab
+,LeaderBoard,Leaderboard
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Syncê girêdayî hisab
DocType: Payment Request,Paid,tê dayin
DocType: Program Fee,Program Fee,Fee Program
DocType: Salary Slip,Total in words,Bi tevahî di peyvên
@@ -1000,13 +1006,13 @@
DocType: Cheque Print Template,Has Print Format,Has Print Format
DocType: Employee Loan,Sanctioned,belê
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,bivênevê ye. Dibe ku rekor Exchange ji bo tên afirandin ne
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Row # {0}: kerema xwe diyar bike Serial No bo Babetê {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Ji bo tomar 'Product Bundle', Warehouse, Serial No û Batch No wê ji ser sifrê 'Lîsteya Packing' nirxandin. Ger Warehouse û Batch No bo hemû tomar bo barkirinê bo em babete ti 'Bundle Product' eynî ne, wan nirxan dikare li ser sifrê Babetê serekî ketin, nirxên wê bê kopîkirin to 'tê de Lîsteya' sifrê."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: kerema xwe diyar bike Serial No bo Babetê {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Ji bo tomar 'Product Bundle', Warehouse, Serial No û Batch No wê ji ser sifrê 'Lîsteya Packing' nirxandin. Ger Warehouse û Batch No bo hemû tomar bo barkirinê bo em babete ti 'Bundle Product' eynî ne, wan nirxan dikare li ser sifrê Babetê serekî ketin, nirxên wê bê kopîkirin to 'tê de Lîsteya' sifrê."
DocType: Job Opening,Publish on website,Weşana li ser malpera
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Ber bi mişterîyên.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Date Supplier bi fatûreyên ne dikarin bibin mezintir Mesaj Date
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Date Supplier bi fatûreyên ne dikarin bibin mezintir Mesaj Date
DocType: Purchase Invoice Item,Purchase Order Item,Bikirin Order babetî
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Dahata nerasterast di
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Dahata nerasterast di
DocType: Student Attendance Tool,Student Attendance Tool,Amûra Beşdariyê Student
DocType: Cheque Print Template,Date Settings,Settings Date
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Variance
@@ -1024,21 +1030,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Şîmyawî
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Default account Bank / Cash wê were li Salary Peyam Journal ve dema ku ev moda hilbijartî ye.
DocType: BOM,Raw Material Cost(Company Currency),Raw Cost Material (Company Exchange)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Hemû tomar niha ji bo vê Production Order hatine veguhastin.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Hemû tomar niha ji bo vê Production Order hatine veguhastin.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Rate ne dikarin bibin mezintir rêjeya bikaranîn di {1} {2}
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Rate ne dikarin bibin mezintir rêjeya bikaranîn di {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,Jimarvan
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,Jimarvan
DocType: Workstation,Electricity Cost,Cost elektrîkê
DocType: HR Settings,Don't send Employee Birthday Reminders,Ma Employee Birthday Reminders bişîne ne
DocType: Item,Inspection Criteria,Şertên Serperiştiya
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,cezakirin
DocType: BOM Website Item,BOM Website Item,BOM babet Website
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Upload nameya serokê û logo xwe. (Tu ji wan paşê biguherîne).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Upload nameya serokê û logo xwe. (Tu ji wan paşê biguherîne).
DocType: Timesheet Detail,Bill,Hesab
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Next Date Farhad wek date borî ketin
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Spî
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Spî
DocType: SMS Center,All Lead (Open),Hemû Lead (Open)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Qty ji bo amade ne {4} li warehouse {1} hate dem bi mesaj û ji entry ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Qty ji bo amade ne {4} li warehouse {1} hate dem bi mesaj û ji entry ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Get pêşketina Paid
DocType: Item,Automatically Create New Batch,Otomatîk Create Batch New
DocType: Item,Automatically Create New Batch,Otomatîk Create Batch New
@@ -1049,13 +1055,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Têxe min
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},"Order Type, divê yek ji yên bê {0}"
DocType: Lead,Next Contact Date,Next Contact Date
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,vekirina Qty
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,Ji kerema xwe ve Account ji bo Guhertina Mîqdar binivîse
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,vekirina Qty
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,Ji kerema xwe ve Account ji bo Guhertina Mîqdar binivîse
DocType: Student Batch Name,Student Batch Name,Xwendekarên Name Batch
DocType: Holiday List,Holiday List Name,Navê Lîsteya Holiday
DocType: Repayment Schedule,Balance Loan Amount,Balance Loan Mîqdar
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Kurs de Cedwela
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Vebijêrkên Stock
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Vebijêrkên Stock
DocType: Journal Entry Account,Expense Claim,mesrefan
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Ma tu bi rastî dixwazî ji bo restorekirina vê hebûnê belav buye?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Qty ji bo {0}
@@ -1067,12 +1073,12 @@
DocType: Company,Default Terms,Termên Default
DocType: Packing Slip Item,Packing Slip Item,Packing babet Slip
DocType: Purchase Invoice,Cash/Bank Account,Cash Account / Bank
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Ji kerema xwe binivîsin a {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Ji kerema xwe binivîsin a {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,tomar rakirin bi ti guhertinek di dorpêçê de an nirxê.
DocType: Delivery Note,Delivery To,Delivery To
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,table taybetmendiyê de bivênevê ye
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,table taybetmendiyê de bivênevê ye
DocType: Production Planning Tool,Get Sales Orders,Get Orders Sales
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} ne dikare bibe neyînî
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} ne dikare bibe neyînî
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Kêmkirinî
DocType: Asset,Total Number of Depreciations,Hejmara giştî ya Depreciations
DocType: Sales Invoice Item,Rate With Margin,Rate Bi Kenarê
@@ -1093,7 +1099,6 @@
DocType: Serial No,Creation Document No,Creation dokumênt No
DocType: Issue,Issue,Pirs
DocType: Asset,Scrapped,belav
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Account nayê bi Company hev nagirin
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","De ev peyam ji bo babet Variants. eg Size, Color hwd."
DocType: Purchase Invoice,Returns,vegere
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,Warehouse WIP
@@ -1105,12 +1110,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,"Babetê, divê bikaranîna 'Get Nawy ji Purchase Receipts' button bê zêdekirin"
DocType: Employee,A-,YEK-
DocType: Production Planning Tool,Include non-stock items,Usa jî tomar non-stock
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Mesref Sales
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Mesref Sales
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Buying Standard
DocType: GL Entry,Against,Dijî
DocType: Item,Default Selling Cost Center,Default Navenda Cost Selling
DocType: Sales Partner,Implementation Partner,Partner Kiryariya
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Kode ya postî
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Kode ya postî
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Sales Order {0} e {1}
DocType: Opportunity,Contact Info,Têkilî
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Making Stock Arşîva
@@ -1123,33 +1128,33 @@
DocType: Holiday List,Get Weekly Off Dates,Get Weekly Off Kurdî Nexşe
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,End Date nikare bibe kêmtir ji Serî Date
DocType: Sales Person,Select company name first.,Hilbijêre navê kompaniya yekemîn a me.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Dr
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Quotations ji Suppliers wergirt.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},{0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Average Age
DocType: School Settings,Attendance Freeze Date,Beşdariyê Freeze Date
DocType: School Settings,Attendance Freeze Date,Beşdariyê Freeze Date
DocType: Opportunity,Your sales person who will contact the customer in future,kesê firotina xwe ku mişterî di pêşerojê de dê peywendîyê
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,"Lîsteya çend ji wholesale xwe. Ew dikarin bibin rêxistin, yan jî kesên."
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,"Lîsteya çend ji wholesale xwe. Ew dikarin bibin rêxistin, yan jî kesên."
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,View All Products
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Siparîşa hindiktirîn Lead Age (Days)
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Siparîşa hindiktirîn Lead Age (Days)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,Hemû dikeye
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Hemû dikeye
DocType: Company,Default Currency,Default Exchange
DocType: Expense Claim,From Employee,ji xebatkara
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Hişyarî: System wê overbilling ji ber ku mîqdara ji bo babet ne bi {0} li {1} sifir e
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Hişyarî: System wê overbilling ji ber ku mîqdara ji bo babet ne bi {0} li {1} sifir e
DocType: Journal Entry,Make Difference Entry,Make Peyam Cudahiya
DocType: Upload Attendance,Attendance From Date,Alîkarîkirinê ji Date
DocType: Appraisal Template Goal,Key Performance Area,Area Performance Key
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Neqlîye
+DocType: Program Enrollment,Transportation,Neqlîye
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Pêşbîr Invalid
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} de divê bê şandin
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} de divê bê şandin
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Quantity gerek kêmtir an jî wekhev be {0}
DocType: SMS Center,Total Characters,Total Characters
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Ji kerema xwe ve BOM di warê BOM hilbijêre ji bo babet {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Ji kerema xwe ve BOM di warê BOM hilbijêre ji bo babet {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,Detail C-Form bi fatûreyên
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Payment Lihevkirinê bi fatûreyên
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,% Alîkarên
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Li gor Settings Buying eger buy Order gireke == 'ERÊ', piştre ji bo afirandina Buy bi fatûreyên, bikarhêner ji bo afirandina buy Order yekem bo em babete {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,hejmara Company referansa li te. hejmara Bacê hwd.
DocType: Sales Partner,Distributor,Belavkirina
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Têxe selikê Rule Shipping
@@ -1158,23 +1163,25 @@
,Ordered Items To Be Billed,Nawy emir ye- Be
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Ji Range ev be ku kêmtir ji To Range
DocType: Global Defaults,Global Defaults,Têrbûn Global
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Project Dawetname Tevkarî
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Project Dawetname Tevkarî
DocType: Salary Slip,Deductions,bi dabirînê
DocType: Leave Allocation,LAL/,lal /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Serî Sal
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},First 2 malikên ji GSTIN divê bi hejmara Dewletê hev {0}
DocType: Purchase Invoice,Start date of current invoice's period,date ji dema fatûra niha ve dest bi
DocType: Salary Slip,Leave Without Pay,Leave Bê Pay
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Error Planning kapasîteya
,Trial Balance for Party,Balance Trial bo Party
DocType: Lead,Consultant,Şêwirda
DocType: Salary Slip,Earnings,Earnings
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,"Xilas babet {0} kirin, divê ji bo cureyê Manufacture entry ketin"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,"Xilas babet {0} kirin, divê ji bo cureyê Manufacture entry ketin"
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Vekirina Balance Accounting
+,GST Sales Register,Gst Sales Register
DocType: Sales Invoice Advance,Sales Invoice Advance,Sales bi fatûreyên Advance
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Tu tişt ji bo daxwazkirina
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Din record Budget '{0}' jixwe li dijî heye {1} '{2}' ji bo sala diravî ya {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date','Actual Date Serî' nikare bibe mezintir 'Date End Actual'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Serekî
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Serekî
DocType: Cheque Print Template,Payer Settings,Settings Jaaniya
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Ev dê ji qanûna Babetê ji guhertoya bendên. Ji bo nimûne, eger kurtenivîsên SYR ji we "SM", e û code babete de ye "T-SHIRT", code babete ji yên ku guhertoya wê bibe "T-SHIRT-SM""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Pay Net (di peyvên) xuya wê carekê hûn Slip Salary li xilas bike.
@@ -1191,8 +1198,8 @@
DocType: Employee Loan,Partially Disbursed,Qismen dandin de
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,heye Supplier.
DocType: Account,Balance Sheet,Bîlançoya
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Navenda bihagiranîyê ji bo babet bi Code Babetê '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mode tezmînatê nehatiye mîhenkirin. Ji kerema xwe, gelo account hatiye dîtin li ser Mode of Payments an li ser POS Profile danîn."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Navenda bihagiranîyê ji bo babet bi Code Babetê '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mode tezmînatê nehatiye mîhenkirin. Ji kerema xwe, gelo account hatiye dîtin li ser Mode of Payments an li ser POS Profile danîn."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,kesê firotina we dê bîrxistineke li ser vê date get ku serî li mişterî
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,babete eynî ne dikarin ketin bê çend caran.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","bikarhênerên berfireh dikarin di bin Groups kirin, di heman demê de entries dikare li dijî non-Groups kirin"
@@ -1200,7 +1207,7 @@
DocType: Email Digest,Payables,Payables
DocType: Course,Course Intro,Intro Kurs
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Stock Peyam di {0} tên afirandin
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Redkirin Qty ne dikarin li Purchase Return ketin were
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Redkirin Qty ne dikarin li Purchase Return ketin were
,Purchase Order Items To Be Billed,Buy Order Nawy ye- Be
DocType: Purchase Invoice Item,Net Rate,Rate net
DocType: Purchase Invoice Item,Purchase Invoice Item,Bikirin bi fatûreyên babetî
@@ -1227,7 +1234,7 @@
DocType: Sales Order,SO-,WIHA-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Ji kerema xwe ve yekem prefix hilbijêre
DocType: Employee,O-,öó
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Lêkolîn
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Lêkolîn
DocType: Maintenance Visit Purpose,Work Done,work Done
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,"Ji kerema xwe re bi kêmanî yek taybetmendiyê de li ser sifrê, taybetiyên xwe diyar bike"
DocType: Announcement,All Students,Hemû xwendekarên
@@ -1235,17 +1242,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,View Ledger
DocType: Grading Scale,Intervals,navberan
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Kevintirîn
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","An Pol babet bi heman navî heye, ji kerema xwe biguherînin navê babete an jî datayê biguherîne koma babete de"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,"Na, xwendekarê Mobile"
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Din ên cîhanê
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","An Pol babet bi heman navî heye, ji kerema xwe biguherînin navê babete an jî datayê biguherîne koma babete de"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,"Na, xwendekarê Mobile"
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Din ên cîhanê
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,The babet {0} ne dikarin Batch hene
,Budget Variance Report,Budceya Report Variance
DocType: Salary Slip,Gross Pay,Pay Gross
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Row {0}: Type Activity bivênevê ye.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,destkeftineke Paid
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,destkeftineke Paid
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Accounting Ledger
DocType: Stock Reconciliation,Difference Amount,Şêwaz Cudahiya
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,"Earnings û çûyîne,"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,"Earnings û çûyîne,"
DocType: Vehicle Log,Service Detail,Detail Service
DocType: BOM,Item Description,Babetê Description
DocType: Student Sibling,Student Sibling,Xwendekarên Sibling
@@ -1260,11 +1267,11 @@
DocType: Opportunity Item,Opportunity Item,Babetê derfet
,Student and Guardian Contact Details,Xwendekar û Guardian Contact Details
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Row {0}: Ji bo dabînkerê {0} Email Address pêwîst e ji bo şandina email
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Opening demî
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Opening demî
,Employee Leave Balance,Xebatkarê Leave Balance
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Balance bo Account {0} tim divê {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Rate Valuation pêwîst ji bo vî babetî di rêza {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Mînak: Masters li Computer Science
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Mînak: Masters li Computer Science
DocType: Purchase Invoice,Rejected Warehouse,Warehouse red
DocType: GL Entry,Against Voucher,li dijî Vienna
DocType: Item,Default Buying Cost Center,Default Navenda Buying Cost
@@ -1277,31 +1284,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Get Outstanding hisab
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Sales Order {0} ne derbasdar e
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,emir kirînê alîkariya we û plankirina û li pey xwe li ser kirînên te
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Mixabin, şîrketên bi yek bên"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Mixabin, şîrketên bi yek bên"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}","Bi giştî dikele, Doza / Transfer {0} li Daxwaza Material {1} \ ne dikarin bibin mezintir dorpêçê de xwestin {2} ji bo babet {3}"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Biçûk
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Biçûk
DocType: Employee,Employee Number,Hejmara karker
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Case No (s) jixwe tê bikaranîn. Try ji Case No {0}
DocType: Project,% Completed,% Qediya
,Invoiced Amount (Exculsive Tax),Şêwaz fatore (Exculsive Bacê)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Babetê 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,serê Account {0} tên afirandin
DocType: Supplier,SUPP-,kreditupp-
DocType: Training Event,Training Event,Event Training
DocType: Item,Auto re-order,Auto re-da
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Total nebine
DocType: Employee,Place of Issue,Cihê Dozî Kurd
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Peyman
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Peyman
DocType: Email Digest,Add Quote,lê zêde bike Gotinên baş
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},faktora coversion UOM pêwîst ji bo UOM: {0} li babet: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Mesref nerasterast di
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},faktora coversion UOM pêwîst ji bo UOM: {0} li babet: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Mesref nerasterast di
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Row {0}: Qty wêneke e
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Cotyarî
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Syncê Master Data
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Products an Services te
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Syncê Master Data
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Products an Services te
DocType: Mode of Payment,Mode of Payment,Mode of Payment
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,"Website Wêne, divê pel giştî an URL malpera be"
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,"Website Wêne, divê pel giştî an URL malpera be"
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Ev komeke babete root e û ne jî dikarim di dahatûyê de were.
@@ -1310,7 +1316,7 @@
DocType: Warehouse,Warehouse Contact Info,Warehouse Têkilî
DocType: Payment Entry,Write Off Difference Amount,Hewe Off Mîqdar Cudahiya
DocType: Purchase Invoice,Recurring Type,nişankirin Type
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: email Employee dîtin ne, yanî email şandin ne"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: email Employee dîtin ne, yanî email şandin ne"
DocType: Item,Foreign Trade Details,Details Bazirganiya Derve
DocType: Email Digest,Annual Income,Dahata salane ya
DocType: Serial No,Serial No Details,Serial Details No
@@ -1318,10 +1324,10 @@
DocType: Student Group Student,Group Roll Number,Pol Hejmara Roll
DocType: Student Group Student,Group Roll Number,Pol Hejmara Roll
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Ji bo {0}, tenê bikarhênerên credit dikare li dijî entry debit din ve girêdayî"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Bi tevahî ji hemû pîvan Erka divê bê nîşandan 1. kerema xwe pîvan ji hemû erkên Project eyar bikin li gorî
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Delivery Têbînî {0} tê şandin ne
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,"Babetê {0}, divê babete-bînrawe bi peyman be"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Teçxîzatên hatiye capital
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Bi tevahî ji hemû pîvan Erka divê bê nîşandan 1. kerema xwe pîvan ji hemû erkên Project eyar bikin li gorî
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Delivery Têbînî {0} tê şandin ne
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,"Babetê {0}, divê babete-bînrawe bi peyman be"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Teçxîzatên hatiye capital
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Rule Pricing is yekem li ser esasê hilbijartin 'Bisepîne Li ser' qada, ku dikare bê Babetê, Babetê Pol an Brand."
DocType: Hub Settings,Seller Website,Seller Website
DocType: Item,ITEM-,ŞANÎ-
@@ -1339,7 +1345,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Li wir bi tenê dikare yek Shipping Rule Rewşa be, bi 0 an nirx vala ji bo "To Nirx""
DocType: Authorization Rule,Transaction,Şandindayinî
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,"Nîşe: Ev Navenda Cost a Group e. Can entries, hesabgirê li dijî komên ku ne."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,warehouse zarok ji bo vê warehouse heye. Tu dikarî vê warehouse jêbirin.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,warehouse zarok ji bo vê warehouse heye. Tu dikarî vê warehouse jêbirin.
DocType: Item,Website Item Groups,Groups babet Website
DocType: Purchase Invoice,Total (Company Currency),Total (Company Exchange)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,"hejmara Serial {0} ketin, ji carekê zêdetir"
@@ -1349,7 +1355,7 @@
DocType: Grading Scale Interval,Grade Code,Code pola
DocType: POS Item Group,POS Item Group,POS babetî Pula
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email Digest:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} nayê to Babetê girêdayî ne {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} nayê to Babetê girêdayî ne {1}
DocType: Sales Partner,Target Distribution,Belavkariya target
DocType: Salary Slip,Bank Account No.,No. Account Bank
DocType: Naming Series,This is the number of the last created transaction with this prefix,"Ev hejmara dawî ya muameleyan tên afirandin, bi vê prefix e"
@@ -1360,12 +1366,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Book Asset Peyam Farhad otomatîk
DocType: BOM Operation,Workstation,Workstation
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Daxwaza ji bo Supplier Quotation
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Car
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Car
DocType: Sales Order,Recurring Upto,nişankirin Upto
DocType: Attendance,HR Manager,Manager HR
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Ji kerema xwe re Company hilbijêre
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Privilege Leave
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Ji kerema xwe re Company hilbijêre
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Privilege Leave
DocType: Purchase Invoice,Supplier Invoice Date,Supplier Date bi fatûreyên
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,her
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Divê tu ji bo çalakkirina Têxe selikê
DocType: Payment Entry,Writeoff,Writeoff
DocType: Appraisal Template Goal,Appraisal Template Goal,Goal Appraisal Şablon
@@ -1376,10 +1383,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,şert û mercên gihîjte dîtin navbera:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Li dijî Journal Peyam di {0} ji nuha ve li dijî hin fîşeke din hebę
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Total Order Nirx
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Xûrek
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Xûrek
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Range Ageing 3
DocType: Maintenance Schedule Item,No of Visits,No ji Serdan
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Mark Attendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Mark Attendence
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Maintenance Cedwela {0} dijî heye {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,xwendekarê qeyîtkirine
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Pereyan ji Account Girtina divê {0}
@@ -1393,6 +1400,7 @@
DocType: Rename Tool,Utilities,Utilities
DocType: Purchase Invoice Item,Accounting,Accounting
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Tikaye lekerên bo em babete batched hilbijêre
DocType: Asset,Depreciation Schedules,Schedules Farhad.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,dema Application nikare bibe îzina li derve dema dabeşkirina
DocType: Activity Cost,Projects,projeyên
@@ -1406,6 +1414,7 @@
DocType: POS Profile,Campaign,Bêşvekirin
DocType: Supplier,Name and Type,Name û Type
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Rewş erêkirina divê 'status' an jî 'Redkirin'
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,bootstrap
DocType: Purchase Invoice,Contact Person,Contact Person
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Hêvîkirin Date Serî' nikare bibe mezintir 'ya bende Date End'
DocType: Course Scheduling Tool,Course End Date,Kurs End Date
@@ -1413,12 +1422,11 @@
DocType: Sales Order Item,Planned Quantity,Quantity plankirin
DocType: Purchase Invoice Item,Item Tax Amount,Şêwaz Bacê babetî
DocType: Item,Maintain Stock,Pêkanîna Stock
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Stock berheman jixwe ji bo Production Order tên afirandin
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Stock berheman jixwe ji bo Production Order tên afirandin
DocType: Employee,Prefered Email,prefered Email
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Change Net di Asset Fixed
DocType: Leave Control Panel,Leave blank if considered for all designations,"Vala bihêlin, eger ji bo hemû deverî nirxandin"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Warehouse bo Accounts ne komeke type Stock wêneke e
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Pere ji type 'Actual' li row {0} ne bi were di Rate babetî di nav de
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Pere ji type 'Actual' li row {0} ne bi were di Rate babetî di nav de
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,ji DateTime
DocType: Email Digest,For Company,ji bo Company
@@ -1428,15 +1436,15 @@
DocType: Sales Invoice,Shipping Address Name,Shipping Name Address
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Chart Dageriyê
DocType: Material Request,Terms and Conditions Content,Şert û mercan Content
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,dikarin bibin mezintir 100 ne
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Babetê {0} e a stock babete ne
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,dikarin bibin mezintir 100 ne
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Babetê {0} e a stock babete ne
DocType: Maintenance Visit,Unscheduled,rayis
DocType: Employee,Owned,Owned
DocType: Salary Detail,Depends on Leave Without Pay,Dimîne li ser Leave Bê Pay
DocType: Pricing Rule,"Higher the number, higher the priority","Bilind hejmara, bilind pêşanî"
,Purchase Invoice Trends,Bikirin Trends bi fatûreyên
DocType: Employee,Better Prospects,baştir e
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Row # {0}: The hevîrê {1} tenê {2} qty. Tikaye Demîralp, ku {3} qty License de hilbijêre yan parçekirina row nav rêzên multiple, bi azadkirina / pirsa ji lekerên multiple"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Row # {0}: The hevîrê {1} tenê {2} qty. Tikaye Demîralp, ku {3} qty License de hilbijêre yan parçekirina row nav rêzên multiple, bi azadkirina / pirsa ji lekerên multiple"
DocType: Vehicle,License Plate,License Plate
DocType: Appraisal,Goals,armancên
DocType: Warranty Claim,Warranty / AMC Status,Mîsoger / AMC Rewş
@@ -1447,19 +1455,20 @@
,Batch-Wise Balance History,Batch-Wise Dîroka Balance
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,mîhengên çaperê ve di formata print respective
DocType: Package Code,Package Code,Code package
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Şagird
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Şagird
+DocType: Purchase Invoice,Company GSTIN,Company GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Elemanekî negatîvî nayê ne bi destûr
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","table detail Bacê biribû, ji master babete wek string û hilanîn di vê qadê de. Tê bikaranîn ji bo wî hûrhûr bike û wan doz li"
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Xebatkarê ne dikarin ji xwe re rapor.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Eger account bêhest e, entries bi bikarhênerên sînorkirin destûr."
DocType: Email Digest,Bank Balance,Balance Bank
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Peyam Accounting ji bo {0}: {1} dikarin tenê li pereyan kir: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Peyam Accounting ji bo {0}: {1} dikarin tenê li pereyan kir: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","profile kar, bi dawîanîna pêwîst hwd."
DocType: Journal Entry Account,Account Balance,Mêzîna Hesabê
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Rule Bacê ji bo muameleyên.
DocType: Rename Tool,Type of document to rename.,Type of belge ji bo rename.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Em buy vî babetî
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Em buy vî babetî
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Mişterî li dijî account teleb pêwîst e {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),"Total Bac, û doz li (Company Exchange)"
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Nîşan P & hevsengiyên L sala diravî ya negirtî ya
@@ -1470,29 +1479,30 @@
DocType: Stock Entry,Total Additional Costs,Total Xercên din
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Cost xurde Material (Company Exchange)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Meclîsên bînrawe
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Meclîsên bînrawe
DocType: Asset,Asset Name,Navê Asset
DocType: Project,Task Weight,Task Loss
DocType: Shipping Rule Condition,To Value,to Nirx
DocType: Asset Movement,Stock Manager,Stock Manager
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},warehouse Source bo row wêneke e {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Packing Slip
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Office Rent
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},warehouse Source bo row wêneke e {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Packing Slip
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Office Rent
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,settings deryek Setup SMS
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Import ser neket!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,No address added yet.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,No address added yet.
DocType: Workstation Working Hour,Workstation Working Hour,Workstation Saet Xebatê
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Analîstê
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Analîstê
DocType: Item,Inventory,Inventory
DocType: Item,Sales Details,Details Sales
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,bi babetî
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,li Qty
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,li Qty
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Validate jimartin Kurs ji bo Xwendekarên li Komeleya Xwendekarên
DocType: Notification Control,Expense Claim Rejected,Mesrefan Redkirin
DocType: Item,Item Attribute,Pêşbîr babetî
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Rêvebir
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Rêvebir
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Expense Îdîaya {0} berê ji bo Têkeve Vehicle heye
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Navê Enstîtuya
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Navê Enstîtuya
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,"Ji kerema xwe ve Mîqdar dayinê, binivîse"
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Variants babetî
DocType: Company,Services,Services
@@ -1502,18 +1512,18 @@
DocType: Sales Invoice,Source,Kanî
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Show girtî
DocType: Leave Type,Is Leave Without Pay,Ma Leave Bê Pay
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Asset Category bo em babete Asset Fixed wêneke e
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset Category bo em babete Asset Fixed wêneke e
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,No records dîtin li ser sifrê (DGD)
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Ev {0} pevçûnên bi {1} ji bo {2} {3}
DocType: Student Attendance Tool,Students HTML,xwendekarên HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Financial Sal Serî Date
DocType: POS Profile,Apply Discount,Apply Discount
+DocType: Purchase Invoice Item,GST HSN Code,Gst Code HSN
DocType: Employee External Work History,Total Experience,Total ezmûna
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Projeyên vekirî
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Packing Slip (s) betalkirin
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Flow Cash ji Investing
DocType: Program Course,Program Course,Kurs Program
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Koçberên êşkencebûyî tê û şandinê de doz li
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Koçberên êşkencebûyî tê û şandinê de doz li
DocType: Homepage,Company Tagline for website homepage,Company Tagline bo homepage malpera
DocType: Item Group,Item Group Name,Babetê Name Group
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,hatin binçavkirin
@@ -1523,6 +1533,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Create Leads
DocType: Maintenance Schedule,Schedules,schedules
DocType: Purchase Invoice Item,Net Amount,Şêwaz net
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} hatiye nehatine şandin, da ku çalakiyên ne dikarin bi dawî bê"
DocType: Purchase Order Item Supplied,BOM Detail No,Detail BOM No
DocType: Landed Cost Voucher,Additional Charges,Li dijî wan doz Additional
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Şêwaz Discount Additional (Exchange Company)
@@ -1538,6 +1549,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Şêwaz vegerandinê mehane
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,Ji kerema xwe ve warê ID'ya bikarhêner set di qeyda Employee ji bo danîna Employee Role
DocType: UOM,UOM Name,Navê UOM
+DocType: GST HSN Code,HSN Code,Code HSN
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Şêwaz Alîkarên
DocType: Purchase Invoice,Shipping Address,Navnîşana Şandinê
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,"Ev amûr alîkariya te dike ji bo rojanekirina an Rastkirina dorpêçê de û nirxandina ku ji stock di sîstema. Ev, bêhtirê caran ji bo synca nirxên sîstema û çi di rastiyê de, di wargehan de te heye."
@@ -1548,18 +1560,17 @@
DocType: Program Enrollment Tool,Program Enrollments,Enrollments Program
DocType: Sales Invoice Item,Brand Name,Navê marka
DocType: Purchase Receipt,Transporter Details,Details Transporter
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Default warehouse bo em babete helbijartî pêwîst e
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Qûtîk
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Default warehouse bo em babete helbijartî pêwîst e
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Qûtîk
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,Supplier gengaz
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Rêxistina
DocType: Budget,Monthly Distribution,Belavkariya mehane
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Lîsteya Receiver vala ye. Ji kerema Lîsteya Receiver
DocType: Production Plan Sales Order,Production Plan Sales Order,Plan Production Sales Order
DocType: Sales Partner,Sales Partner Target,Sales Partner Target
DocType: Loan Type,Maximum Loan Amount,Maximum Mîqdar Loan
DocType: Pricing Rule,Pricing Rule,Rule Pricing
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},hejmara roll Pekana ji bo xwendekarê {0}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},hejmara roll Pekana ji bo xwendekarê {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},hejmara roll Pekana ji bo xwendekarê {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},hejmara roll Pekana ji bo xwendekarê {0}
DocType: Budget,Action if Annual Budget Exceeded,Action eger salane ya Budceyê de DYE'yê
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Daxwaza madî ji bo Buy Order
DocType: Shopping Cart Settings,Payment Success URL,Payment URL bi serket
@@ -1572,11 +1583,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Vekirina Balance Stock
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} de divê bi tenê carekê xuya
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},destûr ne ji bo tranfer zêdetir {0} ji {1} dijî Purchase Order {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},destûr ne ji bo tranfer zêdetir {0} ji {1} dijî Purchase Order {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Pelên bi awayekî serketî ji bo bi rêk û {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,No babet to pack
DocType: Shipping Rule Condition,From Value,ji Nirx
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Manufacturing Quantity wêneke e
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Manufacturing Quantity wêneke e
DocType: Employee Loan,Repayment Method,Method vegerandinê
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Eger kontrolkirin, rûpel Home de dê bibe Pol default babet ji bo malpera"
DocType: Quality Inspection Reading,Reading 4,Reading 4
@@ -1586,7 +1597,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Row # {0}: date Clearance {1} ne berî Date Cheque be {2}
DocType: Company,Default Holiday List,Default Lîsteya Holiday
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Row {0}: Ji Time û To Time of {1} bi gihîjte {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Deynên Stock
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Deynên Stock
DocType: Purchase Invoice,Supplier Warehouse,Supplier Warehouse
DocType: Opportunity,Contact Mobile No,Contact Mobile No
,Material Requests for which Supplier Quotations are not created,Daxwazên madî ji bo ku Quotations Supplier bi tên bi
@@ -1597,35 +1608,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Make Quotation
apps/erpnext/erpnext/config/selling.py +216,Other Reports,din Reports
DocType: Dependent Task,Dependent Task,Task girêdayî
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},faktora Converter ji bo default Unit ji pîvanê divê 1 li row be {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},faktora Converter ji bo default Unit ji pîvanê divê 1 li row be {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Leave a type {0} nikare were êdî ji {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Try plan operasyonên ji bo rojên X di pêş.
DocType: HR Settings,Stop Birthday Reminders,Stop Birthday Reminders
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Ji kerema xwe ve Default payroll cîhde Account set li Company {0}
DocType: SMS Center,Receiver List,Lîsteya Receiver
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Search babetî
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Search babetî
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Şêwaz telef
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Change Net di Cash
DocType: Assessment Plan,Grading Scale,pîvanê de
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,"Unit ji Measure {0} hatiye, ji carekê zêdetir li Converter Factor Table nivîsandin"
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,"Unit ji Measure {0} hatiye, ji carekê zêdetir li Converter Factor Table nivîsandin"
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,jixwe temam
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock Li Hand
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Daxwaza peredana ji berê ve heye {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Cost ji Nawy Issued
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},"Dorpêçê de ne, divê bêhtir ji {0}"
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Previous Financial Sal is girtî ne
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Age (Days)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Age (Days)
DocType: Quotation Item,Quotation Item,Babetê quotation
+DocType: Customer,Customer POS Id,Mişterî POS Id
DocType: Account,Account Name,Navê account
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Ji Date ne dikarin bibin mezintir To Date
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} dorpêçê de {1} ne dikare bibe perçeyeke
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Supplier Type master.
DocType: Purchase Order Item,Supplier Part Number,Supplier Hejmara Part
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,rêjeya Converter nikare bibe 0 an 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,rêjeya Converter nikare bibe 0 an 1
DocType: Sales Invoice,Reference Document,Dokumentê Reference
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} ji betalkirin an sekinî
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} ji betalkirin an sekinî
DocType: Accounts Settings,Credit Controller,Controller Credit
DocType: Delivery Note,Vehicle Dispatch Date,Vehicle Date Dispatch
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Buy Meqbûz {0} tê şandin ne
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Buy Meqbûz {0} tê şandin ne
DocType: Company,Default Payable Account,Default Account cîhde
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Mîhengên ji bo Têxe selikê bike wek qaîdeyên shipping, lîsteya buhayên hwd."
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% billed
@@ -1644,11 +1657,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Total qasa dayîna
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Ev li ser têketin li dijî vê Vehicle bingeha. Dîtina cedwela li jêr bo hûragahiyan
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,Berhevkirin
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Li dijî Supplier bi fatûreyên {0} dîroka {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Li dijî Supplier bi fatûreyên {0} dîroka {1}
DocType: Customer,Default Price List,Default List Price
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,record Tevgera Asset {0} tên afirandin
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Tu nikarî bibî Fiscal Sal {0}. Sal malî {0} wek default li Settings Global danîn
DocType: Journal Entry,Entry Type,Type entry
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,No plan nirxandineke girêdayî bi vê koma nirxandina
,Customer Credit Balance,Balance Credit Mişterî
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Change Net di Accounts cîhde
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Mişterî ya pêwîst ji bo 'Discount Customerwise'
@@ -1657,7 +1671,7 @@
DocType: Quotation,Term Details,Details term
DocType: Project,Total Sales Cost (via Sales Order),Total Cost Sales (bi rêya Sales Order)
DocType: Project,Total Sales Cost (via Sales Order),Total Cost Sales (bi rêya Sales Order)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,ne dikarin zêdetir ji {0} xwendekar ji bo vê koma xwendekaran kul.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,ne dikarin zêdetir ji {0} xwendekar ji bo vê koma xwendekaran kul.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,View Lead
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,View Lead
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} divê mezintir 0 be
@@ -1680,7 +1694,7 @@
DocType: Sales Invoice,Packed Items,Nawy Packed
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Îdîaya Warranty dijî No. Serial
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Replace a BOM bi taybetî jî di hemû dikeye din li ku derê tê bikaranîn. Ev dê link kevin BOM şûna, update mesrefan û Hozan Semdîn "BOM teqîn Babetî" sifrê wek per BOM nû"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Hemî'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Hemî'
DocType: Shopping Cart Settings,Enable Shopping Cart,Çalak Têxe selikê
DocType: Employee,Permanent Address,daîmî Address
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1696,9 +1710,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,"Ji kerema xwe, yan Quantity an Rate Valuation an hem diyar bike"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,Bicihanînî
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,View li Têxe
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Mesref marketing
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Mesref marketing
,Item Shortage Report,Babetê Report pirsgirêka
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Loss de behsa, \ nJi kerema xwe behsa "Loss UOM" jî"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Loss de behsa, \ nJi kerema xwe behsa "Loss UOM" jî"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Daxwaza maddî tê bikaranîn ji bo ku ev Stock Peyam
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Next Date Farhad ji bo sermaye nû wêneke e
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Cuda Bêguman Pol bingeha ji bo her Batch
@@ -1708,17 +1722,18 @@
,Student Fee Collection,Xwendekarên Fee Collection
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Make Peyam Accounting bo her Stock Tevgera
DocType: Leave Allocation,Total Leaves Allocated,Total Leaves veqetandin
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Warehouse pêwîst li Row No {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Ji kerema xwe ve derbas dibe Financial Sal destpêkirin û dawîlêanîna binivîse
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Warehouse pêwîst li Row No {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Ji kerema xwe ve derbas dibe Financial Sal destpêkirin û dawîlêanîna binivîse
DocType: Employee,Date Of Retirement,Date Of Teqawîdiyê
DocType: Upload Attendance,Get Template,Get Şablon
+DocType: Material Request,Transferred,veguhestin
DocType: Vehicle,Doors,Doors
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext Sazkirin Qediya!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Sazkirin Qediya!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Navenda Cost ji bo 'Profit û wendakirin' account pêwîst e {2}. Ji kerema xwe ve set up a Navenda Cost default ji bo Company.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,A Pol Mişterî ya bi heman navî heye ji kerema xwe biguherînin navê Mişterî li an rename Pol Mişterî ya
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,New Contact
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,A Pol Mişterî ya bi heman navî heye ji kerema xwe biguherînin navê Mişterî li an rename Pol Mişterî ya
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,New Contact
DocType: Territory,Parent Territory,Herêmê dê û bav
DocType: Quality Inspection Reading,Reading 2,Reading 2
DocType: Stock Entry,Material Receipt,Meqbûz maddî
@@ -1727,17 +1742,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Eger tu dzanî ev babete Guhertoyên, hingê wê ne li gor fermanên firotina hwd bên hilbijartin"
DocType: Lead,Next Contact By,Contact Next By
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Quantity pêwîst ji bo vî babetî {0} li row {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},Warehouse {0} ne jêbirin wek dorpêçê de ji bo babet heye {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Quantity pêwîst ji bo vî babetî {0} li row {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Warehouse {0} ne jêbirin wek dorpêçê de ji bo babet heye {1}
DocType: Quotation,Order Type,Order Type
DocType: Purchase Invoice,Notification Email Address,Hişyariya Email Address
,Item-wise Sales Register,Babetê-şehreza Sales Register
DocType: Asset,Gross Purchase Amount,Şêwaz Purchase Gross
DocType: Asset,Depreciation Method,Method Farhad.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Ne girêdayî
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,Ne girêdayî
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Ma ev Tax di nav Rate Basic?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Total Target
-DocType: Program Course,Required,pêwîst
DocType: Job Applicant,Applicant for a Job,Applicant bo Job
DocType: Production Plan Material Request,Production Plan Material Request,Production Daxwaza Plan Material
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,No Orders Production tên afirandin
@@ -1747,17 +1761,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Destûrê bide multiple Orders Sales dijî Mişterî ya Purchase Order
DocType: Student Group Instructor,Student Group Instructor,Instructor Student Group
DocType: Student Group Instructor,Student Group Instructor,Instructor Student Group
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 Mobile No
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Ser
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile No
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Ser
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,variant
DocType: Naming Series,Set prefix for numbering series on your transactions,Set prefix ji bo ku hijmara series li ser danûstandinên xwe
DocType: Employee Attendance Tool,Employees HTML,karmendên HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,"Default BOM ({0}), divê ji bo em babete an şablonê xwe çalak be"
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,"Default BOM ({0}), divê ji bo em babete an şablonê xwe çalak be"
DocType: Employee,Leave Encashed?,Dev ji Encashed?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Derfeta ji qadê de bivênevê ye
DocType: Email Digest,Annual Expenses,Mesref ya salane
DocType: Item,Variants,Guhertoyên
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Make Purchase Order
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Make Purchase Order
DocType: SMS Center,Send To,Send To
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},e balance îzna bes ji bo Leave Type li wir ne {0}
DocType: Payment Reconciliation Payment,Allocated amount,butçe
@@ -1773,26 +1787,25 @@
DocType: Item,Serial Nos and Batches,Serial Nos û lekerên
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Hêz Student Group
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Hêz Student Group
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,"Li dijî Journal Peyam di {0} ti {1} entry berdar, ne xwedî"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,"Li dijî Journal Peyam di {0} ti {1} entry berdar, ne xwedî"
apps/erpnext/erpnext/config/hr.py +137,Appraisals,Şiroveyên
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Curenivîsên Serial No bo Babetê ketin {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,A rewşa ji bo Rule Shipping
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Ji kerema xwe re têkevin
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ne dikarin ji bo vî babetî {0} li row overbill {1} zêdetir {2}. To rê li ser-billing, ji kerema xwe danîn li Peydakirina Settings"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Ji kerema xwe ve filter li ser Babetî an Warehouse danîn
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ne dikarin ji bo vî babetî {0} li row overbill {1} zêdetir {2}. To rê li ser-billing, ji kerema xwe danîn li Peydakirina Settings"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Ji kerema xwe ve filter li ser Babetî an Warehouse danîn
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Giraniya net ji vê pakêtê. (Automatically weke dîyardeyeke weight net ji tomar tê hesabkirin)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Ji kerema xwe ji bo vê Warehouse biafirîne û berve wê. Ev ne dikarin automatically wek account bi name bê kirin {0} 'jixwe heye
DocType: Sales Order,To Deliver and Bill,To azad û Bill
DocType: Student Group,Instructors,Instructors
DocType: GL Entry,Credit Amount in Account Currency,Şêwaz Credit li Account Exchange
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} de divê bê şandin
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} de divê bê şandin
DocType: Authorization Control,Authorization Control,Control Authorization
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Redkirin Warehouse dijî babet red wêneke e {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Redkirin Warehouse dijî babet red wêneke e {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Diravdanî
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Warehouse {0} ji bo her account girêdayî ne, ji kerema xwe ve behsa account di qeyda warehouse an set account ambaran de default li şîrketa {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Manage fermana xwe
DocType: Production Order Operation,Actual Time and Cost,Time û Cost rastî
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Daxwaza maddî yên herî zêde {0} de ji bo babet {1} dijî Sales Order kirin {2}
-DocType: Employee,Salutation,Silav
DocType: Course,Course Abbreviation,Abbreviation Kurs
DocType: Student Leave Application,Student Leave Application,Xwendekarên Leave Application
DocType: Item,Will also apply for variants,jî wê ji bo Guhertoyên serî
@@ -1804,12 +1817,12 @@
DocType: Quotation Item,Actual Qty,rastî Qty
DocType: Sales Invoice Item,References,Çavkanî
DocType: Quality Inspection Reading,Reading 10,Reading 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Lîsteya hilber û karguzarîyên we ku hun dikirin an jî bifiroşe. Piştrast bike ku venêrî Koma Babetê, Unit ji Measure û milkên din gava ku tu dest pê bike."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Lîsteya hilber û karguzarîyên we ku hun dikirin an jî bifiroşe. Piştrast bike ku venêrî Koma Babetê, Unit ji Measure û milkên din gava ku tu dest pê bike."
DocType: Hub Settings,Hub Node,hub Node
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Hûn ketin tomar lînkek kirine. Ji kerema xwe re çak û careke din biceribîne.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Şirîk
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Şirîk
DocType: Asset Movement,Asset Movement,Tevgera Asset
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,Têxe New
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Têxe New
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Babetê {0} e a babete weşandin ne
DocType: SMS Center,Create Receiver List,Create Lîsteya Receiver
DocType: Vehicle,Wheels,wheels
@@ -1829,19 +1842,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Can row têne tenê eger type belaş e 'li ser Previous Mîqdar Row' an jî 'Previous Row Total'
DocType: Sales Order Item,Delivery Warehouse,Warehouse Delivery
DocType: SMS Settings,Message Parameter,Message parametreyê
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Tree of Navendên Cost aborî.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Tree of Navendên Cost aborî.
DocType: Serial No,Delivery Document No,Delivery dokumênt No
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Ji kerema xwe ve 'Gain Account / Loss li ser çespandina Asset' set li Company {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Get Nawy Ji Buy Receipts
DocType: Serial No,Creation Date,Date creation
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Babetê {0} xuya çend caran li List Price {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Firotin, divê werin kontrolkirin, eger Ji bo serlêdanê ya ku weke hilbijartî {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Firotin, divê werin kontrolkirin, eger Ji bo serlêdanê ya ku weke hilbijartî {0}"
DocType: Production Plan Material Request,Material Request Date,Maddî Date Daxwaza
DocType: Purchase Order Item,Supplier Quotation Item,Supplier babet Quotation
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Modê de creation ji dem têketin dijî Orders Production. Operasyonên wê li hember Production Order ne bê Molla
DocType: Student,Student Mobile Number,Xwendekarên Hejmara Mobile
DocType: Item,Has Variants,has Variants
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Jixwe te tomar ji hilbijartî {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Jixwe te tomar ji hilbijartî {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Name ji Belavkariya Ayda
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Batch ID wêneke e
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Batch ID wêneke e
@@ -1852,12 +1865,12 @@
DocType: Budget,Fiscal Year,sala diravî ya
DocType: Vehicle Log,Fuel Price,sotemeniyê Price
DocType: Budget,Budget,Sermîyan
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,"Babetê Asset Fixed, divê babete non-stock be."
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,"Babetê Asset Fixed, divê babete non-stock be."
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budceya dikare li hember {0} ne bên wezîfedarkirin, wek ku ev hesabê Hatinê an jî Expense ne"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,nebine
DocType: Student Admission,Application Form Route,Forma serlêdana Route
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Axa / Mişterî
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,eg 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,eg 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Dev ji Type {0} nikare bê veqetandin, ji ber ku bê pere bihêle"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Row {0}: veqetandin mîqdara {1} gerek kêmtir be an jî li beramberî bo Fatûreya mayî {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Li Words xuya dê bibe dema ku tu bi fatûreyên Sales xilas bike.
@@ -1866,7 +1879,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Babetê {0} e setup bo Serial Nos ne. Kontrol bike master babetî
DocType: Maintenance Visit,Maintenance Time,Maintenance Time
,Amount to Deliver,Mîqdar ji bo azad
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,A Product an Service
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,A Product an Service
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,The Date Serî Term ne dikarin zûtir ji Date Sal Start of the Year (Ekadîmî) ji bo ku di dema girêdayî be (Year (Ekadîmî) {}). Ji kerema xwe re li rojên bike û careke din biceribîne.
DocType: Guardian,Guardian Interests,Guardian Interests
DocType: Naming Series,Current Value,Nirx niha:
@@ -1880,12 +1893,12 @@
must be greater than or equal to {2}","Row {0}: To set {1} periodicity, cudahiya di navbera ji û bo date \ divê mezintir an wekhev bin {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Ev li ser tevgera stock bingeha. Dîtina {0} Ji bo hûragahiyan li
DocType: Pricing Rule,Selling,firotin
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Şêwaz {0} {1} dabirîn dijî {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Şêwaz {0} {1} dabirîn dijî {2}
DocType: Employee,Salary Information,Information meaş
DocType: Sales Person,Name and Employee ID,Name û Xebatkarê ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,Date ji ber nikarim li ber Mesaj Date be
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,Date ji ber nikarim li ber Mesaj Date be
DocType: Website Item Group,Website Item Group,Website babetî Pula
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Erk û Baca
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Erk û Baca
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Ji kerema xwe ve date Çavkanî binivîse
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} ketanên dikare tezmînat ji aliyê ne bê filtrata {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,Table bo Babetê ku di Web Site li banî tê wê
@@ -1902,9 +1915,9 @@
DocType: Payment Reconciliation Payment,Reference Row,Çavkanî Row
DocType: Installation Note,Installation Time,installation Time
DocType: Sales Invoice,Accounting Details,Details Accounting
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Vemirandina hemû Transactions ji bo vê Company
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: Operation {1} ji bo {2} QTY ji malê xilas li Production temam ne Order # {3}. Ji kerema xwe ve status Karê rojanekirina via Têketin Time
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,învêstîsîaên
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Vemirandina hemû Transactions ji bo vê Company
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: Operation {1} ji bo {2} QTY ji malê xilas li Production temam ne Order # {3}. Ji kerema xwe ve status Karê rojanekirina via Têketin Time
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,învêstîsîaên
DocType: Issue,Resolution Details,Resolution Details
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,xercî
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Şertên qebûlkirinê
@@ -1929,7 +1942,7 @@
DocType: Room,Room Name,Navê room
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Leave ne dikarin bên bicîhkirin / berî {0} betalkirin, wekî parsenga îzinê jixwe-hilgire hatiye şandin, di qeyda dabeşkirina îzna pêş {1}"
DocType: Activity Cost,Costing Rate,yên arzane ku Rate
-,Customer Addresses And Contacts,Navnîşan Mişterî û Têkilî
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Navnîşan Mişterî û Têkilî
,Campaign Efficiency,Efficiency kampanya
,Campaign Efficiency,Efficiency kampanya
DocType: Discussion,Discussion,Nîqaş
@@ -1941,14 +1954,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Temamê meblaxa Billing (via Time Sheet)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Hatiniyên Mişterî Repeat
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}), divê rola 'Approver Expense' heye"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Cot
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Select BOM û Qty bo Production
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Cot
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Select BOM û Qty bo Production
DocType: Asset,Depreciation Schedule,Cedwela Farhad.
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Navnîşan Sales Partner Û Têkilî
DocType: Bank Reconciliation Detail,Against Account,li dijî Account
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Nîv Date Day divê di navbera From Date û To Date be
DocType: Maintenance Schedule Detail,Actual Date,Date rastî
DocType: Item,Has Batch No,Has Batch No
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Billing salane: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Billing salane: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Mal û xizmetan Bacê (gst India)
DocType: Delivery Note,Excise Page Number,Baca Hejmara Page
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Company, Ji Date û To Date wêneke e"
DocType: Asset,Purchase Date,Date kirîn
@@ -1956,11 +1971,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Ji kerema xwe ve 'Asset Navenda Farhad. Cost' li Company set {0}
,Maintenance Schedules,Schedules Maintenance
DocType: Task,Actual End Date (via Time Sheet),Rastî End Date (via Time Sheet)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Şêwaz {0} {1} dijî {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Şêwaz {0} {1} dijî {2} {3}
,Quotation Trends,Trends quotation
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Babetê Pol di master babete bo em babete behsa ne {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,"Debit To account, divê hesabekî teleb be"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Babetê Pol di master babete bo em babete behsa ne {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,"Debit To account, divê hesabekî teleb be"
DocType: Shipping Rule Condition,Shipping Amount,Şêwaz Shipping
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,lê zêde muşteriyan
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,hîn Mîqdar
DocType: Purchase Invoice Item,Conversion Factor,Factor converter
DocType: Purchase Order,Delivered,teslîmî
@@ -1970,7 +1986,8 @@
DocType: Purchase Receipt,Vehicle Number,Hejmara Vehicle
DocType: Purchase Invoice,The date on which recurring invoice will be stop,Roja ku dubare fatûra bê dê bê rawestandin
DocType: Employee Loan,Loan Amount,Şêwaz deyn
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of material ji bo babet dîtin ne {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Vehicle Self-Driving
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of material ji bo babet dîtin ne {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Hemû pelên bi rêk û {0} nikare were kêmî ji pelên jixwe pejirandin {1} ji bo dema
DocType: Journal Entry,Accounts Receivable,hesabê hilgirtinê
,Supplier-Wise Sales Analytics,Supplier-Wise Sales Analytics
@@ -1988,22 +2005,21 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Mesrefan hîn erêkirina. Tenê Approver Expense dikare status update.
DocType: Email Digest,New Expenses,Mesref New
DocType: Purchase Invoice,Additional Discount Amount,Şêwaz Discount Additional
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Qty divê 1 be, wek babete a hebûnê sabît e. Ji kerema xwe ve row cuda ji bo QTY multiple bi kar tînin."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Qty divê 1 be, wek babete a hebûnê sabît e. Ji kerema xwe ve row cuda ji bo QTY multiple bi kar tînin."
DocType: Leave Block List Allow,Leave Block List Allow,Dev ji Lîsteya Block Destûrê bide
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Kurte nikare bibe vala an space
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Kurte nikare bibe vala an space
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Pol to non-Group
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sports
DocType: Loan Type,Loan Name,Navê deyn
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Total Actual
DocType: Student Siblings,Student Siblings,Brayên Student
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Yekbûn
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,Ji kerema xwe ve Company diyar
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Yekbûn
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Ji kerema xwe ve Company diyar
,Customer Acquisition and Loyalty,Mişterî Milk û rêzgirtin ji
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Warehouse tu li ku derê bi parastina stock ji tomar red
DocType: Production Order,Skip Material Transfer,Skip Transfer Material
DocType: Production Order,Skip Material Transfer,Skip Transfer Material
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Nikare bibînin rate ji bo {0} ji bo {1} ji bo date key {2}. Ji kerema xwe re qeyda Exchange biafirîne bi destan
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,sala te ya aborî dawî li ser
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Nikare bibînin rate ji bo {0} ji bo {1} ji bo date key {2}. Ji kerema xwe re qeyda Exchange biafirîne bi destan
DocType: POS Profile,Price List,Lîsteya bihayan
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} e niha standard sala diravî. Ji kerema xwe (browser) xwe nû dikin ji bo vê guhertinê ji bandora.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Îdîayên Expense
@@ -2016,14 +2032,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},balance Stock li Batch {0} dê bibe neyînî {1} ji bo babet {2} li Warehouse {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Piştî Requests Material hatine automatically li ser asta re-da babete rabûye
DocType: Email Digest,Pending Sales Orders,Hîn Orders Sales
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Account {0} ne derbasdar e. Account Exchange divê {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Account {0} ne derbasdar e. Account Exchange divê {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},faktora UOM Converter li row pêwîst e {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: World: Kurdî: Corî dokumênt, divê yek ji Sales Order, Sales bi fatûreyên an Peyam Journal be"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: World: Kurdî: Corî dokumênt, divê yek ji Sales Order, Sales bi fatûreyên an Peyam Journal be"
DocType: Salary Component,Deduction,Jêkişî
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Row {0}: Ji Time û To Time de bivênevê ye.
DocType: Stock Reconciliation Item,Amount Difference,Cudahiya di Mîqdar
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Babetê Price added for {0} li List Price {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Babetê Price added for {0} li List Price {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Ji kerema xwe ve Employee Id bikevin vî kesî yên firotina
DocType: Territory,Classification of Customers by region,Dabeşandina yên muşteriyan bi herêma
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Şêwaz Cudahiya divê sifir be
@@ -2035,21 +2051,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Total dabirîna
,Production Analytics,Analytics Production
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,cost Demê
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,cost Demê
DocType: Employee,Date of Birth,Rojbûn
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Babetê {0} ji niha ve hatine vegerandin
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Babetê {0} ji niha ve hatine vegerandin
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Fiscal Sal ** temsîl Sal Financial. Re hemû ketanên hisêba û din muamele mezin bi dijî Sal Fiscal ** Molla **.
DocType: Opportunity,Customer / Lead Address,Mişterî / Lead Address
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Hişyarî: belgeya SSL çewt li ser attachment {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Hişyarî: belgeya SSL çewt li ser attachment {0}
DocType: Student Admission,Eligibility,ku mafê
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Rêça te alîkarîya te bike business, lê zêde bike hemû têkiliyên xwe û zêdetir wek rêça te"
DocType: Production Order Operation,Actual Operation Time,Rastî Time Operation
DocType: Authorization Rule,Applicable To (User),To de evin: (User)
DocType: Purchase Taxes and Charges,Deduct,Jinavkişîn
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Job Description
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Job Description
DocType: Student Applicant,Applied,sepandin
DocType: Sales Invoice Item,Qty as per Stock UOM,Qty wek per Stock UOM
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Navê Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Navê Guardian2
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Characters taybet ji bilî "-" ".", "#", û "/" li Beyazit, series destûr ne"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Track ji kampanyayekê Sales biparêze. track ji Leads, Quotations bimînin, Sales Kom hwd. ji kampanyayekê ji bo texmînkirina Vegera li ser Investment."
DocType: Expense Claim,Approver,Approver
@@ -2060,8 +2076,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial No {0} e bin garantiya upto {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Dîmenê Têbînî Delivery nav pakêtan.
apps/erpnext/erpnext/hooks.py +87,Shipments,Barên
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,"balance Account ({0}) ji bo {1} û nirxê stock ({2}) ji bo warehouse {3}, divê heman be"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,"balance Account ({0}) ji bo {1} û nirxê stock ({2}) ji bo warehouse {3}, divê heman be"
DocType: Payment Entry,Total Allocated Amount (Company Currency),Temamê meblaxa veqetandin (Company Exchange)
DocType: Purchase Order Item,To be delivered to customer,Ji bo mişterî teslîmî
DocType: BOM,Scrap Material Cost,Cost xurde Material
@@ -2069,21 +2083,22 @@
DocType: Purchase Invoice,In Words (Company Currency),Li Words (Company Exchange)
DocType: Asset,Supplier,Şandevan
DocType: C-Form,Quarter,Çarîk
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Mesref Hemecore
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Mesref Hemecore
DocType: Global Defaults,Default Company,Default Company
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Expense an account Cudahiya bo Babetê {0} wek ku bandora Buhaya giştî stock wêneke e
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Expense an account Cudahiya bo Babetê {0} wek ku bandora Buhaya giştî stock wêneke e
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Navê Bank
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Ser
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Ser
DocType: Employee Loan,Employee Loan Account,Xebatkarê Account Loan
DocType: Leave Application,Total Leave Days,Total Rojan Leave
DocType: Email Digest,Note: Email will not be sent to disabled users,Note: Email dê ji bo bikarhênerên seqet ne bên şandin
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Hejmara Nimite
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Hejmara Nimite
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Code babete> babetî Pula> Brand
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Select Company ...
DocType: Leave Control Panel,Leave blank if considered for all departments,"Vala bihêlin, eger ji bo hemû beşên nirxandin"
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Cure yên kar (daîmî, peymana, û hwd. Intern)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} ji bo babet wêneke e {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} ji bo babet wêneke e {1}
DocType: Process Payroll,Fortnightly,Livînê
DocType: Currency Exchange,From Currency,ji Exchange
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Ji kerema xwe ve butçe, Type bi fatûreyên û Number bi fatûreyên li Hindîstan û yek row hilbijêre"
@@ -2106,7 +2121,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,Ji kerema xwe re li ser 'Çêneke Cedwela' click to get schedule
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,bûn çewtî jêbirinê koma demên jêr hene:
DocType: Bin,Ordered Quantity,Quantity ferman
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",eg "Build Amûrên ji bo hostayan"
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",eg "Build Amûrên ji bo hostayan"
DocType: Grading Scale,Grading Scale Intervals,Navberan pîvanê de
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Peyam Accounting ji bo {2} dikarin tenê li pereyan kir: {3}
DocType: Production Order,In Process,di pêvajoya
@@ -2121,12 +2136,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Student Groups afirandin.
DocType: Sales Invoice,Total Billing Amount,Şêwaz Total Billing
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Divê default höndör Account Email çalak be ji bo vê ji bo xebatê li wir be. Ji kerema xwe ve setup a default Account Email höndör (POP / oerienkommende) û careke din biceribîne.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Account teleb
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} berê ji {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Account teleb
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} berê ji {2}
DocType: Quotation Item,Stock Balance,Balance Stock
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Firotina ji bo Payment
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Xêra xwe Bidin Series ji bo {0} bi rêya Setup> Settings> Navên Series
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,CEO
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO
DocType: Expense Claim Detail,Expense Claim Detail,Expense Detail Îdîaya
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Ji kerema xwe ve hesabê xwe rast hilbijêre
DocType: Item,Weight UOM,Loss UOM
@@ -2135,12 +2149,12 @@
DocType: Production Order Operation,Pending,Nexelas
DocType: Course,Course Name,Navê Kurs
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Bikarhêner ku dikarin sepanên îzna a karker taybetî ya erê
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Teçxîzatên hatiye Office
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Teçxîzatên hatiye Office
DocType: Purchase Invoice Item,Qty,Qty
DocType: Fiscal Year,Companies,şirketên
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Electronics
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Bilind Daxwaza Material dema stock asta re-da digihîje
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Dijwar lîstin
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Dijwar lîstin
DocType: Salary Structure,Employees,karmendên
DocType: Employee,Contact Details,Contact Details
DocType: C-Form,Received Date,pêşwaziya Date
@@ -2150,7 +2164,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Bihayê wê li banî tê ne bê eger List Price is set ne
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Ji kerema xwe ve welatekî ji bo vê Rule Shipping diyar bike an jî Shipping Worldwide
DocType: Stock Entry,Total Incoming Value,Total Nirx Incoming
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Debit To pêwîst e
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Debit To pêwîst e
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets alîkariya şopandibe, dem, mesrefa û fatûre ji bo activites kirin ji aliyê ekîba xwe"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Buy List Price
DocType: Offer Letter Term,Offer Term,Term Pêşnîyaza
@@ -2159,17 +2173,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Lihevhatin û dayina
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,Ji kerema xwe re navê Incharge Person ya hilbijêre
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Teknolocî
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Total Unpaid: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Total Unpaid: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM Website Operation
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,pêşkêşkirina Letter
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Çêneke Requests Material (MRP) û Orders Production.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Total fatore Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Total fatore Amt
DocType: BOM,Conversion Rate,converter
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Search Product
DocType: Timesheet Detail,To Time,to Time
DocType: Authorization Rule,Approving Role (above authorized value),Erêkirina Role (li jorê nirxa destûr)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,"Credit To account, divê hesabekî fêhmkirin be"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM kûrahiya: {0} nikare bibe dê û bav an jî zarok ji {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,"Credit To account, divê hesabekî fêhmkirin be"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM kûrahiya: {0} nikare bibe dê û bav an jî zarok ji {2}
DocType: Production Order Operation,Completed Qty,Qediya Qty
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Ji bo {0}, tenê bikarhênerên debit dikare li dijî entry credit din ve girêdayî"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,List Price {0} neçalak e
@@ -2181,28 +2195,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Numbers Serial pêwîst ji bo vî babetî {1}. Hûn hatine {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Rate Valuation niha:
DocType: Item,Customer Item Codes,Codes babet Mişterî
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Exchange Gain / Loss
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange Gain / Loss
DocType: Opportunity,Lost Reason,ji dest Sedem
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,New Address
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,New Address
DocType: Quality Inspection,Sample Size,Size rate
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Ji kerema xwe ve dokumênt Meqbûz binivîse
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Hemû tomar niha ji fatore dîtin
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Hemû tomar niha ji fatore dîtin
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',Ji kerema xwe binivîsin derbasbar a 'Ji Case Na'
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,navendên mesrefa berfireh dikarin di bin Groups made di heman demê de entries dikare li dijî non-Groups kirin
DocType: Project,External,Xûkirînî
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Bikarhêner û Permissions
DocType: Vehicle Log,VLOG.,Sjnaka.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Ordênên Production nû: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Ordênên Production nû: {0}
DocType: Branch,Branch,Liq
DocType: Guardian,Mobile Number,Hejmara Mobile
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Printing û Branding
DocType: Bin,Actual Quantity,Quantity rastî
DocType: Shipping Rule,example: Next Day Shipping,nimûne: Shipping Next Day
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} nehate dîtin
-DocType: Scheduling Tool,Student Batch,Batch Student
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,muşteriyan te
+DocType: Program Enrollment,Student Batch,Batch Student
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Make Student
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Hûn hatine vexwendin ji bo hevkariyê li ser vê projeyê: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Hûn hatine vexwendin ji bo hevkariyê li ser vê projeyê: {0}
DocType: Leave Block List Date,Block Date,Date block
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Apply Now
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Actual Qty {0} / Waiting Qty {1}
@@ -2212,7 +2225,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Create û rêvebirin û digests email rojane, hefteyî û mehane."
DocType: Appraisal Goal,Appraisal Goal,Goal appraisal
DocType: Stock Reconciliation Item,Current Amount,Şêwaz niha:
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,avahiyên
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,avahiyên
DocType: Fee Structure,Fee Structure,Structure Fee
DocType: Timesheet Detail,Costing Amount,yên arzane ku Mîqdar
DocType: Student Admission,Application Fee,Fee application
@@ -2224,10 +2237,10 @@
DocType: POS Profile,[Select],[Neqandin]
DocType: SMS Log,Sent To,şandin To
DocType: Payment Request,Make Sales Invoice,Make Sales bi fatûreyên
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,Softwares
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Softwares
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Next Contact Date ne di dema borî de be
DocType: Company,For Reference Only.,For Reference Only.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Hilbijêre Batch No
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Hilbijêre Batch No
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Invalid {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-direvin
DocType: Sales Invoice Advance,Advance Amount,Advance Mîqdar
@@ -2237,15 +2250,15 @@
DocType: Employee,Employment Details,Details kar
DocType: Employee,New Workplace,New Workplace
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Set as girtî ye
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},No babet bi Barcode {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},No babet bi Barcode {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,"Case Na, nikare bibe 0"
DocType: Item,Show a slideshow at the top of the page,Nîşan a slideshow li jor li ser vê rûpelê
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,dikeye
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,dikanên
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,dikeye
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,dikanên
DocType: Serial No,Delivery Time,Time Delivery
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Ageing li ser bingeha
DocType: Item,End of Life,End of Life
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Gerrîn
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Gerrîn
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,No çalak an Salary default Structure dîtin ji bo karker {0} ji bo dîrokan dayîn
DocType: Leave Block List,Allow Users,Rê bide bikarhênerên
DocType: Purchase Order,Customer Mobile No,Mişterî Mobile No
@@ -2254,29 +2267,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,update Cost
DocType: Item Reorder,Item Reorder,Babetê DIRTYHERTZ
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Slip Show Salary
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,transfer Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,transfer Material
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Hên operasyonên, mesrefa xebatê û bide Operation yekane no ji bo operasyonên xwe."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Ev belge li ser sînor ji aliyê {0} {1} ji bo em babete {4}. Ma tu ji yekî din {3} li dijî heman {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Ji kerema xwe ve set dubare piştî tomarkirinê
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Hilbijêre guhertina account mîqdara
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Ev belge li ser sînor ji aliyê {0} {1} ji bo em babete {4}. Ma tu ji yekî din {3} li dijî heman {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Ji kerema xwe ve set dubare piştî tomarkirinê
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Hilbijêre guhertina account mîqdara
DocType: Purchase Invoice,Price List Currency,List Price Exchange
DocType: Naming Series,User must always select,Bikarhêner her tim divê hilbijêre
DocType: Stock Settings,Allow Negative Stock,Destûrê bide Stock Negative
DocType: Installation Note,Installation Note,installation Note
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,lê zêde bike Baca
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,lê zêde bike Baca
DocType: Topic,Topic,Mijar
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Flow Cash ji Fînansa
DocType: Budget Account,Budget Account,Account budceya
DocType: Quality Inspection,Verified By,Sîîrtê By
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Can currency default şîrketê nayê guhertin, ji ber ku muamele heyî heye. Transactions bên îptal kirin, ji bo guhertina pereyan default."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Can currency default şîrketê nayê guhertin, ji ber ku muamele heyî heye. Transactions bên îptal kirin, ji bo guhertina pereyan default."
DocType: Grading Scale Interval,Grade Description,Ast Description
DocType: Stock Entry,Purchase Receipt No,Meqbûz kirînê No
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Money bi xîret
DocType: Process Payroll,Create Salary Slip,Create Slip Salary
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Traceability
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Source of Funds (Deynên)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Quantity li row {0} ({1}), divê di heman wek quantity çêkirin be {2}"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Source of Funds (Deynên)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Quantity li row {0} ({1}), divê di heman wek quantity çêkirin be {2}"
DocType: Appraisal,Employee,Karker
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Hilbijêre Batch
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,"{0} {1} e, bi temamî billed"
DocType: Training Event,End Time,Time End
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Structure Salary Active {0} ji bo karker {1} ji bo celebê dîroka dayîn dîtin
@@ -2288,11 +2302,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,required ser
DocType: Rename Tool,File to Rename,File to Rename
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Ji kerema xwe ve BOM li Row hilbijêre ji bo babet {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},BOM diyarkirî {0} nayê ji bo Babetê tune {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Account {0} nayê bi Company {1} li Mode of Account hev nagirin: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},BOM diyarkirî {0} nayê ji bo Babetê tune {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Maintenance Cedwela {0} divê berî betalkirinê ev Sales Order were betalkirin
DocType: Notification Control,Expense Claim Approved,Mesrefan Pejirandin
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Slip meaşê karmendekî {0} berê ve ji bo vê pêvajoyê de tên
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,dermanan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,dermanan
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Cost ji Nawy Purchased
DocType: Selling Settings,Sales Order Required,Sales Order Required
DocType: Purchase Invoice,Credit To,Credit To
@@ -2309,43 +2324,43 @@
DocType: Payment Gateway Account,Payment Account,Account Payment
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,Ji kerema xwe ve Company diyar bike ji bo berdewamiyê
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Change Net li hesabê hilgirtinê
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,heger Off
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,heger Off
DocType: Offer Letter,Accepted,qebûlkirin
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,Sazûman
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,Sazûman
DocType: SG Creation Tool Course,Student Group Name,Navê Komeleya Xwendekarên
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Kerema xwe binêre ka tu bi rastî dixwazî jê bibî hemû muamele û ji bo vê şirketê. Daneyên axayê te dê pevê wekî xwe ye. Ev çalakî nayê vegerandin.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Kerema xwe binêre ka tu bi rastî dixwazî jê bibî hemû muamele û ji bo vê şirketê. Daneyên axayê te dê pevê wekî xwe ye. Ev çalakî nayê vegerandin.
DocType: Room,Room Number,Hejmara room
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Referansa çewt {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ne dikarin bibin mezintir quanitity plankirin ({2}) li Production Order {3}
DocType: Shipping Rule,Shipping Rule Label,Label Shipping Rule
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forum Bikarhêner
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Madeyên xav nikare bibe vala.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Gelo stock update ne, fatûra dihewîne drop babete shipping."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Madeyên xav nikare bibe vala.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Gelo stock update ne, fatûra dihewîne drop babete shipping."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Peyam di Journal Quick
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,"Tu dikarî rêjeya nayê guhertin, eger BOM agianst tu babete behsa"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,"Tu dikarî rêjeya nayê guhertin, eger BOM agianst tu babete behsa"
DocType: Employee,Previous Work Experience,Previous serê kurda
DocType: Stock Entry,For Quantity,ji bo Diravan
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Ji kerema xwe ve Plankirî Qty ji bo babet {0} at row binivîse {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} ji pêşkêşkirî ne
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Daxwazên ji bo tomar.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Ji bo hilberîna cuda de wê ji bo her babete baş bi dawî tên.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} divê di belgeya vegera neyînî be
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} divê di belgeya vegera neyînî be
,Minutes to First Response for Issues,Minutes ji bo First Response bo Issues
DocType: Purchase Invoice,Terms and Conditions1,Termên û Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,The name of peymangeha ji bo ku hûn bi avakirina vê sîstemê.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,The name of peymangeha ji bo ku hûn bi avakirina vê sîstemê.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","entry Accounting ji vê dîrokê de sar up, kes nikare do / ya xeyrandin di entry ji bilî rola li jêr hatiye diyarkirin."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,Ji kerema xwe ve belgeya ku berî bi afrandina schedule maintenance xilas bike
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Rewş Project
DocType: UOM,Check this to disallow fractions. (for Nos),Vê kontrol bike li hevûdu fractions. (Ji bo Nos)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,The Orders Production li jêr tên kirin:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,The Orders Production li jêr tên kirin:
DocType: Student Admission,Naming Series (for Student Applicant),Bidin Series (ji bo Xwendekarên ALES)
DocType: Delivery Note,Transporter Name,Navê Transporter
DocType: Authorization Rule,Authorized Value,Nirx destûr
DocType: BOM,Show Operations,Show Operasyonên
,Minutes to First Response for Opportunity,Minutes ji bo First Response bo Opportunity
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Total Absent
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Babetê an Warehouse bo row {0} nayê nagirin Daxwaza Material
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Babetê an Warehouse bo row {0} nayê nagirin Daxwaza Material
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Unit ji Measure
DocType: Fiscal Year,Year End Date,Sal Date End
DocType: Task Depends On,Task Depends On,Task Dimîne li ser
@@ -2425,11 +2440,11 @@
DocType: Asset,Manual,Destî
DocType: Salary Component Account,Salary Component Account,Account meaş Component
DocType: Global Defaults,Hide Currency Symbol,Naverokan veşêre Exchange Symbol
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","eg Bank, Cash, Credit Card"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","eg Bank, Cash, Credit Card"
DocType: Lead Source,Source Name,Navê Source
DocType: Journal Entry,Credit Note,Credit Note
DocType: Warranty Claim,Service Address,xizmeta Address
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Navmal û Fixtures
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Navmal û Fixtures
DocType: Item,Manufacture,Çêkirin
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Ji kerema xwe ve Delivery Têbînî yekem
DocType: Student Applicant,Application Date,Date application
@@ -2439,7 +2454,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Date Clearance behsa ne
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Çêkerî
DocType: Guardian,Occupation,Sinet
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Tikaye Employee setup Bidin System Di çavkaniyê binirxîne Mirovan> Settings HR
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Row {0}: Destpêk Date divê berî End Date be
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Total (Qty)
DocType: Sales Invoice,This Document,Ev Document
@@ -2451,20 +2465,20 @@
DocType: Purchase Receipt,Time at which materials were received,Time li ku materyalên pêşwazî kirin
DocType: Stock Ledger Entry,Outgoing Rate,Rate nikarbe
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,master şaxê Organization.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,an
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,an
DocType: Sales Order,Billing Status,Rewş Billing
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Report an Dozî Kurd
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Mesref Bikaranîn
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Mesref Bikaranîn
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-Li jorê
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Journal Peyam {1} nayê Hesabê te nîne {2} an ji niha ve bi rêk û pêk li dijî fîşeke din
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Journal Peyam {1} nayê Hesabê te nîne {2} an ji niha ve bi rêk û pêk li dijî fîşeke din
DocType: Buying Settings,Default Buying Price List,Default Lîsteya Buying Price
DocType: Process Payroll,Salary Slip Based on Timesheet,Slip meaş Li ser timesheet
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,No karker ji bo ku krîterên ku li jor hatiye hilbijartin yan slip meaş jixwe tên afirandin
DocType: Notification Control,Sales Order Message,Sales Order Message
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Set Nirxên Default wek Company, Exchange, niha: Sala diravî, û hwd."
DocType: Payment Entry,Payment Type,Type Payment
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Ji kerema xwe re Batch ji bo babet hilbijêre {0}. Nikare bibînin hevîrê single ku vê daxwazê ji cî û
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Ji kerema xwe re Batch ji bo babet hilbijêre {0}. Nikare bibînin hevîrê single ku vê daxwazê ji cî û
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Ji kerema xwe re Batch ji bo babet hilbijêre {0}. Nikare bibînin hevîrê single ku vê daxwazê ji cî û
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Ji kerema xwe re Batch ji bo babet hilbijêre {0}. Nikare bibînin hevîrê single ku vê daxwazê ji cî û
DocType: Process Payroll,Select Employees,Hilbijêre Karmendên
DocType: Opportunity,Potential Sales Deal,Deal Sales Potential
DocType: Payment Entry,Cheque/Reference Date,Cheque / Date Reference
@@ -2484,7 +2498,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,belgeya wergirtina divê bê şandin
DocType: Purchase Invoice Item,Received Qty,pêşwaziya Qty
DocType: Stock Entry Detail,Serial No / Batch,Serial No / Batch
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Paid ne û Delivered ne
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Paid ne û Delivered ne
DocType: Product Bundle,Parent Item,Babetê dê û bav
DocType: Account,Account Type,Type account
DocType: Delivery Note,DN-RET-,DN-direvin
@@ -2499,25 +2513,24 @@
DocType: Bin,Reserved Quantity,Quantity reserved.
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,"Kerema xwe, navnîşana email derbasdar têkeve ji"
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,"Kerema xwe, navnîşana email derbasdar têkeve ji"
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},e tu qursek diyarkirî ji bo bername hene {0}
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},e tu qursek diyarkirî ji bo bername hene {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Nawy kirînê Meqbûz
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Cureyên Customizing
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,Arrear
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,Arrear
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Şêwaz qereçî di dema
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,şablonê seqet ne divê şablonê default
DocType: Account,Income Account,Account hatina
DocType: Payment Request,Amount in customer's currency,Şêwaz li currency mişterî
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Şandinî
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Şandinî
DocType: Stock Reconciliation Item,Current Qty,Qty niha:
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",Bibînin "Rate ji materyalên li ser" li qurûşekî jî Beþ
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Borî
DocType: Appraisal Goal,Key Responsibility Area,Area Berpirsiyariya Key
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Lekerên Student alîkarîya we bişopîne hazirbûn, nirxandinên û xercên ji bo xwendekaran"
DocType: Payment Entry,Total Allocated Amount,Temamê meblaxa veqetandin
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Set account ambaran de default bo ambaran de perpetual
DocType: Item Reorder,Material Request Type,Maddî request type
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Peyam di Journal Accural ji bo mûçeyên ji {0} ji bo {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage tije ye, rizgar ne"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage tije ye, rizgar ne"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Factor Converter wêneke e
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Ref
DocType: Budget,Cost Center,Navenda cost
@@ -2530,19 +2543,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Rule Pricing çêkirin ji bo binivîsî List Price / define rêjeya discount, li ser bingeha hinek pîvanên."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Warehouse tenê dikare bi rêya Stock Peyam guherî / Delivery Têbînî / Meqbûz Purchase
DocType: Employee Education,Class / Percentage,Class / Rêjeya
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Head of Marketing û Nest
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Bacê hatina
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Head of Marketing û Nest
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Bacê hatina
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Heke hatibe hilbijartin Pricing Rule ji bo 'Price' çêkir, ew dê List Price binivîsî. Rule Pricing price buhayê dawî ye, da tu discount zêdetir bên bicîanîn. Ji ber vê yekê, di karbazarên wek Sales Order, Buy Kom hwd., Ev dê di warê 'Pûan' biribû, bêtir ji qadê 'Price List Rate'."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Track Leads by Type Industry.
DocType: Item Supplier,Item Supplier,Supplier babetî
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,Tikaye kodî babet bikeve ji bo hevîrê tune
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},Ji kerema xwe re nirx ji bo {0} quotation_to hilbijêre {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,Tikaye kodî babet bikeve ji bo hevîrê tune
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Ji kerema xwe re nirx ji bo {0} quotation_to hilbijêre {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Hemû Navnîşan.
DocType: Company,Stock Settings,Settings Stock
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Yedega tenê mimkun e, eger taybetiyên jêrîn heman in hem records in. E Group, Type Root, Company"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Yedega tenê mimkun e, eger taybetiyên jêrîn heman in hem records in. E Group, Type Root, Company"
DocType: Vehicle,Electric,Elatrîkî
DocType: Task,% Progress,% Progress
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Qezenc / Loss li ser çespandina Asset
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Qezenc / Loss li ser çespandina Asset
DocType: Training Event,Will send an email about the event to employees with status 'Open',Dê an email di derbarê bûyerê de ji bo karmendên bi statûya bişîne 'Open'
DocType: Task,Depends on Tasks,Dimîne li ser Peywir
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Manage Mişterî Pol Tree.
@@ -2551,7 +2564,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,New Name Navenda Cost
DocType: Leave Control Panel,Leave Control Panel,Dev ji Control Panel
DocType: Project,Task Completion,Task cebîr
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Ne li Stock
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Ne li Stock
DocType: Appraisal,HR User,Bikarhêner hr
DocType: Purchase Invoice,Taxes and Charges Deducted,Bac û doz li dabirîn
apps/erpnext/erpnext/hooks.py +116,Issues,pirsên
@@ -2562,22 +2575,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},No slip meaş dîtin di navbera {0} û {1}
,Pending SO Items For Purchase Request,Hîn SO Nawy Ji bo Daxwaza Purchase
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Admissions Student
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} neçalak e
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} neçalak e
DocType: Supplier,Billing Currency,Billing Exchange
DocType: Sales Invoice,SINV-RET-,SINV-direvin
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Extra Large
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra Large
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Total Leaves
,Profit and Loss Statement,Qezenc û Loss Statement
DocType: Bank Reconciliation Detail,Cheque Number,Hejmara Cheque
,Sales Browser,Browser Sales
DocType: Journal Entry,Total Credit,Total Credit
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Hişyarî: din {0} # {1} dijî entry stock heye {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Herêmî
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Herêmî
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Deynan û pêşketina (Maldarî)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,deyndarên
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Mezin
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Mezin
DocType: Homepage Featured Product,Homepage Featured Product,Homepage Product Dawiyê
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Hemû Groups Nirxandina
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Hemû Groups Nirxandina
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,New Name Warehouse
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Total {0} ({1})
DocType: C-Form Invoice Detail,Territory,Herêm
@@ -2587,12 +2600,12 @@
DocType: Production Order Operation,Planned Start Time,Bi plan Time Start
DocType: Course,Assessment,Bellîkirinî
DocType: Payment Entry Reference,Allocated,veqetandin
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Close Bîlançoya û Profit pirtûka an Loss.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Close Bîlançoya û Profit pirtûka an Loss.
DocType: Student Applicant,Application Status,Rewş application
DocType: Fees,Fees,xercên
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Hên Exchange Rate veguhertina yek currency nav din
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Quotation {0} betal e
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Temamê meblaxa Outstanding
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Temamê meblaxa Outstanding
DocType: Sales Partner,Targets,armancên
DocType: Price List,Price List Master,Price List Master
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Hemû Transactions Sales dikare li dijî multiple Persons Sales ** ** tagged, da ku tu set û şopandina hedef."
@@ -2624,12 +2637,12 @@
1. Address and Contact of your Company.","Termên Standard û mercan ku dikare ji bo Sales û kirîna added. Nimûne: 1. Validity ji pêşniyarê. 1. Mercên Payment (Di Advance, Li ser Credit, part pêşwext û hwd.). 1. çi extra (an sûdî ji aliyê Mişterî) e. 1. Safety warning / Bikaranîna. 1. Warranty, eger. 1. Policy Þexsî. 1. Mercên shipping, eger hebin. 1. Riyên çareserkirina nakokiyan, hêlekê, berpirsiyarî, hwd 1. Address û Contact ji Company xwe."
DocType: Attendance,Leave Type,Type Leave
DocType: Purchase Invoice,Supplier Invoice Details,Supplier Details bi fatûreyên
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"account Expense / Cudahiya ({0}), divê hesabekî 'Profit an Loss' be"
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"account Expense / Cudahiya ({0}), divê hesabekî 'Profit an Loss' be"
DocType: Project,Copied From,Kopiyek ji From
DocType: Project,Copied From,Kopiyek ji From
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},error Name: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,Kêmasî
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} nayê bi têkildar ne {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} nayê bi têkildar ne {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Amadebûna ji bo karker {0} jixwe nîşankirin
DocType: Packing Slip,If more than one package of the same type (for print),Eger zêdetir ji pakêta cureyê eynî (ji bo print)
,Salary Register,meaş Register
@@ -2647,22 +2660,23 @@
,Requested Qty,Qty xwestin
DocType: Tax Rule,Use for Shopping Cart,Bi kar tînin ji bo Têxe selikê
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Nirx {0} ji bo Pêşbîr {1} nayê ji di lîsteyê de Babetê derbasdar tune ne derbasbare Nirxên ji bo babet {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Select Numbers Serial
DocType: BOM Item,Scrap %,Scrap%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Li dijî wan doz dê were belavkirin bibihure li ser QTY babete an miqdar bingeha, wek per selection te"
DocType: Maintenance Visit,Purposes,armancên
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Li Hindîstan û yek babete divê bi elemanekî negatîvî di belgeya vegera ketin
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Li Hindîstan û yek babete divê bi elemanekî negatîvî di belgeya vegera ketin
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operasyona {0} êdî ji hemû dema xebatê di linux {1}, birûxîne operasyona nav operasyonên piralî"
,Requested,xwestin
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,No têbînî
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,No têbînî
DocType: Purchase Invoice,Overdue,Demhatî
DocType: Account,Stock Received But Not Billed,Stock pêşwazî Lê billed Not
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,"Account Root, divê komeke bê"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,"Account Root, divê komeke bê"
DocType: Fees,FEE.,XERC.
DocType: Employee Loan,Repaid/Closed,De bergîdana / Girtî
DocType: Item,Total Projected Qty,Bi tevahî projeya Qty
DocType: Monthly Distribution,Distribution Name,Navê Belavkariya
DocType: Course,Course Code,Code Kurs
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Serperiştiya Quality pêwîst ji bo vî babetî {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Serperiştiya Quality pêwîst ji bo vî babetî {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Rate li ku miştirî bi pereyan ji bo pereyan base şîrketê bîya
DocType: Purchase Invoice Item,Net Rate (Company Currency),Rate Net (Company Exchange)
DocType: Salary Detail,Condition and Formula Help,Rewşa û Formula Alîkarî
@@ -2675,27 +2689,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Transfer madî ji bo Manufacture
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Rêjeya Discount jî yan li dijî List Price an jî ji bo hemû List Price sepandin.
DocType: Purchase Invoice,Half-yearly,Nîvsal carekî pişkinînên didanan
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Peyam Accounting bo Stock
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Peyam Accounting bo Stock
DocType: Vehicle Service,Engine Oil,Oil engine
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Tikaye Employee setup Bidin System Di çavkaniyê binirxîne Mirovan> Settings HR
DocType: Sales Invoice,Sales Team1,Team1 Sales
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Babetê {0} tune
DocType: Sales Invoice,Customer Address,Address mişterî
DocType: Employee Loan,Loan Details,deyn Details
+DocType: Company,Default Inventory Account,Account Inventory Default
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Row {0}: Qediya Qty divê ji sifirê mezintir be.
DocType: Purchase Invoice,Apply Additional Discount On,Apply Additional li ser navnîshana
DocType: Account,Root Type,Type root
DocType: Item,FIFO,FIFOScheduler
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Nikare zêdetir vegerin {1} ji bo babet {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Nikare zêdetir vegerin {1} ji bo babet {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Erd
DocType: Item Group,Show this slideshow at the top of the page,Nîşan bide vî slideshow li jor li ser vê rûpelê
DocType: BOM,Item UOM,Babetê UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Şêwaz Bacê Piştî Mîqdar Discount (Company Exchange)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},warehouse Target bo row wêneke e {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},warehouse Target bo row wêneke e {0}
DocType: Cheque Print Template,Primary Settings,Settings seretayî ya
DocType: Purchase Invoice,Select Supplier Address,Address Supplier Hilbijêre
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,lê zêde bike Karmendên
DocType: Purchase Invoice Item,Quality Inspection,Serperiştiya Quality
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Extra Small
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small
DocType: Company,Standard Template,Şablon Standard
DocType: Training Event,Theory,Dîtinî
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Hişyarî: Material Wîkîpediyayê Qty kêmtir ji Minimum Order Qty e
@@ -2703,7 +2719,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Legal Entity / destekkirinê bi Chart cuda yên Accounts mensûbê Rêxistina.
DocType: Payment Request,Mute Email,Mute Email
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Food, Beverage & tutunê"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},dikarin bi tenê peredayînê dijî make unbilled {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},dikarin bi tenê peredayînê dijî make unbilled {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,rêjeya Komîsyona ne dikarin bibin mezintir ji 100
DocType: Stock Entry,Subcontract,Subcontract
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Ji kerema xwe {0} yekem binivîse
@@ -2716,18 +2732,18 @@
DocType: SMS Log,No of Sent SMS,No yên SMS şandin
DocType: Account,Expense Account,Account Expense
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Software
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Reng
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Reng
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Şertên Plan Nirxandina
DocType: Training Event,Scheduled,scheduled
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,ji bo gotinên li bixwaze.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",Ji kerema xwe ve Babetê hilbijêre ku "Ma Stock Babetî" e "No" û "Gelo babetî Nest" e "Erê" e û tu Bundle Product din li wê derê
DocType: Student Log,Academic,Danişgayî
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Total pêşwext ({0}) li dijî Order {1} nikare were mezintir li Grand Total ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Total pêşwext ({0}) li dijî Order {1} nikare were mezintir li Grand Total ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Select Belavkariya mehane ya ji bo yeksan belavkirin armancên li seranserî mehan.
DocType: Purchase Invoice Item,Valuation Rate,Rate Valuation
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,List Price Exchange hilbijartî ne
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,List Price Exchange hilbijartî ne
,Student Monthly Attendance Sheet,Xwendekarên mihasebeya Beşdariyê Ayda
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Xebatkarê {0} hatiye ji bo bidestxistina {1} di navbera {2} û {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Project Serî Date
@@ -2740,7 +2756,7 @@
DocType: BOM,Scrap,xurde
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Manage Partners Sales.
DocType: Quality Inspection,Inspection Type,Type Serperiştiya
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Wargehan de bi mêjera yên heyî dikarin bi komeke ne bê guhertin.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Wargehan de bi mêjera yên heyî dikarin bi komeke ne bê guhertin.
DocType: Assessment Result Tool,Result HTML,Di encama HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,ketin ser
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,lê zêde bike Xwendekarên
@@ -2748,13 +2764,13 @@
DocType: C-Form,C-Form No,C-Form No
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,"Amadebûna xwe dahênî,"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,lêkolîner
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,lêkolîner
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Program hejmartina Tool Student
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Navê an Email wêneke e
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Kontrola quality Incoming.
DocType: Purchase Order Item,Returned Qty,vegeriya Qty
DocType: Employee,Exit,Derî
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Type Root wêneke e
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Type Root wêneke e
DocType: BOM,Total Cost(Company Currency),Total Cost (Company Exchange)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serial No {0} tên afirandin
DocType: Homepage,Company Description for website homepage,Description Company bo homepage malpera
@@ -2763,7 +2779,7 @@
DocType: Sales Invoice,Time Sheet List,Time Lîsteya mihasebeya
DocType: Employee,You can enter any date manually,Tu dikarî date bi destê xwe binivîse
DocType: Asset Category Account,Depreciation Expense Account,Account qereçî Expense
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,ceribandinê de
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,ceribandinê de
DocType: Customer Group,Only leaf nodes are allowed in transaction,Tenê hucûma pel di mêjera destûr
DocType: Expense Claim,Expense Approver,Approver Expense
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,"Row {0}: Advance dijî Mişterî, divê credit be"
@@ -2777,10 +2793,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Schedules Kurs deleted:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Têketin ji bo parastina statûya delivery sms
DocType: Accounts Settings,Make Payment via Journal Entry,Make Payment via Peyam di Journal
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Çap ser
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Çap ser
DocType: Item,Inspection Required before Delivery,Serperiştiya pêwîst berî Delivery
DocType: Item,Inspection Required before Purchase,Serperiştiya pêwîst berî Purchase
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Çalakî hîn
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Rêxistina te
DocType: Fee Component,Fees Category,xercên Kategorî
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Ji kerema xwe ve date ûjdanê xwe binivîse.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
@@ -2790,9 +2807,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Level DIRTYHERTZ
DocType: Company,Chart Of Accounts Template,Chart bikarhênerên Şablon
DocType: Attendance,Attendance Date,Date amadebûnê
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Babetê Price ve ji bo {0} li List Price {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Babetê Price ve ji bo {0} li List Price {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,jihevketina meaşê li ser Earning û vê rêyê.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Account bi hucûma zarok nikare bê guhartina ji bo ledger
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Account bi hucûma zarok nikare bê guhartina ji bo ledger
DocType: Purchase Invoice Item,Accepted Warehouse,Warehouse qebûlkirin
DocType: Bank Reconciliation Detail,Posting Date,deaktîv bike Date
DocType: Item,Valuation Method,Method Valuation
@@ -2801,14 +2818,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,entry Pekana
DocType: Program Enrollment Tool,Get Students,Get Xwendekarên
DocType: Serial No,Under Warranty,di bin Warranty
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Şaşî]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Şaşî]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,Li Words xuya wê carekê hûn xilas Sales Order.
,Employee Birthday,Xebatkarê Birthday
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Xwendekarên Tool Batch Beşdariyê
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,Sînora Crossed
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Sînora Crossed
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Venture Capital
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,An term akademîk bi vê 'Sala (Ekadîmî)' {0} û 'Name Term' {1} ji berê ve heye. Ji kerema xwe re van entries xeyrandin û careke din biceribîne.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","As in muamele heyî dijî babete {0} hene, tu bi nirxê biguherînin {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","As in muamele heyî dijî babete {0} hene, tu bi nirxê biguherînin {1}"
DocType: UOM,Must be Whole Number,Divê Hejmara Whole
DocType: Leave Control Panel,New Leaves Allocated (In Days),Leaves New veqetandin (Di Days)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serial No {0} tune
@@ -2817,6 +2834,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Hejmara fatûreyên
DocType: Shopping Cart Settings,Orders,ordênên
DocType: Employee Leave Approver,Leave Approver,Dev ji Approver
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Tikaye hevîrê hilbijêre
DocType: Assessment Group,Assessment Group Name,Navê Nirxandina Group
DocType: Manufacturing Settings,Material Transferred for Manufacture,Maddî Transferred bo Manufacture
DocType: Expense Claim,"A user with ""Expense Approver"" role",A user bi "Expense Approver" rola
@@ -2826,9 +2844,10 @@
DocType: Target Detail,Target Detail,Detail target
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,Hemû Jobs
DocType: Sales Order,% of materials billed against this Sales Order,% Ji materyalên li dijî vê Sales Order billed
+DocType: Program Enrollment,Mode of Transportation,Mode Veguhestinê
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Peyam di dema Girtina
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Navenda Cost bi muamele û yên heyî dikarin bi komeke ne venegerin
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Şêwaz {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Şêwaz {0} {1} {2} {3}
DocType: Account,Depreciation,Farhad.
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Supplier (s)
DocType: Employee Attendance Tool,Employee Attendance Tool,Xebatkarê Tool Beşdariyê
@@ -2836,7 +2855,7 @@
DocType: Supplier,Credit Limit,Sînora Credit
DocType: Production Plan Sales Order,Salse Order Date,Salse Order Date
DocType: Salary Component,Salary Component,meaş Component
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Arşîva Payment {0} un-girêdayî ne
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Arşîva Payment {0} un-girêdayî ne
DocType: GL Entry,Voucher No,fîşeke No
,Lead Owner Efficiency,Efficiency Xwedîyê Lead
,Lead Owner Efficiency,Efficiency Xwedîyê Lead
@@ -2848,11 +2867,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Şablon ji alî an peymaneke.
DocType: Purchase Invoice,Address and Contact,Address û Contact
DocType: Cheque Print Template,Is Account Payable,E Account cîhde
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Stock dikare li hember Meqbûz Purchase ne bê ewe {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Stock dikare li hember Meqbûz Purchase ne bê ewe {0}
DocType: Supplier,Last Day of the Next Month,Last Day of the Month Next
DocType: Support Settings,Auto close Issue after 7 days,Auto Doza nêzîkî piştî 7 rojan
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Leave nikarim li ber terxan kirin {0}, wekî parsenga îzinê jixwe-hilgire hatiye şandin, di qeyda dabeşkirina îzna pêş {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Têbînî: Ji ber / Date: Çavkanî qat bi destûr rojan credit mişterî destê {0} roj (s)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Têbînî: Ji ber / Date: Çavkanî qat bi destûr rojan credit mişterî destê {0} roj (s)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Xwendekarên Applicant
DocType: Asset Category Account,Accumulated Depreciation Account,Account Farhad. Accumulated
DocType: Stock Settings,Freeze Stock Entries,Freeze Stock Arşîva
@@ -2861,36 +2880,36 @@
DocType: Activity Cost,Billing Rate,Rate Billing
,Qty to Deliver,Qty ji bo azad
,Stock Analytics,Stock Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Operasyonên bi vala neyê hiştin
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operasyonên bi vala neyê hiştin
DocType: Maintenance Visit Purpose,Against Document Detail No,Li dijî Detail dokumênt No
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Type Partiya wêneke e
DocType: Quality Inspection,Outgoing,nikarbe
DocType: Material Request,Requested For,"xwestin, çimkî"
DocType: Quotation Item,Against Doctype,li dijî Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} ji betalkirin an girtî
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} ji betalkirin an girtî
DocType: Delivery Note,Track this Delivery Note against any Project,Track ev Delivery Note li dijî ti Project
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Cash Net ji Investing
-,Is Primary Address,E Primary Address
DocType: Production Order,Work-in-Progress Warehouse,Kar-li-Terakî Warehouse
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Asset {0} de divê bê şandin
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Amadebûna Record {0} dijî Student heye {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Amadebûna Record {0} dijî Student heye {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Çavkanî # {0} dîroka {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Farhad. Eliminated ber destê medane hebûnên
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Manage Navnîşan
DocType: Asset,Item Code,Code babetî
DocType: Production Planning Tool,Create Production Orders,Create Orders Production
DocType: Serial No,Warranty / AMC Details,Mîsoger / Details AMC
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,xwendekarên bi destan ji bo Activity bingeha Pol Hilbijêre
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,xwendekarên bi destan ji bo Activity bingeha Pol Hilbijêre
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,xwendekarên bi destan ji bo Activity bingeha Pol Hilbijêre
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,xwendekarên bi destan ji bo Activity bingeha Pol Hilbijêre
DocType: Journal Entry,User Remark,Remark Bikarhêner
DocType: Lead,Market Segment,Segment Market
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Şêwaz pere ne dikarin bibin mezintir total mayî neyînî {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Şêwaz pere ne dikarin bibin mezintir total mayî neyînî {0}
DocType: Employee Internal Work History,Employee Internal Work History,Xebatkarê Navxweyî Dîroka Work
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Girtina (Dr)
DocType: Cheque Print Template,Cheque Size,Size Cheque
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serial No {0} ne li stock
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,şablonê Bacê ji bo firotina muamele.
DocType: Sales Invoice,Write Off Outstanding Amount,Hewe Off Outstanding Mîqdar
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Account {0} nayê bi Company hev nagirin {1}
DocType: School Settings,Current Academic Year,Current Year (Ekadîmî)
DocType: School Settings,Current Academic Year,Current Year (Ekadîmî)
DocType: Stock Settings,Default Stock UOM,Default Stock UOM
@@ -2906,27 +2925,27 @@
DocType: Asset,Double Declining Balance,Double Balance Îro
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Ji Tîpa ne dikarin bên îptal kirin. Unclose bo betalkirina.
DocType: Student Guardian,Father,Bav
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' dikarin for sale sermaye sabît nayê kontrolkirin
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' dikarin for sale sermaye sabît nayê kontrolkirin
DocType: Bank Reconciliation,Bank Reconciliation,Bank Lihevkirinê
DocType: Attendance,On Leave,li ser Leave
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Get rojanekirî
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} ne ji Company girêdayî ne {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Daxwaza maddî {0} betal e an sekinî
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Lê zêde bike çend records test
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Lê zêde bike çend records test
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Dev ji Management
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Pol destê Account
DocType: Sales Order,Fully Delivered,bi temamî Çiyan
DocType: Lead,Lower Income,Dahata Lower
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Source û warehouse hedef ne dikarin heman tiştî ji bo row {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Source û warehouse hedef ne dikarin heman tiştî ji bo row {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Account Cudahiya, divê hesabekî type Asset / mesulîyetê be, ji ber ku ev Stock Lihevkirinê an Peyam Opening e"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Şêwaz dandin de ne dikarin bibin mezintir Loan Mîqdar {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Bikirin siparîşê pêwîst ji bo vî babetî {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Production Order tên afirandin ne
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Bikirin siparîşê pêwîst ji bo vî babetî {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Production Order tên afirandin ne
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Ji Date' Divê piştî 'To Date' be
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Dikare biguhere status wek xwendekarê bi {0} bi serlêdana xwendekaran ve girêdayî {1}
DocType: Asset,Fully Depreciated,bi temamî bicūkkirin
,Stock Projected Qty,Stock projeya Qty
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Mişterî {0} ne aîdî raxe {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Mişterî {0} ne aîdî raxe {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Beşdariyê nîşankirin HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Quotations pêşniyarên in, bids ku hûn û mişterîyên xwe şandin"
DocType: Sales Order,Customer's Purchase Order,Mişterî ya Purchase Order
@@ -2935,8 +2954,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Sum ji Jimareke Krîterên Nirxandina divê {0} be.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Ji kerema xwe ve set Hejmara Depreciations civanan
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Nirx an Qty
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,"Ordênên Productions dikarin ji bo ne, bêne zindî kirin:"
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Deqqe
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,"Ordênên Productions dikarin ji bo ne, bêne zindî kirin:"
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Deqqe
DocType: Purchase Invoice,Purchase Taxes and Charges,"Bikirin Bac, û doz li"
,Qty to Receive,Qty Werdigire
DocType: Leave Block List,Leave Block List Allowed,Dev ji Lîsteya Block Yorumlar
@@ -2944,25 +2963,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Mesrefan ji bo Têkeve Vehicle {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Discount (%) li: List Price Rate bi Kenarê
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Discount (%) li: List Price Rate bi Kenarê
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,Hemû enbar
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Hemû enbar
DocType: Sales Partner,Retailer,"jê dikire,"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,"Credit To account, divê hesabekî Bîlançoya be"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,"Credit To account, divê hesabekî Bîlançoya be"
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,All Types Supplier
DocType: Global Defaults,Disable In Words,Disable Li Words
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,Code babete wêneke e ji ber ku em babete bixweber hejmartî ne
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Code babete wêneke e ji ber ku em babete bixweber hejmartî ne
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Quotation {0} ne ji type {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Maintenance babet Cedwela
DocType: Sales Order,% Delivered,% Çiyan
DocType: Production Order,PRO-,refaqetê
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Account Overdraft Bank
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Account Overdraft Bank
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Make Slip Salary
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: butçe ne dikarin bibin mezintir mayî bidin.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Browse BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,"Loans temînatê,"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,"Loans temînatê,"
DocType: Purchase Invoice,Edit Posting Date and Time,Edit Mesaj Date û Time
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Ji kerema xwe ve set Accounts related Farhad li Asset Category {0} an Company {1}
DocType: Academic Term,Academic Year,Sala (Ekadîmî)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Opening Sebra Balance
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Opening Sebra Balance
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Qinetbirrînî
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},"Email şandin, da ku dabînkerê {0}"
@@ -2978,7 +2997,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Erêkirina Role ne dikarin heman rola desthilata To evin e
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Vê grûpê Email Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Peyam nehat şandin
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Account bi hucûma zarok dikare wek ledger ne bê danîn
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Account bi hucûma zarok dikare wek ledger ne bê danîn
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Rate li ku currency list Price ji bo pereyan base mişterî bîya
DocType: Purchase Invoice Item,Net Amount (Company Currency),Şêwaz Net (Company Exchange)
@@ -3013,7 +3032,7 @@
DocType: Expense Claim,Approval Status,Rewş erêkirina
DocType: Hub Settings,Publish Items to Hub,Weşana Nawy ji bo Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},Ji nirxê gerek kêmtir ji bo nirxê di rêza be {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Transfer wire
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Transfer wire
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Check hemû
DocType: Vehicle Log,Invoice Ref,bi fatûreyên Ref
DocType: Purchase Order,Recurring Order,nişankirin Order
@@ -3026,19 +3045,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Banking û Payments
,Welcome to ERPNext,ji bo ERPNext hatî
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Rê ji bo Quotation
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Tiştek din nîşan bidin.
DocType: Lead,From Customer,ji Mişterî
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Banga
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Banga
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,lekerên
DocType: Project,Total Costing Amount (via Time Logs),Temamê meblaxa bi qurûşekî jî (bi riya Time Têketin)
DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Bikirin Order {0} tê şandin ne
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Bikirin Order {0} tê şandin ne
DocType: Customs Tariff Number,Tariff Number,Hejmara tarîfan
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,projeya
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serial No {0} nayê to Warehouse girêdayî ne {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"Têbînî: em System bi wê jî li ser-teslîmkirinê û ser-booking ji bo babet {0} wek dikele, an miqdar 0 e"
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"Têbînî: em System bi wê jî li ser-teslîmkirinê û ser-booking ji bo babet {0} wek dikele, an miqdar 0 e"
DocType: Notification Control,Quotation Message,quotation Message
DocType: Employee Loan,Employee Loan Application,Xebatkarê Loan Application
DocType: Issue,Opening Date,Date vekirinê
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Amadebûna serkeftin nîşankirin.
+DocType: Program Enrollment,Public Transport,giştîya
DocType: Journal Entry,Remark,Bingotin
DocType: Purchase Receipt Item,Rate and Amount,Rate û Mîqdar
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Type hesabekî ji {0} divê {1}
@@ -3046,32 +3068,32 @@
DocType: School Settings,Current Academic Term,Term (Ekadîmî) Current
DocType: School Settings,Current Academic Term,Term (Ekadîmî) Current
DocType: Sales Order,Not Billed,billed ne
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,"Herdu Warehouse, divê ji bo eynî Company aîdî"
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,No têkiliyên added yet.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,"Herdu Warehouse, divê ji bo eynî Company aîdî"
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,No têkiliyên added yet.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Cost Landed Mîqdar Vienna
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Fatoreyên rakir destê Suppliers.
DocType: POS Profile,Write Off Account,Hewe Off Account
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Debit Nîşe Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Şêwaz discount
DocType: Purchase Invoice,Return Against Purchase Invoice,Vegere li dijî Purchase bi fatûreyên
DocType: Item,Warranty Period (in days),Period Warranty (di rojên)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Peywendiya bi Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Peywendiya bi Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Cash Net ji operasyonên
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,eg moms
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,eg moms
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Babetê 4
DocType: Student Admission,Admission End Date,Admission End Date
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Sub-belênderî
DocType: Journal Entry Account,Journal Entry Account,Account Peyam di Journal
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Komeleya Xwendekarên
DocType: Shopping Cart Settings,Quotation Series,quotation Series
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","An babete bi heman navî heye ({0}), ji kerema xwe biguherînin li ser navê koma babete an navê babete"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Ji kerema xwe ve mişterî hilbijêre
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","An babete bi heman navî heye ({0}), ji kerema xwe biguherînin li ser navê koma babete an navê babete"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Ji kerema xwe ve mişterî hilbijêre
DocType: C-Form,I,ez
DocType: Company,Asset Depreciation Cost Center,Asset Navenda Farhad. Cost
DocType: Sales Order Item,Sales Order Date,Sales Order Date
DocType: Sales Invoice Item,Delivered Qty,teslîmî Qty
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Eger kontrolkirin, hemû zarok ji hev babete bo hilberîna wê di Requests Material di nav de."
DocType: Assessment Plan,Assessment Plan,Plan nirxandina
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Warehouse {0}: Company wêneke e
DocType: Stock Settings,Limit Percent,Sedî Sînora
,Payment Period Based On Invoice Date,Period tezmînat li ser Date bi fatûreyên
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Exchange wenda Exchange ji bo {0}
@@ -3083,7 +3105,7 @@
DocType: Vehicle,Insurance Details,Details sîgorta
DocType: Account,Payable,Erzan
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,Ji kerema xwe ve Maweya vegerandinê binivîse
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Deyndarên ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Deyndarên ({0})
DocType: Pricing Rule,Margin,margin
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,muşteriyan New
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Profit% Gross
@@ -3094,16 +3116,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Partiya wêneke e
DocType: Journal Entry,JV-,nájv-
DocType: Topic,Topic Name,Navê topic
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Li Hindîstan û yek ji Selling an Buying divê bên hilbijartin
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,xwezaya business xwe hilbijêrin.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Li Hindîstan û yek ji Selling an Buying divê bên hilbijartin
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,xwezaya business xwe hilbijêrin.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Row # {0}: Curenivîsên entry di Çavkanî {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Li ku derê operasyonên bi aktîvîteyên bi çalakiyek hatiye lidarxistin.
DocType: Asset Movement,Source Warehouse,Warehouse Source
DocType: Installation Note,Installation Date,Date installation
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} ne ji şîrketa girêdayî ne {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} ne ji şîrketa girêdayî ne {2}
DocType: Employee,Confirmation Date,Date piştrastkirinê
DocType: C-Form,Total Invoiced Amount,Temamê meblaxa fatore
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Qty ne dikarin bibin mezintir Max Qty
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Min Qty ne dikarin bibin mezintir Max Qty
DocType: Account,Accumulated Depreciation,Farhad. Accumulated
DocType: Stock Entry,Customer or Supplier Details,Details Mişterî an Supplier
DocType: Employee Loan Application,Required by Date,Pêwîst ji aliyê Date
@@ -3124,22 +3146,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Rêjeya Belavkariya mehane
DocType: Territory,Territory Targets,Armanc axa
DocType: Delivery Note,Transporter Info,Transporter Info
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Ji kerema xwe ve set default {0} li Company {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Ji kerema xwe ve set default {0} li Company {1}
DocType: Cheque Print Template,Starting position from top edge,Guherandinên helwesta ji devê top
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,dabînkerê heman hatiye bicihkirin çend caran
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Profit Gross / Loss
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Bikirin Order babet Supplied
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Navê Company nikare bibe Company
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Navê Company nikare bibe Company
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Serên nameyek ji bo şablonan print.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Titles ji bo şablonan print wek proforma.
DocType: Student Guardian,Student Guardian,Xwendekarên Guardian
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,doz type Valuation ne dikarin weke berfireh nîşankirin
DocType: POS Profile,Update Stock,update Stock
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Supplier> Type Supplier
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM cuda ji bo tomar dê ji bo Şaşî (Total) nirxa Loss Net rê. Bawer bî ku Loss Net ji hev babete di UOM heman e.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Rate
DocType: Asset,Journal Entry for Scrap,Peyam di Journal ji bo Scrap
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Ji kerema xwe tomar ji Delivery Têbînî vekişîne
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Journal Arşîva {0} un-girêdayî ne
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Journal Arşîva {0} un-girêdayî ne
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Record hemû ragihandinê de ji MIME-mail, telefon, chat, serdana, û hwd."
DocType: Manufacturer,Manufacturers used in Items,"Manufacturers bikaranîn, di babetî"
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Ji kerema xwe ve Round Off Navenda Cost li Company behsa
@@ -3188,34 +3211,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,Supplier xelas dike ji bo Mişterî
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (Form # / babet / {0}) e ji stock
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Date Next divê mezintir Mesaj Date be
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Show bacê break-up
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Date ji ber / Çavkanî ne dikarin piştî be {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Show bacê break-up
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Date ji ber / Çavkanî ne dikarin piştî be {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Data Import û Export
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","entries Stock li dijî Warehouse {0} hene, vê yekê hûn ne dikarin ji nû ve bê peywirdarkirin an xeyrandin ew"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,No xwendekarên dîtin.Di
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,No xwendekarên dîtin.Di
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Bi fatûreyên Mesaj Date
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Firotin
DocType: Sales Invoice,Rounded Total,Rounded Total
DocType: Product Bundle,List items that form the package.,tomar Lîsteya ku pakêta avakirin.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Kodek rêjeya divê ji% 100 wekhev be
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,Ji kerema xwe ve Mesaj Date Beriya hilbijartina Partiya hilbijêre
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Ji kerema xwe ve Mesaj Date Beriya hilbijartina Partiya hilbijêre
DocType: Program Enrollment,School House,House School
DocType: Serial No,Out of AMC,Out of AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Tikaye Quotations hilbijêre
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Tikaye Quotations hilbijêre
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Tikaye Quotations hilbijêre
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Tikaye Quotations hilbijêre
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Hejmara Depreciations civanan ne dikarin bibin mezintir Hejmara Depreciations
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Make Maintenance Visit
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,Ji kerema xwe re ji bo ku bikarhêner ku Sales Manager Master {0} rola xwedî têkilî bi
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,Ji kerema xwe re ji bo ku bikarhêner ku Sales Manager Master {0} rola xwedî têkilî bi
DocType: Company,Default Cash Account,Account Cash Default
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Company (ne Mişterî an Supplier) master.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Ev li ser amadebûna vê Xwendekarên li
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,No Xwendekarên li
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,No Xwendekarên li
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Lê zêde bike tomar zêdetir an form tije vekirî
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',Ji kerema xwe ve 'ya bende Date Delivery' binivîse
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Notes Delivery {0} divê berî betalkirinê ev Sales Order were betalkirin
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,pereyan + hewe Off Mîqdar ne dikarin bibin mezintir Grand Total
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,pereyan + hewe Off Mîqdar ne dikarin bibin mezintir Grand Total
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} e a Number Batch derbasdar e ji bo vî babetî bi {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Têbînî: e balance îzna bes ji bo Leave Type tune ne {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN çewt an NA Enter bo ne-endam
DocType: Training Event,Seminar,Semîner
DocType: Program Enrollment Fee,Program Enrollment Fee,Program hejmartina Fee
DocType: Item,Supplier Items,Nawy Supplier
@@ -3241,28 +3264,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Babetê 3
DocType: Purchase Order,Customer Contact Email,Mişterî Contact Email
DocType: Warranty Claim,Item and Warranty Details,Babetê û Warranty Details
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Code babete> babetî Pula> Brand
DocType: Sales Team,Contribution (%),Alîkarên (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Têbînî: em Peyam Pere dê ji ber ku tên afirandin, ne bê 'Cash an Account Bank' ne diyar bû"
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Bernameya xeberdanê kursên wêneke Select.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Bernameya xeberdanê kursên wêneke Select.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,berpirsiyariya
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,berpirsiyariya
DocType: Expense Claim Account,Expense Claim Account,Account mesrefan
DocType: Sales Person,Sales Person Name,Sales Name Person
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Ji kerema xwe ve Hindîstan û 1 fatûra li ser sifrê binivîse
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,lê zêde bike Users
DocType: POS Item Group,Item Group,Babetê Group
DocType: Item,Safety Stock,Stock Safety
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Terakkî% ji bo karekî ne dikarin zêdetir ji 100.
DocType: Stock Reconciliation Item,Before reconciliation,berî ku lihevhatina
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Bac û tawana Ev babete ji layê: (Company Exchange)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Row Bacê babete {0} de divê hesabê type Bacê an Hatinê an jî Expense an Chargeable hene
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Row Bacê babete {0} de divê hesabê type Bacê an Hatinê an jî Expense an Chargeable hene
DocType: Sales Order,Partly Billed,hinekî billed
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,"Babetê {0}, divê babete Asset Fixed be"
DocType: Item,Default BOM,Default BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,Ji kerema xwe re-type navê şîrketa ku piştrast
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Total Outstanding Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Debit Têbînî Mîqdar
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Ji kerema xwe re-type navê şîrketa ku piştrast
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Total Outstanding Amt
DocType: Journal Entry,Printing Settings,Settings çapkirinê
DocType: Sales Invoice,Include Payment (POS),Usa jî Payment (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},"Total Debit, divê ji bo Credit Bi tevahî wekhev be. Cudahî ew e {0}"
@@ -3276,16 +3296,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Ez bêzarim:
DocType: Notification Control,Custom Message,Message Custom
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Banking Investment
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Cash an Bank Account ji bo çêkirina entry peredana wêneke e
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Address Student
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Address Student
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Cash an Bank Account ji bo çêkirina entry peredana wêneke e
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Tikaye setup hijmara series ji bo beşdarbûna bi rêya Setup> Nî Series
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Address Student
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Address Student
DocType: Purchase Invoice,Price List Exchange Rate,List Price Exchange Rate
DocType: Purchase Invoice Item,Rate,Qûrs
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Pizişka destpêker
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,Address Name
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Pizişka destpêker
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,Address Name
DocType: Stock Entry,From BOM,ji BOM
DocType: Assessment Code,Assessment Code,Code nirxandina
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Bingehîn
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Bingehîn
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,muamele Stock berî {0} sar bi
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',Ji kerema xwe re li ser 'Çêneke Cedwela' klîk bike
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","eg Kg, Unit, Nos, m"
@@ -3295,11 +3316,11 @@
DocType: Salary Slip,Salary Structure,Structure meaş
DocType: Account,Bank,Banke
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Şîrketa balafiran
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Doza Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Doza Material
DocType: Material Request Item,For Warehouse,ji bo Warehouse
DocType: Employee,Offer Date,Pêşkêşiya Date
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Quotations
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,"Tu di moda negirêdayî ne. Tu nikarî wê ji nû ve, heta ku hûn torê."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,"Tu di moda negirêdayî ne. Tu nikarî wê ji nû ve, heta ku hûn torê."
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,No komên xwendekaran tên afirandin.
DocType: Purchase Invoice Item,Serial No,Serial No
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Şêwaz vegerandinê mehane ne dikarin bibin mezintir Loan Mîqdar
@@ -3307,8 +3328,8 @@
DocType: Purchase Invoice,Print Language,Print Ziman
DocType: Salary Slip,Total Working Hours,Total dema xebatê
DocType: Stock Entry,Including items for sub assemblies,Di nav wan de tomar bo sub meclîsên
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Enter nirxa divê erênî be
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Hemû Territories
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Enter nirxa divê erênî be
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Hemû Territories
DocType: Purchase Invoice,Items,Nawy
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Xwendekarên jixwe digirin.
DocType: Fiscal Year,Year Name,Navê sal
@@ -3327,10 +3348,10 @@
DocType: Issue,Opening Time,Time vekirinê
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,From û To dîrokên pêwîst
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Ewlehiya & Borsayên Tirkiyeyê
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Default Unit ji pîvanê ji bo Variant '{0}', divê wekî li Şablon be '{1}'"
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Default Unit ji pîvanê ji bo Variant '{0}', divê wekî li Şablon be '{1}'"
DocType: Shipping Rule,Calculate Based On,Calcolo li ser
DocType: Delivery Note Item,From Warehouse,ji Warehouse
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,No babet bi Bill ji materyalên ji bo Manufacture
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,No babet bi Bill ji materyalên ji bo Manufacture
DocType: Assessment Plan,Supervisor Name,Navê Supervisor
DocType: Program Enrollment Course,Program Enrollment Course,Program hejmartina Kurs
DocType: Program Enrollment Course,Program Enrollment Course,Program hejmartina Kurs
@@ -3346,18 +3367,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Rojên Ji Last Order' Divê mezintir an wekhev ji sifir be
DocType: Process Payroll,Payroll Frequency,Frequency payroll
DocType: Asset,Amended From,de guherîn From
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Raw
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Raw
DocType: Leave Application,Follow via Email,Follow via Email
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Santralên û Machineries
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Santralên û Machineries
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Şêwaz Bacê Piştî Mîqdar Discount
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Settings Nasname Work rojane
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Pereyan ji lîsteya bihayê {0} e similar bi pereyê hilbijartî ne {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Pereyan ji lîsteya bihayê {0} e similar bi pereyê hilbijartî ne {1}
DocType: Payment Entry,Internal Transfer,Transfer navxweyî
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,account zarok ji bo vê çîrokê de heye. Tu dikarî vê account jêbirin.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,account zarok ji bo vê çîrokê de heye. Tu dikarî vê account jêbirin.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,An QTY hedef an miqdar hedef diyarkirî e
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},No BOM default ji bo vî babetî heye {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},No BOM default ji bo vî babetî heye {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Ji kerema xwe ve yekem Mesaj Date hilbijêre
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Vekirina Date divê berî Girtina Date be
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Xêra xwe Bidin Series ji bo {0} bi rêya Setup> Settings> Navên Series
DocType: Leave Control Panel,Carry Forward,çêşît Forward
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Navenda Cost bi muamele heyî nikare bê guhartina ji bo ledger
DocType: Department,Days for which Holidays are blocked for this department.,Rojan de ji bo ku Holidays bi ji bo vê beşê astengkirin.
@@ -3367,11 +3389,10 @@
DocType: Issue,Raised By (Email),Rakir By (Email)
DocType: Training Event,Trainer Name,Navê Trainer
DocType: Mode of Payment,General,Giştî
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,attach letterhead
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Ragihandina dawî
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Ragihandina dawî
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ne dikarin dadixînin dema kategoriyê e ji bo 'Valuation' an jî 'Valuation û Total'
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lîsteya serê baca xwe (wek mînak baca bikaranînê, Gumruk û hwd; divê ew navên xweser heye) û rêjeyên standard xwe. Ev dê şablonê standard, ku tu dikarî biguherînî û lê zêde bike paşê zêdetir biafirîne."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lîsteya serê baca xwe (wek mînak baca bikaranînê, Gumruk û hwd; divê ew navên xweser heye) û rêjeyên standard xwe. Ev dê şablonê standard, ku tu dikarî biguherînî û lê zêde bike paşê zêdetir biafirîne."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Serial Nos pêwîst ji bo vî babetî weşandin {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Payments Match bi fatûreyên
DocType: Journal Entry,Bank Entry,Peyam Bank
@@ -3380,16 +3401,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Têxe
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Pol By
DocType: Guardian,Interests,berjewendiyên
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Çalak / currencies astengkirin.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Çalak / currencies astengkirin.
DocType: Production Planning Tool,Get Material Request,Get Daxwaza Material
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Mesref postal
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Mesref postal
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Total (Amt)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Music & Leisure
DocType: Quality Inspection,Item Serial No,Babetê No Serial
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,"Create a Karkeran, Records"
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Total Present
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Rageyendrawekanî Accounting
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Seet
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Seet
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"No New Serial ne dikarin Warehouse hene. Warehouse kirin, divê ji aliyê Stock Peyam an Meqbûz Purchase danîn"
DocType: Lead,Lead Type,Lead Type
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Destûra te tune ku ji bo pejirandina pelên li ser Kurdî Nexşe Block
@@ -3401,6 +3422,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,The BOM nû piştî gotina
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Point of Sale
DocType: Payment Entry,Received Amount,pêşwaziya Mîqdar
+DocType: GST Settings,GSTIN Email Sent On,GSTIN Email şandin ser
+DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop destê Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Create bo dikele, full, ji wişeyên dikele, jixwe li ser da"
DocType: Account,Tax,Bac
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,Marked ne
@@ -3414,7 +3437,7 @@
DocType: Batch,Source Document Name,Source Name dokumênt
DocType: Job Opening,Job Title,Manşeta şolê
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Create Users
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,Xiram
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,Xiram
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Diravan ji bo Manufacture divê mezintir 0 be.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,rapora ji bo banga parastina biçin.
DocType: Stock Entry,Update Rate and Availability,Update Rate û Amadeyî
@@ -3422,7 +3445,7 @@
DocType: POS Customer Group,Customer Group,mişterî Group
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Batch ID New (Li gorî daxwazê)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Batch ID New (Li gorî daxwazê)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},account Expense bo em babete wêneke e {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},account Expense bo em babete wêneke e {0}
DocType: BOM,Website Description,Website Description
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Change Net di Sebra min
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Ji kerema xwe ve poşmaniya kirînê bi fatûreyên {0} pêşîn
@@ -3432,8 +3455,8 @@
,Sales Register,Sales Register
DocType: Daily Work Summary Settings Company,Send Emails At,Send Emails At
DocType: Quotation,Quotation Lost Reason,Quotation Lost Sedem
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Select Domain te
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Muameleyan referansa no {0} dîroka {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Select Domain te
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Muameleyan referansa no {0} dîroka {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,e ku tu tişt ji bo weşînertiya hene.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Nasname ji bo vê mehê de û çalakiyên hîn
DocType: Customer Group,Customer Group Name,Navê Mişterî Group
@@ -3441,14 +3464,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Daxûyanîya Flow Cash
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Deyn Mîqdar dikarin Maximum Mîqdar deyn ji mideyeka ne bêtir ji {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Îcaze
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},Ji kerema xwe re vê bi fatûreyên {0} ji C-Form jê {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},Ji kerema xwe re vê bi fatûreyên {0} ji C-Form jê {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Ji kerema xwe ve çêşît Forward hilbijêre, eger hûn jî dixwazin ku di nav hevsengiyê sala diravî ya berî bernadin ji bo vê sala diravî ya"
DocType: GL Entry,Against Voucher Type,Li dijî Type Vienna
DocType: Item,Attributes,taybetmendiyên xwe
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,Ji kerema xwe re têkevin hewe Off Account
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Ji kerema xwe re têkevin hewe Off Account
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Last Order Date
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Account {0} nayê ji şîrketa endamê ne {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Numbers Serial li row {0} nayê bi Delivery Têbînî hev nagirin
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Numbers Serial li row {0} nayê bi Delivery Têbînî hev nagirin
DocType: Student,Guardian Details,Guardian Details
DocType: C-Form,C-Form,C-Form
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Beşdariyê Mark ji bo karmendên multiple
@@ -3463,16 +3486,16 @@
DocType: Budget Account,Budget Amount,budceya Mîqdar
DocType: Appraisal Template,Appraisal Template Title,Appraisal Şablon Title
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Ji Date {0} ji bo karkirinê {1} nikarim li ber Date tevlî karker be {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Commercial
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Commercial
DocType: Payment Entry,Account Paid To,Hesabê To
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,"Dê û bav babet {0} ne, divê bibe babeta Stock"
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Hemû Products an Services.
DocType: Expense Claim,More Details,Details More
DocType: Supplier Quotation,Supplier Address,Address Supplier
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Budget bo Account {1} dijî {2} {3} e {4}. Ev dê ji aliyê biqede {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Row {0} # Account divê ji type be 'Asset Fixed'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,out Qty
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Qaîdeyên ji bo hesibandina mîqdara shipping ji bo firotina
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Row {0} # Account divê ji type be 'Asset Fixed'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,out Qty
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Qaîdeyên ji bo hesibandina mîqdara shipping ji bo firotina
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Series wêneke e
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Financial Services
DocType: Student Sibling,Student ID,ID Student
@@ -3480,13 +3503,13 @@
DocType: Tax Rule,Sales,Sales
DocType: Stock Entry Detail,Basic Amount,Şêwaz bingehîn
DocType: Training Event,Exam,Bilbilên
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Warehouse pêwîst ji bo vî babetî stock {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Warehouse pêwîst ji bo vî babetî stock {0}
DocType: Leave Allocation,Unused leaves,pelên Unused
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Kr
DocType: Tax Rule,Billing State,Dewletê Billing
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Derbaskirin
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} nayê bi Account Partiya re têkildar ne {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Fetch BOM teqiya (di nav wan de sub-meclîs)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} nayê bi Account Partiya re têkildar ne {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Fetch BOM teqiya (di nav wan de sub-meclîs)
DocType: Authorization Rule,Applicable To (Employee),To wergirtinê (Xebatkarê)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Date ji ber wêneke e
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Increment bo Pêşbîr {0} nikare bibe 0
@@ -3514,7 +3537,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Raw Code babetî
DocType: Journal Entry,Write Off Based On,Hewe Off li ser
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Make Lead
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Print û Stationery
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Print û Stationery
DocType: Stock Settings,Show Barcode Field,Show Barcode Field
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Send Emails Supplier
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Meaşê niha ve ji bo dema di navbera {0} û {1}, Leave dema serlêdana ne di navbera vê R‧ezkirina dema bê vehûnandin."
@@ -3522,14 +3545,16 @@
DocType: Guardian Interest,Guardian Interest,Guardian Interest
apps/erpnext/erpnext/config/hr.py +177,Training,Hîndarî
DocType: Timesheet,Employee Detail,Detail karker
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 ID Email
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 ID Email
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 ID Email
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 ID Email
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,roj Date Next û Dubare li ser Day of Month wekhev bin
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Mîhengên ji bo homepage malpera
DocType: Offer Letter,Awaiting Response,li benda Response
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Ser
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Ser
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},taybetmendiyê de çewt {0} {1}
DocType: Supplier,Mention if non-standard payable account,Qala eger ne-standard account cîhde
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},babete heman hatiye nivîsandin çend caran. {rêzok}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Kerema xwe re koma nirxandina ya din jî ji bilî 'Hemû Groups Nirxandina' hilbijêrî
DocType: Salary Slip,Earning & Deduction,Maaş & dabirîna
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Bixwe. Vê mîhengê wê were bikaranîn ji bo palavtina karê cuda cuda.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Rate Valuation neyînî nayê ne bi destûr
@@ -3543,9 +3568,9 @@
DocType: Sales Invoice,Product Bundle Help,Product Bundle Alîkarî
,Monthly Attendance Sheet,Agahdarî ji bo tevlêbûna mehane
DocType: Production Order Item,Production Order Item,Production Order babetî
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,No rekor hate dîtin
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,No rekor hate dîtin
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Cost ji Asset belav
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Navenda Cost ji bo babet wêneke e {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Navenda Cost ji bo babet wêneke e {2}
DocType: Vehicle,Policy No,siyaseta No
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Get Nawy ji Bundle Product
DocType: Asset,Straight Line,Line Straight
@@ -3554,7 +3579,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Qelişandin
DocType: GL Entry,Is Advance,e Advance
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Alîkarîkirinê ji Date û amadebûnê To Date wêneke e
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,Ji kerema xwe re têkevin 'Ma Subcontracted' wek Yes an No
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,Ji kerema xwe re têkevin 'Ma Subcontracted' wek Yes an No
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Last Date Ragihandin
DocType: Sales Team,Contact No.,Contact No.
DocType: Bank Reconciliation,Payment Entries,Arşîva Payment
@@ -3582,60 +3607,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Nirx vekirinê
DocType: Salary Detail,Formula,Formîl
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Komîsyona li ser Sales
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Komîsyona li ser Sales
DocType: Offer Letter Term,Value / Description,Nirx / Description
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} ne dikarin bên şandin, ev e jixwe {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} ne dikarin bên şandin, ev e jixwe {2}"
DocType: Tax Rule,Billing Country,Billing Country
DocType: Purchase Order Item,Expected Delivery Date,Hêvîkirin Date Delivery
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debit û Credit ji bo {0} # wekhev ne {1}. Cudahiya e {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Mesref Entertainment
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Make Daxwaza Material
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Mesref Entertainment
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Make Daxwaza Material
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Babetê Open {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,"Sales berî betalkirinê ev Sales Order bi fatûreyên {0} bên îptal kirin,"
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Kalbûn
DocType: Sales Invoice Timesheet,Billing Amount,Şêwaz Billing
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,dorpêçê de derbasdar e ji bo em babete {0}. Quantity divê mezintir 0 be.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Sepanên ji bo xatir.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Account bi mêjera heyî ne jêbirin
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Account bi mêjera heyî ne jêbirin
DocType: Vehicle,Last Carbon Check,Last Check Carbon
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Mesref Yasayî
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Mesref Yasayî
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Ji kerema xwe ve dorpêçê de li ser rêza hilbijêre
DocType: Purchase Invoice,Posting Time,deaktîv bike Time
DocType: Timesheet,% Amount Billed,% Mîqdar billed
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Mesref Telefon
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Mesref Telefon
DocType: Sales Partner,Logo,logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"vê kontrol bike, eger hûn dixwazin bi reya ku bikarhêner hilbijêre rêze berî tomarkirinê. Dê tune be default, eger tu vê kontrol bike."
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},No babet bi Serial No {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},No babet bi Serial No {0}
DocType: Email Digest,Open Notifications,Open Notifications
DocType: Payment Entry,Difference Amount (Company Currency),Cudahiya di Mîqdar (Company Exchange)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Mesref direct
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Mesref direct
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} an adresa emailê xelet in 'Hişyariya \ Email Address' e
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Hatiniyên Mişterî New
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Travel Expenses
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Travel Expenses
DocType: Maintenance Visit,Breakdown,Qeza
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Account: {0} bi currency: {1} ne bên hilbijartin
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Account: {0} bi currency: {1} ne bên hilbijartin
DocType: Bank Reconciliation Detail,Cheque Date,Date Cheque
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Account {0}: account Parent {1} ne aîdî ji şîrketa: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Account {0}: account Parent {1} ne aîdî ji şîrketa: {2}
DocType: Program Enrollment Tool,Student Applicants,Applicants Student
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Bi serkeftin hat hemû muameleyên girêdayî vê şîrketê!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Bi serkeftin hat hemû muameleyên girêdayî vê şîrketê!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Wekî ku li ser Date
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,Date nivîsînî
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Dema cerribandinê
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Dema cerribandinê
apps/erpnext/erpnext/config/hr.py +115,Salary Components,Components meaş
DocType: Program Enrollment Tool,New Academic Year,New Year (Ekadîmî)
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Return / Credit Têbînî
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Return / Credit Têbînî
DocType: Stock Settings,Auto insert Price List rate if missing,insert Auto List Price rêjeya eger wenda
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Temamê meblaxa Paid
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Temamê meblaxa Paid
DocType: Production Order Item,Transferred Qty,veguhestin Qty
apps/erpnext/erpnext/config/learn.py +11,Navigating,rêveçûna
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Pîlankirinî
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,weşand
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Pîlankirinî
+DocType: Material Request,Issued,weşand
DocType: Project,Total Billing Amount (via Time Logs),Temamê meblaxa Billing (via Time Têketin)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Em bifiroşe vî babetî
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Supplier Id
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Em bifiroşe vî babetî
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Supplier Id
DocType: Payment Request,Payment Gateway Details,Payment Details Gateway
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Quantity divê mezintir 0 be
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Quantity divê mezintir 0 be
DocType: Journal Entry,Cash Entry,Peyam Cash
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,hucûma zarok dikare bi tenê di bin 'Group' type hucûma tên afirandin
DocType: Leave Application,Half Day Date,Date nîv Day
@@ -3647,14 +3673,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Ji kerema xwe ve account default set li Type mesrefan {0}
DocType: Assessment Result,Student Name,Navê Student
DocType: Brand,Item Manager,Manager babetî
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,payroll cîhde
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,payroll cîhde
DocType: Buying Settings,Default Supplier Type,Default Type Supplier
DocType: Production Order,Total Operating Cost,Total Cost Operating
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Têbînî: em babet {0} ketin çend caran
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Hemû Têkilî.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Abbreviation Company
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Abbreviation Company
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Bikarhêner {0} tune
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,materyalên xav ne dikarin heman wek babeteke serekî
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,materyalên xav ne dikarin heman wek babeteke serekî
DocType: Item Attribute Value,Abbreviation,Kinkirî
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Peyam di peredana ji berê ve heye
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,authroized ne ji ber ku {0} dibuhure ji sînorên
@@ -3663,35 +3689,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Set Rule Bacê ji bo Têxe selikê
DocType: Purchase Invoice,Taxes and Charges Added,Bac û tawana Ev babete ji layê
,Sales Funnel,govekeke Sales
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Abbreviation wêneke e
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Abbreviation wêneke e
DocType: Project,Task Progress,Task Progress
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Ereboka destan
,Qty to Transfer,Qty to Transfer
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Quotes and Leads an muşteriyan.
DocType: Stock Settings,Role Allowed to edit frozen stock,Role Yorumlar ji bo weşînertiya stock bêhest
,Territory Target Variance Item Group-Wise,Axa Target Variance babetî Pula-Wise
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Hemû Groups Mişterî
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Hemû Groups Mişterî
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Accumulated Ayda
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} de bivênevê ye. Dibe ku rekor Exchange ji bo {1} ji bo {2} tên afirandin ne.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} de bivênevê ye. Dibe ku rekor Exchange ji bo {1} ji bo {2} tên afirandin ne.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Şablon Bacê de bivênevê ye.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Account {0}: account Parent {1} tune
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Account {0}: account Parent {1} tune
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Price List Rate (Company Exchange)
DocType: Products Settings,Products Settings,Products Settings
DocType: Account,Temporary,Derbasî
DocType: Program,Courses,kursên
DocType: Monthly Distribution Percentage,Percentage Allocation,Kodek rêjeya
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Sekreter
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekreter
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Heke neçalak bike, 'Di Words' qada wê ne di tu mêjera xuya"
DocType: Serial No,Distinct unit of an Item,yekîneyên cuda yên vî babetî
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Xêra xwe Company
DocType: Pricing Rule,Buying,kirîn
DocType: HR Settings,Employee Records to be created by,Records karker ji aliyê tên afirandin bê
DocType: POS Profile,Apply Discount On,Apply li ser navnîshana
,Reqd By Date,Query By Date
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,deyndêr
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,deyndêr
DocType: Assessment Plan,Assessment Name,Navê nirxandina
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Row # {0}: No Serial wêneke e
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Babetê Detail Wise Bacê
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Abbreviation Enstîtuya
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Abbreviation Enstîtuya
,Item-wise Price List Rate,List Price Rate babete-şehreza
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Supplier Quotation
DocType: Quotation,In Words will be visible once you save the Quotation.,Li Words xuya dê bibe dema ku tu Quotation xilas bike.
@@ -3699,14 +3726,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Diravan ({0}) ne dikarin bibin fraction li row {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,berhev Fees
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Barcode {0} niha di vî babetî bikaranîn {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barcode {0} niha di vî babetî bikaranîn {1}
DocType: Lead,Add to calendar on this date,Lê zêde bike salnameya li ser vê date
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,"Qaîdeyên ji bo got, heqê şandinê."
DocType: Item,Opening Stock,vekirina Stock
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Mişterî pêwîst e
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} ji bo vegerê de bivênevê ye
DocType: Purchase Order,To Receive,Hildan
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Email şexsî
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Total Variance
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Heke hilbijartî be, di sîstema wê entries hisêba ji bo ambaran de automatically binivîse."
@@ -3717,13 +3743,14 @@
DocType: Customer,From Lead,ji Lead
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Emir ji bo hilberîna berdan.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Select Fiscal Sal ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS Profile pêwîst ji bo Peyam POS
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS Profile pêwîst ji bo Peyam POS
DocType: Program Enrollment Tool,Enroll Students,kul Xwendekarên
DocType: Hub Settings,Name Token,Navê Token
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Selling Standard
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Li Hindîstan û yek warehouse wêneke e
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Li Hindîstan û yek warehouse wêneke e
DocType: Serial No,Out of Warranty,Out of Warranty
DocType: BOM Replace Tool,Replace,Diberdaxistin
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,No berhemên dîtin.
DocType: Production Order,Unstopped,vebin
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} dijî Sales bi fatûreyên {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3734,13 +3761,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Cudahiya di Nirx Stock
apps/erpnext/erpnext/config/learn.py +234,Human Resource,çavkaniyê binirxîne mirovan
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Lihevhatin û dayina tezmînat
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Maldarî bacê
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Maldarî bacê
DocType: BOM Item,BOM No,BOM No
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Peyam di kovara {0} nayê Hesabê te nîne {1} an ji niha ve bi rêk û pêk li dijî din fîşeke
DocType: Item,Moving Average,Moving Average
DocType: BOM Replace Tool,The BOM which will be replaced,The BOM ku wê biguherîn
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,Teçxîzatên hatiye Electronic
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,Teçxîzatên hatiye Electronic
DocType: Account,Debit,Debit
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,Pelên divê li mamoste ji 0.5 terxan kirin
DocType: Production Order,Operation Cost,Cost Operation
@@ -3748,7 +3775,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Outstanding Amt
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,armancên Set babetî Pula-şehreza ji bo vê Person Sales.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Rêzefîlma Cîran Cîran Freeze kevintir Than [Rojan]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Asset ji bo sermaye sabît kirîn / sale wêneke e
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Asset ji bo sermaye sabît kirîn / sale wêneke e
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Eger du an jî zêdetir Rules Pricing dîtin li ser şert û mercên li jor li, Priority sepandin. Girîngî hejmareke di navbera 0 to 20 e dema ku nirxa standard zero (vala) e. hejmara Bilind tê wê wateyê ku ew dê sertir eger ne Rules Pricing multiple bi eynî şert û li wir bigirin."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Sal malî: {0} nayê heye ne
DocType: Currency Exchange,To Currency,to Exchange
@@ -3757,7 +3784,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},rêjeya bo em babete Firotina {0} kêmtir e {1} xwe. rêjeya firotina divê bê Hindîstan û {2}
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},rêjeya bo em babete Firotina {0} kêmtir e {1} xwe. rêjeya firotina divê bê Hindîstan û {2}
DocType: Item,Taxes,bacê
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Pere û bidana
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Pere û bidana
DocType: Project,Default Cost Center,Navenda Cost Default
DocType: Bank Guarantee,End Date,Date End
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Transactions Stock
@@ -3782,24 +3809,22 @@
DocType: Employee,Held On,held ser
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Babetê Production
,Employee Information,Information karker
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Rêjeya (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Rêjeya (%)
DocType: Stock Entry Detail,Additional Cost,Cost Additional
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Financial Sal End Date
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Can filter li ser Voucher No bingeha ne, eger ji aliyê Vienna kom"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Make Supplier Quotation
DocType: Quality Inspection,Incoming,Incoming
DocType: BOM,Materials Required (Exploded),Materyalên pêwîst (teqandin)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Lê zêde bike bikarhênerên bi rêxistina xwe, ji xwe"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Deaktîv bike Date nikare bibe dîroka pêşerojê de
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} nayê bi hev nagirin {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Leave Casual
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Leave Casual
DocType: Batch,Batch ID,ID batch
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Têbînî: {0}
,Delivery Note Trends,Trends Delivery Note
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Nasname vê hefteyê
-,In Stock Qty,In Stock Qty
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,In Stock Qty
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Account: {0} bi tenê dikare bi rêya Transactions Stock ve
-DocType: Program Enrollment,Get Courses,Get Kursên
+DocType: Student Group Creation Tool,Get Courses,Get Kursên
DocType: GL Entry,Party,Partî
DocType: Sales Order,Delivery Date,Date Delivery
DocType: Opportunity,Opportunity Date,Date derfet
@@ -3807,14 +3832,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Daxwaza ji bo babet Quotation
DocType: Purchase Order,To Bill,ji bo Bill
DocType: Material Request,% Ordered,% Ordered
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Ji bo qursa li Komeleya Xwendekarên Kurdistanê, li Kurs dê ji bo her Xwendekarên ji Kursên helîna li Program hejmartina vîze."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Enter Email Address ji hev biqetîne, fatûra wê were li ser date taybetî bêt"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Piecework
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Piecework
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Avg. Rate kirîn
DocType: Task,Actual Time (in Hours),Time rastî (di Hours)
DocType: Employee,History In Company,Dîroka Li Company
apps/erpnext/erpnext/config/learn.py +107,Newsletters,bultenên me
DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Peyam Ledger
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Mişterî> Mişterî Pol> Herêma
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,babete heman hatiye nivîsandin çend caran
DocType: Department,Leave Block List,Dev ji Lîsteya Block
DocType: Sales Invoice,Tax ID,ID bacê
@@ -3829,30 +3854,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} yekîneyên {1} pêwîst in {2} ji bo temamkirina vê de mêjera.
DocType: Loan Type,Rate of Interest (%) Yearly,Rêjeya faîzên (%) Hit
DocType: SMS Settings,SMS Settings,Settings SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Accounts demî
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Reş
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Accounts demî
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Reş
DocType: BOM Explosion Item,BOM Explosion Item,BOM babet teqîn
DocType: Account,Auditor,xwîndin
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} tomar çêkirin
DocType: Cheque Print Template,Distance from top edge,Distance ji devê top
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,List Price {0} kêmendam e yan jî tune
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,List Price {0} kêmendam e yan jî tune
DocType: Purchase Invoice,Return,Vegerr
DocType: Production Order Operation,Production Order Operation,Production Order Operation
DocType: Pricing Rule,Disable,neçalak bike
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Mode dayinê pêwist e ji bo ku tezmînat
DocType: Project Task,Pending Review,hîn Review
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ku di Batch jimartin ne {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} nikarin belav bibin, wekî ku ji niha ve {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Îdîaya Expense Total (via mesrefan)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Id mişterî
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Absent
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Exchange ji BOM # di {1} de divê ji bo pereyê hilbijartin wekhev be {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Exchange ji BOM # di {1} de divê ji bo pereyê hilbijartin wekhev be {2}
DocType: Journal Entry Account,Exchange Rate,Rate
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Sales Order {0} tê şandin ne
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Sales Order {0} tê şandin ne
DocType: Homepage,Tag Line,Line Tag
DocType: Fee Component,Fee Component,Fee Component
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Management ya Korsan
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Lê zêde bike tomar ji
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},"Warehouse {0}: account Parent {1} ne ji şîrketa, yê bi {2}"
DocType: Cheque Print Template,Regular,Rêzbirêz
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Weightage tevahî ji hemû Krîterên Nirxandina divê 100% be
DocType: BOM,Last Purchase Rate,Last Rate Purchase
@@ -3861,11 +3885,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Stock ne dikarin ji bo vî babetî hene {0} ji ber ku heye Guhertoyên
,Sales Person-wise Transaction Summary,Nasname Transaction firotina Person-şehreza
DocType: Training Event,Contact Number,Hejmara Contact
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Warehouse {0} tune
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Warehouse {0} tune
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Register Ji bo ERPNext Hub
DocType: Monthly Distribution,Monthly Distribution Percentages,Sedaneya Belavkariya mehane
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,The em babete kilîk ne dikarin Batch hene
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","rêjeya Valuation ji bo babet {0}, ku pêwîst e ji bo ku ez entries, hesabgirê bo dîtin ne {1} {2}. Ger babete drust wek babete test li transacting li {1}, ji kerema xwe ve behsa ku di {1} sifrê Babetê. Na, ji kerema xwe mêjera stock höndör bo em babete an behsa rêjeya muhletan di qeyda Babetê hatî, û piştre hewl Submiting / betalkirinê ev entry"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","rêjeya Valuation ji bo babet {0}, ku pêwîst e ji bo ku ez entries, hesabgirê bo dîtin ne {1} {2}. Ger babete drust wek babete test li transacting li {1}, ji kerema xwe ve behsa ku di {1} sifrê Babetê. Na, ji kerema xwe mêjera stock höndör bo em babete an behsa rêjeya muhletan di qeyda Babetê hatî, û piştre hewl Submiting / betalkirinê ev entry"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% Ji materyalên li dijî vê Delivery Têbînî teslîmî
DocType: Project,Customer Details,Details mişterî
DocType: Employee,Reports to,raporên ji bo
@@ -3873,24 +3897,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,parametre url Enter ji bo destikê nos
DocType: Payment Entry,Paid Amount,Şêwaz pere
DocType: Assessment Plan,Supervisor,Gûhliser
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,bike
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,bike
,Available Stock for Packing Items,Stock ji bo Nawy jî tê de
DocType: Item Variant,Item Variant,Babetê Variant
DocType: Assessment Result Tool,Assessment Result Tool,Nirxandina Tool Encam
DocType: BOM Scrap Item,BOM Scrap Item,BOM babet Scrap
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,emir Submitted nikare were jêbirin
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","balance Account jixwe di Debit, hûn bi destûr ne ji bo danîna wek 'Credit' 'Balance Must Be'"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Management Quality
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,emir Submitted nikare were jêbirin
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","balance Account jixwe di Debit, hûn bi destûr ne ji bo danîna wek 'Credit' 'Balance Must Be'"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Management Quality
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Babetê {0} neçalakirin
DocType: Employee Loan,Repay Fixed Amount per Period,Bergîdana yekûnê sabît Period
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Ji kerema xwe ve dorpêçê de ji bo babet binivîse {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Credit Têbînî Amt
DocType: Employee External Work History,Employee External Work History,Xebatkarê History Kar Derve
DocType: Tax Rule,Purchase,Kirrîn
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Balance Qty
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Balance Qty
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Armancên ne vala be
DocType: Item Group,Parent Item Group,Dê û bav babetî Pula
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} ji bo {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Navendên cost
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Navendên cost
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Rate li ku dabînkerê ya pereyan ji bo pereyan base şîrketê bîya
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: Nakokiyên Timings bi row {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Destûrê bide Rate Valuation Zero
@@ -3898,17 +3923,18 @@
DocType: Training Event Employee,Invited,vexwendin
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Multiple Structures Salary çalak ji bo karker {0} ji bo dîrokan dayîn dîtin
DocType: Opportunity,Next Contact,Contact Next
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Setup bikarhênerên Gateway.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Setup bikarhênerên Gateway.
DocType: Employee,Employment Type,Type kar
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Maldarî Fixed
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Maldarî Fixed
DocType: Payment Entry,Set Exchange Gain / Loss,Set Exchange Gain / Loss
+,GST Purchase Register,Gst Buy Register
,Cash Flow,Flow Cash
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,dema Application ne dikarin li seranserî du records alocation be
DocType: Item Group,Default Expense Account,Account Default Expense
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Xwendekarên ID Email
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Xwendekarên ID Email
DocType: Employee,Notice (days),Notice (rojan)
DocType: Tax Rule,Sales Tax Template,Şablon firotina Bacê
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Select tomar bo rizgarkirina fatûra
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Select tomar bo rizgarkirina fatûra
DocType: Employee,Encashment Date,Date Encashment
DocType: Training Event,Internet,Internet
DocType: Account,Stock Adjustment,Adjustment Stock
@@ -3937,7 +3963,7 @@
DocType: Guardian,Guardian Of ,Guardian Of
DocType: Grading Scale Interval,Threshold,Nepxok
DocType: BOM Replace Tool,Current BOM,BOM niha:
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Lê zêde bike No Serial
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Lê zêde bike No Serial
apps/erpnext/erpnext/config/support.py +22,Warranty,Libersekînîn
DocType: Purchase Invoice,Debit Note Issued,Debit Têbînî Issued
DocType: Production Order,Warehouses,wargehan de
@@ -3946,20 +3972,20 @@
DocType: Workstation,per hour,Serî saetê
apps/erpnext/erpnext/config/buying.py +7,Purchasing,kirînê
DocType: Announcement,Announcement,Daxûyanî
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Account ji bo warehouse (EZI Eternal) wê di bin vê Account tên afirandin.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Warehouse ne jêbirin wek entry stock ledger ji bo vê warehouse heye.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Ji bo Batch li Komeleya Xwendekarên Kurdistanê, Batch Xwendekar dê bên ji bo her xwendekarek hejmartina Program vîze."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Warehouse ne jêbirin wek entry stock ledger ji bo vê warehouse heye.
DocType: Company,Distribution,Belavkirinî
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Şêwaz: Destkeftiyên
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Project Manager
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Project Manager
,Quoted Item Comparison,Babetê têbinî eyna
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Dispatch
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max discount destûr bo em babete: {0} {1}% e
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Dispatch
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max discount destûr bo em babete: {0} {1}% e
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,nirxa Asset Net ku li ser
DocType: Account,Receivable,teleb
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: destûr Not bo guherandina Supplier wek Purchase Order jixwe heye
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: destûr Not bo guherandina Supplier wek Purchase Order jixwe heye
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rola ku destûr ji bo pêşkêşkirina muamele ku di mideyeka sînorên credit danîn.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Select Nawy ji bo Manufacture
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master senkronîzekirina welat, bibe hinek dem bigire"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Select Nawy ji bo Manufacture
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master senkronîzekirina welat, bibe hinek dem bigire"
DocType: Item,Material Issue,Doza maddî
DocType: Hub Settings,Seller Description,Seller Description
DocType: Employee Education,Qualification,Zanyarî
@@ -3979,7 +4005,6 @@
DocType: BOM,Rate Of Materials Based On,Rate ji materyalên li ser bingeha
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analtyics Support
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,menuya hemû
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Company di wargehan de wenda {0}
DocType: POS Profile,Terms and Conditions,Şert û mercan
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},To Date divê di nava sala diravî be. Bihesibînin To Date = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Li vir tu dikarî height, giranî, alerjî, fikarên tibbî û hwd. Bidomînin"
@@ -3994,19 +4019,18 @@
DocType: Sales Order Item,For Production,ji bo Production
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,View Task
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,sala te ya aborî dest pê dike li ser
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp /% Lead
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp /% Lead
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Depreciations Asset û hevsengiyên
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Şêwaz {0} {1} veguhestin ji {2} ji bo {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Şêwaz {0} {1} veguhestin ji {2} ji bo {3}
DocType: Sales Invoice,Get Advances Received,Get pêşketina pêşwazî
DocType: Email Digest,Add/Remove Recipients,Zêde Bike / Rake Recipients
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Bo danûstandina li dijî Production rawestandin destûr ne Order {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Bo danûstandina li dijî Production rawestandin destûr ne Order {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Ji bo danîna vê sala diravî wek Default, klîk le 'Set wek Default'"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,Bihevgirêdan
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Bihevgirêdan
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,kêmbûna Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,variant babete {0} bi taybetmendiyên xwe heman heye
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,variant babete {0} bi taybetmendiyên xwe heman heye
DocType: Employee Loan,Repay from Salary,H'eyfê ji Salary
DocType: Leave Application,LAP/,HIMBÊZ/
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Ku daxwaz dikin tezmînat li dijî {0} {1} ji bo mîktarê {2}
@@ -4017,34 +4041,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Çêneke barkirinê de cîh ji bo pakêtên ji bo teslîm kirin. Ji bo agahdar hejmara package, naveroka pakêta û giraniya xwe."
DocType: Sales Invoice Item,Sales Order Item,Sales Order babetî
DocType: Salary Slip,Payment Days,Rojan Payment
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Wargehan de bi hucûma zarok nikare bê guhartina ji bo ledger
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Wargehan de bi hucûma zarok nikare bê guhartina ji bo ledger
DocType: BOM,Manage cost of operations,Manage mesrefa ji operasyonên
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Gava ku tu ji wan muamele kontrolkirin bi "on", an email pop-up automatically vekir, da ku email bişînin bo têkildar de "Contact" li ku mêjera, bi mêjera wek girêdana. The bikarhêner dikarin yan dibe ku email bişînin bo ne."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Mîhengên gerdûnî
DocType: Assessment Result Detail,Assessment Result Detail,Nirxandina Detail Encam
DocType: Employee Education,Employee Education,Perwerde karker
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,koma babete hate dîtin li ser sifrê koma babete
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,Ev pêwîst e ji bo pędivî Details Babetê.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,Ev pêwîst e ji bo pędivî Details Babetê.
DocType: Salary Slip,Net Pay,Pay net
DocType: Account,Account,Konto
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Serial No {0} ji niha ve wergirtin
,Requested Items To Be Transferred,Nawy xwestin veguhestin
DocType: Expense Claim,Vehicle Log,Têkeve Vehicle
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Warehouse {0} ji bo her account ne girêdayî ye, ji kerema xwe ve biafirîne / berve destdayî (e) account ji bo kargehên mezin."
DocType: Purchase Invoice,Recurring Id,nişankirin Id
DocType: Customer,Sales Team Details,Details firotina Team
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Vemirandina mayînde?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Vemirandina mayînde?
DocType: Expense Claim,Total Claimed Amount,Temamê meblaxa îdîa
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,derfetên Potential ji bo firotina.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Invalid {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Leave nexweş
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Invalid {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Leave nexweş
DocType: Email Digest,Email Digest,Email Digest
DocType: Delivery Note,Billing Address Name,Billing Name Address
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,dikanên
DocType: Warehouse,PIN,DERZÎ
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Setup Dibistana xwe li ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Base Change Mîqdar (Company Exchange)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,No entries hisêba ji bo wargehan de li jêr
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,No entries hisêba ji bo wargehan de li jêr
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Save yekemîn belgeya.
DocType: Account,Chargeable,Chargeable
DocType: Company,Change Abbreviation,Change Abbreviation
@@ -4062,7 +4085,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Hêvîkirin Date Delivery nikarim li ber Purchase Order Date be
DocType: Appraisal,Appraisal Template,appraisal Şablon
DocType: Item Group,Item Classification,Classification babetî
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Business Development Manager
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Purpose Maintenance Visit
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Nixte
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Ledger giştî
@@ -4072,8 +4095,8 @@
DocType: Item Attribute Value,Attribute Value,nirxê taybetmendiyê
,Itemwise Recommended Reorder Level,Itemwise Baştir DIRTYHERTZ Level
DocType: Salary Detail,Salary Detail,Detail meaş
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,Ji kerema xwe {0} hilbijêre yekem
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Batch {0} yên babet {1} xelas bûye.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Ji kerema xwe {0} hilbijêre yekem
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Batch {0} yên babet {1} xelas bûye.
DocType: Sales Invoice,Commission,Simsarî
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Bîlançoya Time ji bo febrîkayan.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Subtotal
@@ -4084,6 +4107,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`Cîran Cîran Freeze kevintir Than` divê kêmtir ji% d roj be.
DocType: Tax Rule,Purchase Tax Template,Bikirin Şablon Bacê
,Project wise Stock Tracking,Project Tracking Stock zana
+DocType: GST HSN Code,Regional,Dorane
DocType: Stock Entry Detail,Actual Qty (at source/target),Qty rastî (di source / target)
DocType: Item Customer Detail,Ref Code,Code Ref
apps/erpnext/erpnext/config/hr.py +12,Employee records.,records Employee.
@@ -4094,13 +4118,13 @@
DocType: Email Digest,New Purchase Orders,Ordênên Buy New
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Root ne dikare navenda mesrefa dê û bav hene
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Hilbijêre Brand ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Perwerdekirina Events / Results
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Accumulated Farhad ku li ser
DocType: Sales Invoice,C-Form Applicable,C-Forma serlêdanê
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Operasyona Time divê mezintir 0 bo operasyonê bibin {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Warehouse wêneke e
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Warehouse wêneke e
DocType: Supplier,Address and Contacts,Address û Têkilî
DocType: UOM Conversion Detail,UOM Conversion Detail,Detail UOM Converter
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Keep it 900px web dostane (w) ji aliyê 100px (h)
DocType: Program,Program Abbreviation,Abbreviation Program
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,"Production Order dikarin li dijî Şablon babet ne, bêne zindî kirin"
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Li dijî wan doz bi wergirtina Purchase dijî hev babete ve
@@ -4108,13 +4132,13 @@
DocType: Bank Guarantee,Start Date,Destpêk Date
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,"Veqetandin, pelên ji bo demeke."
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Cheques û meden bi şaşî kenîştê
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Account {0}: Tu dikarî xwe wek account dê û bav bê peywirdarkirin ne
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Account {0}: Tu dikarî xwe wek account dê û bav bê peywirdarkirin ne
DocType: Purchase Invoice Item,Price List Rate,Price List Rate
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Create quotes mişterî
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Nîşan bide "In Stock" an "Not li Stock" li ser bingeha stock di vê warehouse.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Bill ji Alav (BOM)
DocType: Item,Average time taken by the supplier to deliver,Dema averaj ji aliyê şîrketa elektrîkê ji bo gihandina
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,Encam nirxandina
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,Encam nirxandina
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,saetan
DocType: Project,Expected Start Date,Hêvîkirin Date Start
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Jê babete eger doz e ji bo ku em babete ne
@@ -4128,24 +4152,23 @@
DocType: Workstation,Operating Costs,Mesrefên xwe Operating
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Action eger Accumulated Ayda Budget derbas
DocType: Purchase Invoice,Submit on creation,Submit li ser çêkirina
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Pereyan ji bo {0} divê {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Pereyan ji bo {0} divê {1}
DocType: Asset,Disposal Date,Date çespandina
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Emails wê ji bo hemû xebatkarên me Active ji şîrketa saet dayîn şandin, eger ew cejna tune ne. Nasname ji bersivên wê li nîvê şevê şandin."
DocType: Employee Leave Approver,Employee Leave Approver,Xebatkarê Leave Approver
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: An entry DIRTYHERTZ berê ve ji bo vê warehouse heye {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: An entry DIRTYHERTZ berê ve ji bo vê warehouse heye {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","ne dikare ragihîne wek wenda, ji ber ku Quotation hatiye çêkirin."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Training Feedback
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Production Order {0} de divê bê şandin
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Production Order {0} de divê bê şandin
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Ji kerema xwe ve Date Start û End Date ji bo babet hilbijêre {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Helbet li row wêneke e {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,To date nikarim li ber ji date be
DocType: Supplier Quotation Item,Prevdoc DocType,DocType Prevdoc
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Lê zêde bike / Edit Prices
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Lê zêde bike / Edit Prices
DocType: Batch,Parent Batch,Batch dê û bav
DocType: Cheque Print Template,Cheque Print Template,Cheque Şablon bo çapkirinê
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Chart Navendên Cost
,Requested Items To Be Ordered,Nawy xwestin To fermana Be
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,şîrketa Warehouse divê eynî weke şîrketa Account be
DocType: Price List,Price List Name,List Price Name
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Nasname xebata rojane de ji bo {0}
DocType: Employee Loan,Totals,Totals
@@ -4167,55 +4190,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Ji kerema xwe ve nos mobile derbasdar têkeve
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Ji kerema xwe re berî şandina peyamek binivîse
DocType: Email Digest,Pending Quotations,hîn Quotations
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Point-ji-Sale Profile
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-ji-Sale Profile
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Ji kerema xwe ve Settings SMS baştir bike
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Loans bê çarerserkirin.
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Loans bê çarerserkirin.
DocType: Cost Center,Cost Center Name,Mesrefa Name Navenda
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Max dema xebatê li dijî timesheet
DocType: Maintenance Schedule Detail,Scheduled Date,Date scheduled
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Total pere Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Total pere Amt
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Messages mezintir 160 characters wê bê nav mesajên piralî qelişîn
DocType: Purchase Receipt Item,Received and Accepted,"Stand, û pejirandî"
+,GST Itemised Sales Register,Gst bidine Sales Register
,Serial No Service Contract Expiry,Serial No Service Peymana Expiry
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Tu nikarî û kom heman account di heman demê de
DocType: Naming Series,Help HTML,alîkarî HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Komeleya Xwendekarên Tool Creation
DocType: Item,Variant Based On,Li ser varyanta
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Total weightage rêdan divê 100% be. Ev e {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Suppliers te
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Suppliers te
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,ne dikarin set wek Lost wek Sales Order çêkirin.
DocType: Request for Quotation Item,Supplier Part No,Supplier Part No
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',ne dikarin dadixînin dema kategoriyê e ji bo 'Valuation' an jî 'Vaulation û Total'
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,pêşwaziya From
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,pêşwaziya From
DocType: Lead,Converted,xwe guhert
DocType: Item,Has Serial No,Has No Serial
DocType: Employee,Date of Issue,Date of Dozî Kurd
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Ji {0} ji bo {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Li gor Settings Buying eger Buy reciept gireke == 'ERÊ', piştre ji bo afirandina Buy bi fatûreyên, bikarhêner ji bo afirandina Meqbûz Buy yekem bo em babete {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Row # {0}: Set Supplier bo em babete {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Row {0}: value Hours divê ji sifirê mezintir be.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Website Wêne {0} girêdayî babet {1} nayê dîtin
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Website Wêne {0} girêdayî babet {1} nayê dîtin
DocType: Issue,Content Type,Content Type
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Komûter
DocType: Item,List this Item in multiple groups on the website.,Lîsteya ev babet di koman li ser malpera me.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Ji kerema xwe ve vebijêrk Exchange Multi bi rê bikarhênerên bi pereyê din jî
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Babet: {0} nayê di sîstema tune
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Tu bi destûr ne ji bo danîna nirxa Frozen
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Babet: {0} nayê di sîstema tune
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Tu bi destûr ne ji bo danîna nirxa Frozen
DocType: Payment Reconciliation,Get Unreconciled Entries,Get Unreconciled Arşîva
DocType: Payment Reconciliation,From Invoice Date,Ji fatûreyên Date
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,"currency Billing, divê ji bo pereyan an account partiya currency yan jî standard comapany ya wekhev be"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Dev ji Encashment
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Çi bikim?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,"currency Billing, divê ji bo pereyan an account partiya currency yan jî standard comapany ya wekhev be"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Dev ji Encashment
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Çi bikim?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,to Warehouse
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Hemû Admissions Student
,Average Commission Rate,Average Rate Komîsyona
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,'Has No Serial' nikare bibe '' Erê '' ji bo non-stock babete
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'Has No Serial' nikare bibe '' Erê '' ji bo non-stock babete
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Amadebûna dikarin di dîrokên pêşeroja bo ne bên nîşankirin
DocType: Pricing Rule,Pricing Rule Help,Rule Pricing Alîkarî
DocType: School House,House Name,Navê House
DocType: Purchase Taxes and Charges,Account Head,Serokê account
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Baştir bike mesrefên din jî ji bo hesabkirina mesrefên peya bûn ji tomar
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Electrical
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Electrical
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,"Zêde ji yên din rêxistina xwe wek bikarhênerên xwe. Tu dikarî gazî muşteriyan bi portal xwe lê zêde bike by got, wan ji Têkilî"
DocType: Stock Entry,Total Value Difference (Out - In),Cudahiya di Total Nirx (Out - In)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Row {0}: Exchange Rate wêneke e
@@ -4225,7 +4250,7 @@
DocType: Item,Customer Code,Code mişterî
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Reminder Birthday ji bo {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Rojan de ji sala Last Order
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,"Debit To account, divê hesabekî Bîlançoya be"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,"Debit To account, divê hesabekî Bîlançoya be"
DocType: Buying Settings,Naming Series,Series Bidin
DocType: Leave Block List,Leave Block List Name,Dev ji Lîsteya Block Name
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,date Insurance Serî divê kêmtir ji date Insurance End be
@@ -4240,27 +4265,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Slip meaşê karmendekî {0} berê ji bo kaxeza dem tên afirandin {1}
DocType: Vehicle Log,Odometer,Green
DocType: Sales Order Item,Ordered Qty,emir kir Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Babetê {0} neçalak e
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Babetê {0} neçalak e
DocType: Stock Settings,Stock Frozen Upto,Stock Upto Frozen
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM nade ti stock babete ne
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM nade ti stock babete ne
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Dema From û dema To dîrokên diyarkirî ji bo dubare {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,çalakiyên Project / erka.
DocType: Vehicle Log,Refuelling Details,Details Refuelling
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Çêneke Salary Slips
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Kirîn, divê werin kontrolkirin, eger Ji bo serlêdanê ya ku weke hilbijartî {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Kirîn, divê werin kontrolkirin, eger Ji bo serlêdanê ya ku weke hilbijartî {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Discount gerek kêmtir ji 100 be
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Ev rûpel cara rêjeya kirîn nehate dîtin
DocType: Purchase Invoice,Write Off Amount (Company Currency),Hewe Off Mîqdar (Company Exchange)
DocType: Sales Invoice Timesheet,Billing Hours,Saet Billing
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,BOM Default ji bo {0} nehate dîtin
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Row # {0}: Hêvîye set dorpêçê de DIRTYHERTZ
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Row # {0}: Hêvîye set dorpêçê de DIRTYHERTZ
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Tap tomar ji wan re lê zêde bike here
DocType: Fees,Program Enrollment,Program nivîsînî
DocType: Landed Cost Voucher,Landed Cost Voucher,Landed Voucher Cost
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Ji kerema xwe ve set {0}
DocType: Purchase Invoice,Repeat on Day of Month,Dubare li ser Day of Month
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} Xwendekarê neçalak e
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} Xwendekarê neçalak e
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} Xwendekarê neçalak e
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} Xwendekarê neçalak e
DocType: Employee,Health Details,Details Health
DocType: Offer Letter,Offer Letter Terms,Sertên Letter
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Ji bo afirandina daxwaza Payment belge referansa pêwîst e
@@ -4282,7 +4307,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Mînak:. ABCD ##### Eger series Biryar e û No Serial di livûtevgerên behsa ne, serial number paşê otomatîk dê li ser bingeha vê series tên afirandin. Ger tu tim dixwazin ji bo ku eşkere behsa Serial Nos bo em babete binûse. vala bihêle."
DocType: Upload Attendance,Upload Attendance,Upload Beşdariyê
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM û Manufacturing Quantity pêwîst in
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM û Manufacturing Quantity pêwîst in
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Range Ageing 2
DocType: SG Creation Tool Course,Max Strength,Max Hêz
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM şûna
@@ -4292,8 +4317,8 @@
,Prospects Engaged But Not Converted,Perspektîvên Engaged Lê Converted Not
DocType: Manufacturing Settings,Manufacturing Settings,Settings manufacturing
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Avakirina Email
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Mobile No
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Ji kerema xwe ve currency default li Company Master binivîse
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile No
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Ji kerema xwe ve currency default li Company Master binivîse
DocType: Stock Entry Detail,Stock Entry Detail,Detail Stock Peyam
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Reminders rojane
DocType: Products Settings,Home Page is Products,Home Page e Products
@@ -4302,7 +4327,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,New Name Account
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Cost madeyên xav Supplied
DocType: Selling Settings,Settings for Selling Module,Mîhengên ji bo Firotina Module
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Balkeş bûn
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Balkeş bûn
DocType: BOM,Thumbnail,Thumbnail
DocType: Item Customer Detail,Item Customer Detail,Babetê Detail Mişterî
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Pêşkêşiya namzetê a Job.
@@ -4311,7 +4336,7 @@
DocType: Pricing Rule,Percentage,Rêza sedikê
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Babetê {0} divê stock babete be
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Default Kar In Warehouse Progress
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,mîhengên standard ji bo muameleyên hisêba.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,mîhengên standard ji bo muameleyên hisêba.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Date hêvîkirin nikarim li ber Material Daxwaza Date be
DocType: Purchase Invoice Item,Stock Qty,Stock Qty
@@ -4325,10 +4350,10 @@
DocType: Sales Order,Printing Details,Details çapkirinê
DocType: Task,Closing Date,Date girtinê
DocType: Sales Order Item,Produced Quantity,Quantity produced
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Hendese
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Hendese
DocType: Journal Entry,Total Amount Currency,Temamê meblaxa Exchange
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Meclîsên Search bînrawe
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Code babete pêwîst li Row No {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Code babete pêwîst li Row No {0}
DocType: Sales Partner,Partner Type,Type partner
DocType: Purchase Taxes and Charges,Actual,Rast
DocType: Authorization Rule,Customerwise Discount,Customerwise Discount
@@ -4345,11 +4370,11 @@
DocType: Item Reorder,Re-Order Level,Re-Order Level
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,tomar û QTY plan ji bo ku tu dixwazî bilind emir hilberîna an download madeyên xav ji bo analîzê binivîse.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Chart Gantt
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Nîvdem
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Nîvdem
DocType: Employee,Applicable Holiday List,Lîsteya Holiday wergirtinê
DocType: Employee,Cheque,Berçavkirinî
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Series Demê
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Report Type wêneke e
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Report Type wêneke e
DocType: Item,Serial Number Series,Series Hejmara Serial
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Warehouse bo stock babet {0} li row wêneke e {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Retail & Wholesale
@@ -4371,7 +4396,7 @@
DocType: BOM,Materials,materyalên
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Heke ne, di lîsteyê de wê ji bo her Beşa ku wê were sepandin bê zêdekirin."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Source û Target Warehouse ne dikarin heman
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,date mesaj û dem bi mesaj û wêneke e
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,date mesaj û dem bi mesaj û wêneke e
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,şablonê Bacê ji bo kirîna muamele.
,Item Prices,Prices babetî
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Li Words xuya dê careke we kirî ya Order xilas bike.
@@ -4381,22 +4406,23 @@
DocType: Purchase Invoice,Advance Payments,Advance Payments
DocType: Purchase Taxes and Charges,On Net Total,Li ser Net Total
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Nirx ji bo Pêşbîr {0} de divê di nava cûrbecûr yên bê {1} ji bo {2} di çend qonaxan ji {3} ji bo babet {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,warehouse Target li row {0} divê eynî wek Production Order be
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,warehouse Target li row {0} divê eynî wek Production Order be
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,'Hişyariya Navnîşan Email' ji bo dubare% s nehate diyarkirin
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,Exchange dikarin piştî çêkirina entries bikaranîna hinek dî ne bê guhertin
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Exchange dikarin piştî çêkirina entries bikaranîna hinek dî ne bê guhertin
DocType: Vehicle Service,Clutch Plate,Clutch deşta
DocType: Company,Round Off Account,Li dora Off Account
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Mesref îdarî
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Mesref îdarî
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Consulting
DocType: Customer Group,Parent Customer Group,Dê û bav Mişterî Group
DocType: Purchase Invoice,Contact Email,Contact Email
DocType: Appraisal Goal,Score Earned,score Earned
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Notice Period
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Notice Period
DocType: Asset Category,Asset Category Name,Asset Category Name
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Ev axa root e û ne jî dikarim di dahatûyê de were.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Navê New Person Sales
DocType: Packing Slip,Gross Weight UOM,Gross Loss UOM
DocType: Delivery Note Item,Against Sales Invoice,Li dijî bi fatûreyên Sales
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Tikaye hejmara serial bo em babete weşandin diyar binvêse!
DocType: Bin,Reserved Qty for Production,Qty Reserved bo Production
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Dev ji zilma eger tu dixwazî ji bo ku li hevîrê di dema çêkirina komên Helbet bingeha.
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Dev ji zilma eger tu dixwazî ji bo ku li hevîrê di dema çêkirina komên Helbet bingeha.
@@ -4405,25 +4431,25 @@
DocType: Landed Cost Item,Landed Cost Item,Landed babet Cost
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Nîşan bide nirxên zero
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Mêjera babete bidestxistin piştî manufacturing / repacking ji quantities dayîn ji madeyên xav
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Setup a website sade ji bo rêxistina xwe
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Setup a website sade ji bo rêxistina xwe
DocType: Payment Reconciliation,Receivable / Payable Account,Teleb / cîhde Account
DocType: Delivery Note Item,Against Sales Order Item,Li dijî Sales Order babetî
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},Ji kerema xwe binivîsin nirxê taybetmendiyê ji bo pêşbîrê {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},Ji kerema xwe binivîsin nirxê taybetmendiyê ji bo pêşbîrê {0}
DocType: Item,Default Warehouse,Default Warehouse
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Budceya dikare li hember Account Pol ne bibin xwediyê rêdan û {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Ji kerema xwe ve navenda mesrefa bav binivîse
DocType: Delivery Note,Print Without Amount,Print Bê Mîqdar
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,Date Farhad.
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,Bacê Category dikare bibe 'Valuation' an jî 'Valuation û Total' ne wek hemû tomar tomar non-stock in
DocType: Issue,Support Team,Team Support
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Expiry (Di Days)
DocType: Appraisal,Total Score (Out of 5),Total Score: (Out of 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,batch
+DocType: Student Attendance Tool,Batch,batch
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Bîlanço
DocType: Room,Seating Capacity,þiyanên seating
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Total mesrefan (via Îdîayên Expense)
+DocType: GST Settings,GST Summary,gst Nasname
DocType: Assessment Result,Total Score,Total Score
DocType: Journal Entry,Debit Note,Debit Note
DocType: Stock Entry,As per Stock UOM,Wek per Stock UOM
@@ -4435,12 +4461,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Default QediyayîComment Goods Warehouse
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Person Sales
DocType: SMS Parameter,SMS Parameter,parametreyê SMS
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Budceya û Navenda Cost
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Budceya û Navenda Cost
DocType: Vehicle Service,Half Yearly,nîv Hit
DocType: Lead,Blog Subscriber,abonetiyê Blog
DocType: Guardian,Alternate Number,Hejmara Alternatîf
DocType: Assessment Plan Criteria,Maximum Score,Maximum Score
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Create qaîdeyên ji bo bisînorkirina muamele li ser bingeha nirxên.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Pol Roll No
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Vala bihêlin eger tu şaşiyekê komên xwendekarên her salê
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Vala bihêlin eger tu şaşiyekê komên xwendekarên her salê
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Eger kontrolkirin, Total tune. ji Xebatê Rojan wê de betlaneyên xwe, û em ê bi nirxê Salary Per Day kêm"
@@ -4460,6 +4487,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Ev li ser danûstandinên li dijî vê Mişterî bingeha. Dîtina cedwela li jêr bo hûragahiyan
DocType: Supplier,Credit Days Based On,Credit Rojan li ser bingeha
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Row {0}: veqetandin mîqdara {1} gerek kêmtir be an jî li beramberî bi mîqdara Peyam Payment {2}
+,Course wise Assessment Report,Rapora Nirxandin Kurs zana
DocType: Tax Rule,Tax Rule,Rule bacê
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Pêkanîna Rate Same Seranserê Cycle Sales
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Plan dem têketin derveyî Hours Workstation Xebatê.
@@ -4468,7 +4496,7 @@
,Items To Be Requested,Nawy To bê xwestin
DocType: Purchase Order,Get Last Purchase Rate,Get Last Purchase Rate
DocType: Company,Company Info,Company Info
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Select an jî lê zêde bike mişterî nû
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Select an jî lê zêde bike mişterî nû
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,navenda Cost pêwîst e ji bo kitêba mesrefan
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Sepanê ji Funds (Maldarî)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Ev li ser amadebûna vê Xebatkara li
@@ -4476,27 +4504,29 @@
DocType: Fiscal Year,Year Start Date,Sal Serî Date
DocType: Attendance,Employee Name,Navê xebatkara
DocType: Sales Invoice,Rounded Total (Company Currency),Total Rounded (Company Exchange)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,"ne dikarin bi Pol nepenî, ji ber Type Account hilbijartî ye."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"ne dikarin bi Pol nepenî, ji ber Type Account hilbijartî ye."
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} hate guherandin. Ji kerema xwe nû dikin.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Dev ji bikarhêneran ji çêkirina Applications Leave li ser van rojan de.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Asta kirîn
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Supplier Quotation {0} tên afirandin
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,End Sal nikarim li ber Serî Sal be
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Qezenca kardarîyê
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Qezenca kardarîyê
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},"dorpêçê de bi timamî, divê dorpêçê de ji bo babet {0} li row pêşya {1}"
DocType: Production Order,Manufactured Qty,Manufactured Qty
DocType: Purchase Receipt Item,Accepted Quantity,Quantity qebûlkirin
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Ji kerema xwe ve set a default Lîsteya Holiday ji bo karkirinê {0} an Company {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} nizane heye ne
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} nizane heye ne
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Numbers Batch Hilbijêre
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,"Fatûrayên xwe rakir, ji bo muşteriyan."
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Project Id
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Row No {0}: Mîqdar ne mezintir Pending Mîqdar dijî {1} mesrefan. Hîn Mîqdar e {2}
DocType: Maintenance Schedule,Schedule,Pîlan
DocType: Account,Parent Account,Account dê û bav
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Berdeste
DocType: Quality Inspection Reading,Reading 3,Reading 3
,Hub,hub
DocType: GL Entry,Voucher Type,fîşeke Type
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,List Price nehate dîtin an jî neçalakirinName
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,List Price nehate dîtin an jî neçalakirinName
DocType: Employee Loan Application,Approved,pejirandin
DocType: Pricing Rule,Price,Biha
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Xebatkarê hebekî li ser {0} bê mîhenkirin wek 'Çepê'
@@ -4507,7 +4537,8 @@
DocType: Selling Settings,Campaign Naming By,Qada kampanyaya By
DocType: Employee,Current Address Is,Niha navnîşana e
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,de hate
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Bixwe. Sets currency default şîrketê, eger xwe dişinî ne."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Bixwe. Sets currency default şîrketê, eger xwe dişinî ne."
+DocType: Sales Invoice,Customer GSTIN,GSTIN mişterî
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,entries Accounting Kovara.
DocType: Delivery Note Item,Available Qty at From Warehouse,Available Qty li From Warehouse
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,Ji kerema xwe ve yekem Employee Record hilbijêre.
@@ -4515,7 +4546,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Partiya / Account nayê bi hev nagirin {1} / {2} li {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Ji kerema xwe ve Expense Account binivîse
DocType: Account,Stock,Embar
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: World: Kurdî: Corî dokumênt, divê yek ji Purchase Order, Buy bi fatûreyên an Peyam Journal be"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: World: Kurdî: Corî dokumênt, divê yek ji Purchase Order, Buy bi fatûreyên an Peyam Journal be"
DocType: Employee,Current Address,niha Address
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ger babete guhertoya yên babete din wê description, wêne, sewqiyata, bac û hwd dê ji şablonê set e, heta ku eşkere û diyar"
DocType: Serial No,Purchase / Manufacture Details,Buy / Details Manufacture
@@ -4528,8 +4559,8 @@
DocType: Pricing Rule,Min Qty,Min Qty
DocType: Asset Movement,Transaction Date,Date de mêjera
DocType: Production Plan Item,Planned Qty,bi plan Qty
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Total Bacê
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Ji bo Diravan (Manufactured Qty) wêneke e
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Total Bacê
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Ji bo Diravan (Manufactured Qty) wêneke e
DocType: Stock Entry,Default Target Warehouse,Default Warehouse Target
DocType: Purchase Invoice,Net Total (Company Currency),Total Net (Company Exchange)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,The Year End Date ne dikarin zûtir ji Date Sal Serî be. Ji kerema xwe re li rojên bike û careke din biceribîne.
@@ -4543,15 +4574,12 @@
DocType: Hub Settings,Hub Settings,Settings hub
DocType: Project,Gross Margin %,Kenarê% Gross
DocType: BOM,With Operations,bi operasyonên
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,entries Accounting niha ve li currency kirin {0} ji bo şîrketa {1}. Ji kerema xwe re hesabekî teleb an cîhde bi pereyan hilbijêre {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,entries Accounting niha ve li currency kirin {0} ji bo şîrketa {1}. Ji kerema xwe re hesabekî teleb an cîhde bi pereyan hilbijêre {0}.
DocType: Asset,Is Existing Asset,Ma karpêkirî Asset
DocType: Salary Detail,Statistical Component,Component Îstatîstîkê
DocType: Salary Detail,Statistical Component,Component Îstatîstîkê
-,Monthly Salary Register,Mehane Salary Register
DocType: Warranty Claim,If different than customer address,Eger cuda ji adresa mişterî
DocType: BOM Operation,BOM Operation,BOM Operation
-DocType: School Settings,Validate the Student Group from Program Enrollment,Bipeytînin Komeleya Xwendekarên ji Program hejmartina
-DocType: School Settings,Validate the Student Group from Program Enrollment,Bipeytînin Komeleya Xwendekarên ji Program hejmartina
DocType: Purchase Taxes and Charges,On Previous Row Amount,Li ser Previous Mîqdar Row
DocType: Student,Home Address,Navnîşana malê
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Asset transfer
@@ -4559,28 +4587,27 @@
DocType: Training Event,Event Name,Navê Event
apps/erpnext/erpnext/config/schools.py +39,Admission,Mûkir
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Admissions ji bo {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Seasonality ji bo avakirin, budceyên, armancên hwd."
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Babetê {0} a şablonê ye, ji kerema xwe ve yek ji Guhertoyên xwe hilbijêre"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Seasonality ji bo avakirin, budceyên, armancên hwd."
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Babetê {0} a şablonê ye, ji kerema xwe ve yek ji Guhertoyên xwe hilbijêre"
DocType: Asset,Asset Category,Asset Kategorî
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,kirîyar
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,pay Net ne dikare bibe neyînî
DocType: SMS Settings,Static Parameters,Parameters Static
DocType: Assessment Plan,Room,Jûre
DocType: Purchase Order,Advance Paid,Advance Paid
DocType: Item,Item Tax,Bacê babetî
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Madî ji bo Supplier
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,baca bi fatûreyên
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,baca bi fatûreyên
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% ji carekê zêdetir xuya
DocType: Expense Claim,Employees Email Id,Karmendên Email Id
DocType: Employee Attendance Tool,Marked Attendance,Beşdariyê nîşankirin
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Deynên niha:
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Deynên niha:
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Send SMS girseyî ji bo têkiliyên xwe
DocType: Program,Program Name,Navê bernameyê
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,"Binêre, Bacê an Charge ji bo"
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Rastî Qty wêneke e
DocType: Employee Loan,Loan Type,Type deyn
DocType: Scheduling Tool,Scheduling Tool,Amûra scheduling
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Li kû çûn
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Li kû çûn
DocType: BOM,Item to be manufactured or repacked,Babete binêre bo çêkirin an repacked
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,mîhengên standard ji bo muameleyên borsayê.
DocType: Purchase Invoice,Next Date,Date Next
@@ -4596,10 +4623,10 @@
DocType: Stock Entry,Repack,Repack
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Divê hûn li ser form getê Save
DocType: Item Attribute,Numeric Values,Nirxên hejmar
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,attach Logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,attach Logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,di dereca Stock
DocType: Customer,Commission Rate,Rate Komîsyona
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Make Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Make Variant
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,sepanên Block xatir ji aliyê beşa.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Type pereyî, divê yek ji peyamek be, Pay û Şandina Hundirîn"
apps/erpnext/erpnext/config/selling.py +179,Analytics,analytics
@@ -4607,45 +4634,45 @@
DocType: Vehicle,Model,Cins
DocType: Production Order,Actual Operating Cost,Cost Operating rastî
DocType: Payment Entry,Cheque/Reference No,Cheque / Çavkanî No
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Root bi dikarin di dahatûyê de were.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root bi dikarin di dahatûyê de were.
DocType: Item,Units of Measure,Yekîneyên Measure
DocType: Manufacturing Settings,Allow Production on Holidays,Destûrê bide Production li ser Holidays
DocType: Sales Order,Customer's Purchase Order Date,Mişterî ya Purchase Order Date
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,capital Stock
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,capital Stock
DocType: Shopping Cart Settings,Show Public Attachments,Nîşan Attachments Public
DocType: Packing Slip,Package Weight Details,Package Details Loss
DocType: Payment Gateway Account,Payment Gateway Account,Account Gateway Payment
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Piştî encamdayîna peredana beralî bike user ji bo rûpel hilbijartin.
DocType: Company,Existing Company,heyî Company
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Bacê Category hatiye bi "tevahî" hatin guhertin, ji ber ku hemû Nawy tomar non-stock in"
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Ji kerema xwe re file CSV hilbijêre
DocType: Student Leave Application,Mark as Present,Mark wek Present
DocType: Purchase Order,To Receive and Bill,To bistînin û Bill
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Products Dawiyê
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Şikilda
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Şikilda
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Şert û mercan Şablon
DocType: Serial No,Delivery Details,Details Delivery
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Navenda Cost li row pêwîst e {0} Bac sifrê ji bo cureyê {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Navenda Cost li row pêwîst e {0} Bac sifrê ji bo cureyê {1}
DocType: Program,Program Code,Code Program
DocType: Terms and Conditions,Terms and Conditions Help,Şert û mercan Alîkarî
,Item-wise Purchase Register,Babetê-şehreza Register Purchase
DocType: Batch,Expiry Date,Date Expiry
-,Supplier Addresses and Contacts,Navnîşan Supplier û Têkilî
,accounts-browser,bikarhênerên-browser
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,Ji kerema xwe ve yekem Kategorî hilbijêre
apps/erpnext/erpnext/config/projects.py +13,Project master.,master Project.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","To rê li ser-billing an li ser-Ręzkirin, update "Berdêlên" li Stock Settings an jî Babetê."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","To rê li ser-billing an li ser-Ręzkirin, update "Berdêlên" li Stock Settings an jî Babetê."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Nîşan nede ti sembola wek $ etc next to currencies.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Day Half)
DocType: Supplier,Credit Days,Rojan Credit
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Make Batch Student
DocType: Leave Type,Is Carry Forward,Ma çêşît Forward
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Get Nawy ji BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Get Nawy ji BOM
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Rê Time Rojan
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Mesaj Date divê eynî wek tarîxa kirînê be {1} ji sermaye {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Mesaj Date divê eynî wek tarîxa kirînê be {1} ji sermaye {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Ji kerema xwe ve Orders Sales li ser sifrê li jor binivîse
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Şandin ne Salary Slips
,Stock Summary,Stock Nasname
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Transferkirina sermaye ji yek warehouse din
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Transferkirina sermaye ji yek warehouse din
DocType: Vehicle,Petrol,Benzîl
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Bill ji materyalên
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Row {0}: Partiya Type û Partiya bo teleb / account cîhde pêwîst e {1}
@@ -4656,6 +4683,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Şêwaz ambargoyê
DocType: GL Entry,Is Opening,e Opening
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Row {0}: Debît entry dikarin bi ne bê lînkkirî a {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Account {0} tune
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Account {0} tune
DocType: Account,Cash,Perê pêşîn
DocType: Employee,Short biography for website and other publications.,biography kurt de ji bo malpera û belavokên din.
diff --git a/erpnext/translations/lo.csv b/erpnext/translations/lo.csv
index 87bb735..27ae2e5 100644
--- a/erpnext/translations/lo.csv
+++ b/erpnext/translations/lo.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,ຜະລິດຕະພັນຜູ້ບໍລິໂພກ
DocType: Item,Customer Items,ລາຍການລູກຄ້າ
DocType: Project,Costing and Billing,ການໃຊ້ຈ່າຍແລະການເອີ້ນເກັບເງິນ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,ບັນຊີ {0}: ບັນຊີຂອງພໍ່ແມ່ {1} ບໍ່ສາມາດແຍກປະເພດເປັນ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,ບັນຊີ {0}: ບັນຊີຂອງພໍ່ແມ່ {1} ບໍ່ສາມາດແຍກປະເພດເປັນ
DocType: Item,Publish Item to hub.erpnext.com,ເຜີຍແຜ່ສິນຄ້າທີ່ຈະ hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,ການແຈ້ງເຕືອນອີເມວ
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,ການປະເມີນຜົນ
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,ການປະເມີນຜົນ
DocType: Item,Default Unit of Measure,ມາດຕະຖານ Unit of Measure
DocType: SMS Center,All Sales Partner Contact,ທັງຫມົດ Sales Partner ຕິດຕໍ່
DocType: Employee,Leave Approvers,ອອກຈາກການອະນຸມັດ
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),ອັດຕາແລກປ່ຽນຈະຕ້ອງເປັນເຊັ່ນດຽວກັນກັບ {0} {1} ({2})
DocType: Sales Invoice,Customer Name,ຊື່ຂອງລູກຄ້າ
DocType: Vehicle,Natural Gas,ອາຍແກັສທໍາມະຊາດ
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},ບັນຊີທະນາຄານບໍ່ສາມາດໄດ້ຮັບການຕັ້ງຊື່ເປັນ {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},ບັນຊີທະນາຄານບໍ່ສາມາດໄດ້ຮັບການຕັ້ງຊື່ເປັນ {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,ຫົວຫນ້າ (ຫຼືກຸ່ມ) ການຕໍ່ຕ້ານທີ່ Entries ບັນຊີທີ່ຜະລິດແລະຍອດຖືກຮັກສາໄວ້.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),ທີ່ຍັງຄ້າງຄາສໍາລັບ {0} ບໍ່ສາມາດຈະຫນ້ອຍກ່ວາສູນ ({1})
DocType: Manufacturing Settings,Default 10 mins,ມາດຕະຖານ 10 ນາທີ
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,ທັງຫມົດຂອງຜູ້ຕິດຕໍ່
DocType: Support Settings,Support Settings,ການຕັ້ງຄ່າສະຫນັບສະຫນູນ
DocType: SMS Parameter,Parameter,ພາລາມິເຕີ
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,ຄາດວ່າສິ້ນສຸດວັນທີ່ບໍ່ສາມາດຈະຫນ້ອຍກ່ວາຄາດວ່າຈະເລີ່ມວັນທີ່
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,ຄາດວ່າສິ້ນສຸດວັນທີ່ບໍ່ສາມາດຈະຫນ້ອຍກ່ວາຄາດວ່າຈະເລີ່ມວັນທີ່
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"ຕິດຕໍ່ກັນ, {0}: ອັດຕາຈະຕ້ອງດຽວກັນເປັນ {1}: {2} ({3} / {4})"
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,ການນໍາໃຊ້ອອກໃຫມ່
,Batch Item Expiry Status,ຊຸດສິນຄ້າສະຖານະຫມົດອາຍຸ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,ຮ່າງຂອງທະນາຄານ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,ຮ່າງຂອງທະນາຄານ
DocType: Mode of Payment Account,Mode of Payment Account,ຮູບແບບຂອງບັນຊີຊໍາລະເງິນ
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,ສະແດງໃຫ້ເຫັນທີ່ແຕກຕ່າງກັນ
DocType: Academic Term,Academic Term,ໄລຍະທາງວິຊາການ
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,ອຸປະກອນການ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,ປະລິມານ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,ຕາຕະລາງບັນຊີບໍ່ສາມາດມີຊ່ອງຫວ່າງ.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),ເງິນກູ້ຢືມ (ຫນີ້ສິນ)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),ເງິນກູ້ຢືມ (ຫນີ້ສິນ)
DocType: Employee Education,Year of Passing,ປີທີ່ຜ່ານ
DocType: Item,Country of Origin,ປະເທດກໍາເນີດສິນຄ້າ
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,ໃນສາງ
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,ໃນສາງ
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,ເປີດປະເດັນ
DocType: Production Plan Item,Production Plan Item,ການຜະລິດແຜນ Item
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},ຜູ້ໃຊ້ {0} ແມ່ນກໍາຫນົດໃຫ້ກັບພະນັກງານ {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,ຮັກສາສຸຂະພາບ
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ຄວາມຊັກຊ້າໃນການຈ່າຍເງິນ (ວັນ)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,ຄ່າໃຊ້ຈ່າຍໃນການບໍລິການ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Serial Number: {0} ອ້າງອິງແລ້ວໃນ Sales ໃບເກັບເງິນ: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Serial Number: {0} ອ້າງອິງແລ້ວໃນ Sales ໃບເກັບເງິນ: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,ໃບເກັບເງິນ
DocType: Maintenance Schedule Item,Periodicity,ໄລຍະເວລາ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ປີງົບປະມານ {0} ຈໍາເປັນຕ້ອງມີ
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,"ຕິດຕໍ່ກັນ, {0}:"
DocType: Timesheet,Total Costing Amount,ຈໍານວນເງິນຕົ້ນທຶນທັງຫມົດ
DocType: Delivery Note,Vehicle No,ຍານພາຫະນະບໍ່ມີ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,ກະລຸນາເລືອກລາຄາ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,ກະລຸນາເລືອກລາຄາ
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,"ຕິດຕໍ່ກັນ, {0}: ເອກະສານການຊໍາລະເງິນທີ່ຕ້ອງການເພື່ອໃຫ້ສໍາເລັດ trasaction ໄດ້"
DocType: Production Order Operation,Work In Progress,ກໍາລັງດໍາເນີນການ
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,ກະລຸນາເລືອກເອົາວັນທີ
DocType: Employee,Holiday List,ຊີວັນພັກ
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,ບັນຊີ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,ບັນຊີ
DocType: Cost Center,Stock User,User Stock
DocType: Company,Phone No,ໂທລະສັບທີ່ບໍ່ມີ
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,ຕາຕະລາງການຂອງລາຍວິຊາການສ້າງຕັ້ງ:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},ໃຫມ່ {0} # {1}
,Sales Partners Commission,ຄະນະກໍາມະ Partners ຂາຍ
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,ຫຍໍ້ບໍ່ສາມາດມີຫຼາຍກ່ວາ 5 ລັກສະນະ
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,ຫຍໍ້ບໍ່ສາມາດມີຫຼາຍກ່ວາ 5 ລັກສະນະ
DocType: Payment Request,Payment Request,ຄໍາຂໍຊໍາລະ
DocType: Asset,Value After Depreciation,ມູນຄ່າຫຼັງຈາກຄ່າເສື່ອມລາຄາ
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,ວັນຜູ້ເຂົ້າຮ່ວມບໍ່ສາມາດຈະຫນ້ອຍກ່ວາວັນເຂົ້າຮ່ວມຂອງພະນັກງານ
DocType: Grading Scale,Grading Scale Name,ການຈັດລໍາດັບຊື່ Scale
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,ນີ້ແມ່ນບັນຊີຮາກແລະບໍ່ສາມາດໄດ້ຮັບການແກ້ໄຂ.
+DocType: Sales Invoice,Company Address,ທີ່ຢູ່ບໍລິສັດ
DocType: BOM,Operations,ການດໍາເນີນງານ
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},ບໍ່ສາມາດກໍານົດການອະນຸຍາດບົນພື້ນຖານຂອງການ Discount {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","ຄັດຕິດເອກະສານ .csv ມີສອງຖັນ, ຫນຶ່ງສໍາລັບຊື່ເກົ່າແລະຫນຶ່ງສໍາລັບຊື່ໃຫມ່"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ບໍ່ໄດ້ຢູ່ໃນການເຄື່ອນໄຫວປີໃດງົບປະມານ.
DocType: Packed Item,Parent Detail docname,ພໍ່ແມ່ຂໍ້ docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","ອ້າງອິງ: {0}, ລະຫັດສິນຄ້າ: {1} ແລະລູກຄ້າ: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,ກິໂລກຣາມ
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,ກິໂລກຣາມ
DocType: Student Log,Log,ເຂົ້າສູ່ລະບົບ
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,ການເປີດກວ້າງການວຽກ.
DocType: Item Attribute,Increment,ການເພີ່ມຂຶ້ນ
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,ການໂຄສະນາ
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,ບໍລິສັດດຽວກັນແມ່ນເຂົ້າໄປຫຼາຍກ່ວາຫນຶ່ງຄັ້ງ
DocType: Employee,Married,ການແຕ່ງງານ
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},ບໍ່ອະນຸຍາດໃຫ້ສໍາລັບການ {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},ບໍ່ອະນຸຍາດໃຫ້ສໍາລັບການ {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,ໄດ້ຮັບການລາຍການຈາກ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Stock ບໍ່ສາມາດຮັບການປັບປຸງຕໍ່ການສົ່ງເງິນ {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Stock ບໍ່ສາມາດຮັບການປັບປຸງຕໍ່ການສົ່ງເງິນ {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},ຜະລິດຕະພັນ {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,ບໍ່ມີລາຍະລະບຸໄວ້
DocType: Payment Reconciliation,Reconcile,ທໍາ
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,ຕໍ່ໄປວັນທີ່ຄ່າເສື່ອມລາຄາບໍ່ສາມາດກ່ອນທີ່ວັນເວລາຊື້
DocType: SMS Center,All Sales Person,ທັງຫມົດຄົນຂາຍ
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** ການແຜ່ກະຈາຍລາຍເດືອນ ** ຈະຊ່ວຍໃຫ້ທ່ານການແຈກຢາຍງົບປະມານ / ເປົ້າຫມາຍໃນທົ່ວເດືອນຖ້າຫາກວ່າທ່ານມີຕາມລະດູໃນທຸລະກິດຂອງທ່ານ.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,ບໍ່ພົບລາຍການ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,ບໍ່ພົບລາຍການ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,ໂຄງປະກອບການເງິນເດືອນທີ່ຫາຍໄປ
DocType: Lead,Person Name,ຊື່ບຸກຄົນ
DocType: Sales Invoice Item,Sales Invoice Item,ສິນຄ້າລາຄາ Invoice
DocType: Account,Credit,ການປ່ອຍສິນເຊື່ອ
DocType: POS Profile,Write Off Cost Center,ຂຽນ Off ສູນຕົ້ນທຶນ
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",ຕົວຢ່າງ: "ໂຮງຮຽນປະຖົມ" ຫຼື "ວິທະຍາໄລ"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",ຕົວຢ່າງ: "ໂຮງຮຽນປະຖົມ" ຫຼື "ວິທະຍາໄລ"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,ບົດລາຍງານ Stock
DocType: Warehouse,Warehouse Detail,ຂໍ້ມູນ Warehouse
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},ຂອບເຂດຈໍາກັດການປ່ອຍສິນເຊື່ອໄດ້ຮັບການ crossed ສໍາລັບລູກຄ້າ {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},ຂອບເຂດຈໍາກັດການປ່ອຍສິນເຊື່ອໄດ້ຮັບການ crossed ສໍາລັບລູກຄ້າ {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ວັນທີໄລຍະສຸດທ້າຍບໍ່ສາມາດຈະຕໍ່ມາກ່ວາປີທີ່ສິ້ນສຸດຂອງປີທາງວິຊາການທີ່ໃນໄລຍະການມີການເຊື່ອມຕໍ່ (ປີທາງວິຊາການ {}). ກະລຸນາແກ້ໄຂຂໍ້ມູນວັນແລະພະຍາຍາມອີກເທື່ອຫນຶ່ງ.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""ແມ່ນຊັບສິນຄົງທີ່" ບໍ່ສາມາດຈະມີການກວດກາ, ເປັນການບັນທຶກຊັບສິນລາຄາຕໍ່ລາຍການ"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""ແມ່ນຊັບສິນຄົງທີ່" ບໍ່ສາມາດຈະມີການກວດກາ, ເປັນການບັນທຶກຊັບສິນລາຄາຕໍ່ລາຍການ"
DocType: Vehicle Service,Brake Oil,ນ້ໍາມັນຫ້າມລໍ້
DocType: Tax Rule,Tax Type,ປະເພດອາກອນ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},ເຈົ້າຍັງບໍ່ໄດ້ອະນຸຍາດໃຫ້ເພີ່ມຫຼືການປັບປຸງການອອກສຽງກ່ອນ {0}
DocType: BOM,Item Image (if not slideshow),ລາຍການຮູບພາບ (ຖ້າຫາກວ່າບໍ່ໂຊ)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,ການລູກຄ້າທີ່ມີຢູ່ມີຊື່ດຽວກັນ
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(ຊົ່ວໂມງອັດຕາ / 60) * ຈິງທີ່ໃຊ້ເວລາການດໍາເນີນງານ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,ເລືອກ BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,ເລືອກ BOM
DocType: SMS Log,SMS Log,SMS ເຂົ້າສູ່ລະບົບ
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,ຄ່າໃຊ້ຈ່າຍຂອງການສົ່ງ
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,ວັນພັກໃນ {0} ບໍ່ແມ່ນລະຫວ່າງຕັ້ງແຕ່ວັນທີ່ແລະວັນທີ
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},ຈາກ {0} ກັບ {1}
DocType: Item,Copy From Item Group,ຄັດລອກຈາກກຸ່ມສິນຄ້າ
DocType: Journal Entry,Opening Entry,Entry ເປີດ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Customer> Group Customer> ອານາເຂດ
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,ບັນຊີຈ່າຍພຽງແຕ່
DocType: Employee Loan,Repay Over Number of Periods,ຕອບບຸນແທນຄຸນໃນໄລຍະຈໍານວນຂອງໄລຍະເວລາ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} ບໍ່ໄດ້ລົງທະບຽນໃນການໃຫ້ {2}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} ບໍ່ໄດ້ລົງທະບຽນໃນການໃຫ້ {2}
DocType: Stock Entry,Additional Costs,ຄ່າໃຊ້ຈ່າຍເພີ່ມເຕີມ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,ບັນຊີກັບທຸລະກໍາທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດປ່ຽນໃຈເຫລື້ອມໃສກຸ່ມ.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,ບັນຊີກັບທຸລະກໍາທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດປ່ຽນໃຈເຫລື້ອມໃສກຸ່ມ.
DocType: Lead,Product Enquiry,ສອບຖາມຂໍ້ມູນຜະລິດຕະພັນ
DocType: Academic Term,Schools,ໂຮງຮຽນ
+DocType: School Settings,Validate Batch for Students in Student Group,ກວດສອບຊຸດສໍາລັບນັກສຶກສາໃນກຸ່ມນັກສຶກສາ
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},ບໍ່ມີການບັນທຶກໃບພົບພະນັກງານ {0} ສໍາລັບ {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,ກະລຸນາໃສ່ບໍລິສັດທໍາອິດ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,ກະລຸນາເລືອກບໍລິສັດທໍາອິດ
@@ -175,49 +176,49 @@
DocType: BOM,Total Cost,ຄ່າໃຊ້ຈ່າຍທັງຫມົດ
DocType: Journal Entry Account,Employee Loan,ເງິນກູ້ພະນັກງານ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,ເຂົ້າສູ່ລະບົບກິດຈະກໍາ:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,ລາຍການ {0} ບໍ່ຢູ່ໃນລະບົບຫຼືຫມົດອາຍຸແລ້ວ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,ລາຍການ {0} ບໍ່ຢູ່ໃນລະບົບຫຼືຫມົດອາຍຸແລ້ວ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,ອະສັງຫາລິມະຊັບ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,ຖະແຫຼງການຂອງບັນຊີ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,ຢາ
DocType: Purchase Invoice Item,Is Fixed Asset,ແມ່ນຊັບສິນຄົງທີ່
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","ຈໍານວນທີ່ມີຢູ່ແມ່ນ {0}, ທ່ານຈໍາເປັນຕ້ອງ {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","ຈໍານວນທີ່ມີຢູ່ແມ່ນ {0}, ທ່ານຈໍາເປັນຕ້ອງ {1}"
DocType: Expense Claim Detail,Claim Amount,ຈໍານວນການຮ້ອງຂໍ
-DocType: Employee,Mr,ທ້າວ
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,ກຸ່ມລູກຄ້າຊ້ໍາກັນພົບເຫັນຢູ່ໃນຕາຕະລາງກຸ່ມ cutomer ໄດ້
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,ປະເພດຜະລິດ / ຜູ້ຈັດຈໍາຫນ່າຍ
DocType: Naming Series,Prefix,ຄໍານໍາຫນ້າ
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,ຜູ້ບໍລິໂພກ
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,ຜູ້ບໍລິໂພກ
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,ການນໍາເຂົ້າເຂົ້າສູ່ລະບົບ
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,ດຶງຂໍການວັດສະດຸປະເພດຜະລິດໂດຍອີງໃສ່ເງື່ອນໄຂຂ້າງເທິງນີ້
DocType: Training Result Employee,Grade,Grade
DocType: Sales Invoice Item,Delivered By Supplier,ສົ່ງໂດຍຜູ້ສະຫນອງ
DocType: SMS Center,All Contact,ທັງຫມົດຕິດຕໍ່
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,ໃບສັ່ງຜະລິດສ້າງແລ້ວສໍາລັບລາຍການທັງຫມົດທີ່ມີ BOM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,ເງິນເດືອນປະຈໍາປີ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,ໃບສັ່ງຜະລິດສ້າງແລ້ວສໍາລັບລາຍການທັງຫມົດທີ່ມີ BOM
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,ເງິນເດືອນປະຈໍາປີ
DocType: Daily Work Summary,Daily Work Summary,Summary ວຽກປະຈໍາວັນ
DocType: Period Closing Voucher,Closing Fiscal Year,ປິດປີງົບປະມານ
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} ແມ່ນ frozen
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,ກະລຸນາເລືອກບໍລິສັດທີ່ມີຢູ່ສໍາລັບການສ້າງຕາຕະລາງຂອງການບັນຊີ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,ຄ່າໃຊ້ຈ່າຍ Stock
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} ແມ່ນ frozen
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,ກະລຸນາເລືອກບໍລິສັດທີ່ມີຢູ່ສໍາລັບການສ້າງຕາຕະລາງຂອງການບັນຊີ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,ຄ່າໃຊ້ຈ່າຍ Stock
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,ເລືອກ Warehouse ເປົ້າຫມາຍ
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,ເລືອກ Warehouse ເປົ້າຫມາຍ
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,ກະລຸນາໃສ່ຕ້ອງການຕິດຕໍ່ອີເມວ
+DocType: Program Enrollment,School Bus,ລົດເມໂຮງຮຽນ
DocType: Journal Entry,Contra Entry,Contra Entry
DocType: Journal Entry Account,Credit in Company Currency,ການປ່ອຍສິນເຊື່ອໃນບໍລິສັດສະກຸນເງິນ
DocType: Delivery Note,Installation Status,ສະຖານະການຕິດຕັ້ງ
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",ທ່ານຕ້ອງການທີ່ຈະປັບປຸງການເຂົ້າຮຽນ? <br> ປະຈຸບັນ: {0} \ <br> ບໍ່ມີ: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},+ ທີ່ໄດ້ຮັບການປະຕິເສດຈໍານວນຕ້ອງເທົ່າກັບປະລິມານທີ່ໄດ້ຮັບສໍາລັບລາຍການ {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},+ ທີ່ໄດ້ຮັບການປະຕິເສດຈໍານວນຕ້ອງເທົ່າກັບປະລິມານທີ່ໄດ້ຮັບສໍາລັບລາຍການ {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,ວັດສະດຸສະຫນອງວັດຖຸດິບສໍາຫລັບການຊື້
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,ຢ່າງຫນ້ອຍຫນຶ່ງຮູບແບບຂອງການຈ່າຍເງິນເປັນສິ່ງຈໍາເປັນສໍາລັບໃບເກັບເງິນ POS.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,ຢ່າງຫນ້ອຍຫນຶ່ງຮູບແບບຂອງການຈ່າຍເງິນເປັນສິ່ງຈໍາເປັນສໍາລັບໃບເກັບເງິນ POS.
DocType: Products Settings,Show Products as a List,ສະແດງໃຫ້ເຫັນຜະລິດຕະພັນເປັນຊີ
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","ດາວນ໌ໂຫລດແມ່ແບບ, ໃຫ້ຕື່ມຂໍ້ມູນທີ່ເຫມາະສົມແລະຕິດແຟ້ມທີ່ແກ້ໄຂໄດ້. ທັງຫມົດກໍານົດວັນທີແລະພະນັກງານປະສົມປະສານໃນໄລຍະເວລາທີ່ເລືອກຈະມາໃນແມ່ແບບ, ມີການບັນທຶກການເຂົ້າຮຽນທີ່ມີຢູ່ແລ້ວ"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,ລາຍການ {0} ບໍ່ເຮັດວຽກຫຼືໃນຕອນທ້າຍຂອງຊີວິດໄດ້ຮັບການບັນລຸໄດ້
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,ຕົວຢ່າງ: ຄະນິດສາດພື້ນຖານ
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","ເພື່ອປະກອບມີພາສີໃນການຕິດຕໍ່ກັນ {0} ໃນອັດຕາການສິນຄ້າ, ພາສີອາກອນໃນແຖວເກັດທີ່ຢູ່ {1} ຍັງຕ້ອງໄດ້ຮັບການປະກອບ"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,ລາຍການ {0} ບໍ່ເຮັດວຽກຫຼືໃນຕອນທ້າຍຂອງຊີວິດໄດ້ຮັບການບັນລຸໄດ້
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,ຕົວຢ່າງ: ຄະນິດສາດພື້ນຖານ
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","ເພື່ອປະກອບມີພາສີໃນການຕິດຕໍ່ກັນ {0} ໃນອັດຕາການສິນຄ້າ, ພາສີອາກອນໃນແຖວເກັດທີ່ຢູ່ {1} ຍັງຕ້ອງໄດ້ຮັບການປະກອບ"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,ການຕັ້ງຄ່າສໍາລັບ Module HR
DocType: SMS Center,SMS Center,SMS Center
DocType: Sales Invoice,Change Amount,ການປ່ຽນແປງຈໍານວນເງິນ
@@ -227,7 +228,7 @@
DocType: Lead,Request Type,ຄໍາຮ້ອງຂໍປະເພດ
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,ເຮັດໃຫ້ພະນັກງານ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,ກະຈາຍສຽງ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,ການປະຕິບັດ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,ການປະຕິບັດ
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,ລາຍລະອຽດຂອງການດໍາເນີນງານປະຕິບັດ.
DocType: Serial No,Maintenance Status,ສະຖານະບໍາລຸງຮັກສາ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Supplier ຈໍາເປັນຕ້ອງຕໍ່ບັນຊີ Payable {2}
@@ -255,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,ການຮ້ອງຂໍສໍາລັບວົງຢືມສາມາດໄດ້ຮັບການເຂົ້າເຖິງໄດ້ໂດຍການຄລິກໃສ່ການເຊື່ອມຕໍ່ດັ່ງຕໍ່ໄປນີ້
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,ຈັດສັນໃບສໍາລັບປີ.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG ຂອງລາຍວິຊາເຄື່ອງມືການສ້າງ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,ບໍ່ພຽງພໍ Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,ບໍ່ພຽງພໍ Stock
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ການວາງແຜນຄວາມອາດສາມາດປິດການໃຊ້ງານແລະການຕິດຕາມທີ່ໃຊ້ເວລາ
DocType: Email Digest,New Sales Orders,ໃບສັ່ງຂາຍໃຫມ່
DocType: Bank Guarantee,Bank Account,ບັນຊີທະນາຄານ
@@ -266,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log',ການປັບປຸງໂດຍຜ່ານການ 'ທີ່ໃຊ້ເວລາເຂົ້າ'
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},ຈໍານວນເງິນລ່ວງຫນ້າບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ {0} {1}
DocType: Naming Series,Series List for this Transaction,ບັນຊີໄລຍະສໍາລັບການນີ້
+DocType: Company,Enable Perpetual Inventory,ເປີດນໍາໃຊ້ສິນຄ້າຄົງຄັງ Perpetual
DocType: Company,Default Payroll Payable Account,Default Payroll Account Payable
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Group Email ການປັບປຸງ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Group Email ການປັບປຸງ
DocType: Sales Invoice,Is Opening Entry,ຄືການເປີດ Entry
DocType: Customer Group,Mention if non-standard receivable account applicable,ເວົ້າເຖິງຖ້າຫາກວ່າບໍ່ໄດ້ມາດຕະຖານບັນຊີລູກຫນີ້ສາມາດນໍາໃຊ້
DocType: Course Schedule,Instructor Name,ຊື່ instructor
@@ -279,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,ຕໍ່ຕ້ານການຂາຍໃບແຈ້ງຫນີ້ສິນຄ້າ
,Production Orders in Progress,ໃບສັ່ງຜະລິດໃນຄວາມຄືບຫນ້າ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,ເງິນສົດສຸດທິຈາກການເງິນ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage ແມ່ນອັນເຕັມທີ່, ບໍ່ໄດ້ປະຢັດ"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage ແມ່ນອັນເຕັມທີ່, ບໍ່ໄດ້ປະຢັດ"
DocType: Lead,Address & Contact,ທີ່ຢູ່ຕິດຕໍ່
DocType: Leave Allocation,Add unused leaves from previous allocations,ຕື່ມການໃບທີ່ບໍ່ໄດ້ໃຊ້ຈາກການຈັດສັນທີ່ຜ່ານມາ
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Recurring ຕໍ່ໄປ {0} ຈະໄດ້ຮັບການສ້າງຕັ້ງຂື້ນໃນ {1}
DocType: Sales Partner,Partner website,ເວັບໄຊທ໌ Partner
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,ເພີ່ມລາຍການລາຍ
-,Contact Name,ຊື່ຕິດຕໍ່
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,ຊື່ຕິດຕໍ່
DocType: Course Assessment Criteria,Course Assessment Criteria,ເງື່ອນໄຂການປະເມີນຜົນຂອງລາຍວິຊາ
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,ສ້າງຄວາມຜິດພາດພຽງເງິນເດືອນສໍາລັບເງື່ອນໄຂທີ່ໄດ້ກ່າວມາຂ້າງເທິງ.
DocType: POS Customer Group,POS Customer Group,POS ກຸ່ມລູກຄ້າ
@@ -294,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,ບໍ່ໄດ້ຮັບການອະທິບາຍ
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,ຮ້ອງຂໍໃຫ້ມີສໍາລັບການຊື້.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,ນີ້ແມ່ນອີງໃສ່ແຜ່ນທີ່ໃຊ້ເວລາສ້າງຕໍ່ຕ້ານໂຄງການນີ້
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,ຈ່າຍສຸດທິບໍ່ສາມາດຈະຫນ້ອຍກ່ວາ 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,ຈ່າຍສຸດທິບໍ່ສາມາດຈະຫນ້ອຍກ່ວາ 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,ພຽງແຕ່ອະນຸມັດອອກຈາກການຄັດເລືອກສາມາດສົ່ງຄໍາຮ້ອງສະຫມັກອອກຈາກ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,ບັນເທົາອາການທີ່ສະຫມັກຈະຕ້ອງຫຼາຍກ່ວາວັນຂອງການເຂົ້າຮ່ວມ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,ໃບຕໍ່ປີ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,ໃບຕໍ່ປີ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ຕິດຕໍ່ກັນ {0}: ກະລຸນາກວດສອບຄື Advance 'ກັບບັນຊີ {1} ຖ້າຫາກວ່ານີ້ເປັນການເຂົ້າລ່ວງຫນ້າ.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Warehouse {0} ບໍ່ໄດ້ຂຶ້ນກັບບໍລິສັດ {1}
DocType: Email Digest,Profit & Loss,ກໍາໄລແລະຂາດທຶນ
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,ລິດ
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,ລິດ
DocType: Task,Total Costing Amount (via Time Sheet),ມູນຄ່າທັງຫມົດຈໍານວນເງິນ (ຜ່ານທີ່ໃຊ້ເວລາ Sheet)
DocType: Item Website Specification,Item Website Specification,ຂໍ້ມູນຈໍາເພາະລາຍການເວັບໄຊທ໌
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,ອອກຈາກສະກັດ
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},ລາຍການ {0} ໄດ້ບັນລຸໃນຕອນທ້າຍຂອງຊີວິດໃນ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},ລາຍການ {0} ໄດ້ບັນລຸໃນຕອນທ້າຍຂອງຊີວິດໃນ {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,ການອອກສຽງທະນາຄານ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,ປະຈໍາປີ
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Reconciliation Item
@@ -313,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,ນາທີສັ່ງຊື້ຈໍານວນ
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,ຂອງລາຍວິຊາ Group ນັກສຶກສາເຄື່ອງມືການສ້າງ
DocType: Lead,Do Not Contact,ບໍ່ໄດ້ຕິດຕໍ່
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,ປະຊາຊົນຜູ້ທີ່ສອນໃນອົງການຈັດຕັ້ງຂອງທ່ານ
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,ປະຊາຊົນຜູ້ທີ່ສອນໃນອົງການຈັດຕັ້ງຂອງທ່ານ
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,The id ເປັນເອກະລັກສໍາລັບການຕິດຕາມໃບແຈ້ງການທີ່ເກີດຂຶ້ນທັງຫມົດ. ມັນຖືກສ້າງຂຶ້ນກ່ຽວກັບການ.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,ຊອບແວພັດທະນາ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,ຊອບແວພັດທະນາ
DocType: Item,Minimum Order Qty,ຈໍານວນການສັ່ງຊື້ຂັ້ນຕ່ໍາ
DocType: Pricing Rule,Supplier Type,ປະເພດຜູ້ສະຫນອງ
DocType: Course Scheduling Tool,Course Start Date,ແນ່ນອນວັນທີ່
@@ -324,11 +326,11 @@
DocType: Item,Publish in Hub,ເຜີຍແຜ່ໃນ Hub
DocType: Student Admission,Student Admission,ຮັບສະຫມັກນັກສຶກສາ
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,ລາຍການ {0} ຈະຖືກຍົກເລີກ
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,ລາຍການ {0} ຈະຖືກຍົກເລີກ
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,ຂໍອຸປະກອນການ
DocType: Bank Reconciliation,Update Clearance Date,ວັນທີ່ປັບປຸງການເກັບກູ້
DocType: Item,Purchase Details,ລາຍລະອຽດການຊື້
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ລາຍການ {0} ບໍ່ພົບເຫັນຢູ່ໃນຕາຕະລາງ 'ຈໍາຫນ່າຍວັດຖຸດິບໃນການສັ່ງຊື້ {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ລາຍການ {0} ບໍ່ພົບເຫັນຢູ່ໃນຕາຕະລາງ 'ຈໍາຫນ່າຍວັດຖຸດິບໃນການສັ່ງຊື້ {1}
DocType: Employee,Relation,ປະຊາສໍາພັນ
DocType: Shipping Rule,Worldwide Shipping,ສົ່ງທົ່ວໂລກ
DocType: Student Guardian,Mother,ແມ່
@@ -347,6 +349,7 @@
DocType: Student Group Student,Student Group Student,ນັກສຶກສານັກສຶກສາ Group
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,ຫຼ້າສຸດ
DocType: Vehicle Service,Inspection,ການກວດກາ
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,ບັນຊີລາຍຊື່
DocType: Email Digest,New Quotations,ຄວາມຫມາຍໃຫມ່
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,ຄວາມຜິດພາດພຽງອີເມວເງິນເດືອນໃຫ້ພະນັກງານໂດຍອີງໃສ່ອີເມວທີ່ແນະນໍາການຄັດເລືອກໃນພະນັກງານ
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,ການອະນຸມັດອອກຄັ້ງທໍາອິດໃນບັນຊີລາຍການຈະໄດ້ຮັບການກໍານົດເປັນມາດຕະຖານອອກຈາກອະນຸມັດ
@@ -355,20 +358,20 @@
DocType: Asset,Next Depreciation Date,ຕໍ່ໄປວັນທີ່ຄ່າເສື່ອມລາຄາ
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,ຄ່າໃຊ້ຈ່າຍຂອງກິດຈະກໍາຕໍ່ພະນັກງານ
DocType: Accounts Settings,Settings for Accounts,ການຕັ້ງຄ່າສໍາລັບການບັນຊີ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Supplier Invoice ບໍ່ມີລາຄາໃນການຊື້ Invoice {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Supplier Invoice ບໍ່ມີລາຄາໃນການຊື້ Invoice {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,ການຄຸ້ມຄອງການຂາຍສ່ວນບຸກຄົນເປັນໄມ້ຢືນຕົ້ນ.
DocType: Job Applicant,Cover Letter,ການປົກຫຸ້ມຂອງຈົດຫມາຍສະບັບ
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,ເຊັກທີ່ຍັງຄ້າງຄາແລະຄ່າມັດຈໍາເພື່ອອະນາໄມ
DocType: Item,Synced With Hub,ຊິ້ງຂໍ້ມູນກັບ Hub
DocType: Vehicle,Fleet Manager,ຜູ້ຈັດການເຮືອ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},ແຖວ # {0}: {1} ບໍ່ສາມາດຈະລົບສໍາລັບລາຍການ {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,ລະຫັດຜ່ານຜິດ
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,ລະຫັດຜ່ານຜິດ
DocType: Item,Variant Of,variant ຂອງ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',ສໍາເລັດຈໍານວນບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ 'ຈໍານວນການຜະລິດ'
DocType: Period Closing Voucher,Closing Account Head,ປິດຫົວຫນ້າບັນຊີ
DocType: Employee,External Work History,ວັດການເຮັດວຽກພາຍນອກ
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Error Reference ວົງ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,ຊື່ Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,ຊື່ Guardian1
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,ໃນຄໍາສັບຕ່າງໆ (Export) ຈະສັງເກດເຫັນເມື່ອທ່ານຊ່ວຍປະຢັດການຈັດສົ່ງ.
DocType: Cheque Print Template,Distance from left edge,ໄລຍະຫ່າງຈາກຂອບຊ້າຍ
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} ຫົວຫນ່ວຍຂອງ [{1}] (ແບບຟອມ # / Item / {1}) ພົບເຫັນຢູ່ໃນ [{2}] (ແບບຟອມ # / Warehouse / {2})
@@ -377,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,ແຈ້ງໂດຍ Email ກ່ຽວກັບການສ້າງຂອງຄໍາຮ້ອງຂໍອຸປະກອນອັດຕະໂນມັດ
DocType: Journal Entry,Multi Currency,ສະກຸນເງິນຫຼາຍ
DocType: Payment Reconciliation Invoice,Invoice Type,ປະເພດໃບເກັບເງິນ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,ການສົ່ງເງິນ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,ການສົ່ງເງິນ
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,ການຕັ້ງຄ່າພາສີອາກອນ
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,ຄ່າໃຊ້ຈ່າຍຂອງຊັບສິນຂາຍ
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,Entry ການຊໍາລະເງິນໄດ້ຮັບການແກ້ໄຂພາຍຫຼັງທີ່ທ່ານໄດ້ດຶງມັນ. ກະລຸນາດຶງມັນອີກເທື່ອຫນຶ່ງ.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} ເຂົ້າສອງຄັ້ງໃນພາສີສິນຄ້າ
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Entry ການຊໍາລະເງິນໄດ້ຮັບການແກ້ໄຂພາຍຫຼັງທີ່ທ່ານໄດ້ດຶງມັນ. ກະລຸນາດຶງມັນອີກເທື່ອຫນຶ່ງ.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} ເຂົ້າສອງຄັ້ງໃນພາສີສິນຄ້າ
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,ສະຫຼຸບສັງລວມສໍາລັບອາທິດນີ້ແລະກິດຈະກໍາທີ່ຍັງຄ້າງ
DocType: Student Applicant,Admitted,ຍອມຮັບຢ່າງຈິງ
DocType: Workstation,Rent Cost,ເຊົ່າທຶນ
@@ -400,25 +403,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,ກະລຸນາໃສ່ 'ຊ້ໍາໃນວັນປະຈໍາເດືອນມູນຄ່າພາກສະຫນາມ
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,ອັດຕາທີ່ສະກຸນເງິນຂອງລູກຄ້າຈະຖືກແປງເປັນສະກຸນເງິນຂອງລູກຄ້າຂອງພື້ນຖານ
DocType: Course Scheduling Tool,Course Scheduling Tool,ຂອງລາຍວິຊາເຄື່ອງມືການຕັ້ງເວລາ
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},"ຕິດຕໍ່ກັນ, {0}: Purchase Invoice ບໍ່ສາມາດຈະດໍາເນີນຕໍ່ຊັບສິນທີ່ມີຢູ່ແລ້ວ {1}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},"ຕິດຕໍ່ກັນ, {0}: Purchase Invoice ບໍ່ສາມາດຈະດໍາເນີນຕໍ່ຊັບສິນທີ່ມີຢູ່ແລ້ວ {1}"
DocType: Item Tax,Tax Rate,ອັດຕາພາສີ
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} ຈັດສັນແລ້ວສໍາລັບພະນັກງານ {1} ສໍາລັບໄລຍະເວລາ {2} ກັບ {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,ເລືອກລາຍການ
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,ຊື້ Invoice {0} ໄດ້ຖືກສົ່ງແລ້ວ
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,ຊື້ Invoice {0} ໄດ້ຖືກສົ່ງແລ້ວ
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},"ຕິດຕໍ່ກັນ, {0}: Batch ບໍ່ຕ້ອງເຊັ່ນດຽວກັນກັບ {1} {2}"
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,ປ່ຽນກັບທີ່ບໍ່ແມ່ນ Group
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Batch (ຫຼາຍ) ຂອງສິນຄ້າ.
DocType: C-Form Invoice Detail,Invoice Date,ວັນທີ່ໃບເກັບເງິນ
DocType: GL Entry,Debit Amount,ຈໍານວນເງິນເດບິດ
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},ມີພຽງແຕ່ສາມາດ 1 ບັນຊີຕໍ່ບໍລິສັດໃນ {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,ກະລຸນາເບິ່ງການຕິດ
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},ມີພຽງແຕ່ສາມາດ 1 ບັນຊີຕໍ່ບໍລິສັດໃນ {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,ກະລຸນາເບິ່ງການຕິດ
DocType: Purchase Order,% Received,% ທີ່ໄດ້ຮັບ
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,ສ້າງກຸ່ມນັກສຶກສາ
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,ຕິດຕັ້ງແລ້ວສົມບູນ !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Credit Note ຈໍານວນ
,Finished Goods,ສິນຄ້າສໍາເລັດຮູບ
DocType: Delivery Note,Instructions,ຄໍາແນະນໍາ
DocType: Quality Inspection,Inspected By,ການກວດກາໂດຍ
DocType: Maintenance Visit,Maintenance Type,ປະເພດບໍາລຸງຮັກສາ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} ບໍ່ໄດ້ລົງທະບຽນໃນວິຊາທີ່ {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Serial No {0} ບໍ່ໄດ້ຂຶ້ນກັບການສົ່ງເງິນ {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,ເພີ່ມລາຍການລາຍ
@@ -441,7 +446,7 @@
DocType: Request for Quotation,Request for Quotation,ການຮ້ອງຂໍສໍາລັບວົງຢືມ
DocType: Salary Slip Timesheet,Working Hours,ຊົ່ວໂມງເຮັດວຽກ
DocType: Naming Series,Change the starting / current sequence number of an existing series.,ການປ່ຽນແປງ / ຈໍານວນລໍາດັບການເລີ່ມຕົ້ນໃນປັດຈຸບັນຂອງໄລຍະການທີ່ມີຢູ່ແລ້ວ.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,ສ້າງລູກຄ້າໃຫມ່
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,ສ້າງລູກຄ້າໃຫມ່
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","ຖ້າຫາກວ່າກົດລະບຽບການຕັ້ງລາຄາທີ່ຫຼາກຫຼາຍສືບຕໍ່ໄຊຊະນະ, ຜູ້ໃຊ້ໄດ້ຮ້ອງຂໍໃຫ້ກໍານົດບຸລິມະສິດດ້ວຍຕົນເອງເພື່ອແກ້ໄຂບັນຫາຂໍ້ຂັດແຍ່ງ."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,ສ້າງໃບສັ່ງຊື້
,Purchase Register,ລົງທະບຽນການຊື້
@@ -453,7 +458,7 @@
DocType: Student Log,Medical,ທາງການແພດ
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,ເຫດຜົນສໍາລັບການສູນເສຍ
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,ເຈົ້າຂອງເປັນຜູ້ນໍາພາບໍ່ສາມາດຈະດຽວກັນເປັນຜູ້ນໍາ
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,ຈໍານວນເງິນທີ່ຈັດສັນສາມາດເຮັດໄດ້ບໍ່ຫຼາຍກ່ວາຈໍານວນ unadjusted
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,ຈໍານວນເງິນທີ່ຈັດສັນສາມາດເຮັດໄດ້ບໍ່ຫຼາຍກ່ວາຈໍານວນ unadjusted
DocType: Announcement,Receiver,ຮັບ
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation ຈະປິດໃນວັນທີດັ່ງຕໍ່ໄປນີ້ຕໍ່ຊີ Holiday: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,ກາລະໂອກາດ
@@ -467,8 +472,7 @@
DocType: Assessment Plan,Examiner Name,ຊື່ຜູ້ກວດສອບ
DocType: Purchase Invoice Item,Quantity and Rate,ປະລິມານແລະອັດຕາການ
DocType: Delivery Note,% Installed,% ການຕິດຕັ້ງ
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,ຫ້ອງຮຽນ / ຫ້ອງປະຕິບັດແລະອື່ນໆທີ່ບັນຍາຍສາມາດໄດ້ຮັບການກໍານົດ.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Supplier> ປະເພດຜະລິດ
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,ຫ້ອງຮຽນ / ຫ້ອງປະຕິບັດແລະອື່ນໆທີ່ບັນຍາຍສາມາດໄດ້ຮັບການກໍານົດ.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,ກະລຸນາໃສ່ຊື່ບໍລິສັດທໍາອິດ
DocType: Purchase Invoice,Supplier Name,ຊື່ຜູ້ຜະລິດ
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,ອ່ານຄູ່ມື ERPNext
@@ -478,7 +482,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,ການກວດສອບຜະລິດ Invoice ຈໍານວນເປັນເອກະລັກ
DocType: Vehicle Service,Oil Change,ການປ່ຽນແປງນ້ໍາ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','ໃນກໍລະນີສະບັບເລກທີ ບໍ່ສາມາດຈະຫນ້ອຍກ່ວາ 'ຈາກກໍລະນີສະບັບເລກທີ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Non Profit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Non Profit
DocType: Production Order,Not Started,ຢ່າເລີ່ມຕົ້ນ
DocType: Lead,Channel Partner,Partner Channel
DocType: Account,Old Parent,ພໍ່ແມ່ເກົ່າ
@@ -489,20 +493,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,ການຕັ້ງຄ່າທົ່ວໂລກສໍາລັບຂະບວນການຜະລິດທັງຫມົດ.
DocType: Accounts Settings,Accounts Frozen Upto,ບັນຊີ Frozen ເກີນ
DocType: SMS Log,Sent On,ສົ່ງກ່ຽວກັບ
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,ຄຸນລັກສະນະ {0} ເລືອກເວລາຫຼາຍໃນຕາຕະລາງຄຸນສົມບັດ
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,ຄຸນລັກສະນະ {0} ເລືອກເວລາຫຼາຍໃນຕາຕະລາງຄຸນສົມບັດ
DocType: HR Settings,Employee record is created using selected field. ,ການບັນທຶກຂອງພະນັກງານແມ່ນການສ້າງຕັ້ງການນໍາໃຊ້ພາກສະຫນາມການຄັດເລືອກ.
DocType: Sales Order,Not Applicable,ບໍ່ສາມາດໃຊ້
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,ຕົ້ນສະບັບວັນພັກ.
DocType: Request for Quotation Item,Required Date,ວັນທີ່ສະຫມັກທີ່ກໍານົດໄວ້
DocType: Delivery Note,Billing Address,ທີ່ຢູ່ໃບບິນ
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,ກະລຸນາໃສ່ລະຫັດສິນຄ້າ.
DocType: BOM,Costing,ການໃຊ້ຈ່າຍ
DocType: Tax Rule,Billing County,County Billing
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","ຖ້າຫາກວ່າການກວດກາ, ຈໍານວນເງິນພາສີຈະໄດ້ຮັບການພິຈາລະນາເປັນລວມຢູ່ໃນອັດຕາການພິມ / ການພິມຈໍານວນເງິນ"
DocType: Request for Quotation,Message for Supplier,ຂໍ້ຄວາມສໍາລັບຜູ້ຜະລິດ
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,ທັງຫມົດຈໍານວນ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,ລະຫັດອີເມວ Guardian2
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,ລະຫັດອີເມວ Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,ລະຫັດອີເມວ Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,ລະຫັດອີເມວ Guardian2
DocType: Item,Show in Website (Variant),ສະແດງໃຫ້ເຫັນໃນເວັບໄຊທ໌ (Variant)
DocType: Employee,Health Concerns,ຄວາມກັງວົນສຸຂະພາບ
DocType: Process Payroll,Select Payroll Period,ເລືອກ Payroll ໄລຍະເວລາ
@@ -520,26 +523,28 @@
DocType: Sales Order Item,Used for Production Plan,ນໍາໃຊ້ສໍາລັບແຜນການຜະລິດ
DocType: Employee Loan,Total Payment,ການຊໍາລະເງິນທັງຫມົດ
DocType: Manufacturing Settings,Time Between Operations (in mins),ທີ່ໃຊ້ເວລາລະຫວ່າງການປະຕິບັດ (ໃນນາທີ)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} ຖືກຍົກເລີກນັ້ນການປະຕິບັດທີ່ບໍ່ສາມາດໄດ້ຮັບການສໍາເລັດ
DocType: Customer,Buyer of Goods and Services.,ຜູ້ຊື້ສິນຄ້າແລະບໍລິການ.
DocType: Journal Entry,Accounts Payable,Accounts Payable
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,ໄດ້ແອບເປີ້ນເລືອກບໍ່ໄດ້ສໍາລັບການບໍ່ວ່າຈະເປັນ
DocType: Pricing Rule,Valid Upto,ຖືກຕ້ອງບໍ່ເກີນ
DocType: Training Event,Workshop,ກອງປະຊຸມ
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,ບອກໄດ້ບໍ່ຫຼາຍປານໃດຂອງລູກຄ້າຂອງທ່ານ. ພວກເຂົາເຈົ້າສາມາດຈະມີອົງການຈັດຕັ້ງຫຼືບຸກຄົນ.
-,Enough Parts to Build,Parts ພຽງພໍທີ່ຈະກໍ່ສ້າງ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,ລາຍໄດ້ໂດຍກົງ
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,ບອກໄດ້ບໍ່ຫຼາຍປານໃດຂອງລູກຄ້າຂອງທ່ານ. ພວກເຂົາເຈົ້າສາມາດຈະມີອົງການຈັດຕັ້ງຫຼືບຸກຄົນ.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Parts ພຽງພໍທີ່ຈະກໍ່ສ້າງ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,ລາຍໄດ້ໂດຍກົງ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","ບໍ່ສາມາດກັ່ນຕອງໂດຍອີງໃສ່ບັນຊີ, ຖ້າຫາກວ່າເປັນກຸ່ມຕາມບັນຊີ"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,ຫ້ອງການປົກຄອງ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,ກະລຸນາເລືອກລາຍວິຊາ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,ກະລຸນາເລືອກລາຍວິຊາ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,ຫ້ອງການປົກຄອງ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,ກະລຸນາເລືອກລາຍວິຊາ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,ກະລຸນາເລືອກລາຍວິຊາ
DocType: Timesheet Detail,Hrs,ຊົ່ວໂມງ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,ກະລຸນາເລືອກບໍລິສັດ
DocType: Stock Entry Detail,Difference Account,ບັນຊີທີ່ແຕກຕ່າງກັນ
+DocType: Purchase Invoice,Supplier GSTIN,GSTIN Supplier
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,ສາມາດເຮັດໄດ້ບໍ່ແມ່ນວຽກງານຢ່າງໃກ້ຊິດເປັນວຽກງານຂຶ້ນຂອງຕົນ {0} ບໍ່ໄດ້ປິດ.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,ກະລຸນາໃສ່ Warehouse ສໍາລັບການທີ່ວັດສະດຸການຈອງຈະໄດ້ຮັບການຍົກຂຶ້ນມາ
DocType: Production Order,Additional Operating Cost,ຄ່າໃຊ້ຈ່າຍເພີ່ມເຕີມ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,ເຄື່ອງສໍາອາງ
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items",ການຜະສານຄຸນສົມບັດດັ່ງຕໍ່ໄປນີ້ຈະຕ້ອງດຽວກັນສໍາລັບການລາຍການທັງສອງ
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items",ການຜະສານຄຸນສົມບັດດັ່ງຕໍ່ໄປນີ້ຈະຕ້ອງດຽວກັນສໍາລັບການລາຍການທັງສອງ
DocType: Shipping Rule,Net Weight,ນໍ້າຫນັກສຸດທິ
DocType: Employee,Emergency Phone,ໂທລະສັບສຸກເສີນ
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,ຊື້
@@ -549,14 +554,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,ກະລຸນາອະທິບາຍຊັ້ນສໍາລັບ Threshold 0%
DocType: Sales Order,To Deliver,ການສົ່ງ
DocType: Purchase Invoice Item,Item,ລາຍການ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Serial ລາຍການທີ່ບໍ່ມີບໍ່ສາມາດຈະສ່ວນຫນຶ່ງເປັນ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Serial ລາຍການທີ່ບໍ່ມີບໍ່ສາມາດຈະສ່ວນຫນຶ່ງເປັນ
DocType: Journal Entry,Difference (Dr - Cr),ຄວາມແຕກຕ່າງກັນ (Dr - Cr)
DocType: Account,Profit and Loss,ກໍາໄລແລະຂາດທຶນ
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,ການຄຸ້ມຄອງການ Subcontracting
DocType: Project,Project will be accessible on the website to these users,ໂຄງການຈະສາມາດເຂົ້າເຖິງກ່ຽວກັບເວັບໄຊທ໌ເພື່ອຜູ້ໃຊ້ເຫລົ່ານີ້
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,ອັດຕາການທີ່ສະເຫນີລາຄາສະກຸນເງິນຈະປ່ຽນເປັນສະກຸນເງິນຂອງບໍລິສັດ
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},ບັນຊີ {0} ບໍ່ໄດ້ຂຶ້ນກັບບໍລິສັດ: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,ຕົວຫຍໍ້ທີ່ໃຊ້ສໍາລັບການບໍລິສັດອື່ນ
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},ບັນຊີ {0} ບໍ່ໄດ້ຂຶ້ນກັບບໍລິສັດ: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,ຕົວຫຍໍ້ທີ່ໃຊ້ສໍາລັບການບໍລິສັດອື່ນ
DocType: Selling Settings,Default Customer Group,ມາດຕະຖານກຸ່ມລູກຄ້າ
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","ຖ້າຫາກວ່າປິດການໃຊ້ງານ, ພາກສະຫນາມ 'ມົນລວມຈະບໍ່ສັງເກດເຫັນໃນການໂອນເງີນ"
DocType: BOM,Operating Cost,ຄ່າໃຊ້ຈ່າຍປະຕິບັດການ
@@ -564,7 +569,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,ການເພີ່ມຂຶ້ນບໍ່ສາມາດຈະເປັນ 0
DocType: Production Planning Tool,Material Requirement,ຄວາມຕ້ອງການອຸປະກອນການ
DocType: Company,Delete Company Transactions,ລົບລາຍະການບໍລິສັດ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,ກະສານອ້າງອີງບໍ່ມີແລະວັນທີເອກະສານແມ່ນການບັງຄັບສໍາລັບການເຮັດທຸລະກໍາທະນາຄານ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,ກະສານອ້າງອີງບໍ່ມີແລະວັນທີເອກະສານແມ່ນການບັງຄັບສໍາລັບການເຮັດທຸລະກໍາທະນາຄານ
DocType: Purchase Receipt,Add / Edit Taxes and Charges,ເພີ່ມ / ແກ້ໄຂພາສີອາກອນແລະຄ່າບໍລິການ
DocType: Purchase Invoice,Supplier Invoice No,Supplier Invoice No
DocType: Territory,For reference,ສໍາລັບການກະສານອ້າງອີງ
@@ -575,22 +580,22 @@
DocType: Installation Note Item,Installation Note Item,ການຕິດຕັ້ງຫມາຍເຫດລາຍການ
DocType: Production Plan Item,Pending Qty,ຢູ່ລະຫວ່າງການຈໍານວນ
DocType: Budget,Ignore,ບໍ່ສົນໃຈ
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} ບໍ່ເຮັດວຽກ
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} ບໍ່ເຮັດວຽກ
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS ສົ່ງໄປຈໍານວນດັ່ງຕໍ່ໄປນີ້: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,ຂະຫນາດການຕິດຕັ້ງການກວດສໍາລັບການພິມ
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,ຂະຫນາດການຕິດຕັ້ງການກວດສໍາລັບການພິມ
DocType: Salary Slip,Salary Slip Timesheet,Timesheet ເງິນເດືອນ Slip
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Supplier Warehouse ບັງຄັບສໍາລັບອະນຸສັນຍາຮັບຊື້
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Supplier Warehouse ບັງຄັບສໍາລັບອະນຸສັນຍາຮັບຊື້
DocType: Pricing Rule,Valid From,ຖືກຕ້ອງຈາກ
DocType: Sales Invoice,Total Commission,ຄະນະກໍາມະການທັງຫມົດ
DocType: Pricing Rule,Sales Partner,Partner ຂາຍ
DocType: Buying Settings,Purchase Receipt Required,ຊື້ຮັບທີ່ກໍານົດໄວ້
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,ອັດຕາມູນຄ່າເປັນການບັງຄັບຖ້າຫາກວ່າການເປີດກວ້າງການຕະຫຼາດເຂົ້າໄປ
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,ອັດຕາມູນຄ່າເປັນການບັງຄັບຖ້າຫາກວ່າການເປີດກວ້າງການຕະຫຼາດເຂົ້າໄປ
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,ບໍ່ມີພົບເຫັນຢູ່ໃນຕາຕະລາງການບັນທຶກການໃບເກັບເງິນ
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,ກະລຸນາເລືອກບໍລິສັດແລະພັກປະເພດທໍາອິດ
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,ທາງດ້ານການເງິນ / ການບັນຊີປີ.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,ທາງດ້ານການເງິນ / ການບັນຊີປີ.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,ຄ່າສະສົມ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","ຂໍອະໄພ, Serial Nos ບໍ່ສາມາດລວມ"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,ເຮັດໃຫ້ຂາຍສິນຄ້າ
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,ເຮັດໃຫ້ຂາຍສິນຄ້າ
DocType: Project Task,Project Task,ໂຄງການ Task
,Lead Id,Id ນໍາ
DocType: C-Form Invoice Detail,Grand Total,ລວມທັງຫມົດ
@@ -607,7 +612,7 @@
DocType: Job Applicant,Resume Attachment,ຊີວະປະຫວັດ Attachment
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,ລູກຄ້າຊ້ໍາ
DocType: Leave Control Panel,Allocate,ຈັດສັນ
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Return ຂາຍ
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Return ຂາຍ
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,ຫມາຍເຫດ: ໃບຈັດສັນທັງຫມົດ {0} ບໍ່ຄວນຈະຫນ້ອຍກ່ວາໃບອະນຸມັດແລ້ວ {1} ສໍາລັບໄລຍະເວລາ
DocType: Announcement,Posted By,ຈັດພີມມາໂດຍ
DocType: Item,Delivered by Supplier (Drop Ship),ນໍາສະເຫນີໂດຍຜູ້ຜະລິດ (Drop ການຂົນສົ່ງ)
@@ -617,8 +622,8 @@
DocType: Quotation,Quotation To,ສະເຫນີລາຄາການ
DocType: Lead,Middle Income,ລາຍໄດ້ປານກາງ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),ເປີດ (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,ມາດຕະຖານ Unit of Measure ສໍາລັບລາຍການ {0} ບໍ່ສາມາດໄດ້ຮັບການປ່ຽນແປງໂດຍກົງເພາະວ່າທ່ານໄດ້ເຮັດແລ້ວການເຮັດທຸລະກໍາບາງ (s) ມີ UOM ອື່ນ. ທ່ານຈະຕ້ອງການເພື່ອສ້າງເປັນລາຍການໃຫມ່ທີ່ຈະນໍາໃຊ້ UOM ມາດຕະຖານທີ່ແຕກຕ່າງກັນ.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,ຈໍານວນເງິນທີ່ຈັດສັນບໍ່ສາມາດຈະກະທົບທາງລົບ
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,ມາດຕະຖານ Unit of Measure ສໍາລັບລາຍການ {0} ບໍ່ສາມາດໄດ້ຮັບການປ່ຽນແປງໂດຍກົງເພາະວ່າທ່ານໄດ້ເຮັດແລ້ວການເຮັດທຸລະກໍາບາງ (s) ມີ UOM ອື່ນ. ທ່ານຈະຕ້ອງການເພື່ອສ້າງເປັນລາຍການໃຫມ່ທີ່ຈະນໍາໃຊ້ UOM ມາດຕະຖານທີ່ແຕກຕ່າງກັນ.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,ຈໍານວນເງິນທີ່ຈັດສັນບໍ່ສາມາດຈະກະທົບທາງລົບ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,ກະລຸນາຕັ້ງບໍລິສັດໄດ້
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,ກະລຸນາຕັ້ງບໍລິສັດໄດ້
DocType: Purchase Order Item,Billed Amt,ບັນຊີລາຍ Amt
@@ -631,7 +636,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,ເລືອກບັນຊີຊໍາລະເງິນເພື່ອເຮັດໃຫ້ການອອກສຽງທະນາຄານ
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","ສ້າງການບັນທຶກຂອງພະນັກວຽກໃນການຄຸ້ມຄອງໃບ, ການຮຽກຮ້ອງຄ່າໃຊ້ຈ່າຍແລະການຈ່າຍເງິນເດືອນ"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,ຕື່ມການກັບຖານຄວາມຮູ້ຂອງ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,ຂຽນບົດສະເຫນີ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,ຂຽນບົດສະເຫນີ
DocType: Payment Entry Deduction,Payment Entry Deduction,ການຫັກ Entry ການຊໍາລະເງິນ
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,ອີກປະການຫນຶ່ງບຸກຄົນ Sales {0} ມີຢູ່ກັບ id ພະນັກງານດຽວກັນ
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","ຖ້າຫາກວ່າການກວດກາ, ວັດຖຸດິບສໍາລັບການລາຍການທີ່ມີອະນຸສັນຍາຈະລວມຢູ່ໃນການຮ້ອງຂໍການວັດສະດຸ"
@@ -646,7 +651,7 @@
DocType: Batch,Batch Description,ລາຍລະອຽດຊຸດ
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,ສ້າງກຸ່ມນັກສຶກສາ
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,ສ້າງກຸ່ມນັກສຶກສາ
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","ການຊໍາລະເງິນ Gateway ບັນຊີບໍ່ໄດ້ສ້າງ, ກະລຸນາສ້າງດ້ວຍຕົນເອງ."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","ການຊໍາລະເງິນ Gateway ບັນຊີບໍ່ໄດ້ສ້າງ, ກະລຸນາສ້າງດ້ວຍຕົນເອງ."
DocType: Sales Invoice,Sales Taxes and Charges,ພາສີອາກອນການຂາຍແລະຄ່າບໍລິການ
DocType: Employee,Organization Profile,ຂໍ້ມູນອົງການຈັດຕັ້ງ
DocType: Student,Sibling Details,ລາຍລະອຽດໃຫ້ແກ່ອ້າຍນ້ອງ
@@ -668,11 +673,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,ການປ່ຽນແປງສຸດທິໃນສິນຄ້າຄົງຄັງ
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,ການບໍລິຫານເງິນກູ້ພະນັກງານ
DocType: Employee,Passport Number,ຈໍານວນຫນັງສືຜ່ານແດນ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,ຄວາມສໍາພັນກັບ Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,ຜູ້ຈັດການ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,ຄວາມສໍາພັນກັບ Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,ຜູ້ຈັດການ
DocType: Payment Entry,Payment From / To,ການຊໍາລະເງິນຈາກ / ໄປ
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},ຂອບເຂດຈໍາກັດການປ່ອຍສິນເຊື່ອໃຫມ່ແມ່ນຫນ້ອຍກວ່າຈໍານວນເງິນທີ່ຍັງຄ້າງຄາໃນປະຈຸບັນສໍາລັບລູກຄ້າ. ຂອບເຂດຈໍາກັດການປ່ອຍສິນເຊື່ອຈະຕ້ອງມີ atleast {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,ລາຍການດຽວກັນໄດ້ຮັບການປ້ອນເວລາຫຼາຍ.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},ຂອບເຂດຈໍາກັດການປ່ອຍສິນເຊື່ອໃຫມ່ແມ່ນຫນ້ອຍກວ່າຈໍານວນເງິນທີ່ຍັງຄ້າງຄາໃນປະຈຸບັນສໍາລັບລູກຄ້າ. ຂອບເຂດຈໍາກັດການປ່ອຍສິນເຊື່ອຈະຕ້ອງມີ atleast {0}
DocType: SMS Settings,Receiver Parameter,ຮັບພາລາມິເຕີ
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'ອ້າງອິງກ່ຽວກັບ' ແລະ 'Group ໂດຍ' ບໍ່ສາມາດຈະເປັນຄືກັນ
DocType: Sales Person,Sales Person Targets,ຄາດຫມາຍຕົ້ນຕໍຂາຍສ່ວນບຸກຄົນ
@@ -681,8 +685,9 @@
DocType: Issue,Resolution Date,ວັນທີ່ສະຫມັກການແກ້ໄຂ
DocType: Student Batch Name,Batch Name,ຊື່ batch
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timesheet ສ້າງ:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},ກະລຸນາທີ່ກໍານົດໄວ້ເງິນສົດໃນຕອນຕົ້ນຫຼືບັນຊີທະນາຄານໃນຮູບແບບການຊໍາລະເງິນ {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},ກະລຸນາທີ່ກໍານົດໄວ້ເງິນສົດໃນຕອນຕົ້ນຫຼືບັນຊີທະນາຄານໃນຮູບແບບການຊໍາລະເງິນ {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,ລົງທະບຽນ
+DocType: GST Settings,GST Settings,ການຕັ້ງຄ່າສີມູນຄ່າເພີ່ມ
DocType: Selling Settings,Customer Naming By,ຊື່ລູກຄ້າໂດຍ
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,ຈະສະແດງໃຫ້ເຫັນນັກຮຽນເປັນປັດຈຸບັນໃນບົດລາຍງານການເຂົ້າຮ່ວມລາຍເດືອນນັກສຶກສາ
DocType: Depreciation Schedule,Depreciation Amount,ຈໍານວນເງິນຄ່າເສື່ອມລາຄາ
@@ -704,6 +709,7 @@
DocType: Item,Material Transfer,ອຸປະກອນການຖ່າຍໂອນ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),ເປີດ (Dr)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},ປຊຊກິນເວລາຈະຕ້ອງຫຼັງຈາກ {0}
+,GST Itemised Purchase Register,GST ລາຍການລົງທະບຽນຊື້
DocType: Employee Loan,Total Interest Payable,ທີ່ຫນ້າສົນໃຈທັງຫມົດ Payable
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ລູກຈ້າງພາສີອາກອນແລະຄ່າໃຊ້ຈ່າຍຄ່າບໍລິການ
DocType: Production Order Operation,Actual Start Time,ເວລາທີ່ແທ້ຈິງ
@@ -732,10 +738,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
DocType: Account,Accounts,ບັນຊີ
DocType: Vehicle,Odometer Value (Last),ມູນຄ່າໄມ (ຫຼ້າສຸດ)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,ການຕະຫຼາດ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,ການຕະຫຼາດ
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Entry ການຈ່າຍເງິນແມ່ນສ້າງຮຽບຮ້ອຍແລ້ວ
DocType: Purchase Receipt Item Supplied,Current Stock,Stock ປັດຈຸບັນ
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},"ຕິດຕໍ່ກັນ, {0}: Asset {1} ບໍ່ໄດ້ຕິດພັນກັບການ Item {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},"ຕິດຕໍ່ກັນ, {0}: Asset {1} ບໍ່ໄດ້ຕິດພັນກັບການ Item {2}"
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,ສະແດງຄວາມຜິດພາດພຽງເງິນເດືອນ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,ບັນຊີ {0} ໄດ້ຮັບການປ້ອນເວລາຫຼາຍ
DocType: Account,Expenses Included In Valuation,ຄ່າໃຊ້ຈ່າຍລວມຢູ່ໃນການປະເມີນຄ່າ
@@ -743,7 +749,7 @@
,Absent Student Report,ບົດລາຍງານນັກສຶກສາບໍ່
DocType: Email Digest,Next email will be sent on:,email ຕໍ່ໄປຈະຖືກສົ່ງໄປຕາມ:
DocType: Offer Letter Term,Offer Letter Term,ສະເຫນີຈົດຫມາຍໄລຍະ
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,ລາຍການມີ variants.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,ລາຍການມີ variants.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,ບໍ່ພົບລາຍການ {0}
DocType: Bin,Stock Value,ມູນຄ່າຫຼັກຊັບ
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,ບໍລິສັດ {0} ບໍ່ມີ
@@ -752,8 +758,8 @@
DocType: Serial No,Warranty Expiry Date,ການຮັບປະກັນວັນທີ່ຫມົດອາຍຸ
DocType: Material Request Item,Quantity and Warehouse,ປະລິມານແລະຄັງສິນຄ້າ
DocType: Sales Invoice,Commission Rate (%),ຄະນະກໍາມະອັດຕາ (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,ກະລຸນາເລືອກໂຄງການ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,ກະລຸນາເລືອກໂຄງການ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,ກະລຸນາເລືອກໂຄງການ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,ກະລຸນາເລືອກໂຄງການ
DocType: Project,Estimated Cost,ຕົ້ນທຶນຄາດຄະເນ
DocType: Purchase Order,Link to material requests,ການເຊື່ອມຕໍ່ກັບການຮ້ອງຂໍອຸປະກອນການ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,ຍານອະວະກາດ
@@ -767,14 +773,14 @@
DocType: Purchase Order,Supply Raw Materials,ການສະຫນອງວັດຖຸດິບ
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,ວັນທີ່ໃບເກັບເງິນຕໍ່ໄປຈະໄດ້ຮັບການຜະລິດ. ມັນຖືກສ້າງຂຶ້ນກ່ຽວກັບການ.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,ຊັບສິນປັດຈຸບັນ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} ບໍ່ແມ່ນຫົວຂໍ້ຫຼັກຊັບ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} ບໍ່ແມ່ນຫົວຂໍ້ຫຼັກຊັບ
DocType: Mode of Payment Account,Default Account,ບັນຊີມາດຕະຖານ
DocType: Payment Entry,Received Amount (Company Currency),ໄດ້ຮັບຈໍານວນເງິນ (ບໍລິສັດສະກຸນເງິນ)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,ຜູ້ນໍາພາຕ້ອງໄດ້ຮັບການກໍານົດຖ້າຫາກວ່າໂອກາດແມ່ນໄດ້ມາຈາກຜູ້ນໍາ
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,ກະລຸນາເລືອກວັນໄປປະຈໍາອາທິດ
DocType: Production Order Operation,Planned End Time,ການວາງແຜນທີ່ໃຊ້ເວລາສຸດທ້າຍ
,Sales Person Target Variance Item Group-Wise,"Sales Person ເປົ້າຫມາຍຕ່າງ Item Group, ສະຫລາດ"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,ບັນຊີກັບທຸລະກໍາທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດປ່ຽນໃຈເຫລື້ອມໃສຊີແຍກປະເພດ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,ບັນຊີກັບທຸລະກໍາທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດປ່ຽນໃຈເຫລື້ອມໃສຊີແຍກປະເພດ
DocType: Delivery Note,Customer's Purchase Order No,ຂອງລູກຄ້າໃບສັ່ງຊື້ບໍ່ມີ
DocType: Budget,Budget Against,ງົບປະມານຕໍ່
DocType: Employee,Cell Number,ຫມາຍເລກໂທລະ
@@ -786,15 +792,13 @@
DocType: Opportunity,Opportunity From,ໂອກາດຈາກ
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,ຄໍາຖະແຫຼງທີ່ເງິນເດືອນ.
DocType: BOM,Website Specifications,ຂໍ້ມູນຈໍາເພາະເວັບໄຊທ໌
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,ກະລຸນາຕິດຕັ້ງນໍ້າເບີຊຸດສໍາລັບຜູ້ເຂົ້າຮ່ວມໂດຍຜ່ານການຕິດຕັ້ງ> Numbering Series
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: ຈາກ {0} ຂອງປະເພດ {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,ຕິດຕໍ່ກັນ {0}: ປັດໄຈການແປງເປັນການບັງຄັບ
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,ຕິດຕໍ່ກັນ {0}: ປັດໄຈການແປງເປັນການບັງຄັບ
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","ກົດລະບຽບລາຄາທີ່ຫຼາກຫຼາຍທີ່ມີຢູ່ກັບເງື່ອນໄຂດຽວກັນ, ກະລຸນາແກ້ໄຂບັນຫາຂໍ້ຂັດແຍ່ງໂດຍການມອບຫມາຍບູລິມະສິດ. ກົດລະບຽບລາຄາ: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,ບໍ່ສາມາດຍົກເລີກຫລືຍົກເລີກການ BOM ເປັນມັນແມ່ນການເຊື່ອມຕໍ່ກັບແອບເປີ້ນອື່ນໆ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","ກົດລະບຽບລາຄາທີ່ຫຼາກຫຼາຍທີ່ມີຢູ່ກັບເງື່ອນໄຂດຽວກັນ, ກະລຸນາແກ້ໄຂບັນຫາຂໍ້ຂັດແຍ່ງໂດຍການມອບຫມາຍບູລິມະສິດ. ກົດລະບຽບລາຄາ: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,ບໍ່ສາມາດຍົກເລີກຫລືຍົກເລີກການ BOM ເປັນມັນແມ່ນການເຊື່ອມຕໍ່ກັບແອບເປີ້ນອື່ນໆ
DocType: Opportunity,Maintenance,ບໍາລຸງຮັກສາ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},ຈໍານວນການຊື້ຮັບທີ່ຕ້ອງການສໍາລັບລາຍການ {0}
DocType: Item Attribute Value,Item Attribute Value,ລາຍການສະແດງທີ່ມູນຄ່າ
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,ຂະບວນການຂາຍ.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,ເຮັດໃຫ້ Timesheet
@@ -827,30 +831,30 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},ຊັບສິນຢຸດຜ່ານ Journal Entry {0}
DocType: Employee Loan,Interest Income Account,ບັນຊີດອກເບ້ຍຮັບ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Biotechnology
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,ຄ່າໃຊ້ຈ່າຍສໍານັກວຽກບໍາລຸງຮັກສາ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,ຄ່າໃຊ້ຈ່າຍສໍານັກວຽກບໍາລຸງຮັກສາ
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ການສ້າງຕັ້ງບັນຊີ Email
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,ກະລຸນາໃສ່ລາຍການທໍາອິດ
DocType: Account,Liability,ຄວາມຮັບຜິດຊອບ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ທີ່ຖືກເກືອດຫ້າມຈໍານວນເງິນບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກວ່າການຮຽກຮ້ອງຈໍານວນເງິນໃນແຖວ {0}.
DocType: Company,Default Cost of Goods Sold Account,ມາດຕະຖານຄ່າໃຊ້ຈ່າຍຂອງບັນຊີສິນຄ້າຂາຍ
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,ບັນຊີລາຄາບໍ່ໄດ້ເລືອກ
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,ບັນຊີລາຄາບໍ່ໄດ້ເລືອກ
DocType: Employee,Family Background,ຄວາມເປັນມາຂອງຄອບຄົວ
DocType: Request for Quotation Supplier,Send Email,ການສົ່ງອີເມວ
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},ການເຕືອນໄພ: Attachment ບໍ່ຖືກຕ້ອງ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},ການເຕືອນໄພ: Attachment ບໍ່ຖືກຕ້ອງ {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,ບໍ່ມີການອະນຸຍາດ
DocType: Company,Default Bank Account,ມາດຕະຖານບັນຊີທະນາຄານ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","ການກັ່ນຕອງໂດຍອີງໃສ່ພັກ, ເລືອກເອົາພັກປະເພດທໍາອິດ"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'ປັບປຸງ Stock' ບໍ່ສາມາດໄດ້ຮັບການກວດກາເພາະວ່າລາຍການຈະບໍ່ສົ່ງຜ່ານ {0}
DocType: Vehicle,Acquisition Date,ຂອງທີ່ໄດ້ມາທີ່ສະຫມັກ
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,ພວກເຮົາ
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,ພວກເຮົາ
DocType: Item,Items with higher weightage will be shown higher,ລາຍການທີ່ມີ weightage ສູງຂຶ້ນຈະໄດ້ຮັບການສະແດງໃຫ້ເຫັນສູງກວ່າ
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,ທະນາຄານ Reconciliation ຂໍ້ມູນ
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,"ຕິດຕໍ່ກັນ, {0}: Asset {1} ຕ້ອງໄດ້ຮັບການສົ່ງ"
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,"ຕິດຕໍ່ກັນ, {0}: Asset {1} ຕ້ອງໄດ້ຮັບການສົ່ງ"
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,ພະນັກງານທີ່ບໍ່ມີພົບເຫັນ
DocType: Supplier Quotation,Stopped,ຢຸດເຊົາການ
DocType: Item,If subcontracted to a vendor,ຖ້າຫາກວ່າເຫມົາຊ່ວງກັບຜູ້ຂາຍ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Group ນັກສຶກສາມີການປັບປຸງແລ້ວ.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Group ນັກສຶກສາມີການປັບປຸງແລ້ວ.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Group ນັກສຶກສາມີການປັບປຸງແລ້ວ.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Group ນັກສຶກສາມີການປັບປຸງແລ້ວ.
DocType: SMS Center,All Customer Contact,ທັງຫມົດຕິດຕໍ່ລູກຄ້າ
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,ອັບຍອດຫຸ້ນຜ່ານ csv.
DocType: Warehouse,Tree Details,ລາຍລະອຽດເປັນໄມ້ຢືນຕົ້ນ
@@ -862,13 +866,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: ສູນຕົ້ນທຶນ {2} ບໍ່ໄດ້ຂຶ້ນກັບບໍລິສັດ {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Account {2} ບໍ່ສາມາດເປັນກຸ່ມ
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,ລາຍການຕິດຕໍ່ກັນ {idx}: {doctype} {docname} ບໍ່ມີຢູ່ໃນຂ້າງເທິງ '{doctype}' ຕາຕະລາງ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Timesheet {0} ແມ່ນໄດ້ສໍາເລັດໄປແລ້ວຫລືຍົກເລີກ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} ແມ່ນໄດ້ສໍາເລັດໄປແລ້ວຫລືຍົກເລີກ
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ມີວຽກງານທີ່
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","ມື້ຂອງເດືອນທີ່ໃບເກັບເງິນອັດຕະໂນມັດຈະໄດ້ຮັບການຜະລິດເຊັ່ນ: 05, 28 ແລະອື່ນໆ"
DocType: Asset,Opening Accumulated Depreciation,ເປີດຄ່າເສື່ອມລາຄາສະສົມ
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,ຄະແນນຕ້ອງຕ່ໍາກວ່າຫຼືເທົ່າກັບ 5
DocType: Program Enrollment Tool,Program Enrollment Tool,ເຄື່ອງມືການລົງທະບຽນໂຄງການ
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,ການບັນທຶກການ C ແບບຟອມ
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,ການບັນທຶກການ C ແບບຟອມ
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,ລູກຄ້າແລະຜູ້ຜະລິດ
DocType: Email Digest,Email Digest Settings,Email Settings Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,ຂໍຂອບໃຈທ່ານສໍາລັບທຸລະກິດຂອງທ່ານ!
@@ -878,17 +882,19 @@
DocType: Bin,Moving Average Rate,ການເຄື່ອນຍ້າຍອັດຕາສະເລ່ຍ
DocType: Production Planning Tool,Select Items,ເລືອກລາຍການ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} ກັບບັນຊີລາຍການ {1} ວັນ {2}
+DocType: Program Enrollment,Vehicle/Bus Number,ຍານພາຫະນະ / ຈໍານວນລົດປະຈໍາທາງ
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,ກະດານຂ່າວ
DocType: Maintenance Visit,Completion Status,ສະຖານະສໍາເລັດ
DocType: HR Settings,Enter retirement age in years,ກະລຸນາໃສ່ອາຍຸບໍານານໃນປີ
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Warehouse ເປົ້າຫມາຍ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,ກະລຸນາເລືອກສາງໄດ້
DocType: Cheque Print Template,Starting location from left edge,ເລີ່ມຕົ້ນສະຖານທີ່ຈາກແຂບໄວ້
DocType: Item,Allow over delivery or receipt upto this percent,ອະນຸຍາດໃຫ້ໃນໄລຍະການຈັດສົ່ງຫຼືໄດ້ຮັບບໍ່ເກີນຮ້ອຍນີ້
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,ການນໍາເຂົ້າເຂົ້າຮ່ວມ
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,ທັງຫມົດກຸ່ມສິນຄ້າ
DocType: Process Payroll,Activity Log,ກິດຈະກໍາເຂົ້າສູ່ລະບົບ
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,ກໍາໄຮ / ການສູນເສຍ
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,ກໍາໄຮ / ການສູນເສຍ
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,ປະກອບອັດຕະໂນມັດຂໍ້ຄວາມກ່ຽວກັບການຍື່ນສະເຫນີຂອງກິດຈະກໍາ.
DocType: Production Order,Item To Manufacture,ລາຍການຜະລິດ
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} ສະຖານະພາບເປັນ {2}
@@ -897,16 +903,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,ການສັ່ງຊື້ກັບການຊໍາລະເງິນ
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,ຄາດຈໍານວນ
DocType: Sales Invoice,Payment Due Date,ການຊໍາລະເງິນກໍາຫນົດ
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,ລາຍການ Variant {0} ມີຢູ່ແລ້ວກັບຄຸນລັກສະນະດຽວກັນ
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,ລາຍການ Variant {0} ມີຢູ່ແລ້ວກັບຄຸນລັກສະນະດຽວກັນ
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',"ເປີດ '
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,ເປີດການເຮັດ
DocType: Notification Control,Delivery Note Message,ການສົ່ງເງິນເຖິງຂໍ້ຄວາມ
DocType: Expense Claim,Expenses,ຄ່າໃຊ້ຈ່າຍ
+,Support Hours,ຊົ່ວໂມງສະຫນັບສະຫນູນ
DocType: Item Variant Attribute,Item Variant Attribute,ລາຍການ Variant ຄຸນລັກສະນະ
,Purchase Receipt Trends,ແນວໂນ້ມການຊື້ຮັບ
DocType: Process Payroll,Bimonthly,Bimonthly
DocType: Vehicle Service,Brake Pad,Pad ເບກ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,ການວິໄຈແລະການພັດທະນາ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,ການວິໄຈແລະການພັດທະນາ
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,ຈໍານວນເງິນທີ່ບັນຊີລາຍການ
DocType: Company,Registration Details,ລາຍລະອຽດການລົງທະບຽນ
DocType: Timesheet,Total Billed Amount,ຈໍານວນບິນທັງຫມົດ
@@ -919,12 +926,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,ໄດ້ຮັບພຽງແຕ່ວັດຖຸດິບ
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,ການປະເມີນຜົນການປະຕິບັດ.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","ເຮັດໃຫ້ 'ການນໍາໃຊ້ສໍາລັບສິນຄ້າ, ເປັນການຄ້າໂຄງຮ່າງການເປີດໃຊ້ວຽກແລະຄວນຈະມີກົດລະບຽບພາສີຢ່າງຫນ້ອຍຫນຶ່ງສໍາລັບການຄ້າໂຄງຮ່າງການ"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Entry ການຊໍາລະເງິນ {0} ແມ່ນການເຊື່ອມຕໍ່ກັບຄໍາສັ່ງ {1}, ເບິ່ງວ່າມັນຄວນຈະໄດ້ຮັບການດຶງເປັນລ່ວງຫນ້າໃນໃບເກັບເງິນນີ້."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Entry ການຊໍາລະເງິນ {0} ແມ່ນການເຊື່ອມຕໍ່ກັບຄໍາສັ່ງ {1}, ເບິ່ງວ່າມັນຄວນຈະໄດ້ຮັບການດຶງເປັນລ່ວງຫນ້າໃນໃບເກັບເງິນນີ້."
DocType: Sales Invoice Item,Stock Details,ລາຍລະອຽດ Stock
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,ມູນຄ່າໂຄງການ
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,ຈຸດຂອງການຂາຍ
DocType: Vehicle Log,Odometer Reading,ການອ່ານຫນັງສືໄມ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","ການດຸ່ນດ່ຽງບັນຊີແລ້ວໃນການປ່ອຍສິນເຊື່ອ, ທ່ານຍັງບໍ່ໄດ້ອະນຸຍາດໃຫ້ກໍານົດ 'ສົມຕ້ອງໄດ້ຮັບ' ເປັນ 'Debit'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","ການດຸ່ນດ່ຽງບັນຊີແລ້ວໃນການປ່ອຍສິນເຊື່ອ, ທ່ານຍັງບໍ່ໄດ້ອະນຸຍາດໃຫ້ກໍານົດ 'ສົມຕ້ອງໄດ້ຮັບ' ເປັນ 'Debit'"
DocType: Account,Balance must be,ສົມຕ້ອງໄດ້ຮັບ
DocType: Hub Settings,Publish Pricing,ເຜີຍແຜ່ການຕັ້ງລາຄາ
DocType: Notification Control,Expense Claim Rejected Message,Message ຄ່າໃຊ້ຈ່າຍການຮ້ອງຂໍຖືກປະຕິເສດ
@@ -934,7 +941,7 @@
DocType: Salary Slip,Working Days,ວັນເຮັດວຽກ
DocType: Serial No,Incoming Rate,ອັດຕາເຂົ້າມາ
DocType: Packing Slip,Gross Weight,ນ້ໍາຫນັກລວມ
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,ຊື່ຂອງບໍລິສັດຂອງທ່ານສໍາລັບການທີ່ທ່ານຈະຕິດຕັ້ງລະບົບນີ້.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,ຊື່ຂອງບໍລິສັດຂອງທ່ານສໍາລັບການທີ່ທ່ານຈະຕິດຕັ້ງລະບົບນີ້.
DocType: HR Settings,Include holidays in Total no. of Working Days,ປະກອບມີວັນພັກໃນຈໍານວນທີ່ບໍ່ມີ. ຂອງວັນເຮັດວຽກ
DocType: Job Applicant,Hold,ຖື
DocType: Employee,Date of Joining,ວັນທີຂອງການເຂົ້າຮ່ວມ
@@ -945,20 +952,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,ຮັບຊື້
,Received Items To Be Billed,ລາຍການທີ່ໄດ້ຮັບການໄດ້ຮັບການ billed
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,ສົ່ງ Slips ເງິນເດືອນ
-DocType: Employee,Ms,ນາງສາວ
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,ອັດຕາແລກປ່ຽນສະກຸນເງິນຕົ້ນສະບັບ.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},ກະສານອ້າງອີງ DOCTYPE ຕ້ອງເປັນຫນຶ່ງໃນ {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,ອັດຕາແລກປ່ຽນສະກຸນເງິນຕົ້ນສະບັບ.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},ກະສານອ້າງອີງ DOCTYPE ຕ້ອງເປັນຫນຶ່ງໃນ {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},ບໍ່ສາມາດຊອກຫາສະລັອດຕິງໃຊ້ເວລາໃນ {0} ວັນຕໍ່ໄປສໍາລັບການດໍາເນີນງານ {1}
DocType: Production Order,Plan material for sub-assemblies,ອຸປະກອນການວາງແຜນສໍາລັບອະນຸສະພາແຫ່ງ
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Partners ການຂາຍແລະອານາເຂດ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,ບໍ່ສາມາດອັດຕະໂນມັດສ້າງບັນຊີທີ່ມີຢູ່ແລ້ວຍອດຂາຍຫຸ້ນໃນບັນຊີ. ທ່ານຕ້ອງສ້າງບັນຊີຂອງໂຍບາຍຄວາມລັບກ່ອນທີ່ທ່ານຈະສາມາດເຮັດໃຫ້ເຂົ້າໃນຄັງສິນຄ້ານີ້
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} ຕ້ອງມີການເຄື່ອນໄຫວ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} ຕ້ອງມີການເຄື່ອນໄຫວ
DocType: Journal Entry,Depreciation Entry,Entry ຄ່າເສື່ອມລາຄາ
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,ກະລຸນາເລືອກປະເພດເອກະສານທໍາອິດ
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,ຍົກເລີກການໄປຢ້ຽມຢາມວັດສະດຸ {0} ກ່ອນຍົກເລີກການນີ້ບໍາລຸງຮັກສາ Visit
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serial No {0} ບໍ່ໄດ້ຂຶ້ນກັບ Item {1}
DocType: Purchase Receipt Item Supplied,Required Qty,ທີ່ກໍານົດໄວ້ຈໍານວນ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,ຄັງສິນຄ້າກັບການຊື້ຂາຍທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດປ່ຽນໃຈເຫລື້ອມໃສຊີແຍກປະເພດ.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,ຄັງສິນຄ້າກັບການຊື້ຂາຍທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດປ່ຽນໃຈເຫລື້ອມໃສຊີແຍກປະເພດ.
DocType: Bank Reconciliation,Total Amount,ຈໍານວນທັງຫມົດ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Publishing ອິນເຕີເນັດ
DocType: Production Planning Tool,Production Orders,ສັ່ງຊື້ສິນຄ້າ
@@ -973,25 +978,26 @@
DocType: Fee Structure,Components,ອົງປະກອບ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},ກະລຸນາໃສ່ປະເພດຊັບສິນໃນ Item {0}
DocType: Quality Inspection Reading,Reading 6,ອ່ານ 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,ສາມາດເຮັດໄດ້ບໍ່ {0} {1} {2} ໂດຍບໍ່ມີການໃບເກັບເງິນທີ່ຍັງຄ້າງຄາໃນທາງລົບ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,ສາມາດເຮັດໄດ້ບໍ່ {0} {1} {2} ໂດຍບໍ່ມີການໃບເກັບເງິນທີ່ຍັງຄ້າງຄາໃນທາງລົບ
DocType: Purchase Invoice Advance,Purchase Invoice Advance,ຊື້ Invoice Advance
DocType: Hub Settings,Sync Now,Sync ໃນປັດຈຸບັນ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},ຕິດຕໍ່ກັນ {0}: ເຂົ້າ Credit ບໍ່ສາມາດໄດ້ຮັບການຕິດພັນກັບ {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,ກໍານົດງົບປະມານສໍາລັບປີການເງິນ.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,ກໍານົດງົບປະມານສໍາລັບປີການເງິນ.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,ມາດຕະຖານບັນຊີທະນາຄານ / ເງິນສົດຈະໄດ້ຮັບການປັບປຸງອັດຕະໂນມັດໃນ POS Invoice ໃນເວລາທີ່ຮູບແບບນີ້ແມ່ນການຄັດເລືອກ.
DocType: Lead,LEAD-,ນໍາ
DocType: Employee,Permanent Address Is,ທີ່ຢູ່ຖາວອນແມ່ນ
DocType: Production Order Operation,Operation completed for how many finished goods?,ການດໍາເນີນງານສໍາເລັດສໍາລັບສິນຄ້າສໍາເລັດຮູບຫລາຍປານໃດ?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,ຍີ່ຫໍ້
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,ຍີ່ຫໍ້
DocType: Employee,Exit Interview Details,ລາຍລະອຽດການທ່ອງທ່ຽວສໍາພາດ
DocType: Item,Is Purchase Item,ສັ່ງຊື້ສິນຄ້າ
DocType: Asset,Purchase Invoice,ໃບເກັບເງິນຊື້
DocType: Stock Ledger Entry,Voucher Detail No,ຂໍ້ມູນຄູປອງ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,ໃບເກັບເງິນໃນການຂາຍໃຫມ່
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,ໃບເກັບເງິນໃນການຂາຍໃຫມ່
DocType: Stock Entry,Total Outgoing Value,ມູນຄ່າລາຍຈ່າຍທັງຫມົດ
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,ເປີດວັນທີ່ສະຫມັກແລະວັນທີຢ່າງໃກ້ຊິດຄວນຈະຢູ່ພາຍໃນດຽວກັນຂອງປີງົບປະມານ
DocType: Lead,Request for Information,ການຮ້ອງຂໍສໍາລັບການຂໍ້ມູນຂ່າວສານ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sync Offline ໃບແຈ້ງຫນີ້
+,LeaderBoard,ກະດານ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Sync Offline ໃບແຈ້ງຫນີ້
DocType: Payment Request,Paid,ການຊໍາລະເງິນ
DocType: Program Fee,Program Fee,ຄ່າບໍລິການໂຄງການ
DocType: Salary Slip,Total in words,ທັງຫມົດໃນຄໍາສັບຕ່າງໆ
@@ -1000,13 +1006,13 @@
DocType: Cheque Print Template,Has Print Format,ມີຮູບແບບພິມ
DocType: Employee Loan,Sanctioned,ທີ່ຖືກເກືອດຫ້າມ
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,ເປັນການບັງຄັບ. ບາງທີບັນທຶກຕາແລກປ່ຽນເງິນບໍ່ໄດ້ສ້າງຂື້ນສໍາລັບການ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},"ຕິດຕໍ່ກັນ, {0}: ກະລຸນາລະບຸ Serial No ສໍາລັບລາຍການ {1}"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","ສໍາລັບລາຍການ 'Bundle ຜະລິດພັນ, ຄັງສິນຄ້າ, ບໍ່ມີ Serial ແລະ Batch ບໍ່ມີຈະໄດ້ຮັບການພິຈາລະນາຈາກ' Packing ຊີ 'ຕາຕະລາງ. ຖ້າຫາກວ່າ Warehouse ແລະ Batch ບໍ່ແມ່ນອັນດຽວກັນສໍາລັບລາຍການບັນຈຸທັງຫມົດສໍາລັບຄວາມຮັກ 'Bundle ຜະລິດພັນສິນຄ້າ, ຄຸນຄ່າເຫຼົ່ານັ້ນສາມາດໄດ້ຮັບເຂົ້າໄປໃນຕາຕະລາງລາຍການຕົ້ນຕໍ, ຄຸນຄ່າຈະໄດ້ຮັບການຄັດລອກໄປທີ່' Packing ຊີ 'ຕາຕະລາງ."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},"ຕິດຕໍ່ກັນ, {0}: ກະລຸນາລະບຸ Serial No ສໍາລັບລາຍການ {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","ສໍາລັບລາຍການ 'Bundle ຜະລິດພັນ, ຄັງສິນຄ້າ, ບໍ່ມີ Serial ແລະ Batch ບໍ່ມີຈະໄດ້ຮັບການພິຈາລະນາຈາກ' Packing ຊີ 'ຕາຕະລາງ. ຖ້າຫາກວ່າ Warehouse ແລະ Batch ບໍ່ແມ່ນອັນດຽວກັນສໍາລັບລາຍການບັນຈຸທັງຫມົດສໍາລັບຄວາມຮັກ 'Bundle ຜະລິດພັນສິນຄ້າ, ຄຸນຄ່າເຫຼົ່ານັ້ນສາມາດໄດ້ຮັບເຂົ້າໄປໃນຕາຕະລາງລາຍການຕົ້ນຕໍ, ຄຸນຄ່າຈະໄດ້ຮັບການຄັດລອກໄປທີ່' Packing ຊີ 'ຕາຕະລາງ."
DocType: Job Opening,Publish on website,ເຜີຍແຜ່ກ່ຽວກັບເວັບໄຊທ໌
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,ການຂົນສົ່ງໃຫ້ແກ່ລູກຄ້າ.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,ວັນທີ່ສະຫມັກສະຫນອງ Invoice ບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາປະກາດວັນທີ່
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,ວັນທີ່ສະຫມັກສະຫນອງ Invoice ບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາປະກາດວັນທີ່
DocType: Purchase Invoice Item,Purchase Order Item,ການສັ່ງຊື້ສິນຄ້າ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,ລາຍໄດ້ທາງອ້ອມ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,ລາຍໄດ້ທາງອ້ອມ
DocType: Student Attendance Tool,Student Attendance Tool,ເຄື່ອງມືນັກສຶກສາເຂົ້າຮ່ວມ
DocType: Cheque Print Template,Date Settings,ການຕັ້ງຄ່າວັນທີ່
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,ການປ່ຽນແປງ
@@ -1024,21 +1030,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,ສານເຄມີ
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,ມາດຕະຖານບັນຊີທະນາຄານ / ເງິນສົດຈະໄດ້ຮັບການປັບປຸງອັດຕະໂນມັດໃນເງິນເດືອນ Journal Entry ໃນເວລາທີ່ຮູບແບບນີ້ແມ່ນການຄັດເລືອກ.
DocType: BOM,Raw Material Cost(Company Currency),ຕົ້ນທຶນວັດຖຸດິບ (ບໍລິສັດສະກຸນເງິນ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,ລາຍການທັງຫມົດໄດ້ຮັບການຍົກຍ້າຍສໍາລັບໃບສັ່ງຜະລິດນີ້.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,ລາຍການທັງຫມົດໄດ້ຮັບການຍົກຍ້າຍສໍາລັບໃບສັ່ງຜະລິດນີ້.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},ແຖວ # {0}: ອັດຕາບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາອັດຕາທີ່ໃຊ້ໃນ {1} {2}
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},ແຖວ # {0}: ອັດຕາບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາອັດຕາທີ່ໃຊ້ໃນ {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,Meter
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,Meter
DocType: Workstation,Electricity Cost,ຄ່າໃຊ້ຈ່າຍໄຟຟ້າ
DocType: HR Settings,Don't send Employee Birthday Reminders,ບໍ່ໄດ້ສົ່ງພະນັກງານວັນເດືອນປີເກີດເຕືອນ
DocType: Item,Inspection Criteria,ເງື່ອນໄຂການກວດກາ
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Transfered
DocType: BOM Website Item,BOM Website Item,BOM Item ເວັບໄຊທ໌
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,ອັບຫົວຈົດຫມາຍສະບັບແລະສັນຍາລັກຂອງທ່ານ. (ທ່ານສາມາດແກ້ໄຂໃຫ້ເຂົາເຈົ້າຕໍ່ມາ).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,ອັບຫົວຈົດຫມາຍສະບັບແລະສັນຍາລັກຂອງທ່ານ. (ທ່ານສາມາດແກ້ໄຂໃຫ້ເຂົາເຈົ້າຕໍ່ມາ).
DocType: Timesheet Detail,Bill,ບັນຊີລາຍການ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,ຕໍ່ໄປວັນທີ່ຄ່າເສື່ອມລາຄາແມ່ນເຂົ້າໄປເປັນວັນທີ່ຜ່ານມາ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,ສີຂາວ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,ສີຂາວ
DocType: SMS Center,All Lead (Open),Lead ທັງຫມົດ (ເປີດ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ຕິດຕໍ່ກັນ {0}: ຈໍານວນບໍ່ສາມາດໃຊ້ສໍາລັບການ {4} ໃນສາງ {1} ທີ່ປຊຊກິນທີ່ໃຊ້ເວລາຂອງການເຂົ້າມາ ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ຕິດຕໍ່ກັນ {0}: ຈໍານວນບໍ່ສາມາດໃຊ້ສໍາລັບການ {4} ໃນສາງ {1} ທີ່ປຊຊກິນທີ່ໃຊ້ເວລາຂອງການເຂົ້າມາ ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,ໄດ້ຮັບການຄວາມກ້າວຫນ້າຂອງການຊໍາລະເງິນ
DocType: Item,Automatically Create New Batch,ສ້າງ Batch ໃຫມ່ອັດຕະໂນມັດ
DocType: Item,Automatically Create New Batch,ສ້າງ Batch ໃຫມ່ອັດຕະໂນມັດ
@@ -1049,13 +1055,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,ໂຄງຮ່າງການຂອງຂ້າພະເຈົ້າ
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},ປະເພດຕ້ອງໄດ້ຮັບການຫນຶ່ງຂອງ {0}
DocType: Lead,Next Contact Date,ຖັດໄປວັນທີ່
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,ເປີດຈໍານວນ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,ກະລຸນາໃສ່ບັນຊີສໍາລັບການປ່ຽນແປງຈໍານວນເງິນ
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,ເປີດຈໍານວນ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,ກະລຸນາໃສ່ບັນຊີສໍາລັບການປ່ຽນແປງຈໍານວນເງິນ
DocType: Student Batch Name,Student Batch Name,ຊື່ນັກ Batch
DocType: Holiday List,Holiday List Name,ລາຍຊື່ຂອງວັນພັກ
DocType: Repayment Schedule,Balance Loan Amount,ການດຸ່ນດ່ຽງຈໍານວນເງິນກູ້
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,ຂອງລາຍວິຊາກໍານົດເວລາ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,ທາງເລືອກຫຼັກຊັບ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,ທາງເລືອກຫຼັກຊັບ
DocType: Journal Entry Account,Expense Claim,ການຮ້ອງຂໍຄ່າໃຊ້ຈ່າຍ
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,ທ່ານກໍ່ຕ້ອງການທີ່ຈະຟື້ນຟູຊັບສິນຢຸດນີ້?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},ຈໍານວນ {0}
@@ -1067,12 +1073,12 @@
DocType: Company,Default Terms,ເງື່ອນໄຂມາດຕະຖານ
DocType: Packing Slip Item,Packing Slip Item,ການຫຸ້ມຫໍ່ສິນຄ້າ Slip
DocType: Purchase Invoice,Cash/Bank Account,ເງິນສົດ / ບັນຊີທະນາຄານ
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},ກະລຸນາລະບຸ {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},ກະລຸນາລະບຸ {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,ລາຍການໂຍກຍ້າຍອອກມີການປ່ຽນແປງໃນປະລິມານຫຼືມູນຄ່າບໍ່ມີ.
DocType: Delivery Note,Delivery To,ການຈັດສົ່ງກັບ
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,ຕາຕະລາງຄຸນສົມບັດເປັນການບັງຄັບ
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,ຕາຕະລາງຄຸນສົມບັດເປັນການບັງຄັບ
DocType: Production Planning Tool,Get Sales Orders,ໄດ້ຮັບໃບສັ່ງຂາຍ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} ບໍ່ສາມາດຈະກະທົບທາງລົບ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} ບໍ່ສາມາດຈະກະທົບທາງລົບ
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,ສ່ວນລົດ
DocType: Asset,Total Number of Depreciations,ຈໍານວນທັງຫມົດຂອງຄ່າເສື່ອມລາຄາ
DocType: Sales Invoice Item,Rate With Margin,ອັດຕາດ້ວຍ Margin
@@ -1093,7 +1099,6 @@
DocType: Serial No,Creation Document No,ການສ້າງເອກະສານທີ່ບໍ່ມີ
DocType: Issue,Issue,ບັນຫາ
DocType: Asset,Scrapped,ທະເລາະວິວາດ
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,ບັນຊີບໍ່ກົງກັບບໍລິສັດ
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","ຄຸນລັກສະນະສໍາລັບລາຍການທີ່ແຕກຕ່າງກັນ. ຕົວຢ່າງ: ຂະຫນາດ, ສີແລະອື່ນໆ"
DocType: Purchase Invoice,Returns,ຜົນຕອບແທນ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,Warehouse WIP
@@ -1105,12 +1110,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,ລາຍການຈະຕ້ອງໄດ້ຮັບການເພີ່ມການນໍາໃຊ້ 'ຮັບສິນຄ້າຈາກຊື້ຮັບ' ປຸ່ມ
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,ປະກອບມີລາຍການລາຍການທີ່ບໍ່ແມ່ນຫຼັກຊັບ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,ຄ່າໃຊ້ຈ່າຍຂາຍ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,ຄ່າໃຊ້ຈ່າຍຂາຍ
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,ຊື້ມາດຕະຖານ
DocType: GL Entry,Against,ຕໍ່
DocType: Item,Default Selling Cost Center,ມາດຕະຖານສູນຕົ້ນທຶນຂາຍ
DocType: Sales Partner,Implementation Partner,Partner ການປະຕິບັດ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,ລະຫັດໄປສະນີ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,ລະຫັດໄປສະນີ
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},ໃບສັ່ງຂາຍ {0} ເປັນ {1}
DocType: Opportunity,Contact Info,ຂໍ້ມູນຕິດຕໍ່
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,ເຮັດໃຫ້ການອອກສຽງ Stock
@@ -1123,33 +1128,33 @@
DocType: Holiday List,Get Weekly Off Dates,ໄດ້ຮັບປະຈໍາອາທິດ Off ວັນ
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,ວັນທີ່ສິ້ນສຸດບໍ່ສາມາດຈະຫນ້ອຍກ່ວາການເລີ່ມຕົ້ນວັນທີ່
DocType: Sales Person,Select company name first.,ເລືອກຊື່ບໍລິສັດທໍາອິດ.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Dr
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,ສະເຫນີລາຄາທີ່ໄດ້ຮັບຈາກຜູ້ຜະລິດ.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},ເພື່ອ {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,ສະເລ່ຍອາຍຸ
DocType: School Settings,Attendance Freeze Date,ຜູ້ເຂົ້າຮ່ວມ Freeze ວັນທີ່
DocType: School Settings,Attendance Freeze Date,ຜູ້ເຂົ້າຮ່ວມ Freeze ວັນທີ່
DocType: Opportunity,Your sales person who will contact the customer in future,ຄົນຂາຍຂອງທ່ານຜູ້ທີ່ຈະຕິດຕໍ່ຫາລູກຄ້າໃນອະນາຄົດ
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,ບອກໄດ້ບໍ່ຫຼາຍປານໃດຂອງຜູ້ສະຫນອງຂອງທ່ານ. ພວກເຂົາເຈົ້າສາມາດຈະມີອົງການຈັດຕັ້ງຫຼືບຸກຄົນ.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,ບອກໄດ້ບໍ່ຫຼາຍປານໃດຂອງຜູ້ສະຫນອງຂອງທ່ານ. ພວກເຂົາເຈົ້າສາມາດຈະມີອົງການຈັດຕັ້ງຫຼືບຸກຄົນ.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,ເບິ່ງສິນຄ້າທັງຫມົດ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Lead ຂັ້ນຕ່ໍາອາຍຸ (ວັນ)
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Lead ຂັ້ນຕ່ໍາອາຍຸ (ວັນ)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,ແອບເປີ້ນທັງຫມົດ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,ແອບເປີ້ນທັງຫມົດ
DocType: Company,Default Currency,ມາດຕະຖານສະກຸນເງິນ
DocType: Expense Claim,From Employee,ຈາກພະນັກງານ
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,ການເຕືອນໄພ: ລະບົບຈະບໍ່ກວດສອບ overbilling ນັບຕັ້ງແຕ່ຈໍານວນເງິນສໍາລັບລາຍການ {0} ໃນ {1} ເປັນສູນ
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,ການເຕືອນໄພ: ລະບົບຈະບໍ່ກວດສອບ overbilling ນັບຕັ້ງແຕ່ຈໍານວນເງິນສໍາລັບລາຍການ {0} ໃນ {1} ເປັນສູນ
DocType: Journal Entry,Make Difference Entry,ເຮັດໃຫ້ການເຂົ້າຄວາມແຕກຕ່າງ
DocType: Upload Attendance,Attendance From Date,ຜູ້ເຂົ້າຮ່ວມຈາກວັນທີ່
DocType: Appraisal Template Goal,Key Performance Area,ພື້ນທີ່ການປະຕິບັດທີ່ສໍາຄັນ
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,ການຂົນສົ່ງ
+DocType: Program Enrollment,Transportation,ການຂົນສົ່ງ
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,ຄຸນລັກສະນະທີ່ບໍ່ຖືກຕ້ອງ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} ຕ້ອງໄດ້ຮັບການສົ່ງ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} ຕ້ອງໄດ້ຮັບການສົ່ງ
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},ປະລິມານຈະຕ້ອງຫນ້ອຍກ່ວາຫຼືເທົ່າກັບ {0}
DocType: SMS Center,Total Characters,ລັກສະນະທັງຫມົດ
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},ກະລຸນາເລືອກ BOM ໃນພາກສະຫນາມ BOM ສໍາລັບລາຍການ {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},ກະລຸນາເລືອກ BOM ໃນພາກສະຫນາມ BOM ສໍາລັບລາຍການ {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C ແບບຟອມໃບແຈ້ງຫນີ້ຂໍ້ມູນ
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ການຊໍາລະເງິນ Reconciliation Invoice
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,ການປະກອບສ່ວນ%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ໂດຍອີງຕາມການຕັ້ງຄ່າຊື້ຖ້າຫາກວ່າຄໍາສັ່ງຊື້ຕ້ອງການ == 'ໃຊ່', ຫຼັງຈາກນັ້ນສໍາລັບການສ້າງ Purchase ໃບເກັບເງິນ, ຜູ້ໃຊ້ຈໍາເປັນຕ້ອງໄດ້ສ້າງການສັ່ງຊື້ຄັ້ງທໍາອິດສໍາລັບລາຍການ {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,ຈໍານວນການຈົດທະບຽນບໍລິສັດສໍາລັບການກະສານອ້າງອີງຂອງທ່ານ. ຈໍານວນພາສີແລະອື່ນໆ
DocType: Sales Partner,Distributor,ຈໍາຫນ່າຍ
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ການຄ້າໂຄງຮ່າງກົດລະບຽບ Shipping
@@ -1158,23 +1163,25 @@
,Ordered Items To Be Billed,ລາຍການຄໍາສັ່ງຈະ billed
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,ຈາກລະດັບທີ່ຈະຫນ້ອຍມີກ່ວາເພື່ອ Range
DocType: Global Defaults,Global Defaults,ຄ່າເລີ່ມຕົ້ນຂອງໂລກ
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,ເຊີນຮ່ວມມືໂຄງການ
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,ເຊີນຮ່ວມມືໂຄງການ
DocType: Salary Slip,Deductions,ຫັກຄ່າໃຊ້ຈ່າຍ
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,ປີເລີ່ມຕົ້ນ
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},ຫນ້າທໍາອິດ 2 ຕົວເລກຂອງ GSTIN ຄວນຈະມີຄໍາທີ່ມີຈໍານວນ State {0}
DocType: Purchase Invoice,Start date of current invoice's period,ວັນທີເລີ່ມຕົ້ນຂອງໄລຍະເວລາໃບເກັບເງິນໃນປັດຈຸບັນ
DocType: Salary Slip,Leave Without Pay,ອອກຈາກໂດຍບໍ່ມີການຈ່າຍ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Error ວາງແຜນຄວາມອາດສາມາດ
,Trial Balance for Party,ດຸນການທົດລອງສໍາລັບການພັກ
DocType: Lead,Consultant,ທີ່ປຶກສາ
DocType: Salary Slip,Earnings,ລາຍຮັບຈາກການ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,ສໍາເລັດການ Item {0} ຕ້ອງໄດ້ຮັບການເຂົ້າສໍາລັບການເຂົ້າປະເພດຜະລິດ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,ສໍາເລັດການ Item {0} ຕ້ອງໄດ້ຮັບການເຂົ້າສໍາລັບການເຂົ້າປະເພດຜະລິດ
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,ການເປີດບັນຊີດຸ່ນດ່ຽງ
+,GST Sales Register,GST Sales ຫມັກສະມາຊິກ
DocType: Sales Invoice Advance,Sales Invoice Advance,ຂາຍ Invoice Advance
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,ບໍ່ມີຫຍັງໃນການຮ້ອງຂໍ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},ບັນທຶກງົບປະມານອີກປະການຫນຶ່ງ '{0}' ແລ້ວຢູ່ຕໍ່ {1} '{2}' ສໍາລັບປີງົບປະມານ {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date','ທີ່ແທ້ຈິງວັນທີ່ເລີ່ມຕົ້ນ "ບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ' ຈິງ End Date '
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,ການຈັດການ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,ການຈັດການ
DocType: Cheque Print Template,Payer Settings,ການຕັ້ງຄ່າ payer
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","ນີ້ຈະໄດ້ຮັບການຜນວກເຂົ້າກັບຂໍ້ມູນລະຫັດຂອງຕົວແປ. ສໍາລັບການຍົກຕົວຢ່າງ, ຖ້າຫາກວ່າຕົວຫຍໍ້ຂອງທ່ານແມ່ນ "SM", ແລະລະຫັດສິນຄ້າແມ່ນ "ເສື້ອທີເຊີດ", ລະຫັດສິນຄ້າຂອງ variant ຈະ "ເສື້ອທີເຊີດ, SM""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,ຈ່າຍສຸດທິ (ໃນຄໍາສັບຕ່າງໆ) ຈະສັງເກດເຫັນເມື່ອທ່ານຊ່ວຍປະຢັດ Slip ເງິນເດືອນໄດ້.
@@ -1191,8 +1198,8 @@
DocType: Employee Loan,Partially Disbursed,ຈ່າຍບາງສ່ວນ
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,ຖານຂໍ້ມູນຜູ້ສະຫນອງ.
DocType: Account,Balance Sheet,ງົບດຸນ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',ສູນເສຍຄ່າໃຊ້ຈ່າຍສໍາລັບການລາຍການທີ່ມີລະຫັດສິນຄ້າ '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","ການຊໍາລະເງິນບໍ່ໄດ້ຖືກຕັ້ງ. ກະລຸນາກວດສອບ, ບໍ່ວ່າຈະເປັນບັນຊີໄດ້ຮັບການກໍານົດກ່ຽວກັບຮູບແບບການຊໍາລະເງິນຫຼືຂໍ້ມູນ POS."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',ສູນເສຍຄ່າໃຊ້ຈ່າຍສໍາລັບການລາຍການທີ່ມີລະຫັດສິນຄ້າ '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","ການຊໍາລະເງິນບໍ່ໄດ້ຖືກຕັ້ງ. ກະລຸນາກວດສອບ, ບໍ່ວ່າຈະເປັນບັນຊີໄດ້ຮັບການກໍານົດກ່ຽວກັບຮູບແບບການຊໍາລະເງິນຫຼືຂໍ້ມູນ POS."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,ຄົນຂາຍຂອງທ່ານຈະໄດ້ຮັບການເຕືອນໃນວັນນີ້ຈະຕິດຕໍ່ຫາລູກຄ້າ
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,ລາຍການແມ່ນບໍ່ສາມາດເຂົ້າໄປໃນເວລາຫຼາຍ.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","ບັນຊີເພີ່ມເຕີມສາມາດເຮັດໄດ້ພາຍໃຕ້ການກຸ່ມ, ແຕ່ການອອກສຽງສາມາດຈະດໍາເນີນຕໍ່ບໍ່ແມ່ນ Groups"
@@ -1200,7 +1207,7 @@
DocType: Email Digest,Payables,ເຈົ້າຫນີ້
DocType: Course,Course Intro,ຫລັກສູດ
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Stock Entry {0} ສ້າງ
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,"ຕິດຕໍ່ກັນ, {0}: ປະຕິເສດຈໍານວນບໍ່ສາມາດໄດ້ຮັບເຂົ້າໄປໃນກັບຄືນຊື້"
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,"ຕິດຕໍ່ກັນ, {0}: ປະຕິເສດຈໍານວນບໍ່ສາມາດໄດ້ຮັບເຂົ້າໄປໃນກັບຄືນຊື້"
,Purchase Order Items To Be Billed,ລາຍການສັ່ງຊື້ເພື່ອໄດ້ຮັບການ billed
DocType: Purchase Invoice Item,Net Rate,ອັດຕາສຸດທິ
DocType: Purchase Invoice Item,Purchase Invoice Item,ຊື້ໃບແຈ້ງຫນີ້ສິນຄ້າ
@@ -1227,7 +1234,7 @@
DocType: Sales Order,SO-,ພົນລະ
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,ກະລຸນາເລືອກຄໍານໍາຫນ້າທໍາອິດ
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,ການຄົ້ນຄວ້າ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,ການຄົ້ນຄວ້າ
DocType: Maintenance Visit Purpose,Work Done,ວຽກເຮັດ
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,ກະລຸນາລະບຸຢູ່ໃນຢ່າງຫນ້ອຍຫນຶ່ງໃຫ້ເຫດຜົນໃນຕາຕະລາງຄຸນສົມບັດ
DocType: Announcement,All Students,ນັກສຶກສາທັງຫມົດ
@@ -1235,17 +1242,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,View Ledger
DocType: Grading Scale,Intervals,ໄລຍະ
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,ທໍາອິດ
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","ເປັນກຸ່ມສິນຄ້າລາຄາທີ່ມີຊື່ດຽວກັນ, ກະລຸນາມີການປ່ຽນແປງຊື່ສິນຄ້າຫລືປ່ຽນຊື່ກຸ່ມລາຍການ"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,ເລກນັກສຶກສາໂທລະສັບມືຖື
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,ສ່ວນທີ່ເຫຼືອຂອງໂລກ
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","ເປັນກຸ່ມສິນຄ້າລາຄາທີ່ມີຊື່ດຽວກັນ, ກະລຸນາມີການປ່ຽນແປງຊື່ສິນຄ້າຫລືປ່ຽນຊື່ກຸ່ມລາຍການ"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,ເລກນັກສຶກສາໂທລະສັບມືຖື
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,ສ່ວນທີ່ເຫຼືອຂອງໂລກ
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,ລາຍການ {0} ບໍ່ສາມາດມີ Batch
,Budget Variance Report,ງົບປະມານລາຍຕ່າງ
DocType: Salary Slip,Gross Pay,ຈ່າຍລວມທັງຫມົດ
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,ຕິດຕໍ່ກັນ {0}: ປະເພດຂອງກິດຈະກໍາແມ່ນບັງຄັບ.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,ເງິນປັນຜົນການຊໍາລະເງິນ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,ເງິນປັນຜົນການຊໍາລະເງິນ
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Ledger ການບັນຊີ
DocType: Stock Reconciliation,Difference Amount,ຈໍານວນທີ່ແຕກຕ່າງກັນ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,ລາຍຮັບຈາກການເກັບຮັກສາ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,ລາຍຮັບຈາກການເກັບຮັກສາ
DocType: Vehicle Log,Service Detail,ບໍລິການ
DocType: BOM,Item Description,ລາຍລະອຽດສິນຄ້າ
DocType: Student Sibling,Student Sibling,ລູກຫຼານນັກສຶກສາ
@@ -1260,11 +1267,11 @@
DocType: Opportunity Item,Opportunity Item,ໂອກາດສິນຄ້າ
,Student and Guardian Contact Details,ນັກສຶກສາແລະຂໍ້ມູນຕິດຕໍ່ຜູ້ປົກຄອງ
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,ຕິດຕໍ່ກັນ {0}: ສໍາລັບຜູ້ສະຫນອງ {0} ທີ່ຢູ່ອີເມວທີ່ຈໍາເປັນຕ້ອງສົ່ງອີເມວ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,ເປີດຊົ່ວຄາວ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,ເປີດຊົ່ວຄາວ
,Employee Leave Balance,ພະນັກງານອອກຈາກດຸນ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},ການດຸ່ນດ່ຽງບັນຊີ {0} ຕ້ອງສະເຫມີໄປຈະ {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},ອັດຕາມູນຄ່າທີ່ກໍານົດໄວ້ສໍາລັບລາຍການຕິດຕໍ່ກັນ {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,ຍົກຕົວຢ່າງ: ປະລິນຍາໂທໃນວິທະຍາສາດຄອມພິວເຕີ
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,ຍົກຕົວຢ່າງ: ປະລິນຍາໂທໃນວິທະຍາສາດຄອມພິວເຕີ
DocType: Purchase Invoice,Rejected Warehouse,ປະຕິເສດ Warehouse
DocType: GL Entry,Against Voucher,ຕໍ່ Voucher
DocType: Item,Default Buying Cost Center,ມາດຕະຖານ Center ຊື້ຕົ້ນທຶນ
@@ -1277,31 +1284,30 @@
DocType: Journal Entry,Get Outstanding Invoices,ໄດ້ຮັບໃບແຈ້ງຫນີ້ທີ່ຍັງຄ້າງຄາ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,ໃບສັ່ງຂາຍ {0} ບໍ່ຖືກຕ້ອງ
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,ສັ່ງຊື້ຊ່ວຍໃຫ້ທ່ານວາງແຜນແລະປະຕິບັດຕາມເຖິງກ່ຽວກັບການຊື້ຂອງທ່ານ
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","ຂໍອະໄພ, ບໍລິສັດບໍ່ສາມາດລວມ"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","ຂໍອະໄພ, ບໍລິສັດບໍ່ສາມາດລວມ"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",ປະລິມານທີ່ຈົດທະບຽນ / ການຖ່າຍໂອນທັງຫມົດ {0} ໃນວັດສະດຸການຈອງ {1} \ ບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາປະລິມານການຮ້ອງຂໍ {2} ສໍາລັບລາຍການ {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,ຂະຫນາດນ້ອຍ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,ຂະຫນາດນ້ອຍ
DocType: Employee,Employee Number,ຈໍານວນພະນັກງານ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},ກໍລະນີທີ່ບໍ່ມີ (s) ມາແລ້ວໃນການນໍາໃຊ້. ພະຍາຍາມຈາກກໍລະນີທີ່ບໍ່ມີ {0}
DocType: Project,% Completed,% ສໍາເລັດ
,Invoiced Amount (Exculsive Tax),ອະນຸຈໍານວນເງິນ (exculsive ພາສີ)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,ລາຍການ 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,ຫົວຫນ້າບັນຊີ {0} ສ້າງ
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,ກິດຈະກໍາການຝຶກອົບຮົມ
DocType: Item,Auto re-order,Auto Re: ຄໍາສັ່ງ
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,ທັງຫມົດບັນລຸ
DocType: Employee,Place of Issue,ສະຖານທີ່ຂອງບັນຫາ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,ສັນຍາ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,ສັນຍາ
DocType: Email Digest,Add Quote,ຕື່ມການ Quote
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},ປັດໄຈ Coversion UOM ຕ້ອງການສໍາລັບ UOM: {0} ໃນສິນຄ້າ: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,ຄ່າໃຊ້ຈ່າຍທາງອ້ອມ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},ປັດໄຈ Coversion UOM ຕ້ອງການສໍາລັບ UOM: {0} ໃນສິນຄ້າ: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,ຄ່າໃຊ້ຈ່າຍທາງອ້ອມ
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,ຕິດຕໍ່ກັນ {0}: ຈໍານວນເປັນການບັງຄັບ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,ການກະສິກໍາ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sync ຂໍ້ມູນຫລັກ
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,ຜະລິດຕະພັນຫຼືການບໍລິການຂອງທ່ານ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sync ຂໍ້ມູນຫລັກ
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,ຜະລິດຕະພັນຫຼືການບໍລິການຂອງທ່ານ
DocType: Mode of Payment,Mode of Payment,ຮູບແບບການຊໍາລະເງິນ
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,ເວັບໄຊທ໌ຮູບພາບຄວນຈະເປັນເອກະສານສາທາລະນະຫຼືທີ່ຢູ່ເວັບເວັບໄຊທ໌
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,ເວັບໄຊທ໌ຮູບພາບຄວນຈະເປັນເອກະສານສາທາລະນະຫຼືທີ່ຢູ່ເວັບເວັບໄຊທ໌
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,ນີ້ເປັນກຸ່ມລາຍການຮາກແລະບໍ່ສາມາດໄດ້ຮັບການແກ້ໄຂ.
@@ -1310,7 +1316,7 @@
DocType: Warehouse,Warehouse Contact Info,Warehouse ຂໍ້ມູນຕິດຕໍ່
DocType: Payment Entry,Write Off Difference Amount,ຂຽນ Off ຈໍານວນທີ່ແຕກຕ່າງກັນ
DocType: Purchase Invoice,Recurring Type,Recurring ປະເພດ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: ບໍ່ໄດ້ພົບເຫັນ email ພະນັກງານ, ເພາະສະນັ້ນອີເມວບໍ່ໄດ້ສົ່ງ"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: ບໍ່ໄດ້ພົບເຫັນ email ພະນັກງານ, ເພາະສະນັ້ນອີເມວບໍ່ໄດ້ສົ່ງ"
DocType: Item,Foreign Trade Details,ລາຍລະອຽດການຄ້າຕ່າງປະເທດ
DocType: Email Digest,Annual Income,ລາຍຮັບປະຈໍາປີ
DocType: Serial No,Serial No Details,Serial ລາຍລະອຽດບໍ່ມີ
@@ -1318,10 +1324,10 @@
DocType: Student Group Student,Group Roll Number,Group ຈໍານວນມ້ວນ
DocType: Student Group Student,Group Roll Number,Group ຈໍານວນມ້ວນ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","{0}, ພຽງແຕ່ລະເງິນກູ້ຢືມສາມາດໄດ້ຮັບການເຊື່ອມຕໍ່ເຂົ້າເດບິດອື່ນ"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,ຈໍານວນທັງຫມົດຂອງທັງຫມົດນ້ໍາວຽກງານຄວນຈະ 1. ກະລຸນາປັບປຸງນ້ໍາຂອງວຽກງານໂຄງການທັງຫມົດຕາມຄວາມເຫມາະສົມ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,ສົ່ງຫມາຍເຫດ {0} ບໍ່ໄດ້ສົ່ງ
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,ລາຍການ {0} ຈະຕ້ອງເປັນອະນຸສັນຍາລາຍການ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,ອຸປະກອນນະຄອນຫຼວງ
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,ຈໍານວນທັງຫມົດຂອງທັງຫມົດນ້ໍາວຽກງານຄວນຈະ 1. ກະລຸນາປັບປຸງນ້ໍາຂອງວຽກງານໂຄງການທັງຫມົດຕາມຄວາມເຫມາະສົມ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,ສົ່ງຫມາຍເຫດ {0} ບໍ່ໄດ້ສົ່ງ
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,ລາຍການ {0} ຈະຕ້ອງເປັນອະນຸສັນຍາລາຍການ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,ອຸປະກອນນະຄອນຫຼວງ
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","ກົດລະບຽບການຕັ້ງລາຄາໄດ້ຖືກຄັດເລືອກທໍາອິດໂດຍອີງໃສ່ 'ສະຫມັກຕໍາກ່ຽວກັບ' ພາກສະຫນາມ, ທີ່ສາມາດຈະມີລາຍການ, ກຸ່ມສິນຄ້າຫຼືຍີ່ຫໍ້."
DocType: Hub Settings,Seller Website,ຜູ້ຂາຍເວັບໄຊທ໌
DocType: Item,ITEM-,ITEM-
@@ -1339,7 +1345,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",ມີພຽງແຕ່ສາມາດເປັນຫນຶ່ງ Shipping ກົດລະບຽບສະພາບກັບ 0 ຫຼືມູນຄ່າເລີຍສໍາລັບການ "ຈະໃຫ້ຄຸນຄ່າ"
DocType: Authorization Rule,Transaction,ເຮັດທຸລະກໍາ
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,ຫມາຍເຫດ: ສູນຕົ້ນທຶນນີ້ເປັນກຸ່ມ. ບໍ່ສາມາດເຮັດໃຫ້ການອອກສຽງການບັນຊີຕໍ່ກັບກຸ່ມ.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,ຄັງສິນຄ້າເດັກຢູ່ສໍາລັບການສາງນີ້. ທ່ານບໍ່ສາມາດລົບ warehouse ນີ້.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,ຄັງສິນຄ້າເດັກຢູ່ສໍາລັບການສາງນີ້. ທ່ານບໍ່ສາມາດລົບ warehouse ນີ້.
DocType: Item,Website Item Groups,ກຸ່ມສົນທະນາເວັບໄຊທ໌ສິນຄ້າ
DocType: Purchase Invoice,Total (Company Currency),ທັງຫມົດ (ບໍລິສັດສະກຸນເງິນ)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,ຈໍານວນ Serial {0} ເຂົ້າໄປຫຼາຍກ່ວາຫນຶ່ງຄັ້ງ
@@ -1349,7 +1355,7 @@
DocType: Grading Scale Interval,Grade Code,ລະຫັດ Grade
DocType: POS Item Group,POS Item Group,ກຸ່ມສິນຄ້າ POS
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ອີເມວສໍາຄັນ:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} ບໍ່ໄດ້ຂຶ້ນກັບ Item {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} ບໍ່ໄດ້ຂຶ້ນກັບ Item {1}
DocType: Sales Partner,Target Distribution,ການແຜ່ກະຈາຍເປົ້າຫມາຍ
DocType: Salary Slip,Bank Account No.,ເລກທີ່ບັນຊີທະນາຄານ
DocType: Naming Series,This is the number of the last created transaction with this prefix,ນີ້ແມ່ນຈໍານວນຂອງການສ້າງຕັ້ງຂື້ນໃນທີ່ຜ່ານມາມີຄໍານໍາຫນ້ານີ້
@@ -1360,12 +1366,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,ປື້ມບັນ Asset Entry ຄ່າເສື່ອມລາຄາອັດຕະໂນມັດ
DocType: BOM Operation,Workstation,Workstation
DocType: Request for Quotation Supplier,Request for Quotation Supplier,ການຮ້ອງຂໍສໍາລັບການຜະລິດສະເຫນີລາຄາ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,ອຸປະກອນ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,ອຸປະກອນ
DocType: Sales Order,Recurring Upto,Recurring ເກີນ
DocType: Attendance,HR Manager,Manager HR
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,ກະລຸນາເລືອກບໍລິສັດ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,ສິດທິພິເສດອອກຈາກ
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,ກະລຸນາເລືອກບໍລິສັດ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,ສິດທິພິເສດອອກຈາກ
DocType: Purchase Invoice,Supplier Invoice Date,ຜູ້ສະຫນອງວັນໃບກໍາກັບ
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,ຕໍ່
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,ທ່ານຕ້ອງການເພື່ອເຮັດໃຫ້ໂຄງຮ່າງການຊື້
DocType: Payment Entry,Writeoff,Writeoff
DocType: Appraisal Template Goal,Appraisal Template Goal,ເປົ້າຫມາຍການປະເມີນຜົນແບບ
@@ -1376,10 +1383,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,ເງື່ອນໄຂທີ່ທັບຊ້ອນກັນພົບເຫັນລະຫວ່າງ:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,ຕໍ່ຕ້ານອະນຸ {0} ຈະຖືກປັບແລ້ວຕໍ່ບາງ voucher ອື່ນໆ
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,ມູນຄ່າການສັ່ງຊື້ທັງຫມົດ
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,ສະບຽງອາຫານ
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,ສະບຽງອາຫານ
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Range Ageing 3
DocType: Maintenance Schedule Item,No of Visits,ບໍ່ມີການລົງໂທດ
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,ເຄື່ອງຫມາຍຜູ້ເຂົ້າຮ່ວມ
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,ເຄື່ອງຫມາຍຜູ້ເຂົ້າຮ່ວມ
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},ຕາຕະລາງການບໍາລຸງຮັກ {0} ມີຢູ່ຕ້ານ {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,ນັກສຶກສາລົງທະບຽນຮຽນ
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},ສະກຸນເງິນຂອງບັນຊີປິດຈະຕ້ອງ {0}
@@ -1393,6 +1400,7 @@
DocType: Rename Tool,Utilities,ລະນູປະໂພກ
DocType: Purchase Invoice Item,Accounting,ການບັນຊີ
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,ກະລຸນາເລືອກຂະບວນການສໍາລັບລາຍການ batch
DocType: Asset,Depreciation Schedules,ຕາຕະລາງຄ່າເສື່ອມລາຄາ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,ໄລຍະເວລາການນໍາໃຊ້ບໍ່ສາມາດເປັນໄລຍະເວການຈັດສັນອອກຈາກພາຍນອກ
DocType: Activity Cost,Projects,ໂຄງການ
@@ -1406,6 +1414,7 @@
DocType: POS Profile,Campaign,ການໂຄສະນາ
DocType: Supplier,Name and Type,ຊື່ແລະປະເພດ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',ສະຖານະການອະນຸມັດຕ້ອງໄດ້ຮັບການ 'ອະນຸມັດ' ຫລື 'ປະຕິເສດ'
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,Bootstrap
DocType: Purchase Invoice,Contact Person,ຕິດຕໍ່ບຸກຄົນ
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','ວັນທີຄາດວ່າເລີ່ມຕົ້ນ "ບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ' ວັນທີຄາດວ່າສຸດທ້າຍ '
DocType: Course Scheduling Tool,Course End Date,ແນ່ນອນວັນທີ່ສິ້ນສຸດ
@@ -1413,12 +1422,11 @@
DocType: Sales Order Item,Planned Quantity,ການວາງແຜນຈໍານວນ
DocType: Purchase Invoice Item,Item Tax Amount,ຈໍານວນເງິນພາສີລາຍ
DocType: Item,Maintain Stock,ຮັກສາ Stock
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Stock Entries ສ້າງຮຽບຮ້ອຍແລ້ວສໍາລັບການສັ່ງຊື້ສິນຄ້າ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Stock Entries ສ້າງຮຽບຮ້ອຍແລ້ວສໍາລັບການສັ່ງຊື້ສິນຄ້າ
DocType: Employee,Prefered Email,ບຸລິມະສິດ Email
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,ການປ່ຽນແປງສຸດທິໃນຊັບສິນຄົງທີ່
DocType: Leave Control Panel,Leave blank if considered for all designations,ໃຫ້ຫວ່າງໄວ້ຖ້າພິຈາລະນາສໍາລັບການອອກແບບທັງຫມົດ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Warehouse ເປັນການບັງຄັບສໍາລັບການບັນຊີກຸ່ມທີ່ບໍ່ແມ່ນຂອງປະເພດ Stock
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,ຮັບຜິດຊອບຂອງປະເພດ 'ທີ່ແທ້ຈິງໃນການຕິດຕໍ່ກັນ {0} ບໍ່ສາມາດລວມຢູ່ໃນລາຄາສິນຄ້າ
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,ຮັບຜິດຊອບຂອງປະເພດ 'ທີ່ແທ້ຈິງໃນການຕິດຕໍ່ກັນ {0} ບໍ່ສາມາດລວມຢູ່ໃນລາຄາສິນຄ້າ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},ສູງສຸດທີ່ເຄຍ: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,ຈາກ DATETIME
DocType: Email Digest,For Company,ສໍາລັບບໍລິສັດ
@@ -1428,15 +1436,15 @@
DocType: Sales Invoice,Shipping Address Name,Shipping Address ຊື່
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,ຕາຕະລາງຂອງການບັນຊີ
DocType: Material Request,Terms and Conditions Content,ຂໍ້ກໍານົດແລະເງື່ອນໄຂເນື້ອໃນ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,ບໍ່ສາມາດຈະຫຼາຍກ່ວາ 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,ລາຍການ {0} ບໍ່ແມ່ນຫົວຂໍ້ຫຼັກຊັບ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,ບໍ່ສາມາດຈະຫຼາຍກ່ວາ 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,ລາຍການ {0} ບໍ່ແມ່ນຫົວຂໍ້ຫຼັກຊັບ
DocType: Maintenance Visit,Unscheduled,ນອກເຫນືອຈາກ
DocType: Employee,Owned,ເປັນເຈົ້າຂອງ
DocType: Salary Detail,Depends on Leave Without Pay,ຂຶ້ນຢູ່ກັບອອກໂດຍບໍ່ມີການຈ່າຍ
DocType: Pricing Rule,"Higher the number, higher the priority","ສູງກວ່າຕົວເລກທີ່, ທີ່ສູງກວ່າບູລິມະສິດ"
,Purchase Invoice Trends,ຊື້ແນວໂນ້ມ Invoice
DocType: Employee,Better Prospects,ອະນາຄົດທີ່ດີກວ່າ
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","ແຖວ # {0}: ການ batch {1} ມີພຽງແຕ່ {2} ຈໍານວນ. ກະລຸນາເລືອກ batch ທີ່ມີ {3} ຈໍານວນສາມາດໃຊ້ໄດ້ອີກຫລືແຍກແຖວເປັນແຖວເກັດທີ່ຢູ່ຫຼາຍ, ເພື່ອສົ່ງ / ບັນຫາຈາກຂະບວນການທີ່ຫຼາກຫຼາຍ"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","ແຖວ # {0}: ການ batch {1} ມີພຽງແຕ່ {2} ຈໍານວນ. ກະລຸນາເລືອກ batch ທີ່ມີ {3} ຈໍານວນສາມາດໃຊ້ໄດ້ອີກຫລືແຍກແຖວເປັນແຖວເກັດທີ່ຢູ່ຫຼາຍ, ເພື່ອສົ່ງ / ບັນຫາຈາກຂະບວນການທີ່ຫຼາກຫຼາຍ"
DocType: Vehicle,License Plate,ແຜ່ນໃບອະນຸຍາດ
DocType: Appraisal,Goals,ເປົ້າຫມາຍ
DocType: Warranty Claim,Warranty / AMC Status,ການຮັບປະກັນ / AMC ສະຖານະ
@@ -1447,19 +1455,20 @@
,Batch-Wise Balance History,"batch, Wise History Balance"
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,ຕັ້ງຄ່າການພິມການປັບປຸງໃນຮູບແບບພິມທີ່ກ່ຽວຂ້ອງ
DocType: Package Code,Package Code,ລະຫັດ Package
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,ຝຶກຫັດງານ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,ຝຶກຫັດງານ
+DocType: Purchase Invoice,Company GSTIN,ບໍລິສັດ GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,ຈໍານວນລົບບໍ່ໄດ້ຮັບອະນຸຍາດ
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",ພາສີຕາຕະລາງລາຍລະອຽດ fetched ຈາກຕົ້ນສະບັບລາຍເປັນຊ່ອຍແນ່ແລະເກັບຮັກສາໄວ້ໃນພາກສະຫນາມນີ້. ນໍາໃຊ້ສໍາລັບພາສີອາກອນແລະຄ່າບໍລິການ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,ພະນັກງານບໍ່ສາມາດລາຍງານໃຫ້ຕົນເອງ.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","ຖ້າຫາກວ່າບັນຊີແມ່ນ frozen, entries ກໍາລັງອະນຸຍາດໃຫ້ຜູ້ຊົມໃຊ້ຈໍາກັດ."
DocType: Email Digest,Bank Balance,ທະນາຄານ Balance
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Entry ບັນຊີສໍາລັບ {0}: {1} ສາມາດເຮັດໄດ້ພຽງແຕ່ຢູ່ໃນສະກຸນເງິນ: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Entry ບັນຊີສໍາລັບ {0}: {1} ສາມາດເຮັດໄດ້ພຽງແຕ່ຢູ່ໃນສະກຸນເງິນ: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","profile ວຽກເຮັດງານທໍາ, ຄຸນນະວຸດທິທີ່ຕ້ອງການແລະອື່ນໆ"
DocType: Journal Entry Account,Account Balance,ດຸນບັນຊີ
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,ກົດລະບຽບອາກອນສໍາລັບທຸລະກໍາ.
DocType: Rename Tool,Type of document to rename.,ປະເພດຂອງເອກະສານເພື່ອປ່ຽນຊື່.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,ພວກເຮົາຊື້ສິນຄ້ານີ້
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,ພວກເຮົາຊື້ສິນຄ້ານີ້
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Customer ຈໍາເປັນຕ້ອງກັບບັນຊີລູກຫນີ້ {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),ພາສີອາກອນທັງຫມົດແລະຄ່າບໍລິການ (ສະກຸນເງິນຂອງບໍລິສັດ)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,ສະແດງໃຫ້ເຫັນ P & ຍອດ L ປີງົບປະມານ unclosed ຂອງ
@@ -1470,29 +1479,30 @@
DocType: Stock Entry,Total Additional Costs,ທັງຫມົດຄ່າໃຊ້ຈ່າຍເພີ່ມເຕີມ
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Cost Scrap ການວັດສະດຸ (ບໍລິສັດສະກຸນເງິນ)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,ປະກອບຍ່ອຍ
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,ປະກອບຍ່ອຍ
DocType: Asset,Asset Name,ຊື່ຊັບສິນ
DocType: Project,Task Weight,ວຽກງານນ້ໍາຫນັກ
DocType: Shipping Rule Condition,To Value,ກັບມູນຄ່າ
DocType: Asset Movement,Stock Manager,Manager Stock
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},ຄັງສິນຄ້າທີ່ມາເປັນການບັງຄັບສໍາລັບການຕິດຕໍ່ກັນ {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,ບັນຈຸ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,ຫ້ອງການໃຫ້ເຊົ່າ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},ຄັງສິນຄ້າທີ່ມາເປັນການບັງຄັບສໍາລັບການຕິດຕໍ່ກັນ {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,ບັນຈຸ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,ຫ້ອງການໃຫ້ເຊົ່າ
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,ການຕັ້ງຄ່າປະຕູການຕິດຕັ້ງ SMS
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,ການນໍາເຂົ້າບໍ່ສາມາດ!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,ບໍ່ມີທີ່ຢູ່ເພີ່ມທັນ.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,ບໍ່ມີທີ່ຢູ່ເພີ່ມທັນ.
DocType: Workstation Working Hour,Workstation Working Hour,Workstation ຊົ່ວໂມງເຮັດວຽກ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,ນັກວິເຄາະ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,ນັກວິເຄາະ
DocType: Item,Inventory,ສິນຄ້າຄົງຄັງ
DocType: Item,Sales Details,ລາຍລະອຽດການຂາຍ
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,ມີລາຍການ
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,ໃນຈໍານວນ
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,ໃນຈໍານວນ
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,ກວດສອບຈົດທະບຽນລາຍວິຊາສໍາລັບນັກສຶກສາໃນກຸ່ມນັກສຶກສາ
DocType: Notification Control,Expense Claim Rejected,ຄ່າໃຊ້ຈ່າຍການຮ້ອງຂໍຖືກປະຕິເສດ
DocType: Item,Item Attribute,ຄຸນລັກສະນະລາຍການ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,ລັດຖະບານ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,ລັດຖະບານ
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,ຄ່າໃຊ້ຈ່າຍການຮ້ອງຂໍ {0} ມີຢູ່ແລ້ວສໍາລັບການເຂົ້າສູ່ລະບົບຍານພາຫະນະ
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,ຊື່ສະຖາບັນ
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,ຊື່ສະຖາບັນ
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,ກະລຸນາໃສ່ຈໍານວນເງິນຊໍາລະຫນີ້
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Variants ລາຍການ
DocType: Company,Services,ການບໍລິການ
@@ -1502,18 +1512,18 @@
DocType: Sales Invoice,Source,ແຫຼ່ງຂໍ້ມູນ
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,ສະແດງໃຫ້ເຫັນປິດ
DocType: Leave Type,Is Leave Without Pay,ແມ່ນອອກຈາກໂດຍບໍ່ມີການຈ່າຍ
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,ປະເພດຊັບສິນທີ່ເປັນການບັງຄັບສໍາລັບລາຍການຊັບສິນຄົງທີ່
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,ປະເພດຊັບສິນທີ່ເປັນການບັງຄັບສໍາລັບລາຍການຊັບສິນຄົງທີ່
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,ບໍ່ມີພົບເຫັນຢູ່ໃນຕາຕະລາງການຊໍາລະເງິນການບັນທຶກການ
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},ນີ້ {0} ຄວາມຂັດແຍ້ງກັບ {1} ສໍາລັບ {2} {3}
DocType: Student Attendance Tool,Students HTML,ນັກສຶກສາ HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,ວັນທີ່ທາງດ້ານການເງິນ Start
DocType: POS Profile,Apply Discount,ສະຫມັກຕໍາລົດ
+DocType: Purchase Invoice Item,GST HSN Code,GST Code HSN
DocType: Employee External Work History,Total Experience,ຕໍາແຫນ່ງທີ່ທັງຫມົດ
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,ເປີດໂຄງການ
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,ບັນຈຸ (s) ຍົກເລີກ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,ກະແສເງິນສົດຈາກການລົງທຶນ
DocType: Program Course,Program Course,ຫລັກສູດ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,ຂົນສົ່ງສິນຄ້າແລະການສົ່ງຕໍ່ຄ່າບໍລິການ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,ຂົນສົ່ງສິນຄ້າແລະການສົ່ງຕໍ່ຄ່າບໍລິການ
DocType: Homepage,Company Tagline for website homepage,ບໍລິສັດສະໂລແກນສໍາລັບການຫນ້າທໍາອິດເວັບໄຊທ໌
DocType: Item Group,Item Group Name,ລາຍຊື່ກຸ່ມ
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,ການປະຕິບັດ
@@ -1523,6 +1533,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,ສ້າງ Leads
DocType: Maintenance Schedule,Schedules,ຕາຕະລາງ
DocType: Purchase Invoice Item,Net Amount,ຈໍານວນສຸດທິ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} ຍັງບໍ່ທັນໄດ້ສົ່ງສະນັ້ນການດໍາເນີນການບໍ່ສາມາດໄດ້ຮັບການສໍາເລັດ
DocType: Purchase Order Item Supplied,BOM Detail No,BOM ຂໍ້ມູນທີ່ບໍ່ມີ
DocType: Landed Cost Voucher,Additional Charges,ຄ່າບໍລິການເພີ່ມເຕີມ
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),ຈໍານວນລົດເພີ່ມເຕີມ (ສະກຸນເງິນຂອງບໍລິສັດ)
@@ -1538,6 +1549,7 @@
DocType: Employee Loan,Monthly Repayment Amount,ຈໍານວນເງິນຊໍາລະຄືນປະຈໍາເດືອນ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,ກະລຸນາຕັ້ງພາກສະຫນາມລະຫັດຜູ້ໃຊ້ໃນການບັນທຶກຂອງພະນັກວຽກເພື່ອກໍານົດພາລະບົດບາດພະນັກງານ
DocType: UOM,UOM Name,ຊື່ UOM
+DocType: GST HSN Code,HSN Code,ລະຫັດ HSN
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,ຈໍານວນການປະກອບສ່ວນ
DocType: Purchase Invoice,Shipping Address,ທີ່ຢູ່ສົ່ງ
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,ເຄື່ອງມືນີ້ຈະຊ່ວຍໃຫ້ທ່ານເພື່ອປັບປຸງຫຼືແກ້ໄຂປະລິມານແລະມູນຄ່າຂອງຮຸ້ນໃນລະບົບ. ໂດຍປົກກະຕິມັນຖືກນໍາໃຊ້ໃນການປະສານຄຸນຄ່າລະບົບແລະສິ່ງທີ່ຕົວຈິງທີ່ມີຢູ່ໃນສາງຂອງທ່ານ.
@@ -1548,18 +1560,17 @@
DocType: Program Enrollment Tool,Program Enrollments,ການລົງທະບຽນໂຄງການ
DocType: Sales Invoice Item,Brand Name,ຊື່ຍີ່ຫໍ້
DocType: Purchase Receipt,Transporter Details,ລາຍລະອຽດການຂົນສົ່ງ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,ສາງມາດຕະຖານທີ່ຕ້ອງການສໍາລັບການເລືອກເອົາລາຍການ
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Box
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,ສາງມາດຕະຖານທີ່ຕ້ອງການສໍາລັບການເລືອກເອົາລາຍການ
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Box
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,ຜູ້ຜະລິດທີ່ເປັນໄປໄດ້
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,ອົງການຈັດຕັ້ງ
DocType: Budget,Monthly Distribution,ການແຜ່ກະຈາຍປະຈໍາເດືອນ
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,ຮັບບັນຊີບໍ່ມີ. ກະລຸນາສ້າງບັນຊີຮັບ
DocType: Production Plan Sales Order,Production Plan Sales Order,ການຜະລິດແຜນຂາຍສິນຄ້າ
DocType: Sales Partner,Sales Partner Target,Sales Partner ເປົ້າຫມາຍ
DocType: Loan Type,Maximum Loan Amount,ຈໍານວນເງິນກູ້ສູງສຸດ
DocType: Pricing Rule,Pricing Rule,ກົດລະບຽບການຕັ້ງລາຄາ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},ຈໍານວນມ້ວນຊ້ໍາກັນສໍາລັບນັກຮຽນ {0}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},ຈໍານວນມ້ວນຊ້ໍາກັນສໍາລັບນັກຮຽນ {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},ຈໍານວນມ້ວນຊ້ໍາກັນສໍາລັບນັກຮຽນ {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},ຈໍານວນມ້ວນຊ້ໍາກັນສໍາລັບນັກຮຽນ {0}
DocType: Budget,Action if Annual Budget Exceeded,ການປະຕິບັດຖ້າຫາກວ່າງົບປະມານປະຈໍາປີເກີນ
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,ຂໍອຸປະກອນການການສັ່ງຊື້
DocType: Shopping Cart Settings,Payment Success URL,ການຊໍາລະເງິນ URL ສົບຜົນສໍາເລັດ
@@ -1572,11 +1583,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,ເປີດ Balance Stock
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} ຈະຕ້ອງປາກົດພຽງແຕ່ຄັ້ງດຽວ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},ບໍ່ອະນຸຍາດໃຫ້ໂອນຫຼາຍ {0} ກວ່າ {1} ຕໍ່ສັ່ງຊື້ {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},ບໍ່ອະນຸຍາດໃຫ້ໂອນຫຼາຍ {0} ກວ່າ {1} ຕໍ່ສັ່ງຊື້ {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},ໃບຈັດສັນສົບຜົນສໍາເລັດສໍາລັບການ {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,ບໍ່ມີສິນຄ້າທີ່ຈະຊອງ
DocType: Shipping Rule Condition,From Value,ຈາກມູນຄ່າ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,ປະລິມານການຜະລິດເປັນການບັງຄັບ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,ປະລິມານການຜະລິດເປັນການບັງຄັບ
DocType: Employee Loan,Repayment Method,ວິທີການຊໍາລະ
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","ຖ້າຫາກວ່າການກວດກາ, ຫນ້າທໍາອິດຈະເປັນກຸ່ມສິນຄ້າມາດຕະຖານສໍາລັບການເວັບໄຊທ໌"
DocType: Quality Inspection Reading,Reading 4,ອ່ານ 4
@@ -1586,7 +1597,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},"ຕິດຕໍ່ກັນ, {0}: ວັນ Clearance {1} ບໍ່ສາມາດກ່ອນທີ່ວັນ Cheque {2}"
DocType: Company,Default Holiday List,ມາດຕະຖານບັນຊີ Holiday
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},ຕິດຕໍ່ກັນ {0}: ຈາກທີ່ໃຊ້ເວລາແລະການໃຊ້ເວລາຂອງ {1} ແມ່ນ overlapping ກັບ {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,ຫນີ້ສິນ Stock
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,ຫນີ້ສິນ Stock
DocType: Purchase Invoice,Supplier Warehouse,Supplier Warehouse
DocType: Opportunity,Contact Mobile No,ການຕິດຕໍ່ໂທລະສັບມືຖື
,Material Requests for which Supplier Quotations are not created,ການຮ້ອງຂໍອຸປະກອນການສໍາລັບການທີ່ Quotations Supplier ຍັງບໍ່ໄດ້ສ້າງ
@@ -1597,35 +1608,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,ເຮັດໃຫ້ສະເຫນີລາຄາ
apps/erpnext/erpnext/config/selling.py +216,Other Reports,ບົດລາຍງານອື່ນ ໆ
DocType: Dependent Task,Dependent Task,Task ຂຶ້ນ
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},ປັດໄຈທີ່ປ່ຽນແປງສໍາລັບຫນ່ວຍໃນຕອນຕົ້ນຂອງການປະມານ 1 ປີຕິດຕໍ່ກັນ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},ປັດໄຈທີ່ປ່ຽນແປງສໍາລັບຫນ່ວຍໃນຕອນຕົ້ນຂອງການປະມານ 1 ປີຕິດຕໍ່ກັນ {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},ອອກຈາກການປະເພດ {0} ບໍ່ສາມາດຈະຕໍ່ໄປອີກແລ້ວກ່ວາ {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,ພະຍາຍາມການວາງແຜນການດໍາເນີນງານສໍາລັບມື້ X ໃນການລ່ວງຫນ້າ.
DocType: HR Settings,Stop Birthday Reminders,ຢຸດວັນເດືອນປີເກີດເຕືອນ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},ກະລຸນາທີ່ກໍານົດໄວ້ມາດຕະຖານ Payroll Account Payable ໃນບໍລິສັດ {0}
DocType: SMS Center,Receiver List,ບັນຊີຮັບ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,ຄົ້ນຫາສິນຄ້າ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,ຄົ້ນຫາສິນຄ້າ
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,ຈໍານວນການບໍລິໂພກ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,ການປ່ຽນແປງສຸດທິໃນເງິນສົດ
DocType: Assessment Plan,Grading Scale,ຂະຫນາດການຈັດລໍາດັບ
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,ຫນ່ວຍບໍລິການຂອງການ {0} ໄດ້ຮັບເຂົ້າໄປຫຼາຍກ່ວາຫນຶ່ງຄັ້ງໃນການສົນທະນາປັດໄຈຕາຕະລາງ
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,ຫນ່ວຍບໍລິການຂອງການ {0} ໄດ້ຮັບເຂົ້າໄປຫຼາຍກ່ວາຫນຶ່ງຄັ້ງໃນການສົນທະນາປັດໄຈຕາຕະລາງ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,ສໍາເລັດແລ້ວ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock ໃນມື
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},ຄໍາຂໍຊໍາລະຢູ່ແລ້ວ {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,ຄ່າໃຊ້ຈ່າຍຂອງລາຍການອອກ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},ປະລິມານຈະຕ້ອງບໍ່ຫຼາຍກ່ວາ {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,ກ່ອນຫນ້າປີດ້ານການເງິນແມ່ນບໍ່ມີການປິດ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),ອາຍຸສູງສຸດ (ວັນ)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),ອາຍຸສູງສຸດ (ວັນ)
DocType: Quotation Item,Quotation Item,ສະເຫນີລາຄາສິນຄ້າ
+DocType: Customer,Customer POS Id,Id POS Customer
DocType: Account,Account Name,ຊື່ບັນຊີ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,ຈາກວັນທີບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາເຖິງວັນທີ່
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} ປະລິມານ {1} ບໍ່ສາມາດຈະສ່ວນຫນຶ່ງເປັນ
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,ປະເພດຜູ້ສະຫນອງຕົ້ນສະບັບ.
DocType: Purchase Order Item,Supplier Part Number,ຜູ້ຜະລິດຈໍານວນສ່ວນ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,ອັດຕາການປ່ຽນໃຈເຫລື້ອມໃສບໍ່ສາມາດຈະເປັນ 0 ຫລື 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,ອັດຕາການປ່ຽນໃຈເຫລື້ອມໃສບໍ່ສາມາດຈະເປັນ 0 ຫລື 1
DocType: Sales Invoice,Reference Document,ເອກະສານກະສານອ້າງອີງ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} ຖືກຍົກເລີກຫຼືຢຸດເຊົາການ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} ຖືກຍົກເລີກຫຼືຢຸດເຊົາການ
DocType: Accounts Settings,Credit Controller,ຄວບຄຸມການປ່ອຍສິນເຊື່ອ
DocType: Delivery Note,Vehicle Dispatch Date,ຍານພາຫະນະວັນຫນັງສືທາງການ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,ຊື້ຮັບ {0} ບໍ່ໄດ້ສົ່ງ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,ຊື້ຮັບ {0} ບໍ່ໄດ້ສົ່ງ
DocType: Company,Default Payable Account,ມາດຕະຖານບັນຊີເຈົ້າຫນີ້
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","ການຕັ້ງຄ່າສໍາລັບໂຄງຮ່າງການໄປຊື້ເຄື່ອງອອນໄລນ໌ເຊັ່ນ: ກົດລະບຽບການຂົນສົ່ງ, ບັນຊີລາຍການລາຄາແລະອື່ນໆ"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% ບິນ
@@ -1644,11 +1657,12 @@
DocType: Expense Claim,Total Amount Reimbursed,ຈໍານວນທັງຫມົດການຊົດເຊີຍຄືນ
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,ນີ້ແມ່ນອີງໃສ່ໄມ້ຕໍ່ກັບຍານພາຫະນະນີ້. ເບິ່ງໄລຍະເວລາຂ້າງລຸ່ມນີ້ສໍາລັບລາຍລະອຽດ
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,ເກັບກໍາ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},ຕໍ່ Supplier Invoice {0} ວັນ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},ຕໍ່ Supplier Invoice {0} ວັນ {1}
DocType: Customer,Default Price List,ລາຄາມາດຕະຖານ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,ການບັນທຶກການເຄື່ອນໄຫວຊັບສິນ {0} ສ້າງ
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,ທ່ານບໍ່ສາມາດລົບປະຈໍາປີ {0}. ປີງົບປະມານ {0} ກໍານົດເປັນມາດຕະຖານໃນການຕັ້ງຄ່າ Global
DocType: Journal Entry,Entry Type,ປະເພດເຂົ້າ
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,No ແຜນການປະເມີນຜົນການເຊື່ອມໂຍງກັບກຸ່ມການປະເມີນຜົນນີ້
,Customer Credit Balance,ຍອດສິນເຊື່ອລູກຄ້າ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,ການປ່ຽນແປງສຸດທິໃນບັນຊີເຈົ້າຫນີ້
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',ລູກຄ້າທີ່ຕ້ອງການສໍາລັບການ 'Customerwise ສ່ວນລົດ'
@@ -1657,7 +1671,7 @@
DocType: Quotation,Term Details,ລາຍລະອຽດໃນໄລຍະ
DocType: Project,Total Sales Cost (via Sales Order),ມູນຄ່າທັງຫມົດ Sales (ຜ່ານສັ່ງຊື້ຂາຍ)
DocType: Project,Total Sales Cost (via Sales Order),ມູນຄ່າທັງຫມົດ Sales (ຜ່ານສັ່ງຊື້ຂາຍ)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,ບໍ່ສາມາດລົງທະບຽນຫຼາຍກ່ວາ {0} ນັກສຶກສາສໍາລັບກຸ່ມນັກສຶກສານີ້.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,ບໍ່ສາມາດລົງທະບຽນຫຼາຍກ່ວາ {0} ນັກສຶກສາສໍາລັບກຸ່ມນັກສຶກສານີ້.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,ນັບເປັນຜູ້ນໍາພາ
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,ນັບເປັນຜູ້ນໍາພາ
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} ຕ້ອງໄດ້ຫຼາຍກ່ວາ 0
@@ -1680,7 +1694,7 @@
DocType: Sales Invoice,Packed Items,ການບັນຈຸ
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,ການຮັບປະກັນການຮຽກຮ້ອງຕໍ່ສະບັບເລກທີ Serial
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","ທົດແທນໂດຍສະເພາະແມ່ນ BOM ໃນແອບເປີ້ນອື່ນໆທັງຫມົດທີ່ມັນຖືກນໍາໃຊ້. ມັນຈະແທນການເຊື່ອມຕໍ່ BOM ອາຍຸ, ການປັບປຸງຄ່າໃຊ້ຈ່າຍແລະການຟື້ນຟູຕາຕະລາງ "BOM ລະເບີດ Item" ເປັນຕໍ່ BOM ໃຫມ່"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','ທັງຫມົດ'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','ທັງຫມົດ'
DocType: Shopping Cart Settings,Enable Shopping Cart,ເຮັດໃຫ້ໂຄງຮ່າງການຊື້
DocType: Employee,Permanent Address,ທີ່ຢູ່ຖາວອນ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1696,9 +1710,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,ກະລຸນາລະບຸບໍ່ວ່າຈະປະລິມານຫຼືອັດຕາການປະເມີນມູນຄ່າຫຼືທັງສອງຢ່າງ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,ປະຕິບັດຕາມ
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,ເບິ່ງໃນໂຄງຮ່າງການ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,ຄ່າໃຊ້ຈ່າຍການຕະຫຼາດ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,ຄ່າໃຊ້ຈ່າຍການຕະຫຼາດ
,Item Shortage Report,ບົດລາຍງານການຂາດແຄນສິນຄ້າ
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","ນ້ໍາທີ່ໄດ້ກ່າວມາ, \ nPlease ເວົ້າເຖິງ "ນ້ໍາຫນັກ UOM" ເຊັ່ນດຽວກັນ"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","ນ້ໍາທີ່ໄດ້ກ່າວມາ, \ nPlease ເວົ້າເຖິງ "ນ້ໍາຫນັກ UOM" ເຊັ່ນດຽວກັນ"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,ຂໍອຸປະກອນການນໍາໃຊ້ເພື່ອເຮັດໃຫ້ການອອກສຽງ Stock
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,ຕໍ່ໄປວັນທີ່ຄ່າເສື່ອມລາຄາເປັນການບັງຄັບສໍາລັບຊັບສິນໃຫມ່
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Group ແຍກຕາມແນ່ນອນສໍາລັບທຸກຊຸດ
@@ -1708,17 +1722,18 @@
,Student Fee Collection,ການເກັບຄ່າບໍລິການນັກສຶກສາ
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,ເຮັດໃຫ້ການເຂົ້າບັນຊີສໍາຫລັບທຸກການເຄື່ອນໄຫວ Stock
DocType: Leave Allocation,Total Leaves Allocated,ໃບທັງຫມົດຈັດສັນ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Warehouse ກໍານົດໄວ້ຢູ່ແຖວ No {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,ກະລຸນາໃສ່ປີເລີ່ມຕົ້ນທີ່ຖືກຕ້ອງທາງດ້ານການເງິນແລະວັນສຸດທ້າຍ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Warehouse ກໍານົດໄວ້ຢູ່ແຖວ No {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,ກະລຸນາໃສ່ປີເລີ່ມຕົ້ນທີ່ຖືກຕ້ອງທາງດ້ານການເງິນແລະວັນສຸດທ້າຍ
DocType: Employee,Date Of Retirement,ວັນທີ່ສະຫມັກບໍານານ
DocType: Upload Attendance,Get Template,ໄດ້ຮັບ Template
+DocType: Material Request,Transferred,ໂອນ
DocType: Vehicle,Doors,ປະຕູ
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,Setup ERPNext ສໍາເລັດ!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Setup ERPNext ສໍາເລັດ!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: ສູນຕົ້ນທຶນທີ່ຕ້ອງການສໍາລັບການ 'ກໍາໄຮຂາດທຶນບັນຊີ {2}. ກະລຸນາສ້າງຕັ້ງຂຶ້ນເປັນສູນຕົ້ນທຶນມາດຕະຖານສໍາລັບການບໍລິສັດ.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,A ກຸ່ມລູກຄ້າທີ່ມີຢູ່ມີຊື່ດຽວກັນກະລຸນາມີການປ່ຽນແປງຊື່ລູກຄ້າຫຼືປ່ຽນຊື່ກຸ່ມລູກຄ້າ
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,ຕິດຕໍ່ໃຫມ່
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,A ກຸ່ມລູກຄ້າທີ່ມີຢູ່ມີຊື່ດຽວກັນກະລຸນາມີການປ່ຽນແປງຊື່ລູກຄ້າຫຼືປ່ຽນຊື່ກຸ່ມລູກຄ້າ
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,ຕິດຕໍ່ໃຫມ່
DocType: Territory,Parent Territory,ອານາເຂດຂອງພໍ່ແມ່
DocType: Quality Inspection Reading,Reading 2,ອ່ານ 2
DocType: Stock Entry,Material Receipt,ຮັບອຸປະກອນການ
@@ -1727,17 +1742,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","ຖ້າຫາກວ່າລາຍການນີ້ມີ variants, ຫຼັງຈາກນັ້ນມັນກໍສາມາດບໍ່ໄດ້ຮັບການຄັດເລືອກໃນໃບສັ່ງຂາຍແລະອື່ນໆ"
DocType: Lead,Next Contact By,ຕິດຕໍ່ຕໍ່ໄປໂດຍ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},ປະລິມານທີ່ກໍານົດໄວ້ສໍາລັບລາຍການ {0} ຕິດຕໍ່ກັນ {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},Warehouse {0} ບໍ່ສາມາດໄດ້ຮັບການລຶບເປັນປະລິມານທີ່ມີຢູ່ສໍາລັບລາຍການ {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},ປະລິມານທີ່ກໍານົດໄວ້ສໍາລັບລາຍການ {0} ຕິດຕໍ່ກັນ {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Warehouse {0} ບໍ່ສາມາດໄດ້ຮັບການລຶບເປັນປະລິມານທີ່ມີຢູ່ສໍາລັບລາຍການ {1}
DocType: Quotation,Order Type,ປະເພດຄໍາສັ່ງ
DocType: Purchase Invoice,Notification Email Address,ແຈ້ງທີ່ຢູ່ອີເມວ
,Item-wise Sales Register,ລາຍການສະຫລາດ Sales ຫມັກສະມາຊິກ
DocType: Asset,Gross Purchase Amount,ການຊື້ທັງຫມົດ
DocType: Asset,Depreciation Method,ວິທີການຄ່າເສື່ອມລາຄາ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,ອອຟໄລ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,ອອຟໄລ
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,ເປັນພາສີນີ້ລວມຢູ່ໃນອັດຕາພື້ນຖານ?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,ເປົ້າຫມາຍທັງຫມົດ
-DocType: Program Course,Required,ທີ່ກໍານົດໄວ້
DocType: Job Applicant,Applicant for a Job,ສະຫມັກວຽກຄິກທີ່ນີ້
DocType: Production Plan Material Request,Production Plan Material Request,ການຜະລິດແຜນການວັດສະດຸຂໍ
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,ບໍ່ມີໃບສັ່ງຜະລິດສ້າງ
@@ -1747,17 +1761,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,ອະນຸຍາດໃຫ້ຂາຍສິນຄ້າຫລາຍຕໍ່ການສັ່ງຊື້ຂອງລູກຄ້າເປັນ
DocType: Student Group Instructor,Student Group Instructor,Group Student ສອນ
DocType: Student Group Instructor,Student Group Instructor,Group Student ສອນ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 Mobile No
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,ຕົ້ນຕໍ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile No
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,ຕົ້ນຕໍ
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,variant
DocType: Naming Series,Set prefix for numbering series on your transactions,ຕັ້ງຄໍານໍາຫນ້າສໍາລັບການຈໍານວນໄລຍະກ່ຽວກັບການໂອນຂອງທ່ານ
DocType: Employee Attendance Tool,Employees HTML,ພະນັກງານ HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,ມາດຕະຖານ BOM ({0}) ຕ້ອງມີການເຄື່ອນໄຫວສໍາລັບລາຍການນີ້ຫຼືແມ່ຂອງຕົນ
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,ມາດຕະຖານ BOM ({0}) ຕ້ອງມີການເຄື່ອນໄຫວສໍາລັບລາຍການນີ້ຫຼືແມ່ຂອງຕົນ
DocType: Employee,Leave Encashed?,ອອກຈາກ Encashed?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ໂອກາດຈາກພາກສະຫນາມເປັນການບັງຄັບ
DocType: Email Digest,Annual Expenses,ຄ່າໃຊ້ຈ່າຍປະຈໍາປີ
DocType: Item,Variants,variants
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,ເຮັດໃຫ້ການສັ່ງຊື້
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,ເຮັດໃຫ້ການສັ່ງຊື້
DocType: SMS Center,Send To,ສົ່ງເຖິງ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},ຍັງບໍ່ທັນມີຄວາມສົມດູນອອກພຽງພໍສໍາລັບການອອກຈາກປະເພດ {0}
DocType: Payment Reconciliation Payment,Allocated amount,ຈໍານວນເງິນທີ່ຈັດສັນ
@@ -1773,26 +1787,25 @@
DocType: Item,Serial Nos and Batches,Serial Nos ແລະສໍາຫລັບຂະບວນ
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Strength Group ນັກສຶກສາ
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Strength Group ນັກສຶກສາ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,ຕໍ່ຕ້ານອະນຸ {0} ບໍ່ມີການ unmatched {1} ເຂົ້າ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,ຕໍ່ຕ້ານອະນຸ {0} ບໍ່ມີການ unmatched {1} ເຂົ້າ
apps/erpnext/erpnext/config/hr.py +137,Appraisals,ການປະເມີນຜົນ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},ຊ້ໍາບໍ່ມີ Serial ເຂົ້າສໍາລັບລາຍການ {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,A ເງື່ອນໄຂສໍາລັບລະບຽບການຈັດສົ່ງສິນຄ້າ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,ກະລຸນາໃສ່
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ບໍ່ສາມາດ overbill ສໍາລັບລາຍການ {0} ຕິດຕໍ່ກັນ {1} ຫຼາຍກ່ວາ {2}. ການອະນຸຍາດໃຫ້ຫຼາຍກວ່າ, ໃບບິນ, ກະລຸນາເກັບໄວ້ໃນຊື້ Settings"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,ກະລຸນາທີ່ກໍານົດໄວ້ການກັ່ນຕອງໂດຍອີງໃສ່ລາຍການຫຼື Warehouse
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ບໍ່ສາມາດ overbill ສໍາລັບລາຍການ {0} ຕິດຕໍ່ກັນ {1} ຫຼາຍກ່ວາ {2}. ການອະນຸຍາດໃຫ້ຫຼາຍກວ່າ, ໃບບິນ, ກະລຸນາເກັບໄວ້ໃນຊື້ Settings"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,ກະລຸນາທີ່ກໍານົດໄວ້ການກັ່ນຕອງໂດຍອີງໃສ່ລາຍການຫຼື Warehouse
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ນ້ໍາສຸດທິຂອງຊຸດນີ້. (ການຄິດໄລ່ອັດຕະໂນມັດເປັນຜົນລວມຂອງນ້ໍາຫນັກສຸດທິຂອງລາຍການ)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,ກະລຸນາສ້າງບັນຊີສໍາລັບ Warehouse ນີ້ແລະເຊື່ອມຕໍ່ກັບມັນ. ນີ້ບໍ່ສາມາດເຮັດໄດ້ອັດຕະໂນມັດບັນຊີທີ່ມີຊື່ເປັນ {0} ມີຢູ່ແລ້ວ
DocType: Sales Order,To Deliver and Bill,ການສົ່ງແລະບັນຊີລາຍການ
DocType: Student Group,Instructors,instructors
DocType: GL Entry,Credit Amount in Account Currency,ການປ່ອຍສິນເຊື່ອໃນສະກຸນເງິນບັນຊີ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} ຕ້ອງໄດ້ຮັບການສົ່ງ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} ຕ້ອງໄດ້ຮັບການສົ່ງ
DocType: Authorization Control,Authorization Control,ການຄວບຄຸມການອະນຸຍາດ
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},"ຕິດຕໍ່ກັນ, {0}: ປະຕິເສດ Warehouse ເປັນການບັງຄັບຕໍ່ຕ້ານສິນຄ້າປະຕິເສດ {1}"
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},"ຕິດຕໍ່ກັນ, {0}: ປະຕິເສດ Warehouse ເປັນການບັງຄັບຕໍ່ຕ້ານສິນຄ້າປະຕິເສດ {1}"
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,ການຊໍາລະເງິນ
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Warehouse {0} ບໍ່ໄດ້ເຊື່ອມໂຍງກັບບັນຊີໃດ, ກະລຸນາລະບຸບັນຊີໃນບັນທຶກສາງຫຼືກໍານົດບັນຊີສິນຄ້າຄົງຄັງໃນຕອນຕົ້ນໃນບໍລິສັດ {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,ການຄຸ້ມຄອງຄໍາສັ່ງຂອງທ່ານ
DocType: Production Order Operation,Actual Time and Cost,ທີ່ໃຊ້ເວລາແລະຄ່າໃຊ້ຈ່າຍຕົວຈິງ
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},ຂໍອຸປະກອນການສູງສຸດ {0} ສາມາດເຮັດໄດ້ສໍາລັບລາຍການ {1} ຕໍ່ຂາຍສິນຄ້າ {2}
-DocType: Employee,Salutation,ຄໍາຂຶ້ນຕົ້ນ
DocType: Course,Course Abbreviation,ຊື່ຫຍໍ້ຂອງລາຍວິຊາ
DocType: Student Leave Application,Student Leave Application,ຄໍາຮ້ອງສະຫມັກອອກຈາກນັກສຶກສາ
DocType: Item,Will also apply for variants,ຍັງຈະນໍາໃຊ້ສໍາລັບການ variants
@@ -1804,12 +1817,12 @@
DocType: Quotation Item,Actual Qty,ຕົວຈິງຈໍານວນ
DocType: Sales Invoice Item,References,ເອກະສານ
DocType: Quality Inspection Reading,Reading 10,ອ່ານ 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","ລາຍຊື່ຜະລິດຕະພັນຫຼືການບໍລິການຂອງທ່ານທີ່ທ່ານຈະຊື້ຫຼືຂາຍ. ເຮັດໃຫ້ແນ່ໃຈວ່າການກວດສອບການກຸ່ມສິນຄ້າ, ຫນ່ວຍງານຂອງມາດຕະການແລະຄຸນສົມບັດອື່ນໆໃນເວລາທີ່ທ່ານຈະເລີ່ມຕົ້ນ."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","ລາຍຊື່ຜະລິດຕະພັນຫຼືການບໍລິການຂອງທ່ານທີ່ທ່ານຈະຊື້ຫຼືຂາຍ. ເຮັດໃຫ້ແນ່ໃຈວ່າການກວດສອບການກຸ່ມສິນຄ້າ, ຫນ່ວຍງານຂອງມາດຕະການແລະຄຸນສົມບັດອື່ນໆໃນເວລາທີ່ທ່ານຈະເລີ່ມຕົ້ນ."
DocType: Hub Settings,Hub Node,Hub Node
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,ທ່ານໄດ້ເຂົ້າໄປລາຍການລາຍການທີ່ຊ້ໍາ. ກະລຸນາແກ້ໄຂແລະພະຍາຍາມອີກເທື່ອຫນຶ່ງ.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,ສະມາຄົມ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,ສະມາຄົມ
DocType: Asset Movement,Asset Movement,ການເຄື່ອນໄຫວຊັບສິນ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,ໂຄງຮ່າງການໃຫມ່
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,ໂຄງຮ່າງການໃຫມ່
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,ລາຍການ {0} ບໍ່ແມ່ນລາຍການຕໍ່ເນື່ອງ
DocType: SMS Center,Create Receiver List,ສ້າງບັນຊີຮັບ
DocType: Vehicle,Wheels,ຂັບລົດ
@@ -1829,19 +1842,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',ສາມາດສົ່ງຕິດຕໍ່ກັນພຽງແຕ່ຖ້າຫາກວ່າປະເພດຄ່າໃຊ້ຈ່າຍແມ່ນ 'ກ່ຽວກັບຈໍານວນແຖວ Previous' ຫຼື 'ກ່ອນຫນ້າ Row ລວມ
DocType: Sales Order Item,Delivery Warehouse,Warehouse ສົ່ງ
DocType: SMS Settings,Message Parameter,ພາລາມິເຕີຂໍ້ຄວາມ
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,ເປັນໄມ້ຢືນຕົ້ນຂອງສູນຕົ້ນທຶນທາງດ້ານການເງິນ.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,ເປັນໄມ້ຢືນຕົ້ນຂອງສູນຕົ້ນທຶນທາງດ້ານການເງິນ.
DocType: Serial No,Delivery Document No,ສົ່ງເອກະສານທີ່ບໍ່ມີ
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},ກະລຸນາຕັ້ງ 'ບັນຊີ / ການສູນເສຍກໍາໄຮຈາກການທໍາລາຍຊັບສິນໃນບໍລິສັດ {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,ຮັບສິນຄ້າຈາກການຊື້ຮັບ
DocType: Serial No,Creation Date,ວັນທີ່ສ້າງ
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},ລາຍການ {0} ປາກົດຂຶ້ນຫລາຍຄັ້ງໃນລາຄາ {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","ຂາຍຕ້ອງໄດ້ຮັບການກວດສອບ, ຖ້າຫາກວ່າສາມາດນໍາໃຊ້ສໍາລັບການໄດ້ຖືກຄັດເລືອກເປັນ {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","ຂາຍຕ້ອງໄດ້ຮັບການກວດສອບ, ຖ້າຫາກວ່າສາມາດນໍາໃຊ້ສໍາລັບການໄດ້ຖືກຄັດເລືອກເປັນ {0}"
DocType: Production Plan Material Request,Material Request Date,ຂໍອຸປະກອນການວັນທີ່
DocType: Purchase Order Item,Supplier Quotation Item,ຜູ້ຜະລິດສະເຫນີລາຄາສິນຄ້າ
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,ປິດການໃຊ້ວຽກການສ້າງຂໍ້ມູນບັນທຶກທີ່ໃຊ້ເວລາຕໍ່ໃບສັ່ງຜະລິດ. ການດໍາເນີນງານຈະບໍ່ໄດ້ຮັບການຕິດຕາມຕໍ່ສັ່ງຊື້ສິນຄ້າ
DocType: Student,Student Mobile Number,ຈໍານວນໂທລະສັບມືຖືນັກສຶກສາ
DocType: Item,Has Variants,ມີ Variants
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},ທ່ານໄດ້ຄັດເລືອກເອົາແລ້ວລາຍການຈາກ {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},ທ່ານໄດ້ຄັດເລືອກເອົາແລ້ວລາຍການຈາກ {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,ຊື່ຂອງການແຜ່ກະຈາຍລາຍເດືອນ
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,ID batch ເປັນການບັງຄັບ
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,ID batch ເປັນການບັງຄັບ
@@ -1852,12 +1865,12 @@
DocType: Budget,Fiscal Year,ປີງົບປະມານ
DocType: Vehicle Log,Fuel Price,ລາຄານໍ້າມັນເຊື້ອໄຟ
DocType: Budget,Budget,ງົບປະມານ
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,ລາຍການສິນຊັບຖາວອນຕ້ອງຈະເປັນລາຍການບໍ່ແມ່ນຫຼັກຊັບ.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,ລາຍການສິນຊັບຖາວອນຕ້ອງຈະເປັນລາຍການບໍ່ແມ່ນຫຼັກຊັບ.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","ງົບປະມານບໍ່ສາມາດໄດ້ຮັບການມອບຫມາຍຕໍ່ຕ້ານ {0}, ຍ້ອນວ່າມັນບໍ່ແມ່ນເປັນບັນຊີລາຍໄດ້ຫຼືຄ່າໃຊ້ຈ່າຍ"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,ໄດ້ບັນລຸຜົນ
DocType: Student Admission,Application Form Route,ຄໍາຮ້ອງສະຫມັກແບບຟອມການເສັ້ນທາງ
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,ອານາເຂດຂອງ / ລູກຄ້າ
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,ຕົວຢ່າງ: 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,ຕົວຢ່າງ: 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,ອອກຈາກປະເພດ {0} ບໍ່ສາມາດຈັດຕັ້ງແຕ່ມັນໄດ້ຖືກອອກໂດຍບໍ່ມີການຈ່າຍເງິນ
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},ຕິດຕໍ່ກັນ {0}: ຈັດສັນຈໍານວນເງິນ {1} ຕ້ອງຫນ້ອຍກ່ວາຫຼືເທົ່າກັບໃບເກັບເງິນຈໍານວນທີ່ຍັງຄ້າງຄາ {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,ໃນຄໍາສັບຕ່າງໆຈະສັງເກດເຫັນເມື່ອທ່ານຊ່ວຍປະຢັດໃບກໍາກັບສິນ Sales.
@@ -1866,7 +1879,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,ລາຍການ {0} ບໍ່ແມ່ນການຕິດຕັ້ງສໍາລັບການ Serial Nos. ກວດສອບການຕົ້ນສະບັບລາຍການ
DocType: Maintenance Visit,Maintenance Time,ທີ່ໃຊ້ເວລາບໍາລຸງຮັກສາ
,Amount to Deliver,ຈໍານວນການສົ່ງ
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,A ຜະລິດຕະພັນຫຼືການບໍລິການ
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,A ຜະລິດຕະພັນຫຼືການບໍລິການ
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ວັນທີໄລຍະເລີ່ມຕົ້ນບໍ່ສາມາດຈະກ່ອນຫນ້ານັ້ນກ່ວາປີເລີ່ມວັນທີຂອງປີທາງວິຊາການທີ່ໃນໄລຍະການມີການເຊື່ອມຕໍ່ (ປີທາງວິຊາການ {}). ກະລຸນາແກ້ໄຂຂໍ້ມູນວັນແລະພະຍາຍາມອີກເທື່ອຫນຶ່ງ.
DocType: Guardian,Guardian Interests,ຄວາມສົນໃຈຜູ້ປົກຄອງ
DocType: Naming Series,Current Value,ມູນຄ່າປະຈຸບັນ
@@ -1880,12 +1893,12 @@
must be greater than or equal to {2}","ຕິດຕໍ່ກັນ {0}: ເພື່ອກໍານົດ {1} ໄລຍະເວລາ, ຄວາມແຕກຕ່າງກັນລະຫວ່າງຈາກແລະກັບວັນທີ \ ຕ້ອງໄດ້ຫຼາຍກ່ວາຫຼືເທົ່າກັບ {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,ນີ້ແມ່ນອີງໃສ່ການເຄື່ອນຍ້າຍ. ເບິ່ງ {0} ສໍາລັບລາຍລະອຽດ
DocType: Pricing Rule,Selling,ຂາຍ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},ຈໍານວນ {0} {1} ຫັກຕໍ່ {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},ຈໍານວນ {0} {1} ຫັກຕໍ່ {2}
DocType: Employee,Salary Information,ຂໍ້ມູນເງິນເດືອນ
DocType: Sales Person,Name and Employee ID,ຊື່ແລະລະຫັດພະນັກງານ
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,ເນື່ອງຈາກວັນທີບໍ່ສາມາດກ່ອນທີ່ໂພດວັນທີ່
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,ເນື່ອງຈາກວັນທີບໍ່ສາມາດກ່ອນທີ່ໂພດວັນທີ່
DocType: Website Item Group,Website Item Group,ກຸ່ມສິນຄ້າເວັບໄຊທ໌
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,ຫນ້າທີ່ແລະພາສີອາກອນ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,ຫນ້າທີ່ແລະພາສີອາກອນ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,ກະລຸນາໃສ່ວັນທີເອກະສານ
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} entries ການຈ່າຍເງິນບໍ່ສາມາດໄດ້ຮັບການກັ່ນຕອງດ້ວຍ {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,ຕາຕະລາງສໍາລັບລາຍການທີ່ຈະໄດ້ຮັບການສະແດງໃຫ້ເຫັນໃນເວັບໄຊ
@@ -1902,9 +1915,9 @@
DocType: Payment Reconciliation Payment,Reference Row,Row ກະສານອ້າງອີງ
DocType: Installation Note,Installation Time,ທີ່ໃຊ້ເວລາການຕິດຕັ້ງ
DocType: Sales Invoice,Accounting Details,ລາຍລະອຽດການບັນຊີ
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,ລົບລາຍະການທັງຫມົດສໍາລັບການບໍລິສັດນີ້
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"ຕິດຕໍ່ກັນ, {0}: ການດໍາເນີນງານ {1} ບໍ່ໄດ້ສໍາເລັດສໍາລັບການ {2} ຈໍານວນຂອງສິນຄ້າສໍາເລັດໃນການຜະລິດລໍາດັບທີ່ {3}. ກະລຸນາປັບປຸງສະຖານະພາບການດໍາເນີນງານໂດຍຜ່ານທີ່ໃຊ້ເວລາບັນທຶກ"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,ການລົງທຶນ
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,ລົບລາຍະການທັງຫມົດສໍາລັບການບໍລິສັດນີ້
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"ຕິດຕໍ່ກັນ, {0}: ການດໍາເນີນງານ {1} ບໍ່ໄດ້ສໍາເລັດສໍາລັບການ {2} ຈໍານວນຂອງສິນຄ້າສໍາເລັດໃນການຜະລິດລໍາດັບທີ່ {3}. ກະລຸນາປັບປຸງສະຖານະພາບການດໍາເນີນງານໂດຍຜ່ານທີ່ໃຊ້ເວລາບັນທຶກ"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,ການລົງທຶນ
DocType: Issue,Resolution Details,ລາຍລະອຽດຄວາມລະອຽດ
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,ການຈັດສັນ
DocType: Item Quality Inspection Parameter,Acceptance Criteria,ເງື່ອນໄຂການຍອມຮັບ
@@ -1929,7 +1942,7 @@
DocType: Room,Room Name,ຊື່ຫ້ອງ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","ອອກຈາກບໍ່ສາມາດໄດ້ຮັບການນໍາໃຊ້ / ຍົກເລີກກ່ອນ {0}, ເປັນການດຸ່ນດ່ຽງອອກໄດ້ແລ້ວປະຕິບັດ, ສົ່ງໃນການບັນທຶກການຈັດສັນອອກໃນອະນາຄົດ {1}"
DocType: Activity Cost,Costing Rate,ການໃຊ້ຈ່າຍອັດຕາ
-,Customer Addresses And Contacts,ທີ່ຢູ່ຂອງລູກຄ້າແລະການຕິດຕໍ່
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,ທີ່ຢູ່ຂອງລູກຄ້າແລະການຕິດຕໍ່
,Campaign Efficiency,ປະສິດທິພາບຂະບວນການ
,Campaign Efficiency,ປະສິດທິພາບຂະບວນການ
DocType: Discussion,Discussion,ການສົນທະນາ
@@ -1941,14 +1954,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),ຈໍານວນການເອີ້ນເກັບເງິນທັງຫມົດ (ໂດຍຜ່ານທີ່ໃຊ້ເວລາ Sheet)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,ລາຍການລູກຄ້າຊ້ໍາ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) ຕ້ອງມີພາລະບົດບາດ 'ຄ່າໃຊ້ຈ່າຍການອະນຸມັດ
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,ຄູ່
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,ເລືອກ BOM ແລະຈໍານວນການຜະລິດ
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,ຄູ່
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,ເລືອກ BOM ແລະຈໍານວນການຜະລິດ
DocType: Asset,Depreciation Schedule,ຕາຕະລາງຄ່າເສື່ອມລາຄາ
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,ທີ່ຢູ່ Partner ຂາຍແລະຕິດຕໍ່
DocType: Bank Reconciliation Detail,Against Account,ຕໍ່ບັນຊີ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,ເຄິ່ງຫນຶ່ງຂອງວັນທີ່ຄວນຈະມີລະຫວ່າງຕັ້ງແຕ່ວັນທີ່ແລະວັນທີ
DocType: Maintenance Schedule Detail,Actual Date,ວັນທີ່
DocType: Item,Has Batch No,ມີ Batch No
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},ການເອີ້ນເກັບເງິນປະຈໍາປີ: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},ການເອີ້ນເກັບເງິນປະຈໍາປີ: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),ສິນຄ້າແລະບໍລິການພາສີ (GST ອິນເດຍ)
DocType: Delivery Note,Excise Page Number,ອາກອນຊົມໃຊ້ຈໍານວນຫນ້າ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","ບໍລິສັດ, ຈາກວັນທີ່ສະຫມັກແລະວັນທີບັງຄັບ"
DocType: Asset,Purchase Date,ວັນທີ່ຊື້
@@ -1956,11 +1971,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},ກະລຸນາຕັ້ງຊັບ Center ຄ່າເສື່ອມລາຄາຕົ້ນທຶນໃນບໍລິສັດ {0}
,Maintenance Schedules,ຕາຕະລາງການບໍາລຸງຮັກສາ
DocType: Task,Actual End Date (via Time Sheet),ຕົວຈິງວັນທີ່ສິ້ນສຸດ (ຜ່ານທີ່ໃຊ້ເວລາ Sheet)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},ຈໍານວນ {0} {1} ກັບ {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},ຈໍານວນ {0} {1} ກັບ {2} {3}
,Quotation Trends,ແນວໂນ້ມວົງຢືມ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},ກຸ່ມສິນຄ້າບໍ່ໄດ້ກ່າວເຖິງໃນຕົ້ນສະບັບລາຍການສໍາລັບການ item {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,ເດບິດການບັນຊີຈະຕ້ອງບັນຊີລູກຫນີ້
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},ກຸ່ມສິນຄ້າບໍ່ໄດ້ກ່າວເຖິງໃນຕົ້ນສະບັບລາຍການສໍາລັບການ item {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,ເດບິດການບັນຊີຈະຕ້ອງບັນຊີລູກຫນີ້
DocType: Shipping Rule Condition,Shipping Amount,ການຂົນສົ່ງຈໍານວນເງິນ
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,ຕື່ມການລູກຄ້າ
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,ທີ່ຍັງຄ້າງຈໍານວນ
DocType: Purchase Invoice Item,Conversion Factor,ປັດໄຈການປ່ຽນແປງ
DocType: Purchase Order,Delivered,ສົ່ງ
@@ -1970,7 +1986,8 @@
DocType: Purchase Receipt,Vehicle Number,ຈໍານວນຍານພາຫະນະ
DocType: Purchase Invoice,The date on which recurring invoice will be stop,ວັນທີ່ໃບເກັບເງິນທີ່ເກີດຂຶ້ນຈະໄດ້ຮັບການຢຸດເຊົາການ
DocType: Employee Loan,Loan Amount,ຈໍານວນເງິນກູ້ຢືມເງິນ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},ແຖວ {0}: ບັນຊີລາຍການຂອງວັດສະດຸບໍ່ພົບມູນ {1}
+DocType: Program Enrollment,Self-Driving Vehicle,ຍານພາຫະນະຂອງຕົນເອງຂັບລົດ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},ແຖວ {0}: ບັນຊີລາຍການຂອງວັດສະດຸບໍ່ພົບມູນ {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,ໃບຈັດສັນທັງຫມົດ {0} ບໍ່ສາມາດຈະຫນ້ອຍກ່ວາໃບອະນຸມັດແລ້ວ {1} ສໍາລັບໄລຍະເວລາ
DocType: Journal Entry,Accounts Receivable,ບັນຊີລູກຫນີ້
,Supplier-Wise Sales Analytics,"ຜູ້ຜະລິດ, ສະຫລາດວິເຄາະ Sales"
@@ -1988,22 +2005,21 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,ຄ່າໃຊ້ຈ່າຍການຮຽກຮ້ອງແມ່ນທີ່ຍັງຄ້າງການອະນຸມັດ. ພຽງແຕ່ອະນຸມັດຄ່າໃຊ້ຈ່າຍທີ່ສາມາດປັບປຸງສະຖານະພາບ.
DocType: Email Digest,New Expenses,ຄ່າໃຊ້ຈ່າຍໃຫມ່
DocType: Purchase Invoice,Additional Discount Amount,ເພີ່ມເຕີມຈໍານວນສ່ວນລົດ
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ຕິດຕໍ່ກັນ, {0}: ຈໍານວນປະມານ 1 ປີ, ເປັນລາຍການເປັນສິນຊັບຖາວອນ. ກະລຸນາໃຊ້ຕິດຕໍ່ກັນທີ່ແຍກຕ່າງຫາກສໍາລັບການຈໍານວນຫຼາຍ."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ຕິດຕໍ່ກັນ, {0}: ຈໍານວນປະມານ 1 ປີ, ເປັນລາຍການເປັນສິນຊັບຖາວອນ. ກະລຸນາໃຊ້ຕິດຕໍ່ກັນທີ່ແຍກຕ່າງຫາກສໍາລັບການຈໍານວນຫຼາຍ."
DocType: Leave Block List Allow,Leave Block List Allow,ອອກຈາກສະໄຫມອະນຸຍາດໃຫ້
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,abbr ບໍ່ສາມາດມີຊ່ອງຫວ່າງຫຼືຊ່ອງ
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,abbr ບໍ່ສາມາດມີຊ່ອງຫວ່າງຫຼືຊ່ອງ
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,ກຸ່ມທີ່ບໍ່ແມ່ນກຸ່ມ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,ກິລາ
DocType: Loan Type,Loan Name,ຊື່ການກູ້ຢືມເງິນ
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,ທັງຫມົດທີ່ເກີດຂຶ້ນຈິງ
DocType: Student Siblings,Student Siblings,ອ້າຍເອື້ອຍນ້ອງນັກສຶກສາ
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,ຫນ່ວຍບໍລິການ
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,ກະລຸນາລະບຸບໍລິສັດ
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,ຫນ່ວຍບໍລິການ
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,ກະລຸນາລະບຸບໍລິສັດ
,Customer Acquisition and Loyalty,ຂອງທີ່ໄດ້ມາຂອງລູກຄ້າແລະຄວາມຈົງຮັກພັກ
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Warehouse ບ່ອນທີ່ທ່ານກໍາລັງຮັກສາຫຼັກຊັບຂອງລາຍການຖືກປະຕິເສດ
DocType: Production Order,Skip Material Transfer,ຂ້າມການວັດສະດຸໂອນ
DocType: Production Order,Skip Material Transfer,ຂ້າມການວັດສະດຸໂອນ
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,ບໍ່ສາມາດຊອກຫາອັດຕາແລກປ່ຽນໃນລາຄາ {0} ກັບ {1} ສໍາລັບວັນທີທີ່ສໍາຄັນ {2}. ກະລຸນາສ້າງບັນທຶກຕາແລກປ່ຽນເງິນດ້ວຍຕົນເອງ
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,ປີທາງດ້ານການເງິນຂອງທ່ານສິ້ນສຸດລົງໃນ
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,ບໍ່ສາມາດຊອກຫາອັດຕາແລກປ່ຽນໃນລາຄາ {0} ກັບ {1} ສໍາລັບວັນທີທີ່ສໍາຄັນ {2}. ກະລຸນາສ້າງບັນທຶກຕາແລກປ່ຽນເງິນດ້ວຍຕົນເອງ
DocType: POS Profile,Price List,ລາຍການລາຄາ
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} ແມ່ນໃນປັດຈຸບັນເລີ່ມຕົ້ນປີງົບປະມານ. ກະລຸນາໂຫຼດຫນ້າຈໍຄືນຂອງຕົວທ່ອງເວັບຂອງທ່ານສໍາລັບການປ່ຽນແປງທີ່ຈະມີຜົນກະທົບ.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,ການຮຽກຮ້ອງຄ່າໃຊ້ຈ່າຍ
@@ -2016,14 +2032,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock ຄວາມສົມດູນໃນ Batch {0} ຈະກາຍເປັນກະທົບທາງລົບ {1} ສໍາລັບລາຍການ {2} ທີ່ Warehouse {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,ປະຕິບັດຕາມການຮ້ອງຂໍການວັດສະດຸໄດ້ຮັບການຍົກຂຶ້ນມາອັດຕະໂນມັດອີງຕາມລະດັບ Re: ສັ່ງຊື້ສິນຄ້າຂອງ
DocType: Email Digest,Pending Sales Orders,ລໍຖ້າຄໍາສັ່ງຂາຍ
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},ບັນຊີ {0} ບໍ່ຖືກຕ້ອງ. ບັນຊີສະກຸນເງິນຈະຕ້ອງ {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},ບັນຊີ {0} ບໍ່ຖືກຕ້ອງ. ບັນຊີສະກຸນເງິນຈະຕ້ອງ {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},ປັດໄຈທີ່ UOM ສົນທະນາແມ່ນຕ້ອງການໃນການຕິດຕໍ່ກັນ {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ຕິດຕໍ່ກັນ, {0}: Reference ປະເພດເອກະສານຕ້ອງເປັນສ່ວນຫນຶ່ງຂອງຄໍາສັ່ງຂາຍ, ຂາຍໃບເກັບເງິນຫຼືການອະນຸທິນ"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ຕິດຕໍ່ກັນ, {0}: Reference ປະເພດເອກະສານຕ້ອງເປັນສ່ວນຫນຶ່ງຂອງຄໍາສັ່ງຂາຍ, ຂາຍໃບເກັບເງິນຫຼືການອະນຸທິນ"
DocType: Salary Component,Deduction,ການຫັກ
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,ຕິດຕໍ່ກັນ {0}: ຈາກທີ່ໃຊ້ເວລາແລະຈະໃຊ້ເວລາເປັນການບັງຄັບ.
DocType: Stock Reconciliation Item,Amount Difference,ຈໍານວນທີ່ແຕກຕ່າງກັນ
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},ລາຍການລາຄາເພີ່ມຂຶ້ນສໍາລັບ {0} ໃນລາຄາ {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},ລາຍການລາຄາເພີ່ມຂຶ້ນສໍາລັບ {0} ໃນລາຄາ {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,ກະລຸນາໃສ່ລະຫັດພະນັກງານຂອງບຸກຄົນການຂາຍນີ້
DocType: Territory,Classification of Customers by region,ການຈັດປະເພດຂອງລູກຄ້າຕາມພູມິພາກ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,ຄວາມແຕກຕ່າງກັນຈໍານວນເງິນຕ້ອງເປັນສູນ
@@ -2035,21 +2051,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,ຫັກຈໍານວນທັງຫມົດ
,Production Analytics,ການວິເຄາະການຜະລິດ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,ຄ່າໃຊ້ຈ່າຍ Updated
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,ຄ່າໃຊ້ຈ່າຍ Updated
DocType: Employee,Date of Birth,ວັນເດືອນປີເກີດ
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,ລາຍການ {0} ໄດ້ຖືກສົ່ງຄືນແລ້ວ
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,ລາຍການ {0} ໄດ້ຖືກສົ່ງຄືນແລ້ວ
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ປີງົບປະມານ ** ເປັນຕົວແທນເປັນປີການເງິນ. entries ບັນຊີທັງຫມົດແລະເຮັດທຸລະກໍາທີ່ສໍາຄັນອື່ນໆມີການຕິດຕາມຕໍ່ປີງົບປະມານ ** **.
DocType: Opportunity,Customer / Lead Address,ລູກຄ້າ / ທີ່ຢູ່ນໍາ
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},ການເຕືອນໄພ: ໃບຢັ້ງຢືນການ SSL ບໍ່ຖືກຕ້ອງກ່ຽວກັບສິ່ງທີ່ແນບມາ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},ການເຕືອນໄພ: ໃບຢັ້ງຢືນການ SSL ບໍ່ຖືກຕ້ອງກ່ຽວກັບສິ່ງທີ່ແນບມາ {0}
DocType: Student Admission,Eligibility,ມີສິດໄດ້ຮັບ
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","ນໍາໄປສູ່ການຊ່ວຍເຫຼືອທີ່ທ່ານໄດ້ຮັບທຸລະກິດ, ເພີ່ມການຕິດຕໍ່ທັງຫມົດຂອງທ່ານແລະຫຼາຍເປັນຜູ້ນໍາພາຂອງທ່ານ"
DocType: Production Order Operation,Actual Operation Time,ທີ່ແທ້ຈິງທີ່ໃຊ້ເວລາການດໍາເນີນງານ
DocType: Authorization Rule,Applicable To (User),ສາມາດນໍາໃຊ້ໄປ (User)
DocType: Purchase Taxes and Charges,Deduct,ຫັກ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,ລາຍລະອຽດວຽກເຮັດງານທໍາ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,ລາຍລະອຽດວຽກເຮັດງານທໍາ
DocType: Student Applicant,Applied,ການນໍາໃຊ້
DocType: Sales Invoice Item,Qty as per Stock UOM,ຈໍານວນເປັນຕໍ່ Stock UOM
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,ຊື່ Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,ຊື່ Guardian2
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","ລັກສະນະພິເສດຍົກເວັ້ນ "-" ".", "#", ແລະ "/" ບໍ່ອະນຸຍາດໃຫ້ໃນການຕັ້ງຊື່ຊຸດ"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","ຮັກສາຕິດຕາມການໂຄສະນາຂາຍ. ໃຫ້ຕິດຕາມຂອງຜູ້ນໍາ, ຄວາມຫມາຍ, Sales Order etc ຈາກໂຄສະນາການວັດແທກຜົນຕອບແທນຈາກການລົງທຶນ."
DocType: Expense Claim,Approver,ອະນຸມັດ
@@ -2060,8 +2076,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial No {0} ແມ່ນຢູ່ພາຍໃຕ້ການຮັບປະກັນບໍ່ເກີນ {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,ການແບ່ງປັນການຈັດສົ່ງເຂົ້າໄປໃນການຫຸ້ມຫໍ່.
apps/erpnext/erpnext/hooks.py +87,Shipments,ການຂົນສົ່ງ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,ຍອດ Account ({0}) ໃນລາຄາ {1} ແລະມູນຄ່າຫຼັກຊັບ ({2}) ສໍາລັບການສາງ {3} ຕ້ອງດຽວກັນ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,ຍອດ Account ({0}) ໃນລາຄາ {1} ແລະມູນຄ່າຫຼັກຊັບ ({2}) ສໍາລັບການສາງ {3} ຕ້ອງດຽວກັນ
DocType: Payment Entry,Total Allocated Amount (Company Currency),ທັງຫມົດຈັດສັນຈໍານວນເງິນ (ບໍລິສັດສະກຸນເງິນ)
DocType: Purchase Order Item,To be delivered to customer,ທີ່ຈະສົ່ງໃຫ້ລູກຄ້າ
DocType: BOM,Scrap Material Cost,Cost Scrap ການວັດສະດຸ
@@ -2069,21 +2083,22 @@
DocType: Purchase Invoice,In Words (Company Currency),ໃນຄໍາສັບຕ່າງໆ (ບໍລິສັດສະກຸນເງິນ)
DocType: Asset,Supplier,ຜູ້ຈັດຈໍາຫນ່າຍ
DocType: C-Form,Quarter,ໄຕມາດ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,ຄ່າໃຊ້ຈ່າຍອື່ນ ໆ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,ຄ່າໃຊ້ຈ່າຍອື່ນ ໆ
DocType: Global Defaults,Default Company,ບໍລິສັດມາດຕະຖານ
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ຄ່າໃຊ້ຈ່າຍຂອງບັນຊີທີ່ແຕກຕ່າງກັນເປັນການບັງຄັບສໍາລັບລາຍການ {0} ເປັນຜົນກະທົບຕໍ່ມູນຄ່າຫຼັກຊັບໂດຍລວມ
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ຄ່າໃຊ້ຈ່າຍຂອງບັນຊີທີ່ແຕກຕ່າງກັນເປັນການບັງຄັບສໍາລັບລາຍການ {0} ເປັນຜົນກະທົບຕໍ່ມູນຄ່າຫຼັກຊັບໂດຍລວມ
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,ຊື່ທະນາຄານ
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Above
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Above
DocType: Employee Loan,Employee Loan Account,ພະນັກງານບັນຊີເງິນກູ້
DocType: Leave Application,Total Leave Days,ທັງຫມົດວັນອອກ
DocType: Email Digest,Note: Email will not be sent to disabled users,ຫມາຍເຫດ: ອີເມວຈະບໍ່ຖືກສົ່ງກັບຜູ້ໃຊ້ຄົນພິການ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,ຈໍານວນປະຕິສໍາພັນ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,ຈໍານວນປະຕິສໍາພັນ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,ລະຫັດສິນຄ້າ> ກຸ່ມສິນຄ້າ> ຍີ່ຫໍ້
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,ເລືອກບໍລິສັດ ...
DocType: Leave Control Panel,Leave blank if considered for all departments,ໃຫ້ຫວ່າງໄວ້ຖ້າພິຈາລະນາສໍາລັບການພະແນກການທັງຫມົດ
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","ປະເພດຂອງການຈ້າງງານ (ຖາວອນ, ສັນຍາ, ແລະອື່ນໆພາຍໃນ)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} ເປັນການບັງຄັບສໍາລັບລາຍການ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} ເປັນການບັງຄັບສໍາລັບລາຍການ {1}
DocType: Process Payroll,Fortnightly,ສອງອາທິດ
DocType: Currency Exchange,From Currency,ຈາກສະກຸນເງິນ
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","ກະລຸນາເລືອກນວນການຈັດສັນ, ປະເພດໃບເກັບເງິນແລະຈໍານວນໃບເກັບເງິນໃນ atleast ຫນຶ່ງຕິດຕໍ່ກັນ"
@@ -2106,7 +2121,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,ກະລຸນາຄລິກໃສ່ "ສ້າງຕາຕະລາງການ 'ໄດ້ຮັບການກໍານົດເວລາ
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,ມີຄວາມຜິດພາດໃນຂະນະທີ່ການລົບຕາຕະລາງຕໍ່ໄປນີ້ແມ່ນ:
DocType: Bin,Ordered Quantity,ຈໍານວນຄໍາສັ່ງ
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",ຕົວຢ່າງ: "ການກໍ່ສ້າງເຄື່ອງມືສໍາລັບການສ້າງ"
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",ຕົວຢ່າງ: "ການກໍ່ສ້າງເຄື່ອງມືສໍາລັບການສ້າງ"
DocType: Grading Scale,Grading Scale Intervals,ໄລຍະການຈັດລໍາດັບຂະຫນາດ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Entry ບັນຊີສໍາລັບ {2} ສາມາດເຮັດໄດ້ພຽງແຕ່ຢູ່ໃນສະກຸນເງິນ: {3}
DocType: Production Order,In Process,ໃນຂະບວນການ
@@ -2121,12 +2136,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} ກຸ່ມນັກສຶກສາສ້າງຕັ້ງຂື້ນ.
DocType: Sales Invoice,Total Billing Amount,ຈໍານວນການເອີ້ນເກັບເງິນທັງຫມົດ
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,ມີຈະຕ້ອງເປັນມາດຕະຖານເຂົ້າບັນຊີອີເມວເປີດການໃຊ້ງານສໍາລັບການເຮັດວຽກ. ກະລຸນາຕິດຕັ້ງມາດຕະຖານບັນຊີອີເມວມາ (POP / IMAP) ແລະພະຍາຍາມອີກເທື່ອຫນຶ່ງ.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Account Receivable
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},"ຕິດຕໍ່ກັນ, {0}: Asset {1} ແມ່ນແລ້ວ {2}"
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Account Receivable
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},"ຕິດຕໍ່ກັນ, {0}: Asset {1} ແມ່ນແລ້ວ {2}"
DocType: Quotation Item,Stock Balance,ຍອດ Stock
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,ໃບສັ່ງຂາຍການຊໍາລະເງິນ
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,ກະລຸນາຕັ້ງການຕັ້ງຊື່ Series ໃນລາຄາ {0} ຜ່ານ Setup> Settings> ຕັ້ງຊື່ Series
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,CEO
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO
DocType: Expense Claim Detail,Expense Claim Detail,ຄ່າໃຊ້ຈ່າຍຂໍ້ມູນການຮ້ອງຂໍ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,ກະລຸນາເລືອກບັນຊີທີ່ຖືກຕ້ອງ
DocType: Item,Weight UOM,ນ້ໍາຫນັກ UOM
@@ -2135,12 +2149,12 @@
DocType: Production Order Operation,Pending,ທີ່ຍັງຄ້າງ
DocType: Course,Course Name,ຫລັກສູດ
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,ຜູ້ໃຊ້ທີ່ສາມາດອະນຸມັດຄໍາຮ້ອງສະຫມັກອອກຈາກພະນັກງານສະເພາະຂອງ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,ອຸປະກອນຫ້ອງການ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,ອຸປະກອນຫ້ອງການ
DocType: Purchase Invoice Item,Qty,ຈໍານວນ
DocType: Fiscal Year,Companies,ບໍລິສັດ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,ເອເລັກໂຕຣນິກ
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,ຍົກສູງບົດບາດການວັດສະດຸຂໍເວລາຫຸ້ນຮອດລະດັບ Re: ຄໍາສັ່ງ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,ເຕັມເວລາ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,ເຕັມເວລາ
DocType: Salary Structure,Employees,ພະນັກງານ
DocType: Employee,Contact Details,ລາຍລະອຽດການຕິດຕໍ່
DocType: C-Form,Received Date,ວັນທີ່ໄດ້ຮັບ
@@ -2150,7 +2164,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,ລາຄາຈະບໍ່ໄດ້ຮັບການສະແດງໃຫ້ເຫັນວ່າລາຄາບໍ່ໄດ້ຕັ້ງ
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,ກະລຸນາລະບຸປະເທດສໍາລັບກົດລະບຽບດັ່ງກ່າວນີ້ຫຼືກວດເບິ່ງເຮືອໃນທົ່ວໂລກ
DocType: Stock Entry,Total Incoming Value,ມູນຄ່າຂາເຂົ້າທັງຫມົດ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,ເດບິດການຈໍາເປັນຕ້ອງ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,ເດບິດການຈໍາເປັນຕ້ອງ
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets ຊ່ວຍຮັກສາຕິດຕາມຂອງທີ່ໃຊ້ເວລາ, ຄ່າໃຊ້ຈ່າຍແລະການເອີ້ນເກັບເງິນສໍາລັບກິດຈະກໍາເຮັດໄດ້ໂດຍທີມງານຂອງທ່ານ"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,ລາຄາຊື້
DocType: Offer Letter Term,Offer Term,ຄໍາສະເຫນີ
@@ -2159,17 +2173,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,ສ້າງຄວາມປອງດອງການຊໍາລະເງິນ
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,ກະລຸນາເລືອກຊື່ Incharge ຂອງບຸກຄົນ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,ເຕັກໂນໂລຊີ
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},ທັງຫມົດບໍ່ທັນໄດ້ຈ່າຍ: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},ທັງຫມົດບໍ່ທັນໄດ້ຈ່າຍ: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM ການດໍາເນີນງານເວັບໄຊທ໌
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,ສະເຫນີຈົດຫມາຍ
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,ສ້າງການຮ້ອງຂໍການວັດສະດຸ (MRP) ແລະໃບສັ່ງຜະລິດ.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,ທັງຫມົດອອກໃບແຈ້ງຫນີ້ Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,ທັງຫມົດອອກໃບແຈ້ງຫນີ້ Amt
DocType: BOM,Conversion Rate,ອັດຕາການປ່ຽນແປງ
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,ຄົ້ນຫາຜະລິດຕະພັນ
DocType: Timesheet Detail,To Time,ການທີ່ໃຊ້ເວລາ
DocType: Authorization Rule,Approving Role (above authorized value),ການອະນຸມັດພາລະບົດບາດ (ສູງກວ່າຄ່າອະນຸຍາດ)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,ການປ່ອຍສິນເຊື່ອການບັນຊີຈະຕ້ອງບັນຊີເຈົ້າຫນີ້
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM recursion {0} ບໍ່ສາມາດພໍ່ແມ່ຫລືລູກຂອງ {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,ການປ່ອຍສິນເຊື່ອການບັນຊີຈະຕ້ອງບັນຊີເຈົ້າຫນີ້
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM recursion {0} ບໍ່ສາມາດພໍ່ແມ່ຫລືລູກຂອງ {2}
DocType: Production Order Operation,Completed Qty,ສໍາເລັດຈໍານວນ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","{0}, ພຽງແຕ່ບັນຊີເດບິດສາມາດເຊື່ອມໂຍງກັບເຂົ້າການປ່ອຍສິນເຊື່ອອີກ"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,ລາຄາ {0} ເປັນຄົນພິການ
@@ -2181,28 +2195,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} ຈໍານວນ Serial ຕ້ອງການສໍາລັບລາຍການ {1}. ທ່ານໄດ້ສະຫນອງ {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,ອັດຕາປະເມີນມູນຄ່າໃນປະຈຸບັນ
DocType: Item,Customer Item Codes,ລະຫັດລູກຄ້າສິນຄ້າ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,ແລກປ່ຽນເງິນຕາໄດ້ຮັບ / ການສູນເສຍ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,ແລກປ່ຽນເງິນຕາໄດ້ຮັບ / ການສູນເສຍ
DocType: Opportunity,Lost Reason,ລືມເຫດຜົນ
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,ທີ່ຢູ່ໃຫມ່
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,ທີ່ຢູ່ໃຫມ່
DocType: Quality Inspection,Sample Size,ຂະຫນາດຕົວຢ່າງ
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,ກະລຸນາໃສ່ເອກະສານຮັບ
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,ລາຍການທັງຫມົດໄດ້ຮັບການອະນຸແລ້ວ
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,ລາຍການທັງຫມົດໄດ້ຮັບການອະນຸແລ້ວ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',ກະລຸນາລະບຸທີ່ຖືກຕ້ອງ 'ຈາກກໍລະນີສະບັບເລກທີ
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,ສູນຕົ້ນທຶນເພີ່ມເຕີມສາມາດເຮັດໄດ້ພາຍໃຕ້ Groups ແຕ່ລາຍະການສາມາດຈະດໍາເນີນຕໍ່ບໍ່ແມ່ນ Groups
DocType: Project,External,ພາຍນອກ
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,ຜູ້ຊົມໃຊ້ແລະການອະນຸຍາດ
DocType: Vehicle Log,VLOG.,VLOG.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},ໃບສັ່ງຜະລິດຂຽນເມື່ອ: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},ໃບສັ່ງຜະລິດຂຽນເມື່ອ: {0}
DocType: Branch,Branch,ສາຂາ
DocType: Guardian,Mobile Number,ເບີໂທລະສັບ
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,ການພິມແລະຍີ່ຫໍ້
DocType: Bin,Actual Quantity,ຈໍານວນຈິງ
DocType: Shipping Rule,example: Next Day Shipping,ຍົກຕົວຢ່າງ: Shipping ວັນຖັດໄປ
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} ບໍ່ໄດ້ພົບເຫັນ
-DocType: Scheduling Tool,Student Batch,Batch ນັກສຶກສາ
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,ລູກຄ້າຂອງທ່ານ
+DocType: Program Enrollment,Student Batch,Batch ນັກສຶກສາ
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,ເຮັດໃຫ້ນັກສຶກສາ
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},ທ່ານໄດ້ຖືກເຊື້ອເຊີນເພື່ອເຮັດວຽກຮ່ວມກັນກ່ຽວກັບໂຄງການ: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},ທ່ານໄດ້ຖືກເຊື້ອເຊີນເພື່ອເຮັດວຽກຮ່ວມກັນກ່ຽວກັບໂຄງການ: {0}
DocType: Leave Block List Date,Block Date,Block ວັນທີ່
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,ສະຫມັກວຽກນີ້
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},ຕົວຈິງຈໍານວນ {0} / ລໍຖ້າຈໍານວນ {1}
@@ -2212,7 +2225,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","ສ້າງແລະຄຸ້ມຄອງປະຈໍາວັນ, ປະຈໍາອາທິດແລະປະຈໍາເດືອນຫົວເລື່ອງອີເມລ໌."
DocType: Appraisal Goal,Appraisal Goal,ການປະເມີນຜົນເປົ້າຫມາຍ
DocType: Stock Reconciliation Item,Current Amount,ຈໍານວນເງິນໃນປະຈຸບັນ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,ອາຄານ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,ອາຄານ
DocType: Fee Structure,Fee Structure,ຄ່າບໍລິການ
DocType: Timesheet Detail,Costing Amount,ການໃຊ້ຈ່າຍຈໍານວນເງິນ
DocType: Student Admission,Application Fee,ຄໍາຮ້ອງສະຫມັກຄ່າທໍານຽມ
@@ -2224,10 +2237,10 @@
DocType: POS Profile,[Select],[ເລືອກ]
DocType: SMS Log,Sent To,ຖືກສົ່ງໄປ
DocType: Payment Request,Make Sales Invoice,ເຮັດໃຫ້ຍອດຂາຍ Invoice
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,ຊອບແວ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,ຊອບແວ
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,ຖັດໄປວັນທີບໍ່ສາມາດຈະຢູ່ໃນໄລຍະຜ່ານມາ
DocType: Company,For Reference Only.,ສໍາລັບການກະສານອ້າງອີງເທົ່ານັ້ນ.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,ເລືອກຊຸດ No
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,ເລືອກຊຸດ No
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},ບໍ່ຖືກຕ້ອງ {0}: {1}
DocType: Purchase Invoice,PINV-RET-,"PINV, RET-"
DocType: Sales Invoice Advance,Advance Amount,ລ່ວງຫນ້າຈໍານວນເງິນ
@@ -2237,15 +2250,15 @@
DocType: Employee,Employment Details,ລາຍລະອຽດວຽກເຮັດງານທໍາ
DocType: Employee,New Workplace,ຖານທີ່ເຮັດວຽກໃຫມ່
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,ກໍານົດເປັນປິດ
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},ບໍ່ມີລາຍການທີ່ມີ Barcode {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},ບໍ່ມີລາຍການທີ່ມີ Barcode {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,ກໍລະນີສະບັບເລກທີບໍ່ສາມາດຈະເປັນ 0
DocType: Item,Show a slideshow at the top of the page,ສະແດງໃຫ້ເຫັນ slideshow ເປັນຢູ່ປາຍສຸດຂອງຫນ້າ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,ແອບເປີ້ນ
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,ຮ້ານຄ້າ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,ແອບເປີ້ນ
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,ຮ້ານຄ້າ
DocType: Serial No,Delivery Time,ເວລາຂົນສົ່ງ
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,ຜູ້ສູງອາຍຸຈາກຈໍານວນກ່ຽວກັບ
DocType: Item,End of Life,ໃນຕອນທ້າຍຂອງການມີຊີວິດ
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,ການເດີນທາງ
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,ການເດີນທາງ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,ບໍ່ມີການເຄື່ອນໄຫວຫຼືເລີ່ມຕົ້ນເງິນເດືອນໂຄງປະກອບການທີ່ພົບເຫັນສໍາລັບພະນັກງານ {0} ສໍາລັບກໍານົດວັນທີດັ່ງກ່າວ
DocType: Leave Block List,Allow Users,ອະນຸຍາດໃຫ້ຜູ້ຊົມໃຊ້
DocType: Purchase Order,Customer Mobile No,ລູກຄ້າໂທລະສັບມືຖື
@@ -2254,29 +2267,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,ການປັບປຸງຄ່າໃຊ້ຈ່າຍ
DocType: Item Reorder,Item Reorder,ລາຍການຮຽງລໍາດັບໃຫມ່
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Slip ສະແດງໃຫ້ເຫັນເງິນເດືອນ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,ການຖ່າຍໂອນການວັດສະດຸ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,ການຖ່າຍໂອນການວັດສະດຸ
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","ລະບຸການດໍາເນີນງານ, ຄ່າໃຊ້ຈ່າຍປະຕິບັດແລະໃຫ້ການດໍາເນີນງານເປັນເອກະລັກທີ່ບໍ່ມີການປະຕິບັດງານຂອງທ່ານ."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,ເອກະສານນີ້ແມ່ນໃນໄລຍະຂອບເຂດຈໍາກັດໂດຍ {0} {1} ສໍາລັບ item {4}. ທ່ານກໍາລັງເຮັດໃຫ້ຄົນອື່ນ {3} ຕໍ່ຕ້ານດຽວກັນ {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,ກະລຸນາທີ່ກໍານົດໄວ້ໄດ້ເກີດຂຶ້ນຫລັງຈາກບັນທຶກ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,ບັນຊີຈໍານວນເລືອກການປ່ຽນແປງ
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,ເອກະສານນີ້ແມ່ນໃນໄລຍະຂອບເຂດຈໍາກັດໂດຍ {0} {1} ສໍາລັບ item {4}. ທ່ານກໍາລັງເຮັດໃຫ້ຄົນອື່ນ {3} ຕໍ່ຕ້ານດຽວກັນ {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,ກະລຸນາທີ່ກໍານົດໄວ້ໄດ້ເກີດຂຶ້ນຫລັງຈາກບັນທຶກ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,ບັນຊີຈໍານວນເລືອກການປ່ຽນແປງ
DocType: Purchase Invoice,Price List Currency,ລາຄາສະກຸນເງິນ
DocType: Naming Series,User must always select,ຜູ້ໃຊ້ຕ້ອງໄດ້ເລືອກ
DocType: Stock Settings,Allow Negative Stock,ອະນຸຍາດໃຫ້ລົບ Stock
DocType: Installation Note,Installation Note,ການຕິດຕັ້ງຫມາຍເຫດ
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,ເພີ່ມພາສີອາກອນ
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,ເພີ່ມພາສີອາກອນ
DocType: Topic,Topic,ກະທູ້
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,ກະແສເງິນສົດຈາກການເງິນ
DocType: Budget Account,Budget Account,ບັນຊີງົບປະມານ
DocType: Quality Inspection,Verified By,ການຢັ້ງຢືນໂດຍ
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","ບໍ່ສາມາດມີການປ່ຽນແປງສະກຸນເງິນເລີ່ມຂອງບໍລິສັດ, ເນື່ອງຈາກວ່າມີທຸລະກໍາທີ່ມີຢູ່ແລ້ວ. ເຮັດທຸລະກໍາຕ້ອງໄດ້ຮັບການຍົກເລີກການປ່ຽນແປງສະກຸນເງິນໄວ້ໃນຕອນຕົ້ນ."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","ບໍ່ສາມາດມີການປ່ຽນແປງສະກຸນເງິນເລີ່ມຂອງບໍລິສັດ, ເນື່ອງຈາກວ່າມີທຸລະກໍາທີ່ມີຢູ່ແລ້ວ. ເຮັດທຸລະກໍາຕ້ອງໄດ້ຮັບການຍົກເລີກການປ່ຽນແປງສະກຸນເງິນໄວ້ໃນຕອນຕົ້ນ."
DocType: Grading Scale Interval,Grade Description,Grade ລາຍລະອຽດ
DocType: Stock Entry,Purchase Receipt No,ຊື້ໃບບໍ່ມີ
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,ເງິນ earnest
DocType: Process Payroll,Create Salary Slip,ສ້າງຄວາມຜິດພາດພຽງເງິນເດືອນ
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,ກວດສອບຍ້ອນກັບ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),ແຫຼ່ງຂໍ້ມູນຂອງກອງທຶນ (ຫນີ້ສິນ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},ປະລິມານໃນການຕິດຕໍ່ກັນ {0} ({1}) ຈະຕ້ອງດຽວກັນກັບປະລິມານການຜະລິດ {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),ແຫຼ່ງຂໍ້ມູນຂອງກອງທຶນ (ຫນີ້ສິນ)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},ປະລິມານໃນການຕິດຕໍ່ກັນ {0} ({1}) ຈະຕ້ອງດຽວກັນກັບປະລິມານການຜະລິດ {2}
DocType: Appraisal,Employee,ພະນັກງານ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,ເລືອກຊຸດ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} ແມ່ນບິນໄດ້ຢ່າງເຕັມສ່ວນ
DocType: Training Event,End Time,ທີ່ໃຊ້ເວລາສຸດທ້າຍ
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,ໂຄງສ້າງເງິນເດືອນ Active {0} ພົບພະນັກງານ {1} ສໍາລັບກໍານົດວັນທີດັ່ງກ່າວ
@@ -2288,11 +2302,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,ຄວາມຕ້ອງການໃນ
DocType: Rename Tool,File to Rename,ເອກະສານການປ່ຽນຊື່
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},ກະລຸນາເລືອກ BOM ສໍາລັບລາຍການໃນແຖວ {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},ລະບຸ BOM {0} ບໍ່ມີສໍາລັບລາຍການ {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},ບັນຊີ {0} ບໍ່ກົງກັບກັບບໍລິສັດ {1} ໃນ Mode ຈາກບັນຊີ: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},ລະບຸ BOM {0} ບໍ່ມີສໍາລັບລາຍການ {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,ຕາຕະລາງການບໍາລຸງຮັກສາ {0} ຕ້ອງໄດ້ຮັບການຍົກເລີກກ່ອນການຍົກເລີກການຂາຍສິນຄ້ານີ້
DocType: Notification Control,Expense Claim Approved,ຄ່າໃຊ້ຈ່າຍການຮ້ອງຂໍອະນຸມັດ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Slip ເງິນເດືອນຂອງພະນັກງານ {0} ສ້າງຮຽບຮ້ອຍແລ້ວສໍາລັບການໄລຍະເວລານີ້
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,ຢາ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,ຢາ
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,ຄ່າໃຊ້ຈ່າຍຂອງສິນຄ້າທີ່ຊື້
DocType: Selling Settings,Sales Order Required,ຕ້ອງການຂາຍສິນຄ້າ
DocType: Purchase Invoice,Credit To,ການປ່ອຍສິນເຊື່ອເພື່ອ
@@ -2309,43 +2324,43 @@
DocType: Payment Gateway Account,Payment Account,ບັນຊີຊໍາລະເງິນ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,ກະລຸນາລະບຸບໍລິສັດເພື່ອດໍາເນີນການ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,ການປ່ຽນແປງສຸດທິໃນບັນຊີລູກຫນີ້
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,ການຊົດເຊີຍ Off
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,ການຊົດເຊີຍ Off
DocType: Offer Letter,Accepted,ຮັບການຍອມຮັບ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,ອົງການຈັດຕັ້ງ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,ອົງການຈັດຕັ້ງ
DocType: SG Creation Tool Course,Student Group Name,ຊື່ກຸ່ມນັກສຶກສາ
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,ກະລຸນາເຮັດໃຫ້ແນ່ໃຈວ່າທ່ານຕ້ອງການທີ່ຈະລົບເຮັດທຸລະກໍາທັງຫມົດຂອງບໍລິສັດນີ້. ຂໍ້ມູນຕົ້ນສະບັບຂອງທ່ານຈະຍັງຄົງເປັນມັນເປັນ. ການດໍາເນີນການນີ້ບໍ່ສາມາດຍົກເລີກໄດ້.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,ກະລຸນາເຮັດໃຫ້ແນ່ໃຈວ່າທ່ານຕ້ອງການທີ່ຈະລົບເຮັດທຸລະກໍາທັງຫມົດຂອງບໍລິສັດນີ້. ຂໍ້ມູນຕົ້ນສະບັບຂອງທ່ານຈະຍັງຄົງເປັນມັນເປັນ. ການດໍາເນີນການນີ້ບໍ່ສາມາດຍົກເລີກໄດ້.
DocType: Room,Room Number,ຈໍານວນຫ້ອງ
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},ກະສານອ້າງອີງທີ່ບໍ່ຖືກຕ້ອງ {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ quanitity ການວາງແຜນ ({2}) ໃນການຜະລິດການສັ່ງຊື້ {3}
DocType: Shipping Rule,Shipping Rule Label,Label Shipping ກົດລະບຽບ
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,User Forum
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,ວັດຖຸດິບບໍ່ສາມາດມີຊ່ອງຫວ່າງ.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","ບໍ່ສາມາດປັບປຸງຫຼັກຊັບ, ໃບເກັບເງິນປະກອບດ້ວຍການຫຼຸດລົງລາຍການການຂົນສົ່ງ."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,ວັດຖຸດິບບໍ່ສາມາດມີຊ່ອງຫວ່າງ.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","ບໍ່ສາມາດປັບປຸງຫຼັກຊັບ, ໃບເກັບເງິນປະກອບດ້ວຍການຫຼຸດລົງລາຍການການຂົນສົ່ງ."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,ໄວອະນຸທິນ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,ທ່ານບໍ່ສາມາດມີການປ່ຽນແປງອັດຕາການຖ້າຫາກວ່າ BOM ທີ່ໄດ້ກ່າວມາ agianst ລາຍການໃດ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,ທ່ານບໍ່ສາມາດມີການປ່ຽນແປງອັດຕາການຖ້າຫາກວ່າ BOM ທີ່ໄດ້ກ່າວມາ agianst ລາຍການໃດ
DocType: Employee,Previous Work Experience,ຕໍາແຫນ່ງທີ່ເຄີຍເຮັດຜ່ານມາ
DocType: Stock Entry,For Quantity,ສໍາລັບປະລິມານ
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},ກະລຸນາໃສ່ການວາງແຜນຈໍານວນສໍາລັບລາຍການ {0} ທີ່ຕິດຕໍ່ກັນ {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} ບໍ່ໄດ້ສົ່ງ
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,ການຮ້ອງຂໍສໍາລັບລາຍການ.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,ຄໍາສັ່ງການຜະລິດແຍກຕ່າງຫາກຈະໄດ້ຮັບການສ້າງຕັ້ງຂື້ນສໍາລັບລາຍການດີໃນແຕ່ລະສໍາເລັດຮູບ.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} ຕ້ອງກະທົບທາງລົບໃນເອກະສານຜົນຕອບແທນ
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} ຕ້ອງກະທົບທາງລົບໃນເອກະສານຜົນຕອບແທນ
,Minutes to First Response for Issues,ນາທີຄວາມຮັບຜິດຊອບຫນ້າທໍາອິດສໍາລັບບັນຫາ
DocType: Purchase Invoice,Terms and Conditions1,ຂໍ້ກໍານົດແລະ Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,ຊື່ຂອງສະຖາບັນສໍາລັບການທີ່ທ່ານຈະຕິດຕັ້ງລະບົບນີ້.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,ຊື່ຂອງສະຖາບັນສໍາລັບການທີ່ທ່ານຈະຕິດຕັ້ງລະບົບນີ້.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","ເຂົ້າບັນຊີ frozen ເຖິງວັນນີ້, ບໍ່ມີໃຜສາມາດເຮັດໄດ້ / ປັບປຸງແກ້ໄຂການເຂົ້າຍົກເວັ້ນພາລະບົດບາດທີ່ລະບຸໄວ້ຂ້າງລຸ່ມນີ້."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,ກະລຸນາຊ່ວຍປະຢັດເອກະສານກ່ອນການສ້າງຕາຕະລາງການບໍາລຸງຮັກສາ
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,ສະຖານະການ
DocType: UOM,Check this to disallow fractions. (for Nos),ກວດສອບນີ້ຈະບໍ່ອະນຸຍາດແຕ່ສ່ວນຫນຶ່ງ. (ສໍາລັບພວກເຮົາ)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,ໄດ້ໃບສັ່ງຜະລິດຕໍ່ໄປນີ້ໄດ້ຮັບການສ້າງຕັ້ງ:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,ໄດ້ໃບສັ່ງຜະລິດຕໍ່ໄປນີ້ໄດ້ຮັບການສ້າງຕັ້ງ:
DocType: Student Admission,Naming Series (for Student Applicant),ການຕັ້ງຊື່ Series (ສໍາລັບນັກສຶກສາສະຫມັກ)
DocType: Delivery Note,Transporter Name,ຊື່ການຂົນສົ່ງ
DocType: Authorization Rule,Authorized Value,ມູນຄ່າອະນຸຍາດ
DocType: BOM,Show Operations,ສະແດງໃຫ້ເຫັນການປະຕິບັດ
,Minutes to First Response for Opportunity,ນາທີຄວາມຮັບຜິດຊອບຫນ້າທໍາອິດສໍາລັບໂອກາດ
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,ທັງຫມົດຂາດ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,ລາຍການຫຼືໂກດັງຕິດຕໍ່ກັນ {0} ບໍ່ມີຄໍາວ່າວັດສະດຸຂໍ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,ລາຍການຫຼືໂກດັງຕິດຕໍ່ກັນ {0} ບໍ່ມີຄໍາວ່າວັດສະດຸຂໍ
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,ຫນ່ວຍບໍລິການຂອງມາດຕະການ
DocType: Fiscal Year,Year End Date,ປີສິ້ນສຸດວັນທີ່
DocType: Task Depends On,Task Depends On,ວຽກງານຂຶ້ນໃນ
@@ -2425,11 +2440,11 @@
DocType: Asset,Manual,ຄູ່ມື
DocType: Salary Component Account,Salary Component Account,ບັນຊີເງິນເດືອນ Component
DocType: Global Defaults,Hide Currency Symbol,ຊ່ອນສະກຸນເງິນ Symbol
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","ຕົວຢ່າງ: ທະນາຄານ, ເງິນສົດ, ບັດເຄຣດິດ"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","ຕົວຢ່າງ: ທະນາຄານ, ເງິນສົດ, ບັດເຄຣດິດ"
DocType: Lead Source,Source Name,ແຫຼ່ງຊື່
DocType: Journal Entry,Credit Note,Credit Note
DocType: Warranty Claim,Service Address,ທີ່ຢູ່ບໍລິການ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,ເຟີນິເຈີແລະການແຂ່ງຂັນ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,ເຟີນິເຈີແລະການແຂ່ງຂັນ
DocType: Item,Manufacture,ຜະລິດ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,ກະລຸນາສົ່ງຫມາຍເຫດທໍາອິດ
DocType: Student Applicant,Application Date,ຄໍາຮ້ອງສະຫມັກວັນທີ່
@@ -2439,7 +2454,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,ການເກັບກູ້ Date ບໍ່ໄດ້ກ່າວເຖິງ
apps/erpnext/erpnext/config/manufacturing.py +7,Production,ການຜະລິດ
DocType: Guardian,Occupation,ອາຊີບ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,ກະລຸນາຕິດຕັ້ງພະນັກງານແຜນການຕັ້ງຊື່ System ໃນຊັບພະຍາກອນມະນຸດ> Settings HR
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,ຕິດຕໍ່ກັນ {0}: ວັນທີ່ເລີ່ມຕ້ອງມີກ່ອນວັນທີ່ສິ້ນສຸດ
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),ທັງຫມົດ (ຈໍານວນ)
DocType: Sales Invoice,This Document,ເອກະສານນີ້
@@ -2451,20 +2465,20 @@
DocType: Purchase Receipt,Time at which materials were received,ເວລາທີ່ອຸປະກອນທີ່ໄດ້ຮັບ
DocType: Stock Ledger Entry,Outgoing Rate,ອັດຕາລາຍຈ່າຍ
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,ຕົ້ນສະບັບສາຂາອົງການຈັດຕັ້ງ.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,ຫຼື
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,ຫຼື
DocType: Sales Order,Billing Status,ສະຖານະການເອີ້ນເກັບເງິນ
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,ລາຍງານສະບັບທີ່ເປັນ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,ຄ່າໃຊ້ຈ່າຍຜົນປະໂຫຍດ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,ຄ່າໃຊ້ຈ່າຍຜົນປະໂຫຍດ
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90 ຂ້າງເທິງ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,"ຕິດຕໍ່ກັນ, {0}: Journal Entry {1} ບໍ່ມີບັນຊີ {2} ຫລືແລ້ວປຽບທຽບ voucher ອື່ນ"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,"ຕິດຕໍ່ກັນ, {0}: Journal Entry {1} ບໍ່ມີບັນຊີ {2} ຫລືແລ້ວປຽບທຽບ voucher ອື່ນ"
DocType: Buying Settings,Default Buying Price List,ມາດຕະຖານບັນຊີການຊື້ລາຄາ
DocType: Process Payroll,Salary Slip Based on Timesheet,Slip ເງິນເດືອນຈາກ Timesheet
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,ພະນັກງານສໍາລັບເງື່ອນໄຂການຄັດເລືອກຂ້າງເທິງຫຼືຫຼຸດເງິນເດືອນບໍ່ສ້າງແລ້ວ
DocType: Notification Control,Sales Order Message,Message ຂາຍສິນຄ້າ
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","ກໍານົດມູນຄ່າມາດຕະຖານຄືບໍລິສັດ, ສະກຸນເງິນ, ປັດຈຸບັນປີງົບປະມານ, ແລະອື່ນໆ"
DocType: Payment Entry,Payment Type,ປະເພດການຊໍາລະເງິນ
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,ກະລຸນາເລືອກຊຸດສໍາລັບລາຍການທີ່ {0}. ບໍ່ສາມາດຊອກຫາ batch ດຽວທີ່ຕອບສະຫນອງຂໍ້ກໍານົດນີ້
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,ກະລຸນາເລືອກຊຸດສໍາລັບລາຍການທີ່ {0}. ບໍ່ສາມາດຊອກຫາ batch ດຽວທີ່ຕອບສະຫນອງຂໍ້ກໍານົດນີ້
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,ກະລຸນາເລືອກຊຸດສໍາລັບລາຍການທີ່ {0}. ບໍ່ສາມາດຊອກຫາ batch ດຽວທີ່ຕອບສະຫນອງຂໍ້ກໍານົດນີ້
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,ກະລຸນາເລືອກຊຸດສໍາລັບລາຍການທີ່ {0}. ບໍ່ສາມາດຊອກຫາ batch ດຽວທີ່ຕອບສະຫນອງຂໍ້ກໍານົດນີ້
DocType: Process Payroll,Select Employees,ເລືອກພະນັກງານ
DocType: Opportunity,Potential Sales Deal,Deal Sales ທ່າແຮງ
DocType: Payment Entry,Cheque/Reference Date,ກະແສລາຍວັນ / ວັນທີ່ເອກະສານ
@@ -2484,7 +2498,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,ເອກະສານໄດ້ຮັບຕ້ອງໄດ້ຮັບການສົ່ງ
DocType: Purchase Invoice Item,Received Qty,ໄດ້ຮັບຈໍານວນ
DocType: Stock Entry Detail,Serial No / Batch,ບໍ່ມີ Serial / Batch
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,ບໍ່ໄດ້ຈ່າຍແລະບໍ່ສົ່ງ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,ບໍ່ໄດ້ຈ່າຍແລະບໍ່ສົ່ງ
DocType: Product Bundle,Parent Item,ສິນຄ້າຂອງພໍ່ແມ່
DocType: Account,Account Type,ປະເພດບັນຊີ
DocType: Delivery Note,DN-RET-,"DN, RET-"
@@ -2499,25 +2513,24 @@
DocType: Bin,Reserved Quantity,ຈໍານວນສະຫງວນ
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,ກະລຸນາໃສ່ທີ່ຢູ່ອີເມວທີ່ຖືກຕ້ອງ
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,ກະລຸນາໃສ່ທີ່ຢູ່ອີເມວທີ່ຖືກຕ້ອງ
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},ບໍ່ມີແນ່ນອນບັງຄັບສໍາລັບໂຄງການນີ້ແມ່ນ {0}
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},ບໍ່ມີແນ່ນອນບັງຄັບສໍາລັບໂຄງການນີ້ແມ່ນ {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,ລາຍການຊື້ຮັບ
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,ຮູບແບບການປັບແຕ່ງ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,ງານທີ່ຄັ່ງຄ້າງ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,ງານທີ່ຄັ່ງຄ້າງ
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,ຈໍານວນເງິນຄ່າເສື່ອມລາຄາໄລຍະເວລາ
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,ແມ່ແບບຄົນພິການຈະຕ້ອງບໍ່ແມ່ແບບມາດຕະຖານ
DocType: Account,Income Account,ບັນຊີລາຍໄດ້
DocType: Payment Request,Amount in customer's currency,ຈໍານວນເງິນໃນສະກຸນເງິນຂອງລູກຄ້າ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,ສົ່ງ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,ສົ່ງ
DocType: Stock Reconciliation Item,Current Qty,ຈໍານວນໃນປັດຈຸບັນ
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",ເບິ່ງ "ອັດຕາການວັດສະດຸພື້ນຖານກ່ຽວກັບ" ໃນມາຕາ Costing
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,prev
DocType: Appraisal Goal,Key Responsibility Area,ຄວາມຮັບຜິດຊອບທີ່ສໍາຄັນ
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","ສໍາຫລັບຂະບວນນັກສຶກສາຊ່ວຍໃຫ້ທ່ານຕິດຕາມການເຂົ້າຮຽນ, ການປະເມີນຜົນແລະຄ່າທໍານຽມສໍາລັບນັກສຶກສາ"
DocType: Payment Entry,Total Allocated Amount,ນວນການຈັດສັນທັງຫມົດ
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,ກໍານົດບັນຊີສິນຄ້າຄົງຄັງໃນຕອນຕົ້ນສໍາລັບການສິນຄ້າຄົງຄັງ perpetual
DocType: Item Reorder,Material Request Type,ອຸປະກອນການຮ້ອງຂໍປະເພດ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},ຖືກຕ້ອງອະນຸເງິນເດືອນຈາກ {0} ກັບ {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage ແມ່ນອັນເຕັມທີ່, ບໍ່ໄດ້ປະຢັດ"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage ແມ່ນອັນເຕັມທີ່, ບໍ່ໄດ້ປະຢັດ"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,ຕິດຕໍ່ກັນ {0}: UOM ປັດໄຈການແປງເປັນການບັງຄັບ
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Ref
DocType: Budget,Cost Center,ສູນຕົ້ນທຶນ
@@ -2530,19 +2543,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","ກົດລະບຽບການຕັ້ງລາຄາໄດ້ທີ່ຈະຂຽນທັບລາຄາ / ກໍານົດອັດຕາສ່ວນພິເສດ, ອີງໃສ່ເງື່ອນໄຂບາງຢ່າງ."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Warehouse ພຽງແຕ່ສາມາດໄດ້ຮັບການປ່ຽນແປງໂດຍຜ່ານ Stock Entry / ການສົ່ງເງິນ / Receipt ຊື້
DocType: Employee Education,Class / Percentage,ຫ້ອງຮຽນ / ອັດຕາສ່ວນ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,ຫົວຫນ້າການຕະຫຼາດແລະການຂາຍ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,ອາກອນລາຍໄດ້
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,ຫົວຫນ້າການຕະຫຼາດແລະການຂາຍ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,ອາກອນລາຍໄດ້
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","ຖ້າຫາກວ່າກົດລະບຽບລາຄາການຄັດເລືອກແມ່ນສໍາລັບລາຄາ, ມັນຈະຂຽນທັບລາຄາ. ລາຄາລາຄາກົດລະບຽບແມ່ນລາຄາສຸດທ້າຍ, ສະນັ້ນບໍ່ມີສ່ວນລົດເພີ່ມເຕີມຄວນຈະນໍາໃຊ້. ເພາະສະນັ້ນ, ໃນການຄ້າຂາຍເຊັ່ນ: Sales Order, ການສັ່ງຊື້ແລະອື່ນໆ, ມັນຈະໄດ້ຮັບການຈຶ່ງສວຍໂອກາດໃນພາກສະຫນາມອັດຕາ ', ແທນທີ່ຈະກ່ວາພາກສະຫນາມ' ລາຄາອັດຕາ."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,ການຕິດຕາມຊີ້ນໍາໂດຍປະເພດອຸດສາຫະກໍາ.
DocType: Item Supplier,Item Supplier,ຜູ້ຜະລິດລາຍການ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,ກະລຸນາໃສ່ລະຫັດສິນຄ້າເພື່ອໃຫ້ໄດ້ຮັບ batch ທີ່ບໍ່ມີ
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},ກະລຸນາເລືອກຄ່າ {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,ກະລຸນາໃສ່ລະຫັດສິນຄ້າເພື່ອໃຫ້ໄດ້ຮັບ batch ທີ່ບໍ່ມີ
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},ກະລຸນາເລືອກຄ່າ {0} quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,ທີ່ຢູ່ທັງຫມົດ.
DocType: Company,Stock Settings,ການຕັ້ງຄ່າ Stock
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","ການລວມເປັນໄປໄດ້ພຽງແຕ່ຖ້າຫາກວ່າມີຄຸນສົມບັດດັ່ງຕໍ່ໄປນີ້ແມ່ນອັນດຽວກັນໃນການບັນທຶກການທັງສອງ. ເປັນກຸ່ມ, ປະເພດຮາກ, ບໍລິສັດ"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","ການລວມເປັນໄປໄດ້ພຽງແຕ່ຖ້າຫາກວ່າມີຄຸນສົມບັດດັ່ງຕໍ່ໄປນີ້ແມ່ນອັນດຽວກັນໃນການບັນທຶກການທັງສອງ. ເປັນກຸ່ມ, ປະເພດຮາກ, ບໍລິສັດ"
DocType: Vehicle,Electric,ລະບົບໄຟຟ້າ
DocType: Task,% Progress,% ຄວາມຄືບຫນ້າ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,ກໍາໄລ / ຂາດທຶນຈາກການທໍາລາຍຊັບສິນ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,ກໍາໄລ / ຂາດທຶນຈາກການທໍາລາຍຊັບສິນ
DocType: Training Event,Will send an email about the event to employees with status 'Open',ຈະສົ່ງອີເມວກ່ຽວກັບກໍລະນີທີ່ພະນັກງານທີ່ມີສະຖານະພາບ "ເປີດ '
DocType: Task,Depends on Tasks,ຂຶ້ນຢູ່ກັບວຽກ
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,ການຄຸ້ມຄອງການເປັນໄມ້ຢືນຕົ້ນກຸ່ມລູກຄ້າ.
@@ -2551,7 +2564,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,ໃຫມ່ສູນຕົ້ນທຶນຊື່
DocType: Leave Control Panel,Leave Control Panel,ອອກຈາກກະດານຄວບຄຸມ
DocType: Project,Task Completion,ວຽກງານສໍາເລັດ
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,ບໍ່ໄດ້ຢູ່ໃນ Stock
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,ບໍ່ໄດ້ຢູ່ໃນ Stock
DocType: Appraisal,HR User,User HR
DocType: Purchase Invoice,Taxes and Charges Deducted,ພາສີອາກອນແລະຄ່າບໍລິການຫັກ
apps/erpnext/erpnext/hooks.py +116,Issues,ບັນຫາ
@@ -2562,22 +2575,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},ບໍ່ມີຄວາມຜິດພາດພຽງເງິນເດືອນພົບໃນລະຫວ່າງ {0} ແລະ {1}
,Pending SO Items For Purchase Request,ທີ່ຍັງຄ້າງ SO ລາຍການສໍາລັບການຈອງຊື້
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,ຮັບສະຫມັກນັກສຶກສາ
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} ເປັນຄົນພິການ
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} ເປັນຄົນພິການ
DocType: Supplier,Billing Currency,ສະກຸນເງິນ Billing
DocType: Sales Invoice,SINV-RET-,"SINV, RET-"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,ຂະຫນາດໃຫຍ່ພິເສດ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,ຂະຫນາດໃຫຍ່ພິເສດ
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,ໃບທັງຫມົດ
,Profit and Loss Statement,ຖະແຫຼງການຜົນກໍາໄລແລະການສູນເສຍ
DocType: Bank Reconciliation Detail,Cheque Number,ຈໍານວນກະແສລາຍວັນ
,Sales Browser,ຂອງຕົວທ່ອງເວັບການຂາຍ
DocType: Journal Entry,Total Credit,ການປ່ອຍສິນເຊື່ອທັງຫມົດ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},ການເຕືອນໄພ: ອີກປະການຫນຶ່ງ {0} # {1} ມີຢູ່ຕໍ່ການເຂົ້າຫຸ້ນ {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,ທ້ອງຖິ່ນ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,ທ້ອງຖິ່ນ
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),ເງິນກູ້ຢືມແລະອື່ນ ໆ (ຊັບສິນ)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,ລູກຫນີ້
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,ຂະຫນາດໃຫຍ່
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,ຂະຫນາດໃຫຍ່
DocType: Homepage Featured Product,Homepage Featured Product,ຫນ້າທໍາອິດຜະລິດຕະພັນທີ່ແນະນໍາ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,ທັງຫມົດກຸ່ມການປະເມີນຜົນ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,ທັງຫມົດກຸ່ມການປະເມີນຜົນ
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,ຊື່ Warehouse ໃຫມ່
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),ທັງຫມົດ {0} ({1})
DocType: C-Form Invoice Detail,Territory,ອານາເຂດຂອງ
@@ -2587,12 +2600,12 @@
DocType: Production Order Operation,Planned Start Time,ເວລາການວາງແຜນ
DocType: Course,Assessment,ການປະເມີນຜົນ
DocType: Payment Entry Reference,Allocated,ການຈັດສັນ
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,ງົບດຸນໃກ້ຊິດແລະກໍາໄຮຫນັງສືຫລືການສູນເສຍ.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,ງົບດຸນໃກ້ຊິດແລະກໍາໄຮຫນັງສືຫລືການສູນເສຍ.
DocType: Student Applicant,Application Status,ຄໍາຮ້ອງສະຫມັກສະຖານະ
DocType: Fees,Fees,ຄ່າທໍານຽມ
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ລະບຸອັດຕາແລກປ່ຽນການແປງສະກຸນເງິນຫນຶ່ງເຂົ້າໄປໃນອີກ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,ສະເຫນີລາຄາ {0} ຈະຖືກຍົກເລີກ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,ຈໍານວນເງິນທີ່ຍັງຄ້າງຄາທັງຫມົດ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,ຈໍານວນເງິນທີ່ຍັງຄ້າງຄາທັງຫມົດ
DocType: Sales Partner,Targets,ຄາດຫມາຍຕົ້ນຕໍ
DocType: Price List,Price List Master,ລາຄາຕົ້ນສະບັບ
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,ທັງຫມົດຂອງທຸລະກໍາສາມາດຕິດແທຕໍ່ຫລາຍຄົນຂາຍ ** ** ດັ່ງນັ້ນທ່ານສາມາດກໍານົດແລະຕິດຕາມກວດກາເປົ້າຫມາຍ.
@@ -2624,12 +2637,12 @@
1. Address and Contact of your Company.","ເງື່ອນໄຂມາດຕະຖານແລະເງື່ອນໄຂທີ່ສາມາດໄດ້ຮັບການເພີ່ມການຂາຍແລະການຊື້. ຕົວຢ່າງ: 1. ຄວາມຖືກຕ້ອງຂອງການສະເຫນີຂອງ. 1 ເງື່ອນໄຂການຊໍາລະເງິນ (ລ່ວງຫນ້າ, ກ່ຽວກັບການປ່ອຍສິນເຊື່ອ, ສ່ວນລ່ວງຫນ້າແລະອື່ນໆ). 1. ມີຫຍັງແດ່ເປັນພິເສດ (ຫຼືຈ່າຍໂດຍການລູກຄ້າ). 1 ຄວາມປອດໄພການເຕືອນໄພ / ການນໍາໃຊ້. 1 ຮັບປະກັນຖ້າມີ. 1 ຜົນໄດ້ຮັບນະໂຍບາຍ. 1 ເງື່ອນໄຂຂອງການຂົນສົ່ງ, ຖ້າຫາກວ່າສາມາດນໍາໃຊ້. 1 ວິທີການແກ້ໄຂຂໍ້ຂັດແຍ່ງ, ຕິຕົກລົງ, ຄວາມຮັບຜິດຊອບ, ແລະອື່ນໆ 1 ທີ່ຢູ່ແລະຕິດຕໍ່ບໍລິສັດຂອງທ່ານ."
DocType: Attendance,Leave Type,ປະເພດອອກຈາກ
DocType: Purchase Invoice,Supplier Invoice Details,Supplier ລາຍລະອຽດໃບເກັບເງິນ
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,ບັນຊີຄ່າໃຊ້ຈ່າຍ / ຄວາມແຕກຕ່າງ ({0}) ຈະຕ້ອງບັນຊີກໍາໄຮຫລືຂາດທຶນ '
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,ບັນຊີຄ່າໃຊ້ຈ່າຍ / ຄວາມແຕກຕ່າງ ({0}) ຈະຕ້ອງບັນຊີກໍາໄຮຫລືຂາດທຶນ '
DocType: Project,Copied From,ຄັດລອກຈາກ
DocType: Project,Copied From,ຄັດລອກຈາກ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},ຄວາມຜິດພາດຊື່: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,ການຂາດແຄນ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} ບໍ່ທີ່ກ່ຽວຂ້ອງກັບ {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} ບໍ່ທີ່ກ່ຽວຂ້ອງກັບ {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,ຜູ້ເຂົ້າຮ່ວມສໍາລັບພະນັກງານ {0} ແມ່ນຫມາຍແລ້ວ
DocType: Packing Slip,If more than one package of the same type (for print),ຖ້າຫາກວ່າຫຼາຍກ່ວາຫນຶ່ງຊຸດຂອງປະເພດດຽວກັນ (ສໍາລັບການພິມ)
,Salary Register,ເງິນເດືອນຫມັກສະມາຊິກ
@@ -2647,22 +2660,23 @@
,Requested Qty,ຮຽກຮ້ອງໃຫ້ຈໍານວນ
DocType: Tax Rule,Use for Shopping Cart,ນໍາໃຊ້ສໍາລັບໂຄງຮ່າງການໄປຊື້ເຄື່ອງ
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},ມູນຄ່າ {0} ສໍາລັບຄຸນສົມບັດ {1} ບໍ່ມີຢູ່ໃນບັນຊີລາຍຊື່ຂອງສິນຄ້າທີ່ຖືກຕ້ອງຂອງສິນຄຸນຄ່າສໍາລັບລາຍການ {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,ເລືອກເລກ Serial
DocType: BOM Item,Scrap %,Scrap%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","ຄ່າບໍລິການຈະໄດ້ຮັບການແຈກຢາຍໂດຍອີງທຽບໃນຈໍານວນລາຍການຫຼືຈໍານວນເງິນທີ່, ເປັນຕໍ່ການຄັດເລືອກຂອງ"
DocType: Maintenance Visit,Purposes,ວັດຖຸປະສົງ
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,atleast ຫນຶ່ງລາຍການຄວນຈະໄດ້ຮັບເຂົ້າໄປໃນປະລິມານກະທົບທາງລົບໃນເອກະສານຜົນຕອບແທນ
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,atleast ຫນຶ່ງລາຍການຄວນຈະໄດ້ຮັບເຂົ້າໄປໃນປະລິມານກະທົບທາງລົບໃນເອກະສານຜົນຕອບແທນ
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","ການດໍາເນີນງານ {0} ຕໍ່ໄປອີກແລ້ວກ່ວາຊົ່ວໂມງການເຮັດວຽກທີ່ມີຢູ່ໃນເວີກສະເຕຊັນ {1}, ທໍາລາຍລົງດໍາເນີນການເຂົ້າໄປໃນການດໍາເນີນງານຫຼາຍ"
,Requested,ການຮ້ອງຂໍ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,ບໍ່ມີຂໍ້ສັງເກດ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,ບໍ່ມີຂໍ້ສັງເກດ
DocType: Purchase Invoice,Overdue,ຄ້າງຊໍາລະ
DocType: Account,Stock Received But Not Billed,Stock ໄດ້ຮັບແຕ່ບໍ່ບິນ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,ບັນຊີຮາກຕ້ອງກຸ່ມ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,ບັນຊີຮາກຕ້ອງກຸ່ມ
DocType: Fees,FEE.,ຄ່າທໍານຽມ.
DocType: Employee Loan,Repaid/Closed,ຊໍາລະຄືນ / ປິດ
DocType: Item,Total Projected Qty,ທັງຫມົດໂຄງການຈໍານວນ
DocType: Monthly Distribution,Distribution Name,ຊື່ການແຜ່ກະຈາຍ
DocType: Course,Course Code,ລະຫັດຂອງລາຍວິຊາ
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},ກວດສອບຄຸນນະພາບທີ່ຕ້ອງການສໍາລັບລາຍການ {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},ກວດສອບຄຸນນະພາບທີ່ຕ້ອງການສໍາລັບລາຍການ {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,ອັດຕາການທີ່ລູກຄ້າຂອງສະກຸນເງິນຈະປ່ຽນເປັນສະກຸນເງິນຂອງບໍລິສັດ
DocType: Purchase Invoice Item,Net Rate (Company Currency),ອັດຕາສຸດທິ (ບໍລິສັດສະກຸນເງິນ)
DocType: Salary Detail,Condition and Formula Help,ສະພາບແລະສູດ Help
@@ -2675,27 +2689,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,ອຸປະກອນການໂອນສໍາລັບການຜະລິດ
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,ເປີເຊັນສ່ວນລົດສາມາດນໍາໃຊ້ບໍ່ວ່າຈະຕໍ່ລາຄາຫຼືສໍາລັບລາຄາທັງຫມົດ.
DocType: Purchase Invoice,Half-yearly,ເຄິ່ງຫນຶ່ງຂອງການປະຈໍາປີ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Entry ບັນຊີສໍາລັບ Stock
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Entry ບັນຊີສໍາລັບ Stock
DocType: Vehicle Service,Engine Oil,ນ້ໍາມັນເຄື່ອງຈັກ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,ກະລຸນາຕິດຕັ້ງພະນັກງານແຜນການຕັ້ງຊື່ System ໃນຊັບພະຍາກອນມະນຸດ> Settings HR
DocType: Sales Invoice,Sales Team1,Team1 ຂາຍ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,ລາຍການ {0} ບໍ່ມີ
DocType: Sales Invoice,Customer Address,ທີ່ຢູ່ຂອງລູກຄ້າ
DocType: Employee Loan,Loan Details,ລາຍລະອຽດການກູ້ຢືມເງິນ
+DocType: Company,Default Inventory Account,ບັນຊີມາດຕະຖານສິນຄ້າຄົງຄັງ
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,ຕິດຕໍ່ກັນ {0}: ສໍາເລັດຈໍານວນຕ້ອງໄດ້ຫຼາຍກ່ວາສູນ.
DocType: Purchase Invoice,Apply Additional Discount On,ສະຫມັກຕໍາສ່ວນລົດເພີ່ມເຕີມກ່ຽວກັບ
DocType: Account,Root Type,ປະເພດຮາກ
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},"ຕິດຕໍ່ກັນ, {0}: ບໍ່ສາມາດກັບຄືນຫຼາຍກ່ວາ {1} ສໍາລັບລາຍການ {2}"
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},"ຕິດຕໍ່ກັນ, {0}: ບໍ່ສາມາດກັບຄືນຫຼາຍກ່ວາ {1} ສໍາລັບລາຍການ {2}"
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,ຕອນດິນຂອງຕົນ
DocType: Item Group,Show this slideshow at the top of the page,ສະແດງໃຫ້ເຫັນ slideshow ນີ້ຢູ່ສົ້ນເທິງຂອງຫນ້າ
DocType: BOM,Item UOM,ລາຍການ UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),ຈໍານວນເງິນພາສີຫຼັງຈາກຈໍານວນສ່ວນລົດ (ບໍລິສັດສະກຸນເງິນ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},ຄັງສິນຄ້າເປົ້າຫມາຍມີຜົນບັງຄັບສໍາລັບການຕິດຕໍ່ກັນ {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},ຄັງສິນຄ້າເປົ້າຫມາຍມີຜົນບັງຄັບສໍາລັບການຕິດຕໍ່ກັນ {0}
DocType: Cheque Print Template,Primary Settings,ການຕັ້ງຄ່າປະຖົມ
DocType: Purchase Invoice,Select Supplier Address,ເລືອກທີ່ຢູ່ຜູ້ຜະລິດ
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,ຕື່ມການພະນັກງານ
DocType: Purchase Invoice Item,Quality Inspection,ກວດສອບຄຸນະພາບ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,ພິເສດຂະຫນາດນ້ອຍ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,ພິເສດຂະຫນາດນ້ອຍ
DocType: Company,Standard Template,ແມ່ແບບມາດຕະຖານ
DocType: Training Event,Theory,ທິດສະດີ
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,ການເຕືອນໄພ: ວັດສະດຸຂໍຈໍານວນແມ່ນຫນ້ອຍກ່ວາສັ່ງຊື້ຂັ້ນຕ່ໍາຈໍານວນ
@@ -2703,7 +2719,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,ນິຕິບຸກຄົນ / ບໍລິສັດຍ່ອຍທີ່ມີໃນຕາຕະລາງທີ່ແຍກຕ່າງຫາກຂອງບັນຊີເປັນອົງການຈັດຕັ້ງ.
DocType: Payment Request,Mute Email,mute Email
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","ສະບຽງອາຫານ, ເຄື່ອງດື່ມແລະຢາສູບ"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},ພຽງແຕ່ສາມາດເຮັດໃຫ້ຊໍາລະເງິນກັບຍັງບໍ່ເອີ້ນເກັບ {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},ພຽງແຕ່ສາມາດເຮັດໃຫ້ຊໍາລະເງິນກັບຍັງບໍ່ເອີ້ນເກັບ {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,ອັດຕາການຄະນະກໍາມະບໍ່ສາມາດຈະຫຼາຍກ່ວາ 100
DocType: Stock Entry,Subcontract,Subcontract
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,ກະລຸນາໃສ່ {0} ທໍາອິດ
@@ -2716,18 +2732,18 @@
DocType: SMS Log,No of Sent SMS,ບໍ່ມີຂອງ SMS ສົ່ງ
DocType: Account,Expense Account,ບັນຊີຄ່າໃຊ້ຈ່າຍ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,ຊອບແວ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,ສີ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,ສີ
DocType: Assessment Plan Criteria,Assessment Plan Criteria,ເງື່ອນໄຂການປະເມີນຜົນ
DocType: Training Event,Scheduled,ກໍານົດ
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,ຮ້ອງຂໍໃຫ້ມີສໍາລັບວົງຢືມ.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",ກະລຸນາເລືອກລາຍການທີ່ "ແມ່ນ Stock Item" ແມ່ນ "ບໍ່ມີ" ແລະ "ແມ່ນສິນຄ້າລາຄາ" ເປັນ "ແມ່ນ" ແລະບໍ່ມີມັດຜະລິດຕະພັນອື່ນໆ
DocType: Student Log,Academic,ວິຊາການ
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ທັງຫມົດລ່ວງຫນ້າ ({0}) ຕໍ່ Order {1} ບໍ່ສາມາດຈະຫຼາຍກ່ວາຈໍານວນທັງຫມົດ ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ທັງຫມົດລ່ວງຫນ້າ ({0}) ຕໍ່ Order {1} ບໍ່ສາມາດຈະຫຼາຍກ່ວາຈໍານວນທັງຫມົດ ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,ເລືອກການແຜ່ກະຈາຍລາຍເດືອນກັບ unevenly ແຈກຢາຍເປົ້າຫມາຍໃນທົ່ວເດືອນ.
DocType: Purchase Invoice Item,Valuation Rate,ອັດຕາປະເມີນມູນຄ່າ
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,ລາຄາສະກຸນເງິນບໍ່ໄດ້ເລືອກ
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,ລາຄາສະກຸນເງິນບໍ່ໄດ້ເລືອກ
,Student Monthly Attendance Sheet,ນັກສຶກສາ Sheet ເຂົ້າຮ່ວມລາຍເດືອນ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Employee {0} ໄດ້ຖືກນໍາໃຊ້ແລ້ວສໍາລັບ {1} ລະຫວ່າງ {2} ແລະ {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,ວັນທີ່ສະຫມັກໂຄງການເລີ່ມຕົ້ນ
@@ -2740,7 +2756,7 @@
DocType: BOM,Scrap,Scrap
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,ການຄຸ້ມຄອງ Partners ຂາຍ.
DocType: Quality Inspection,Inspection Type,ປະເພດການກວດກາ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,ຄັງສິນຄ້າກັບການຊື້ຂາຍທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດປ່ຽນໃຈເຫລື້ອມໃສກຸ່ມ.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,ຄັງສິນຄ້າກັບການຊື້ຂາຍທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດປ່ຽນໃຈເຫລື້ອມໃສກຸ່ມ.
DocType: Assessment Result Tool,Result HTML,ຜົນ HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,ທີ່ຫມົດອາຍຸ
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,ຕື່ມການນັກສຶກສາ
@@ -2748,13 +2764,13 @@
DocType: C-Form,C-Form No,C ແບບຟອມ No
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,ຜູ້ເຂົ້າຮ່ວມບໍ່ມີເຄື່ອງຫມາຍ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,ນັກຄົ້ນຄວ້າ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,ນັກຄົ້ນຄວ້າ
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,ໂຄງການລົງທະບຽນນັກສຶກສາເຄື່ອງມື
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,ຊື່ຫລື Email ເປັນການບັງຄັບ
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,ການກວດກາຄຸນນະພາບເຂົ້າມາ.
DocType: Purchase Order Item,Returned Qty,ກັບຈໍານວນ
DocType: Employee,Exit,ການທ່ອງທ່ຽວ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,ປະເພດຮາກເປັນຕົ້ນເປັນການບັງຄັບ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,ປະເພດຮາກເປັນຕົ້ນເປັນການບັງຄັບ
DocType: BOM,Total Cost(Company Currency),ຄ່າໃຊ້ຈ່າຍທັງຫມົດ (ບໍລິສັດສະກຸນເງິນ)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serial No {0} ສ້າງ
DocType: Homepage,Company Description for website homepage,ລາຍລະອຽດເກມບໍລິສັດສໍາລັບການຫນ້າທໍາອິດເວັບໄຊທ໌
@@ -2763,7 +2779,7 @@
DocType: Sales Invoice,Time Sheet List,ທີ່ໃຊ້ເວລາຊີ Sheet
DocType: Employee,You can enter any date manually,ທ່ານສາມາດເຂົ້າວັນທີ່ໃດ ໆ ດ້ວຍຕົນເອງ
DocType: Asset Category Account,Depreciation Expense Account,ບັນຊີຄ່າເສື່ອມລາຄາຄ່າໃຊ້ຈ່າຍ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,ໄລຍະເວລາແຫ່ງການທົດລອງ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,ໄລຍະເວລາແຫ່ງການທົດລອງ
DocType: Customer Group,Only leaf nodes are allowed in transaction,ພຽງແຕ່ໂຫນດໃບອະນຸຍາດໃຫ້ໃນການເຮັດທຸ
DocType: Expense Claim,Expense Approver,ຜູ້ອະນຸມັດຄ່າໃຊ້ຈ່າຍ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,ຕິດຕໍ່ກັນ {0}: Advance ຕໍ່ລູກຄ້າຈະຕ້ອງເປັນການປ່ອຍສິນເຊື່ອ
@@ -2777,10 +2793,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,ຕາຕະລາງການຂອງລາຍວິຊາການລຶບ:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,ຂໍ້ມູນບັນທຶກການຮັກສາສະຖານະພາບການຈັດສົ່ງ sms
DocType: Accounts Settings,Make Payment via Journal Entry,ເຮັດໃຫ້ການຊໍາລະເງິນໂດຍຜ່ານການອະນຸທິນ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,ພິມກ່ຽວກັບ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,ພິມກ່ຽວກັບ
DocType: Item,Inspection Required before Delivery,ການກວດກາທີ່ກໍານົດໄວ້ກ່ອນທີ່ຈະຈັດສົ່ງສິນຄ້າ
DocType: Item,Inspection Required before Purchase,ການກວດກາທີ່ກໍານົດໄວ້ກ່ອນທີ່ຈະຊື້
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,ກິດຈະກໍາທີ່ຍັງຄ້າງ
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,ອົງການຈັດຕັ້ງຂອງທ່ານ
DocType: Fee Component,Fees Category,ຄ່າທໍານຽມປະເພດ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,ກະລຸນາໃສ່ການເຈັບວັນທີ.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,amt
@@ -2790,9 +2807,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,ລະດັບລໍາດັບ
DocType: Company,Chart Of Accounts Template,ຕາຕະລາງຂອງບັນຊີແມ່ແບບ
DocType: Attendance,Attendance Date,ວັນທີ່ສະຫມັກຜູ້ເຂົ້າຮ່ວມ
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},ລາຍການລາຄາການປັບປຸງສໍາລັບ {0} ໃນລາຄາ {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},ລາຍການລາຄາການປັບປຸງສໍາລັບ {0} ໃນລາຄາ {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,ກະຈັດກະຈາຍເງິນເດືອນໂດຍອີງໃສ່ລາຍໄດ້ແລະການຫັກ.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,ບັນຊີທີ່ມີຂໍ້ເດັກນ້ອຍທີ່ບໍ່ສາມາດໄດ້ຮັບການປ່ຽນແປງເພື່ອຊີແຍກປະເພດ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,ບັນຊີທີ່ມີຂໍ້ເດັກນ້ອຍທີ່ບໍ່ສາມາດໄດ້ຮັບການປ່ຽນແປງເພື່ອຊີແຍກປະເພດ
DocType: Purchase Invoice Item,Accepted Warehouse,Warehouse ຮັບການຍອມຮັບ
DocType: Bank Reconciliation Detail,Posting Date,ວັນທີ່ປະກາດ
DocType: Item,Valuation Method,ວິທີການປະເມີນມູນຄ່າ
@@ -2801,14 +2818,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,ເຂົ້າຊ້ໍາກັນ
DocType: Program Enrollment Tool,Get Students,ໄດ້ຮັບນັກສຶກສາ
DocType: Serial No,Under Warranty,ພາຍໃຕ້ການຮັບປະກັນ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[ຂາຍ]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[ຂາຍ]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,ໃນຄໍາສັບຕ່າງໆຈະສັງເກດເຫັນເມື່ອທ່ານຊ່ວຍປະຢັດໃບສັ່ງຂາຍ.
,Employee Birthday,ພະນັກງານວັນເດືອນປີເກີດ
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,ນັກສຶກສາເຄື່ອງມືການເຂົ້າຮ່ວມກຸ່ມ
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,ຂອບເຂດຈໍາກັດອົງການກາ
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,ຂອບເຂດຈໍາກັດອົງການກາ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,ການຮ່ວມລົງທຶນ
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,ເປັນໄລຍະທາງວິຊາການກັບນີ້ປີທາງວິຊາການ '{0} ແລະ' ໄລຍະຊື່ '{1} ມີຢູ່ແລ້ວ. ກະລຸນາປັບປຸງແກ້ໄຂການອອກສຽງເຫຼົ່ານີ້ແລະພະຍາຍາມອີກເທື່ອຫນຶ່ງ.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","ເນື່ອງຈາກວ່າມີທຸລະກໍາທີ່ມີຢູ່ແລ້ວຕໍ່ item {0}, ທ່ານບໍ່ສາມາດມີການປ່ຽນແປງມູນຄ່າຂອງ {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","ເນື່ອງຈາກວ່າມີທຸລະກໍາທີ່ມີຢູ່ແລ້ວຕໍ່ item {0}, ທ່ານບໍ່ສາມາດມີການປ່ຽນແປງມູນຄ່າຂອງ {1}"
DocType: UOM,Must be Whole Number,ຕ້ອງເປັນຈໍານວນທັງຫມົດ
DocType: Leave Control Panel,New Leaves Allocated (In Days),ໃບໃຫມ່ຈັດສັນ (ໃນວັນ)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serial No {0} ບໍ່ມີ
@@ -2817,6 +2834,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,ຈໍານວນໃບເກັບເງິນ
DocType: Shopping Cart Settings,Orders,ຄໍາສັ່ງ
DocType: Employee Leave Approver,Leave Approver,ອອກຈາກອະນຸມັດ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,ກະລຸນາເລືອກ batch ເປັນ
DocType: Assessment Group,Assessment Group Name,ຊື່ການປະເມີນຜົນ Group
DocType: Manufacturing Settings,Material Transferred for Manufacture,ອຸປະກອນການໂອນສໍາລັບການຜະລິດ
DocType: Expense Claim,"A user with ""Expense Approver"" role",ຜູ່ໃຊ້ທີ່ມີ "ຄ່າໃຊ້ຈ່າຍອະນຸມັດ" ພາລະບົດບາດ
@@ -2826,9 +2844,10 @@
DocType: Target Detail,Target Detail,ຄາດຫມາຍລະອຽດ
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,ວຽກເຮັດງານທໍາທັງຫມົດ
DocType: Sales Order,% of materials billed against this Sales Order,% ຂອງອຸປະກອນການບິນຕໍ່ຂາຍສິນຄ້ານີ້
+DocType: Program Enrollment,Mode of Transportation,ຮູບແບບຂອງການຂົນສົ່ງ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Entry ໄລຍະເວລາປິດ
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,ສູນຕົ້ນທຶນກັບທຸລະກໍາທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດປ່ຽນໃຈເຫລື້ອມໃສກຸ່ມ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},ຈໍານວນ {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},ຈໍານວນ {0} {1} {2} {3}
DocType: Account,Depreciation,ຄ່າເສື່ອມລາຄາ
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),ຜູ້ສະຫນອງ (s)
DocType: Employee Attendance Tool,Employee Attendance Tool,ເຄື່ອງມືການເຂົ້າຮ່ວມຂອງພະນັກງານ
@@ -2836,7 +2855,7 @@
DocType: Supplier,Credit Limit,ຈໍາກັດການປ່ອຍສິນເຊື່ອ
DocType: Production Plan Sales Order,Salse Order Date,salse Order ວັນ
DocType: Salary Component,Salary Component,ເງິນເດືອນ Component
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,ການອອກສຽງການຊໍາລະເງິນ {0} ມີ un ການເຊື່ອມຕໍ່
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,ການອອກສຽງການຊໍາລະເງິນ {0} ມີ un ການເຊື່ອມຕໍ່
DocType: GL Entry,Voucher No,Voucher No
,Lead Owner Efficiency,ປະສິດທິພາບເຈົ້າຂອງຜູ້ນໍາພາ
,Lead Owner Efficiency,ປະສິດທິພາບເຈົ້າຂອງຜູ້ນໍາພາ
@@ -2848,11 +2867,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,ຮູບແບບຂອງຂໍ້ກໍານົດຫຼືການເຮັດສັນຍາ.
DocType: Purchase Invoice,Address and Contact,ທີ່ຢູ່ແລະຕິດຕໍ່
DocType: Cheque Print Template,Is Account Payable,ແມ່ນບັນຊີຫນີ້
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Stock ບໍ່ສາມາດຮັບການປັບປຸງຕໍ່ຮັບຊື້ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Stock ບໍ່ສາມາດຮັບການປັບປຸງຕໍ່ຮັບຊື້ {0}
DocType: Supplier,Last Day of the Next Month,ວັນສຸດທ້າຍຂອງເດືອນຖັດໄປ
DocType: Support Settings,Auto close Issue after 7 days,Auto ໃກ້ Issue ພາຍໃນ 7 ມື້
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","ອອກຈາກບໍ່ສາມາດໄດ້ຮັບການຈັດສັນກ່ອນ {0}, ເປັນການດຸ່ນດ່ຽງອອກໄດ້ແລ້ວປະຕິບັດ, ສົ່ງໃນການບັນທຶກການຈັດສັນອອກໃນອະນາຄົດ {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),ຫມາຍເຫດ: ເນື່ອງຈາກ / ວັນທີ່ເອກະສານຫຼາຍກວ່າວັນການປ່ອຍສິນເຊື່ອຂອງລູກຄ້າອະນຸຍາດໃຫ້ໂດຍ {0} ວັນ (s)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),ຫມາຍເຫດ: ເນື່ອງຈາກ / ວັນທີ່ເອກະສານຫຼາຍກວ່າວັນການປ່ອຍສິນເຊື່ອຂອງລູກຄ້າອະນຸຍາດໃຫ້ໂດຍ {0} ວັນ (s)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,ສະຫມັກນັກສຶກສາ
DocType: Asset Category Account,Accumulated Depreciation Account,ບັນຊີຄ່າເສື່ອມລາຄາສະສົມ
DocType: Stock Settings,Freeze Stock Entries,Freeze Entries Stock
@@ -2861,36 +2880,36 @@
DocType: Activity Cost,Billing Rate,ອັດຕາການເອີ້ນເກັບເງິນ
,Qty to Deliver,ຈໍານວນການສົ່ງ
,Stock Analytics,ການວິເຄາະຫຼັກຊັບ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,ການດໍາເນີນງານບໍ່ສາມາດໄດ້ຮັບການປະໄວ້ເປົ່າ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,ການດໍາເນີນງານບໍ່ສາມາດໄດ້ຮັບການປະໄວ້ເປົ່າ
DocType: Maintenance Visit Purpose,Against Document Detail No,ຕໍ່ຂໍ້ມູນເອກະສານທີ່ບໍ່ມີ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,ປະເພດບຸກຄົນທີ່ບັງຄັບ
DocType: Quality Inspection,Outgoing,ລາຍຈ່າຍ
DocType: Material Request,Requested For,ຕ້ອງການສໍາລັບ
DocType: Quotation Item,Against Doctype,ຕໍ່ DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} ຈະຖືກຍົກເລີກຫລືປິດ
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} ຈະຖືກຍົກເລີກຫລືປິດ
DocType: Delivery Note,Track this Delivery Note against any Project,ຕິດຕາມນີ້ການຈັດສົ່ງຕໍ່ໂຄງການໃດ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,ເງິນສົດສຸດທິຈາກການລົງທຶນ
-,Is Primary Address,ທີ່ຢູ່ປະຖົມ
DocType: Production Order,Work-in-Progress Warehouse,ການເຮັດວຽກໃນຄວາມຄືບຫນ້າ Warehouse
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Asset {0} ຕ້ອງໄດ້ຮັບການສົ່ງ
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},ຜູ້ເຂົ້າຮ່ວມບັນທຶກ {0} ມີຢູ່ກັບນັກສຶກສາ {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},ຜູ້ເຂົ້າຮ່ວມບັນທຶກ {0} ມີຢູ່ກັບນັກສຶກສາ {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},ກະສານອ້າງອີງ # {0} ວັນ {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,ຄ່າເສື່ອມລາຄາຕັດອອກເນື່ອງຈາກການຈໍາຫນ່າຍສິນຊັບ
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,ການຄຸ້ມຄອງທີ່ຢູ່
DocType: Asset,Item Code,ລະຫັດສິນຄ້າ
DocType: Production Planning Tool,Create Production Orders,ສ້າງໃບສັ່ງຜະລິດ
DocType: Serial No,Warranty / AMC Details,ການຮັບປະກັນ / ລາຍລະອຽດ AMC
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,ເລືອກນັກສຶກສາດ້ວຍຕົນເອງສໍາລັບກຸ່ມບໍລິສັດກິດຈະກໍາຕາມ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,ເລືອກນັກສຶກສາດ້ວຍຕົນເອງສໍາລັບກຸ່ມບໍລິສັດກິດຈະກໍາຕາມ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,ເລືອກນັກສຶກສາດ້ວຍຕົນເອງສໍາລັບກຸ່ມບໍລິສັດກິດຈະກໍາຕາມ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,ເລືອກນັກສຶກສາດ້ວຍຕົນເອງສໍາລັບກຸ່ມບໍລິສັດກິດຈະກໍາຕາມ
DocType: Journal Entry,User Remark,User ຂໍ້ສັງເກດ
DocType: Lead,Market Segment,ສ່ວນຕະຫຼາດ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},ການຊໍາລະເງິນຈໍານວນບໍ່ສາມາດຈະຫຼາຍກ່ວາຈໍານວນທັງຫມົດປະລິມານທີ່ຍັງຄ້າງຄາໃນທາງລົບ {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},ການຊໍາລະເງິນຈໍານວນບໍ່ສາມາດຈະຫຼາຍກ່ວາຈໍານວນທັງຫມົດປະລິມານທີ່ຍັງຄ້າງຄາໃນທາງລົບ {0}
DocType: Employee Internal Work History,Employee Internal Work History,ພະນັກງານປະຫວັດການເຮັດພາຍໃນປະເທດ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),ປິດ (Dr)
DocType: Cheque Print Template,Cheque Size,ຂະຫນາດກະແສລາຍວັນ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serial No {0} ບໍ່ໄດ້ຢູ່ໃນຫຸ້ນ
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,ແມ່ແບບພາສີສໍາລັບການຂາຍທຸລະກໍາ.
DocType: Sales Invoice,Write Off Outstanding Amount,ຂຽນ Off ທີ່ພົ້ນເດັ່ນຈໍານວນ
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},ບັນຊີ {0} ບໍ່ກົງກັບກັບບໍລິສັດ {1}
DocType: School Settings,Current Academic Year,ປີທາງວິຊາການໃນປະຈຸບັນ
DocType: School Settings,Current Academic Year,ປີທາງວິຊາການໃນປະຈຸບັນ
DocType: Stock Settings,Default Stock UOM,ມາດຕະຖານ Stock UOM
@@ -2906,27 +2925,27 @@
DocType: Asset,Double Declining Balance,ດຸນຫລຸດ Double
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,ປິດເພື່ອບໍ່ສາມາດໄດ້ຮັບການຍົກເລີກ. unclosed ເພື່ອຍົກເລີກການ.
DocType: Student Guardian,Father,ພຣະບິດາ
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'ປັບປຸງ Stock' ບໍ່ສາມາດໄດ້ຮັບການກວດສອບສໍາລັບການຂາຍຊັບສົມບັດຄົງ
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'ປັບປຸງ Stock' ບໍ່ສາມາດໄດ້ຮັບການກວດສອບສໍາລັບການຂາຍຊັບສົມບັດຄົງ
DocType: Bank Reconciliation,Bank Reconciliation,ທະນາຄານສ້າງຄວາມປອງດອງ
DocType: Attendance,On Leave,ໃບ
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,ໄດ້ຮັບການປັບປຸງ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} ບໍ່ໄດ້ຂຶ້ນກັບບໍລິສັດ {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,ຂໍອຸປະກອນການ {0} ຈະຖືກຍົກເລີກຫຼືຢຸດເຊົາການ
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,ເພີ່ມການບັນທຶກຕົວຢ່າງຈໍານວນຫນ້ອຍ
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,ເພີ່ມການບັນທຶກຕົວຢ່າງຈໍານວນຫນ້ອຍ
apps/erpnext/erpnext/config/hr.py +301,Leave Management,ອອກຈາກການຄຸ້ມຄອງ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Group ໂດຍບັນຊີ
DocType: Sales Order,Fully Delivered,ສົ່ງຢ່າງເຕັມທີ່
DocType: Lead,Lower Income,ລາຍໄດ້ຕ່ໍາ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},ແຫຼ່ງຂໍ້ມູນແລະຄັງສິນຄ້າເປົ້າຫມາຍບໍ່ສາມາດຈະດຽວກັນສໍາລັບການຕິດຕໍ່ກັນ {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},ແຫຼ່ງຂໍ້ມູນແລະຄັງສິນຄ້າເປົ້າຫມາຍບໍ່ສາມາດຈະດຽວກັນສໍາລັບການຕິດຕໍ່ກັນ {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","ບັນຊີທີ່ແຕກຕ່າງກັນຈະຕ້ອງບັນຊີປະເພດຊັບສິນ / ຫນີ້ສິນ, ນັບຕັ້ງແຕ່ນີ້ Stock Reconciliation ເປັນ Entry ເປີດ"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},ຈ່າຍຈໍານວນບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາເງິນກູ້ຈໍານວນ {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},ຊື້ຈໍານວນຄໍາສັ່ງທີ່ຕ້ອງການສໍາລັບລາຍການ {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,ຜະລິດພັນທີ່ບໍ່ໄດ້ສ້າງ
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},ຊື້ຈໍານວນຄໍາສັ່ງທີ່ຕ້ອງການສໍາລັບລາຍການ {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,ຜະລິດພັນທີ່ບໍ່ໄດ້ສ້າງ
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','ຈາກວັນທີ່ສະຫມັກ' ຈະຕ້ອງຫລັງຈາກທີ່ໄປວັນ '
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},ບໍ່ສາມາດມີການປ່ຽນແປງສະຖານະພາບເປັນນັກສຶກສາ {0} ແມ່ນການເຊື່ອມຕໍ່ກັບຄໍາຮ້ອງສະຫມັກນັກສຶກສາ {1}
DocType: Asset,Fully Depreciated,ຄ່າເສື່ອມລາຄາຢ່າງເຕັມສ່ວນ
,Stock Projected Qty,Stock ປະມານການຈໍານວນ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},ລູກຄ້າ {0} ບໍ່ໄດ້ຂຶ້ນກັບໂຄງການ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},ລູກຄ້າ {0} ບໍ່ໄດ້ຂຶ້ນກັບໂຄງການ {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,ເຄື່ອງຫມາຍຜູ້ເຂົ້າຮ່ວມ HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","ການຊື້ຂາຍແມ່ນການສະເຫນີ, ສະເຫນີລາຄາທີ່ທ່ານໄດ້ຖືກສົ່ງໄປໃຫ້ກັບລູກຄ້າຂອງທ່ານ"
DocType: Sales Order,Customer's Purchase Order,ການສັ່ງຊື້ຂອງລູກຄ້າ
@@ -2935,8 +2954,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,ຜົນບວກຂອງຄະແນນຂອງເງື່ອນໄຂການປະເມີນຜົນທີ່ຕ້ອງການຈະ {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,ກະລຸນາທີ່ກໍານົດໄວ້ຈໍານວນຂອງການອ່ອນຄ່າຈອງ
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,ມູນຄ່າຫຼືຈໍານວນ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,ຜະລິດພັນທີ່ບໍ່ສາມາດໄດ້ຮັບການຍົກຂຶ້ນມາສໍາລັບການ:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,ນາທີ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,ຜະລິດພັນທີ່ບໍ່ສາມາດໄດ້ຮັບການຍົກຂຶ້ນມາສໍາລັບການ:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,ນາທີ
DocType: Purchase Invoice,Purchase Taxes and Charges,ຊື້ພາສີອາກອນແລະຄ່າບໍລິການ
,Qty to Receive,ຈໍານວນທີ່ຈະໄດ້ຮັບ
DocType: Leave Block List,Leave Block List Allowed,ອອກຈາກສະໄຫມອະນຸຍາດໃຫ້
@@ -2944,25 +2963,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},ການຮ້ອງຂໍຄ່າໃຊ້ຈ່າຍສໍາລັບຍານພາຫະນະເຂົ້າສູ່ລະບົບ {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ສ່ວນລົດ (%) ໃນລາຄາອັດຕາກັບ Margin
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ສ່ວນລົດ (%) ໃນລາຄາອັດຕາກັບ Margin
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,ຄັງສິນຄ້າທັງຫມົດ
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,ຄັງສິນຄ້າທັງຫມົດ
DocType: Sales Partner,Retailer,ທຸລະກິດ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,ການປ່ອຍສິນເຊື່ອການບັນຊີຈະຕ້ອງບັນຊີງົບດຸນ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,ການປ່ອຍສິນເຊື່ອການບັນຊີຈະຕ້ອງບັນຊີງົບດຸນ
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,ທຸກປະເພດຜະລິດ
DocType: Global Defaults,Disable In Words,ປິດການໃຊ້ງານໃນຄໍາສັບຕ່າງໆ
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,ລະຫັດສິນຄ້າເປັນການບັງຄັບເນື່ອງຈາກວ່າລາຍການບໍ່ໄດ້ນັບຈໍານວນອັດຕະໂນມັດ
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,ລະຫັດສິນຄ້າເປັນການບັງຄັບເນື່ອງຈາກວ່າລາຍການບໍ່ໄດ້ນັບຈໍານວນອັດຕະໂນມັດ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},ສະເຫນີລາຄາ {0} ບໍ່ປະເພດ {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,ບໍາລຸງຮັກສາຕາຕະລາງລາຍການ
DocType: Sales Order,% Delivered,% ສົ່ງ
DocType: Production Order,PRO-,ຈັດງານ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,ທະນາຄານບັນຊີເບີກເກີນບັນຊີ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,ທະນາຄານບັນຊີເບີກເກີນບັນຊີ
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,ເຮັດໃຫ້ຄວາມຜິດພາດພຽງເງິນເດືອນ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,ແຖວ # {0}: ຈັດສັນຈໍານວນບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາປະລິມານທີ່ຍັງຄ້າງຄາ.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Browse BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,ກູ້ໄພ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,ກູ້ໄພ
DocType: Purchase Invoice,Edit Posting Date and Time,ແກ້ໄຂວັນທີ່ປະກາດແລະເວລາ
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},ກະລຸນາທີ່ກໍານົດໄວ້ບັນຊີທີ່ກ່ຽວຂ້ອງກັບຄ່າເສື່ອມລາຄາໃນສິນຊັບປະເພດ {0} ຫລືບໍລິສັດ {1}
DocType: Academic Term,Academic Year,ປີທາງວິຊາການ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Equity Balance ເປີດ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Equity Balance ເປີດ
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,ການປະເມີນຜົນ
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},ອີເມລ໌ສົ່ງໃຫ້ຜູ້ຂາຍ {0}
@@ -2978,7 +2997,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,ການອະນຸມັດບົດບາດບໍ່ສາມາດເຊັ່ນດຽວກັນກັບພາລະບົດບາດລະບຽບການກ່ຽວຂ້ອງກັບ
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,ຍົກເລີກການ Email ນີ້ Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,ຂໍ້ຄວາມທີ່ສົ່ງ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,ບັນຊີທີ່ມີຂໍ້ເດັກນ້ອຍທີ່ບໍ່ສາມາດໄດ້ຮັບການກໍານົດໄວ້ເປັນຊີແຍກປະເພດ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,ບັນຊີທີ່ມີຂໍ້ເດັກນ້ອຍທີ່ບໍ່ສາມາດໄດ້ຮັບການກໍານົດໄວ້ເປັນຊີແຍກປະເພດ
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,ອັດຕາການທີ່ສະເຫນີລາຄາສະກຸນເງິນຈະປ່ຽນເປັນສະກຸນເງິນຂອງລູກຄ້າຂອງພື້ນຖານ
DocType: Purchase Invoice Item,Net Amount (Company Currency),ຈໍານວນສຸດທິ (ບໍລິສັດສະກຸນເງິນ)
@@ -3013,7 +3032,7 @@
DocType: Expense Claim,Approval Status,ສະຖານະການອະນຸມັດ
DocType: Hub Settings,Publish Items to Hub,ເຜີຍແຜ່ການກັບ Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},ຈາກມູນຄ່າຕ້ອງບໍ່ເກີນມູນຄ່າໃນການຕິດຕໍ່ກັນ {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,ການໂອນ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,ການໂອນ
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,ກວດເບິ່ງທັງຫມົດ
DocType: Vehicle Log,Invoice Ref,Ref ໃບເກັບເງິນ
DocType: Purchase Order,Recurring Order,Order Recurring
@@ -3026,19 +3045,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,ທະນາຄານແລະການຊໍາລະເງິນ
,Welcome to ERPNext,ຍິນດີຕ້ອນຮັບ ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,ນໍາໄປສູ່ການສະເຫນີລາຄາ
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,ບໍ່ມີຫຍັງຫຼາຍກວ່າທີ່ຈະສະແດງໃຫ້ເຫັນ.
DocType: Lead,From Customer,ຈາກລູກຄ້າ
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,ໂທຫາເຄືອຂ່າຍ
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,ໂທຫາເຄືອຂ່າຍ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,ສໍາຫລັບຂະບວນ
DocType: Project,Total Costing Amount (via Time Logs),ຈໍານວນເງິນຕົ້ນທຶນ (ໂດຍຜ່ານທີ່ໃຊ້ເວລາບັນທຶກ)
DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,ການສັ່ງຊື້ {0} ບໍ່ໄດ້ສົ່ງ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,ການສັ່ງຊື້ {0} ບໍ່ໄດ້ສົ່ງ
DocType: Customs Tariff Number,Tariff Number,ຈໍານວນພາສີ
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,ຄາດ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serial No {0} ບໍ່ໄດ້ຂຶ້ນກັບ Warehouse {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,ຫມາຍເຫດ: ລະບົບຈະບໍ່ກວດສອບໃນໄລຍະການຈັດສົ່ງແລະໃນໄລຍະການຈອງສໍາລັບລາຍການ {0} ກັບປະລິມານຫຼືຈໍານວນເງິນທັງຫມົດ 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,ຫມາຍເຫດ: ລະບົບຈະບໍ່ກວດສອບໃນໄລຍະການຈັດສົ່ງແລະໃນໄລຍະການຈອງສໍາລັບລາຍການ {0} ກັບປະລິມານຫຼືຈໍານວນເງິນທັງຫມົດ 0
DocType: Notification Control,Quotation Message,ວົງຢືມຂໍ້ຄວາມ
DocType: Employee Loan,Employee Loan Application,ຄໍາຮ້ອງສະຫມັກເງິນກູ້ພະນັກງານ
DocType: Issue,Opening Date,ວັນທີ່ສະຫມັກເປີດ
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,ຜູ້ເຂົ້າຮ່ວມໄດ້ຮັບການຫມາຍຢ່າງສໍາເລັດຜົນ.
+DocType: Program Enrollment,Public Transport,ການຂົນສົ່ງສາທາລະນະ
DocType: Journal Entry,Remark,ຂໍ້ສັງເກດ
DocType: Purchase Receipt Item,Rate and Amount,ອັດຕາການແລະຈໍານວນເງິນ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},ປະເພດບັນຊີສໍາລັບ {0} ຕ້ອງ {1}
@@ -3046,32 +3068,32 @@
DocType: School Settings,Current Academic Term,ໄລຍະວິຊາການໃນປະຈຸບັນ
DocType: School Settings,Current Academic Term,ໄລຍະວິຊາການໃນປະຈຸບັນ
DocType: Sales Order,Not Billed,ບໍ່ບິນ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,ທັງສອງ Warehouse ຕ້ອງເປັນບໍລິສັດດຽວກັນ
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,ບໍ່ມີການຕິດຕໍ່ເຂົ້າມາເທື່ອ.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,ທັງສອງ Warehouse ຕ້ອງເປັນບໍລິສັດດຽວກັນ
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,ບໍ່ມີການຕິດຕໍ່ເຂົ້າມາເທື່ອ.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ລູກຈ້າງຄ່າໃຊ້ຈ່າຍຈໍານວນເງິນ Voucher
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,ໃບບິນຄ່າໄດ້ຍົກຂຶ້ນມາໂດຍຜູ້ສະຫນອງ.
DocType: POS Profile,Write Off Account,ຂຽນ Off ບັນຊີ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,ເດບິດຫມາຍເຫດ Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,ຈໍານວນສ່ວນລົດ
DocType: Purchase Invoice,Return Against Purchase Invoice,ກັບຄືນຕໍ່ຊື້ Invoice
DocType: Item,Warranty Period (in days),ໄລຍະເວລາຮັບປະກັນ (ໃນວັນເວລາ)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,ຄວາມສໍາພັນກັບ Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,ຄວາມສໍາພັນກັບ Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,ເງິນສົດສຸດທິຈາກການດໍາເນີນວຽກ
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,ຕົວຢ່າງພາສີ
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,ຕົວຢ່າງພາສີ
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,ຂໍ້ 4
DocType: Student Admission,Admission End Date,ເປີດປະຕູຮັບວັນທີ່ສິ້ນສຸດ
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,ອະນຸສັນຍາ
DocType: Journal Entry Account,Journal Entry Account,ບັນຊີ Entry ວາລະສານ
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,ກຸ່ມນັກສຶກສາ
DocType: Shopping Cart Settings,Quotation Series,ວົງຢືມ Series
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","ລາຍການລາຄາທີ່ມີຊື່ດຽວກັນ ({0}), ກະລຸນາມີການປ່ຽນແປງຊື່ກຸ່ມສິນຄ້າຫລືປ່ຽນຊື່ລາຍການ"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,ກະລຸນາເລືອກລູກຄ້າ
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","ລາຍການລາຄາທີ່ມີຊື່ດຽວກັນ ({0}), ກະລຸນາມີການປ່ຽນແປງຊື່ກຸ່ມສິນຄ້າຫລືປ່ຽນຊື່ລາຍການ"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,ກະລຸນາເລືອກລູກຄ້າ
DocType: C-Form,I,ຂ້າພະເຈົ້າ
DocType: Company,Asset Depreciation Cost Center,Asset Center ຄ່າເສື່ອມລາຄາຄ່າໃຊ້ຈ່າຍ
DocType: Sales Order Item,Sales Order Date,ວັນທີ່ສະຫມັກໃບສັ່ງຂາຍ
DocType: Sales Invoice Item,Delivered Qty,ສົ່ງຈໍານວນ
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","ຖ້າຫາກວ່າການກວດກາ, ເດັກນ້ອຍທັງຫມົດຂອງລາຍການຜະລິດແຕ່ລະຄົນຈະໄດ້ຮັບການມີຢູ່ໃນການຮ້ອງຂໍການວັດສະດຸ."
DocType: Assessment Plan,Assessment Plan,ແຜນການປະເມີນຜົນ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Warehouse {0}: ບໍລິສັດເປັນການບັງຄັບ
DocType: Stock Settings,Limit Percent,ເປີເຊັນຂອບເຂດຈໍາກັດ
,Payment Period Based On Invoice Date,ໄລຍະເວລາການຊໍາລະເງິນໂດຍອີງໃສ່ວັນ Invoice
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},ອັດຕາແລກປ່ຽນທີ່ຂາດຫາຍໄປສະກຸນເງິນສໍາລັບ {0}
@@ -3083,7 +3105,7 @@
DocType: Vehicle,Insurance Details,ລາຍລະອຽດການປະກັນໄພ
DocType: Account,Payable,ຈ່າຍ
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,ກະລຸນາໃສ່ໄລຍະເວລາຊໍາລະຄືນ
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),ລູກຫນີ້ ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),ລູກຫນີ້ ({0})
DocType: Pricing Rule,Margin,margin
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,ລູກຄ້າໃຫມ່
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,ກໍາໄຮ% Gross
@@ -3094,16 +3116,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,ພັກເປັນການບັງຄັບ
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,ຊື່ກະທູ້
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,atleast ຫນຶ່ງຂອງການຂາຍຫຼືຊື້ຕ້ອງໄດ້ຮັບການຄັດເລືອກ
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,ເລືອກລັກສະນະຂອງທຸລະກິດຂອງທ່ານ.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,atleast ຫນຶ່ງຂອງການຂາຍຫຼືຊື້ຕ້ອງໄດ້ຮັບການຄັດເລືອກ
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,ເລືອກລັກສະນະຂອງທຸລະກິດຂອງທ່ານ.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},ແຖວ # {0}: ຊ້ໍາເຂົ້າໃນການອ້າງອິງ {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,ບ່ອນທີ່ການດໍາເນີນງານການຜະລິດກໍາລັງດໍາເນີນ.
DocType: Asset Movement,Source Warehouse,Warehouse Source
DocType: Installation Note,Installation Date,ວັນທີ່ສະຫມັກການຕິດຕັ້ງ
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},"ຕິດຕໍ່ກັນ, {0}: Asset {1} ບໍ່ໄດ້ຂຶ້ນກັບບໍລິສັດ {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},"ຕິດຕໍ່ກັນ, {0}: Asset {1} ບໍ່ໄດ້ຂຶ້ນກັບບໍລິສັດ {2}"
DocType: Employee,Confirmation Date,ວັນທີ່ສະຫມັກການຢັ້ງຢືນ
DocType: C-Form,Total Invoiced Amount,ຈໍານວນອະນຸທັງຫມົດ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min ຈໍານວນບໍ່ສາມາດຈະຫຼາຍກ່ວານ້ໍາຈໍານວນ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Min ຈໍານວນບໍ່ສາມາດຈະຫຼາຍກ່ວານ້ໍາຈໍານວນ
DocType: Account,Accumulated Depreciation,ຄ່າເສື່ອມລາຄາສະສົມ
DocType: Stock Entry,Customer or Supplier Details,ລູກຄ້າຫຼືຜູ້ຜະລິດລາຍລະອຽດ
DocType: Employee Loan Application,Required by Date,ທີ່ກໍານົດໄວ້ by Date
@@ -3124,22 +3146,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,ເປີເຊັນຂອງການແຜ່ກະຈາຍປະຈໍາເດືອນ
DocType: Territory,Territory Targets,ຄາດຫມາຍຕົ້ນຕໍອານາເຂດ
DocType: Delivery Note,Transporter Info,ຂໍ້ມູນການຂົນສົ່ງ
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},ກະລຸນາທີ່ກໍານົດໄວ້ໃນຕອນຕົ້ນ {0} ໃນບໍລິສັດ {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},ກະລຸນາທີ່ກໍານົດໄວ້ໃນຕອນຕົ້ນ {0} ໃນບໍລິສັດ {1}
DocType: Cheque Print Template,Starting position from top edge,ຈຸດເລີ່ມຕົ້ນຈາກແຂບເທິງ
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,ຄ້າຄົນດຽວກັນໄດ້ຮັບການປ້ອນເວລາຫຼາຍ
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,ກໍາໄຮຂັ້ນຕົ້ນ / ການສູນເສຍ
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,ການສັ່ງຊື້ສິນຄ້າທີ່ຈໍາຫນ່າຍ
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,ຊື່ບໍລິສັດບໍ່ສາມາດບໍລິສັດ
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,ຊື່ບໍລິສັດບໍ່ສາມາດບໍລິສັດ
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,ຫົວຫນ້າຈົດຫມາຍສະບັບສໍາລັບການພິມແມ່ແບບ.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,ຫົວຂໍ້ສໍາລັບແມ່ແບບພິມເຊັ່ນ Proforma Invoice.
DocType: Student Guardian,Student Guardian,ຜູ້ປົກຄອງນັກສຶກສາ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,ຄ່າບໍລິການປະເພດການປະເມີນຄ່າບໍ່ສາມາດເຮັດເຄື່ອງຫມາຍເປັນ Inclusive
DocType: POS Profile,Update Stock,ຫລັກຊັບ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Supplier> ປະເພດຜະລິດ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM ທີ່ແຕກຕ່າງກັນສໍາລັບລາຍການທີ່ຈະນໍາໄປສູ່ການທີ່ບໍ່ຖືກຕ້ອງ (Total) ຄ່ານ້ໍາຫນັກສຸດທິ. ໃຫ້ແນ່ໃຈວ່ານ້ໍາຫນັກສຸດທິຂອງແຕ່ລະລາຍການແມ່ນຢູ່ໃນ UOM ດຽວກັນ.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM ອັດຕາ
DocType: Asset,Journal Entry for Scrap,ວາລະສານການອອກສຽງ Scrap
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,ກະລຸນາດຶງລາຍການຈາກການສົ່ງເງິນ
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,ວາລະສານການອອກສຽງ {0} ມີ un ການເຊື່ອມຕໍ່
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,ວາລະສານການອອກສຽງ {0} ມີ un ການເຊື່ອມຕໍ່
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","ການບັນທຶກຂອງການສື່ສານທັງຫມົດຂອງອີເມວປະເພດ, ໂທລະສັບ, ສົນທະ, ການຢ້ຽມຢາມ, ແລະອື່ນໆ"
DocType: Manufacturer,Manufacturers used in Items,ຜູ້ຜະລິດນໍາໃຊ້ໃນການ
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,ກະລຸນາຮອບ Off ສູນຕົ້ນທຶນໃນບໍລິສັດ
@@ -3188,34 +3211,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,ຜູ້ຈັດຈໍາຫນ່າຍໃຫ້ກັບລູກຄ້າ
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (ແບບຟອມ # / Item / {0}) ເປັນ out of stock
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,ວັນຖັດໄປຈະຕ້ອງຫຼາຍກ່ວາປະກາດວັນທີ່
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,"ສະແດງໃຫ້ເຫັນອາການພັກຜ່ອນ, ເຖິງ"
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},ກໍາຫນົດ / Reference ບໍ່ສາມາດໄດ້ຮັບຫຼັງຈາກ {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,"ສະແດງໃຫ້ເຫັນອາການພັກຜ່ອນ, ເຖິງ"
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},ກໍາຫນົດ / Reference ບໍ່ສາມາດໄດ້ຮັບຫຼັງຈາກ {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,ນໍາເຂົ້າຂໍ້ມູນແລະສົ່ງອອກ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","entries Stock ມີຕໍ່ Warehouse {0}, ເພາະສະນັ້ນທ່ານບໍ່ສາມາດມີການກໍາຫນົດຫຼືປັບປຸງແກ້ໄຂມັນ"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,ບໍ່ພົບຂໍ້ມູນນັກສຶກສາ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,ບໍ່ພົບຂໍ້ມູນນັກສຶກສາ
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,ໃບເກັບເງິນວັນທີ່ປະກາດ
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,ຂາຍ
DocType: Sales Invoice,Rounded Total,ກົມທັງຫມົດ
DocType: Product Bundle,List items that form the package.,ລາຍການບັນຊີລາຍການທີ່ປະກອບເປັນຊຸດຂອງ.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,ອັດຕາສ່ວນການຈັດສັນຄວນຈະເທົ່າກັບ 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,ກະລຸນາເລືອກວັນທີ່ປະກາດກ່ອນທີ່ຈະເລືອກພັກ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,ກະລຸນາເລືອກວັນທີ່ປະກາດກ່ອນທີ່ຈະເລືອກພັກ
DocType: Program Enrollment,School House,ໂຮງຮຽນບ້ານ
DocType: Serial No,Out of AMC,ອອກຈາກ AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,ກະລຸນາເລືອກແນວໂນ້ມ
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,ກະລຸນາເລືອກແນວໂນ້ມ
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,ກະລຸນາເລືອກແນວໂນ້ມ
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,ກະລຸນາເລືອກແນວໂນ້ມ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,ຈໍານວນຂອງການອ່ອນຄ່າຈອງບໍ່ສາມາດຈະຫຼາຍກ່ວາຈໍານວນທັງຫມົດຂອງຄ່າເສື່ອມລາຄາ
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,ເຮັດໃຫ້ບໍາລຸງຮັກສາ Visit
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,ກະລຸນາຕິດຕໍ່ກັບຜູ້ໃຊ້ທີ່ມີການຂາຍລິນຍາໂທ Manager {0} ພາລະບົດບາດ
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,ກະລຸນາຕິດຕໍ່ກັບຜູ້ໃຊ້ທີ່ມີການຂາຍລິນຍາໂທ Manager {0} ພາລະບົດບາດ
DocType: Company,Default Cash Account,ມາດຕະຖານບັນຊີເງິນສົດ
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,ບໍລິສັດ (ໄດ້ລູກຄ້າຫລືຜູ້ຜະລິດ) ຕົ້ນສະບັບ.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,ນີ້ແມ່ນອີງໃສ່ການເຂົ້າຮ່ວມຂອງນັກສຶກສານີ້
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,No ນັກສຶກສາໃນ
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,No ນັກສຶກສາໃນ
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,ເພີ່ມລາຍການເພີ່ມເຕີມຫຼືເຕັມຮູບແບບເປີດ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',ກະລຸນາໃສ່ 'ວັນທີຄາດວ່າສົ່ງ'
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ການຈັດສົ່ງ {0} ຕ້ອງໄດ້ຮັບການຍົກເລີກກ່ອນການຍົກເລີກການຂາຍສິນຄ້ານີ້
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,ຈໍານວນເງິນທີ່ຊໍາລະເງິນ + ຂຽນ Off ຈໍານວນເງິນບໍ່ສາມາດຈະຫຼາຍກ່ວາຈໍານວນທັງຫມົດ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,ຈໍານວນເງິນທີ່ຊໍາລະເງິນ + ຂຽນ Off ຈໍານວນເງິນບໍ່ສາມາດຈະຫຼາຍກ່ວາຈໍານວນທັງຫມົດ
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ບໍ່ແມ່ນຈໍານວນ Batch ຖືກຕ້ອງສໍາລັບສິນຄ້າ {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},ຫມາຍເຫດ: ຍັງບໍ່ທັນມີຄວາມສົມດູນອອກພຽງພໍສໍາລັບການອອກຈາກປະເພດ {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN ບໍ່ຖືກຕ້ອງຫຼືກະລຸນາໃສ່ສະພາແຫ່ງຊາດສໍາລັບບຸກຄົນທົ່ວໄປ
DocType: Training Event,Seminar,ການສໍາມະນາ
DocType: Program Enrollment Fee,Program Enrollment Fee,ຄ່າທໍານຽມການລົງທະບຽນໂຄງການ
DocType: Item,Supplier Items,ການສະຫນອງ
@@ -3241,28 +3264,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,ຂໍ້ 3
DocType: Purchase Order,Customer Contact Email,ລູກຄ້າຕິດຕໍ່ Email
DocType: Warranty Claim,Item and Warranty Details,ລາຍການແລະການຮັບປະກັນລາຍລະອຽດ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,ລະຫັດສິນຄ້າ> ກຸ່ມສິນຄ້າ> ຍີ່ຫໍ້
DocType: Sales Team,Contribution (%),ການປະກອບສ່ວນ (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,ຫມາຍເຫດ: ແບບການຊໍາລະເງິນຈະບໍ່ໄດ້ຮັບການສ້າງຂຶ້ນຕັ້ງແຕ່ 'ເງິນສົດຫຼືບັນຊີທະນາຄານບໍ່ໄດ້ລະບຸ
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,ເລືອກໂຄງການທີ່ຈະດຶງຂໍ້ມູນຫລັກສູດການບັງຄັບ.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,ເລືອກໂຄງການທີ່ຈະດຶງຂໍ້ມູນຫລັກສູດການບັງຄັບ.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,ຄວາມຮັບຜິດຊອບ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,ຄວາມຮັບຜິດຊອບ
DocType: Expense Claim Account,Expense Claim Account,ບັນຊີຄ່າໃຊ້ຈ່າຍການຮ້ອງຂໍ
DocType: Sales Person,Sales Person Name,Sales Person ຊື່
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,ກະລຸນາໃສ່ atleast 1 ໃບເກັບເງິນໃນຕາຕະລາງ
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,ເພີ່ມຜູ້ໃຊ້
DocType: POS Item Group,Item Group,ກຸ່ມສິນຄ້າ
DocType: Item,Safety Stock,Stock ຄວາມປອດໄພ
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,% ຄວາມຄືບຫນ້າສໍາລັບວຽກງານທີ່ບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ 100.
DocType: Stock Reconciliation Item,Before reconciliation,ກ່ອນທີ່ຈະ reconciliation
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},ເພື່ອ {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),ພາສີອາກອນແລະຄ່າບໍລິການເພີ່ມ (ບໍລິສັດສະກຸນເງິນ)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Row ພາສີລາຍ {0} ຕ້ອງມີບັນຊີຂອງສ່ວຍສາອາກອນປະເພດຫຼືລາຍໄດ້ຫຼືຄ່າໃຊ້ຈ່າຍຫຼື Chargeable
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Row ພາສີລາຍ {0} ຕ້ອງມີບັນຊີຂອງສ່ວຍສາອາກອນປະເພດຫຼືລາຍໄດ້ຫຼືຄ່າໃຊ້ຈ່າຍຫຼື Chargeable
DocType: Sales Order,Partly Billed,ບິນສ່ວນຫນຶ່ງແມ່ນ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,ລາຍການ {0} ຈະຕ້ອງເປັນລາຍການຊັບສິນຄົງທີ່
DocType: Item,Default BOM,ມາດຕະຖານ BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,ກະລຸນາປະເພດຊື່ບໍລິສັດຢືນຢັນ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,ທັງຫມົດ Amt ເດັ່ນ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,ເດບິດຫມາຍເຫດຈໍານວນ
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,ກະລຸນາປະເພດຊື່ບໍລິສັດຢືນຢັນ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,ທັງຫມົດ Amt ເດັ່ນ
DocType: Journal Entry,Printing Settings,ການຕັ້ງຄ່າການພິມ
DocType: Sales Invoice,Include Payment (POS),ລວມການຊໍາລະເງິນ (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},ເດບິດທັງຫມົດຈະຕ້ອງເທົ່າທຽມກັນກັບການປ່ອຍສິນເຊື່ອທັງຫມົດ. ຄວາມແຕກຕ່າງກັນເປັນ {0}
@@ -3276,16 +3296,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,ໃນສາງ:
DocType: Notification Control,Custom Message,ຂໍ້ຄວາມ Custom
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,ທະນາຄານການລົງທຶນ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,ເງິນສົດຫຼືທະນາຄານບັນຊີເປັນການບັງຄັບສໍາລັບການເຮັດເຂົ້າການຊໍາລະເງິນ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,ທີ່ຢູ່ Student
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,ທີ່ຢູ່ Student
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,ເງິນສົດຫຼືທະນາຄານບັນຊີເປັນການບັງຄັບສໍາລັບການເຮັດເຂົ້າການຊໍາລະເງິນ
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,ກະລຸນາຕິດຕັ້ງນໍ້າເບີຊຸດສໍາລັບຜູ້ເຂົ້າຮ່ວມໂດຍຜ່ານການຕິດຕັ້ງ> Numbering Series
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ທີ່ຢູ່ Student
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ທີ່ຢູ່ Student
DocType: Purchase Invoice,Price List Exchange Rate,ລາຄາອັດຕາແລກປ່ຽນບັນຊີ
DocType: Purchase Invoice Item,Rate,ອັດຕາການ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Intern
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,ລິງທີ່ກ່ຽວຂ້ອງ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Intern
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,ລິງທີ່ກ່ຽວຂ້ອງ
DocType: Stock Entry,From BOM,ຈາກ BOM
DocType: Assessment Code,Assessment Code,ລະຫັດການປະເມີນຜົນ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,ພື້ນຖານ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,ພື້ນຖານ
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,ເຮັດທຸລະກໍາຫຼັກຊັບກ່ອນ {0} ໄດ້ຖືກ frozen
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',ກະລຸນາຄລິກໃສ່ "ສ້າງຕາຕະລາງ"
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","ຕົວຢ່າງ Kg, Unit, Nos, m"
@@ -3295,11 +3316,11 @@
DocType: Salary Slip,Salary Structure,ໂຄງສ້າງເງິນເດືອນ
DocType: Account,Bank,ທະນາຄານ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,ສາຍການບິນ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,ວັດສະດຸບັນຫາ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,ວັດສະດຸບັນຫາ
DocType: Material Request Item,For Warehouse,ສໍາລັບການຄັງສິນຄ້າ
DocType: Employee,Offer Date,ວັນທີ່ສະຫມັກສະເຫນີ
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,ການຊື້ຂາຍ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,ທ່ານຢູ່ໃນຮູບແບບອອຟໄລ. ທ່ານຈະບໍ່ສາມາດທີ່ຈະໂຫລດຈົນກ່ວາທ່ານມີເຄືອຂ່າຍ.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,ທ່ານຢູ່ໃນຮູບແບບອອຟໄລ. ທ່ານຈະບໍ່ສາມາດທີ່ຈະໂຫລດຈົນກ່ວາທ່ານມີເຄືອຂ່າຍ.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,ບໍ່ມີກຸ່ມນັກສຶກສາສ້າງຕັ້ງຂື້ນ.
DocType: Purchase Invoice Item,Serial No,Serial No
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,ຈໍານວນເງິນຊໍາລະຄືນປະຈໍາເດືອນບໍ່ສາມາດຈະຫຼາຍກ່ວາຈໍານວນເງິນກູ້
@@ -3307,8 +3328,8 @@
DocType: Purchase Invoice,Print Language,ພິມພາສາ
DocType: Salary Slip,Total Working Hours,ທັງຫມົດຊົ່ວໂມງເຮັດວຽກ
DocType: Stock Entry,Including items for sub assemblies,ລວມທັງລາຍການສໍາລັບການສະພາແຫ່ງຍ່ອຍ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,ມູນຄ່າໃສ່ຈະຕ້ອງໃນທາງບວກ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,ອານາເຂດທັງຫມົດ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,ມູນຄ່າໃສ່ຈະຕ້ອງໃນທາງບວກ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,ອານາເຂດທັງຫມົດ
DocType: Purchase Invoice,Items,ລາຍການ
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,ນັກສຶກສາແມ່ນໄດ້ລົງທະບຽນແລ້ວ.
DocType: Fiscal Year,Year Name,ຊື່ປີ
@@ -3327,10 +3348,10 @@
DocType: Issue,Opening Time,ທີ່ໃຊ້ເວລາເປີດ
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,ຈາກແລະໄປວັນທີ່ຄຸນຕ້ອງ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,ຫຼັກຊັບແລະການແລກປ່ຽນສິນຄ້າ
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ມາດຕະຖານຫນ່ວຍງານຂອງມາດຕະການ Variant '{0}' ຈະຕ້ອງເຊັ່ນດຽວກັນກັບໃນແມ່ '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ມາດຕະຖານຫນ່ວຍງານຂອງມາດຕະການ Variant '{0}' ຈະຕ້ອງເຊັ່ນດຽວກັນກັບໃນແມ່ '{1}'
DocType: Shipping Rule,Calculate Based On,ຄິດໄລ່ພື້ນຖານກ່ຽວກັບ
DocType: Delivery Note Item,From Warehouse,ຈາກ Warehouse
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,ບໍ່ມີສິນຄ້າທີ່ມີບັນຊີລາຍການຂອງວັດສະດຸໃນການຜະລິດ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,ບໍ່ມີສິນຄ້າທີ່ມີບັນຊີລາຍການຂອງວັດສະດຸໃນການຜະລິດ
DocType: Assessment Plan,Supervisor Name,ຊື່ Supervisor
DocType: Program Enrollment Course,Program Enrollment Course,ຂອງລາຍວິຊາການເຂົ້າໂຮງຮຽນໂຄງການ
DocType: Program Enrollment Course,Program Enrollment Course,ຂອງລາຍວິຊາການເຂົ້າໂຮງຮຽນໂຄງການ
@@ -3346,18 +3367,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'ມື້ນີ້ນັບຕັ້ງແຕ່ສັ່ງຫຼ້າສຸດຕ້ອງໄດ້ຫຼາຍກ່ວາຫຼືເທົ່າກັບສູນ
DocType: Process Payroll,Payroll Frequency,Payroll Frequency
DocType: Asset,Amended From,ສະບັບປັບປຸງຈາກ
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,ວັດຖຸດິບ
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,ວັດຖຸດິບ
DocType: Leave Application,Follow via Email,ປະຕິບັດຕາມໂດຍຜ່ານ Email
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,ພືດແລະເຄື່ອງຈັກ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,ພືດແລະເຄື່ອງຈັກ
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,ຈໍານວນເງິນພາສີຫຼັງຈາກຈໍານວນສ່ວນລົດ
DocType: Daily Work Summary Settings,Daily Work Summary Settings,ການຕັ້ງຄ່າເຮັດ Summary ປະຈໍາວັນ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},ສະກຸນເງິນຂອງບັນຊີລາຍການລາຄາ {0} ບໍ່ແມ່ນຄ້າຍຄືກັນກັບສະກຸນເງິນການຄັດເລືອກ {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},ສະກຸນເງິນຂອງບັນຊີລາຍການລາຄາ {0} ບໍ່ແມ່ນຄ້າຍຄືກັນກັບສະກຸນເງິນການຄັດເລືອກ {1}
DocType: Payment Entry,Internal Transfer,ພາຍໃນການຖ່າຍໂອນ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,ບັນຊີຂອງລູກຢູ່ໃນບັນຊີນີ້. ທ່ານບໍ່ສາມາດລຶບບັນຊີນີ້.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,ບັນຊີຂອງລູກຢູ່ໃນບັນຊີນີ້. ທ່ານບໍ່ສາມາດລຶບບັນຊີນີ້.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ທັງຈໍານວນເປົ້າຫມາຍຫຼືຈໍານວນເປົ້າຫມາຍແມ່ນການບັງຄັບ
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},ບໍ່ມີມາດຕະຖານ BOM ຢູ່ສໍາລັບລາຍການ {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},ບໍ່ມີມາດຕະຖານ BOM ຢູ່ສໍາລັບລາຍການ {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,ກະລຸນາເລືອກວັນທີ່ປະກາດຄັ້ງທໍາອິດ
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,ເປີດວັນທີ່ຄວນເປັນກ່ອນທີ່ຈະປິດວັນທີ່
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,ກະລຸນາຕັ້ງການຕັ້ງຊື່ Series ໃນລາຄາ {0} ຜ່ານ Setup> Settings> ຕັ້ງຊື່ Series
DocType: Leave Control Panel,Carry Forward,ປະຕິບັດໄປຂ້າງຫນ້າ
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,ສູນຕົ້ນທຶນກັບທຸລະກໍາທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດປ່ຽນໃຈເຫລື້ອມໃສຊີແຍກປະເພດ
DocType: Department,Days for which Holidays are blocked for this department.,ວັນທີ່ວັນພັກແມ່ນຖືກສະກັດສໍາລັບພະແນກນີ້.
@@ -3367,11 +3389,10 @@
DocType: Issue,Raised By (Email),ຍົກຂຶ້ນມາໂດຍ (Email)
DocType: Training Event,Trainer Name,ຊື່ Trainer
DocType: Mode of Payment,General,ໂດຍທົ່ວໄປ
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,ຄັດຕິດຈົດຫມາຍ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,ການສື່ສານທີ່ຜ່ານມາ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,ການສື່ສານທີ່ຜ່ານມາ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ບໍ່ສາມາດຫັກໃນເວລາທີ່ປະເພດແມ່ນສໍາລັບການ 'ປະເມີນມູນຄ່າ' ຫຼື 'ການປະເມີນຄ່າແລະທັງຫມົດ'
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","ລາຍຊື່ຫົວຫນ້າພາສີຂອງທ່ານ (ຕົວຢ່າງ: ພາສີ, ພາສີແລະອື່ນໆ; ພວກເຂົາເຈົ້າຄວນຈະມີຊື່ເປັນເອກະລັກ) ແລະອັດຕາມາດຕະຖານຂອງເຂົາເຈົ້າ. ນີ້ຈະສ້າງເປັນແມ່ແບບມາດຕະຖານ, ທີ່ທ່ານສາມາດແກ້ໄຂແລະເພີ່ມເຕີມຕໍ່ມາ."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","ລາຍຊື່ຫົວຫນ້າພາສີຂອງທ່ານ (ຕົວຢ່າງ: ພາສີ, ພາສີແລະອື່ນໆ; ພວກເຂົາເຈົ້າຄວນຈະມີຊື່ເປັນເອກະລັກ) ແລະອັດຕາມາດຕະຖານຂອງເຂົາເຈົ້າ. ນີ້ຈະສ້າງເປັນແມ່ແບບມາດຕະຖານ, ທີ່ທ່ານສາມາດແກ້ໄຂແລະເພີ່ມເຕີມຕໍ່ມາ."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Serial Nos ຕ້ອງການສໍາລັບລາຍການຕໍ່ເນື່ອງ {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,ການຊໍາລະເງິນກົງກັບໃບແຈ້ງຫນີ້
DocType: Journal Entry,Bank Entry,ທະນາຄານເຂົ້າ
@@ -3380,16 +3401,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,ຕື່ມການກັບໂຄງຮ່າງການ
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,ກຸ່ມໂດຍ
DocType: Guardian,Interests,ຜົນປະໂຫຍດ
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,ເຮັດໃຫ້ສາມາດ / ປິດການໃຊ້ງານສະກຸນເງິນ.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,ເຮັດໃຫ້ສາມາດ / ປິດການໃຊ້ງານສະກຸນເງິນ.
DocType: Production Planning Tool,Get Material Request,ໄດ້ຮັບການວັດສະດຸຂໍ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,ຄ່າໃຊ້ຈ່າຍການໄປສະນີ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,ຄ່າໃຊ້ຈ່າຍການໄປສະນີ
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),ທັງຫມົດ (AMT)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,ຄວາມບັນເທີງແລະສັນທະນາການ
DocType: Quality Inspection,Item Serial No,ລາຍການບໍ່ມີ Serial
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,ສ້າງການບັນທຶກຂອງພະນັກວຽກ
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,ປັດຈຸບັນທັງຫມົດ
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,ການບັນຊີ
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,ຊົ່ວໂມງ
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,ຊົ່ວໂມງ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,ໃຫມ່ບໍ່ມີ Serial ບໍ່ສາມາດມີ Warehouse. Warehouse ຕ້ອງໄດ້ຮັບການກໍານົດໂດຍ Stock Entry ຫລືຮັບຊື້
DocType: Lead,Lead Type,ປະເພດນໍາ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,ເຈົ້າຍັງບໍ່ໄດ້ອະນຸຍາດໃຫ້ອະນຸມັດໃບໃນວັນທີ Block
@@ -3401,6 +3422,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,The BOM ໃຫມ່ຫຼັງຈາກທົດແທນ
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,ຈຸດຂອງການຂາຍ
DocType: Payment Entry,Received Amount,ຈໍານວນເງິນທີ່ໄດ້ຮັບ
+DocType: GST Settings,GSTIN Email Sent On,GSTIN Email ສົ່ງໃນ
+DocType: Program Enrollment,Pick/Drop by Guardian,ເອົາ / Drop ໂດຍຜູ້ປົກຄອງ
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","ສ້າງສໍາລັບປະລິມານຢ່າງເຕັມທີ່, ບໍ່ສົນໃຈປະລິມານແລ້ວກ່ຽວກັບຄໍາສັ່ງ"
DocType: Account,Tax,ພາສີ
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,ບໍ່ໄດ້ຫມາຍ
@@ -3414,7 +3437,7 @@
DocType: Batch,Source Document Name,ແຫຼ່ງຂໍ້ມູນຊື່ Document
DocType: Job Opening,Job Title,ຕໍາແຫນ່ງ
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,ສ້າງຜູ້ໃຊ້
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,ກໍາ
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,ກໍາ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,ປະລິມານການຜະລິດຕ້ອງໄດ້ຫຼາຍກ່ວາ 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,ໄປຢ້ຽມຢາມບົດລາຍງານສໍາລັບການໂທບໍາລຸງຮັກສາ.
DocType: Stock Entry,Update Rate and Availability,ການປັບປຸງອັດຕາແລະຈໍາຫນ່າຍ
@@ -3422,7 +3445,7 @@
DocType: POS Customer Group,Customer Group,ກຸ່ມລູກຄ້າ
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),ລະຫັດຊຸດໃຫມ່ (ຖ້າຕ້ອງການ)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),ລະຫັດຊຸດໃຫມ່ (ຖ້າຕ້ອງການ)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},ບັນຊີຄ່າໃຊ້ຈ່າຍເປັນການບັງຄັບສໍາລັບ item {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},ບັນຊີຄ່າໃຊ້ຈ່າຍເປັນການບັງຄັບສໍາລັບ item {0}
DocType: BOM,Website Description,ລາຍລະອຽດເວັບໄຊທ໌
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,ການປ່ຽນແປງສຸດທິໃນການລົງທຶນ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,ກະລຸນາຍົກເລີກການຊື້ Invoice {0} ທໍາອິດ
@@ -3432,8 +3455,8 @@
,Sales Register,ລົງທະບຽນການຂາຍ
DocType: Daily Work Summary Settings Company,Send Emails At,ສົ່ງອີເມວໃນ
DocType: Quotation,Quotation Lost Reason,ວົງຢືມລືມເຫດຜົນ
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,ເລືອກ Domain ຂອງທ່ານ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},ກະສານອ້າງອີງການທີ່ບໍ່ມີ {0} ວັນ {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,ເລືອກ Domain ຂອງທ່ານ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},ກະສານອ້າງອີງການທີ່ບໍ່ມີ {0} ວັນ {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,ມີບໍ່ມີຫຍັງທີ່ຈະແກ້ໄຂແມ່ນ.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,ສະຫຼຸບສັງລວມສໍາລັບເດືອນນີ້ແລະກິດຈະກໍາທີ່ຍັງຄ້າງ
DocType: Customer Group,Customer Group Name,ຊື່ກຸ່ມລູກຄ້າ
@@ -3441,14 +3464,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,ຖະແຫຼງການກະແສເງິນສົດ
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},ຈໍານວນເງິນກູ້ບໍ່ເກີນຈໍານວນເງິນກູ້ສູງສຸດຂອງ {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,ໃບອະນຸຍາດ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},ກະລຸນາເອົາໃບເກັບເງິນນີ້ {0} ຈາກ C ແບບຟອມ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},ກະລຸນາເອົາໃບເກັບເງິນນີ້ {0} ຈາກ C ແບບຟອມ {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,ກະລຸນາເລືອກປະຕິບັດຕໍ່ຖ້າຫາກວ່າທ່ານຍັງຕ້ອງການທີ່ຈະປະກອບມີຍອດເຫຼືອເດືອນກ່ອນປີງົບປະມານຂອງໃບປີງົບປະມານນີ້
DocType: GL Entry,Against Voucher Type,ຕໍ່ຕ້ານປະເພດ Voucher
DocType: Item,Attributes,ຄຸນລັກສະນະ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,ກະລຸນາໃສ່ການຕັດບັນຊີ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,ກະລຸນາໃສ່ການຕັດບັນຊີ
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,ຄັ້ງສຸດທ້າຍວັນ Order
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},ບັນຊີ {0} ບໍ່ໄດ້ເປັນບໍລິສັດ {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,ຈໍານວນ serial ໃນແຖວ {0} ບໍ່ກົງກັບກັບການຈັດສົ່ງຫມາຍເຫດ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,ຈໍານວນ serial ໃນແຖວ {0} ບໍ່ກົງກັບກັບການຈັດສົ່ງຫມາຍເຫດ
DocType: Student,Guardian Details,ລາຍລະອຽດຜູ້ປົກຄອງ
DocType: C-Form,C-Form,"C, ແບບຟອມການ"
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,ເຄື່ອງຫມາຍຜູ້ເຂົ້າຮ່ວມສໍາລັບພະນັກງານທີ່ຫຼາກຫຼາຍ
@@ -3463,16 +3486,16 @@
DocType: Budget Account,Budget Amount,ງົບປະມານຈໍານວນ
DocType: Appraisal Template,Appraisal Template Title,ການປະເມີນ Template Title
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},ຈາກວັນທີ່ {0} ສໍາລັບພະນັກງານ {1} ບໍ່ສາມາດກ່ອນທີ່ຂອງພະນັກງານວັນເຂົ້າຮ່ວມ {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,ການຄ້າ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,ການຄ້າ
DocType: Payment Entry,Account Paid To,ບັນຊີເງິນໃນການ
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,ສິນຄ້າພໍ່ແມ່ {0} ບໍ່ຕ້ອງເປັນສິນຄ້າພ້ອມສົ່ງ
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,ຜະລິດຕະພັນຫຼືການບໍລິການທັງຫມົດ.
DocType: Expense Claim,More Details,ລາຍລະອຽດເພີ່ມເຕີມ
DocType: Supplier Quotation,Supplier Address,ທີ່ຢູ່ຜູ້ຜະລິດ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} ງົບປະມານສໍາລັບບັນຊີ {1} ກັບ {2} {3} ເປັນ {4}. ມັນຈະຫຼາຍກວ່າ {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',ຕິດຕໍ່ກັນ {0} # ບັນຊີຈະຕ້ອງການປະເພດ 'ສິນຊັບຖາວອນ'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,ອອກຈໍານວນ
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,ກົດລະບຽບການຄິດໄລ່ຈໍານວນການຂົນສົ່ງສໍາລັບການຂາຍ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',ຕິດຕໍ່ກັນ {0} # ບັນຊີຈະຕ້ອງການປະເພດ 'ສິນຊັບຖາວອນ'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,ອອກຈໍານວນ
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,ກົດລະບຽບການຄິດໄລ່ຈໍານວນການຂົນສົ່ງສໍາລັບການຂາຍ
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Series ເປັນການບັງຄັບ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,ການບໍລິການທາງດ້ານການເງິນ
DocType: Student Sibling,Student ID,ID ນັກສຶກສາ
@@ -3480,13 +3503,13 @@
DocType: Tax Rule,Sales,Sales
DocType: Stock Entry Detail,Basic Amount,ຈໍານວນພື້ນຖານ
DocType: Training Event,Exam,ການສອບເສັງ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Warehouse ຕ້ອງການສໍາລັບສິນຄ້າຫຼັກຊັບ {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Warehouse ຕ້ອງການສໍາລັບສິນຄ້າຫຼັກຊັບ {0}
DocType: Leave Allocation,Unused leaves,ໃບທີ່ບໍ່ໄດ້ໃຊ້
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,State Billing
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,ການຖ່າຍໂອນ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} ບໍ່ທີ່ກ່ຽວຂ້ອງກັບບັນຊີພັກ {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),ມາດດຶງຂໍ້ມູນລະເບີດ BOM (ລວມທັງອະນຸປະກອບ)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} ບໍ່ທີ່ກ່ຽວຂ້ອງກັບບັນຊີພັກ {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),ມາດດຶງຂໍ້ມູນລະເບີດ BOM (ລວມທັງອະນຸປະກອບ)
DocType: Authorization Rule,Applicable To (Employee),ສາມາດນໍາໃຊ້ການ (ພະນັກງານ)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,ອັນເນື່ອງມາຈາກວັນທີ່ເປັນການບັງຄັບ
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,ເພີ່ມຂຶ້ນສໍາລັບຄຸນສົມບັດ {0} ບໍ່ສາມາດຈະເປັນ 0
@@ -3514,7 +3537,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,ວັດຖຸດິບລະຫັດສິນຄ້າ
DocType: Journal Entry,Write Off Based On,ຂຽນ Off ຖານກ່ຽວກັບ
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,ເຮັດໃຫ້ຕະກົ່ວ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Print ແລະເຄື່ອງຮັບໃຊ້ຫ້ອງ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Print ແລະເຄື່ອງຮັບໃຊ້ຫ້ອງ
DocType: Stock Settings,Show Barcode Field,ສະແດງໃຫ້ເຫັນພາກສະຫນາມ Barcode
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,ສົ່ງອີເມວ Supplier
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","ເງິນເດືອນດໍາເນີນການສໍາລັບການໄລຍະເວລາລະຫວ່າງ {0} ແລະ {1}, ອອກຈາກໄລຍະເວລາຄໍາຮ້ອງສະຫມັກບໍ່ສາມາດຈະຢູ່ລະຫວ່າງລະດັບວັນທີນີ້."
@@ -3522,14 +3545,16 @@
DocType: Guardian Interest,Guardian Interest,ຜູ້ປົກຄອງທີ່ຫນ້າສົນໃຈ
apps/erpnext/erpnext/config/hr.py +177,Training,ການຝຶກອົບຮົມ
DocType: Timesheet,Employee Detail,ຂໍ້ມູນພະນັກງານ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,ລະຫັດອີເມວ Guardian1
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,ລະຫັດອີເມວ Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,ລະຫັດອີເມວ Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,ລະຫັດອີເມວ Guardian1
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,ມື້ວັນຖັດໄປແລະເຮັດເລື້ມຄືນໃນວັນປະຈໍາເດືອນຈະຕ້ອງເທົ່າທຽມກັນ
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,ການຕັ້ງຄ່າສໍາລັບຫນ້າທໍາອິດຂອງເວັບໄຊທ໌
DocType: Offer Letter,Awaiting Response,ລັງລໍຖ້າການຕອບໂຕ້
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,ຂ້າງເທິງ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,ຂ້າງເທິງ
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},ເຫດຜົນທີ່ບໍ່ຖືກຕ້ອງ {0} {1}
DocType: Supplier,Mention if non-standard payable account,ກ່າວເຖິງຖ້າຫາກວ່າບໍ່ໄດ້ມາດຕະຖານບັນຊີທີ່ຕ້ອງຈ່າຍ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},ລາຍການດຽວກັນໄດ້ຮັບເຂົ້າໄປຫຼາຍເທື່ອ. {} ບັນຊີລາຍຊື່
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',ກະລຸນາເລືອກກຸ່ມການປະເມີນຜົນອື່ນທີ່ບໍ່ແມ່ນ 'ທັງຫມົດ Assessment Groups'
DocType: Salary Slip,Earning & Deduction,ທີ່ໄດ້ຮັບແລະການຫັກ
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,ຖ້າຕ້ອງການ. ການຕັ້ງຄ່ານີ້ຈະໄດ້ຮັບການນໍາໃຊ້ການກັ່ນຕອງໃນການຄ້າຂາຍຕ່າງໆ.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,ອັດຕາການປະເມີນຄ່າທາງລົບບໍ່ໄດ້ຮັບອະນຸຍາດ
@@ -3543,9 +3568,9 @@
DocType: Sales Invoice,Product Bundle Help,ຜະລິດຕະພັນ Bundle Help
,Monthly Attendance Sheet,Sheet ຜູ້ເຂົ້າຮ່ວມປະຈໍາເດືອນ
DocType: Production Order Item,Production Order Item,ການຜະລິດສິນຄ້າການສັ່ງຊື້
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,ບໍ່ພົບການບັນທຶກ
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,ບໍ່ພົບການບັນທຶກ
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,ຄ່າໃຊ້ຈ່າຍຂອງສິນຊັບທະເລາະວິວາດ
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: ສູນຕົ້ນທຶນເປັນການບັງຄັບສໍາລັບລາຍການ {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: ສູນຕົ້ນທຶນເປັນການບັງຄັບສໍາລັບລາຍການ {2}
DocType: Vehicle,Policy No,ນະໂຍບາຍທີ່ບໍ່ມີ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,ຮັບສິນຄ້າຈາກມັດດຽວກັນຜະລິດຕະພັນ
DocType: Asset,Straight Line,Line ຊື່
@@ -3554,7 +3579,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Split
DocType: GL Entry,Is Advance,ແມ່ນ Advance
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,ຜູ້ເຂົ້າຮ່ວມຈາກວັນທີ່ສະຫມັກແລະຜູ້ເຂົ້າຮ່ວມເຖິງວັນທີ່ມີຜົນບັງຄັບ
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,ກະລຸນາໃສ່ 'ແມ່ນເຫມົາຊ່ວງເປັນ Yes or No
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,ກະລຸນາໃສ່ 'ແມ່ນເຫມົາຊ່ວງເປັນ Yes or No
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,ຫຼ້າສຸດວັນທີ່ສື່ສານ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,ຫຼ້າສຸດວັນທີ່ສື່ສານ
DocType: Sales Team,Contact No.,ເລກທີ່
@@ -3583,60 +3608,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,ມູນຄ່າການເປີດ
DocType: Salary Detail,Formula,ສູດ
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial:
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,ຄະນະກໍາມະການຂາຍ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,ຄະນະກໍາມະການຂາຍ
DocType: Offer Letter Term,Value / Description,ມູນຄ່າ / ລາຍລະອຽດ
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ຕິດຕໍ່ກັນ, {0}: Asset {1} ບໍ່ສາມາດໄດ້ຮັບການສົ່ງ, ມັນແມ່ນແລ້ວ {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ຕິດຕໍ່ກັນ, {0}: Asset {1} ບໍ່ສາມາດໄດ້ຮັບການສົ່ງ, ມັນແມ່ນແລ້ວ {2}"
DocType: Tax Rule,Billing Country,ປະເທດໃບບິນ
DocType: Purchase Order Item,Expected Delivery Date,ວັນທີຄາດວ່າການຈັດສົ່ງ
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,ບັດເດບິດແລະເຄຣດິດບໍ່ເທົ່າທຽມກັນສໍາລັບ {0} # {1}. ຄວາມແຕກຕ່າງກັນເປັນ {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,ຄ່າໃຊ້ຈ່າຍການບັນເທີງ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,ເຮັດໃຫ້ວັດສະດຸຂໍ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,ຄ່າໃຊ້ຈ່າຍການບັນເທີງ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,ເຮັດໃຫ້ວັດສະດຸຂໍ
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},ເປີດ Item {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,ຂາຍ Invoice {0} ຕ້ອງໄດ້ຮັບການຍົກເລີກກ່ອນການຍົກເລີກການສັ່ງຊື້ສິນຄ້າຂາຍນີ້
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,ອາຍຸສູງສຸດ
DocType: Sales Invoice Timesheet,Billing Amount,ຈໍານວນໃບບິນ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,ປະລິມານທີ່ບໍ່ຖືກຕ້ອງລະບຸສໍາລັບ item {0}. ປະລິມານຕ້ອງຫຼາຍກ່ວາ 0.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,ຄໍາຮ້ອງສະຫມັກສໍາລັບໃບ.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,ບັນຊີກັບທຸລະກໍາທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດໄດ້ຮັບການລຶບ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,ບັນຊີກັບທຸລະກໍາທີ່ມີຢູ່ແລ້ວບໍ່ສາມາດໄດ້ຮັບການລຶບ
DocType: Vehicle,Last Carbon Check,Check Carbon ຫຼ້າສຸດ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,ຄ່າໃຊ້ຈ່າຍດ້ານກົດຫມາຍ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,ຄ່າໃຊ້ຈ່າຍດ້ານກົດຫມາຍ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,ກະລຸນາເລືອກປະລິມານກ່ຽວກັບການຕິດຕໍ່ກັນ
DocType: Purchase Invoice,Posting Time,ເວລາທີ່ປະກາດ
DocType: Timesheet,% Amount Billed,% ຈໍານວນເງິນບິນ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,ຄ່າໃຊ້ຈ່າຍທາງໂທລະສັບ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,ຄ່າໃຊ້ຈ່າຍທາງໂທລະສັບ
DocType: Sales Partner,Logo,Logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,ກວດສອບການຖ້າຫາກວ່າທ່ານຕ້ອງການທີ່ຈະບັງຄັບໃຫ້ຜູ້ໃຊ້ສາມາດເລືອກໄລຍະກ່ອນທີ່ຈະປະຢັດ. ຈະມີບໍ່ມີມາດຕະຖານຖ້າຫາກວ່າທ່ານກວດສອບນີ້.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},ບໍ່ມີລາຍການທີ່ມີ Serial No {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},ບໍ່ມີລາຍການທີ່ມີ Serial No {0}
DocType: Email Digest,Open Notifications,ເປີດການແຈ້ງເຕືອນ
DocType: Payment Entry,Difference Amount (Company Currency),ຄວາມແຕກຕ່າງກັນຈໍານວນເງິນ (ບໍລິສັດສະກຸນເງິນ)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,ຄ່າໃຊ້ຈ່າຍໂດຍກົງ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,ຄ່າໃຊ້ຈ່າຍໂດຍກົງ
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} ເປັນທີ່ຢູ່ອີເມວທີ່ບໍ່ຖືກຕ້ອງໃນ 'ແຈ້ງ \ ທີ່ຢູ່ອີເມວ'
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,ລາຍການລູກຄ້າໃຫມ່
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,ຄ່າໃຊ້ຈ່າຍເດີນທາງ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,ຄ່າໃຊ້ຈ່າຍເດີນທາງ
DocType: Maintenance Visit,Breakdown,ລາຍລະອຽດ
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,ບັນຊີ: {0} ກັບສະກຸນເງິນ: {1} ບໍ່ສາມາດໄດ້ຮັບການຄັດເລືອກ
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,ບັນຊີ: {0} ກັບສະກຸນເງິນ: {1} ບໍ່ສາມາດໄດ້ຮັບການຄັດເລືອກ
DocType: Bank Reconciliation Detail,Cheque Date,ວັນທີ່ສະຫມັກ Cheque
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},ບັນຊີ {0}: ບັນຊີຂອງພໍ່ແມ່ {1} ບໍ່ໄດ້ຂຶ້ນກັບບໍລິສັດ: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},ບັນຊີ {0}: ບັນຊີຂອງພໍ່ແມ່ {1} ບໍ່ໄດ້ຂຶ້ນກັບບໍລິສັດ: {2}
DocType: Program Enrollment Tool,Student Applicants,ສະຫມັກນັກສຶກສາ
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,ສົບຜົນສໍາເລັດການລຶບເຮັດທຸລະກໍາທັງຫມົດທີ່ກ່ຽວຂ້ອງກັບບໍລິສັດນີ້!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,ສົບຜົນສໍາເລັດການລຶບເຮັດທຸລະກໍາທັງຫມົດທີ່ກ່ຽວຂ້ອງກັບບໍລິສັດນີ້!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,ໃນຖານະເປັນວັນທີ
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,ວັນທີ່ສະຫມັກການລົງທະບຽນ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,ການທົດລອງ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,ການທົດລອງ
apps/erpnext/erpnext/config/hr.py +115,Salary Components,ອົງປະກອບເງິນເດືອນ
DocType: Program Enrollment Tool,New Academic Year,ປີທາງວິຊາການໃຫມ່
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Return / Credit Note
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Return / Credit Note
DocType: Stock Settings,Auto insert Price List rate if missing,ໃສ່ອັດຕະໂນມັດອັດຕາລາຄາຖ້າຫາກວ່າຫາຍສາບສູນ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,ຈໍານວນເງິນທີ່ຊໍາລະທັງຫມົດ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,ຈໍານວນເງິນທີ່ຊໍາລະທັງຫມົດ
DocType: Production Order Item,Transferred Qty,ການຍົກຍ້າຍຈໍານວນ
apps/erpnext/erpnext/config/learn.py +11,Navigating,ການຄົ້ນຫາ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,ການວາງແຜນ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,ອອກ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,ການວາງແຜນ
+DocType: Material Request,Issued,ອອກ
DocType: Project,Total Billing Amount (via Time Logs),ຈໍານວນການເອີ້ນເກັບເງິນທັງຫມົດ (ໂດຍຜ່ານທີ່ໃຊ້ເວລາບັນທຶກ)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,ພວກເຮົາຂາຍສິນຄ້ານີ້
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Id Supplier
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,ພວກເຮົາຂາຍສິນຄ້ານີ້
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Id Supplier
DocType: Payment Request,Payment Gateway Details,ການຊໍາລະເງິນລະອຽດ Gateway
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,ປະລິມານຕ້ອງຫຼາຍກ່ວາ 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,ປະລິມານຕ້ອງຫຼາຍກ່ວາ 0
DocType: Journal Entry,Cash Entry,Entry ເງິນສົດ
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,ຂໍ້ເດັກນ້ອຍສາມາດໄດ້ຮັບການສ້າງຕັ້ງພຽງແຕ່ພາຍໃຕ້ 'ຂອງກຸ່ມຂໍ້ປະເພດ
DocType: Leave Application,Half Day Date,ເຄິ່ງຫນຶ່ງຂອງວັນທີວັນ
@@ -3648,14 +3674,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},ກະລຸນາທີ່ກໍານົດໄວ້ບັນຊີມາດຕະຖານຢູ່ໃນປະເພດຄ່າໃຊ້ຈ່າຍການຮ້ອງຂໍ {0}
DocType: Assessment Result,Student Name,ນາມສະກຸນ
DocType: Brand,Item Manager,ການບໍລິຫານ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,Payroll Payable
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Payroll Payable
DocType: Buying Settings,Default Supplier Type,ມາດຕະຖານປະເພດຜະລິດ
DocType: Production Order,Total Operating Cost,ຄ່າໃຊ້ຈ່າຍປະຕິບັດການທັງຫມົດ
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,ຫມາຍເຫດ: {0} ເຂົ້າໄປເວລາຫຼາຍ
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,ຕິດຕໍ່ພົວພັນທັງຫມົດ.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,ຊື່ຫຍໍ້ຂອງບໍລິສັດ
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,ຊື່ຫຍໍ້ຂອງບໍລິສັດ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,ຜູ້ໃຊ້ {0} ບໍ່ມີ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,ອຸປະກອນການເປັນວັດຖຸດິບບໍ່ສາມາດເຊັ່ນດຽວກັນກັບສິນຄ້າຕົ້ນຕໍ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,ອຸປະກອນການເປັນວັດຖຸດິບບໍ່ສາມາດເຊັ່ນດຽວກັນກັບສິນຄ້າຕົ້ນຕໍ
DocType: Item Attribute Value,Abbreviation,ຊື່ຫຍໍ້
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Entry ການຊໍາລະເງິນທີ່ມີຢູ່ແລ້ວ
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,ບໍ່ authroized ນັບຕັ້ງແຕ່ {0} ເກີນຈໍາກັດ
@@ -3664,35 +3690,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,ກໍານົດກົດລະບຽບພາສີສໍາລັບສິນຄ້າ
DocType: Purchase Invoice,Taxes and Charges Added,ພາສີອາກອນແລະຄ່າບໍລິການເພີ່ມ
,Sales Funnel,ຊ່ອງທາງການຂາຍ
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,ຊື່ຫຍໍ້ເປັນການບັງຄັບ
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,ຊື່ຫຍໍ້ເປັນການບັງຄັບ
DocType: Project,Task Progress,ຄວາມຄືບຫນ້າວຽກງານ
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,ໂຄງຮ່າງການ
,Qty to Transfer,ຈໍານວນການໂອນ
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,ໃຫ້ຄໍາປຶກສາຈະນໍາໄປສູ່ຫຼືລູກຄ້າ.
DocType: Stock Settings,Role Allowed to edit frozen stock,ພາລະບົດບາດອະນຸຍາດໃຫ້ແກ້ໄຂຫຸ້ນ frozen
,Territory Target Variance Item Group-Wise,"ອານາເຂດຂອງເປົ້າຫມາຍຕ່າງ Item Group, ສະຫລາດ"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,ກຸ່ມສົນທະນາຂອງລູກຄ້າທັງຫມົດ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,ກຸ່ມສົນທະນາຂອງລູກຄ້າທັງຫມົດ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,ສະສົມລາຍເດືອນ
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ເປັນການບັງຄັບ. ບາງທີບັນທຶກຕາແລກປ່ຽນເງິນບໍ່ໄດ້ສ້າງຂື້ນສໍາລັບ {1} ກັບ {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ເປັນການບັງຄັບ. ບາງທີບັນທຶກຕາແລກປ່ຽນເງິນບໍ່ໄດ້ສ້າງຂື້ນສໍາລັບ {1} ກັບ {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,ແມ່ແບບພາສີເປັນການບັງຄັບ.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,ບັນຊີ {0}: ບັນຊີຂອງພໍ່ແມ່ {1} ບໍ່ມີ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,ບັນຊີ {0}: ບັນຊີຂອງພໍ່ແມ່ {1} ບໍ່ມີ
DocType: Purchase Invoice Item,Price List Rate (Company Currency),ລາຄາອັດຕາ (ບໍລິສັດສະກຸນເງິນ)
DocType: Products Settings,Products Settings,ການຕັ້ງຄ່າຜະລິດຕະພັນ
DocType: Account,Temporary,ຊົ່ວຄາວ
DocType: Program,Courses,ຫລັກສູດ
DocType: Monthly Distribution Percentage,Percentage Allocation,ການຈັດສັນອັດຕາສ່ວນ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,ເລຂາທິການ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,ເລຂາທິການ
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","ຖ້າຫາກວ່າປິດການໃຊ້ງານ, ໃນຄໍາສັບຕ່າງໆ 'ພາກສະຫນາມຈະບໍ່ສັງເກດເຫັນໃນການໂອນເງີນ"
DocType: Serial No,Distinct unit of an Item,ຫນ່ວຍບໍລິການທີ່ແຕກຕ່າງກັນຂອງລາຍການ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,ກະລຸນາຕັ້ງບໍລິສັດ
DocType: Pricing Rule,Buying,ຊື້
DocType: HR Settings,Employee Records to be created by,ການບັນທຶກຂອງພະນັກງານຈະໄດ້ຮັບການສ້າງຕັ້ງຂື້ນໂດຍ
DocType: POS Profile,Apply Discount On,ສະຫມັກຕໍາ Discount On
,Reqd By Date,Reqd ໂດຍວັນທີ່
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,ຫນີ້
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,ຫນີ້
DocType: Assessment Plan,Assessment Name,ຊື່ການປະເມີນຜົນ
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,"ຕິດຕໍ່ກັນ, {0}: ບໍ່ມີ Serial ເປັນການບັງຄັບ"
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,ລາຍການຂໍ້ມູນພາສີສະຫລາດ
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,ສະຖາບັນສະບັບຫຍໍ້
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,ສະຖາບັນສະບັບຫຍໍ້
,Item-wise Price List Rate,ລາຍການສະຫລາດອັດຕາລາຄາ
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,ສະເຫນີລາຄາຜູ້ຜະລິດ
DocType: Quotation,In Words will be visible once you save the Quotation.,ໃນຄໍາສັບຕ່າງໆຈະສັງເກດເຫັນເມື່ອທ່ານຊ່ວຍປະຢັດການຊື້ຂາຍ.
@@ -3700,14 +3727,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},ປະລິມານ ({0}) ບໍ່ສາມາດຈະສ່ວນໃນຕິດຕໍ່ກັນ {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,ເກັບຄ່າທໍານຽມ
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Barcode {0} ນໍາໃຊ້ແລ້ວໃນ Item {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barcode {0} ນໍາໃຊ້ແລ້ວໃນ Item {1}
DocType: Lead,Add to calendar on this date,ຕື່ມການກັບປະຕິທິນໃນວັນນີ້
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,ກົດລະບຽບສໍາລັບການເພີ່ມຄ່າໃຊ້ຈ່າຍໃນການຂົນສົ່ງ.
DocType: Item,Opening Stock,ເປີດ Stock
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,ລູກຄ້າທີ່ຕ້ອງການ
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} ເປັນການບັງຄັບສໍາລັບການກັບຄືນ
DocType: Purchase Order,To Receive,ທີ່ຈະໄດ້ຮັບ
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,ອີເມວສ່ວນຕົວ
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,ຕ່າງທັງຫມົດ
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","ຖ້າຫາກວ່າເປີດການໃຊ້ງານ, ລະບົບຈະສະແດງການອອກສຽງການບັນຊີສໍາລັບສິນຄ້າຄົງຄັງອັດຕະໂນມັດ."
@@ -3718,13 +3744,14 @@
DocType: Customer,From Lead,ຈາກ Lead
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ຄໍາສັ່ງປ່ອຍອອກມາເມື່ອສໍາລັບການຜະລິດ.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,ເລືອກປີງົບປະມານ ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS ຂໍ້ມູນທີ່ຕ້ອງການເພື່ອເຮັດໃຫ້ POS Entry
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS ຂໍ້ມູນທີ່ຕ້ອງການເພື່ອເຮັດໃຫ້ POS Entry
DocType: Program Enrollment Tool,Enroll Students,ລົງທະບຽນນັກສຶກສາ
DocType: Hub Settings,Name Token,ຊື່ Token
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,ຂາຍມາດຕະຖານ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,atleast ຫນຶ່ງ warehouse ເປັນການບັງຄັບ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,atleast ຫນຶ່ງ warehouse ເປັນການບັງຄັບ
DocType: Serial No,Out of Warranty,ອອກຈາກການຮັບປະກັນ
DocType: BOM Replace Tool,Replace,ທົດແທນ
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,ບໍ່ມີສິນຄ້າພົບ.
DocType: Production Order,Unstopped,ເບີກ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} ກັບການຂາຍທີ່ເຊັນ {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3735,13 +3762,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,ຄວາມແຕກຕ່າງມູນຄ່າຫຼັກຊັບ
apps/erpnext/erpnext/config/learn.py +234,Human Resource,ຊັບພະຍາກອນມະນຸດ
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,ສ້າງຄວາມປອງດອງການຊໍາລະເງິນ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,ຊັບສິນອາກອນ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,ຊັບສິນອາກອນ
DocType: BOM Item,BOM No,BOM No
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,ວາລະສານ Entry {0} ບໍ່ມີບັນຊີ {1} ຫລືແລ້ວປຽບທຽບບັດອື່ນໆ
DocType: Item,Moving Average,ການເຄື່ອນຍ້າຍໂດຍສະເລ່ຍ
DocType: BOM Replace Tool,The BOM which will be replaced,The BOM ທີ່ຈະໄດ້ຮັບການທົດແທນ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,ອຸປະກອນເອເລັກໂຕຣນິກ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,ອຸປະກອນເອເລັກໂຕຣນິກ
DocType: Account,Debit,ເດບິດ
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,ໃບຕ້ອງໄດ້ຮັບການຈັດສັນຫລາຍຂອງ 05
DocType: Production Order,Operation Cost,ຕົ້ນທຶນການດໍາເນີນງານ
@@ -3749,7 +3776,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,ທີ່ຍັງຄ້າງຄາ Amt
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,ກໍານົດເປົ້າຫມາຍສິນຄ້າກຸ່ມສະຫລາດນີ້ເປັນສ່ວນຕົວຂາຍ.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze ຫຸ້ນເກີນ [ວັນ]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,"ຕິດຕໍ່ກັນ, {0}: ຊັບສິນເປັນການບັງຄັບສໍາລັບຊັບສິນຄົງທີ່ຊື້ / ຂາຍ"
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,"ຕິດຕໍ່ກັນ, {0}: ຊັບສິນເປັນການບັງຄັບສໍາລັບຊັບສິນຄົງທີ່ຊື້ / ຂາຍ"
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","ຖ້າຫາກວ່າທັງສອງຫຼືຫຼາຍກວ່າກົດລະບຽບລາຄາຖືກພົບເຫັນຢູ່ຕາມເງື່ອນໄຂຂ້າງເທິງນີ້, ບູລິມະສິດໄດ້ຖືກນໍາໃຊ້. ບູລິມະສິດເປັນຈໍານວນລະຫວ່າງ 0 ເຖິງ 20 ໃນຂະນະທີ່ຄ່າເລີ່ມຕົ້ນຄືສູນ (ເປົ່າ). ຈໍານວນທີ່ສູງຂຶ້ນຫມາຍຄວາມວ່າມັນຈະໃຊ້ເວລາກ່ອນຖ້າຫາກວ່າມີກົດລະບຽບການຕັ້ງລາຄາດ້ວຍສະພາບດຽວກັນ."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,ປີງົບປະມານ: {0} ບໍ່ໄດ້ຢູ່
DocType: Currency Exchange,To Currency,ການສະກຸນເງິນ
@@ -3758,7 +3785,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ອັດຕາການສໍາລັບລາຍການຂາຍ {0} ແມ່ນຕ່ໍາກ່ວາຂອງຕົນ {1}. ອັດຕາການຂາຍຄວນຈະ atleast {2}
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ອັດຕາການສໍາລັບລາຍການຂາຍ {0} ແມ່ນຕ່ໍາກ່ວາຂອງຕົນ {1}. ອັດຕາການຂາຍຄວນຈະ atleast {2}
DocType: Item,Taxes,ພາສີອາກອນ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,ການຊໍາລະເງິນແລະບໍ່ໄດ້ສົ່ງ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,ການຊໍາລະເງິນແລະບໍ່ໄດ້ສົ່ງ
DocType: Project,Default Cost Center,ສູນຕົ້ນທຶນມາດຕະຖານ
DocType: Bank Guarantee,End Date,ວັນທີ່ສິ້ນສຸດ
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,ທຸລະກໍາຫຼັກຊັບ
@@ -3783,24 +3810,22 @@
DocType: Employee,Held On,ຈັດຂຶ້ນໃນວັນກ່ຽວກັບ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,ສິນຄ້າການຜະລິດ
,Employee Information,ຂໍ້ມູນພະນັກງານ
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),ອັດຕາການ (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),ອັດຕາການ (%)
DocType: Stock Entry Detail,Additional Cost,ຄ່າໃຊ້ຈ່າຍເພີ່ມເຕີມ
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,ທາງດ້ານການເງິນປີສິ້ນສຸດວັນທີ່
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","ບໍ່ສາມາດກັ່ນຕອງໂດຍອີງໃສ່ Voucher No, ຖ້າຫາກວ່າເປັນກຸ່ມຕາມ Voucher"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,ເຮັດໃຫ້ສະເຫນີລາຄາຜູ້ຜະລິດ
DocType: Quality Inspection,Incoming,ເຂົ້າມາ
DocType: BOM,Materials Required (Exploded),ອຸປະກອນທີ່ຕ້ອງການ (ລະເບີດ)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","ເພີ່ມຜູ້ຊົມໃຊ້ທີ່ອົງການຈັດຕັ້ງຂອງທ່ານ, ນອກຈາກຕົວທ່ານເອງ"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,ວັນທີ່ບໍ່ສາມາດເປັນວັນໃນອະນາຄົດ
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},"ຕິດຕໍ່ກັນ, {0}: ບໍ່ມີ Serial {1} ບໍ່ກົງກັບ {2} {3}"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,ອອກຈາກການບາດເຈັບແລະ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,ອອກຈາກການບາດເຈັບແລະ
DocType: Batch,Batch ID,ID batch
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},ຫມາຍເຫດ: {0}
,Delivery Note Trends,ທ່າອ່ຽງການສົ່ງເງິນ
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Summary ອາທິດນີ້
-,In Stock Qty,ສິນຄ້າພ້ອມສົ່ງ
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,ສິນຄ້າພ້ອມສົ່ງ
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,ບັນຊີ: {0} ພຽງແຕ່ສາມາດໄດ້ຮັບການປັບປຸງໂດຍຜ່ານທຸລະກໍາຫຼັກຊັບ
-DocType: Program Enrollment,Get Courses,ໄດ້ຮັບວິຊາ
+DocType: Student Group Creation Tool,Get Courses,ໄດ້ຮັບວິຊາ
DocType: GL Entry,Party,ພັກ
DocType: Sales Order,Delivery Date,ວັນທີສົ່ງ
DocType: Opportunity,Opportunity Date,ວັນທີ່ສະຫມັກໂອກາດ
@@ -3808,14 +3833,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,ການຮ້ອງຂໍສໍາລັບການສະເຫນີລາຄາສິນຄ້າ
DocType: Purchase Order,To Bill,ການບັນຊີລາຍການ
DocType: Material Request,% Ordered,% ຄໍາສັ່ງ
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","ສໍາລັບວິຊາທີ່ນັກສຶກສາ Group, ຂອງລາຍວິຊາການຈະໄດ້ຮັບການກວດສອບສໍາລັບທຸກນັກສຶກສາຈາກວິຊາທີ່ລົງທະບຽນໃນໂຄງການການເຂົ້າໂຮງຮຽນ."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","ກະລຸນາໃສ່ທີ່ຢູ່ອີເມວຂັ້ນດ້ວຍຈໍ້າຈຸດ, ໃບແຈ້ງຫນີ້ຈະໄດ້ຮັບການສົ່ງອັດຕະໂນມັດໃນວັນທີສະເພາະໃດຫນຶ່ງ"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,ເຫມົາ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,ເຫມົາ
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,avg. ອັດຕາການຊື້
DocType: Task,Actual Time (in Hours),ທີ່ໃຊ້ເວລາຕົວຈິງ (ໃນຊົ່ວໂມງ)
DocType: Employee,History In Company,ປະຫວັດສາດໃນບໍລິສັດ
apps/erpnext/erpnext/config/learn.py +107,Newsletters,ຈົດຫມາຍຂ່າວ
DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Entry
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Customer> Group Customer> ອານາເຂດ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,ລາຍການດຽວກັນໄດ້ຮັບເຂົ້າໄປຫຼາຍຄັ້ງ
DocType: Department,Leave Block List,ອອກຈາກບັນຊີ Block
DocType: Sales Invoice,Tax ID,ID ພາສີ
@@ -3830,30 +3855,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} ຫົວຫນ່ວຍຂອງ {1} ທີ່ຈໍາເປັນໃນ {2} ເພື່ອໃຫ້ສໍາເລັດການນີ້.
DocType: Loan Type,Rate of Interest (%) Yearly,ອັດຕາການທີ່ຫນ້າສົນໃຈ (%) ປະຈໍາປີ
DocType: SMS Settings,SMS Settings,ການຕັ້ງຄ່າ SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,ບັນຊີຊົ່ວຄາວ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,ສີດໍາ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,ບັນຊີຊົ່ວຄາວ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,ສີດໍາ
DocType: BOM Explosion Item,BOM Explosion Item,BOM ລະເບີດ Item
DocType: Account,Auditor,ຜູ້ສອບບັນຊີ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} ລາຍການຜະລິດ
DocType: Cheque Print Template,Distance from top edge,ໄລຍະຫ່າງຈາກຂອບດ້ານເທິງ
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,ລາຄາ {0} ເປັນຄົນພິການຫຼືບໍ່ມີ
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,ລາຄາ {0} ເປັນຄົນພິການຫຼືບໍ່ມີ
DocType: Purchase Invoice,Return,ການກັບຄືນມາ
DocType: Production Order Operation,Production Order Operation,ການດໍາເນີນງານໃບສັ່ງຜະລິດ
DocType: Pricing Rule,Disable,ປິດການທໍາງານ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,ຮູບແບບຂອງການຈ່າຍເງິນເປັນສິ່ງຈໍາເປັນເພື່ອເຮັດໃຫ້ການຊໍາລະເງິນ
DocType: Project Task,Pending Review,ລໍຖ້າການທົບທວນຄືນ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ບໍ່ໄດ້ລົງທະບຽນໃນຊຸດໄດ້ {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}",Asset {0} ບໍ່ສາມາດໄດ້ຮັບການທະເລາະວິວາດກັນແລ້ວ {1}
DocType: Task,Total Expense Claim (via Expense Claim),ການຮ້ອງຂໍຄ່າໃຊ້ຈ່າຍທັງຫມົດ (ໂດຍຜ່ານຄ່າໃຊ້ຈ່າຍການຮຽກຮ້ອງ)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,ລະຫັດລູກຄ້າ
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,ເຄື່ອງຫມາຍຂາດ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ຕິດຕໍ່ກັນ {0}: ສະກຸນເງິນຂອງ BOM: {1} ຄວນຈະເທົ່າກັບສະກຸນເງິນການຄັດເລືອກ {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ຕິດຕໍ່ກັນ {0}: ສະກຸນເງິນຂອງ BOM: {1} ຄວນຈະເທົ່າກັບສະກຸນເງິນການຄັດເລືອກ {2}
DocType: Journal Entry Account,Exchange Rate,ອັດຕາແລກປ່ຽນ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,ໃບສັ່ງຂາຍ {0} ບໍ່ໄດ້ສົ່ງ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,ໃບສັ່ງຂາຍ {0} ບໍ່ໄດ້ສົ່ງ
DocType: Homepage,Tag Line,Line Tag
DocType: Fee Component,Fee Component,ຄ່າບໍລິການສ່ວນປະກອບ
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,ການຈັດການ Fleet
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,ເພີ່ມລາຍການລາຍການ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Warehouse {0}: ບັນຊີຂອງພໍ່ແມ່ {1} ບໍ່ Bolong ກັບບໍລິສັດ {2}
DocType: Cheque Print Template,Regular,ເປັນປົກກະຕິ
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Weightage ທັງຫມົດຂອງທັງຫມົດເງື່ອນໄຂການປະເມີນຜົນຈະຕ້ອງ 100%
DocType: BOM,Last Purchase Rate,ອັດຕາການຊື້ຫຼ້າສຸດ
@@ -3862,11 +3886,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Stock ບໍ່ສາມາດມີສໍາລັບລາຍການ {0} ນັບຕັ້ງແຕ່ມີ variants
,Sales Person-wise Transaction Summary,Summary ທຸລະກໍາຄົນສະຫລາດ
DocType: Training Event,Contact Number,ຫມາຍເລກໂທລະສັບ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Warehouse {0} ບໍ່ມີ
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Warehouse {0} ບໍ່ມີ
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,ລົງທະບຽນສໍາລັບ ERPNext Hub
DocType: Monthly Distribution,Monthly Distribution Percentages,ອັດຕາສ່ວນການແຜ່ກະຈາຍປະຈໍາເດືອນ
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,ການລາຍການທີ່ເລືອກບໍ່ສາມາດມີ Batch
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","ອັດຕາການປະເມີນມູນຄ່າບໍ່ໄດ້ພົບເຫັນສໍາລັບລາຍການ {0}, ຊຶ່ງຈໍາເປັນຕ້ອງເຮັດແນວໃດການອອກສຽງການບັນຊີສໍາລັບ {1} {2}. ຖ້າຫາກວ່າລາຍການແມ່ນ transacting ເປັນລາຍການຕົວຢ່າງໃນ {1}, ກະລຸນາລະບຸວ່າໃນ {1} ຕາຕະລາງລາຍການ. ຖ້າບໍ່ດັ່ງນັ້ນ, ກະລຸນາສ້າງທຸລະກໍາຫຼັກຊັບເຂົ້າມາສໍາລັບລາຍການຫຼືການກ່າວເຖິງອັດຕາການປະເມີນມູນຄ່າສິນຄ້າບັນທຶກ, ແລະຫຼັງຈາກນັ້ນພະຍາຍາມ submiting / ຍົກເລີກພານີ້"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","ອັດຕາການປະເມີນມູນຄ່າບໍ່ໄດ້ພົບເຫັນສໍາລັບລາຍການ {0}, ຊຶ່ງຈໍາເປັນຕ້ອງເຮັດແນວໃດການອອກສຽງການບັນຊີສໍາລັບ {1} {2}. ຖ້າຫາກວ່າລາຍການແມ່ນ transacting ເປັນລາຍການຕົວຢ່າງໃນ {1}, ກະລຸນາລະບຸວ່າໃນ {1} ຕາຕະລາງລາຍການ. ຖ້າບໍ່ດັ່ງນັ້ນ, ກະລຸນາສ້າງທຸລະກໍາຫຼັກຊັບເຂົ້າມາສໍາລັບລາຍການຫຼືການກ່າວເຖິງອັດຕາການປະເມີນມູນຄ່າສິນຄ້າບັນທຶກ, ແລະຫຼັງຈາກນັ້ນພະຍາຍາມ submiting / ຍົກເລີກພານີ້"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% ຂອງອຸປະກອນການສົ່ງຕໍ່ສົ່ງນີ້ຫມາຍເຫດ
DocType: Project,Customer Details,ລາຍລະອຽດຂອງລູກຄ້າ
DocType: Employee,Reports to,ບົດລາຍງານການ
@@ -3874,24 +3898,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,ກະລຸນາໃສ່ພາລາມິເຕີ url ສໍາລັບຮັບພວກເຮົາ
DocType: Payment Entry,Paid Amount,ຈໍານວນເງິນຊໍາລະເງິນ
DocType: Assessment Plan,Supervisor,Supervisor
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,ອອນໄລນ໌
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,ອອນໄລນ໌
,Available Stock for Packing Items,ສິນຄ້າສໍາລັບການບັນຈຸ
DocType: Item Variant,Item Variant,ລາຍການ Variant
DocType: Assessment Result Tool,Assessment Result Tool,ເຄື່ອງມືການປະເມີນຜົນ
DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,ຄໍາສັ່ງສົ່ງບໍ່ສາມາດລຶບ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ການດຸ່ນດ່ຽງບັນຊີແລ້ວໃນເດບິດ, ທ່ານຍັງບໍ່ໄດ້ອະນຸຍາດໃຫ້ກໍານົດ 'ສົມຕ້ອງໄດ້ຮັບ' ເປັນ 'Credit'"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,ການບໍລິຫານຄຸນະພາບ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,ຄໍາສັ່ງສົ່ງບໍ່ສາມາດລຶບ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ການດຸ່ນດ່ຽງບັນຊີແລ້ວໃນເດບິດ, ທ່ານຍັງບໍ່ໄດ້ອະນຸຍາດໃຫ້ກໍານົດ 'ສົມຕ້ອງໄດ້ຮັບ' ເປັນ 'Credit'"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,ການບໍລິຫານຄຸນະພາບ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,ລາຍການ {0} ໄດ້ຖືກປິດ
DocType: Employee Loan,Repay Fixed Amount per Period,ຈ່າຍຄືນຈໍານວນເງິນທີ່ມີກໍານົດໄລຍະເວລາຕໍ່
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},ກະລຸນາໃສ່ປະລິມານສໍາລັບລາຍການ {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Credit Note Amt
DocType: Employee External Work History,Employee External Work History,ພະນັກງານປະຫວັດການເຮັດ External
DocType: Tax Rule,Purchase,ຊື້
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,ການດຸ່ນດ່ຽງຈໍານວນ
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,ການດຸ່ນດ່ຽງຈໍານວນ
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,ເປົ້າຫມາຍບໍ່ສາມາດປ່ອຍຫວ່າງ
DocType: Item Group,Parent Item Group,ກຸ່ມສິນຄ້າຂອງພໍ່ແມ່
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} ສໍາລັບ {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,ສູນຕົ້ນທຶນ
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,ສູນຕົ້ນທຶນ
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,ອັດຕາການທີ່ຜູ້ສະຫນອງຂອງສະກຸນເງິນຈະປ່ຽນເປັນສະກຸນເງິນຂອງບໍລິສັດ
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},"ຕິດຕໍ່ກັນ, {0}: ຂໍ້ຂັດແຍ່ງເວລາທີ່ມີການຕິດຕໍ່ກັນ {1}"
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,ອະນຸຍາດໃຫ້ສູນອັດຕາປະເມີນມູນຄ່າ
@@ -3899,17 +3924,18 @@
DocType: Training Event Employee,Invited,ເຊື້ອເຊີນ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,ຫຼາຍໂຄງສ້າງເງິນເດືອນກິດຈະກໍາພົບພະນັກງານ {0} ສໍາລັບກໍານົດວັນທີດັ່ງກ່າວ
DocType: Opportunity,Next Contact,ຕິດຕໍ່ Next
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,ການຕັ້ງຄ່າບັນຊີ Gateway.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,ການຕັ້ງຄ່າບັນຊີ Gateway.
DocType: Employee,Employment Type,ປະເພດວຽກເຮັດງານທໍາ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,ຊັບສິນຄົງທີ່
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,ຊັບສິນຄົງທີ່
DocType: Payment Entry,Set Exchange Gain / Loss,ກໍານົດອັດຕາແລກປ່ຽນໄດ້ຮັບ / ການສູນເສຍ
+,GST Purchase Register,GST ຫມັກສະມາຊິກຊື້
,Cash Flow,ກະແສເງິນສົດ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,ໄລຍະເວລາການນໍາໃຊ້ບໍ່ສາມາດຈະທົ່ວທັງສອງບັນທຶກ alocation
DocType: Item Group,Default Expense Account,ບັນຊີມາດຕະຖານຄ່າໃຊ້ຈ່າຍ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,ID Email ນັກສຶກສາ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,ID Email ນັກສຶກສາ
DocType: Employee,Notice (days),ຫນັງສືແຈ້ງການ (ວັນ)
DocType: Tax Rule,Sales Tax Template,ແມ່ແບບພາສີການຂາຍ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,ເລືອກລາຍການທີ່ຈະຊ່ວຍປະຢັດໃບເກັບເງິນ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,ເລືອກລາຍການທີ່ຈະຊ່ວຍປະຢັດໃບເກັບເງິນ
DocType: Employee,Encashment Date,ວັນທີ່ສະຫມັກ Encashment
DocType: Training Event,Internet,ອິນເຕີເນັດ
DocType: Account,Stock Adjustment,ການປັບ Stock
@@ -3938,7 +3964,7 @@
DocType: Guardian,Guardian Of ,ຜູ້ປົກຄອງຂອງ
DocType: Grading Scale Interval,Threshold,ໃກ້ຈະເຂົ້າສູ່
DocType: BOM Replace Tool,Current BOM,BOM ປັດຈຸບັນ
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,ເພີ່ມບໍ່ມີ Serial
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,ເພີ່ມບໍ່ມີ Serial
apps/erpnext/erpnext/config/support.py +22,Warranty,ການຮັບປະກັນ
DocType: Purchase Invoice,Debit Note Issued,Debit Note ອອກ
DocType: Production Order,Warehouses,ຄັງສິນຄ້າ
@@ -3947,20 +3973,20 @@
DocType: Workstation,per hour,ຕໍ່ຊົ່ວໂມງ
apps/erpnext/erpnext/config/buying.py +7,Purchasing,ຈັດຊື້
DocType: Announcement,Announcement,ປະກາດ
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,ບັນຊີສໍາລັບການສາງ (Inventory Perpetual) ຈະໄດ້ຮັບການສ້າງຕັ້ງຂື້ນພາຍໃຕ້ການບັນຊີນີ້.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Warehouse ບໍ່ສາມາດໄດ້ຮັບການລຶບເປັນການເຂົ້າຫຸ້ນຊີແຍກປະເພດທີ່ມີຢູ່ສໍາລັບການສາງນີ້.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","ສໍາລັບອີງຊຸດ Group ນັກສຶກສາ, ຊຸດນັກສຶກສາຈະໄດ້ຮັບການກວດສອບສໍາລັບທຸກນັກສຶກສາຈາກໂຄງການລົງທະບຽນ."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Warehouse ບໍ່ສາມາດໄດ້ຮັບການລຶບເປັນການເຂົ້າຫຸ້ນຊີແຍກປະເພດທີ່ມີຢູ່ສໍາລັບການສາງນີ້.
DocType: Company,Distribution,ການແຜ່ກະຈາຍ
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,ຈໍານວນເງິນທີ່ຊໍາລະເງິນ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,ຜູ້ຈັດການໂຄງການ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,ຜູ້ຈັດການໂຄງການ
,Quoted Item Comparison,ປຽບທຽບບາຍດີທຸກທ່ານ Item
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,ຫນັງສືທາງການ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,ພິເສດນ້ໍາອະນຸຍາດໃຫ້ສໍາລັບລາຍການ: {0} ເປັນ {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,ຫນັງສືທາງການ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,ພິເສດນ້ໍາອະນຸຍາດໃຫ້ສໍາລັບລາຍການ: {0} ເປັນ {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,ມູນຄ່າຊັບສິນສຸດທິເປັນ
DocType: Account,Receivable,ຮັບ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"ຕິດຕໍ່ກັນ, {0}: ບໍ່ອະນຸຍາດໃຫ້ມີການປ່ຽນແປງຜູ້ຜະລິດເປັນການສັ່ງຊື້ຢູ່ແລ້ວ"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"ຕິດຕໍ່ກັນ, {0}: ບໍ່ອະນຸຍາດໃຫ້ມີການປ່ຽນແປງຜູ້ຜະລິດເປັນການສັ່ງຊື້ຢູ່ແລ້ວ"
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,ພາລະບົດບາດທີ່ຖືກອະນຸຍາດໃຫ້ສົ່ງການທີ່ເກີນຂອບເຂດຈໍາກັດການປ່ອຍສິນເຊື່ອທີ່ກໍານົດໄວ້.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,ເລືອກລາຍການການຜະລິດ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","ຕົ້ນສະບັບການຊິ້ງຂໍ້ມູນຂໍ້ມູນ, ມັນອາດຈະໃຊ້ເວລາທີ່ໃຊ້ເວລາບາງ"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,ເລືອກລາຍການການຜະລິດ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","ຕົ້ນສະບັບການຊິ້ງຂໍ້ມູນຂໍ້ມູນ, ມັນອາດຈະໃຊ້ເວລາທີ່ໃຊ້ເວລາບາງ"
DocType: Item,Material Issue,ສະບັບອຸປະກອນການ
DocType: Hub Settings,Seller Description,ຜູ້ຂາຍລາຍລະອຽດ
DocType: Employee Education,Qualification,ຄຸນສົມບັດ
@@ -3980,7 +4006,6 @@
DocType: BOM,Rate Of Materials Based On,ອັດຕາຂອງວັດສະດຸພື້ນຖານກ່ຽວກັບ
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analtyics ສະຫນັບສະຫນູນ
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,ຍົກເລີກທັງຫມົດ
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},ບໍລິສັດທີ່ຂາດຫາຍໄປໃນສາງ {0}
DocType: POS Profile,Terms and Conditions,ຂໍ້ກໍານົດແລະເງື່ອນໄຂ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},ຈົນເຖິງວັນທີ່ຄວນຈະຢູ່ໃນປີງົບປະມານ. ສົມມຸດວ່າການ Date = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","ໃນທີ່ນີ້ທ່ານສາມາດຮັກສາລະດັບຄວາມສູງ, ນ້ໍາ, ອາການແພ້, ຄວາມກັງວົນດ້ານການປິ່ນປົວແລະອື່ນໆ"
@@ -3995,19 +4020,18 @@
DocType: Sales Order Item,For Production,ສໍາລັບການຜະລິດ
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,ເບິ່ງ Task
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,ປີທາງດ້ານການເງິນຂອງທ່ານຈະເລີ່ມຕົ້ນໃນ
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,ຄ່າເສື່ອມລາຄາຂອງຊັບສິນແລະຍອດ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},ຈໍານວນ {0} {1} ການຍົກຍ້າຍຈາກ {2} ກັບ {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},ຈໍານວນ {0} {1} ການຍົກຍ້າຍຈາກ {2} ກັບ {3}
DocType: Sales Invoice,Get Advances Received,ໄດ້ຮັບການຄວາມກ້າວຫນ້າທີ່ໄດ້ຮັບ
DocType: Email Digest,Add/Remove Recipients,Add / Remove ຜູ້ຮັບ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},ການບໍ່ອະນຸຍາດໃຫ້ຕໍ່ຕ້ານການຜະລິດຢຸດເຊົາການສັ່ງຊື້ {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},ການບໍ່ອະນຸຍາດໃຫ້ຕໍ່ຕ້ານການຜະລິດຢຸດເຊົາການສັ່ງຊື້ {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","ການຕັ້ງຄ່ານີ້ປີງົບປະມານເປັນຄ່າເລີ່ມຕົ້ນ, ໃຫ້ຄລິກໃສ່ 'ກໍານົດເປັນມາດຕະຖານ'"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,ເຂົ້າຮ່ວມ
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,ເຂົ້າຮ່ວມ
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,ການຂາດແຄນຈໍານວນ
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,variant item {0} ມີຢູ່ກັບຄຸນລັກສະນະດຽວກັນ
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,variant item {0} ມີຢູ່ກັບຄຸນລັກສະນະດຽວກັນ
DocType: Employee Loan,Repay from Salary,ຕອບບຸນແທນຄຸນຈາກເງິນເດືອນ
DocType: Leave Application,LAP/,LAP /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},ຂໍຊໍາລະເງິນກັບ {0} {1} ສໍາລັບຈໍານວນເງິນທີ່ {2}
@@ -4018,34 +4042,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","ສ້າງບັນຈຸສໍາລັບການຫຸ້ມຫໍ່ທີ່ຈະສົ່ງ. ການນໍາໃຊ້ເພື່ອແຈ້ງຈໍານວນຊຸດ, ເນື້ອໃນຊຸດແລະນ້ໍາຂອງຕົນ."
DocType: Sales Invoice Item,Sales Order Item,ລາຍການຂາຍສິນຄ້າ
DocType: Salary Slip,Payment Days,Days ການຊໍາລະເງິນ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,ຄັງສິນຄ້າທີ່ມີຂໍ້ເດັກນ້ອຍທີ່ບໍ່ສາມາດໄດ້ຮັບການປ່ຽນແປງເພື່ອຊີແຍກປະເພດ
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,ຄັງສິນຄ້າທີ່ມີຂໍ້ເດັກນ້ອຍທີ່ບໍ່ສາມາດໄດ້ຮັບການປ່ຽນແປງເພື່ອຊີແຍກປະເພດ
DocType: BOM,Manage cost of operations,ການຄຸ້ມຄອງຄ່າໃຊ້ຈ່າຍຂອງການດໍາເນີນງານ
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","ໃນເວລາທີ່ຂອງກິດຈະກໍາການກວດກາໄດ້ຖືກ "ສະ", ອີເມລ໌ບໍ່ເຖິງເປີດອັດຕະໂນມັດທີ່ຈະສົ່ງອີເມວໄປທີ່ກ່ຽວຂ້ອງ "Contact" ໃນການທີ່ມີການເຮັດທຸລະກໍາເປັນທີ່ຄັດຕິດ. ຜູ້ໃຊ້ອາດຈະມີຫຼືອາດຈະບໍ່ສົ່ງອີເມວການ."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,ການຕັ້ງຄ່າທົ່ວໂລກ
DocType: Assessment Result Detail,Assessment Result Detail,ການປະເມີນຜົນຂໍ້ມູນຜົນການຄົ້ນຫາ
DocType: Employee Education,Employee Education,ການສຶກສາພະນັກງານ
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,ກຸ່ມລາຍການຊ້ໍາກັນພົບເຫັນຢູ່ໃນຕາຕະລາງກຸ່ມລາຍການ
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,ມັນຕ້ອງການເພື່ອດຶງຂໍ້ມູນລາຍລະອຽດສິນຄ້າ.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,ມັນຕ້ອງການເພື່ອດຶງຂໍ້ມູນລາຍລະອຽດສິນຄ້າ.
DocType: Salary Slip,Net Pay,ຈ່າຍສຸດທິ
DocType: Account,Account,ບັນຊີ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Serial No {0} ໄດ້ຮັບແລ້ວ
,Requested Items To Be Transferred,ການຮ້ອງຂໍໃຫ້ໄດ້ຮັບການໂອນ
DocType: Expense Claim,Vehicle Log,ຍານພາຫະນະເຂົ້າສູ່ລະບົບ
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Warehouse {0} ບໍ່ໄດ້ເຊື່ອມໂຍງກັບບັນຊີໃດກໍ່ຕາມ, ກະລຸນາສ້າງ / ການເຊື່ອມຕໍ່ທີ່ສອດຄ້ອງກັນ (ຊັບສິນ) ບັນຊີສໍາລັບການສາງໄດ້."
DocType: Purchase Invoice,Recurring Id,Id Recurring
DocType: Customer,Sales Team Details,ລາຍລະອຽດ Team Sales
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,ລຶບຢ່າງຖາວອນ?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,ລຶບຢ່າງຖາວອນ?
DocType: Expense Claim,Total Claimed Amount,ຈໍານວນທັງຫມົດອ້າງວ່າ
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,ກາລະໂອກາດທີ່ອາດມີສໍາລັບການຂາຍ.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},ບໍ່ຖືກຕ້ອງ {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,ລາປ່ວຍ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},ບໍ່ຖືກຕ້ອງ {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,ລາປ່ວຍ
DocType: Email Digest,Email Digest,Email Digest
DocType: Delivery Note,Billing Address Name,Billing ຊື່ທີ່ຢູ່
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,ພະແນກຮ້ານຄ້າ
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,ຕິດຕັ້ງໂຮງຮຽນຂອງທ່ານໃນ ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),ຖານການປ່ຽນແປງຈໍານວນເງິນ (ບໍລິສັດສະກຸນເງິນ)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,ບໍ່ມີການຈົດບັນຊີສໍາລັບການສາງດັ່ງຕໍ່ໄປນີ້
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,ບໍ່ມີການຈົດບັນຊີສໍາລັບການສາງດັ່ງຕໍ່ໄປນີ້
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,ຊ່ວຍປະຢັດເອກະສານທໍາອິດ.
DocType: Account,Chargeable,ຄ່າບໍລິການ
DocType: Company,Change Abbreviation,ການປ່ຽນແປງສະບັບຫຍໍ້
@@ -4063,7 +4086,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,ວັນທີຄາດວ່າສົ່ງບໍ່ສາມາດກ່ອນທີ່ໃບສັ່ງຊື້ວັນທີ່
DocType: Appraisal,Appraisal Template,ແມ່ແບບການປະເມີນຜົນ
DocType: Item Group,Item Classification,ການຈັດປະເພດສິນຄ້າ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,ຜູ້ຈັດການພັດທະນາທຸລະກິດ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,ຜູ້ຈັດການພັດທະນາທຸລະກິດ
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,ບໍາລຸງຮັກສາ Visit ວັດຖຸປະສົງ
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,ໄລຍະເວລາ
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,ຊີແຍກປະເພດ
@@ -4073,8 +4096,8 @@
DocType: Item Attribute Value,Attribute Value,ສະແດງມູນຄ່າ
,Itemwise Recommended Reorder Level,Itemwise ແນະນໍາຈັດລໍາດັບລະດັບ
DocType: Salary Detail,Salary Detail,ຂໍ້ມູນເງິນເດືອນ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,ກະລຸນາເລືອກ {0} ທໍາອິດ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Batch {0} ຂໍ້ມູນ {1} ໄດ້ຫມົດອາຍຸແລ້ວ.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,ກະລຸນາເລືອກ {0} ທໍາອິດ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Batch {0} ຂໍ້ມູນ {1} ໄດ້ຫມົດອາຍຸແລ້ວ.
DocType: Sales Invoice,Commission,ຄະນະກໍາມະ
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Sheet ທີ່ໃຊ້ເວລາສໍາລັບການຜະລິດ.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,ການເພີ່ມເຕີມ
@@ -4085,6 +4108,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`Freeze ຫຸ້ນເກົ່າ Than` ຄວນຈະເປັນຂະຫນາດນ້ອຍກ່ວາ% d ມື້.
DocType: Tax Rule,Purchase Tax Template,ຊື້ແມ່ແບບພາສີ
,Project wise Stock Tracking,ໂຄງການຕິດຕາມສະຫລາດ Stock
+DocType: GST HSN Code,Regional,ລະດັບພາກພື້ນ
DocType: Stock Entry Detail,Actual Qty (at source/target),ຕົວຈິງຈໍານວນ (ທີ່ມາ / ເປົ້າຫມາຍ)
DocType: Item Customer Detail,Ref Code,ລະຫັດກະສານອ້າງອີງ
apps/erpnext/erpnext/config/hr.py +12,Employee records.,ການບັນທຶກຂອງພະນັກງານ.
@@ -4095,13 +4119,13 @@
DocType: Email Digest,New Purchase Orders,ໃບສັ່ງຊື້ໃຫມ່
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,ຮາກບໍ່ສາມາດມີສູນຕົ້ນທຶນພໍ່ແມ່
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,ເລືອກຍີ່ຫໍ້ ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,ການຝຶກອົບຮົມກິດຈະກໍາ / ຜົນການຄົ້ນຫາ
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,ສະສົມຄ່າເສື່ອມລາຄາເປັນ
DocType: Sales Invoice,C-Form Applicable,"C, ໃບສະຫມັກ"
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},ການດໍາເນີນງານທີ່ໃຊ້ເວລາຕ້ອງໄດ້ຫຼາຍກ່ວາ 0 ສໍາລັບການດໍາເນີນງານ {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Warehouse ເປັນການບັງຄັບ
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Warehouse ເປັນການບັງຄັບ
DocType: Supplier,Address and Contacts,ທີ່ຢູ່ແລະຕິດຕໍ່ພົວພັນ
DocType: UOM Conversion Detail,UOM Conversion Detail,UOM ແປງຂໍ້ມູນ
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),ໃຫ້ເກັບຮັກສາມັນອັນ 900px ມິດ (w) ໂດຍ 100px (h)
DocType: Program,Program Abbreviation,ຊື່ຫຍໍ້ໂຄງການ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,ຜະລິດພັນທີ່ບໍ່ສາມາດໄດ້ຮັບການຍົກຂຶ້ນມາຕໍ່ຕ້ານແມ່ແບບລາຍການ
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,ຄ່າບໍລິການມີການປັບປຸງໃນການຮັບຊື້ຕໍ່ແຕ່ລະລາຍການ
@@ -4109,13 +4133,13 @@
DocType: Bank Guarantee,Start Date,ວັນທີ່ເລີ່ມ
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,ຈັດສັນໃບສໍາລັບໄລຍະເວລາ.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,ເຊັກແລະເງິນຝາກການເກັບກູ້ບໍ່ຖືກຕ້ອງ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,ບັນຊີ {0}: ທ່ານບໍ່ສາມາດກໍາຫນົດຕົວຂອງມັນເອງເປັນບັນຊີຂອງພໍ່ແມ່
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,ບັນຊີ {0}: ທ່ານບໍ່ສາມາດກໍາຫນົດຕົວຂອງມັນເອງເປັນບັນຊີຂອງພໍ່ແມ່
DocType: Purchase Invoice Item,Price List Rate,ລາຄາອັດຕາ
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,ສ້າງລູກຄ້າ
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",ສະແດງໃຫ້ເຫັນ "ຢູ່ໃນສະຕັອກ" ຫຼື "ບໍ່ໄດ້ຢູ່ໃນ Stock" ໂດຍອີງໃສ່ຫຼັກຊັບທີ່ມີຢູ່ໃນສາງນີ້.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),ບັນຊີລາຍການຂອງວັດສະດຸ (BOM)
DocType: Item,Average time taken by the supplier to deliver,ທີ່ໃຊ້ເວລາສະເລ່ຍປະຕິບັດໂດຍຜູ້ປະກອບການເພື່ອໃຫ້
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,ຜົນການປະເມີນຜົນ
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,ຜົນການປະເມີນຜົນ
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,ຊົ່ວໂມງ
DocType: Project,Expected Start Date,ຄາດວ່າຈະເລີ່ມວັນທີ່
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,ເອົາລາຍການຖ້າຫາກວ່າຄ່າໃຊ້ຈ່າຍແມ່ນບໍ່ສາມາດໃຊ້ກັບສິນຄ້າທີ່
@@ -4129,25 +4153,24 @@
DocType: Workstation,Operating Costs,ຄ່າໃຊ້ຈ່າຍປະຕິບັດການ
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,ການປະຕິບັດຖ້າຫາກວ່າສະສົມງົບປະມານປະຈໍາເດືອນເກີນ
DocType: Purchase Invoice,Submit on creation,ຍື່ນສະເຫນີກ່ຽວກັບການສ້າງ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},ສະກຸນເງິນສໍາລັບ {0} ຕ້ອງ {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},ສະກຸນເງິນສໍາລັບ {0} ຕ້ອງ {1}
DocType: Asset,Disposal Date,ວັນທີ່ຈໍາຫນ່າຍ
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","ອີເມວຈະຖືກສົ່ງໄປຫາພະນັກງານກິດຈະກໍາຂອງບໍລິສັດຢູ່ໃນຊົ່ວໂມງດັ່ງກ່າວ, ຖ້າຫາກວ່າພວກເຂົາເຈົ້າບໍ່ມີວັນພັກ. ສະຫຼຸບສັງລວມຂອງການຕອບສະຫນອງຈະໄດ້ຮັບການສົ່ງໄປຢູ່ໃນເວລາທ່ຽງຄືນ."
DocType: Employee Leave Approver,Employee Leave Approver,ພະນັກງານອອກຈາກອະນຸມັດ
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},ຕິດຕໍ່ກັນ {0}: ຍະການຮຽງລໍາດັບໃຫມ່ທີ່ມີຢູ່ແລ້ວສໍາລັບການສາງນີ້ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},ຕິດຕໍ່ກັນ {0}: ຍະການຮຽງລໍາດັບໃຫມ່ທີ່ມີຢູ່ແລ້ວສໍາລັບການສາງນີ້ {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","ບໍ່ສາມາດປະກາດເປັນການສູນເສຍ, ເນື່ອງຈາກວ່າສະເຫນີລາຄາໄດ້ຖືກເຮັດໃຫ້."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,ການຝຶກອົບຮົມຜົນຕອບຮັບ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,ສັ່ງຊື້ສິນຄ້າ {0} ຕ້ອງໄດ້ຮັບການສົ່ງ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,ສັ່ງຊື້ສິນຄ້າ {0} ຕ້ອງໄດ້ຮັບການສົ່ງ
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},ກະລຸນາເລືອກເອົາວັນທີເລີ່ມຕົ້ນແລະການສິ້ນສຸດວັນທີ່ສໍາລັບລາຍການ {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},ຂອງລາຍວິຊາແມ່ນບັງຄັບໃນການຕິດຕໍ່ກັນ {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,ວັນທີບໍ່ສາມາດຈະກ່ອນທີ່ຈະຈາກວັນທີ່
DocType: Supplier Quotation Item,Prevdoc DocType,DocType Prevdoc
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,ເພີ່ມ / ແກ້ໄຂລາຄາ
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,ເພີ່ມ / ແກ້ໄຂລາຄາ
DocType: Batch,Parent Batch,ຊຸດຂອງພໍ່ແມ່
DocType: Batch,Parent Batch,ຊຸດຂອງພໍ່ແມ່
DocType: Cheque Print Template,Cheque Print Template,ແມ່ແບບພິມກະແສລາຍວັນ
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,ຕາຕະລາງຂອງສູນຕົ້ນທຶນ
,Requested Items To Be Ordered,ການຮ້ອງຂໍການສັ່ງ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,ບໍລິສັດ Warehouse ຕ້ອງເຊັ່ນດຽວກັນກັບບໍລິສັດບັນຊີ
DocType: Price List,Price List Name,ລາຄາຊື່
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Summary ເຮັດປະຈໍາວັນ {0}
DocType: Employee Loan,Totals,ຈໍານວນທັງຫມົດ
@@ -4169,55 +4192,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,ກະລຸນາໃສ່ພວກເຮົາໂທລະສັບມືຖືທີ່ຖືກຕ້ອງ
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,ກະລຸນາໃສ່ຂໍ້ຄວາມກ່ອນທີ່ຈະສົ່ງ
DocType: Email Digest,Pending Quotations,ທີ່ຍັງຄ້າງ Quotations
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,ຈຸດຂອງການຂາຍຂໍ້ມູນ
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,ຈຸດຂອງການຂາຍຂໍ້ມູນ
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,ກະລຸນາປັບປຸງການຕັ້ງຄ່າ SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,ເງິນກູ້ຢືມທີ່ບໍ່ປອດໄພ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,ເງິນກູ້ຢືມທີ່ບໍ່ປອດໄພ
DocType: Cost Center,Cost Center Name,ມີລາຄາຖືກຊື່ Center
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Max ຊົ່ວໂມງການເຮັດວຽກຕໍ່ Timesheet
DocType: Maintenance Schedule Detail,Scheduled Date,ວັນກໍານົດ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,ມູນຄ່າລວມ Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,ມູນຄ່າລວມ Amt
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,ຂໍ້ຄວາມຫຼາຍກ່ວາ 160 ລັກສະນະຈະໄດ້ຮັບການແບ່ງປັນເຂົ້າໄປໃນຂໍ້ຄວາມຫລາຍ
DocType: Purchase Receipt Item,Received and Accepted,ໄດ້ຮັບແລະຮັບການຍອມຮັບ
+,GST Itemised Sales Register,GST ສິນຄ້າລາຄາລົງທະບຽນ
,Serial No Service Contract Expiry,Serial No ບໍລິການສັນຍາຫມົດອາຍຸ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,ທ່ານບໍ່ສາມາດປ່ອຍສິນເຊື່ອແລະຫັກບັນຊີດຽວກັນໃນເວລາດຽວກັນ
DocType: Naming Series,Help HTML,ການຊ່ວຍເຫຼືອ HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,ເຄື່ອງມືການສ້າງກຸ່ມນັກສຶກສາ
DocType: Item,Variant Based On,Variant Based On
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},weightage ທັງຫມົດໄດ້ຮັບມອບຫມາຍຄວນຈະເປັນ 100%. ມັນເປັນ {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,ຜູ້ສະຫນອງຂອງທ່ານ
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,ຜູ້ສະຫນອງຂອງທ່ານ
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,ບໍ່ສາມາດກໍານົດເປັນການສູນເສຍທີ່ເປັນຄໍາສັ່ງຂາຍແມ່ນ.
DocType: Request for Quotation Item,Supplier Part No,Supplier Part No
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',ບໍ່ສາມາດຫັກໃນເວລາທີ່ປະເພດແມ່ນສໍາລັບການ 'ປະເມີນມູນຄ່າ' ຫຼື 'Vaulation ແລະລວມ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,ໄດ້ຮັບຈາກ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,ໄດ້ຮັບຈາກ
DocType: Lead,Converted,ປ່ຽນໃຈເຫລື້ອມໃສ
DocType: Item,Has Serial No,ມີບໍ່ມີ Serial
DocType: Employee,Date of Issue,ວັນທີຂອງການຈົດທະບຽນ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: ຈາກ {0} ສໍາລັບ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","ໂດຍອີງຕາມການຕັ້ງຄ່າຊື້ຖ້າຊື້ Reciept ຕ້ອງ == 'ໃຊ່', ຫຼັງຈາກນັ້ນສໍາລັບການສ້າງ Purchase ໃບເກັບເງິນ, ຜູ້ໃຊ້ຈໍາເປັນຕ້ອງໄດ້ສ້າງໃບຊື້ຄັ້ງທໍາອິດສໍາລັບລາຍການ {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},"ຕິດຕໍ່ກັນ, {0} ຕັ້ງຄ່າການຜະລິດສໍາລັບການ item {1}"
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,ຕິດຕໍ່ກັນ {0}: ມູນຄ່າຊົ່ວໂມງຕ້ອງມີຄ່າຫລາຍກ່ວາສູນ.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Image ເວັບໄຊທ໌ {0} ຕິດກັບ Item {1} ບໍ່ສາມາດໄດ້ຮັບການພົບເຫັນ
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Image ເວັບໄຊທ໌ {0} ຕິດກັບ Item {1} ບໍ່ສາມາດໄດ້ຮັບການພົບເຫັນ
DocType: Issue,Content Type,ປະເພດເນື້ອຫາ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,ຄອມພິວເຕີ
DocType: Item,List this Item in multiple groups on the website.,ລາຍຊື່ສິນຄ້ານີ້ຢູ່ໃນກຸ່ມຫຼາກຫຼາຍກ່ຽວກັບເວັບໄຊທ໌.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,ກະລຸນາກວດສອບຕົວເລືອກສະກຸນເງິນ Multi ອະນຸຍາດໃຫ້ບັນຊີດ້ວຍສະກຸນເງິນອື່ນ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,ສິນຄ້າ: {0} ບໍ່ມີຢູ່ໃນລະບົບ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,ເຈົ້າຍັງບໍ່ໄດ້ອະນຸຍາດໃຫ້ຕັ້ງຄ່າ Frozen
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,ສິນຄ້າ: {0} ບໍ່ມີຢູ່ໃນລະບົບ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,ເຈົ້າຍັງບໍ່ໄດ້ອະນຸຍາດໃຫ້ຕັ້ງຄ່າ Frozen
DocType: Payment Reconciliation,Get Unreconciled Entries,ໄດ້ຮັບ Unreconciled Entries
DocType: Payment Reconciliation,From Invoice Date,ຈາກ Invoice ວັນທີ່
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,ສະກຸນເງິນໃບບິນຈະຕ້ອງເທົ່າທຽມກັນກັບສະກຸນເງິນຫຼືບັນຊີຝ່າຍບໍ່ວ່າຈະ comapany ໃນຕອນຕົ້ນຂອງສະກຸນເງິນ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,ອອກຈາກ Encashment
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,ມັນຈະເປັນແນວໃດເຮັດແນວໃດ?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,ສະກຸນເງິນໃບບິນຈະຕ້ອງເທົ່າທຽມກັນກັບສະກຸນເງິນຫຼືບັນຊີຝ່າຍບໍ່ວ່າຈະ comapany ໃນຕອນຕົ້ນຂອງສະກຸນເງິນ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,ອອກຈາກ Encashment
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,ມັນຈະເປັນແນວໃດເຮັດແນວໃດ?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,ການຄັງສິນຄ້າ
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,ທັງຫມົດ Admissions ນັກສຶກສາ
,Average Commission Rate,ສະເລ່ຍອັດຕາຄະນະກໍາມະ
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,'ມີບໍ່ມີ Serial' ບໍ່ສາມາດຈະ "ແມ່ນ" ລາຍການຫຼັກຊັບບໍ່
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'ມີບໍ່ມີ Serial' ບໍ່ສາມາດຈະ "ແມ່ນ" ລາຍການຫຼັກຊັບບໍ່
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,ຜູ້ເຂົ້າຮ່ວມບໍ່ສາມາດໄດ້ຮັບການຫມາຍໄວ້ສໍາລັບກໍານົດວັນທີໃນອະນາຄົດ
DocType: Pricing Rule,Pricing Rule Help,ລາຄາກົດລະບຽບຊ່ວຍເຫລືອ
DocType: School House,House Name,ຊື່ບ້ານ
DocType: Purchase Taxes and Charges,Account Head,ຫົວຫນ້າບັນຊີ
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,ປັບປຸງຄ່າໃຊ້ຈ່າຍເພີ່ມເຕີມທີ່ຈະຄິດໄລ່ຄ່າໃຊ້ຈ່າຍລູກຈ້າງຂອງລາຍການລາຍການ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,ໄຟຟ້າ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,ໄຟຟ້າ
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,ຕື່ມສ່ວນທີ່ເຫຼືອຂອງອົງການຈັດຕັ້ງຂອງທ່ານເປັນຜູ້ຊົມໃຊ້ຂອງທ່ານ. ນອກນັ້ນທ່ານຍັງສາມາດເພີ່ມເຊື້ອເຊີນລູກຄ້າກັບປະຕູຂອງທ່ານໂດຍການເພີ່ມໃຫ້ເຂົາເຈົ້າຈາກການຕິດຕໍ່
DocType: Stock Entry,Total Value Difference (Out - In),ມູນຄ່າຄວາມແຕກຕ່າງ (Out - ໃນ)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,ຕິດຕໍ່ກັນ {0}: ອັດຕາແລກປ່ຽນເປັນການບັງຄັບ
@@ -4227,7 +4252,7 @@
DocType: Item,Customer Code,ລະຫັດລູກຄ້າ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},ເຕືອນວັນເດືອນປີເກີດສໍາລັບ {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,ວັນນັບຕັ້ງແຕ່ສັ່ງຫຼ້າສຸດ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,ເດບິດການບັນຊີຈະຕ້ອງບັນຊີງົບດຸນ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,ເດບິດການບັນຊີຈະຕ້ອງບັນຊີງົບດຸນ
DocType: Buying Settings,Naming Series,ການຕັ້ງຊື່ Series
DocType: Leave Block List,Leave Block List Name,ອອກຈາກຊື່ Block ຊີ
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,ວັນປະກັນໄພ Start ຄວນຈະມີຫນ້ອຍກ່ວາວັນການປະກັນໄພ End
@@ -4242,27 +4267,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Slip ເງິນເດືອນຂອງພະນັກງານ {0} ສ້າງຮຽບຮ້ອຍແລ້ວສໍາລັບເອກະສານທີ່ໃຊ້ເວລາ {1}
DocType: Vehicle Log,Odometer,ໄມ
DocType: Sales Order Item,Ordered Qty,ຄໍາສັ່ງຈໍານວນ
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,ລາຍການ {0} ເປັນຄົນພິການ
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,ລາຍການ {0} ເປັນຄົນພິການ
DocType: Stock Settings,Stock Frozen Upto,Stock Frozen ເກີນ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM ບໍ່ໄດ້ປະກອບດ້ວຍລາຍການຫຼັກຊັບໃດຫນຶ່ງ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM ບໍ່ໄດ້ປະກອບດ້ວຍລາຍການຫຼັກຊັບໃດຫນຶ່ງ
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},ໄລຍະເວລາຈາກແລະໄລຍະເວລາມາຮອດປະຈຸບັງຄັບສໍາລັບທີ່ເກີດຂຶ້ນ {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,ກິດຈະກໍາໂຄງການ / ວຽກງານ.
DocType: Vehicle Log,Refuelling Details,ລາຍລະອຽດເຊື້ອເພີງ
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,ສ້າງເງິນເດືອນ Slips
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","ການຊື້ຕ້ອງໄດ້ຮັບການກວດສອບ, ຖ້າຫາກວ່າສາມາດນໍາໃຊ້ສໍາລັບການໄດ້ຖືກຄັດເລືອກເປັນ {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","ການຊື້ຕ້ອງໄດ້ຮັບການກວດສອບ, ຖ້າຫາກວ່າສາມາດນໍາໃຊ້ສໍາລັບການໄດ້ຖືກຄັດເລືອກເປັນ {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,ສ່ວນລົດຕ້ອງຫນ້ອຍກ່ວາ 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,ບໍ່ພົບອັດຕາການຊື້ຫຼ້າສຸດ
DocType: Purchase Invoice,Write Off Amount (Company Currency),ຂຽນ Off ຈໍານວນເງິນ (ບໍລິສັດສະກຸນເງິນ)
DocType: Sales Invoice Timesheet,Billing Hours,ຊົ່ວໂມງໃນການເກັບເງິນ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,BOM ມາດຕະຖານສໍາລັບການ {0} ບໍ່ໄດ້ພົບເຫັນ
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,"ຕິດຕໍ່ກັນ, {0}: ກະລຸນາທີ່ກໍານົດໄວ້ປະລິມານ reorder"
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,"ຕິດຕໍ່ກັນ, {0}: ກະລຸນາທີ່ກໍານົດໄວ້ປະລິມານ reorder"
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,ແຕະລາຍການຈະເພີ່ມໃຫ້ເຂົາເຈົ້າຢູ່ທີ່ນີ້
DocType: Fees,Program Enrollment,ໂຄງການລົງທະບຽນ
DocType: Landed Cost Voucher,Landed Cost Voucher,Voucher ມູນຄ່າທີ່ດິນ
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},ກະລຸນາຕັ້ງ {0}
DocType: Purchase Invoice,Repeat on Day of Month,ເຮັດເລື້ມຄືນໃນວັນປະຈໍາເດືອນ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} ແມ່ນນັກສຶກສາ inactive
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} ແມ່ນນັກສຶກສາ inactive
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} ແມ່ນນັກສຶກສາ inactive
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} ແມ່ນນັກສຶກສາ inactive
DocType: Employee,Health Details,ລາຍລະອຽດສຸຂະພາບ
DocType: Offer Letter,Offer Letter Terms,ສະເຫນີເງື່ອນໄຂຈົດຫມາຍ
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,ເພື່ອສ້າງເປັນຂໍການຊໍາລະເງິນເອກະສານອ້າງອິງຈໍາເປັນຕ້ອງມີ
@@ -4284,7 +4309,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","ຍົກຕົວຢ່າງ:. ABCD ##### ຖ້າຫາກວ່າຊຸດໄດ້ຖືກກໍານົດແລະບໍ່ມີ Serial ບໍ່ໄດ້ກ່າວມາໃນການເຮັດທຸລະ, ຈໍານວນ serial ຫຼັງຈາກນັ້ນອັດຕະໂນມັດຈະໄດ້ຮັບການສ້າງຕັ້ງໂດຍອີງໃສ່ຊຸດນີ້. ຖ້າຫາກວ່າທ່ານສະເຫມີຕ້ອງການທີ່ຈະບອກຢ່າງຊັດເຈນ Serial Nos ສໍາລັບລາຍການນີ້. ໃຫ້ຫວ່າງໄວ້."
DocType: Upload Attendance,Upload Attendance,ຜູ້ເຂົ້າຮ່ວມ Upload
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM ແລະປະລິມານການຜະລິດຈໍາເປັນຕ້ອງ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM ແລະປະລິມານການຜະລິດຈໍາເປັນຕ້ອງ
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Range Ageing 2
DocType: SG Creation Tool Course,Max Strength,ຄວາມສູງສຸດທີ່ເຄຍ
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM ທົດແທນ
@@ -4294,8 +4319,8 @@
,Prospects Engaged But Not Converted,ຄວາມສົດໃສດ້ານຫມັ້ນແຕ່ບໍ່ປ່ຽນໃຈເຫລື້ອມໃສ
DocType: Manufacturing Settings,Manufacturing Settings,ການຕັ້ງຄ່າການຜະລິດ
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,ສ້າງຕັ້ງອີເມວ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Mobile No
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,ກະລຸນາໃສ່ສະກຸນເງິນເລີ່ມຕົ້ນໃນບໍລິສັດລິນຍາໂທ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile No
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,ກະລຸນາໃສ່ສະກຸນເງິນເລີ່ມຕົ້ນໃນບໍລິສັດລິນຍາໂທ
DocType: Stock Entry Detail,Stock Entry Detail,Entry ຕ໊ອກ
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,ເຕືອນປະຈໍາວັນ
DocType: Products Settings,Home Page is Products,ຫນ້າທໍາອິດແມ່ນຜະລິດຕະພັນ
@@ -4304,7 +4329,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,ຊື່ບັນຊີໃຫມ່
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,ຕົ້ນທຶນວັດຖຸດິບທີ່ຈໍາຫນ່າຍ
DocType: Selling Settings,Settings for Selling Module,ການຕັ້ງຄ່າສໍາລັບຂາຍ Module
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,ການບໍລິການລູກຄ້າ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,ການບໍລິການລູກຄ້າ
DocType: BOM,Thumbnail,Thumbnail
DocType: Item Customer Detail,Item Customer Detail,ລາຍການຂໍ້ມູນລູກຄ້າ
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,ຜູ້ສະຫມັກສະເຫນີວຽກເຮັດງານທໍາ.
@@ -4313,7 +4338,7 @@
DocType: Pricing Rule,Percentage,ອັດຕາສ່ວນ
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,ລາຍການ {0} ຈະຕ້ອງເປັນລາຍການຫຼັກຊັບ
DocType: Manufacturing Settings,Default Work In Progress Warehouse,ເຮັດໃນຕອນຕົ້ນໃນ Warehouse Progress
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,ການຕັ້ງຄ່າມາດຕະຖານສໍາລັບການເຮັດທຸລະກໍາການບັນຊີ.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,ການຕັ້ງຄ່າມາດຕະຖານສໍາລັບການເຮັດທຸລະກໍາການບັນຊີ.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,ວັນທີທີ່ຄາດບໍ່ສາມາດກ່ອນທີ່ວັດສະດຸການຈອງວັນທີ່
DocType: Purchase Invoice Item,Stock Qty,ສິນຄ້າພ້ອມສົ່ງ
@@ -4327,10 +4352,10 @@
DocType: Sales Order,Printing Details,ລາຍລະອຽດການພິມ
DocType: Task,Closing Date,ວັນປິດ
DocType: Sales Order Item,Produced Quantity,ປະລິມານການຜະລິດ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,ວິສະວະກອນ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,ວິສະວະກອນ
DocType: Journal Entry,Total Amount Currency,ຈໍານວນເງິນສະກຸນເງິນ
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,ປະກອບການຄົ້ນຫາ Sub
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},ລະຫັດສິນຄ້າທີ່ຕ້ອງການຢູ່ໃນແຖວບໍ່ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},ລະຫັດສິນຄ້າທີ່ຕ້ອງການຢູ່ໃນແຖວບໍ່ {0}
DocType: Sales Partner,Partner Type,ປະເພດຄູ່ຮ່ວມງານ
DocType: Purchase Taxes and Charges,Actual,ທີ່ແທ້ຈິງ
DocType: Authorization Rule,Customerwise Discount,Customerwise ສ່ວນລົດ
@@ -4347,11 +4372,11 @@
DocType: Item Reorder,Re-Order Level,Re: ຄໍາສັ່ງລະດັບ
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,ກະລຸນາໃສ່ລາຍການແລະການວາງແຜນຈໍານວນທີ່ທ່ານຕ້ອງການທີ່ຈະຍົກສູງບົດບາດສັ່ງຜະລິດຫຼືດາວໂຫຼດອຸປະກອນການເປັນວັດຖຸດິບສໍາລັບການວິເຄາະ.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,ຕາຕະລາງ Gantt
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,ສ່ວນທີ່ໃຊ້ເວລາ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,ສ່ວນທີ່ໃຊ້ເວລາ
DocType: Employee,Applicable Holiday List,ບັນຊີ Holiday ສາມາດນໍາໃຊ້
DocType: Employee,Cheque,ກະແສລາຍວັນ
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Series Updated
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,ປະເພດບົດລາຍງານແມ່ນການບັງຄັບ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,ປະເພດບົດລາຍງານແມ່ນການບັງຄັບ
DocType: Item,Serial Number Series,Series ຈໍານວນ Serial
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Warehouse ເປັນການບັງຄັບສໍາລັບລາຍການຫຸ້ນ {0} ຕິດຕໍ່ກັນ {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,ຂາຍຍ່ອຍແລະຂາຍສົ່ງ
@@ -4373,7 +4398,7 @@
DocType: BOM,Materials,ອຸປະກອນການ
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","ຖ້າຫາກວ່າບໍ່ໄດ້ກວດສອບ, ບັນຊີລາຍການຈະຕ້ອງໄດ້ຮັບການເພີ່ມໃນແຕ່ລະພະແນກບ່ອນທີ່ມັນຈະຕ້ອງມີການນໍາໃຊ້."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,ແຫລ່ງທີ່ມາແລະເປົ້າຫມາຍ Warehouse ບໍ່ສາມາດຈະເປັນຄືກັນ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,ປຊຊກິນວັນແລະປຊຊກິນທີ່ໃຊ້ເວລາເປັນການບັງຄັບ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,ປຊຊກິນວັນແລະປຊຊກິນທີ່ໃຊ້ເວລາເປັນການບັງຄັບ
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,ແມ່ແບບພາສີສໍາຫລັບການຊື້ເຮັດທຸລະກໍາ.
,Item Prices,ລາຄາສິນຄ້າ
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,ໃນຄໍາສັບຕ່າງໆຈະສັງເກດເຫັນເມື່ອທ່ານຊ່ວຍປະຢັດໃບສັ່ງຊື້.
@@ -4383,22 +4408,23 @@
DocType: Purchase Invoice,Advance Payments,ການຊໍາລະເງິນລ່ວງຫນ້າ
DocType: Purchase Taxes and Charges,On Net Total,ກ່ຽວກັບສຸດທິທັງຫມົດ
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},ມູນຄ່າສໍາລັບຄຸນສົມບັດ {0} ຕ້ອງຢູ່ພາຍໃນລະດັບຄວາມຂອງ {1} ກັບ {2} ໃນ increments ຂອງ {3} ສໍາລັບລາຍການ {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,ຄັງສິນຄ້າເປົ້າຫມາຍໃນການຕິດຕໍ່ກັນ {0} ຈະຕ້ອງດຽວກັນເປັນໃບສັ່ງຜະລິດ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,ຄັງສິນຄ້າເປົ້າຫມາຍໃນການຕິດຕໍ່ກັນ {0} ຈະຕ້ອງດຽວກັນເປັນໃບສັ່ງຜະລິດ
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,ທີ່ຢູ່ອີເມວແຈ້ງເຕືອນ 'ບໍ່ລະບຸສໍາລັບການທີ່ເກີດຂຶ້ນ% s
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,ສະກຸນເງິນບໍ່ສາມາດມີການປ່ຽນແປງຫຼັງຈາກການເຮັດໃຫ້ການອອກສຽງການນໍາໃຊ້ສະກຸນເງິນອື່ນ ໆ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,ສະກຸນເງິນບໍ່ສາມາດມີການປ່ຽນແປງຫຼັງຈາກການເຮັດໃຫ້ການອອກສຽງການນໍາໃຊ້ສະກຸນເງິນອື່ນ ໆ
DocType: Vehicle Service,Clutch Plate,ເສື້ອ
DocType: Company,Round Off Account,ຕະຫຼອດໄປ Account
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,ຄ່າໃຊ້ຈ່າຍການບໍລິຫານ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,ຄ່າໃຊ້ຈ່າຍການບໍລິຫານ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,ໃຫ້ຄໍາປຶກສາ
DocType: Customer Group,Parent Customer Group,ກຸ່ມລູກຄ້າຂອງພໍ່ແມ່
DocType: Purchase Invoice,Contact Email,ການຕິດຕໍ່
DocType: Appraisal Goal,Score Earned,ຄະແນນທີ່ໄດ້ຮັບ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,ໄລຍະເວລາຫນັງສືແຈ້ງການ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,ໄລຍະເວລາຫນັງສືແຈ້ງການ
DocType: Asset Category,Asset Category Name,ຊັບສິນປະເພດຊື່
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,ນີ້ແມ່ນອານາເຂດຂອງຮາກແລະບໍ່ສາມາດໄດ້ຮັບການແກ້ໄຂ.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,ຊື່ໃຫມ່ຂາຍສ່ວນບຸກຄົນ
DocType: Packing Slip,Gross Weight UOM,ນ້ໍາຫນັກ UOM
DocType: Delivery Note Item,Against Sales Invoice,ຕໍ່ Invoice Sales
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,ກະລຸນາໃສ່ຈໍານວນ serial ສໍາລັບລາຍການເນື່ອງ
DocType: Bin,Reserved Qty for Production,ລິຂະສິດຈໍານວນການຜະລິດ
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,ອອກຈາກການກວດກາຖ້າຫາກວ່າທ່ານບໍ່ຕ້ອງການທີ່ຈະພິຈາລະນາໃນຂະນະທີ່ batch ເຮັດໃຫ້ກຸ່ມແນ່ນອນຕາມ.
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,ອອກຈາກການກວດກາຖ້າຫາກວ່າທ່ານບໍ່ຕ້ອງການທີ່ຈະພິຈາລະນາໃນຂະນະທີ່ batch ເຮັດໃຫ້ກຸ່ມແນ່ນອນຕາມ.
@@ -4407,25 +4433,25 @@
DocType: Landed Cost Item,Landed Cost Item,ລູກຈ້າງສິນຄ້າຕົ້ນທຶນ
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,ສະແດງໃຫ້ເຫັນຄຸນຄ່າສູນ
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,ປະລິມານຂອງສິນຄ້າໄດ້ຮັບຫຼັງຈາກການຜະລິດ / repacking ຈາກປະລິມານຂອງວັດຖຸດິບ
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,ການຕິດຕັ້ງເວັບໄຊທ໌ງ່າຍດາຍສໍາລັບອົງການຈັດຕັ້ງຂອງຂ້າພະເຈົ້າ
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,ການຕິດຕັ້ງເວັບໄຊທ໌ງ່າຍດາຍສໍາລັບອົງການຈັດຕັ້ງຂອງຂ້າພະເຈົ້າ
DocType: Payment Reconciliation,Receivable / Payable Account,Receivable / Account Payable
DocType: Delivery Note Item,Against Sales Order Item,ຕໍ່ສັ່ງຂາຍສິນຄ້າ
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},ກະລຸນາລະບຸຄຸນສົມບັດມູນຄ່າສໍາລັບເຫດຜົນ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},ກະລຸນາລະບຸຄຸນສົມບັດມູນຄ່າສໍາລັບເຫດຜົນ {0}
DocType: Item,Default Warehouse,ມາດຕະຖານ Warehouse
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},ງົບປະມານບໍ່ສາມາດໄດ້ຮັບການມອບຫມາຍຕໍ່ບັນຊີ Group {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,ກະລຸນາເຂົ້າໄປໃນສູນຄ່າໃຊ້ຈ່າຍຂອງພໍ່ແມ່
DocType: Delivery Note,Print Without Amount,ພິມໂດຍບໍ່ມີການຈໍານວນ
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,ວັນທີ່ສະຫມັກຄ່າເສື່ອມລາຄາ
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,ປະເພດພາສີບໍ່ສາມາດໄດ້ຮັບ "ການປະເມີນຄ່າ 'ຫຼື' ປະເມີນມູນຄ່າແລະຈໍານວນທີ່ເປັນລາຍການທັງຫມົດລາຍການບໍ່ແມ່ນຫຼັກຊັບ
DocType: Issue,Support Team,ທີມງານສະຫນັບສະຫນູນ
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),ຫມົດອາຍຸ (ໃນວັນ)
DocType: Appraisal,Total Score (Out of 5),ຄະແນນທັງຫມົດ (Out of 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,batch
+DocType: Student Attendance Tool,Batch,batch
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,ການດຸ່ນດ່ຽງ
DocType: Room,Seating Capacity,ຈໍານວນທີ່ນັ່ງ
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),ລວມຄ່າໃຊ້ຈ່າຍການຮ້ອງຂໍ (ຜ່ານການຮຽກຮ້ອງຄ່າໃຊ້ຈ່າຍ)
+DocType: GST Settings,GST Summary,GST ຫຍໍ້
DocType: Assessment Result,Total Score,ຄະແນນທັງຫມົດ
DocType: Journal Entry,Debit Note,Debit ຫມາຍເຫດ
DocType: Stock Entry,As per Stock UOM,ໃນຖານະເປັນຕໍ່ Stock UOM
@@ -4437,12 +4463,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,ສໍາເລັດຮູບມາດຕະຖານສິນຄ້າ Warehouse
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,ຄົນຂາຍ
DocType: SMS Parameter,SMS Parameter,SMS ພາລາມິເຕີ
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,ງົບປະມານແລະສູນຕົ້ນທຶນ
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,ງົບປະມານແລະສູນຕົ້ນທຶນ
DocType: Vehicle Service,Half Yearly,ເຄິ່ງຫນຶ່ງປະຈໍາປີ
DocType: Lead,Blog Subscriber,ຈອງ Blog
DocType: Guardian,Alternate Number,ຈໍານວນຈັບສະຫຼັບ
DocType: Assessment Plan Criteria,Maximum Score,ຄະແນນສູງສຸດ
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,ສ້າງລະບຽບການເພື່ອຈໍາກັດການເຮັດທຸລະກໍາໂດຍອີງໃສ່ຄ່າ.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Group ມ້ວນ No
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,ອອກຈາກ blank ຖ້າຫາກວ່າທ່ານເຮັດໃຫ້ກຸ່ມນັກຮຽນຕໍ່ປີ
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,ອອກຈາກ blank ຖ້າຫາກວ່າທ່ານເຮັດໃຫ້ກຸ່ມນັກຮຽນຕໍ່ປີ
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","ຖ້າຫາກວ່າການກວດກາ, ບໍ່ມີທັງຫມົດ. ຂອງການເຮັດວຽກວັນຈະປະກອບມີວັນພັກ, ແລະນີ້ຈະຊ່ວຍຫຼຸດຜ່ອນມູນຄ່າຂອງເງິນເດືອນຕໍ່ວັນ"
@@ -4462,6 +4489,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,ນີ້ແມ່ນອີງໃສ່ການເຮັດທຸລະກໍາຕໍ່ລູກຄ້ານີ້. ເບິ່ງໄລຍະເວລາຂ້າງລຸ່ມນີ້ສໍາລັບລາຍລະອຽດ
DocType: Supplier,Credit Days Based On,Days ການປ່ອຍສິນເຊື່ອທີ່ກ່ຽວກັບ
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},ຕິດຕໍ່ກັນ {0}: ຈັດສັນຈໍານວນເງິນ {1} ຕ້ອງຫນ້ອຍກ່ວາຫຼືເທົ່າກັບຈໍານວນເງິນທີ່ Entry ການຊໍາລະເງິນ {2}
+,Course wise Assessment Report,ບົດລາຍງານການປະເມີນຜົນທີ່ສະຫລາດຂອງລາຍວິຊາ
DocType: Tax Rule,Tax Rule,ກົດລະບຽບພາສີ
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,ຮັກສາອັດຕາດຽວກັນຕະຫຼອດວົງຈອນ Sales
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,ການວາງແຜນການບັນທຶກທີ່ໃຊ້ເວລານອກຊົ່ວໂມງ Workstation ເຮັດວຽກ.
@@ -4470,7 +4498,7 @@
,Items To Be Requested,ລາຍການທີ່ຈະໄດ້ຮັບການຮ້ອງຂໍ
DocType: Purchase Order,Get Last Purchase Rate,ໄດ້ຮັບຫຼ້າສຸດອັດຕາການຊື້
DocType: Company,Company Info,ຂໍ້ມູນບໍລິສັດ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,ເລືອກຫລືເພີ່ມລູກຄ້າໃຫມ່
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,ເລືອກຫລືເພີ່ມລູກຄ້າໃຫມ່
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,ສູນຕົ້ນທຶນທີ່ຈໍາເປັນຕ້ອງເຂົ້າເອີ້ນຮ້ອງຄ່າໃຊ້ຈ່າຍ
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),ຄໍາຮ້ອງສະຫມັກຂອງກອງທຶນ (ຊັບສິນ)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,ນີ້ແມ່ນອີງໃສ່ການເຂົ້າຮ່ວມຂອງພະນັກງານນີ້
@@ -4478,27 +4506,29 @@
DocType: Fiscal Year,Year Start Date,ປີເລີ່ມວັນທີ່
DocType: Attendance,Employee Name,ຊື່ພະນັກງານ
DocType: Sales Invoice,Rounded Total (Company Currency),ກົມທັງຫມົດ (ບໍລິສັດສະກຸນເງິນ)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,ບໍ່ສາມາດ covert ກັບ Group ເນື່ອງຈາກວ່າປະເພດບັນຊີໄດ້ຖືກຄັດເລືອກ.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,ບໍ່ສາມາດ covert ກັບ Group ເນື່ອງຈາກວ່າປະເພດບັນຊີໄດ້ຖືກຄັດເລືອກ.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} ໄດ້ຮັບການແກ້ໄຂ. ກະລຸນາໂຫຼດຫນ້າຈໍຄືນ.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,ຢຸດເຊົາການຜູ້ໃຊ້ຈາກການເຮັດໃຫ້ຄໍາຮ້ອງສະຫມັກອອກຈາກໃນມື້ດັ່ງຕໍ່ໄປນີ້.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,ການຊື້
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,ສະເຫນີລາຄາຜູ້ຜະລິດ {0} ສ້າງ
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,ປີສຸດທ້າຍບໍ່ສາມາດກ່ອນທີ່ Start ປີ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,ຜົນປະໂຫຍດພະນັກງານ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,ຜົນປະໂຫຍດພະນັກງານ
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},ປະລິມານບັນຈຸຕ້ອງເທົ່າກັບປະລິມານສໍາລັບລາຍການ {0} ຕິດຕໍ່ກັນ {1}
DocType: Production Order,Manufactured Qty,ຜະລິດຕະພັນຈໍານວນ
DocType: Purchase Receipt Item,Accepted Quantity,ຈໍານວນທີ່ໄດ້ຮັບການ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},ກະລຸນາທີ່ກໍານົດໄວ້ມາດຕະຖານບັນຊີພັກຜ່ອນສໍາລັບພະນັກງານ {0} ຫລືບໍລິສັດ {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} ບໍ່ໄດ້ຢູ່
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} ບໍ່ໄດ້ຢູ່
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,ເລືອກເລກ Batch
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,ໃບບິນຄ່າໄດ້ຍົກຂຶ້ນມາໃຫ້ກັບລູກຄ້າ.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Id ໂຄງການ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},ຕິດຕໍ່ກັນບໍ່ໄດ້ຊື້ {0}: ຈໍານວນເງິນບໍ່ສາມາດຈະມີຫຼາຍຂຶ້ນກ່ວາ Pending ຈໍານວນຕໍ່ຄ່າໃຊ້ຈ່າຍ {1} ການຮຽກຮ້ອງ. ທີ່ຍັງຄ້າງຈໍານວນເງິນເປັນ {2}
DocType: Maintenance Schedule,Schedule,ກໍານົດເວລາ
DocType: Account,Parent Account,ບັນຊີຂອງພໍ່ແມ່
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,ສາມາດໃຊ້ໄດ້
DocType: Quality Inspection Reading,Reading 3,ອ່ານ 3
,Hub,Hub
DocType: GL Entry,Voucher Type,ປະເພດ Voucher
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,ລາຄາບໍ່ພົບຫຼືຄົນພິການ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,ລາຄາບໍ່ພົບຫຼືຄົນພິການ
DocType: Employee Loan Application,Approved,ການອະນຸມັດ
DocType: Pricing Rule,Price,ລາຄາ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',ພະນັກງານສະບາຍໃຈໃນ {0} ຕ້ອງໄດ້ຮັບການສ້າງຕັ້ງເປັນ 'ຊ້າຍ'
@@ -4509,7 +4539,8 @@
DocType: Selling Settings,Campaign Naming By,ຊື່ແຄມເປນໂດຍ
DocType: Employee,Current Address Is,ທີ່ຢູ່ປັດຈຸບັນແມ່ນ
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,ດັດແກ້
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","ຖ້າຕ້ອງການ. ກໍານົດກຸນເງິນເລີ່ມຕົ້ນຂອງບໍລິສັດ, ຖ້າຫາກວ່າບໍ່ໄດ້ລະບຸ."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","ຖ້າຕ້ອງການ. ກໍານົດກຸນເງິນເລີ່ມຕົ້ນຂອງບໍລິສັດ, ຖ້າຫາກວ່າບໍ່ໄດ້ລະບຸ."
+DocType: Sales Invoice,Customer GSTIN,GSTIN Customer
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,entries ວາລະສານການບັນຊີ.
DocType: Delivery Note Item,Available Qty at From Warehouse,ມີຈໍານວນທີ່ຈາກ Warehouse
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,ກະລຸນາເລືອກບັນທຶກພະນັກງານຄັ້ງທໍາອິດ.
@@ -4517,7 +4548,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ຕິດຕໍ່ກັນ {0}: ພັກ / ບັນຊີບໍ່ກົງກັບ {1} / {2} ໃນ {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,ກະລຸນາໃສ່ທີ່ຄຸ້ມຄ່າ
DocType: Account,Stock,Stock
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ຕິດຕໍ່ກັນ, {0}: Reference ປະເພດເອກະສານຕ້ອງເປັນສ່ວນຫນຶ່ງຂອງຄໍາສັ່ງຊື້, ຊື້ໃບເກັບເງິນຫຼືການອະນຸທິນ"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ຕິດຕໍ່ກັນ, {0}: Reference ປະເພດເອກະສານຕ້ອງເປັນສ່ວນຫນຶ່ງຂອງຄໍາສັ່ງຊື້, ຊື້ໃບເກັບເງິນຫຼືການອະນຸທິນ"
DocType: Employee,Current Address,ທີ່ຢູ່ປະຈຸບັນ
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","ຖ້າຫາກວ່າລາຍການແມ່ນ variant ຂອງລາຍການອື່ນຫຼັງຈາກນັ້ນອະທິບາຍ, ຮູບພາບ, ລາຄາ, ພາສີອາກອນແລະອື່ນໆຈະໄດ້ຮັບການກໍານົດໄວ້ຈາກແມ່ແບບເວັ້ນເສຍແຕ່ລະບຸຢ່າງຊັດເຈນ"
DocType: Serial No,Purchase / Manufacture Details,ຊື້ / ລາຍລະອຽດຜະລິດ
@@ -4530,8 +4561,8 @@
DocType: Pricing Rule,Min Qty,min ຈໍານວນ
DocType: Asset Movement,Transaction Date,ວັນທີ່ສະຫມັກເຮັດທຸລະກໍາ
DocType: Production Plan Item,Planned Qty,ການວາງແຜນການຈໍານວນ
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,ພາສີທັງຫມົດ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,ສໍາລັບປະລິມານ (ຜະລິດຈໍານວນ) ເປັນການບັງຄັບ
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,ພາສີທັງຫມົດ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,ສໍາລັບປະລິມານ (ຜະລິດຈໍານວນ) ເປັນການບັງຄັບ
DocType: Stock Entry,Default Target Warehouse,Warehouse ເປົ້າຫມາຍມາດຕະຖານ
DocType: Purchase Invoice,Net Total (Company Currency),ສຸດທິ (ບໍລິສັດສະກຸນເງິນ)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,ປີວັນທີ່ສິ້ນສຸດບໍ່ສາມາດຈະກ່ອນຫນ້ານັ້ນກ່ວາປີເລີ່ມວັນ. ກະລຸນາແກ້ໄຂຂໍ້ມູນວັນແລະພະຍາຍາມອີກເທື່ອຫນຶ່ງ.
@@ -4545,15 +4576,12 @@
DocType: Hub Settings,Hub Settings,ການຕັ້ງຄ່າ Hub
DocType: Project,Gross Margin %,Gross Margin%
DocType: BOM,With Operations,ກັບການປະຕິບັດ
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,entries ບັນຊີໄດ້ຮັບການເຮັດໃຫ້ຢູ່ໃນສະກຸນເງິນ {0} ສໍາລັບບໍລິສັດ {1}. ກະລຸນາເລືອກບັນຊີລູກຫນີ້ຫລືເຈົ້າຫນີ້ທີ່ມີສະກຸນເງິນ {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,entries ບັນຊີໄດ້ຮັບການເຮັດໃຫ້ຢູ່ໃນສະກຸນເງິນ {0} ສໍາລັບບໍລິສັດ {1}. ກະລຸນາເລືອກບັນຊີລູກຫນີ້ຫລືເຈົ້າຫນີ້ທີ່ມີສະກຸນເງິນ {0}.
DocType: Asset,Is Existing Asset,ແມ່ນທີ່ມີຢູ່ Asset
DocType: Salary Detail,Statistical Component,Component ສະຖິຕິ
DocType: Salary Detail,Statistical Component,Component ສະຖິຕິ
-,Monthly Salary Register,ປະຈໍາເດືອນເງິນເດືອນຫມັກສະມາຊິກ
DocType: Warranty Claim,If different than customer address,ຖ້າຫາກວ່າທີ່ແຕກຕ່າງກັນກ່ວາຢູ່ຂອງລູກຄ້າ
DocType: BOM Operation,BOM Operation,BOM ການດໍາເນີນງານ
-DocType: School Settings,Validate the Student Group from Program Enrollment,ກວດສອບການ Group ນັກສຶກສາຈາກໂຄງການລົງທະບຽນ
-DocType: School Settings,Validate the Student Group from Program Enrollment,ກວດສອບການ Group ນັກສຶກສາຈາກໂຄງການລົງທະບຽນ
DocType: Purchase Taxes and Charges,On Previous Row Amount,ກ່ຽວກັບຈໍານວນແຖວ Previous
DocType: Student,Home Address,ທີ່ຢູ່ເຮືອນ
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Asset ການຖ່າຍໂອນ
@@ -4561,28 +4589,27 @@
DocType: Training Event,Event Name,ຊື່ກໍລະນີ
apps/erpnext/erpnext/config/schools.py +39,Admission,ເປີດປະຕູຮັບ
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},ການຮັບສະຫມັກສໍາລັບການ {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","ລະດູການສໍາລັບການສ້າງຕັ້ງງົບປະມານ, ເປົ້າຫມາຍແລະອື່ນໆ"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","ລາຍການ {0} ເປັນແມ່ແບບໄດ້, ກະລຸນາເລືອກເອົາຫນຶ່ງຂອງ variants ຂອງຕົນ"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","ລະດູການສໍາລັບການສ້າງຕັ້ງງົບປະມານ, ເປົ້າຫມາຍແລະອື່ນໆ"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","ລາຍການ {0} ເປັນແມ່ແບບໄດ້, ກະລຸນາເລືອກເອົາຫນຶ່ງຂອງ variants ຂອງຕົນ"
DocType: Asset,Asset Category,ປະເພດຊັບສິນ
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,ຊື້
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,ຈ່າຍລວມບໍ່ສາມາດກະທົບທາງລົບ
DocType: SMS Settings,Static Parameters,ພາລາມິເຕີຄົງ
DocType: Assessment Plan,Room,ຫ້ອງ
DocType: Purchase Order,Advance Paid,ລ່ວງຫນ້າການຊໍາລະເງິນ
DocType: Item,Item Tax,ພາສີລາຍ
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,ອຸປະກອນການຜະລິດ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,ອາກອນຊົມໃຊ້ໃບເກັບເງິນ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,ອາກອນຊົມໃຊ້ໃບເກັບເງິນ
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% ປະກົດວ່າຫຼາຍກ່ວາຫນຶ່ງຄັ້ງ
DocType: Expense Claim,Employees Email Id,Id ພະນັກງານ Email
DocType: Employee Attendance Tool,Marked Attendance,ຜູ້ເຂົ້າຮ່ວມການເຮັດເຄື່ອງຫມາຍ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,ຫນີ້ສິນໃນປະຈຸບັນ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,ຫນີ້ສິນໃນປະຈຸບັນ
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,ສົ່ງ SMS ມະຫາຊົນເພື່ອຕິດຕໍ່ພົວພັນຂອງທ່ານ
DocType: Program,Program Name,ຊື່ໂຄງການ
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,ພິຈາລະນາຈ່າຍພາສີຫລືຄ່າທໍານຽມສໍາລັບ
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,ຕົວຈິງຈໍານວນເປັນການບັງຄັບ
DocType: Employee Loan,Loan Type,ປະເພດເງິນກູ້
DocType: Scheduling Tool,Scheduling Tool,ເຄື່ອງມືການຕັ້ງເວລາ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,ບັດເຄຣດິດ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,ບັດເຄຣດິດ
DocType: BOM,Item to be manufactured or repacked,ລາຍການທີ່ຈະໄດ້ຮັບຜະລິດຕະພັນຫຼືຫຸ້ມຫໍ່
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,ການຕັ້ງຄ່າມາດຕະຖານສໍາລັບການເຮັດທຸລະກໍາຫຼັກຊັບ.
DocType: Purchase Invoice,Next Date,ວັນຖັດໄປ
@@ -4598,10 +4625,10 @@
DocType: Stock Entry,Repack,ຫຸ້ມຫໍ່ຄືນ
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,ທ່ານຈະຕ້ອງຊ່ວຍປະຢັດຮູບແບບກ່ອນທີ່ຈະດໍາເນີນຄະດີ
DocType: Item Attribute,Numeric Values,ມູນຄ່າຈໍານວນ
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,ຄັດຕິດ Logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,ຄັດຕິດ Logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,ລະດັບ Stock
DocType: Customer,Commission Rate,ອັດຕາຄະນະກໍາມະ
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,ເຮັດໃຫ້ Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,ເຮັດໃຫ້ Variant
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,ຄໍາຮ້ອງສະຫມັກ Block ໃບໂດຍພະແນກ.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","ປະເພດການຈ່າຍເງິນຕ້ອງເປັນຫນຶ່ງໃນໄດ້ຮັບການ, ການຊໍາລະເງິນແລະພາຍໃນການຖ່າຍໂອນ"
apps/erpnext/erpnext/config/selling.py +179,Analytics,ການວິເຄາະ
@@ -4609,45 +4636,45 @@
DocType: Vehicle,Model,ຮູບແບບ
DocType: Production Order,Actual Operating Cost,ຄ່າໃຊ້ຈ່າຍປະຕິບັດຕົວຈິງ
DocType: Payment Entry,Cheque/Reference No,ກະແສລາຍວັນ / Reference No
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,ຮາກບໍ່ສາມາດໄດ້ຮັບການແກ້ໄຂ.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,ຮາກບໍ່ສາມາດໄດ້ຮັບການແກ້ໄຂ.
DocType: Item,Units of Measure,ຫົວຫນ່ວຍວັດແທກ
DocType: Manufacturing Settings,Allow Production on Holidays,ອະນຸຍາດໃຫ້ຜະລິດໃນວັນຢຸດ
DocType: Sales Order,Customer's Purchase Order Date,ຂອງລູກຄ້າສັ່ງຊື້ວັນທີ່
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,ນະຄອນຫຼວງ Stock
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,ນະຄອນຫຼວງ Stock
DocType: Shopping Cart Settings,Show Public Attachments,ສະແດງ Attachments ສາທາລະນະ
DocType: Packing Slip,Package Weight Details,Package Details ນ້ໍາຫນັກ
DocType: Payment Gateway Account,Payment Gateway Account,ການຊໍາລະເງິນບັນຊີ Gateway
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,ຫຼັງຈາກສໍາເລັດການຊໍາລະເງິນໂອນຜູ້ໃຊ້ຫນ້າທີ່ເລືອກ.
DocType: Company,Existing Company,ບໍລິສັດທີ່ມີຢູ່ແລ້ວ
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",ປະເພດສ່ວຍສາອາກອນໄດ້ຮັບການປ່ຽນແປງກັບ "Total" ເນື່ອງຈາກວ່າລາຍການທັງຫມົດລາຍການບໍ່ແມ່ນຫຼັກຊັບ
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,ກະລຸນາເລືອກໄຟລ໌ CSV
DocType: Student Leave Application,Mark as Present,ເຄື່ອງຫມາຍການນໍາສະເຫນີ
DocType: Purchase Order,To Receive and Bill,ທີ່ຈະໄດ້ຮັບແລະບັນຊີລາຍການ
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,ຜະລິດຕະພັນທີ່ແນະນໍາ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,ການອອກແບບ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,ການອອກແບບ
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,ຂໍ້ກໍານົດແລະເງື່ອນໄຂ Template
DocType: Serial No,Delivery Details,ລາຍລະອຽດການຈັດສົ່ງ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},ສູນຕົ້ນທຶນທີ່ຕ້ອງການໃນການຕິດຕໍ່ກັນ {0} ໃນພາສີອາກອນຕາຕະລາງສໍາລັບປະເພດ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},ສູນຕົ້ນທຶນທີ່ຕ້ອງການໃນການຕິດຕໍ່ກັນ {0} ໃນພາສີອາກອນຕາຕະລາງສໍາລັບປະເພດ {1}
DocType: Program,Program Code,ລະຫັດໂຄງການ
DocType: Terms and Conditions,Terms and Conditions Help,ຂໍ້ກໍານົດແລະເງື່ອນໄຂຊ່ວຍເຫລືອ
,Item-wise Purchase Register,ລາຍການສະຫລາດຊື້ຫມັກສະມາຊິກ
DocType: Batch,Expiry Date,ວັນຫມົດອາຍຸ
-,Supplier Addresses and Contacts,ທີ່ຢູ່ຜູ້ສະຫນອງແລະການຕິດຕໍ່
,accounts-browser,ບັນຊີຂອງຕົວທ່ອງເວັບ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,ກະລຸນາເລືອກປະເພດທໍາອິດ
apps/erpnext/erpnext/config/projects.py +13,Project master.,ຕົ້ນສະບັບຂອງໂຄງການ.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","ການອະນຸຍາດໃຫ້ໃນໄລຍະການເກັບເງິນຫຼືໄລຍະກໍາລັງສັ່ງ, ການປັບປຸງ "ອະນຸຍາດ" ໃນການຕັ້ງຄ່າຫຼັກຊັບຫຼືຂໍ້ມູນ."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","ການອະນຸຍາດໃຫ້ໃນໄລຍະການເກັບເງິນຫຼືໄລຍະກໍາລັງສັ່ງ, ການປັບປຸງ "ອະນຸຍາດ" ໃນການຕັ້ງຄ່າຫຼັກຊັບຫຼືຂໍ້ມູນ."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,ບໍ່ສະແດງໃຫ້ເຫັນສັນຍາລັກເຊັ່ນ: $ etc ໃດຕໍ່ກັບສະກຸນເງິນ.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(ຄຶ່ງວັນ)
DocType: Supplier,Credit Days,Days ການປ່ອຍສິນເຊື່ອ
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,ເຮັດໃຫ້ກຸ່ມນັກສຶກສາ
DocType: Leave Type,Is Carry Forward,ແມ່ນປະຕິບັດຕໍ່
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,ຮັບສິນຄ້າຈາກ BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,ຮັບສິນຄ້າຈາກ BOM
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,ນໍາໄປສູ່ການທີ່ໃຊ້ເວລາວັນ
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},"ຕິດຕໍ່ກັນ, {0}: ປະກາດວັນທີ່ຈະຕ້ອງເຊັ່ນດຽວກັນກັບວັນທີ່ຊື້ {1} ຂອງຊັບສິນ {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},"ຕິດຕໍ່ກັນ, {0}: ປະກາດວັນທີ່ຈະຕ້ອງເຊັ່ນດຽວກັນກັບວັນທີ່ຊື້ {1} ຂອງຊັບສິນ {2}"
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,ກະລຸນາໃສ່ຄໍາສັ່ງຂາຍໃນຕາຕະລາງຂ້າງເທິງ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,ບໍ່ Submitted ເງິນເດືອນ Slips
,Stock Summary,Stock Summary
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,ໂອນຊັບສິນຈາກສາງກັບຄົນອື່ນ
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,ໂອນຊັບສິນຈາກສາງກັບຄົນອື່ນ
DocType: Vehicle,Petrol,ນ້ໍາມັນ
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,ບັນຊີລາຍການຂອງວັດສະດຸ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},ຕິດຕໍ່ກັນ {0}: ພັກແລະປະເພດບຸກຄົນທີ່ຕ້ອງການສໍາລັບ Receivable / ບັນຊີ Payable {1}
@@ -4658,6 +4685,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,ຈໍານວນເງິນທີ່ຖືກເກືອດຫ້າມ
DocType: GL Entry,Is Opening,ເປັນການເປີດກວ້າງການ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},ຕິດຕໍ່ກັນ {0}: ເຂົ້າເດບິດບໍ່ສາມາດໄດ້ຮັບການຕິດພັນກັບ {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,ບັນຊີ {0} ບໍ່ມີ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,ບັນຊີ {0} ບໍ່ມີ
DocType: Account,Cash,ເງິນສົດ
DocType: Employee,Short biography for website and other publications.,biography ສັ້ນສໍາລັບເວັບໄຊທ໌ແລະສິ່ງພິມອື່ນໆ.
diff --git a/erpnext/translations/lt.csv b/erpnext/translations/lt.csv
index f798714..6297bcb 100644
--- a/erpnext/translations/lt.csv
+++ b/erpnext/translations/lt.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Vartotojų gaminiai
DocType: Item,Customer Items,klientų daiktai
DocType: Project,Costing and Billing,Sąnaudų ir atsiskaitymas
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Sąskaita {0}: Tėvų sąskaitą {1} negali būti knygos
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Sąskaita {0}: Tėvų sąskaitą {1} negali būti knygos
DocType: Item,Publish Item to hub.erpnext.com,Paskelbti Prekę hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,Siųsti Pranešimai
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,vertinimas
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,vertinimas
DocType: Item,Default Unit of Measure,Numatytasis matavimo vienetas
DocType: SMS Center,All Sales Partner Contact,Visos pardavimo partnerė Susisiekite
DocType: Employee,Leave Approvers,Palikite Approvers
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),"Valiutų kursai turi būti toks pat, kaip {0} {1} ({2})"
DocType: Sales Invoice,Customer Name,Klientas
DocType: Vehicle,Natural Gas,Gamtinių dujų
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Banko sąskaita negali būti vadinamas {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Banko sąskaita negali būti vadinamas {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Vadovai (ar jų grupės), pagal kurį apskaitos įrašai yra pagaminti ir likučiai išlieka."
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Neįvykdyti {0} negali būti mažesnė už nulį ({1})
DocType: Manufacturing Settings,Default 10 mins,Numatytasis 10 min
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Visi tiekėju Kontaktai Reklama
DocType: Support Settings,Support Settings,paramos Nustatymai
DocType: SMS Parameter,Parameter,Parametras
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Tikimasi Pabaigos data negali būti mažesnė nei planuotos datos
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Tikimasi Pabaigos data negali būti mažesnė nei planuotos datos
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"Eilutės # {0}: dydis turi būti toks pat, kaip {1} {2} ({3} / {4})"
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Nauja atostogos taikymas
,Batch Item Expiry Status,Serija punktas Galiojimo Būsena
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,bankas projektas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,bankas projektas
DocType: Mode of Payment Account,Mode of Payment Account,mokėjimo sąskaitos režimas
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Rodyti Variantai
DocType: Academic Term,Academic Term,akademinė terminas
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,medžiaga
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,kiekis
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Sąskaitos lentelė gali būti tuščias.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Paskolos (įsipareigojimai)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Paskolos (įsipareigojimai)
DocType: Employee Education,Year of Passing,Metus artimųjų
DocType: Item,Country of Origin,Kilmės šalis
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,Prekyboje
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,Prekyboje
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Atviri klausimai
DocType: Production Plan Item,Production Plan Item,Gamybos planas punktas
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Vartotojas {0} jau priskirtas Darbuotojo {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Sveikatos apsauga
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Delsimas mokėjimo (dienomis)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Paslaugų išlaidų
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijos numeris: {0} jau yra nuorodos į pardavimo sąskaita-faktūra: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijos numeris: {0} jau yra nuorodos į pardavimo sąskaita-faktūra: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,faktūra
DocType: Maintenance Schedule Item,Periodicity,periodiškumas
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Finansiniai metai {0} reikalingas
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Eilutės # {0}:
DocType: Timesheet,Total Costing Amount,Iš viso Sąnaudų suma
DocType: Delivery Note,Vehicle No,Automobilio Nėra
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,Prašome pasirinkti Kainoraštis
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Prašome pasirinkti Kainoraštis
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Eilutės # {0}: mokėjimo dokumentas privalo baigti trasaction
DocType: Production Order Operation,Work In Progress,Darbas vyksta
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Prašome pasirinkti datą
DocType: Employee,Holiday List,Atostogų sąrašas
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,buhalteris
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,buhalteris
DocType: Cost Center,Stock User,akcijų Vartotojas
DocType: Company,Phone No,Telefonas Nėra
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Kursų tvarkaraštis sukurta:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Nauja {0}: # {1}
,Sales Partners Commission,Pardavimų Partneriai Komisija
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Santrumpa negali turėti daugiau nei 5 simboliai
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Santrumpa negali turėti daugiau nei 5 simboliai
DocType: Payment Request,Payment Request,mokėjimo prašymas
DocType: Asset,Value After Depreciation,Vertė po nusidėvėjimo
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,"Lankomumas data negali būti mažesnė nei darbuotojo, jungiančia datos"
DocType: Grading Scale,Grading Scale Name,Vertinimo skalė Vardas
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Tai šaknys sąskaita ir negali būti redaguojami.
+DocType: Sales Invoice,Company Address,Kompanijos adresas
DocType: BOM,Operations,operacijos
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Negalima nustatyti leidimo pagrindu Nuolaida {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Prisegti .csv failą su dviem stulpeliais, po vieną seną pavadinimą ir vieną naują vardą"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} jokiu aktyviu finansinius metus.
DocType: Packed Item,Parent Detail docname,Tėvų Išsamiau DOCNAME
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Nuoroda: {0}, Prekės kodas: {1} ir klientų: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Kilogramas
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Kilogramas
DocType: Student Log,Log,Prisijungti
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Atidarymo dėl darbo.
DocType: Item Attribute,Increment,prieaugis
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,reklaminis
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Pati bendrovė yra įrašytas daugiau nei vieną kartą
DocType: Employee,Married,Vedęs
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Neleidžiama {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Neleidžiama {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Gauk elementus iš
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},"Akcijų, negali būti atnaujintas prieš važtaraštyje {0}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},"Akcijų, negali būti atnaujintas prieš važtaraštyje {0}"
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Prekės {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Nėra išvardytus punktus
DocType: Payment Reconciliation,Reconcile,suderinti
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Kitas Nusidėvėjimas data negali būti prieš perkant data
DocType: SMS Center,All Sales Person,Visi pardavimo asmuo
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Mėnesio pasiskirstymas ** Jums padės platinti biudžeto / target visoje mėnesius, jei turite sezoniškumą savo verslą."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Nerasta daiktai
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Nerasta daiktai
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Darbo užmokesčio struktūrą Trūksta
DocType: Lead,Person Name,"asmens vardas, pavardė"
DocType: Sales Invoice Item,Sales Invoice Item,Pardavimų sąskaita faktūra punktas
DocType: Account,Credit,kreditas
DocType: POS Profile,Write Off Cost Center,Nurašyti išlaidų centrus
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",pvz "pradinė mokykla" arba "Universitetas"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",pvz "pradinė mokykla" arba "Universitetas"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Akcijų ataskaitos
DocType: Warehouse,Warehouse Detail,Sandėlių detalės
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Kredito limitas buvo kirto klientui {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Kredito limitas buvo kirto klientui {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Kadencijos pabaigos data negali būti vėlesnė nei metų pabaigoje mokslo metų data, iki kurios terminas yra susijęs (akademiniai metai {}). Ištaisykite datas ir bandykite dar kartą."
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Ar Ilgalaikio turto" negali būti nepažymėta, kaip Turto įrašas egzistuoja nuo elemento"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Ar Ilgalaikio turto" negali būti nepažymėta, kaip Turto įrašas egzistuoja nuo elemento"
DocType: Vehicle Service,Brake Oil,stabdžių Nafta
DocType: Tax Rule,Tax Type,mokesčių tipas
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Jūs nesate įgaliotas pridėti ar atnaujinti įrašus prieš {0}
DocType: BOM,Item Image (if not slideshow),Prekė vaizdas (jei ne skaidrių)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Klientų egzistuoja to paties pavadinimo
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Valandą greičiu / 60) * Tikrasis veikimo laikas
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Pasirinkite BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Pasirinkite BOM
DocType: SMS Log,SMS Log,SMS Prisijungti
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Išlaidos pristatyto objekto
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Atostogų į {0} yra ne tarp Nuo datos ir iki šiol
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Iš {0} ir {1}
DocType: Item,Copy From Item Group,Kopijuoti Nuo punktas grupės
DocType: Journal Entry,Opening Entry,atidarymas įrašas
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klientų> Klientų grupė> teritorija
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Sąskaita mokate tik
DocType: Employee Loan,Repay Over Number of Periods,Grąžinti Over periodų skaičius
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} nėra įtraukti į suteiktas {2}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} nėra įtraukti į suteiktas {2}
DocType: Stock Entry,Additional Costs,Papildomos išlaidos
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Sąskaita su esama sandoris negali būti konvertuojamos į grupę.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Sąskaita su esama sandoris negali būti konvertuojamos į grupę.
DocType: Lead,Product Enquiry,Prekės Užklausa
DocType: Academic Term,Schools,Mokyklos
+DocType: School Settings,Validate Batch for Students in Student Group,Patvirtinti Serija studentams Studentų grupės
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Ne atostogos rekordas darbuotojo rado {0} už {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Prašome įvesti įmonę pirmas
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Prašome pasirinkti Company pirmas
@@ -175,49 +176,49 @@
DocType: BOM,Total Cost,Iš viso išlaidų
DocType: Journal Entry Account,Employee Loan,Darbuotojų Paskolos
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Veiklos žurnalas:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,Prekė {0} neegzistuoja sistemoje arba pasibaigęs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Prekė {0} neegzistuoja sistemoje arba pasibaigęs
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Nekilnojamasis turtas
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Sąskaitų ataskaita
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,vaistai
DocType: Purchase Invoice Item,Is Fixed Asset,Ar Ilgalaikio turto
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Turimas Kiekis yra {0}, jums reikia {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Turimas Kiekis yra {0}, jums reikia {1}"
DocType: Expense Claim Detail,Claim Amount,reikalavimo suma
-DocType: Employee,Mr,Ponas
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,rasti abonentu grupės lentelėje dublikatas klientų grupė
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Tiekėjas Tipas / Tiekėjas
DocType: Naming Series,Prefix,priešdėlis
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,vartojimo
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,vartojimo
DocType: Employee,B-,B
DocType: Upload Attendance,Import Log,importas Prisijungti
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Ištraukite Material prašymu tipo Gamyba remiantis pirmiau minėtais kriterijais
DocType: Training Result Employee,Grade,klasė
DocType: Sales Invoice Item,Delivered By Supplier,Paskelbta tiekėjo
DocType: SMS Center,All Contact,visi Susisiekite
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Gamybos Užsakyti jau sukurtas visų daiktų su BOM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Metinis atlyginimas
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Gamybos Užsakyti jau sukurtas visų daiktų su BOM
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Metinis atlyginimas
DocType: Daily Work Summary,Daily Work Summary,Dienos darbo santrauka
DocType: Period Closing Voucher,Closing Fiscal Year,Uždarius finansinius metus
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} yra sušaldyti
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Prašome pasirinkti veikiančią bendrovę kurti sąskaitų planą
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Akcijų išlaidos
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} yra sušaldyti
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Prašome pasirinkti veikiančią bendrovę kurti sąskaitų planą
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Akcijų išlaidos
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Pasirinkite Target sandėlis
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Pasirinkite Target sandėlis
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,Prašome įvesti Pageidautina kontaktinį elektroninio pašto adresą
+DocType: Program Enrollment,School Bus,Mokyklinis autobusas
DocType: Journal Entry,Contra Entry,contra įrašas
DocType: Journal Entry Account,Credit in Company Currency,Kredito įmonėje Valiuta
DocType: Delivery Note,Installation Status,Įrengimas būsena
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Norite atnaujinti lankomumą? <br> Dovana: {0} \ <br> Nėra: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Priimamos + Atmesta Kiekis turi būti lygi Gauta kiekio punktui {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Priimamos + Atmesta Kiekis turi būti lygi Gauta kiekio punktui {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Tiekimo Žaliavos pirkimas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,Bent vienas režimas mokėjimo reikalingas POS sąskaitą.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,Bent vienas režimas mokėjimo reikalingas POS sąskaitą.
DocType: Products Settings,Show Products as a List,Rodyti produktus sąraše
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Atsisiųskite šabloną, užpildykite reikiamus duomenis ir pridėti naują failą. Visos datos ir darbuotojas kombinacija Pasirinkto laikotarpio ateis šabloną, su esamais lankomumo įrašų"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,"Prekė {0} nėra aktyvus, ar buvo pasiektas gyvenimo pabaigos"
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Pavyzdys: Elementarioji matematika
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Įtraukti mokestį iš eilės {0} prekės norma, mokesčiai eilučių {1}, taip pat turi būti įtraukti"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,"Prekė {0} nėra aktyvus, ar buvo pasiektas gyvenimo pabaigos"
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Pavyzdys: Elementarioji matematika
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Įtraukti mokestį iš eilės {0} prekės norma, mokesčiai eilučių {1}, taip pat turi būti įtraukti"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Nustatymai HR modulio
DocType: SMS Center,SMS Center,SMS centro
DocType: Sales Invoice,Change Amount,Pakeisti suma
@@ -227,7 +228,7 @@
DocType: Lead,Request Type,prašymas tipas
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Padaryti Darbuotojas
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,transliavimas
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,vykdymas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,vykdymas
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Išsami informacija apie atliktas operacijas.
DocType: Serial No,Maintenance Status,techninės priežiūros būseną
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Tiekėjas privalo prieš MOKĖTINOS sąskaitą {2}
@@ -255,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Už citatos prašymas gali būti atvertas paspaudę šią nuorodą
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Skirti lapai per metus.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG kūrimo įrankis kursai
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,nepakankamas sandėlyje
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,nepakankamas sandėlyje
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Išjungti pajėgumų planavimas ir laiko sekimo
DocType: Email Digest,New Sales Orders,Naujų pardavimo užsakymus
DocType: Bank Guarantee,Bank Account,Banko sąskaita
@@ -266,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log',Atnaujinta per "Time Prisijungti"
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Avanso suma gali būti ne didesnė kaip {0} {1}
DocType: Naming Series,Series List for this Transaction,Serija sąrašas šio sandorio
+DocType: Company,Enable Perpetual Inventory,Įjungti nuolatinio inventorizavimo
DocType: Company,Default Payroll Payable Account,Numatytasis darbo užmokesčio mokamas paskyra
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Atnaujinti paštas grupė
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Atnaujinti paštas grupė
DocType: Sales Invoice,Is Opening Entry,Ar atidarymas įrašą
DocType: Customer Group,Mention if non-standard receivable account applicable,"Nurodyk, jei nestandartinis gautinos sąskaitos taikoma"
DocType: Course Schedule,Instructor Name,instruktorius Vardas
@@ -279,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Prieš Pardavimų sąskaitos punktas
,Production Orders in Progress,Gamybos užsakymai Progress
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Grynieji pinigų srautai iš finansavimo
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage "yra pilna, neišsaugojo"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage "yra pilna, neišsaugojo"
DocType: Lead,Address & Contact,Adresas ir kontaktai
DocType: Leave Allocation,Add unused leaves from previous allocations,Pridėti nepanaudotas lapus iš ankstesnių paskirstymų
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Kitas Pasikartojančios {0} bus sukurta {1}
DocType: Sales Partner,Partner website,partnerio svetainė
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Pridėti Prekę
-,Contact Name,Kontaktinis vardas
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Kontaktinis vardas
DocType: Course Assessment Criteria,Course Assessment Criteria,Žinoma vertinimo kriterijai
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Sukuria darbo užmokestį už pirmiau minėtų kriterijų.
DocType: POS Customer Group,POS Customer Group,POS Klientų grupė
@@ -294,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Nėra aprašymo suteikta
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Užsisakyti įsigyti.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,"Tai grindžiama darbo laiko apskaitos žiniaraščiai, sukurtų prieš šį projektą"
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Neto darbo užmokestis negali būti mažesnis už 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Neto darbo užmokestis negali būti mažesnis už 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Tik pasirinktas atostogos Tvirtintojas gali pateikti šias atostogas taikymas
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Malšinančių data turi būti didesnis nei įstoti data
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Lapai per metus
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Lapai per metus
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Eilutės {0}: Prašome patikrinti "yra iš anksto" prieš paskyra {1}, jei tai yra išankstinis įrašas."
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Sandėlių {0} nepriklauso bendrovei {1}
DocType: Email Digest,Profit & Loss,Pelnas ir nuostoliai
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,litrų
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,litrų
DocType: Task,Total Costing Amount (via Time Sheet),Iš viso Sąnaudų suma (per Time lapas)
DocType: Item Website Specification,Item Website Specification,Prekė svetainė Specifikacija
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Palikite Užblokuoti
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Prekė {0} pasiekė savo gyvenimo pabaigos apie {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Prekė {0} pasiekė savo gyvenimo pabaigos apie {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Banko įrašai
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,metinis
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Akcijų Susitaikymas punktas
@@ -313,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,Min Užsakomas kiekis
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Studentų grupė kūrimo įrankis kursai
DocType: Lead,Do Not Contact,Nėra jokio tikslo susisiekti
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,"Žmonės, kurie mokyti savo organizaciją"
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,"Žmonės, kurie mokyti savo organizaciją"
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Unikalus ID sekimo visas pasikartojančias sąskaitas faktūras. Jis generuoja pateikti.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Programinės įrangos kūrėjas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Programinės įrangos kūrėjas
DocType: Item,Minimum Order Qty,Mažiausias užsakymo Kiekis
DocType: Pricing Rule,Supplier Type,tiekėjas tipas
DocType: Course Scheduling Tool,Course Start Date,Žinoma pradžios data
@@ -324,11 +326,11 @@
DocType: Item,Publish in Hub,Skelbia Hub
DocType: Student Admission,Student Admission,Studentų Priėmimas
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Prekė {0} atšaukiamas
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Prekė {0} atšaukiamas
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,medžiaga Prašymas
DocType: Bank Reconciliation,Update Clearance Date,Atnaujinti Sąskaitų data
DocType: Item,Purchase Details,pirkimo informacija
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Prekė {0} nerastas "In žaliavos" stalo Užsakymo {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Prekė {0} nerastas "In žaliavos" stalo Užsakymo {1}
DocType: Employee,Relation,santykis
DocType: Shipping Rule,Worldwide Shipping,pasaulyje Pristatymas
DocType: Student Guardian,Mother,Motina
@@ -347,6 +349,7 @@
DocType: Student Group Student,Student Group Student,Studentų grupė studentė
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,paskutinis
DocType: Vehicle Service,Inspection,Apžiūra
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,sąrašas
DocType: Email Digest,New Quotations,Nauja citatos
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Parašyta darbo užmokestį į darbuotojo remiantis pageidaujamą paštu pasirinkto darbuotojo
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,Pirmasis atostogos Tvirtintojas sąraše bus nustatytas kaip numatytasis Palikite jį patvirtinusio
@@ -355,20 +358,20 @@
DocType: Asset,Next Depreciation Date,Kitas Nusidėvėjimas data
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Veiklos sąnaudos vienam darbuotojui
DocType: Accounts Settings,Settings for Accounts,Nustatymai sąskaitų
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Tiekėjas sąskaitoje Nr egzistuoja pirkimo sąskaitoje faktūroje {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Tiekėjas sąskaitoje Nr egzistuoja pirkimo sąskaitoje faktūroje {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Valdyti pardavimo asmuo medį.
DocType: Job Applicant,Cover Letter,lydraštis
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Neįvykdyti čekiai ir užstatai ir išvalyti
DocType: Item,Synced With Hub,Sinchronizuojami su Hub
DocType: Vehicle,Fleet Manager,laivyno direktorius
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Eilutė # {0}: {1} negali būti neigiamas už prekę {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Neteisingas slaptažodis
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Neteisingas slaptažodis
DocType: Item,Variant Of,variantas
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',Užbaigtas Kiekis negali būti didesnis nei "Kiekis iki Gamyba"
DocType: Period Closing Voucher,Closing Account Head,Uždarymo sąskaita vadovas
DocType: Employee,External Work History,Išorinis darbo istoriją
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Ciklinę nuorodą Klaida
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1 Vardas
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 Vardas
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"Žodžiais (eksportas) bus matomas, kai jūs išgelbėti važtaraštyje."
DocType: Cheque Print Template,Distance from left edge,Atstumas nuo kairiojo krašto
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} vienetai [{1}] (# forma / vnt / {1}) rasta [{2}] (# forma / sandėliavimo / {2})
@@ -377,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Praneškite elektroniniu paštu steigti automatinio Medžiaga Užsisakyti
DocType: Journal Entry,Multi Currency,Daugiafunkciniai Valiuta
DocType: Payment Reconciliation Invoice,Invoice Type,Sąskaitos faktūros tipas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Važtaraštis
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Važtaraštis
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Įsteigti Mokesčiai
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Kaina Parduota turto
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,"Mokėjimo Įrašas buvo pakeistas po to, kai ištraukė ją. Prašome traukti jį dar kartą."
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} įvestas du kartus Prekės mokesčio
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Mokėjimo Įrašas buvo pakeistas po to, kai ištraukė ją. Prašome traukti jį dar kartą."
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} įvestas du kartus Prekės mokesčio
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Santrauka šią savaitę ir laukiant veikla
DocType: Student Applicant,Admitted,pripažino
DocType: Workstation,Rent Cost,nuomos kaina
@@ -400,25 +403,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Prašome įvesti "Pakartokite Mėnesio diena" lauko reikšmę
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Norma, pagal kurią Klientas valiuta konvertuojama į kliento bazine valiuta"
DocType: Course Scheduling Tool,Course Scheduling Tool,Žinoma planavimas įrankių
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Eilutės # {0}: Pirkimo sąskaita faktūra negali būti pareikštas esamo turto {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Eilutės # {0}: Pirkimo sąskaita faktūra negali būti pareikštas esamo turto {1}
DocType: Item Tax,Tax Rate,Mokesčio tarifas
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} jau skirta darbuotojo {1} laikotarpiui {2} į {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Pasirinkite punktas
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Pirkimo sąskaita faktūra {0} jau pateiktas
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Pirkimo sąskaita faktūra {0} jau pateiktas
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},"Eilutės # {0}: Serijos Nr turi būti toks pat, kaip {1} {2}"
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Konvertuoti į ne grupės
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Serija (daug) elemento.
DocType: C-Form Invoice Detail,Invoice Date,Sąskaitos data
DocType: GL Entry,Debit Amount,debeto suma
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Gali būti tik 1 sąskaita už Bendrovės {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,Žiūrėkite priedą
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Gali būti tik 1 sąskaita už Bendrovės {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,Žiūrėkite priedą
DocType: Purchase Order,% Received,% vartojo
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Sukurti studentų grupių
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Sąranka jau baigti !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Kredito Pastaba suma
,Finished Goods,gatavų prekių
DocType: Delivery Note,Instructions,instrukcijos
DocType: Quality Inspection,Inspected By,tikrina
DocType: Maintenance Visit,Maintenance Type,priežiūra tipas
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} nėra įtraukti į objekto {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Serijos Nr {0} nepriklauso važtaraštyje {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Pridėti prekę
@@ -441,7 +446,7 @@
DocType: Request for Quotation,Request for Quotation,Užklausimas
DocType: Salary Slip Timesheet,Working Hours,Darbo valandos
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Pakeisti pradinį / trumpalaikiai eilės numerį esamo serijos.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Sukurti naują klientų
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Sukurti naują klientų
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Jei ir toliau vyrauja daug kainodaros taisyklės, vartotojai, prašoma, kad prioritetas rankiniu būdu išspręsti konfliktą."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Sukurti Pirkimų užsakymus
,Purchase Register,pirkimo Registruotis
@@ -453,7 +458,7 @@
DocType: Student Log,Medical,medicinos
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,"Priežastis, dėl kurios praranda"
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,"Švinas savininkas gali būti toks pat, kaip pirmaujančios"
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,Paskirti suma gali ne didesnis nei originalios suma
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,Paskirti suma gali ne didesnis nei originalios suma
DocType: Announcement,Receiver,imtuvas
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},"Kompiuterizuotos darbo vietos yra uždarytas šių datų, kaip už Atostogų sąrašas: {0}"
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,galimybės
@@ -467,8 +472,7 @@
DocType: Assessment Plan,Examiner Name,Eksperto vardas
DocType: Purchase Invoice Item,Quantity and Rate,Kiekis ir Balsuok
DocType: Delivery Note,% Installed,% Įdiegta
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,"Kabinetai / Laboratorijos tt, kai paskaitos gali būti planuojama."
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Tiekėjas tiekiantis> tiekėjas tipas
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Kabinetai / Laboratorijos tt, kai paskaitos gali būti planuojama."
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Prašome įvesti įmonės pavadinimą pirmoji
DocType: Purchase Invoice,Supplier Name,tiekėjas Vardas
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Skaityti ERPNext vadovas
@@ -478,7 +482,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Patikrinkite Tiekėjas sąskaitos faktūros numeris Unikalumas
DocType: Vehicle Service,Oil Change,Tepalų keitimas
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.',""Norėdami Byla Nr ' negali būti mažesnė, nei "Nuo byla Nr '"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,nepelno
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,nepelno
DocType: Production Order,Not Started,Nepradėjau
DocType: Lead,Channel Partner,kanalo Partneriai
DocType: Account,Old Parent,Senas Tėvų
@@ -489,20 +493,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Global nustatymai visus gamybos procesus.
DocType: Accounts Settings,Accounts Frozen Upto,Sąskaitos Šaldyti upto
DocType: SMS Log,Sent On,išsiųstas
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Įgūdis {0} pasirinktas kelis kartus požymiai lentelėje
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Įgūdis {0} pasirinktas kelis kartus požymiai lentelėje
DocType: HR Settings,Employee record is created using selected field. ,Darbuotojų įrašas sukurtas naudojant pasirinktą lauką.
DocType: Sales Order,Not Applicable,Netaikoma
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Atostogų meistras.
DocType: Request for Quotation Item,Required Date,Reikalinga data
DocType: Delivery Note,Billing Address,atsiskaitymo Adresas
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Prašome įvesti Prekės kodas.
DocType: BOM,Costing,Sąnaudų
DocType: Tax Rule,Billing County,atsiskaitymo apskritis
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Jei pažymėta, mokesčių suma bus laikoma jau įtrauktas Print Rate / Spausdinti Suma"
DocType: Request for Quotation,Message for Supplier,Pranešimo tiekėjas
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,viso Kiekis
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 E-mail ID
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 E-mail ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 E-mail ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 E-mail ID
DocType: Item,Show in Website (Variant),Rodyti svetainė (variantas)
DocType: Employee,Health Concerns,sveikatos problemas
DocType: Process Payroll,Select Payroll Period,Pasirinkite Darbo užmokesčio laikotarpis
@@ -520,26 +523,28 @@
DocType: Sales Order Item,Used for Production Plan,Naudojamas gamybos planas
DocType: Employee Loan,Total Payment,bendras Apmokėjimas
DocType: Manufacturing Settings,Time Between Operations (in mins),Laikas tarp operacijų (minutėmis)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} yra atšaukta ir todėl veiksmai negali būti užbaigtas
DocType: Customer,Buyer of Goods and Services.,Pirkėjas prekes ir paslaugas.
DocType: Journal Entry,Accounts Payable,MOKĖTINOS SUMOS
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Pasirinktos BOMs yra ne to paties objekto
DocType: Pricing Rule,Valid Upto,galioja upto
DocType: Training Event,Workshop,dirbtuvė
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Sąrašas keletą savo klientams. Jie gali būti organizacijos ar asmenys.
-,Enough Parts to Build,Pakankamai Dalys sukurti
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,tiesioginių pajamų
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Sąrašas keletą savo klientams. Jie gali būti organizacijos ar asmenys.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Pakankamai Dalys sukurti
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,tiesioginių pajamų
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Negali filtruoti pagal sąskaitą, jei sugrupuoti pagal sąskaitą"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,administracijos pareigūnas
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Prašome pasirinkti kursai
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Prašome pasirinkti kursai
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,administracijos pareigūnas
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Prašome pasirinkti kursai
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Prašome pasirinkti kursai
DocType: Timesheet Detail,Hrs,h
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Prašome pasirinkti kompaniją
DocType: Stock Entry Detail,Difference Account,skirtumas paskyra
+DocType: Purchase Invoice,Supplier GSTIN,tiekėjas GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,"Ar nėra artimas užduotis, nes jos priklauso nuo užduoties {0} nėra uždarytas."
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"Prašome įvesti sandėlis, kuris bus iškeltas Medžiaga Prašymas"
DocType: Production Order,Additional Operating Cost,Papildoma eksploatavimo išlaidos
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,kosmetika
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Sujungti, šie savybės turi būti tokios pačios tiek daiktų"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Sujungti, šie savybės turi būti tokios pačios tiek daiktų"
DocType: Shipping Rule,Net Weight,Grynas svoris
DocType: Employee,Emergency Phone,avarinis telefonas
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,nupirkti
@@ -549,14 +554,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Prašome apibrėžti kokybės už slenksčio 0%
DocType: Sales Order,To Deliver,Pristatyti
DocType: Purchase Invoice Item,Item,punktas
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Serijos Nr punktas negali būti frakcija
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Serijos Nr punktas negali būti frakcija
DocType: Journal Entry,Difference (Dr - Cr),Skirtumas (dr - Cr)
DocType: Account,Profit and Loss,Pelnas ir nuostoliai
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,valdymas Subranga
DocType: Project,Project will be accessible on the website to these users,Projektas bus prieinama tinklalapyje šių vartotojų
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,"Norma, pagal kurią Kainoraštis valiuta konvertuojama į įmonės bazine valiuta"
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Sąskaita {0} nepriklauso įmonės: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Santrumpa jau naudojamas kitos bendrovės
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Sąskaita {0} nepriklauso įmonės: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Santrumpa jau naudojamas kitos bendrovės
DocType: Selling Settings,Default Customer Group,Pagal nutylėjimą klientų grupei
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction",Jei išjungti "suapvalinti sumą" laukas nebus matomas bet koks sandoris
DocType: BOM,Operating Cost,Operacinė Kaina
@@ -564,7 +569,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,"Prieaugis negali būti 0,"
DocType: Production Planning Tool,Material Requirement,medžiagų poreikis
DocType: Company,Delete Company Transactions,Ištrinti bendrovės verslo sandoriai
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Nuorodos Nr ir nuoroda data yra privalomas banko sandorio
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Nuorodos Nr ir nuoroda data yra privalomas banko sandorio
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Įdėti / Redaguoti mokesčių ir rinkliavų
DocType: Purchase Invoice,Supplier Invoice No,Tiekėjas sąskaitoje Nr
DocType: Territory,For reference,prašymą priimti prejudicinį sprendimą
@@ -575,22 +580,22 @@
DocType: Installation Note Item,Installation Note Item,Įrengimas Pastaba Prekė
DocType: Production Plan Item,Pending Qty,Kol Kiekis
DocType: Budget,Ignore,ignoruoti
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} is not active
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} is not active
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS siunčiami šiais numeriais: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,Sąranka patikrinti matmenys spausdinti
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Sąranka patikrinti matmenys spausdinti
DocType: Salary Slip,Salary Slip Timesheet,Pajamos Kuponas Lapą
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Tiekėjas tiekiantis sandėlis privalomas SUBRANGOVAMS pirkimo kvito
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Tiekėjas tiekiantis sandėlis privalomas SUBRANGOVAMS pirkimo kvito
DocType: Pricing Rule,Valid From,Galioja nuo
DocType: Sales Invoice,Total Commission,Iš viso Komisija
DocType: Pricing Rule,Sales Partner,Partneriai pardavimo
DocType: Buying Settings,Purchase Receipt Required,Pirkimo kvito Reikalinga
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,"Vertinimo rodiklis yra privalomas, jei atidarymas sandėlyje įvesta"
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,"Vertinimo rodiklis yra privalomas, jei atidarymas sandėlyje įvesta"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,rasti sąskaitos faktūros lentelės Nėra įrašų
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Prašome pasirinkti bendrovė ir šalies tipo pirmas
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Finansų / apskaitos metus.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Finansų / apskaitos metus.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,sukauptos vertybės
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Atsiprašome, Eilės Nr negali būti sujungtos"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Padaryti pardavimo užsakymų
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Padaryti pardavimo užsakymų
DocType: Project Task,Project Task,Projektų Užduotis
,Lead Id,Švinas ID
DocType: C-Form Invoice Detail,Grand Total,Bendra suma
@@ -607,7 +612,7 @@
DocType: Job Applicant,Resume Attachment,Gyvenimo Priedas
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Pakartokite Klientai
DocType: Leave Control Panel,Allocate,paskirstyti
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,pardavimų Grįžti
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,pardavimų Grįžti
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Pastaba: Iš viso skiriami lapai {0} turi būti ne mažesnis nei jau patvirtintų lapų {1} laikotarpiui
DocType: Announcement,Posted By,Paskelbtas
DocType: Item,Delivered by Supplier (Drop Ship),Paskelbta tiekėjo (Drop Ship)
@@ -617,8 +622,8 @@
DocType: Quotation,Quotation To,citatos
DocType: Lead,Middle Income,vidutines pajamas
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Anga (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Numatytasis Matavimo vienetas už prekę {0} negali būti pakeistas tiesiogiai, nes jūs jau padarė tam tikrą sandorį (-ius) su kitu UOM. Jums reikės sukurti naują elementą naudoti kitą numatytąjį UOM."
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Paskirti suma negali būti neigiama
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Numatytasis Matavimo vienetas už prekę {0} negali būti pakeistas tiesiogiai, nes jūs jau padarė tam tikrą sandorį (-ius) su kitu UOM. Jums reikės sukurti naują elementą naudoti kitą numatytąjį UOM."
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Paskirti suma negali būti neigiama
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Prašome nurodyti Bendrovei
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Prašome nurodyti Bendrovei
DocType: Purchase Order Item,Billed Amt,Apmokestinti Amt
@@ -631,7 +636,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,"Pasirinkite mokėjimo sąskaitos, kad bankų įėjimo"
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Sukurti darbuotojams įrašus valdyti lapai, išlaidų paraiškos ir darbo užmokesčio"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Pridėti į žinių bazės
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Pasiūlymas rašymas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Pasiūlymas rašymas
DocType: Payment Entry Deduction,Payment Entry Deduction,Mokėjimo Įėjimo išskaičiavimas
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Kitas pardavimų asmuo {0} egzistuoja su tuo pačiu Darbuotojo ID
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Jei pažymėta, žaliavas elementus, kurie yra subrangovams bus įtrauktas į Materialiųjų Prašymai"
@@ -646,7 +651,7 @@
DocType: Batch,Batch Description,Serija Aprašymas
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Studentų grupės kūrimas
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Studentų grupės kūrimas
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Mokėjimo šliuzai paskyra nebuvo sukurta, prašome sukurti rankiniu būdu."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Mokėjimo šliuzai paskyra nebuvo sukurta, prašome sukurti rankiniu būdu."
DocType: Sales Invoice,Sales Taxes and Charges,Pardavimų Mokesčiai ir rinkliavos
DocType: Employee,Organization Profile,organizacijos profilį
DocType: Student,Sibling Details,Giminystės detalės
@@ -668,11 +673,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Grynasis pokytis Inventorius
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Darbuotojų Paskolos valdymas
DocType: Employee,Passport Number,Paso numeris
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Ryšys su Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,vadybininkas
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Ryšys su Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,vadybininkas
DocType: Payment Entry,Payment From / To,Mokėjimo Nuo / Iki
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nauja kredito limitas yra mažesnis nei dabartinio nesumokėtos sumos klientui. Kredito limitas turi būti atleast {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Tas pats daiktas buvo įvesta kelis kartus.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nauja kredito limitas yra mažesnis nei dabartinio nesumokėtos sumos klientui. Kredito limitas turi būti atleast {0}
DocType: SMS Settings,Receiver Parameter,imtuvas Parametras
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"Remiantis" ir "grupę" negali būti tas pats
DocType: Sales Person,Sales Person Targets,Pardavimų asmuo tikslai
@@ -681,8 +685,9 @@
DocType: Issue,Resolution Date,geba data
DocType: Student Batch Name,Batch Name,Serija Vardas
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Lapą sukurta:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},Prašome nustatyti numatytąją grynaisiais ar banko sąskaitą mokėjimo būdas {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Prašome nustatyti numatytąją grynaisiais ar banko sąskaitą mokėjimo būdas {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,įrašyti
+DocType: GST Settings,GST Settings,GST Nustatymai
DocType: Selling Settings,Customer Naming By,Klientų įvardijimas Iki
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Parodys studentą kaip pristatyti Studentų Mėnesio Lankomumas ataskaitos
DocType: Depreciation Schedule,Depreciation Amount,turto nusidėvėjimo suma
@@ -704,6 +709,7 @@
DocType: Item,Material Transfer,medžiagos pernešimas
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Atidarymas (dr)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Siunčiamos laiko žymos turi būti po {0}
+,GST Itemised Purchase Register,"Paaiškėjo, kad GST Detalios Pirkimo Registruotis"
DocType: Employee Loan,Total Interest Payable,Iš viso palūkanų Mokėtina
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Įvežtinė kaina Mokesčiai ir rinkliavos
DocType: Production Order Operation,Actual Start Time,Tikrasis Pradžios laikas
@@ -732,10 +738,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
DocType: Account,Accounts,sąskaitos
DocType: Vehicle,Odometer Value (Last),Odometras Vertė (Paskutinis)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,prekyba
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,prekyba
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Mokėjimo įrašas jau yra sukurta
DocType: Purchase Receipt Item Supplied,Current Stock,Dabartinis sandėlyje
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},"Eilutės # {0}: Turto {1} nėra susijęs su straipsniais, {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},"Eilutės # {0}: Turto {1} nėra susijęs su straipsniais, {2}"
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Peržiūrėti darbo užmokestį
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Sąskaita {0} buvo įrašytas kelis kartus
DocType: Account,Expenses Included In Valuation,"Sąnaudų, įtrauktų Vertinimo"
@@ -743,7 +749,7 @@
,Absent Student Report,Nėra studento ataskaitos
DocType: Email Digest,Next email will be sent on:,Kitas laiškas bus išsiųstas į:
DocType: Offer Letter Term,Offer Letter Term,Laiško su pasiūlymu terminas
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Prekė turi variantus.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Prekė turi variantus.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Prekė {0} nerastas
DocType: Bin,Stock Value,vertybinių popierių kaina
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Įmonės {0} neegzistuoja
@@ -752,8 +758,8 @@
DocType: Serial No,Warranty Expiry Date,Garantija Galiojimo data
DocType: Material Request Item,Quantity and Warehouse,Kiekis ir sandėliavimo
DocType: Sales Invoice,Commission Rate (%),Komisija tarifas (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Prašome pasirinkti programą
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Prašome pasirinkti programą
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Prašome pasirinkti programą
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Prašome pasirinkti programą
DocType: Project,Estimated Cost,Numatoma kaina
DocType: Purchase Order,Link to material requests,Nuoroda į materialinių prašymus
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aviacija
@@ -767,14 +773,14 @@
DocType: Purchase Order,Supply Raw Materials,Tiekimo Žaliavos
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,"Data, kada bus sukurtas sekančią sąskaitą faktūrą. Jis generuoja pateikti."
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Turimas turtas
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} nėra sandėlyje punktas
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} nėra sandėlyje punktas
DocType: Mode of Payment Account,Default Account,numatytoji paskyra
DocType: Payment Entry,Received Amount (Company Currency),Gautos sumos (Įmonės valiuta)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,"Švinas turi būti nustatyti, jei galimybės yra pagamintas iš švino"
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,Prašome pasirinkti savaitę nuo dieną
DocType: Production Order Operation,Planned End Time,Planuojamas Pabaigos laikas
,Sales Person Target Variance Item Group-Wise,Pardavimų Asmuo Tikslinė Dispersija punktas grupė-Išminčius
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Sąskaita su esamais sandoris negali būti konvertuojamos į sąskaitų knygos
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Sąskaita su esamais sandoris negali būti konvertuojamos į sąskaitų knygos
DocType: Delivery Note,Customer's Purchase Order No,Kliento Užsakymo Nėra
DocType: Budget,Budget Against,biudžeto prieš
DocType: Employee,Cell Number,Telefono numeris
@@ -786,15 +792,13 @@
DocType: Opportunity,Opportunity From,galimybė Nuo
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Mėnesinis darbo užmokestis pareiškimas.
DocType: BOM,Website Specifications,Interneto svetainė duomenys
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Prašome nustatymas numeracijos serijos Lankomumas per Setup> numeravimas serija
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Nuo {0} tipo {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Eilutės {0}: konversijos faktorius yra privalomas
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Eilutės {0}: konversijos faktorius yra privalomas
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Keli Kaina Taisyklės egzistuoja tais pačiais kriterijais, prašome išspręsti konfliktą suteikti pirmenybę. Kaina Taisyklės: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,Negalima išjungti arba atšaukti BOM kaip ji yra susijusi su kitais BOMs
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Keli Kaina Taisyklės egzistuoja tais pačiais kriterijais, prašome išspręsti konfliktą suteikti pirmenybę. Kaina Taisyklės: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Negalima išjungti arba atšaukti BOM kaip ji yra susijusi su kitais BOMs
DocType: Opportunity,Maintenance,priežiūra
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Pirkimo kvito numeris reikalingas punktas {0}
DocType: Item Attribute Value,Item Attribute Value,Prekė Pavadinimas Reikšmė
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Pardavimų kampanijas.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Padaryti žiniaraštis
@@ -827,30 +831,30 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Turto sunaikintas per žurnalo įrašą {0}
DocType: Employee Loan,Interest Income Account,Palūkanų pajamų sąskaita
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,biotechnologijos
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Biuro išlaikymo sąnaudos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Biuro išlaikymo sąnaudos
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Įsteigti pašto dėžutę
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Prašome įvesti Elementą pirmas
DocType: Account,Liability,atsakomybė
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcijos suma negali būti didesnė nei ieškinio suma eilutėje {0}.
DocType: Company,Default Cost of Goods Sold Account,Numatytasis išlaidos parduotų prekių sąskaita
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Kainų sąrašas nepasirinkote
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Kainų sąrašas nepasirinkote
DocType: Employee,Family Background,šeimos faktai
DocType: Request for Quotation Supplier,Send Email,Siųsti laišką
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Įspėjimas: Neteisingas Priedas {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Įspėjimas: Neteisingas Priedas {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Nėra leidimo
DocType: Company,Default Bank Account,Numatytasis banko sąskaitos
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Filtruoti remiantis partijos, pasirinkite Šalis Įveskite pirmą"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},""Atnaujinti sandėlyje" negali būti patikrinta, nes daiktų nėra pristatomos per {0}"
DocType: Vehicle,Acquisition Date,įsigijimo data
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,nos
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,nos
DocType: Item,Items with higher weightage will be shown higher,"Daiktai, turintys aukštąjį weightage bus rodomas didesnis"
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bankas Susitaikymas detalės
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Eilutės # {0}: Turto {1} turi būti pateiktas
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Eilutės # {0}: Turto {1} turi būti pateiktas
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Nėra darbuotojas nerasta
DocType: Supplier Quotation,Stopped,sustabdyta
DocType: Item,If subcontracted to a vendor,Jei subrangos sutartį pardavėjas
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Studentų grupė jau yra atnaujinama.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Studentų grupė jau yra atnaujinama.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Studentų grupė jau yra atnaujinama.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Studentų grupė jau yra atnaujinama.
DocType: SMS Center,All Customer Contact,Viskas Klientų Susisiekite
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Įkelti akcijų likutį naudodami CSV.
DocType: Warehouse,Tree Details,medis detalės
@@ -862,13 +866,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Kaina centras {2} nepriklauso Company {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Sąskaitos {2} negali būti Grupė
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Prekė eilutė {IDX}: {DOCTYPE} {DOCNAME} neegzistuoja viršaus "{DOCTYPE}" stalo
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Lapą {0} jau baigė arba atšaukti
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Lapą {0} jau baigė arba atšaukti
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,nėra užduotys
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Mėnesio diena, kurią bus sukurta pvz 05, 28 ir tt automatinis sąskaitos faktūros"
DocType: Asset,Opening Accumulated Depreciation,Atidarymo sukauptas nusidėvėjimas
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Rezultatas turi būti mažesnis arba lygus 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Programos Įrašas įrankis
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,"įrašų, C-forma"
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,"įrašų, C-forma"
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Klientų ir tiekėjas
DocType: Email Digest,Email Digest Settings,Siųsti Digest Nustatymai
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Dėkoju Jums už bendradarbiavimą!
@@ -878,17 +882,19 @@
DocType: Bin,Moving Average Rate,Moving Average Balsuok
DocType: Production Planning Tool,Select Items,pasirinkite prekę
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} prieš Bill {1} {2} data
+DocType: Program Enrollment,Vehicle/Bus Number,Transporto priemonė / autobusai Taškų
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Žinoma Tvarkaraštis
DocType: Maintenance Visit,Completion Status,užbaigimo būsena
DocType: HR Settings,Enter retirement age in years,Įveskite pensinį amžių metais
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Tikslinė sandėlis
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Prašome pasirinkti sandėlį
DocType: Cheque Print Template,Starting location from left edge,Nuo vietą iš kairiojo krašto
DocType: Item,Allow over delivery or receipt upto this percent,Leisti per pristatymą ar gavimo net iki šio proc
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,importas Lankomumas
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Visi punktas Grupės
DocType: Process Payroll,Activity Log,veiklos žurnalas
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Grynasis pelnas / nuostolis
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Grynasis pelnas / nuostolis
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Automatiškai kurti pranešimą pateikus sandorius.
DocType: Production Order,Item To Manufacture,Prekė Gamyba
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} statusas {2}
@@ -897,16 +903,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Pirkimo užsakymas su mokėjimo
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,"prognozuojama, Kiekis"
DocType: Sales Invoice,Payment Due Date,Sumokėti iki
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Prekė variantas {0} jau egzistuoja su tais pačiais atributais
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Prekė variantas {0} jau egzistuoja su tais pačiais atributais
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',"Atidarymas"
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Atidarykite daryti
DocType: Notification Control,Delivery Note Message,Važtaraštis pranešimas
DocType: Expense Claim,Expenses,išlaidos
+,Support Hours,paramos valandos
DocType: Item Variant Attribute,Item Variant Attribute,Prekė variantas Įgūdis
,Purchase Receipt Trends,Pirkimo kvito tendencijos
DocType: Process Payroll,Bimonthly,Dviejų mėnesių
DocType: Vehicle Service,Brake Pad,stabdžių bloknotas
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Tyrimai ir plėtra
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Tyrimai ir plėtra
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Suma Bill
DocType: Company,Registration Details,Registracija detalės
DocType: Timesheet,Total Billed Amount,Iš viso mokesčio suma
@@ -919,12 +926,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Gauti tik žaliavų panaudojimas
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Veiklos vertinimas.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Įjungus "Naudokite krepšelį", kaip Krepšelis yra įjungtas ir ten turėtų būti bent viena Mokesčių taisyklė krepšelį"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Mokėjimo Įėjimo {0} yra susijęs su ordino {1}, patikrinti, ar jis turi būti traukiamas kaip anksto šioje sąskaitoje faktūroje."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Mokėjimo Įėjimo {0} yra susijęs su ordino {1}, patikrinti, ar jis turi būti traukiamas kaip anksto šioje sąskaitoje faktūroje."
DocType: Sales Invoice Item,Stock Details,akcijų detalės
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,projekto vertė
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Pardavimo punktas
DocType: Vehicle Log,Odometer Reading,odometro parodymus
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Sąskaitos likutis jau kredito, jums neleidžiama nustatyti "Balansas turi būti" kaip "debeto""
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Sąskaitos likutis jau kredito, jums neleidžiama nustatyti "Balansas turi būti" kaip "debeto""
DocType: Account,Balance must be,Balansas turi būti
DocType: Hub Settings,Publish Pricing,Paskelbti Kainos
DocType: Notification Control,Expense Claim Rejected Message,Kompensuojamos teiginys atmetamas pranešimas
@@ -934,7 +941,7 @@
DocType: Salary Slip,Working Days,Darbo dienos
DocType: Serial No,Incoming Rate,Priimamojo Balsuok
DocType: Packing Slip,Gross Weight,Bendras svoris
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,"Jūsų įmonės pavadinimas, dėl kurių jūs nustatote šią sistemą."
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,"Jūsų įmonės pavadinimas, dėl kurių jūs nustatote šią sistemą."
DocType: HR Settings,Include holidays in Total no. of Working Days,Įtraukti atostogas iš viso ne. darbo dienų
DocType: Job Applicant,Hold,laikyti
DocType: Employee,Date of Joining,Data Prisijungimas
@@ -945,20 +952,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,pirkimo kvito
,Received Items To Be Billed,Gauti duomenys turi būti apmokestinama
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Pateikė Pajamos Apatinukai
-DocType: Employee,Ms,ponia
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Valiutos kursas meistras.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Nuoroda Dokumento tipo turi būti vienas iš {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Valiutos kursas meistras.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Nuoroda Dokumento tipo turi būti vienas iš {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Nepavyko rasti laiko tarpsnių per ateinančius {0} dienų darbui {1}
DocType: Production Order,Plan material for sub-assemblies,Planas medžiaga mazgams
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Pardavimų Partneriai ir teritorija
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,Negalima automatiškai sukurti paskyrą nes jau akcijų likutį Sąskaitoje. Jūs turite sukurti atitikimo sąskaitą iki jūs galite padaryti įrašą apie šį sandėlį
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} turi būti aktyvus
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} turi būti aktyvus
DocType: Journal Entry,Depreciation Entry,Nusidėvėjimas įrašas
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Prašome pasirinkti dokumento tipą pirmas
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Atšaukti Medžiaga Apsilankymai {0} prieš atšaukiant šią Priežiūros vizitas
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serijos Nr {0} nepriklauso punkte {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Reikalinga Kiekis
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Sandėliai su esamais sandoris negali būti konvertuojamos į knygą.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Sandėliai su esamais sandoris negali būti konvertuojamos į knygą.
DocType: Bank Reconciliation,Total Amount,Visas kiekis
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Interneto leidyba
DocType: Production Planning Tool,Production Orders,gamybos užsakymus
@@ -973,25 +978,26 @@
DocType: Fee Structure,Components,komponentai
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Prašome įvesti Turto kategorija prekės {0}
DocType: Quality Inspection Reading,Reading 6,Skaitymas 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Negaliu {0} {1} {2} be jokio neigiamo išskirtinis sąskaita
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Negaliu {0} {1} {2} be jokio neigiamo išskirtinis sąskaita
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Pirkimo faktūros Advance
DocType: Hub Settings,Sync Now,Sinchronizuoti dabar
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Eilutės {0}: Kredito įrašas negali būti susieta su {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Nustatykite biudžetą per finansinius metus.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Nustatykite biudžetą per finansinius metus.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"Numatytasis Bankas / Pinigų sąskaita bus automatiškai atnaujinta POS sąskaita faktūra, kai pasirinktas šis būdas."
DocType: Lead,LEAD-,VADOVAUTI-
DocType: Employee,Permanent Address Is,Nuolatinė adresas
DocType: Production Order Operation,Operation completed for how many finished goods?,"Operacija baigta, kaip daug gatavų prekių?"
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,Brand
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Brand
DocType: Employee,Exit Interview Details,Išeiti Interviu detalės
DocType: Item,Is Purchase Item,Ar pirkimas Prekės
DocType: Asset,Purchase Invoice,pirkimo sąskaita faktūra
DocType: Stock Ledger Entry,Voucher Detail No,Bon Išsamiau Nėra
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Nauja pardavimo sąskaita-faktūra
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Nauja pardavimo sąskaita-faktūra
DocType: Stock Entry,Total Outgoing Value,Iš viso Siuntimo kaina
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Atidarymo data ir galutinis terminas turėtų būti per patį finansiniams metams
DocType: Lead,Request for Information,Paprašyti informacijos
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sinchronizuoti Atsijungęs Sąskaitos
+,LeaderBoard,Lyderių
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Sinchronizuoti Atsijungęs Sąskaitos
DocType: Payment Request,Paid,Mokama
DocType: Program Fee,Program Fee,programos mokestis
DocType: Salary Slip,Total in words,Iš viso žodžiais
@@ -1000,13 +1006,13 @@
DocType: Cheque Print Template,Has Print Format,Ar spausdintos
DocType: Employee Loan,Sanctioned,sankcijos
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,yra privaloma. Gal valiutų įrašas nėra sukurtas
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Eilutės # {0}: Prašome nurodyti Serijos Nr už prekę {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Dėl "produktas Bundle reikmenys, sandėlis, Serijos Nr paketais Nėra bus laikomas iš" apyrašas stalo ". Jei Sandėlio ir Serija Ne yra vienoda visoms pakavimo jokių daiktų "produktas Bundle" elemento, tos vertės gali būti įrašoma į pagrindinę punkto lentelėje, vertės bus nukopijuoti į "apyrašas stalo."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Eilutės # {0}: Prašome nurodyti Serijos Nr už prekę {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Dėl "produktas Bundle reikmenys, sandėlis, Serijos Nr paketais Nėra bus laikomas iš" apyrašas stalo ". Jei Sandėlio ir Serija Ne yra vienoda visoms pakavimo jokių daiktų "produktas Bundle" elemento, tos vertės gali būti įrašoma į pagrindinę punkto lentelėje, vertės bus nukopijuoti į "apyrašas stalo."
DocType: Job Opening,Publish on website,Skelbti tinklapyje
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Vežimas klientams.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Tiekėjas sąskaitos faktūros išrašymo data negali būti didesnis nei Skelbimo data
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Tiekėjas sąskaitos faktūros išrašymo data negali būti didesnis nei Skelbimo data
DocType: Purchase Invoice Item,Purchase Order Item,Pirkimui užsakyti Elementą
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,netiesioginė pajamos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,netiesioginė pajamos
DocType: Student Attendance Tool,Student Attendance Tool,Studentų dalyvavimas įrankis
DocType: Cheque Print Template,Date Settings,data Nustatymai
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,variantiškumas
@@ -1024,21 +1030,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,cheminis
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,"Numatytasis Bankas / Pinigų sąskaita bus automatiškai atnaujinta užmokesčių žurnalo įrašą, kai pasirinktas šis būdas."
DocType: BOM,Raw Material Cost(Company Currency),Žaliavų kaina (Įmonės valiuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Visos prekės jau buvo pervestos šios produkcijos įsakymu.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Visos prekės jau buvo pervestos šios produkcijos įsakymu.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Eilutė # {0}: Įvertinti gali būti ne didesnis nei naudotu dydžiu {1} {2}
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Eilutė # {0}: Įvertinti gali būti ne didesnis nei naudotu dydžiu {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,matuoklis
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,matuoklis
DocType: Workstation,Electricity Cost,elektros kaina
DocType: HR Settings,Don't send Employee Birthday Reminders,Nesiųskite Darbuotojų Gimimo diena Priminimai
DocType: Item,Inspection Criteria,tikrinimo kriterijai
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,pervestos
DocType: BOM Website Item,BOM Website Item,BOM svetainė punktas
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Įkelti savo laiške galvą ir logotipą. (Galite redaguoti juos vėliau).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Įkelti savo laiške galvą ir logotipą. (Galite redaguoti juos vėliau).
DocType: Timesheet Detail,Bill,sąskaita
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Kitas Nusidėvėjimas data yra įvesta kaip praeities datos
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,baltas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,baltas
DocType: SMS Center,All Lead (Open),Visi švinas (Atviras)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Eilutės {0}: Kiekis neprieinama {4} sandėlyje {1} ne komandiruotės laiką įrašo ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Eilutės {0}: Kiekis neprieinama {4} sandėlyje {1} ne komandiruotės laiką įrašo ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Gauti avansai Mokama
DocType: Item,Automatically Create New Batch,Automatiškai Sukurti naują partiją
DocType: Item,Automatically Create New Batch,Automatiškai Sukurti naują partiją
@@ -1049,13 +1055,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Mano krepšelis
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Pavedimo tipas turi būti vienas iš {0}
DocType: Lead,Next Contact Date,Kitas Kontaktinė data
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,atidarymo Kiekis
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,Prašome įvesti sąskaitą pokyčio sumą
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,atidarymo Kiekis
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,Prašome įvesti sąskaitą pokyčio sumą
DocType: Student Batch Name,Student Batch Name,Studentų Serija Vardas
DocType: Holiday List,Holiday List Name,Atostogų sąrašas Vardas
DocType: Repayment Schedule,Balance Loan Amount,Balansas Paskolos suma
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Tvarkaraštis Kurso
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Akcijų pasirinkimai
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Akcijų pasirinkimai
DocType: Journal Entry Account,Expense Claim,Kompensuojamos Pretenzija
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Ar tikrai norite atstatyti šį metalo laužą turtą?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Kiekis dėl {0}
@@ -1067,12 +1073,12 @@
DocType: Company,Default Terms,numatytieji sąlygos
DocType: Packing Slip Item,Packing Slip Item,Pakavimo Kuponas punktas
DocType: Purchase Invoice,Cash/Bank Account,Pinigai / banko sąskaitos
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Nurodykite {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Nurodykite {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,"Pašalinti elementai, be jokių kiekio ar vertės pokyčius."
DocType: Delivery Note,Delivery To,Pristatyti
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Įgūdis lentelė yra privalomi
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Įgūdis lentelė yra privalomi
DocType: Production Planning Tool,Get Sales Orders,Gauk pardavimo užsakymus
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} negali būti neigiamas
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} negali būti neigiamas
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Nuolaida
DocType: Asset,Total Number of Depreciations,Viso nuvertinimai
DocType: Sales Invoice Item,Rate With Margin,Norma atsargos
@@ -1093,7 +1099,6 @@
DocType: Serial No,Creation Document No,Kūrimas dokumentas Nr
DocType: Issue,Issue,emisija
DocType: Asset,Scrapped,metalo laužą
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Sąskaita nesutampa su Bendrovės
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Savybės už prekę variantų. pvz dydis, spalva ir tt"
DocType: Purchase Invoice,Returns,grąžinimas
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP sandėlis
@@ -1105,12 +1110,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,Prekė turi būti pridėta naudojant "gauti prekes nuo pirkimo kvitus" mygtuką
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Įtraukti ne atsargos
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,pardavimų sąnaudos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,pardavimų sąnaudos
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Standartinė Ieško
DocType: GL Entry,Against,prieš
DocType: Item,Default Selling Cost Center,Numatytasis Parduodami Kaina centras
DocType: Sales Partner,Implementation Partner,įgyvendinimas partneriu
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Pašto kodas
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Pašto kodas
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Pardavimų užsakymų {0} yra {1}
DocType: Opportunity,Contact Info,Kontaktinė informacija
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Padaryti atsargų papildymams
@@ -1123,33 +1128,33 @@
DocType: Holiday List,Get Weekly Off Dates,Gauk Savaitinis Off Datos
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,Pabaigos data negali būti mažesnė negu pradžios data
DocType: Sales Person,Select company name first.,Pasirinkite įmonės pavadinimas pirmas.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,dr
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,"Citatos, gautų iš tiekėjų."
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Norėdami {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Vidutinis amžius
DocType: School Settings,Attendance Freeze Date,Lankomumas nuo užšalimo data
DocType: School Settings,Attendance Freeze Date,Lankomumas nuo užšalimo data
DocType: Opportunity,Your sales person who will contact the customer in future,"Jūsų pardavimų asmuo, kuris kreipsis į kliento ateityje"
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Sąrašas keletą savo tiekėjais. Jie gali būti organizacijos ar asmenys.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Sąrašas keletą savo tiekėjais. Jie gali būti organizacijos ar asmenys.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Peržiūrėti visus produktus
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimalus Švinas Amžius (dienomis)
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimalus Švinas Amžius (dienomis)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,Visi BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Visi BOMs
DocType: Company,Default Currency,Pirminė kainoraščio valiuta
DocType: Expense Claim,From Employee,iš darbuotojo
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Įspėjimas: sistema netikrins per didelių sąskaitų, nes suma už prekę {0} iš {1} yra lygus nuliui"
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Įspėjimas: sistema netikrins per didelių sąskaitų, nes suma už prekę {0} iš {1} yra lygus nuliui"
DocType: Journal Entry,Make Difference Entry,Padaryti Skirtumas įrašą
DocType: Upload Attendance,Attendance From Date,Lankomumas Nuo data
DocType: Appraisal Template Goal,Key Performance Area,Pagrindiniai veiklos sritis
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Transportavimas
+DocType: Program Enrollment,Transportation,Transportavimas
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Neteisingas Įgūdis
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} turi būti pateiktas
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} turi būti pateiktas
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Kiekis turi būti mažesnis arba lygus {0}
DocType: SMS Center,Total Characters,Iš viso Veikėjai
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Prašome pasirinkti BOM BOM į lauką punkte {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Prašome pasirinkti BOM BOM į lauką punkte {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-formos sąskaita faktūra detalės
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Mokėjimo Susitaikymas Sąskaita
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,indėlis%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Kaip už pirkimo parametrus, jei pirkimas įsakymu Reikalinga == "Taip", tada sukurti sąskaitą-faktūrą, vartotojo pirmiausia reikia sukurti pirkinių užsakymą už prekę {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Įmonės registracijos numeriai jūsų nuoroda. Mokesčių numeriai ir kt
DocType: Sales Partner,Distributor,skirstytuvas
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Krepšelis Pristatymas taisyklė
@@ -1158,23 +1163,25 @@
,Ordered Items To Be Billed,Užsakytas prekes Norėdami būti mokami
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Iš klasės turi būti mažesnis nei svyruoja
DocType: Global Defaults,Global Defaults,Global Numatytasis
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Projektų Bendradarbiavimas Kvietimas
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Projektų Bendradarbiavimas Kvietimas
DocType: Salary Slip,Deductions,atskaitymai
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,pradžios metus
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},Pirmieji 2 skaitmenys GSTIN turi sutapti su Valstybinio numerio {0}
DocType: Purchase Invoice,Start date of current invoice's period,Pradžios data einamųjų sąskaitos faktūros laikotarpį
DocType: Salary Slip,Leave Without Pay,Palikite be darbo užmokesčio
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Talpa planavimas Klaida
,Trial Balance for Party,Bandomoji likutis partijos
DocType: Lead,Consultant,konsultantas
DocType: Salary Slip,Earnings,Pajamos
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Baigė punktas {0} reikia įvesti Gamyba tipo įrašas
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Baigė punktas {0} reikia įvesti Gamyba tipo įrašas
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Atidarymo Apskaitos balansas
+,GST Sales Register,"Paaiškėjo, kad GST Pardavimų Registruotis"
DocType: Sales Invoice Advance,Sales Invoice Advance,Pardavimų sąskaita faktūra Išankstinis
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Nieko prašyti
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Kitas Biudžeto įrašas '{0} "jau egzistuoja nuo {1} {2}" fiskalinio metų {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',"Tikrasis pradžios data" gali būti ne didesnis nei faktinio End Date "
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,valdymas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,valdymas
DocType: Cheque Print Template,Payer Settings,mokėtojo Nustatymai
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Tai bus pridėtas prie elemento kodekso variante. Pavyzdžiui, jei jūsų santrumpa yra "S.", o prekės kodas yra T-shirt ", elementas kodas variantas bus" T-shirt-SM ""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Neto darbo užmokestis (žodžiais) bus matomas, kai jums sutaupyti darbo užmokestį."
@@ -1191,8 +1198,8 @@
DocType: Employee Loan,Partially Disbursed,dalinai Išmokėta
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Tiekėjas duomenų bazę.
DocType: Account,Balance Sheet,Balanso lapas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Kainuos centras už prekę su Prekės kodas "
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mokėjimo būdas yra neužpildė. Prašome patikrinti, ar sąskaita buvo nustatytas mokėjimų Mode arba POS profilis."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Kainuos centras už prekę su Prekės kodas "
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mokėjimo būdas yra neužpildė. Prašome patikrinti, ar sąskaita buvo nustatytas mokėjimų Mode arba POS profilis."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Jūsų pardavimų asmuo bus gauti priminimą šią dieną kreiptis į klientų
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Tas pats daiktas negali būti įrašytas kelis kartus.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Daugiau sąskaitos gali būti grupėse, tačiau įrašai gali būti pareikštas ne grupės"
@@ -1200,7 +1207,7 @@
DocType: Email Digest,Payables,Mokėtinos sumos
DocType: Course,Course Intro,Žinoma Įvadas
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,"Atsargų, {0} sukūrė"
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Eilutės # {0}: Atmesta Kiekis negali būti įrašytas į pirkimo Grįžti
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Eilutės # {0}: Atmesta Kiekis negali būti įrašytas į pirkimo Grįžti
,Purchase Order Items To Be Billed,Pirkimui užsakyti klausimai turi būti apmokestinama
DocType: Purchase Invoice Item,Net Rate,grynasis Balsuok
DocType: Purchase Invoice Item,Purchase Invoice Item,Pirkimo faktūros Elementą
@@ -1227,7 +1234,7 @@
DocType: Sales Order,SO-,SO
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Prašome pasirinkti prefiksą pirmas
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,tyrimas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,tyrimas
DocType: Maintenance Visit Purpose,Work Done,Darbas pabaigtas
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Prašome nurodyti bent vieną atributą Atributų lentelės
DocType: Announcement,All Students,Visi studentai
@@ -1235,17 +1242,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Peržiūrėti Ledgeris
DocType: Grading Scale,Intervals,intervalai
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Seniausi
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Prekę grupė egzistuoja to paties pavadinimo, prašom pakeisti elementą vardą ar pervardyti elementą grupę"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Studentų Mobilus Ne
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Likęs pasaulis
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Prekę grupė egzistuoja to paties pavadinimo, prašom pakeisti elementą vardą ar pervardyti elementą grupę"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Studentų Mobilus Ne
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Likęs pasaulis
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Naudodami {0} punktas negali turėti Serija
,Budget Variance Report,Biudžeto Dispersija ataskaita
DocType: Salary Slip,Gross Pay,Pilna Mokėti
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Eilutės {0}: veiklos rūšis yra privalomas.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Dividendai
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Dividendai
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,apskaitos Ledgeris
DocType: Stock Reconciliation,Difference Amount,skirtumas suma
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Nepaskirstytasis pelnas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Nepaskirstytasis pelnas
DocType: Vehicle Log,Service Detail,Paslaugų detalės
DocType: BOM,Item Description,Prekės Aprašymas
DocType: Student Sibling,Student Sibling,Studentų giminystės
@@ -1260,11 +1267,11 @@
DocType: Opportunity Item,Opportunity Item,galimybė punktas
,Student and Guardian Contact Details,Studentų ir globėjas Kontaktinė informacija
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Eilutės {0}: Dėl tiekėjo {0} el.pašto adresas yra reikalingi siųsti laišką
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,laikinas atidarymas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,laikinas atidarymas
,Employee Leave Balance,Darbuotojų atostogos balansas
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Likutis sąskaitoje {0} visada turi būti {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},"Vertinimo tarifas, kurio reikia už prekę iš eilės {0}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Pavyzdys: magistro Computer Science
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Pavyzdys: magistro Computer Science
DocType: Purchase Invoice,Rejected Warehouse,atmesta sandėlis
DocType: GL Entry,Against Voucher,prieš kupono
DocType: Item,Default Buying Cost Center,Numatytasis Ieško kaina centras
@@ -1277,31 +1284,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Gauk neapmokėtų sąskaitų faktūrų
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Pardavimų užsakymų {0} negalioja
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Pirkimo pavedimai padės jums planuoti ir sekti savo pirkimų
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Atsiprašome, įmonės negali būti sujungtos"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Atsiprašome, įmonės negali būti sujungtos"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",Bendras išdavimas / Pervežimas kiekis {0} Krovimas Užsisakyti {1} \ negali būti didesnis nei prašomo kiekio {2} už prekę {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,mažas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,mažas
DocType: Employee,Employee Number,Darbuotojo numeris
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Byloje Nr (-ai) jau naudojamas. Pabandykite iš byloje Nr {0}
DocType: Project,% Completed,% Baigtas
,Invoiced Amount (Exculsive Tax),Sąskaitoje suma (Exculsive Mokesčių)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,2 punktas
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Sąskaita galva {0} sukūrė
DocType: Supplier,SUPP-,maitinimo iš tinklo laidas
DocType: Training Event,Training Event,Kvalifikacijos tobulinimo renginys
DocType: Item,Auto re-order,Auto naujo užsakymas
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Iš viso Pasiektas
DocType: Employee,Place of Issue,Išdavimo vieta
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,sutartis
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,sutartis
DocType: Email Digest,Add Quote,Pridėti Citata
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion faktorius reikalingas UOM: {0} prekės: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,netiesioginės išlaidos
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion faktorius reikalingas UOM: {0} prekės: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,netiesioginės išlaidos
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Eilutės {0}: Kiekis yra privalomi
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Žemdirbystė
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sinchronizavimo Master Data
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Savo produktus ar paslaugas
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sinchronizavimo Master Data
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Savo produktus ar paslaugas
DocType: Mode of Payment,Mode of Payment,mokėjimo būdas
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Interneto svetainė Paveikslėlis turėtų būti valstybės failą ar svetainės URL
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Interneto svetainė Paveikslėlis turėtų būti valstybės failą ar svetainės URL
DocType: Student Applicant,AP,A.
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Tai yra šaknis punktas grupė ir negali būti pakeisti.
@@ -1310,7 +1316,7 @@
DocType: Warehouse,Warehouse Contact Info,Sandėlių Kontaktinė informacija
DocType: Payment Entry,Write Off Difference Amount,Nurašyti skirtumo suma
DocType: Purchase Invoice,Recurring Type,pasikartojančios tipas
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: Darbuotojų elektroninio pašto nerastas, todėl elektroninių laiškų, nesiunčiamas"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: Darbuotojų elektroninio pašto nerastas, todėl elektroninių laiškų, nesiunčiamas"
DocType: Item,Foreign Trade Details,Užsienio prekybos informacija
DocType: Email Digest,Annual Income,Metinės pajamos
DocType: Serial No,Serial No Details,Serijos Nr detalės
@@ -1318,10 +1324,10 @@
DocType: Student Group Student,Group Roll Number,Grupė salė Taškų
DocType: Student Group Student,Group Roll Number,Grupė salė Taškų
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",Dėl {0} tik kredito sąskaitos gali būti susijęs su kitos debeto įrašą
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Bendras visų užduočių svoriai turėtų būti 1. Prašome reguliuoti svareliai visų projekto užduotis atitinkamai
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Važtaraštis {0} nebus pateiktas
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Prekė {0} turi būti Prekė pagal subrangos sutartis
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,kapitalo įranga
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Bendras visų užduočių svoriai turėtų būti 1. Prašome reguliuoti svareliai visų projekto užduotis atitinkamai
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Važtaraštis {0} nebus pateiktas
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Prekė {0} turi būti Prekė pagal subrangos sutartis
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,kapitalo įranga
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Kainodaros taisyklė pirmiausia atrenkami remiantis "Taikyti" srityje, kuris gali būti punktas, punktas Grupė ar prekės ženklą."
DocType: Hub Settings,Seller Website,Pardavėjo Interneto svetainė
DocType: Item,ITEM-,item-
@@ -1339,7 +1345,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Gali būti tik vienas Pristatymas taisyklė Būklė 0 arba tuščią vertės "vertė"
DocType: Authorization Rule,Transaction,sandoris
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Pastaba: Ši kaina centras yra grupė. Negali padaryti apskaitos įrašus pagal grupes.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,Vaikų sandėlis egzistuoja šiame sandėlyje. Jūs negalite trinti šį sandėlį.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Vaikų sandėlis egzistuoja šiame sandėlyje. Jūs negalite trinti šį sandėlį.
DocType: Item,Website Item Groups,Interneto svetainė punktas Grupės
DocType: Purchase Invoice,Total (Company Currency),Iš viso (Įmonės valiuta)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Serijos numeris {0} įvesta daugiau nei vieną kartą
@@ -1349,7 +1355,7 @@
DocType: Grading Scale Interval,Grade Code,Įvertinimas kodas
DocType: POS Item Group,POS Item Group,POS punktas grupė
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Siųskite Digest:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} nepriklauso punkte {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} nepriklauso punkte {1}
DocType: Sales Partner,Target Distribution,Tikslinė pasiskirstymas
DocType: Salary Slip,Bank Account No.,Banko sąskaitos Nr
DocType: Naming Series,This is the number of the last created transaction with this prefix,Tai yra paskutinio sukurto skaičius operacijoje su šio prefikso
@@ -1360,12 +1366,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Užsakyti Turto nusidėvėjimas Įėjimas Automatiškai
DocType: BOM Operation,Workstation,Kompiuterizuotos darbo vietos
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Užklausimas Tiekėjo
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,techninė įranga
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,techninė įranga
DocType: Sales Order,Recurring Upto,pasikartojančios upto
DocType: Attendance,HR Manager,Žmogiškųjų išteklių vadybininkas
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,"Prašome pasirinkti įmonę,"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,privilegija atostogos
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,"Prašome pasirinkti įmonę,"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,privilegija atostogos
DocType: Purchase Invoice,Supplier Invoice Date,Tiekėjas sąskaitos faktūros išrašymo data
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,už
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Jums reikia įgalinti Prekių krepšelis
DocType: Payment Entry,Writeoff,Nusirašinėti
DocType: Appraisal Template Goal,Appraisal Template Goal,Vertinimas Šablonas tikslas
@@ -1376,10 +1383,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,rasti tarp sutampančių sąlygos:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Prieš leidinyje Įėjimo {0} jau koreguojama kitu kuponą
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Iš viso užsakymo vertė
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,maistas
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,maistas
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Senėjimas klasės 3
DocType: Maintenance Schedule Item,No of Visits,Nėra apsilankymų
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Pažymėti Attendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Pažymėti Attendence
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Techninės priežiūros grafikas {0} egzistuoja nuo {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,mokosi studentas
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Valiuta uždarymo sąskaita turi būti {0}
@@ -1393,6 +1400,7 @@
DocType: Rename Tool,Utilities,Komunalinės paslaugos
DocType: Purchase Invoice Item,Accounting,apskaita
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Prašome pasirinkti partijas partijomis prekę
DocType: Asset,Depreciation Schedules,nusidėvėjimo Tvarkaraščiai
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Taikymo laikotarpis negali būti ne atostogos paskirstymo laikotarpis
DocType: Activity Cost,Projects,projektai
@@ -1406,6 +1414,7 @@
DocType: POS Profile,Campaign,Kampanija
DocType: Supplier,Name and Type,Pavadinimas ir tipas
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Patvirtinimo būsena turi būti "Patvirtinta" arba "Atmesta"
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,bootstrap
DocType: Purchase Invoice,Contact Person,kontaktinis asmuo
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"Tikėtinas pradžios data" gali būti ne didesnis nei "Expected Pabaigos data"
DocType: Course Scheduling Tool,Course End Date,Žinoma Pabaigos data
@@ -1413,12 +1422,11 @@
DocType: Sales Order Item,Planned Quantity,planuojamas kiekis
DocType: Purchase Invoice Item,Item Tax Amount,Prekė Mokesčių suma
DocType: Item,Maintain Stock,išlaikyti Stock
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Akcijų įrašai jau sukurtos gamybos ordino
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Akcijų įrašai jau sukurtos gamybos ordino
DocType: Employee,Prefered Email,Pageidaujamas paštas
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Grynasis pokytis ilgalaikio turto
DocType: Leave Control Panel,Leave blank if considered for all designations,"Palikite tuščią, jei laikomas visų pavadinimų"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Sandėlių yra privalomas ne grupinių sąskaitų tipo sandėlyje
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Mokesčio tipas "Tikrasis" iš eilės {0} negali būti įtraukti į klausimus lygis
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Mokesčio tipas "Tikrasis" iš eilės {0} negali būti įtraukti į klausimus lygis
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,nuo datetime
DocType: Email Digest,For Company,dėl Company
@@ -1428,15 +1436,15 @@
DocType: Sales Invoice,Shipping Address Name,Pristatymas Adresas Pavadinimas
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Sąskaitų planas
DocType: Material Request,Terms and Conditions Content,Terminai ir sąlygos turinys
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,negali būti didesnis nei 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Prekė {0} nėra sandėlyje punktas
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,negali būti didesnis nei 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Prekė {0} nėra sandėlyje punktas
DocType: Maintenance Visit,Unscheduled,Neplanuotai
DocType: Employee,Owned,priklauso
DocType: Salary Detail,Depends on Leave Without Pay,Priklauso nuo atostogų be Pay
DocType: Pricing Rule,"Higher the number, higher the priority","Kuo didesnis skaičius, didesnis prioritetas"
,Purchase Invoice Trends,Pirkimo faktūros tendencijos
DocType: Employee,Better Prospects,Geresnės perspektyvos
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Eilutė # {0}: Partija {1} turi tik {2} vnt. Prašome pasirinkti kitą partiją, kuri turi gauti {3} Kiekis arba padalinti eilutę į kelias eilutes, pristatyti / problemą iš kelių partijų"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Eilutė # {0}: Partija {1} turi tik {2} vnt. Prašome pasirinkti kitą partiją, kuri turi gauti {3} Kiekis arba padalinti eilutę į kelias eilutes, pristatyti / problemą iš kelių partijų"
DocType: Vehicle,License Plate,Valstybinis numeris
DocType: Appraisal,Goals,Tikslai
DocType: Warranty Claim,Warranty / AMC Status,Garantija / AMC Būsena
@@ -1447,19 +1455,20 @@
,Batch-Wise Balance History,Serija-Išminčius Balansas istorija
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Spausdinimo parametrai atnaujinama atitinkamos spausdinimo formatą
DocType: Package Code,Package Code,Pakuotės kodas
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,mokinys
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,mokinys
+DocType: Purchase Invoice,Company GSTIN,Įmonės GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Neigiama Kiekis neleidžiama
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",Mokesčių detalė stalo nerealu iš punkto meistras kaip eilutę ir saugomi šioje srityje. Naudojama mokesčių ir rinkliavų
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Darbuotojas negali pranešti pats.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Jei sąskaita yra sušaldyti, įrašai leidžiama ribojamų vartotojams."
DocType: Email Digest,Bank Balance,banko balansas
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Apskaitos įrašas už {0}: {1} galima tik valiuta: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Apskaitos įrašas už {0}: {1} galima tik valiuta: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Darbo profilis, reikalingas kvalifikacijos ir tt"
DocType: Journal Entry Account,Account Balance,Sąskaitos balansas
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Mokesčių taisyklė sandorius.
DocType: Rename Tool,Type of document to rename.,Dokumento tipas pervadinti.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Perkame šį Elementą
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Perkame šį Elementą
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Klientas privalo prieš gautinos sąskaitos {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Iš viso mokesčiai ir rinkliavos (Įmonės valiuta)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Rodyti Atvirų fiskalinius metus anketa P & L likučius
@@ -1470,29 +1479,30 @@
DocType: Stock Entry,Total Additional Costs,Iš viso papildomų išlaidų
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Laužas Medžiaga Kaina (Įmonės valiuta)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,sub Agregatai
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,sub Agregatai
DocType: Asset,Asset Name,"turto pavadinimas,"
DocType: Project,Task Weight,užduotis Svoris
DocType: Shipping Rule Condition,To Value,Vertinti
DocType: Asset Movement,Stock Manager,akcijų direktorius
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Šaltinis sandėlis yra privalomas eilės {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Pakavimo lapelis
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Biuro nuoma
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Šaltinis sandėlis yra privalomas eilės {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Pakavimo lapelis
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Biuro nuoma
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Sąranka SMS Gateway nustatymai
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Importas Nepavyko!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Nėra adresas pridėta dar.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Nėra adresas pridėta dar.
DocType: Workstation Working Hour,Workstation Working Hour,Kompiuterizuotos darbo vietos Darbo valandos
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,analitikas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,analitikas
DocType: Item,Inventory,inventorius
DocType: Item,Sales Details,pardavimų detalės
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,su daiktais
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,Be Kiekis
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,Be Kiekis
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Patvirtinti mokosi kursai studentams Studentų grupės
DocType: Notification Control,Expense Claim Rejected,Kompensuojamos teiginys atmetamas
DocType: Item,Item Attribute,Prekė Įgūdis
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,vyriausybė
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,vyriausybė
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,"Kompensuojamos Pretenzija {0} jau egzistuoja, kad transporto priemonė Prisijungti"
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,institutas Vardas
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,institutas Vardas
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,Prašome įvesti grąžinimo suma
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Prekė Variantai
DocType: Company,Services,Paslaugos
@@ -1502,18 +1512,18 @@
DocType: Sales Invoice,Source,šaltinis
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Rodyti uždarytas
DocType: Leave Type,Is Leave Without Pay,Ar palikti be Pay
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Turto Kategorija privaloma ilgalaikio turto
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Turto Kategorija privaloma ilgalaikio turto
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,rasti Mokėjimo stalo Nėra įrašų
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Šis {0} prieštarauja {1} ir {2} {3}
DocType: Student Attendance Tool,Students HTML,studentai HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Finansinių metų pradžios data
DocType: POS Profile,Apply Discount,taikyti nuolaidą
+DocType: Purchase Invoice Item,GST HSN Code,"Paaiškėjo, kad GST HSN kodas"
DocType: Employee External Work History,Total Experience,Iš viso Patirtis
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Atviri projektai
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Pakavimo Kuponas (-ai) atšauktas
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Pinigų srautai iš investicinės
DocType: Program Course,Program Course,programos kursas
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Krovinių ir ekspedijavimo Mokesčiai
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Krovinių ir ekspedijavimo Mokesčiai
DocType: Homepage,Company Tagline for website homepage,Įmonės Paantraštė interneto svetainės pagrindiniame puslapyje
DocType: Item Group,Item Group Name,Prekė Grupės pavadinimas
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Paimta
@@ -1523,6 +1533,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Sukurti leads
DocType: Maintenance Schedule,Schedules,tvarkaraščiai
DocType: Purchase Invoice Item,Net Amount,Grynoji suma
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} nebuvo pateikta ir todėl veiksmai negali būti užbaigtas
DocType: Purchase Order Item Supplied,BOM Detail No,BOM Išsamiau Nėra
DocType: Landed Cost Voucher,Additional Charges,Papildomi mokesčiai
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Papildoma nuolaida Suma (Įmonės valiuta)
@@ -1538,6 +1549,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Mėnesio grąžinimo suma
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,Prašome nustatyti vartotojo ID lauką darbuotojas įrašo nustatyti Darbuotojų vaidmuo
DocType: UOM,UOM Name,UOM Vardas
+DocType: GST HSN Code,HSN Code,HSN kodas
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,įnašo suma
DocType: Purchase Invoice,Shipping Address,Pristatymo adresas
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Šis įrankis padeda jums atnaujinti arba pataisyti kiekį ir vertinimui atsargų sistemoje. Ji paprastai naudojama sinchronizuoti sistemos vertybes ir kas iš tikrųjų yra jūsų sandėlių.
@@ -1548,18 +1560,17 @@
DocType: Program Enrollment Tool,Program Enrollments,programa mokinių
DocType: Sales Invoice Item,Brand Name,Markės pavadinimas
DocType: Purchase Receipt,Transporter Details,Transporter detalės
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Numatytasis sandėlis reikalingas pasirinktą elementą
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Dėžė
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Numatytasis sandėlis reikalingas pasirinktą elementą
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Dėžė
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,galimas Tiekėjas
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Organizacija
DocType: Budget,Monthly Distribution,Mėnesio pasiskirstymas
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Imtuvas sąrašas tuščias. Prašome sukurti imtuvas sąrašas
DocType: Production Plan Sales Order,Production Plan Sales Order,Gamybos planas pardavimų užsakymų
DocType: Sales Partner,Sales Partner Target,Partneriai pardavimo Tikslinė
DocType: Loan Type,Maximum Loan Amount,Maksimali paskolos suma
DocType: Pricing Rule,Pricing Rule,kainodaros taisyklė
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Dublikatas ritinys numeris studentas {0}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Dublikatas ritinys numeris studentas {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Dublikatas ritinys numeris studentas {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Dublikatas ritinys numeris studentas {0}
DocType: Budget,Action if Annual Budget Exceeded,"Veiksmų, jei metinio biudžeto Viršytas"
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Medžiaga Prašymas Pirkimo užsakymas
DocType: Shopping Cart Settings,Payment Success URL,Mokėjimo Sėkmės adresas
@@ -1572,11 +1583,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Atidarymo sandėlyje balansas
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} turi būti tik vieną kartą
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Neleidžiama pavedimu daugiau {0} nei {1} prieš Užsakymo {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Neleidžiama pavedimu daugiau {0} nei {1} prieš Užsakymo {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Lapai Paskirti sėkmingai {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Neturite prekių pakuotės
DocType: Shipping Rule Condition,From Value,nuo Vertė
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Gamyba Kiekis yra privalomi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Gamyba Kiekis yra privalomi
DocType: Employee Loan,Repayment Method,grąžinimas būdas
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Jei pažymėta, Titulinis puslapis bus numatytasis punktas grupė svetainėje"
DocType: Quality Inspection Reading,Reading 4,svarstymą 4
@@ -1586,7 +1597,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Eilutės # {0} klirensas data {1} negali būti prieš čekis data {2}
DocType: Company,Default Holiday List,Numatytasis poilsis sąrašas
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Eilutės {0}: Nuo laiką ir Laikas {1} iš dalies sutampa su {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Akcijų Įsipareigojimai
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Akcijų Įsipareigojimai
DocType: Purchase Invoice,Supplier Warehouse,tiekėjas tiekiantis sandėlis
DocType: Opportunity,Contact Mobile No,Kontaktinė Mobilus Nėra
,Material Requests for which Supplier Quotations are not created,Medžiaga Prašymai dėl kurių Tiekėjas Citatos nėra sukurtos
@@ -1597,35 +1608,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Padaryti Citata
apps/erpnext/erpnext/config/selling.py +216,Other Reports,Kiti pranešimai
DocType: Dependent Task,Dependent Task,priklauso nuo darbo
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Konversijos koeficientas pagal nutylėjimą Matavimo vienetas turi būti 1 eilės {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Konversijos koeficientas pagal nutylėjimą Matavimo vienetas turi būti 1 eilės {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Atostogos tipo {0} negali būti ilgesnis nei {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Pabandykite planuoja operacijas X dienų iš anksto.
DocType: HR Settings,Stop Birthday Reminders,Sustabdyti Gimimo diena Priminimai
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Prašome Set Default Darbo užmokesčio MOKĖTINOS Narystė Bendrovėje {0}
DocType: SMS Center,Receiver List,imtuvas sąrašas
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Paieška punktas
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Paieška punktas
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,suvartoti suma
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Grynasis Pakeisti pinigais
DocType: Assessment Plan,Grading Scale,vertinimo skalė
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Matavimo vienetas {0} buvo įrašytas daugiau nei vieną kartą konversijos koeficientas lentelėje
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Matavimo vienetas {0} buvo įrašytas daugiau nei vieną kartą konversijos koeficientas lentelėje
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,jau baigtas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Akcijų In Hand
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Mokėjimo prašymas jau yra {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Kaina išduotą prekės
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Kiekis turi būti ne daugiau kaip {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Praėję finansiniai metai yra neuždarytas
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Amžius (dienomis)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Amžius (dienomis)
DocType: Quotation Item,Quotation Item,citata punktas
+DocType: Customer,Customer POS Id,Klientų POS ID
DocType: Account,Account Name,Paskyros vardas
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Nuo data negali būti didesnis nei data
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serijos Nr {0} kiekis {1} negali būti frakcija
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Tiekėjas tipas meistras.
DocType: Purchase Order Item,Supplier Part Number,Tiekėjas Dalies numeris
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Perskaičiavimo kursas negali būti 0 arba 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Perskaičiavimo kursas negali būti 0 arba 1
DocType: Sales Invoice,Reference Document,Informacinis dokumentas
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} yra atšauktas arba sustabdytas
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} yra atšauktas arba sustabdytas
DocType: Accounts Settings,Credit Controller,kredito valdiklis
DocType: Delivery Note,Vehicle Dispatch Date,Automobilio išsiuntimo data
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Pirkimo kvito {0} nebus pateiktas
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Pirkimo kvito {0} nebus pateiktas
DocType: Company,Default Payable Account,Numatytasis Mokėtina paskyra
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Nustatymai internetinėje krepšelį pavyzdžiui, laivybos taisykles, kainoraštį ir tt"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% Įvardintas
@@ -1644,11 +1657,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Iš viso kompensuojama suma
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Tai grindžiama rąstų prieš šią transporto priemonę. Žiūrėti grafikas žemiau detales
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,rinkti
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Prieš tiekėjo sąskaitoje {0} data {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Prieš tiekėjo sąskaitoje {0} data {1}
DocType: Customer,Default Price List,Numatytasis Kainų sąrašas
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Turto Judėjimo įrašas {0} sukūrė
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Jūs negalite trinti finansiniai metai {0}. Finansiniai metai {0} yra numatytoji Global Settings
DocType: Journal Entry,Entry Type,įrašo tipas
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Nėra vertinimo planas susijęs su šio vertinimo grupės
,Customer Credit Balance,Klientų kredito likučio
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Grynasis pokytis mokėtinos sumos
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Klientų reikalinga "Customerwise nuolaidų"
@@ -1657,7 +1671,7 @@
DocType: Quotation,Term Details,Terminuoti detalės
DocType: Project,Total Sales Cost (via Sales Order),Iš viso pardavimų savikainoje (per pardavimo tvarka)
DocType: Project,Total Sales Cost (via Sales Order),Iš viso pardavimų savikainoje (per pardavimo tvarka)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Negalima registruotis daugiau nei {0} studentams šio studentų grupę.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Negalima registruotis daugiau nei {0} studentams šio studentų grupę.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Švinas Grafas
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Švinas Grafas
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} turi būti didesnis nei 0
@@ -1680,7 +1694,7 @@
DocType: Sales Invoice,Packed Items,Fasuoti daiktai
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garantija pretenzija Serijos Nr
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Pakeiskite konkretų BOM visais kitais BOMs, kuriuose ji naudojama. Jis pakeis seną BOM nuorodą, atnaujinkite išlaidas ir regeneruoja "BOM sprogimo Elementą" lentelę, kaip už naują BOM"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total',"Iš viso"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total',"Iš viso"
DocType: Shopping Cart Settings,Enable Shopping Cart,Įjungti Prekių krepšelis
DocType: Employee,Permanent Address,Nuolatinis adresas
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1696,9 +1710,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,Prašome nurodyti arba kiekis ar Vertinimo norma arba abu
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,įvykdymas
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Žiūrėti krepšelį
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,rinkodaros išlaidos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,rinkodaros išlaidos
,Item Shortage Report,Prekė trūkumas ataskaita
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",Svoris paminėta \ nLūdzu paminėti "Svoris UOM" per
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",Svoris paminėta \ nLūdzu paminėti "Svoris UOM" per
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,"Medžiaga Prašymas naudojamas, kad šių išteklių įrašas"
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Kitas Nusidėvėjimas data yra privalomas naujo turto
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Atskiras kursas grindžiamas grupė kiekvieną partiją
@@ -1708,17 +1722,18 @@
,Student Fee Collection,Studentų mokestis kolekcija
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Padaryti apskaitos įrašas Kiekvienas vertybinių popierių judėjimo
DocType: Leave Allocation,Total Leaves Allocated,Iš viso Lapai Paskirti
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Sandėlių reikalaujama Row Nr {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Prašome įvesti galiojantį finansinių metų pradžios ir pabaigos datos
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Sandėlių reikalaujama Row Nr {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Prašome įvesti galiojantį finansinių metų pradžios ir pabaigos datos
DocType: Employee,Date Of Retirement,Data nuo išėjimo į pensiją
DocType: Upload Attendance,Get Template,Gauk šabloną
+DocType: Material Request,Transferred,Perduotas
DocType: Vehicle,Doors,durys
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext sąranka baigta
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext sąranka baigta
DocType: Course Assessment Criteria,Weightage,weightage
DocType: Packing Slip,PS-,PS
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Kaina centras yra reikalingas "Pelno ir nuostolio" sąskaitos {2}. Prašome įkurti numatytąją sąnaudų centro bendrovei.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Klientų grupė egzistuoja to paties pavadinimo prašome pakeisti kliento vardą arba pervardyti klientų grupei
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,nauja Susisiekite
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Klientų grupė egzistuoja to paties pavadinimo prašome pakeisti kliento vardą arba pervardyti klientų grupei
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,nauja Susisiekite
DocType: Territory,Parent Territory,tėvų teritorija
DocType: Quality Inspection Reading,Reading 2,Skaitymas 2
DocType: Stock Entry,Material Receipt,medžiaga gavimas
@@ -1727,17 +1742,16 @@
DocType: Employee,AB+,AB "+"
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Jei ši prekė yra variantų, tada jis negali būti parenkamos pardavimo užsakymus ir tt"
DocType: Lead,Next Contact By,Kitas Susisiekti
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},reikalingas punktas {0} iš eilės Kiekis {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},"Sandėlių {0} negali būti išbrauktas, nes egzistuoja kiekis už prekę {1}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},reikalingas punktas {0} iš eilės Kiekis {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Sandėlių {0} negali būti išbrauktas, nes egzistuoja kiekis už prekę {1}"
DocType: Quotation,Order Type,pavedimo tipas
DocType: Purchase Invoice,Notification Email Address,Pranešimas Elektroninio pašto adresas
,Item-wise Sales Register,Prekė išmintingas Pardavimų Registruotis
DocType: Asset,Gross Purchase Amount,Pilna Pirkimo suma
DocType: Asset,Depreciation Method,nusidėvėjimo metodas
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Atsijungęs
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,Atsijungęs
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Ar šis mokestis įtrauktas į bazinę palūkanų normą?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Iš viso Tikslinė
-DocType: Program Course,Required,Reikalinga
DocType: Job Applicant,Applicant for a Job,Pareiškėjas dėl darbo
DocType: Production Plan Material Request,Production Plan Material Request,Gamybos planas Medžiaga Prašymas
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Nieko gamybos užsakymų sukurtas
@@ -1747,17 +1761,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Leisti kelis pardavimų užsakymų prieš Kliento Užsakymo
DocType: Student Group Instructor,Student Group Instructor,Studentų grupė instruktorius
DocType: Student Group Instructor,Student Group Instructor,Studentų grupė instruktorius
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 Mobilus Nėra
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,pagrindinis
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobilus Nėra
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,pagrindinis
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,variantas
DocType: Naming Series,Set prefix for numbering series on your transactions,Nustatyti priešdėlis numeracijos seriją apie sandorius savo
DocType: Employee Attendance Tool,Employees HTML,darbuotojai HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Numatytasis BOM ({0}) turi būti aktyvus šią prekę ar jo šabloną
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Numatytasis BOM ({0}) turi būti aktyvus šią prekę ar jo šabloną
DocType: Employee,Leave Encashed?,Palikite Encashed?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Galimybė Nuo srityje yra privalomas
DocType: Email Digest,Annual Expenses,metinės išlaidos
DocType: Item,Variants,variantai
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Padaryti pirkinių užsakymą
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Padaryti pirkinių užsakymą
DocType: SMS Center,Send To,siųsti
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Nėra pakankamai atostogos balansas Palikti tipas {0}
DocType: Payment Reconciliation Payment,Allocated amount,skirtos sumos
@@ -1773,26 +1787,25 @@
DocType: Item,Serial Nos and Batches,Eilės Nr ir Partijos
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Studentų grupė Stiprumas
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Studentų grupė Stiprumas
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Prieš leidinyje Įėjimo {0} neturi neprilygstamą {1} įrašą
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Prieš leidinyje Įėjimo {0} neturi neprilygstamą {1} įrašą
apps/erpnext/erpnext/config/hr.py +137,Appraisals,vertinimai
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Duplicate Serijos Nr įvestas punkte {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Sąlyga laivybos taisyklės
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Prašome įvesti
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Negali overbill už prekę {0} iš eilės {1} daugiau nei {2}. Leisti per lpi, prašome nustatyti Ieško Nustatymai"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Prašome nustatyti filtrą remiantis punktą arba sandėlyje
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Negali overbill už prekę {0} iš eilės {1} daugiau nei {2}. Leisti per lpi, prašome nustatyti Ieško Nustatymai"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Prašome nustatyti filtrą remiantis punktą arba sandėlyje
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Grynasis svoris šio paketo. (Skaičiuojama automatiškai suma neto masė daiktų)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Prašome sukurti šiam sandėlio paskyrą ir susieti ją. Tai gali būti daroma automatiškai sąskaitoje pavadinimu {0} jau egzistuoja
DocType: Sales Order,To Deliver and Bill,Pristatyti ir Bill
DocType: Student Group,Instructors,instruktoriai
DocType: GL Entry,Credit Amount in Account Currency,Kredito sumą sąskaitos valiuta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} turi būti pateiktas
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} turi būti pateiktas
DocType: Authorization Control,Authorization Control,autorizacija Valdymo
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Eilutės # {0}: Atmesta Sandėlis yra privalomas prieš atmetė punkte {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Eilutės # {0}: Atmesta Sandėlis yra privalomas prieš atmetė punkte {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,mokėjimas
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Sandėlių {0} nėra susijęs su bet kokios sąskaitos, nurodykite Sandėlį įrašo sąskaitą arba nustatyti numatytąją inventoriaus sąskaitą įmonę {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Tvarkykite savo užsakymus
DocType: Production Order Operation,Actual Time and Cost,Tikrasis Laikas ir kaina
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Medžiaga Prašymas maksimalių {0} galima už prekę {1} prieš Pardavimų ordino {2}
-DocType: Employee,Salutation,pasveikinimas
DocType: Course,Course Abbreviation,Žinoma santrumpa
DocType: Student Leave Application,Student Leave Application,Studentų atostogos taikymas
DocType: Item,Will also apply for variants,Bus taikoma variantų
@@ -1804,12 +1817,12 @@
DocType: Quotation Item,Actual Qty,Tikrasis Kiekis
DocType: Sales Invoice Item,References,Nuorodos
DocType: Quality Inspection Reading,Reading 10,Skaitymas 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Sąrašas savo produktus ar paslaugas, kad jūs pirkti ar parduoti. Įsitikinkite, kad patikrinti elementą Group, matavimo vienetas ir kitus objektus, kai paleidžiate."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Sąrašas savo produktus ar paslaugas, kad jūs pirkti ar parduoti. Įsitikinkite, kad patikrinti elementą Group, matavimo vienetas ir kitus objektus, kai paleidžiate."
DocType: Hub Settings,Hub Node,Stebulės mazgas
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Jūs įvedėte pasikartojančius elementus. Prašome ištaisyti ir bandykite dar kartą.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Bendradarbis
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Bendradarbis
DocType: Asset Movement,Asset Movement,turto judėjimas
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,nauja krepšelį
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,nauja krepšelį
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Prekė {0} nėra išspausdintas punktas
DocType: SMS Center,Create Receiver List,Sukurti imtuvas sąrašas
DocType: Vehicle,Wheels,ratai
@@ -1829,19 +1842,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Gali kreiptis eilutę tik jei įkrova tipas "Dėl ankstesnės eilės suma" ar "ankstesnės eilės Total"
DocType: Sales Order Item,Delivery Warehouse,Pristatymas sandėlis
DocType: SMS Settings,Message Parameter,Pranešimo Parametras
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Medis finansinių išlaidų centrai.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Medis finansinių išlaidų centrai.
DocType: Serial No,Delivery Document No,Pristatymas dokumentas Nr
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Prašome nustatyti "Gain / Loss sąskaitą turto perdavimo" Bendrovėje {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Gauti prekes iš įsigijimo kvitai
DocType: Serial No,Creation Date,Sukūrimo data
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Prekė {0} pasirodo kelis kartus kainoraštis {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Parduodami turi būti patikrinta, jei taikoma pasirinkta kaip {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Parduodami turi būti patikrinta, jei taikoma pasirinkta kaip {0}"
DocType: Production Plan Material Request,Material Request Date,Medžiaga Prašymas data
DocType: Purchase Order Item,Supplier Quotation Item,Tiekėjas Citata punktas
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Išjungia kūrimą laiko rąstų prieš Gamybos užsakymus. Veikla neturi būti stebimi nuo gamybos ordino
DocType: Student,Student Mobile Number,Studentų Mobilusis Telefonas Numeris
DocType: Item,Has Variants,turi variantams
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Jūs jau pasirinkote elementus iš {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Jūs jau pasirinkote elementus iš {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Pavadinimas Mėnesio pasiskirstymas
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Serija ID privalomi
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Serija ID privalomi
@@ -1852,12 +1865,12 @@
DocType: Budget,Fiscal Year,Fiskaliniai metai
DocType: Vehicle Log,Fuel Price,kuro Kaina
DocType: Budget,Budget,biudžetas
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Ilgalaikio turto turi būti ne akcijų punktas.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Ilgalaikio turto turi būti ne akcijų punktas.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Biudžetas negali būti skiriamas prieš {0}, nes tai ne pajamos ar sąnaudos sąskaita"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,pasiektas
DocType: Student Admission,Application Form Route,Prašymo forma Vartojimo būdas
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Teritorija / Klientų
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,pvz 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,pvz 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Palikite tipas {0} negali būti paskirstytos, nes ji yra palikti be darbo užmokesčio"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Eilutės {0}: Paskirti suma {1} turi būti mažesnis arba lygus sąskaitą skolos likutį {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"Žodžiais bus matomas, kai įrašote pardavimo sąskaita-faktūra."
@@ -1866,7 +1879,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Prekė {0} nėra setup Serijos Nr. Patikrinkite Elementą meistras
DocType: Maintenance Visit,Maintenance Time,Priežiūros laikas
,Amount to Deliver,Suma pristatyti
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Produkto ar paslaugos
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Produkto ar paslaugos
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Term pradžios data negali būti vėlesnė nei metų pradžioje data mokslo metams, kuris terminas yra susijęs (akademiniai metai {}). Ištaisykite datas ir bandykite dar kartą."
DocType: Guardian,Guardian Interests,Guardian Pomėgiai
DocType: Naming Series,Current Value,Dabartinė vertė
@@ -1880,12 +1893,12 @@
must be greater than or equal to {2}","Eilutės {0}: Norėdami nustatyti {1} periodiškumas, skirtumas tarp iš ir į datą \ turi būti didesnis nei arba lygus {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Tai remiantis akcijų judėjimo. Žiūrėti {0} daugiau informacijos
DocType: Pricing Rule,Selling,pardavimas
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Suma {0} {1} išskaičiuota nuo {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Suma {0} {1} išskaičiuota nuo {2}
DocType: Employee,Salary Information,Pajamos Informacija
DocType: Sales Person,Name and Employee ID,Vardas ir darbuotojo ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,Terminas negali būti prieš paskelbdami data
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,Terminas negali būti prieš paskelbdami data
DocType: Website Item Group,Website Item Group,Interneto svetainė punktas grupė
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Muitai ir mokesčiai
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Muitai ir mokesčiai
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Prašome įvesti Atskaitos data
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} mokėjimo įrašai negali būti filtruojamas {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Staliukas elementą, kuris bus rodomas svetainėje"
@@ -1902,9 +1915,9 @@
DocType: Payment Reconciliation Payment,Reference Row,nuoroda eilutė
DocType: Installation Note,Installation Time,montavimo laikas
DocType: Sales Invoice,Accounting Details,apskaitos informacija
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Ištrinti visus sandorių šiai bendrovei
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Eilutės # {0}: Operacija {1} nėra baigtas {2} Kiekis gatavų prekių gamybos Užsakyti # {3}. Atnaujinkite veikimo būseną per Time Įrašai
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,investicijos
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Ištrinti visus sandorių šiai bendrovei
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Eilutės # {0}: Operacija {1} nėra baigtas {2} Kiekis gatavų prekių gamybos Užsakyti # {3}. Atnaujinkite veikimo būseną per Time Įrašai
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,investicijos
DocType: Issue,Resolution Details,geba detalės
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,asignavimai
DocType: Item Quality Inspection Parameter,Acceptance Criteria,priimtinumo kriterijai
@@ -1929,7 +1942,7 @@
DocType: Room,Room Name,Kambarių Vardas
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Palikite negali būti taikomas / atšaukė prieš {0}, kaip atostogos balansas jau perkėlimo persiunčiami būsimos atostogos paskirstymo įrašo {1}"
DocType: Activity Cost,Costing Rate,Sąnaudų norma
-,Customer Addresses And Contacts,Klientų Adresai ir kontaktai
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Klientų Adresai ir kontaktai
,Campaign Efficiency,kampanija efektyvumas
,Campaign Efficiency,kampanija efektyvumas
DocType: Discussion,Discussion,Diskusija
@@ -1941,14 +1954,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Iš viso Atsiskaitymo suma (per Time lapas)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Pakartokite Klientų pajamos
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) turi vaidmenį "sąskaita patvirtinusio"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Pora
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Pasirinkite BOM ir Kiekis dėl gamybos
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Pora
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Pasirinkite BOM ir Kiekis dėl gamybos
DocType: Asset,Depreciation Schedule,Nusidėvėjimas Tvarkaraštis
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Pardavimų Partnerių Adresai ir kontaktai
DocType: Bank Reconciliation Detail,Against Account,prieš sąskaita
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Pusė dienos data turi būti tarp Nuo datos ir iki šiol
DocType: Maintenance Schedule Detail,Actual Date,Tikrasis data
DocType: Item,Has Batch No,Turi Serijos Nr
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Metinė Atsiskaitymo: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Metinė Atsiskaitymo: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Prekių ir paslaugų mokesčio (PVM Indija)
DocType: Delivery Note,Excise Page Number,Akcizo puslapio numeris
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Įmonės, Nuo datos ir iki šiol yra privalomi"
DocType: Asset,Purchase Date,Pirkimo data
@@ -1956,11 +1971,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Prašome nustatyti "turto nusidėvėjimo sąnaudų centro" įmonėje {0}
,Maintenance Schedules,priežiūros Tvarkaraščiai
DocType: Task,Actual End Date (via Time Sheet),Tikrasis Pabaigos data (per Time lapas)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Suma {0} {1} prieš {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Suma {0} {1} prieš {2} {3}
,Quotation Trends,Kainų tendencijos
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Prekė Grupė nepaminėta prekės šeimininkui už prekę {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Debeto sąskaitą turi būti Gautinos sąskaitos
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Prekė Grupė nepaminėta prekės šeimininkui už prekę {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Debeto sąskaitą turi būti Gautinos sąskaitos
DocType: Shipping Rule Condition,Shipping Amount,Pristatymas suma
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Pridėti klientams
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,kol suma
DocType: Purchase Invoice Item,Conversion Factor,konversijos koeficientas
DocType: Purchase Order,Delivered,Pristatyta
@@ -1970,7 +1986,8 @@
DocType: Purchase Receipt,Vehicle Number,Automobilio numeris
DocType: Purchase Invoice,The date on which recurring invoice will be stop,"Data, kada bus sustabdyti kartojasi sąskaita"
DocType: Employee Loan,Loan Amount,Paskolos suma
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Eilutė {0}: bilis medžiagas prekė nerasta {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Savęs Vairavimas automobiliai
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Eilutė {0}: bilis medžiagas prekė nerasta {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Iš viso skiriami lapai {0} negali būti mažesnė nei jau patvirtintų lapų {1} laikotarpiu
DocType: Journal Entry,Accounts Receivable,gautinos
,Supplier-Wise Sales Analytics,Tiekėjas išmintingas Pardavimų Analytics "
@@ -1988,22 +2005,21 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Kompensuojamos reikalavimas yra laukiama patvirtinimo. Tik sąskaita Tvirtintojas gali atnaujinti statusą.
DocType: Email Digest,New Expenses,Nauja išlaidos
DocType: Purchase Invoice,Additional Discount Amount,Papildoma Nuolaida suma
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Eilutės # {0}: Kiekis turi būti 1, kaip elementas yra ilgalaikio turto. Prašome naudoti atskirą eilutę daugkartiniam vnt."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Eilutės # {0}: Kiekis turi būti 1, kaip elementas yra ilgalaikio turto. Prašome naudoti atskirą eilutę daugkartiniam vnt."
DocType: Leave Block List Allow,Leave Block List Allow,Palikite Blokuoti sąrašas Leisti
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Abbr negali būti tuščias arba vietos
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr negali būti tuščias arba vietos
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Grupė ne grupės
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,sporto
DocType: Loan Type,Loan Name,paskolos Vardas
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Iš viso Tikrasis
DocType: Student Siblings,Student Siblings,studentų seserys
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,vienetas
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,Prašome nurodyti Company
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,vienetas
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Prašome nurodyti Company
,Customer Acquisition and Loyalty,Klientų įsigijimas ir lojalumo
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Sandėlis, kuriame jūs išlaikyti atsargų atmestų daiktų"
DocType: Production Order,Skip Material Transfer,Pereiti medžiagos pernešimas
DocType: Production Order,Skip Material Transfer,Pereiti medžiagos pernešimas
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,"Negali rasti keitimo kursą {0}, kad {1} rakto dienos {2}. Prašome sukurti valiutos keitykla įrašą rankiniu būdu"
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Jūsų finansiniai metai baigiasi
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,"Negali rasti keitimo kursą {0}, kad {1} rakto dienos {2}. Prašome sukurti valiutos keitykla įrašą rankiniu būdu"
DocType: POS Profile,Price List,Kainoraštis
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} dabar numatytasis finansinius metus. Prašome atnaujinti savo naršyklę pakeitimas įsigaliotų.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Išlaidų Pretenzijos
@@ -2016,14 +2032,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Akcijų balansas Serija {0} taps neigiamas {1} už prekę {2} į sandėlį {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Šios medžiagos prašymai buvo iškeltas automatiškai pagal elemento naujo užsakymo lygio
DocType: Email Digest,Pending Sales Orders,Kol pardavimo užsakymus
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Sąskaita {0} yra neteisinga. Sąskaitos valiuta turi būti {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Sąskaita {0} yra neteisinga. Sąskaitos valiuta turi būti {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM Konversijos koeficientas yra reikalaujama iš eilės {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Eilutės # {0}: Informacinis dokumentas tipas turi būti vienas iš pardavimų užsakymų, pardavimo sąskaitoje-faktūroje ar žurnalo įrašą"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Eilutės # {0}: Informacinis dokumentas tipas turi būti vienas iš pardavimų užsakymų, pardavimo sąskaitoje-faktūroje ar žurnalo įrašą"
DocType: Salary Component,Deduction,Atskaita
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Eilutės {0}: Nuo Laikas ir laiko yra privalomas.
DocType: Stock Reconciliation Item,Amount Difference,suma skirtumas
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Prekė Kaina pridėta {0} kainoraštis {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Prekė Kaina pridėta {0} kainoraštis {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Prašome įvesti darbuotojo ID Šio pardavimo asmuo
DocType: Territory,Classification of Customers by region,Klasifikacija klientams regione
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Skirtumas suma turi būti lygi nuliui
@@ -2035,21 +2051,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Iš viso išskaičiavimas
,Production Analytics,gamybos Analytics "
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,kaina Atnaujinta
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,kaina Atnaujinta
DocType: Employee,Date of Birth,Gimimo data
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Prekė {0} jau grįžo
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Prekė {0} jau grįžo
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Finansiniai metai ** reiškia finansinius metus. Visi apskaitos įrašai ir kiti pagrindiniai sandoriai yra stebimi nuo ** finansiniams metams **.
DocType: Opportunity,Customer / Lead Address,Klientas / Švino Adresas
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Įspėjimas: Neteisingas SSL sertifikatas nuo prisirišimo {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Įspėjimas: Neteisingas SSL sertifikatas nuo prisirišimo {0}
DocType: Student Admission,Eligibility,Tinkamumas
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Laidai padėti jums gauti verslo, pridėti visus savo kontaktus ir daugiau kaip jūsų laidų"
DocType: Production Order Operation,Actual Operation Time,Tikrasis veikimo laikas
DocType: Authorization Rule,Applicable To (User),Taikoma (Vartotojas)
DocType: Purchase Taxes and Charges,Deduct,atskaityti
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Darbo aprašymas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Darbo aprašymas
DocType: Student Applicant,Applied,taikomas
DocType: Sales Invoice Item,Qty as per Stock UOM,Kiekis pagal vertybinių popierių UOM
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2 Vardas
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 Vardas
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Specialūs simboliai, išskyrus "-". "," # ", ir "/" neleidžiama pavadinimų seriją"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Sekite pardavimo kampanijų. Sekite veda, citatos, pardavimų užsakymų ir tt iš kampanijų įvertinti investicijų grąžą."
DocType: Expense Claim,Approver,Tvirtintojas
@@ -2060,8 +2076,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serijos Nr {0} yra garantija net iki {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Splitas Važtaraštis į paketus.
apps/erpnext/erpnext/hooks.py +87,Shipments,vežimas
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,"Sąskaitos balansas ({0}), skirtą {1} ir atsargų vertę ({2}) už sandėlį {3} turi būti tokios pačios"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,"Sąskaitos balansas ({0}), skirtą {1} ir atsargų vertę ({2}) už sandėlį {3} turi būti tokios pačios"
DocType: Payment Entry,Total Allocated Amount (Company Currency),Visos skirtos sumos (Įmonės valiuta)
DocType: Purchase Order Item,To be delivered to customer,Turi būti pristatytas pirkėjui
DocType: BOM,Scrap Material Cost,Laužas medžiagų sąnaudos
@@ -2069,21 +2083,22 @@
DocType: Purchase Invoice,In Words (Company Currency),Žodžiais (Įmonės valiuta)
DocType: Asset,Supplier,tiekėjas
DocType: C-Form,Quarter,ketvirtis
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Įvairūs išlaidos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Įvairūs išlaidos
DocType: Global Defaults,Default Company,numatytasis Įmonės
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Kompensuojamos ar Skirtumas sąskaitos yra privalomas punktas {0} kaip ji įtakoja bendra akcijų vertė
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Kompensuojamos ar Skirtumas sąskaitos yra privalomas punktas {0} kaip ji įtakoja bendra akcijų vertė
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Banko pavadinimas
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Above
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Above
DocType: Employee Loan,Employee Loan Account,Darbuotojų Paskolos paskyra
DocType: Leave Application,Total Leave Days,Iš viso nedarbingumo dienų
DocType: Email Digest,Note: Email will not be sent to disabled users,Pastaba: elektroninio pašto adresas nebus siunčiami neįgaliems vartotojams
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Taškų sąveika
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Taškų sąveika
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Prekės kodas> Prekė grupė> Mascus Prekės Ženklo
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Pasirinkite bendrovė ...
DocType: Leave Control Panel,Leave blank if considered for all departments,"Palikite tuščią, jei manoma, skirtų visiems departamentams"
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Tipai darbo (nuolatinis, sutarčių, vidaus ir kt.)"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} yra privalomas punktas {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} yra privalomas punktas {1}
DocType: Process Payroll,Fortnightly,kas dvi savaitės
DocType: Currency Exchange,From Currency,nuo valiuta
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Prašome pasirinkti skirtos sumos, sąskaitos faktūros tipas ir sąskaitos numerį atleast vienoje eilėje"
@@ -2106,7 +2121,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,Prašome spausti "Generuoti grafiką" gauti tvarkaraštį
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Įvyko klaidų trinant šiuos grafikus:
DocType: Bin,Ordered Quantity,Užsakytas Kiekis
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",pvz "Build įrankiai statybininkai"
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",pvz "Build įrankiai statybininkai"
DocType: Grading Scale,Grading Scale Intervals,Vertinimo skalė intervalai
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: apskaitos įrašas už {2} galima tik valiuta: {3}
DocType: Production Order,In Process,Procese
@@ -2121,12 +2136,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Studentų grupės sukurtas.
DocType: Sales Invoice,Total Billing Amount,Iš viso Atsiskaitymo suma
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Turi būti numatytasis Priimamojo pašto dėžutę leido šį darbą. Prašome setup numatytąją Priimamojo pašto dėžutę (POP / IMAP) ir bandykite dar kartą.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,gautinos sąskaitos
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Eilutės # {0}: Turto {1} jau yra {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,gautinos sąskaitos
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Eilutės # {0}: Turto {1} jau yra {2}
DocType: Quotation Item,Stock Balance,akcijų balansas
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,"Pardavimų užsakymų, kad mokėjimo"
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Prašome nurodyti Pavadinimų serijos {0} per Sąranka> Parametrai> Webdesign Series
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,Vadovas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,Vadovas
DocType: Expense Claim Detail,Expense Claim Detail,Kompensuojamos Pretenzija detalės
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Prašome pasirinkti tinkamą sąskaitą
DocType: Item,Weight UOM,Svoris UOM
@@ -2135,12 +2149,12 @@
DocType: Production Order Operation,Pending,kol
DocType: Course,Course Name,Kurso pavadinimas
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,"Vartotojai, kurie gali patvirtinti konkretaus darbuotojo atostogų prašymus"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Biuro įranga
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Biuro įranga
DocType: Purchase Invoice Item,Qty,Kiekis
DocType: Fiscal Year,Companies,įmonės
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,elektronika
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Pakelkite Material užklausą Kai akcijų pasiekia naujo užsakymo lygį
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Pilnas laikas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Pilnas laikas
DocType: Salary Structure,Employees,darbuotojai
DocType: Employee,Contact Details,Kontaktiniai duomenys
DocType: C-Form,Received Date,gavo data
@@ -2150,7 +2164,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Kainos nebus rodomas, jei Kainų sąrašas nenustatytas"
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Prašome nurodyti šalį šio Pristatymo taisyklės arba patikrinti pasaulio Pristatymas
DocType: Stock Entry,Total Incoming Value,Iš viso Priimamojo Vertė
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Debeto reikalingas
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Debeto reikalingas
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Laiko apskaitos žiniaraščiai padėti sekti laiko, išlaidų ir sąskaitų už veiklose padaryti jūsų komanda"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Pirkimo Kainų sąrašas
DocType: Offer Letter Term,Offer Term,Siūlau terminas
@@ -2159,17 +2173,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Mokėjimo suderinimas
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,Prašome pasirinkti Incharge Asmens vardas
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,technologija
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Iš viso nesumokėtas: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Iš viso nesumokėtas: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM svetainė Operacija
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,laiško su pasiūlymu
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Sukurti Materialieji prašymų (MRP) ir gamybos užsakymus.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Viso į sąskaitas įtraukto Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Viso į sąskaitas įtraukto Amt
DocType: BOM,Conversion Rate,Perskaičiavimo kursas
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Prekės paieška
DocType: Timesheet Detail,To Time,laiko
DocType: Authorization Rule,Approving Role (above authorized value),Patvirtinimo vaidmenį (virš įgalioto vertės)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Kreditas sąskaitos turi būti mokėtinos sąskaitos
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM rekursija: {0} negali būti tėvų ar vaikas {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Kreditas sąskaitos turi būti mokėtinos sąskaitos
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM rekursija: {0} negali būti tėvų ar vaikas {2}
DocType: Production Order Operation,Completed Qty,užbaigtas Kiekis
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Dėl {0}, tik debeto sąskaitos gali būti susijęs su kitos kredito įrašą"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Kainų sąrašas {0} yra išjungtas
@@ -2181,28 +2195,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Serial numeriai reikalingi punkte {1}. Jūs sąlyga {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Dabartinis vertinimas Balsuok
DocType: Item,Customer Item Codes,Klientų punktas kodai
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Valiutų Pelnas / nuostolis
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Valiutų Pelnas / nuostolis
DocType: Opportunity,Lost Reason,Pamiršote Priežastis
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Naujas adresas
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Naujas adresas
DocType: Quality Inspection,Sample Size,imties dydis
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Prašome įvesti Gavimas dokumentą
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Visos prekės jau išrašyta sąskaita
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Visos prekės jau išrašyta sąskaita
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',Nurodykite tinkamą "Nuo byloje Nr '
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,"Daugiau kaštų centrai gali būti grupėse, tačiau įrašai gali būti pareikštas ne grupės"
DocType: Project,External,išorinis
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Vartotojai ir leidimai
DocType: Vehicle Log,VLOG.,Vlog.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Gamybos užsakymų Sukurta: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Gamybos užsakymų Sukurta: {0}
DocType: Branch,Branch,filialas
DocType: Guardian,Mobile Number,Mobilaus telefono numeris
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Spausdinimo ir paviljonai
DocType: Bin,Actual Quantity,Tikrasis Kiekis
DocType: Shipping Rule,example: Next Day Shipping,Pavyzdys: Sekanti diena Pristatymas
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serijos Nr {0} nerastas
-DocType: Scheduling Tool,Student Batch,Studentų Serija
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Jūsų klientai
+DocType: Program Enrollment,Student Batch,Studentų Serija
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Padaryti Studentas
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Jūs buvote pakviestas bendradarbiauti su projektu: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Jūs buvote pakviestas bendradarbiauti su projektu: {0}
DocType: Leave Block List Date,Block Date,Blokuoti data
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,taikyti Dabar
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Faktinis Kiekis {0} / laukimo Kiekis {1}
@@ -2212,7 +2225,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Kurkite ir tvarkykite savo dienos, savaitės ir mėnesio el suskaldyti."
DocType: Appraisal Goal,Appraisal Goal,vertinimas tikslas
DocType: Stock Reconciliation Item,Current Amount,Dabartinis suma
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,Pastatai
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,Pastatai
DocType: Fee Structure,Fee Structure,mokestis struktūra
DocType: Timesheet Detail,Costing Amount,Sąnaudų dydis
DocType: Student Admission,Application Fee,Paraiškos mokestis
@@ -2224,10 +2237,10 @@
DocType: POS Profile,[Select],[Pasirinkti]
DocType: SMS Log,Sent To,Siunčiami į
DocType: Payment Request,Make Sales Invoice,Padaryti pardavimo sąskaita-faktūra
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,Programinė įranga
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Programinė įranga
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Kitas Kontaktinė data negali būti praeityje
DocType: Company,For Reference Only.,Tik nuoroda.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Pasirinkite Serija Nėra
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Pasirinkite Serija Nėra
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Neteisingas {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,avanso suma
@@ -2237,15 +2250,15 @@
DocType: Employee,Employment Details,įdarbinimo detalės
DocType: Employee,New Workplace,nauja Darbo
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Nustatyti kaip Uždarymo
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Nėra Prekė su Brūkšninis kodas {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Nėra Prekė su Brūkšninis kodas {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Byla Nr negali būti 0
DocType: Item,Show a slideshow at the top of the page,Rodyti skaidrių peržiūrą į puslapio viršuje
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,parduotuvės
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,parduotuvės
DocType: Serial No,Delivery Time,Pristatymo laikas
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Senėjimo remiantis
DocType: Item,End of Life,Gyvenimo pabaiga
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Kelionė
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Kelionė
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Nėra aktyvus arba numatytąjį darbo užmokesčio struktūrą ir darbuotojo {0} nerasta pagal nurodytą datą
DocType: Leave Block List,Allow Users,leisti vartotojams
DocType: Purchase Order,Customer Mobile No,Klientų Mobilus Nėra
@@ -2254,29 +2267,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Atnaujinti Kaina
DocType: Item Reorder,Item Reorder,Prekė Pertvarkyti
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Rodyti Pajamos Kuponas
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,perduoti medžiagą
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,perduoti medžiagą
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Nurodykite operacijas, veiklos sąnaudas ir suteikti unikalią eksploatuoti ne savo operacijas."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Šis dokumentas yra virš ribos iki {0} {1} už prekę {4}. Darai dar {3} prieš patį {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Prašome nustatyti pasikartojančių po taupymo
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Pasirinkite Keisti suma sąskaita
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Šis dokumentas yra virš ribos iki {0} {1} už prekę {4}. Darai dar {3} prieš patį {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Prašome nustatyti pasikartojančių po taupymo
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Pasirinkite Keisti suma sąskaita
DocType: Purchase Invoice,Price List Currency,Kainų sąrašas Valiuta
DocType: Naming Series,User must always select,Vartotojas visada turi pasirinkti
DocType: Stock Settings,Allow Negative Stock,Leiskite Neigiama Stock
DocType: Installation Note,Installation Note,Įrengimas Pastaba
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Pridėti Mokesčiai
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Pridėti Mokesčiai
DocType: Topic,Topic,tema
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Pinigų srautai iš finansavimo
DocType: Budget Account,Budget Account,biudžeto sąskaita
DocType: Quality Inspection,Verified By,Patvirtinta
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nepavyksta pakeisti įmonės numatytasis valiuta, nes yra esami sandoriai. Sandoriai turi būti atšauktas pakeisti numatytasis valiuta."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nepavyksta pakeisti įmonės numatytasis valiuta, nes yra esami sandoriai. Sandoriai turi būti atšauktas pakeisti numatytasis valiuta."
DocType: Grading Scale Interval,Grade Description,Įvertinimas Aprašymas
DocType: Stock Entry,Purchase Receipt No,Pirkimo kvito Ne
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,rimtai Pinigai
DocType: Process Payroll,Create Salary Slip,Sukurti apie darbo užmokestį
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,atsekamumas
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Lėšų šaltinis (įsipareigojimai)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Kiekis eilės {0} ({1}) turi būti toks pat, kaip gaminamo kiekio {2}"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Lėšų šaltinis (įsipareigojimai)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Kiekis eilės {0} ({1}) turi būti toks pat, kaip gaminamo kiekio {2}"
DocType: Appraisal,Employee,Darbuotojas
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Pasirinkite Serija
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} yra pilnai mokami
DocType: Training Event,End Time,pabaigos laikas
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktyvus darbo užmokesčio struktūrą {0} darbuotojo {1} rasta pateiktų datų
@@ -2288,11 +2302,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Reikalinga Apie
DocType: Rename Tool,File to Rename,Failo pervadinti
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Prašome pasirinkti BOM už prekę eilutėje {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Neapibūdintas BOM {0} neegzistuoja punkte {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Sąskaita {0} nesutampa su kompanija {1} iš sąskaitos būdas: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Neapibūdintas BOM {0} neegzistuoja punkte {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Priežiūros planas {0} turi būti atšauktas prieš panaikinant šį pardavimo užsakymų
DocType: Notification Control,Expense Claim Approved,Kompensuojamos Pretenzija Patvirtinta
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Pajamos Kuponas darbuotojo {0} jau sukurta per šį laikotarpį
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Farmacijos
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmacijos
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Kaina įsigytų daiktų
DocType: Selling Settings,Sales Order Required,Pardavimų užsakymų Reikalinga
DocType: Purchase Invoice,Credit To,Kreditas
@@ -2309,43 +2324,43 @@
DocType: Payment Gateway Account,Payment Account,Mokėjimo sąskaita
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,Prašome nurodyti Bendrovei toliau
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Grynasis pokytis gautinos
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,kompensacinė Išjungtas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,kompensacinė Išjungtas
DocType: Offer Letter,Accepted,priimtas
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,organizacija
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,organizacija
DocType: SG Creation Tool Course,Student Group Name,Studentų Grupės pavadinimas
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Prašome įsitikinkite, kad jūs tikrai norite ištrinti visus šios bendrovės sandorius. Jūsų pagrindiniai duomenys liks kaip ji yra. Šis veiksmas negali būti atšauktas."
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Prašome įsitikinkite, kad jūs tikrai norite ištrinti visus šios bendrovės sandorius. Jūsų pagrindiniai duomenys liks kaip ji yra. Šis veiksmas negali būti atšauktas."
DocType: Room,Room Number,Kambario numeris
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Neteisingas nuoroda {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) negali būti didesnis nei planuota quanitity ({2}) Gamybos Užsakyti {3}
DocType: Shipping Rule,Shipping Rule Label,Pristatymas taisyklė Etiketė
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,vartotojas Forumas
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Žaliavos negali būti tuščias.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Nepavyko atnaujinti atsargų, sąskaitos faktūros yra lašas laivybos elementą."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Žaliavos negali būti tuščias.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Nepavyko atnaujinti atsargų, sąskaitos faktūros yra lašas laivybos elementą."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Greita leidinys įrašas
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,"Jūs negalite keisti greitį, jei BOM minėta agianst bet kurį elementą"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,"Jūs negalite keisti greitį, jei BOM minėta agianst bet kurį elementą"
DocType: Employee,Previous Work Experience,Ankstesnis Darbo patirtis
DocType: Stock Entry,For Quantity,dėl Kiekis
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Prašome įvesti planuojama Kiekis už prekę {0} ne eilės {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} nebus pateiktas
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Prašymai daiktais.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Atskirų gamybos užsakymas bus sukurtas kiekvienos gatavo gero prekę nėra.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} turi būti neigiama grąžinimo dokumentą
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} turi būti neigiama grąžinimo dokumentą
,Minutes to First Response for Issues,Minučių iki Pirmosios atsakas klausimai
DocType: Purchase Invoice,Terms and Conditions1,Taisyklės ir sąlygų1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,"Instituto pavadinimas, kurį nustatote šią sistemą."
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,"Instituto pavadinimas, kurį nustatote šią sistemą."
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Apskaitos įrašas, užšaldyti iki šios datos, niekas negali padaryti / pakeisti įrašą, išskyrus žemiau nurodytą vaidmenį."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,Prašome įrašyti dokumentą prieš generuoti priežiūros tvarkaraštį
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,projekto statusas
DocType: UOM,Check this to disallow fractions. (for Nos),Pažymėkite tai norėdami atmesti frakcijas. (Už Nr)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Buvo sukurtos naujos gamybos užsakymų:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Buvo sukurtos naujos gamybos užsakymų:
DocType: Student Admission,Naming Series (for Student Applicant),Pavadinimų serija (Studentų pareiškėjas)
DocType: Delivery Note,Transporter Name,Vežėjas pavadinimas
DocType: Authorization Rule,Authorized Value,įgaliotas Vertė
DocType: BOM,Show Operations,Rodyti operacijos
,Minutes to First Response for Opportunity,Minučių iki Pirmosios atsakas Opportunity
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Iš viso Nėra
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Punktas arba sandėlis eilės {0} nesutampa Medžiaga Užsisakyti
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Punktas arba sandėlis eilės {0} nesutampa Medžiaga Užsisakyti
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Matavimo vienetas
DocType: Fiscal Year,Year End Date,Dienos iki metų pabaigos
DocType: Task Depends On,Task Depends On,Užduotis Priklauso nuo
@@ -2425,11 +2440,11 @@
DocType: Asset,Manual,vadovas
DocType: Salary Component Account,Salary Component Account,Pajamos Sudėtinės paskyra
DocType: Global Defaults,Hide Currency Symbol,Slėpti valiutos simbolį
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","pvz bankas, grynieji pinigai, kreditinės kortelės"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","pvz bankas, grynieji pinigai, kreditinės kortelės"
DocType: Lead Source,Source Name,šaltinis Vardas
DocType: Journal Entry,Credit Note,kredito Pastaba
DocType: Warranty Claim,Service Address,Paslaugų Adresas
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Baldai ir Šviestuvai
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Baldai ir Šviestuvai
DocType: Item,Manufacture,gamyba
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Pirmasis Prašome Važtaraštis
DocType: Student Applicant,Application Date,paraiškos pateikimo datos
@@ -2439,7 +2454,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Sąskaitų data nepaminėta
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Gamyba
DocType: Guardian,Occupation,okupacija
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Prašome nustatymas Darbuotojų vardų sistemos žmogiškųjų išteklių> HR Nustatymai
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Eilutės {0}: pradžios data turi būti prieš End data
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Iš viso (Kiekis)
DocType: Sales Invoice,This Document,Šis dokumentas
@@ -2451,20 +2465,20 @@
DocType: Purchase Receipt,Time at which materials were received,"Laikas, per kurį buvo gauta medžiagos"
DocType: Stock Ledger Entry,Outgoing Rate,Siunčiami Balsuok
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organizacija filialas meistras.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,arba
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,arba
DocType: Sales Order,Billing Status,atsiskaitymo būsena
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Pranešti apie problemą
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Komunalinė sąnaudos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Komunalinė sąnaudos
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90 Virš
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Eilutės # {0}: leidinys Įėjimo {1} neturi paskyros {2} arba jau lyginami su kito kuponą
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Eilutės # {0}: leidinys Įėjimo {1} neturi paskyros {2} arba jau lyginami su kito kuponą
DocType: Buying Settings,Default Buying Price List,Numatytasis Ieško Kainų sąrašas
DocType: Process Payroll,Salary Slip Based on Timesheet,Pajamos Kuponas Remiantis darbo laiko apskaitos žiniaraštis
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Nė vienas darbuotojas dėl pirmiau pasirinktus kriterijus arba alga slydimo jau sukurta
DocType: Notification Control,Sales Order Message,Pardavimų užsakymų pranešimas
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Numatytosios reikšmės, kaip kompanija, valiuta, einamuosius fiskalinius metus, ir tt"
DocType: Payment Entry,Payment Type,Mokėjimo tipas
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Prašome pasirinkti partiją punktas {0}. Nepavyko rasti vieną partiją, kuri atitinka šį reikalavimą"
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Prašome pasirinkti partiją punktas {0}. Nepavyko rasti vieną partiją, kuri atitinka šį reikalavimą"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Prašome pasirinkti partiją punktas {0}. Nepavyko rasti vieną partiją, kuri atitinka šį reikalavimą"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Prašome pasirinkti partiją punktas {0}. Nepavyko rasti vieną partiją, kuri atitinka šį reikalavimą"
DocType: Process Payroll,Select Employees,pasirinkite Darbuotojai
DocType: Opportunity,Potential Sales Deal,Galimas Pardavimų Spręsti
DocType: Payment Entry,Cheque/Reference Date,Čekis / Nuoroda data
@@ -2484,7 +2498,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Gavimas turi būti pateiktas dokumentas
DocType: Purchase Invoice Item,Received Qty,gavo Kiekis
DocType: Stock Entry Detail,Serial No / Batch,Serijos Nr / Serija
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Nesumokėjo ir nepateikė
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Nesumokėjo ir nepateikė
DocType: Product Bundle,Parent Item,tėvų punktas
DocType: Account,Account Type,Paskyros tipas
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2499,25 +2513,24 @@
DocType: Bin,Reserved Quantity,reserved Kiekis
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,"Prašome įvesti galiojantį elektroninio pašto adresą,"
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,"Prašome įvesti galiojantį elektroninio pašto adresą,"
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},"Nėra privaloma Žinoma, kad programa {0}"
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},"Nėra privaloma Žinoma, kad programa {0}"
DocType: Landed Cost Voucher,Purchase Receipt Items,Pirkimo kvito daiktai
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,PRITAIKYMAS formos
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,Įsiskolinimas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,Įsiskolinimas
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Turto nusidėvėjimo suma per ataskaitinį laikotarpį
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Neįgaliųjų šablonas turi būti ne numatytasis šablonas
DocType: Account,Income Account,pajamų sąskaita
DocType: Payment Request,Amount in customer's currency,Suma kliento valiuta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,pristatymas
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,pristatymas
DocType: Stock Reconciliation Item,Current Qty,Dabartinis Kiekis
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",Žiūrėkite "norma medžiagų pagrindu" į kainuojančios skirsnyje
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Ankstesnis
DocType: Appraisal Goal,Key Responsibility Area,Pagrindinė atsakomybė Plotas
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Studentų Partijos padėti jums sekti lankomumo, vertinimai ir rinkliavos studentams"
DocType: Payment Entry,Total Allocated Amount,Visos skirtos sumos
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Nustatykite numatytąjį inventoriaus sąskaitos už amžiną inventoriaus
DocType: Item Reorder,Material Request Type,Medžiaga Prašymas tipas
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural leidinys Įėjimo atlyginimus iš {0} ir {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage "yra pilna, neišsaugojo"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage "yra pilna, neišsaugojo"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Eilutės {0}: UOM konversijos faktorius yra privalomas
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,teisėjas
DocType: Budget,Cost Center,kaina centras
@@ -2530,19 +2543,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Kainodaros taisyklė yra pagamintas perrašyti Kainoraštis / define diskonto procentas, remiantis kai kuriais kriterijais."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Sandėlių gali būti pakeista tik per vertybinių popierių Entry / Važtaraštis / Pirkimo gavimas
DocType: Employee Education,Class / Percentage,Klasė / procentas
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Vadovas rinkodarai ir pardavimams
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Pajamų mokestis
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Vadovas rinkodarai ir pardavimams
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Pajamų mokestis
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Jei pasirinkta kainodaros taisyklė yra numatyta "kaina", tai bus perrašyti Kainoraštis. Kainodaros taisyklė kaina yra galutinė kaina, todėl turėtų būti taikomas ne toliau nuolaida. Vadinasi, sandorių, pavyzdžiui, pardavimų užsakymų, pirkimo užsakymą ir tt, tai bus pasitinkami ir "norma" srityje, o ne "kainoraštį norma" srityje."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Įrašo Leads pramonės tipo.
DocType: Item Supplier,Item Supplier,Prekė Tiekėjas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,Prašome įvesti Prekės kodas gauti partiją nėra
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},Prašome pasirinkti vertę už {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,Prašome įvesti Prekės kodas gauti partiją nėra
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Prašome pasirinkti vertę už {0} quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Visi adresai.
DocType: Company,Stock Settings,Akcijų Nustatymai
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Sujungimas yra galimas tik tada, jei šie savybės yra tos pačios tiek įrašų. Ar grupė, Šaknų tipas, Įmonės"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Sujungimas yra galimas tik tada, jei šie savybės yra tos pačios tiek įrašų. Ar grupė, Šaknų tipas, Įmonės"
DocType: Vehicle,Electric,elektros
DocType: Task,% Progress,% Progresas
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Pelnas / nuostolis turto perdavimo
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Pelnas / nuostolis turto perdavimo
DocType: Training Event,Will send an email about the event to employees with status 'Open',Ar siųsti žinutę apie renginį darbuotojams su statusu "Atidaryti"
DocType: Task,Depends on Tasks,Priklauso nuo Užduotys
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Valdyti klientų grupei medį.
@@ -2551,7 +2564,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Nauja kaina centras vardas
DocType: Leave Control Panel,Leave Control Panel,Palikite Valdymo skydas
DocType: Project,Task Completion,užduotis užbaigimas
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Nėra sandėlyje
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Nėra sandėlyje
DocType: Appraisal,HR User,HR Vartotojas
DocType: Purchase Invoice,Taxes and Charges Deducted,Mokesčiai ir rinkliavos Išskaityta
apps/erpnext/erpnext/hooks.py +116,Issues,Problemos
@@ -2562,22 +2575,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Ne darbo užmokestį rasti tarp {0} ir {1}
,Pending SO Items For Purchase Request,Kol SO daiktai įsigyti Užsisakyti
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,studentų Priėmimo
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} yra išjungtas
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} yra išjungtas
DocType: Supplier,Billing Currency,atsiskaitymo Valiuta
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Labai didelis
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Labai didelis
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Iš viso lapai
,Profit and Loss Statement,Pelno ir nuostolio ataskaita
DocType: Bank Reconciliation Detail,Cheque Number,Komunalinės Taškų
,Sales Browser,pardavimų naršyklė
DocType: Journal Entry,Total Credit,Kreditai
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Įspėjimas: Kitas {0} # {1} egzistuoja nuo akcijų įrašą {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,vietinis
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,vietinis
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Paskolos ir avansai (turtas)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,skolininkai
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Didelis
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Didelis
DocType: Homepage Featured Product,Homepage Featured Product,Pagrindinis puslapis Teminiai Prekės
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Visi Vertinimo Grupės
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Visi Vertinimo Grupės
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Naujas sandėlys Vardas
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Viso {0} ({1})
DocType: C-Form Invoice Detail,Territory,teritorija
@@ -2587,12 +2600,12 @@
DocType: Production Order Operation,Planned Start Time,Planuojamas Pradžios laikas
DocType: Course,Assessment,įvertinimas
DocType: Payment Entry Reference,Allocated,Paskirti
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Uždaryti Balansas ir knyga pelnas arba nuostolis.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Uždaryti Balansas ir knyga pelnas arba nuostolis.
DocType: Student Applicant,Application Status,paraiškos būseną
DocType: Fees,Fees,Mokesčiai
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Nurodykite Valiutų kursai konvertuoti vieną valiutą į kitą
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Citata {0} atšaukiamas
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Iš viso neapmokėta suma
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Iš viso neapmokėta suma
DocType: Sales Partner,Targets,tikslai
DocType: Price List,Price List Master,Kainų sąrašas magistras
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Visi pardavimo sandoriai gali būti pažymėti prieš kelis ** pardavėjai **, kad būtų galima nustatyti ir stebėti tikslus."
@@ -2624,12 +2637,12 @@
1. Address and Contact of your Company.","Standartinės sąlygos, kurios gali būti įtrauktos į pardavimo ir pirkimo. Pavyzdžiai: 1. galiojimas pasiūlymą. 1. Mokėjimo sąlygos (iš anksto, kredito, dalis avanso ir tt). 1. Kas yra papildomų (arba turėtų sumokėti Užsakovui). 1. Saugumas / naudojimas įspėjimo. 1. Garantija, jei tokių yra. 1. grąžinimo politiką. 1. Terminai laivybos, jei taikoma. 1. būdus, kaip spręsti ginčus, civilinės atsakomybės, atsakomybės ir tt 1. Adresas ir kontaktai Jūsų įmonėje."
DocType: Attendance,Leave Type,atostogos tipas
DocType: Purchase Invoice,Supplier Invoice Details,Tiekėjas Sąskaitos informacija
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Kompensuojamos / Skirtumas sąskaita ({0}) turi būti "pelnas arba nuostolis" sąskaita
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Kompensuojamos / Skirtumas sąskaita ({0}) turi būti "pelnas arba nuostolis" sąskaita
DocType: Project,Copied From,Nukopijuota iš
DocType: Project,Copied From,Nukopijuota iš
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Vardas klaida: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,Trūkumas
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} nėra susijęs su {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} nėra susijęs su {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Lankomumas darbuotojo {0} jau yra pažymėtas
DocType: Packing Slip,If more than one package of the same type (for print),Jeigu yra daugiau nei vienas paketas tos pačios rūšies (spausdinimui)
,Salary Register,Pajamos Registruotis
@@ -2647,22 +2660,23 @@
,Requested Qty,prašoma Kiekis
DocType: Tax Rule,Use for Shopping Cart,Naudokite krepšelį
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Vertė {0} atributas {1} neegzistuoja taikomi tinkamos prekių ar paslaugų sąrašą Įgūdis vertes punkte {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Pasirinkite serijos numeriu
DocType: BOM Item,Scrap %,laužas%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Mokesčiai bus platinamas proporcingai remiantis punktas Kiekis arba sumos, kaip už savo pasirinkimą"
DocType: Maintenance Visit,Purposes,Tikslai
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Atleast vienas punktas turi būti įrašomas neigiamas kiekio grąžinimo dokumentą
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Atleast vienas punktas turi būti įrašomas neigiamas kiekio grąžinimo dokumentą
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operacija {0} ilgiau nei bet kokiomis darbo valandų darbo vietos {1}, suskaidyti operaciją į kelių operacijų"
,Requested,prašoma
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,nėra Pastabos
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,nėra Pastabos
DocType: Purchase Invoice,Overdue,pavėluotas
DocType: Account,Stock Received But Not Billed,"Vertybinių popierių gaunamas, bet nereikia mokėti"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Šaknų sąskaita turi būti grupė
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Šaknų sąskaita turi būti grupė
DocType: Fees,FEE.,RINKLIAVA.
DocType: Employee Loan,Repaid/Closed,Grąžinama / Uždarymo
DocType: Item,Total Projected Qty,Iš viso prognozuojama Kiekis
DocType: Monthly Distribution,Distribution Name,platinimo Vardas
DocType: Course,Course Code,Dalyko kodas
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Kokybės inspekcija privalo už prekę {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Kokybės inspekcija privalo už prekę {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,"Norma, pagal kurią klientas valiuta yra konvertuojamos į įmonės bazine valiuta"
DocType: Purchase Invoice Item,Net Rate (Company Currency),Grynoji palūkanų normos (Įmonės valiuta)
DocType: Salary Detail,Condition and Formula Help,Būklė ir "Formula Pagalba
@@ -2675,27 +2689,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Medžiagos pernešimas gamybai
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Nuolaida procentas gali būti taikomas bet prieš kainoraštis arba visų kainų sąrašas.
DocType: Purchase Invoice,Half-yearly,Kartą per pusmetį
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Apskaitos įrašas už Sandėlyje
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Apskaitos įrašas už Sandėlyje
DocType: Vehicle Service,Engine Oil,Variklio alyva
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Prašome nustatymas Darbuotojų vardų sistemos žmogiškųjų išteklių> HR Nustatymai
DocType: Sales Invoice,Sales Team1,pardavimų team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Prekė {0} neegzistuoja
DocType: Sales Invoice,Customer Address,Klientų Adresas
DocType: Employee Loan,Loan Details,paskolos detalės
+DocType: Company,Default Inventory Account,Numatytasis Inventorius paskyra
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Eilutės {0}: baigė Kiekis turi būti didesnė už nulį.
DocType: Purchase Invoice,Apply Additional Discount On,Būti taikomos papildomos nuolaida
DocType: Account,Root Type,Šaknų tipas
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Eilutės # {0}: negali grįžti daugiau nei {1} už prekę {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Eilutės # {0}: negali grįžti daugiau nei {1} už prekę {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,sklypas
DocType: Item Group,Show this slideshow at the top of the page,Parodyti šią demonstraciją prie puslapio viršuje
DocType: BOM,Item UOM,Prekė UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),"Mokesčių suma, nuolaidos suma (Įmonės valiuta)"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Tikslinė sandėlis yra privalomas eilės {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Tikslinė sandėlis yra privalomas eilės {0}
DocType: Cheque Print Template,Primary Settings,pirminiai nustatymai
DocType: Purchase Invoice,Select Supplier Address,Pasirinkite Tiekėjas Adresas
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Pridėti Darbuotojai
DocType: Purchase Invoice Item,Quality Inspection,kokybės inspekcija
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Papildomas Mažas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Papildomas Mažas
DocType: Company,Standard Template,standartinį šabloną
DocType: Training Event,Theory,teorija
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Įspėjimas: Medžiaga Prašoma Kiekis yra mažesnis nei minimalus užsakymas Kiekis
@@ -2703,7 +2719,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Juridinio asmens / Dukterinė įmonė su atskiru Chart sąskaitų, priklausančių organizacijos."
DocType: Payment Request,Mute Email,Nutildyti paštas
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Maistas, gėrimai ir tabako"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Gali tik sumokėti prieš Neapmokestinama {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Gali tik sumokėti prieš Neapmokestinama {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Komisinis mokestis gali būti ne didesnė kaip 100
DocType: Stock Entry,Subcontract,subrangos sutartys
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Prašome įvesti {0} pirmas
@@ -2716,18 +2732,18 @@
DocType: SMS Log,No of Sent SMS,Nėra išsiųstų SMS
DocType: Account,Expense Account,Kompensuojamos paskyra
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,programinė įranga
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Spalva
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Spalva
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Vertinimo planas kriterijai
DocType: Training Event,Scheduled,planuojama
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Užklausimas.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",Prašome pasirinkti Elementą kur "Ar riedmenys" yra "Ne" ir "Ar Pardavimų punktas" yra "Taip" ir nėra jokio kito Prekės Rinkinys
DocType: Student Log,Academic,akademinis
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Iš viso avansas ({0}) prieš ordino {1} negali būti didesnis nei IŠ VISO ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Iš viso avansas ({0}) prieš ordino {1} negali būti didesnis nei IŠ VISO ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Pasirinkite Mėnesio pasiskirstymas į netolygiai paskirstyti tikslus visoje mėnesius.
DocType: Purchase Invoice Item,Valuation Rate,Vertinimo Balsuok
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,dyzelinis
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Kainų sąrašas Valiuta nepasirinkote
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Kainų sąrašas Valiuta nepasirinkote
,Student Monthly Attendance Sheet,Studentų Mėnesio Lankomumas lapas
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Darbuotojų {0} jau yra kreipęsis dėl {1} tarp {2} ir {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Projekto pradžia
@@ -2740,7 +2756,7 @@
DocType: BOM,Scrap,metalo laužas
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Tvarkyti Pardavimų Partneriai.
DocType: Quality Inspection,Inspection Type,Patikrinimo tipas
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Sandėliai su esamais sandoris negali būti konvertuojamos į grupę.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Sandėliai su esamais sandoris negali būti konvertuojamos į grupę.
DocType: Assessment Result Tool,Result HTML,rezultatas HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Baigia galioti
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Pridėti Studentai
@@ -2748,13 +2764,13 @@
DocType: C-Form,C-Form No,C-formos Nėra
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,priežiūros Lankomumas
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,tyrėjas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,tyrėjas
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Programos Įrašas įrankis Studentų
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Vardas arba el privaloma
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Priimamojo kokybės patikrinimas.
DocType: Purchase Order Item,Returned Qty,grįžo Kiekis
DocType: Employee,Exit,išeiti
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Šaknų tipas yra privalomi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Šaknų tipas yra privalomi
DocType: BOM,Total Cost(Company Currency),Iš viso išlaidų (Įmonės valiuta)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serijos Nr {0} sukūrė
DocType: Homepage,Company Description for website homepage,Įmonės aprašymas interneto svetainės pagrindiniame puslapyje
@@ -2763,7 +2779,7 @@
DocType: Sales Invoice,Time Sheet List,Laikas lapas sąrašas
DocType: Employee,You can enter any date manually,Galite įvesti bet kokį datą rankiniu būdu
DocType: Asset Category Account,Depreciation Expense Account,Nusidėvėjimo sąnaudos paskyra
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Bandomasis laikotarpis
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Bandomasis laikotarpis
DocType: Customer Group,Only leaf nodes are allowed in transaction,Tik lapų mazgai leidžiama sandorio
DocType: Expense Claim,Expense Approver,Kompensuojamos Tvirtintojas
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Eilutės {0}: Išankstinis prieš užsakovui turi būti kredito
@@ -2777,10 +2793,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Kursų tvarkaraštis išbraukiama:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Rąstai išlaikyti sms būsenos
DocType: Accounts Settings,Make Payment via Journal Entry,Atlikti mokėjimą per žurnalo įrašą
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Atspausdinta ant
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Atspausdinta ant
DocType: Item,Inspection Required before Delivery,Patikrinimo Reikalinga prieš Pristatymas
DocType: Item,Inspection Required before Purchase,Patikrinimo Reikalinga prieš perkant
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Kol veiklos
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Jūsų organizacija
DocType: Fee Component,Fees Category,Mokesčiai Kategorija
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Prašome įvesti malšinančių datą.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,amt
@@ -2790,9 +2807,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Pertvarkyti lygis
DocType: Company,Chart Of Accounts Template,Sąskaitų planas Šablonas
DocType: Attendance,Attendance Date,lankomumas data
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Prekė Kaina atnaujintas {0} kainoraštis {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Prekė Kaina atnaujintas {0} kainoraštis {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Pajamos Griauti remiantis uždirbti ir atskaitą.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Sąskaita su vaikų mazgų negali būti konvertuojamos į sąskaitų knygos
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Sąskaita su vaikų mazgų negali būti konvertuojamos į sąskaitų knygos
DocType: Purchase Invoice Item,Accepted Warehouse,Priimamos sandėlis
DocType: Bank Reconciliation Detail,Posting Date,Išsiuntimo data
DocType: Item,Valuation Method,vertinimo metodas
@@ -2801,14 +2818,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,pasikartojantis įrašas
DocType: Program Enrollment Tool,Get Students,Gauk Studentai
DocType: Serial No,Under Warranty,pagal Garantija
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[ERROR]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[ERROR]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,"Žodžiais bus matomas, kai jūs išgelbėti pardavimų užsakymų."
,Employee Birthday,Darbuotojų Gimimo diena
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Studentų Serija Lankomumas įrankis
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,riba Crossed
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,riba Crossed
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Venture Capital "
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Akademinis terminas su šia "Akademinio metų" {0} ir "Terminas Vardas" {1} jau egzistuoja. Prašome pakeisti šiuos įrašus ir pabandykite dar kartą.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Kadangi yra esami sandoriai prieš {0} elementą, jūs negalite pakeisti vertę {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Kadangi yra esami sandoriai prieš {0} elementą, jūs negalite pakeisti vertę {1}"
DocType: UOM,Must be Whole Number,Turi būti sveikasis skaičius
DocType: Leave Control Panel,New Leaves Allocated (In Days),Naujų lapų Pervedimaiį (dienomis)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serijos Nr {0} neegzistuoja
@@ -2817,6 +2834,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Sąskaitos numeris
DocType: Shopping Cart Settings,Orders,Užsakymai
DocType: Employee Leave Approver,Leave Approver,Palikite jį patvirtinusio
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Prašome pasirinkti partiją
DocType: Assessment Group,Assessment Group Name,Vertinimas Grupės pavadinimas
DocType: Manufacturing Settings,Material Transferred for Manufacture,"Medžiagos, perduotos gamybai"
DocType: Expense Claim,"A user with ""Expense Approver"" role",Vartotojas su "išlaidų Tvirtintojas" vaidmenį
@@ -2826,9 +2844,10 @@
DocType: Target Detail,Target Detail,Tikslinė detalės
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,Visi Darbai
DocType: Sales Order,% of materials billed against this Sales Order,% Medžiagų yra mokami nuo šio pardavimo užsakymų
+DocType: Program Enrollment,Mode of Transportation,Transporto režimas
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Laikotarpis uždarymas Įėjimas
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Kaina centras su esamais sandoriai negali būti konvertuojamos į grupės
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Suma {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Suma {0} {1} {2} {3}
DocType: Account,Depreciation,amortizacija
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Tiekėjas (-ai)
DocType: Employee Attendance Tool,Employee Attendance Tool,Darbuotojų dalyvavimas įrankis
@@ -2836,7 +2855,7 @@
DocType: Supplier,Credit Limit,Kredito limitas
DocType: Production Plan Sales Order,Salse Order Date,Purvo vulkanas Užsakyti data
DocType: Salary Component,Salary Component,Pajamos komponentas
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Apmokėjimo Įrašai {0} yra JT susietų
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Apmokėjimo Įrašai {0} yra JT susietų
DocType: GL Entry,Voucher No,Bon Nėra
,Lead Owner Efficiency,Švinas Savininko efektyvumas
,Lead Owner Efficiency,Švinas Savininko efektyvumas
@@ -2848,11 +2867,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Šablonas terminų ar sutarties.
DocType: Purchase Invoice,Address and Contact,Adresas ir kontaktai
DocType: Cheque Print Template,Is Account Payable,Ar sąskaita Mokėtinos sumos
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},"Akcijų, negali būti atnaujintas prieš pirkimo kvito {0}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},"Akcijų, negali būti atnaujintas prieš pirkimo kvito {0}"
DocType: Supplier,Last Day of the Next Month,Paskutinė diena iki kito mėnesio
DocType: Support Settings,Auto close Issue after 7 days,Auto arti išdavimas po 7 dienų
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Palikite negali būti skiriama iki {0}, kaip atostogos balansas jau perkėlimo persiunčiami būsimos atostogos paskirstymo įrašo {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Pastaba: Dėl / Nuoroda data viršija leidžiama klientų kredito dienas iki {0} dieną (-ai)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Pastaba: Dėl / Nuoroda data viršija leidžiama klientų kredito dienas iki {0} dieną (-ai)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Studentų Pareiškėjas
DocType: Asset Category Account,Accumulated Depreciation Account,Sukauptas nusidėvėjimas paskyra
DocType: Stock Settings,Freeze Stock Entries,Freeze Akcijų įrašai
@@ -2861,36 +2880,36 @@
DocType: Activity Cost,Billing Rate,atsiskaitymo Balsuok
,Qty to Deliver,Kiekis pristatyti
,Stock Analytics,Akcijų Analytics "
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Operacijos negali būti paliktas tuščias
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operacijos negali būti paliktas tuščias
DocType: Maintenance Visit Purpose,Against Document Detail No,Su dokumentų Išsamiau Nėra
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Šalis tipas yra privalomi
DocType: Quality Inspection,Outgoing,išeinantis
DocType: Material Request,Requested For,prašoma Dėl
DocType: Quotation Item,Against Doctype,prieš DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} yra atšaukiamas arba uždarė
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} yra atšaukiamas arba uždarė
DocType: Delivery Note,Track this Delivery Note against any Project,Sekti šią važtaraštyje prieš bet kokį projektą
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Grynieji pinigų srautai iš investicinės
-,Is Primary Address,Ar Pirminis Adresas
DocType: Production Order,Work-in-Progress Warehouse,Darbas-in-progress Warehouse
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Turto {0} turi būti pateiktas
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Lankomumas Įrašų {0} egzistuoja nuo Studentų {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Lankomumas Įrašų {0} egzistuoja nuo Studentų {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Nuoroda # {0} data {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Nusidėvėjimas Pašalintas dėl turto perleidimo
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,tvarkyti adresai
DocType: Asset,Item Code,Prekės kodas
DocType: Production Planning Tool,Create Production Orders,Sukurti gamybos užsakymus
DocType: Serial No,Warranty / AMC Details,Garantija / AMC detalės
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Pasirinkite studentai rankiniu veikla grindžiamo grupės
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Pasirinkite studentai rankiniu veikla grindžiamo grupės
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Pasirinkite studentai rankiniu veikla grindžiamo grupės
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Pasirinkite studentai rankiniu veikla grindžiamo grupės
DocType: Journal Entry,User Remark,vartotojas Pastaba
DocType: Lead,Market Segment,Rinkos segmentas
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Sumokėta suma negali būti didesnė nei visos neigiamos nesumokėtos sumos {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Sumokėta suma negali būti didesnė nei visos neigiamos nesumokėtos sumos {0}
DocType: Employee Internal Work History,Employee Internal Work History,Darbuotojų vidaus darbo Istorija
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Uždarymo (dr)
DocType: Cheque Print Template,Cheque Size,Komunalinės dydis
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serijos Nr {0} nėra sandėlyje
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Mokesčių šablonas pardavimo sandorius.
DocType: Sales Invoice,Write Off Outstanding Amount,Nurašyti likutinę sumą
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Sąskaita {0} nesutampa su kompanija {1}
DocType: School Settings,Current Academic Year,Dabartinis akademiniai metai
DocType: School Settings,Current Academic Year,Dabartinis akademiniai metai
DocType: Stock Settings,Default Stock UOM,Numatytasis sandėlyje UOM
@@ -2906,27 +2925,27 @@
DocType: Asset,Double Declining Balance,Dvivietis mažėjančio balanso
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Uždaras nurodymas negali būti atšauktas. Atskleisti atšaukti.
DocType: Student Guardian,Father,tėvas
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,"Atnaujinti sandėlyje" negali būti patikrinta dėl ilgalaikio turto pardavimo
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"Atnaujinti sandėlyje" negali būti patikrinta dėl ilgalaikio turto pardavimo
DocType: Bank Reconciliation,Bank Reconciliation,bankas suderinimas
DocType: Attendance,On Leave,atostogose
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Gaukite atnaujinimus
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Sąskaitos {2} nepriklauso Company {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Medžiaga Prašymas {0} atšauktas ar sustabdytas
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Pridėti keletą pavyzdžių įrašus
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Pridėti keletą pavyzdžių įrašus
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Palikite valdymas
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Grupė sąskaitų
DocType: Sales Order,Fully Delivered,pilnai Paskelbta
DocType: Lead,Lower Income,mažesnes pajamas
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Originalo ir vertimo sandėlis negali būti vienodi eilės {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Originalo ir vertimo sandėlis negali būti vienodi eilės {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Skirtumas paskyra turi būti turto / įsipareigojimų tipo sąskaita, nes tai sandėlyje Susitaikymas yra atidarymas įrašas"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Išmokėta suma negali būti didesnis nei paskolos suma {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},"Pirkimo užsakymo numerį, reikalingą punkto {0}"
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Gamybos Kad nebūtų sukurta
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},"Pirkimo užsakymo numerį, reikalingą punkto {0}"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Gamybos Kad nebūtų sukurta
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"Nuo data" turi būti po "Iki datos"
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Nepavyksta pakeisti statusą kaip studentas {0} yra susijęs su studento taikymo {1}
DocType: Asset,Fully Depreciated,visiškai nusidėvėjusi
,Stock Projected Qty,Akcijų Numatoma Kiekis
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Klientų {0} nepriklauso projekto {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Klientų {0} nepriklauso projekto {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Pažymėti Lankomumas HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Citatos yra pasiūlymų, pasiūlymai turite atsiųsti savo klientams"
DocType: Sales Order,Customer's Purchase Order,Kliento Užsakymo
@@ -2935,8 +2954,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Suma balais vertinimo kriterijai turi būti {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Prašome nustatyti Taškų nuvertinimai Užsakytas
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Vertė arba Kiekis
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Productions pavedimai negali būti padidinta:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Minutė
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions pavedimai negali būti padidinta:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Minutė
DocType: Purchase Invoice,Purchase Taxes and Charges,Pirkimo mokesčius bei rinkliavas
,Qty to Receive,Kiekis Gavimo
DocType: Leave Block List,Leave Block List Allowed,Palikite Blokuoti sąrašas Leido
@@ -2944,25 +2963,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Kompensuojamos Prašymas Transporto Prisijungti {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Nuolaida (%) nuo Kainų sąrašas norma atsargos
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Nuolaida (%) nuo Kainų sąrašas norma atsargos
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,Visi Sandėliai
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Visi Sandėliai
DocType: Sales Partner,Retailer,mažmenininkas
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Kreditas sąskaitos turi būti balansas sąskaitos
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Kreditas sąskaitos turi būti balansas sąskaitos
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Visi Tiekėjo tipai
DocType: Global Defaults,Disable In Words,Išjungti žodžiais
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,"Prekės kodas yra privalomas, nes prekės nėra automatiškai sunumeruoti"
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Prekės kodas yra privalomas, nes prekės nėra automatiškai sunumeruoti"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Citata {0} nėra tipo {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Priežiūra Tvarkaraštis punktas
DocType: Sales Order,% Delivered,% Pristatyta
DocType: Production Order,PRO-,PRO-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Bankas Overdraftas paskyra
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Bankas Overdraftas paskyra
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Padaryti darbo užmokestį
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Eilutė # {0}: Paskirstytas suma gali būti ne didesnis nei likutinę sumą.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Žmonės BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,užtikrintos paskolos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,užtikrintos paskolos
DocType: Purchase Invoice,Edit Posting Date and Time,Redaguoti Siunčiamos data ir laikas
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Prašome nustatyti Nusidėvėjimas susijusias sąskaitas Turto kategorija {0} ar kompanija {1}
DocType: Academic Term,Academic Year,Mokslo metai
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Atidarymas Balansas Akcijų
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Atidarymas Balansas Akcijų
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,įvertinimas
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},Paštas išsiųstas tiekėjo {0}
@@ -2978,7 +2997,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Patvirtinimo vaidmuo gali būti ne tas pats kaip vaidmens taisyklė yra taikoma
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Atsisakyti Šis el.pašto Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Žinutė išsiųsta
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Sąskaita su vaikų mazgų negali būti nustatyti kaip knygoje
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Sąskaita su vaikų mazgų negali būti nustatyti kaip knygoje
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,"Norma, pagal kurią Kainoraštis valiuta konvertuojama į kliento bazine valiuta"
DocType: Purchase Invoice Item,Net Amount (Company Currency),Grynasis kiekis (Įmonės valiuta)
@@ -3013,7 +3032,7 @@
DocType: Expense Claim,Approval Status,patvirtinimo būsena
DocType: Hub Settings,Publish Items to Hub,Publikuoti prekę į Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},Nuo vertė turi būti mažesnė nei vertės eilės {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,pavedimu
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,pavedimu
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Viską Patikrink
DocType: Vehicle Log,Invoice Ref,Sąskaitos faktūros Nuoroda
DocType: Purchase Order,Recurring Order,pasikartojančios Užsakyti
@@ -3026,19 +3045,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Bankininkystė ir mokėjimai
,Welcome to ERPNext,Sveiki atvykę į ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Švinas su citavimo
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nieko daugiau parodyti.
DocType: Lead,From Customer,nuo Klientui
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,ragina
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,ragina
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,partijos
DocType: Project,Total Costing Amount (via Time Logs),Iš viso Sąnaudų suma (per laiko Įrašai)
DocType: Purchase Order Item Supplied,Stock UOM,akcijų UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Pirkimui užsakyti {0} nebus pateiktas
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Pirkimui užsakyti {0} nebus pateiktas
DocType: Customs Tariff Number,Tariff Number,tarifas Taškų
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,prognozuojama
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serijos Nr {0} nepriklauso sandėlis {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Pastaba: sistema netikrins per pristatymą ir per metu už prekę {0} kaip kiekis ar visa suma yra 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Pastaba: sistema netikrins per pristatymą ir per metu už prekę {0} kaip kiekis ar visa suma yra 0
DocType: Notification Control,Quotation Message,citata pranešimas
DocType: Employee Loan,Employee Loan Application,Darbuotojų paraišką paskolai gauti
DocType: Issue,Opening Date,atidarymo data
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Žiūrovų buvo pažymėta sėkmingai.
+DocType: Program Enrollment,Public Transport,Viešasis transportas
DocType: Journal Entry,Remark,pastaba
DocType: Purchase Receipt Item,Rate and Amount,Norma ir dydis
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},"Sąskaitos tipas {0}, turi būti {1}"
@@ -3046,32 +3068,32 @@
DocType: School Settings,Current Academic Term,Dabartinis akademinės terminas
DocType: School Settings,Current Academic Term,Dabartinis akademinės terminas
DocType: Sales Order,Not Billed,ne Įvardintas
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Tiek Sandėlis turi priklausyti pati bendrovė
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,pridėjo dar neturi kontaktai.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Tiek Sandėlis turi priklausyti pati bendrovė
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,pridėjo dar neturi kontaktai.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Nusileido kaina kupono suma
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Vekseliai iškelti tiekėjų.
DocType: POS Profile,Write Off Account,Nurašyti paskyrą
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Debeto aviza Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Nuolaida suma
DocType: Purchase Invoice,Return Against Purchase Invoice,Grįžti Against pirkimo faktūros
DocType: Item,Warranty Period (in days),Garantinis laikotarpis (dienomis)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Ryšys su Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Ryšys su Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Grynieji pinigų srautai iš įprastinės veiklos
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,pvz PVM
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,pvz PVM
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,4 punktas
DocType: Student Admission,Admission End Date,Priėmimo Pabaigos data
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Subrangovai
DocType: Journal Entry Account,Journal Entry Account,Leidinys sumokėjimas
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Studentų grupė
DocType: Shopping Cart Settings,Quotation Series,citata serija
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Elementas egzistuoja to paties pavadinimo ({0}), prašome pakeisti elementą grupės pavadinimą ar pervardyti elementą"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Prašome pasirinkti klientui
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Elementas egzistuoja to paties pavadinimo ({0}), prašome pakeisti elementą grupės pavadinimą ar pervardyti elementą"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Prašome pasirinkti klientui
DocType: C-Form,I,aš
DocType: Company,Asset Depreciation Cost Center,Turto nusidėvėjimo išlaidos centras
DocType: Sales Order Item,Sales Order Date,Pardavimų užsakymų data
DocType: Sales Invoice Item,Delivered Qty,Paskelbta Kiekis
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Jei pažymėta, visi kiekvienos gamybos prekės vaikai bus įtraukti į Materialiųjų prašymus."
DocType: Assessment Plan,Assessment Plan,vertinimo planas
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Sandėlių {0}: Bendrovė yra privalomi
DocType: Stock Settings,Limit Percent,riba procentais
,Payment Period Based On Invoice Date,Mokėjimo periodas remiantis sąskaitos faktūros išrašymo data
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Trūksta Valiutų kursai už {0}
@@ -3083,7 +3105,7 @@
DocType: Vehicle,Insurance Details,draudimo detalės
DocType: Account,Payable,mokėtinas
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,Prašome įvesti grąžinimo terminams
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Skolininkai ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Skolininkai ({0})
DocType: Pricing Rule,Margin,marža
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Nauji klientai
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Bendrasis pelnas %
@@ -3094,16 +3116,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Šalis yra privalomi
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,Temos pavadinimas
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,"Atleast vienas, pardavimas arba pirkimas turi būti parenkamas"
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Pasirinkite savo verslo pobūdį.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,"Atleast vienas, pardavimas arba pirkimas turi būti parenkamas"
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Pasirinkite savo verslo pobūdį.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Eilutė # {0}: pasikartojantis įrašas nuorodose {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Kur gamybos operacijos atliekamos.
DocType: Asset Movement,Source Warehouse,šaltinis sandėlis
DocType: Installation Note,Installation Date,Įrengimas data
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Eilutės # {0}: Turto {1} nepriklauso bendrovei {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Eilutės # {0}: Turto {1} nepriklauso bendrovei {2}
DocType: Employee,Confirmation Date,Patvirtinimas data
DocType: C-Form,Total Invoiced Amount,Iš viso Sąskaitoje suma
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Kiekis negali būti didesnis nei Max Kiekis
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Min Kiekis negali būti didesnis nei Max Kiekis
DocType: Account,Accumulated Depreciation,sukauptas nusidėvėjimas
DocType: Stock Entry,Customer or Supplier Details,Klientas ar tiekėjas detalės
DocType: Employee Loan Application,Required by Date,Reikalauja data
@@ -3124,22 +3146,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Mėnesio pasiskirstymas procentais
DocType: Territory,Territory Targets,Teritorija tikslai
DocType: Delivery Note,Transporter Info,transporteris Informacija
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Prašome nustatyti numatytąjį {0} įmonėje {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Prašome nustatyti numatytąjį {0} įmonėje {1}
DocType: Cheque Print Template,Starting position from top edge,Pradinė padėtis nuo viršaus
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Tas pats tiekėjas buvo įrašytas kelis kartus
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Bendrasis pelnas / nuostolis
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Pirkimui užsakyti punktas Pateikiamas
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Įmonės pavadinimas negali būti Įmonės
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Įmonės pavadinimas negali būti Įmonės
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Laiškas vadovai dėl spausdinimo šablonus.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Pavadinimus spausdinimo šablonų pvz išankstinio mokėjimo sąskaitą.
DocType: Student Guardian,Student Guardian,Studentų globėjas
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Vertinimo tipas mokesčiai negali pažymėta kaip įskaičiuota
DocType: POS Profile,Update Stock,Atnaujinti sandėlyje
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Tiekėjas tiekiantis> tiekėjas tipas
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Įvairūs UOM daiktų bus neteisinga (iš viso) Grynasis svoris vertės. Įsitikinkite, kad grynasis svoris kiekvieno elemento yra toje pačioje UOM."
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Balsuok
DocType: Asset,Journal Entry for Scrap,Žurnalo įrašą laužo
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Prašome traukti elementus iš važtaraštyje
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Žurnalas įrašai {0} yra JT susietų
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Žurnalas įrašai {0} yra JT susietų
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Įrašų visų tipo paštu, telefonu, pokalbiai, apsilankymo, ir tt ryšių"
DocType: Manufacturer,Manufacturers used in Items,Gamintojai naudojami daiktai
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Paminėkite suapvalinti sąnaudų centro įmonėje
@@ -3188,34 +3211,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,Tiekėjas pristato Klientui
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Forma / Prekės / {0}) yra sandelyje
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Kitas data turi būti didesnis nei Skelbimo data
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Rodyti mokesčių lengvata viršų
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Dėl / Nuoroda data negali būti po {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Rodyti mokesčių lengvata viršų
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Dėl / Nuoroda data negali būti po {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Duomenų importas ir eksportas
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","Akcijų įrašai egzistuoti prieš {0} sandėlio, todėl jūs negalite iš naujo priskirti ar pakeisti ją"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Studentai Surasta
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Studentai Surasta
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Sąskaita Siunčiamos data
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Parduoti
DocType: Sales Invoice,Rounded Total,Suapvalinta bendra suma
DocType: Product Bundle,List items that form the package.,"Sąrašas daiktų, kurie sudaro paketą."
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Procentas paskirstymas turi būti lygus 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,Prašome pasirinkti Skelbimo data prieš pasirinkdami Šaliai
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Prašome pasirinkti Skelbimo data prieš pasirinkdami Šaliai
DocType: Program Enrollment,School House,Mokykla Namas
DocType: Serial No,Out of AMC,Iš AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Prašome pasirinkti Citatos
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Prašome pasirinkti Citatos
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Prašome pasirinkti Citatos
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Prašome pasirinkti Citatos
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Taškų nuvertinimai REZERVUOTA negali būti didesnis nei bendras skaičius nuvertinimai
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Padaryti Priežiūros vizitas
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,"Prašome susisiekti su vartotojo, kuris turi pardavimo magistras Manager {0} vaidmenį"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,"Prašome susisiekti su vartotojo, kuris turi pardavimo magistras Manager {0} vaidmenį"
DocType: Company,Default Cash Account,Numatytasis pinigų sąskaitos
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Įmonės (ne klientas ar tiekėjas) meistras.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,"Tai yra, remiantis šio mokinių lankomumą"
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Nėra Studentai
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Nėra Studentai
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Pridėti daugiau elementų arba atidaryti visą formą
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',Prašome įvesti "numatyta pristatymo data"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Pristatymo Pastabos {0} turi būti atšauktas prieš panaikinant šį pardavimo užsakymų
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Mokama suma + nurašyti suma negali būti didesnė nei IŠ VISO
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Mokama suma + nurašyti suma negali būti didesnė nei IŠ VISO
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} yra neteisingas SERIJOS NUMERIS už prekę {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Pastaba: Nėra pakankamai atostogos balansas Palikti tipas {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,Neteisingas GSTIN ar Įveskite NA neregistruotas
DocType: Training Event,Seminar,seminaras
DocType: Program Enrollment Fee,Program Enrollment Fee,Programos Dalyvio mokestis
DocType: Item,Supplier Items,Tiekėjo daiktai
@@ -3241,28 +3264,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,3 punktas
DocType: Purchase Order,Customer Contact Email,Klientų Kontaktai El.paštas
DocType: Warranty Claim,Item and Warranty Details,Punktas ir garantijos informacija
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Prekės kodas> Prekė grupė> Mascus Prekės Ženklo
DocType: Sales Team,Contribution (%),Indėlis (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Pastaba: mokėjimo įrašas nebus sukurtos nuo "pinigais arba banko sąskaitos" nebuvo nurodyta
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,"Pasirinkite programą, kad parsiųsti privalomus kursus."
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,"Pasirinkite programą, kad parsiųsti privalomus kursus."
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,atsakomybė
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,atsakomybė
DocType: Expense Claim Account,Expense Claim Account,Kompensuojamos Pretenzija paskyra
DocType: Sales Person,Sales Person Name,Pardavimų Asmuo Vardas
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Prašome įvesti atleast 1 sąskaitą lentelėje
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Pridėti Vartotojai
DocType: POS Item Group,Item Group,Prekė grupė
DocType: Item,Safety Stock,saugos kodas
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Pažanga% užduoties negali būti daugiau nei 100.
DocType: Stock Reconciliation Item,Before reconciliation,prieš susitaikymo
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Norėdami {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Mokesčiai ir rinkliavos Pridėta (Įmonės valiuta)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Prekė Mokesčių eilutė {0} turi atsižvelgti tipo mokesčio ar pajamų ar sąnaudų arba Apmokestinimo
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Prekė Mokesčių eilutė {0} turi atsižvelgti tipo mokesčio ar pajamų ar sąnaudų arba Apmokestinimo
DocType: Sales Order,Partly Billed,dalinai Įvardintas
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Prekė {0} turi būti ilgalaikio turto
DocType: Item,Default BOM,numatytasis BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,Prašome iš naujo tipo įmonės pavadinimas patvirtinti
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Visos negrąžintos Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Debeto Pastaba suma
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Prašome iš naujo tipo įmonės pavadinimas patvirtinti
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Visos negrąžintos Amt
DocType: Journal Entry,Printing Settings,Spausdinimo nustatymai
DocType: Sales Invoice,Include Payment (POS),Įtraukti mokėjimą (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Iš viso debetas turi būti lygus Kreditai. Skirtumas yra {0}
@@ -3276,16 +3296,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Prekyboje:
DocType: Notification Control,Custom Message,Pasirinktinis pranešimas
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investicinės bankininkystės
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Pinigais arba banko sąskaitos yra privalomas priimant mokėjimo įrašą
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Studentų Adresas
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Studentų Adresas
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Pinigais arba banko sąskaitos yra privalomas priimant mokėjimo įrašą
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Prašome nustatymas numeracijos serijos Lankomumas per Setup> numeravimas serija
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentų Adresas
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentų Adresas
DocType: Purchase Invoice,Price List Exchange Rate,Kainų sąrašas Valiutų kursai
DocType: Purchase Invoice Item,Rate,Kaina
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,internas
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,adresas pavadinimas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,internas
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,adresas pavadinimas
DocType: Stock Entry,From BOM,nuo BOM
DocType: Assessment Code,Assessment Code,vertinimas kodas
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,pagrindinis
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,pagrindinis
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Akcijų sandoriai iki {0} yra sušaldyti
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',Prašome spausti "Generuoti grafiką"
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","pvz KG, padalinys, Nr m"
@@ -3295,11 +3316,11 @@
DocType: Salary Slip,Salary Structure,Pajamos struktūra
DocType: Account,Bank,bankas
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Aviakompanija
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,klausimas Medžiaga
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,klausimas Medžiaga
DocType: Material Request Item,For Warehouse,Sandėliavimo
DocType: Employee,Offer Date,Siūlau data
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,citatos
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,"Jūs esate neprisijungę. Jūs negalite įkelti, kol turite tinklą."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,"Jūs esate neprisijungę. Jūs negalite įkelti, kol turite tinklą."
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Nėra Studentų grupės sukurta.
DocType: Purchase Invoice Item,Serial No,Serijos Nr
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Mėnesio grąžinimo suma negali būti didesnė nei paskolos suma
@@ -3307,8 +3328,8 @@
DocType: Purchase Invoice,Print Language,Spausdinti kalba
DocType: Salary Slip,Total Working Hours,Iš viso darbo valandų
DocType: Stock Entry,Including items for sub assemblies,Įskaitant daiktų sub asamblėjose
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Įveskite vertė turi būti teigiamas
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,visos teritorijos
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Įveskite vertė turi būti teigiamas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,visos teritorijos
DocType: Purchase Invoice,Items,Daiktai
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Studentų jau mokosi.
DocType: Fiscal Year,Year Name,metai Vardas
@@ -3327,10 +3348,10 @@
DocType: Issue,Opening Time,atidarymo laikas
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,"Iš ir į datas, reikalingų"
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Vertybinių popierių ir prekių biržose
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Numatytasis vienetas priemonė variantas "{0}" turi būti toks pat, kaip Šablonas "{1}""
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Numatytasis vienetas priemonė variantas "{0}" turi būti toks pat, kaip Šablonas "{1}""
DocType: Shipping Rule,Calculate Based On,Apskaičiuoti remiantis
DocType: Delivery Note Item,From Warehouse,iš sandėlio
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,"Neturite prekių su Bill iš medžiagų, Gamyba"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,"Neturite prekių su Bill iš medžiagų, Gamyba"
DocType: Assessment Plan,Supervisor Name,priežiūros Vardas
DocType: Program Enrollment Course,Program Enrollment Course,Programos Priėmimas kursai
DocType: Program Enrollment Course,Program Enrollment Course,Programos Priėmimas kursai
@@ -3346,18 +3367,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"Dienos nuo paskutinė užsakymo" turi būti didesnis nei arba lygus nuliui
DocType: Process Payroll,Payroll Frequency,Darbo užmokesčio Dažnio
DocType: Asset,Amended From,Iš dalies pakeistas Nuo
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,žaliava
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,žaliava
DocType: Leave Application,Follow via Email,Sekite elektroniniu paštu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Augalai ir išstumti
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Augalai ir išstumti
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,"Mokesčių suma, nuolaidos suma"
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Dienos darbo santrauka Nustatymai
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Valiuta kainoraštyje {0} nėra panašūs su pasirinkta valiuta {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Valiuta kainoraštyje {0} nėra panašūs su pasirinkta valiuta {1}
DocType: Payment Entry,Internal Transfer,vidaus perkėlimo
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Vaikų sąskaita egzistuoja šioje sąskaitoje. Jūs negalite trinti šią sąskaitą.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Vaikų sąskaita egzistuoja šioje sąskaitoje. Jūs negalite trinti šią sąskaitą.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Bet tikslas Kiekis arba planuojama suma yra privalomi
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Nėra numatytąją BOM egzistuoja punkte {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Nėra numatytąją BOM egzistuoja punkte {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Prašome pasirinkti Skelbimo data pirmas
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Atidarymo data turėtų būti prieš uždarant data
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Prašome nurodyti Pavadinimų serijos {0} per Sąranka> Parametrai> Webdesign Series
DocType: Leave Control Panel,Carry Forward,Tęsti
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Kaina centras su esamais sandoriai negali būti konvertuojamos į sąskaitų knygos
DocType: Department,Days for which Holidays are blocked for this department.,"Dienų, kuriomis Šventės blokuojami šiame skyriuje."
@@ -3367,11 +3389,10 @@
DocType: Issue,Raised By (Email),Iškeltas (el)
DocType: Training Event,Trainer Name,treneris Vardas
DocType: Mode of Payment,General,bendras
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,prisegti Firminiai
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Paskutinis Bendravimas
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Paskutinis Bendravimas
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Negali atskaityti, kai kategorija skirta "Vertinimo" arba "vertinimo ir viso""
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Sąrašas savo mokesčių vadovai (pvz PVM, muitinės ir tt, jie turėtų turėti unikalius vardus) ir jų standartiniai tarifai. Tai padės sukurti standartinį šabloną, kurį galite redaguoti ir pridėti daugiau vėliau."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Sąrašas savo mokesčių vadovai (pvz PVM, muitinės ir tt, jie turėtų turėti unikalius vardus) ir jų standartiniai tarifai. Tai padės sukurti standartinį šabloną, kurį galite redaguoti ir pridėti daugiau vėliau."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Eilės Nr Reikalinga už Serijinis punkte {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Rungtynių Mokėjimai sąskaitų faktūrų
DocType: Journal Entry,Bank Entry,bankas įrašas
@@ -3380,16 +3401,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Į krepšelį
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Grupuoti pagal
DocType: Guardian,Interests,Pomėgiai
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Įjungti / išjungti valiutas.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Įjungti / išjungti valiutas.
DocType: Production Planning Tool,Get Material Request,Gauk Material užklausa
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,pašto išlaidas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,pašto išlaidas
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Iš viso (Amt)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Pramogos ir poilsis
DocType: Quality Inspection,Item Serial No,Prekė Serijos Nr
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Sukurti darbuotojų įrašus
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Iš viso dabartis
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,apskaitos ataskaitos
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,valanda
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,valanda
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nauja Serijos Nr negalite turime sandėlyje. Sandėlių turi nustatyti vertybinių popierių atvykimo arba pirkimo kvito
DocType: Lead,Lead Type,Švinas tipas
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Jūs nesate įgaliotas tvirtinti lapus Block Datos
@@ -3401,6 +3422,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,Naujas BOM po pakeitimo
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Pardavimo punktas
DocType: Payment Entry,Received Amount,gautos sumos
+DocType: GST Settings,GSTIN Email Sent On,GSTIN paštas Išsiųsta
+DocType: Program Enrollment,Pick/Drop by Guardian,Pasirinkite / Užsukite Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Sukurti visiškai kiekio, ignoruojant kiekį jau tam"
DocType: Account,Tax,mokestis
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,nežymimi
@@ -3414,7 +3437,7 @@
DocType: Batch,Source Document Name,Šaltinis Dokumento pavadinimas
DocType: Job Opening,Job Title,Darbo pavadinimas
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Sukurti Vartotojai
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,gramas
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,gramas
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,"Kiekis, Gamyba turi būti didesnis nei 0."
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Aplankykite ataskaitą priežiūros skambučio.
DocType: Stock Entry,Update Rate and Availability,Atnaujinti Įvertinti ir prieinamumas
@@ -3422,7 +3445,7 @@
DocType: POS Customer Group,Customer Group,Klientų grupė
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Nauja Serija kodas (neprivaloma)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Nauja Serija kodas (neprivaloma)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Kompensuojamos sąskaitos yra privalomas už prekę {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Kompensuojamos sąskaitos yra privalomas už prekę {0}
DocType: BOM,Website Description,Interneto svetainė Aprašymas
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Grynasis pokytis nuosavo kapitalo
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Prašome anuliuoti sąskaitą-faktūrą {0} pirmas
@@ -3432,8 +3455,8 @@
,Sales Register,pardavimų Registruotis
DocType: Daily Work Summary Settings Company,Send Emails At,Siųsti laiškus Šiuo
DocType: Quotation,Quotation Lost Reason,Citata Pamiršote Priežastis
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Pasirinkite savo domeną
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Operacijos identifikacinis ne {0} data {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Pasirinkite savo domeną
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Operacijos identifikacinis ne {0} data {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Nėra nieko keisti.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Santrauka šį mėnesį ir laukiant veikla
DocType: Customer Group,Customer Group Name,Klientų Grupės pavadinimas
@@ -3441,14 +3464,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Pinigų srautų ataskaita
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Paskolos suma negali viršyti maksimalios paskolos sumos iš {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,licencija
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},Prašome pašalinti šioje sąskaitoje faktūroje {0} iš C formos {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},Prašome pašalinti šioje sąskaitoje faktūroje {0} iš C formos {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Prašome pasirinkti perkelti skirtumą, jei taip pat norite įtraukti praėjusius finansinius metus balanso palieka šią fiskalinių metų"
DocType: GL Entry,Against Voucher Type,Prieš čekių tipas
DocType: Item,Attributes,atributai
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,Prašome įvesti nurašyti paskyrą
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Prašome įvesti nurašyti paskyrą
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Paskutinė užsakymo data
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Sąskaita {0} nėra siejamas su kompanijos {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Serijiniai numeriai {0} eilės nesutampa su Važtaraštis
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Serijiniai numeriai {0} eilės nesutampa su Važtaraštis
DocType: Student,Guardian Details,"guardian" informacija
DocType: C-Form,C-Form,C-Forma
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Pažymėti Dalyvavimas kelių darbuotojų
@@ -3463,16 +3486,16 @@
DocType: Budget Account,Budget Amount,biudžeto dydis
DocType: Appraisal Template,Appraisal Template Title,Vertinimas Šablonas Pavadinimas
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Nuo datos {0} Darbuotojo {1} gali būti ne anksčiau darbuotojo jungianti data {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,prekybos
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,prekybos
DocType: Payment Entry,Account Paid To,Sąskaita Paide
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Tėvų {0} Prekė turi būti ne riedmenys
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Visi produktus ar paslaugas.
DocType: Expense Claim,More Details,Daugiau informacijos
DocType: Supplier Quotation,Supplier Address,tiekėjas Adresas
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} biudžetas paskyra {1} prieš {2} {3} yra {4}. Jis bus viršyti {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Eilutės {0} # sąskaita turi būti tipo "ilgalaikio turto"
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,iš Kiekis
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Taisyklės apskaičiuoti siuntimo sumą už pardavimą
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Eilutės {0} # sąskaita turi būti tipo "ilgalaikio turto"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,iš Kiekis
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Taisyklės apskaičiuoti siuntimo sumą už pardavimą
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Serija yra privalomi
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Finansinės paslaugos
DocType: Student Sibling,Student ID,Studento pažymėjimas
@@ -3480,13 +3503,13 @@
DocType: Tax Rule,Sales,pardavimų
DocType: Stock Entry Detail,Basic Amount,bazinis dydis
DocType: Training Event,Exam,Egzaminas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Sandėlių reikalingas akcijų punkte {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Sandėlių reikalingas akcijų punkte {0}
DocType: Leave Allocation,Unused leaves,nepanaudoti lapai
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,kr
DocType: Tax Rule,Billing State,atsiskaitymo valstybė
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,perkėlimas
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} nėra susijęs su asmens sąskaita {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Paduok sprogo BOM (įskaitant mazgus)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} nėra susijęs su asmens sąskaita {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Paduok sprogo BOM (įskaitant mazgus)
DocType: Authorization Rule,Applicable To (Employee),Taikoma (Darbuotojų)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Terminas yra privalomi
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Taškinis atributas {0} negali būti 0
@@ -3514,7 +3537,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Žaliavų punktas kodas
DocType: Journal Entry,Write Off Based On,Nurašyti remiantis
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Padaryti Švinas
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Spausdinti Kanceliarinės
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Spausdinti Kanceliarinės
DocType: Stock Settings,Show Barcode Field,Rodyti Brūkšninis kodas laukas
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Siųsti Tiekėjo laiškus
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Pajamos jau tvarkomi laikotarpį tarp {0} ir {1}, palikite taikymo laikotarpį negali būti tarp šios datos intervalą."
@@ -3522,14 +3545,16 @@
DocType: Guardian Interest,Guardian Interest,globėjas Palūkanos
apps/erpnext/erpnext/config/hr.py +177,Training,mokymas
DocType: Timesheet,Employee Detail,Darbuotojų detalės
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 E-mail ID
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 E-mail ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 E-mail ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 E-mail ID
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,Būsima data diena ir Pakartokite Mėnesio diena turi būti lygi
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Nustatymai svetainės puslapyje
DocType: Offer Letter,Awaiting Response,Laukiama atsakymo
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,virš
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,virš
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},Neteisingas atributas {0} {1}
DocType: Supplier,Mention if non-standard payable account,"Paminėkite, jei nestandartinis mokama sąskaita"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Tas pats daiktas buvo įvesta kelis kartus. {Sąrašas}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Prašome pasirinkti kitą nei "visų vertinimo grupės" įvertinimo grupė
DocType: Salary Slip,Earning & Deduction,Pelningiausi & išskaičiavimas
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Neprivaloma. Šis nustatymas bus naudojami filtruoti įvairiais sandoriais.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Neigiamas vertinimas Balsuok neleidžiama
@@ -3543,9 +3568,9 @@
DocType: Sales Invoice,Product Bundle Help,Prekės Rinkinys Pagalba
,Monthly Attendance Sheet,Mėnesio Lankomumas lapas
DocType: Production Order Item,Production Order Item,Gamybos Užsakyti punktas
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Įrašų rasta
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Įrašų rasta
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Išlaidos metalo laužą turto
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Kaina centras yra privalomas punktas {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Kaina centras yra privalomas punktas {2}
DocType: Vehicle,Policy No,politikos Nėra
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Gauti prekes iš prekė Bundle
DocType: Asset,Straight Line,Tiesi linija
@@ -3554,7 +3579,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,skilimas
DocType: GL Entry,Is Advance,Ar Išankstinis
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Lankomumas Iš data ir lankomumo data yra privalomi
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,"Prašome įvesti "subrangos sutartis", nes taip ar ne"
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,"Prašome įvesti "subrangos sutartis", nes taip ar ne"
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Paskutinis Bendravimas data
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Paskutinis Bendravimas data
DocType: Sales Team,Contact No.,Kontaktinė Nr
@@ -3583,60 +3608,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,atidarymo kaina
DocType: Salary Detail,Formula,formulė
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serijinis #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Komisija dėl pardavimo
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Komisija dėl pardavimo
DocType: Offer Letter Term,Value / Description,Vertė / Aprašymas
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Eilutės # {0}: Turto {1} negali būti pateikti, tai jau {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Eilutės # {0}: Turto {1} negali būti pateikti, tai jau {2}"
DocType: Tax Rule,Billing Country,atsiskaitymo Šalis
DocType: Purchase Order Item,Expected Delivery Date,Numatomas pristatymo datos
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debeto ir kredito nėra vienoda {0} # {1}. Skirtumas yra {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Reprezentacinės išlaidos
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Padaryti Material užklausa
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Reprezentacinės išlaidos
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Padaryti Material užklausa
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Atviras punktas {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Pardavimų sąskaita faktūra {0} turi būti atšauktas iki atšaukti šį pardavimo užsakymų
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,amžius
DocType: Sales Invoice Timesheet,Billing Amount,atsiskaitymo suma
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,nurodyta už prekę Neteisingas kiekis {0}. Kiekis turėtų būti didesnis nei 0.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Paraiškos atostogas.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Sąskaita su esamais sandoris negali būti išbrauktas
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Sąskaita su esamais sandoris negali būti išbrauktas
DocType: Vehicle,Last Carbon Check,Paskutinis Anglies Atvykimas
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,teisinės išlaidos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,teisinės išlaidos
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Prašome pasirinkti kiekį ant eilėje
DocType: Purchase Invoice,Posting Time,Siunčiamos laikas
DocType: Timesheet,% Amount Billed,% Suma Įvardintas
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,telefono išlaidas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,telefono išlaidas
DocType: Sales Partner,Logo,logotipas
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Pažymėkite, jei norite priversti vartotoją prieš taupymo pasirinkti seriją. Nebus nutylėjimą, jei jums patikrinti tai."
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Nėra Prekė su Serijos Nr {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Nėra Prekė su Serijos Nr {0}
DocType: Email Digest,Open Notifications,Atviri Pranešimai
DocType: Payment Entry,Difference Amount (Company Currency),Skirtumas Suma (Įmonės valiuta)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,tiesioginės išlaidos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,tiesioginės išlaidos
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} yra negaliojantis e-paštas adresas "Pranešimas \ pašto adresas"
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Naujas klientas pajamos
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Kelionės išlaidos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Kelionės išlaidos
DocType: Maintenance Visit,Breakdown,Palaužti
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Sąskaita: {0} su valiutos: {1} negalima pasirinkti
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Sąskaita: {0} su valiutos: {1} negalima pasirinkti
DocType: Bank Reconciliation Detail,Cheque Date,čekis data
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Sąskaita {0}: Tėvų sąskaitą {1} nepriklauso įmonės: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Sąskaita {0}: Tėvų sąskaitą {1} nepriklauso įmonės: {2}
DocType: Program Enrollment Tool,Student Applicants,studentų Pareiškėjai
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,"Sėkmingai ištrinta visus sandorius, susijusius su šios bendrovės!"
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,"Sėkmingai ištrinta visus sandorius, susijusius su šios bendrovės!"
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Kaip ir data
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,Priėmimo data
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,išbandymas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,išbandymas
apps/erpnext/erpnext/config/hr.py +115,Salary Components,Atlyginimo komponentai
DocType: Program Enrollment Tool,New Academic Year,Nauja akademiniai metai
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Prekių grąžinimas / Kredito Pastaba
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Prekių grąžinimas / Kredito Pastaba
DocType: Stock Settings,Auto insert Price List rate if missing,"Automatinis įterpti Kainų sąrašas norma, jei trūksta"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Iš viso sumokėta suma
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Iš viso sumokėta suma
DocType: Production Order Item,Transferred Qty,perkelta Kiekis
apps/erpnext/erpnext/config/learn.py +11,Navigating,navigacija
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,planavimas
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,išduotas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,planavimas
+DocType: Material Request,Issued,išduotas
DocType: Project,Total Billing Amount (via Time Logs),Iš viso Atsiskaitymo suma (per laiko Įrašai)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Mes parduodame šį Elementą
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,tiekėjas ID
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Mes parduodame šį Elementą
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,tiekėjas ID
DocType: Payment Request,Payment Gateway Details,Mokėjimo šliuzai detalės
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Kiekis turėtų būti didesnis už 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Kiekis turėtų būti didesnis už 0
DocType: Journal Entry,Cash Entry,Pinigai įrašas
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Vaiko mazgai gali būti kuriamos tik pagal "grupė" tipo mazgų
DocType: Leave Application,Half Day Date,Pusė dienos data
@@ -3648,14 +3674,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Prašome nustatyti numatytąją sąskaitą išlaidų teiginio tipas {0}
DocType: Assessment Result,Student Name,Studento vardas
DocType: Brand,Item Manager,Prekė direktorius
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,Darbo užmokesčio Mokėtina
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Darbo užmokesčio Mokėtina
DocType: Buying Settings,Default Supplier Type,Numatytasis Tiekėjas tipas
DocType: Production Order,Total Operating Cost,Iš viso eksploatavimo išlaidos
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Pastaba: Prekės {0} įvesta kelis kartus
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Visi kontaktai.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Įmonės santrumpa
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Įmonės santrumpa
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Vartotojas {0} neegzistuoja
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,Žaliava negali būti tas pats kaip pagrindinis elementas
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Žaliava negali būti tas pats kaip pagrindinis elementas
DocType: Item Attribute Value,Abbreviation,santrumpa
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Mokėjimo įrašas jau yra
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Ne authroized nuo {0} viršija ribas
@@ -3664,35 +3690,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Nustatyti Mokesčių taisyklė krepšelį
DocType: Purchase Invoice,Taxes and Charges Added,Mokesčiai ir rinkliavos Pridėta
,Sales Funnel,pardavimų piltuvas
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Santrumpa yra privalomi
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Santrumpa yra privalomi
DocType: Project,Task Progress,užduotis pažanga
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,krepšelis
,Qty to Transfer,Kiekis perkelti
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Citatos klientų ar.
DocType: Stock Settings,Role Allowed to edit frozen stock,Vaidmuo leidžiama redaguoti šaldytą žaliavą
,Territory Target Variance Item Group-Wise,Teritorija Tikslinė Dispersija punktas grupė-Išminčius
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Visi klientų grupėms
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Visi klientų grupėms
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,sukauptas Mėnesio
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} yra privalomas. Gal Valiutų įrašas nėra sukurtas {1} ir {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} yra privalomas. Gal Valiutų įrašas nėra sukurtas {1} ir {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Mokesčių šablonas yra privalomi.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Sąskaita {0}: Tėvų sąskaitą {1} neegzistuoja
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Sąskaita {0}: Tėvų sąskaitą {1} neegzistuoja
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Kainų sąrašas greitis (Įmonės valiuta)
DocType: Products Settings,Products Settings,produktai Nustatymai
DocType: Account,Temporary,laikinas
DocType: Program,Courses,kursai
DocType: Monthly Distribution Percentage,Percentage Allocation,procentas paskirstymas
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,sekretorius
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,sekretorius
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",Jei išjungti "žodžiais" srityje nebus matomas bet koks sandoris
DocType: Serial No,Distinct unit of an Item,Skirtingai vienetas elementą
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Prašome nurodyti Company
DocType: Pricing Rule,Buying,pirkimas
DocType: HR Settings,Employee Records to be created by,Darbuotojų Įrašai turi būti sukurtas
DocType: POS Profile,Apply Discount On,Taikyti nuolaidą
,Reqd By Date,Reqd Pagal datą
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,kreditoriai
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,kreditoriai
DocType: Assessment Plan,Assessment Name,vertinimas Vardas
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Eilutės # {0}: Serijos Nr privaloma
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Prekė Išminčius Mokesčių detalės
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,institutas santrumpa
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,institutas santrumpa
,Item-wise Price List Rate,Prekė išmintingas Kainų sąrašas Balsuok
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,tiekėjas Citata
DocType: Quotation,In Words will be visible once you save the Quotation.,"Žodžiais bus matomas, kai jūs išgelbėti citatos."
@@ -3700,14 +3727,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Kiekis ({0}) negali būti iš eilės frakcija {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,rinkti mokesčius
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Brūkšninis kodas {0} jau naudojamas prekės {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Brūkšninis kodas {0} jau naudojamas prekės {1}
DocType: Lead,Add to calendar on this date,Pridėti į kalendorių šią dieną
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Taisyklės pridedant siuntimo išlaidas.
DocType: Item,Opening Stock,atidarymo sandėlyje
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Klientas turi
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} yra privalomas Grįžti
DocType: Purchase Order,To Receive,Gauti
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Asmeniniai paštas
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Iš viso Dispersija
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Jei įjungta, sistema bus po apskaitos įrašus inventoriaus automatiškai."
@@ -3718,13 +3744,14 @@
DocType: Customer,From Lead,nuo švino
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Užsakymai išleido gamybai.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Pasirinkite fiskalinių metų ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,"POS profilis reikalaujama, kad POS įrašą"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,"POS profilis reikalaujama, kad POS įrašą"
DocType: Program Enrollment Tool,Enroll Students,stoti Studentai
DocType: Hub Settings,Name Token,vardas ženklas
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standartinė Parduodami
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Atleast vienas sandėlis yra privalomas
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Atleast vienas sandėlis yra privalomas
DocType: Serial No,Out of Warranty,Iš Garantija
DocType: BOM Replace Tool,Replace,pakeisti
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Nėra prekių nerasta.
DocType: Production Order,Unstopped,Unstopped
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} prieš pardavimo sąskaita-faktūra {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3735,13 +3762,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Akcijų vertės skirtumas
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Žmogiškieji ištekliai
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Mokėjimo Susitaikymas Mokėjimo
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,mokesčio turtas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,mokesčio turtas
DocType: BOM Item,BOM No,BOM Nėra
DocType: Instructor,INS/,IP /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Žurnalo įrašą {0} neturi paskyros {1} arba jau suderinta su kitų kuponą
DocType: Item,Moving Average,slenkamasis vidurkis
DocType: BOM Replace Tool,The BOM which will be replaced,BOM kuris bus pakeistas
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,Elektroniniai įrengimai
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,Elektroniniai įrengimai
DocType: Account,Debit,debetas
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Lapai turi būti skiriama kartotinus 0,5"
DocType: Production Order,Operation Cost,operacijos išlaidas
@@ -3749,7 +3776,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,neįvykdyti Amt
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Nustatyti tikslai punktas grupė-protingas šiam Pardavimų asmeniui.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Atsargos senesnis nei [diena]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Eilutės # {0}: turtas yra privalomas ilgalaikio turto pirkimas / pardavimas
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Eilutės # {0}: turtas yra privalomas ilgalaikio turto pirkimas / pardavimas
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Jei du ar daugiau Kainodaros taisyklės yra rasta remiantis pirmiau minėtų sąlygų, pirmenybė taikoma. Prioritetas yra skaičius nuo 0 iki 20, o numatytoji reikšmė yra nulis (tuščias). Didesnis skaičius reiškia, kad jis bus viršesnės jei yra keli kainodaros taisyklės, kurių pačiomis sąlygomis."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Fiskalinė Metai: {0} neegzistuoja
DocType: Currency Exchange,To Currency,valiutos
@@ -3758,7 +3785,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Pardavimo normą punkto {0} yra mažesnis nei {1}. Pardavimo kursas turėtų būti atleast {2}
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Pardavimo normą punkto {0} yra mažesnis nei {1}. Pardavimo kursas turėtų būti atleast {2}
DocType: Item,Taxes,Mokesčiai
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Mokama ir nepareiškė
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Mokama ir nepareiškė
DocType: Project,Default Cost Center,Numatytasis Kaina centras
DocType: Bank Guarantee,End Date,pabaigos data
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Akcijų sandoriai
@@ -3783,24 +3810,22 @@
DocType: Employee,Held On,vyks
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Gamybos punktas
,Employee Information,Darbuotojų Informacija
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Tarifas (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Tarifas (%)
DocType: Stock Entry Detail,Additional Cost,Papildoma Kaina
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Finansinių metų pabaigos data
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Negali filtruoti pagal lakšto, jei grupuojamas kuponą"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Padaryti Tiekėjo Citata
DocType: Quality Inspection,Incoming,įeinantis
DocType: BOM,Materials Required (Exploded),"Medžiagų, reikalingų (Išpjovinė)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Įtraukti vartotojus į savo organizaciją, išskyrus save"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Siunčiamos data negali būti ateitis data
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Eilutės # {0}: Serijos Nr {1} nesutampa su {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Laisvalaikio atostogos
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Laisvalaikio atostogos
DocType: Batch,Batch ID,Serija ID
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Pastaba: {0}
,Delivery Note Trends,Važtaraštis tendencijos
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Šios savaitės suvestinė
-,In Stock Qty,Sandėlyje Kiekis
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Sandėlyje Kiekis
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Sąskaita: {0} gali būti atnaujintas tik per vertybinių popierių sandorių
-DocType: Program Enrollment,Get Courses,Gauk kursai
+DocType: Student Group Creation Tool,Get Courses,Gauk kursai
DocType: GL Entry,Party,šalis
DocType: Sales Order,Delivery Date,Pristatymo data
DocType: Opportunity,Opportunity Date,galimybė data
@@ -3808,14 +3833,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Užklausimas punktas
DocType: Purchase Order,To Bill,Bill
DocType: Material Request,% Ordered,% Užsakytas
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Kursą, pagrįstą studentų grupės, kurso bus patvirtintas kiekvienas studentas iš užprogramuoto kursai programoje registraciją."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Įveskite el atskirti kableliais, sąskaitos faktūros bus išsiųstas automatiškai konkrečią datą"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,vienetinį
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,vienetinį
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Vid. Ieško Balsuok
DocType: Task,Actual Time (in Hours),Tikrasis laikas (valandomis)
DocType: Employee,History In Company,Istorija Company
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Naujienų prenumerata
DocType: Stock Ledger Entry,Stock Ledger Entry,Akcijų Ledgeris įrašas
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klientų> Klientų grupė> teritorija
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Tas pats daiktas buvo įvesta kelis kartus
DocType: Department,Leave Block List,Palikite Blokuoti sąrašas
DocType: Sales Invoice,Tax ID,Mokesčių ID
@@ -3830,30 +3855,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} vienetai {1} reikia {2} užbaigti šį sandorį.
DocType: Loan Type,Rate of Interest (%) Yearly,Palūkanų norma (%) Metinės
DocType: SMS Settings,SMS Settings,SMS nustatymai
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Laikinosios sąskaitos
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,juodas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Laikinosios sąskaitos
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,juodas
DocType: BOM Explosion Item,BOM Explosion Item,BOM sprogimo punktas
DocType: Account,Auditor,auditorius
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} daiktai gaminami
DocType: Cheque Print Template,Distance from top edge,Atstumas nuo viršutinio krašto
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Kainų sąrašas {0} yra išjungtas arba neegzistuoja
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Kainų sąrašas {0} yra išjungtas arba neegzistuoja
DocType: Purchase Invoice,Return,sugrįžimas
DocType: Production Order Operation,Production Order Operation,Gamybos Užsakyti Operacija
DocType: Pricing Rule,Disable,išjungti
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,mokėjimo būdas turi atlikti mokėjimą
DocType: Project Task,Pending Review,kol apžvalga
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nėra įtraukti į Serija {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Turto {0} negali būti sunaikintas, nes jis jau yra {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Bendras išlaidų pretenzija (per expense punktą)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Kliento ID
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Pažymėti Nėra
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Eilutės {0}: Valiuta BOM # {1} turi būti lygus pasirinkta valiuta {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Eilutės {0}: Valiuta BOM # {1} turi būti lygus pasirinkta valiuta {2}
DocType: Journal Entry Account,Exchange Rate,Valiutos kursas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Pardavimų užsakymų {0} nebus pateiktas
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Pardavimų užsakymų {0} nebus pateiktas
DocType: Homepage,Tag Line,Gairė linija
DocType: Fee Component,Fee Component,mokestis komponentas
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,laivyno valdymo
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Pridėti elementus iš
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Sandėlių {0}: Tėvų sąskaitą {1} nėra Bolong bendrovės {2}
DocType: Cheque Print Template,Regular,reguliarus
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Iš viso weightage visų vertinimo kriterijai turi būti 100%
DocType: BOM,Last Purchase Rate,Paskutinis užsakymo kaina
@@ -3862,11 +3886,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Akcijų negali egzistuoti už prekę {0} nes turi variantus
,Sales Person-wise Transaction Summary,Pardavimų Asmuo išmintingas Sandorio santrauka
DocType: Training Event,Contact Number,Kontaktinis telefono numeris
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Sandėlių {0} neegzistuoja
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Sandėlių {0} neegzistuoja
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Registruotis Dėl ERPNext Hub
DocType: Monthly Distribution,Monthly Distribution Percentages,Mėnesio Paskirstymo Procentai
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Pasirinktas elementas negali turėti Serija
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Vertinimo rodiklis į {0} punkte, kurie privalo daryti apskaitos įrašus nerastas {1} {2}. Jei elementas yra santykiuose kaip imties elementą {1}, paminėkite, kad {1} punkto lentelėje. Priešingu atveju, prašome sukurti atvykstamąjį akcijų sandorį elemento arba paminėti vertinimo lygis Prekės įrašo, tada bandykite submiting / atšaukti šį įrašą"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Vertinimo rodiklis į {0} punkte, kurie privalo daryti apskaitos įrašus nerastas {1} {2}. Jei elementas yra santykiuose kaip imties elementą {1}, paminėkite, kad {1} punkto lentelėje. Priešingu atveju, prašome sukurti atvykstamąjį akcijų sandorį elemento arba paminėti vertinimo lygis Prekės įrašo, tada bandykite submiting / atšaukti šį įrašą"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% Medžiagų pristatytas prieš šią važtaraštyje
DocType: Project,Customer Details,klientų informacija
DocType: Employee,Reports to,Pranešti
@@ -3874,24 +3898,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Įveskite URL parametrą imtuvo Nr
DocType: Payment Entry,Paid Amount,sumokėta suma
DocType: Assessment Plan,Supervisor,vadovas
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Prisijunges
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,Prisijunges
,Available Stock for Packing Items,Turimas sandėlyje pakuoti prekės
DocType: Item Variant,Item Variant,Prekė variantas
DocType: Assessment Result Tool,Assessment Result Tool,Vertinimo rezultatas įrankis
DocType: BOM Scrap Item,BOM Scrap Item,BOM laužas punktas
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Pateikė užsakymai negali būti ištrintas
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Sąskaitos likutis jau debeto, jums neleidžiama nustatyti "Balansas turi būti" kaip "Kreditas""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,kokybės valdymas
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Pateikė užsakymai negali būti ištrintas
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Sąskaitos likutis jau debeto, jums neleidžiama nustatyti "Balansas turi būti" kaip "Kreditas""
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,kokybės valdymas
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Prekė {0} buvo išjungta
DocType: Employee Loan,Repay Fixed Amount per Period,Grąžinti fiksuotas dydis vienam laikotarpis
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Prašome įvesti kiekį punkte {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Kredito Pastaba Amt
DocType: Employee External Work History,Employee External Work History,Darbuotojų Išorinis Darbo istorija
DocType: Tax Rule,Purchase,pirkti
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Balansas Kiekis
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Balansas Kiekis
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Tikslai negali būti tuščias
DocType: Item Group,Parent Item Group,Tėvų punktas grupė
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} už {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,sąnaudų centrams
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,sąnaudų centrams
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,"Norma, pagal kurią tiekėjas valiuta yra konvertuojamos į įmonės bazine valiuta"
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Eilutės # {0}: laikus prieštarauja eilės {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Leiskite Zero Vertinimo Balsuok
@@ -3899,17 +3924,18 @@
DocType: Training Event Employee,Invited,kviečiami
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Keli darbuotojo {0} nerasta pagal nurodytą datų aktyvių Atlyginimo struktūros
DocType: Opportunity,Next Contact,Kitas Susisiekite
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Parametrų Gateway sąskaitos.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Parametrų Gateway sąskaitos.
DocType: Employee,Employment Type,Užimtumas tipas
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Ilgalaikis turtas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Ilgalaikis turtas
DocType: Payment Entry,Set Exchange Gain / Loss,Nustatyti keitimo pelnas / nuostolis
+,GST Purchase Register,"Paaiškėjo, kad GST Pirkimo Registruotis"
,Cash Flow,Pinigų srautas
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Taikymo laikotarpis negali būti per du alocation įrašų
DocType: Item Group,Default Expense Account,Numatytasis išlaidų sąskaita
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Studentų E-mail ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Studentų E-mail ID
DocType: Employee,Notice (days),Pranešimas (dienų)
DocType: Tax Rule,Sales Tax Template,Pardavimo mokestis Šablono
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Pasirinkite elementus išsaugoti sąskaitą faktūrą
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Pasirinkite elementus išsaugoti sąskaitą faktūrą
DocType: Employee,Encashment Date,išgryninimo data
DocType: Training Event,Internet,internetas
DocType: Account,Stock Adjustment,vertybinių popierių reguliavimas
@@ -3938,7 +3964,7 @@
DocType: Guardian,Guardian Of ,sergėtojos
DocType: Grading Scale Interval,Threshold,Slenkstis
DocType: BOM Replace Tool,Current BOM,Dabartinis BOM
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Pridėti Serijos Nr
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Pridėti Serijos Nr
apps/erpnext/erpnext/config/support.py +22,Warranty,garantija
DocType: Purchase Invoice,Debit Note Issued,Debeto Pastaba Išduotas
DocType: Production Order,Warehouses,Sandėliai
@@ -3947,20 +3973,20 @@
DocType: Workstation,per hour,per valandą
apps/erpnext/erpnext/config/buying.py +7,Purchasing,Pirkimas
DocType: Announcement,Announcement,skelbimas
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Sąskaita už sandėlio (nuolatinio inventorizavimo) bus sukurta pagal šią sąskaitą.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Sandėlių negali būti išbrauktas, nes egzistuoja akcijų knygos įrašas šiame sandėlyje."
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","UŽ SERIJŲ remiantis studentų grupę, studentas Serija bus patvirtintas kiekvienas studentas iš programos registraciją."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Sandėlių negali būti išbrauktas, nes egzistuoja akcijų knygos įrašas šiame sandėlyje."
DocType: Company,Distribution,pasiskirstymas
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Sumokėta suma
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Projekto vadovas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Projekto vadovas
,Quoted Item Comparison,Cituojamas punktas Palyginimas
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,išsiuntimas
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Maksimali nuolaida leidžiama punktu: {0} yra {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,išsiuntimas
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Maksimali nuolaida leidžiama punktu: {0} yra {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,"Grynoji turto vertė, nuo"
DocType: Account,Receivable,gautinos
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Eilutės # {0}: Neleidžiama keisti tiekėjo Užsakymo jau egzistuoja
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Eilutės # {0}: Neleidžiama keisti tiekėjo Užsakymo jau egzistuoja
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Vaidmenį, kurį leidžiama pateikti sandorius, kurie viršija nustatytus kredito limitus."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Pasirinkite prekę Gamyba
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master Data sinchronizavimą, tai gali užtrukti šiek tiek laiko"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Pasirinkite prekę Gamyba
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master Data sinchronizavimą, tai gali užtrukti šiek tiek laiko"
DocType: Item,Material Issue,medžiaga išdavimas
DocType: Hub Settings,Seller Description,pardavėjas Aprašymas
DocType: Employee Education,Qualification,kvalifikacija
@@ -3980,7 +4006,6 @@
DocType: BOM,Rate Of Materials Based On,Norma medžiagų pagrindu
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,paramos Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Nuimkite visus
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Įmonės trūksta sandėlių {0}
DocType: POS Profile,Terms and Conditions,Terminai ir sąlygos
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},"Data turi būti per finansinius metus. Darant prielaidą, kad Norėdami data = {0}"
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Čia galite išsaugoti ūgį, svorį, alergijos, medicinos problemas ir tt"
@@ -3995,19 +4020,18 @@
DocType: Sales Order Item,For Production,gamybai
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Peržiūrėti Užduotis
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Jūsų finansiniai metai prasideda
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Švinas%
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Švinas%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Turto Nusidėvėjimas ir likučiai
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Suma {0} {1} perkeliamas iš {2} į {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Suma {0} {1} perkeliamas iš {2} į {3}
DocType: Sales Invoice,Get Advances Received,Gauti gautų išankstinių
DocType: Email Digest,Add/Remove Recipients,Įdėti / pašalinti gavėjus
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Sandorio neleidžiama prieš nutraukė gamybą Užsakyti {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Sandorio neleidžiama prieš nutraukė gamybą Užsakyti {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Norėdami nustatyti šią fiskalinių metų kaip numatytąjį, spustelėkite ant "Set as Default""
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,prisijungti
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,prisijungti
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,trūkumo Kiekis
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Prekė variantas {0} egzistuoja pačių savybių
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Prekė variantas {0} egzistuoja pačių savybių
DocType: Employee Loan,Repay from Salary,Grąžinti iš Pajamos
DocType: Leave Application,LAP/,juosmens /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},"Prašančioji mokėjimą nuo {0} {1} už sumą, {2}"
@@ -4018,34 +4042,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Sukurti pakavimo lapelius paketai turi būti pareikšta. Naudota pranešti pakuotės numeris, pakuočių turinį ir jo svorį."
DocType: Sales Invoice Item,Sales Order Item,Pardavimų užsakymų punktas
DocType: Salary Slip,Payment Days,Atsiskaitymo diena
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Sandėliai su vaikų mazgų negali būti konvertuojamos į sąskaitų knygos
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Sandėliai su vaikų mazgų negali būti konvertuojamos į sąskaitų knygos
DocType: BOM,Manage cost of operations,Tvarkyti išlaidas operacijoms
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Kai bet kuri iš patikrintų sandorių "Pateikė", elektroninio pašto Iššokantis automatiškai atidaryti siųsti el.laišką susijusios "Kontaktai" toje sandorio su sandoriu kaip priedą. Vartotojas gali arba negali siųsti laišką."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Bendrosios nuostatos
DocType: Assessment Result Detail,Assessment Result Detail,Vertinimo rezultatas detalės
DocType: Employee Education,Employee Education,Darbuotojų Švietimas
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Dubliuoti punktas grupė rastas daiktas grupės lentelėje
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,"Jis reikalingas, kad parsiųsti Išsamesnė informacija."
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,"Jis reikalingas, kad parsiųsti Išsamesnė informacija."
DocType: Salary Slip,Net Pay,Grynasis darbo užmokestis
DocType: Account,Account,sąskaita
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Serijos Nr {0} jau gavo
,Requested Items To Be Transferred,Pageidaujami daiktai turi būti perkeltos
DocType: Expense Claim,Vehicle Log,Automobilio Prisijungti
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Sandėlių {0} nėra susijęs su bet kokios sąskaitos, prašome sukurti / sujungti atitinkamą (turto) sąskaitą sandėlį."
DocType: Purchase Invoice,Recurring Id,pasikartojančios ID
DocType: Customer,Sales Team Details,Sales Team detalės
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Ištrinti visam laikui?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Ištrinti visam laikui?
DocType: Expense Claim,Total Claimed Amount,Iš viso ieškinių suma
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Galimas galimybės pardavinėti.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Neteisingas {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,atostogos dėl ligos
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Neteisingas {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,atostogos dėl ligos
DocType: Email Digest,Email Digest,paštas Digest "
DocType: Delivery Note,Billing Address Name,Atsiskaitymo Adresas Pavadinimas
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Universalinės parduotuvės
DocType: Warehouse,PIN,PIN kodas
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Nustatykite savo mokykla ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Bazinė Pakeisti Suma (Įmonės valiuta)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Nieko apskaitos įrašai šiuos sandėlius
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Nieko apskaitos įrašai šiuos sandėlius
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Išsaugoti dokumentą pirmas.
DocType: Account,Chargeable,Apmokestinimo
DocType: Company,Change Abbreviation,Pakeisti santrumpa
@@ -4063,7 +4086,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Numatomas pristatymo data negali būti prieš perkant įsakymu data
DocType: Appraisal,Appraisal Template,vertinimas Šablono
DocType: Item Group,Item Classification,Prekė klasifikavimas
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Verslo plėtros vadybininkas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Verslo plėtros vadybininkas
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Priežiūra vizito tikslas
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,laikotarpis
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Bendra Ledgeris
@@ -4073,8 +4096,8 @@
DocType: Item Attribute Value,Attribute Value,Pavadinimas Reikšmė
,Itemwise Recommended Reorder Level,Itemwise Rekomenduojama Pertvarkyti lygis
DocType: Salary Detail,Salary Detail,Pajamos detalės
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,Prašome pasirinkti {0} pirmas
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Serija {0} punkto {1} yra pasibaigęs.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Prašome pasirinkti {0} pirmas
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Serija {0} punkto {1} yra pasibaigęs.
DocType: Sales Invoice,Commission,Komisija
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Laikas lapas gamybai.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Tarpinė suma
@@ -4085,6 +4108,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,"Freeze Atsargos Senesni Than` turėtų būti mažesnis nei% d dienų.
DocType: Tax Rule,Purchase Tax Template,Pirkimo Mokesčių šabloną
,Project wise Stock Tracking,Projektų protinga sandėlyje sekimo
+DocType: GST HSN Code,Regional,regioninis
DocType: Stock Entry Detail,Actual Qty (at source/target),Tikrasis Kiekis (bent šaltinio / target)
DocType: Item Customer Detail,Ref Code,teisėjas kodas
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Darbuotojų įrašus.
@@ -4095,13 +4119,13 @@
DocType: Email Digest,New Purchase Orders,Nauja Užsakymų
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Šaknų negali turėti tėvų ekonominį centrą
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Pasirinkite prekės ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Mokymo Renginiai / Rezultatai
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Sukauptas nusidėvėjimas nuo
DocType: Sales Invoice,C-Form Applicable,"C-formos, taikomos"
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Operacijos metu turi būti didesnis nei 0 darbui {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Sandėlių yra privalomi
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Sandėlių yra privalomi
DocType: Supplier,Address and Contacts,Adresas ir kontaktai
DocType: UOM Conversion Detail,UOM Conversion Detail,UOM konversijos detalės
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Laikykite jį interneto draugiškas 900px (w) iki 100 piks (H)
DocType: Program,Program Abbreviation,programos santrumpa
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Gamybos nurodymas negali būti iškeltas prieš Prekės Šablonas
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Mokesčiai yra atnaujinama pirkimo kvitą su kiekvieno elemento
@@ -4109,13 +4133,13 @@
DocType: Bank Guarantee,Start Date,Pradžios data
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Skirti lapai laikotarpiui.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Čekiai ir užstatai neteisingai išvalytas
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Sąskaita {0}: Jūs negalite priskirti save kaip patronuojančios sąskaitą
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Sąskaita {0}: Jūs negalite priskirti save kaip patronuojančios sąskaitą
DocType: Purchase Invoice Item,Price List Rate,Kainų sąrašas Balsuok
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Sukurti klientų citatos
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Rodyti "Sandėlyje" arba "nėra sandėlyje" remiantis sandėlyje turimus šiame sandėlį.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Bilis medžiagos (BOM)
DocType: Item,Average time taken by the supplier to deliver,"Vidutinis laikas, per kurį tiekėjas pateikia"
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,vertinimo rezultatas
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,vertinimo rezultatas
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,valandos
DocType: Project,Expected Start Date,"Tikimasi, pradžios data"
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Pašalinti elementą jei mokesčiai nėra taikomi šio elemento
@@ -4129,25 +4153,24 @@
DocType: Workstation,Operating Costs,Veiklos sąnaudos
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,"Veiksmų, jei sukauptos mėnesio biudžetas Viršytas"
DocType: Purchase Invoice,Submit on creation,Pateikti steigti
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Valiuta {0} turi būti {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Valiuta {0} turi būti {1}
DocType: Asset,Disposal Date,Atliekų data
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Laiškai bus siunčiami į visus aktyvius bendrovės darbuotojams už tam tikrą valandą, jei jie neturi atostogų. Atsakymų santrauka bus išsiųstas vidurnaktį."
DocType: Employee Leave Approver,Employee Leave Approver,Darbuotojų atostogos Tvirtintojas
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Eilutės {0}: an Pertvarkyti įrašas jau yra šiam sandėlį {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Eilutės {0}: an Pertvarkyti įrašas jau yra šiam sandėlį {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Negali paskelbti, kad prarastas, nes Citata buvo padaryta."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Mokymai Atsiliepimai
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Gamybos Užsakyti {0} turi būti pateiktas
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Gamybos Užsakyti {0} turi būti pateiktas
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Prašome pasirinkti pradžios ir pabaigos data punkte {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},"Žinoma, yra privalomi eilės {0}"
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Iki šiol gali būti ne anksčiau iš dienos
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc dokumentų tipas
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Įdėti / Redaguoti kainas
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Įdėti / Redaguoti kainas
DocType: Batch,Parent Batch,tėvų Serija
DocType: Batch,Parent Batch,tėvų Serija
DocType: Cheque Print Template,Cheque Print Template,Čekis Spausdinti Šablono
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Schema sąnaudų centrams
,Requested Items To Be Ordered,Pageidaujami Daiktai nurodoma padengti
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,"Sandėlių bendrovė turi būti toks pat, kaip Sąskaitos įmonės"
DocType: Price List,Price List Name,Kainų sąrašas vardas
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Kasdieniniame darbe santrauka {0}
DocType: Employee Loan,Totals,sumos
@@ -4169,55 +4192,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Prašome įvesti galiojantį mobiliojo nos
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Prašome įvesti žinutę prieš išsiunčiant
DocType: Email Digest,Pending Quotations,kol Citatos
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Point-of-Sale profilis
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale profilis
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Atnaujinkite SMS nustatymai
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,neužtikrintas paskolas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,neužtikrintas paskolas
DocType: Cost Center,Cost Center Name,Kainuos centras vardas
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Maksimalus darbo laikas nuo laiko apskaitos žiniaraštis
DocType: Maintenance Schedule Detail,Scheduled Date,Numatoma data
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Visų mokamų Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Visų mokamų Amt
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Žinutės didesnis nei 160 simboliai bus padalintas į keletą pranešimų
DocType: Purchase Receipt Item,Received and Accepted,Gavo ir patvirtino
+,GST Itemised Sales Register,"Paaiškėjo, kad GST Detalios Pardavimų Registruotis"
,Serial No Service Contract Expiry,Serijos Nr Paslaugų sutarties galiojimo pabaigos
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Jūs negalite Kredito ir debeto pačią sąskaitą tuo pačiu metu
DocType: Naming Series,Help HTML,Pagalba HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Studentų grupė kūrimo įrankis
DocType: Item,Variant Based On,Variantas remiantis
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Iš viso weightage priskirti turi būti 100%. Ji yra {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Jūsų tiekėjai
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Jūsų tiekėjai
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Negalima nustatyti kaip Pamiršote nes yra pagamintas pardavimų užsakymų.
DocType: Request for Quotation Item,Supplier Part No,Tiekėjas partijos nr
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Negali atskaityti, kai kategorija skirta "Vertinimo" arba "Vaulation ir viso""
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Gautas nuo
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Gautas nuo
DocType: Lead,Converted,Perskaičiuotas
DocType: Item,Has Serial No,Turi Serijos Nr
DocType: Employee,Date of Issue,Išleidimo data
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Nuo {0} už {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kaip už pirkimo parametrus, jei pirkimas Čekio Reikalinga == "Taip", tada sukurti sąskaitą-faktūrą, vartotojo pirmiausia reikia sukurti pirkimo kvitą už prekę {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Eilutės # {0}: Nustatykite Tiekėjas už prekę {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Eilutės {0}: valandos vertė turi būti didesnė už nulį.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Interneto svetainė Paveikslėlis {0} pridedamas prie punkto {1} negali būti rastas
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Interneto svetainė Paveikslėlis {0} pridedamas prie punkto {1} negali būti rastas
DocType: Issue,Content Type,turinio tipas
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Kompiuteris
DocType: Item,List this Item in multiple groups on the website.,Sąrašas šį Elementą keliomis grupėmis svetainėje.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Prašome patikrinti Multi Valiuta galimybę leisti sąskaitas kita valiuta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Punktas: {0} neegzistuoja sistemoje
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Jūs nesate įgaliotas nustatyti Frozen vertę
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Punktas: {0} neegzistuoja sistemoje
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Jūs nesate įgaliotas nustatyti Frozen vertę
DocType: Payment Reconciliation,Get Unreconciled Entries,Gauk Unreconciled įrašai
DocType: Payment Reconciliation,From Invoice Date,Iš sąskaitos faktūros išrašymo data
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,Atsiskaitymo valiuta turi būti lygi arba numatytosios comapany anketa valiutos arba asmens sąskaita valiuta
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Palikite išgryninimo
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Ką tai daro?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,Atsiskaitymo valiuta turi būti lygi arba numatytosios comapany anketa valiutos arba asmens sąskaita valiuta
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Palikite išgryninimo
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Ką tai daro?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,į sandėlį
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Visi Studentų Priėmimo
,Average Commission Rate,Vidutinis Komisija Balsuok
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,"Ar Serijos ne" negali būti "Taip" už NON-STOCK punktą
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"Ar Serijos ne" negali būti "Taip" už NON-STOCK punktą
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Dalyvavimas negali būti ženklinami ateities datas
DocType: Pricing Rule,Pricing Rule Help,Kainodaros taisyklė Pagalba
DocType: School House,House Name,Namas Vardas
DocType: Purchase Taxes and Charges,Account Head,sąskaita vadovas
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Atnaujinkite papildomas išlaidas apskaičiuoti iškrauti išlaidas daiktų
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,elektros
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,elektros
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Pridėti jūsų organizacijos pailsėti kaip savo vartotojams. Taip pat galite pridėti kviečiame klientus į jūsų portalą pridedant juos nuo Kontaktai
DocType: Stock Entry,Total Value Difference (Out - In),Viso vertės skirtumas (iš - į)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Eilutės {0}: Valiutų kursai yra privalomi
@@ -4227,7 +4252,7 @@
DocType: Item,Customer Code,Kliento kodas
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Gimimo diena priminimas {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dienas nuo paskutinė užsakymo
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Debeto sąskaitą turi būti balansas sąskaitos
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Debeto sąskaitą turi būti balansas sąskaitos
DocType: Buying Settings,Naming Series,Pavadinimų serija
DocType: Leave Block List,Leave Block List Name,Palikite blokuojamų sąrašą pavadinimas
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Draudimo pradžios data turėtų būti ne mažesnė nei draudimo pabaigos data
@@ -4242,27 +4267,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Pajamos Kuponas darbuotojo {0} jau sukurta laiko lape {1}
DocType: Vehicle Log,Odometer,odometras
DocType: Sales Order Item,Ordered Qty,Užsakytas Kiekis
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Prekė {0} yra išjungtas
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Prekė {0} yra išjungtas
DocType: Stock Settings,Stock Frozen Upto,Akcijų Šaldyti upto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM nėra jokių akcijų elementą
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM nėra jokių akcijų elementą
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Laikotarpis nuo ir laikotarpis datų privalomų pasikartojančios {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Projekto veikla / užduotis.
DocType: Vehicle Log,Refuelling Details,Degalų detalės
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Sukurti apie atlyginimų
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Ieško turi būti patikrinta, jei taikoma pasirinkta kaip {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Ieško turi būti patikrinta, jei taikoma pasirinkta kaip {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Nuolaida turi būti mažesnis nei 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Paskutinis pirkinys norma nerastas
DocType: Purchase Invoice,Write Off Amount (Company Currency),Nurašyti suma (Įmonės valiuta)
DocType: Sales Invoice Timesheet,Billing Hours,Atsiskaitymo laikas
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,Numatytasis BOM už {0} nerastas
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Eilutės # {0}: Prašome nustatyti pertvarkyti kiekį
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Eilutės # {0}: Prašome nustatyti pertvarkyti kiekį
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Bakstelėkite elementus įtraukti juos čia
DocType: Fees,Program Enrollment,programos Įrašas
DocType: Landed Cost Voucher,Landed Cost Voucher,Nusileido kaina čekis
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Prašome nustatyti {0}
DocType: Purchase Invoice,Repeat on Day of Month,Pakartokite Mėnesio diena
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} yra neaktyvus studentas
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} yra neaktyvus studentas
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} yra neaktyvus studentas
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} yra neaktyvus studentas
DocType: Employee,Health Details,sveikatos informacija
DocType: Offer Letter,Offer Letter Terms,Laiško su pasiūlymu Terminų
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Norėdami sukurti mokėjimo prašymas nuoroda dokumentas yra reikalingas
@@ -4284,7 +4309,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Pavyzdys:. ABCD ##### Jei serija yra nustatytas ir Serijos Nr nepaminėtas sandorius, tada automatinis serijos numeris bus sukurta remiantis šios serijos. Jei norite visada aiškiai paminėti eilės numeriai šią prekę nėra. Palikite šį lauką tuščią."
DocType: Upload Attendance,Upload Attendance,Įkelti Lankomumas
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM ir gamyba Kiekis yra privalomi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM ir gamyba Kiekis yra privalomi
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Senėjimas klasės 2
DocType: SG Creation Tool Course,Max Strength,Maksimali jėga
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM pakeisti
@@ -4294,8 +4319,8 @@
,Prospects Engaged But Not Converted,Perspektyvos Užsiima Bet nevirsta
DocType: Manufacturing Settings,Manufacturing Settings,Gamybos Nustatymai
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Įsteigti paštu
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Mobilus Nėra
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Prašome įvesti numatytasis valiuta įmonėje Master
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobilus Nėra
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Prašome įvesti numatytasis valiuta įmonėje Master
DocType: Stock Entry Detail,Stock Entry Detail,Akcijų įrašo informaciją
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Dienos Priminimai
DocType: Products Settings,Home Page is Products,Titulinis puslapis yra Produktai
@@ -4304,7 +4329,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Nauja Sąskaitos pavadinimas
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Žaliavos Pateikiamas Kaina
DocType: Selling Settings,Settings for Selling Module,Nustatymai parduoti modulis
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Klientų aptarnavimas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Klientų aptarnavimas
DocType: BOM,Thumbnail,Miniatiūra
DocType: Item Customer Detail,Item Customer Detail,Prekė Klientų detalės
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Siūlau kandidatas darbą.
@@ -4313,7 +4338,7 @@
DocType: Pricing Rule,Percentage,procentas
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Prekė {0} turi būti akcijų punktas
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Numatytasis nebaigtos Warehouse
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Numatytieji nustatymai apskaitos operacijų.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Numatytieji nustatymai apskaitos operacijų.
DocType: Maintenance Visit,MV,V.
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Numatoma data negali būti prieš Medžiaga prašymo pateikimo dienos
DocType: Purchase Invoice Item,Stock Qty,akcijų Kiekis
@@ -4327,10 +4352,10 @@
DocType: Sales Order,Printing Details,Spausdinimo detalės
DocType: Task,Closing Date,Pabaigos data
DocType: Sales Order Item,Produced Quantity,pagamintas kiekis
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,inžinierius
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,inžinierius
DocType: Journal Entry,Total Amount Currency,Bendra suma Valiuta
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Paieška Sub Agregatai
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Prekės kodas reikalaujama Row Nr {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Prekės kodas reikalaujama Row Nr {0}
DocType: Sales Partner,Partner Type,partnerio tipas
DocType: Purchase Taxes and Charges,Actual,faktinis
DocType: Authorization Rule,Customerwise Discount,Customerwise nuolaida
@@ -4347,11 +4372,11 @@
DocType: Item Reorder,Re-Order Level,Re įsakymu lygis
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Įveskite elementus ir planuojamą vnt, už kuriuos norite padidinti gamybos užsakymus arba atsisiųsti žaliavas analizė."
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Ganto diagramos
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Neakivaizdinės
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Neakivaizdinės
DocType: Employee,Applicable Holiday List,Taikoma Atostogų sąrašas
DocType: Employee,Cheque,Tikrinti
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,serija Atnaujinta
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Ataskaitos tipas yra privalomi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Ataskaitos tipas yra privalomi
DocType: Item,Serial Number Series,Eilės numeris serija
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Sandėlių yra privalomas akcijų punkte {0} iš eilės {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Mažmeninė prekyba ir didmeninė prekyba
@@ -4373,7 +4398,7 @@
DocType: BOM,Materials,medžiagos
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Jei nepažymėta, sąrašas turi būti pridedamas prie kiekvieno padalinio, kuriame jis turi būti taikomas."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Originalo ir vertimo Sandėlis negali būti tas pats
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Siunčiamos datą ir paskelbimo laiką yra privalomas
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Siunčiamos datą ir paskelbimo laiką yra privalomas
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Mokesčių šablonas pirkti sandorius.
,Item Prices,Prekė Kainos
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"Žodžiais bus matomas, kai jūs išgelbėti pirkimo pavedimu."
@@ -4383,22 +4408,23 @@
DocType: Purchase Invoice,Advance Payments,išankstiniai mokėjimai
DocType: Purchase Taxes and Charges,On Net Total,Dėl grynuosius
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Vertė Attribute {0} turi būti intervale {1} ir {2} į žingsniais {3} už prekę {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,"Tikslinė sandėlis {0} eilės turi būti toks pat, kaip gamybos ordino"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,"Tikslinė sandėlis {0} eilės turi būti toks pat, kaip gamybos ordino"
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,"Pranešimas elektroninio pašto adresai" nenurodyti pasikartojančios% s
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,"Valiuta negali būti pakeistas po to, kai įrašus naudojant kai kita valiuta"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,"Valiuta negali būti pakeistas po to, kai įrašus naudojant kai kita valiuta"
DocType: Vehicle Service,Clutch Plate,Sankabos diskas
DocType: Company,Round Off Account,Suapvalinti paskyrą
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,administracinės išlaidos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,administracinės išlaidos
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,konsultavimas
DocType: Customer Group,Parent Customer Group,Tėvų Klientų grupė
DocType: Purchase Invoice,Contact Email,kontaktinis elektroninio pašto adresas
DocType: Appraisal Goal,Score Earned,balas uždirbo
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,įspėjimo terminas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,įspėjimo terminas
DocType: Asset Category,Asset Category Name,Turto Kategorijos pavadinimas
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Tai yra šaknis teritorijoje ir negali būti pakeisti.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Nauja pardavimų asmuo Vardas
DocType: Packing Slip,Gross Weight UOM,Bendras svoris UOM
DocType: Delivery Note Item,Against Sales Invoice,Prieš pardavimo sąskaita-faktūra
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Prašome įvesti serijinius numerius serializowanej prekę
DocType: Bin,Reserved Qty for Production,Reserved Kiekis dėl gamybos
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Palikite nepažymėtą jei nenorite atsižvelgti į partiją, o todėl kursų pagrįstas grupes."
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Palikite nepažymėtą jei nenorite atsižvelgti į partiją, o todėl kursų pagrįstas grupes."
@@ -4407,25 +4433,25 @@
DocType: Landed Cost Item,Landed Cost Item,Nusileido Kaina punktas
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Rodyti nulines vertes
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Kiekis objekto gauti po gamybos / perpakavimas iš pateiktų žaliavų kiekius
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Sąranka paprastas svetainė mano organizacijoje
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Sąranka paprastas svetainė mano organizacijoje
DocType: Payment Reconciliation,Receivable / Payable Account,Gautinos / mokėtinos sąskaitos
DocType: Delivery Note Item,Against Sales Order Item,Prieš Pardavimų įsakymu punktas
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},Prašome nurodyti Įgūdis požymio reikšmę {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},Prašome nurodyti Įgūdis požymio reikšmę {0}
DocType: Item,Default Warehouse,numatytasis sandėlis
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Biudžetas negali būti skiriamas prieš grupės sąskaitoje {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Prašome įvesti patronuojanti kaštų centrą
DocType: Delivery Note,Print Without Amount,Spausdinti Be Suma
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,Nusidėvėjimas data
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Mokesčių Kategorija negali būti "VERTINIMO" arba "Vertinimo ir viso", nes visi elementai yra ne atsargos"
DocType: Issue,Support Team,Palaikymo komanda
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Galiojimo (dienomis)
DocType: Appraisal,Total Score (Out of 5),Iš viso balas (iš 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Partija
+DocType: Student Attendance Tool,Batch,Partija
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,balansas
DocType: Room,Seating Capacity,Sėdimų vietų skaičius
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Bendras išlaidų pretenzija (per išlaidų paraiškos)
+DocType: GST Settings,GST Summary,"Paaiškėjo, kad GST santrauka"
DocType: Assessment Result,Total Score,Galutinis rezultatas
DocType: Journal Entry,Debit Note,debeto aviza
DocType: Stock Entry,As per Stock UOM,Kaip per vertybinių popierių UOM
@@ -4437,12 +4463,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Numatytieji gatavų prekių sandėlis
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Pardavėjas
DocType: SMS Parameter,SMS Parameter,SMS Parametras
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Biudžeto ir išlaidų centras
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Biudžeto ir išlaidų centras
DocType: Vehicle Service,Half Yearly,pusmečio
DocType: Lead,Blog Subscriber,Dienoraštis abonento
DocType: Guardian,Alternate Number,pakaitinis Taškų
DocType: Assessment Plan Criteria,Maximum Score,Maksimalus balas
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,"Sukurti taisykles, siekdama apriboti sandorius, pagrįstus vertybes."
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Grupė salė Nėra
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Palikite tuščią, jei jūs padarote studentų grupes per metus"
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Palikite tuščią, jei jūs padarote studentų grupes per metus"
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Jei pažymėta, viso nėra. darbo dienų bus atostogų, o tai sumažins Atlyginimas diena vertę"
@@ -4462,6 +4489,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Tai grindžiama sandorių atžvilgiu šis klientas. Žiūrėti grafikas žemiau detales
DocType: Supplier,Credit Days Based On,Kredito dienų remiantis
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Eilutės {0}: Paskirti suma {1} turi būti mažesnis arba lygus Mokėjimo Entry suma {2}
+,Course wise Assessment Report,Žinoma protinga vertinimo ataskaita
DocType: Tax Rule,Tax Rule,mokesčių taisyklė
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Išlaikyti tą patį tarifą Kiaurai pardavimo ciklą
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planuokite laiką rąstų lauko Workstation "darbo valandomis.
@@ -4470,7 +4498,7 @@
,Items To Be Requested,"Daiktai, kurių bus prašoma"
DocType: Purchase Order,Get Last Purchase Rate,Gauk paskutinį pirkinį Balsuok
DocType: Company,Company Info,Įmonės informacija
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Pasirinkite arba pridėti naujų klientų
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Pasirinkite arba pridėti naujų klientų
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Kaina centras privalo užsakyti sąnaudomis pretenziją
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Taikymas lėšos (turtas)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,"Tai yra, remiantis šio darbuotojo dalyvavimo"
@@ -4478,27 +4506,29 @@
DocType: Fiscal Year,Year Start Date,Metų pradžios data
DocType: Attendance,Employee Name,Darbuotojo vardas
DocType: Sales Invoice,Rounded Total (Company Currency),Suapvalinti Iš viso (Įmonės valiuta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,"Negalima paslėptas į grupę, nes sąskaitos tipas yra pasirinktas."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Negalima paslėptas į grupę, nes sąskaitos tipas yra pasirinktas."
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} buvo pakeistas. Prašome atnaujinti.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Stop vartotojus nuo priėmimo prašymų įstoti į šių dienų.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,pirkimo suma
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Tiekėjas Citata {0} sukūrė
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Pabaiga metai bus ne anksčiau pradžios metus
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Išmokos darbuotojams
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Išmokos darbuotojams
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Supakuotas kiekis turi vienodas kiekis už prekę {0} iš eilės {1}
DocType: Production Order,Manufactured Qty,pagaminta Kiekis
DocType: Purchase Receipt Item,Accepted Quantity,Priimamos Kiekis
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Prašome nustatyti numatytąjį Atostogų sąrašas Darbuotojo {0} arba Įmonės {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} neegzistuoja
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} neegzistuoja
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Pasirinkite partijų numeriai
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Vekseliai iškelti į klientams.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Projektų ID
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Eilutės Nėra {0}: suma negali būti didesnė nei Kol Suma prieš expense punktą {1}. Kol suma yra {2}
DocType: Maintenance Schedule,Schedule,grafikas
DocType: Account,Parent Account,tėvų paskyra
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,pasiekiamas
DocType: Quality Inspection Reading,Reading 3,Skaitymas 3
,Hub,įvorė
DocType: GL Entry,Voucher Type,Bon tipas
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Kainų sąrašas nerastas arba išjungtas
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Kainų sąrašas nerastas arba išjungtas
DocType: Employee Loan Application,Approved,patvirtinta
DocType: Pricing Rule,Price,kaina
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Darbuotojų atleidžiamas nuo {0} turi būti nustatyti kaip "Left"
@@ -4509,7 +4539,8 @@
DocType: Selling Settings,Campaign Naming By,Kampanija įvardijimas Iki
DocType: Employee,Current Address Is,Dabartinis adresas
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,keistas
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Neprivaloma. Nustato įmonės numatytasis valiuta, jeigu nenurodyta."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Neprivaloma. Nustato įmonės numatytasis valiuta, jeigu nenurodyta."
+DocType: Sales Invoice,Customer GSTIN,Klientų GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Apskaitos žurnalo įrašai.
DocType: Delivery Note Item,Available Qty at From Warehouse,Turimas Kiekis ne iš sandėlio
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,Prašome pasirinkti Darbuotojų įrašai pirmą kartą.
@@ -4517,7 +4548,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Eilutės {0}: Šalis / Sąskaita nesutampa su {1} / {2} į {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Prašome įvesti sąskaita paskyrą
DocType: Account,Stock,ištekliai
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Eilutės # {0}: Informacinis dokumentas tipas turi būti vienas iš pirkimo tvarka, pirkimo sąskaitoje faktūroje ar žurnalo įrašą"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Eilutės # {0}: Informacinis dokumentas tipas turi būti vienas iš pirkimo tvarka, pirkimo sąskaitoje faktūroje ar žurnalo įrašą"
DocType: Employee,Current Address,Dabartinis adresas
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Jei elementas yra kito elemento, tada aprašymas, vaizdo, kainodara, mokesčiai ir tt bus nustatytas nuo šablono variantas, nebent aiškiai nurodyta"
DocType: Serial No,Purchase / Manufacture Details,Pirkimas / Gamyba detalės
@@ -4530,8 +4561,8 @@
DocType: Pricing Rule,Min Qty,min Kiekis
DocType: Asset Movement,Transaction Date,Operacijos data
DocType: Production Plan Item,Planned Qty,Planuojamas Kiekis
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Iš viso Mokesčių
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Dėl Kiekis (Pagaminta Kiekis) yra privalomi
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Iš viso Mokesčių
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Dėl Kiekis (Pagaminta Kiekis) yra privalomi
DocType: Stock Entry,Default Target Warehouse,Numatytasis Tikslinė sandėlis
DocType: Purchase Invoice,Net Total (Company Currency),Grynasis viso (Įmonės valiuta)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Dienos iki metų pabaigos data negali būti vėlesnė nei metų pradžioje data. Ištaisykite datas ir bandykite dar kartą.
@@ -4545,15 +4576,12 @@
DocType: Hub Settings,Hub Settings,Hub Nustatymai
DocType: Project,Gross Margin %,"Bendroji marža,%"
DocType: BOM,With Operations,su operacijų
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Apskaitos įrašai jau buvo padaryta valiuta {0} kompanijai {1}. Prašome pasirinkti gautinai ar mokėtinai sumai sąskaitą valiuta {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Apskaitos įrašai jau buvo padaryta valiuta {0} kompanijai {1}. Prašome pasirinkti gautinai ar mokėtinai sumai sąskaitą valiuta {0}.
DocType: Asset,Is Existing Asset,Ar turimo turto
DocType: Salary Detail,Statistical Component,Statistiniai komponentas
DocType: Salary Detail,Statistical Component,Statistiniai komponentas
-,Monthly Salary Register,Mėnesinis darbo užmokestis Registruotis
DocType: Warranty Claim,If different than customer address,"Jei kitoks, nei klientų adresą"
DocType: BOM Operation,BOM Operation,BOM operacija
-DocType: School Settings,Validate the Student Group from Program Enrollment,Patvirtinti studentų grupę iš programos Įrašas
-DocType: School Settings,Validate the Student Group from Program Enrollment,Patvirtinti studentų grupę iš programos Įrašas
DocType: Purchase Taxes and Charges,On Previous Row Amount,Dėl ankstesnės eilės Suma
DocType: Student,Home Address,Namų adresas
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,perduoto turto
@@ -4561,28 +4589,27 @@
DocType: Training Event,Event Name,Įvykio pavadinimas
apps/erpnext/erpnext/config/schools.py +39,Admission,priėmimas
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Priėmimo dėl {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Sezoniškumas nustatymo biudžetai, tikslai ir tt"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Prekė {0} yra šablonas, prašome pasirinkti vieną iš jo variantai"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Sezoniškumas nustatymo biudžetai, tikslai ir tt"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Prekė {0} yra šablonas, prašome pasirinkti vieną iš jo variantai"
DocType: Asset,Asset Category,turto Kategorija
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,pirkėjas
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Neto darbo užmokestis negali būti neigiamas
DocType: SMS Settings,Static Parameters,statiniai parametrai
DocType: Assessment Plan,Room,Kambarys
DocType: Purchase Order,Advance Paid,sumokėto avanso
DocType: Item,Item Tax,Prekė Mokesčių
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,"Medžiaga, iš Tiekėjui"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,akcizo Sąskaita
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,akcizo Sąskaita
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% atrodo daugiau nei vieną kartą
DocType: Expense Claim,Employees Email Id,Darbuotojai elektroninio pašto numeris
DocType: Employee Attendance Tool,Marked Attendance,Pažymėti Lankomumas
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Dabartiniai įsipareigojimai
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Dabartiniai įsipareigojimai
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Siųsti masės SMS į jūsų kontaktus
DocType: Program,Program Name,programos pavadinimas
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Apsvarstykite mokestį arba rinkliavą už
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Tikrasis Kiekis yra privalomi
DocType: Employee Loan,Loan Type,paskolos tipas
DocType: Scheduling Tool,Scheduling Tool,planavimas įrankis
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Kreditinė kortelė
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Kreditinė kortelė
DocType: BOM,Item to be manufactured or repacked,Prekė turi būti pagaminti arba perpakuoti
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Numatytieji nustatymai akcijų sandorių.
DocType: Purchase Invoice,Next Date,Kitas data
@@ -4598,10 +4625,10 @@
DocType: Stock Entry,Repack,Iš naujo supakuokite
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Jūs turite išgelbėti prieš tęsdami formą
DocType: Item Attribute,Numeric Values,reikšmes
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,prisegti logotipas
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,prisegti logotipas
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,atsargų kiekis
DocType: Customer,Commission Rate,Komisija Balsuok
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Padaryti variantas
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Padaryti variantas
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Blokuoti atostogų prašymai departamento.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer",Mokėjimo tipas turi būti vienas iš Gauti Pay ir vidaus perkėlimo
apps/erpnext/erpnext/config/selling.py +179,Analytics,Google Analytics
@@ -4609,45 +4636,45 @@
DocType: Vehicle,Model,Modelis
DocType: Production Order,Actual Operating Cost,Tikrasis eksploatavimo išlaidos
DocType: Payment Entry,Cheque/Reference No,Čekis / Nuorodos Nr
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Šaknų negali būti redaguojami.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Šaknų negali būti redaguojami.
DocType: Item,Units of Measure,Matavimo vienetai
DocType: Manufacturing Settings,Allow Production on Holidays,Leiskite gamyba Šventės
DocType: Sales Order,Customer's Purchase Order Date,Kliento Užsakymo data
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Kapitalas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Kapitalas
DocType: Shopping Cart Settings,Show Public Attachments,Rodyti Viešieji Priedai
DocType: Packing Slip,Package Weight Details,Pakuotės svoris detalės
DocType: Payment Gateway Account,Payment Gateway Account,Mokėjimo šliuzai paskyra
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Po mokėjimo pabaigos nukreipti vartotoją į pasirinktame puslapyje.
DocType: Company,Existing Company,Esama Įmonės
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Mokesčių Kategorija buvo pakeistas į "Total", nes visi daiktai yra ne atsargos"
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Prašome pasirinkti CSV failą
DocType: Student Leave Application,Mark as Present,Žymėti kaip dabartis
DocType: Purchase Order,To Receive and Bill,Gauti ir Bill
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Panašūs produktai
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,dizaineris
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,dizaineris
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Terminai ir sąlygos Šablono
DocType: Serial No,Delivery Details,Pristatymo informacija
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Kaina centras reikalingas eilės {0} mokesčių lentelė tipo {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Kaina centras reikalingas eilės {0} mokesčių lentelė tipo {1}
DocType: Program,Program Code,programos kodas
DocType: Terms and Conditions,Terms and Conditions Help,Terminai ir sąlygos Pagalba
,Item-wise Purchase Register,Prekė išmintingas pirkimas Registruotis
DocType: Batch,Expiry Date,Galiojimo data
-,Supplier Addresses and Contacts,Tiekėjo Adresai ir kontaktai
,accounts-browser,sąskaitos-naršyklė
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,Prašome pasirinkti Kategorija pirmas
apps/erpnext/erpnext/config/projects.py +13,Project master.,Projektų meistras.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Leisti per sąskaitų arba per užsakymą, atnaujinti "pašalpa" sandėlyje nustatymus arba elementą."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Leisti per sąskaitų arba per užsakymą, atnaujinti "pašalpa" sandėlyje nustatymus arba elementą."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Nerodyti kaip $ ir tt simbolis šalia valiutomis.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Pusė dienos)
DocType: Supplier,Credit Days,kredito dienų
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Padaryti Studentų Serija
DocType: Leave Type,Is Carry Forward,Ar perkelti
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Gauti prekes iš BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Gauti prekes iš BOM
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Švinas Laikas dienas
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Eilutės # {0}: Siunčiamos data turi būti tokia pati kaip pirkimo datos {1} Turto {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Eilutės # {0}: Siunčiamos data turi būti tokia pati kaip pirkimo datos {1} Turto {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Prašome įvesti pardavimų užsakymų pirmiau pateiktoje lentelėje
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Nepateikusių Pajamos Apatinukai
,Stock Summary,akcijų santrauka
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Perduoti turtą iš vieno sandėlio į kitą
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Perduoti turtą iš vieno sandėlio į kitą
DocType: Vehicle,Petrol,benzinas
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Sąmata
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Eilutės {0}: Šalis tipas ir partijos reikalingas gautinos / mokėtinos sąskaitos {1}
@@ -4658,6 +4685,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,sankcijos suma
DocType: GL Entry,Is Opening,Ar atidarymas
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Eilutės {0}: debeto įrašą negali būti susieta su {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Sąskaita {0} neegzistuoja
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Sąskaita {0} neegzistuoja
DocType: Account,Cash,pinigai
DocType: Employee,Short biography for website and other publications.,Trumpa biografija interneto svetainės ir kitų leidinių.
diff --git a/erpnext/translations/lv.csv b/erpnext/translations/lv.csv
index ce4b4a9..4981d10 100644
--- a/erpnext/translations/lv.csv
+++ b/erpnext/translations/lv.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Consumer Products
DocType: Item,Customer Items,Klientu Items
DocType: Project,Costing and Billing,Izmaksu un Norēķinu
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Konts {0}: Mātes vērā {1} nevar būt grāmata
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Konts {0}: Mātes vērā {1} nevar būt grāmata
DocType: Item,Publish Item to hub.erpnext.com,Publicēt postenis uz hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,E-pasta paziņojumi
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,novērtējums
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,novērtējums
DocType: Item,Default Unit of Measure,Default Mērvienība
DocType: SMS Center,All Sales Partner Contact,Visi Sales Partner Kontakti
DocType: Employee,Leave Approvers,Atstājiet Approvers
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Valūtas kurss ir tāds pats kā {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Klienta vārds
DocType: Vehicle,Natural Gas,Dabasgāze
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Bankas konts nevar tikt nosaukts par {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Bankas konts nevar tikt nosaukts par {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Vadītāji (vai grupas), pret kuru grāmatvedības ieraksti tiek veikti, un atlikumi tiek uzturēti."
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Iekavēti {0} nevar būt mazāka par nulli ({1})
DocType: Manufacturing Settings,Default 10 mins,Pēc noklusējuma 10 min
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Visi Piegādātājs Contact
DocType: Support Settings,Support Settings,atbalsta iestatījumi
DocType: SMS Parameter,Parameter,Parametrs
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,"Paredzams, beigu datums nevar būt mazāki nekā paredzēts sākuma datuma"
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,"Paredzams, beigu datums nevar būt mazāki nekā paredzēts sākuma datuma"
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Novērtēt jābūt tāda pati kā {1} {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Jauns atvaļinājuma pieteikums
,Batch Item Expiry Status,Partijas Prece derīguma statuss
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Banka projekts
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Banka projekts
DocType: Mode of Payment Account,Mode of Payment Account,Mode maksājumu konta
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Rādīt Variants
DocType: Academic Term,Academic Term,Akadēmiskā Term
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,materiāls
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Daudzums
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Konti tabula nevar būt tukšs.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Kredītiem (pasīvi)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Kredītiem (pasīvi)
DocType: Employee Education,Year of Passing,Gads Passing
DocType: Item,Country of Origin,Izcelsmes valsts
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,Noliktavā
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,Noliktavā
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Atvērt jautājumi
DocType: Production Plan Item,Production Plan Item,Ražošanas plāna punktu
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Lietotāja {0} jau ir piešķirts Darbinieku {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Veselības aprūpe
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Maksājuma kavējums (dienas)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Servisa izdevumu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Sērijas numurs: {0} jau ir atsauce pārdošanas rēķina: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Sērijas numurs: {0} jau ir atsauce pārdošanas rēķina: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Pavadzīme
DocType: Maintenance Schedule Item,Periodicity,Periodiskums
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Fiskālā gads {0} ir vajadzīga
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Row # {0}:
DocType: Timesheet,Total Costing Amount,Kopā Izmaksu summa
DocType: Delivery Note,Vehicle No,Transportlīdzekļu Nr
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,"Lūdzu, izvēlieties cenrādi"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,"Lūdzu, izvēlieties cenrādi"
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,"Row # {0}: Maksājuma dokuments ir nepieciešams, lai pabeigtu trasaction"
DocType: Production Order Operation,Work In Progress,Work In Progress
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,"Lūdzu, izvēlieties datumu"
DocType: Employee,Holiday List,Brīvdienu saraksts
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Grāmatvedis
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Grāmatvedis
DocType: Cost Center,Stock User,Stock User
DocType: Company,Phone No,Tālruņa Nr
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Kursu Saraksti izveidots:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Jaunais {0}: # {1}
,Sales Partners Commission,Sales Partners Komisija
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Saīsinājums nedrīkst būt vairāk par 5 rakstzīmes
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Saīsinājums nedrīkst būt vairāk par 5 rakstzīmes
DocType: Payment Request,Payment Request,Maksājuma pieprasījums
DocType: Asset,Value After Depreciation,Value Pēc nolietojums
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,Apmeklējums datums nevar būt mazāks par darbinieka pievienojas datuma
DocType: Grading Scale,Grading Scale Name,Šķirošana Scale Name
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Tas ir root kontu un to nevar rediģēt.
+DocType: Sales Invoice,Company Address,Uzņēmuma adrese
DocType: BOM,Operations,Operācijas
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},"Nevar iestatīt atļaujas, pamatojoties uz Atlaide {0}"
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Pievienojiet .csv failu ar divām kolonnām, viena veco nosaukumu un vienu jaunu nosaukumu"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} nekādā aktīvajā fiskālajā gadā.
DocType: Packed Item,Parent Detail docname,Parent Detail docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Reference: {0}, Produkta kods: {1} un Klients: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Kg
DocType: Student Log,Log,log
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Atvēršana uz darbu.
DocType: Item Attribute,Increment,Pieaugums
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Reklāma
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Pats uzņēmums ir reģistrēts vairāk nekā vienu reizi
DocType: Employee,Married,Precējies
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Aizliegts {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Aizliegts {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Dabūtu preces no
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Preces nevar atjaunināt pret piegāde piezīme {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Preces nevar atjaunināt pret piegāde piezīme {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produkta {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Nav minētie posteņi
DocType: Payment Reconciliation,Reconcile,Saskaņot
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Nākamais nolietojums datums nevar būt pirms iegādes datuma
DocType: SMS Center,All Sales Person,Visi Sales Person
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Mēneša Distribution ** palīdz izplatīt Budžeta / Target pāri mēnešiem, ja jums ir sezonalitātes jūsu biznesu."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Nav atrastas preces
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Nav atrastas preces
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Algu struktūra Trūkst
DocType: Lead,Person Name,Persona Name
DocType: Sales Invoice Item,Sales Invoice Item,PPR produkts
DocType: Account,Credit,Kredīts
DocType: POS Profile,Write Off Cost Center,Uzrakstiet Off izmaksu centram
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""","piemēram, "Pamatskola" vai "universitāte""
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""","piemēram, "Pamatskola" vai "universitāte""
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,akciju Ziņojumi
DocType: Warehouse,Warehouse Detail,Noliktava Detail
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Kredīta limits ir šķērsojis klientam {0}{1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Kredīta limits ir šķērsojis klientam {0}{1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Term Beigu datums nedrīkst būt vēlāk kā gadu beigu datums akadēmiskā gada, uz kuru termiņš ir saistīts (akadēmiskais gads {}). Lūdzu izlabojiet datumus un mēģiniet vēlreiz."
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Vai pamatlīdzeklis" nevar būt nekontrolēti, jo Asset ieraksts pastāv pret posteņa"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Vai pamatlīdzeklis" nevar būt nekontrolēti, jo Asset ieraksts pastāv pret posteņa"
DocType: Vehicle Service,Brake Oil,bremžu eļļa
DocType: Tax Rule,Tax Type,Nodokļu Type
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Jums nav atļauts pievienot vai atjaunināt ierakstus pirms {0}
DocType: BOM,Item Image (if not slideshow),Postenis attēls (ja ne slideshow)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Klientu pastāv ar tādu pašu nosaukumu
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Stundas likme / 60) * Faktiskais darba laiks
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Select BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Select BOM
DocType: SMS Log,SMS Log,SMS Log
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Izmaksas piegādāto preču
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Svētki uz {0} nav starp No Datums un līdz šim
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},No {0} uz {1}
DocType: Item,Copy From Item Group,Kopēt no posteņa grupas
DocType: Journal Entry,Opening Entry,Atklāšanas Entry
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klientu> Klientu grupas> Teritorija
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Konts Pay Tikai
DocType: Employee Loan,Repay Over Number of Periods,Atmaksāt Over periodu skaits
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} netiek uzņemti dotais {2}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} netiek uzņemti dotais {2}
DocType: Stock Entry,Additional Costs,Papildu izmaksas
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Konts ar esošo darījumu nevar pārvērst grupai.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Konts ar esošo darījumu nevar pārvērst grupai.
DocType: Lead,Product Enquiry,Produkts Pieprasījums
DocType: Academic Term,Schools,skolas
+DocType: School Settings,Validate Batch for Students in Student Group,Apstiprināt partiju studentiem Studentu grupas
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Nav atvaļinājums ieraksts down darbiniekam {0} uz {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Ievadiet uzņēmuma pirmais
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,"Lūdzu, izvēlieties Company pirmais"
@@ -175,49 +176,49 @@
DocType: BOM,Total Cost,Kopējās izmaksas
DocType: Journal Entry Account,Employee Loan,Darbinieku Loan
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Aktivitāte Log:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,Postenis {0} nepastāv sistēmā vai ir beidzies
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Postenis {0} nepastāv sistēmā vai ir beidzies
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Real Estate
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Paziņojums par konta
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Pharmaceuticals
DocType: Purchase Invoice Item,Is Fixed Asset,Vai pamatlīdzekļa
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Pieejams Daudzums ir {0}, jums ir nepieciešams, {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Pieejams Daudzums ir {0}, jums ir nepieciešams, {1}"
DocType: Expense Claim Detail,Claim Amount,Prasības summa
-DocType: Employee,Mr,Mr
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Dublikāts klientu grupa atrodama cutomer grupas tabulas
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Piegādātājs Type / piegādātājs
DocType: Naming Series,Prefix,Priedēklis
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Patērējamās
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Patērējamās
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Import Log
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,"Pull Materiālu pieprasījuma tipa ražošana, pamatojoties uz iepriekš minētajiem kritērijiem,"
DocType: Training Result Employee,Grade,pakāpe
DocType: Sales Invoice Item,Delivered By Supplier,Pasludināts piegādātāja
DocType: SMS Center,All Contact,Visi Contact
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Ražošanas rīkojums jau radīta visiem posteņiem ar BOM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Gada alga
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Ražošanas rīkojums jau radīta visiem posteņiem ar BOM
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Gada alga
DocType: Daily Work Summary,Daily Work Summary,Ikdienas darbs kopsavilkums
DocType: Period Closing Voucher,Closing Fiscal Year,Noslēguma fiskālajā gadā
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} ir iesaldēts
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,"Lūdzu, izvēlieties esošo uzņēmumu radīšanai kontu plānu"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Akciju Izdevumi
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} ir iesaldēts
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,"Lūdzu, izvēlieties esošo uzņēmumu radīšanai kontu plānu"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Akciju Izdevumi
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Atlasīt Target noliktava
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Atlasīt Target noliktava
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,Ievadiet Vēlamā Kontaktinformācija E-pasts
+DocType: Program Enrollment,School Bus,Skolas autobuss
DocType: Journal Entry,Contra Entry,Contra Entry
DocType: Journal Entry Account,Credit in Company Currency,Kredītu uzņēmumā Valūta
DocType: Delivery Note,Installation Status,Instalācijas statuss
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Vai vēlaties atjaunināt apmeklēšanu? <br> Present: {0} \ <br> Nekonstatē: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Pieņemts + Noraidīts Daudz ir jābūt vienādam ar Saņemts daudzumu postenī {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Pieņemts + Noraidīts Daudz ir jābūt vienādam ar Saņemts daudzumu postenī {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Piegādes izejvielas iegādei
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,Vismaz viens maksājuma veids ir nepieciešams POS rēķinu.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,Vismaz viens maksājuma veids ir nepieciešams POS rēķinu.
DocType: Products Settings,Show Products as a List,Rādīt produktus kā sarakstu
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Lejupielādēt veidni, aizpildīt atbilstošus datus un pievienot modificētu failu. Visi datumi un darbinieku saspēles izvēlēto periodu nāks veidnē, ar esošajiem apmeklējuma reģistru"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,Postenis {0} nav aktīvs vai ir sasniegts nolietoto
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Piemērs: Basic Mathematics
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Lai iekļautu nodokli rindā {0} vienības likmes, nodokļi rindās {1} ir jāiekļauj arī"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Postenis {0} nav aktīvs vai ir sasniegts nolietoto
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Piemērs: Basic Mathematics
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Lai iekļautu nodokli rindā {0} vienības likmes, nodokļi rindās {1} ir jāiekļauj arī"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Iestatījumi HR moduļa
DocType: SMS Center,SMS Center,SMS Center
DocType: Sales Invoice,Change Amount,Mainīt Summa
@@ -227,7 +228,7 @@
DocType: Lead,Request Type,Pieprasījums Type
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Izveidot darbinieku
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Apraides
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Izpildīšana
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Izpildīšana
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Sīkāka informācija par veiktajām darbībām.
DocType: Serial No,Maintenance Status,Uzturēšana statuss
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: piegādātājam ir pret maksājams kontā {2}
@@ -255,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,"Par citāts pieprasījumu var piekļūt, uzklikšķinot uz šīs saites"
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Piešķirt lapas par gadu.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,nepietiekama Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,nepietiekama Stock
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Atslēgt Capacity plānošana un laika uzskaites
DocType: Email Digest,New Sales Orders,Jauni Pārdošanas pasūtījumu
DocType: Bank Guarantee,Bank Account,Bankas konts
@@ -266,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log',"Atjaunināt, izmantojot ""Time Ieiet"""
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Advance summa nevar būt lielāka par {0} {1}
DocType: Naming Series,Series List for this Transaction,Sērija saraksts par šo darījumu
+DocType: Company,Enable Perpetual Inventory,Iespējot nepārtrauktās inventarizācijas
DocType: Company,Default Payroll Payable Account,Default Algu Kreditoru konts
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Update Email Group
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Update Email Group
DocType: Sales Invoice,Is Opening Entry,Vai atvēršana Entry
DocType: Customer Group,Mention if non-standard receivable account applicable,Pieminēt ja nestandarta saņemama konts piemērojams
DocType: Course Schedule,Instructor Name,instruktors Name
@@ -279,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Pret pārdošanas rēķinu posteni
,Production Orders in Progress,Pasūtījums Progress
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Neto naudas no finansēšanas
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage ir pilna, nebija glābt"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage ir pilna, nebija glābt"
DocType: Lead,Address & Contact,Adrese un kontaktinformācija
DocType: Leave Allocation,Add unused leaves from previous allocations,Pievienot neizmantotās lapas no iepriekšējiem piešķīrumiem
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Nākamais Atkārtojas {0} tiks izveidota {1}
DocType: Sales Partner,Partner website,Partner mājas lapa
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Pievienot objektu
-,Contact Name,Contact Name
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Contact Name
DocType: Course Assessment Criteria,Course Assessment Criteria,Protams novērtēšanas kritēriji
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Izveido atalgojumu par iepriekš minētajiem kritērijiem.
DocType: POS Customer Group,POS Customer Group,POS Klientu Group
@@ -294,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Apraksts nav dota
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Pieprasīt iegādei.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Tas ir balstīts uz laika loksnes radīti pret šo projektu
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Net Pay nedrīkst būt mazāka par 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Net Pay nedrīkst būt mazāka par 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Tikai izvēlētais Leave apstiprinātājs var iesniegt šo atvaļinājums
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Atbrīvojot datums nedrīkst būt lielāks par datums savienošana
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Lapām gadā
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Lapām gadā
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Rinda {0}: Lūdzu, pārbaudiet ""Vai Advance"" pret kontā {1}, ja tas ir iepriekš ieraksts."
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Noliktava {0} nepieder uzņēmumam {1}
DocType: Email Digest,Profit & Loss,Peļņas un zaudējumu
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Litrs
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Litrs
DocType: Task,Total Costing Amount (via Time Sheet),Kopā Izmaksu summa (via laiks lapas)
DocType: Item Website Specification,Item Website Specification,Postenis Website Specifikācija
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Atstājiet Bloķēts
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Postenis {0} ir sasniedzis beigas dzīves uz {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Postenis {0} ir sasniedzis beigas dzīves uz {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,bankas ieraksti
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Gada
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Samierināšanās postenis
@@ -313,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,Min Order Daudz
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Studentu grupa Creation Tool Course
DocType: Lead,Do Not Contact,Nesazināties
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,"Cilvēki, kuri māca jūsu organizācijā"
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,"Cilvēki, kuri māca jūsu organizācijā"
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,"Unikāls id, lai izsekotu visas periodiskās rēķinus. Tas ir radīts apstiprināšanas."
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Software Developer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software Developer
DocType: Item,Minimum Order Qty,Minimālais Order Daudz
DocType: Pricing Rule,Supplier Type,Piegādātājs Type
DocType: Course Scheduling Tool,Course Start Date,Kursu sākuma datums
@@ -324,11 +326,11 @@
DocType: Item,Publish in Hub,Publicē Hub
DocType: Student Admission,Student Admission,Studentu uzņemšana
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Postenis {0} ir atcelts
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Postenis {0} ir atcelts
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Materiāls Pieprasījums
DocType: Bank Reconciliation,Update Clearance Date,Update Klīrenss Datums
DocType: Item,Purchase Details,Pirkuma Details
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},{0} Prece nav atrasts "Izejvielu Kopā" tabulā Pirkuma pasūtījums {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},{0} Prece nav atrasts "Izejvielu Kopā" tabulā Pirkuma pasūtījums {1}
DocType: Employee,Relation,Attiecība
DocType: Shipping Rule,Worldwide Shipping,Worldwide Shipping
DocType: Student Guardian,Mother,māte
@@ -347,6 +349,7 @@
DocType: Student Group Student,Student Group Student,Studentu grupa Student
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Jaunākais
DocType: Vehicle Service,Inspection,Pārbaude
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,saraksts
DocType: Email Digest,New Quotations,Jauni Citāti
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,"E-pasti algas kvīts darbiniekam, pamatojoties uz vēlamo e-pastu izvēlēts Darbinieku"
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,Pirmais Atstājiet apstiprinātājs sarakstā tiks iestatīts kā noklusējuma Leave apstiprinātāja
@@ -355,20 +358,20 @@
DocType: Asset,Next Depreciation Date,Nākamais Nolietojums Datums
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Aktivitāte izmaksas uz vienu darbinieku
DocType: Accounts Settings,Settings for Accounts,Iestatījumi kontu
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Piegādātājs Invoice Nr pastāv pirkuma rēķina {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Piegādātājs Invoice Nr pastāv pirkuma rēķina {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Pārvaldīt pārdošanas persona Tree.
DocType: Job Applicant,Cover Letter,Pavadvēstule
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,"Izcilas Čeki un noguldījumi, lai nodzēstu"
DocType: Item,Synced With Hub,Sinhronizēts ar Hub
DocType: Vehicle,Fleet Manager,flotes vadītājs
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Rinda # {0}: {1} nevar būt negatīvs postenim {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Nepareiza Parole
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Nepareiza Parole
DocType: Item,Variant Of,Variants
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',"Pabeigts Daudz nevar būt lielāks par ""Daudz, lai ražotu"""
DocType: Period Closing Voucher,Closing Account Head,Noslēguma konta vadītājs
DocType: Employee,External Work History,Ārējā Work Vēsture
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Apļveida Reference kļūda
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1 vārds
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 vārds
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"Vārdos (eksportam) būs redzams pēc tam, kad jums ietaupīt pavadzīmi."
DocType: Cheque Print Template,Distance from left edge,Attālums no kreisās malas
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} vienības [{1}] (# veidlapa / preci / {1}) atrasts [{2}] (# veidlapa / Noliktava / {2})
@@ -377,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Paziņot pa e-pastu uz izveidojot automātisku Material pieprasījuma
DocType: Journal Entry,Multi Currency,Multi Valūtas
DocType: Payment Reconciliation Invoice,Invoice Type,Rēķins Type
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Piegāde Note
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Piegāde Note
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Iestatīšana Nodokļi
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Izmaksas Sold aktīva
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,"Maksājums Entry ir modificēts pēc velk to. Lūdzu, velciet to vēlreiz."
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} ieraksta divreiz Vienības nodokli
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Maksājums Entry ir modificēts pēc velk to. Lūdzu, velciet to vēlreiz."
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} ieraksta divreiz Vienības nodokli
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Kopsavilkums par šo nedēļu un izskatāmo darbību
DocType: Student Applicant,Admitted,uzņemta
DocType: Workstation,Rent Cost,Rent izmaksas
@@ -400,25 +403,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Ievadiet ""Atkārtot mēneša diena"" lauka vērtību"
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Ātrums, kādā Klients Valūtu pārvērsts klienta bāzes valūtā"
DocType: Course Scheduling Tool,Course Scheduling Tool,Protams plānošanas rīks
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Pirkuma rēķins nevar būt pret esošā aktīva {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Pirkuma rēķins nevar būt pret esošā aktīva {1}
DocType: Item Tax,Tax Rate,Nodokļa likme
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} jau piešķirtais Darbinieku {1} par periodu {2} līdz {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Select postenis
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Pirkuma rēķins {0} jau ir iesniegts
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Pirkuma rēķins {0} jau ir iesniegts
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Partijas Nr jābūt tāda pati kā {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Pārvērst ne-Group
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,(Sērijas) posteņa.
DocType: C-Form Invoice Detail,Invoice Date,Rēķina datums
DocType: GL Entry,Debit Amount,Debets Summa
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Tur var būt tikai 1 konts per Company {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,"Lūdzu, skatiet pielikumu"
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Tur var būt tikai 1 konts per Company {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,"Lūdzu, skatiet pielikumu"
DocType: Purchase Order,% Received,% Saņemts
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Izveidot studentu grupas
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Setup Jau Complete !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Kredītu piezīme summa
,Finished Goods,Gatavās preces
DocType: Delivery Note,Instructions,Instrukcijas
DocType: Quality Inspection,Inspected By,Pārbaudīti Līdz
DocType: Maintenance Visit,Maintenance Type,Uzturēšānas veids
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} nav uzņemts Course {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Sērijas Nr {0} nepieder komplektāciju {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Pievienot preces
@@ -441,7 +446,7 @@
DocType: Request for Quotation,Request for Quotation,Pieprasījums piedāvājumam
DocType: Salary Slip Timesheet,Working Hours,Darba laiks
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Mainīt sākuma / pašreizējo kārtas numuru esošam sēriju.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Izveidot jaunu Klientu
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Izveidot jaunu Klientu
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ja vairāki Cenu Noteikumi turpina dominēt, lietotāji tiek aicināti noteikt prioritāti manuāli atrisināt konfliktu."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Izveidot pirkuma pasūtījumu
,Purchase Register,Pirkuma Reģistrēties
@@ -453,7 +458,7 @@
DocType: Student Log,Medical,Medicīnisks
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Iemesls zaudēt
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Svins Īpašnieks nevar būt tāds pats kā galvenajam
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,Piešķirtā summa nevar pārsniedz nekoriģētajām summu
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,Piešķirtā summa nevar pārsniedz nekoriģētajām summu
DocType: Announcement,Receiver,Saņēmējs
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},"Darbstacija ir slēgta šādos datumos, kā par Holiday saraksts: {0}"
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Iespējas
@@ -467,8 +472,7 @@
DocType: Assessment Plan,Examiner Name,eksaminētājs Name
DocType: Purchase Invoice Item,Quantity and Rate,Daudzums un Rate
DocType: Delivery Note,% Installed,% Uzstādīts
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,Klases / Laboratories etc kur lekcijas var tikt plānots.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Piegādātājs> Piegādātājs veids
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,Klases / Laboratories etc kur lekcijas var tikt plānots.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Ievadiet uzņēmuma nosaukumu pirmais
DocType: Purchase Invoice,Supplier Name,Piegādātājs Name
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Lasīt ERPNext rokasgrāmatu
@@ -478,7 +482,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Pārbaudiet Piegādātājs Rēķina numurs Unikalitāte
DocType: Vehicle Service,Oil Change,eļļas maiņa
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.',"""Lai Lieta Nr ' nevar būt mazāks kā ""No lietā Nr '"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Non Profit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Non Profit
DocType: Production Order,Not Started,Nav sākusies
DocType: Lead,Channel Partner,Kanālu Partner
DocType: Account,Old Parent,Old Parent
@@ -489,19 +493,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globālie uzstādījumi visām ražošanas procesiem.
DocType: Accounts Settings,Accounts Frozen Upto,Konti Frozen Līdz pat
DocType: SMS Log,Sent On,Nosūtīts
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Prasme {0} izvēlēts vairākas reizes atribūtos tabulā
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Prasme {0} izvēlēts vairākas reizes atribūtos tabulā
DocType: HR Settings,Employee record is created using selected field. ,"Darbinieku ieraksts tiek izveidota, izmantojot izvēlēto laukumu."
DocType: Sales Order,Not Applicable,Nav piemērojams
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Brīvdienu pārvaldnieks
DocType: Request for Quotation Item,Required Date,Nepieciešamais Datums
DocType: Delivery Note,Billing Address,Norēķinu adrese
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Ievadiet Preces kods.
DocType: BOM,Costing,Izmaksu
DocType: Tax Rule,Billing County,norēķinu County
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Ja atzīmēts, nodokļa summa tiks uzskatīta par jau iekļautas Print Rate / Print summa"
DocType: Request for Quotation,Message for Supplier,Vēstījums piegādātājs
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Kopā Daudz
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 Email ID
DocType: Item,Show in Website (Variant),Show Website (Variant)
DocType: Employee,Health Concerns,Veselības problēmas
DocType: Process Payroll,Select Payroll Period,Izvēlieties Payroll periods
@@ -519,26 +522,28 @@
DocType: Sales Order Item,Used for Production Plan,Izmanto ražošanas plānu
DocType: Employee Loan,Total Payment,kopējais maksājums
DocType: Manufacturing Settings,Time Between Operations (in mins),Laiks starp operācijām (Min)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} tiek anulēts tā darbība nevar tikt pabeigta
DocType: Customer,Buyer of Goods and Services.,Pircējs Preču un pakalpojumu.
DocType: Journal Entry,Accounts Payable,Kreditoru
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Izvēlētie BOMs nav par to pašu posteni
DocType: Pricing Rule,Valid Upto,Derīgs Līdz pat
DocType: Training Event,Workshop,darbnīca
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Uzskaitīt daži no saviem klientiem. Tie varētu būt organizācijas vai privātpersonas.
-,Enough Parts to Build,Pietiekami Parts Build
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Direct Ienākumi
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Uzskaitīt daži no saviem klientiem. Tie varētu būt organizācijas vai privātpersonas.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Pietiekami Parts Build
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Direct Ienākumi
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Nevar filtrēt, pamatojoties uz kontu, ja grupēti pēc kontu"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Administratīvā amatpersona
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,"Lūdzu, izvēlieties kurss"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,"Lūdzu, izvēlieties kurss"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Administratīvā amatpersona
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,"Lūdzu, izvēlieties kurss"
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,"Lūdzu, izvēlieties kurss"
DocType: Timesheet Detail,Hrs,h
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,"Lūdzu, izvēlieties Uzņēmums"
DocType: Stock Entry Detail,Difference Account,Atšķirība konts
+DocType: Purchase Invoice,Supplier GSTIN,Piegādātājs GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,"Nevar aizvērt uzdevums, jo tās atkarīgas uzdevums {0} nav slēgta."
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"Ievadiet noliktava, par kuru Materiāls Pieprasījums tiks izvirzīts"
DocType: Production Order,Additional Operating Cost,Papildus ekspluatācijas izmaksas
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kosmētika
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Apvienoties, šādi īpašībām jābūt vienādam abiem posteņiem"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Apvienoties, šādi īpašībām jābūt vienādam abiem posteņiem"
DocType: Shipping Rule,Net Weight,Neto svars
DocType: Employee,Emergency Phone,Avārijas Phone
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,pirkt
@@ -548,14 +553,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Lūdzu noteikt atzīmi par sliekšņa 0%
DocType: Sales Order,To Deliver,Piegādāt
DocType: Purchase Invoice Item,Item,Prece
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Sērijas neviens punkts nevar būt daļa
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Sērijas neviens punkts nevar būt daļa
DocType: Journal Entry,Difference (Dr - Cr),Starpība (Dr - Cr)
DocType: Account,Profit and Loss,Peļņa un zaudējumi
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Managing Apakšuzņēmēji
DocType: Project,Project will be accessible on the website to these users,Projekts būs pieejams tīmekļa vietnē ar šo lietotāju
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,"Ātrums, kādā cenrādis valūta tiek pārvērsts uzņēmuma bāzes valūtā"
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Konts {0} nav pieder uzņēmumam: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Abreviatūra jau tiek izmantots citam uzņēmumam
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Konts {0} nav pieder uzņēmumam: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Abreviatūra jau tiek izmantots citam uzņēmumam
DocType: Selling Settings,Default Customer Group,Default Klientu Group
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Ja atslēgt ""noapaļots Kopā"" lauks nebūs redzama nevienā darījumā"
DocType: BOM,Operating Cost,Darbības izmaksas
@@ -563,7 +568,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Pieaugums nevar būt 0
DocType: Production Planning Tool,Material Requirement,Materiālu vajadzības
DocType: Company,Delete Company Transactions,Dzēst Uzņēmums Darījumi
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Atsauces Nr un atsauces datums ir obligāta Bank darījumu
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Atsauces Nr un atsauces datums ir obligāta Bank darījumu
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Pievienot / rediģēt nodokļiem un maksājumiem
DocType: Purchase Invoice,Supplier Invoice No,Piegādātāju rēķinu Nr
DocType: Territory,For reference,Par atskaites
@@ -574,22 +579,22 @@
DocType: Installation Note Item,Installation Note Item,Uzstādīšana Note postenis
DocType: Production Plan Item,Pending Qty,Kamēr Daudz
DocType: Budget,Ignore,Ignorēt
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} nav aktīvs
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} nav aktīvs
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS nosūtīts šādiem numuriem: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,Setup pārbaudīt izmēri drukāšanai
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Setup pārbaudīt izmēri drukāšanai
DocType: Salary Slip,Salary Slip Timesheet,Alga Slip laika kontrolsaraksts
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Piegādātājs Noliktava obligāta nolīgta apakšuzņēmuma pirkuma čeka
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Piegādātājs Noliktava obligāta nolīgta apakšuzņēmuma pirkuma čeka
DocType: Pricing Rule,Valid From,Derīgs no
DocType: Sales Invoice,Total Commission,Kopā Komisija
DocType: Pricing Rule,Sales Partner,Sales Partner
DocType: Buying Settings,Purchase Receipt Required,Pirkuma čeka Nepieciešamais
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,"Vērtēšana Rate ir obligāta, ja atvēršana Stock ievadīts"
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,"Vērtēšana Rate ir obligāta, ja atvēršana Stock ievadīts"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Nav atrasti rēķinu tabulas ieraksti
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,"Lūdzu, izvēlieties Uzņēmumu un Party tips pirmais"
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Finanšu / grāmatvedības gadā.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Finanšu / grāmatvedības gadā.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Uzkrātās vērtības
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Atvainojiet, Serial Nos nevar tikt apvienots"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Veikt klientu pasūtījumu
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Veikt klientu pasūtījumu
DocType: Project Task,Project Task,Projekta uzdevums
,Lead Id,Potenciālā klienta ID
DocType: C-Form Invoice Detail,Grand Total,Pavisam kopā
@@ -606,7 +611,7 @@
DocType: Job Applicant,Resume Attachment,atsākt Pielikums
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Atkārtojiet Klienti
DocType: Leave Control Panel,Allocate,Piešķirt
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Sales Return
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Sales Return
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Piezīme: Kopā piešķirtie lapas {0} nedrīkst būt mazāks par jau apstiprināto lapām {1} par periodu
DocType: Announcement,Posted By,rakstīja
DocType: Item,Delivered by Supplier (Drop Ship),Pasludināts ar piegādātāja (Drop Ship)
@@ -616,8 +621,8 @@
DocType: Quotation,Quotation To,Piedāvājums:
DocType: Lead,Middle Income,Middle Ienākumi
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Atvere (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Default mērvienība postenī {0} nevar mainīt tieši tāpēc, ka jums jau ir zināma darījuma (-us) ar citu UOM. Jums būs nepieciešams, lai izveidotu jaunu posteni, lai izmantotu citu Default UOM."
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Piešķirtā summa nevar būt negatīvs
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Default mērvienība postenī {0} nevar mainīt tieši tāpēc, ka jums jau ir zināma darījuma (-us) ar citu UOM. Jums būs nepieciešams, lai izveidotu jaunu posteni, lai izmantotu citu Default UOM."
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Piešķirtā summa nevar būt negatīvs
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Lūdzu noteikt Company
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Lūdzu noteikt Company
DocType: Purchase Order Item,Billed Amt,Billed Amt
@@ -630,7 +635,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Izvēlieties Maksājumu konts padarīt Banka Entry
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Izveidot Darbinieku uzskaiti, lai pārvaldītu lapiņas, izdevumu deklarācijas un algas"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Pievienot zināšanu bāzes
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Priekšlikums Writing
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Priekšlikums Writing
DocType: Payment Entry Deduction,Payment Entry Deduction,Maksājumu Entry atskaitīšana
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Vēl Sales Person {0} pastāv ar to pašu darbinieku id
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Ja ieslēgts, izejvielas priekšmetiem, kuri apakšlīgumi tiks iekļauti materiālā pieprasījumiem"
@@ -645,7 +650,7 @@
DocType: Batch,Batch Description,Partijas Apraksts
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Izveide studentu grupām
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Izveide studentu grupām
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Maksājumu Gateway konts nav izveidots, lūdzu, izveidojiet to manuāli."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Maksājumu Gateway konts nav izveidots, lūdzu, izveidojiet to manuāli."
DocType: Sales Invoice,Sales Taxes and Charges,Pārdošanas nodokļi un maksājumi
DocType: Employee,Organization Profile,Organizācija Profile
DocType: Student,Sibling Details,Sibling Details
@@ -667,11 +672,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Neto Izmaiņas sarakstā
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Darbinieku Loan Management
DocType: Employee,Passport Number,Pases numurs
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Saistība ar Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Vadītājs
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Saistība ar Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Vadītājs
DocType: Payment Entry,Payment From / To,Maksājums no / uz
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Jaunais kredītlimits ir mazāks nekā pašreizējais nesamaksātās summas par klientam. Kredīta limits ir jābūt atleast {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Pats priekšmets ir ierakstīta vairākas reizes.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Jaunais kredītlimits ir mazāks nekā pašreizējais nesamaksātās summas par klientam. Kredīta limits ir jābūt atleast {0}
DocType: SMS Settings,Receiver Parameter,Uztvērējs parametrs
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""Pamatojoties uz"" un ""Grupēt pēc"", nevar būt vienādi"
DocType: Sales Person,Sales Person Targets,Sales Person Mērķi
@@ -680,8 +684,9 @@
DocType: Issue,Resolution Date,Izšķirtspēja Datums
DocType: Student Batch Name,Batch Name,partijas nosaukums
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Kontrolsaraksts izveidots:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},Lūdzu iestatītu standarta kases vai bankas kontu maksājuma veidu {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Lūdzu iestatītu standarta kases vai bankas kontu maksājuma veidu {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,uzņemt
+DocType: GST Settings,GST Settings,GST iestatījumi
DocType: Selling Settings,Customer Naming By,Klientu nosaukšana Līdz
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Rādīs studentam par klātesošu studentu ikmēneša Apmeklējumu ziņojums
DocType: Depreciation Schedule,Depreciation Amount,nolietojums Summa
@@ -703,6 +708,7 @@
DocType: Item,Material Transfer,Materiāls Transfer
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Atvere (DR)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Norīkošanu timestamp jābūt pēc {0}
+,GST Itemised Purchase Register,GST atšifrējums iegāde Reģistrēties
DocType: Employee Loan,Total Interest Payable,Kopā maksājamie procenti
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Izkrauti Izmaksu nodokļi un maksājumi
DocType: Production Order Operation,Actual Start Time,Faktiskais Sākuma laiks
@@ -730,10 +736,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
DocType: Account,Accounts,Konti
DocType: Vehicle,Odometer Value (Last),Odometra vērtību (Pēdējā)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Mārketings
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Mārketings
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Maksājums ieraksts ir jau radīta
DocType: Purchase Receipt Item Supplied,Current Stock,Pašreizējā Stock
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} nav saistīts ar posteni {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} nav saistīts ar posteni {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Preview Alga Slip
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Konts {0} ir ievadīts vairākas reizes
DocType: Account,Expenses Included In Valuation,Izdevumi iekļauts vērtēšanā
@@ -741,7 +747,7 @@
,Absent Student Report,Nekonstatē Student pārskats
DocType: Email Digest,Next email will be sent on:,Nākamais e-pastu tiks nosūtīts uz:
DocType: Offer Letter Term,Offer Letter Term,Akcija vēstule termins
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Prece ir varianti.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Prece ir varianti.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,{0} prece nav atrasta
DocType: Bin,Stock Value,Stock Value
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Uzņēmuma {0} neeksistē
@@ -750,8 +756,8 @@
DocType: Serial No,Warranty Expiry Date,Garantijas Derīguma termiņš
DocType: Material Request Item,Quantity and Warehouse,Daudzums un Noliktavas
DocType: Sales Invoice,Commission Rate (%),Komisijas likme (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,"Lūdzu, izvēlieties programma"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,"Lūdzu, izvēlieties programma"
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,"Lūdzu, izvēlieties programma"
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,"Lūdzu, izvēlieties programma"
DocType: Project,Estimated Cost,Paredzamās izmaksas
DocType: Purchase Order,Link to material requests,Saite uz materiālo pieprasījumiem
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aerospace
@@ -765,14 +771,14 @@
DocType: Purchase Order,Supply Raw Materials,Piegādes izejvielas
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,"Datums, kurā nākamais rēķins tiks radīts. Tas ir radīts apstiprināšanas."
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Ilgtermiņa aktīvi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} nav krājums punkts
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} nav krājums punkts
DocType: Mode of Payment Account,Default Account,Default Account
DocType: Payment Entry,Received Amount (Company Currency),Saņemtā summa (Company valūta)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,"Potenciālais klients ir jānosaka, ja IESPĒJA ir izveidota no Potenciālā klienta"
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,"Lūdzu, izvēlieties nedēļas off diena"
DocType: Production Order Operation,Planned End Time,Plānotais Beigu laiks
,Sales Person Target Variance Item Group-Wise,Sales Person Mērķa Variance Prece Group-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Konts ar esošo darījumu nevar pārvērst par virsgrāmatā
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Konts ar esošo darījumu nevar pārvērst par virsgrāmatā
DocType: Delivery Note,Customer's Purchase Order No,Klienta Pasūtījuma Nr
DocType: Budget,Budget Against,budžets pret
DocType: Employee,Cell Number,Šūnu skaits
@@ -784,15 +790,13 @@
DocType: Opportunity,Opportunity From,Iespēja no
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Mēnešalga paziņojumu.
DocType: BOM,Website Specifications,Website specifikācijas
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Lūdzu uzstādīšana numerācijas sērijas apmeklēšanu, izmantojot Setup> numerācija Series"
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: No {0} tipa {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Rinda {0}: pārveidošanas koeficients ir obligāta
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Rinda {0}: pārveidošanas koeficients ir obligāta
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Vairāki Cena Noteikumi pastāv ar tiem pašiem kritērijiem, lūdzu atrisināt konfliktus, piešķirot prioritāti. Cena Noteikumi: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Nevar atslēgt vai anulēt BOM, jo tas ir saistīts ar citām BOMs"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Vairāki Cena Noteikumi pastāv ar tiem pašiem kritērijiem, lūdzu atrisināt konfliktus, piešķirot prioritāti. Cena Noteikumi: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Nevar atslēgt vai anulēt BOM, jo tas ir saistīts ar citām BOMs"
DocType: Opportunity,Maintenance,Uzturēšana
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},"Pirkuma saņemšana skaits, kas nepieciešams postenī {0}"
DocType: Item Attribute Value,Item Attribute Value,Postenis īpašības vērtība
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Pārdošanas kampaņas.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,veikt laika kontrolsaraksts
@@ -825,30 +829,30 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Asset metāllūžņos via Journal Entry {0}
DocType: Employee Loan,Interest Income Account,Procentu ienākuma konts
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Biotehnoloģija
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Biroja uzturēšanas izdevumiem
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Biroja uzturēšanas izdevumiem
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Iestatīšana e-pasta konts
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Ievadiet Prece pirmais
DocType: Account,Liability,Atbildība
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,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}.
DocType: Company,Default Cost of Goods Sold Account,Default pārdotās produkcijas ražošanas izmaksas konta
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Cenrādis nav izvēlēts
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Cenrādis nav izvēlēts
DocType: Employee,Family Background,Ģimene Background
DocType: Request for Quotation Supplier,Send Email,Sūtīt e-pastu
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Brīdinājums: Invalid Pielikums {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Brīdinājums: Invalid Pielikums {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Nav Atļaujas
DocType: Company,Default Bank Account,Default bankas kontu
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Lai filtrētu pamatojoties uz partijas, izvēlieties Party Type pirmais"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},""Update Stock", nevar pārbaudīt, jo preces netiek piegādātas ar {0}"
DocType: Vehicle,Acquisition Date,iegādes datums
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Nos
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Nos
DocType: Item,Items with higher weightage will be shown higher,Preces ar augstāku weightage tiks parādīts augstāk
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Banku samierināšanās Detail
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} jāiesniedz
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} jāiesniedz
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Darbinieks nav atrasts
DocType: Supplier Quotation,Stopped,Apturēts
DocType: Item,If subcontracted to a vendor,Ja apakšlīgumu nodot pārdevējs
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Studentu grupa jau ir atjaunināts.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Studentu grupa jau ir atjaunināts.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Studentu grupa jau ir atjaunināts.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Studentu grupa jau ir atjaunināts.
DocType: SMS Center,All Customer Contact,Visas klientu Contact
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Augšupielādēt akciju līdzsvaru caur csv.
DocType: Warehouse,Tree Details,Tree Details
@@ -860,13 +864,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Cost Center {2} nepieder Uzņēmumu {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: kontu {2} nevar būt grupa
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Prece Row {idx}: {DOCTYPE} {DOCNAME} neeksistē iepriekš '{DOCTYPE}' tabula
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Kontrolsaraksts {0} jau ir pabeigts vai atcelts
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Kontrolsaraksts {0} jau ir pabeigts vai atcelts
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Nav uzdevumi
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Mēneša diena, kurā auto rēķins tiks radīts, piemēram 05, 28 utt"
DocType: Asset,Opening Accumulated Depreciation,Atklāšanas Uzkrātais nolietojums
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Rezultāts ir mazāks par vai vienāds ar 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Program Uzņemšanas Tool
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,C-Form ieraksti
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C-Form ieraksti
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Klientu un piegādātāju
DocType: Email Digest,Email Digest Settings,E-pasta Digest iestatījumi
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Paldies par jūsu biznesu!
@@ -876,17 +880,19 @@
DocType: Bin,Moving Average Rate,Moving vidējā likme
DocType: Production Planning Tool,Select Items,Izvēlieties preces
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} pret likumprojektu {1} datēts {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Transportlīdzekļa / Autobusu skaits
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Kursu grafiks
DocType: Maintenance Visit,Completion Status,Pabeigšana statuss
DocType: HR Settings,Enter retirement age in years,Ievadiet pensionēšanās vecumu gados
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Mērķa Noliktava
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,"Lūdzu, izvēlieties noliktavu"
DocType: Cheque Print Template,Starting location from left edge,Sākot atrašanās vietu no kreisās malas
DocType: Item,Allow over delivery or receipt upto this percent,Atļaut pār piegādi vai saņemšanu līdz pat šim procentiem
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,Import apmeklējums
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Visi punkts grupas
DocType: Process Payroll,Activity Log,Aktivitāte Log
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Neto peļņa / zaudējumi
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Neto peļņa / zaudējumi
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Automātiski komponēt ziņu iesniegšanas darījumiem.
DocType: Production Order,Item To Manufacture,Postenis ražot
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} statuss ir {2}
@@ -895,16 +901,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Iegādājieties Rīkojumu Apmaksa
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Prognozēts Daudz
DocType: Sales Invoice,Payment Due Date,Maksājuma Due Date
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Postenis Variant {0} jau eksistē ar tiem pašiem atribūtiem
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Postenis Variant {0} jau eksistē ar tiem pašiem atribūtiem
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',"Atklāšana"
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Atvērt darīt
DocType: Notification Control,Delivery Note Message,Piegāde Note Message
DocType: Expense Claim,Expenses,Izdevumi
+,Support Hours,atbalsta stundas
DocType: Item Variant Attribute,Item Variant Attribute,Prece Variant Prasme
,Purchase Receipt Trends,Pirkuma čeka tendences
DocType: Process Payroll,Bimonthly,reizi divos mēnešos
DocType: Vehicle Service,Brake Pad,Bremžu kluči
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Pētniecība un attīstība
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Pētniecība un attīstība
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,"Summa, Bill"
DocType: Company,Registration Details,Reģistrācija Details
DocType: Timesheet,Total Billed Amount,Kopējā maksājamā summa
@@ -917,12 +924,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Iegūt tikai izejvielas
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Izpildes novērtējuma.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Iespējojot "izmantošana Grozs", kā Grozs ir iespējota, un ir jābūt vismaz vienam Tax nolikums Grozs"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Maksājumu Entry {0} ir saistīta pret ordeņa {1}, pārbaudiet, vai tā būtu velk kā iepriekš šajā rēķinā."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Maksājumu Entry {0} ir saistīta pret ordeņa {1}, pārbaudiet, vai tā būtu velk kā iepriekš šajā rēķinā."
DocType: Sales Invoice Item,Stock Details,Stock Details
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Projekts Value
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Tirdzniecības vieta
DocType: Vehicle Log,Odometer Reading,odometra Reading
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Konta atlikums jau Kredīts, jums nav atļauts noteikt ""Balance Must Be"", jo ""debets"""
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Konta atlikums jau Kredīts, jums nav atļauts noteikt ""Balance Must Be"", jo ""debets"""
DocType: Account,Balance must be,Līdzsvars ir jābūt
DocType: Hub Settings,Publish Pricing,Publicēt Cenas
DocType: Notification Control,Expense Claim Rejected Message,Izdevumu noraida prasību Message
@@ -932,7 +939,7 @@
DocType: Salary Slip,Working Days,Darba dienas
DocType: Serial No,Incoming Rate,Ienākošais Rate
DocType: Packing Slip,Gross Weight,Bruto svars
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,"Jūsu uzņēmuma nosaukums, par kuru jums ir izveidot šo sistēmu."
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,"Jūsu uzņēmuma nosaukums, par kuru jums ir izveidot šo sistēmu."
DocType: HR Settings,Include holidays in Total no. of Working Days,Iekļaut brīvdienas Kopā nē. Darba dienu
DocType: Job Applicant,Hold,Turēt
DocType: Employee,Date of Joining,Datums Pievienošanās
@@ -943,20 +950,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Pirkuma čeka
,Received Items To Be Billed,Saņemtie posteņi ir Jāmaksā
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Ievietots algas lapas
-DocType: Employee,Ms,Ms
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Valūtas maiņas kurss meistars.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Atsauce Doctype jābūt vienam no {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Valūtas maiņas kurss meistars.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Atsauce Doctype jābūt vienam no {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Nevar atrast laika nišu nākamajos {0} dienas ekspluatācijai {1}
DocType: Production Order,Plan material for sub-assemblies,Plāns materiāls mezgliem
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Pārdošanas Partneri un teritorija
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,"Nevar automātiski izveidot kontu, jo jau pastāv krājumu atlikumu Kontā. Jums ir jāizveido saskaņošanas konts, pirms jūs varat veikt ierakstu par šo noliktavā"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} jābūt aktīvam
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} jābūt aktīvam
DocType: Journal Entry,Depreciation Entry,nolietojums Entry
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,"Lūdzu, izvēlieties dokumenta veidu pirmais"
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Atcelt Materiāls Vizītes {0} pirms lauzt šo apkopes vizīte
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Sērijas Nr {0} nepieder posteni {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Nepieciešamais Daudz
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Noliktavas ar esošo darījumu nevar pārvērst par virsgrāmatu.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Noliktavas ar esošo darījumu nevar pārvērst par virsgrāmatu.
DocType: Bank Reconciliation,Total Amount,Kopējā summa
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Interneta Publishing
DocType: Production Planning Tool,Production Orders,Ražošanas Pasūtījumi
@@ -971,25 +976,26 @@
DocType: Fee Structure,Components,sastāvdaļas
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Ievadiet aktīvu kategorijas postenī {0}
DocType: Quality Inspection Reading,Reading 6,Lasīšana 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Nevar {0} {1} {2} bez jebkāda negatīva izcili rēķins
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Nevar {0} {1} {2} bez jebkāda negatīva izcili rēķins
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Pirkuma rēķins Advance
DocType: Hub Settings,Sync Now,Sync Tagad
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Rinda {0}: Credit ierakstu nevar saistīt ar {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Definēt budžetu finanšu gada laikā.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Definēt budžetu finanšu gada laikā.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"Default Bank / Naudas konts tiks automātiski atjaunināti POS Rēķinā, ja ir izvēlēts šis režīms."
DocType: Lead,LEAD-,arī vadībā
DocType: Employee,Permanent Address Is,Pastāvīga adrese ir
DocType: Production Order Operation,Operation completed for how many finished goods?,Darbība pabeigta uz cik gatavās produkcijas?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,Brand
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Brand
DocType: Employee,Exit Interview Details,Iziet Intervija Details
DocType: Item,Is Purchase Item,Vai iegāde postenis
DocType: Asset,Purchase Invoice,Pirkuma rēķins
DocType: Stock Ledger Entry,Voucher Detail No,Kuponu Detail Nr
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Jaunu pārdošanas rēķinu
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Jaunu pārdošanas rēķinu
DocType: Stock Entry,Total Outgoing Value,Kopā Izejošais vērtība
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Atvēršanas datums un aizvēršanas datums ir jāatrodas vienā fiskālā gada
DocType: Lead,Request for Information,Lūgums sniegt informāciju
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sync Offline rēķini
+,LeaderBoard,Līderu saraksts
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Sync Offline rēķini
DocType: Payment Request,Paid,Samaksāts
DocType: Program Fee,Program Fee,Program Fee
DocType: Salary Slip,Total in words,Kopā ar vārdiem
@@ -998,13 +1004,13 @@
DocType: Cheque Print Template,Has Print Format,Ir Drukas formāts
DocType: Employee Loan,Sanctioned,sodīts
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,ir obligāta. Varbūt Valūtas ieraksts nav izveidots
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},"Row # {0}: Lūdzu, norādiet Sērijas Nr postenī {1}"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Par "produkts saišķis" vienību, noliktavu, Serial Nr un partijas Nr tiks uzskatīta no "iepakojumu sarakstu" tabulā. Ja Noliktavu un partijas Nr ir vienādas visiem iepakojuma vienības par jebkuru "produkts saišķis" posteni, šīs vērtības var ievadīt galvenajā postenis tabulas vērtības tiks kopēts "iepakojumu sarakstu galda."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},"Row # {0}: Lūdzu, norādiet Sērijas Nr postenī {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Par "produkts saišķis" vienību, noliktavu, Serial Nr un partijas Nr tiks uzskatīta no "iepakojumu sarakstu" tabulā. Ja Noliktavu un partijas Nr ir vienādas visiem iepakojuma vienības par jebkuru "produkts saišķis" posteni, šīs vērtības var ievadīt galvenajā postenis tabulas vērtības tiks kopēts "iepakojumu sarakstu galda."
DocType: Job Opening,Publish on website,Publicēt mājas lapā
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Sūtījumiem uz klientiem.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Piegādātājs Rēķina datums nevar būt lielāks par norīkošanu Datums
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Piegādātājs Rēķina datums nevar būt lielāks par norīkošanu Datums
DocType: Purchase Invoice Item,Purchase Order Item,Pasūtījuma postenis
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Netieša Ienākumi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Netieša Ienākumi
DocType: Student Attendance Tool,Student Attendance Tool,Student Apmeklējumu Tool
DocType: Cheque Print Template,Date Settings,Datums iestatījumi
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Pretruna
@@ -1022,21 +1028,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Ķīmisks
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Default Bank / Naudas konts tiks automātiski atjaunināti Algu Journal Entry ja ir izvēlēts šis režīms.
DocType: BOM,Raw Material Cost(Company Currency),Izejvielu izmaksas (Company valūta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,"Visi posteņi jau ir pārskaitīta, lai šim Ražošanas ordeni."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,"Visi posteņi jau ir pārskaitīta, lai šim Ražošanas ordeni."
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Rinda # {0}: Rate nevar būt lielāks par kursu, kas izmantots {1} {2}"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Rinda # {0}: Rate nevar būt lielāks par kursu, kas izmantots {1} {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,metrs
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,metrs
DocType: Workstation,Electricity Cost,Elektroenerģijas izmaksas
DocType: HR Settings,Don't send Employee Birthday Reminders,Nesūtiet darbinieku dzimšanas dienu atgādinājumus
DocType: Item,Inspection Criteria,Pārbaudes kritēriji
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Nodota
DocType: BOM Website Item,BOM Website Item,BOM Website punkts
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Augšupielādēt jūsu vēstules galva un logo. (Jūs varat rediģēt tos vēlāk).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Augšupielādēt jūsu vēstules galva un logo. (Jūs varat rediģēt tos vēlāk).
DocType: Timesheet Detail,Bill,Rēķins
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Nākamais Nolietojums datums tiek ievadīta kā pagātnes datumu
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Balts
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Balts
DocType: SMS Center,All Lead (Open),Visi Svins (Open)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rinda {0}: Daudz nav pieejams {4} noliktavā {1} pēc norīkojuma laiku ieraksta ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rinda {0}: Daudz nav pieejams {4} noliktavā {1} pēc norīkojuma laiku ieraksta ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Get Avansa Paid
DocType: Item,Automatically Create New Batch,Automātiski Izveidot jaunu partiju
DocType: Item,Automatically Create New Batch,Automātiski Izveidot jaunu partiju
@@ -1047,13 +1053,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Grozs
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Rīkojums Type jābūt vienam no {0}
DocType: Lead,Next Contact Date,Nākamais Contact Datums
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Atklāšanas Daudzums
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,Ievadiet Kontu pārmaiņu summa
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Atklāšanas Daudzums
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,Ievadiet Kontu pārmaiņu summa
DocType: Student Batch Name,Student Batch Name,Student Partijas nosaukums
DocType: Holiday List,Holiday List Name,Brīvdienu saraksta Nosaukums
DocType: Repayment Schedule,Balance Loan Amount,Balance Kredīta summa
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,grafiks Course
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Akciju opcijas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Akciju opcijas
DocType: Journal Entry Account,Expense Claim,Izdevumu Pretenzija
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Vai jūs tiešām vēlaties atjaunot šo metāllūžņos aktīvu?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Daudz par {0}
@@ -1065,12 +1071,12 @@
DocType: Company,Default Terms,Noklusējuma noteikumi
DocType: Packing Slip Item,Packing Slip Item,Iepakošanas Slip postenis
DocType: Purchase Invoice,Cash/Bank Account,Naudas / bankas kontu
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},"Lūdzu, norādiet {0}"
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},"Lūdzu, norādiet {0}"
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Noņemts preces bez izmaiņām daudzumā vai vērtībā.
DocType: Delivery Note,Delivery To,Piegāde uz
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Atribūts tabula ir obligāta
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Atribūts tabula ir obligāta
DocType: Production Planning Tool,Get Sales Orders,Saņemt klientu pasūtījumu
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} nevar būt negatīvs
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} nevar būt negatīvs
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Atlaide
DocType: Asset,Total Number of Depreciations,Kopējais skaits nolietojuma
DocType: Sales Invoice Item,Rate With Margin,Novērtēt Ar Margin
@@ -1091,7 +1097,6 @@
DocType: Serial No,Creation Document No,Izveide Dokumenta Nr
DocType: Issue,Issue,Izdevums
DocType: Asset,Scrapped,iznīcināts
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Konts nesakrīt ar Sabiedrību
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Atribūti postenī Varianti. piemēram, lielumu, krāsu uc"
DocType: Purchase Invoice,Returns,atgriešana
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP Noliktava
@@ -1103,12 +1108,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,"Postenī, jāpievieno, izmantojot ""dabūtu preces no pirkumu čekus 'pogu"
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Iekļaut nav krājumu priekšmetiem
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Pārdošanas izmaksas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Pārdošanas izmaksas
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Standarta iepirkums
DocType: GL Entry,Against,Pret
DocType: Item,Default Selling Cost Center,Default pārdošana Izmaksu centrs
DocType: Sales Partner,Implementation Partner,Īstenošana Partner
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Pasta indekss
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Pasta indekss
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Sales Order {0} {1}
DocType: Opportunity,Contact Info,Kontaktinformācija
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Making Krājumu
@@ -1121,33 +1126,33 @@
DocType: Holiday List,Get Weekly Off Dates,Saņemt Nedēļas Off Datumi
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,Beigu Datums nevar būt mazāks par sākuma datuma
DocType: Sales Person,Select company name first.,Izvēlieties uzņēmuma nosaukums pirmo reizi.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Dr
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,"Citāti, kas saņemti no piegādātājiem."
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Uz {0} | {1}{2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Vidējais vecums
DocType: School Settings,Attendance Freeze Date,Apmeklējums Freeze Datums
DocType: School Settings,Attendance Freeze Date,Apmeklējums Freeze Datums
DocType: Opportunity,Your sales person who will contact the customer in future,"Jūsu pārdošanas persona, kas sazinās ar klientu nākotnē"
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Uzskaitīt daži no jūsu piegādātājiem. Tie varētu būt organizācijas vai privātpersonas.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Uzskaitīt daži no jūsu piegādātājiem. Tie varētu būt organizācijas vai privātpersonas.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Skatīt visus produktus
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimālā Lead Vecums (dienas)
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimālā Lead Vecums (dienas)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,Visas BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Visas BOMs
DocType: Company,Default Currency,Noklusējuma Valūtas
DocType: Expense Claim,From Employee,No darbinieka
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Brīdinājums: Sistēma nepārbaudīs pārāk augstu maksu, jo summu par posteni {0} ir {1} ir nulle"
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Brīdinājums: Sistēma nepārbaudīs pārāk augstu maksu, jo summu par posteni {0} ir {1} ir nulle"
DocType: Journal Entry,Make Difference Entry,Padarīt atšķirība Entry
DocType: Upload Attendance,Attendance From Date,Apmeklējumu No Datums
DocType: Appraisal Template Goal,Key Performance Area,Key Performance Platība
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Transportēšana
+DocType: Program Enrollment,Transportation,Transportēšana
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Nederīga Atribūtu
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0}{1} jāiesniedz
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0}{1} jāiesniedz
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Daudzumam ir jābūt mazākam vai vienādam ar {0}
DocType: SMS Center,Total Characters,Kopā rakstzīmes
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},"Lūdzu, izvēlieties BOM BOM jomā postenim {0}"
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},"Lūdzu, izvēlieties BOM BOM jomā postenim {0}"
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form rēķinu Detail
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Maksājumu Samierināšanās rēķins
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Ieguldījums%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Kā vienu Pirkšana iestatījumu, ja pirkuma pasūtījums == "JĀ", tad, lai izveidotu pirkuma rēķinu, lietotājam ir nepieciešams, lai izveidotu pirkuma pasūtījumu vispirms posteni {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Uzņēmuma reģistrācijas numuri jūsu atsauci. Nodokļu numurus uc
DocType: Sales Partner,Distributor,Izplatītājs
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Grozs Piegāde noteikums
@@ -1156,23 +1161,25 @@
,Ordered Items To Be Billed,Pasūtītās posteņi ir Jāmaksā
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,No Range ir jābūt mazāk nekā svārstās
DocType: Global Defaults,Global Defaults,Globālie Noklusējumi
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Projektu Sadarbība Ielūgums
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Projektu Sadarbība Ielūgums
DocType: Salary Slip,Deductions,Atskaitījumi
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Start gads
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},Pirmie 2 cipari GSTIN vajadzētu saskaņot ar valsts numuru {0}
DocType: Purchase Invoice,Start date of current invoice's period,Sākuma datums kārtējā rēķinā s perioda
DocType: Salary Slip,Leave Without Pay,Bezalgas atvaļinājums
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Capacity Planning kļūda
,Trial Balance for Party,Trial Balance uz pusi
DocType: Lead,Consultant,Konsultants
DocType: Salary Slip,Earnings,Peļņa
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,"Gatavo postenis {0} ir jāieraksta, lai ražošana tipa ierakstu"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,"Gatavo postenis {0} ir jāieraksta, lai ražošana tipa ierakstu"
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Atvēršanas Grāmatvedības bilance
+,GST Sales Register,GST Pārdošanas Reģistrēties
DocType: Sales Invoice Advance,Sales Invoice Advance,PPR Advance
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Nav ko pieprasīt
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Vēl Budget ieraksts '{0}' jau eksistē pret {1} '{2}' uz fiskālo gadu {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',"""Faktiskais sākuma datums"" nevar būt lielāks par ""Faktisko beigu datumu"""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Vadība
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Vadība
DocType: Cheque Print Template,Payer Settings,maksātājs iestatījumi
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Tas tiks pievienots Vienības kodeksa variantu. Piemēram, ja jūsu saīsinājums ir ""SM"", un pozīcijas kods ir ""T-krekls"", postenis kods variants būs ""T-krekls-SM"""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Neto Pay (vārdiem), būs redzams pēc tam, kad esat saglabāt algas aprēķinu."
@@ -1189,8 +1196,8 @@
DocType: Employee Loan,Partially Disbursed,Daļēji Izmaksātā
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Piegādātājs datu bāze.
DocType: Account,Balance Sheet,Bilance
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',"Izmaksās Center postenī ar Preces kods """
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Maksājums Mode nav konfigurēta. Lūdzu, pārbaudiet, vai konts ir iestatīts uz maksājumu Mode vai POS profils."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',"Izmaksās Center postenī ar Preces kods """
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Maksājums Mode nav konfigurēta. Lūdzu, pārbaudiet, vai konts ir iestatīts uz maksājumu Mode vai POS profils."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,"Jūsu pārdošanas persona saņems atgādinājumu par šo datumu, lai sazināties ar klientu"
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Pašu posteni nevar ievadīt vairākas reizes.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Turpmākas kontus var veikt saskaņā grupās, bet ierakstus var izdarīt pret nepilsoņu grupām"
@@ -1198,7 +1205,7 @@
DocType: Email Digest,Payables,Piegādātājiem un darbuzņēmējiem
DocType: Course,Course Intro,Protams Intro
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Stock Entry {0} izveidots
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Noraidīts Daudz nevar jāieraksta Pirkuma Atgriezties
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Noraidīts Daudz nevar jāieraksta Pirkuma Atgriezties
,Purchase Order Items To Be Billed,Pirkuma pasūtījuma posteņi ir Jāmaksā
DocType: Purchase Invoice Item,Net Rate,Net Rate
DocType: Purchase Invoice Item,Purchase Invoice Item,Pirkuma rēķins postenis
@@ -1225,7 +1232,7 @@
DocType: Sales Order,SO-,TĀTAD-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,"Lūdzu, izvēlieties kodu pirmais"
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Pētniecība
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Pētniecība
DocType: Maintenance Visit Purpose,Work Done,Darbs Gatavs
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,"Lūdzu, norādiet vismaz vienu atribūtu Atribūti tabulā"
DocType: Announcement,All Students,Visi studenti
@@ -1233,17 +1240,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,View Ledger
DocType: Grading Scale,Intervals,intervāli
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Senākās
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Prece Group pastāv ar tādu pašu nosaukumu, lūdzu mainīt rindas nosaukumu vai pārdēvēt objektu grupu"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Student Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Pārējā pasaule
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Prece Group pastāv ar tādu pašu nosaukumu, lūdzu mainīt rindas nosaukumu vai pārdēvēt objektu grupu"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No.
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Pārējā pasaule
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,{0} postenis nevar būt partijas
,Budget Variance Report,Budžets Variance ziņojums
DocType: Salary Slip,Gross Pay,Bruto Pay
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Rinda {0}: darbības veids ir obligāta.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Izmaksātajām dividendēm
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Izmaksātajām dividendēm
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Grāmatvedības Ledger
DocType: Stock Reconciliation,Difference Amount,Starpība Summa
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Nesadalītā peļņa
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Nesadalītā peļņa
DocType: Vehicle Log,Service Detail,Servisa Detail
DocType: BOM,Item Description,Vienība Apraksts
DocType: Student Sibling,Student Sibling,Student Radniecīga
@@ -1258,11 +1265,11 @@
DocType: Opportunity Item,Opportunity Item,Iespēja postenis
,Student and Guardian Contact Details,Studentu un Guardian kontaktinformācija
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,"Rinda {0}: piegādātājs {0} e-pasta adrese ir nepieciešams, lai nosūtītu e-pastu"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Pagaidu atklāšana
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Pagaidu atklāšana
,Employee Leave Balance,Darbinieku Leave Balance
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Atlikums kontā {0} vienmēr jābūt {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Vērtēšana Rate nepieciešama postenī rindā {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Piemērs: Masters in Datorzinātnes
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Piemērs: Masters in Datorzinātnes
DocType: Purchase Invoice,Rejected Warehouse,Noraidīts Noliktava
DocType: GL Entry,Against Voucher,Pret kuponu
DocType: Item,Default Buying Cost Center,Default Pirkšana Izmaksu centrs
@@ -1275,31 +1282,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Saņemt neapmaksātus rēķinus
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Pasūtījumu {0} nav derīga
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Pirkuma pasūtījumu palīdzēt jums plānot un sekot līdzi saviem pirkumiem
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Atvainojiet, uzņēmumi nevar tikt apvienots"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Atvainojiet, uzņēmumi nevar tikt apvienots"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",Kopējais Issue / Transfer daudzums {0} Iekraušanas Pieprasījums {1} \ nedrīkst būt lielāks par pieprasīto daudzumu {2} postenim {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Mazs
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Mazs
DocType: Employee,Employee Number,Darbinieku skaits
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},"Gadījums (-i), kas jau ir lietošanā. Izmēģināt no lietā Nr {0}"
DocType: Project,% Completed,% Pabeigts
,Invoiced Amount (Exculsive Tax),Rēķinā Summa (Exculsive nodoklis)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Prece 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Konts galva {0} izveidots
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,Training Event
DocType: Item,Auto re-order,Auto re-pasūtīt
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Kopā Izpildīts
DocType: Employee,Place of Issue,Izsniegšanas vieta
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Līgums
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Līgums
DocType: Email Digest,Add Quote,Pievienot Citēt
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},UOM Coversion faktors nepieciešama UOM: {0} postenī: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Netiešie izdevumi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM Coversion faktors nepieciešama UOM: {0} postenī: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Netiešie izdevumi
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Rinda {0}: Daudz ir obligāta
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Lauksaimniecība
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sync Master Data
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Jūsu Produkti vai Pakalpojumi
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Jūsu Produkti vai Pakalpojumi
DocType: Mode of Payment,Mode of Payment,Maksājuma veidu
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Website Image vajadzētu būt publiski failu vai tīmekļa URL
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Website Image vajadzētu būt publiski failu vai tīmekļa URL
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Tas ir sakne posteni grupas un to nevar rediģēt.
@@ -1308,7 +1314,7 @@
DocType: Warehouse,Warehouse Contact Info,Noliktava Kontaktinformācija
DocType: Payment Entry,Write Off Difference Amount,Norakstīt starpības summa
DocType: Purchase Invoice,Recurring Type,Atkārtojas Type
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: Darbinieku e-pasts nav atrasts, līdz ar to e-pasts nav nosūtīts"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: Darbinieku e-pasts nav atrasts, līdz ar to e-pasts nav nosūtīts"
DocType: Item,Foreign Trade Details,Ārējās tirdzniecības Detaļas
DocType: Email Digest,Annual Income,Gada ienākumi
DocType: Serial No,Serial No Details,Sērijas Nr Details
@@ -1316,10 +1322,10 @@
DocType: Student Group Student,Group Roll Number,Grupas Roll skaits
DocType: Student Group Student,Group Roll Number,Grupas Roll skaits
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Par {0}, tikai kredīta kontus var saistīt pret citu debeta ierakstu"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Kopējais visu uzdevumu atsvari būtu 1. Lūdzu regulēt svaru visām projekta uzdevumus atbilstoši
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Piegāde piezīme {0} nav iesniegta
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Postenis {0} jābūt Apakšuzņēmēju postenis
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Kapitāla Ekipējums
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Kopējais visu uzdevumu atsvari būtu 1. Lūdzu regulēt svaru visām projekta uzdevumus atbilstoši
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Piegāde piezīme {0} nav iesniegta
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Postenis {0} jābūt Apakšuzņēmēju postenis
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Kapitāla Ekipējums
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Cenu noteikums vispirms izvēlas, pamatojoties uz ""Apply On 'jomā, kas var būt punkts, punkts Koncerns vai Brand."
DocType: Hub Settings,Seller Website,Pārdevējs Website
DocType: Item,ITEM-,PRIEKŠMETS-
@@ -1337,7 +1343,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Tur var būt tikai viens Shipping pants stāvoklis ar 0 vai tukšu vērtību ""vērtēt"""
DocType: Authorization Rule,Transaction,Darījums
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Piezīme: Šis Izmaksas centrs ir Group. Nevar veikt grāmatvedības ierakstus pret grupām.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,Bērnu noliktava pastāv šajā noliktavā. Jūs nevarat izdzēst šo noliktavā.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Bērnu noliktava pastāv šajā noliktavā. Jūs nevarat izdzēst šo noliktavā.
DocType: Item,Website Item Groups,Mājas lapa punkts Grupas
DocType: Purchase Invoice,Total (Company Currency),Kopā (Uzņēmējdarbības valūta)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Sērijas numurs {0} ieraksta vairāk nekā vienu reizi
@@ -1347,7 +1353,7 @@
DocType: Grading Scale Interval,Grade Code,grade Code
DocType: POS Item Group,POS Item Group,POS Prece Group
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-pasts Digest:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} nepieder posteni {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} nepieder posteni {1}
DocType: Sales Partner,Target Distribution,Mērķa Distribution
DocType: Salary Slip,Bank Account No.,Banka Konta Nr
DocType: Naming Series,This is the number of the last created transaction with this prefix,Tas ir skaitlis no pēdējiem izveidots darījuma ar šo prefiksu
@@ -1358,12 +1364,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Grāmatu Aktīvu nolietojums Entry Automātiski
DocType: BOM Operation,Workstation,Darba vieta
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Pieprasījums Piedāvājums Piegādātāja
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Detaļas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Detaļas
DocType: Sales Order,Recurring Upto,Periodisks Līdz pat
DocType: Attendance,HR Manager,HR vadītājs
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,"Lūdzu, izvēlieties Company"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Privilege Leave
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,"Lūdzu, izvēlieties Company"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Privilege Leave
DocType: Purchase Invoice,Supplier Invoice Date,Piegādātāju rēķinu Datums
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,par
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,"Jums ir nepieciešams, lai dotu iespēju Grozs"
DocType: Payment Entry,Writeoff,Norakstīt
DocType: Appraisal Template Goal,Appraisal Template Goal,Izvērtēšana Template Goal
@@ -1374,10 +1381,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Pārklāšanās apstākļi atrasts starp:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Pret Vēstnesī Entry {0} jau ir koriģēts pret kādu citu talonu
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Kopā pasūtījuma vērtība
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Pārtika
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Pārtika
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Novecošana Range 3
DocType: Maintenance Schedule Item,No of Visits,Nē apmeklējumu
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Mark Attendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Mark Attendence
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Maintenance grafiks {0} eksistē pret {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,Mācās students
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Valūta Noslēguma kontā jābūt {0}
@@ -1391,6 +1398,7 @@
DocType: Rename Tool,Utilities,Utilities
DocType: Purchase Invoice Item,Accounting,Grāmatvedība
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,"Lūdzu, izvēlieties partijas par iepildīja preci"
DocType: Asset,Depreciation Schedules,amortizācijas grafiki
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Pieteikumu iesniegšanas termiņš nevar būt ārpus atvaļinājuma piešķiršana periods
DocType: Activity Cost,Projects,Projekti
@@ -1404,6 +1412,7 @@
DocType: POS Profile,Campaign,Kampaņa
DocType: Supplier,Name and Type,Nosaukums un veids
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Apstiprinājums statuss ir ""Apstiprināts"" vai ""noraidīts"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,Sākumpalaišanas
DocType: Purchase Invoice,Contact Person,Kontaktpersona
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"""Sagaidāmais Sākuma datums"" nevar būt lielāka par ""Sagaidāmais beigu datums"""
DocType: Course Scheduling Tool,Course End Date,"Protams, beigu datums"
@@ -1411,12 +1420,11 @@
DocType: Sales Order Item,Planned Quantity,Plānotais daudzums
DocType: Purchase Invoice Item,Item Tax Amount,Vienība Nodokļa summa
DocType: Item,Maintain Stock,Uzturēt Noliktava
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Krājumu jau radīti Ražošanas Pasūtīt
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Krājumu jau radīti Ražošanas Pasūtīt
DocType: Employee,Prefered Email,vēlamais Email
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Neto izmaiņas pamatlīdzekļa
DocType: Leave Control Panel,Leave blank if considered for all designations,"Atstāt tukšu, ja to uzskata par visiem apzīmējumiem"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Noliktava ir obligāta ārpus grupas kontiem tipa noliktavā
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Lādiņš tips ""Faktiskais"" rindā {0} nevar iekļaut postenī Rate"
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Lādiņš tips ""Faktiskais"" rindā {0} nevar iekļaut postenī Rate"
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,No DATETIME
DocType: Email Digest,For Company,Par Company
@@ -1426,15 +1434,15 @@
DocType: Sales Invoice,Shipping Address Name,Piegāde Adrese Nosaukums
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Kontu
DocType: Material Request,Terms and Conditions Content,Noteikumi un nosacījumi saturs
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,nevar būt lielāks par 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Postenis {0} nav krājums punkts
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,nevar būt lielāks par 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Postenis {0} nav krājums punkts
DocType: Maintenance Visit,Unscheduled,Neplānotā
DocType: Employee,Owned,Pieder
DocType: Salary Detail,Depends on Leave Without Pay,Atkarīgs Bezalgas atvaļinājums
DocType: Pricing Rule,"Higher the number, higher the priority","Lielāks skaitlis, augstākā prioritāte"
,Purchase Invoice Trends,Pirkuma rēķins tendences
DocType: Employee,Better Prospects,Labākas izredzes
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Rinda # {0}: Partiju {1} ir tikai {2} gb. Lūdzu, izvēlieties citu partiju, kas ir {3} qty pieejama vai sadalīt rindu uz vairākās rindās, lai nodrošinātu / problēmu no vairākām partijām"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Rinda # {0}: Partiju {1} ir tikai {2} gb. Lūdzu, izvēlieties citu partiju, kas ir {3} qty pieejama vai sadalīt rindu uz vairākās rindās, lai nodrošinātu / problēmu no vairākām partijām"
DocType: Vehicle,License Plate,Numurzīme
DocType: Appraisal,Goals,Mērķi
DocType: Warranty Claim,Warranty / AMC Status,Garantijas / AMC statuss
@@ -1445,19 +1453,20 @@
,Batch-Wise Balance History,Partijas-Wise Balance Vēsture
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Drukas iestatījumi atjaunināti attiecīgajā drukas formātā
DocType: Package Code,Package Code,Package Kods
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Māceklis
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Māceklis
+DocType: Purchase Invoice,Company GSTIN,Kompānija GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Negatīva Daudzums nav atļauta
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",Nodokļu detaļa galda paņemti no postenis kapteiņa kā stīgu un uzglabā šajā jomā. Lieto nodokļiem un nodevām
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Darbinieks nevar ziņot sev.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ja konts ir sasalusi, ieraksti ir atļauts ierobežotas lietotājiem."
DocType: Email Digest,Bank Balance,Bankas bilance
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Grāmatvedības ieraksts par {0}: {1} var veikt tikai valūtā: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Grāmatvedības ieraksts par {0}: {1} var veikt tikai valūtā: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Darba profils, nepieciešams kvalifikācija uc"
DocType: Journal Entry Account,Account Balance,Konta atlikuma
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Nodokļu noteikums par darījumiem.
DocType: Rename Tool,Type of document to rename.,Dokumenta veids pārdēvēt.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Mēs pirkām šo Preci
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Mēs pirkām šo Preci
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Klientam ir pienākums pret pasūtītāju konta {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Kopā nodokļi un maksājumi (Company valūtā)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Rādīt Atvērto fiskālajā gadā ir P & L atlikumus
@@ -1468,29 +1477,30 @@
DocType: Stock Entry,Total Additional Costs,Kopējās papildu izmaksas
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Lūžņi materiālu izmaksas (Company valūta)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Sub Kompleksi
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Sub Kompleksi
DocType: Asset,Asset Name,Asset Name
DocType: Project,Task Weight,uzdevums Svars
DocType: Shipping Rule Condition,To Value,Vērtēt
DocType: Asset Movement,Stock Manager,Krājumu pārvaldnieks
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Source noliktava ir obligāta rindā {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Iepakošanas Slip
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Office Rent
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Source noliktava ir obligāta rindā {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Iepakošanas Slip
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Office Rent
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Setup SMS vārti iestatījumi
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Import neizdevās!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Neviena adrese vēl nav pievienota.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Neviena adrese vēl nav pievienota.
DocType: Workstation Working Hour,Workstation Working Hour,Darba vietas darba stunda
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Analītiķis
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Analītiķis
DocType: Item,Inventory,Inventārs
DocType: Item,Sales Details,Pārdošanas Details
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,Ar preces
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,In Daudz
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,In Daudz
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Apstiprināt uzņemti kurss studentiem Studentu grupas
DocType: Notification Control,Expense Claim Rejected,Izdevumu noraida prasību
DocType: Item,Item Attribute,Postenis Atribūtu
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Valdība
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Valdība
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Izdevumu Prasība {0} jau eksistē par servisa
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Institute Name
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Institute Name
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,Ievadiet atmaksas summa
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Postenis Variants
DocType: Company,Services,Pakalpojumi
@@ -1500,18 +1510,18 @@
DocType: Sales Invoice,Source,Avots
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Rādīt slēgts
DocType: Leave Type,Is Leave Without Pay,Vai atstāt bez Pay
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Asset kategorija ir obligāta ilgtermiņa ieguldījumu postenim
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset kategorija ir obligāta ilgtermiņa ieguldījumu postenim
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Nav atrasti Maksājuma tabulā ieraksti
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Šī {0} konflikti ar {1} uz {2} {3}
DocType: Student Attendance Tool,Students HTML,studenti HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Finanšu gada sākuma datums
DocType: POS Profile,Apply Discount,Piesakies Atlaide
+DocType: Purchase Invoice Item,GST HSN Code,GST HSN kodekss
DocType: Employee External Work History,Total Experience,Kopā pieredze
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Atvērt projekti
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Packing Slip (s) atcelts
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Naudas plūsma no ieguldījumu
DocType: Program Course,Program Course,Program Course
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Kravu un Ekspedīcijas maksājumi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Kravu un Ekspedīcijas maksājumi
DocType: Homepage,Company Tagline for website homepage,Uzņēmuma Tagline mājas lapas sākumlapā
DocType: Item Group,Item Group Name,Postenis Grupas nosaukums
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Taken
@@ -1521,6 +1531,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Izveidot Sasaistes
DocType: Maintenance Schedule,Schedules,Saraksti
DocType: Purchase Invoice Item,Net Amount,Neto summa
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} nav iesniegts tā darbību nevar pabeigt
DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detail Nr
DocType: Landed Cost Voucher,Additional Charges,papildu maksa
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Papildu Atlaide Summa (Uzņēmējdarbības valūta)
@@ -1536,6 +1547,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Ikmēneša maksājums Summa
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,Lūdzu noteikt lietotāja ID lauku darbinieks ierakstā noteikt darbinieku lomu
DocType: UOM,UOM Name,Mervienības nosaukums
+DocType: GST HSN Code,HSN Code,HSN kodekss
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Ieguldījums Summa
DocType: Purchase Invoice,Shipping Address,Piegādes adrese
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,"Šis rīks palīdz jums, lai atjauninātu vai noteikt daudzumu un novērtēšanu krājumu sistēmā. To parasti izmanto, lai sinhronizētu sistēmas vērtības un to, kas patiesībā pastāv jūsu noliktavās."
@@ -1546,18 +1558,17 @@
DocType: Program Enrollment Tool,Program Enrollments,programma iestājas
DocType: Sales Invoice Item,Brand Name,Brand Name
DocType: Purchase Receipt,Transporter Details,Transporter Details
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Default noliktava ir nepieciešama atsevišķiem posteni
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Kaste
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Default noliktava ir nepieciešama atsevišķiem posteni
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Kaste
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,iespējams piegādātājs
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Organizācija
DocType: Budget,Monthly Distribution,Mēneša Distribution
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"Uztvērējs saraksts ir tukšs. Lūdzu, izveidojiet Uztvērēja saraksts"
DocType: Production Plan Sales Order,Production Plan Sales Order,Ražošanas plāns Sales Order
DocType: Sales Partner,Sales Partner Target,Sales Partner Mērķa
DocType: Loan Type,Maximum Loan Amount,Maksimālais Kredīta summa
DocType: Pricing Rule,Pricing Rule,Cenu noteikums
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Duplicate roll numurs students {0}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Duplicate roll numurs students {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Duplicate roll numurs students {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Duplicate roll numurs students {0}
DocType: Budget,Action if Annual Budget Exceeded,"Rīcība, ja gada budžets pārsniegts"
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Materiāls Pieprasījums Pirkuma pasūtījums
DocType: Shopping Cart Settings,Payment Success URL,Maksājumu Success URL
@@ -1570,11 +1581,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Atvēršanas Stock Balance
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} jānorāda tikai vienu reizi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Nav atļauts pārsūtīšana vairāk {0} nekā {1} pret Pirkuma pasūtījums {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Nav atļauts pārsūtīšana vairāk {0} nekā {1} pret Pirkuma pasūtījums {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Lapām Piešķirts Veiksmīgi par {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Nav Preces pack
DocType: Shipping Rule Condition,From Value,No vērtība
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Ražošanas daudzums ir obligāta
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Ražošanas daudzums ir obligāta
DocType: Employee Loan,Repayment Method,atmaksas metode
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ja ieslēgts, tad mājas lapa būs noklusējuma punkts grupa mājas lapā"
DocType: Quality Inspection Reading,Reading 4,Reading 4
@@ -1584,7 +1595,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Row # {0}: Clearance datums {1} nevar būt pirms Čeku datums {2}
DocType: Company,Default Holiday List,Default brīvdienu sarakstu
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Rinda {0}: laiku un uz laiku no {1} pārklājas ar {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Akciju Saistības
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Akciju Saistības
DocType: Purchase Invoice,Supplier Warehouse,Piegādātājs Noliktava
DocType: Opportunity,Contact Mobile No,Kontaktinformācija Mobilais Nr
,Material Requests for which Supplier Quotations are not created,"Materiāls pieprasījumi, par kuriem Piegādātājs Citāti netiek radīti"
@@ -1595,35 +1606,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Padarīt citāts
apps/erpnext/erpnext/config/selling.py +216,Other Reports,citas Ziņojumi
DocType: Dependent Task,Dependent Task,Atkarīgs Task
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Konversijas faktors noklusējuma mērvienība ir 1 kārtas {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Konversijas faktors noklusējuma mērvienība ir 1 kārtas {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Atvaļinājums tipa {0} nevar būt ilgāks par {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Mēģiniet plānojot operācijas X dienas iepriekš.
DocType: HR Settings,Stop Birthday Reminders,Stop Birthday atgādinājumi
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Lūdzu noteikt Noklusējuma Algas Kreditoru kontu Uzņēmumu {0}
DocType: SMS Center,Receiver List,Uztvērējs Latviešu
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Meklēt punkts
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Meklēt punkts
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Patērētā summa
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Neto izmaiņas naudas
DocType: Assessment Plan,Grading Scale,Šķirošana Scale
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mērvienība {0} ir ievadīts vairāk nekā vienu reizi Conversion Factor tabulā
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mērvienība {0} ir ievadīts vairāk nekā vienu reizi Conversion Factor tabulā
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,jau pabeigts
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock In Hand
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Maksājuma pieprasījums jau eksistē {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Izmaksas Izdoti preces
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Daudzums nedrīkst būt lielāks par {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Iepriekšējais finanšu gads nav slēgts
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Vecums (dienas)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Vecums (dienas)
DocType: Quotation Item,Quotation Item,Piedāvājuma rinda
+DocType: Customer,Customer POS Id,Klienta POS ID
DocType: Account,Account Name,Konta nosaukums
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,No datums nevar būt lielāks par līdz šim datumam
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Sērijas Nr {0} daudzums {1} nevar būt daļa
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Piegādātājs Type meistars.
DocType: Purchase Order Item,Supplier Part Number,Piegādātājs Part Number
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Konversijas ātrums nevar būt 0 vai 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Konversijas ātrums nevar būt 0 vai 1
DocType: Sales Invoice,Reference Document,atsauces dokuments
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} tiek atcelts vai pārtraukta
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} tiek atcelts vai pārtraukta
DocType: Accounts Settings,Credit Controller,Kredīts Controller
DocType: Delivery Note,Vehicle Dispatch Date,Transportlīdzekļu Nosūtīšanas datums
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Pirkuma saņemšana {0} nav iesniegta
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Pirkuma saņemšana {0} nav iesniegta
DocType: Company,Default Payable Account,Default Kreditoru konts
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Iestatījumi tiešsaistes iepirkšanās grozs, piemēram, kuģošanas noteikumus, cenrādi uc"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% Jāmaksā
@@ -1642,11 +1655,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Atmaksāto līdzekļu kopsummas
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Tas ir balstīts uz baļķiem pret šo Vehicle. Skatīt grafiku zemāk informāciju
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,savākt
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Pret Piegādātāju rēķinu {0} datēts {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Pret Piegādātāju rēķinu {0} datēts {1}
DocType: Customer,Default Price List,Default Cenrādis
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Asset Kustība ierakstīt {0} izveidots
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Jūs nevarat izdzēst saimnieciskais gads {0}. Fiskālā gads {0} ir noteikta kā noklusējuma Global iestatījumi
DocType: Journal Entry,Entry Type,Entry Type
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Nav novērtējums plāns ir saistīta ar šo novērtēšanas grupu
,Customer Credit Balance,Klientu kredīta atlikuma
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Neto izmaiņas Kreditoru
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',"Klientam nepieciešams ""Customerwise Atlaide"""
@@ -1655,7 +1669,7 @@
DocType: Quotation,Term Details,Term Details
DocType: Project,Total Sales Cost (via Sales Order),Kopējais pārdošanas izmaksas (ar pārdošanas rīkojumu)
DocType: Project,Total Sales Cost (via Sales Order),Kopējais pārdošanas izmaksas (ar pārdošanas rīkojumu)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Nevar uzņemt vairāk nekā {0} studentiem šai studentu grupai.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Nevar uzņemt vairāk nekā {0} studentiem šai studentu grupai.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Lead skaits
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Lead skaits
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} nedrīkst būt lielāks par 0
@@ -1678,7 +1692,7 @@
DocType: Sales Invoice,Packed Items,Iepakotas preces
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garantijas Prasījums pret Sērijas Nr
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Aizstāt īpašu BOM visos citos BOMs kur tas tiek lietots. Tas aizstās veco BOM saiti, atjaunināt izmaksas un reģenerēt ""BOM Explosion Vienība"" galda, kā par jaunu BOM"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Kopā'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Kopā'
DocType: Shopping Cart Settings,Enable Shopping Cart,Ieslēgt Grozs
DocType: Employee,Permanent Address,Pastāvīga adrese
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1694,9 +1708,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,"Lūdzu, norādiet nu Daudzums vai Vērtēšanas Rate vai abus"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,izpilde
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,View in grozs
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Mārketinga izdevumi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Mārketinga izdevumi
,Item Shortage Report,Postenis trūkums ziņojums
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Svars ir minēts, \ nLūdzu nerunājot ""Svara UOM"" too"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Svars ir minēts, \ nLūdzu nerunājot ""Svara UOM"" too"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,"Materiāls Pieprasījums izmantoti, lai šā krājuma Entry"
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Nākamais Nolietojums datums ir obligāta jaunu aktīvu
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Atsevišķa kurss balstās grupa katru Partijas
@@ -1706,17 +1720,18 @@
,Student Fee Collection,Studentu maksa Collection
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Padarīt grāmatvedības ieraksts Katrs krājumu aprites
DocType: Leave Allocation,Total Leaves Allocated,Kopā Leaves Piešķirtie
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Noliktava vajadzīgi Row Nr {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Ievadiet derīgu finanšu gada sākuma un beigu datumi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Noliktava vajadzīgi Row Nr {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Ievadiet derīgu finanšu gada sākuma un beigu datumi
DocType: Employee,Date Of Retirement,Brīža līdz pensionēšanās
DocType: Upload Attendance,Get Template,Saņemt Template
+DocType: Material Request,Transferred,Pārskaitīts
DocType: Vehicle,Doors,durvis
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext Setup Complete!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup Complete!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Izmaksu centrs ir nepieciešams peļņas un zaudējumu "konta {2}. Lūdzu izveidot noklusējuma izmaksu centru uzņēmumam.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Klientu grupa pastāv ar tādu pašu nosaukumu, lūdzu mainīt Klienta nosaukumu vai pārdēvēt klientu grupai"
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Jauns kontakts
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Klientu grupa pastāv ar tādu pašu nosaukumu, lūdzu mainīt Klienta nosaukumu vai pārdēvēt klientu grupai"
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Jauns kontakts
DocType: Territory,Parent Territory,Parent Teritorija
DocType: Quality Inspection Reading,Reading 2,Lasīšana 2
DocType: Stock Entry,Material Receipt,Materiālu saņemšana
@@ -1725,17 +1740,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ja šis postenis ir varianti, tad tas nevar izvēlēties pārdošanas pasūtījumiem uc"
DocType: Lead,Next Contact By,Nākamais Kontakti Pēc
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},"Daudzumu, kas vajadzīgs postenī {0} rindā {1}"
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},"Noliktava {0} nevar izdzēst, jo pastāv postenī daudzums {1}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},"Daudzumu, kas vajadzīgs postenī {0} rindā {1}"
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Noliktava {0} nevar izdzēst, jo pastāv postenī daudzums {1}"
DocType: Quotation,Order Type,Order Type
DocType: Purchase Invoice,Notification Email Address,Paziņošana e-pasta adrese
,Item-wise Sales Register,Postenis gudrs Sales Reģistrēties
DocType: Asset,Gross Purchase Amount,Gross Pirkuma summa
DocType: Asset,Depreciation Method,nolietojums metode
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Bezsaistē
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,Bezsaistē
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Vai šis nodoklis iekļauts pamatlikmes?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Kopā Mērķa
-DocType: Program Course,Required,Nepieciešamais
DocType: Job Applicant,Applicant for a Job,Pretendents uz darbu
DocType: Production Plan Material Request,Production Plan Material Request,Ražošanas plāns Materiāls pieprasījums
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Nav Ražošanas Pasūtījumi izveidoti
@@ -1745,17 +1759,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Atļaut vairākas pārdošanas pasūtījumos pret Klienta Pirkuma pasūtījums
DocType: Student Group Instructor,Student Group Instructor,Studentu grupas instruktors
DocType: Student Group Instructor,Student Group Instructor,Studentu grupas instruktors
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 Mobilo Nr
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Galvenais
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobilo Nr
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Galvenais
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variants
DocType: Naming Series,Set prefix for numbering series on your transactions,Uzstādīt tituls numerāciju sērijas par jūsu darījumiem
DocType: Employee Attendance Tool,Employees HTML,darbinieki HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Default BOM ({0}) ir jābūt aktīvam par šo priekšmetu vai tās veidni
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Default BOM ({0}) ir jābūt aktīvam par šo priekšmetu vai tās veidni
DocType: Employee,Leave Encashed?,Atvaļinājums inkasēta?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Iespēja No jomā ir obligāta
DocType: Email Digest,Annual Expenses,gada izdevumi
DocType: Item,Variants,Varianti
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Izveidot pirkuma pasūtījumu
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Izveidot pirkuma pasūtījumu
DocType: SMS Center,Send To,Sūtīt
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Nav pietiekami daudz atvaļinājums bilance Atstāt tipa {0}
DocType: Payment Reconciliation Payment,Allocated amount,Piešķirtā summa
@@ -1771,26 +1785,25 @@
DocType: Item,Serial Nos and Batches,Sērijas Nr un Partijām
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Studentu grupa Strength
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Studentu grupa Strength
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Pret Vēstnesī Entry {0} nav nekādas nesaskaņota {1} ierakstu
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Pret Vēstnesī Entry {0} nav nekādas nesaskaņota {1} ierakstu
apps/erpnext/erpnext/config/hr.py +137,Appraisals,vērtējumi
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Dublēt Sērijas Nr stājās postenī {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Nosacījums Shipping Reglamenta
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,ievadiet
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Nevar overbill par postenī {0} rindā {1} vairāk nekā {2}. Lai ļautu pār-rēķinu, lūdzu, noteikti Pērkot Settings"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Lūdzu iestatīt filtru pamatojoties postenī vai noliktavā
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Nevar overbill par postenī {0} rindā {1} vairāk nekā {2}. Lai ļautu pār-rēķinu, lūdzu, noteikti Pērkot Settings"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Lūdzu iestatīt filtru pamatojoties postenī vai noliktavā
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),"Neto svars šīs paketes. (Aprēķināts automātiski, kā summa neto svara vienību)"
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,"Lūdzu, izveidojiet kontu par šo noliktavu un saistīt to. To nevar izdarīt automātiski kā konta nosaukumu {0} jau eksistē"
DocType: Sales Order,To Deliver and Bill,Rīkoties un Bill
DocType: Student Group,Instructors,instruktori
DocType: GL Entry,Credit Amount in Account Currency,Kredīta summa konta valūtā
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} jāiesniedz
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} jāiesniedz
DocType: Authorization Control,Authorization Control,Autorizācija Control
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Noraidīts Warehouse ir obligāta pret noraidīts postenī {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Noraidīts Warehouse ir obligāta pret noraidīts postenī {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Maksājums
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Noliktava {0} nav saistīta ar jebkuru kontu, lūdzu, norādiet kontu šajā noliktavas ierakstā vai iestatīt noklusējuma inventāra kontu uzņēmumā {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Pārvaldīt savus pasūtījumus
DocType: Production Order Operation,Actual Time and Cost,Faktiskais laiks un izmaksas
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materiāls pieprasījums maksimāli {0} var izdarīt postenī {1} pret pārdošanas ordeņa {2}
-DocType: Employee,Salutation,Sveiciens
DocType: Course,Course Abbreviation,Protams saīsinājums
DocType: Student Leave Application,Student Leave Application,Studentu atvaļinājums
DocType: Item,Will also apply for variants,Attieksies arī uz variantiem
@@ -1802,12 +1815,12 @@
DocType: Quotation Item,Actual Qty,Faktiskais Daudz
DocType: Sales Invoice Item,References,Atsauces
DocType: Quality Inspection Reading,Reading 10,Reading 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Uzskaitiet produktus vai pakalpojumus kas Jūs pērkat vai pārdodat. Pārliecinieties, ka izvēlējāties Preces Grupu, Mērvienību un citas īpašības, kad sākat."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Uzskaitiet produktus vai pakalpojumus kas Jūs pērkat vai pārdodat. Pārliecinieties, ka izvēlējāties Preces Grupu, Mērvienību un citas īpašības, kad sākat."
DocType: Hub Settings,Hub Node,Hub Mezgls
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Esat ievadījis dublikātus preces. Lūdzu, labot un mēģiniet vēlreiz."
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Līdzstrādnieks
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Līdzstrādnieks
DocType: Asset Movement,Asset Movement,Asset kustība
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,Jauns grozs
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Jauns grozs
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Postenis {0} nav sērijveida punkts
DocType: SMS Center,Create Receiver List,Izveidot Uztvērēja sarakstu
DocType: Vehicle,Wheels,Riteņi
@@ -1827,19 +1840,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Var attiekties rindu tikai tad, ja maksa tips ir ""On iepriekšējās rindas summu"" vai ""iepriekšējās rindas Kopā"""
DocType: Sales Order Item,Delivery Warehouse,Piegādes Noliktava
DocType: SMS Settings,Message Parameter,Message parametrs
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Tree finanšu izmaksu centriem.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Tree finanšu izmaksu centriem.
DocType: Serial No,Delivery Document No,Piegāde Dokuments Nr
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Lūdzu noteikt "Gain / zaudējumu aprēķinā par aktīvu aizvākšanu" uzņēmumā {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Dabūtu preces no pirkumu čekus
DocType: Serial No,Creation Date,Izveides datums
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Šķiet postenis {0} vairākas reizes Cenrādī {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Pārdošanas ir jāpārbauda, ja nepieciešams, par ir izvēlēts kā {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Pārdošanas ir jāpārbauda, ja nepieciešams, par ir izvēlēts kā {0}"
DocType: Production Plan Material Request,Material Request Date,Materiāls pieprasījums Datums
DocType: Purchase Order Item,Supplier Quotation Item,Piegādātāja Piedāvājuma postenis
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Izslēdz izveidi laika apaļkoku pret pasūtījumu. Darbības nedrīkst izsekot pret Ražošanas uzdevums
DocType: Student,Student Mobile Number,Studentu Mobilā tālruņa numurs
DocType: Item,Has Variants,Ir Varianti
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Jūs jau atsevišķus posteņus {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Jūs jau atsevišķus posteņus {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Nosaukums Mēneša Distribution
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Partijas ID ir obligāta
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Partijas ID ir obligāta
@@ -1850,12 +1863,12 @@
DocType: Budget,Fiscal Year,Fiskālā gads
DocType: Vehicle Log,Fuel Price,degvielas cena
DocType: Budget,Budget,Budžets
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Ilgtermiņa ieguldījumu postenim jābūt ne-akciju posteni.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Ilgtermiņa ieguldījumu postenim jābūt ne-akciju posteni.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budžets nevar iedalīt pret {0}, jo tas nav ienākumu vai izdevumu kontu"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Izpildīts
DocType: Student Admission,Application Form Route,Pieteikums forma
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Teritorija / Klientu
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,"piemēram, 5"
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,"piemēram, 5"
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Atstājiet Type {0} nevar tikt piešķirts, jo tas ir atstāt bez samaksas"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Rinda {0}: piešķirtā summa {1} jābūt mazākam par vai vienāds ar rēķinu nenomaksāto summu {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"Vārdos būs redzams pēc tam, kad būsiet saglabājis PPR."
@@ -1864,7 +1877,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Postenis {0} nav setup Serial Nr. Pārbaudiet Vienības kapteinis
DocType: Maintenance Visit,Maintenance Time,Apkopes laiks
,Amount to Deliver,Summa rīkoties
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Produkts vai pakalpojums
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Produkts vai pakalpojums
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Term Sākuma datums nevar būt pirms Year Sākuma datums mācību gada, uz kuru termiņš ir saistīts (akadēmiskais gads {}). Lūdzu izlabojiet datumus un mēģiniet vēlreiz."
DocType: Guardian,Guardian Interests,Guardian intereses
DocType: Naming Series,Current Value,Pašreizējā vērtība
@@ -1878,12 +1891,12 @@
must be greater than or equal to {2}","Rinda {0}: Lai iestatītu {1} periodiskumu, atšķirība no un uz datuma \ jābūt lielākam par vai vienādam ar {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,"Tas ir balstīts uz krājumu kustības. Skatīt {0}, lai uzzinātu"
DocType: Pricing Rule,Selling,Pārdošana
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Summa {0} {1} atskaitīt pret {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Summa {0} {1} atskaitīt pret {2}
DocType: Employee,Salary Information,Alga informācija
DocType: Sales Person,Name and Employee ID,Darbinieka Vārds un ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,Due Date nevar būt pirms nosūtīšanas datums
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,Due Date nevar būt pirms nosūtīšanas datums
DocType: Website Item Group,Website Item Group,Mājas lapa Prece Group
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Nodevas un nodokļi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Nodevas un nodokļi
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Ievadiet Atsauces datums
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} maksājumu ierakstus nevar filtrēt pēc {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Tabula postenī, kas tiks parādīts Web Site"
@@ -1900,9 +1913,9 @@
DocType: Payment Reconciliation Payment,Reference Row,atsauce Row
DocType: Installation Note,Installation Time,Uzstādīšana laiks
DocType: Sales Invoice,Accounting Details,Grāmatvedības Details
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,"Dzēst visas darījumi, par šo uzņēmumu"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"Row # {0}: Operation {1} nav pabeigta {2} Daudz gatavo preču ražošanas kārtību # {3}. Lūdzu, atjauniniet darbības statusu, izmantojot Time Baļķi"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Investīcijas
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,"Dzēst visas darījumi, par šo uzņēmumu"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"Row # {0}: Operation {1} nav pabeigta {2} Daudz gatavo preču ražošanas kārtību # {3}. Lūdzu, atjauniniet darbības statusu, izmantojot Time Baļķi"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Investīcijas
DocType: Issue,Resolution Details,Izšķirtspēja Details
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,piešķīrumi
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Pieņemšanas kritēriji
@@ -1927,7 +1940,7 @@
DocType: Room,Room Name,room Name
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Atstājiet nevar piemērot / atcelts pirms {0}, jo atvaļinājumu bilance jau ir rokas nosūtīja nākotnē atvaļinājumu piešķiršanas ierakstu {1}"
DocType: Activity Cost,Costing Rate,Izmaksu Rate
-,Customer Addresses And Contacts,Klientu Adreses un kontakti
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Klientu Adreses un kontakti
,Campaign Efficiency,Kampaņas efektivitāte
,Campaign Efficiency,Kampaņas efektivitāte
DocType: Discussion,Discussion,diskusija
@@ -1939,14 +1952,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Kopā Norēķinu Summa (via laiks lapas)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Atkārtot Klientu Ieņēmumu
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) ir jābūt lomu rēķina apstiprinātāja """
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Pāris
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Izvēlieties BOM un Daudzums nobarojamām
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Pāris
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Izvēlieties BOM un Daudzums nobarojamām
DocType: Asset,Depreciation Schedule,nolietojums grafiks
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Pārdošanas Partner adreses un kontakti
DocType: Bank Reconciliation Detail,Against Account,Pret kontu
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Half Day Date jābūt starp No Datums un līdz šim
DocType: Maintenance Schedule Detail,Actual Date,Faktiskais datums
DocType: Item,Has Batch No,Partijas Nr
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Gada Norēķinu: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Gada Norēķinu: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Preču un pakalpojumu nodokli (PVN Indija)
DocType: Delivery Note,Excise Page Number,Akcīzes Page Number
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Company, no Datums un līdz šim ir obligāta"
DocType: Asset,Purchase Date,Pirkuma datums
@@ -1954,11 +1969,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Lūdzu noteikt "nolietojuma izmaksas centrs" uzņēmumā {0}
,Maintenance Schedules,Apkopes grafiki
DocType: Task,Actual End Date (via Time Sheet),Faktiskā Beigu datums (via laiks lapas)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Summa {0} {1} pret {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Summa {0} {1} pret {2} {3}
,Quotation Trends,Piedāvājumu tendences
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Postenis Group vienības kapteinis nav minēts par posteni {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Debets Lai kontā jābūt pasūtītāju konta
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Postenis Group vienības kapteinis nav minēts par posteni {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Debets Lai kontā jābūt pasūtītāju konta
DocType: Shipping Rule Condition,Shipping Amount,Piegāde Summa
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Pievienot Klienti
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Kamēr Summa
DocType: Purchase Invoice Item,Conversion Factor,Conversion Factor
DocType: Purchase Order,Delivered,Pasludināts
@@ -1968,7 +1984,8 @@
DocType: Purchase Receipt,Vehicle Number,Transportlīdzekļu skaits
DocType: Purchase Invoice,The date on which recurring invoice will be stop,"Datums, kurā atkārtojas rēķins tiks apstāties"
DocType: Employee Loan,Loan Amount,Kredīta summa
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Rinda {0}: Bill of Materials nav atrasta postenī {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Self-Braukšanas Transportlīdzekļu
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Rinda {0}: Bill of Materials nav atrasta postenī {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Kopā piešķirtie lapas {0} nevar būt mazāka par jau apstiprināto lapām {1} par periodu
DocType: Journal Entry,Accounts Receivable,Debitoru parādi
,Supplier-Wise Sales Analytics,Piegādātājs-Wise Sales Analytics
@@ -1986,22 +2003,21 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Izdevumu Prasība tiek gaidīts apstiprinājums. Tikai Izdevumu apstiprinātājs var atjaunināt statusu.
DocType: Email Digest,New Expenses,Jauni izdevumi
DocType: Purchase Invoice,Additional Discount Amount,Papildus Atlaides summa
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Daudz jābūt 1, jo prece ir pamatlīdzeklis. Lūdzu, izmantojiet atsevišķu rindu daudzkārtējai qty."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Daudz jābūt 1, jo prece ir pamatlīdzeklis. Lūdzu, izmantojiet atsevišķu rindu daudzkārtējai qty."
DocType: Leave Block List Allow,Leave Block List Allow,Atstājiet Block Latviešu Atļaut
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Abbr nevar būt tukšs vai telpa
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr nevar būt tukšs vai telpa
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Group Non-Group
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sporta
DocType: Loan Type,Loan Name,aizdevums Name
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Kopā Faktiskais
DocType: Student Siblings,Student Siblings,studentu Brāļi un māsas
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Vienība
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,"Lūdzu, norādiet Company"
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Vienība
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,"Lūdzu, norādiet Company"
,Customer Acquisition and Loyalty,Klientu iegāde un lojalitātes
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Noliktava, kur jums ir saglabāt krājumu noraidīto posteņiem"
DocType: Production Order,Skip Material Transfer,Izlaist materiāla pārnese
DocType: Production Order,Skip Material Transfer,Izlaist materiāla pārnese
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,"Nevar atrast valūtas kursu {0} uz {1} par galveno dienas {2}. Lūdzu, izveidojiet Valūtas maiņas rekordu manuāli"
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Jūsu finanšu gads beidzas
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,"Nevar atrast valūtas kursu {0} uz {1} par galveno dienas {2}. Lūdzu, izveidojiet Valūtas maiņas rekordu manuāli"
DocType: POS Profile,Price List,Cenrādis
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} tagad ir noklusējuma saimnieciskais gads. Lūdzu, atsvaidziniet savu pārlūkprogrammu, lai izmaiņas stātos spēkā."
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Izdevumu Prasības
@@ -2014,14 +2030,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Krājumu atlikumu partijā {0} kļūs negatīvs {1} postenī {2} pie Warehouse {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,"Šāds materiāls Pieprasījumi tika automātiski izvirzīts, balstoties uz posteni atjaunotne pasūtījuma līmenī"
DocType: Email Digest,Pending Sales Orders,Kamēr klientu pasūtījumu
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Konts {0} ir nederīgs. Konta valūta ir {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Konts {0} ir nederīgs. Konta valūta ir {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM pārrēķināšanas koeficients ir nepieciešams rindā {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Reference Document Type jābūt vienam no pārdošanas rīkojumu, pārdošanas rēķinu vai Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Reference Document Type jābūt vienam no pārdošanas rīkojumu, pārdošanas rēķinu vai Journal Entry"
DocType: Salary Component,Deduction,Atskaitīšana
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Rinda {0}: laiku un uz laiku ir obligāta.
DocType: Stock Reconciliation Item,Amount Difference,summa Starpība
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Prece Cena pievienots {0} Cenrādī {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Prece Cena pievienots {0} Cenrādī {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Ievadiet Darbinieku Id šīs pārdošanas persona
DocType: Territory,Classification of Customers by region,Klasifikācija klientiem pa reģioniem
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Starpības summa ir nulle
@@ -2033,21 +2049,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Kopā atskaitīšana
,Production Analytics,ražošanas Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Izmaksas Atjaunots
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Izmaksas Atjaunots
DocType: Employee,Date of Birth,Dzimšanas datums
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Postenis {0} jau ir atgriezies
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Postenis {0} jau ir atgriezies
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Saimnieciskais gads ** pārstāv finanšu gads. Visus grāmatvedības ierakstus un citi lielākie darījumi kāpurķēžu pret ** fiskālā gada **.
DocType: Opportunity,Customer / Lead Address,Klients / Lead adrese
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Brīdinājums: Invalid SSL sertifikātu par arestu {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Brīdinājums: Invalid SSL sertifikātu par arestu {0}
DocType: Student Admission,Eligibility,Tiesības
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Sasaistes palīdzēt jums iegūt biznesa, pievienot visus savus kontaktus un vairāk kā jūsu rezultātā"
DocType: Production Order Operation,Actual Operation Time,Faktiskais Darbības laiks
DocType: Authorization Rule,Applicable To (User),Piemērojamais Lai (lietotājs)
DocType: Purchase Taxes and Charges,Deduct,Atskaitīt
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Darba apraksts
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Darba apraksts
DocType: Student Applicant,Applied,praktisks
DocType: Sales Invoice Item,Qty as per Stock UOM,Daudz kā vienu akciju UOM
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2 vārds
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 vārds
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Speciālās rakstzīmes, izņemot ""-"" ""."", ""#"", un ""/"" nav atļauts nosaucot sērijas"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Sekot izpārdošanām. Sekot noved citāti, Pasūtījumu utt no kampaņas, lai novērtētu atdevi no ieguldījumiem."
DocType: Expense Claim,Approver,Apstiprinātājs
@@ -2058,8 +2074,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Sērijas Nr {0} ir garantijas līdz pat {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Split Piegāde piezīme paketēs.
apps/erpnext/erpnext/hooks.py +87,Shipments,Sūtījumi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Konta atlikums ({0}) par {1} un stock vērtību ({2}) noliktava {3} jābūt vienādi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Konta atlikums ({0}) par {1} un stock vērtību ({2}) noliktava {3} jābūt vienādi
DocType: Payment Entry,Total Allocated Amount (Company Currency),Kopējā piešķirtā summa (Company valūta)
DocType: Purchase Order Item,To be delivered to customer,Jāpiegādā klientam
DocType: BOM,Scrap Material Cost,Lūžņi materiālu izmaksas
@@ -2067,21 +2081,22 @@
DocType: Purchase Invoice,In Words (Company Currency),Vārdos (Company valūta)
DocType: Asset,Supplier,Piegādātājs
DocType: C-Form,Quarter,Ceturksnis
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Dažādi izdevumi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Dažādi izdevumi
DocType: Global Defaults,Default Company,Noklusējuma uzņēmums
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Izdevumu vai Atšķirība konts ir obligāta postenī {0}, kā tā ietekmē vispārējo akciju vērtības"
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Izdevumu vai Atšķirība konts ir obligāta postenī {0}, kā tā ietekmē vispārējo akciju vērtības"
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Bankas nosaukums
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Virs
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Virs
DocType: Employee Loan,Employee Loan Account,Darbinieku Aizdevuma konts
DocType: Leave Application,Total Leave Days,Kopā atvaļinājuma dienām
DocType: Email Digest,Note: Email will not be sent to disabled users,Piezīme: e-pasts netiks nosūtīts invalīdiem
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Skaits mijiedarbības
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Skaits mijiedarbības
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Prece Kods> Prece Group> Brand
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Izvēlieties Company ...
DocType: Leave Control Panel,Leave blank if considered for all departments,"Atstāt tukšu, ja to uzskata par visu departamentu"
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Nodarbinātības veidi (pastāvīgs, līgums, intern uc)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} ir obligāta postenī {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} ir obligāta postenī {1}
DocType: Process Payroll,Fortnightly,divnedēļu
DocType: Currency Exchange,From Currency,No Valūta
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Lūdzu, izvēlieties piešķirtā summa, rēķina veidu un rēķina numura atleast vienā rindā"
@@ -2104,7 +2119,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,"Lūdzu, noklikšķiniet uz ""Generate grafiks"", lai saņemtu grafiku"
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,"Bija kļūdas, vienlaikus dzēšot šādus grafikus:"
DocType: Bin,Ordered Quantity,Pasūtīts daudzums
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","piemēram, ""Build instrumenti celtniekiem"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","piemēram, ""Build instrumenti celtniekiem"""
DocType: Grading Scale,Grading Scale Intervals,Skalu intervāli
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Grāmatvedība Entry par {2} var veikt tikai valūtā: {3}
DocType: Production Order,In Process,In process
@@ -2119,12 +2134,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,"{0} Student grupas, kas izveidotas."
DocType: Sales Invoice,Total Billing Amount,Kopā Norēķinu summa
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,"Ir jābūt noklusējuma ienākošo e-pasta kontu ļāva, lai tas darbotos. Lūdzu setup noklusējuma ienākošā e-pasta kontu (POP / IMAP) un mēģiniet vēlreiz."
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Debitoru konts
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} jau {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Debitoru konts
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} jau {2}
DocType: Quotation Item,Stock Balance,Stock Balance
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Sales Order to Apmaksa
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Lūdzu noteikt Naming Series {0}, izmantojot Setup> Uzstādījumi> nosaucot Series"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,CEO
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO
DocType: Expense Claim Detail,Expense Claim Detail,Izdevumu Pretenzija Detail
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,"Lūdzu, izvēlieties pareizo kontu"
DocType: Item,Weight UOM,Svara Mērvienība
@@ -2133,12 +2147,12 @@
DocType: Production Order Operation,Pending,Līdz
DocType: Course,Course Name,Kursa nosaukums
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,"Lietotāji, kuri var apstiprināt konkrētā darbinieka atvaļinājumu pieteikumus"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Biroja iekārtas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Biroja iekārtas
DocType: Purchase Invoice Item,Qty,Daudz
DocType: Fiscal Year,Companies,Uzņēmumi
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Elektronika
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Paaugstināt Materiālu pieprasījums kad akciju sasniedz atkārtoti pasūtījuma līmeni
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Pilna laika
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Pilna laika
DocType: Salary Structure,Employees,darbinieki
DocType: Employee,Contact Details,Kontaktinformācija
DocType: C-Form,Received Date,Saņēma Datums
@@ -2148,7 +2162,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Cenas netiks parādīts, ja Cenrādis nav noteikts"
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Lūdzu, norādiet valsti šim Shipping noteikuma vai pārbaudīt Worldwide Shipping"
DocType: Stock Entry,Total Incoming Value,Kopā Ienākošais vērtība
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Debets ir nepieciešama
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Debets ir nepieciešama
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets palīdz sekot līdzi laika, izmaksu un rēķinu par aktivitātēm, ko veic savu komandu"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Pirkuma Cenrādis
DocType: Offer Letter Term,Offer Term,Piedāvājums Term
@@ -2157,17 +2171,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Maksājumu Izlīgums
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,"Lūdzu, izvēlieties incharge Personas vārds"
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Tehnoloģija
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Pavisam Neapmaksāta: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Pavisam Neapmaksāta: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM Mājas Darbība
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Piedāvājuma vēstule
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Izveidot Materiāls Pieprasījumi (MRP) un pasūtījumu.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Kopējo rēķinā Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Kopējo rēķinā Amt
DocType: BOM,Conversion Rate,Conversion Rate
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Produktu meklēšana
DocType: Timesheet Detail,To Time,Uz laiku
DocType: Authorization Rule,Approving Role (above authorized value),Apstiprinot loma (virs atļautā vērtība)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Kredīts kontā jābūt Kreditoru konts
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM rekursijas: {0} nevar būt vecāks vai bērns {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Kredīts kontā jābūt Kreditoru konts
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM rekursijas: {0} nevar būt vecāks vai bērns {2}
DocType: Production Order Operation,Completed Qty,Pabeigts Daudz
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Par {0}, tikai debeta kontus var saistīt pret citu kredīta ierakstu"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Cenrādis {0} ir invalīds
@@ -2179,28 +2193,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,"{0} kārtas numurus, kas nepieciešami postenī {1}. Jums ir sniegušas {2}."
DocType: Stock Reconciliation Item,Current Valuation Rate,Pašreizējais Vērtēšanas Rate
DocType: Item,Customer Item Codes,Klientu punkts Codes
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Exchange Gain / zaudējumi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange Gain / zaudējumi
DocType: Opportunity,Lost Reason,Zaudēja Iemesls
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Jaunā adrese
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Jaunā adrese
DocType: Quality Inspection,Sample Size,Izlases lielums
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Ievadiet saņemšana dokuments
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Visi posteņi jau ir rēķinā
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Visi posteņi jau ir rēķinā
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',"Lūdzu, norādiet derīgu ""No lietā Nr '"
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,"Turpmākie izmaksu centrus var izdarīt ar grupu, bet ierakstus var izdarīt pret nepilsoņu grupām"
DocType: Project,External,Ārējs
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Lietotāji un atļaujas
DocType: Vehicle Log,VLOG.,Vlogi.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Ražošanas Pasūtījumi Izveidoja: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Ražošanas Pasūtījumi Izveidoja: {0}
DocType: Branch,Branch,Filiāle
DocType: Guardian,Mobile Number,Mobilā telefona numurs
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Drukāšana un zīmols
DocType: Bin,Actual Quantity,Faktiskais daudzums
DocType: Shipping Rule,example: Next Day Shipping,Piemērs: Nākošā diena Piegāde
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Sērijas Nr {0} nav atrasts
-DocType: Scheduling Tool,Student Batch,Student Partijas
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Jūsu klienti
+DocType: Program Enrollment,Student Batch,Student Partijas
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,padarīt Students
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Jūs esat uzaicināts sadarboties projektam: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Jūs esat uzaicināts sadarboties projektam: {0}
DocType: Leave Block List Date,Block Date,Block Datums
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Pieteikties tagad
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Faktiskais Daudz {0} / Waiting Daudz {1}
@@ -2210,7 +2223,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Izveidot un pārvaldīt ikdienas, iknedēļas un ikmēneša e-pasta hidrolizātus."
DocType: Appraisal Goal,Appraisal Goal,Izvērtēšana Goal
DocType: Stock Reconciliation Item,Current Amount,pašreizējais Summa
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,ēkas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,ēkas
DocType: Fee Structure,Fee Structure,maksa struktūra
DocType: Timesheet Detail,Costing Amount,Izmaksu summa
DocType: Student Admission,Application Fee,Pieteikuma maksa
@@ -2222,10 +2235,10 @@
DocType: POS Profile,[Select],[Izvēlēties]
DocType: SMS Log,Sent To,Nosūtīts
DocType: Payment Request,Make Sales Invoice,Izveidot PPR
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,programmatūra
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,programmatūra
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Nākamais Kontaktinformācija datums nedrīkst būt pagātnē
DocType: Company,For Reference Only.,Tikai atsaucei.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Izvēlieties Partijas Nr
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Izvēlieties Partijas Nr
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Nederīga {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,Advance Summa
@@ -2235,15 +2248,15 @@
DocType: Employee,Employment Details,Nodarbinātības Details
DocType: Employee,New Workplace,Jaunajā darbavietā
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Uzstādīt kā Slēgts
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Pozīcijas ar svītrkodu {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Pozīcijas ar svītrkodu {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Case No. nevar būt 0
DocType: Item,Show a slideshow at the top of the page,Parādiet slaidrādi augšpusē lapas
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,BOMs
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Veikali
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,BOMs
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Veikali
DocType: Serial No,Delivery Time,Piegādes laiks
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Novecošanās Based On
DocType: Item,End of Life,End of Life
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Ceļot
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Ceļot
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Nav aktīvas vai noklusējuma Alga struktūra down darbiniekam {0} par dotajiem datumiem
DocType: Leave Block List,Allow Users,Atļaut lietotājiem
DocType: Purchase Order,Customer Mobile No,Klientu Mobile Nr
@@ -2252,29 +2265,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Atjaunināt izmaksas
DocType: Item Reorder,Item Reorder,Postenis Pārkārtot
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Rādīt Alga Slip
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Transfer Materiāls
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Transfer Materiāls
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Norādiet operācijas, ekspluatācijas izmaksas un sniegt unikālu ekspluatācijā ne jūsu darbībām."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Šis dokuments ir pāri robežai ar {0} {1} par posteni {4}. Jūs padarīt vēl {3} pret pats {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Lūdzu noteikt atkārtojas pēc glābšanas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Izvēlieties Mainīt summu konts
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Šis dokuments ir pāri robežai ar {0} {1} par posteni {4}. Jūs padarīt vēl {3} pret pats {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Lūdzu noteikt atkārtojas pēc glābšanas
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Izvēlieties Mainīt summu konts
DocType: Purchase Invoice,Price List Currency,Cenrādis Currency
DocType: Naming Series,User must always select,Lietotājam ir vienmēr izvēlēties
DocType: Stock Settings,Allow Negative Stock,Atļaut negatīvs Stock
DocType: Installation Note,Installation Note,Uzstādīšana Note
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Pievienot Nodokļi
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Pievienot Nodokļi
DocType: Topic,Topic,Temats
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Naudas plūsma no finansēšanas
DocType: Budget Account,Budget Account,budžeta kontā
DocType: Quality Inspection,Verified By,Verified by
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nevar mainīt uzņēmuma noklusējuma valūtu, jo ir kādi darījumi. Darījumi jāanulē, lai mainītu noklusējuma valūtu."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nevar mainīt uzņēmuma noklusējuma valūtu, jo ir kādi darījumi. Darījumi jāanulē, lai mainītu noklusējuma valūtu."
DocType: Grading Scale Interval,Grade Description,grade Apraksts
DocType: Stock Entry,Purchase Receipt No,Pirkuma čeka Nr
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Rokas naudas
DocType: Process Payroll,Create Salary Slip,Izveidot algas lapu
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,izsekojamība
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Līdzekļu avots (Pasīvi)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Daudzums rindā {0} ({1}) jābūt tādai pašai kā saražotā apjoma {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Līdzekļu avots (Pasīvi)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Daudzums rindā {0} ({1}) jābūt tādai pašai kā saražotā apjoma {2}
DocType: Appraisal,Employee,Darbinieks
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Izvēlieties Partijas
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0}{1} ir pilnībā jāmaksā
DocType: Training Event,End Time,Beigu laiks
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Active Alga Struktūra {0} down darbiniekam {1} par attiecīgo datumu
@@ -2286,11 +2300,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Nepieciešamais On
DocType: Rename Tool,File to Rename,Failu pārdēvēt
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},"Lūdzu, izvēlieties BOM par posteni rindā {0}"
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Noteiktais BOM {0} nepastāv postenī {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Konta {0} nesakrīt ar uzņēmumu {1} no konta režīms: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Noteiktais BOM {0} nepastāv postenī {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Uzturēšana Kalendārs {0} ir atcelts pirms anulējot šo klientu pasūtījumu
DocType: Notification Control,Expense Claim Approved,Izdevumu Pretenzija Apstiprināts
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Alga Slip darbinieka {0} jau izveidotas šajā periodā
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Farmaceitisks
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmaceitisks
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Izmaksas iegādātās preces
DocType: Selling Settings,Sales Order Required,Pasūtījumu Nepieciešamais
DocType: Purchase Invoice,Credit To,Kredīts Lai
@@ -2307,43 +2322,43 @@
DocType: Payment Gateway Account,Payment Account,Maksājumu konts
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,"Lūdzu, norādiet Company, lai turpinātu"
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Neto izmaiņas debitoru
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Kompensējošs Off
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Kompensējošs Off
DocType: Offer Letter,Accepted,Pieņemts
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,organizēšana
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,organizēšana
DocType: SG Creation Tool Course,Student Group Name,Student Grupas nosaukums
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Lūdzu, pārliecinieties, ka jūs tiešām vēlaties dzēst visus darījumus šajā uzņēmumā. Jūsu meistars dati paliks kā tas ir. Šo darbību nevar atsaukt."
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Lūdzu, pārliecinieties, ka jūs tiešām vēlaties dzēst visus darījumus šajā uzņēmumā. Jūsu meistars dati paliks kā tas ir. Šo darbību nevar atsaukt."
DocType: Room,Room Number,Istabas numurs
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Nederīga atsauce {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}), nevar būt lielāks par plānoto daudzumu ({2}) ražošanas pasūtījumā {3}"
DocType: Shipping Rule,Shipping Rule Label,Piegāde noteikums Label
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,lietotāju forums
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Izejvielas nevar būt tukšs.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Nevarēja atjaunināt sastāvu, rēķins ir piliens kuģniecības objektu."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Izejvielas nevar būt tukšs.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Nevarēja atjaunināt sastāvu, rēķins ir piliens kuģniecības objektu."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Quick Journal Entry
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,"Jūs nevarat mainīt likmi, ja BOM minēja agianst jebkuru posteni"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,"Jūs nevarat mainīt likmi, ja BOM minēja agianst jebkuru posteni"
DocType: Employee,Previous Work Experience,Iepriekšējā darba pieredze
DocType: Stock Entry,For Quantity,Par Daudzums
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Ievadiet Plānotais Daudzums postenī {0} pēc kārtas {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0}{1} nav iesniegta
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Lūgumus par.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Atsevišķa produkcija pasūtījums tiks izveidots katrā gatavā labu posteni.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} ir negatīva atgriešanās dokumentā
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} ir negatīva atgriešanās dokumentā
,Minutes to First Response for Issues,Minūtes First Response jautājumos
DocType: Purchase Invoice,Terms and Conditions1,Noteikumi un Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,"Institūta nosaukums, ko jums ir izveidot šo sistēmu."
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,"Institūta nosaukums, ko jums ir izveidot šo sistēmu."
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Grāmatvedības ieraksts iesaldēta līdz šim datumam, neviens nevar darīt / mainīt ierakstu izņemot lomu zemāk norādīto."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,"Lūdzu, saglabājiet dokumentu pirms ražošanas apkopes grafiku"
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Projekta statuss
DocType: UOM,Check this to disallow fractions. (for Nos),Pārbaudiet to neatļaut frakcijas. (Par Nr)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Tika izveidoti šādi pasūtījumu:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Tika izveidoti šādi pasūtījumu:
DocType: Student Admission,Naming Series (for Student Applicant),Naming Series (par studentu Pieteikuma)
DocType: Delivery Note,Transporter Name,Transporter Name
DocType: Authorization Rule,Authorized Value,Autorizēts Value
DocType: BOM,Show Operations,Rādīt Operations
,Minutes to First Response for Opportunity,Minūtes First Response par Opportunity
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Kopā Nav
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Postenis vai noliktava rindā {0} nesakrīt Material pieprasījumu
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Postenis vai noliktava rindā {0} nesakrīt Material pieprasījumu
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Mērvienības
DocType: Fiscal Year,Year End Date,Gada beigu datums
DocType: Task Depends On,Task Depends On,Uzdevums Atkarīgs On
@@ -2423,11 +2438,11 @@
DocType: Asset,Manual,rokasgrāmata
DocType: Salary Component Account,Salary Component Account,Algas Component konts
DocType: Global Defaults,Hide Currency Symbol,Slēpt valūtas simbolu
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","piemēram, Bank, Cash, Credit Card"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","piemēram, Bank, Cash, Credit Card"
DocType: Lead Source,Source Name,Source Name
DocType: Journal Entry,Credit Note,Kredīts Note
DocType: Warranty Claim,Service Address,Servisa adrese
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Mēbeles un piederumi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Mēbeles un piederumi
DocType: Item,Manufacture,Ražošana
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Lūdzu Piegāde piezīme pirmais
DocType: Student Applicant,Application Date,pieteikums datums
@@ -2437,7 +2452,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Klīrenss datums nav minēts
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Ražošana
DocType: Guardian,Occupation,nodarbošanās
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Lūdzu uzstādīšana Darbinieku nosaukumu sistēmai cilvēkresursu> HR Settings
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Rinda {0}: Sākuma datumam jābūt pirms beigu datuma
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Kopā (Daudz)
DocType: Sales Invoice,This Document,šo dokumentu
@@ -2449,20 +2463,20 @@
DocType: Purchase Receipt,Time at which materials were received,"Laiks, kurā materiāli tika saņemti"
DocType: Stock Ledger Entry,Outgoing Rate,Izejošais Rate
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organizācija filiāle meistars.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,vai
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,vai
DocType: Sales Order,Billing Status,Norēķinu statuss
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Ziņojiet par problēmu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Utility Izdevumi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Utility Izdevumi
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90 Virs
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Journal Entry {1} nav konta {2} vai jau saskaņota pret citu talonu
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Journal Entry {1} nav konta {2} vai jau saskaņota pret citu talonu
DocType: Buying Settings,Default Buying Price List,Default Pirkšana Cenrādis
DocType: Process Payroll,Salary Slip Based on Timesheet,Alga Slip Pamatojoties uz laika kontrolsaraksts
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Neviens darbinieks par iepriekš izvēlētajiem kritērijiem vai algu paslīdēt jau izveidots
DocType: Notification Control,Sales Order Message,Sales Order Message
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Iestatītu noklusētās vērtības, piemēram, Company, valūtas, kārtējā fiskālajā gadā, uc"
DocType: Payment Entry,Payment Type,Maksājuma veids
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Lūdzu, izvēlieties partijai postenis {0}. Nevar atrast vienu partiju, kas atbilst šo prasību"
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Lūdzu, izvēlieties partijai postenis {0}. Nevar atrast vienu partiju, kas atbilst šo prasību"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Lūdzu, izvēlieties partijai postenis {0}. Nevar atrast vienu partiju, kas atbilst šo prasību"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Lūdzu, izvēlieties partijai postenis {0}. Nevar atrast vienu partiju, kas atbilst šo prasību"
DocType: Process Payroll,Select Employees,Izvēlieties Darbinieki
DocType: Opportunity,Potential Sales Deal,Potenciālie Sales Deal
DocType: Payment Entry,Cheque/Reference Date,Čeks / Reference Date
@@ -2482,7 +2496,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Kvīts dokuments ir jāiesniedz
DocType: Purchase Invoice Item,Received Qty,Saņēma Daudz
DocType: Stock Entry Detail,Serial No / Batch,Sērijas Nr / Partijas
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,"Nav samaksāta, un nav sniegusi"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,"Nav samaksāta, un nav sniegusi"
DocType: Product Bundle,Parent Item,Parent postenis
DocType: Account,Account Type,Konta tips
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2497,25 +2511,24 @@
DocType: Bin,Reserved Quantity,Rezervēts daudzums
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Ievadiet derīgu e-pasta adresi
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Ievadiet derīgu e-pasta adresi
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Nav obligāti kurss programmai {0}
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Nav obligāti kurss programmai {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Pirkuma čeka Items
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Pielāgošana Veidlapas
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,Arrear
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,Arrear
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Nolietojums Summa periodā
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Invalīdu veidni nedrīkst noklusējuma veidni
DocType: Account,Income Account,Ienākumu konta
DocType: Payment Request,Amount in customer's currency,Summa klienta valūtā
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Nodošana
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Nodošana
DocType: Stock Reconciliation Item,Current Qty,Pašreizējais Daudz
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section","Skatīt ""Rate Materiālu Balstoties uz"" in tāmēšanu iedaļā"
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Iepriekšējā
DocType: Appraisal Goal,Key Responsibility Area,Key Atbildība Platība
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Studentu Partijas palīdzēs jums izsekot apmeklējumu, slēdzienus un maksu studentiem"
DocType: Payment Entry,Total Allocated Amount,Kopējā piešķirtā summa
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Iestatīt noklusējuma inventāra veido pastāvīgās uzskaites
DocType: Item Reorder,Material Request Type,Materiāls Pieprasījuma veids
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Journal Entry algām no {0} līdz {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage ir pilna, nav ietaupīt"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage ir pilna, nav ietaupīt"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Conversion Factor ir obligāta
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Ref
DocType: Budget,Cost Center,Izmaksas Center
@@ -2528,19 +2541,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Cenu noteikums ir, lai pārrakstītu Cenrādī / noteikt diskonta procentus, pamatojoties uz dažiem kritērijiem."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Noliktavu var mainīt tikai ar Fondu Entry / Piegāde Note / pirkuma čeka
DocType: Employee Education,Class / Percentage,Klase / procentuālā
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Mārketinga un pārdošanas vadītājs
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Ienākuma nodoklis
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Mārketinga un pārdošanas vadītājs
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Ienākuma nodoklis
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Ja izvēlētais Cenu noteikums ir paredzēts ""cena"", tas pārrakstīs cenrādi. Cenu noteikums cena ir galīgā cena, tāpēc vairs atlaide jāpiemēro. Tādējādi, darījumos, piemēram, pārdošanas rīkojumu, pirkuma pasūtījuma utt, tas tiks atnesa 'ātrums' laukā, nevis ""Cenu saraksts likmes"" laukā."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Track noved līdz Rūpniecības Type.
DocType: Item Supplier,Item Supplier,Postenis piegādātājs
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,"Ievadiet posteņu kodu, lai iegūtu partiju nē"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},"Lūdzu, izvēlieties vērtību {0} quotation_to {1}"
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,"Ievadiet posteņu kodu, lai iegūtu partiju nē"
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},"Lūdzu, izvēlieties vērtību {0} quotation_to {1}"
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Visas adreses.
DocType: Company,Stock Settings,Akciju iestatījumi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Apvienošana ir iespējama tikai tad, ja šādas īpašības ir vienādas abos ierakstos. Vai Group, Root Type, Uzņēmuma"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Apvienošana ir iespējama tikai tad, ja šādas īpašības ir vienādas abos ierakstos. Vai Group, Root Type, Uzņēmuma"
DocType: Vehicle,Electric,elektrības
DocType: Task,% Progress,% Progress
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Peļņa / zaudējumi aktīva atsavināšana
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Peļņa / zaudējumi aktīva atsavināšana
DocType: Training Event,Will send an email about the event to employees with status 'Open',Vai Uzrakstīt par pasākumu darbiniekiem ar statusu "Atvērt"
DocType: Task,Depends on Tasks,Atkarīgs no uzdevumiem
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Pārvaldīt Klientu grupa Tree.
@@ -2549,7 +2562,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Jaunais Izmaksu centrs Name
DocType: Leave Control Panel,Leave Control Panel,Atstājiet Control Panel
DocType: Project,Task Completion,uzdevums pabeigšana
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Nav noliktavā
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Nav noliktavā
DocType: Appraisal,HR User,HR User
DocType: Purchase Invoice,Taxes and Charges Deducted,Nodokļi un maksājumi Atskaitīts
apps/erpnext/erpnext/hooks.py +116,Issues,Jautājumi
@@ -2560,22 +2573,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Nav alga slip atrasts starp {0} un {1}
,Pending SO Items For Purchase Request,Kamēr SO šeit: pirkuma pieprasījumu
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,studentu Uzņemšana
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} ir izslēgts
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} ir izslēgts
DocType: Supplier,Billing Currency,Norēķinu valūta
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Īpaši liels
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Īpaši liels
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Kopā Leaves
,Profit and Loss Statement,Peļņas un zaudējumu aprēķins
DocType: Bank Reconciliation Detail,Cheque Number,Čeku skaits
,Sales Browser,Sales Browser
DocType: Journal Entry,Total Credit,Kopā Credit
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Brīdinājums: Vēl {0} # {1} eksistē pret akciju stāšanās {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Vietējs
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Vietējs
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Aizdevumi un avansi (Aktīvi)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Debitori
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Liels
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Liels
DocType: Homepage Featured Product,Homepage Featured Product,Homepage Featured Product
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Visi novērtēšanas grupas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Visi novērtēšanas grupas
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Jauns Noliktava vārds
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Kopā {0} ({1})
DocType: C-Form Invoice Detail,Territory,Teritorija
@@ -2585,12 +2598,12 @@
DocType: Production Order Operation,Planned Start Time,Plānotais Sākuma laiks
DocType: Course,Assessment,novērtējums
DocType: Payment Entry Reference,Allocated,Piešķirtas
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Close Bilance un grāmatu peļņa vai zaudējumi.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Close Bilance un grāmatu peļņa vai zaudējumi.
DocType: Student Applicant,Application Status,Application Status
DocType: Fees,Fees,maksas
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Norādiet Valūtas kurss pārveidot vienu valūtu citā
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Piedāvājums {0} ir atcelts
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Kopējā nesaņemtā summa
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Kopējā nesaņemtā summa
DocType: Sales Partner,Targets,Mērķi
DocType: Price List,Price List Master,Cenrādis Master
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Visi pārdošanas darījumi var tagged pret vairāku ** pārdevēji **, lai jūs varat noteikt un kontrolēt mērķus."
@@ -2622,12 +2635,12 @@
1. Address and Contact of your Company.","Standarta noteikumi, kas var pievienot pārdošanu un pirkšanu. Piemēri: 1. derīgums piedāvājumu. 1. Maksājumu noteikumi (iepriekš, uz kredīta, daļa iepriekš uc). 1. Kas ir papildu (vai, kas Klientam jāmaksā). 1. Drošības / izmantošana brīdinājuma. 1. Garantija, ja tāda ir. 1. atgriešanās politiku. 1. Piegādes noteikumi, ja tādi ir. 1. kā risināt strīdus, atlīdzības, atbildību, u.tml 1. Adrese un kontaktinformācija Jūsu uzņēmumā."
DocType: Attendance,Leave Type,Atvaļinājums Type
DocType: Purchase Invoice,Supplier Invoice Details,Piegādātāju rēķinu Detaļas
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Izdevumu / Starpība konts ({0}) ir jābūt ""peļņa vai zaudējumi"" konts"
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Izdevumu / Starpība konts ({0}) ir jābūt ""peļņa vai zaudējumi"" konts"
DocType: Project,Copied From,kopēts no
DocType: Project,Copied From,kopēts no
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Vārds kļūda: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,trūkums
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} nav saistīta ar {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} nav saistīta ar {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Apmeklējumu par darbiniekam {0} jau ir atzīmēts
DocType: Packing Slip,If more than one package of the same type (for print),"Ja vairāk nekā viens iepakojums, no tā paša veida (drukāšanai)"
,Salary Register,alga Reģistrēties
@@ -2645,22 +2658,23 @@
,Requested Qty,Pieprasīts Daudz
DocType: Tax Rule,Use for Shopping Cart,Izmantot Grozs
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Vērtība {0} atribūtam {1} neeksistē sarakstā derīgu posteņa īpašības vērtības posteni {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Atlasīt seriālos numurus
DocType: BOM Item,Scrap %,Lūžņi %
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Maksas tiks izplatīts proporcionāli, pamatojoties uz vienību Daudz vai summu, kā par savu izvēli"
DocType: Maintenance Visit,Purposes,Mērķiem
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Vismaz vienu posteni jānorāda ar negatīvu daudzumu atgriešanās dokumentā
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Vismaz vienu posteni jānorāda ar negatīvu daudzumu atgriešanās dokumentā
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Darbība {0} vairāk nekā visus pieejamos darba stundas darbstaciju {1}, nojauktu darbību vairākos operācijām"
,Requested,Pieprasīts
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Nav Piezīmes
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Nav Piezīmes
DocType: Purchase Invoice,Overdue,Nokavēts
DocType: Account,Stock Received But Not Billed,Stock Saņemtā Bet ne Jāmaksā
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Root Jāņem grupa
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Root Jāņem grupa
DocType: Fees,FEE.,MAKSA.
DocType: Employee Loan,Repaid/Closed,/ Atmaksāto Slēgts
DocType: Item,Total Projected Qty,Kopā prognozēts Daudz
DocType: Monthly Distribution,Distribution Name,Distribution vārds
DocType: Course,Course Code,kursa kods
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Kvalitātes pārbaudes nepieciešamas postenī {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Kvalitātes pārbaudes nepieciešamas postenī {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,"Likmi, pēc kuras klienta valūtā tiek konvertēta uz uzņēmuma bāzes valūtā"
DocType: Purchase Invoice Item,Net Rate (Company Currency),Net Rate (Uzņēmējdarbības valūta)
DocType: Salary Detail,Condition and Formula Help,Stāvoklis un Formula Palīdzība
@@ -2673,27 +2687,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Materiāls pārsūtīšana Ražošana
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Atlaide Procentos var piemērot vai nu pret Cenrādī vai visām Cenrāža.
DocType: Purchase Invoice,Half-yearly,Reizi pusgadā
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Grāmatvedības Entry par noliktavā
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Grāmatvedības Entry par noliktavā
DocType: Vehicle Service,Engine Oil,Motora eļļas
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Lūdzu uzstādīšana Darbinieku nosaukumu sistēmai cilvēkresursu> HR Settings
DocType: Sales Invoice,Sales Team1,Sales team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Postenis {0} nepastāv
DocType: Sales Invoice,Customer Address,Klientu adrese
DocType: Employee Loan,Loan Details,aizdevums Details
+DocType: Company,Default Inventory Account,Noklusējuma Inventāra konts
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Rinda {0}: Pabeigts Daudz jābūt lielākai par nulli.
DocType: Purchase Invoice,Apply Additional Discount On,Piesakies Papildu atlaide
DocType: Account,Root Type,Root Type
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Nevar atgriezties vairāk nekā {1} postenī {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Nevar atgriezties vairāk nekā {1} postenī {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Gabals
DocType: Item Group,Show this slideshow at the top of the page,Parādiet šo slaidrādi augšpusē lapas
DocType: BOM,Item UOM,Postenis(Item) UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Nodokļa summa pēc atlaides apmērs (Uzņēmējdarbības valūta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Mērķa noliktava ir obligāta rindā {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Mērķa noliktava ir obligāta rindā {0}
DocType: Cheque Print Template,Primary Settings,primārās iestatījumi
DocType: Purchase Invoice,Select Supplier Address,Select Piegādātājs adrese
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Pievienot Darbinieki
DocType: Purchase Invoice Item,Quality Inspection,Kvalitātes pārbaudes
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Extra Small
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small
DocType: Company,Standard Template,Standard Template
DocType: Training Event,Theory,teorija
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Brīdinājums: Materiāls Pieprasītā Daudz ir mazāks nekā minimālais pasūtījums Daudz
@@ -2701,7 +2717,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Juridiskā persona / meitas uzņēmums ar atsevišķu kontu plānu, kas pieder Organizācijai."
DocType: Payment Request,Mute Email,Mute Email
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Pārtika, dzērieni un tabakas"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Var tikai veikt maksājumus pret unbilled {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Var tikai veikt maksājumus pret unbilled {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Komisijas likme nevar būt lielāka par 100
DocType: Stock Entry,Subcontract,Apakšlīgumu
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Ievadiet {0} pirmais
@@ -2714,18 +2730,18 @@
DocType: SMS Log,No of Sent SMS,Nosūtīto SMS skaits
DocType: Account,Expense Account,Izdevumu konts
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Software
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Krāsa
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Krāsa
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Novērtējums plāns Kritēriji
DocType: Training Event,Scheduled,Plānotais
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Pieprasīt Piedāvājumu.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Lūdzu, izvēlieties elements, "Vai Stock Vienība" ir "nē" un "Vai Pārdošanas punkts" ir "jā", un nav cita Product Bundle"
DocType: Student Log,Academic,akadēmisks
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Kopā avanss ({0}) pret rīkojuma {1} nevar būt lielāks par kopsummā ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Kopā avanss ({0}) pret rīkojuma {1} nevar būt lielāks par kopsummā ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Izvēlieties Mēneša Distribution nevienmērīgi izplatīt mērķus visā mēnešiem.
DocType: Purchase Invoice Item,Valuation Rate,Vērtēšanas Rate
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,dīzelis
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Cenrādis Valūtu nav izvēlēta
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Cenrādis Valūtu nav izvēlēta
,Student Monthly Attendance Sheet,Student Mēneša Apmeklējumu lapa
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Darbinieku {0} jau ir pieprasījis {1} no {2} un {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Projekta sākuma datums
@@ -2738,7 +2754,7 @@
DocType: BOM,Scrap,atkritumi
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Pārvaldīt tirdzniecības partneri.
DocType: Quality Inspection,Inspection Type,Inspekcija Type
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Noliktavas ar esošo darījumu nevar pārvērst grupai.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Noliktavas ar esošo darījumu nevar pārvērst grupai.
DocType: Assessment Result Tool,Result HTML,rezultāts HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Beigu termiņš
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Pievienot Students
@@ -2746,13 +2762,13 @@
DocType: C-Form,C-Form No,C-Form Nr
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,Nemarķēta apmeklējums
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Pētnieks
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Pētnieks
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Programma Uzņemšanas Tool Student
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Vārds vai e-pasts ir obligāta
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Ienākošais kvalitātes pārbaude.
DocType: Purchase Order Item,Returned Qty,Atgriezās Daudz
DocType: Employee,Exit,Izeja
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Sakne Type ir obligāts
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Sakne Type ir obligāts
DocType: BOM,Total Cost(Company Currency),Kopējās izmaksas (Company valūta)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Sērijas Nr {0} izveidots
DocType: Homepage,Company Description for website homepage,Uzņēmuma apraksts mājas lapas sākumlapā
@@ -2761,7 +2777,7 @@
DocType: Sales Invoice,Time Sheet List,Time Sheet saraksts
DocType: Employee,You can enter any date manually,Jūs varat ievadīt jebkuru datumu manuāli
DocType: Asset Category Account,Depreciation Expense Account,Nolietojums Izdevumu konts
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Pārbaudes laiks
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Pārbaudes laiks
DocType: Customer Group,Only leaf nodes are allowed in transaction,Tikai lapu mezgli ir atļauts darījumā
DocType: Expense Claim,Expense Approver,Izdevumu apstiprinātājs
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Row {0}: Advance pret Klientu jābūt kredīts
@@ -2775,10 +2791,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Kursu Saraksti svītro:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Baļķi uzturēšanai sms piegādes statusu
DocType: Accounts Settings,Make Payment via Journal Entry,Veikt maksājumus caur Journal Entry
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Printed On
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Printed On
DocType: Item,Inspection Required before Delivery,Pārbaude Nepieciešamais pirms Piegāde
DocType: Item,Inspection Required before Purchase,"Pārbaude nepieciešams, pirms pirkuma"
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Neapstiprinātas aktivitātes
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Jūsu organizācija
DocType: Fee Component,Fees Category,maksas kategorija
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Ievadiet atbrīvojot datumu.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
@@ -2788,9 +2805,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Pārkārtot Level
DocType: Company,Chart Of Accounts Template,Kontu plāns Template
DocType: Attendance,Attendance Date,Apmeklējumu Datums
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Prece Cena atjaunināts {0} Cenrādī {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Prece Cena atjaunināts {0} Cenrādī {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Alga sabrukuma pamatojoties uz izpeļņu un atskaitīšana.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Konts ar bērniem mezglu nevar pārvērst par virsgrāmatā
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Konts ar bērniem mezglu nevar pārvērst par virsgrāmatā
DocType: Purchase Invoice Item,Accepted Warehouse,Pieņemts Noliktava
DocType: Bank Reconciliation Detail,Posting Date,Norīkošanu Datums
DocType: Item,Valuation Method,Vērtēšanas metode
@@ -2799,14 +2816,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Dublikāts ieraksts
DocType: Program Enrollment Tool,Get Students,Iegūt Students
DocType: Serial No,Under Warranty,Zem Garantija
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Kļūda]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Kļūda]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,"Vārdos būs redzams pēc tam, kad esat saglabāt klientu pasūtījumu."
,Employee Birthday,Darbinieku Birthday
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Partijas Apmeklējumu Tool
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,Limit Crossed
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Limit Crossed
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Venture Capital
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Akadēmiskā termins ar šo "mācību gada" {0} un "Termina nosaukums" {1} jau eksistē. Lūdzu mainīt šos ierakstus un mēģiniet vēlreiz.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Tā kā ir esošie darījumi pret posteni {0}, jūs nevarat mainīt vērtību {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Tā kā ir esošie darījumi pret posteni {0}, jūs nevarat mainīt vērtību {1}"
DocType: UOM,Must be Whole Number,Jābūt veselam skaitlim
DocType: Leave Control Panel,New Leaves Allocated (In Days),Jaunas lapas Piešķirtas (dienās)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Sērijas Nr {0} nepastāv
@@ -2815,6 +2832,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Rēķina numurs
DocType: Shopping Cart Settings,Orders,Pasūtījumi
DocType: Employee Leave Approver,Leave Approver,Atstājiet apstiprinātāja
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,"Lūdzu, izvēlieties partiju"
DocType: Assessment Group,Assessment Group Name,Novērtējums Grupas nosaukums
DocType: Manufacturing Settings,Material Transferred for Manufacture,"Materiāls pārvietoti, lai ražošana"
DocType: Expense Claim,"A user with ""Expense Approver"" role","Lietotājs ar ""Izdevumu apstiprinātājs"" lomu"
@@ -2824,9 +2842,10 @@
DocType: Target Detail,Target Detail,Mērķa Detail
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,Visas Jobs
DocType: Sales Order,% of materials billed against this Sales Order,% Materiālu jāmaksā pret šo pārdošanas pasūtījumu
+DocType: Program Enrollment,Mode of Transportation,Transporta Mode
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Periods Noslēguma Entry
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,"Izmaksas Center ar esošajiem darījumiem, nevar pārvērst par grupai"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Summa {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Summa {0} {1} {2} {3}
DocType: Account,Depreciation,Nolietojums
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Piegādātājs (-i)
DocType: Employee Attendance Tool,Employee Attendance Tool,Darbinieku apmeklējums Tool
@@ -2834,7 +2853,7 @@
DocType: Supplier,Credit Limit,Kredītlimita
DocType: Production Plan Sales Order,Salse Order Date,Salse Pasūtījuma datums
DocType: Salary Component,Salary Component,alga Component
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Maksājumu Ieraksti {0} ir ANO saistīti
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Maksājumu Ieraksti {0} ir ANO saistīti
DocType: GL Entry,Voucher No,Kuponu Nr
,Lead Owner Efficiency,Lead Īpašnieks Efektivitāte
,Lead Owner Efficiency,Lead Īpašnieks Efektivitāte
@@ -2846,11 +2865,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Šablons noteikumiem vai līgumu.
DocType: Purchase Invoice,Address and Contact,Adrese un kontaktinformācija
DocType: Cheque Print Template,Is Account Payable,Vai Konta Kreditoru
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Preces nevar atjaunināt pret pirkuma čeka {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Preces nevar atjaunināt pret pirkuma čeka {0}
DocType: Supplier,Last Day of the Next Month,Pēdējā diena nākamajā mēnesī
DocType: Support Settings,Auto close Issue after 7 days,Auto tuvu Issue pēc 7 dienām
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Atvaļinājumu nevar tikt piešķirts pirms {0}, jo atvaļinājumu bilance jau ir rokas nosūtīja nākotnē atvaļinājumu piešķiršanas ierakstu {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Piezīme: Due / Reference Date pārsniedz ļāva klientu kredītu dienām ar {0} dienā (s)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Piezīme: Due / Reference Date pārsniedz ļāva klientu kredītu dienām ar {0} dienā (s)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Student Pretendents
DocType: Asset Category Account,Accumulated Depreciation Account,Uzkrātais nolietojums konts
DocType: Stock Settings,Freeze Stock Entries,Iesaldēt krājumu papildināšanu
@@ -2859,36 +2878,36 @@
DocType: Activity Cost,Billing Rate,Norēķinu Rate
,Qty to Deliver,Daudz rīkoties
,Stock Analytics,Akciju Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Darbības nevar atstāt tukšu
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Darbības nevar atstāt tukšu
DocType: Maintenance Visit Purpose,Against Document Detail No,Pret Dokumentu Detail Nr
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Puse Type ir obligāts
DocType: Quality Inspection,Outgoing,Izejošs
DocType: Material Request,Requested For,Pieprasīts Par
DocType: Quotation Item,Against Doctype,Pret DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} ir atcelts vai aizvērts
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} ir atcelts vai aizvērts
DocType: Delivery Note,Track this Delivery Note against any Project,Sekot šim pavadzīmi pret jebkuru projektu
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Neto naudas no Investing
-,Is Primary Address,Vai Primārā adrese
DocType: Production Order,Work-in-Progress Warehouse,Work-in-Progress noliktavā
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Asset {0} jāiesniedz
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Apmeklējumu Record {0} nepastāv pret Student {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Apmeklējumu Record {0} nepastāv pret Student {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Atsauce # {0} datēts {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Nolietojums Izslēgta dēļ aktīvu atsavināšanas
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Pārvaldīt adreses
DocType: Asset,Item Code,Postenis Code
DocType: Production Planning Tool,Create Production Orders,Izveidot pasūtījumu
DocType: Serial No,Warranty / AMC Details,Garantijas / AMC Details
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Izvēlieties studenti manuāli Grupas darbības balstītas
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Izvēlieties studenti manuāli Grupas darbības balstītas
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Izvēlieties studenti manuāli Grupas darbības balstītas
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Izvēlieties studenti manuāli Grupas darbības balstītas
DocType: Journal Entry,User Remark,Lietotājs Piezīme
DocType: Lead,Market Segment,Tirgus segmentā
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Samaksātā summa nedrīkst būt lielāka par kopējo negatīvo nenomaksātās summas {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Samaksātā summa nedrīkst būt lielāka par kopējo negatīvo nenomaksātās summas {0}
DocType: Employee Internal Work History,Employee Internal Work History,Darbinieku Iekšējā Work Vēsture
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Noslēguma (Dr)
DocType: Cheque Print Template,Cheque Size,Čeku Size
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Sērijas Nr {0} nav noliktavā
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Nodokļu veidni pārdošanas darījumu.
DocType: Sales Invoice,Write Off Outstanding Amount,Uzrakstiet Off Izcila summa
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Konta {0} nesakrīt ar uzņēmumu {1}
DocType: School Settings,Current Academic Year,Pašreizējais akadēmiskais gads
DocType: School Settings,Current Academic Year,Pašreizējais akadēmiskais gads
DocType: Stock Settings,Default Stock UOM,Default Stock UOM
@@ -2904,27 +2923,27 @@
DocType: Asset,Double Declining Balance,Paātrināto norakstīšanas
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,"Slēgta rīkojumu nevar atcelt. Atvērt, lai atceltu."
DocType: Student Guardian,Father,tēvs
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,"Update Stock" nevar pārbaudīta pamatlīdzekļu pārdošana
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"Update Stock" nevar pārbaudīta pamatlīdzekļu pārdošana
DocType: Bank Reconciliation,Bank Reconciliation,Banku samierināšanās
DocType: Attendance,On Leave,Atvaļinājumā
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Saņemt atjauninājumus
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} nepieder Uzņēmumu {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Materiāls Pieprasījums {0} ir atcelts vai pārtraukta
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Pievienot dažus parauga ierakstus
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Pievienot dažus parauga ierakstus
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Atstājiet Management
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Grupa ar kontu
DocType: Sales Order,Fully Delivered,Pilnībā Pasludināts
DocType: Lead,Lower Income,Lower Ienākumi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Avota un mērķa noliktava nevar būt vienāda rindā {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Avota un mērķa noliktava nevar būt vienāda rindā {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Starpība Konts jābūt aktīva / saistību veidu konts, jo šis fonds Salīdzināšana ir atklāšana Entry"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Izmaksātā summa nedrīkst būt lielāka par aizdevuma summu {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},"Pasūtījuma skaitu, kas nepieciešams postenī {0}"
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Produkcija Pasūtījums nav izveidots
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},"Pasūtījuma skaitu, kas nepieciešams postenī {0}"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Produkcija Pasūtījums nav izveidots
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""No Datuma 'jābūt pēc"" Uz Datumu'"
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Nevar mainīt statusu kā studentam {0} ir saistīta ar studentu pieteikumu {1}
DocType: Asset,Fully Depreciated,pilnībā amortizēta
,Stock Projected Qty,Stock Plānotais Daudzums
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Klientu {0} nepieder projekta {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Klientu {0} nepieder projekta {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Ievērojama Apmeklējumu HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Citāti ir priekšlikumi, cenas jums ir nosūtīti uz jūsu klientiem"
DocType: Sales Order,Customer's Purchase Order,Klienta Pasūtījuma
@@ -2933,8 +2952,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Summa rādītājus vērtēšanas kritēriju jābūt {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Lūdzu noteikts skaits nolietojuma Rezervēts
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Vērtība vai Daudz
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Iestudējumi Rīkojumi nevar izvirzīts par:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Minūte
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Iestudējumi Rīkojumi nevar izvirzīts par:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Minūte
DocType: Purchase Invoice,Purchase Taxes and Charges,Pirkuma nodokļiem un maksājumiem
,Qty to Receive,Daudz saņems
DocType: Leave Block List,Leave Block List Allowed,Atstājiet Block Latviešu Atļauts
@@ -2942,25 +2961,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Izdevumu Prasība par servisa {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Atlaide (%) par Cenrādis likmi ar Margin
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Atlaide (%) par Cenrādis likmi ar Margin
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,Visas Noliktavas
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Visas Noliktavas
DocType: Sales Partner,Retailer,Mazumtirgotājs
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Kredīts kontā jābūt bilance konts
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Kredīts kontā jābūt bilance konts
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Visi Piegādātājs veidi
DocType: Global Defaults,Disable In Words,Atslēgt vārdos
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,"Postenis Kodekss ir obligāts, jo vienība nav automātiski numurētas"
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Postenis Kodekss ir obligāts, jo vienība nav automātiski numurētas"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Piedāvājums {0} nav tips {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Uzturēšana grafiks postenis
DocType: Sales Order,% Delivered,% Piegādāts
DocType: Production Order,PRO-,PRO-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Banka Overdrafts konts
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Banka Overdrafts konts
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Padarīt par atalgojumu
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: piešķirtā summa nedrīkst būt lielāka par nesamaksāto summu.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Pārlūkot BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Nodrošināti aizdevumi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Nodrošināti aizdevumi
DocType: Purchase Invoice,Edit Posting Date and Time,Labot ziņas datums un laiks
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Lūdzu noteikt nolietojuma saistīti konti aktīvu kategorijā {0} vai Uzņēmumu {1}
DocType: Academic Term,Academic Year,Akadēmiskais gads
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Atklāšanas Balance Equity
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Atklāšanas Balance Equity
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Novērtējums
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},E-pasts nosūtīts piegādātājam {0}
@@ -2976,7 +2995,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Apstiprinot loma nevar būt tāds pats kā loma noteikums ir piemērojams
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Atteikties no šo e-pastu Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Ziņojums nosūtīts
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Konts ar bērnu mezglu nevar iestatīt kā virsgrāmatā
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Konts ar bērnu mezglu nevar iestatīt kā virsgrāmatā
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,"Ātrums, kādā cenrādis valūta tiek pārvērsts klienta bāzes valūtā"
DocType: Purchase Invoice Item,Net Amount (Company Currency),Net Summa (Uzņēmējdarbības valūta)
@@ -3011,7 +3030,7 @@
DocType: Expense Claim,Approval Status,Apstiprinājums statuss
DocType: Hub Settings,Publish Items to Hub,Publicēt preces Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},No vērtība nedrīkst būt mazāka par to vērtību rindā {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Wire Transfer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Wire Transfer
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Pārbaudi visu
DocType: Vehicle Log,Invoice Ref,rēķina Ref
DocType: Purchase Order,Recurring Order,Atkārtojas rīkojums
@@ -3024,19 +3043,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Banku un maksājumi
,Welcome to ERPNext,Laipni lūdzam ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Potenciālais klients -> Piedāvājums (quotation)
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,"Nekas vairāk, lai parādītu."
DocType: Lead,From Customer,No Klienta
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Zvani
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Zvani
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,partijām
DocType: Project,Total Costing Amount (via Time Logs),Kopā Izmaksu summa (via Time Baļķi)
DocType: Purchase Order Item Supplied,Stock UOM,Krājumu Mērvienība
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Pasūtījuma {0} nav iesniegta
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Pasūtījuma {0} nav iesniegta
DocType: Customs Tariff Number,Tariff Number,tarifu skaits
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Prognozēts
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Sērijas Nr {0} nepieder noliktavu {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Piezīme: Sistēma nepārbaudīs pārāk piegādi un pār-rezervāciju postenī {0} kā daudzums vai vērtība ir 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Piezīme: Sistēma nepārbaudīs pārāk piegādi un pār-rezervāciju postenī {0} kā daudzums vai vērtība ir 0
DocType: Notification Control,Quotation Message,Piedāvājuma Ziņojums
DocType: Employee Loan,Employee Loan Application,Darbinieku Loan Application
DocType: Issue,Opening Date,Atvēršanas datums
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Apmeklētība ir veiksmīgi atzīmēts.
+DocType: Program Enrollment,Public Transport,Sabiedriskais transports
DocType: Journal Entry,Remark,Piezīme
DocType: Purchase Receipt Item,Rate and Amount,Novērtēt un Summa
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Konta tips par {0} ir {1}
@@ -3044,32 +3066,32 @@
DocType: School Settings,Current Academic Term,Pašreizējais Akadēmiskā Term
DocType: School Settings,Current Academic Term,Pašreizējais Akadēmiskā Term
DocType: Sales Order,Not Billed,Nav Jāmaksā
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Gan Noliktavas jāpieder pie pats uzņēmums
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Nav kontaktpersonu vēl nav pievienota.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Gan Noliktavas jāpieder pie pats uzņēmums
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Nav kontaktpersonu vēl nav pievienota.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Izkrauti izmaksas kuponu Summa
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,"Rēķini, ko piegādātāji izvirzītie."
DocType: POS Profile,Write Off Account,Uzrakstiet Off kontu
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Parādzīmē amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Atlaide Summa
DocType: Purchase Invoice,Return Against Purchase Invoice,Atgriezties Pret pirkuma rēķina
DocType: Item,Warranty Period (in days),Garantijas periods (dienās)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Saistība ar Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Saistība ar Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Neto naudas no operāciju
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,"piemēram, PVN"
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,"piemēram, PVN"
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Prece 4
DocType: Student Admission,Admission End Date,Uzņemšana beigu datums
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Apakšlīguma
DocType: Journal Entry Account,Journal Entry Account,Journal Entry konts
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Studentu grupa
DocType: Shopping Cart Settings,Quotation Series,Piedāvājuma sērija
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Priekšmets pastāv ar tādu pašu nosaukumu ({0}), lūdzu, nomainiet priekšmets grupas nosaukumu vai pārdēvēt objektu"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,"Lūdzu, izvēlieties klientu"
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Priekšmets pastāv ar tādu pašu nosaukumu ({0}), lūdzu, nomainiet priekšmets grupas nosaukumu vai pārdēvēt objektu"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,"Lūdzu, izvēlieties klientu"
DocType: C-Form,I,es
DocType: Company,Asset Depreciation Cost Center,Aktīvu amortizācijas izmaksas Center
DocType: Sales Order Item,Sales Order Date,Sales Order Date
DocType: Sales Invoice Item,Delivered Qty,Pasludināts Daudz
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Ja ieslēgts, visi bērni katrā ražošanas posteni tiks iekļauts materiāls pieprasījumiem."
DocType: Assessment Plan,Assessment Plan,novērtējums Plan
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Noliktava {0}: Uzņēmums ir obligāta
DocType: Stock Settings,Limit Percent,Limit Percent
,Payment Period Based On Invoice Date,"Samaksa periodā, pamatojoties uz rēķina datuma"
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Trūkst Valūtu kursi par {0}
@@ -3081,7 +3103,7 @@
DocType: Vehicle,Insurance Details,apdrošināšana Details
DocType: Account,Payable,Maksājams
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,Ievadiet atmaksas termiņi
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Debitori ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Debitori ({0})
DocType: Pricing Rule,Margin,Robeža
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Jauni klienti
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Bruto peļņa%
@@ -3092,16 +3114,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Puse ir obligāta
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,Tēma Name
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Jāizvēlas Vismaz viens pirkšana vai pārdošana
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Izvēlieties raksturu jūsu biznesu.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Jāizvēlas Vismaz viens pirkšana vai pārdošana
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Izvēlieties raksturu jūsu biznesu.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Rinda # {0}: Duplicate ierakstu atsaucēs {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,"Gadījumos, kad ražošanas darbības tiek veiktas."
DocType: Asset Movement,Source Warehouse,Source Noliktava
DocType: Installation Note,Installation Date,Uzstādīšana Datums
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} nepieder uzņēmumam {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} nepieder uzņēmumam {2}
DocType: Employee,Confirmation Date,Apstiprinājums Datums
DocType: C-Form,Total Invoiced Amount,Kopā Rēķinā summa
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Daudz nevar būt lielāks par Max Daudz
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Min Daudz nevar būt lielāks par Max Daudz
DocType: Account,Accumulated Depreciation,uzkrātais nolietojums
DocType: Stock Entry,Customer or Supplier Details,Klientu vai piegādātājs detaļas
DocType: Employee Loan Application,Required by Date,Pieprasa Datums
@@ -3122,22 +3144,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Mēneša procentuālais sadalījums
DocType: Territory,Territory Targets,Teritorija Mērķi
DocType: Delivery Note,Transporter Info,Transporter Info
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Lūdzu iestatīt noklusēto {0} uzņēmumā {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Lūdzu iestatīt noklusēto {0} uzņēmumā {1}
DocType: Cheque Print Template,Starting position from top edge,Sākuma stāvoklis no augšējās malas
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Pats piegādātājs ir ievadīts vairākas reizes
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Bruto peļņa / zaudējumi
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Pasūtījuma Prece Kopā
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Uzņēmuma nosaukums nevar būt uzņēmums
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Uzņēmuma nosaukums nevar būt uzņēmums
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Vēstuļu Heads iespiesto veidnes.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Nosaukumi drukāt veidnes, piemēram, rēķins."
DocType: Student Guardian,Student Guardian,Student Guardian
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Vērtēšanas veida maksājumus nevar atzīmēts kā Inclusive
DocType: POS Profile,Update Stock,Update Stock
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Piegādātājs> Piegādātājs veids
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Different UOM objektus, novedīs pie nepareizas (kopā) Neto svars vērtību. Pārliecinieties, ka neto svars katru posteni ir tādā pašā UOM."
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Rate
DocType: Asset,Journal Entry for Scrap,Journal Entry metāllūžņos
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Lūdzu pull preces no piegādes pavadzīmē
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Žurnāla ieraksti {0} ir ANO saistītas
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Žurnāla ieraksti {0} ir ANO saistītas
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Record visas komunikācijas tipa e-pastu, tālruni, tērzēšana, vizītes, uc"
DocType: Manufacturer,Manufacturers used in Items,Ražotāji izmanto preces
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,"Lūdzu, atsaucieties uz noapaļot Cost Center Company"
@@ -3186,34 +3209,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,Piegādātājs piegādā Klientam
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / postenis / {0}) ir no krājumiem
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Nākamais datums nedrīkst būt lielāks par norīkošanu Datums
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Rādīt nodokļu break-up
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Due / Atsauce Date nevar būt pēc {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Rādīt nodokļu break-up
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Due / Atsauce Date nevar būt pēc {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Datu importēšana un eksportēšana
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","Krājumu pastāvēt pret Warehouse {0}, līdz ar to nevar atkārtoti piešķirt vai mainīt to"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Nav studenti Atrasts
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Nav studenti Atrasts
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Rēķina Posting Date
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,pārdot
DocType: Sales Invoice,Rounded Total,Noapaļota Kopā
DocType: Product Bundle,List items that form the package.,"Saraksts priekšmeti, kas veido paketi."
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Procentuālais sadalījums būtu vienāda ar 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,"Lūdzu, izvēlieties Publicēšanas datums pirms izvēloties puse"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,"Lūdzu, izvēlieties Publicēšanas datums pirms izvēloties puse"
DocType: Program Enrollment,School House,School House
DocType: Serial No,Out of AMC,Out of AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,"Lūdzu, izvēlieties citāti"
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,"Lūdzu, izvēlieties citāti"
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,"Lūdzu, izvēlieties citāti"
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,"Lūdzu, izvēlieties citāti"
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Skaits nolietojuma kartīti nedrīkst būt lielāks par kopskaita nolietojuma
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Izveidot tehniskās apkopes vizīti
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,"Lūdzu, sazinieties ar lietotāju, kurš ir Sales Master vadītājs {0} lomu"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,"Lūdzu, sazinieties ar lietotāju, kurš ir Sales Master vadītājs {0} lomu"
DocType: Company,Default Cash Account,Default Naudas konts
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Company (nav Klients vai piegādātājs) kapteinis.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Tas ir balstīts uz piedalīšanos šajā Student
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Nav Skolēni
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Nav Skolēni
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Pievienotu citus objektus vai Atvērt pilnu formu
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',"Ievadiet ""piegādes paredzētais datums"""
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Piegāde Notes {0} ir atcelts pirms anulējot šo klientu pasūtījumu
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Samaksāta summa + norakstīt summa nedrīkst būt lielāka par Grand Kopā
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Samaksāta summa + norakstīt summa nedrīkst būt lielāka par Grand Kopā
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} nav derīgs Partijas skaits postenī {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Piezīme: Nav pietiekami daudz atvaļinājums bilance Atstāt tipa {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,Nederīga GSTIN vai Enter NA par Nereģistrēts
DocType: Training Event,Seminar,seminārs
DocType: Program Enrollment Fee,Program Enrollment Fee,Program iestāšanās maksa
DocType: Item,Supplier Items,Piegādātājs preces
@@ -3239,28 +3262,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Postenis 3
DocType: Purchase Order,Customer Contact Email,Klientu Kontakti Email
DocType: Warranty Claim,Item and Warranty Details,Elements un Garantija Details
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Prece Kods> Prece Group> Brand
DocType: Sales Team,Contribution (%),Ieguldījums (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Piezīme: Maksājumu ievades netiks izveidota, jo ""naudas vai bankas konts"" netika norādīta"
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Izvēlieties programmu ieneses obligātos kursus.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Izvēlieties programmu ieneses obligātos kursus.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Pienākumi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Pienākumi
DocType: Expense Claim Account,Expense Claim Account,Izdevumu Prasība konts
DocType: Sales Person,Sales Person Name,Sales Person Name
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Ievadiet Vismaz 1 rēķinu tabulā
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Pievienot lietotājus
DocType: POS Item Group,Item Group,Postenis Group
DocType: Item,Safety Stock,Drošības fonds
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Progress% par uzdevumu nevar būt lielāks par 100.
DocType: Stock Reconciliation Item,Before reconciliation,Pirms samierināšanās
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Uz {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Nodokļi un maksājumi Pievienoja (Company valūta)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Postenis Nodokļu Row {0} ir jābūt vērā tipa nodokli vai ienākumu vai izdevumu, vai jāmaksā"
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Postenis Nodokļu Row {0} ir jābūt vērā tipa nodokli vai ienākumu vai izdevumu, vai jāmaksā"
DocType: Sales Order,Partly Billed,Daļēji Jāmaksā
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Prece {0} ir jābūt pamatlīdzekļu posteni
DocType: Item,Default BOM,Default BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,"Lūdzu, atkārtoti tipa uzņēmuma nosaukums, lai apstiprinātu"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Kopā Izcila Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Debeta piezīme Summa
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,"Lūdzu, atkārtoti tipa uzņēmuma nosaukums, lai apstiprinātu"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Kopā Izcila Amt
DocType: Journal Entry,Printing Settings,Drukāšanas iestatījumi
DocType: Sales Invoice,Include Payment (POS),Iekļaut maksājums (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Kopējais debets jābūt vienādam ar kopējās kredīta. Atšķirība ir {0}
@@ -3274,16 +3294,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Noliktavā:
DocType: Notification Control,Custom Message,Custom Message
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investīciju banku
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,"Nauda vai bankas konts ir obligāta, lai padarītu maksājumu ierakstu"
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Studentu adrese
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Studentu adrese
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,"Nauda vai bankas konts ir obligāta, lai padarītu maksājumu ierakstu"
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Lūdzu uzstādīšana numerācijas sērijas apmeklēšanu, izmantojot Setup> numerācija Series"
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentu adrese
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentu adrese
DocType: Purchase Invoice,Price List Exchange Rate,Cenrādis Valūtas kurss
DocType: Purchase Invoice Item,Rate,Likme
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Interns
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,Adrese nosaukums
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Interns
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,Adrese nosaukums
DocType: Stock Entry,From BOM,No BOM
DocType: Assessment Code,Assessment Code,novērtējums Code
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Pamata
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Pamata
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Akciju darījumiem pirms {0} ir iesaldēti
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"Lūdzu, noklikšķiniet uz ""Generate sarakstā '"
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","piemēram Kg, Unit, numurus, m"
@@ -3293,11 +3314,11 @@
DocType: Salary Slip,Salary Structure,Algu struktūra
DocType: Account,Bank,Banka
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Aviokompānija
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Jautājums Materiāls
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Jautājums Materiāls
DocType: Material Request Item,For Warehouse,Noliktavai
DocType: Employee,Offer Date,Piedāvājuma Datums
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Citāti
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,"Jūs esat bezsaistes režīmā. Jūs nevarēsiet, lai pārlādētu, kamēr jums ir tīkls."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,"Jūs esat bezsaistes režīmā. Jūs nevarēsiet, lai pārlādētu, kamēr jums ir tīkls."
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Nav Studentu grupas izveidots.
DocType: Purchase Invoice Item,Serial No,Sērijas Nr
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Ikmēneša atmaksa summa nedrīkst būt lielāka par aizdevuma summu
@@ -3305,8 +3326,8 @@
DocType: Purchase Invoice,Print Language,print valoda
DocType: Salary Slip,Total Working Hours,Kopējais darba laiks
DocType: Stock Entry,Including items for sub assemblies,Ieskaitot posteņiem apakš komplektiem
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Ievadiet vērtība ir pozitīva
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Visas teritorijas
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Ievadiet vērtība ir pozitīva
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Visas teritorijas
DocType: Purchase Invoice,Items,Preces
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Students jau ir uzņemti.
DocType: Fiscal Year,Year Name,Gadā Name
@@ -3324,10 +3345,10 @@
DocType: Issue,Opening Time,Atvēršanas laiks
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,No un uz datumiem nepieciešamo
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Vērtspapīru un preču biržu
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Default mērvienība Variant '{0}' jābūt tāds pats kā Template '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Default mērvienība Variant '{0}' jābūt tāds pats kā Template '{1}'
DocType: Shipping Rule,Calculate Based On,"Aprēķināt, pamatojoties uz"
DocType: Delivery Note Item,From Warehouse,No Noliktavas
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Nav Preces ar Bill materiālu ražošana
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Nav Preces ar Bill materiālu ražošana
DocType: Assessment Plan,Supervisor Name,uzraudzītājs Name
DocType: Program Enrollment Course,Program Enrollment Course,Programmas Uzņemšana kurss
DocType: Program Enrollment Course,Program Enrollment Course,Programmas Uzņemšana kurss
@@ -3343,18 +3364,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Dienas kopš pēdējā pasūtījuma"" nedrīkst būt lielāks par vai vienāds ar nulli"
DocType: Process Payroll,Payroll Frequency,Algas Frequency
DocType: Asset,Amended From,Grozīts No
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Izejviela
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Izejviela
DocType: Leave Application,Follow via Email,Sekot pa e-pastu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Augi un mehānika
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Augi un mehānika
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Nodokļu summa pēc Atlaide Summa
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Ikdienas darba kopsavilkums Settings
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Valūta cenrādi {0} nav līdzīgs ar izvēlēto valūtu {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Valūta cenrādi {0} nav līdzīgs ar izvēlēto valūtu {1}
DocType: Payment Entry,Internal Transfer,iekšējā Transfer
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Bērnu konts pastāv šim kontam. Jūs nevarat dzēst šo kontu.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Bērnu konts pastāv šim kontam. Jūs nevarat dzēst šo kontu.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Nu mērķa Daudzums vai paredzētais apjoms ir obligāta
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Nē noklusējuma BOM pastāv postenī {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Nē noklusējuma BOM pastāv postenī {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,"Lūdzu, izvēlieties Publicēšanas datums pirmais"
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Atvēršanas datums būtu pirms slēgšanas datums
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Lūdzu noteikt Naming Series {0}, izmantojot Setup> Uzstādījumi> nosaucot Series"
DocType: Leave Control Panel,Carry Forward,Virzīt uz priekšu
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,"Izmaksas Center ar esošajiem darījumiem, nevar pārvērst par virsgrāmatā"
DocType: Department,Days for which Holidays are blocked for this department.,Dienas kuriem Brīvdienas ir bloķēta šajā departamentā.
@@ -3364,11 +3386,10 @@
DocType: Issue,Raised By (Email),Raised Ar (e-pasts)
DocType: Training Event,Trainer Name,treneris Name
DocType: Mode of Payment,General,Vispārīgs
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Pievienojiet iespiedveidlapām
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Pēdējais paziņojums
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Pēdējais paziņojums
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nevar atskaitīt, ja kategorija ir ""vērtēšanas"" vai ""Novērtēšanas un Total"""
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Sarakstu jūsu nodokļu galvas (piemēram, PVN, muitas uc; viņiem ir unikālas nosaukumi) un to standarta likmes. Tas radīs standarta veidni, kuru varat rediģēt un pievienot vēl vēlāk."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Sarakstu jūsu nodokļu galvas (piemēram, PVN, muitas uc; viņiem ir unikālas nosaukumi) un to standarta likmes. Tas radīs standarta veidni, kuru varat rediģēt un pievienot vēl vēlāk."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Sērijas Nos Nepieciešamais par sērijveida postenī {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Match Maksājumi ar rēķini
DocType: Journal Entry,Bank Entry,Banka Entry
@@ -3377,16 +3398,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Pievienot grozam
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Group By
DocType: Guardian,Interests,intereses
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Ieslēgt / izslēgt valūtas.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Ieslēgt / izslēgt valūtas.
DocType: Production Planning Tool,Get Material Request,Iegūt Material pieprasījums
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Pasta izdevumi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Pasta izdevumi
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Kopā (Amt)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Entertainment & Leisure
DocType: Quality Inspection,Item Serial No,Postenis Sērijas Nr
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Izveidot Darbinieku Records
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Kopā Present
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,grāmatvedības pārskati
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Stunda
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Stunda
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"Jaunais Sērijas Nē, nevar būt noliktava. Noliktavu jānosaka ar Fondu ieceļošanas vai pirkuma čeka"
DocType: Lead,Lead Type,Potenciālā klienta Veids (Type)
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Jums nav atļauts apstiprināt lapas par Grantu datumi
@@ -3398,6 +3419,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,Jaunais BOM pēc nomaiņas
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Point of Sale
DocType: Payment Entry,Received Amount,Saņemtā summa
+DocType: GST Settings,GSTIN Email Sent On,GSTIN nosūtīts e-pasts On
+DocType: Program Enrollment,Pick/Drop by Guardian,Pick / nokristies Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Izveidot pilnu daudzumu, ignorējot daudzumu jau pēc pasūtījuma"
DocType: Account,Tax,Nodoklis
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,nav marķēti
@@ -3411,7 +3434,7 @@
DocType: Batch,Source Document Name,Avota Dokumenta nosaukums
DocType: Job Opening,Job Title,Amats
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Izveidot lietotāju
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,grams
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,grams
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,"Daudzums, ražošana jābūt lielākam par 0."
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Apmeklējiet pārskatu uzturēšanas zvanu.
DocType: Stock Entry,Update Rate and Availability,Atjaunināšanas ātrumu un pieejamība
@@ -3419,7 +3442,7 @@
DocType: POS Customer Group,Customer Group,Klientu Group
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Jaunais grupas ID (pēc izvēles)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Jaunais grupas ID (pēc izvēles)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Izdevumu konts ir obligāta posteni {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Izdevumu konts ir obligāta posteni {0}
DocType: BOM,Website Description,Mājas lapa Apraksts
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Neto pašu kapitāla izmaiņas
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Lūdzu atcelt pirkuma rēķina {0} pirmais
@@ -3429,8 +3452,8 @@
,Sales Register,Sales Reģistrēties
DocType: Daily Work Summary Settings Company,Send Emails At,Sūtīt e-pastus
DocType: Quotation,Quotation Lost Reason,Piedāvājuma Zaudējuma Iemesls
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Izvēlieties savu domēnu
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Darījuma atsauces numurs {0} datēts {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Izvēlieties savu domēnu
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Darījuma atsauces numurs {0} datēts {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,"Nav nekas, lai rediģētu."
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Kopsavilkums par šo mēnesi un izskatāmo darbību
DocType: Customer Group,Customer Group Name,Klientu Grupas nosaukums
@@ -3438,14 +3461,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Naudas plūsmas pārskats
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Kredīta summa nedrīkst pārsniegt maksimālo summu {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,licence
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},"Lūdzu, noņemiet šo rēķinu {0} no C-Form {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},"Lūdzu, noņemiet šo rēķinu {0} no C-Form {1}"
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Lūdzu, izvēlieties Carry priekšu, ja jūs arī vēlaties iekļaut iepriekšējā finanšu gadā bilance atstāj šajā fiskālajā gadā"
DocType: GL Entry,Against Voucher Type,Pret kupona Tips
DocType: Item,Attributes,Atribūti
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,Ievadiet norakstīt kontu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Ievadiet norakstīt kontu
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Pēdējā pasūtījuma datums
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Konts {0} nav pieder uzņēmumam {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Sērijas numurus kārtas {0} nesakrīt ar piegādes piezīme
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Sērijas numurus kārtas {0} nesakrīt ar piegādes piezīme
DocType: Student,Guardian Details,Guardian Details
DocType: C-Form,C-Form,C-Form
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark apmeklēšana vairākiem darbiniekiem
@@ -3460,16 +3483,16 @@
DocType: Budget Account,Budget Amount,budžeta apjoms
DocType: Appraisal Template,Appraisal Template Title,Izvērtēšana Template sadaļa
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},No Datums {0} uz Employee {1} nevar būt pirms darbinieka savieno datums {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Tirdzniecības
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Tirdzniecības
DocType: Payment Entry,Account Paid To,Konts Paid To
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Parent postenis {0} nedrīkst būt Stock Vienība
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Visi Produkti vai Pakalpojumi.
DocType: Expense Claim,More Details,Sīkāka informācija
DocType: Supplier Quotation,Supplier Address,Piegādātājs adrese
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} budžets konta {1} pret {2} {3} ir {4}. Tas pārsniegs līdz {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Rinda {0} # jāņem tipa "pamatlīdzekļu"
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Out Daudz
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Noteikumi aprēķināt kuģniecības summu pārdošanu
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Rinda {0} # jāņem tipa "pamatlīdzekļu"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Out Daudz
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Noteikumi aprēķināt kuģniecības summu pārdošanu
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Dokumenta numurs ir obligāts
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Finanšu pakalpojumi
DocType: Student Sibling,Student ID,Student ID
@@ -3477,13 +3500,13 @@
DocType: Tax Rule,Sales,Pārdevums
DocType: Stock Entry Detail,Basic Amount,Pamatsumma
DocType: Training Event,Exam,eksāmens
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Noliktava nepieciešama krājumu postenī {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Noliktava nepieciešama krājumu postenī {0}
DocType: Leave Allocation,Unused leaves,Neizmantotās lapas
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,Norēķinu Valsts
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Nodošana
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} nav saistīta ar partijas kontā {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Atnest eksplodēja BOM (ieskaitot mezglus)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} nav saistīta ar partijas kontā {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Atnest eksplodēja BOM (ieskaitot mezglus)
DocType: Authorization Rule,Applicable To (Employee),Piemērojamais Lai (Darbinieku)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Due Date ir obligāts
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Pieaugums par atribūtu {0} nevar būt 0
@@ -3511,7 +3534,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Izejvielas Produkta kods
DocType: Journal Entry,Write Off Based On,Uzrakstiet Off Based On
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,padarīt Lead
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Drukas un Kancelejas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Drukas un Kancelejas
DocType: Stock Settings,Show Barcode Field,Rādīt Svītrkoda Field
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Nosūtīt Piegādātāja e-pastu
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Alga jau sagatavotas laika posmā no {0} un {1}, atstājiet piemērošanas periods nevar būt starp šo datumu diapazonā."
@@ -3519,14 +3542,16 @@
DocType: Guardian Interest,Guardian Interest,Guardian Procentu
apps/erpnext/erpnext/config/hr.py +177,Training,treniņš
DocType: Timesheet,Employee Detail,Darbinieku Detail
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 Email ID
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 Email ID
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,Nākamajam datumam diena un Atkārtot Mēneša diena jābūt vienādam
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Iestatījumi mājas lapā mājas lapā
DocType: Offer Letter,Awaiting Response,Gaida atbildi
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Iepriekš
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Iepriekš
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},Nederīga atribūts {0} {1}
DocType: Supplier,Mention if non-standard payable account,Pieminēt ja nestandarta jāmaksā konts
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Same postenis ir ievadīts vairākas reizes. {Saraksts}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',"Lūdzu, izvēlieties novērtējuma grupu, kas nav "All novērtēšanas grupas""
DocType: Salary Slip,Earning & Deduction,Nopelnot & atskaitīšana
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,"Pēc izvēles. Šis iestatījums tiks izmantota, lai filtrētu dažādos darījumos."
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Negatīva Vērtēšana Rate nav atļauta
@@ -3540,9 +3565,9 @@
DocType: Sales Invoice,Product Bundle Help,Produkta Bundle Palīdzība
,Monthly Attendance Sheet,Mēneša Apmeklējumu Sheet
DocType: Production Order Item,Production Order Item,Ražošanas Order punkts
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Ieraksts nav atrasts
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Ieraksts nav atrasts
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Izmaksas metāllūžņos aktīva
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0}{1}: Izmaksu centrs ir obligāta postenī {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0}{1}: Izmaksu centrs ir obligāta postenī {2}
DocType: Vehicle,Policy No,politikas Nr
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Dabūtu preces no produkta Bundle
DocType: Asset,Straight Line,Taisne
@@ -3551,7 +3576,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,sadalīt
DocType: GL Entry,Is Advance,Vai Advance
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Apmeklējumu No Datums un apmeklētība līdz šim ir obligāta
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,"Ievadiet ""tiek slēgti apakšuzņēmuma līgumi"", kā jā vai nē"
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,"Ievadiet ""tiek slēgti apakšuzņēmuma līgumi"", kā jā vai nē"
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Pēdējais Komunikācijas Datums
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Pēdējais Komunikācijas Datums
DocType: Sales Team,Contact No.,Contact No.
@@ -3580,60 +3605,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,atklāšanas Value
DocType: Salary Detail,Formula,Formula
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Sērijas #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Komisijas apjoms
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Komisijas apjoms
DocType: Offer Letter Term,Value / Description,Vērtība / Apraksts
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} nevar iesniegt, tas jau {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} nevar iesniegt, tas jau {2}"
DocType: Tax Rule,Billing Country,Norēķinu Country
DocType: Purchase Order Item,Expected Delivery Date,Gaidīts Piegāde Datums
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debeta un kredīta nav vienāds {0} # {1}. Atšķirība ir {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Izklaides izdevumi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Padarīt Material pieprasījums
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Izklaides izdevumi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Padarīt Material pieprasījums
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Atvērt Preci {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Pārdošanas rēķins {0} ir atcelts pirms anulējot šo klientu pasūtījumu
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Vecums
DocType: Sales Invoice Timesheet,Billing Amount,Norēķinu summa
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Noteikts posteni Invalid daudzums {0}. Daudzums ir lielāks par 0.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Pieteikumi atvaļinājuma.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Konts ar esošo darījumu nevar izdzēst
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Konts ar esošo darījumu nevar izdzēst
DocType: Vehicle,Last Carbon Check,Pēdējais Carbon pārbaude
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Juridiskie izdevumi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Juridiskie izdevumi
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,"Lūdzu, izvēlieties daudzums uz rindu"
DocType: Purchase Invoice,Posting Time,Norīkošanu laiks
DocType: Timesheet,% Amount Billed,% Summa Jāmaksā
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Telefona izdevumi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Telefona izdevumi
DocType: Sales Partner,Logo,Logotips
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Atzīmējiet šo, ja vēlaties, lai piespiestu lietotājam izvēlēties vairākus pirms saglabāšanas. Nebūs noklusējuma, ja jūs pārbaudīt šo."
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Pozīcijas ar Serial Nr {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Pozīcijas ar Serial Nr {0}
DocType: Email Digest,Open Notifications,Atvērt Paziņojumus
DocType: Payment Entry,Difference Amount (Company Currency),Starpība Summa (Company valūta)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Tiešie izdevumi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Tiešie izdevumi
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} ir nederīgs e-pasta adresi "Paziņojums \ e-pasta adrese"
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Jaunais klientu Ieņēmumu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Ceļa izdevumi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Ceļa izdevumi
DocType: Maintenance Visit,Breakdown,Avārija
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Konts: {0} ar valūtu: {1} nevar atlasīt
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Konts: {0} ar valūtu: {1} nevar atlasīt
DocType: Bank Reconciliation Detail,Cheque Date,Čeku Datums
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Konts {0}: Mātes vērā {1} nepieder uzņēmumam: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Konts {0}: Mātes vērā {1} nepieder uzņēmumam: {2}
DocType: Program Enrollment Tool,Student Applicants,studentu Pretendentiem
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Veiksmīgi svītrots visas ar šo uzņēmumu darījumus!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Veiksmīgi svītrots visas ar šo uzņēmumu darījumus!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Kā datumā
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,Uzņemšanas datums
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Probācija
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Probācija
apps/erpnext/erpnext/config/hr.py +115,Salary Components,algu komponenti
DocType: Program Enrollment Tool,New Academic Year,Jaunā mācību gada
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Atgriešana / kredītu piezīmi
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Atgriešana / kredītu piezīmi
DocType: Stock Settings,Auto insert Price List rate if missing,"Auto ievietot Cenrādis likme, ja trūkst"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Kopējais samaksāto summu
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Kopējais samaksāto summu
DocType: Production Order Item,Transferred Qty,Nodota Daudz
apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigācija
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Plānošana
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Izdots
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Plānošana
+DocType: Material Request,Issued,Izdots
DocType: Project,Total Billing Amount (via Time Logs),Kopā Norēķinu Summa (via Time Baļķi)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Mēs pārdodam šo Preci
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Piegādātājs Id
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Mēs pārdodam šo Preci
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Piegādātājs Id
DocType: Payment Request,Payment Gateway Details,Maksājumu Gateway Details
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Daudzums ir jābūt lielākam par 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Daudzums ir jābūt lielākam par 0
DocType: Journal Entry,Cash Entry,Naudas Entry
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Bērnu mezgli var izveidot tikai ar "grupa" tipa mezgliem
DocType: Leave Application,Half Day Date,Half Day Date
@@ -3645,14 +3671,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Lūdzu iestatīt noklusēto kontu Izdevumu prasījuma veida {0}
DocType: Assessment Result,Student Name,Studenta vārds
DocType: Brand,Item Manager,Prece vadītājs
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,Algas Kreditoru
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Algas Kreditoru
DocType: Buying Settings,Default Supplier Type,Default Piegādātājs Type
DocType: Production Order,Total Operating Cost,Kopā ekspluatācijas izmaksas
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Piezīme: postenis {0} ieraksta vairākas reizes
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Visi Kontakti.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Uzņēmuma saīsinājums
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Uzņēmuma saīsinājums
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Lietotāja {0} nepastāv
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,Izejvielas nevar būt tāds pats kā galveno posteni
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Izejvielas nevar būt tāds pats kā galveno posteni
DocType: Item Attribute Value,Abbreviation,Saīsinājums
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Maksājumu Entry jau eksistē
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Ne authroized kopš {0} pārsniedz ierobežojumus
@@ -3661,35 +3687,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Uzstādīt Nodokļu noteikums par iepirkumu grozs
DocType: Purchase Invoice,Taxes and Charges Added,Nodokļi un maksājumi Pievienoja
,Sales Funnel,Pārdošanas piltuve
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Saīsinājums ir obligāta
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Saīsinājums ir obligāta
DocType: Project,Task Progress,uzdevums Progress
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Rati
,Qty to Transfer,Daudz Transfer
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Citāti par potenciālajiem klientiem vai klientiem.
DocType: Stock Settings,Role Allowed to edit frozen stock,Loma Atļauts rediģēt saldētas krājumus
,Territory Target Variance Item Group-Wise,Teritorija Mērķa Variance Prece Group-Wise
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Visas klientu grupas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Visas klientu grupas
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,uzkrātais Mēneša
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ir obligāta. Varbūt Valūtas ieraksts nav izveidots {1} uz {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} ir obligāta. Varbūt Valūtas ieraksts nav izveidots {1} uz {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Nodokļu veidne ir obligāta.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Konts {0}: Mātes vērā {1} neeksistē
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Konts {0}: Mātes vērā {1} neeksistē
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Cenrādis Rate (Company valūta)
DocType: Products Settings,Products Settings,Produkcija iestatījumi
DocType: Account,Temporary,Pagaidu
DocType: Program,Courses,kursi
DocType: Monthly Distribution Percentage,Percentage Allocation,Procentuālais sadalījums
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Sekretārs
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekretārs
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Ja atslēgt, "ar vārdiem" laukā nebūs redzams jebkurā darījumā"
DocType: Serial No,Distinct unit of an Item,Atsevišķu vienību posteņa
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Lūdzu noteikt Company
DocType: Pricing Rule,Buying,Iepirkumi
DocType: HR Settings,Employee Records to be created by,"Darbinieku Records, kas rada"
DocType: POS Profile,Apply Discount On,Piesakies atlaide
,Reqd By Date,Reqd pēc datuma
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Kreditori
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Kreditori
DocType: Assessment Plan,Assessment Name,novērtējums Name
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Row # {0}: Sērijas numurs ir obligāta
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Postenis Wise Nodokļu Detail
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Institute saīsinājums
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Institute saīsinājums
,Item-wise Price List Rate,Postenis gudrs Cenrādis Rate
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Piegādātāja Piedāvājums
DocType: Quotation,In Words will be visible once you save the Quotation.,"Vārdos būs redzami, kad saglabājat citāts."
@@ -3697,14 +3724,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Daudzums ({0}) nevar būt daļa rindā {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,savākt maksas
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Svītrkodu {0} jau izmanto postenī {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Svītrkodu {0} jau izmanto postenī {1}
DocType: Lead,Add to calendar on this date,Pievienot kalendāram šajā datumā
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Noteikumi par piebilstot piegādes izmaksas.
DocType: Item,Opening Stock,Atklāšanas Stock
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Klientam ir pienākums
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} ir obligāta Atgriezties
DocType: Purchase Order,To Receive,Saņemt
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Personal Email
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Kopējās dispersijas
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ja ieslēgts, sistēma būs pēc grāmatvedības ierakstus inventāru automātiski."
@@ -3715,13 +3741,14 @@
DocType: Customer,From Lead,No Lead
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Pasūtījumi izlaists ražošanai.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Izvēlieties fiskālajā gadā ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS Profile jāveic POS Entry
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS Profile jāveic POS Entry
DocType: Program Enrollment Tool,Enroll Students,uzņemt studentus
DocType: Hub Settings,Name Token,Nosaukums Token
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard pārdošana
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Vismaz viena noliktava ir obligāta
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Vismaz viena noliktava ir obligāta
DocType: Serial No,Out of Warranty,No Garantijas
DocType: BOM Replace Tool,Replace,Aizstāt
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Nav produktu atrasts.
DocType: Production Order,Unstopped,unstopped
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} pret pārdošanas rēķinu {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3732,13 +3759,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Preces vērtība Starpība
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Cilvēkresursi
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Maksājumu Samierināšanās Maksājumu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Nodokļu Aktīvi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Nodokļu Aktīvi
DocType: BOM Item,BOM No,BOM Nr
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Journal Entry {0} nav konta {1} vai jau saskaņota pret citu talonu
DocType: Item,Moving Average,Moving Average
DocType: BOM Replace Tool,The BOM which will be replaced,BOM kas tiks aizstāti
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,Elektroniskās iekārtas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,Elektroniskās iekārtas
DocType: Account,Debit,Debets
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,Lapas jāpiešķir var sastāvēt no 0.5
DocType: Production Order,Operation Cost,Darbība izmaksas
@@ -3746,7 +3773,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Izcila Amt
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Noteikt mērķus Prece Group-gudrs šai Sales Person.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Iesaldēt Krājumi Vecāki par [dienas]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Asset ir obligāta Pamatlīdzekļu pirkšana / pārdošana
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Asset ir obligāta Pamatlīdzekļu pirkšana / pārdošana
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ja divi vai vairāki Cenu novērtēšanas noteikumi ir balstīti uz iepriekš minētajiem nosacījumiem, prioritāte tiek piemērota. Prioritāte ir skaitlis no 0 lìdz 20, kamēr noklusējuma vērtība ir nulle (tukšs). Lielāks skaitlis nozīmē, ka tas ir prioritāte, ja ir vairāki cenu veidošanas noteikumi, ar tādiem pašiem nosacījumiem."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Fiskālā Gads: {0} neeksistē
DocType: Currency Exchange,To Currency,Līdz Valūta
@@ -3755,7 +3782,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Pārdošanas likmi postenī {0} ir zemāks nekā tā {1}. Pārdošanas kursa vajadzētu būt atleast {2}
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Pārdošanas likmi postenī {0} ir zemāks nekā tā {1}. Pārdošanas kursa vajadzētu būt atleast {2}
DocType: Item,Taxes,Nodokļi
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Maksas un nav sniegusi
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Maksas un nav sniegusi
DocType: Project,Default Cost Center,Default Izmaksu centrs
DocType: Bank Guarantee,End Date,Beigu datums
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,akciju Darījumi
@@ -3780,24 +3807,22 @@
DocType: Employee,Held On,Notika
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Ražošanas postenis
,Employee Information,Darbinieku informācija
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Likme (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Likme (%)
DocType: Stock Entry Detail,Additional Cost,Papildu izmaksas
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Finanšu gads beigu datums
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Nevar filtrēt balstīta uz kupona, ja grupēti pēc kuponu"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Izveidot Piegādātāja piedāvājumu
DocType: Quality Inspection,Incoming,Ienākošs
DocType: BOM,Materials Required (Exploded),Nepieciešamie materiāli (eksplodēja)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Pievienot lietotājus jūsu organizācijā, izņemot sevi"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Norīkošanu datums nevar būt nākotnes datums
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Sērijas Nr {1} nesakrīt ar {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Casual Leave
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Casual Leave
DocType: Batch,Batch ID,Partijas ID
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Piezīme: {0}
,Delivery Note Trends,Piegāde Piezīme tendences
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,ŠONEDĒĻ kopsavilkums
-,In Stock Qty,Noliktavā Daudz
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Noliktavā Daudz
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Konts: {0} var grozīt tikai ar akciju darījumiem
-DocType: Program Enrollment,Get Courses,Iegūt Kursi
+DocType: Student Group Creation Tool,Get Courses,Iegūt Kursi
DocType: GL Entry,Party,Partija
DocType: Sales Order,Delivery Date,Piegāde Datums
DocType: Opportunity,Opportunity Date,Iespējas Datums
@@ -3805,14 +3830,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Pieprasīt Piedāvājuma ITEM
DocType: Purchase Order,To Bill,Bill
DocType: Material Request,% Ordered,% Pasūtīts
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Par Kurss balstās studentu grupas, protams, būs jāapstiprina par katru students no uzņemtajiem kursiem programmā Uzņemšanas."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Ievadiet e-pasta adrese atdalīti ar komatiem, rēķins tiks nosūtīts automātiski konkrētā datumā"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Gabaldarbs
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Gabaldarbs
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Vid. Pirkšana Rate
DocType: Task,Actual Time (in Hours),Faktiskais laiks (stundās)
DocType: Employee,History In Company,Vēsture Company
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Biļeteni
DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Entry
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klientu> Klientu grupas> Teritorija
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Same postenis ir ievadīts vairākas reizes
DocType: Department,Leave Block List,Atstājiet Block saraksts
DocType: Sales Invoice,Tax ID,Nodokļu ID
@@ -3827,30 +3852,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,"{0} vienības {1} nepieciešama {2}, lai pabeigtu šo darījumu."
DocType: Loan Type,Rate of Interest (%) Yearly,Procentu likme (%) Gada
DocType: SMS Settings,SMS Settings,SMS iestatījumi
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Pagaidu konti
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Melns
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Pagaidu konti
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Melns
DocType: BOM Explosion Item,BOM Explosion Item,BOM Explosion postenis
DocType: Account,Auditor,Revidents
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} preces ražotas
DocType: Cheque Print Template,Distance from top edge,Attālums no augšējās malas
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Cenrādis {0} ir invalīds vai neeksistē
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Cenrādis {0} ir invalīds vai neeksistē
DocType: Purchase Invoice,Return,Atgriešanās
DocType: Production Order Operation,Production Order Operation,Ražošanas Order Operation
DocType: Pricing Rule,Disable,Atslēgt
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,"maksāšanas režīmā ir nepieciešams, lai veiktu maksājumu"
DocType: Project Task,Pending Review,Kamēr apskats
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nav uzņemts Batch {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} nevar tikt izmesta, jo tas jau ir {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Kopējo izdevumu Pretenzijas (via Izdevumu Claim)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Klienta ID
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Nekonstatē
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rinda {0}: valūta BOM # {1} jābūt vienādam ar izvēlētās valūtas {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rinda {0}: valūta BOM # {1} jābūt vienādam ar izvēlētās valūtas {2}
DocType: Journal Entry Account,Exchange Rate,Valūtas kurss
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Pasūtījumu {0} nav iesniegta
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Pasūtījumu {0} nav iesniegta
DocType: Homepage,Tag Line,Tag Line
DocType: Fee Component,Fee Component,maksa Component
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Fleet Management
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Pievienot preces no
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Noliktava {0}: Mātes vērā {1} nav Bolong uzņēmumam {2}
DocType: Cheque Print Template,Regular,regulārs
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Kopējais weightage no visiem vērtēšanas kritērijiem ir jābūt 100%
DocType: BOM,Last Purchase Rate,"Pēdējā pirkuma ""Rate"""
@@ -3859,11 +3883,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,"Preces nevar pastāvēt postenī {0}, jo ir varianti"
,Sales Person-wise Transaction Summary,Sales Person-gudrs Transaction kopsavilkums
DocType: Training Event,Contact Number,Kontaktpersonas numurs
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Noliktava {0} nepastāv
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Noliktava {0} nepastāv
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Reģistrēties Par ERPNext Hub
DocType: Monthly Distribution,Monthly Distribution Percentages,Mēneša procentuālo sadalījumu
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Izvēlētais objekts nevar būt partijas
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Vērtēšanas likme nav atrasts par Pozīcijas {0}, kas ir nepieciešama, lai darīt grāmatvedības ierakstus {1} {2}. Ja prece ir transakcijas kā izlases vienumu {1}, lūdzu, norādiet, ka {1} Vienības tabulā. Pretējā gadījumā, lūdzu, izveidojiet ienākošo krājumu darījumu par objektu vai pieminēt vērtēšanas likmi postenī ierakstu, un tad mēģiniet submiting / šo ierakstu atcelšana"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Vērtēšanas likme nav atrasts par Pozīcijas {0}, kas ir nepieciešama, lai darīt grāmatvedības ierakstus {1} {2}. Ja prece ir transakcijas kā izlases vienumu {1}, lūdzu, norādiet, ka {1} Vienības tabulā. Pretējā gadījumā, lūdzu, izveidojiet ienākošo krājumu darījumu par objektu vai pieminēt vērtēšanas likmi postenī ierakstu, un tad mēģiniet submiting / šo ierakstu atcelšana"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% Materiālu piegādā pret šo piegāde piezīmes
DocType: Project,Customer Details,Klientu Details
DocType: Employee,Reports to,Ziņojumi
@@ -3871,24 +3895,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Ievadiet url parametrs uztvērēja nos
DocType: Payment Entry,Paid Amount,Samaksāta summa
DocType: Assessment Plan,Supervisor,uzraugs
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Online
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,Online
,Available Stock for Packing Items,Pieejams Stock uz iepakojuma vienības
DocType: Item Variant,Item Variant,Postenis Variant
DocType: Assessment Result Tool,Assessment Result Tool,Novērtējums rezultāts Tool
DocType: BOM Scrap Item,BOM Scrap Item,BOM Metāllūžņu punkts
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Iesniegtie pasūtījumus nevar izdzēst
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Konta atlikums jau debets, jums nav atļauts noteikt ""Balance Must Be"", jo ""Kredīts"""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Kvalitātes vadība
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Iesniegtie pasūtījumus nevar izdzēst
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Konta atlikums jau debets, jums nav atļauts noteikt ""Balance Must Be"", jo ""Kredīts"""
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Kvalitātes vadība
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Prece {0} ir atspējota
DocType: Employee Loan,Repay Fixed Amount per Period,Atmaksāt summu par vienu periodu
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Ievadiet daudzumu postenī {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Kredītu piezīme Amt
DocType: Employee External Work History,Employee External Work History,Darbinieku Ārējās Work Vēsture
DocType: Tax Rule,Purchase,Pirkums
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Bilance Daudz
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Bilance Daudz
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Mērķi nevar būt tukšs
DocType: Item Group,Parent Item Group,Parent Prece Group
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} uz {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Izmaksu centri
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Izmaksu centri
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,"Likmi, pēc kuras piegādātāja valūtā tiek konvertēta uz uzņēmuma bāzes valūtā"
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: hronometrāžu konflikti ar kārtas {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Atļaut Zero vērtēšanas likme
@@ -3896,17 +3921,18 @@
DocType: Training Event Employee,Invited,uzaicināts
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Vairāki aktīvās Algu Structures atrasti darbiniekam {0} par dotajiem datumiem
DocType: Opportunity,Next Contact,Nākamais Kontakti
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Setup Gateway konti.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Setup Gateway konti.
DocType: Employee,Employment Type,Nodarbinātības Type
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Pamatlīdzekļi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Pamatlīdzekļi
DocType: Payment Entry,Set Exchange Gain / Loss,Uzstādīt Exchange Peļņa / zaudējumi
+,GST Purchase Register,GST iegāde Reģistrēties
,Cash Flow,Naudas plūsma
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Pieteikumu iesniegšanas termiņš nevar būt pa diviem alocation ierakstiem
DocType: Item Group,Default Expense Account,Default Izdevumu konts
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Student Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student Email ID
DocType: Employee,Notice (days),Paziņojums (dienas)
DocType: Tax Rule,Sales Tax Template,Sales Tax Template
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,"Izvēlētos objektus, lai saglabātu rēķinu"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,"Izvēlētos objektus, lai saglabātu rēķinu"
DocType: Employee,Encashment Date,Inkasācija Datums
DocType: Training Event,Internet,internets
DocType: Account,Stock Adjustment,Stock korekcija
@@ -3935,7 +3961,7 @@
DocType: Guardian,Guardian Of ,sargs
DocType: Grading Scale Interval,Threshold,slieksnis
DocType: BOM Replace Tool,Current BOM,Pašreizējā BOM
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Pievienot Sērijas nr
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Pievienot Sērijas nr
apps/erpnext/erpnext/config/support.py +22,Warranty,garantija
DocType: Purchase Invoice,Debit Note Issued,Parādzīme Izdoti
DocType: Production Order,Warehouses,Noliktavas
@@ -3944,20 +3970,20 @@
DocType: Workstation,per hour,stundā
apps/erpnext/erpnext/config/buying.py +7,Purchasing,Purchasing
DocType: Announcement,Announcement,paziņojums
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,"Pārskats par noliktavas (nepārtrauktās inventarizācijas), tiks izveidots saskaņā ar šo kontu."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Noliktava nevar izdzēst, jo pastāv šī noliktava akciju grāmata ierakstu."
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Par Partijas balstīta studentu grupas, tad Studentu Partijas tiks apstiprināts katram studentam no Programmas Uzņemšanas."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Noliktava nevar izdzēst, jo pastāv šī noliktava akciju grāmata ierakstu."
DocType: Company,Distribution,Sadale
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Samaksātā summa
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Projekta vadītājs
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Projekta vadītājs
,Quoted Item Comparison,Citēts Prece salīdzinājums
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Nosūtīšana
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max atlaide atļauta posteni: {0}{1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Nosūtīšana
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max atlaide atļauta posteni: {0}{1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,"Neto aktīvu vērtības, kā uz"
DocType: Account,Receivable,Saņemams
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Row # {0}: Nav atļauts mainīt piegādātāju, jo jau pastāv Pasūtījuma"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Row # {0}: Nav atļauts mainīt piegādātāju, jo jau pastāv Pasūtījuma"
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Loma, kas ir atļauts iesniegt darījumus, kas pārsniedz noteiktos kredīta limitus."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Izvēlieties preces Rūpniecība
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master datu sinhronizācija, tas var aizņemt kādu laiku"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Izvēlieties preces Rūpniecība
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master datu sinhronizācija, tas var aizņemt kādu laiku"
DocType: Item,Material Issue,Materiāls Issue
DocType: Hub Settings,Seller Description,Pārdevējs Apraksts
DocType: Employee Education,Qualification,Kvalifikācija
@@ -3977,7 +4003,6 @@
DocType: BOM,Rate Of Materials Based On,Novērtējiet materiālu specifikācijas Based On
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Atbalsta Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Noņemiet visas
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Uzņēmums trūkst noliktavās {0}
DocType: POS Profile,Terms and Conditions,Noteikumi un nosacījumi
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},"Līdz šim būtu jāatrodas attiecīgajā taksācijas gadā. Pieņemot, ka līdz šim datumam = {0}"
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Šeit jūs varat saglabāt augstumu, svaru, alerģijas, medicīnas problēmas utt"
@@ -3992,19 +4017,18 @@
DocType: Sales Order Item,For Production,Par ražošanu
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Skatīt Task
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Jūsu finanšu gads sākas
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,OPP / Lead%
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,OPP / Lead%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Aktīvu vērtības kritumu un Svari
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Summa {0} {1} pārcelts no {2} līdz {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Summa {0} {1} pārcelts no {2} līdz {3}
DocType: Sales Invoice,Get Advances Received,Get Saņemtā Avansa
DocType: Email Digest,Add/Remove Recipients,Add / Remove saņēmējus
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Darījums nav atļauts pret pārtrauca ražošanu Pasūtīt {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Darījums nav atļauts pret pārtrauca ražošanu Pasūtīt {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Lai uzstādītu šo taksācijas gadu kā noklusējumu, noklikšķiniet uz ""Set as Default"""
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,pievienoties
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,pievienoties
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Trūkums Daudz
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Postenis variants {0} nepastāv ar tiem pašiem atribūtiem
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Postenis variants {0} nepastāv ar tiem pašiem atribūtiem
DocType: Employee Loan,Repay from Salary,Atmaksāt no algas
DocType: Leave Application,LAP/,LAP /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Pieprasot samaksu pret {0} {1} par summu {2}
@@ -4015,34 +4039,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Izveidot iepakošanas lapas par paketes jāpiegādā. Izmanto, lai paziņot Iepakojumu skaits, iepakojuma saturu un tā svaru."
DocType: Sales Invoice Item,Sales Order Item,Pasūtījumu postenis
DocType: Salary Slip,Payment Days,Maksājumu dienas
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Noliktavas ar bērnu mezglu nevar pārvērst par virsgrāmatā
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Noliktavas ar bērnu mezglu nevar pārvērst par virsgrāmatā
DocType: BOM,Manage cost of operations,Pārvaldīt darbības izmaksām
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Ja kāda no pārbaudītajiem darījumiem ir ""Iesniegtie"", e-pasts pop-up automātiski atvērta, lai nosūtītu e-pastu uz saistīto ""Kontakti"" šajā darījumā, ar darījumu kā pielikumu. Lietotājs var vai nevar nosūtīt e-pastu."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Globālie iestatījumi
DocType: Assessment Result Detail,Assessment Result Detail,Novērtējums rezultāts Detail
DocType: Employee Education,Employee Education,Darbinieku izglītība
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Dublikāts postenis grupa atrodama postenī grupas tabulas
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,"Tas ir vajadzīgs, lai atnest Papildus informācija."
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,"Tas ir vajadzīgs, lai atnest Papildus informācija."
DocType: Salary Slip,Net Pay,Net Pay
DocType: Account,Account,Konts
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Sērijas Nr {0} jau ir saņēmis
,Requested Items To Be Transferred,Pieprasīto pozīcijas jāpārskaita
DocType: Expense Claim,Vehicle Log,servisa
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Noliktava {0} nav saistīts ar jebkuru kontu, lūdzu, izveidojiet / saiti atbilstošo (aktīvs) kontu noliktavā."
DocType: Purchase Invoice,Recurring Id,Atkārtojas Id
DocType: Customer,Sales Team Details,Sales Team Details
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Izdzēst neatgriezeniski?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Izdzēst neatgriezeniski?
DocType: Expense Claim,Total Claimed Amount,Kopējais pieprasītā summa
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potenciālie iespējas pārdot.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Nederīga {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Slimības atvaļinājums
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Nederīga {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Slimības atvaļinājums
DocType: Email Digest,Email Digest,E-pasts Digest
DocType: Delivery Note,Billing Address Name,Norēķinu Adrese Nosaukums
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Departaments veikali
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Setup jūsu skola ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Base Change Summa (Company valūta)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Nav grāmatvedības ieraksti par šādām noliktavām
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Nav grāmatvedības ieraksti par šādām noliktavām
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Saglabājiet dokumentu pirmās.
DocType: Account,Chargeable,Iekasējams
DocType: Company,Change Abbreviation,Mainīt saīsinājums
@@ -4060,7 +4083,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,"Paredzams, Piegāde datums nevar būt pirms pirkuma pasūtījuma Datums"
DocType: Appraisal,Appraisal Template,Izvērtēšana Template
DocType: Item Group,Item Classification,Postenis klasifikācija
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Biznesa attīstības vadītājs
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Biznesa attīstības vadītājs
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Uzturēšana Vizītes mērķis
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Periods
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,General Ledger
@@ -4070,8 +4093,8 @@
DocType: Item Attribute Value,Attribute Value,Atribūta vērtība
,Itemwise Recommended Reorder Level,Itemwise Ieteicams Pārkārtot Level
DocType: Salary Detail,Salary Detail,alga Detail
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,"Lūdzu, izvēlieties {0} pirmais"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Sērija {0} no posteņa {1} ir beidzies.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,"Lūdzu, izvēlieties {0} pirmais"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Sērija {0} no posteņa {1} ir beidzies.
DocType: Sales Invoice,Commission,Komisija
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Time Sheet for ražošanā.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Starpsumma
@@ -4082,6 +4105,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`Iesaldēt Krājumus vecākus par` jābūt mazākam par %d dienām.
DocType: Tax Rule,Purchase Tax Template,Iegādāties Nodokļu veidne
,Project wise Stock Tracking,Projekts gudrs Stock izsekošana
+DocType: GST HSN Code,Regional,reģionāls
DocType: Stock Entry Detail,Actual Qty (at source/target),Faktiskā Daudz (pie avota / mērķa)
DocType: Item Customer Detail,Ref Code,Ref Code
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Darbinieku ieraksti.
@@ -4092,13 +4116,13 @@
DocType: Email Digest,New Purchase Orders,Jauni pirkuma pasūtījumu
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Root nevar būt vecāks izmaksu centru
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Izvēlēties Brand ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Mācību pasākumu / Rezultāti
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Uzkrātais nolietojums kā uz
DocType: Sales Invoice,C-Form Applicable,C-Form Piemērojamais
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Darbība Time jābūt lielākam par 0 ekspluatācijai {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Noliktava ir obligāta
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Noliktava ir obligāta
DocType: Supplier,Address and Contacts,Adrese un kontakti
DocType: UOM Conversion Detail,UOM Conversion Detail,UOM Conversion Detail
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Paturiet to tīmekļa draudzīgu 900px (w) ar 100px (h)
DocType: Program,Program Abbreviation,Program saīsinājums
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Ražošanas rīkojums nevar tikt izvirzīts pret Vienības Template
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Izmaksas tiek atjauninātas pirkuma čeka pret katru posteni
@@ -4106,13 +4130,13 @@
DocType: Bank Guarantee,Start Date,Sākuma datums
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Piešķirt atstāj uz laiku.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Čeki un noguldījumi nepareizi noskaidroti
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Konts {0}: Jūs nevarat piešķirt sevi kā mātes kontu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Konts {0}: Jūs nevarat piešķirt sevi kā mātes kontu
DocType: Purchase Invoice Item,Price List Rate,Cenrādis Rate
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Izveidot klientu citātus
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Parādiet ""noliktavā"", vai ""nav noliktavā"", pamatojoties uz pieejamā krājuma šajā noliktavā."
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Bill of Materials (BOM)
DocType: Item,Average time taken by the supplier to deliver,"Vidējais laiks, ko piegādātājs piegādāt"
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,novērtējums rezultāts
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,novērtējums rezultāts
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Stundas
DocType: Project,Expected Start Date,"Paredzams, sākuma datums"
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,"Noņemt objektu, ja maksa nav piemērojama šim postenim"
@@ -4126,25 +4150,24 @@
DocType: Workstation,Operating Costs,Ekspluatācijas Izmaksas
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Darbība ja uzkrātie ikmēneša budžets pārsniegts
DocType: Purchase Invoice,Submit on creation,Iesniegt radīšanas
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Valūta {0} ir {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Valūta {0} ir {1}
DocType: Asset,Disposal Date,Atbrīvošanās datums
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-pastu tiks nosūtīts visiem Active uzņēmuma darbiniekiem tajā konkrētajā stundā, ja viņiem nav brīvdienu. Atbilžu kopsavilkums tiks nosūtīts pusnaktī."
DocType: Employee Leave Approver,Employee Leave Approver,Darbinieku Leave apstiprinātājs
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Rinda {0}: Pārkārtot ieraksts jau eksistē šī noliktava {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Rinda {0}: Pārkārtot ieraksts jau eksistē šī noliktava {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Nevar atzīt par zaudēto, jo citāts ir veikts."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,apmācības Atsauksmes
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Ražošanas Order {0} jāiesniedz
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Ražošanas Order {0} jāiesniedz
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},"Lūdzu, izvēlieties sākuma datumu un beigu datums postenim {0}"
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Kurss ir obligāta kārtas {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Līdz šim nevar būt agrāk no dienas
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Pievienot / rediģēt Cenas
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Pievienot / rediģēt Cenas
DocType: Batch,Parent Batch,Mātes Partijas
DocType: Batch,Parent Batch,Mātes Partijas
DocType: Cheque Print Template,Cheque Print Template,Čeku Print Template
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Shēma izmaksu centriem
,Requested Items To Be Ordered,Pieprasītās Preces jāpasūta
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,Noliktava uzņēmumam jābūt tāds pats kā konta uzņēmumu
DocType: Price List,Price List Name,Cenrādis Name
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Ikdienas darbā kopsavilkums {0}
DocType: Employee Loan,Totals,Kopsummas
@@ -4166,55 +4189,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Ievadiet derīgus mobilos nos
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Ievadiet ziņu pirms nosūtīšanas
DocType: Email Digest,Pending Quotations,Līdz Citāti
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Point-of-Sale Profils
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale Profils
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,"Lūdzu, atjauniniet SMS Settings"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Nenodrošināti aizdevumi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Nenodrošināti aizdevumi
DocType: Cost Center,Cost Center Name,Cost Center Name
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Max darba stundas pret laika kontrolsaraksts
DocType: Maintenance Schedule Detail,Scheduled Date,Plānotais datums
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Kopējais apmaksātais Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Kopējais apmaksātais Amt
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,"Vēstules, kas pārsniedz 160 rakstzīmes tiks sadalīta vairākos ziņas"
DocType: Purchase Receipt Item,Received and Accepted,Saņemts un pieņemts
+,GST Itemised Sales Register,GST atšifrējums Pārdošanas Reģistrēties
,Serial No Service Contract Expiry,Sērijas Nr Pakalpojumu līgums derīguma
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,"Var nav kredīta un debeta pašu kontu, tajā pašā laikā"
DocType: Naming Series,Help HTML,Palīdzība HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Studentu grupa Creation Tool
DocType: Item,Variant Based On,"Variants, kura pamatā"
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Kopā weightage piešķirts vajadzētu būt 100%. Tas ir {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Jūsu Piegādātāji
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Jūsu Piegādātāji
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Nevar iestatīt kā Lost kā tiek veikts Sales Order.
DocType: Request for Quotation Item,Supplier Part No,Piegādātājs daļas nr
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Nevar atskaitīt, ja kategorija ir "vērtēšanas" vai "Vaulation un Total""
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Saņemts no
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Saņemts no
DocType: Lead,Converted,Konvertē
DocType: Item,Has Serial No,Ir Sērijas nr
DocType: Employee,Date of Issue,Izdošanas datums
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: No {0} uz {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kā vienu Pirkšana iestatījumu, ja pirkuma čeka Nepieciešams == "JĀ", tad, lai izveidotu pirkuma rēķinu, lietotājam ir nepieciešams, lai izveidotu pirkuma kvīts vispirms posteni {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Row # {0}: Set Piegādātājs posteni {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Rinda {0}: Stundas vērtībai ir jābūt lielākai par nulli.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Website Image {0} pievienots posteni {1} nevar atrast
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Website Image {0} pievienots posteni {1} nevar atrast
DocType: Issue,Content Type,Content Type
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Dators
DocType: Item,List this Item in multiple groups on the website.,Uzskaitīt šo Prece vairākās grupās par mājas lapā.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Lūdzu, pārbaudiet multi valūtu iespēju ļaut konti citā valūtā"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Prece: {0} neeksistē sistēmā
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Jums nav atļauts uzstādīt Frozen vērtību
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Prece: {0} neeksistē sistēmā
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Jums nav atļauts uzstādīt Frozen vērtību
DocType: Payment Reconciliation,Get Unreconciled Entries,Saņemt Unreconciled Ieraksti
DocType: Payment Reconciliation,From Invoice Date,No rēķina datuma
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,Norēķinu valūta ir jābūt vienādam vai nu noklusējuma comapany valūtu vai partija konta valūtā
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,atstājiet inkasācijas
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Ko tas dod?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,Norēķinu valūta ir jābūt vienādam vai nu noklusējuma comapany valūtu vai partija konta valūtā
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,atstājiet inkasācijas
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Ko tas dod?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Uz noliktavu
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Visas Studentu Uzņemšana
,Average Commission Rate,Vidēji Komisija likme
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,"""Ir Sērijas Nr"" nevar būt ""Jā"", ja nav krājumu postenis"
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""Ir Sērijas Nr"" nevar būt ""Jā"", ja nav krājumu postenis"
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Apmeklējumu nevar atzīmēti nākamajām datumiem
DocType: Pricing Rule,Pricing Rule Help,Cenu noteikums Palīdzība
DocType: School House,House Name,Māja vārds
DocType: Purchase Taxes and Charges,Account Head,Konts Head
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,"Atjaunināt papildu izmaksas, lai aprēķinātu izkraut objektu izmaksas"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Elektrības
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Elektrības
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,"Pievienojiet pārējo Jūsu organizācija, kā jūsu lietotājiem. Jūs varat pievienot arī uzaicināt klientus, lai jūsu portāla, pievienojot tos no kontaktiem"
DocType: Stock Entry,Total Value Difference (Out - In),Kopējā vērtība Starpība (Out - In)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Row {0}: Valūtas kurss ir obligāta
@@ -4224,7 +4249,7 @@
DocType: Item,Customer Code,Klienta kods
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Dzimšanas dienu atgādinājums par {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dienas Kopš pēdējā pasūtījuma
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Debets kontā jābūt bilance konts
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Debets kontā jābūt bilance konts
DocType: Buying Settings,Naming Series,Nosaucot Series
DocType: Leave Block List,Leave Block List Name,Atstājiet Block Saraksta nosaukums
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Apdrošināšanas Sākuma datums jābūt mazākam nekā apdrošināšana Beigu datums
@@ -4239,27 +4264,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Alga Slip darbinieka {0} jau radīts laiks lapas {1}
DocType: Vehicle Log,Odometer,odometra
DocType: Sales Order Item,Ordered Qty,Pasūtīts daudzums
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Postenis {0} ir invalīds
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Postenis {0} ir invalīds
DocType: Stock Settings,Stock Frozen Upto,Stock Frozen Līdz pat
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM nesatur krājuma priekšmetu
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM nesatur krājuma priekšmetu
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},"Laika posmā no un periodu, lai datumiem obligātajām atkārtotu {0}"
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Projekta aktivitāte / uzdevums.
DocType: Vehicle Log,Refuelling Details,Degvielas uzpildes Details
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Izveidot algas lapas
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Pirkšana jāpārbauda, ja nepieciešams, par ir izvēlēts kā {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Pirkšana jāpārbauda, ja nepieciešams, par ir izvēlēts kā {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Atlaide jābūt mazāk nekā 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Pēdējā pirkuma likmes nav atrasts
DocType: Purchase Invoice,Write Off Amount (Company Currency),Norakstīt summu (Company valūta)
DocType: Sales Invoice Timesheet,Billing Hours,Norēķinu Stundas
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,Default BOM par {0} nav atrasts
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Row # {0}: Lūdzu noteikt pasūtīšanas daudzumu
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Row # {0}: Lūdzu noteikt pasūtīšanas daudzumu
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,"Pieskarieties objektus, lai pievienotu tos šeit"
DocType: Fees,Program Enrollment,Program Uzņemšanas
DocType: Landed Cost Voucher,Landed Cost Voucher,Izkrauti izmaksas kuponu
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Lūdzu noteikt {0}
DocType: Purchase Invoice,Repeat on Day of Month,Atkārtot mēneša diena
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} ir neaktīvs students
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} ir neaktīvs students
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} ir neaktīvs students
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} ir neaktīvs students
DocType: Employee,Health Details,Veselības Details
DocType: Offer Letter,Offer Letter Terms,Piedāvājuma vēstule Noteikumi
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Lai izveidotu maksājuma pieprasījums ir nepieciešama atsauces dokuments
@@ -4281,7 +4306,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Piemērs:. ABCD ##### Ja sērija ir iestatīts un sērijas Nr darījumos nav minēts, tad automātiskā sērijas numurs tiks veidotas, pamatojoties uz šajā sērijā. Ja jūs vienmēr vēlas skaidri norādīt Serial Nr par šo priekšmetu. šo atstāj tukšu."
DocType: Upload Attendance,Upload Attendance,Augšupielāde apmeklējums
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM un ražošana daudzums ir nepieciešami
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM un ražošana daudzums ir nepieciešami
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Novecošana Range 2
DocType: SG Creation Tool Course,Max Strength,Max Stiprums
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM aizstāj
@@ -4291,8 +4316,8 @@
,Prospects Engaged But Not Converted,Prospects Nodarbojas bet nav konvertēts
DocType: Manufacturing Settings,Manufacturing Settings,Ražošanas iestatījumi
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Iestatīšana E-pasts
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Mobilo Nr
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Ievadiet noklusējuma valūtu Uzņēmuma Master
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobilo Nr
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Ievadiet noklusējuma valūtu Uzņēmuma Master
DocType: Stock Entry Detail,Stock Entry Detail,Stock Entry Detail
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Ikdienas atgādinājumi
DocType: Products Settings,Home Page is Products,Mājas lapa ir produkti
@@ -4301,7 +4326,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Jaunais Konta nosaukums
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Izejvielas Kopā izmaksas
DocType: Selling Settings,Settings for Selling Module,Iestatījumi Pārdošana modulis
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Klientu apkalpošana
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Klientu apkalpošana
DocType: BOM,Thumbnail,Thumbnail
DocType: Item Customer Detail,Item Customer Detail,Postenis Klientu Detail
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Piedāvāt kandidātam darbu
@@ -4310,7 +4335,7 @@
DocType: Pricing Rule,Percentage,procentuālā attiecība
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Postenis {0} jābūt krājums punkts
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Default nepabeigtie Noliktava
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Noklusējuma iestatījumi grāmatvedības darījumiem.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Noklusējuma iestatījumi grāmatvedības darījumiem.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,"Paredzams, datums nevar būt pirms Material Pieprasīt Datums"
DocType: Purchase Invoice Item,Stock Qty,Stock Daudz
@@ -4324,10 +4349,10 @@
DocType: Sales Order,Printing Details,Drukas Details
DocType: Task,Closing Date,Slēgšanas datums
DocType: Sales Order Item,Produced Quantity,Saražotā daudzums
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Inženieris
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Inženieris
DocType: Journal Entry,Total Amount Currency,Kopējā summa valūta
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Meklēt Sub Kompleksi
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Postenis Code vajadzīga Row Nr {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Postenis Code vajadzīga Row Nr {0}
DocType: Sales Partner,Partner Type,Partner Type
DocType: Purchase Taxes and Charges,Actual,Faktisks
DocType: Authorization Rule,Customerwise Discount,Customerwise Atlaide
@@ -4344,11 +4369,11 @@
DocType: Item Reorder,Re-Order Level,Re-Order līmenis
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Ievadiet preces un plānoto qty par kuru vēlaties paaugstināt ražošanas pasūtījumus vai lejupielādēt izejvielas analīzei.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Ganta diagramma
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Nepilna laika
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Nepilna laika
DocType: Employee,Applicable Holiday List,Piemērojams brīvdienu sarakstu
DocType: Employee,Cheque,Čeks
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Series Atjaunots
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Ziņojums Type ir obligāts
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Ziņojums Type ir obligāts
DocType: Item,Serial Number Series,Sērijas numurs Series
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Noliktava ir obligāta krājuma priekšmetu {0} rindā {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Tirdzniecība un vairumtirdzniecība
@@ -4370,7 +4395,7 @@
DocType: BOM,Materials,Materiāli
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ja nav atzīmēts, sarakstā būs jāpievieno katrā departamentā, kur tas ir jāpiemēro."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Avota un mērķa Warehouse nevar būt vienādi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Norīkošanu datumu un norīkošanu laiks ir obligāta
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Norīkošanu datumu un norīkošanu laiks ir obligāta
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Nodokļu veidni pārdošanas darījumus.
,Item Prices,Izstrādājumu cenas
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"Vārdos būs redzams pēc tam, kad esat saglabāt pirkuma pasūtījuma."
@@ -4380,22 +4405,23 @@
DocType: Purchase Invoice,Advance Payments,Avansa maksājumi
DocType: Purchase Taxes and Charges,On Net Total,No kopējiem neto
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Cenas atribūtu {0} ir jābūt robežās no {1} līdz {2} Jo soli {3} uz posteni {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Mērķa noliktava rindā {0} ir jābūt tādai pašai kā Production ordeņa
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Mērķa noliktava rindā {0} ir jābūt tādai pašai kā Production ordeņa
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,"""paziņojuma e-pasta adrese"", kas nav norādītas atkārtojas% s"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,Valūtas nevar mainīt pēc tam ierakstus izmantojot kādu citu valūtu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Valūtas nevar mainīt pēc tam ierakstus izmantojot kādu citu valūtu
DocType: Vehicle Service,Clutch Plate,sajūga Plate
DocType: Company,Round Off Account,Noapaļot kontu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Administratīvie izdevumi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Administratīvie izdevumi
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Consulting
DocType: Customer Group,Parent Customer Group,Parent Klientu Group
DocType: Purchase Invoice,Contact Email,Kontaktpersonas e-pasta
DocType: Appraisal Goal,Score Earned,Score Nopelnītās
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Uzteikuma termiņš
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Uzteikuma termiņš
DocType: Asset Category,Asset Category Name,Asset Kategorijas nosaukums
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,"Tas ir sakne teritorija, un to nevar rediģēt."
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Jauns Sales Person vārds
DocType: Packing Slip,Gross Weight UOM,Bruto svara Mērvienība
DocType: Delivery Note Item,Against Sales Invoice,Pret pārdošanas rēķinu
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Ievadiet sērijas numuri serializēto preci
DocType: Bin,Reserved Qty for Production,Rezervēts Daudzums uz ražošanas
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Atstājiet neieslēgtu ja nevēlaties izskatīt partiju, vienlaikus, protams, balstās grupas."
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Atstājiet neieslēgtu ja nevēlaties izskatīt partiju, vienlaikus, protams, balstās grupas."
@@ -4404,25 +4430,25 @@
DocType: Landed Cost Item,Landed Cost Item,Izkrauti izmaksu pozīcijas
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Parādīt nulles vērtības
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Daudzums posteņa iegūta pēc ražošanas / pārpakošana no dotajiem izejvielu daudzumu
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Uzstādīt vienkāršu mājas lapu manai organizācijai
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Uzstādīt vienkāršu mājas lapu manai organizācijai
DocType: Payment Reconciliation,Receivable / Payable Account,Debitoru / kreditoru konts
DocType: Delivery Note Item,Against Sales Order Item,Pret Sales Order posteni
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},"Lūdzu, norādiet īpašības Value atribūtam {0}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},"Lūdzu, norādiet īpašības Value atribūtam {0}"
DocType: Item,Default Warehouse,Default Noliktava
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Budžets nevar iedalīt pret grupas kontā {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Ievadiet mātes izmaksu centru
DocType: Delivery Note,Print Without Amount,Izdrukāt Bez summa
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,nolietojums datums
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Nodokļu kategorija nevar būt ""Vērtējums"" vai ""Vērtējums un Total"", jo visi priekšmeti ir nenoteiktas Noliktavā preces"
DocType: Issue,Support Team,Atbalsta komanda
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Derīguma (dienās)
DocType: Appraisal,Total Score (Out of 5),Total Score (no 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Partijas
+DocType: Student Attendance Tool,Batch,Partijas
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Līdzsvars
DocType: Room,Seating Capacity,sēdvietu skaits
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Kopējo izdevumu Pretenzijas (via izdevumu deklarācijas)
+DocType: GST Settings,GST Summary,GST kopsavilkums
DocType: Assessment Result,Total Score,Total Score
DocType: Journal Entry,Debit Note,Parādzīmi
DocType: Stock Entry,As per Stock UOM,Kā vienu Fondu UOM
@@ -4434,12 +4460,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Noklusējuma Gatavās produkcijas noliktava
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Sales Person
DocType: SMS Parameter,SMS Parameter,SMS parametrs
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Budžets un izmaksu centrs
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Budžets un izmaksu centrs
DocType: Vehicle Service,Half Yearly,Pusgada
DocType: Lead,Blog Subscriber,Blog Abonenta
DocType: Guardian,Alternate Number,Alternatīvā skaits
DocType: Assessment Plan Criteria,Maximum Score,maksimālais punktu skaits
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,"Izveidot noteikumus, lai ierobežotu darījumi, pamatojoties uz vērtībām."
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Grupas Roll Nr
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Atstājiet tukšu, ja jūs veicat studentu grupas gadā"
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Atstājiet tukšu, ja jūs veicat studentu grupas gadā"
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Ja ieslēgts, Total nē. Darbadienu būs brīvdienas, un tas samazinātu vērtību Alga dienā"
@@ -4459,6 +4486,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Tas ir balstīts uz darījumiem pret šo klientu. Skatīt grafiku zemāk informāciju
DocType: Supplier,Credit Days Based On,Kredīta Dienas Based On
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Rinda {0}: piešķirtā summa {1} ir jābūt mazākam par vai vienāds ar Maksājuma Entry summai {2}
+,Course wise Assessment Report,Kurss gudrs novērtējuma ziņojums
DocType: Tax Rule,Tax Rule,Nodokļu noteikums
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Uzturēt pašu likmi VISĀ pārdošanas ciklā
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Plānot laiku ārpus Darba vietas darba laika.
@@ -4467,7 +4495,7 @@
,Items To Be Requested,"Preces, kas jāpieprasa"
DocType: Purchase Order,Get Last Purchase Rate,Saņemt pēdējā pirkšanas likme
DocType: Company,Company Info,Uzņēmuma informācija
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Izvēlieties vai pievienot jaunu klientu
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Izvēlieties vai pievienot jaunu klientu
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Izmaksu centrs ir nepieciešams rezervēt izdevumu prasību
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Līdzekļu (aktīvu)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Tas ir balstīts uz piedalīšanos šī darbinieka
@@ -4475,27 +4503,29 @@
DocType: Fiscal Year,Year Start Date,Gadu sākuma datums
DocType: Attendance,Employee Name,Darbinieku Name
DocType: Sales Invoice,Rounded Total (Company Currency),Noapaļota Kopā (Company valūta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,"Nevar slēptu to grupai, jo ir izvēlēta Account Type."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Nevar slēptu to grupai, jo ir izvēlēta Account Type."
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0}{1} ir mainīta. Lūdzu atsvaidzināt.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Pietura lietotājiem veikt Leave Pieteikumi uz nākamajās dienās.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,pirkuma summa
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Piegādātājs Piedāvājums {0} izveidots
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Beigu gads nevar būt pirms Start gads
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Darbinieku pabalsti
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Darbinieku pabalsti
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Pildīta daudzums ir jābūt vienādai daudzums postenim {0} rindā {1}
DocType: Production Order,Manufactured Qty,Ražoti Daudz
DocType: Purchase Receipt Item,Accepted Quantity,Pieņemts daudzums
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Lūdzu iestatīt noklusējuma brīvdienu sarakstu par darbinieka {0} vai Company {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} neeksistē
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} neeksistē
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Izvēlieties Partijas Numbers
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Rēķinus izvirzīti klientiem.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Projekts Id
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Row Nr {0}: Summa nevar būt lielāks par rezervēta summa pret Izdevumu pretenzijā {1}. Līdz Summa ir {2}
DocType: Maintenance Schedule,Schedule,Grafiks
DocType: Account,Parent Account,Mātes vērā
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Pieejams
DocType: Quality Inspection Reading,Reading 3,Lasīšana 3
,Hub,Rumba
DocType: GL Entry,Voucher Type,Kuponu Type
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Cenrādis nav atrasts vai invalīds
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Cenrādis nav atrasts vai invalīds
DocType: Employee Loan Application,Approved,Apstiprināts
DocType: Pricing Rule,Price,Cena
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',"Darbinieku atvieglots par {0} ir jānosaka kā ""Kreisais"""
@@ -4506,7 +4536,8 @@
DocType: Selling Settings,Campaign Naming By,Kampaņas nosaukšana Līdz
DocType: Employee,Current Address Is,Pašreizējā adrese ir
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,pārveidots
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Pēc izvēles. Komplekti uzņēmuma noklusējuma valūtu, ja nav norādīts."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Pēc izvēles. Komplekti uzņēmuma noklusējuma valūtu, ja nav norādīts."
+DocType: Sales Invoice,Customer GSTIN,Klientu GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Grāmatvedības dienasgrāmatas ieraksti.
DocType: Delivery Note Item,Available Qty at From Warehouse,Pieejams Daudz at No noliktavas
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,"Lūdzu, izvēlieties Darbinieku Ierakstīt pirmās."
@@ -4514,7 +4545,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Party / Account nesakrīt ar {1} / {2} jo {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Ievadiet izdevumu kontu
DocType: Account,Stock,Noliktava
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Reference Document Type jābūt vienam no Pirkuma ordeņa, Pirkuma rēķins vai Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Reference Document Type jābūt vienam no Pirkuma ordeņa, Pirkuma rēķins vai Journal Entry"
DocType: Employee,Current Address,Pašreizējā adrese
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ja prece ir variants citā postenī, tad aprakstu, attēlu, cenas, nodokļi utt tiks noteikts no šablona, ja vien nav skaidri norādīts"
DocType: Serial No,Purchase / Manufacture Details,Pirkuma / Ražošana Details
@@ -4527,8 +4558,8 @@
DocType: Pricing Rule,Min Qty,Min Daudz
DocType: Asset Movement,Transaction Date,Darījuma datums
DocType: Production Plan Item,Planned Qty,Plānotais Daudz
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Kopā Nodokļu
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Par Daudzums (Rūpniecības Daudzums) ir obligāts
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Kopā Nodokļu
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Par Daudzums (Rūpniecības Daudzums) ir obligāts
DocType: Stock Entry,Default Target Warehouse,Default Mērķa Noliktava
DocType: Purchase Invoice,Net Total (Company Currency),Neto Kopā (Company valūta)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Gads beigu datums nevar būt agrāk kā gadu sākuma datuma. Lūdzu izlabojiet datumus un mēģiniet vēlreiz.
@@ -4542,15 +4573,12 @@
DocType: Hub Settings,Hub Settings,Hub iestatījumi
DocType: Project,Gross Margin %,Bruto rezerve%
DocType: BOM,With Operations,Ar operāciju
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,"Grāmatvedības ieraksti jau ir veikts valūtā {0} kompānijai {1}. Lūdzu, izvēlieties saņemamo vai maksājamo konts valūtā {0}."
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,"Grāmatvedības ieraksti jau ir veikts valūtā {0} kompānijai {1}. Lūdzu, izvēlieties saņemamo vai maksājamo konts valūtā {0}."
DocType: Asset,Is Existing Asset,Vai esošajam aktīvam
DocType: Salary Detail,Statistical Component,statistikas komponents
DocType: Salary Detail,Statistical Component,statistikas komponents
-,Monthly Salary Register,Mēnešalga Reģistrēties
DocType: Warranty Claim,If different than customer address,Ja savādāka nekā klientu adreses
DocType: BOM Operation,BOM Operation,BOM Operation
-DocType: School Settings,Validate the Student Group from Program Enrollment,Apstiprināt skolēnu grupas no programmas Uzņemšanas
-DocType: School Settings,Validate the Student Group from Program Enrollment,Apstiprināt skolēnu grupas no programmas Uzņemšanas
DocType: Purchase Taxes and Charges,On Previous Row Amount,Uz iepriekšējo rindu summas
DocType: Student,Home Address,Mājas adrese
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Transfer Asset
@@ -4558,28 +4586,27 @@
DocType: Training Event,Event Name,Event Name
apps/erpnext/erpnext/config/schools.py +39,Admission,uzņemšana
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Uzņemšana par {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Sezonalitāte, nosakot budžetu, mērķus uc"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Prece {0} ir veidne, lūdzu, izvēlieties vienu no saviem variantiem"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Sezonalitāte, nosakot budžetu, mērķus uc"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Prece {0} ir veidne, lūdzu, izvēlieties vienu no saviem variantiem"
DocType: Asset,Asset Category,Asset kategorija
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Pircējs
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Neto darba samaksa nevar būt negatīvs
DocType: SMS Settings,Static Parameters,Statiskie Parametri
DocType: Assessment Plan,Room,istaba
DocType: Purchase Order,Advance Paid,Izmaksāto avansu
DocType: Item,Item Tax,Postenis Nodokļu
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materiāls piegādātājam
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Akcīzes Invoice
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Akcīzes Invoice
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% parādās vairāk nekā vienu reizi
DocType: Expense Claim,Employees Email Id,Darbinieki e-pasta ID
DocType: Employee Attendance Tool,Marked Attendance,ievērojama apmeklējums
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Tekošo saistību
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Tekošo saistību
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Sūtīt masu SMS saviem kontaktiem
DocType: Program,Program Name,programmas nosaukums
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,"Apsveriet nodokļi un maksājumi, lai"
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Faktiskais Daudz ir obligāta
DocType: Employee Loan,Loan Type,aizdevuma veids
DocType: Scheduling Tool,Scheduling Tool,plānošana Tool
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Kredītkarte
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Kredītkarte
DocType: BOM,Item to be manufactured or repacked,Postenis tiks ražots pārsaiņojamā
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Noklusējuma iestatījumi akciju darījumiem.
DocType: Purchase Invoice,Next Date,Nākamais datums
@@ -4595,10 +4622,10 @@
DocType: Stock Entry,Repack,Repack
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Nepieciešams saglabāt formu pirms procedūras
DocType: Item Attribute,Numeric Values,Skaitliskās vērtības
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Pievienojiet Logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Pievienojiet Logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,krājumu līmeņi
DocType: Customer,Commission Rate,Komisija Rate
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Izveidot Variantu
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Izveidot Variantu
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Block atvaļinājums iesniegumi departamentā.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Maksājuma veids ir viens no saņemšana, Pay un Iekšējās Transfer"
apps/erpnext/erpnext/config/selling.py +179,Analytics,Analytics
@@ -4606,45 +4633,45 @@
DocType: Vehicle,Model,modelis
DocType: Production Order,Actual Operating Cost,Faktiskā ekspluatācijas izmaksas
DocType: Payment Entry,Cheque/Reference No,Čeks / Reference Nr
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Saknes nevar rediģēt.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Saknes nevar rediģēt.
DocType: Item,Units of Measure,Mērvienību
DocType: Manufacturing Settings,Allow Production on Holidays,Atļaut Production brīvdienās
DocType: Sales Order,Customer's Purchase Order Date,Klienta Pasūtījuma datums
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Pamatkapitāls
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Pamatkapitāls
DocType: Shopping Cart Settings,Show Public Attachments,Parādīt publisko pielikumus
DocType: Packing Slip,Package Weight Details,Iepakojuma svars Details
DocType: Payment Gateway Account,Payment Gateway Account,Maksājumu Gateway konts
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Pēc maksājuma pabeigšanas novirzīt lietotāju uz izvēlētā lapā.
DocType: Company,Existing Company,esošās Company
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Nodokļu kategorija ir mainīts uz "Kopā", jo visi priekšmeti ir nenoteiktas akciju preces"
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,"Lūdzu, izvēlieties csv failu"
DocType: Student Leave Application,Mark as Present,Atzīmēt kā Present
DocType: Purchase Order,To Receive and Bill,Lai saņemtu un Bill
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,piedāvātie produkti
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Dizainers
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Dizainers
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Noteikumi un nosacījumi Template
DocType: Serial No,Delivery Details,Piegādes detaļas
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Izmaksas Center ir nepieciešama rindā {0} nodokļos tabula veidam {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Izmaksas Center ir nepieciešama rindā {0} nodokļos tabula veidam {1}
DocType: Program,Program Code,programmas kods
DocType: Terms and Conditions,Terms and Conditions Help,Noteikumi Palīdzība
,Item-wise Purchase Register,Postenis gudrs iegāde Reģistrēties
DocType: Batch,Expiry Date,Derīguma termiņš
-,Supplier Addresses and Contacts,Piegādātāju Adreses un kontakti
,accounts-browser,konti pārlūkprogrammu
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,"Lūdzu, izvēlieties Kategorija pirmais"
apps/erpnext/erpnext/config/projects.py +13,Project master.,Projekts meistars.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Lai ļautu pār-rēķinu vai pārāk pasūtīšana, atjaunināt "pabalstu" Noliktavā iestatījumi vai punktā."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Lai ļautu pār-rēķinu vai pārāk pasūtīšana, atjaunināt "pabalstu" Noliktavā iestatījumi vai punktā."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,"Nerādīt kādu simbolu, piemēram, $$ utt blakus valūtām."
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Puse dienas)
DocType: Supplier,Credit Days,Kredīta dienas
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Padarīt Student Sērija
DocType: Leave Type,Is Carry Forward,Vai Carry Forward
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Dabūtu preces no BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Dabūtu preces no BOM
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Izpildes laiks dienas
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: norīkošana datums jābūt tāds pats kā iegādes datums {1} no aktīva {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: norīkošana datums jābūt tāds pats kā iegādes datums {1} no aktīva {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Ievadiet klientu pasūtījumu tabulā iepriekš
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Nav iesniegti algas lapas
,Stock Summary,Stock kopsavilkums
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Nodot aktīvus no vienas noliktavas uz otru
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Nodot aktīvus no vienas noliktavas uz otru
DocType: Vehicle,Petrol,benzīns
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,BOM
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Row {0}: Party Tips un partija ir nepieciešama debitoru / kreditoru kontā {1}
@@ -4655,6 +4682,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Sodīts Summa
DocType: GL Entry,Is Opening,Vai atvēršana
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Rinda {0}: debeta ierakstu nevar saistīt ar {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Konts {0} nepastāv
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Konts {0} nepastāv
DocType: Account,Cash,Nauda
DocType: Employee,Short biography for website and other publications.,Īsa biogrāfija mājas lapas un citas publikācijas.
diff --git a/erpnext/translations/mk.csv b/erpnext/translations/mk.csv
index 2989cab..e59bedc 100644
--- a/erpnext/translations/mk.csv
+++ b/erpnext/translations/mk.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Производи за широка потрошувачка
DocType: Item,Customer Items,Теми на клиентите
DocType: Project,Costing and Billing,Трошоци и регистрации
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,На сметка {0}: Родител на сметка {1} не може да биде Леџер
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,На сметка {0}: Родител на сметка {1} не може да биде Леџер
DocType: Item,Publish Item to hub.erpnext.com,"Објавуваат елемент, за да hub.erpnext.com"
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,E-mail известувања
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,евалуација
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,евалуација
DocType: Item,Default Unit of Measure,Стандардно единица мерка
DocType: SMS Center,All Sales Partner Contact,Сите Продажбата партнер контакт
DocType: Employee,Leave Approvers,Остави Approvers
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Девизниот курс мора да биде иста како {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Име на Клиент
DocType: Vehicle,Natural Gas,Природен гас
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Банкарска сметка не може да се именува како {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Банкарска сметка не може да се именува како {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Глави (или групи), против кои се направени на сметководствените ставки и рамнотежи се одржува."
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Најдобро за {0} не може да биде помала од нула ({1})
DocType: Manufacturing Settings,Default 10 mins,Стандардно 10 минути
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Сите Добавувачот Контакт
DocType: Support Settings,Support Settings,Прилагодувања за поддршка
DocType: SMS Parameter,Parameter,Параметар
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Се очекува Крај Датум не може да биде помал од очекуваниот почеток Датум
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Се очекува Крај Датум не може да биде помал од очекуваниот почеток Датум
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Ред # {0}: Оцени мора да биде иста како {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Нов Оставете апликација
,Batch Item Expiry Status,Серија ставка истечен статус
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Банкарски Draft
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Банкарски Draft
DocType: Mode of Payment Account,Mode of Payment Account,Начин на плаќање сметка
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Прикажи Варијанти
DocType: Academic Term,Academic Term,академски мандат
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,материјал
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Кол
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Табела со сметки не може да биде празно.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Кредити (Пасива)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Кредити (Пасива)
DocType: Employee Education,Year of Passing,Година на полагање
DocType: Item,Country of Origin,Земја на потекло
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,Залиха
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,Залиха
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,отворени прашања
DocType: Production Plan Item,Production Plan Item,Производство план Точка
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Корисник {0} е веќе доделен на вработените {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Здравствена заштита
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Задоцнување на плаќањето (во денови)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Расходи на услуги
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Сериски број: {0} веќе е наведено во Продај фактура: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Сериски број: {0} веќе е наведено во Продај фактура: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Фактура
DocType: Maintenance Schedule Item,Periodicity,Поените
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Фискална година {0} е потребен
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Ред # {0}:
DocType: Timesheet,Total Costing Amount,Вкупно Чини Износ
DocType: Delivery Note,Vehicle No,Возило Не
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,Ве молиме изберете Ценовник
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Ве молиме изберете Ценовник
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Ред # {0}: документ на плаќање е потребно да се заврши trasaction
DocType: Production Order Operation,Work In Progress,Работа во прогрес
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Ве молиме одберете датум
DocType: Employee,Holiday List,Список со Празници
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Сметководител
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Сметководител
DocType: Cost Center,Stock User,Акциите пристап
DocType: Company,Phone No,Телефон број
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Распоред на курсот е основан:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Нов {0}: # {1}
,Sales Partners Commission,Продај Партнери комисија
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Кратенка не може да има повеќе од 5 знаци
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Кратенка не може да има повеќе од 5 знаци
DocType: Payment Request,Payment Request,Барање за исплата
DocType: Asset,Value After Depreciation,Вредност по амортизација
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,датум присуство не може да биде помала од датум приклучи вработениот
DocType: Grading Scale,Grading Scale Name,Скала за оценување Име
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Ова е root сметката и не може да се уредува.
+DocType: Sales Invoice,Company Address,адреса на компанијата
DocType: BOM,Operations,Операции
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Не може да се постави овластување врз основа на попуст за {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Прикачи CSV датотека со две колони, еден за старото име и еден за ново име"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} не во било кој активно фискална година.
DocType: Packed Item,Parent Detail docname,Родител Детална docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Суд: {0}, Точка Код: {1} и од купувачи: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Кг
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Кг
DocType: Student Log,Log,Пријавете се
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Отворање на работа.
DocType: Item Attribute,Increment,Прираст
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Рекламирање
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Истата компанија се внесе повеќе од еднаш
DocType: Employee,Married,Брак
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Не се дозволени за {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Не се дозволени за {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Се предмети од
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Акции не може да се ажурира против Испратница {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Акции не може да се ажурира против Испратница {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Производ {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Нема ставки наведени
DocType: Payment Reconciliation,Reconcile,Помират
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Следна Амортизација датум не може да биде пред Дата на продажба
DocType: SMS Center,All Sales Person,Сите продажбата на лице
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** ** Месечен Дистрибуција помага да се дистрибуираат на буџетот / Целна низ месеци, ако има сезоната во вашиот бизнис."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Не се пронајдени производи
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Не се пронајдени производи
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Плата Структура исчезнати
DocType: Lead,Person Name,Име лице
DocType: Sales Invoice Item,Sales Invoice Item,Продажна Фактура Артикал
DocType: Account,Credit,Кредит
DocType: POS Profile,Write Off Cost Center,Отпише трошоците центар
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""","на пример, "ОУ" или "Универзитетот""
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""","на пример, "ОУ" или "Универзитетот""
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,акции на извештаи
DocType: Warehouse,Warehouse Detail,Магацински Детал
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Кредитен лимит е преминаа за клиентите {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Кредитен лимит е преминаа за клиентите {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Термин Датум на завршување не може да биде подоцна од годината Датум на завршување на учебната година во која е поврзана на зборот (академска година {}). Ве молам поправете датумите и обидете се повторно.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Дали е фиксни средства"" не може да е немаркирано , како што постои евиденција на средствата во однос на ставките"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Дали е фиксни средства"" не може да е немаркирано , како што постои евиденција на средствата во однос на ставките"
DocType: Vehicle Service,Brake Oil,кочница нафта
DocType: Tax Rule,Tax Type,Тип на данок
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Немате дозвола за да додадете или да ги ажурирате записи пред {0}
DocType: BOM,Item Image (if not slideshow),Точка слика (доколку не слајдшоу)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Постои клиентите со исто име
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Час Оцени / 60) * Крај на време операција
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,изберете Бум
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,изберете Бум
DocType: SMS Log,SMS Log,SMS Влез
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Цената на испорачани материјали
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Празникот на {0} не е меѓу Од датум и до денес
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Од {0} до {1}
DocType: Item,Copy From Item Group,Копија од Група ставки
DocType: Journal Entry,Opening Entry,Отворање Влегување
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Клиентите> клиентот група> Територија
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Сметка плаќаат само
DocType: Employee Loan,Repay Over Number of Periods,Отплати текот број на периоди
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} не е запишано во дадениот {2}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} не е запишано во дадениот {2}
DocType: Stock Entry,Additional Costs,Е вклучена во цената
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Сметка со постојните трансакцијата не може да се конвертира во групата.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Сметка со постојните трансакцијата не може да се конвертира во групата.
DocType: Lead,Product Enquiry,Производ пребарување
DocType: Academic Term,Schools,училишта
+DocType: School Settings,Validate Batch for Students in Student Group,Потврдете Batch за студентите во студентските група
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Не остава рекорд најде за вработените {0} {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Ве молиме внесете компанија прв
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Ве молиме изберете ја првата компанија
@@ -175,49 +176,49 @@
DocType: BOM,Total Cost,Вкупно Трошоци
DocType: Journal Entry Account,Employee Loan,вработен кредит
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Влез активност:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,Точка {0} не постои во системот или е истечен
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Точка {0} не постои во системот или е истечен
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Недвижнини
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Состојба на сметката
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Лекови
DocType: Purchase Invoice Item,Is Fixed Asset,Е фиксни средства
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Достапно Количина е {0}, треба {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Достапно Количина е {0}, треба {1}"
DocType: Expense Claim Detail,Claim Amount,Износ барање
-DocType: Employee,Mr,Г-дин
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Дупликат група на потрошувачи пронајден во табелата на cutomer група
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Добавувачот Вид / Добавувачот
DocType: Naming Series,Prefix,Префикс
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Потрошни
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Потрошни
DocType: Employee,B-,Б-
DocType: Upload Attendance,Import Log,Увоз Влез
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Повлечете материјал Барање од типот Производство врз основа на горенаведените критериуми
DocType: Training Result Employee,Grade,одделение
DocType: Sales Invoice Item,Delivered By Supplier,Дадено од страна на Добавувачот
DocType: SMS Center,All Contact,Сите Контакт
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Производството со цел веќе создадена за сите предмети со Бум
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Годишна плата
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Производството со цел веќе создадена за сите предмети со Бум
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Годишна плата
DocType: Daily Work Summary,Daily Work Summary,Секојдневната работа Резиме
DocType: Period Closing Voucher,Closing Fiscal Year,Затворање на фискалната година
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} е замрзнат
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Ве молиме одберете постоечка компанија за создавање сметковниот
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Акции Трошоци
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} е замрзнат
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Ве молиме одберете постоечка компанија за создавање сметковниот
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Акции Трошоци
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Одберете Целна Магацински
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Одберете Целна Магацински
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,Ве молиме внесете Корисно Контакт е-маил
+DocType: Program Enrollment,School Bus,Школскиот автобус
DocType: Journal Entry,Contra Entry,Контра Влегување
DocType: Journal Entry Account,Credit in Company Currency,Кредит во компанијата Валута
DocType: Delivery Note,Installation Status,Инсталација Статус
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Дали сакате да го обновите присуство? <br> Присутни: {0} \ <br> Отсутни: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Прифатени + Отфрлени Количина мора да биде еднаков Доби количество за Точка {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Прифатени + Отфрлени Количина мора да биде еднаков Доби количество за Точка {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Снабдување на суровини за набавка
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,Потребна е барем еден начин за плаќање на POS фактура.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,Потребна е барем еден начин за плаќање на POS фактура.
DocType: Products Settings,Show Products as a List,Прикажи производи во облик на листа
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Преземете ја Шаблон, пополнете соодветни податоци и да го прикачите по промената на податотеката. Сите датуми и вработен комбинација на избраниот период ќе дојде во дефиниција, со постоечките записи посетеност"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,Ставка {0} е неактивна или е истечен рокот
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Пример: Основни математика
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","За да го вклучите данок во ред {0} на стапката точка, даноци во редови {1} исто така, мора да бидат вклучени"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Ставка {0} е неактивна или е истечен рокот
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Пример: Основни математика
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","За да го вклучите данок во ред {0} на стапката точка, даноци во редови {1} исто така, мора да бидат вклучени"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Прилагодувања за Модул со хумани ресурси
DocType: SMS Center,SMS Center,SMS центарот
DocType: Sales Invoice,Change Amount,промени Износ
@@ -227,7 +228,7 @@
DocType: Lead,Request Type,Тип на Барањето
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Направете вработените
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Емитување
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Извршување
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Извршување
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Детали за операции извршени.
DocType: Serial No,Maintenance Status,Одржување Статус
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Добавувачот е потребно против плаќа на сметка {2}
@@ -255,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Барањето за прибирање на понуди може да се пристапи со кликнување на следниов линк
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Распредели листови за оваа година.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG инструмент за создавање на курсот
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,недоволна Акции
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,недоволна Акции
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Оневозможи капацитет за планирање и време Следење
DocType: Email Digest,New Sales Orders,Продажбата на нови нарачки
DocType: Bank Guarantee,Bank Account,Банкарска сметка
@@ -266,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log',Ажурираат преку "Време Вклучи се '
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Однапред сума не може да биде поголема од {0} {1}
DocType: Naming Series,Series List for this Transaction,Серија Листа за оваа трансакција
+DocType: Company,Enable Perpetual Inventory,Овозможи Вечен Инвентар
DocType: Company,Default Payroll Payable Account,Аватарот на Даноци се плаќаат сметка
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Ажурирање на е-мејл група
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Ажурирање на е-мејл група
DocType: Sales Invoice,Is Opening Entry,Се отвора Влегување
DocType: Customer Group,Mention if non-standard receivable account applicable,Да се наведе ако нестандардни побарувања сметка за важечките
DocType: Course Schedule,Instructor Name,инструктор Име
@@ -279,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Во однос на ставка од Продажна фактура
,Production Orders in Progress,Производство налози во прогрес
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Нето паричен тек од финансирањето
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage е полна, не штедеше"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage е полна, не штедеше"
DocType: Lead,Address & Contact,Адреса и контакт
DocType: Leave Allocation,Add unused leaves from previous allocations,Додади неискористени листови од претходните алокации
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Следна Повторувачки {0} ќе се креира {1}
DocType: Sales Partner,Partner website,веб-страница партнер
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Додај ставка
-,Contact Name,Име за Контакт
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Име за Контакт
DocType: Course Assessment Criteria,Course Assessment Criteria,Критериуми за оценување на курсот
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Создава плата се лизга за горенаведените критериуми.
DocType: POS Customer Group,POS Customer Group,POS клиентите група
@@ -294,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Нема опис даден
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Барање за купување.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Ова се базира на време листови создадени против овој проект
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Нето плата не може да биде помал од 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Нето плата не може да биде помал од 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Само избраните Остави Approver може да го достави овој Оставете апликација
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Ослободување Датум мора да биде поголема од датумот на пристап
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Остава на годишно ниво
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Остава на годишно ниво
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Ред {0}: Ве молиме проверете "Дали напредување против сметка {1} Ако ова е однапред влез.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Магацински {0} не му припаѓа на компанијата {1}
DocType: Email Digest,Profit & Loss,Добивка и загуба
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,литарски
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,литарски
DocType: Task,Total Costing Amount (via Time Sheet),Вкупно Износ на трошоци (преку време лист)
DocType: Item Website Specification,Item Website Specification,Точка на вебсајт Спецификација
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Остави блокирани
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Точка {0} достигна својот крај на животот на {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Точка {0} достигна својот крај на животот на {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Банката записи
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Годишен
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Акции помирување Точка
@@ -313,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,Минимална Подреди Количина
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Група на студенти инструмент за создавање на курсот
DocType: Lead,Do Not Contact,Не го допирајте
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,Луѓето кои учат во вашата организација
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,Луѓето кои учат во вашата организација
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,На уникатен проект за следење на сите периодични фактури. Тоа е генерирана за поднесете.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Развивач на софтвер
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Развивач на софтвер
DocType: Item,Minimum Order Qty,Минимална Подреди Количина
DocType: Pricing Rule,Supplier Type,Добавувачот Тип
DocType: Course Scheduling Tool,Course Start Date,Се разбира Почеток Датум
@@ -324,11 +326,11 @@
DocType: Item,Publish in Hub,Објави во Hub
DocType: Student Admission,Student Admission,за прием на студентите
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Точка {0} е откажана
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Точка {0} е откажана
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Материјал Барање
DocType: Bank Reconciliation,Update Clearance Date,Ажурирање Чистење Датум
DocType: Item,Purchase Details,Купување Детали за
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Точка {0} не се најде во "суровини испорачува" маса во нарачката {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Точка {0} не се најде во "суровини испорачува" маса во нарачката {1}
DocType: Employee,Relation,Врска
DocType: Shipping Rule,Worldwide Shipping,Светот превозот
DocType: Student Guardian,Mother,мајка
@@ -347,6 +349,7 @@
DocType: Student Group Student,Student Group Student,Група на студенти студент
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Најнови
DocType: Vehicle Service,Inspection,инспекција
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,листа
DocType: Email Digest,New Quotations,Нов Цитати
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Пораките плата лизга на вработените врз основа на склопот на е-маил избрани во вработените
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,Првиот Leave Approver во листата ќе биде поставена како стандардна Остави Approver
@@ -355,20 +358,20 @@
DocType: Asset,Next Depreciation Date,Следна Амортизација Датум
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Трошоци активност по вработен
DocType: Accounts Settings,Settings for Accounts,Поставки за сметки
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Добавувачот фактура не постои во Набавка фактура {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Добавувачот фактура не постои во Набавка фактура {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Управување со продажбата на лице дрвото.
DocType: Job Applicant,Cover Letter,мотивационо писмо
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Најдобро Чекови и депозити да се расчисти
DocType: Item,Synced With Hub,Синхронизираат со Hub
DocType: Vehicle,Fleet Manager,Fleet Manager
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Ред # {0}: {1} не може да биде негативен за ставката {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Погрешна лозинка
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Погрешна лозинка
DocType: Item,Variant Of,Варијанта на
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',Завршено Количина не може да биде поголем од "Количина на производство"
DocType: Period Closing Voucher,Closing Account Head,Завршната сметка на главата
DocType: Employee,External Work History,Надворешни Историја работа
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Кружни Суд Грешка
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Име Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Име Guardian1
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Во зборови (извоз) ќе биде видлив откако ќе ја зачувате за испорака.
DocType: Cheque Print Template,Distance from left edge,Одалеченост од левиот раб
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} единици на [{1}] (# Образец / ставка / {1}) се најде во [{2}] (# Образец / складиште / {2})
@@ -377,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Да го извести преку е-пошта на создавање на автоматски материјал Барање
DocType: Journal Entry,Multi Currency,Мулти Валута
DocType: Payment Reconciliation Invoice,Invoice Type,Тип на фактура
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Потврда за испорака
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Потврда за испорака
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Поставување Даноци
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Трошоци на продадени средства
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,Плаќање Влегување е изменета откако ќе го влечат. Ве молиме да се повлече повторно.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} влезе двапати во ставка Данок
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Плаќање Влегување е изменета откако ќе го влечат. Ве молиме да се повлече повторно.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} влезе двапати во ставка Данок
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,"Резимето на оваа недела, а во очекување на активности"
DocType: Student Applicant,Admitted,призна
DocType: Workstation,Rent Cost,Изнајмување на трошоците
@@ -400,25 +403,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Ве молиме внесете "Повторување на Денот на месец областа вредност
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Стапка по која клиентите Валута се претвора во основната валута купувачи
DocType: Course Scheduling Tool,Course Scheduling Tool,Курс Планирање алатката
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Ред # {0}: Набавка фактура не може да се направи против постоечко средство {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Ред # {0}: Набавка фактура не може да се направи против постоечко средство {1}
DocType: Item Tax,Tax Rate,Даночна стапка
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} веќе наменети за вработените {1} за период {2} до {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Одберете ја изборната ставка
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Купување на фактура {0} е веќе поднесен
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Купување на фактура {0} е веќе поднесен
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Ред # {0}: Серија Не мора да биде иста како {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Претворат во не-групата
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Серија (дел) од една ставка.
DocType: C-Form Invoice Detail,Invoice Date,Датум на фактурата
DocType: GL Entry,Debit Amount,Износ дебитна
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Може да има само 1 профил на компанијата во {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,Ве молиме погледнете приврзаност
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Може да има само 1 профил на компанијата во {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,Ве молиме погледнете приврзаност
DocType: Purchase Order,% Received,% Доби
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Креирај студентски групи
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Поставување веќе е завршено !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Забелешка кредит Износ
,Finished Goods,Готови производи
DocType: Delivery Note,Instructions,Инструкции
DocType: Quality Inspection,Inspected By,Прегледано од страна на
DocType: Maintenance Visit,Maintenance Type,Тип одржување
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} не е запишано во текот {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Сериски № {0} не му припаѓа на испорака Забелешка {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Демо
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Додај ставки
@@ -441,7 +446,7 @@
DocType: Request for Quotation,Request for Quotation,Барање за прибирање НА ПОНУДИ
DocType: Salary Slip Timesheet,Working Hours,Работно време
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Промените почетниот / тековниот број на секвенца на постоечки серија.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Креирај нов клиент
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Креирај нов клиент
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ако има повеќе Правила Цените и понатаму преовладуваат, корисниците се бара да поставите приоритет рачно за решавање на конфликтот."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Создаде купување на налози
,Purchase Register,Купување Регистрирај се
@@ -453,7 +458,7 @@
DocType: Student Log,Medical,Медицинска
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Причина за губење
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Водечкиот сопственикот не може да биде ист како олово
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,Распределени износ може да не е поголема од износот нерегулиран
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,Распределени износ може да не е поголема од износот нерегулиран
DocType: Announcement,Receiver,приемник
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Работна станица е затворена на следните датуми како на летни Листа на: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Можности
@@ -467,8 +472,7 @@
DocType: Assessment Plan,Examiner Name,Име испитувачот
DocType: Purchase Invoice Item,Quantity and Rate,Количина и брзина
DocType: Delivery Note,% Installed,% Инсталирана
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,"Училници / лаборатории итн, каде што можат да бидат закажани предавања."
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Добавувачот> Добавувачот Тип
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Училници / лаборатории итн, каде што можат да бидат закажани предавања."
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Ве молиме внесете го името на компанијата прв
DocType: Purchase Invoice,Supplier Name,Добавувачот Име
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Прочитајте го упатството ERPNext
@@ -478,7 +482,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Проверете Добавувачот број на фактурата Единственост
DocType: Vehicle Service,Oil Change,Промена на масло
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.',"Да Случај бр ' не може да биде помал од "Од Случај бр '
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Непрофитна
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Непрофитна
DocType: Production Order,Not Started,Не е стартуван
DocType: Lead,Channel Partner,Channel Partner
DocType: Account,Old Parent,Стариот Родител
@@ -489,20 +493,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Глобалните поставувања за сите производствени процеси.
DocType: Accounts Settings,Accounts Frozen Upto,Сметки замрзнати до
DocType: SMS Log,Sent On,Испрати на
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} одбрани неколку пати во атрибути на табелата
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} одбрани неколку пати во атрибути на табелата
DocType: HR Settings,Employee record is created using selected field. ,Рекорд вработен е креирана преку избрани поле.
DocType: Sales Order,Not Applicable,Не е применливо
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Одмор господар.
DocType: Request for Quotation Item,Required Date,Бараниот датум
DocType: Delivery Note,Billing Address,Платежна адреса
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Ве молиме внесете Точка законик.
DocType: BOM,Costing,Чини
DocType: Tax Rule,Billing County,округот платежна
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Ако е обележано, износот на данокот што ќе се смета како веќе се вклучени во Print Оцени / Печатење Износ"
DocType: Request for Quotation,Message for Supplier,Порака за Добавувачот
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Вкупно Количина
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 e-mail проект
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 e-mail проект
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 e-mail проект
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 e-mail проект
DocType: Item,Show in Website (Variant),Прикажи во веб-страница (варијанта)
DocType: Employee,Health Concerns,Здравствени проблеми
DocType: Process Payroll,Select Payroll Period,Изберете Даноци Период
@@ -520,26 +523,28 @@
DocType: Sales Order Item,Used for Production Plan,Се користат за производство план
DocType: Employee Loan,Total Payment,Вкупно исплата
DocType: Manufacturing Settings,Time Between Operations (in mins),Време помеѓу операции (во минути)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} е откажана, па не може да се заврши на акција"
DocType: Customer,Buyer of Goods and Services.,Купувач на стоки и услуги.
DocType: Journal Entry,Accounts Payable,Сметки се плаќаат
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Избраните BOMs не се за истата ставка
DocType: Pricing Rule,Valid Upto,Важи до
DocType: Training Event,Workshop,Работилница
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Листа на неколку од вашите клиенти. Тие можат да бидат организации или поединци.
-,Enough Parts to Build,Доволно делови да се изгради
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Директните приходи
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Листа на неколку од вашите клиенти. Тие можат да бидат организации или поединци.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Доволно делови да се изгради
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Директните приходи
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Не може да се филтрираат врз основа на сметка, ако групирани по сметка"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Административен службеник
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Ве молиме изберете курсот
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Ве молиме изберете курсот
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Административен службеник
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Ве молиме изберете курсот
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Ве молиме изберете курсот
DocType: Timesheet Detail,Hrs,часот
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Ве молиме изберете ја компанијата
DocType: Stock Entry Detail,Difference Account,Разликата профил
+DocType: Purchase Invoice,Supplier GSTIN,добавувачот GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Не може да се затвори задача како свој зависни задача {0} не е затворена.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Ве молиме внесете Магацински за кои ќе се зголеми материјал Барање
DocType: Production Order,Additional Operating Cost,Дополнителни оперативни трошоци
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Козметика
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","За да се логирате, следниве својства мора да биде иста за двата предмети"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","За да се логирате, следниве својства мора да биде иста за двата предмети"
DocType: Shipping Rule,Net Weight,Нето тежина
DocType: Employee,Emergency Phone,Итни Телефон
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Размислете за купување
@@ -549,14 +554,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Ве молиме да се дефинира одделение за Праг 0%
DocType: Sales Order,To Deliver,За да овозможи
DocType: Purchase Invoice Item,Item,Точка
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Сериски број ставка не може да биде дел
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Сериски број ставка не може да биде дел
DocType: Journal Entry,Difference (Dr - Cr),Разлика (Д-р - Cr)
DocType: Account,Profit and Loss,Добивка и загуба
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Управување Склучување
DocType: Project,Project will be accessible on the website to these users,Проектот ќе биде достапен на веб страната за овие корисници
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Стапка по која Ценовник валута е претворена во основна валута компанијата
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},На сметка {0} не му припаѓа на компанијата: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Кратенка веќе се користи за друга компанија
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},На сметка {0} не му припаѓа на компанијата: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Кратенка веќе се користи за друга компанија
DocType: Selling Settings,Default Customer Group,Стандардната група на потрошувачи
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Ако е оневозможено, полето 'Вкупно заокружено' нема да биде видливо во сите трансакции"
DocType: BOM,Operating Cost,Оперативните трошоци
@@ -564,7 +569,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Зголемување не може да биде 0
DocType: Production Planning Tool,Material Requirement,Материјал Потребно
DocType: Company,Delete Company Transactions,Избриши компанијата Трансакции
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Референтен број и референтен датум е задолжително за банкарски трансакции
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Референтен број и референтен датум е задолжително за банкарски трансакции
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Додај / Уреди даноци и такси
DocType: Purchase Invoice,Supplier Invoice No,Добавувачот Фактура бр
DocType: Territory,For reference,За референца
@@ -575,22 +580,22 @@
DocType: Installation Note Item,Installation Note Item,Инсталација Забелешка Точка
DocType: Production Plan Item,Pending Qty,Во очекување на Количина
DocType: Budget,Ignore,Игнорирај
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} не е активен
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} не е активен
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},СМС испратен до следните броеви: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,проверка подесување димензии за печатење
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,проверка подесување димензии за печатење
DocType: Salary Slip,Salary Slip Timesheet,Плата фиш timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Добавувачот Магацински задолжително за под-договор Набавка Потврда
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Добавувачот Магацински задолжително за под-договор Набавка Потврда
DocType: Pricing Rule,Valid From,Важи од
DocType: Sales Invoice,Total Commission,Вкупно Маргина
DocType: Pricing Rule,Sales Partner,Продажбата партнер
DocType: Buying Settings,Purchase Receipt Required,Купување Прием Потребно
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,Вреднување курс е задолжително ако влезе отворање на Акции
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,Вреднување курс е задолжително ако влезе отворање на Акции
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Не се пронајдени во табелата Фактура рекорди
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Ве молиме изберете компанија и Партијата Тип прв
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Финансиски / пресметковната година.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Финансиски / пресметковната година.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Акумулирана вредности
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","За жал, сериски броеви не можат да се спојат"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Направи Продај Побарувања
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Направи Продај Побарувања
DocType: Project Task,Project Task,Проектна задача
,Lead Id,Потенцијален клиент Id
DocType: C-Form Invoice Detail,Grand Total,Сѐ Вкупно
@@ -607,7 +612,7 @@
DocType: Job Applicant,Resume Attachment,продолжи Прилог
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Повтори клиенти
DocType: Leave Control Panel,Allocate,Распредели
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Продажбата Враќање
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Продажбата Враќање
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Забелешка: Вкупно распределени лисја {0} не треба да биде помал од веќе одобрен лисја {1} за периодот
DocType: Announcement,Posted By,Испратено од
DocType: Item,Delivered by Supplier (Drop Ship),Дадено од страна на Добавувачот (Капка Брод)
@@ -617,8 +622,8 @@
DocType: Quotation,Quotation To,Понуда за
DocType: Lead,Middle Income,Среден приход
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Отворање (ЦР)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Стандардна единица мерка за ставка {0} не можат да се менуваат директно затоа што веќе се направени некои трансакција (и) со друг UOM. Ќе треба да се создаде нова ставка и да се користи различен стандарден UOM.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Распределени износ не може да биде негативен
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Стандардна единица мерка за ставка {0} не можат да се менуваат директно затоа што веќе се направени некои трансакција (и) со друг UOM. Ќе треба да се создаде нова ставка и да се користи различен стандарден UOM.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Распределени износ не може да биде негативен
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Ве молиме да се постави на компанијата
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Ве молиме да се постави на компанијата
DocType: Purchase Order Item,Billed Amt,Таксуваната Амт
@@ -631,7 +636,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Изберете Account плаќање да се направи банка Влегување
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Креирај вработен евиденција за управување со лисја, барања за трошоци и плати"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Додади во База на знаење
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Пишување предлози
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Пишување предлози
DocType: Payment Entry Deduction,Payment Entry Deduction,Плаќање за влез Одбивање
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Постои уште еден продажбата на лице {0} со истиот Вработен проект
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Ако е означено, суровини за предмети кои се под-договор ќе бидат вклучени во Материјал Барања"
@@ -646,7 +651,7 @@
DocType: Batch,Batch Description,Серија Опис
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Креирање на студентски групи
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Креирање на студентски групи
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Исплата Портал сметка не е создадена, Ве молиме да се создаде една рачно."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Исплата Портал сметка не е создадена, Ве молиме да се создаде една рачно."
DocType: Sales Invoice,Sales Taxes and Charges,Продажбата на даноци и такси
DocType: Employee,Organization Profile,Организација Профил
DocType: Student,Sibling Details,брат Детали
@@ -668,11 +673,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Нето промени во Инвентар
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Вработен за управување со кредит
DocType: Employee,Passport Number,Број на пасош
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Врска со Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Менаџер
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Врска со Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Менаџер
DocType: Payment Entry,Payment From / To,Плаќање од / до
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Нов кредитен лимит е помала од сегашната преостанатиот износ за клиентите. Кредитен лимит мора да биде барем {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Истата таа ствар е внесен повеќе пати.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Нов кредитен лимит е помала од сегашната преостанатиот износ за клиентите. Кредитен лимит мора да биде барем {0}
DocType: SMS Settings,Receiver Parameter,Приемник Параметар
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"Врз основа на" и "група Со" не може да биде ист
DocType: Sales Person,Sales Person Targets,Продажбата на лице Цели
@@ -681,8 +685,9 @@
DocType: Issue,Resolution Date,Резолуцијата Датум
DocType: Student Batch Name,Batch Name,Име на серијата
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timesheet е основан:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},Ве молиме да поставите основен готовина или Банкарска сметка во начинот на плаќање {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Ве молиме да поставите основен готовина или Банкарска сметка во начинот на плаќање {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,запишат
+DocType: GST Settings,GST Settings,GST Settings
DocType: Selling Settings,Customer Naming By,Именувањето на клиентите со
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Ќе се покаже на ученикот како Присутни во Студентски Публика Месечен извештај
DocType: Depreciation Schedule,Depreciation Amount,амортизација Износ
@@ -704,6 +709,7 @@
DocType: Item,Material Transfer,Материјал трансфер
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Отворање (д-р)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Праќање пораки во временската ознака мора да биде по {0}
+,GST Itemised Purchase Register,GST Индивидуална Набавка Регистрирај се
DocType: Employee Loan,Total Interest Payable,Вкупно камати
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Слета Цена даноци и такси
DocType: Production Order Operation,Actual Start Time,Старт на проектот Време
@@ -732,10 +738,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
DocType: Account,Accounts,Сметки
DocType: Vehicle,Odometer Value (Last),Километража вредност (последна)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Маркетинг
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Маркетинг
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Плаќање Влегување веќе е создадена
DocType: Purchase Receipt Item Supplied,Current Stock,Тековни берза
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Ред # {0}: {1} средства не се поврзани со Точка {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Ред # {0}: {1} средства не се поврзани со Точка {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Преглед Плата фиш
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Сметка {0} е внесен повеќе пати
DocType: Account,Expenses Included In Valuation,Трошоци Вклучени Во Вреднување
@@ -743,7 +749,7 @@
,Absent Student Report,Отсутни Студентски извештај
DocType: Email Digest,Next email will be sent on:,Следната е-мејл ќе бидат испратени на:
DocType: Offer Letter Term,Offer Letter Term,Понуда писмо Рок
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Ставка има варијанти.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Ставка има варијанти.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Точка {0} не е пронајдена
DocType: Bin,Stock Value,Акции вредност
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Компанијата {0} не постои
@@ -752,8 +758,8 @@
DocType: Serial No,Warranty Expiry Date,Гаранција датумот на истекување
DocType: Material Request Item,Quantity and Warehouse,Кол и Магацински
DocType: Sales Invoice,Commission Rate (%),Комисијата стапка (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Ве молиме одберете програма
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Ве молиме одберете програма
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Ве молиме одберете програма
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Ве молиме одберете програма
DocType: Project,Estimated Cost,Проценетите трошоци
DocType: Purchase Order,Link to material requests,Линк материјал барања
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Воздухопловна
@@ -767,14 +773,14 @@
DocType: Purchase Order,Supply Raw Materials,Снабдување со суровини
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,Датумот на кој ќе биде генериранa следната фактура. Тоа е генерирана за поднесете.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Тековни средства
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} не е складишна ставка
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} не е складишна ставка
DocType: Mode of Payment Account,Default Account,Стандардно профил
DocType: Payment Entry,Received Amount (Company Currency),Добиениот износ (Фирма валута)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,Мора да се креира Потенцијален клиент ако Можноста е направена од Потенцијален клиент
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,Ве молиме изберете неделно слободен ден
DocType: Production Order Operation,Planned End Time,Планирани Крај
,Sales Person Target Variance Item Group-Wise,Продажбата на лице Целна група Варијанса точка-wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Сметка со постоечките трансакцијата не може да се конвертира Леџер
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Сметка со постоечките трансакцијата не може да се конвертира Леџер
DocType: Delivery Note,Customer's Purchase Order No,Клиентите нарачка Не
DocType: Budget,Budget Against,буџетот против
DocType: Employee,Cell Number,Мобилен Број
@@ -786,15 +792,13 @@
DocType: Opportunity,Opportunity From,Можност од
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Месечен извештај плата.
DocType: BOM,Website Specifications,Веб-страница Спецификации
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Ве молиме поставете брои серија за присуство преку поставување> нумерација Серија
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Од {0} од типот на {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Ред {0}: Фактор на конверзија е задолжително
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Ред {0}: Фактор на конверзија е задолжително
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Повеќе Правила Цена постои со истите критериуми, ве молиме да го реши конфликтот со давање приоритет. Правила Цена: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,Не може да го деактивирате или да го откажете Бум како што е поврзано со други BOMs
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Повеќе Правила Цена постои со истите критериуми, ве молиме да го реши конфликтот со давање приоритет. Правила Цена: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Не може да го деактивирате или да го откажете Бум како што е поврзано со други BOMs
DocType: Opportunity,Maintenance,Одржување
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Купување Потврда број потребен за Точка {0}
DocType: Item Attribute Value,Item Attribute Value,Точка вредноста на атрибутот
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Продажбата на кампањи.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Направете timesheet
@@ -827,30 +831,30 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Средства укинати преку весник Влегување {0}
DocType: Employee Loan,Interest Income Account,Сметка приход од камата
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Биотехнологијата
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Канцеларија Одржување трошоци
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Канцеларија Одржување трошоци
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Поставување на e-mail сметка
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Ве молиме внесете стварта прв
DocType: Account,Liability,Одговорност
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Санкционирани сума не може да биде поголема од Тврдат Износ во ред {0}.
DocType: Company,Default Cost of Goods Sold Account,Стандардно трошоците на продадени производи профил
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Ценовник не е избрано
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Ценовник не е избрано
DocType: Employee,Family Background,Семејно потекло
DocType: Request for Quotation Supplier,Send Email,Испрати E-mail
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Предупредување: Невалиден прилог {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Предупредување: Невалиден прилог {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Нема дозвола
DocType: Company,Default Bank Account,Стандардно банкарска сметка
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","За филтрирање врз основа на партија, изберете партија Тип прв"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Ажурирај складиште 'не може да се провери, бидејќи ставките не се доставуваат преку {0}"
DocType: Vehicle,Acquisition Date,Датум на стекнување
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Бр
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Бр
DocType: Item,Items with higher weightage will be shown higher,Предмети со поголема weightage ќе бидат прикажани повисоки
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Банка помирување Детална
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,{0} ред #: средства мора да бидат поднесени {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,{0} ред #: средства мора да бидат поднесени {1}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Не се пронајдени вработен
DocType: Supplier Quotation,Stopped,Запрен
DocType: Item,If subcontracted to a vendor,Ако иницираат да продавач
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Група на студенти веќе се ажурираат.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Група на студенти веќе се ажурираат.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Група на студенти веќе се ажурираат.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Група на студенти веќе се ажурираат.
DocType: SMS Center,All Customer Contact,Сите корисници Контакт
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Внеси акции рамнотежа преку CSV.
DocType: Warehouse,Tree Details,Детали за дрво
@@ -862,13 +866,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Цена Центар {2} не припаѓа на компанијата {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Сметка {2} не може да биде група
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Точка ред IDX {}: {DOCTYPE} {docname} не постои во над "{DOCTYPE}" маса
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Timesheet {0} е веќе завршен проект или откажани
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} е веќе завршен проект или откажани
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Не задачи
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","На ден од месецот на кој авто фактура ќе биде генериранa на пример 05, 28 итн"
DocType: Asset,Opening Accumulated Depreciation,Отворање Акумулирана амортизација
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Поени мора да е помала или еднаква на 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Програма за запишување на алатката
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,C-Форма записи
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C-Форма записи
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Клиентите и вршителите
DocType: Email Digest,Email Digest Settings,E-mail билтени Settings
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Ви благодариме за вашиот бизнис!
@@ -878,17 +882,19 @@
DocType: Bin,Moving Average Rate,Преселба Просечна стапка
DocType: Production Planning Tool,Select Items,Одбирајте ги изборните ставки
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} од Бил {1} датум {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Возила / автобус број
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Распоред на курсот
DocType: Maintenance Visit,Completion Status,Проектот Статус
DocType: HR Settings,Enter retirement age in years,Внесете пензионирање возраст во години
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Целна Магацински
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Ве молам изберете еден магацин
DocType: Cheque Print Template,Starting location from left edge,Почетна локација од левиот раб
DocType: Item,Allow over delivery or receipt upto this percent,Дозволете врз доставувањето или приемот до овој процент
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,Увоз Публика
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Сите групи на ставки
DocType: Process Payroll,Activity Log,Активност Влез
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Нето добивка / загуба
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Нето добивка / загуба
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Автоматски компонира порака на поднесување на трансакции.
DocType: Production Order,Item To Manufacture,Ставка за производство
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} статус е {2}
@@ -897,16 +903,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Нарачка на плаќање
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Проектирани Количина
DocType: Sales Invoice,Payment Due Date,Плаќање најдоцна до Датум
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Ставка Варијанта {0} веќе постои со истите атрибути
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Ставка Варијанта {0} веќе постои со истите атрибути
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','Отворање'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Отворете го направите
DocType: Notification Control,Delivery Note Message,Испратница порака
DocType: Expense Claim,Expenses,Трошоци
+,Support Hours,поддршка часа
DocType: Item Variant Attribute,Item Variant Attribute,Ставка Варијанта Атрибут
,Purchase Receipt Trends,Купување Потврда трендови
DocType: Process Payroll,Bimonthly,на секои два месеци
DocType: Vehicle Service,Brake Pad,Влошка
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Истражување и развој
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Истражување и развој
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Износ за Наплата
DocType: Company,Registration Details,Детали за регистрација
DocType: Timesheet,Total Billed Amount,Вкупно Опишан Износ
@@ -919,12 +926,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Добивање само суровини
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Оценка.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Овозможувањето на "Користи за Корпа", како што Кошничка е овозможено и треба да има најмалку еден данок Правилникот за Кошничка"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Плаќање Влегување {0} е поврзана против редот на {1}, проверете дали тоа треба да се повлече како напредок во оваа фактура."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Плаќање Влегување {0} е поврзана против редот на {1}, проверете дали тоа треба да се повлече како напредок во оваа фактура."
DocType: Sales Invoice Item,Stock Details,Детали за акцијата
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Проектот вредност
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Point-of-Продажба
DocType: Vehicle Log,Odometer Reading,километражата
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Баланс на сметка веќе во кредит, не Ви е дозволено да се постави рамнотежа мора да биде "како" дебитни ""
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Баланс на сметка веќе во кредит, не Ви е дозволено да се постави рамнотежа мора да биде "како" дебитни ""
DocType: Account,Balance must be,Рамнотежа мора да биде
DocType: Hub Settings,Publish Pricing,Објавување на цени
DocType: Notification Control,Expense Claim Rejected Message,Сметка Тврдат Отфрлени порака
@@ -934,7 +941,7 @@
DocType: Salary Slip,Working Days,Работни дена
DocType: Serial No,Incoming Rate,Влезна Цена
DocType: Packing Slip,Gross Weight,Бруто тежина на апаратот
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,Името на вашата компанија за која сте за создавање на овој систем.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,Името на вашата компанија за која сте за создавање на овој систем.
DocType: HR Settings,Include holidays in Total no. of Working Days,Вклучи празници во Вкупен број. на работните денови
DocType: Job Applicant,Hold,Задржете
DocType: Employee,Date of Joining,Датум на приклучување
@@ -945,20 +952,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Купување Потврда
,Received Items To Be Billed,Примените предмети да бидат фактурирани
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Поднесени исплатните листи
-DocType: Employee,Ms,Г-ѓа
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Валута на девизниот курс господар.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Суд DOCTYPE мора да биде еден од {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Валута на девизниот курс господар.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Суд DOCTYPE мора да биде еден од {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Не можам да најдам временски слот во следните {0} денови за работа {1}
DocType: Production Order,Plan material for sub-assemblies,План материјал за потсклопови
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Продај Партнери и територија
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,не може автоматски да креирате сметка што веќе има акции биланс на сметката. Мора да се создаде појавување на сметка пред да може да се направи влез на овој магацин
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} мора да биде активен
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} мора да биде активен
DocType: Journal Entry,Depreciation Entry,амортизација за влез
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Изберете го типот на документот прв
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Откажи материјал Посети {0} пред да го раскине овој Одржување Посета
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Сериски № {0} не припаѓаат на Точка {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Потребни Количина
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Магацини со постоечките трансакцијата не може да се конвертира во главната книга.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Магацини со постоечките трансакцијата не може да се конвертира во главната книга.
DocType: Bank Reconciliation,Total Amount,Вкупен износ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Интернет издаваштво
DocType: Production Planning Tool,Production Orders,Производство Нарачка
@@ -973,25 +978,26 @@
DocType: Fee Structure,Components,делови
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Ве молиме внесете Категорија средства во точка {0}
DocType: Quality Inspection Reading,Reading 6,Читање 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Не може да се {0} {1} {2} без никакви негативни извонредна фактура
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Не може да се {0} {1} {2} без никакви негативни извонредна фактура
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Купување на фактура напредување
DocType: Hub Settings,Sync Now,Sync Сега
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Ред {0}: Кредитни влез не можат да бидат поврзани со {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Дефинирање на буџетот за финансиската година.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Дефинирање на буџетот за финансиската година.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Стандардно банка / готовинска сметка ќе се ажурира автоматски во POS Фактура кога е избрана оваа опција.
DocType: Lead,LEAD-,LEAD-
DocType: Employee,Permanent Address Is,Постојана адреса е
DocType: Production Order Operation,Operation completed for how many finished goods?,Операцијата заврши за колку готовите производи?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,Бренд
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Бренд
DocType: Employee,Exit Interview Details,Излез Интервју Детали за
DocType: Item,Is Purchase Item,Е Набавка Точка
DocType: Asset,Purchase Invoice,Купување на фактура
DocType: Stock Ledger Entry,Voucher Detail No,Ваучер Детална Не
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Нов почеток на продажбата на фактура
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Нов почеток на продажбата на фактура
DocType: Stock Entry,Total Outgoing Value,Вкупна Тековна Вредност
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Датум на отворање и затворање Датум треба да биде во рамките на истата фискална година
DocType: Lead,Request for Information,Барање за информации
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sync Офлајн Фактури
+,LeaderBoard,табла
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Sync Офлајн Фактури
DocType: Payment Request,Paid,Платени
DocType: Program Fee,Program Fee,Надомест програма
DocType: Salary Slip,Total in words,Вкупно со зборови
@@ -1000,13 +1006,13 @@
DocType: Cheque Print Template,Has Print Format,Има печати формат
DocType: Employee Loan,Sanctioned,санкционирани
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,е задолжително. Можеби не е создаден запис Девизен за
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Ред # {0}: Ве молиме наведете Сериски Не за Точка {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","За предмети од ""Пакет производ"", Складиште, сериски број и Batch нема да се смета од табелата ""Паковна Листа"". Ако магацински и Batch број не се исти за сите ставки за пакување во ""Пакет производи"", тие вредности може да се внесат во главната табела со ставки, вредностите ќе бидат копирани во табелата ""Паковна Листа""."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Ред # {0}: Ве молиме наведете Сериски Не за Точка {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","За предмети од ""Пакет производ"", Складиште, сериски број и Batch нема да се смета од табелата ""Паковна Листа"". Ако магацински и Batch број не се исти за сите ставки за пакување во ""Пакет производи"", тие вредности може да се внесат во главната табела со ставки, вредностите ќе бидат копирани во табелата ""Паковна Листа""."
DocType: Job Opening,Publish on website,Објавуваат на веб-страницата
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Пратки на клиентите.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Датум на Добавувачот фактура не може да биде поголем од објавувањето Датум
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Датум на Добавувачот фактура не може да биде поголем од објавувањето Датум
DocType: Purchase Invoice Item,Purchase Order Item,Нарачка Точка
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Индиректни доход
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Индиректни доход
DocType: Student Attendance Tool,Student Attendance Tool,Студентски Публика алатката
DocType: Cheque Print Template,Date Settings,датум Settings
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Варијанса
@@ -1024,21 +1030,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Хемиски
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Аватарот на банка / готовинска сметка ќе се ажурира автоматски во Плата весник Влегување кога е избран овој режим.
DocType: BOM,Raw Material Cost(Company Currency),Суровина Цена (Фирма валута)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Сите ставки се веќе префрлени за оваа нарачка за производство.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Сите ставки се веќе префрлени за оваа нарачка за производство.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Ред # {0}: стапка не може да биде поголема од стапката користи во {1} {2}
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Ред # {0}: стапка не може да биде поголема од стапката користи во {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,Метар
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,Метар
DocType: Workstation,Electricity Cost,Цената на електричната енергија
DocType: HR Settings,Don't send Employee Birthday Reminders,Не праќај вработените роденден потсетници
DocType: Item,Inspection Criteria,Критериуми за инспекција
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Трансферираните
DocType: BOM Website Item,BOM Website Item,BOM на вебсајт ставки
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Внеси писмо главата и логото. (Можете да ги менувате подоцна).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Внеси писмо главата и логото. (Можете да ги менувате подоцна).
DocType: Timesheet Detail,Bill,Бил
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Следна Амортизација Регистриран е внесен како со поминат рок
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Бела
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Бела
DocType: SMS Center,All Lead (Open),Сите Потенцијални клиенти (Отворени)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ред {0}: Количина не се достапни за {4} во магацин {1} на објавување времето на стапување ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ред {0}: Количина не се достапни за {4} во магацин {1} на објавување времето на стапување ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Се Напредокот Платени
DocType: Item,Automatically Create New Batch,Автоматски Креирај нова серија
DocType: Item,Automatically Create New Batch,Автоматски Креирај нова серија
@@ -1049,13 +1055,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Моја кошничка
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Цел типот мора да биде еден од {0}
DocType: Lead,Next Contact Date,Следна Контакт Датум
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Отворање Количина
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,Ве молиме внесете го за промени Износ
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Отворање Количина
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,Ве молиме внесете го за промени Износ
DocType: Student Batch Name,Student Batch Name,Студентски Серија Име
DocType: Holiday List,Holiday List Name,Одмор Листа на Име
DocType: Repayment Schedule,Balance Loan Amount,Биланс на кредит Износ
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,распоред на курсот
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Опции на акции
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Опции на акции
DocType: Journal Entry Account,Expense Claim,Сметка побарување
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Дали навистина сакате да го направите ова укинати средства?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Количина за {0}
@@ -1067,12 +1073,12 @@
DocType: Company,Default Terms,Стандардно Услови
DocType: Packing Slip Item,Packing Slip Item,Пакување фиш Точка
DocType: Purchase Invoice,Cash/Bank Account,Пари / банка сметка
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Ве молиме наведете {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Ве молиме наведете {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Отстранет предмети без промена во количината или вредноста.
DocType: Delivery Note,Delivery To,Испорака на
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Атрибут маса е задолжително
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Атрибут маса е задолжително
DocType: Production Planning Tool,Get Sales Orders,Земете Продај Нарачка
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} не може да биде негативен
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} не може да биде негативен
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Попуст
DocType: Asset,Total Number of Depreciations,Вкупен број на амортизација
DocType: Sales Invoice Item,Rate With Margin,Стапка со маргина
@@ -1093,7 +1099,6 @@
DocType: Serial No,Creation Document No,Документот за создавање Не
DocType: Issue,Issue,Прашање
DocType: Asset,Scrapped,укинат
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Сметка не се поклопува со компанијата
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Атрибути за точка варијанти. на пример, големината, бојата и др"
DocType: Purchase Invoice,Returns,Се враќа
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP Магацински
@@ -1105,12 +1110,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,Ставка мора да се додаде со користење на "се предмети од Набавка Разписки" копчето
DocType: Employee,A-,А-
DocType: Production Planning Tool,Include non-stock items,Вклучуваат не-акции предмети
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Трошоци за продажба
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Трошоци за продажба
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Стандардна Купување
DocType: GL Entry,Against,Против
DocType: Item,Default Selling Cost Center,Стандарден Продажен трошочен центар
DocType: Sales Partner,Implementation Partner,Партнер имплементација
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Поштенски
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Поштенски
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Продај Побарувања {0} е {1}
DocType: Opportunity,Contact Info,Контакт инфо
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Акции правење записи
@@ -1123,33 +1128,33 @@
DocType: Holiday List,Get Weekly Off Dates,Земете Неделен Off Датуми
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,Датум на крајот не може да биде помал од Почеток Датум
DocType: Sales Person,Select company name first.,Изберете името на компанијата во прв план.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Д-р
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Понуди добиени од Добавувачи.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},{0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Просечна возраст
DocType: School Settings,Attendance Freeze Date,Публика замрзнување Датум
DocType: School Settings,Attendance Freeze Date,Публика замрзнување Датум
DocType: Opportunity,Your sales person who will contact the customer in future,Продажбата на лице кои ќе контактираат со клиентите во иднина
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Листа на неколку од вашите добавувачи. Тие можат да бидат организации или поединци.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Листа на неколку од вашите добавувачи. Тие можат да бидат организации или поединци.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Преглед на сите производи
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Минимална олово време (денови)
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Минимална олово време (денови)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,сите BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,сите BOMs
DocType: Company,Default Currency,Стандардна валута
DocType: Expense Claim,From Employee,Од Вработен
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Предупредување: Систем не ќе ги провери overbilling од износот за ставката {0} од {1} е нула
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Предупредување: Систем не ќе ги провери overbilling од износот за ставката {0} од {1} е нула
DocType: Journal Entry,Make Difference Entry,Направи разликата Влегување
DocType: Upload Attendance,Attendance From Date,Публика од денот
DocType: Appraisal Template Goal,Key Performance Area,Основна област на ефикасноста
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Превоз
+DocType: Program Enrollment,Transportation,Превоз
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Невалиден Атрибут
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} мора да се поднесе
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} мора да се поднесе
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Количините може да биде помалку од или еднакво на {0}
DocType: SMS Center,Total Characters,Вкупно Карактери
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Ве молиме изберете Бум Бум во полето за предмет {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Ве молиме изберете Бум Бум во полето за предмет {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,Детална C-Образец Фактура
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Плаќање помирување Фактура
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Учество%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Како на Settings Купување ако нарачка задолжителни == "ДА", тогаш за создавање Набавка фактура, корисникот треба да се создаде нарачка прво за ставка {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Броеви за регистрација на фирма за вашата препорака. Даночни броеви итн
DocType: Sales Partner,Distributor,Дистрибутер
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Корпа за испорака Правило
@@ -1158,23 +1163,25 @@
,Ordered Items To Be Billed,Нареди ставки за да бидат фактурирани
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Од опсег мора да биде помала од на опсег
DocType: Global Defaults,Global Defaults,Глобална Стандардни
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Проектот Соработка Покана
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Проектот Соработка Покана
DocType: Salary Slip,Deductions,Одбивања
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Почетна година
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},Првите 2 цифри GSTIN треба да се совпаѓа со Државниот број {0}
DocType: Purchase Invoice,Start date of current invoice's period,Датум на почеток на периодот тековната сметка е
DocType: Salary Slip,Leave Without Pay,Неплатено отсуство
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Капацитет Грешка планирање
,Trial Balance for Party,Судскиот биланс за партија
DocType: Lead,Consultant,Консултант
DocType: Salary Slip,Earnings,Приходи
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Заврши Точка {0} Мора да се внесе за влез тип Производство
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Заврши Точка {0} Мора да се внесе за влез тип Производство
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Отворање Сметководство Биланс
+,GST Sales Register,GST продажба Регистрирај се
DocType: Sales Invoice Advance,Sales Invoice Advance,Продажна Про-Фактура
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Ништо да побара
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Уште еден рекорд буџет "{0}" веќе постои од {1} {2} "за фискалната {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',"Старт на проектот Датум 'не може да биде поголема од' Крај на екстремна датум"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,За управување со
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,За управување со
DocType: Cheque Print Template,Payer Settings,Прилагодување обврзник
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Ова ќе биде додаден на Кодексот точка на варијанта. На пример, ако вашиот кратенката е "СМ" и кодот на предметот е "Т-маица", кодот го ставка на варијанта ќе биде "Т-маица-СМ""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Нето плати (со зборови) ќе биде видлив откако ќе ја зачувате фиш плата.
@@ -1191,8 +1198,8 @@
DocType: Employee Loan,Partially Disbursed,делумно исплатени
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Снабдувач база на податоци.
DocType: Account,Balance Sheet,Биланс на состојба
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Цена центар за предмет со точка законик "
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Начин на плаќање не е конфигуриран. Ве молиме проверете, дали сметка е поставен на режим на пари или на POS профил."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Цена центар за предмет со точка законик "
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Начин на плаќање не е конфигуриран. Ве молиме проверете, дали сметка е поставен на режим на пари или на POS профил."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Продажбата на лицето ќе добиете потсетување на овој датум да се јавите на клиент
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Истата ставка не може да се внесе повеќе пати.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Понатаму сметки може да се направи под Групи, но записи може да се направи врз несрпското групи"
@@ -1200,7 +1207,7 @@
DocType: Email Digest,Payables,Обврски кон добавувачите
DocType: Course,Course Intro,Се разбира Вовед
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Акции Влегување {0} создадена
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ред # {0}: Отфрлени Количина не може да се влезе во Набавка Враќање
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ред # {0}: Отфрлени Количина не може да се влезе во Набавка Враќање
,Purchase Order Items To Be Billed,"Нарачката елементи, за да бидат фактурирани"
DocType: Purchase Invoice Item,Net Rate,Нето стапката
DocType: Purchase Invoice Item,Purchase Invoice Item,Купување на фактура Точка
@@ -1227,7 +1234,7 @@
DocType: Sales Order,SO-,SO-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Ве молиме изберете префикс прв
DocType: Employee,O-,О-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Истражување
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Истражување
DocType: Maintenance Visit Purpose,Work Done,Работата е завршена
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Ве молиме да наведете барем еден атрибут во табелата атрибути
DocType: Announcement,All Students,сите студенти
@@ -1235,17 +1242,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Види Леџер
DocType: Grading Scale,Intervals,интервали
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Први
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Ставка група постои со истото име, Ве молиме да се промени името на точка или преименувате групата точка"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Студентски мобилен број
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Остатокот од светот
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Ставка група постои со истото име, Ве молиме да се промени името на точка или преименувате групата точка"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Студентски мобилен број
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Остатокот од светот
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Ставката {0} не може да има Batch
,Budget Variance Report,Буџетот Варијанса Злоупотреба
DocType: Salary Slip,Gross Pay,Бруто плата
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Ред {0}: Тип на активност е задолжително.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Дивидендите кои ги исплатува
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Дивидендите кои ги исплатува
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Сметководство Леџер
DocType: Stock Reconciliation,Difference Amount,Разликата Износ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Задржана добивка
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Задржана добивка
DocType: Vehicle Log,Service Detail,сервис детали
DocType: BOM,Item Description,Опис
DocType: Student Sibling,Student Sibling,студент на браќата и сестрите
@@ -1260,11 +1267,11 @@
DocType: Opportunity Item,Opportunity Item,Можност Точка
,Student and Guardian Contact Details,Студент и Гардијан Податоци за контакт
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Ред {0}: За снабдувач {0} E-mail адреса за да се испрати е-маил
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Привремено отворање
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Привремено отворање
,Employee Leave Balance,Вработен Остави Биланс
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Биланс на сметка {0} мора секогаш да биде {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Вреднување курс потребен за ставка во ред {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Пример: Мастерс во Компјутерски науки
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Пример: Мастерс во Компјутерски науки
DocType: Purchase Invoice,Rejected Warehouse,Одбиени Магацински
DocType: GL Entry,Against Voucher,Против ваучер
DocType: Item,Default Buying Cost Center,Стандардно Купување цена центар
@@ -1277,31 +1284,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Земете ненаплатени фактури
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Продај Побарувања {0} не е валиден
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Купување на налози да ви помогне да планираат и да се надоврзе на вашите купувања
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","За жал, компаниите не можат да се спојат"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","За жал, компаниите не можат да се спојат"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",вкупната количина на прашањето / Трансфер {0} во Материјал Барање {1} \ не може да биде поголема од бараната количина {2} за ставката {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Мали
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Мали
DocType: Employee,Employee Number,Број вработен
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Нема случај (и) веќе е во употреба. Обидете се од случај не {0}
DocType: Project,% Completed,% Завршено
,Invoiced Amount (Exculsive Tax),Фактурираниот износ (Exculsive на доход)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Точка 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Сметка главата {0} создаде
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,обука на настанот
DocType: Item,Auto re-order,Автоматско повторно цел
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Вкупно Постигнати
DocType: Employee,Place of Issue,Место на издавање
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Договор
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Договор
DocType: Email Digest,Add Quote,Додади цитат
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},UOM фактор coversion потребни за UOM: {0} во точка: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Индиректни трошоци
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM фактор coversion потребни за UOM: {0} во точка: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Индиректни трошоци
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Ред {0}: Количина е задолжително
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Земјоделството
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sync мајстор на податоци
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Вашите производи или услуги
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sync мајстор на податоци
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Вашите производи или услуги
DocType: Mode of Payment,Mode of Payment,Начин на плаќање
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Веб-страница на слика треба да биде јавен датотеката или URL на веб страната
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Веб-страница на слика треба да биде јавен датотеката или URL на веб страната
DocType: Student Applicant,AP,АП
DocType: Purchase Invoice Item,BOM,BOM (Список на материјали)
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Ова е корен елемент група и не може да се уредува.
@@ -1310,7 +1316,7 @@
DocType: Warehouse,Warehouse Contact Info,Магацински Контакт Инфо
DocType: Payment Entry,Write Off Difference Amount,Отпише разликата Износ
DocType: Purchase Invoice,Recurring Type,Повторувачки Тип
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: е-маил на вработените не се најде, па затоа не е-мејл испратен"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: е-маил на вработените не се најде, па затоа не е-мејл испратен"
DocType: Item,Foreign Trade Details,Надворешна трговија Детали
DocType: Email Digest,Annual Income,Годишен приход
DocType: Serial No,Serial No Details,Сериски № Детали за
@@ -1318,10 +1324,10 @@
DocType: Student Group Student,Group Roll Number,Група тек број
DocType: Student Group Student,Group Roll Number,Група тек број
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","За {0}, само кредитни сметки може да се поврзат против друг запис дебитна"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Вкупниот износ на сите задача тежина треба да биде 1. Ве молиме да се приспособат тежини на сите задачи на проектот соодветно
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Испратница {0} не е поднесен
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Точка {0} мора да биде под-договор Точка
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Капитал опрема
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Вкупниот износ на сите задача тежина треба да биде 1. Ве молиме да се приспособат тежини на сите задачи на проектот соодветно
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Испратница {0} не е поднесен
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Точка {0} мора да биде под-договор Точка
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Капитал опрема
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Цените правило е првата избрана врз основа на "Apply On" поле, која може да биде точка, точка група или бренд."
DocType: Hub Settings,Seller Website,Продавачот веб-страница
DocType: Item,ITEM-,ITEM-
@@ -1339,7 +1345,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Може да има само еден испорака Правило Состојба со 0 или празно вредност за "да го вреднуваат"
DocType: Authorization Rule,Transaction,Трансакција
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Забелешка: Оваа цена центар е група. Не може да се направи на сметководствените ставки против групи.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,постои склад дете за овој склад. Не можете да ја избришете оваа склад.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,постои склад дете за овој склад. Не можете да ја избришете оваа склад.
DocType: Item,Website Item Groups,Веб-страница Точка групи
DocType: Purchase Invoice,Total (Company Currency),Вкупно (Валута на Фирма )
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Сериски број {0} влегоа повеќе од еднаш
@@ -1349,7 +1355,7 @@
DocType: Grading Scale Interval,Grade Code,одделение законик
DocType: POS Item Group,POS Item Group,ПОС Точка група
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-mail билтени:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} не му припаѓа на идентот {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} не му припаѓа на идентот {1}
DocType: Sales Partner,Target Distribution,Целна Дистрибуција
DocType: Salary Slip,Bank Account No.,Жиро сметка број
DocType: Naming Series,This is the number of the last created transaction with this prefix,Ова е бројот на последниот создадена трансакција со овој префикс
@@ -1360,12 +1366,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Книга Асет Амортизација Влегување Автоматски
DocType: BOM Operation,Workstation,Работна станица
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Барање за прибирање понуди Добавувачот
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Хардвер
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Хардвер
DocType: Sales Order,Recurring Upto,Повторувачки Upto
DocType: Attendance,HR Manager,Менаџер за човечки ресурси
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Ве молиме изберете една компанија
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Привилегија Leave
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Ве молиме изберете една компанија
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Привилегија Leave
DocType: Purchase Invoice,Supplier Invoice Date,Добавувачот датум на фактурата
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,на
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Вие треба да им овозможи на Корпа
DocType: Payment Entry,Writeoff,Отпише
DocType: Appraisal Template Goal,Appraisal Template Goal,Процена Шаблон Цел
@@ -1376,10 +1383,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Преклопување состојби помеѓу:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Против весник Влегување {0} е веќе приспособена против некои други ваучер
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Вкупна Вредност на Нарачка
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Храна
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Храна
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Стареењето опсег од 3
DocType: Maintenance Schedule Item,No of Visits,Број на посети
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Марк Attendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Марк Attendence
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},"Одржување распоред {0} постои се против, {1}"
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,Запишувањето на студентите
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Валута на завршната сметка мора да биде {0}
@@ -1393,6 +1400,7 @@
DocType: Rename Tool,Utilities,Комунални услуги
DocType: Purchase Invoice Item,Accounting,Сметководство
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Ве молиме одберете серии за дозирани точка
DocType: Asset,Depreciation Schedules,амортизација Распоред
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Период апликација не може да биде надвор одмор период распределба
DocType: Activity Cost,Projects,Проекти
@@ -1406,6 +1414,7 @@
DocType: POS Profile,Campaign,Кампања
DocType: Supplier,Name and Type,Име и вид
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Одобрување статус мора да биде 'одобрена' или 'Одбиен'
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,подигање
DocType: Purchase Invoice,Contact Person,Лице за контакт
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"""Очекуваниот почетен датум"" не може да биде поголем од 'очекуван краен датум """
DocType: Course Scheduling Tool,Course End Date,Курс Датум на завршување
@@ -1413,12 +1422,11 @@
DocType: Sales Order Item,Planned Quantity,Планирана количина
DocType: Purchase Invoice Item,Item Tax Amount,Точка износ на данокот
DocType: Item,Maintain Stock,Одржување на берза
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Акции записи веќе создадена за цел производство
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Акции записи веќе создадена за цел производство
DocType: Employee,Prefered Email,склопот Е-пошта
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Нето промени во основни средства
DocType: Leave Control Panel,Leave blank if considered for all designations,Оставете го празно ако се земе предвид за сите ознаки
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Складиште е задолжително за група сметки од типот Акции на не
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Полнење од типот "Крај" во ред {0} не може да бидат вклучени во точка Оцени
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Полнење од типот "Крај" во ред {0} не може да бидат вклучени во точка Оцени
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Макс: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Од DateTime
DocType: Email Digest,For Company,За компанијата
@@ -1428,15 +1436,15 @@
DocType: Sales Invoice,Shipping Address Name,Адреса за Испорака Име
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Сметковниот план
DocType: Material Request,Terms and Conditions Content,Услови и правила Содржина
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,не може да биде поголема од 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Ставка {0} не е складишна ставка
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,не може да биде поголема од 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Ставка {0} не е складишна ставка
DocType: Maintenance Visit,Unscheduled,Непланирана
DocType: Employee,Owned,Сопственост
DocType: Salary Detail,Depends on Leave Without Pay,Зависи неплатено отсуство
DocType: Pricing Rule,"Higher the number, higher the priority","Повисок број, поголем приоритет"
,Purchase Invoice Trends,Купување на фактура трендови
DocType: Employee,Better Prospects,Подобри можности
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","На редот бр # {0}: на серијата {1} има само {2} Количина. Ве молам изберете друга серија која има на располагање {3} Количина или поделени на ред во повеќе редови, да ја испорача / прашање од повеќе серии"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","На редот бр # {0}: на серијата {1} има само {2} Количина. Ве молам изберете друга серија која има на располагање {3} Количина или поделени на ред во повеќе редови, да ја испорача / прашање од повеќе серии"
DocType: Vehicle,License Plate,Табличка
DocType: Appraisal,Goals,Цели
DocType: Warranty Claim,Warranty / AMC Status,Гаранција / АМЦ Статус
@@ -1447,19 +1455,20 @@
,Batch-Wise Balance History,Според групата биланс Историја
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Поставки за печатење ажурирани во соодветните формат за печатење
DocType: Package Code,Package Code,пакет законик
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Чирак
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Чирак
+DocType: Purchase Invoice,Company GSTIN,компанијата GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Негативни Кол не е дозволено
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",Данок детали табелата се донесени од точка господар како стринг и се чуваат во оваа област. Се користи за даноци и такси
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Вработените не можат да известуваат за себе.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Ако на сметката е замрзната, записи им е дозволено да ограничено корисници."
DocType: Email Digest,Bank Balance,Банката биланс
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Сметководство за влез на {0}: {1} може да се направи само во валута: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Сметководство за влез на {0}: {1} може да се направи само во валута: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Работа профил, потребните квалификации итн"
DocType: Journal Entry Account,Account Balance,Баланс на сметка
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Правило данок за трансакции.
DocType: Rename Tool,Type of document to rename.,Вид на документ да се преименува.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Ние купуваме Оваа содржина
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Ние купуваме Оваа содржина
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Не е потребно за корисници против побарувања сметка {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Вкупно Даноци и Такси (Валута на Фирма )
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Прикажи незатворени фискална година L салда на P &
@@ -1470,29 +1479,30 @@
DocType: Stock Entry,Total Additional Costs,Вкупно Дополнителни трошоци
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Отпад материјални трошоци (Фирма валута)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Под собранија
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Под собранија
DocType: Asset,Asset Name,Име на средства
DocType: Project,Task Weight,задача на тежината
DocType: Shipping Rule Condition,To Value,На вредноста
DocType: Asset Movement,Stock Manager,Акции менаџер
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Извор склад е задолжително за спорот {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Пакување фиш
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Канцеларијата изнајмување
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Извор склад е задолжително за спорот {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Пакување фиш
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Канцеларијата изнајмување
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Поставките за поставка на SMS портал
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Увоз Не успеав!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Постои адреса додаде уште.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Постои адреса додаде уште.
DocType: Workstation Working Hour,Workstation Working Hour,Работна станица работен час
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Аналитичарот
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Аналитичарот
DocType: Item,Inventory,Инвентар
DocType: Item,Sales Details,Детали за продажба
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,Со предмети
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,Во Количина
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,Во Количина
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Потврдете Запишани курс за студентите во Студентскиот група
DocType: Notification Control,Expense Claim Rejected,Сметка Тврдат Одбиени
DocType: Item,Item Attribute,Точка Атрибут
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Владата
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Владата
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Тврдат сметка {0} веќе постои за регистрација на возила
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Име на Институтот
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Име на Институтот
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,Ве молиме внесете отплата износ
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Точка Варијанти
DocType: Company,Services,Услуги
@@ -1502,18 +1512,18 @@
DocType: Sales Invoice,Source,Извор
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Прикажи затворени
DocType: Leave Type,Is Leave Without Pay,Е неплатено отсуство
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Категорија средства е задолжително за ставка од основните средства
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Категорија средства е задолжително за ставка од основните средства
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Не се пронајдени во табелата за платен записи
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Ова {0} конфликти со {1} и {2} {3}
DocType: Student Attendance Tool,Students HTML,студентите HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Финансиска година Почеток Датум
DocType: POS Profile,Apply Discount,Спроведување на попуст
+DocType: Purchase Invoice Item,GST HSN Code,GST HSN законик
DocType: Employee External Work History,Total Experience,Вкупно Искуство
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,отворени проекти
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Пакување фиш (и) откажани
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Парични текови од инвестициони
DocType: Program Course,Program Course,Предметна програма
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Товар и товар пријави
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Товар и товар пријави
DocType: Homepage,Company Tagline for website homepage,Слоган компанија за веб-сајт почетната страница од пребарувачот
DocType: Item Group,Item Group Name,Точка име на група
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Земени
@@ -1523,6 +1533,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Креирај води
DocType: Maintenance Schedule,Schedules,Распоред
DocType: Purchase Invoice Item,Net Amount,Нето износ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} не е поднесено, па не може да се заврши на акција"
DocType: Purchase Order Item Supplied,BOM Detail No,BOM детален број
DocType: Landed Cost Voucher,Additional Charges,дополнителни трошоци
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Дополнителен попуст Износ (Фирма валута)
@@ -1538,6 +1549,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Месечна отплата износ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,Ве молиме поставете го полето корисничко име во евиденција на вработените да го поставите Улогата на вработените
DocType: UOM,UOM Name,UOM Име
+DocType: GST HSN Code,HSN Code,HSN законик
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Придонес Износ
DocType: Purchase Invoice,Shipping Address,Адреса за Испорака
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Оваа алатка ви помага да се ажурира или поправат количина и вреднување на акциите во системот. Тоа обично се користи за да ги синхронизирате вредности на системот и она што навистина постои во вашиот магацини.
@@ -1548,18 +1560,17 @@
DocType: Program Enrollment Tool,Program Enrollments,Програмата запишувања
DocType: Sales Invoice Item,Brand Name,Името на брендот
DocType: Purchase Receipt,Transporter Details,Транспортерот Детали
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Потребен е стандарден магацин за избраната ставка
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Кутија
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Потребен е стандарден магацин за избраната ставка
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Кутија
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,можни Добавувачот
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Организацијата
DocType: Budget,Monthly Distribution,Месечен Дистрибуција
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Листа на приемник е празна. Ве молиме да се создаде листа ресивер
DocType: Production Plan Sales Order,Production Plan Sales Order,Производство план Продај Побарувања
DocType: Sales Partner,Sales Partner Target,Продажбата партнер Целна
DocType: Loan Type,Maximum Loan Amount,Максимален заем Износ
DocType: Pricing Rule,Pricing Rule,Цените Правило
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Duplicate број ролна за ученикот {0}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Duplicate број ролна за ученикот {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Duplicate број ролна за ученикот {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Duplicate број ролна за ученикот {0}
DocType: Budget,Action if Annual Budget Exceeded,Акција доколку годишниот буџет пречекорување
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Материјал Барање за нарачка
DocType: Shopping Cart Settings,Payment Success URL,Плаќање успех URL
@@ -1572,11 +1583,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Отворање берза Биланс
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} мора да се појави само еднаш
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Не е дозволено да tranfer повеќе {0} од {1} против нарачка {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Не е дозволено да tranfer повеќе {0} од {1} против нарачка {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Остава распределени успешно за {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Нема податоци за пакет
DocType: Shipping Rule Condition,From Value,Од вредност
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Производна количина е задолжително
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Производна количина е задолжително
DocType: Employee Loan,Repayment Method,Начин на отплата
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ако е означено, на почетната страница ќе биде стандардно Точка група за веб-страницата на"
DocType: Quality Inspection Reading,Reading 4,Читање 4
@@ -1586,7 +1597,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Ред # {0}: датум Чистење {1} не може да биде пред Чек Датум {2}
DocType: Company,Default Holiday List,Стандардно летни Листа
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Ред {0}: Од време и на време од {1} е се преклопуваат со {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Акции Обврски
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Акции Обврски
DocType: Purchase Invoice,Supplier Warehouse,Добавувачот Магацински
DocType: Opportunity,Contact Mobile No,Контакт Мобилни Не
,Material Requests for which Supplier Quotations are not created,Материјал Барања за кои не се создадени Добавувачот Цитати
@@ -1597,35 +1608,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Направете цитат
apps/erpnext/erpnext/config/selling.py +216,Other Reports,други извештаи
DocType: Dependent Task,Dependent Task,Зависни Task
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Фактор на конверзија за стандардно единица мерка мора да биде 1 во ред {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Фактор на конверзија за стандардно единица мерка мора да биде 1 во ред {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Отсуство од типот {0} не може да биде подолг од {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Обидете се планира операции за X дена однапред.
DocType: HR Settings,Stop Birthday Reminders,Стоп роденден потсетници
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Поставете Стандардна Даноци се плаќаат сметка во Друштвото {0}
DocType: SMS Center,Receiver List,Листа на примачот
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Барај точка
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Барај точка
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Конзумира Износ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Нето промени во Пари
DocType: Assessment Plan,Grading Scale,скала за оценување
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Единица мерка {0} е внесен повеќе од еднаш во конверзија Фактор Табела
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Единица мерка {0} е внесен повеќе од еднаш во конверзија Фактор Табела
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,веќе завршени
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Акции во рака
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Веќе постои плаќање Барам {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Цената на издадени материјали
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Кол не смее да биде повеќе од {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Претходната финансиска година не е затворен
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Возраст (во денови)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Возраст (во денови)
DocType: Quotation Item,Quotation Item,Артикал од Понуда
+DocType: Customer,Customer POS Id,Id ПОС клиентите
DocType: Account,Account Name,Име на сметка
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Од датум не може да биде поголема од: Да најдам
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} количина {1} не може да биде дел
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Добавувачот Тип господар.
DocType: Purchase Order Item,Supplier Part Number,Добавувачот Дел број
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Стапка на конверзија не може да биде 0 или 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Стапка на конверзија не може да биде 0 или 1
DocType: Sales Invoice,Reference Document,референтен документ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{1} {0} е откажана или запрена
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{1} {0} е откажана или запрена
DocType: Accounts Settings,Credit Controller,Кредитна контролор
DocType: Delivery Note,Vehicle Dispatch Date,Возило диспечерски Датум
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Купување Потврда {0} не е поднесен
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Купување Потврда {0} не е поднесен
DocType: Company,Default Payable Account,Стандардно се плаќаат профил
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Подесувања за онлајн шопинг количка како и со правилата за испорака, ценовник, итн"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% Опишан
@@ -1644,11 +1657,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Вкупен износ Надоместени
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Ова се базира на логови против ова возило. Види времеплов подолу за детали
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,Собери
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Против Добавувачот Фактура {0} датум {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Против Добавувачот Фактура {0} датум {1}
DocType: Customer,Default Price List,Стандардно Ценовник
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,рекорд движење средства {0} создадена
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Не може да избришете фискалната {0}. Фискалната година {0} е поставена како стандардна во глобалните поставувања
DocType: Journal Entry,Entry Type,Тип на влез
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Нема план за оценување поврзани со оваа група оценување
,Customer Credit Balance,Клиент кредитна биланс
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Нето промени во сметки се плаќаат
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Клиент потребни за "Customerwise попуст"
@@ -1657,7 +1671,7 @@
DocType: Quotation,Term Details,Рок Детали за
DocType: Project,Total Sales Cost (via Sales Order),Вкупната продажба на трошоците (преку Продај Побарувања)
DocType: Project,Total Sales Cost (via Sales Order),Вкупната продажба на трошоците (преку Продај Побарувања)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Не може да се запишат повеќе од {0} студентите за оваа група студенти.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Не може да се запишат повеќе од {0} студентите за оваа група студенти.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Водач Грофот
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Водач Грофот
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} мора да биде поголем од 0
@@ -1680,7 +1694,7 @@
DocType: Sales Invoice,Packed Items,Спакувани Теми
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Гаранција побарување врз Сериски број
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Заменете одредена Бум во сите други BOMs каде што се користи тоа. Таа ќе ја замени старата Бум линк, ажурирање на трошоците и регенерира "Бум експлозија Точка" маса, како за нови Бум"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total',„Вкупно“
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total',„Вкупно“
DocType: Shopping Cart Settings,Enable Shopping Cart,Овозможи Кошничка
DocType: Employee,Permanent Address,Постојана адреса
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1696,9 +1710,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,Ве молиме напишете и некоја Кол или вреднување стапка или двете
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,исполнување
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Види во кошничката
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Маркетинг трошоци
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Маркетинг трошоци
,Item Shortage Report,Точка Недостаток Извештај
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Тежина се споменува, \ Променете спомене "Тежина UOM" премногу"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Тежина се споменува, \ Променете спомене "Тежина UOM" премногу"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Материјал Барање користат да се направи овој парк Влегување
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Следна Амортизација Регистриран е задолжително за нови средства
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Посебен разбира врз основа група за секоја серија
@@ -1708,17 +1722,18 @@
,Student Fee Collection,Студентски наплата на такси
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Направете влез сметководството за секој берза движење
DocType: Leave Allocation,Total Leaves Allocated,Вкупно Отсуства Распределени
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Магацински бара во ред Нема {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Ве молиме внесете валидна Финансиска година на отпочнување и завршување
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Магацински бара во ред Нема {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Ве молиме внесете валидна Финансиска година на отпочнување и завршување
DocType: Employee,Date Of Retirement,Датум на заминување во пензија
DocType: Upload Attendance,Get Template,Земете Шаблон
+DocType: Material Request,Transferred,пренесени
DocType: Vehicle,Doors,врати
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext Setup Complete!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup Complete!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Не е потребно трошоците центар за 'Добивка и загуба на сметка {2}. Ве молиме да се воспостави центар стандардно Цена за компанијата.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Веќе има Група на клиенти со истото име, Ве молиме сменете го Името на клиентот или преименувајте ја Групата на клиенти"
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Нов контакт
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Веќе има Група на клиенти со истото име, Ве молиме сменете го Името на клиентот или преименувајте ја Групата на клиенти"
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Нов контакт
DocType: Territory,Parent Territory,Родител Територија
DocType: Quality Inspection Reading,Reading 2,Читање 2
DocType: Stock Entry,Material Receipt,Материјал Потврда
@@ -1727,17 +1742,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ако оваа точка има варијанти, тогаш тоа не може да биде избран во продажбата на налози итн"
DocType: Lead,Next Contact By,Следна Контакт Со
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Количината потребна за Точка {0} во ред {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},Магацински {0} не може да биде избришан како што постои количина за ставката {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Количината потребна за Точка {0} во ред {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Магацински {0} не може да биде избришан како што постои количина за ставката {1}
DocType: Quotation,Order Type,Цел Тип
DocType: Purchase Invoice,Notification Email Address,Известување за е-мејл адреса
,Item-wise Sales Register,Точка-мудар Продажбата Регистрирај се
DocType: Asset,Gross Purchase Amount,Бруто купување износ
DocType: Asset,Depreciation Method,амортизација Метод
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Надвор од мрежа
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,Надвор од мрежа
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Е овој данок се вклучени во основната стапка?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Вкупно Целна вредност
-DocType: Program Course,Required,Задолжителни
DocType: Job Applicant,Applicant for a Job,Подносителот на барањето за работа
DocType: Production Plan Material Request,Production Plan Material Request,Производство план материјал Барање
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Нема производство наредби создаде
@@ -1747,17 +1761,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Им овозможи на повеќе Продај Нарачка против нарачка на купувачи
DocType: Student Group Instructor,Student Group Instructor,Група на студенти инструктор
DocType: Student Group Instructor,Student Group Instructor,Група на студенти инструктор
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 Мобилен телефон
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Главните
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Мобилен телефон
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Главните
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Варијанта
DocType: Naming Series,Set prefix for numbering series on your transactions,Намести префикс за нумерирање серија на вашиот трансакции
DocType: Employee Attendance Tool,Employees HTML,вработените HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Стандардно Бум ({0}) мора да бидат активни за оваа стварта или нејзиниот дефиниција
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Стандардно Бум ({0}) мора да бидат активни за оваа стварта или нејзиниот дефиниција
DocType: Employee,Leave Encashed?,Остави Encashed?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Можност од поле е задолжително
DocType: Email Digest,Annual Expenses,годишните трошоци
DocType: Item,Variants,Варијанти
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Направи нарачка
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Направи нарачка
DocType: SMS Center,Send To,Испрати до
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Нема доволно одмор биланс за Оставете Тип {0}
DocType: Payment Reconciliation Payment,Allocated amount,"Лимит,"
@@ -1773,26 +1787,25 @@
DocType: Item,Serial Nos and Batches,Сериски броеви и Пакетите
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Група на студенти Сила
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Група на студенти Сила
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Против весник Влегување {0} не се имате било какви неспоредлив {1} влез
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Против весник Влегување {0} не се имате било какви неспоредлив {1} влез
apps/erpnext/erpnext/config/hr.py +137,Appraisals,оценувања
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},СТРОГО серија № влезе за точка {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Услов за испорака Правило
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Ве молиме внесете
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Не може да се overbill за предмет {0} во ред {1} повеќе од {2}. Да им овозможи на над-платежна, Ве молиме да се постави за купување на Settings"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Поставете филтер врз основа на точка или Магацински
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Не може да се overbill за предмет {0} во ред {1} повеќе од {2}. Да им овозможи на над-платежна, Ве молиме да се постави за купување на Settings"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Поставете филтер врз основа на точка или Магацински
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Нето-тежината на овој пакет. (Се пресметува автоматски како збир на нето-тежината на предмети)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Ве молиме создадете сметка за ова складиште и линк. Ова не може да се направи автоматски сметка со име {0} веќе постои
DocType: Sales Order,To Deliver and Bill,Да дава и Бил
DocType: Student Group,Instructors,инструктори
DocType: GL Entry,Credit Amount in Account Currency,Износ на кредитот во профил Валута
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,Бум {0} мора да се поднесе
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,Бум {0} мора да се поднесе
DocType: Authorization Control,Authorization Control,Овластување за контрола
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ред # {0}: Отфрлени Магацински е задолжително против отфрли Точка {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ред # {0}: Отфрлени Магацински е задолжително против отфрли Точка {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Плаќање
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Магацински {0} не е поврзана со било која сметка, ве молиме наведете сметка во рекордно магацин или во собата попис стандардно сметка во друштво {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Управување со вашите нарачки
DocType: Production Order Operation,Actual Time and Cost,Крај на време и трошоци
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Материјал Барање за максимум {0} може да се направи за ставката {1} против Продај Побарувања {2}
-DocType: Employee,Salutation,Титула
DocType: Course,Course Abbreviation,Кратенка на курсот
DocType: Student Leave Application,Student Leave Application,Студентски оставите апликацијата
DocType: Item,Will also apply for variants,Ќе се применуваат и за варијанти
@@ -1804,12 +1817,12 @@
DocType: Quotation Item,Actual Qty,Крај на Количина
DocType: Sales Invoice Item,References,Референци
DocType: Quality Inspection Reading,Reading 10,Читањето 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Листа вашите производи или услуги да ја купите или да го продаде. Бидете сигурни да се провери точка група, Одделение за премер и други својства кога ќе почнете."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Листа вашите производи или услуги да ја купите или да го продаде. Бидете сигурни да се провери точка група, Одделение за премер и други својства кога ќе почнете."
DocType: Hub Settings,Hub Node,Центар Јазол
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Внесовте дупликат предмети. Ве молиме да се поправат и обидете се повторно.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Соработник
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Соработник
DocType: Asset Movement,Asset Movement,средства движење
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,нов кошничка
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,нов кошничка
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Ставка {0} не е во серија
DocType: SMS Center,Create Receiver List,Креирај Листа ресивер
DocType: Vehicle,Wheels,тркала
@@ -1829,19 +1842,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Може да се однесува на ред само ако видот на пресметување е 'Износ на претходниот ред' или 'Вкупно на претходниот ред'
DocType: Sales Order Item,Delivery Warehouse,Испорака Магацински
DocType: SMS Settings,Message Parameter,Порака Параметар
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Дрвото на Центрите финансиски трошоци.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Дрвото на Центрите финансиски трошоци.
DocType: Serial No,Delivery Document No,Испорака л.к
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Поставете "добивка / загуба сметка за располагање со средства во компанијата {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Се предмети од Набавка Разписки
DocType: Serial No,Creation Date,Датум на креирање
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Точка {0} се појавува неколку пати во Ценовникот {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Продажбата мора да се провери, ако Применливо за е избрано како {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Продажбата мора да се провери, ако Применливо за е избрано како {0}"
DocType: Production Plan Material Request,Material Request Date,Материјал Барање Датум
DocType: Purchase Order Item,Supplier Quotation Item,Артикал од Понуда од Добавувач
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Оневозможува создавање на време логови против производство наредби. Операции нема да бидат следени од цел производство
DocType: Student,Student Mobile Number,Студентски мобилен број
DocType: Item,Has Variants,Има варијанти
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Веќе сте одбрале предмети од {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Веќе сте одбрале предмети од {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Име на месечна Дистрибуција
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Batch ID е задолжително
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Batch ID е задолжително
@@ -1852,12 +1865,12 @@
DocType: Budget,Fiscal Year,Фискална година
DocType: Vehicle Log,Fuel Price,гориво Цена
DocType: Budget,Budget,Буџет
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Фиксни средства точка мора да биде точка на не-парк.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Фиксни средства точка мора да биде точка на не-парк.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Буџетот не може да биде доделен од {0}, како што не е сметката за приходи и трошоци"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Постигнати
DocType: Student Admission,Application Form Route,Формулар Пат
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Подрачје / клиентите
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,на пример 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,на пример 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Оставете Тип {0} не може да се одвои, бидејќи тоа е остави без плати"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Ред {0}: распределени износ {1} мора да биде помалку од или еднакво на фактура преостанатиот износ за наплата {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Во Зборови ќе бидат видливи кога еднаш ќе ве спаси Фактура на продажба.
@@ -1866,7 +1879,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Ставка {0} не е подесување за сериски бр. Проверете главна ставка
DocType: Maintenance Visit,Maintenance Time,Одржување Време
,Amount to Deliver,Износ за да овозможи
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Производ или услуга
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Производ или услуга
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Датум на поимот на проектот не може да биде порано од годината Датум на почеток на академската година на кој е поврзан на зборот (академска година {}). Ве молам поправете датумите и обидете се повторно.
DocType: Guardian,Guardian Interests,Гардијан Интереси
DocType: Naming Series,Current Value,Сегашна вредност
@@ -1880,12 +1893,12 @@
must be greater than or equal to {2}","Ред {0}: За да го поставите {1} поените, разликата помеѓу од и до денес \ мора да биде поголем или еднаков на {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Ова е врз основа на акциите на движење. Види {0} за повеќе детали
DocType: Pricing Rule,Selling,Продажби
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Износот {0} {1} одзема против {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Износот {0} {1} одзема против {2}
DocType: Employee,Salary Information,Плата Информации
DocType: Sales Person,Name and Employee ID,Име и вработените проект
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,Поради Датум не може да биде пред Праќање пораки во Датум
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,Поради Датум не може да биде пред Праќање пораки во Датум
DocType: Website Item Group,Website Item Group,Веб-страница Точка група
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Давачки и даноци
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Давачки и даноци
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Ве молиме внесете референтен датум
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} записи плаќање не може да се филтрираат од {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Табела за елемент, кој ќе биде прикажан на веб сајтот"
@@ -1902,9 +1915,9 @@
DocType: Payment Reconciliation Payment,Reference Row,Суд ред
DocType: Installation Note,Installation Time,Инсталација време
DocType: Sales Invoice,Accounting Details,Детали за сметководство
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Бришење на сите трансакции за оваа компанија
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Ред # {0}: Операција {1} не е завршена за {2} Количина на готови производи во производството со цел # {3}. Ве молиме да се ажурира статусот работењето преку Време на дневници
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Инвестиции
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Бришење на сите трансакции за оваа компанија
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Ред # {0}: Операција {1} не е завршена за {2} Количина на готови производи во производството со цел # {3}. Ве молиме да се ажурира статусот работењето преку Време на дневници
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Инвестиции
DocType: Issue,Resolution Details,Резолуцијата Детали за
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,алокации
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Прифаќање критериуми
@@ -1929,7 +1942,7 @@
DocType: Room,Room Name,соба Име
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Отсуство не може да се примени / откажана пред {0}, како рамнотежа одмор веќе е рачна пренасочат во рекордно идната распределба одмор {1}"
DocType: Activity Cost,Costing Rate,Цена на Чинење
-,Customer Addresses And Contacts,Адресите на клиентите и контакти
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Адресите на клиентите и контакти
,Campaign Efficiency,Ефикасноста кампања
,Campaign Efficiency,Ефикасноста кампања
DocType: Discussion,Discussion,дискусија
@@ -1941,14 +1954,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Вкупен износ за наплата (преку време лист)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Повторете приходи за корисници
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) мора да имаат улога "расход Approver"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Пар
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Изберете BOM и Количина за производство
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Пар
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Изберете BOM и Количина за производство
DocType: Asset,Depreciation Schedule,амортизација Распоред
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Продажбата партнер адреси и контакти
DocType: Bank Reconciliation Detail,Against Account,Против профил
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Половина ден датум треба да биде помеѓу Од датум и до денес
DocType: Maintenance Schedule Detail,Actual Date,Крај Датум
DocType: Item,Has Batch No,Има Batch Не
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Годишен регистрации: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Годишен регистрации: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Стоки и услуги на даночните (GST Индија)
DocType: Delivery Note,Excise Page Number,Акцизни Број на страница
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Компанија, од денот и до денес е задолжителна"
DocType: Asset,Purchase Date,Дата на продажба
@@ -1956,11 +1971,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Поставете "Асет Амортизација трошоците центар во компанијата {0}
,Maintenance Schedules,Распоред за одржување
DocType: Task,Actual End Date (via Time Sheet),Крај Крај Датум (преку време лист)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Износот {0} {1} од {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Износот {0} {1} од {2} {3}
,Quotation Trends,Трендови на Понуди
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Точка Група кои не се споменати во точка мајстор за ставката {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Дебит сметка мора да биде побарувања сметка
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Точка Група кои не се споменати во точка мајстор за ставката {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Дебит сметка мора да биде побарувања сметка
DocType: Shipping Rule Condition,Shipping Amount,Испорака Износ
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Додади Клиентите
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Во очекување Износ
DocType: Purchase Invoice Item,Conversion Factor,Конверзија Фактор
DocType: Purchase Order,Delivered,Дадени
@@ -1970,7 +1986,8 @@
DocType: Purchase Receipt,Vehicle Number,Број на возило
DocType: Purchase Invoice,The date on which recurring invoice will be stop,Датумот на кој се повторуваат фактура ќе се запре
DocType: Employee Loan,Loan Amount,Износ на кредитот
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Ред {0}: Бил на материјали не најде за Точка {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Само-управување со моторно возило
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Ред {0}: Бил на материјали не најде за Точка {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Вкупно одобрени лисја {0} не може да биде помал од веќе одобрен лисја {1} за периодот
DocType: Journal Entry,Accounts Receivable,Побарувања
,Supplier-Wise Sales Analytics,Добавувачот-wise Продажбата анализи
@@ -1988,22 +2005,21 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Сметка тврдат дека е во очекување на одобрување. Само на сметка Approver може да го ажурира статусот.
DocType: Email Digest,New Expenses,нови трошоци
DocType: Purchase Invoice,Additional Discount Amount,Дополнителен попуст Износ
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Ред # {0}: Количина мора да биде 1, како точка е на основните средства. Ве молиме користете посебен ред за повеќе количество."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Ред # {0}: Количина мора да биде 1, како точка е на основните средства. Ве молиме користете посебен ред за повеќе количество."
DocType: Leave Block List Allow,Leave Block List Allow,Остави Забрани Листа Дозволете
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Abbr не може да биде празно или простор
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr не може да биде празно или простор
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Група за Не-групата
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Спорт
DocType: Loan Type,Loan Name,заем Име
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Вкупно Крај
DocType: Student Siblings,Student Siblings,студентски Браќа и сестри
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Единица
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,"Ве молиме назначете фирма,"
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Единица
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,"Ве молиме назначете фирма,"
,Customer Acquisition and Loyalty,Стекнување на клиентите и лојалност
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Складиште, каде што се одржување на залихи на одбиени предмети"
DocType: Production Order,Skip Material Transfer,Скокни на материјалот трансфер
DocType: Production Order,Skip Material Transfer,Скокни на материјалот трансфер
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Не може да се најде на девизниот курс за {0} до {1} за клучните датум {2}. Ве молиме да се создаде рекорд Девизен рачно
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Вашата финансиска година завршува на
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Не може да се најде на девизниот курс за {0} до {1} за клучните датум {2}. Ве молиме да се создаде рекорд Девизен рачно
DocType: POS Profile,Price List,Ценовник
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} сега е стандардно фискална година. Ве молиме да обновите вашиот прелистувач за промените да имаат ефект.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Сметка побарувања
@@ -2016,14 +2032,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Акции рамнотежа во Серија {0} ќе стане негативна {1} за Точка {2} На Магацински {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Следните Материјал Барања биле воспитани автоматски врз основа на нивото повторно цел елемент
DocType: Email Digest,Pending Sales Orders,Во очекување Продај Нарачка
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Сметка {0} не е валиден. Валута сметка мора да биде {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Сметка {0} не е валиден. Валута сметка мора да биде {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Фактор UOM конверзија е потребно во ред {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Ред # {0}: Референтен документ тип треба да биде еден од Продај Побарувања, продажба фактура или весник Влегување"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Ред # {0}: Референтен документ тип треба да биде еден од Продај Побарувања, продажба фактура или весник Влегување"
DocType: Salary Component,Deduction,Одбивање
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Ред {0}: Од време и на време е задолжително.
DocType: Stock Reconciliation Item,Amount Difference,износот на разликата
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Ставка Цена додаде за {0} во Ценовник {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Ставка Цена додаде за {0} во Ценовник {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Ве молиме внесете Id на вработените на ова продажбата на лице
DocType: Territory,Classification of Customers by region,Класификација на клиенти од регионот
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Разликата Износот мора да биде нула
@@ -2035,21 +2051,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Вкупно Расходи
,Production Analytics,производство и анализатор
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Цена освежено
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Цена освежено
DocType: Employee,Date of Birth,Датум на раѓање
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Точка {0} веќе се вратени
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Точка {0} веќе се вратени
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Фискалната година ** претставува финансиска година. Сите сметководствени записи и други големи трансакции се следи против ** ** фискалната година.
DocType: Opportunity,Customer / Lead Address,Клиент / Потенцијален клиент адреса
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Предупредување: Невалиден SSL сертификат прикачување {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Предупредување: Невалиден SSL сертификат прикачување {0}
DocType: Student Admission,Eligibility,подобност
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Води да ви помогне да се бизнис, да додадете сите ваши контакти и повеќе како вашиот води"
DocType: Production Order Operation,Actual Operation Time,Крај на време операција
DocType: Authorization Rule,Applicable To (User),Се применуваат за (Корисник)
DocType: Purchase Taxes and Charges,Deduct,Одземе
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Опис на работата
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Опис на работата
DocType: Student Applicant,Applied,Аплицира
DocType: Sales Invoice Item,Qty as per Stock UOM,Количина како на берза UOM
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Име Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Име Guardian2
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Специјални знаци освен "-" ".", "#", и "/" не е дозволено во именување серија"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Следете ги Продажните кампањи. Следете ги Потенцијалните клиенти, Понуди, Продажните нарачки итн. од Кампањите за да го измерите Враќањето на инвестицијата."
DocType: Expense Claim,Approver,Approver
@@ -2060,8 +2076,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Сериски № {0} е под гаранција до {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Сплит за испорака во пакети.
apps/erpnext/erpnext/hooks.py +87,Shipments,Пратки
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Состојба на сметка ({0}) за {1} и акциите на вредност ({2}) за магацин {3} мора да биде иста
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Состојба на сметка ({0}) за {1} и акциите на вредност ({2}) за магацин {3} мора да биде иста
DocType: Payment Entry,Total Allocated Amount (Company Currency),Вкупно одобрени Износ (Фирма валута)
DocType: Purchase Order Item,To be delivered to customer,Да бидат доставени до клиентите
DocType: BOM,Scrap Material Cost,Отпад материјални трошоци
@@ -2069,21 +2083,22 @@
DocType: Purchase Invoice,In Words (Company Currency),Во зборови (компанија валута)
DocType: Asset,Supplier,Добавувачот
DocType: C-Form,Quarter,Четвртина
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Останати трошоци
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Останати трошоци
DocType: Global Defaults,Default Company,Стандардно компанијата
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Сметка или сметка разликата е задолжително за ставката {0} што вкупната вредност на акции што влијанија
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Сметка или сметка разликата е задолжително за ставката {0} што вкупната вредност на акции што влијанија
DocType: Payment Request,PR,односи со јавноста
DocType: Cheque Print Template,Bank Name,Име на банка
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Above
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Above
DocType: Employee Loan,Employee Loan Account,Вработен заем сметка
DocType: Leave Application,Total Leave Days,Вкупно Денови Отсуство
DocType: Email Digest,Note: Email will not be sent to disabled users,Забелешка: Е-пошта нема да биде испратена до корисниците со посебни потреби
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Број на интеракција
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Број на интеракција
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Точка Код> Точка Група> Бренд
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Изберете компанијата ...
DocType: Leave Control Panel,Leave blank if considered for all departments,Оставете го празно ако се земе предвид за сите одделенија
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Видови на вработување (постојан, договор, стаж итн)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} е задолжително за ставката {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} е задолжително за ставката {1}
DocType: Process Payroll,Fortnightly,на секои две недели
DocType: Currency Exchange,From Currency,Од валутен
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Ве молиме изберете распределени износот, видот Фактура и број на фактурата во барем еден ред"
@@ -2106,7 +2121,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,Ве молиме кликнете на "Генерирање Распоред" да се добие распоред
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Имаше грешка при бришењето на следниов распоред:
DocType: Bin,Ordered Quantity,Нареди Кол
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","на пример, "Изградба на алатки за градители""
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","на пример, "Изградба на алатки за градители""
DocType: Grading Scale,Grading Scale Intervals,Скала за оценување интервали
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Сметководство за влез на {2} може да се направи само во валута: {3}
DocType: Production Order,In Process,Во процесот
@@ -2121,12 +2136,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} студентски групи создадени.
DocType: Sales Invoice,Total Billing Amount,Вкупен Износ на Наплата
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Мора да има стандардно дојдовни e-mail сметка овозможено за ова да работи. Ве молам поставете стандардно дојдовни e-mail сметка (POP / IMAP) и обидете се повторно.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Побарувања профил
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Ред # {0}: Асет {1} е веќе {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Побарувања профил
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Ред # {0}: Асет {1} е веќе {2}
DocType: Quotation Item,Stock Balance,Биланс на акции
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Продај Побарувања на плаќање
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Поставете Именување серија за {0} преку поставување> Прилагодување> Именување Серија
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,извршен директор
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,извршен директор
DocType: Expense Claim Detail,Expense Claim Detail,Барање Детална сметка
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Ве молиме изберете ја точната сметка
DocType: Item,Weight UOM,Тежина UOM
@@ -2135,12 +2149,12 @@
DocType: Production Order Operation,Pending,Во очекување
DocType: Course,Course Name,Име на курсот
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Корисниците кои може да одобри апликации одмор одредена вработениот
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Канцеларија опрема
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Канцеларија опрема
DocType: Purchase Invoice Item,Qty,Количина
DocType: Fiscal Year,Companies,Компании
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Електроника
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Подигне материјал Барање кога акциите достигне нивото повторно цел
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Со полно работно време
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Со полно работно време
DocType: Salary Structure,Employees,вработени
DocType: Employee,Contact Details,Податоци за контакт
DocType: C-Form,Received Date,Доби датум
@@ -2150,7 +2164,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Цените нема да бидат прикажани ако цената листата не е поставена
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Наведи земјата за оваа Испорака Правило или проверете Во светот испорака
DocType: Stock Entry,Total Incoming Value,Вкупно Вредност на Прилив
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Дебитна Да се бара
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Дебитна Да се бара
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets помогне да ги пратите на време, трошоци и платежна за активности направено од страна на вашиот тим"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Откупната цена Листа
DocType: Offer Letter Term,Offer Term,Понуда Рок
@@ -2159,17 +2173,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Плаќање помирување
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,Ве молиме изберете име incharge на лицето
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Технологија
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Вкупно ненаплатени: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Вкупно ненаплатени: {0}
DocType: BOM Website Operation,BOM Website Operation,Бум на вебсајт Операција
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Понуда писмо
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Генерирање Материјал Барања (MRP) и производство наредби.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Вкупно Фактурирана изн.
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Вкупно Фактурирана изн.
DocType: BOM,Conversion Rate,конверзии
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Барај производ
DocType: Timesheet Detail,To Time,На време
DocType: Authorization Rule,Approving Role (above authorized value),Одобрување Улогата (над овластени вредност)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Кредит на сметка мора да биде плаќаат сметка
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},Бум на рекурзијата: {0} не може да биде родител или дете на {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Кредит на сметка мора да биде плаќаат сметка
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},Бум на рекурзијата: {0} не може да биде родител или дете на {2}
DocType: Production Order Operation,Completed Qty,Завршено Количина
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","За {0}, само задолжува сметки може да се поврзат против друга кредитна влез"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Ценовник {0} е исклучен
@@ -2181,28 +2195,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} сериски броеви потребно за ставка {1}. Сте ги доставиле {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Тековни Вреднување стапка
DocType: Item,Customer Item Codes,Клиент Точка Код
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Размена добивка / загуба
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Размена добивка / загуба
DocType: Opportunity,Lost Reason,Си ја заборавивте Причина
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Нова адреса
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Нова адреса
DocType: Quality Inspection,Sample Size,Големина на примерокот
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Ве молиме внесете Потврда документ
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Сите ставки се спремни за фактурирање
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Сите ставки се спремни за фактурирање
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',Ве молиме наведете валидна "од случај бр '
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,Понатаму центри цена може да се направи под Групи но записи може да се направи врз несрпското групи
DocType: Project,External,Надворешни
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Корисници и дозволи
DocType: Vehicle Log,VLOG.,Vlog.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Производство наредби Направено: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Производство наредби Направено: {0}
DocType: Branch,Branch,Филијали
DocType: Guardian,Mobile Number,Мобилен број
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Печатење и Брендирање
DocType: Bin,Actual Quantity,Крај на Кол
DocType: Shipping Rule,example: Next Day Shipping,пример: Следен ден на испорака
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Сериски № {0} не е пронајдена
-DocType: Scheduling Tool,Student Batch,студентски Batch
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Вашите клиенти
+DocType: Program Enrollment,Student Batch,студентски Batch
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Направете Студентски
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Вие сте поканети да соработуваат на проектот: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Вие сте поканети да соработуваат на проектот: {0}
DocType: Leave Block List Date,Block Date,Датум на блок
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Аплицирај сега
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Старт Количина {0} / чекање Количина {1}
@@ -2212,7 +2225,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Креирање и управување со дневни, неделни и месечни Е-содржините."
DocType: Appraisal Goal,Appraisal Goal,Процена Цел
DocType: Stock Reconciliation Item,Current Amount,тековната вредност
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,згради
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,згради
DocType: Fee Structure,Fee Structure,Провизија Структура
DocType: Timesheet Detail,Costing Amount,Чини Износ
DocType: Student Admission,Application Fee,Такса
@@ -2224,10 +2237,10 @@
DocType: POS Profile,[Select],[Избери]
DocType: SMS Log,Sent To,Испратени до
DocType: Payment Request,Make Sales Invoice,Направи Продажна Фактура
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,софтвери
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,софтвери
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Следна Контакт датум не може да биде во минатото
DocType: Company,For Reference Only.,За повикување само.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Изберете Серија Не
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Изберете Серија Не
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Невалиден {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,Однапред Износ
@@ -2237,15 +2250,15 @@
DocType: Employee,Employment Details,Детали за вработување
DocType: Employee,New Workplace,Нов работен простор
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Постави како Затворено
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Не точка со Баркод {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Не точка со Баркод {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,На случај бр не може да биде 0
DocType: Item,Show a slideshow at the top of the page,Прикажи слајдшоу на врвот на страната
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Продавници
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Продавници
DocType: Serial No,Delivery Time,Време на испорака
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Стареењето Врз основа на
DocType: Item,End of Life,Крајот на животот
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Патување
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Патување
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Нема активни или стандардно Плата Структура најде за вработените {0} за дадените датуми
DocType: Leave Block List,Allow Users,Им овозможи на корисниците
DocType: Purchase Order,Customer Mobile No,Клиент Мобилни Не
@@ -2254,29 +2267,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Ажурирање на трошоците
DocType: Item Reorder,Item Reorder,Пренареждане точка
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Прикажи Плата фиш
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Пренос на материјал
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Пренос на материјал
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Наведете операции, оперативните трошоци и даде единствена работа нема да вашето работење."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Овој документ е над границата од {0} {1} за ставката {4}. Ви се прави уште една {3} против истиот {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Поставете се повторуваат по спасување
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,износот сметка Одберете промени
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Овој документ е над границата од {0} {1} за ставката {4}. Ви се прави уште една {3} против истиот {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Поставете се повторуваат по спасување
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,износот сметка Одберете промени
DocType: Purchase Invoice,Price List Currency,Ценовник Валута
DocType: Naming Series,User must always select,Корисникот мора секогаш изберете
DocType: Stock Settings,Allow Negative Stock,Дозволете негативна состојба
DocType: Installation Note,Installation Note,Инсталација Забелешка
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Додади Даноци
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Додади Даноци
DocType: Topic,Topic,на тема
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Паричен тек од финансирањето
DocType: Budget Account,Budget Account,За буџетот на профилот
DocType: Quality Inspection,Verified By,Заверена од
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Не може да се промени стандардно валута компанијата, бидејќи постојат постојните трансакции. Трансакции треба да бидат откажани да се промени валута на стандардните."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Не може да се промени стандардно валута компанијата, бидејќи постојат постојните трансакции. Трансакции треба да бидат откажани да се промени валута на стандардните."
DocType: Grading Scale Interval,Grade Description,степен Опис
DocType: Stock Entry,Purchase Receipt No,Купување Потврда Не
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Искрена пари
DocType: Process Payroll,Create Salary Slip,Креирај Плата фиш
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Следење
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Извор на фондови (Пасива)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Кол во ред {0} ({1}) мора да биде иста како произведени количини {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Извор на фондови (Пасива)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Кол во ред {0} ({1}) мора да биде иста како произведени количини {2}
DocType: Appraisal,Employee,Вработен
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,изберете Batch
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} е целосно фактурирани
DocType: Training Event,End Time,Крајот на времето
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Активни Плата Структура {0} најде за вработените {1} за дадените датуми
@@ -2288,11 +2302,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Потребни на
DocType: Rename Tool,File to Rename,Датотека за да ја преименувате
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Ве молам изберете Бум објект во ред {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Назначена Бум {0} не постои точка за {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Сметка {0} не се поклопува со компанијата {1} во режим на сметка: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Назначена Бум {0} не постои точка за {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Распоред за одржување {0} мора да биде укинат пред да го раскине овој Продај Побарувања
DocType: Notification Control,Expense Claim Approved,Сметка Тврдат Одобрени
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Плата фиш на вработените {0} веќе создадена за овој период
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Фармацевтската
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Фармацевтската
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Цената на купените предмети
DocType: Selling Settings,Sales Order Required,Продај Побарувања задолжителни
DocType: Purchase Invoice,Credit To,Кредитите за
@@ -2309,43 +2324,43 @@
DocType: Payment Gateway Account,Payment Account,Уплатна сметка
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,"Ве молиме назначете фирма, да се продолжи"
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Нето промени во Побарувања
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Обесштетување Off
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Обесштетување Off
DocType: Offer Letter,Accepted,Прифатени
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,организација
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,организација
DocType: SG Creation Tool Course,Student Group Name,Име Група на студенти
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Ве молиме бидете сигурни дека навистина сакате да ги избришете сите трансакции за оваа компанија. Вашиот господар на податоци ќе остане како што е. Ова дејство не може да се врати назад.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Ве молиме бидете сигурни дека навистина сакате да ги избришете сите трансакции за оваа компанија. Вашиот господар на податоци ќе остане како што е. Ова дејство не може да се врати назад.
DocType: Room,Room Number,Број на соба
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Невалидна референца {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) не може да биде поголема од планираното quanitity ({2}) во продукција налог {3}
DocType: Shipping Rule,Shipping Rule Label,Испорака Правило Етикета
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,корисникот форум
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,"Суровини, не може да биде празна."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Не може да го ажурира трговија, фактура содржи капка превозот ставка."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,"Суровини, не може да биде празна."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Не може да го ажурира трговија, фактура содржи капка превозот ставка."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Брзо весник Влегување
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,Вие не може да го промени стапка ако Бум споменати agianst која било ставка
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,Вие не може да го промени стапка ако Бум споменати agianst која било ставка
DocType: Employee,Previous Work Experience,Претходно работно искуство
DocType: Stock Entry,For Quantity,За Кол
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Ве молиме внесете предвидено Количина за Точка {0} во ред {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} не е поднесен
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Барања за предмети.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Одделни производни цел ќе биде направена за секоја завршена добра ствар.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,"{0} мора да биде негативен, во замена документ"
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,"{0} мора да биде негативен, во замена документ"
,Minutes to First Response for Issues,Минути за прв одговор за прашања
DocType: Purchase Invoice,Terms and Conditions1,Услови и Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,Името на Институтот за кои ќе се поставување на овој систем.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,Името на Институтот за кои ќе се поставување на овој систем.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Сметководство влез замрзнати до овој датум, никој не може да се направи / менувате влез освен улога наведени подолу."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,Ве молиме да ги зачувате документот пред генерирање на одржување распоред
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Статус на проектот
DocType: UOM,Check this to disallow fractions. (for Nos),Изберете го ова за да ги оневозможите фракции. (За NOS)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,се создадени по производство наредби:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,се создадени по производство наредби:
DocType: Student Admission,Naming Series (for Student Applicant),Именување серија (за студентски барателот)
DocType: Delivery Note,Transporter Name,Превозник Име
DocType: Authorization Rule,Authorized Value,Овластен Вредност
DocType: BOM,Show Operations,Прикажи операции
,Minutes to First Response for Opportunity,Минути за прв одговор за можности
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Вкупно Отсутни
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Точка или складиште ред {0} не се поклопува материјал Барање
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Точка или складиште ред {0} не се поклопува материјал Барање
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Единица мерка
DocType: Fiscal Year,Year End Date,Годината завршува на Датум
DocType: Task Depends On,Task Depends On,Задача зависи од
@@ -2425,11 +2440,11 @@
DocType: Asset,Manual,прирачник
DocType: Salary Component Account,Salary Component Account,Плата Компонента сметка
DocType: Global Defaults,Hide Currency Symbol,Сокриј Валута Симбол
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","на пример, банка, пари, кредитни картички"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","на пример, банка, пари, кредитни картички"
DocType: Lead Source,Source Name,извор Име
DocType: Journal Entry,Credit Note,Кредитна Забелешка
DocType: Warranty Claim,Service Address,Услуга адреса
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Мебел и тела
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Мебел и тела
DocType: Item,Manufacture,Производство
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Ве молиме Испратница прв
DocType: Student Applicant,Application Date,Датум на примена
@@ -2439,7 +2454,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Чистење Датум кои не се споменати
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Производство
DocType: Guardian,Occupation,професија
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Ве молиме поставете вработените Именување систем во управување со хумани ресурси> Поставки за човечки ресурси
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Ред {0}: Почеток Датум мора да биде пред Крај Датум
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Вкупно (Количина)
DocType: Sales Invoice,This Document,овој документ
@@ -2451,20 +2465,20 @@
DocType: Purchase Receipt,Time at which materials were received,На кој беа примени материјали време
DocType: Stock Ledger Entry,Outgoing Rate,Тековна стапка
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Организација гранка господар.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,или
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,или
DocType: Sales Order,Billing Status,Платежна Статус
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Изнеле
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Комунални трошоци
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Комунални трошоци
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,Над 90-
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Ред # {0}: весник Влегување {1} нема сметка {2} или веќе се исти против друг ваучер
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Ред # {0}: весник Влегување {1} нема сметка {2} или веќе се исти против друг ваучер
DocType: Buying Settings,Default Buying Price List,Стандардно Купување Ценовник
DocType: Process Payroll,Salary Slip Based on Timesheet,Плата фиш Врз основа на timesheet
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Веќе создаде ниту еден вработен за горе избраните критериуми или плата се лизга
DocType: Notification Control,Sales Order Message,Продај Побарувања порака
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Постави стандардните вредности, како компанија, валута, тековната фискална година, и др"
DocType: Payment Entry,Payment Type,Тип на плаќање
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Ве молиме одберете Серија за Точка {0}. Не може да се најде една серија која ги исполнува ова барање
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Ве молиме одберете Серија за Точка {0}. Не може да се најде една серија која ги исполнува ова барање
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Ве молиме одберете Серија за Точка {0}. Не може да се најде една серија која ги исполнува ова барање
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Ве молиме одберете Серија за Точка {0}. Не може да се најде една серија која ги исполнува ова барање
DocType: Process Payroll,Select Employees,Избери Вработени
DocType: Opportunity,Potential Sales Deal,Потенцијален Продај договор
DocType: Payment Entry,Cheque/Reference Date,Чек / референтен датум
@@ -2484,7 +2498,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,мора да се поднесе приемот на документи
DocType: Purchase Invoice Item,Received Qty,Доби Количина
DocType: Stock Entry Detail,Serial No / Batch,Сериски Не / Batch
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Што не се платени и не испорачува
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Што не се платени и не испорачува
DocType: Product Bundle,Parent Item,Родител Точка
DocType: Account,Account Type,Тип на сметка
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2499,25 +2513,24 @@
DocType: Bin,Reserved Quantity,Кол задржани
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Ве молиме внесете валидна е-мејл адреса
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Ве молиме внесете валидна е-мејл адреса
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Не постои задолжителен курс за програмата {0}
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Не постои задолжителен курс за програмата {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Купување Потврда Теми
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Персонализација форми
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,"задоцнетите плаќања,"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,"задоцнетите плаќања,"
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Амортизација износ во текот на периодот
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Лицата со посебни потреби образецот не мора да биде стандардна дефиниција
DocType: Account,Income Account,Сметка приходи
DocType: Payment Request,Amount in customer's currency,Износ во валута на клиентите
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Испорака
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Испорака
DocType: Stock Reconciliation Item,Current Qty,Тековни Количина
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",Видете "стапката на материјали врз основа на" Чини во Дел
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Пред
DocType: Appraisal Goal,Key Responsibility Area,Клучна одговорност Површина
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Студентски Пакетите да ви помогне да ги пратите на посетеност, проценки и такси за студентите"
DocType: Payment Entry,Total Allocated Amount,"Вкупно лимит,"
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Поставете инвентар стандардна сметка за постојана инвентар
DocType: Item Reorder,Material Request Type,Материјал Тип на Барањето
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural весник за влез на платите од {0} до {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage е полна, не штедеше"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage е полна, не штедеше"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Ред {0}: UOM конверзија фактор е задолжително
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Реф
DocType: Budget,Cost Center,Трошоците центар
@@ -2530,19 +2543,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Цените Правило е направен за да ја пребришете Ценовник / дефинира попуст процент, врз основа на некои критериуми."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Склад може да се менува само преку берза за влез / Испратница / Купување Потврда
DocType: Employee Education,Class / Percentage,Класа / Процент
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Раководител на маркетинг и продажба
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Данок на доход
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Раководител на маркетинг и продажба
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Данок на доход
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Ако е избрано Цените правило е направен за "цената", таа ќе ги избрише ценовникот. Цените Правило цена е крајната цена, па нема повеќе Попустот треба да биде применет. Оттука, во трансакции како Продај Побарувања, нарачка итн, тоа ќе биде Земени се во полето 'стапка ", отколку полето" Ценовник стапка."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Следи ги Потенцијалните клиенти по вид на индустрија.
DocType: Item Supplier,Item Supplier,Точка Добавувачот
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,Ве молиме внесете Точка законик за да се добие серија не
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},Ве молиме изберете вредност за {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,Ве молиме внесете Точка законик за да се добие серија не
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Ве молиме изберете вредност за {0} quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Сите адреси.
DocType: Company,Stock Settings,Акции Settings
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Спојувањето е можно само ако следниве својства се исти во двата записи. Е група, корен Тип компанијата"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Спојувањето е можно само ако следниве својства се исти во двата записи. Е група, корен Тип компанијата"
DocType: Vehicle,Electric,електричен
DocType: Task,% Progress,напредок%
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Добивка / загуба за располагање со средства
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Добивка / загуба за располагање со средства
DocType: Training Event,Will send an email about the event to employees with status 'Open',Ќе испрати е-маил за случај на вработените со статус на "Отворени"
DocType: Task,Depends on Tasks,Зависи Задачи
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Управување на клиентите група на дрвото.
@@ -2551,7 +2564,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Нова цена центар Име
DocType: Leave Control Panel,Leave Control Panel,Остави контролен панел
DocType: Project,Task Completion,задача Завршување
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Не во парк
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Не во парк
DocType: Appraisal,HR User,HR пристап
DocType: Purchase Invoice,Taxes and Charges Deducted,Даноци и давачки одземени
apps/erpnext/erpnext/hooks.py +116,Issues,Прашања
@@ -2562,22 +2575,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Не се лизга плата и помеѓу {0} и {1}
,Pending SO Items For Purchase Request,Во очекување на ПА Теми за купување Барање
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,студент Запишување
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} е исклучен
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} е исклучен
DocType: Supplier,Billing Currency,Платежна валута
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Extra Large
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra Large
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Вкупно Лисја
,Profit and Loss Statement,Добивка и загуба Изјава
DocType: Bank Reconciliation Detail,Cheque Number,Чек број
,Sales Browser,Продажбата Browser
DocType: Journal Entry,Total Credit,Вкупно Должи
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Постои Друга {0} {1} # против влез парк {2}: опомена
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Локалните
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Локалните
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Кредити и побарувања (средства)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Должниците
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Големи
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Големи
DocType: Homepage Featured Product,Homepage Featured Product,Почетната страница од пребарувачот Избрана производ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Сите оценка групи
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Сите оценка групи
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Нова Магацински Име
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Вкупно {0} ({1})
DocType: C-Form Invoice Detail,Territory,Територија
@@ -2587,12 +2600,12 @@
DocType: Production Order Operation,Planned Start Time,Планирани Почеток Време
DocType: Course,Assessment,проценка
DocType: Payment Entry Reference,Allocated,Распределуваат
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Затвори Биланс на состојба и книга добивка или загуба.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Затвори Биланс на состојба и книга добивка или загуба.
DocType: Student Applicant,Application Status,Статус апликација
DocType: Fees,Fees,надоместоци
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Наведете курс за претворање на еден валута во друга
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Понудата {0} е откажана
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Вкупно Неизмирен Износ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Вкупно Неизмирен Износ
DocType: Sales Partner,Targets,Цели
DocType: Price List,Price List Master,Ценовник мајстор
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Сите Продажбата Трансакцијата може да бидат означени против повеќе ** продажба на лица **, така што ќе може да се постави и да се следи цели."
@@ -2624,12 +2637,12 @@
1. Address and Contact of your Company.","Стандардни услови, со кои може да се додаде на продажба и купување. Примери: 1. Важење на понудата. 1. Начин на плаќање (однапред, на кредит, дел однапред итн). 1. Што е екстра (или треба да се плати од страна на клиентите). Предупредување / употреба 1. безбедност. 1. Гаранција ако ги има. 1. враќа на политиката. 1. Услови за превозот, ако е применливо. 1. начини на решавање на спорови, обештетување, одговорност, итн 1. адреса и контакт на вашата компанија."
DocType: Attendance,Leave Type,Отсуство Тип
DocType: Purchase Invoice,Supplier Invoice Details,Добавувачот Детали за фактура
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Расход / Разлика сметка ({0}) мора да биде на сметка "Добивка или загуба"
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Расход / Разлика сметка ({0}) мора да биде на сметка "Добивка или загуба"
DocType: Project,Copied From,копирани од
DocType: Project,Copied From,копирани од
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Име грешка: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,недостаток
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} не се поврзани со {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} не се поврзани со {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Публика за вработен {0} е веќе означени
DocType: Packing Slip,If more than one package of the same type (for print),Ако повеќе од еден пакет од ист тип (за печатење)
,Salary Register,плата Регистрирај се
@@ -2647,22 +2660,23 @@
,Requested Qty,Бара Количина
DocType: Tax Rule,Use for Shopping Cart,Користите за Кошничка
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Вредност {0} {1} Атрибут не постои во листа на валидни Точка атрибут вредности за ставката {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Изберете сериски броеви
DocType: BOM Item,Scrap %,Отпад%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Кривична пријава ќе биде дистрибуиран пропорционално врз основа на точка количество: Контакт лице или количина, како на вашиот избор"
DocType: Maintenance Visit,Purposes,Цели
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Барем една ставка треба да се внесуваат со негативен количество во замена документ
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Барем една ставка треба да се внесуваат со негативен количество во замена документ
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Операција {0} подолго од било кој на располагање на работното време во станица {1}, се прекине работењето во повеќе операции"
,Requested,Побарано
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Нема забелешки
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Нема забелешки
DocType: Purchase Invoice,Overdue,Задоцнета
DocType: Account,Stock Received But Not Billed,"Акции примени, но не Опишан"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Root сметката мора да биде група
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Root сметката мора да биде група
DocType: Fees,FEE.,Плаќање.
DocType: Employee Loan,Repaid/Closed,Вратени / Затворено
DocType: Item,Total Projected Qty,Вкупно планираните Количина
DocType: Monthly Distribution,Distribution Name,Дистрибуција Име
DocType: Course,Course Code,Код на предметната програма
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Квалитет инспекција потребни за Точка {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Квалитет инспекција потребни за Точка {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Стапка по која клиентите валута е претворена во основна валута компанијата
DocType: Purchase Invoice Item,Net Rate (Company Currency),Нето стапката (Фирма валута)
DocType: Salary Detail,Condition and Formula Help,Состојба и Формула Помош
@@ -2675,27 +2689,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Материјал трансфер за Производство
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Попуст Процент може да се примени или против некој Ценовник или за сите ценовникот.
DocType: Purchase Invoice,Half-yearly,Полугодишен
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Сметководство за влез на берза
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Сметководство за влез на берза
DocType: Vehicle Service,Engine Oil,на моторното масло
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Ве молиме поставете вработените Именување систем во управување со хумани ресурси> Поставки за човечки ресурси
DocType: Sales Invoice,Sales Team1,Продажбата Team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Точка {0} не постои
DocType: Sales Invoice,Customer Address,Клиент адреса
DocType: Employee Loan,Loan Details,Детали за заем
+DocType: Company,Default Inventory Account,Стандардно Инвентар сметка
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Ред {0}: Завршено Количина мора да биде поголема од нула.
DocType: Purchase Invoice,Apply Additional Discount On,Да важат и дополнителни попуст на
DocType: Account,Root Type,Корен Тип
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Ред # {0}: Не можам да се вратат повеќе од {1} за Точка {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Ред # {0}: Не можам да се вратат повеќе од {1} за Точка {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Двор
DocType: Item Group,Show this slideshow at the top of the page,Прикажи Овој слајдшоу на врвот на страната
DocType: BOM,Item UOM,Точка UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Износот на данокот По Износ попуст (Фирма валута)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Целна склад е задолжително за спорот {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Целна склад е задолжително за спорот {0}
DocType: Cheque Print Template,Primary Settings,Примарен Settings
DocType: Purchase Invoice,Select Supplier Address,Изберете Добавувачот адреса
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Додај вработени
DocType: Purchase Invoice Item,Quality Inspection,Квалитет инспекција
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Екстра Мали
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Екстра Мали
DocType: Company,Standard Template,стандардна дефиниција
DocType: Training Event,Theory,теорија
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Предупредување: Материјал Бараниот Количина е помалку од Минимална Подреди Количина
@@ -2703,7 +2719,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Правното лице / Подружница со посебен сметковен кои припаѓаат на Организацијата.
DocType: Payment Request,Mute Email,Неми-пошта
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Храна, пијалаци и тутун"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Може само да се направи исплата против нефактурираното {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Може само да се направи исплата против нефактурираното {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Комисијата стапка не може да биде поголема од 100
DocType: Stock Entry,Subcontract,Поддоговор
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Ве молиме внесете {0} прв
@@ -2716,18 +2732,18 @@
DocType: SMS Log,No of Sent SMS,Број на испратени СМС
DocType: Account,Expense Account,Сметка сметка
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Софтвер
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Боја
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Боја
DocType: Assessment Plan Criteria,Assessment Plan Criteria,План за оценување на критериумите
DocType: Training Event,Scheduled,Закажана
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Барање за прибирање НА ПОНУДИ.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",Ве молиме одберете ја изборната ставка каде што "Дали берза Точка" е "Не" и "е продажба точка" е "Да" и не постои друг Бовча производ
DocType: Student Log,Academic,академски
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Вкупно Аванс ({0}) во однос на Нарачка {1} не може да биде поголемо од Сѐ Вкупно ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Вкупно Аванс ({0}) во однос на Нарачка {1} не може да биде поголемо од Сѐ Вкупно ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Изберете Месечен Дистрибуција на нерамномерно дистрибуира цели низ месеци.
DocType: Purchase Invoice Item,Valuation Rate,Вреднување стапка
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,дизел
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Ценовник Валута не е избрано
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Ценовник Валута не е избрано
,Student Monthly Attendance Sheet,Студентски Месечен евидентен лист
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Вработен {0} веќе има поднесено барање за {1} помеѓу {2} и {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Почеток на проектот Датум
@@ -2740,7 +2756,7 @@
DocType: BOM,Scrap,отпад
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Управуваат со продажбата партнери.
DocType: Quality Inspection,Inspection Type,Тип на инспекцијата
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Магацини со постоечките трансакцијата не може да се конвертира во групата.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Магацини со постоечките трансакцијата не може да се конвертира во групата.
DocType: Assessment Result Tool,Result HTML,резултат HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,истекува на
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Додај Студентите
@@ -2748,13 +2764,13 @@
DocType: C-Form,C-Form No,C-Образец бр
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,необележани Публика
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Истражувач
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Истражувач
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Програма за запишување на студенти на алатката
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Име или е-пошта е задолжително
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Дојдовен инспекција квалитет.
DocType: Purchase Order Item,Returned Qty,Врати Количина
DocType: Employee,Exit,Излез
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Корен Тип е задолжително
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Корен Тип е задолжително
DocType: BOM,Total Cost(Company Currency),Вкупно трошоци (Фирма валута)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Сериски № {0} создаден
DocType: Homepage,Company Description for website homepage,Опис на компанијата за веб-сајт почетната страница од пребарувачот
@@ -2763,7 +2779,7 @@
DocType: Sales Invoice,Time Sheet List,Време Листа на состојба
DocType: Employee,You can enter any date manually,Можете да внесете кој било датум рачно
DocType: Asset Category Account,Depreciation Expense Account,Амортизација сметка сметка
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Пробниот период
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Пробниот период
DocType: Customer Group,Only leaf nodes are allowed in transaction,Само лист јазли се дозволени во трансакција
DocType: Expense Claim,Expense Approver,Сметка Approver
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Ред {0}: напредување во однос на клиентите мора да бидат кредит
@@ -2777,10 +2793,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Распоред на курсот избришани:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Дневници за одржување на статусот на испораката смс
DocType: Accounts Settings,Make Payment via Journal Entry,Се направи исплата преку весник Влегување
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,отпечатена на
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,отпечатена на
DocType: Item,Inspection Required before Delivery,Потребни инспекција пред породувањето
DocType: Item,Inspection Required before Purchase,Инспекција што се бара пред да ги купите
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Активности во тек
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,вашата организација
DocType: Fee Component,Fees Category,надоместоци Категорија
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Ве молиме внесете ослободување датум.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,АМТ
@@ -2790,9 +2807,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Пренареждане ниво
DocType: Company,Chart Of Accounts Template,Сметковниот план Шаблон
DocType: Attendance,Attendance Date,Публика Датум
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Точка Цена ажурирани за {0} во Ценовникот {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Точка Цена ажурирани за {0} во Ценовникот {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Плата распадот врз основа на заработка и одбивање.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Сметка со дете јазли не можат да се конвертираат во Леџер
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Сметка со дете јазли не можат да се конвертираат во Леџер
DocType: Purchase Invoice Item,Accepted Warehouse,Прифатени Магацински
DocType: Bank Reconciliation Detail,Posting Date,Датум на објавување
DocType: Item,Valuation Method,Начин на вреднување
@@ -2801,14 +2818,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Дупликат внес
DocType: Program Enrollment Tool,Get Students,Студентите се добие
DocType: Serial No,Under Warranty,Под гаранција
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Грешка]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Грешка]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,Во Зборови ќе бидат видливи откако ќе го спаси Продај Побарувања.
,Employee Birthday,Вработен Роденден
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Студентски Серија Публика алатката
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,граница Преминал
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,граница Преминал
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Вложување на капитал
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"Академски мандат, со ова 'академска година' {0} и "Рок Име" {1} веќе постои. Ве молиме да ги менувате овие ставки и обидете се повторно."
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Како што веќе постојат трансакции против ставка {0}, не може да се промени вредноста на {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Како што веќе постојат трансакции против ставка {0}, не може да се промени вредноста на {1}"
DocType: UOM,Must be Whole Number,Мора да биде цел број
DocType: Leave Control Panel,New Leaves Allocated (In Days),Нови лисја распределени (во денови)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Сериски № {0} не постои
@@ -2817,6 +2834,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Број на фактура
DocType: Shopping Cart Settings,Orders,Нарачка
DocType: Employee Leave Approver,Leave Approver,Остави Approver
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Ве молиме изберете една серија
DocType: Assessment Group,Assessment Group Name,Името на групата за процена
DocType: Manufacturing Settings,Material Transferred for Manufacture,Материјал префрлени за Производство
DocType: Expense Claim,"A user with ""Expense Approver"" role",Корисник со "Расходи Approver" улога
@@ -2826,9 +2844,10 @@
DocType: Target Detail,Target Detail,Целна Детална
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,сите работни места
DocType: Sales Order,% of materials billed against this Sales Order,% На материјали фактурирани против оваа Продај Побарувања
+DocType: Program Enrollment,Mode of Transportation,Начин на транспорт
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Период Затворање Влегување
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Трошоците центар со постојните трансакции не може да се конвертира во групата
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Износот {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Износот {0} {1} {2} {3}
DocType: Account,Depreciation,Амортизација
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Добавувачот (и)
DocType: Employee Attendance Tool,Employee Attendance Tool,Вработен Публика алатката
@@ -2836,7 +2855,7 @@
DocType: Supplier,Credit Limit,Кредитен лимит
DocType: Production Plan Sales Order,Salse Order Date,Salse Уредување Дата
DocType: Salary Component,Salary Component,плата Компонента
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Плаќање Записи {0} е не-поврзани
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Плаќање Записи {0} е не-поврзани
DocType: GL Entry,Voucher No,Ваучер Не
,Lead Owner Efficiency,Водач сопственик ефикасност
,Lead Owner Efficiency,Водач сопственик ефикасност
@@ -2848,11 +2867,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Дефиниција на условите или договор.
DocType: Purchase Invoice,Address and Contact,Адреса и контакт
DocType: Cheque Print Template,Is Account Payable,Е сметка се плаќаат
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Акции не може да се ажурира против Набавка Потврда {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Акции не може да се ажурира против Набавка Потврда {0}
DocType: Supplier,Last Day of the Next Month,Последниот ден од наредниот месец
DocType: Support Settings,Auto close Issue after 7 days,Авто блиску прашање по 7 дена
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Одмор не може да се одвои пред {0}, како рамнотежа одмор веќе е рачна пренасочат во рекордно идната распределба одмор {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Забелешка: Поради / референтен датум надминува дозволено клиент кредит дена од {0} ден (а)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Забелешка: Поради / референтен датум надминува дозволено клиент кредит дена од {0} ден (а)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,студентски Подносител
DocType: Asset Category Account,Accumulated Depreciation Account,Акумулирана амортизација сметка
DocType: Stock Settings,Freeze Stock Entries,Замрзнување берза записи
@@ -2861,36 +2880,36 @@
DocType: Activity Cost,Billing Rate,Платежна стапка
,Qty to Deliver,Количина да Избави
,Stock Analytics,Акции анализи
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Работење не може да се остави празно
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Работење не може да се остави празно
DocType: Maintenance Visit Purpose,Against Document Detail No,Против Детална л.к
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Тип на партијата е задолжително
DocType: Quality Inspection,Outgoing,Заминување
DocType: Material Request,Requested For,Се бара за
DocType: Quotation Item,Against Doctype,Против DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} е укинат или затворени
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} е укинат или затворени
DocType: Delivery Note,Track this Delivery Note against any Project,Следење на овој Испратница против било кој проект
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Нето парични текови од инвестициони
-,Is Primary Address,Е Основен адреса
DocType: Production Order,Work-in-Progress Warehouse,Работа во прогрес Магацински
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Асет {0} мора да се поднесе
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Присуство евиденција {0} постои против Студентски {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Присуство евиденција {0} постои против Студентски {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Референтен # {0} датум {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Амортизација Елиминиран поради пренесување на средствата на
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Управуваат со адреси
DocType: Asset,Item Code,Точка законик
DocType: Production Planning Tool,Create Production Orders,Креирај Производство Нарачка
DocType: Serial No,Warranty / AMC Details,Гаранција / АМЦ Детали за
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Изберете рачно студентите за активност врз група
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Изберете рачно студентите за активност врз група
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Изберете рачно студентите за активност врз група
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Изберете рачно студентите за активност врз група
DocType: Journal Entry,User Remark,Корисникот Напомена
DocType: Lead,Market Segment,Сегмент од пазарот
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Уплатениот износ нема да биде поголема од вкупните одобрени негативен износ {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Уплатениот износ нема да биде поголема од вкупните одобрени негативен износ {0}
DocType: Employee Internal Work History,Employee Internal Work History,Вработен внатрешна работа Историја
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Затворање (д-р)
DocType: Cheque Print Template,Cheque Size,чек Големина
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Сериски № {0} не во парк
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Даночен шаблон за Продажни трансакции.
DocType: Sales Invoice,Write Off Outstanding Amount,Отпише преостанатиот износ за наплата
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Сметка {0} не се поклопува со компанијата {1}
DocType: School Settings,Current Academic Year,Тековната академска година
DocType: School Settings,Current Academic Year,Тековната академска година
DocType: Stock Settings,Default Stock UOM,Стандардно берза UOM
@@ -2906,27 +2925,27 @@
DocType: Asset,Double Declining Balance,Двоен опаѓачки баланс
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Затворена за да не може да биде укинат. Да отворат за да откажете.
DocType: Student Guardian,Father,татко
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,"Ажурирање Акции" не може да се провери за фиксни продажба на средства
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"Ажурирање Акции" не може да се провери за фиксни продажба на средства
DocType: Bank Reconciliation,Bank Reconciliation,Банка помирување
DocType: Attendance,On Leave,на одмор
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Добијат ажурирања
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Сметка {2} не припаѓа на компанијата {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Материјал Барање {0} е откажана или запрена
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Додадете неколку записи примерок
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Додадете неколку записи примерок
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Остави менаџмент
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Група од сметка
DocType: Sales Order,Fully Delivered,Целосно Дадени
DocType: Lead,Lower Income,Помал приход
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Изворот и целните склад не може да биде иста за спорот {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Изворот и целните склад не може да биде иста за спорот {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Разликата сметките мора да бидат типот на средствата / одговорност сметка, бидејќи овој парк помирување претставува Отворање Влегување"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Повлечениот износ не може да биде поголема од кредит Износ {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Нарачка број потребен за Точка {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Производство цел не создаде
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Нарачка број потребен за Точка {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Производство цел не создаде
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""Од датум"" мора да биде по ""до датум"""
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},не може да го промени својот статус како студент {0} е поврзан со примена студент {1}
DocType: Asset,Fully Depreciated,целосно амортизираните
,Stock Projected Qty,Акции Проектирани Количина
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Клиент {0} не му припаѓа на проектот {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Клиент {0} не му припаѓа на проектот {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Забележително присуство на HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",Цитати се и понудите што сте ги испратиле на вашите клиенти
DocType: Sales Order,Customer's Purchase Order,Нарачка на купувачот
@@ -2935,8 +2954,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Збирот на резултатите на критериумите за оценување треба да биде {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Поставете Број на амортизациони Резервирано
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Вредност или Количина
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,"Продукција наредби, а не може да се зголеми за:"
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Минута
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,"Продукција наредби, а не може да се зголеми за:"
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Минута
DocType: Purchase Invoice,Purchase Taxes and Charges,Купување на даноци и такси
,Qty to Receive,Количина да добијам
DocType: Leave Block List,Leave Block List Allowed,Остави Забрани листата на дозволени
@@ -2944,25 +2963,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Сметка Барање за Возило Влез {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Попуст (%) на цени за курс со Разлика
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Попуст (%) на цени за курс со Разлика
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,сите Магацини
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,сите Магацини
DocType: Sales Partner,Retailer,Трговија на мало
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Кредит на сметка мора да биде на сметка Биланс на состојба
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Кредит на сметка мора да биде на сметка Биланс на состојба
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Сите типови на Добавувачот
DocType: Global Defaults,Disable In Words,Оневозможи со зборови
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,"Точка законик е задолжително, бидејќи точка не се нумерирани автоматски"
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Точка законик е задолжително, бидејќи точка не се нумерирани автоматски"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Понудата {0} не е од типот {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Одржување Распоред Точка
DocType: Sales Order,% Delivered,% Дадени
DocType: Production Order,PRO-,про-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Банка пречекорување на профилот
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Банка пречекорување на профилот
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Направете Плата фиш
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,"Ред # {0}: лимит, не може да биде поголем од преостанатиот износ."
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Преглед на бирото
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Препорачана кредити
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Препорачана кредити
DocType: Purchase Invoice,Edit Posting Date and Time,Измени Праќање пораки во Датум и време
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Поставете Амортизација поврзани сметки во Категорија Средства {0} или куќа {1}
DocType: Academic Term,Academic Year,Академска година
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Салдо инвестициски фондови
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Салдо инвестициски фондови
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Процена
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},Е-мејл испратен до снабдувачот {0}
@@ -2978,7 +2997,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Одобрување улога не може да биде иста како и улогата на владеење е се применуваат на
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Се откажете од оваа е-мејл билтени
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Пораката испратена
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Сметка со дете јазли не можат да се постават како Леџер
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Сметка со дете јазли не можат да се постават како Леџер
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Стапка по која Ценовник валута е претворена во основна валута купувачи
DocType: Purchase Invoice Item,Net Amount (Company Currency),Нето износ (Фирма валута)
@@ -3013,7 +3032,7 @@
DocType: Expense Claim,Approval Status,Статус на Одобри
DocType: Hub Settings,Publish Items to Hub,Објавуваат Теми на Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},Од вредност мора да биде помал од вредност во ред {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Wire Transfer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Wire Transfer
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Проверете ги сите
DocType: Vehicle Log,Invoice Ref,фактура Реф
DocType: Purchase Order,Recurring Order,Повторувачки Побарувања
@@ -3026,19 +3045,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Банкарство и плаќања
,Welcome to ERPNext,Добредојдовте на ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Потенцијален клиент до Понуда
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Ништо повеќе да се покаже.
DocType: Lead,From Customer,Од Клиент
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Повици
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Повици
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,серии
DocType: Project,Total Costing Amount (via Time Logs),Вкупен Износ на Чинење (преку Временски дневници)
DocType: Purchase Order Item Supplied,Stock UOM,Акции UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Нарачка {0} не е поднесен
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Нарачка {0} не е поднесен
DocType: Customs Tariff Number,Tariff Number,тарифен број
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Проектирани
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Сериски № {0} не припаѓаат Магацински {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"Забелешка: системот не ќе ги провери над-испорака и над-резервација за Точка {0}, на пример количината или сума е 0"
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"Забелешка: системот не ќе ги провери над-испорака и над-резервација за Точка {0}, на пример количината или сума е 0"
DocType: Notification Control,Quotation Message,Понуда порака
DocType: Employee Loan,Employee Loan Application,Вработен апликација за заем
DocType: Issue,Opening Date,Отворање датум
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Присуство е обележан успешно.
+DocType: Program Enrollment,Public Transport,Јавен превоз
DocType: Journal Entry,Remark,Напомена
DocType: Purchase Receipt Item,Rate and Amount,Цена и Износ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Тип на сметка за {0} мора да биде {1}
@@ -3046,32 +3068,32 @@
DocType: School Settings,Current Academic Term,Тековни академски мандат
DocType: School Settings,Current Academic Term,Тековни академски мандат
DocType: Sales Order,Not Billed,Не Опишан
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Двете Магацински мора да припаѓа на истата компанија
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Не контакти додаде уште.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Двете Магацински мора да припаѓа на истата компанија
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Не контакти додаде уште.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Слета Цена ваучер Износ
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Сметки кои произлегуваат од добавувачи.
DocType: POS Profile,Write Off Account,Отпише профил
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Задолжување Амт
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Износ попуст
DocType: Purchase Invoice,Return Against Purchase Invoice,Врати против Набавка Фактура
DocType: Item,Warranty Period (in days),Гарантниот период (во денови)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Врска со Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Врска со Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Нето готовина од работењето
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,на пример ДДВ
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,на пример ДДВ
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Точка 4
DocType: Student Admission,Admission End Date,Услови за прием Датум на завршување
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Подизведување
DocType: Journal Entry Account,Journal Entry Account,Весник Влегување профил
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,група на студенти
DocType: Shopping Cart Settings,Quotation Series,Серија на Понуди
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Ставка ({0}) со исто име веќе постои, ве молиме сменете го името на групата ставки или името на ставката"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Ве молам изберете клиентите
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Ставка ({0}) со исто име веќе постои, ве молиме сменете го името на групата ставки или името на ставката"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Ве молам изберете клиентите
DocType: C-Form,I,јас
DocType: Company,Asset Depreciation Cost Center,Центар Амортизација Трошоци средства
DocType: Sales Order Item,Sales Order Date,Продажбата на Ред Датум
DocType: Sales Invoice Item,Delivered Qty,Дадени Количина
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Ако е избрано, сите деца на секој производен објект ќе биде вклучен во материјалот барања."
DocType: Assessment Plan,Assessment Plan,план за оценување
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Магацински {0}: Компанијата е задолжително
DocType: Stock Settings,Limit Percent,Процент граница
,Payment Period Based On Invoice Date,Плаќање период врз основа на датум на фактурата
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Недостасува размена на валута стапки за {0}
@@ -3083,7 +3105,7 @@
DocType: Vehicle,Insurance Details,Детали за осигурување
DocType: Account,Payable,Треба да се плати
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,Ве молиме внесете отплата периоди
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Должници ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Должници ({0})
DocType: Pricing Rule,Margin,маргина
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Нови клиенти
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Бруто добивка%
@@ -3094,16 +3116,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Партијата е задолжително
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,Име на тема
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Најмалку едно мора да биде избрано од Продажби или Купување
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Изберете од природата на вашиот бизнис.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Најмалку едно мора да биде избрано од Продажби или Купување
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Изберете од природата на вашиот бизнис.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Ред # {0}: двојна влез во Референци {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Каде што се врши производните операции.
DocType: Asset Movement,Source Warehouse,Извор Магацински
DocType: Installation Note,Installation Date,Инсталација Датум
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Ред # {0}: {1} средства не му припаѓа на компанијата {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Ред # {0}: {1} средства не му припаѓа на компанијата {2}
DocType: Employee,Confirmation Date,Потврда Датум
DocType: C-Form,Total Invoiced Amount,Вкупно Фактуриран износ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Мин Количина не може да биде поголем од Макс Количина
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Мин Количина не може да биде поголем од Макс Количина
DocType: Account,Accumulated Depreciation,Акумулираната амортизација
DocType: Stock Entry,Customer or Supplier Details,Клиент или снабдувачот
DocType: Employee Loan Application,Required by Date,Потребни по датум
@@ -3124,22 +3146,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Месечен Процентуална распределба
DocType: Territory,Territory Targets,Територија Цели
DocType: Delivery Note,Transporter Info,Превозникот Информации
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Поставете стандардно {0} во компанијата {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Поставете стандардно {0} во компанијата {1}
DocType: Cheque Print Template,Starting position from top edge,Почетна позиција од горниот раб
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Ист снабдувач се внесени повеќе пати
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Бруто добивка / загуба
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Нарачка точка Опрема што се испорачува
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Име на компанија не може да биде компанија
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Име на компанија не може да биде компанија
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Писмо глави за печатење на обрасци.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Наслови за печатење шаблони пр проформа фактура.
DocType: Student Guardian,Student Guardian,студентски Гардијан
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Трошоци тип вреднување не може да го означи како Инклузивна
DocType: POS Profile,Update Stock,Ажурирање берза
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Добавувачот> Добавувачот Тип
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Различни ЕМ за Артикли ќе доведе до Неточна (Вкупно) вредност за Нето тежина. Проверете дали Нето тежината на секој артикал е во иста ЕМ.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Бум стапка
DocType: Asset,Journal Entry for Scrap,Весник за влез Отпад
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Ве молиме да се повлече предмети од Испратница
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Весник записи {0} е не-поврзани
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Весник записи {0} е не-поврзани
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Рекорд на сите комуникации од типот пошта, телефон, чет, посета, итн"
DocType: Manufacturer,Manufacturers used in Items,Производителите користат во Предмети
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Ве молиме спомнете заокружуваат цена центар во компанијата
@@ -3187,34 +3210,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,Снабдувачот доставува до клиентите
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Образец / ставка / {0}) е надвор од складиште
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Следниот датум мора да биде поголема од објавувањето Датум
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Шоуто данок распадот
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Поради / референтен датум не може да биде по {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Шоуто данок распадот
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Поради / референтен датум не може да биде по {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Податоци за увоз и извоз
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","Акции записи постојат против Магацински {0}, па оттука не може повторно да се додели или да ја менувате"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Не е пронајдено студенти
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Не е пронајдено студенти
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Датум на фактура во врска со Мислењата
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,продаде
DocType: Sales Invoice,Rounded Total,Вкупно заокружено
DocType: Product Bundle,List items that form the package.,Листа на предмети кои ја формираат пакет.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Процент распределба треба да биде еднаква на 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,Ве молам изберете Праќање пораки во Датум пред изборот партија
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Ве молам изберете Праќање пораки во Датум пред изборот партија
DocType: Program Enrollment,School House,школа куќа
DocType: Serial No,Out of AMC,Од АМЦ
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Ве молиме изберете Цитати
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Ве молиме изберете Цитати
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Ве молиме изберете Цитати
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Ве молиме изберете Цитати
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Број на амортизациони резервација не може да биде поголем од вкупниот број на амортизација
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Направете Одржување Посета
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,Ве молиме контактирајте на корисникот кој има {0} функции Продажбата мајстор менаџер
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,Ве молиме контактирајте на корисникот кој има {0} функции Продажбата мајстор менаџер
DocType: Company,Default Cash Account,Стандардно готовинска сметка
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Компанијата (не клиент или добавувач) господар.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Ова се базира на присуството на овој студент
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Не Студентите во
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Не Студентите во
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Додај повеќе ставки или отвори образец
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',Ве молиме внесете 'очекува испорака датум "
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Испорака белешки {0} мора да биде укинат пред да го раскине овој Продај Побарувања
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Уплатениот износ + Отпишана сума не може да биде поголемо од Сѐ Вкупно
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Уплатениот износ + Отпишана сума не може да биде поголемо од Сѐ Вкупно
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} не е валиден сериски број за ставката {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Забелешка: Не е доволно одмор биланс за Оставете Тип {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,Невалиден GSTIN или Внесете NA за нерегистрирани
DocType: Training Event,Seminar,Семинар
DocType: Program Enrollment Fee,Program Enrollment Fee,Програмата за запишување такса
DocType: Item,Supplier Items,Добавувачот Теми
@@ -3240,28 +3263,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Точка 3
DocType: Purchase Order,Customer Contact Email,Контакт е-маил клиент
DocType: Warranty Claim,Item and Warranty Details,Точка и гаранција Детали за
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Точка Код> Точка Група> Бренд
DocType: Sales Team,Contribution (%),Придонес (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Забелешка: Плаќањето за влез нема да бидат направивме од "Пари или банкарска сметка 'не е одредено,"
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Изберете ја програмата за собирање на задолжителни предмети.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Изберете ја програмата за собирање на задолжителни предмети.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Одговорности
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Одговорности
DocType: Expense Claim Account,Expense Claim Account,Тврдат сметка сметка
DocType: Sales Person,Sales Person Name,Продажбата на лице Име
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Ве молиме внесете барем 1 фактура во табелата
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Додади корисници
DocType: POS Item Group,Item Group,Точка група
DocType: Item,Safety Stock,безбедноста на акции
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Напредок% за задача не може да биде повеќе од 100.
DocType: Stock Reconciliation Item,Before reconciliation,Пред помирување
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Даноци и давачки Додадено (Фирма валута)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Точка Даночниот спор во {0} мора да има предвид типот Данок или на приход или трошок или Наплатлив
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Точка Даночниот спор во {0} мора да има предвид типот Данок или на приход или трошок или Наплатлив
DocType: Sales Order,Partly Billed,Делумно Опишан
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Ставка {0} мора да биде основни средства
DocType: Item,Default BOM,Стандардно Бум
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,Ве молиме име ре-вид на компанија за да се потврди
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Вкупен Неизмирен Изн.
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Задолжување Износ
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Ве молиме име ре-вид на компанија за да се потврди
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Вкупен Неизмирен Изн.
DocType: Journal Entry,Printing Settings,Поставки за печатење
DocType: Sales Invoice,Include Payment (POS),Вклучуваат плаќање (ПОС)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Вкупно Побарува мора да биде еднаков со Вкупно Должи. Разликата е {0}
@@ -3275,16 +3295,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,На залиха:
DocType: Notification Control,Custom Message,Прилагодено порака
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Инвестициско банкарство
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Парични средства или банкарска сметка е задолжително за правење влез плаќање
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,студентски адреса
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,студентски адреса
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Парични средства или банкарска сметка е задолжително за правење влез плаќање
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Ве молиме поставете брои серија за присуство преку поставување> нумерација Серија
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,студентски адреса
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,студентски адреса
DocType: Purchase Invoice,Price List Exchange Rate,Ценовник курс
DocType: Purchase Invoice Item,Rate,Цена
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Практикант
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,адреса
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Практикант
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,адреса
DocType: Stock Entry,From BOM,Од бирото
DocType: Assessment Code,Assessment Code,Код оценување
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Основни
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Основни
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,На акции трансакции пред {0} се замрзнати
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',Ве молиме кликнете на "Генерирање Распоред '
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","на пр Kg, единица бр, m"
@@ -3294,11 +3315,11 @@
DocType: Salary Slip,Salary Structure,Структура плата
DocType: Account,Bank,Банка
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Авиокомпанијата
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Материјал прашање
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Материјал прашање
DocType: Material Request Item,For Warehouse,За Магацински
DocType: Employee,Offer Date,Датум на понуда
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Понуди
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Вие сте моментално во режим без мрежа. Вие нема да бидете во можност да ја превчитате додека имате мрежа.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,Вие сте моментално во режим без мрежа. Вие нема да бидете во можност да ја превчитате додека имате мрежа.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Не студентски групи создадени.
DocType: Purchase Invoice Item,Serial No,Сериски Не
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Месечна отплата износ не може да биде поголем од кредит Износ
@@ -3306,8 +3327,8 @@
DocType: Purchase Invoice,Print Language,Печати јазик
DocType: Salary Slip,Total Working Hours,Вкупно Работно време
DocType: Stock Entry,Including items for sub assemblies,Вклучувајќи и предмети за суб собранија
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Внесете ја вредноста мора да биде позитивен
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Сите територии
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Внесете ја вредноста мора да биде позитивен
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Сите територии
DocType: Purchase Invoice,Items,Теми
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Студентот се веќе запишани.
DocType: Fiscal Year,Year Name,Име на Година
@@ -3326,10 +3347,10 @@
DocType: Issue,Opening Time,Отворање Време
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Од и до датуми потребни
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Хартии од вредност и стоковни берзи
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Стандардно единица мерка за Варијанта '{0}' мора да биде иста како и во Мострата "{1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Стандардно единица мерка за Варијанта '{0}' мора да биде иста како и во Мострата "{1}"
DocType: Shipping Rule,Calculate Based On,Се пресмета врз основа на
DocType: Delivery Note Item,From Warehouse,Од Магацин
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Нема предмети со Бил на материјали за производство на
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Нема предмети со Бил на материјали за производство на
DocType: Assessment Plan,Supervisor Name,Име супервизор
DocType: Program Enrollment Course,Program Enrollment Course,Програма за запишување на курсот
DocType: Program Enrollment Course,Program Enrollment Course,Програма за запишување на курсот
@@ -3345,18 +3366,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"Дена од денот на Ред" мора да биде поголем или еднаков на нула
DocType: Process Payroll,Payroll Frequency,Даноци на фреквенција
DocType: Asset,Amended From,Изменет Од
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Суровина
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Суровина
DocType: Leave Application,Follow via Email,Следете ги преку E-mail
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Постројки и машинерии
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Постројки и машинерии
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Износот на данокот По Износ попуст
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Дневен работа поставувања Резиме
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Валута на ценовникот {0} не е сличен со избраната валута {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Валута на ценовникот {0} не е сличен со избраната валута {1}
DocType: Payment Entry,Internal Transfer,внатрешен трансфер
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Сметка детето постои за оваа сметка. Не можете да ја избришете оваа сметка.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Сметка детето постои за оваа сметка. Не можете да ја избришете оваа сметка.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Или цел количество: Контакт лице или целниот износ е задолжително
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Постои стандарден Бум постои точка за {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Постои стандарден Бум постои точка за {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Ве молиме изберете ја со Мислењата Датум прв
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Отворање датум треба да биде пред крајниот датум
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Поставете Именување серија за {0} преку поставување> Прилагодување> Именување Серија
DocType: Leave Control Panel,Carry Forward,Пренесување
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Трошоците центар со постојните трансакции не може да се конвертира Леџер
DocType: Department,Days for which Holidays are blocked for this department.,Деновите за кои Празници се блокирани за овој оддел.
@@ -3366,11 +3388,10 @@
DocType: Issue,Raised By (Email),Покренати од страна на (E-mail)
DocType: Training Event,Trainer Name,Име тренер
DocType: Mode of Payment,General,Генералниот
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Прикачи меморандум
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,последната комуникација
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,последната комуникација
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Не може да се одземе кога категорија е за 'Вреднување' или 'Вреднување и Вкупно'
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Листа на вашата даночна глави (на пример, ДДВ, царински итн, тие треба да имаат уникатни имиња) и стандард на нивните стапки. Ова ќе создаде стандарден образец, кои можете да ги менувате и додадете повеќе подоцна."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Листа на вашата даночна глави (на пример, ДДВ, царински итн, тие треба да имаат уникатни имиња) и стандард на нивните стапки. Ова ќе создаде стандарден образец, кои можете да ги менувате и додадете повеќе подоцна."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Сериски броеви кои се потребни за серијали Точка {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Натпреварот плаќања со фактури
DocType: Journal Entry,Bank Entry,Банката Влегување
@@ -3379,16 +3400,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Додади во кошничка
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Со група
DocType: Guardian,Interests,Интереси
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Овозможи / оневозможи валути.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Овозможи / оневозможи валути.
DocType: Production Planning Tool,Get Material Request,Земете материјал Барање
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Поштенски трошоци
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Поштенски трошоци
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Вкупно (Износ)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Забава & Leisure
DocType: Quality Inspection,Item Serial No,Точка Сериски Не
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Креирај вработените рекорди
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Вкупно Сегашно
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,сметководствени извештаи
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Час
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Час
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Нова серија № не може да има складиште. Склад мора да бидат поставени од страна берза за влез или купување Потврда
DocType: Lead,Lead Type,Потенцијален клиент Тип
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Немате дозвола да го одобри лисјата Забрани Термини
@@ -3400,6 +3421,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,Новиот Бум по замена
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Точка на продажба
DocType: Payment Entry,Received Amount,добиениот износ
+DocType: GST Settings,GSTIN Email Sent On,GSTIN испратен На
+DocType: Program Enrollment,Pick/Drop by Guardian,Трансферот / зависници од страна на Гардијан
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Се создаде целосна количина, неа веќе количина на ред"
DocType: Account,Tax,Данок
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,не е означен
@@ -3413,7 +3436,7 @@
DocType: Batch,Source Document Name,Извор документ Име
DocType: Job Opening,Job Title,Работно место
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,креирате корисници
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,грам
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,грам
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Количина за производство мора да биде поголем од 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Посетете извештај за одржување повик.
DocType: Stock Entry,Update Rate and Availability,Ажурирање курс и Достапност
@@ -3421,7 +3444,7 @@
DocType: POS Customer Group,Customer Group,Група на потрошувачи
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Нова серија проект (по избор)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Нова серија проект (по избор)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Сметка сметка е задолжително за ставката {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Сметка сметка е задолжително за ставката {0}
DocType: BOM,Website Description,Веб-сајт Опис
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Нето промени во капиталот
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Ве молиме откажете купувањето фактура {0} првиот
@@ -3431,8 +3454,8 @@
,Sales Register,Продажбата Регистрирај се
DocType: Daily Work Summary Settings Company,Send Emails At,Испрати е-пошта во
DocType: Quotation,Quotation Lost Reason,Причина за Нереализирана Понуда
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Изберете го вашиот домен
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},референтна трансакцијата не {0} {1} датум
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Изберете го вашиот домен
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},референтна трансакцијата не {0} {1} датум
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Нема ништо да се променат.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Резиме за овој месец и во очекување на активности
DocType: Customer Group,Customer Group Name,Клиент Име на групата
@@ -3440,14 +3463,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Извештај за паричниот тек
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Износ на кредитот не може да надмине максимален заем во износ од {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,лиценца
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},Ве молиме да се отстрани оваа фактура {0} од C-Форма {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},Ве молиме да се отстрани оваа фактура {0} од C-Форма {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Ве молиме изберете ја носи напред ако вие исто така сакаат да се вклучат во претходната фискална година биланс остава на оваа фискална година
DocType: GL Entry,Against Voucher Type,Против ваучер Тип
DocType: Item,Attributes,Атрибути
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,Ве молиме внесете го отпише профил
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Ве молиме внесете го отпише профил
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Последните Ред Датум
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},На сметка {0} не припаѓа на компанијата {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Сериски броеви во ред {0} не се поклопува со Потврда за испорака
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Сериски броеви во ред {0} не се поклопува со Потврда за испорака
DocType: Student,Guardian Details,Гардијан Детали
DocType: C-Form,C-Form,C-Форма
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Марк посетеност за повеќе вработени
@@ -3462,16 +3485,16 @@
DocType: Budget Account,Budget Amount,износи од буџетот
DocType: Appraisal Template,Appraisal Template Title,Процена Шаблон Наслов
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Од датум {0} {1} вработените не може да биде пред да се приклучи Датум на вработениот {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Комерцијален
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Комерцијален
DocType: Payment Entry,Account Paid To,Сметка Платиле да
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Родител Точка {0} не мора да биде Акции Точка
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Сите производи или услуги.
DocType: Expense Claim,More Details,Повеќе детали
DocType: Supplier Quotation,Supplier Address,Добавувачот адреса
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} буџетот на сметка {1} од {2} {3} е {4}. Тоа ќе се надмине со {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Ред {0} # сметка мора да биде од типот "основни средства"
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Од Количина
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Правила за да се пресмета износот превозот за продажба
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Ред {0} # сметка мора да биде од типот "основни средства"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Од Количина
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Правила за да се пресмета износот превозот за продажба
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Серија е задолжително
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Финансиски Услуги
DocType: Student Sibling,Student ID,студентски проект
@@ -3479,13 +3502,13 @@
DocType: Tax Rule,Sales,Продажба
DocType: Stock Entry Detail,Basic Amount,Основицата
DocType: Training Event,Exam,испит
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Магацински потребни за акции Точка {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Магацински потребни за акции Точка {0}
DocType: Leave Allocation,Unused leaves,Неискористени листови
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,Платежна држава
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Трансфер
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} не се поврзани со сметка партија {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Земи експлодира Бум (вклучувајќи ги и потсклопови)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} не се поврзани со сметка партија {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Земи експлодира Бум (вклучувајќи ги и потсклопови)
DocType: Authorization Rule,Applicable To (Employee),Применливи To (вработените)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Поради Датум е задолжително
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Интервалот за Атрибут {0} не може да биде 0
@@ -3513,7 +3536,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Суровина Точка законик
DocType: Journal Entry,Write Off Based On,Отпише врз основа на
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Направете Водач
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Печатење и идентитет
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Печатење и идентитет
DocType: Stock Settings,Show Barcode Field,Прикажи Баркод поле
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Испрати Добавувачот пораки
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",Плата веќе обработени за периодот од {0} и {1} Остави период апликација не може да биде помеѓу овој период.
@@ -3521,14 +3544,16 @@
DocType: Guardian Interest,Guardian Interest,Гардијан камати
apps/erpnext/erpnext/config/hr.py +177,Training,обука
DocType: Timesheet,Employee Detail,детали за вработените
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 e-mail проект
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 e-mail проект
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 e-mail проект
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 e-mail проект
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,ден следниот датум и Повторете на Денот од месецот мора да биде еднаква
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Подесувања за веб-сајт почетната страница од пребарувачот
DocType: Offer Letter,Awaiting Response,Чекам одговор
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Над
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Над
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},Невалиден атрибут {0} {1}
DocType: Supplier,Mention if non-standard payable account,"Спомене, ако не-стандардни плаќа сметката"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Истата ставка се внесени повеќе пати. {Листа}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Ве молиме изберете ја групата за процена освен "Сите групи оценување"
DocType: Salary Slip,Earning & Deduction,Заработувајќи & Одбивање
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Опционални. Оваа поставка ќе се користи за филтрирање на различни трансакции.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Негативни Вреднување стапка не е дозволено
@@ -3542,9 +3567,9 @@
DocType: Sales Invoice,Product Bundle Help,Производ Бовча Помош
,Monthly Attendance Sheet,Месечен евидентен лист
DocType: Production Order Item,Production Order Item,Производството со цел Точка
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Не се пронајдени рекорд
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Не се пронајдени рекорд
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Цената на расходувани средства
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Цена центар е задолжително за ставката {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Цена центар е задолжително за ставката {2}
DocType: Vehicle,Policy No,Не политика
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Се предмети од производот Бовча
DocType: Asset,Straight Line,Права линија
@@ -3553,7 +3578,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Подели
DocType: GL Entry,Is Advance,Е напредување
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Публика од денот и Публика во тек е задолжително
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,"Ве молиме внесете 'се дава под договор ", како Да или Не"
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,"Ве молиме внесете 'се дава под договор ", како Да или Не"
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Датум на последната комуникација
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Датум на последната комуникација
DocType: Sales Team,Contact No.,Контакт број
@@ -3582,60 +3607,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,отворање вредност
DocType: Salary Detail,Formula,формула
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Сериски #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Комисијата за Продажба
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Комисијата за Продажба
DocType: Offer Letter Term,Value / Description,Вредност / Опис
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Ред # {0}: {1} средства не може да се поднесе, тоа е веќе {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Ред # {0}: {1} средства не може да се поднесе, тоа е веќе {2}"
DocType: Tax Rule,Billing Country,Платежна Земја
DocType: Purchase Order Item,Expected Delivery Date,Се очекува испорака датум
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Дебитни и кредитни не се еднакви за {0} # {1}. Разликата е во тоа {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Забава трошоци
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Направете материјал Барање
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Забава трошоци
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Направете материјал Барање
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Отвори Точка {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Продажната Фактура {0} мора да поништи пред да се поништи оваа Продажна Нарачка
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Години
DocType: Sales Invoice Timesheet,Billing Amount,Платежна Износ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,"Невалиден количество, дефинитивно за ставката {0}. Кол треба да биде поголем од 0."
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Апликации за отсуство.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Сметка со постоечките трансакцијата не може да се избришат
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Сметка со постоечките трансакцијата не може да се избришат
DocType: Vehicle,Last Carbon Check,Последните јаглерод Проверете
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Правни трошоци
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Правни трошоци
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Ве молиме изберете количина на ред
DocType: Purchase Invoice,Posting Time,Праќање пораки во Време
DocType: Timesheet,% Amount Billed,% Износ Опишан
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Телефонски трошоци
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Телефонски трошоци
DocType: Sales Partner,Logo,Логото
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Обележете го ова ако сакате да ги принуди на корисникот за да изберете серија пред зачувување. Нема да има стандардно Ако ја изберете оваа.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Не ставка со Сериски Не {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Не ставка со Сериски Не {0}
DocType: Email Digest,Open Notifications,Отворен Известувања
DocType: Payment Entry,Difference Amount (Company Currency),Разликата Износ (Фирма валута)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Директни трошоци
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Директни трошоци
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} е валиден e-mail адреса во "Известување \ Email адреса"
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Нов корисник приходи
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Патни трошоци
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Патни трошоци
DocType: Maintenance Visit,Breakdown,Дефект
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Сметка: {0} со валутна: не може да се одбрани {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Сметка: {0} со валутна: не може да се одбрани {1}
DocType: Bank Reconciliation Detail,Cheque Date,Чек Датум
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},На сметка {0}: Родител на сметка {1} не припаѓа на компанијата: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},На сметка {0}: Родител на сметка {1} не припаѓа на компанијата: {2}
DocType: Program Enrollment Tool,Student Applicants,студентите Кандидатите
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Успешно избришани сите трансакции поврзани со оваа компанија!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Успешно избришани сите трансакции поврзани со оваа компанија!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Како на датум
DocType: Appraisal,HR,човечки ресурси
DocType: Program Enrollment,Enrollment Date,Датумот на запишување
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Условна казна
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Условна казна
apps/erpnext/erpnext/config/hr.py +115,Salary Components,плата Делови
DocType: Program Enrollment Tool,New Academic Year,Новата академска година
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Врати / кредит Забелешка
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Врати / кредит Забелешка
DocType: Stock Settings,Auto insert Price List rate if missing,Авто вметнете Ценовник стапка ако недостасува
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Вкупно Исплатен износ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Вкупно Исплатен износ
DocType: Production Order Item,Transferred Qty,Пренесува Количина
apps/erpnext/erpnext/config/learn.py +11,Navigating,Навигацијата
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Планирање
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Издадени
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Планирање
+DocType: Material Request,Issued,Издадени
DocType: Project,Total Billing Amount (via Time Logs),Вкупен Износ на Наплата (преку Временски дневници)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Ние продаваме Оваа содржина
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Id снабдувач
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Ние продаваме Оваа содржина
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Id снабдувач
DocType: Payment Request,Payment Gateway Details,Исплата Портал Детали
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Количина треба да биде поголем од 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Количина треба да биде поголем од 0
DocType: Journal Entry,Cash Entry,Кеш Влегување
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,јазли дете може да се создаде само под јазли типот "група"
DocType: Leave Application,Half Day Date,Половина ден Датум
@@ -3647,14 +3673,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Поставете стандардна сметка во трошок Тип на приговор {0}
DocType: Assessment Result,Student Name,студентски Име
DocType: Brand,Item Manager,Точка менаџер
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,Даноци се плаќаат
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Даноци се плаќаат
DocType: Buying Settings,Default Supplier Type,Стандардно Добавувачот Тип
DocType: Production Order,Total Operating Cost,Вкупни Оперативни трошоци
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Забелешка: Точката {0} влегоа неколку пати
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Сите контакти.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Компанијата Кратенка
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Компанијата Кратенка
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Корисник {0} не постои
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,Суровина којашто не може да биде иста како главна точка
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Суровина којашто не може да биде иста како главна точка
DocType: Item Attribute Value,Abbreviation,Кратенка
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Плаќање Влегување веќе постои
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Не authroized од {0} надминува граници
@@ -3663,35 +3689,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Постави Данок Правило за количката
DocType: Purchase Invoice,Taxes and Charges Added,Даноци и давачки Додадено
,Sales Funnel,Продажбата на инка
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Кратенка задолжително
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Кратенка задолжително
DocType: Project,Task Progress,задача за напредокот
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Количка
,Qty to Transfer,Количина да се Трансфер на
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Понуди до Потенцијални клиенти или Клиенти.
DocType: Stock Settings,Role Allowed to edit frozen stock,Улогата дозволено да ја менувате замрзнати акции
,Territory Target Variance Item Group-Wise,Територија Целна Варијанса Точка група-wise
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Сите групи потрошувачи
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Сите групи потрошувачи
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Акумулирана Месечни
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} е задолжително. Можеби рекорд размена на валута не е создадена за {1} до {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} е задолжително. Можеби рекорд размена на валута не е создадена за {1} до {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Данок Шаблон е задолжително.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,На сметка {0}: Родител на сметка {1} не постои
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,На сметка {0}: Родител на сметка {1} не постои
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Ценовник стапка (Фирма валута)
DocType: Products Settings,Products Settings,производи Settings
DocType: Account,Temporary,Привремено
DocType: Program,Courses,курсеви
DocType: Monthly Distribution Percentage,Percentage Allocation,Процент Распределба
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Секретар
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Секретар
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Ако го исклучите, "Во зборовите" поле нема да бидат видливи во секоја трансакција"
DocType: Serial No,Distinct unit of an Item,Посебна единица мерка на ставката
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Поставете компанијата
DocType: Pricing Rule,Buying,Купување
DocType: HR Settings,Employee Records to be created by,Вработен евиденција да бидат создадени од страна
DocType: POS Profile,Apply Discount On,Применуваат попуст на
,Reqd By Date,Reqd Спореддатумот
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Доверителите
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Доверителите
DocType: Assessment Plan,Assessment Name,проценка Име
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Ред # {0}: Сериски Не е задолжително
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Точка Мудриот Данок Детална
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Институтот Кратенка
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Институтот Кратенка
,Item-wise Price List Rate,Точка-мудар Ценовник стапка
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Понуда од Добавувач
DocType: Quotation,In Words will be visible once you save the Quotation.,Во Зборови ќе бидат видливи откако ќе го спаси котација.
@@ -3699,14 +3726,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Количина ({0}) не може да биде дел во ред {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,собирање на претплатата
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Баркод {0} веќе се користи во ставка {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Баркод {0} веќе се користи во ставка {1}
DocType: Lead,Add to calendar on this date,Додади во календарот на овој датум
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Правила за додавање на трошоците за испорака.
DocType: Item,Opening Stock,отворање на Акции
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Се бара купувачи
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} е задолжително за враќање
DocType: Purchase Order,To Receive,За да добиете
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Личен е-маил
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Вкупна Варијанса
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ако е овозможено, системот ќе ја објавите на сметководствените ставки за попис автоматски."
@@ -3717,13 +3743,14 @@
DocType: Customer,From Lead,Од Потенцијален клиент
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Нарачка пуштени во производство.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Изберете фискалната година ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS Профил потребно да се направи ПОС Влегување
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS Профил потребно да се направи ПОС Влегување
DocType: Program Enrollment Tool,Enroll Students,Студентите кои се запишуваат
DocType: Hub Settings,Name Token,Име знак
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Стандардна Продажба
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Барем еден магацин е задолжително
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Барем еден магацин е задолжително
DocType: Serial No,Out of Warranty,Надвор од гаранција
DocType: BOM Replace Tool,Replace,Заменете
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Не се пронајдени производи.
DocType: Production Order,Unstopped,отпушат
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} во однос на Продажна фактура {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3734,13 +3761,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Акции Вредност разликата
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Човечки ресурси
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Плаќање помирување на плаќање
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Даночни средства
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Даночни средства
DocType: BOM Item,BOM No,BOM број
DocType: Instructor,INS/,ИНС /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Весник Влегување {0} нема сметка {1} или веќе се споредуваат со други ваучер
DocType: Item,Moving Average,Се движат просек
DocType: BOM Replace Tool,The BOM which will be replaced,Бум на која ќе биде заменет
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,електронска опрема
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,електронска опрема
DocType: Account,Debit,Дебитна
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Листови мора да бидат распределени во мултипли од 0,5"
DocType: Production Order,Operation Cost,Оперативни трошоци
@@ -3748,7 +3775,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Најдобро Амт
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Поставените таргети Точка група-мудар за ова продажбата на лице.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Замрзнување резерви постари од [Денови]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Ред # {0}: Асет е задолжително за фиксни средства купување / продажба
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Ред # {0}: Асет е задолжително за фиксни средства купување / продажба
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ако две или повеќе правила Цените се наоѓаат врз основа на горенаведените услови, се применува приоритет. Приоритет е број помеѓу 0 до 20, додека стандардната вредност е нула (празно). Поголем број значи дека ќе имаат предност ако има повеќе Цените правила со истите услови."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Фискална година: {0} не постои
DocType: Currency Exchange,To Currency,До Валута
@@ -3757,7 +3784,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},стапка за продажба точка {0} е пониска од својот {1}. продажба стапка треба да биде барем {2}
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},стапка за продажба точка {0} е пониска од својот {1}. продажба стапка треба да биде барем {2}
DocType: Item,Taxes,Даноци
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Платени и не предаде
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Платени и не предаде
DocType: Project,Default Cost Center,Стандардната цена центар
DocType: Bank Guarantee,End Date,Крај Датум
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,акции трансакции
@@ -3782,24 +3809,22 @@
DocType: Employee,Held On,Одржана на
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Производство Точка
,Employee Information,Вработен информации
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Стапка (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Стапка (%)
DocType: Stock Entry Detail,Additional Cost,Дополнителни трошоци
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Финансиска година Крај Датум
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Не може да се филтрираат врз основа на ваучер Не, ако се групираат според ваучер"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Направете Добавувачот цитат
DocType: Quality Inspection,Incoming,Дојдовни
DocType: BOM,Materials Required (Exploded),Потребни материјали (експлодира)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Додади корисниците на вашата организација, освен себе"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Датум на објавување не може да биде иднина
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Ред # {0}: Сериски Не {1} не се совпаѓа со {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Обичните Leave
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Обичните Leave
DocType: Batch,Batch ID,Серија проект
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Забелешка: {0}
,Delivery Note Trends,Испратница трендови
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Краток преглед на оваа недела
-,In Stock Qty,Во акциите на количество
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Во акциите на количество
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Сметка: {0} можат да се ажурираат само преку акции трансакции
-DocType: Program Enrollment,Get Courses,Земете курсеви
+DocType: Student Group Creation Tool,Get Courses,Земете курсеви
DocType: GL Entry,Party,Партија
DocType: Sales Order,Delivery Date,Датум на испорака
DocType: Opportunity,Opportunity Date,Можност Датум
@@ -3807,14 +3832,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Барање за прибирање понуди Точка
DocType: Purchase Order,To Bill,Бил
DocType: Material Request,% Ordered,Нареди%
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","За базирани разбира Група на студенти, се разбира ќе биде потврдена за секој студент од запишаните предмети во програмата за запишување."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Внесете е-мејл адреса, разделени со запирки, фактура ќе бидат испратени автоматски на одреден датум"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Плаќаат на парче
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Плаќаат на парче
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Ср. Купување стапка
DocType: Task,Actual Time (in Hours),Крај на времето (во часови)
DocType: Employee,History In Company,Во историјата на компанијата
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Билтени
DocType: Stock Ledger Entry,Stock Ledger Entry,Акции Леџер Влегување
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Клиентите> клиентот група> Територија
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Истата ставка се внесени повеќе пати
DocType: Department,Leave Block List,Остави Забрани Листа
DocType: Sales Invoice,Tax ID,Данок проект
@@ -3829,30 +3854,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} единици од {1} потребни {2} за да се заврши оваа трансакција.
DocType: Loan Type,Rate of Interest (%) Yearly,Каматна стапка (%) Годишен
DocType: SMS Settings,SMS Settings,SMS Settings
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Привремени сметки
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Црна
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Привремени сметки
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Црна
DocType: BOM Explosion Item,BOM Explosion Item,BOM разделен ставка по ставка
DocType: Account,Auditor,Ревизор
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} произведени ставки
DocType: Cheque Print Template,Distance from top edge,Одалеченост од горниот раб
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Ценовник {0} е оневозможено или не постои
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Ценовник {0} е оневозможено или не постои
DocType: Purchase Invoice,Return,Враќање
DocType: Production Order Operation,Production Order Operation,Производството со цел Операција
DocType: Pricing Rule,Disable,Оневозможи
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Начин на плаќање е потребно да се изврши плаќање
DocType: Project Task,Pending Review,Во очекување Преглед
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} не е запишано во серијата {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Асет {0} не може да се уништи, како што е веќе {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Вкупно Побарување за Расход (преку Побарување за Расход)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Id на купувачи
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Марк Отсутни
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Ред {0}: Валута на Бум # {1} треба да биде еднаква на избраната валута {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Ред {0}: Валута на Бум # {1} треба да биде еднаква на избраната валута {2}
DocType: Journal Entry Account,Exchange Rate,На девизниот курс
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Продај Побарувања {0} не е поднесен
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Продај Побарувања {0} не е поднесен
DocType: Homepage,Tag Line,таг линија
DocType: Fee Component,Fee Component,надомест Компонента
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,транспортен менаџмент
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Додадете ставки од
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Магацински {0}: Родител на сметка {1} не bolong на компанијата {2}
DocType: Cheque Print Template,Regular,редовни
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Вкупно weightage на сите критериуми за оценување мора да биде 100%
DocType: BOM,Last Purchase Rate,Последните Набавка стапка
@@ -3861,11 +3885,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Акции не може да постои на точка {0} бидејќи има варијанти
,Sales Person-wise Transaction Summary,Продажбата на лице-мудар Преглед на трансакциите
DocType: Training Event,Contact Number,Број за контакт
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Магацински {0} не постои
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Магацински {0} не постои
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Регистрирајте се за ERPNext Hub
DocType: Monthly Distribution,Monthly Distribution Percentages,Месечен Процентите Дистрибуција
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,На избраната ставка не може да има Batch
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","стапка на вреднување не најде за Точка {0}, кои се потребни да се направи на сметководствените ставки за {1} {2}. Ако објектот е transacting како вид на примерок во {1}, Ве молиме да се напомене дека во {1} маса точка. Ако не е, се создаде дојдовен акциите на трансакцијата за стапката на вреднување ставка или споменува во евиденцијата на објектот, а потоа се обиде доставување / поништување на овој запис"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","стапка на вреднување не најде за Точка {0}, кои се потребни да се направи на сметководствените ставки за {1} {2}. Ако објектот е transacting како вид на примерок во {1}, Ве молиме да се напомене дека во {1} маса точка. Ако не е, се создаде дојдовен акциите на трансакцијата за стапката на вреднување ставка или споменува во евиденцијата на објектот, а потоа се обиде доставување / поништување на овој запис"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% На материјалите доставени од ова за испорака
DocType: Project,Customer Details,Детали за корисници
DocType: Employee,Reports to,Извештаи до
@@ -3873,24 +3897,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Внесете URL параметар за примачот бр
DocType: Payment Entry,Paid Amount,Уплатениот износ
DocType: Assessment Plan,Supervisor,супервизор
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,онлајн
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,онлајн
,Available Stock for Packing Items,Достапни берза за материјали за пакување
DocType: Item Variant,Item Variant,Точка Варијанта
DocType: Assessment Result Tool,Assessment Result Tool,Проценка Резултат алатката
DocType: BOM Scrap Item,BOM Scrap Item,BOM на отпад/кало
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Поднесени налози не може да биде избришан
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Баланс на сметка веќе во Дебитна, не Ви е дозволено да се постави рамнотежа мора да биде "како" кредит ""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Управување со квалитет
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Поднесени налози не може да биде избришан
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Баланс на сметка веќе во Дебитна, не Ви е дозволено да се постави рамнотежа мора да биде "како" кредит ""
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Управување со квалитет
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Точка {0} е исклучена
DocType: Employee Loan,Repay Fixed Amount per Period,Отплати фиксен износ за период
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Ве молиме внесете количество за Точка {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Кредитна Забелешка Амт
DocType: Employee External Work History,Employee External Work History,Вработен Надворешни Историја работа
DocType: Tax Rule,Purchase,Купување
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Биланс Количина
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Биланс Количина
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Цели не може да биде празна
DocType: Item Group,Parent Item Group,Родител Точка група
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Трошковни центри
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Трошковни центри
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Стапка по која добавувачот валута е претворена во основна валута компанијата
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Ред # {0}: Timings конфликти со ред {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Дозволете нула Вреднување курс
@@ -3898,17 +3923,18 @@
DocType: Training Event Employee,Invited,поканети
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Повеќе најде за вработените {0} за дадените датуми активни платежни структури
DocType: Opportunity,Next Contact,Следна Контакт
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Портал сметки поставување.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Портал сметки поставување.
DocType: Employee,Employment Type,Тип на вработување
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,"Основни средства,"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,"Основни средства,"
DocType: Payment Entry,Set Exchange Gain / Loss,Внесени курсни добивка / загуба
+,GST Purchase Register,GST Набавка Регистрирај се
,Cash Flow,Готовински тек
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Период апликација не може да биде во две alocation евиденција
DocType: Item Group,Default Expense Account,Стандардно сметка сметка
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Студент e-mail проект
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Студент e-mail проект
DocType: Employee,Notice (days),Известување (во денови)
DocType: Tax Rule,Sales Tax Template,Данок на промет Шаблон
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Изберете предмети за да се спаси фактура
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Изберете предмети за да се спаси фактура
DocType: Employee,Encashment Date,Датум на инкасо
DocType: Training Event,Internet,интернет
DocType: Account,Stock Adjustment,Акциите прилагодување
@@ -3937,7 +3963,7 @@
DocType: Guardian,Guardian Of ,чувар на
DocType: Grading Scale Interval,Threshold,праг
DocType: BOM Replace Tool,Current BOM,Тековни Бум
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Додади Сериски Не
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Додади Сериски Не
apps/erpnext/erpnext/config/support.py +22,Warranty,гаранција
DocType: Purchase Invoice,Debit Note Issued,Задолжување Издадено
DocType: Production Order,Warehouses,Магацини
@@ -3946,20 +3972,20 @@
DocType: Workstation,per hour,на час
apps/erpnext/erpnext/config/buying.py +7,Purchasing,купување
DocType: Announcement,Announcement,најава
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Сметка за складиште (Вечен Инвентар) ќе бидат создадени во рамките на оваа сметка.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Склад не може да биде избришан како што постои влез акции Леџер за оваа склад.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","За Batch врз основа Група на студенти, Студентската серија ќе биде потврдена за секој студент од програма за запишување."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Склад не може да биде избришан како што постои влез акции Леџер за оваа склад.
DocType: Company,Distribution,Дистрибуција
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Уплатениот износ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Проект менаџер
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Проект менаџер
,Quoted Item Comparison,Цитирано Точка споредба
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Испраќање
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Макс попуст дозволено за ставка: {0} е {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Испраќање
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Макс попуст дозволено за ставка: {0} е {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,"Нето вредноста на средствата, како на"
DocType: Account,Receivable,Побарувања
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Ред # {0}: Не е дозволено да се промени Добавувачот како веќе постои нарачка
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Ред # {0}: Не е дозволено да се промени Добавувачот како веќе постои нарачка
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Улогата што може да поднесе трансакции кои надминуваат кредитни лимити во собата.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Изберете предмети за производство
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Господар синхронизација на податоци, тоа може да потрае некое време"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Изберете предмети за производство
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Господар синхронизација на податоци, тоа може да потрае некое време"
DocType: Item,Material Issue,Материјал Број
DocType: Hub Settings,Seller Description,Продавачот Опис
DocType: Employee Education,Qualification,Квалификација
@@ -3979,7 +4005,6 @@
DocType: BOM,Rate Of Materials Based On,Стапка на материјали врз основа на
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Поддршка Аналитика
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Отстранете ги сите
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Компанијата се водат за исчезнати во магацини {0}
DocType: POS Profile,Terms and Conditions,Услови и правила
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Датум треба да биде во рамките на фискалната година. Претпоставувајќи Да најдам = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Овде можете да одржите висина, тежина, алергии, медицински проблеми итн"
@@ -3994,19 +4019,18 @@
DocType: Sales Order Item,For Production,За производство
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Види Task
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Вашата финансиска година започнува на
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / олово%
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / олово%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Средства амортизација и рамнотежа
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Износот {0} {1} премина од {2} до {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Износот {0} {1} премина од {2} до {3}
DocType: Sales Invoice,Get Advances Received,Се аванси
DocType: Email Digest,Add/Remove Recipients,Додадете / отстраните примачи
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Трансакцијата не е дозволено против запре производството со цел {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Трансакцијата не е дозволено против запре производството со цел {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Да го поставите на оваа фискална година како стандарден, кликнете на "Постави како стандарден""
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,Зачлени се
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Зачлени се
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Недостаток Количина
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Постои ставка варијанта {0} со истите атрибути
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Постои ставка варијанта {0} со истите атрибути
DocType: Employee Loan,Repay from Salary,Отплати од плата
DocType: Leave Application,LAP/,КРУГ/
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Барајќи исплата од {0} {1} за износот {2}
@@ -4017,34 +4041,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Генерирање пакување измолкнува за пакети да бидат испорачани. Се користи за да го извести пакет број, содржината на пакетот и неговата тежина."
DocType: Sales Invoice Item,Sales Order Item,Продај Побарувања Точка
DocType: Salary Slip,Payment Days,Плаќање дена
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Магацини со дете јазли не може да се конвертира Леџер
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Магацини со дете јазли не може да се конвертира Леџер
DocType: BOM,Manage cost of operations,Управување со трошоците на работење
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Кога било кој од обележаните трансакции се "поднесе", е-мејл pop-up автоматски се отвори да се испрати е-маил до поврзани "Контакт" во таа трансакција, со трансакцијата како прилог. Корисникот може или не може да го испрати е-мејл."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Општи нагодувања
DocType: Assessment Result Detail,Assessment Result Detail,Проценка Резултат детали
DocType: Employee Education,Employee Education,Вработен образование
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Дупликат група точка најде во табелата на точката група
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,Потребно е да се достигне цена Ставка Детали.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,Потребно е да се достигне цена Ставка Детали.
DocType: Salary Slip,Net Pay,Нето плати
DocType: Account,Account,Сметка
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Сериски № {0} е веќе доби
,Requested Items To Be Transferred,Бара предмети да бидат префрлени
DocType: Expense Claim,Vehicle Log,возилото се Влез
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Магацински {0} не е поврзана со било која сметка, Ве молиме да креирате / водат соодветните (средства) се за склад."
DocType: Purchase Invoice,Recurring Id,Повторувачки Id
DocType: Customer,Sales Team Details,Тим за продажба Детали за
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Избриши засекогаш?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Избриши засекогаш?
DocType: Expense Claim,Total Claimed Amount,Вкупен Износ на Побарувања
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Потенцијални можности за продажба.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Неважечки {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Боледување
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Неважечки {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Боледување
DocType: Email Digest,Email Digest,Е-билтени
DocType: Delivery Note,Billing Address Name,Платежна адреса Име
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Одделот на мало
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Конфигурирање на вашиот школа во ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),База промени Износ (Фирма валута)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Не сметководствените ставки за следните магацини
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Не сметководствените ставки за следните магацини
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Зачувај го документот во прв план.
DocType: Account,Chargeable,Наплатени
DocType: Company,Change Abbreviation,Промена Кратенка
@@ -4062,7 +4085,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Се очекува испорака датум не може да биде пред нарачка Датум
DocType: Appraisal,Appraisal Template,Процена Шаблон
DocType: Item Group,Item Classification,Точка Класификација
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Бизнис менаџер за развој
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Бизнис менаџер за развој
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Одржување Посетете Цел
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Период
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Општи Леџер
@@ -4072,8 +4095,8 @@
DocType: Item Attribute Value,Attribute Value,Вредноста на атрибутот
,Itemwise Recommended Reorder Level,Itemwise Препорачани Пренареждане ниво
DocType: Salary Detail,Salary Detail,плата детали
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,Ве молиме изберете {0} Првиот
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Серија {0} од ставка {1} е истечен.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Ве молиме изберете {0} Првиот
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Серија {0} од ставка {1} е истечен.
DocType: Sales Invoice,Commission,Комисијата
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Временски план за производство.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,субтотална
@@ -4084,6 +4107,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`Замрзнување резерви Постарите Than` треба да биде помала од% d дена.
DocType: Tax Rule,Purchase Tax Template,Купување Данок Шаблон
,Project wise Stock Tracking,Проектот мудро берза за следење
+DocType: GST HSN Code,Regional,регионалната
DocType: Stock Entry Detail,Actual Qty (at source/target),Крај Количина (на изворот на / target)
DocType: Item Customer Detail,Ref Code,Реф законик
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Вработен евиденција.
@@ -4094,13 +4118,13 @@
DocType: Email Digest,New Purchase Orders,Нови нарачки
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Корен не може да има цена центар родител
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Изберете бренд ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Обука Настани / Резултати
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,"Акумулираната амортизација, како на"
DocType: Sales Invoice,C-Form Applicable,C-Форма Применливи
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Операција на времето мора да биде поголема од 0 за операција {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Складиште е задолжително
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Складиште е задолжително
DocType: Supplier,Address and Contacts,Адреса и контакти
DocType: UOM Conversion Detail,UOM Conversion Detail,Детална UOM конверзија
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Чувајте го веб пријателски 900px (w) од 100пк (ж)
DocType: Program,Program Abbreviation,Програмата Кратенка
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Производство цел не може да се зголеми во однос на точка Шаблон
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Обвиненијата се ажурирани Набавка Потврда против секоја ставка
@@ -4108,13 +4132,13 @@
DocType: Bank Guarantee,Start Date,Датум на почеток
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Распредели листови за одреден период.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Чекови и депозити неправилно исчистена
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,На сметка {0}: Вие не може да се додели како родител сметка
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,На сметка {0}: Вие не може да се додели како родител сметка
DocType: Purchase Invoice Item,Price List Rate,Ценовник стапка
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Креирај понуди на клиентите
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Покажуваат "Залиха" или "Не во парк" врз основа на акции на располагање во овој склад.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Бил на материјали (BOM)
DocType: Item,Average time taken by the supplier to deliver,Просечно време преземени од страна на снабдувачот да испорача
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,Резултат оценување
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,Резултат оценување
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Часови
DocType: Project,Expected Start Date,Се очекува Почеток Датум
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Отстрани точка ако обвиненијата не се применува на таа ставка
@@ -4128,25 +4152,24 @@
DocType: Workstation,Operating Costs,Оперативни трошоци
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Акција доколку акумулираните Месечен буџет пречекорување
DocType: Purchase Invoice,Submit on creation,Достават на создавањето
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Валута за {0} мора да биде {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Валута за {0} мора да биде {1}
DocType: Asset,Disposal Date,отстранување Датум
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Пораките ќе бидат испратени до сите активни вработени на компанијата во дадениот час, ако тие немаат одмор. Резиме на одговорите ќе бидат испратени на полноќ."
DocType: Employee Leave Approver,Employee Leave Approver,Вработен Остави Approver
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Ред {0}: Тоа е внесување Пренареждане веќе постои за оваа магацин {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Ред {0}: Тоа е внесување Пренареждане веќе постои за оваа магацин {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Не може да се декларираат како изгубени, бидејќи цитат е направен."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,обука Повратни информации
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Производство на налози {0} мора да се поднесе
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Производство на налози {0} мора да се поднесе
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Ве молиме одберете Start Датум и краен датум за Точка {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Курсот е задолжително во ред {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,До денес не може да биде пред од денот
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Додај / Уреди цени
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Додај / Уреди цени
DocType: Batch,Parent Batch,родител Batch
DocType: Batch,Parent Batch,родител Batch
DocType: Cheque Print Template,Cheque Print Template,Чек Шаблон за печатење
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Шема на трошоците центри
,Requested Items To Be Ordered,Бара предмети да се средат
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,Магацински компанијата мора да биде иста како компанија сметка
DocType: Price List,Price List Name,Ценовник Име
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Секојдневната работа Резиме за {0}
DocType: Employee Loan,Totals,Вкупни вредности
@@ -4168,55 +4191,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Ве молиме внесете валидна мобилен бр
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Ве молиме внесете ја пораката пред испраќањето
DocType: Email Digest,Pending Quotations,Во очекување Цитати
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Point-of-Продажба Профил
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Продажба Профил
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Ве молиме инсталирајте SMS Settings
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Необезбедени кредити
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Необезбедени кредити
DocType: Cost Center,Cost Center Name,Чини Име центар
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Макс работни часови против timesheet
DocType: Maintenance Schedule Detail,Scheduled Date,Закажаниот датум
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Вкупно Исплатени изн.
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Вкупно Исплатени изн.
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Пораки поголема од 160 карактери ќе бидат поделени во повеќе пораки
DocType: Purchase Receipt Item,Received and Accepted,Примени и прифатени
+,GST Itemised Sales Register,GST Индивидуална продажба Регистрирај се
,Serial No Service Contract Expiry,Сериски Нема договор за услуги Важи
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Вие не може да кредитни и дебитни истата сметка во исто време
DocType: Naming Series,Help HTML,Помош HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Група на студенти инструмент за создавање на
DocType: Item,Variant Based On,Варијанта врз основа на
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Вкупно weightage доделени треба да биде 100%. Тоа е {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Вашите добавувачи
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Вашите добавувачи
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Не може да се постави како изгубени како Продај Побарувања е направен.
DocType: Request for Quotation Item,Supplier Part No,Добавувачот Дел Не
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',не може да се одбие кога категорија е наменета за "оценка" или "Vaulation и вкупно"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Добиени од
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Добиени од
DocType: Lead,Converted,Конвертираната
DocType: Item,Has Serial No,Има серија №
DocType: Employee,Date of Issue,Датум на издавање
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Од {0} {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Како на Settings Купување ако Набавка Reciept задолжителни == "ДА", тогаш за создавање Набавка фактура, корисникот треба да се создаде Набавка Потврда за прв елемент {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Ред # {0}: Постави Добавувачот за ставката {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Ред {0}: часови вредност мора да биде поголема од нула.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Веб-страница на слика {0} прилог Точка {1} Не може да се најде
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Веб-страница на слика {0} прилог Точка {1} Не може да се најде
DocType: Issue,Content Type,Типот на содржина
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Компјутер
DocType: Item,List this Item in multiple groups on the website.,Листа на оваа точка во повеќе групи на веб страната.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Ве молиме проверете ја опцијата Мулти Валута да им овозможи на сметки со друга валута
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Точка: {0} не постои во системот
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Немате дозвола да го поставите Замрзнати вредност
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Точка: {0} не постои во системот
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Немате дозвола да го поставите Замрзнати вредност
DocType: Payment Reconciliation,Get Unreconciled Entries,Земете неусогласеност записи
DocType: Payment Reconciliation,From Invoice Date,Фактура од Датум
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,Платежна валута мора да биде еднаков на валута или партиската сметка валута или comapany е стандардно
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Оставете Инкасо
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Што да направам?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,Платежна валута мора да биде еднаков на валута или партиската сметка валута или comapany е стандардно
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Оставете Инкасо
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Што да направам?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Да се Магацински
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Сите студентски приемните
,Average Commission Rate,Просечната стапка на Комисијата
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,"""Серискиот број"" не може да биде ""Да"" за не-складишни ставки"
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""Серискиот број"" не може да биде ""Да"" за не-складишни ставки"
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Публика не можат да бидат означени за идните датуми
DocType: Pricing Rule,Pricing Rule Help,Цените Правило Помош
DocType: School House,House Name,Име куќа
DocType: Purchase Taxes and Charges,Account Head,Сметка на главата
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Ажурирање на дополнителни трошоци за да се пресмета слета трошоците за предмети
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Електрични
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Електрични
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,"Додадете го остатокот од вашата организација, како на вашите корисници. Можете исто така да ги покани на клиентите да вашиот портал со додавање на нив од Contacts"
DocType: Stock Entry,Total Value Difference (Out - In),Вкупно Разлика во Вредност (Излез - Влез)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Ред {0}: курс е задолжително
@@ -4226,7 +4251,7 @@
DocType: Item,Customer Code,Код на клиентите
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Роденден Потсетник за {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Дена од денот на нарачка
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Должење на сметка мора да биде на сметка Биланс на состојба
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Должење на сметка мора да биде на сметка Биланс на состојба
DocType: Buying Settings,Naming Series,Именување Серија
DocType: Leave Block List,Leave Block List Name,Остави Забрани Листа на Име
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Дата на започнување осигурување треба да биде помал од осигурување Дата на завршување
@@ -4241,27 +4266,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Плата фиш на вработените {0} веќе создадена за време лист {1}
DocType: Vehicle Log,Odometer,километража
DocType: Sales Order Item,Ordered Qty,Нареди Количина
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Ставката {0} е оневозможено
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Ставката {0} е оневозможено
DocType: Stock Settings,Stock Frozen Upto,Акции Замрзнати до
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM не содржи количини
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM не содржи количини
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Период од периодот и роковите на задолжителна за периодични {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Проектна активност / задача.
DocType: Vehicle Log,Refuelling Details,Полнење Детали
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Генерирање на исплатните листи
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Купување мора да се провери, ако е применливо за е избран како {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Купување мора да се провери, ако е применливо за е избран како {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Попуст смее да биде помал од 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Последните купување стапка не е пронајден
DocType: Purchase Invoice,Write Off Amount (Company Currency),Отпише Износ (Фирма валута)
DocType: Sales Invoice Timesheet,Billing Hours,платежна часа
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,Аватарот на бирото за {0} не е пронајден
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Ред # {0}: Поставете редоследот квантитетот
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Ред # {0}: Поставете редоследот квантитетот
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Допрете ставки за да го додадете ги овде
DocType: Fees,Program Enrollment,програма за запишување
DocType: Landed Cost Voucher,Landed Cost Voucher,Слета Цена на ваучер
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Ве молиме да се постави {0}
DocType: Purchase Invoice,Repeat on Day of Month,Повторете на Денот од месецот
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} е неактивен ученикот
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} е неактивен ученикот
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} е неактивен ученикот
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} е неактивен ученикот
DocType: Employee,Health Details,Детали за здравство
DocType: Offer Letter,Offer Letter Terms,Понуда писмо Услови
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Да се создаде Барање исплата е потребно референтен документ
@@ -4283,7 +4308,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Пример:. ABCD ##### Доколку серијата е поставена и серискиот број, не се споменува во трансакции ќе се создадат автоматски сериски број врз основа на оваа серија. Ако вие сакате да креирате посебени Сериски броеви за оваа ставка, оставете го ова празно."
DocType: Upload Attendance,Upload Attendance,Upload Публика
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM и количина потребна за производство
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM и количина потребна за производство
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Стареењето опсег 2
DocType: SG Creation Tool Course,Max Strength,Макс Сила
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,Бум замени
@@ -4293,8 +4318,8 @@
,Prospects Engaged But Not Converted,"Изгледите ангажирани, но не се претворат"
DocType: Manufacturing Settings,Manufacturing Settings,"Подесување ""Производство"""
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Поставување Е-пошта
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Мобилен телефон
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Ве молиме внесете го стандардно валута во компанијата мајстор
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Мобилен телефон
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Ве молиме внесете го стандардно валута во компанијата мајстор
DocType: Stock Entry Detail,Stock Entry Detail,Акции Влегување Детална
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Дневен Потсетници
DocType: Products Settings,Home Page is Products,Главна страница е Производи
@@ -4303,7 +4328,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Нови име на сметка
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Суровини и материјали обезбедени Цена
DocType: Selling Settings,Settings for Selling Module,Нагодувања за модулот Продажби
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Услуги за Потрошувачи
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Услуги за Потрошувачи
DocType: BOM,Thumbnail,Thumbnail
DocType: Item Customer Detail,Item Customer Detail,Точка Детали за корисници
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Понуда кандидат работа.
@@ -4312,7 +4337,7 @@
DocType: Pricing Rule,Percentage,процент
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Точка {0} мора да биде акции Точка
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Стандардно работа во магацин за напредокот
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Стандардните поставувања за сметководствени трансакции.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Стандардните поставувања за сметководствени трансакции.
DocType: Maintenance Visit,MV,МВ
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Очекуваниот датум не може да биде пред Материјал Барање Датум
DocType: Purchase Invoice Item,Stock Qty,акции Количина
@@ -4326,10 +4351,10 @@
DocType: Sales Order,Printing Details,Детали за печатење
DocType: Task,Closing Date,Краен датум
DocType: Sales Order Item,Produced Quantity,Произведената количина
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Инженер
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Инженер
DocType: Journal Entry,Total Amount Currency,Вкупниот износ Валута
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Барај Под собранија
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Точка законик бара во ред Нема {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Точка законик бара во ред Нема {0}
DocType: Sales Partner,Partner Type,Тип партнер
DocType: Purchase Taxes and Charges,Actual,Крај
DocType: Authorization Rule,Customerwise Discount,Customerwise попуст
@@ -4346,11 +4371,11 @@
DocType: Item Reorder,Re-Order Level,Повторно да Ниво
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Внесете предмети и планирани Количина за која сакате да се зголеми производството наредби или преземете суровини за анализа.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt шема
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Скратено работно време
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Скратено работно време
DocType: Employee,Applicable Holiday List,Применливи летни Листа
DocType: Employee,Cheque,Чек
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Серија освежено
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Тип на излагањето е задолжително
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Тип на излагањето е задолжително
DocType: Item,Serial Number Series,Сериски број Серија
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Складиште е задолжително за акциите Точка {0} во ред {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Мало и големо
@@ -4372,7 +4397,7 @@
DocType: BOM,Materials,Материјали
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ако не е означено, листата ќе мора да се додаде на секој оддел каде што треба да се примени."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Изворот и целните Магацински не може да биде ист
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Праќање пораки во денот и објавување време е задолжително
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Праќање пораки во денот и објавување време е задолжително
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Данок дефиниција за купување трансакции.
,Item Prices,Точка цени
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Во Зборови ќе бидат видливи откако ќе го спаси нарачка.
@@ -4382,22 +4407,23 @@
DocType: Purchase Invoice,Advance Payments,Аконтации
DocType: Purchase Taxes and Charges,On Net Total,На Нето Вкупно
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Вредноста за атрибутот {0} мора да биде во рамките на опсег од {1} до {2} во интервали од {3} за Точка {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Целна магацин во ред {0} мора да биде иста како цел производство
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Целна магацин во ред {0} мора да биде иста како цел производство
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,"Известување-мејл адреси не е наведен за повторување на% s
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,Валута не може да се промени по правење записи со употреба на други валута
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Валута не може да се промени по правење записи со употреба на други валута
DocType: Vehicle Service,Clutch Plate,спојката Плоча
DocType: Company,Round Off Account,Заокружуваат профил
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Административни трошоци
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Административни трошоци
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Консалтинг
DocType: Customer Group,Parent Customer Group,Родител група на потрошувачи
DocType: Purchase Invoice,Contact Email,Контакт E-mail
DocType: Appraisal Goal,Score Earned,Резултат Заработени
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Отказен рок
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Отказен рок
DocType: Asset Category,Asset Category Name,Средства Име на категоријата
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Ова е коренот територија и не може да се уредува.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Име на нови продажбата на лице
DocType: Packing Slip,Gross Weight UOM,Бруто тежина на апаратот UOM
DocType: Delivery Note Item,Against Sales Invoice,Во однос на Продажна фактура
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Ве молиме внесете сериски броеви за серијали точка
DocType: Bin,Reserved Qty for Production,Резервирано Количина за производство
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Оставете неизбрано ако не сакате да се разгледа серија правејќи се разбира врз основа групи.
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Оставете неизбрано ако не сакате да се разгледа серија правејќи се разбира врз основа групи.
@@ -4406,25 +4432,25 @@
DocType: Landed Cost Item,Landed Cost Item,Слета Цена Точка
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Прикажи нула вредности
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Количина на ставки добиени по производство / препакувани од дадени количини на суровини
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Поставување на едноставен веб-сајт за мојата организација
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Поставување на едноставен веб-сајт за мојата организација
DocType: Payment Reconciliation,Receivable / Payable Account,Побарувања / Платив сметка
DocType: Delivery Note Item,Against Sales Order Item,Во однос на ставка од продажна нарачка
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},Ве молиме наведете Атрибут Вредноста за атрибутот {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},Ве молиме наведете Атрибут Вредноста за атрибутот {0}
DocType: Item,Default Warehouse,Стандардно Магацински
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Буџетот не може да биде доделен од група на сметка {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Ве молиме внесете цена центар родител
DocType: Delivery Note,Print Without Amount,Печати Без Износ
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,амортизација Датум
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Даночната Категорија не може да биде ""Вреднување"" или ""Вреднување и Вкупно"" бидејќи сите артикли се артикли без лагер"
DocType: Issue,Support Team,Тим за поддршка
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Застареност (во денови)
DocType: Appraisal,Total Score (Out of 5),Вкупен Резултат (Од 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Серија
+DocType: Student Attendance Tool,Batch,Серија
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Биланс
DocType: Room,Seating Capacity,седишта капацитет
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Вкупно Побарување за Расход (преку Побарувања за Расходи)
+DocType: GST Settings,GST Summary,GST Резиме
DocType: Assessment Result,Total Score,вкупниот резултат
DocType: Journal Entry,Debit Note,Задолжување
DocType: Stock Entry,As per Stock UOM,Како по акција UOM
@@ -4436,12 +4462,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Стандардно готови стоки Магацински
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Продажбата на лице
DocType: SMS Parameter,SMS Parameter,SMS Параметар
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Буџетот и трошоците центар
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Буџетот и трошоците центар
DocType: Vehicle Service,Half Yearly,Половина годишно
DocType: Lead,Blog Subscriber,Блог Претплатникот
DocType: Guardian,Alternate Number,Алтернативен број
DocType: Assessment Plan Criteria,Maximum Score,максимален број на бодови
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Создаде правила за ограничување на трансакции врз основа на вредности.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Не група тек
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Оставете го празно ако се направи на студентите групи годишно
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Оставете го празно ако се направи на студентите групи годишно
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Ако е обележано, Вкупно бр. на работните денови ќе бидат вклучени празници, а со тоа ќе се намали вредноста на платата по ден"
@@ -4461,6 +4488,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Ова е врз основа на трансакциите од овој корисник. Види времеплов подолу за детали
DocType: Supplier,Credit Days Based On,Кредитна дена врз основа на
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Ред {0}: висината на посебниот {1} мора да биде помала или еднаква на износот на плаќање за влез {2}
+,Course wise Assessment Report,Курс мудро Елаборат
DocType: Tax Rule,Tax Rule,Данок Правило
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Одржување на иста стапка текот продажбата циклус
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,План Време на дневници надвор Workstation работно време.
@@ -4469,7 +4497,7 @@
,Items To Be Requested,Предмети да се бара
DocType: Purchase Order,Get Last Purchase Rate,Земете Последна Набавка стапка
DocType: Company,Company Info,Инфо за компанијата
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Изберете или да додадете нови клиенти
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Изберете или да додадете нови клиенти
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,центар за трошоци е потребно да се резервира на барање за сметка
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Примена на средства (средства)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Ова се базира на присуството на вработениот
@@ -4477,27 +4505,29 @@
DocType: Fiscal Year,Year Start Date,Година започнува на Датум
DocType: Attendance,Employee Name,Име на вработениот
DocType: Sales Invoice,Rounded Total (Company Currency),Вкупно Заокружено (Валута на Фирма)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,"Не може да се тајните на група, бидејќи е избран тип на сметка."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Не може да се тајните на група, бидејќи е избран тип на сметка."
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} е изменета. Ве молиме да се одмориме.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Стоп за корисниците од правење Остави апликации на наредните денови.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,купување износ
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Добавувачот Цитати {0} создадена
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Крајот на годината не може да биде пред почетокот на годината
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Користи за вработените
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Користи за вработените
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Спакувани количество мора да биде еднаков количина за ставката {0} во ред {1}
DocType: Production Order,Manufactured Qty,Произведени Количина
DocType: Purchase Receipt Item,Accepted Quantity,Прифатени Кол
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Поставете стандардно летни Листа за вработените {0} или куќа {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} не постои
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} не постои
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Изберете Серија броеви
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Сметки се зголеми на клиенти.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,На проект
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Ред Нема {0}: Износ не може да биде поголема од До Износ против расходи Тврдат {1}. Во очекување сума е {2}
DocType: Maintenance Schedule,Schedule,Распоред
DocType: Account,Parent Account,Родител профил
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Достапни
DocType: Quality Inspection Reading,Reading 3,Читање 3
,Hub,Центар
DocType: GL Entry,Voucher Type,Ваучер Тип
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Ценовник не е пронајдена или со посебни потреби
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Ценовник не е пронајдена или со посебни потреби
DocType: Employee Loan Application,Approved,Одобрени
DocType: Pricing Rule,Price,Цена
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Вработен ослободен на {0} мора да биде поставено како "Лево"
@@ -4508,7 +4538,8 @@
DocType: Selling Settings,Campaign Naming By,Именувањето на кампањата од страна на
DocType: Employee,Current Address Is,Тековни адреса е
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,изменета
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Опционални. Ја поставува стандардната валута компанијата, ако не е одредено."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Опционални. Ја поставува стандардната валута компанијата, ако не е одредено."
+DocType: Sales Invoice,Customer GSTIN,GSTIN клиентите
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Сметководствени записи во дневникот.
DocType: Delivery Note Item,Available Qty at From Warehouse,Количина на располагање од магацин
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,Ве молиме изберете Снимај вработените во прв план.
@@ -4516,7 +4547,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Ред {0}: Забава / профилот не се поклопува со {1} / {2} со {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Ве молиме внесете сметка сметка
DocType: Account,Stock,На акции
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Ред # {0}: Референтен документ тип треба да биде еден од нарачка, купување фактура или весник Влегување"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Ред # {0}: Референтен документ тип треба да биде еден од нарачка, купување фактура или весник Влегување"
DocType: Employee,Current Address,Тековна адреса
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ако предмет е варијанта на друг елемент тогаш опис, слики, цени, даноци и слично ќе бидат поставени од дефиниција освен ако експлицитно не е наведено"
DocType: Serial No,Purchase / Manufacture Details,Купување / Производство Детали за
@@ -4529,8 +4560,8 @@
DocType: Pricing Rule,Min Qty,Мин Количина
DocType: Asset Movement,Transaction Date,Датум на трансакција
DocType: Production Plan Item,Planned Qty,Планирани Количина
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Вкупен Данок
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,За Кол (Произведени Количина) се задолжителни
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Вкупен Данок
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,За Кол (Произведени Количина) се задолжителни
DocType: Stock Entry,Default Target Warehouse,Стандардно Целна Магацински
DocType: Purchase Invoice,Net Total (Company Currency),Нето Вкупно (Валута на Фирма)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Датумот на крајот на годинава не може да биде порано од датумот Година на започнување. Ве молам поправете датумите и обидете се повторно.
@@ -4544,15 +4575,12 @@
DocType: Hub Settings,Hub Settings,Settings центар
DocType: Project,Gross Margin %,Бруто маржа%
DocType: BOM,With Operations,Со операции
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Сметководствени записи се веќе направени во валута {0} за компанија {1}. Ве молиме одберете побарувања или треба да се плати сметката со валутна {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Сметководствени записи се веќе направени во валута {0} за компанија {1}. Ве молиме одберете побарувања или треба да се плати сметката со валутна {0}.
DocType: Asset,Is Existing Asset,Е постојните средства
DocType: Salary Detail,Statistical Component,Компонента за статистика
DocType: Salary Detail,Statistical Component,Компонента за статистика
-,Monthly Salary Register,Месечна плата Регистрирај се
DocType: Warranty Claim,If different than customer address,Ако се разликува од клиент адреса
DocType: BOM Operation,BOM Operation,BOM операции
-DocType: School Settings,Validate the Student Group from Program Enrollment,Потврда на група студенти од програмата за запишување
-DocType: School Settings,Validate the Student Group from Program Enrollment,Потврда на група студенти од програмата за запишување
DocType: Purchase Taxes and Charges,On Previous Row Amount,На претходниот ред Износ
DocType: Student,Home Address,Домашна адреса
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,пренос на средствата;
@@ -4560,28 +4588,27 @@
DocType: Training Event,Event Name,Име на настанот
apps/erpnext/erpnext/config/schools.py +39,Admission,Услови за прием
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Запишување за {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Сезоната за поставување на буџети, цели итн"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Точка {0} е шаблон, ве молиме изберете една од неговите варијанти"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Сезоната за поставување на буџети, цели итн"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Точка {0} е шаблон, ве молиме изберете една од неговите варијанти"
DocType: Asset,Asset Category,средства Категорија
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Купувачот
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Нето плата со која не може да биде негативен
DocType: SMS Settings,Static Parameters,Статични параметрите
DocType: Assessment Plan,Room,соба
DocType: Purchase Order,Advance Paid,Однапред платени
DocType: Item,Item Tax,Точка Данок
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Материјал на Добавувачот
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Акцизни Фактура
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Акцизни Фактура
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% чини повеќе од еднаш
DocType: Expense Claim,Employees Email Id,Вработените-пошта Id
DocType: Employee Attendance Tool,Marked Attendance,означени Публика
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Тековни обврски
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Тековни обврски
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Испрати маса SMS порака на вашите контакти
DocType: Program,Program Name,Име на програмата
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Сметаат дека даночните или полнење за
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Крај Количина е задолжително
DocType: Employee Loan,Loan Type,Тип на кредит
DocType: Scheduling Tool,Scheduling Tool,распоред алатка
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Со кредитна картичка
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Со кредитна картичка
DocType: BOM,Item to be manufactured or repacked,"Елемент, за да се произведе или да се препакува"
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Стандардните поставувања за акциите трансакции.
DocType: Purchase Invoice,Next Date,Следниот датум
@@ -4597,10 +4624,10 @@
DocType: Stock Entry,Repack,Repack
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Мора да ги зачувате форма пред да продолжите
DocType: Item Attribute,Numeric Values,Нумерички вредности
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Прикачи Logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Прикачи Logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,акции степени
DocType: Customer,Commission Rate,Комисијата стапка
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Направи Варијанта
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Направи Варијанта
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Апликации одмор блок од страна на одделот.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Тип на плаќање мора да биде еден од примање, Плати и внатрешен трансфер"
apps/erpnext/erpnext/config/selling.py +179,Analytics,анализатор
@@ -4608,45 +4635,45 @@
DocType: Vehicle,Model,модел
DocType: Production Order,Actual Operating Cost,Крај на оперативни трошоци
DocType: Payment Entry,Cheque/Reference No,Чек / Референтен број
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Корен не може да се уредува.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Корен не може да се уредува.
DocType: Item,Units of Measure,На мерните единици
DocType: Manufacturing Settings,Allow Production on Holidays,Овозможете производството за празниците
DocType: Sales Order,Customer's Purchase Order Date,Клиентите нарачка Датум
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Капитал
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Капитал
DocType: Shopping Cart Settings,Show Public Attachments,Прикажи јавни додатоци
DocType: Packing Slip,Package Weight Details,Пакет Тежина Детали за
DocType: Payment Gateway Account,Payment Gateway Account,Исплата Портал профил
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,По уплатата пренасочува корисникот да избраната страница.
DocType: Company,Existing Company,постојните компанија
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Данок Категорија е променето во "Вкупно", бидејќи сите предмети се не-акции ставки"
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Ве молиме изберете CSV датотека
DocType: Student Leave Application,Mark as Present,Означи како Тековен
DocType: Purchase Order,To Receive and Bill,За да примите и Бил
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Избрана Производи
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Дизајнер
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Дизајнер
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Услови и правила Шаблон
DocType: Serial No,Delivery Details,Детали за испорака
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Цена центар е потребно во ред {0} даноци во табелата за видот {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Цена центар е потребно во ред {0} даноци во табелата за видот {1}
DocType: Program,Program Code,Code програмата
DocType: Terms and Conditions,Terms and Conditions Help,Услови и правила Помош
,Item-wise Purchase Register,Точка-мудар Набавка Регистрирај се
DocType: Batch,Expiry Date,Датумот на истекување
-,Supplier Addresses and Contacts,Добавувачот адреси и контакти
,accounts-browser,сметки пребарувач
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,Ве молиме изберете категорија во првата
apps/erpnext/erpnext/config/projects.py +13,Project master.,Господар на проектот.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Да им овозможи на над-платежна или над-нарачување, ажурирање "додаток" во парк Прилагодувања или точка."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Да им овозможи на над-платежна или над-нарачување, ажурирање "додаток" во парк Прилагодувања или точка."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Не покажува никакви симбол како $ итн до валути.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Пола ден)
DocType: Supplier,Credit Days,Кредитна дена
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Направете Студентски Batch
DocType: Leave Type,Is Carry Forward,Е пренесување
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Земи ставки од BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Земи ставки од BOM
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Потенцијален клиент Време Денови
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Ред # {0}: Праќање пораки во Датум мора да биде иста како датум на купување {1} на средства {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Ред # {0}: Праќање пораки во Датум мора да биде иста како датум на купување {1} на средства {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Ве молиме внесете Продај Нарачка во горната табела
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Не е оставено исплатните листи
,Stock Summary,акции Резиме
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Трансфер на средства од еден склад во друг
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Трансфер на средства од еден склад во друг
DocType: Vehicle,Petrol,Петрол
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Бил на материјали
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Ред {0}: Тип партија и Партијата е потребно за побарувања / Платив сметка {1}
@@ -4657,6 +4684,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Износ санкционира
DocType: GL Entry,Is Opening,Се отвора
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Ред {0}: Дебитна влез не можат да бидат поврзани со {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,На сметка {0} не постои
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,На сметка {0} не постои
DocType: Account,Cash,Пари
DocType: Employee,Short biography for website and other publications.,Кратка биографија за веб-страница и други публикации.
diff --git a/erpnext/translations/ml.csv b/erpnext/translations/ml.csv
index adfbe1b..4152147 100644
--- a/erpnext/translations/ml.csv
+++ b/erpnext/translations/ml.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,കൺസ്യൂമർ ഉൽപ്പന്നങ്ങൾ
DocType: Item,Customer Items,ഉപഭോക്തൃ ഇനങ്ങൾ
DocType: Project,Costing and Billing,ആറെണ്ണവും ബില്ലിംഗ്
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,അക്കൗണ്ട് {0}: പാരന്റ് അക്കൌണ്ട് {1} അതെല്ലാം ഒരു ആകാൻ പാടില്ല
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,അക്കൗണ്ട് {0}: പാരന്റ് അക്കൌണ്ട് {1} അതെല്ലാം ഒരു ആകാൻ പാടില്ല
DocType: Item,Publish Item to hub.erpnext.com,Hub.erpnext.com വരെ ഇനം പ്രസിദ്ധീകരിക്കുക
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,ഇമെയിൽ അറിയിപ്പുകൾ
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,മൂല്യനിർണ്ണയം
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,മൂല്യനിർണ്ണയം
DocType: Item,Default Unit of Measure,അളവു സ്ഥിരസ്ഥിതി യൂണിറ്റ്
DocType: SMS Center,All Sales Partner Contact,എല്ലാ സെയിൽസ് പങ്കാളി കോണ്ടാക്ട്
DocType: Employee,Leave Approvers,Approvers വിടുക
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),വിനിമയ നിരക്ക് {1} {0} അതേ ആയിരിക്കണം ({2})
DocType: Sales Invoice,Customer Name,ഉപഭോക്താവിന്റെ പേര്
DocType: Vehicle,Natural Gas,പ്രകൃതി വാതകം
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},ബാങ്ക് അക്കൗണ്ട് {0} എന്ന് നാമകരണം ചെയ്യാൻ കഴിയില്ല
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},ബാങ്ക് അക്കൗണ്ട് {0} എന്ന് നാമകരണം ചെയ്യാൻ കഴിയില്ല
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,മേധാവികൾ (അല്ലെങ്കിൽ ഗ്രൂപ്പുകൾ) അക്കൗണ്ടിംഗ് വിഭാഗരേഖകൾ തീർത്തതു നീക്കിയിരിപ്പും സൂക്ഷിക്കുന്ന ഏത് നേരെ.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),പ്രമുഖ {0} പൂജ്യം ({1}) കുറവായിരിക്കണം കഴിയില്ല വേണ്ടി
DocType: Manufacturing Settings,Default 10 mins,10 മിനിറ്റ് സ്വതേ സ്വതേ
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,എല്ലാ വിതരണക്കാരൻ കോൺടാക്റ്റ്
DocType: Support Settings,Support Settings,പിന്തുണ സജ്ജീകരണങ്ങൾ
DocType: SMS Parameter,Parameter,പാരാമീറ്റർ
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,പ്രതീക്ഷിച്ച അവസാന തീയതി പ്രതീക്ഷിച്ച ആരംഭ തീയതി കുറവായിരിക്കണം കഴിയില്ല
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,പ്രതീക്ഷിച്ച അവസാന തീയതി പ്രതീക്ഷിച്ച ആരംഭ തീയതി കുറവായിരിക്കണം കഴിയില്ല
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,വരി # {0}: {2} ({3} / {4}): റേറ്റ് {1} അതേ ആയിരിക്കണം
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,പുതിയ അനുവാദ ആപ്ലിക്കേഷൻ
,Batch Item Expiry Status,ബാച്ച് ഇനം കാലഹരണപ്പെടൽ അവസ്ഥ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,ബാങ്ക് ഡ്രാഫ്റ്റ്
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,ബാങ്ക് ഡ്രാഫ്റ്റ്
DocType: Mode of Payment Account,Mode of Payment Account,പേയ്മെന്റ് അക്കൗണ്ട് മോഡ്
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,ഷോ രൂപഭേദങ്ങൾ
DocType: Academic Term,Academic Term,അക്കാദമിക് ടേം
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,മെറ്റീരിയൽ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,ക്വാണ്ടിറ്റി
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,അക്കൗണ്ടുകൾ മേശ ശൂന്യമായിടരുത്.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),വായ്പകൾ (ബാദ്ധ്യതകളും)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),വായ്പകൾ (ബാദ്ധ്യതകളും)
DocType: Employee Education,Year of Passing,പാസ് ആയ വര്ഷം
DocType: Item,Country of Origin,മാതൃരാജ്യം
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,സ്റ്റോക്കുണ്ട്
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,സ്റ്റോക്കുണ്ട്
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,തുറന്ന പ്രശ്നങ്ങൾ
DocType: Production Plan Item,Production Plan Item,പ്രൊഡക്ഷൻ പ്ലാൻ ഇനം
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},ഉപയോക്താവ് {0} ഇതിനകം എംപ്ലോയിസ് {1} നിയോഗിക്കുന്നു
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,ആരോഗ്യ പരിരക്ഷ
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),പേയ്മെന്റ് കാലതാമസം (ദിവസം)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,സേവന ചിലവേറിയ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},സീരിയൽ നമ്പർ: {0} ഇതിനകം സെയിൽസ് ഇൻവോയ്സ് പരാമർശിച്ചിരിക്കുന്ന ആണ്: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},സീരിയൽ നമ്പർ: {0} ഇതിനകം സെയിൽസ് ഇൻവോയ്സ് പരാമർശിച്ചിരിക്കുന്ന ആണ്: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,വികയപതം
DocType: Maintenance Schedule Item,Periodicity,ഇതേ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,സാമ്പത്തിക വർഷത്തെ {0} ആവശ്യമാണ്
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,വരി # {0}:
DocType: Timesheet,Total Costing Amount,ആകെ ആറെണ്ണവും തുക
DocType: Delivery Note,Vehicle No,വാഹനം ഇല്ല
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,വില ലിസ്റ്റ് തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,വില ലിസ്റ്റ് തിരഞ്ഞെടുക്കുക
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,വരി # {0}: പേയ്മെന്റ് പ്രമാണം trasaction പൂർത്തിയാക്കേണ്ടതുണ്ട്
DocType: Production Order Operation,Work In Progress,പ്രവൃത്തി പുരോഗതിയിലാണ്
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,തീയതി തിരഞ്ഞെടുക്കുക
DocType: Employee,Holiday List,ഹോളിഡേ പട്ടിക
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,കണക്കെഴുത്തുകാരന്
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,കണക്കെഴുത്തുകാരന്
DocType: Cost Center,Stock User,സ്റ്റോക്ക് ഉപയോക്താവ്
DocType: Company,Phone No,ഫോൺ ഇല്ല
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,കോഴ്സ് സമയക്രമം സൃഷ്ടിച്ചത്:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},പുതിയ {0}: # {1}
,Sales Partners Commission,സെയിൽസ് പങ്കാളികൾ കമ്മീഷൻ
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,ചുരുക്കെഴുത്ത് ലധികം 5 പ്രതീകങ്ങൾ കഴിയില്ല
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,ചുരുക്കെഴുത്ത് ലധികം 5 പ്രതീകങ്ങൾ കഴിയില്ല
DocType: Payment Request,Payment Request,പേയ്മെന്റ് അഭ്യർത്ഥന
DocType: Asset,Value After Depreciation,മൂല്യത്തകർച്ച ശേഷം മൂല്യം
DocType: Employee,O+,അവളുടെ O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,ഹാജർ തീയതി ജീവനക്കാരന്റെ ചേരുന്ന തീയതി കുറവ് പാടില്ല
DocType: Grading Scale,Grading Scale Name,ഗ്രേഡിംഗ് സ്കെയിൽ പേര്
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,ഇത് ഒരു റൂട്ട് അക്കൌണ്ട് ആണ് എഡിറ്റ് ചെയ്യാൻ കഴിയില്ല.
+DocType: Sales Invoice,Company Address,കമ്പനി വിലാസം
DocType: BOM,Operations,പ്രവര്ത്തനങ്ങള്
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},{0} വേണ്ടി ഡിസ്കൗണ്ട് അടിസ്ഥാനത്തിൽ അധികാരപ്പെടുത്തൽ സജ്ജമാക്കാൻ കഴിയില്ല
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","രണ്ടു നിരകൾ, പഴയ പേര് ഒന്നു പുതിയ പേര് ഒന്നു കൂടി .csv ഫയൽ അറ്റാച്ച്"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} അല്ല സജീവമായ സാമ്പത്തിക വർഷത്തിൽ.
DocType: Packed Item,Parent Detail docname,പാരന്റ് വിശദാംശം docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","പരാമർശം: {2}: {0}, ഇനം കോഡ്: {1} ഉപഭോക്തൃ"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,കി. ഗ്രാം
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,കി. ഗ്രാം
DocType: Student Log,Log,പ്രവേശിക്കുക
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,ഒരു ജോലിക്കായി തുറക്കുന്നു.
DocType: Item Attribute,Increment,വർദ്ധന
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,അഡ്വർടൈസിങ്
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,ഒരേ കമ്പനി ഒന്നിലധികം തവണ നൽകുമ്പോഴുള്ള
DocType: Employee,Married,വിവാഹിത
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},{0} അനുവദനീയമല്ല
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},{0} അനുവദനീയമല്ല
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,നിന്ന് ഇനങ്ങൾ നേടുക
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},ഓഹരി ഡെലിവറി നോട്ട് {0} നേരെ അപ്ഡേറ്റ് ചെയ്യാൻ സാധിക്കില്ല
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},ഓഹരി ഡെലിവറി നോട്ട് {0} നേരെ അപ്ഡേറ്റ് ചെയ്യാൻ സാധിക്കില്ല
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},ഉൽപ്പന്ന {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,ഇനങ്ങളൊന്നും ലിസ്റ്റ്
DocType: Payment Reconciliation,Reconcile,രഞ്ജിപ്പുണ്ടാക്കണം
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,അടുത്ത മൂല്യത്തകർച്ച തീയതി വാങ്ങിയ തിയതി ആകരുത്
DocType: SMS Center,All Sales Person,എല്ലാ സെയിൽസ് വ്യാക്തി
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** പ്രതിമാസ വിതരണം ** നിങ്ങളുടെ ബിസിനസ്സിൽ seasonality ഉണ്ടെങ്കിൽ മാസം ഉടനീളം ബജറ്റ് / target വിതരണം സഹായിക്കുന്നു.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,കണ്ടെത്തിയില്ല ഇനങ്ങൾ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,കണ്ടെത്തിയില്ല ഇനങ്ങൾ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,ശമ്പള ഘടന കാണാതായ
DocType: Lead,Person Name,വ്യക്തി നാമം
DocType: Sales Invoice Item,Sales Invoice Item,സെയിൽസ് ഇൻവോയിസ് ഇനം
DocType: Account,Credit,ക്രെഡിറ്റ്
DocType: POS Profile,Write Off Cost Center,കോസ്റ്റ് കേന്ദ്രം ഓഫാക്കുക എഴുതുക
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",ഉദാ: "പ്രൈമറി സ്കൂൾ" അല്ലെങ്കിൽ "യൂണിവേഴ്സിറ്റി"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",ഉദാ: "പ്രൈമറി സ്കൂൾ" അല്ലെങ്കിൽ "യൂണിവേഴ്സിറ്റി"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,ഓഹരി റിപ്പോർട്ടുകൾ
DocType: Warehouse,Warehouse Detail,വെയർഹൗസ് വിശദാംശം
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},ക്രെഡിറ്റ് പരിധി {1} / {2} {0} ഉപഭോക്താവിന് മുറിച്ചുകടന്നു ചെയ്തു
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},ക്രെഡിറ്റ് പരിധി {1} / {2} {0} ഉപഭോക്താവിന് മുറിച്ചുകടന്നു ചെയ്തു
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ടേം അവസാന തീയതി പിന്നീട് ഏത് പദം (അക്കാദമിക് വർഷം {}) ബന്ധിപ്പിച്ചിട്ടുള്ളാതാവനായി അക്കാദമിക വർഷത്തിന്റെ വർഷം അവസാനം തീയതി കൂടുതലാകാൻ പാടില്ല. എൻറർ ശരിയാക്കി വീണ്ടും ശ്രമിക്കുക.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""ഫിക്സ്ഡ് സ്വത്ത്" അസറ്റ് റെക്കോർഡ് ഇനം നേരെ നിലവിലുള്ളതിനാൽ, അൺചെക്കുചെയ്തു പാടില്ല"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""ഫിക്സ്ഡ് സ്വത്ത്" അസറ്റ് റെക്കോർഡ് ഇനം നേരെ നിലവിലുള്ളതിനാൽ, അൺചെക്കുചെയ്തു പാടില്ല"
DocType: Vehicle Service,Brake Oil,ബ്രേക്ക് ഓയിൽ
DocType: Tax Rule,Tax Type,നികുതി തരം
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},നിങ്ങൾ {0} മുമ്പായി എൻട്രികൾ ചേർക്കാൻ അല്ലെങ്കിൽ അപ്ഡേറ്റ് ചെയ്യാൻ അധികാരമില്ല
DocType: BOM,Item Image (if not slideshow),ഇനം ഇമേജ് (അതില് അല്ല എങ്കിൽ)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,ഒരു കസ്റ്റമർ സമാന പേരിൽ നിലവിലുണ്ട്
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(അന്ത്യസമയം റേറ്റ് / 60) * യഥാർത്ഥ ഓപ്പറേഷൻ സമയം
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,BOM ൽ തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,BOM ൽ തിരഞ്ഞെടുക്കുക
DocType: SMS Log,SMS Log,എസ്എംഎസ് ലോഗ്
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,കൈമാറി ഇനങ്ങൾ ചെലവ്
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,ന് {0} അവധി തീയതി മുതൽ ദിവസവും തമ്മിലുള്ള അല്ല
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},{0} നിന്ന് {1} വരെ
DocType: Item,Copy From Item Group,ഇനം ഗ്രൂപ്പിൽ നിന്നും പകർത്തുക
DocType: Journal Entry,Opening Entry,എൻട്രി തുറക്കുന്നു
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,കസ്റ്റമർ> കസ്റ്റമർ ഗ്രൂപ്പ്> ടെറിട്ടറി
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,അക്കൗണ്ട് മാത്രം പണം നൽകുക
DocType: Employee Loan,Repay Over Number of Periods,കാലയളവിന്റെ എണ്ണം ഓവർ പകരം
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} {2} നൽകിയ എൻറോൾ ചെയ്തിട്ടില്ല
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} {2} നൽകിയ എൻറോൾ ചെയ്തിട്ടില്ല
DocType: Stock Entry,Additional Costs,അധിക ചെലവ്
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,നിലവിലുള്ള ഇടപാട് ഉപയോഗിച്ച് അക്കൗണ്ട് ഗ്രൂപ്പ് പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,നിലവിലുള്ള ഇടപാട് ഉപയോഗിച്ച് അക്കൗണ്ട് ഗ്രൂപ്പ് പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല.
DocType: Lead,Product Enquiry,ഉൽപ്പന്ന അറിയുവാനുള്ള
DocType: Academic Term,Schools,സ്കൂളുകൾ
+DocType: School Settings,Validate Batch for Students in Student Group,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് വിദ്യാർത്ഥികളുടെ ബാച്ച് സാധൂകരിക്കൂ
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},വേണ്ടി {1} {0} ജീവനക്കാരൻ കണ്ടെത്തിയില്ല ലീവ് റിക്കോർഡുകളൊന്നും
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,ആദ്യം കമ്പനി നൽകുക
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,കമ്പനി ആദ്യം തിരഞ്ഞെടുക്കുക
@@ -175,49 +176,49 @@
DocType: BOM,Total Cost,മൊത്തം ചെലവ്
DocType: Journal Entry Account,Employee Loan,ജീവനക്കാരുടെ വായ്പ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,പ്രവർത്തന ലോഗ്:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,ഇനം {0} വ്യവസ്ഥിതിയിൽ നിലവിലില്ല അല്ലെങ്കിൽ കാലഹരണപ്പെട്ടു
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,ഇനം {0} വ്യവസ്ഥിതിയിൽ നിലവിലില്ല അല്ലെങ്കിൽ കാലഹരണപ്പെട്ടു
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,റിയൽ എസ്റ്റേറ്റ്
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,അക്കൗണ്ട് പ്രസ്താവന
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,ഫാർമസ്യൂട്ടിക്കൽസ്
DocType: Purchase Invoice Item,Is Fixed Asset,ഫിക്സ്ഡ് സ്വത്ത്
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","ലഭ്യമായ അളവ് {0}, നിങ്ങൾ വേണമെങ്കിൽ {1} ആണ്"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","ലഭ്യമായ അളവ് {0}, നിങ്ങൾ വേണമെങ്കിൽ {1} ആണ്"
DocType: Expense Claim Detail,Claim Amount,ക്ലെയിം തുക
-DocType: Employee,Mr,മിസ്റ്റർ
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,cutomer ഗ്രൂപ്പ് പട്ടികയിൽ കണ്ടെത്തി തനിപ്പകർപ്പ് ഉപഭോക്തൃ ഗ്രൂപ്പ്
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,വിതരണക്കമ്പനിയായ ടൈപ്പ് / വിതരണക്കാരൻ
DocType: Naming Series,Prefix,പ്രിഫിക്സ്
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Consumable
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Consumable
DocType: Employee,B-,ലോകോത്തര
DocType: Upload Attendance,Import Log,ഇറക്കുമതി പ്രവർത്തനരേഖ
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,മുകളിൽ മാനദണ്ഡങ്ങൾ അടിസ്ഥാനമാക്കി തരം ഉത്പാദനം ഭൗതിക അഭ്യർത്ഥന വലിക്കുക
DocType: Training Result Employee,Grade,പദവി
DocType: Sales Invoice Item,Delivered By Supplier,വിതരണക്കാരൻ രക്ഷപ്പെടുത്തി
DocType: SMS Center,All Contact,എല്ലാ കോൺടാക്റ്റ്
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,ഇതിനകം BOM ലേക്ക് എല്ലാ ഇനങ്ങളും സൃഷ്ടിച്ച പ്രൊഡക്ഷൻ ഓർഡർ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,വാർഷിക ശമ്പളം
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,ഇതിനകം BOM ലേക്ക് എല്ലാ ഇനങ്ങളും സൃഷ്ടിച്ച പ്രൊഡക്ഷൻ ഓർഡർ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,വാർഷിക ശമ്പളം
DocType: Daily Work Summary,Daily Work Summary,നിത്യജീവിതത്തിലെ ഔദ്യോഗിക ചുരുക്കം
DocType: Period Closing Voucher,Closing Fiscal Year,അടയ്ക്കുന്ന ധനകാര്യ വർഷം
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} മരവിച്ചു
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,അക്കൗണ്ട്സ് ചാർട്ട് സൃഷ്ടിക്കുന്നതിനുള്ള കമ്പനി തിരഞ്ഞെടുക്കുക
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,സ്റ്റോക്ക് ചെലവുകൾ
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} മരവിച്ചു
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,അക്കൗണ്ട്സ് ചാർട്ട് സൃഷ്ടിക്കുന്നതിനുള്ള കമ്പനി തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,സ്റ്റോക്ക് ചെലവുകൾ
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,ടാർഗെറ്റ് വെയർഹൗസ് തിരഞ്ഞെടുക്കുക
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,ടാർഗെറ്റ് വെയർഹൗസ് തിരഞ്ഞെടുക്കുക
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,ദയവായി തിരഞ്ഞെടുത്ത ബന്ധപ്പെടുന്നതിനുള്ള ഇമെയിൽ നൽകുക
+DocType: Program Enrollment,School Bus,സ്കൂൾ ബസ്
DocType: Journal Entry,Contra Entry,കോൺട്ര എൻട്രി
DocType: Journal Entry Account,Credit in Company Currency,കമ്പനി കറൻസി ക്രെഡിറ്റ്
DocType: Delivery Note,Installation Status,ഇന്സ്റ്റലേഷന് അവസ്ഥ
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",നിങ്ങൾ ഹാജർ അപ്ഡേറ്റ് ചെയ്യാൻ താൽപ്പര്യമുണ്ടോ? <br> അവതരിപ്പിക്കുക: {0} \ <br> നിലവില്ല: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},സമ്മതിച്ച + Qty ഇനം {0} ലഭിച്ചത് അളവ് തുല്യമോ ആയിരിക്കണം നിരസിച്ചു
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},സമ്മതിച്ച + Qty ഇനം {0} ലഭിച്ചത് അളവ് തുല്യമോ ആയിരിക്കണം നിരസിച്ചു
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,വാങ്ങൽ വേണ്ടി സപ്ലൈ അസംസ്കൃത വസ്തുക്കൾ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,പേയ്മെന്റ് കുറഞ്ഞത് ഒരു മോഡ് POS ൽ ഇൻവോയ്സ് ആവശ്യമാണ്.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,പേയ്മെന്റ് കുറഞ്ഞത് ഒരു മോഡ് POS ൽ ഇൻവോയ്സ് ആവശ്യമാണ്.
DocType: Products Settings,Show Products as a List,ഒരു പട്ടിക ഉൽപ്പന്നങ്ങൾ കാണിക്കുക
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","ഫലകം ഡൗൺലോഡ്, ഉചിതമായ ഡാറ്റ പൂരിപ്പിക്കുക പ്രമാണത്തെ കൂട്ടിച്ചേർക്കുക. തിരഞ്ഞെടുത്ത കാലയളവിൽ എല്ലാ തീയതി ജീവനക്കാരൻ കോമ്പിനേഷൻ നിലവിലുള്ള ഹാജർ രേഖകളുമായി, ടെംപ്ലേറ്റ് വരും"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,ഇനം {0} സജീവ അല്ലെങ്കിൽ ജീവിതാവസാനം അല്ല എത്തികഴിഞ്ഞു
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,ഉദാഹരണം: അടിസ്ഥാന ഗണിതം
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","നികുതി ഉൾപ്പെടുത്തുന്നതിനായി നിരയിൽ {0} ഇനം നിരക്ക്, വരികൾ {1} ലെ നികുതികൾ കൂടി ഉൾപ്പെടുത്തും വേണം"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,ഇനം {0} സജീവ അല്ലെങ്കിൽ ജീവിതാവസാനം അല്ല എത്തികഴിഞ്ഞു
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,ഉദാഹരണം: അടിസ്ഥാന ഗണിതം
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","നികുതി ഉൾപ്പെടുത്തുന്നതിനായി നിരയിൽ {0} ഇനം നിരക്ക്, വരികൾ {1} ലെ നികുതികൾ കൂടി ഉൾപ്പെടുത്തും വേണം"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,എച്ച് മൊഡ്യൂൾ വേണ്ടി ക്രമീകരണങ്ങൾ
DocType: SMS Center,SMS Center,എസ്എംഎസ് കേന്ദ്രം
DocType: Sales Invoice,Change Amount,തുക മാറ്റുക
@@ -227,7 +228,7 @@
DocType: Lead,Request Type,അഭ്യർത്ഥന തരം
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,ജീവനക്കാരുടെ നിർമ്മിക്കുക
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,പ്രക്ഷേപണം
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,വധശിക്ഷയുടെ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,വധശിക്ഷയുടെ
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,പ്രവർത്തനങ്ങൾ വിശദാംശങ്ങൾ പുറത്തു കൊണ്ടുപോയി.
DocType: Serial No,Maintenance Status,മെയിൻറനൻസ് അവസ്ഥ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: വിതരണക്കാരൻ പേയബിൾ അക്കൗണ്ട് {2} നേരെ ആവശ്യമാണ്
@@ -255,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,ഉദ്ധരണി അഭ്യർത്ഥന ഇനിപ്പറയുന്ന ലിങ്കിൽ ക്ലിക്കുചെയ്ത് ആക്സസ് ചെയ്യാം
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,വർഷം ഇല മതി.
DocType: SG Creation Tool Course,SG Creation Tool Course,എസ്.ജി ക്രിയേഷൻ ടൂൾ കോഴ്സ്
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,അപര്യാപ്തമായ സ്റ്റോക്ക്
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,അപര്യാപ്തമായ സ്റ്റോക്ക്
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ശേഷി ആസൂത്രണ സമയം ട്രാക്കിംഗ് പ്രവർത്തനരഹിതമാക്കുക
DocType: Email Digest,New Sales Orders,പുതിയ സെയിൽസ് ഓർഡറുകൾ
DocType: Bank Guarantee,Bank Account,ബാങ്ക് അക്കൗണ്ട്
@@ -266,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log','ടൈം ലോഗ്' വഴി അപ്ഡേറ്റ്
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},അഡ്വാൻസ് തുക {0} {1} ശ്രേഷ്ഠ പാടില്ല
DocType: Naming Series,Series List for this Transaction,ഈ ഇടപാടിനായി സീരീസ് പട്ടിക
+DocType: Company,Enable Perpetual Inventory,ഞാനാകട്ടെ ഇൻവെന്ററി പ്രവർത്തനക്ഷമമാക്കുക
DocType: Company,Default Payroll Payable Account,സ്ഥിരസ്ഥിതി പേയ്റോൾ അടയ്ക്കേണ്ട അക്കൗണ്ട്
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,അപ്ഡേറ്റ് ഇമെയിൽ ഗ്രൂപ്പ്
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,അപ്ഡേറ്റ് ഇമെയിൽ ഗ്രൂപ്പ്
DocType: Sales Invoice,Is Opening Entry,എൻട്രി തുറക്കുകയാണ്
DocType: Customer Group,Mention if non-standard receivable account applicable,സ്റ്റാൻഡേർഡ് അല്ലാത്ത സ്വീകരിക്കുന്ന അക്കൌണ്ട് ബാധകമാണെങ്കിൽ പ്രസ്താവിക്കുക
DocType: Course Schedule,Instructor Name,പരിശീലകൻ പേര്
@@ -279,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,സെയിൽസ് ഇൻവോയിസ് ഇനം എഗെൻസ്റ്റ്
,Production Orders in Progress,പുരോഗതിയിലാണ് പ്രൊഡക്ഷൻ ഉത്തരവുകൾ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,ഫിനാൻസിംഗ് നിന്നുള്ള നെറ്റ് ക്യാഷ്
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage രക്ഷിച്ചില്ല, നിറഞ്ഞിരിക്കുന്നു"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage രക്ഷിച്ചില്ല, നിറഞ്ഞിരിക്കുന്നു"
DocType: Lead,Address & Contact,വിലാസം & ബന്ധപ്പെടാനുള്ള
DocType: Leave Allocation,Add unused leaves from previous allocations,മുൻ വിഹിതം നിന്ന് ഉപയോഗിക്കാത്ത ഇലകൾ ചേർക്കുക
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},അടുത്തത് ആവർത്തിക്കുന്നു {0} {1} സൃഷ്ടിക്കപ്പെടും
DocType: Sales Partner,Partner website,പങ്കാളി വെബ്സൈറ്റ്
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,ഇനം ചേർക്കുക
-,Contact Name,കോൺടാക്റ്റ് പേര്
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,കോൺടാക്റ്റ് പേര്
DocType: Course Assessment Criteria,Course Assessment Criteria,കോഴ്സ് അസസ്മെന്റ് മാനദണ്ഡം
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,മുകളിൽ സൂചിപ്പിച്ച മാനദണ്ഡങ്ങൾ ശമ്പളം സ്ലിപ്പ് തയ്യാറാക്കുന്നു.
DocType: POS Customer Group,POS Customer Group,POS കസ്റ്റമർ ഗ്രൂപ്പ്
@@ -294,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,വിവരണം നൽകിയിട്ടില്ല
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,വാങ്ങിയതിന് അഭ്യർത്ഥന.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,ഇത് ഈ പദ്ധതി നേരെ സൃഷ്ടിച്ച സമയം ഷീറ്റുകൾ അടിസ്ഥാനമാക്കിയുള്ളതാണ്
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,നെറ്റ് ശമ്പള 0 കുറവ് പാടില്ല
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,നെറ്റ് ശമ്പള 0 കുറവ് പാടില്ല
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,മാത്രം തിരഞ്ഞെടുത്ത അനുവാദ Approver ഈ അനുവാദ ആപ്ലിക്കേഷൻ സമർപ്പിക്കാം
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,തീയതി വിടുതൽ ചേരുന്നു തീയതി വലുതായിരിക്കണം
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,പ്രതിവർഷം ഇലകൾ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,പ്രതിവർഷം ഇലകൾ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,വരി {0}: ഈ അഡ്വാൻസ് എൻട്രി ആണ് എങ്കിൽ {1} അക്കൗണ്ട് നേരെ 'അഡ്വാൻസ് തന്നെയല്ലേ' പരിശോധിക്കുക.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},വെയർഹൗസ് {0} കൂട്ടത്തിന്റെ {1} സ്വന്തമല്ല
DocType: Email Digest,Profit & Loss,ലാഭം നഷ്ടം
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,ലിറ്റർ
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,ലിറ്റർ
DocType: Task,Total Costing Amount (via Time Sheet),ആകെ ആറെണ്ണവും തുക (ടൈം ഷീറ്റ് വഴി)
DocType: Item Website Specification,Item Website Specification,ഇനം വെബ്സൈറ്റ് സ്പെസിഫിക്കേഷൻ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,വിടുക തടയപ്പെട്ട
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},ഇനം {0} {1} ജീവിതം അതിന്റെ അവസാനം എത്തിയിരിക്കുന്നു
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},ഇനം {0} {1} ജീവിതം അതിന്റെ അവസാനം എത്തിയിരിക്കുന്നു
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,ബാങ്ക് എൻട്രികൾ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,വാർഷിക
DocType: Stock Reconciliation Item,Stock Reconciliation Item,ഓഹരി അനുരഞ്ജനം ഇനം
@@ -313,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,കുറഞ്ഞത് ഓർഡർ Qty
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് ക്രിയേഷൻ ടൂൾ കോഴ്സ്
DocType: Lead,Do Not Contact,ബന്ധപ്പെടുക ചെയ്യരുത്
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,നിങ്ങളുടെ ഓർഗനൈസേഷനിലെ പഠിപ്പിക്കാൻ ആളുകൾ
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,നിങ്ങളുടെ ഓർഗനൈസേഷനിലെ പഠിപ്പിക്കാൻ ആളുകൾ
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,എല്ലാ ആവർത്തന ഇൻവോയ്സുകൾ ട്രാക്കുചെയ്യുന്നതിനുള്ള അതുല്യ ഐഡി. സമർപ്പിക്കുക ന് ഉത്പാദിപ്പിക്കപ്പെടുന്നത്.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,സോഫ്റ്റ്വെയർ ഡെവലപ്പർ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,സോഫ്റ്റ്വെയർ ഡെവലപ്പർ
DocType: Item,Minimum Order Qty,മിനിമം ഓർഡർ Qty
DocType: Pricing Rule,Supplier Type,വിതരണക്കാരൻ തരം
DocType: Course Scheduling Tool,Course Start Date,കോഴ്സ് ആരംഭ തീയതി
@@ -324,11 +326,11 @@
DocType: Item,Publish in Hub,ഹബ് ലെ പ്രസിദ്ധീകരിക്കുക
DocType: Student Admission,Student Admission,വിദ്യാർത്ഥിയുടെ അഡ്മിഷൻ
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,ഇനം {0} റദ്ദാക്കി
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,ഇനം {0} റദ്ദാക്കി
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,മെറ്റീരിയൽ അഭ്യർത്ഥന
DocType: Bank Reconciliation,Update Clearance Date,അപ്ഡേറ്റ് ക്ലിയറൻസ് തീയതി
DocType: Item,Purchase Details,വിശദാംശങ്ങൾ വാങ്ങുക
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ഇനം {0} വാങ്ങൽ ഓർഡർ {1} ൽ 'അസംസ്കൃത വസ്തുക്കളുടെ നൽകിയത് മേശയിൽ കണ്ടെത്തിയില്ല
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},ഇനം {0} വാങ്ങൽ ഓർഡർ {1} ൽ 'അസംസ്കൃത വസ്തുക്കളുടെ നൽകിയത് മേശയിൽ കണ്ടെത്തിയില്ല
DocType: Employee,Relation,ബന്ധം
DocType: Shipping Rule,Worldwide Shipping,ലോകമൊട്ടാകെ ഷിപ്പിംഗ്
DocType: Student Guardian,Mother,അമ്മ
@@ -347,6 +349,7 @@
DocType: Student Group Student,Student Group Student,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് വിദ്യാർത്ഥി
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,പുതിയ
DocType: Vehicle Service,Inspection,പരിശോധന
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,പട്ടിക
DocType: Email Digest,New Quotations,പുതിയ ഉദ്ധരണികൾ
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,തിരഞ്ഞെടുത്ത ഇമെയിൽ ജീവനക്കാർ തിരഞ്ഞെടുത്ത അടിസ്ഥാനമാക്കി ജീവനക്കാരൻ ഇമെയിലുകൾ ശമ്പളം സ്ലിപ്പ്
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,പട്ടികയിലുള്ള ആദ്യത്തെ അനുവാദ Approver സ്വതവേയുള്ള അനുവാദ Approver സജ്ജമാക്കപ്പെടും
@@ -355,20 +358,20 @@
DocType: Asset,Next Depreciation Date,അടുത്ത മൂല്യത്തകർച്ച തീയതി
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,ജീവനക്കാർ ശതമാനം പ്രവർത്തനം ചെലവ്
DocType: Accounts Settings,Settings for Accounts,അക്കൗണ്ടുകൾക്കുമുള്ള ക്രമീകരണങ്ങൾ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},വിതരണക്കാരൻ ഇൻവോയ്സ് വാങ്ങൽ ഇൻവോയ്സ് {0} നിലവിലുണ്ട്
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},വിതരണക്കാരൻ ഇൻവോയ്സ് വാങ്ങൽ ഇൻവോയ്സ് {0} നിലവിലുണ്ട്
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,സെയിൽസ് പേഴ്സൺ ട്രീ നിയന്ത്രിക്കുക.
DocType: Job Applicant,Cover Letter,കവർ ലെറ്റർ
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,ക്ലിയർ നിലവിലുള്ള ചെക്കുകൾ ആൻഡ് നിക്ഷേപങ്ങൾ
DocType: Item,Synced With Hub,ഹബ് കൂടി സമന്വയിപ്പിച്ചു
DocType: Vehicle,Fleet Manager,ഫ്ലീറ്റ് മാനേജർ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},വരി # {0}: {1} ഇനം {2} നെഗറ്റീവ് പാടില്ല
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,തെറ്റായ പാസ്വേഡ്
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,തെറ്റായ പാസ്വേഡ്
DocType: Item,Variant Of,ഓഫ് വേരിയന്റ്
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',പൂർത്തിയാക്കി Qty 'Qty നിർമ്മിക്കാനുള്ള' വലുതായിരിക്കും കഴിയില്ല
DocType: Period Closing Voucher,Closing Account Head,അടയ്ക്കുന്ന അക്കൗണ്ട് ഹെഡ്
DocType: Employee,External Work History,പുറത്തേക്കുള്ള വർക്ക് ചരിത്രം
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,വൃത്താകൃതിയിലുള്ള റഫറൻസ് പിശക്
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,ഗുഅര്ദിഅന്൧ പേര്
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,ഗുഅര്ദിഅന്൧ പേര്
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,നിങ്ങൾ ഡെലിവറി നോട്ട് ലാഭിക്കാൻ ഒരിക്കൽ വാക്കുകൾ (എക്സ്പോർട്ട്) ൽ ദൃശ്യമാകും.
DocType: Cheque Print Template,Distance from left edge,ഇടത് അറ്റം നിന്നുള്ള ദൂരം
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{2}] (# ഫോം / വെയർഹൗസ് / {2}) ൽ കണ്ടെത്തിയ [{1}] യൂണിറ്റുകൾ (# ഫോം / ഇനം / {1})
@@ -377,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,ഓട്ടോമാറ്റിക് മെറ്റീരിയൽ അഭ്യർത്ഥന സൃഷ്ടിക്ക് ന് ഇമെയിൽ വഴി അറിയിക്കുക
DocType: Journal Entry,Multi Currency,മൾട്ടി കറൻസി
DocType: Payment Reconciliation Invoice,Invoice Type,ഇൻവോയിസ് തരം
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,ഡെലിവറി നോട്ട്
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,ഡെലിവറി നോട്ട്
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,നികുതികൾ സജ്ജമാക്കുന്നു
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,വിറ്റത് അസറ്റ് ചെലവ്
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,നിങ്ങൾ അതു കടിച്ചുകീറി ശേഷം പെയ്മെന്റ് എൻട്രി പരിഷ്ക്കരിച്ചു. വീണ്ടും തുടയ്ക്കുക ദയവായി.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} ഇനം നികുതി തവണ പ്രവേശിച്ചപ്പോൾ
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,നിങ്ങൾ അതു കടിച്ചുകീറി ശേഷം പെയ്മെന്റ് എൻട്രി പരിഷ്ക്കരിച്ചു. വീണ്ടും തുടയ്ക്കുക ദയവായി.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} ഇനം നികുതി തവണ പ്രവേശിച്ചപ്പോൾ
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,ഈ ആഴ്ച തിർച്ചപ്പെടുത്താത്ത പ്രവർത്തനങ്ങൾക്കായി ചുരുക്കം
DocType: Student Applicant,Admitted,പ്രവേശിപ്പിച്ചു
DocType: Workstation,Rent Cost,രെംട് ചെലവ്
@@ -400,25 +403,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,ഫീൽഡ് മൂല്യം 'ഡേ മാസം ആവർത്തിക്കുക' നൽകുക
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,കസ്റ്റമർ നാണയ ഉപഭോക്താവിന്റെ അടിസ്ഥാന കറൻസി മാറ്റുമ്പോൾ തോത്
DocType: Course Scheduling Tool,Course Scheduling Tool,കോഴ്സ് സമയംസജ്ജീകരിയ്ക്കുന്നു ടൂൾ
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},വരി # {0}: വാങ്ങൽ ഇൻവോയ്സ് നിലവിലുള്ള അസറ്റ് {1} നേരെ ഉണ്ടാക്കി കഴിയില്ല
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},വരി # {0}: വാങ്ങൽ ഇൻവോയ്സ് നിലവിലുള്ള അസറ്റ് {1} നേരെ ഉണ്ടാക്കി കഴിയില്ല
DocType: Item Tax,Tax Rate,നികുതി നിരക്ക്
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} ഇതിനകം കാലാവധിയിൽ എംപ്ലോയിസ് {1} അനുവദിച്ചിട്ടുണ്ട് {2} {3} വരെ
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,ഇനം തിരഞ്ഞെടുക്കുക
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,വാങ്ങൽ ഇൻവോയിസ് {0} ഇതിനകം സമർപ്പിച്ചു ആണ്
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,വാങ്ങൽ ഇൻവോയിസ് {0} ഇതിനകം സമർപ്പിച്ചു ആണ്
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},വരി # {0}: ബാച്ച് ഇല്ല {1} {2} അതേ ആയിരിക്കണം
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,നോൺ-ഗ്രൂപ്പ് പരിവർത്തനം
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,ഒരു ഇനത്തിന്റെ ബാച്ച് (ചീട്ടു).
DocType: C-Form Invoice Detail,Invoice Date,രസീത് തീയതി
DocType: GL Entry,Debit Amount,ഡെബിറ്റ് തുക
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},മാത്രം {0} {1} കമ്പനി 1 അക്കൗണ്ട് ഉണ്ട് ആകാം
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,അറ്റാച്ച്മെന്റ് ദയവായി
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},മാത്രം {0} {1} കമ്പനി 1 അക്കൗണ്ട് ഉണ്ട് ആകാം
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,അറ്റാച്ച്മെന്റ് ദയവായി
DocType: Purchase Order,% Received,% ലഭിച്ചു
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,വിദ്യാർത്ഥി ഗ്രൂപ്പുകൾ സൃഷ്ടിക്കുക
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,ഇതിനകം പൂർത്തിയാക്കുക സെറ്റപ്പ് !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,ക്രെഡിറ്റ് നോട്ട് തുക
,Finished Goods,ഫിനിഷ്ഡ് സാധനങ്ങളുടെ
DocType: Delivery Note,Instructions,നിർദ്ദേശങ്ങൾ
DocType: Quality Inspection,Inspected By,പരിശോധിച്ചത്
DocType: Maintenance Visit,Maintenance Type,മെയിൻറനൻസ് തരം
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} കോഴ്സ് {2} എൻറോൾ ചെയ്തിട്ടില്ല
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},സീരിയൽ ഇല്ല {0} ഡെലിവറി നോട്ട് {1} സ്വന്തമല്ല
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext ഡെമോ
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,ഇനങ്ങൾ ചേർക്കുക
@@ -441,7 +446,7 @@
DocType: Request for Quotation,Request for Quotation,ക്വട്ടേഷൻ അഭ്യർത്ഥന
DocType: Salary Slip Timesheet,Working Hours,ജോലിചെയ്യുന്ന സമയം
DocType: Naming Series,Change the starting / current sequence number of an existing series.,നിലവിലുള്ള ഒരു പരമ്പരയിലെ തുടങ്ങുന്ന / നിലവിലെ ക്രമസംഖ്യ മാറ്റുക.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,ഒരു പുതിയ കസ്റ്റമർ സൃഷ്ടിക്കുക
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,ഒരു പുതിയ കസ്റ്റമർ സൃഷ്ടിക്കുക
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","ഒന്നിലധികം പ്രൈസിങ് നിയമങ്ങൾ വിജയം തുടരുകയാണെങ്കിൽ, ഉപയോക്താക്കൾക്ക് വൈരുദ്ധ്യം പരിഹരിക്കാൻ മാനുവലായി മുൻഗണന സജ്ജീകരിക്കാൻ ആവശ്യപ്പെട്ടു."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,വാങ്ങൽ ഓർഡറുകൾ സൃഷ്ടിക്കുക
,Purchase Register,രജിസ്റ്റർ വാങ്ങുക
@@ -453,7 +458,7 @@
DocType: Student Log,Medical,മെഡിക്കൽ
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,നഷ്ടപ്പെടുമെന്നു കാരണം
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,ലീഡ് ഉടമ ലീഡ് അതേ പാടില്ല
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,പദ്ധതി തുക unadjusted തുക ശ്രേഷ്ഠ കഴിയില്ല
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,പദ്ധതി തുക unadjusted തുക ശ്രേഷ്ഠ കഴിയില്ല
DocType: Announcement,Receiver,റിസീവർ
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},വർക്ക്സ്റ്റേഷൻ ഹോളിഡേ പട്ടിക പ്രകാരം താഴെപ്പറയുന്ന തീയതികളിൽ അടച്ചിടുന്നു: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,അവസരങ്ങൾ
@@ -467,8 +472,7 @@
DocType: Assessment Plan,Examiner Name,എക്സാമിനർ പേര്
DocType: Purchase Invoice Item,Quantity and Rate,"ക്വാണ്ടിറ്റി, റേറ്റ്"
DocType: Delivery Note,% Installed,% ഇൻസ്റ്റാളുചെയ്തു
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,ക്ലാസ്മുറിയുടെ / ലബോറട്ടറീസ് തുടങ്ങിയവ പ്രഭാഷണങ്ങളും ഷെഡ്യൂൾ കഴിയും.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,വിതരണക്കാരൻ> വിതരണക്കാരൻ തരം
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,ക്ലാസ്മുറിയുടെ / ലബോറട്ടറീസ് തുടങ്ങിയവ പ്രഭാഷണങ്ങളും ഷെഡ്യൂൾ കഴിയും.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,കമ്പനിയുടെ പേര് ആദ്യം നൽകുക
DocType: Purchase Invoice,Supplier Name,വിതരണക്കാരൻ പേര്
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,ERPNext മാനുവൽ വായിക്കുക
@@ -478,7 +482,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,വിതരണക്കാരൻ ഇൻവോയിസ് നമ്പർ അദ്വിതീയമാണ് പരിശോധിക്കുക
DocType: Vehicle Service,Oil Change,എണ്ണ മാറ്റ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','കേസ് നമ്പർ' 'കേസ് നമ്പർ നിന്നും' കുറവായിരിക്കണം കഴിയില്ല
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,നോൺ പ്രോഫിറ്റ്
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,നോൺ പ്രോഫിറ്റ്
DocType: Production Order,Not Started,ആരംഭിച്ചിട്ടില്ല
DocType: Lead,Channel Partner,ചാനൽ പങ്കാളി
DocType: Account,Old Parent,പഴയ പേരന്റ്ഫോള്ഡര്
@@ -489,20 +493,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,എല്ലാ നിർമാണ പ്രക്രിയകൾ വേണ്ടി ആഗോള ക്രമീകരണങ്ങൾ.
DocType: Accounts Settings,Accounts Frozen Upto,ശീതീകരിച്ച വരെ അക്കൗണ്ടുകൾ
DocType: SMS Log,Sent On,ദിവസം അയച്ചു
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,ഗുണ {0} വിശേഷണങ്ങൾ പട്ടിക ഒന്നിലധികം തവണ തെരഞ്ഞെടുത്തു
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,ഗുണ {0} വിശേഷണങ്ങൾ പട്ടിക ഒന്നിലധികം തവണ തെരഞ്ഞെടുത്തു
DocType: HR Settings,Employee record is created using selected field. ,ജീവനക്കാർ റെക്കോർഡ് തിരഞ്ഞെടുത്ത ഫീൽഡ് ഉപയോഗിച്ച് സൃഷ്ടിക്കപ്പെട്ടിരിക്കുന്നത്.
DocType: Sales Order,Not Applicable,ബാധകമല്ല
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,ഹോളിഡേ മാസ്റ്റർ.
DocType: Request for Quotation Item,Required Date,ആവശ്യമായ തീയതി
DocType: Delivery Note,Billing Address,ബില്ലിംഗ് വിലാസം
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,ഇനം കോഡ് നൽകുക.
DocType: BOM,Costing,ആറെണ്ണവും
DocType: Tax Rule,Billing County,ബില്ലിംഗ് കൗണ്ടി
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","ചെക്കുചെയ്തെങ്കിൽ ഇതിനകം പ്രിന്റ് റേറ്റ് / പ്രിന്റ് തുക ഉൾപ്പെടുത്തിയിട്ടുണ്ട് പോലെ, നികുതി തുക പരിഗണിക്കും"
DocType: Request for Quotation,Message for Supplier,വിതരണക്കാരൻ വേണ്ടി സന്ദേശം
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,ആകെ Qty
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,ഗുഅര്ദിഅന്൨ ഇമെയിൽ ഐഡി
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,ഗുഅര്ദിഅന്൨ ഇമെയിൽ ഐഡി
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,ഗുഅര്ദിഅന്൨ ഇമെയിൽ ഐഡി
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,ഗുഅര്ദിഅന്൨ ഇമെയിൽ ഐഡി
DocType: Item,Show in Website (Variant),വെബ്സൈറ്റിൽ കാണിക്കുക (വേരിയന്റ്)
DocType: Employee,Health Concerns,ആരോഗ്യ ആശങ്കകൾ
DocType: Process Payroll,Select Payroll Period,ശമ്പളപ്പട്ടിക കാലാവധി തിരഞ്ഞെടുക്കുക
@@ -520,26 +523,28 @@
DocType: Sales Order Item,Used for Production Plan,പ്രൊഡക്ഷൻ പ്ലാൻ ഉപയോഗിച്ച
DocType: Employee Loan,Total Payment,ആകെ പേയ്മെന്റ്
DocType: Manufacturing Settings,Time Between Operations (in mins),(മിനിറ്റ്) ഓപ്പറേഷൻസ് നുമിടയിൽ സമയം
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,അങ്ങനെ നടപടി പൂർത്തിയാക്കാൻ കഴിയില്ല {1} {0} റദ്ദാക്കി
DocType: Customer,Buyer of Goods and Services.,ചരക്കും സേവനങ്ങളും വാങ്ങുന്നയാൾ.
DocType: Journal Entry,Accounts Payable,നൽകാനുള്ള പണം
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,തിരഞ്ഞെടുത്ത BOMs ഒരേ ഇനം മാത്രമുള്ളതല്ല
DocType: Pricing Rule,Valid Upto,സാധുതയുള്ള വരെ
DocType: Training Event,Workshop,പണിപ്പുര
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,"നിങ്ങളുടെ ഉപഭോക്താക്കൾ ഏതാനും കാണിയ്ക്കുക. അവർ സംഘടനകൾ, വ്യക്തികളുടെ ആകാം."
-,Enough Parts to Build,ബിൽഡ് മതിയായ ഭാഗങ്ങൾ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,നേരിട്ടുള്ള ആദായ
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,"നിങ്ങളുടെ ഉപഭോക്താക്കൾ ഏതാനും കാണിയ്ക്കുക. അവർ സംഘടനകൾ, വ്യക്തികളുടെ ആകാം."
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,ബിൽഡ് മതിയായ ഭാഗങ്ങൾ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,നേരിട്ടുള്ള ആദായ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","അക്കൗണ്ട് ഭൂഖണ്ടക്രമത്തിൽ, അക്കൗണ്ട് അടിസ്ഥാനമാക്കി ഫിൽട്ടർ ചെയ്യാൻ കഴിയില്ല"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,അഡ്മിനിസ്ട്രേറ്റീവ് ഓഫീസർ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,കോഴ്സ് തിരഞ്ഞെടുക്കുക
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,കോഴ്സ് തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,അഡ്മിനിസ്ട്രേറ്റീവ് ഓഫീസർ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,കോഴ്സ് തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,കോഴ്സ് തിരഞ്ഞെടുക്കുക
DocType: Timesheet Detail,Hrs,hrs
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,കമ്പനി തിരഞ്ഞെടുക്കുക
DocType: Stock Entry Detail,Difference Account,വ്യത്യാസം അക്കൗണ്ട്
+DocType: Purchase Invoice,Supplier GSTIN,വിതരണക്കാരൻ ഗ്സ്തിന്
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,അതിന്റെ ചുമതല {0} ക്ലോസ്ഡ് അല്ല അടുത്തുവരെ കാര്യമല്ല Can.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,സംഭരണശാല മെറ്റീരിയൽ അഭ്യർത്ഥന ഉയർത്തുകയും ചെയ്യുന്ന വേണ്ടി നൽകുക
DocType: Production Order,Additional Operating Cost,അധിക ഓപ്പറേറ്റിംഗ് ചെലവ്
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,കോസ്മെറ്റിക്സ്
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","ലയിപ്പിക്കാൻ, താഴെ പറയുന്ന ആണ് ഇരു ഇനങ്ങളുടെ ഒരേ ആയിരിക്കണം"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","ലയിപ്പിക്കാൻ, താഴെ പറയുന്ന ആണ് ഇരു ഇനങ്ങളുടെ ഒരേ ആയിരിക്കണം"
DocType: Shipping Rule,Net Weight,മൊത്തം ഭാരം
DocType: Employee,Emergency Phone,എമർജൻസി ഫോൺ
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,വാങ്ങാൻ
@@ -549,14 +554,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,ത്രെഷോൾഡ് 0% വേണ്ടി ഗ്രേഡ് define ദയവായി
DocType: Sales Order,To Deliver,വിടുവിപ്പാൻ
DocType: Purchase Invoice Item,Item,ഇനം
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,സീരിയൽ യാതൊരു ഇനം ഒരു അംശം കഴിയില്ല
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,സീരിയൽ യാതൊരു ഇനം ഒരു അംശം കഴിയില്ല
DocType: Journal Entry,Difference (Dr - Cr),വ്യത്യാസം (ഡോ - CR)
DocType: Account,Profit and Loss,ലാഭവും നഷ്ടവും
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,മാനേജിംഗ് ചൂടുകാലമാണെന്നത്
DocType: Project,Project will be accessible on the website to these users,പ്രോജക്ട് ഈ ഉപയോക്താക്കൾക്ക് വെബ്സൈറ്റിൽ ആക്സസ്സുചെയ്യാനാവൂ
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,വില പട്ടിക കറൻസി കമ്പനിയുടെ അടിത്തറ കറൻസി മാറ്റുമ്പോൾ തോത്
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},അക്കൗണ്ട് {0} കമ്പനി ഭാഗമല്ല: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,ഇതിനകം മറ്റൊരു കമ്പനി ഉപയോഗിക്കുന്ന ചുരുക്കെഴുത്ത്
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},അക്കൗണ്ട് {0} കമ്പനി ഭാഗമല്ല: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,ഇതിനകം മറ്റൊരു കമ്പനി ഉപയോഗിക്കുന്ന ചുരുക്കെഴുത്ത്
DocType: Selling Settings,Default Customer Group,സ്ഥിരസ്ഥിതി ഉപഭോക്തൃ ഗ്രൂപ്പ്
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","അപ്രാപ്തമാക്കുകയാണെങ്കിൽ, 'വൃത്തത്തിലുള്ള ആകെ' ഫീൽഡ് ഒരു ഇടപാടിലും ദൃശ്യമാകില്ല"
DocType: BOM,Operating Cost,ഓപ്പറേറ്റിംഗ് ചെലവ്
@@ -564,7 +569,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,വർദ്ധന 0 ആയിരിക്കും കഴിയില്ല
DocType: Production Planning Tool,Material Requirement,മെറ്റീരിയൽ ആവശ്യകതകൾ
DocType: Company,Delete Company Transactions,കമ്പനി ഇടപാടുകൾ ഇല്ലാതാക്കുക
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,യാതൊരു പരാമർശവുമില്ല ആൻഡ് റഫറൻസ് തീയതി ബാങ്ക് ഇടപാട് നിര്ബന്ധമാണ്
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,യാതൊരു പരാമർശവുമില്ല ആൻഡ് റഫറൻസ് തീയതി ബാങ്ക് ഇടപാട് നിര്ബന്ധമാണ്
DocType: Purchase Receipt,Add / Edit Taxes and Charges,/ എഡിറ്റ് നികുതികളും ചുമത്തിയിട്ടുള്ള ചേർക്കുക
DocType: Purchase Invoice,Supplier Invoice No,വിതരണക്കമ്പനിയായ ഇൻവോയിസ് ഇല്ല
DocType: Territory,For reference,പരിഗണനയ്ക്കായി
@@ -575,22 +580,22 @@
DocType: Installation Note Item,Installation Note Item,ഇന്സ്റ്റലേഷന് കുറിപ്പ് ഇനം
DocType: Production Plan Item,Pending Qty,തീർച്ചപ്പെടുത്തിയിട്ടില്ല Qty
DocType: Budget,Ignore,അവഗണിക്കുക
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} സജീവമല്ല
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} സജീവമല്ല
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},താഴെക്കൊടുത്തിരിക്കുന്ന നമ്പറുകൾ അയയ്ക്കുന്ന എസ്എംഎസ്: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,അച്ചടിക്കുള്ള സെറ്റപ്പ് ചെക്ക് അളവുകൾ
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,അച്ചടിക്കുള്ള സെറ്റപ്പ് ചെക്ക് അളവുകൾ
DocType: Salary Slip,Salary Slip Timesheet,ശമ്പള ജി Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,സബ്-ചുരുങ്ങി വാങ്ങൽ റെസീപ്റ്റ് നിയമപരമായി വിതരണക്കാരൻ വെയർഹൗസ്
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,സബ്-ചുരുങ്ങി വാങ്ങൽ റെസീപ്റ്റ് നിയമപരമായി വിതരണക്കാരൻ വെയർഹൗസ്
DocType: Pricing Rule,Valid From,വരെ സാധുതയുണ്ട്
DocType: Sales Invoice,Total Commission,ആകെ കമ്മീഷൻ
DocType: Pricing Rule,Sales Partner,സെയിൽസ് പങ്കാളി
DocType: Buying Settings,Purchase Receipt Required,വാങ്ങൽ രസീത് ആവശ്യമാണ്
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,ഓപ്പണിങ് സ്റ്റോക്ക് നൽകിയിട്ടുണ്ടെങ്കിൽ മൂലധനം നിരക്ക് നിര്ബന്ധമാണ്
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,ഓപ്പണിങ് സ്റ്റോക്ക് നൽകിയിട്ടുണ്ടെങ്കിൽ മൂലധനം നിരക്ക് നിര്ബന്ധമാണ്
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,ഇൻവോയിസ് പട്ടികയിൽ കണ്ടെത്തിയില്ല റെക്കോർഡുകൾ
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,"ആദ്യം കമ്പനി, പാർട്ടി ടൈപ്പ് തിരഞ്ഞെടുക്കുക"
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,ഫിനാൻഷ്യൽ / അക്കൌണ്ടിംഗ് വർഷം.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,ഫിനാൻഷ്യൽ / അക്കൌണ്ടിംഗ് വർഷം.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,കുമിഞ്ഞു മൂല്യങ്ങൾ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","ക്ഷമിക്കണം, സീരിയൽ ഒഴിവ് ലയിപ്പിക്കാൻ കഴിയില്ല"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,സെയിൽസ് ഓർഡർ നിർമ്മിക്കുക
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,സെയിൽസ് ഓർഡർ നിർമ്മിക്കുക
DocType: Project Task,Project Task,പ്രോജക്ട് ടാസ്ക്
,Lead Id,ലീഡ് ഐഡി
DocType: C-Form Invoice Detail,Grand Total,ആകെ തുക
@@ -607,7 +612,7 @@
DocType: Job Applicant,Resume Attachment,പുനരാരംഭിക്കുക അറ്റാച്ച്മെന്റ്
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,ആവർത്തിക്കുക ഇടപാടുകാർ
DocType: Leave Control Panel,Allocate,നീക്കിവയ്ക്കുക
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,സെയിൽസ് മടങ്ങിവരവ്
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,സെയിൽസ് മടങ്ങിവരവ്
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,ശ്രദ്ധിക്കുക: നീക്കിവെച്ചത് മൊത്തം ഇല {0} കാലയളവിൽ {1} ഇതിനകം അംഗീകാരം ഇല കുറവ് പാടില്ല
DocType: Announcement,Posted By,പോസ്റ്റ് ചെയ്തത്
DocType: Item,Delivered by Supplier (Drop Ship),വിതരണക്കാരൻ (ഡ്രോപ്പ് കപ്പൽ) നൽകുന്ന
@@ -617,8 +622,8 @@
DocType: Quotation,Quotation To,ക്വട്ടേഷൻ ചെയ്യുക
DocType: Lead,Middle Income,മിഡിൽ ആദായ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),തുറക്കുന്നു (CR)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,നിങ്ങൾ ഇതിനകം മറ്റൊരു UOM കൊണ്ട് ചില ഇടപാട് (ങ്ങൾ) നടത്തിയതിനാലോ ഇനം അളവ് സ്വതവേയുള്ള യൂണിറ്റ് {0} നേരിട്ട് മാറ്റാൻ കഴിയില്ല. നിങ്ങൾ ഒരു വ്യത്യസ്ത സ്വതേ UOM ഉപയോഗിക്കാൻ ഒരു പുതിയ ഇനം സൃഷ്ടിക്കേണ്ടതുണ്ട്.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,പദ്ധതി തുക നെഗറ്റീവ് ആയിരിക്കാൻ കഴിയില്ല
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,നിങ്ങൾ ഇതിനകം മറ്റൊരു UOM കൊണ്ട് ചില ഇടപാട് (ങ്ങൾ) നടത്തിയതിനാലോ ഇനം അളവ് സ്വതവേയുള്ള യൂണിറ്റ് {0} നേരിട്ട് മാറ്റാൻ കഴിയില്ല. നിങ്ങൾ ഒരു വ്യത്യസ്ത സ്വതേ UOM ഉപയോഗിക്കാൻ ഒരു പുതിയ ഇനം സൃഷ്ടിക്കേണ്ടതുണ്ട്.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,പദ്ധതി തുക നെഗറ്റീവ് ആയിരിക്കാൻ കഴിയില്ല
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,കമ്പനി സജ്ജീകരിക്കുക
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,കമ്പനി സജ്ജീകരിക്കുക
DocType: Purchase Order Item,Billed Amt,വസതി ശാരീരിക
@@ -631,7 +636,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,ബാങ്ക് എൻട്രി ഉണ്ടാക്കുവാൻ പേയ്മെന്റ് അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","ഇല, ചെലവിൽ വാദങ്ങളിൽ പേറോളിന് നിയന്ത്രിക്കാൻ ജീവനക്കാരൻ റെക്കോർഡുകൾ സൃഷ്ടിക്കുക"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,ബേസ് ചേർക്കുക
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Proposal എഴുത്ത്
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Proposal എഴുത്ത്
DocType: Payment Entry Deduction,Payment Entry Deduction,പേയ്മെന്റ് എൻട്രി കിഴിച്ചുകൊണ്ടു
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,മറ്റൊരു സെയിൽസ് പേഴ്സൺ {0} ഒരേ ജീവനക്കാരന്റെ ഐഡി നിലവിലുണ്ട്
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","പരിശോധിച്ചാൽ, സബ് ചുരുങ്ങി ഇനങ്ങൾ അസംസ്കൃത വസ്തുക്കൾ മെറ്റീരിയൽ അഭ്യർത്ഥനകൾ ഉൾപ്പെടുത്തും"
@@ -646,7 +651,7 @@
DocType: Batch,Batch Description,ബാച്ച് വിവരണം
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,സൃഷ്ടിക്കുന്നു വിദ്യാർത്ഥി ഗ്രൂപ്പുകൾ
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,സൃഷ്ടിക്കുന്നു വിദ്യാർത്ഥി ഗ്രൂപ്പുകൾ
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.",പേയ്മെന്റ് ഗേറ്റ്വേ അക്കൗണ്ട് സൃഷ്ടിച്ചിട്ടില്ല സ്വമേധയാ ഒരെണ്ണം സൃഷ്ടിക്കുക.
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.",പേയ്മെന്റ് ഗേറ്റ്വേ അക്കൗണ്ട് സൃഷ്ടിച്ചിട്ടില്ല സ്വമേധയാ ഒരെണ്ണം സൃഷ്ടിക്കുക.
DocType: Sales Invoice,Sales Taxes and Charges,സെയിൽസ് നികുതികളും ചുമത്തിയിട്ടുള്ള
DocType: Employee,Organization Profile,ഓർഗനൈസേഷൻ പ്രൊഫൈൽ
DocType: Student,Sibling Details,സിബ്ലിംഗ് വിവരങ്ങൾ
@@ -668,11 +673,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,ഇൻവെന്ററി ലെ മൊത്തം മാറ്റം
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,ജീവനക്കാരുടെ ലോൺ മാനേജ്മെന്റ്
DocType: Employee,Passport Number,പാസ്പോർട്ട് നമ്പർ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,ഗുഅര്ദിഅന്൨ കൂടെ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,മാനേജർ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,ഗുഅര്ദിഅന്൨ കൂടെ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,മാനേജർ
DocType: Payment Entry,Payment From / To,/ To നിന്നുള്ള പേയ്മെന്റ്
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},പുതിയ ക്രെഡിറ്റ് പരിധി ഉപഭോക്താവിന് നിലവിലെ മുന്തിയ തുക കുറവാണ്. വായ്പാ പരിധി ആയിരിക്കും കുറഞ്ഞത് {0} ഉണ്ട്
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,ഒരേ ഇനം ഒന്നിലധികം തവണ നൽകി ചെയ്തിട്ടുണ്ട്.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},പുതിയ ക്രെഡിറ്റ് പരിധി ഉപഭോക്താവിന് നിലവിലെ മുന്തിയ തുക കുറവാണ്. വായ്പാ പരിധി ആയിരിക്കും കുറഞ്ഞത് {0} ഉണ്ട്
DocType: SMS Settings,Receiver Parameter,റിസീവർ പാരാമീറ്റർ
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'അടിസ്ഥാനമാക്കി' എന്നതും 'ഗ്രൂപ്പ് സത്യം ഒന്നുതന്നെയായിരിക്കരുത്
DocType: Sales Person,Sales Person Targets,സെയിൽസ് വ്യാക്തി ടാർഗെറ്റ്
@@ -681,8 +685,9 @@
DocType: Issue,Resolution Date,റെസല്യൂഷൻ തീയതി
DocType: Student Batch Name,Batch Name,ബാച്ച് പേര്
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timesheet സൃഷ്ടിച്ചത്:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},അടക്കേണ്ട രീതി {0} ൽ സ്ഥിരസ്ഥിതി ക്യാഷ് അല്ലെങ്കിൽ ബാങ്ക് അക്കൗണ്ട് സജ്ജീകരിക്കുക
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},അടക്കേണ്ട രീതി {0} ൽ സ്ഥിരസ്ഥിതി ക്യാഷ് അല്ലെങ്കിൽ ബാങ്ക് അക്കൗണ്ട് സജ്ജീകരിക്കുക
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,പേരെഴുതുക
+DocType: GST Settings,GST Settings,ചരക്കുസേവന ക്രമീകരണങ്ങൾ
DocType: Selling Settings,Customer Naming By,ഉപയോക്താക്കൾക്കായി നാമകരണ
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,വിദ്യാർത്ഥി പ്രതിമാസ ഹാജർ റിപ്പോർട്ട് അവതരിപ്പിക്കുക പോലെ വിദ്യാർത്ഥി കാണിക്കും
DocType: Depreciation Schedule,Depreciation Amount,മൂല്യത്തകർച്ച തുക
@@ -704,6 +709,7 @@
DocType: Item,Material Transfer,മെറ്റീരിയൽ ട്രാൻസ്ഫർ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),തുറക്കുന്നു (ഡോ)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},പോസ്റ്റിംഗ് സമയസ്റ്റാമ്പ് {0} ശേഷം ആയിരിക്കണം
+,GST Itemised Purchase Register,ചരക്കുസേവന ഇനമാക്കിയിട്ടുള്ള വാങ്ങൽ രജിസ്റ്റർ
DocType: Employee Loan,Total Interest Payable,ആകെ തുകയും
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ചെലവ് നികുതികളും ചുമത്തിയിട്ടുള്ള റജിസ്റ്റർ
DocType: Production Order Operation,Actual Start Time,യഥാർത്ഥ ആരംഭിക്കേണ്ട സമയം
@@ -732,10 +738,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
DocType: Account,Accounts,അക്കൗണ്ടുകൾ
DocType: Vehicle,Odometer Value (Last),ഓഡോമീറ്റർ മൂല്യം (അവസാനം)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,മാർക്കറ്റിംഗ്
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,മാർക്കറ്റിംഗ്
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,പേയ്മെന്റ് എൻട്രി സൃഷ്ടിക്കപ്പെടാത്ത
DocType: Purchase Receipt Item Supplied,Current Stock,ഇപ്പോഴത്തെ സ്റ്റോക്ക്
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},വരി # {0}: അസറ്റ് {1} ഇനം {2} ലിങ്കുചെയ്തിട്ടില്ല ഇല്ല
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},വരി # {0}: അസറ്റ് {1} ഇനം {2} ലിങ്കുചെയ്തിട്ടില്ല ഇല്ല
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,പ്രിവ്യൂ ശമ്പളം ജി
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,അക്കൗണ്ട് {0} ഒന്നിലധികം തവണ നൽകിയിട്ടുണ്ടെന്നും
DocType: Account,Expenses Included In Valuation,മൂലധനം ഉൾപ്പെടുത്തിയിട്ടുണ്ട് ചിലവുകൾ
@@ -743,7 +749,7 @@
,Absent Student Report,നിലവില്ല വിദ്യാർത്ഥി റിപ്പോർട്ട്
DocType: Email Digest,Next email will be sent on:,അടുത്തത് ഇമെയിൽ ന് അയയ്ക്കും:
DocType: Offer Letter Term,Offer Letter Term,കത്ത് ടേം ഓഫർ
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,ഇനം വകഭേദങ്ങളും ഉണ്ട്.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,ഇനം വകഭേദങ്ങളും ഉണ്ട്.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,ഇനം {0} കാണാനായില്ല
DocType: Bin,Stock Value,സ്റ്റോക്ക് മൂല്യം
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,കമ്പനി {0} നിലവിലില്ല
@@ -752,8 +758,8 @@
DocType: Serial No,Warranty Expiry Date,വാറന്റി കാലഹരണ തീയതി
DocType: Material Request Item,Quantity and Warehouse,അളവിലും വെയർഹൗസ്
DocType: Sales Invoice,Commission Rate (%),കമ്മീഷൻ നിരക്ക് (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,പ്രോഗ്രാം തിരഞ്ഞെടുക്കുക
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,പ്രോഗ്രാം തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,പ്രോഗ്രാം തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,പ്രോഗ്രാം തിരഞ്ഞെടുക്കുക
DocType: Project,Estimated Cost,കണക്കാക്കിയ ചെലവ്
DocType: Purchase Order,Link to material requests,ഭൗതിക അഭ്യർത്ഥനകൾ വരെ ലിങ്ക്
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,എയറോസ്പേസ്
@@ -767,14 +773,14 @@
DocType: Purchase Order,Supply Raw Materials,സപ്ലൈ അസംസ്കൃത വസ്തുക്കൾ
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,അടുത്ത ഇൻവോയ്സ് സൃഷ്ടിക്കപ്പെടില്ല തീയതി. സമർപ്പിക്കുക ന് ഉത്പാദിപ്പിക്കപ്പെടുന്നത്.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,നിലവിലെ ആസ്തി
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} ഒരു സ്റ്റോക്ക് ഇനം അല്ല
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} ഒരു സ്റ്റോക്ക് ഇനം അല്ല
DocType: Mode of Payment Account,Default Account,സ്ഥിര അക്കൗണ്ട്
DocType: Payment Entry,Received Amount (Company Currency),ലഭിച്ച തുകയുടെ (കമ്പനി കറൻസി)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,അവസരം ലീഡ് നിന്നും ചെയ്താൽ ലീഡ് സജ്ജമാക്കാൻ വേണം
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,പ്രതിവാര അവധി ദിവസം തിരഞ്ഞെടുക്കുക
DocType: Production Order Operation,Planned End Time,പ്ലാൻ ചെയ്തു അവസാനിക്കുന്ന സമയം
,Sales Person Target Variance Item Group-Wise,സെയിൽസ് പേഴ്സൺ ടാര്ഗറ്റ് പൊരുത്തമില്ലായ്മ ഇനം ഗ്രൂപ്പ് യുക്തിമാനുമാണ്
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,നിലവിലുള്ള ഇടപാട് ഉപയോഗിച്ച് അക്കൗണ്ട് ലെഡ്ജർ പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,നിലവിലുള്ള ഇടപാട് ഉപയോഗിച്ച് അക്കൗണ്ട് ലെഡ്ജർ പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല
DocType: Delivery Note,Customer's Purchase Order No,കസ്റ്റമർ പർച്ചേസ് ഓർഡർ ഇല്ല
DocType: Budget,Budget Against,ബജറ്റ് എതിരെ
DocType: Employee,Cell Number,സെൽ നമ്പർ
@@ -786,15 +792,13 @@
DocType: Opportunity,Opportunity From,നിന്ന് ഓപ്പർച്യൂനിറ്റി
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,പ്രതിമാസ ശമ്പളം പ്രസ്താവന.
DocType: BOM,Website Specifications,വെബ്സൈറ്റ് വ്യതിയാനങ്ങൾ
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,ദയവായി സജ്ജീകരണം> നമ്പറിംഗ് സീരീസ് വഴി ഹാജർ വിവരത്തിനു നമ്പറിംഗ് പരമ്പര
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: {1} തരത്തിലുള്ള {0} നിന്ന്
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,വരി {0}: പരിവർത്തന ഫാക്ടർ നിർബന്ധമായും
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,വരി {0}: പരിവർത്തന ഫാക്ടർ നിർബന്ധമായും
DocType: Employee,A+,എ +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","ഒന്നിലധികം വില നിയമങ്ങൾ തിരയാം നിലവിലുള്ളതിനാൽ, മുൻഗണന നൽകിക്കൊണ്ട് വൈരുദ്ധ്യം പരിഹരിക്കുക. വില നിയമങ്ങൾ: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,അത് മറ്റ് BOMs ബന്ധിപ്പിച്ചിരിക്കുന്നതു പോലെ BOM നിർജ്ജീവമാക്കി അല്ലെങ്കിൽ റദ്ദാക്കാൻ കഴിയില്ല
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","ഒന്നിലധികം വില നിയമങ്ങൾ തിരയാം നിലവിലുള്ളതിനാൽ, മുൻഗണന നൽകിക്കൊണ്ട് വൈരുദ്ധ്യം പരിഹരിക്കുക. വില നിയമങ്ങൾ: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,അത് മറ്റ് BOMs ബന്ധിപ്പിച്ചിരിക്കുന്നതു പോലെ BOM നിർജ്ജീവമാക്കി അല്ലെങ്കിൽ റദ്ദാക്കാൻ കഴിയില്ല
DocType: Opportunity,Maintenance,മെയിൻറനൻസ്
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},ഇനം {0} ആവശ്യമുള്ളതിൽ വാങ്ങൽ രസീത് എണ്ണം
DocType: Item Attribute Value,Item Attribute Value,ഇനത്തിനും മൂല്യം
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,സെയിൽസ് പ്രചാരണങ്ങൾ.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Timesheet നടത്തുക
@@ -827,30 +831,30 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},ജേർണൽ എൻട്രി {0} വഴി തയ്യാർ അസറ്റ്
DocType: Employee Loan,Interest Income Account,പലിശ വരുമാനം അക്കൗണ്ട്
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,ബയോടെക്നോളജി
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,ഓഫീസ് മെയിൻറനൻസ് ചെലവുകൾ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,ഓഫീസ് മെയിൻറനൻസ് ചെലവുകൾ
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ഇമെയിൽ അക്കൗണ്ട് സജ്ജീകരിക്കുന്നതിന്
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,ആദ്യം ഇനം നൽകുക
DocType: Account,Liability,ബാധ്യത
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,അനുവദിക്കപ്പെട്ട തുക വരി {0} ൽ ക്ലെയിം തുക വലുതായിരിക്കണം കഴിയില്ല.
DocType: Company,Default Cost of Goods Sold Account,ഗുഡ്സ് സ്വതവേയുള്ള ചെലവ് അക്കൗണ്ട് വിറ്റു
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,വില പട്ടിക തിരഞ്ഞെടുത്തിട്ടില്ല
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,വില പട്ടിക തിരഞ്ഞെടുത്തിട്ടില്ല
DocType: Employee,Family Background,കുടുംബ പശ്ചാത്തലം
DocType: Request for Quotation Supplier,Send Email,ഇമെയിൽ അയയ്ക്കുക
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},മുന്നറിയിപ്പ്: അസാധുവായ സഹപത്രങ്ങൾ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},മുന്നറിയിപ്പ്: അസാധുവായ സഹപത്രങ്ങൾ {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,ഇല്ല അനുമതി
DocType: Company,Default Bank Account,സ്ഥിരസ്ഥിതി ബാങ്ക് അക്കൗണ്ട്
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","പാർട്ടി അടിസ്ഥാനമാക്കി ഫിൽട്ടർ, ആദ്യം പാർട്ടി ടൈപ്പ് തിരഞ്ഞെടുക്കുക"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},ഇനങ്ങളുടെ {0} വഴി അല്ല കാരണം 'അപ്ഡേറ്റ് ഓഹരി' പരിശോധിക്കാൻ കഴിയുന്നില്ല
DocType: Vehicle,Acquisition Date,ഏറ്റെടുക്കൽ തീയതി
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,ഒഴിവ്
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,ഒഴിവ്
DocType: Item,Items with higher weightage will be shown higher,ചിത്രം വെയ്റ്റേജ് ഇനങ്ങൾ ചിത്രം കാണിക്കും
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,ബാങ്ക് അനുരഞ്ജനം വിശദാംശം
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,വരി # {0}: അസറ്റ് {1} സമർപ്പിക്കേണ്ടതാണ്
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,വരി # {0}: അസറ്റ് {1} സമർപ്പിക്കേണ്ടതാണ്
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,ജീവനക്കാരൻ കണ്ടെത്തിയില്ല
DocType: Supplier Quotation,Stopped,നിർത്തി
DocType: Item,If subcontracted to a vendor,ഒരു വെണ്ടർ വരെ subcontracted എങ്കിൽ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് ഇതിനകം അപ്ഡേറ്റ് ചെയ്യുന്നത്.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് ഇതിനകം അപ്ഡേറ്റ് ചെയ്യുന്നത്.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് ഇതിനകം അപ്ഡേറ്റ് ചെയ്യുന്നത്.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് ഇതിനകം അപ്ഡേറ്റ് ചെയ്യുന്നത്.
DocType: SMS Center,All Customer Contact,എല്ലാ കസ്റ്റമർ കോൺടാക്റ്റ്
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,CSV വഴി സ്റ്റോക്ക് ബാലൻസ് അപ്ലോഡ് ചെയ്യുക.
DocType: Warehouse,Tree Details,ട്രീ വിശദാംശങ്ങൾ
@@ -862,13 +866,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: കോസ്റ്റ് സെന്റർ {2} കമ്പനി {3} സ്വന്തമല്ല
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: അക്കൗണ്ട് {2} ഒരു ഗ്രൂപ്പ് കഴിയില്ല
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,ഇനം വരി {IDX}: {doctype} {DOCNAME} മുകളിൽ '{doctype}' പട്ടികയിൽ നിലവിലില്ല
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Timesheet {0} ഇതിനകം പൂർത്തിയായി അല്ലെങ്കിൽ റദ്ദാക്കി
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} ഇതിനകം പൂർത്തിയായി അല്ലെങ്കിൽ റദ്ദാക്കി
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ടാസ്ക്കുകളൊന്നുമില്ല
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","ഓട്ടോ ഇൻവോയ്സ് 05, 28 തുടങ്ങിയവ ഉദാ നിർമ്മിക്കപ്പെടും ഏതെല്ലാം മാസത്തിലെ ദിവസം"
DocType: Asset,Opening Accumulated Depreciation,സൂക്ഷിക്കുന്നത് മൂല്യത്തകർച്ച തുറക്കുന്നു
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,സ്കോർ കുറവോ അല്ലെങ്കിൽ 5 വരെയോ ആയിരിക്കണം
DocType: Program Enrollment Tool,Program Enrollment Tool,പ്രോഗ്രാം എൻറോൾമെന്റ് ടൂൾ
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,സി-ഫോം റെക്കോർഡുകൾ
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,സി-ഫോം റെക്കോർഡുകൾ
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,കസ്റ്റമർ വിതരണക്കാരൻ
DocType: Email Digest,Email Digest Settings,ഇമെയിൽ ഡൈജസ്റ്റ് സജ്ജീകരണങ്ങൾ
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,നിങ്ങളുടെ ബിസിനസ്സ് നന്ദി!
@@ -878,17 +882,19 @@
DocType: Bin,Moving Average Rate,മാറുന്ന ശരാശരി റേറ്റ്
DocType: Production Planning Tool,Select Items,ഇനങ്ങൾ തിരഞ്ഞെടുക്കുക
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} ബിൽ {1} നേരെ {2} dated
+DocType: Program Enrollment,Vehicle/Bus Number,വാഹന / ബസ് നമ്പർ
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,കോഴ്സ് ഷെഡ്യൂൾ
DocType: Maintenance Visit,Completion Status,പൂർത്തീകരണവും അവസ്ഥ
DocType: HR Settings,Enter retirement age in years,വർഷങ്ങളിൽ വിരമിക്കൽ പ്രായം നൽകുക
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,ടാർജറ്റ് വെയർഹൗസ്
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,വെയർഹൗസ് തിരഞ്ഞെടുക്കുക
DocType: Cheque Print Template,Starting location from left edge,ഇടത് അറ്റം നിന്ന് ലൊക്കേഷൻ ആരംഭിക്കുന്നു
DocType: Item,Allow over delivery or receipt upto this percent,ഈ ശതമാനം വരെ ഡെലിവറി അല്ലെങ്കിൽ രസീത് മേൽ അനുവദിക്കുക
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,ഇംപോർട്ട് ഹാജർ
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,എല്ലാ ഇനം ഗ്രൂപ്പുകൾ
DocType: Process Payroll,Activity Log,പ്രവർത്തന ലോഗ്
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,അറ്റാദായം / നഷ്ടം
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,അറ്റാദായം / നഷ്ടം
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,യാന്ത്രികമായി ഇടപാടുകളുടെ സമർപ്പിക്കാനുള്ള സന്ദേശം എഴുതുക.
DocType: Production Order,Item To Manufacture,നിർമ്മിക്കാനുള്ള ഇനം
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} നില {2} ആണ്
@@ -897,16 +903,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,പെയ്മെന്റ് നയിക്കുന്ന വാങ്ങുക
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,അനുമാനിക്കപ്പെടുന്ന Qty
DocType: Sales Invoice,Payment Due Date,പെയ്മെന്റ് നിശ്ചിത തീയതിയിൽ
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,ഇനം വേരിയന്റ് {0} ഇതിനകം അതേ ആട്രിബ്യൂട്ടുകളുമുള്ള നിലവിലുണ്ട്
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,ഇനം വേരിയന്റ് {0} ഇതിനകം അതേ ആട്രിബ്യൂട്ടുകളുമുള്ള നിലവിലുണ്ട്
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','തുറക്കുന്നു'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,ചെയ്യാനുള്ളത് തുറക്കുക
DocType: Notification Control,Delivery Note Message,ഡെലിവറി നോട്ട് സന്ദേശം
DocType: Expense Claim,Expenses,ചെലവുകൾ
+,Support Hours,പിന്തുണ മണിക്കൂർ
DocType: Item Variant Attribute,Item Variant Attribute,ഇനം മാറ്റമുള്ള ഗുണം
,Purchase Receipt Trends,വാങ്ങൽ രസീത് ട്രെൻഡുകൾ
DocType: Process Payroll,Bimonthly,രണ്ടുമാസത്തിലൊരിക്കൽ
DocType: Vehicle Service,Brake Pad,ബ്രേക്ക് പാഡ്
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,ഗവേഷണവും വികസനവും
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,ഗവേഷണവും വികസനവും
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,ബിൽ തുക
DocType: Company,Registration Details,രജിസ്ട്രേഷൻ വിവരങ്ങൾ
DocType: Timesheet,Total Billed Amount,ആകെ ബില്ലുചെയ്യുന്നത് തുക
@@ -919,12 +926,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,അസംസ്കൃത വസ്തുക്കൾ മാത്രം ലഭ്യമാക്കുക
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,പ്രകടനം വിലയിരുത്തൽ.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","ആയി ഷോപ്പിംഗ് കാർട്ട് പ്രവർത്തനക്ഷമമാക്കി, 'ഷോപ്പിംഗ് കാർട്ട് ഉപയോഗിക്കുക' പ്രാപ്തമാക്കുന്നത് എന്നും ഷോപ്പിംഗ് കാർട്ട് കുറഞ്ഞത് ഒരു നികുതി റൂൾ വേണം"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","ഈ ഇൻവോയ്സ് ലെ പുരോഗതി എന്ന കടിച്ചുകീറി വേണം എങ്കിൽ പേയ്മെന്റ് എൻട്രി {0} ഓർഡർ {1} ബന്ധപ്പെടുത്തിയിരിക്കുന്നു, പരിശോധിക്കുക."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","ഈ ഇൻവോയ്സ് ലെ പുരോഗതി എന്ന കടിച്ചുകീറി വേണം എങ്കിൽ പേയ്മെന്റ് എൻട്രി {0} ഓർഡർ {1} ബന്ധപ്പെടുത്തിയിരിക്കുന്നു, പരിശോധിക്കുക."
DocType: Sales Invoice Item,Stock Details,സ്റ്റോക്ക് വിശദാംശങ്ങൾ
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,പ്രോജക്ട് മൂല്യം
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,പോയിന്റ്-ഓഫ്-വില്പനയ്ക്ക്
DocType: Vehicle Log,Odometer Reading,ഒരു തലത്തില്
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","അക്കൗണ്ട് ബാലൻസ് ഇതിനകം ക്രെഡിറ്റ്, നിങ്ങൾ സജ്ജീകരിക്കാൻ അനുവദനീയമല്ല 'ഡെബിറ്റ്' ആയി 'ബാലൻസ് ആയിരിക്കണം'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","അക്കൗണ്ട് ബാലൻസ് ഇതിനകം ക്രെഡിറ്റ്, നിങ്ങൾ സജ്ജീകരിക്കാൻ അനുവദനീയമല്ല 'ഡെബിറ്റ്' ആയി 'ബാലൻസ് ആയിരിക്കണം'"
DocType: Account,Balance must be,ബാലൻസ് ആയിരിക്കണം
DocType: Hub Settings,Publish Pricing,പ്രൈസിങ് പ്രസിദ്ധീകരിക്കുക
DocType: Notification Control,Expense Claim Rejected Message,ചിലവിടൽ ക്ലെയിം സന്ദേശം നിരസിച്ചു
@@ -934,7 +941,7 @@
DocType: Salary Slip,Working Days,പ്രവർത്തി ദിവസങ്ങൾ
DocType: Serial No,Incoming Rate,ഇൻകമിംഗ് റേറ്റ്
DocType: Packing Slip,Gross Weight,ആകെ ഭാരം
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,നിങ്ങൾ ഈ സിസ്റ്റം ക്രമീകരിക്കുന്നതിനായി ചെയ്തിട്ടുളള നിങ്ങളുടെ കമ്പനിയുടെ പേര്.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,നിങ്ങൾ ഈ സിസ്റ്റം ക്രമീകരിക്കുന്നതിനായി ചെയ്തിട്ടുളള നിങ്ങളുടെ കമ്പനിയുടെ പേര്.
DocType: HR Settings,Include holidays in Total no. of Working Days,ഇല്ല ആകെ ലെ അവധി ദിവസങ്ങൾ ഉൾപ്പെടുത്തുക. ജോലി നാളുകളിൽ
DocType: Job Applicant,Hold,പിടിക്കുക
DocType: Employee,Date of Joining,ചേരുന്നു തീയതി
@@ -945,20 +952,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,വാങ്ങൽ രസീത്
,Received Items To Be Billed,ബില്ല് ലഭിച്ച ഇനങ്ങൾ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,സമർപ്പിച്ച ശമ്പളം സ്ലിപ്പുകൾ
-DocType: Employee,Ms,മിസ്
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,നാണയ വിനിമയ നിരക്ക് മാസ്റ്റർ.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},പരാമർശം Doctype {0} ഒന്ന് ആയിരിക്കണം
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,നാണയ വിനിമയ നിരക്ക് മാസ്റ്റർ.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},പരാമർശം Doctype {0} ഒന്ന് ആയിരിക്കണം
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},ഓപ്പറേഷൻ {1} അടുത്ത {0} ദിവസങ്ങളിൽ സമയം സ്ലോട്ട് കണ്ടെത്താൻ കഴിഞ്ഞില്ല
DocType: Production Order,Plan material for sub-assemblies,സബ് സമ്മേളനങ്ങൾ പദ്ധതി മെറ്റീരിയൽ
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,സെയിൽസ് പങ്കാളികളും ടെറിട്ടറി
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,അക്കൗണ്ട് സ്റ്റോക്ക് ബാലൻസ് ഇതിനകം പോലെ സ്വയം അക്കൗണ്ട് സൃഷ്ടിക്കാൻ കഴിയില്ല. നിങ്ങൾ ഈ വെയർഹൗസ് ഒരു എൻട്രി മുമ്പ് നിങ്ങൾ ഒരു ചേരുന്ന അക്കൗണ്ട് സൃഷ്ടിക്കണം
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM ലേക്ക് {0} സജീവ ആയിരിക്കണം
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM ലേക്ക് {0} സജീവ ആയിരിക്കണം
DocType: Journal Entry,Depreciation Entry,മൂല്യത്തകർച്ച എൻട്രി
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,ആദ്യം ഡോക്യുമെന്റ് തരം തിരഞ്ഞെടുക്കുക
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,ഈ മെയിൻറനൻസ് സന്ദർശനം റദ്ദാക്കുന്നതിൽ മുമ്പ് മെറ്റീരിയൽ സന്ദർശനങ്ങൾ {0} റദ്ദാക്കുക
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},സീരിയൽ ഇല്ല {0} ഇനം വരെ {1} സ്വന്തമല്ല
DocType: Purchase Receipt Item Supplied,Required Qty,ആവശ്യമായ Qty
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,നിലവിലുള്ള ഇടപാടിനെ അബദ്ധങ്ങളും ലെഡ്ജർ പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,നിലവിലുള്ള ഇടപാടിനെ അബദ്ധങ്ങളും ലെഡ്ജർ പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല.
DocType: Bank Reconciliation,Total Amount,മൊത്തം തുക
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,ഇന്റർനെറ്റ് പ്രസിദ്ധീകരിക്കൽ
DocType: Production Planning Tool,Production Orders,പ്രൊഡക്ഷൻ ഓർഡറുകൾ
@@ -973,25 +978,26 @@
DocType: Fee Structure,Components,ഘടകങ്ങൾ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},ദയവായി ഇനം {0} ൽ അസറ്റ് വിഭാഗം നൽകുക
DocType: Quality Inspection Reading,Reading 6,6 Reading
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,അല്ല {0} കഴിയുമോ {1} {2} നെഗറ്റിവ് കുടിശ്ശിക ഇൻവോയ്സ് ഇല്ലാതെ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,അല്ല {0} കഴിയുമോ {1} {2} നെഗറ്റിവ് കുടിശ്ശിക ഇൻവോയ്സ് ഇല്ലാതെ
DocType: Purchase Invoice Advance,Purchase Invoice Advance,വാങ്ങൽ ഇൻവോയിസ് അഡ്വാൻസ്
DocType: Hub Settings,Sync Now,ഇപ്പോൾ സമന്വയിപ്പിക്കുക
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},വരി {0}: ക്രെഡിറ്റ് എൻട്രി ഒരു {1} ലിങ്കുചെയ്തിരിക്കുന്നതിനാൽ ചെയ്യാൻ കഴിയില്ല
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,ഒരു സാമ്പത്തിക വർഷം ബജറ്റ് നിർവചിക്കുക.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,ഒരു സാമ്പത്തിക വർഷം ബജറ്റ് നിർവചിക്കുക.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,ഈ മോഡ് തെരഞ്ഞെടുക്കുമ്പോഴും സ്വതേ ബാങ്ക് / ക്യാഷ് അംഗത്വം POS ൽ ഇൻവോയിസ് അപ്ഡേറ്റ് ചെയ്യും.
DocType: Lead,LEAD-,LEAD-
DocType: Employee,Permanent Address Is,സ്ഥിര വിലാസം തന്നെയല്ലേ
DocType: Production Order Operation,Operation completed for how many finished goods?,ഓപ്പറേഷൻ എത്ര പൂർത്തിയായി ഗുഡ്സ് പൂർത്തിയായെന്നും?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,ബ്രാൻഡ്
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,ബ്രാൻഡ്
DocType: Employee,Exit Interview Details,നിന്ന് പുറത്തുകടക്കുക അഭിമുഖം വിശദാംശങ്ങൾ
DocType: Item,Is Purchase Item,വാങ്ങൽ ഇനം തന്നെയല്ലേ
DocType: Asset,Purchase Invoice,വാങ്ങൽ ഇൻവോയിസ്
DocType: Stock Ledger Entry,Voucher Detail No,സാക്ഷപ്പെടുത്തല് വിശദാംശം ഇല്ല
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,പുതിയ സെയിൽസ് ഇൻവോയ്സ്
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,പുതിയ സെയിൽസ് ഇൻവോയ്സ്
DocType: Stock Entry,Total Outgoing Value,ആകെ ഔട്ട്ഗോയിംഗ് മൂല്യം
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,തീയതിയും അടയ്ക്കുന്ന തീയതി തുറക്കുന്നു ഒരേ സാമ്പത്തിക വർഷത്തിൽ ഉള്ളിൽ ആയിരിക്കണം
DocType: Lead,Request for Information,വിവരങ്ങൾ അഭ്യർത്ഥന
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,സമന്വയം ഓഫ്ലൈൻ ഇൻവോയിസുകൾ
+,LeaderBoard,ലീഡർബോർഡ്
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,സമന്വയം ഓഫ്ലൈൻ ഇൻവോയിസുകൾ
DocType: Payment Request,Paid,പണമടച്ചു
DocType: Program Fee,Program Fee,പ്രോഗ്രാം ഫീസ്
DocType: Salary Slip,Total in words,വാക്കുകളിൽ ആകെ
@@ -1000,13 +1006,13 @@
DocType: Cheque Print Template,Has Print Format,ഉണ്ട് പ്രിന്റ് ഫോർമാറ്റ്
DocType: Employee Loan,Sanctioned,അനുവദിച്ചു
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,നിർബന്ധമാണ്. ഒരുപക്ഷേ കറൻസി എക്സ്ചേഞ്ച് റെക്കോഡ് സൃഷ്ടിച്ചു ചെയ്തിട്ടില്ല
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},വരി # {0}: ഇനം {1} വേണ്ടി സീരിയൽ ഇല്ല വ്യക്തമാക്കുക
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'ഉൽപ്പന്ന ബണ്ടിൽ' ഇനങ്ങൾ, വെയർഹൗസ്, സീരിയൽ ഇല്ല ആൻഡ് ബാച്ച് യാതൊരു 'പായ്ക്കിംഗ് ലിസ്റ്റ് മേശയിൽ നിന്നും പരിഗണിക്കും. സംഭരണശാല ആൻഡ് ബാച്ച് ഇല്ല ഏതെങ്കിലും 'ഉൽപ്പന്ന ബണ്ടിൽ' ഇനത്തിനായി എല്ലാ പാക്കിംഗ് ഇനങ്ങളും ഒരേ എങ്കിൽ, ആ മൂല്യങ്ങൾ പ്രധാന ഇനം പട്ടികയിൽ നേടിയെടുക്കുകയും ചെയ്യാം, മൂല്യങ്ങൾ 'പാക്കിംഗ് പട്ടിക' മേശയുടെ പകർത്തുന്നു."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},വരി # {0}: ഇനം {1} വേണ്ടി സീരിയൽ ഇല്ല വ്യക്തമാക്കുക
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'ഉൽപ്പന്ന ബണ്ടിൽ' ഇനങ്ങൾ, വെയർഹൗസ്, സീരിയൽ ഇല്ല ആൻഡ് ബാച്ച് യാതൊരു 'പായ്ക്കിംഗ് ലിസ്റ്റ് മേശയിൽ നിന്നും പരിഗണിക്കും. സംഭരണശാല ആൻഡ് ബാച്ച് ഇല്ല ഏതെങ്കിലും 'ഉൽപ്പന്ന ബണ്ടിൽ' ഇനത്തിനായി എല്ലാ പാക്കിംഗ് ഇനങ്ങളും ഒരേ എങ്കിൽ, ആ മൂല്യങ്ങൾ പ്രധാന ഇനം പട്ടികയിൽ നേടിയെടുക്കുകയും ചെയ്യാം, മൂല്യങ്ങൾ 'പാക്കിംഗ് പട്ടിക' മേശയുടെ പകർത്തുന്നു."
DocType: Job Opening,Publish on website,വെബ്സൈറ്റിൽ പ്രസിദ്ധീകരിക്കുക
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,ഉപഭോക്താക്കൾക്ക് കയറ്റുമതി.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,വിതരണക്കാരൻ ഇൻവോയ്സ് തീയതി തീയതി നോട്സ് ശ്രേഷ്ഠ പാടില്ല
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,വിതരണക്കാരൻ ഇൻവോയ്സ് തീയതി തീയതി നോട്സ് ശ്രേഷ്ഠ പാടില്ല
DocType: Purchase Invoice Item,Purchase Order Item,വാങ്ങൽ ഓർഡർ ഇനം
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,പരോക്ഷ ആദായ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,പരോക്ഷ ആദായ
DocType: Student Attendance Tool,Student Attendance Tool,വിദ്യാർത്ഥിയുടെ ഹാജർ ടൂൾ
DocType: Cheque Print Template,Date Settings,തീയതി ക്രമീകരണങ്ങൾ
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,ഭിന്നിച്ചു
@@ -1024,21 +1030,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,കെമിക്കൽ
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,ഈ മോഡ് തെരഞ്ഞെടുക്കുമ്പോഴും സ്വതേ ബാങ്ക് / ക്യാഷ് അംഗത്വം സ്വയം ശമ്പള ജേണൽ എൻട്രി ലെ അപ്ഡേറ്റ് ചെയ്യും.
DocType: BOM,Raw Material Cost(Company Currency),അസംസ്കൃത വസ്തുക്കളുടെ വില (കമ്പനി കറൻസി)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,എല്ലാ ഇനങ്ങളും ഇതിനകം ഈ പ്രൊഡക്ഷൻ ഓർഡർ കൈമാറ്റം ചെയ്തു.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,എല്ലാ ഇനങ്ങളും ഇതിനകം ഈ പ്രൊഡക്ഷൻ ഓർഡർ കൈമാറ്റം ചെയ്തു.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},വരി # {0}: നിരക്ക് {1} {2} ഉപയോഗിക്കുന്ന നിരക്ക് അധികമാകരുത് കഴിയില്ല
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},വരി # {0}: നിരക്ക് {1} {2} ഉപയോഗിക്കുന്ന നിരക്ക് അധികമാകരുത് കഴിയില്ല
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,മീറ്റർ
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,മീറ്റർ
DocType: Workstation,Electricity Cost,വൈദ്യുതി ചെലവ്
DocType: HR Settings,Don't send Employee Birthday Reminders,എംപ്ലോയീസ് ജന്മദിന ഓർമ്മക്കുറിപ്പുകൾ അയയ്ക്കരുത്
DocType: Item,Inspection Criteria,ഇൻസ്പെക്ഷൻ മാനദണ്ഡം
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,ട്രാൻസ്ഫർ
DocType: BOM Website Item,BOM Website Item,BOM ൽ വെബ്സൈറ്റ് ഇനം
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,നിങ്ങളുടെ കത്ത് തലയും ലോഗോ അപ്ലോഡ്. (നിങ്ങൾക്ക് പിന്നീട് എഡിറ്റ് ചെയ്യാൻ കഴിയും).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,നിങ്ങളുടെ കത്ത് തലയും ലോഗോ അപ്ലോഡ്. (നിങ്ങൾക്ക് പിന്നീട് എഡിറ്റ് ചെയ്യാൻ കഴിയും).
DocType: Timesheet Detail,Bill,ബില്
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,അടുത്ത മൂല്യത്തകർച്ച തീയതി കഴിഞ്ഞ തീയതി നൽകിയിട്ടുള്ളതെന്ന്
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,വൈറ്റ്
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,വൈറ്റ്
DocType: SMS Center,All Lead (Open),എല്ലാ ലീഡ് (തുറക്കുക)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),വരി {0}: അളവ് ({2} {3}) വെയർഹൗസിൽ ലെ {4} ലഭ്യമല്ല {1} ചേരുന്ന സമയത്ത് പോസ്റ്റുചെയ്യുന്നതിൽ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),വരി {0}: അളവ് ({2} {3}) വെയർഹൗസിൽ ലെ {4} ലഭ്യമല്ല {1} ചേരുന്ന സമയത്ത് പോസ്റ്റുചെയ്യുന്നതിൽ
DocType: Purchase Invoice,Get Advances Paid,അഡ്വാൻസുകളും പണം ലഭിക്കുന്നത്
DocType: Item,Automatically Create New Batch,പുതിയ ബാച്ച് യാന്ത്രികമായി സൃഷ്ടിക്കുക
DocType: Item,Automatically Create New Batch,പുതിയ ബാച്ച് യാന്ത്രികമായി സൃഷ്ടിക്കുക
@@ -1049,13 +1055,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,എന്റെ വണ്ടി
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},ഓർഡർ ടൈപ്പ് {0} ഒന്നാണ് ആയിരിക്കണം
DocType: Lead,Next Contact Date,അടുത്തത് കോൺടാക്റ്റ് തീയതി
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Qty തുറക്കുന്നു
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,ദയവായി തുക മാറ്റത്തിനായി അക്കൗണ്ട് നൽകുക
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Qty തുറക്കുന്നു
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,ദയവായി തുക മാറ്റത്തിനായി അക്കൗണ്ട് നൽകുക
DocType: Student Batch Name,Student Batch Name,വിദ്യാർത്ഥിയുടെ ബാച്ച് പേര്
DocType: Holiday List,Holiday List Name,ഹോളിഡേ പട്ടിക പേര്
DocType: Repayment Schedule,Balance Loan Amount,ബാലൻസ് വായ്പാ തുക
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,ഷെഡ്യൂൾ കോഴ്സ്
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,സ്റ്റോക്ക് ഓപ്ഷനുകൾ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,സ്റ്റോക്ക് ഓപ്ഷനുകൾ
DocType: Journal Entry Account,Expense Claim,ചിലവേറിയ ക്ലെയിം
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,നിങ്ങൾക്ക് ശരിക്കും ഈ എന്തുതോന്നുന്നു അസറ്റ് പുനഃസ്ഥാപിക്കാൻ ആഗ്രഹിക്കുന്നുണ്ടോ?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},{0} വേണ്ടി Qty
@@ -1067,12 +1073,12 @@
DocType: Company,Default Terms,സ്ഥിരസ്ഥിതി നിബന്ധനകൾ
DocType: Packing Slip Item,Packing Slip Item,പാക്കിംഗ് ജി ഇനം
DocType: Purchase Invoice,Cash/Bank Account,ക്യാഷ് / ബാങ്ക് അക്കൗണ്ട്
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},ദയവായി ഒരു {0} വ്യക്തമാക്കുക
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},ദയവായി ഒരു {0} വ്യക്തമാക്കുക
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,അളവ് അല്ലെങ്കിൽ മൂല്യം മാറ്റമൊന്നും വരുത്താതെ ഇനങ്ങളെ നീക്കംചെയ്തു.
DocType: Delivery Note,Delivery To,ഡെലിവറി
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,ഗുണ മേശ നിർബന്ധമാണ്
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,ഗുണ മേശ നിർബന്ധമാണ്
DocType: Production Planning Tool,Get Sales Orders,സെയിൽസ് ഉത്തരവുകൾ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} നെഗറ്റീവ് ആയിരിക്കാൻ കഴിയില്ല
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} നെഗറ്റീവ് ആയിരിക്കാൻ കഴിയില്ല
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,ഡിസ്കൗണ്ട്
DocType: Asset,Total Number of Depreciations,Depreciations ആകെ എണ്ണം
DocType: Sales Invoice Item,Rate With Margin,മാർജിൻ കൂടി നിരക്ക്
@@ -1093,7 +1099,6 @@
DocType: Serial No,Creation Document No,ക്രിയേഷൻ ഡോക്യുമെന്റ് ഇല്ല
DocType: Issue,Issue,ഇഷ്യൂ
DocType: Asset,Scrapped,തയ്യാർ
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,അക്കൗണ്ട് കമ്പനി പൊരുത്തപ്പെടുന്നില്ല
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","ഇനം മോഡലുകൾക്കാണ് ഗുണവിശേഷതകൾ. ഉദാ വലിപ്പം, കളർ തുടങ്ങിയവ"
DocType: Purchase Invoice,Returns,റിട്ടേൺസ്
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP വെയർഹൗസ്
@@ -1105,12 +1110,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,ഇനം ബട്ടൺ 'വാങ്ങൽ വരവ് നിന്നുള്ള ഇനങ്ങൾ നേടുക' ഉപയോഗിച്ച് ചേർക്കണം
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,നോൺ-ഓഹരി ഇനങ്ങൾ ഉൾപ്പെടുത്തുക
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,സെയിൽസ് ചെലവുകൾ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,സെയിൽസ് ചെലവുകൾ
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,സ്റ്റാൻഡേർഡ് വാങ്ങൽ
DocType: GL Entry,Against,എഗെൻസ്റ്റ്
DocType: Item,Default Selling Cost Center,സ്ഥിരസ്ഥിതി അതേസമയം ചെലവ് കേന്ദ്രം
DocType: Sales Partner,Implementation Partner,നടപ്പാക്കൽ പങ്കാളി
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,സിപ്പ് കോഡ്
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,സിപ്പ് കോഡ്
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},സെയിൽസ് ഓർഡർ {0} {1} ആണ്
DocType: Opportunity,Contact Info,ബന്ധപ്പെടുന്നതിനുള്ള വിവരം
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,സ്റ്റോക്ക് എൻട്രികളിൽ ഉണ്ടാക്കുന്നു
@@ -1123,33 +1128,33 @@
DocType: Holiday List,Get Weekly Off Dates,വീക്കിലി ഓഫാക്കുക നേടുക തീയതി
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,അവസാനിക്കുന്ന തീയതി ആരംഭിക്കുന്ന തീയതി കുറവായിരിക്കണം കഴിയില്ല
DocType: Sales Person,Select company name first.,ആദ്യം കമ്പനിയുടെ പേര് തിരഞ്ഞെടുക്കുക.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,ഡോ
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,ഉദ്ധരണികളും വിതരണക്കാരിൽനിന്നുമാണ് ലഭിച്ചു.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},{0} ചെയ്യുക | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,ശരാശരി പ്രായം
DocType: School Settings,Attendance Freeze Date,ഹാജർ ഫ്രീസ് തീയതി
DocType: School Settings,Attendance Freeze Date,ഹാജർ ഫ്രീസ് തീയതി
DocType: Opportunity,Your sales person who will contact the customer in future,ഭാവിയിൽ ഉപഭോക്തൃ ബന്ധപ്പെടുന്നതാണ് നിങ്ങളുടെ വിൽപ്പന വ്യക്തി
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,"നിങ്ങളുടെ വിതരണക്കാരും ഏതാനും കാണിയ്ക്കുക. അവർ സംഘടനകൾ, വ്യക്തികളുടെ ആകാം."
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,"നിങ്ങളുടെ വിതരണക്കാരും ഏതാനും കാണിയ്ക്കുക. അവർ സംഘടനകൾ, വ്യക്തികളുടെ ആകാം."
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,എല്ലാ ഉത്പന്നങ്ങളും കാണുക
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),മിനിമം ലീഡ് പ്രായം (ദിവസം)
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),മിനിമം ലീഡ് പ്രായം (ദിവസം)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,എല്ലാ BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,എല്ലാ BOMs
DocType: Company,Default Currency,സ്ഥിരസ്ഥിതി കറന്സി
DocType: Expense Claim,From Employee,ജീവനക്കാരുടെ നിന്നും
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,മുന്നറിയിപ്പ്: സിസ്റ്റം ഇനം {0} തുക നു ശേഷം overbilling പരിശോധിക്കില്ല {1} പൂജ്യമാണ് ലെ
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,മുന്നറിയിപ്പ്: സിസ്റ്റം ഇനം {0} തുക നു ശേഷം overbilling പരിശോധിക്കില്ല {1} പൂജ്യമാണ് ലെ
DocType: Journal Entry,Make Difference Entry,വ്യത്യാസം എൻട്രി നിർമ്മിക്കുക
DocType: Upload Attendance,Attendance From Date,ഈ തീയതി മുതൽ ഹാജർ
DocType: Appraisal Template Goal,Key Performance Area,കീ പ്രകടനം ഏരിയ
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,ഗതാഗതം
+DocType: Program Enrollment,Transportation,ഗതാഗതം
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,അസാധുവായ ആട്രിബ്യൂട്ട്
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} സമർപ്പിക്കേണ്ടതാണ്
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} സമർപ്പിക്കേണ്ടതാണ്
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},ക്വാണ്ടിറ്റി കുറവോ {0} തുല്യമായിരിക്കണം
DocType: SMS Center,Total Characters,ആകെ പ്രതീകങ്ങൾ
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},ഇനം വേണ്ടി BOM ലേക്ക് വയലിൽ {0} BOM തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},ഇനം വേണ്ടി BOM ലേക്ക് വയലിൽ {0} BOM തിരഞ്ഞെടുക്കുക
DocType: C-Form Invoice Detail,C-Form Invoice Detail,സി-ഫോം ഇൻവോയിസ് വിശദാംശം
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,പേയ്മെന്റ് അനുരഞ്ജനം ഇൻവോയിസ്
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,സംഭാവന%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","ഓർഡർ ആവശ്യമുണ്ട് വാങ്ങൽ == 'അതെ', പിന്നീട് വാങ്ങൽ ഇൻവോയ്സ് സൃഷ്ടിക്കാൻ, ഉപയോക്തൃ ഇനം {0} ആദ്യം പർച്ചേസ് ഓർഡർ സൃഷ്ടിക്കാൻ ആവശ്യമെങ്കിൽ വാങ്ങൽ ക്രമീകരണങ്ങൾ പ്രകാരം"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,നിങ്ങളുടെ റഫറൻസിനായി കമ്പനി രജിസ്ട്രേഷൻ നമ്പറുകൾ. നികുതി നമ്പറുകൾ തുടങ്ങിയവ
DocType: Sales Partner,Distributor,വിതരണക്കാരൻ
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,ഷോപ്പിംഗ് കാർട്ട് ഷിപ്പിംഗ് റൂൾ
@@ -1158,23 +1163,25 @@
,Ordered Items To Be Billed,ബില്ല് ഉത്തരവിട്ടു ഇനങ്ങൾ
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,റേഞ്ച് നിന്നും പരിധി വരെ കുറവ് ഉണ്ട്
DocType: Global Defaults,Global Defaults,ആഗോള സ്ഥിരസ്ഥിതികൾ
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,പ്രോജക്റ്റ് സഹകരണത്തിന് ക്ഷണം
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,പ്രോജക്റ്റ് സഹകരണത്തിന് ക്ഷണം
DocType: Salary Slip,Deductions,പൂർണമായും
DocType: Leave Allocation,LAL/,ലാൽ /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,ആരംഭ വർഷം
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},ഗ്സ്തിന് ആദ്യ 2 അക്കങ്ങൾ സംസ്ഥാന നമ്പർ {0} പൊരുത്തപ്പെടുന്നില്ല വേണം
DocType: Purchase Invoice,Start date of current invoice's period,നിലവിലെ ഇൻവോയ്സ് ന്റെ കാലഘട്ടത്തിലെ തീയതി ആരംഭിക്കുക
DocType: Salary Slip,Leave Without Pay,ശമ്പള ഇല്ലാതെ വിടുക
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,ശേഷി ആസൂത്രണ പിശക്
,Trial Balance for Party,പാർട്ടി ട്രയൽ ബാലൻസ്
DocType: Lead,Consultant,ഉപദേഷ്ടാവ്
DocType: Salary Slip,Earnings,വരുമാനം
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,ഫിനിഷ്ഡ് ഇനം {0} ഉൽപാദനം തരം എൻട്രി നൽകിയ വേണം
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,ഫിനിഷ്ഡ് ഇനം {0} ഉൽപാദനം തരം എൻട്രി നൽകിയ വേണം
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,തുറക്കുന്നു അക്കൗണ്ടിംഗ് ബാലൻസ്
+,GST Sales Register,ചരക്കുസേവന സെയിൽസ് രജിസ്റ്റർ
DocType: Sales Invoice Advance,Sales Invoice Advance,സെയിൽസ് ഇൻവോയിസ് അഡ്വാൻസ്
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,അഭ്യർത്ഥിക്കാൻ ഒന്നുമില്ല
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},മറ്റൊരു ബജറ്റ് റെക്കോർഡ് '{0}' ഇതിനകം സാമ്പത്തിക വർഷം '{2}' നേരെ {1} നിലവിലുണ്ട് {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date','യഥാർത്ഥ ആരംഭ തീയതി' 'യഥാർത്ഥ അവസാന തീയതി' വലുതായിരിക്കും കഴിയില്ല
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,മാനേജ്മെന്റ്
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,മാനേജ്മെന്റ്
DocType: Cheque Print Template,Payer Settings,പണത്തിന് ക്രമീകരണങ്ങൾ
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","ഈ വകഭേദം എന്ന ഇനം കോഡ് ചേർക്കപ്പെടുകയും ചെയ്യും. നിങ്ങളുടെ ചുരുക്കെഴുത്ത് "എസ് എം 'എന്താണ്, ഐറ്റം കോഡ്' ടി-ഷർട്ട് 'ഉദാഹരണത്തിന്, വകഭേദം എന്ന ഐറ്റം കോഡ്' ടി-ഷർട്ട്-എസ് എം" ആയിരിക്കും"
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,നിങ്ങൾ ശമ്പളം ജി ലാഭിക്കാൻ ഒരിക്കൽ (വാക്കുകളിൽ) നെറ്റ് വേതനം ദൃശ്യമാകും.
@@ -1191,8 +1198,8 @@
DocType: Employee Loan,Partially Disbursed,ഭാഗികമായി വിതരണം
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,വിതരണക്കാരൻ ഡാറ്റാബേസ്.
DocType: Account,Balance Sheet,ബാലൻസ് ഷീറ്റ്
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',ഇനം കോഡ് ഉപയോഗിച്ച് ഇനം വേണ്ടി ചെലവ് കേന്ദ്രം '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","പേയ്മെന്റ് മോഡ് ക്രമീകരിച്ചിട്ടില്ല. അക്കൗണ്ട് പെയ്മെന്റിന്റെയും മോഡ് അല്ലെങ്കിൽ POS ൽ പ്രൊഫൈൽ വെച്ചിരിക്കുന്ന എന്ന്, പരിശോധിക്കുക."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',ഇനം കോഡ് ഉപയോഗിച്ച് ഇനം വേണ്ടി ചെലവ് കേന്ദ്രം '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","പേയ്മെന്റ് മോഡ് ക്രമീകരിച്ചിട്ടില്ല. അക്കൗണ്ട് പെയ്മെന്റിന്റെയും മോഡ് അല്ലെങ്കിൽ POS ൽ പ്രൊഫൈൽ വെച്ചിരിക്കുന്ന എന്ന്, പരിശോധിക്കുക."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,നിങ്ങളുടെ വിൽപ്പന വ്യക്തിയെ ഉപഭോക്തൃ ബന്ധപ്പെടാൻ ഈ തീയതി ഒരു ഓർമ്മപ്പെടുത്തൽ ലഭിക്കും
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,ഒരേ ഇനം ഒന്നിലധികം തവണ നൽകി കഴിയില്ല.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","കൂടുതലായ അക്കൗണ്ടുകൾ ഗ്രൂപ്പ്സ് കീഴിൽ കഴിയും, പക്ഷേ എൻട്രികൾ നോൺ-ഗ്രൂപ്പുകൾ നേരെ കഴിയും"
@@ -1200,7 +1207,7 @@
DocType: Email Digest,Payables,Payables
DocType: Course,Course Intro,കോഴ്സ് ആമുഖം
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,ഓഹരി എൻട്രി {0} സൃഷ്ടിച്ചു
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,വരി # {0}: നിരസിച്ചു Qty വാങ്ങൽ പകരമായി പ്രവേശിക്കുവാൻ പാടില്ല
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,വരി # {0}: നിരസിച്ചു Qty വാങ്ങൽ പകരമായി പ്രവേശിക്കുവാൻ പാടില്ല
,Purchase Order Items To Be Billed,ബില്ല് ക്രമത്തിൽ ഇനങ്ങൾ വാങ്ങുക
DocType: Purchase Invoice Item,Net Rate,നെറ്റ് റേറ്റ്
DocType: Purchase Invoice Item,Purchase Invoice Item,വാങ്ങൽ ഇൻവോയിസ് ഇനം
@@ -1227,7 +1234,7 @@
DocType: Sales Order,SO-,SO-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,ആദ്യം പ്രിഫിക്സ് തിരഞ്ഞെടുക്കുക
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,റിസർച്ച്
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,റിസർച്ച്
DocType: Maintenance Visit Purpose,Work Done,വർക്ക് ചെയ്തുകഴിഞ്ഞു
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,വിശേഷണങ്ങൾ പട്ടികയിൽ കുറഞ്ഞത് ഒരു ആട്രിബ്യൂട്ട് വ്യക്തമാക്കുക
DocType: Announcement,All Students,എല്ലാ വിദ്യാർത്ഥികൾക്കും
@@ -1235,17 +1242,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,കാണുക ലെഡ്ജർ
DocType: Grading Scale,Intervals,ഇടവേളകളിൽ
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,പഴയവ
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","ഒരു ഇനം ഗ്രൂപ്പ് ഇതേ പേരിലുള്ള നിലവിലുണ്ട്, ഐറ്റം പേര് മാറ്റാനോ ഐറ്റം ഗ്രൂപ്പ് പുനർനാമകരണം ദയവായി"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,വിദ്യാർത്ഥി മൊബൈൽ നമ്പർ
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,ലോകം റെസ്റ്റ്
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","ഒരു ഇനം ഗ്രൂപ്പ് ഇതേ പേരിലുള്ള നിലവിലുണ്ട്, ഐറ്റം പേര് മാറ്റാനോ ഐറ്റം ഗ്രൂപ്പ് പുനർനാമകരണം ദയവായി"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,വിദ്യാർത്ഥി മൊബൈൽ നമ്പർ
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,ലോകം റെസ്റ്റ്
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,ഇനം {0} ബാച്ച് പാടില്ല
,Budget Variance Report,ബജറ്റ് പൊരുത്തമില്ലായ്മ റിപ്പോർട്ട്
DocType: Salary Slip,Gross Pay,മൊത്തം വേതനം
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,വരി {0}: പ്രവർത്തന തരം നിർബന്ധമാണ്.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,പണമടച്ചു ഡിവിഡന്റ്
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,പണമടച്ചു ഡിവിഡന്റ്
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,ലെഡ്ജർ എണ്ണുകയും
DocType: Stock Reconciliation,Difference Amount,വ്യത്യാസം തുക
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,നീക്കിയിരുപ്പ് സമ്പാദ്യം
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,നീക്കിയിരുപ്പ് സമ്പാദ്യം
DocType: Vehicle Log,Service Detail,സേവന വിശദാംശങ്ങൾ
DocType: BOM,Item Description,ഇനത്തെ കുറിച്ചുള്ള വിശദീകരണം
DocType: Student Sibling,Student Sibling,സ്റ്റുഡന്റ് സിബ്ലിംഗ്
@@ -1260,11 +1267,11 @@
DocType: Opportunity Item,Opportunity Item,ഓപ്പർച്യൂനിറ്റി ഇനം
,Student and Guardian Contact Details,സ്റ്റുഡന്റ് മേൽനോട്ടം ബന്ധപ്പെടാനുള്ള വിവരങ്ങൾ
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,വരി {0}: വിതരണക്കാരൻ വേണ്ടി {0} ഇമെയിൽ വിലാസം ഇമെയിൽ അയയ്ക്കാൻ ആവശ്യമാണ്
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,താൽക്കാലിക തുറക്കുന്നു
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,താൽക്കാലിക തുറക്കുന്നു
,Employee Leave Balance,ജീവനക്കാരുടെ അവധി ബാലൻസ്
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},അക്കൗണ്ട് ബാലൻസ് {0} എപ്പോഴും {1} ആയിരിക്കണം
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},മൂലധനം നിരക്ക് വരി {0} ൽ ഇനം ആവശ്യമാണ്
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,ഉദാഹരണം: കമ്പ്യൂട്ടർ സയൻസ് മാസ്റ്റേഴ്സ്
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,ഉദാഹരണം: കമ്പ്യൂട്ടർ സയൻസ് മാസ്റ്റേഴ്സ്
DocType: Purchase Invoice,Rejected Warehouse,നിരസിച്ചു വെയർഹൗസ്
DocType: GL Entry,Against Voucher,വൗച്ചർ എഗെൻസ്റ്റ്
DocType: Item,Default Buying Cost Center,സ്ഥിരസ്ഥിതി വാങ്ങൽ ചെലവ് കേന്ദ്രം
@@ -1277,31 +1284,30 @@
DocType: Journal Entry,Get Outstanding Invoices,മികച്ച ഇൻവോയിസുകൾ നേടുക
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,സെയിൽസ് ഓർഡർ {0} സാധുവല്ല
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,വാങ്ങൽ ഓർഡറുകൾ നിങ്ങളുടെ വാങ്ങലുകൾ ന് ആസൂത്രണം ഫോളോ അപ്പ് സഹായിക്കാൻ
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","ക്ഷമിക്കണം, കമ്പനികൾ ലയിപ്പിക്കാൻ കഴിയില്ല"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","ക്ഷമിക്കണം, കമ്പനികൾ ലയിപ്പിക്കാൻ കഴിയില്ല"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",മൊത്തം ഇഷ്യു / ട്രാൻസ്ഫർ അളവ് {0} മെറ്റീരിയൽ അഭ്യർത്ഥനയിൽ {1} \ അഭ്യർത്ഥിച്ച അളവ് {2} ഇനം {3} വേണ്ടി ശ്രേഷ്ഠ പാടില്ല
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,ചെറുകിട
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,ചെറുകിട
DocType: Employee,Employee Number,ജീവനക്കാരുടെ നമ്പർ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},നേരത്തെ ഉപയോഗത്തിലുണ്ട് കേസ് ഇല്ല (കൾ). കേസ് ഇല്ല {0} മുതൽ ശ്രമിക്കുക
DocType: Project,% Completed,% പൂർത്തിയാക്കിയത്
,Invoiced Amount (Exculsive Tax),Invoiced തുക (Exculsive നികുതി)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,ഇനം 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,അക്കൗണ്ട് തല {0} സൃഷ്ടിച്ചു
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,പരിശീലന ഇവന്റ്
DocType: Item,Auto re-order,ഓട്ടോ റീ-ഓർഡർ
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,മികച്ച വിജയം ആകെ
DocType: Employee,Place of Issue,പുറപ്പെടുവിച്ച സ്ഥലം
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,കരാര്
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,കരാര്
DocType: Email Digest,Add Quote,ഉദ്ധരണി ചേർക്കുക
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},UOM വേണ്ടി ആവശ്യമായ UOM coversion ഘടകം: ഇനം ലെ {0}: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,പരോക്ഷമായ ചെലവുകൾ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM വേണ്ടി ആവശ്യമായ UOM coversion ഘടകം: ഇനം ലെ {0}: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,പരോക്ഷമായ ചെലവുകൾ
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,വരി {0}: Qty നിർബന്ധമായും
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,കൃഷി
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,സമന്വയം മാസ്റ്റർ ഡാറ്റ
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,നിങ്ങളുടെ ഉല്പന്നങ്ങൾ അല്ലെങ്കിൽ സേവനങ്ങൾ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,സമന്വയം മാസ്റ്റർ ഡാറ്റ
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,നിങ്ങളുടെ ഉല്പന്നങ്ങൾ അല്ലെങ്കിൽ സേവനങ്ങൾ
DocType: Mode of Payment,Mode of Payment,അടക്കേണ്ട മോഡ്
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,വെബ്സൈറ്റ് ചിത്രം ഒരു പൊതു ഫയൽ അല്ലെങ്കിൽ വെബ്സൈറ്റ് URL ആയിരിക്കണം
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,വെബ്സൈറ്റ് ചിത്രം ഒരു പൊതു ഫയൽ അല്ലെങ്കിൽ വെബ്സൈറ്റ് URL ആയിരിക്കണം
DocType: Student Applicant,AP,എ.പി.
DocType: Purchase Invoice Item,BOM,BOM ൽ
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,ഇത് ഒരു റൂട്ട് ഐറ്റം ഗ്രൂപ്പ് ആണ് എഡിറ്റ് ചെയ്യാൻ കഴിയില്ല.
@@ -1310,7 +1316,7 @@
DocType: Warehouse,Warehouse Contact Info,വെയർഹൗസ് ബന്ധപ്പെടാനുള്ള വിവരങ്ങളും
DocType: Payment Entry,Write Off Difference Amount,വ്യത്യാസം തുക എഴുതുക
DocType: Purchase Invoice,Recurring Type,ആവർത്തക തരം
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: ജീവനക്കാരുടെ ഇമെയിൽ കണ്ടെത്തിയില്ല, ഇവിടെനിന്നു മെയിൽ അയച്ചിട്ടില്ല"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: ജീവനക്കാരുടെ ഇമെയിൽ കണ്ടെത്തിയില്ല, ഇവിടെനിന്നു മെയിൽ അയച്ചിട്ടില്ല"
DocType: Item,Foreign Trade Details,വിദേശ വ്യാപാര വിവരങ്ങൾ
DocType: Email Digest,Annual Income,വാർഷിക വരുമാനം
DocType: Serial No,Serial No Details,സീരിയൽ വിശദാംശങ്ങളൊന്നും
@@ -1318,10 +1324,10 @@
DocType: Student Group Student,Group Roll Number,ഗ്രൂപ്പ് റോൾ നമ്പർ
DocType: Student Group Student,Group Roll Number,ഗ്രൂപ്പ് റോൾ നമ്പർ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",{0} മാത്രം ക്രെഡിറ്റ് അക്കൗണ്ടുകൾ മറ്റൊരു ഡെബിറ്റ് എൻട്രി നേരെ ലിങ്ക്ഡ് കഴിയും
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,എല്ലാ ടാസ്ക് തൂക്കം ആകെ 1. അതനുസരിച്ച് എല്ലാ പദ്ധതി ചുമതലകളുടെ തൂക്കം ക്രമീകരിക്കാൻ വേണം ദയവായി
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,ഡെലിവറി നോട്ട് {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,ഇനം {0} ഒരു സബ് കരാറിൽ ഇനം ആയിരിക്കണം
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,ക്യാപ്പിറ്റൽ ഉപകരണങ്ങൾ
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,എല്ലാ ടാസ്ക് തൂക്കം ആകെ 1. അതനുസരിച്ച് എല്ലാ പദ്ധതി ചുമതലകളുടെ തൂക്കം ക്രമീകരിക്കാൻ വേണം ദയവായി
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,ഡെലിവറി നോട്ട് {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,ഇനം {0} ഒരു സബ് കരാറിൽ ഇനം ആയിരിക്കണം
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,ക്യാപ്പിറ്റൽ ഉപകരണങ്ങൾ
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","പ്രൈസിങ് റൂൾ ആദ്യം ഇനം, ഇനം ഗ്രൂപ്പ് അല്ലെങ്കിൽ ബ്രാൻഡ് ആകാം വയലിലെ 'പുരട്ടുക' അടിസ്ഥാനമാക്കി തിരഞ്ഞെടുത്തുവെന്ന്."
DocType: Hub Settings,Seller Website,വില്പനക്കാരന്റെ വെബ്സൈറ്റ്
DocType: Item,ITEM-,ITEM-
@@ -1339,7 +1345,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",മാത്രം "ചെയ്യുക മൂല്യം" എന്ന 0 അല്ലെങ്കിൽ ശൂന്യം മൂല്യം കൂടെ ഒരു ഷിപ്പിങ് റൂൾ കണ്ടീഷൻ ഉണ്ട് ആകാം
DocType: Authorization Rule,Transaction,ഇടപാട്
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,ശ്രദ്ധിക്കുക: ഈ കോസ്റ്റ് സെന്റർ ഒരു ഗ്രൂപ്പ് ആണ്. ഗ്രൂപ്പുകൾ നേരെ അക്കൗണ്ടിങ് എൻട്രികൾ കഴിയില്ല.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,ശിശു വെയർഹൗസ് ഈ വെയർഹൗസിൽ നിലവിലുണ്ട്. ഈ വെയർഹൗസിൽ ഇല്ലാതാക്കാൻ കഴിയില്ല.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,ശിശു വെയർഹൗസ് ഈ വെയർഹൗസിൽ നിലവിലുണ്ട്. ഈ വെയർഹൗസിൽ ഇല്ലാതാക്കാൻ കഴിയില്ല.
DocType: Item,Website Item Groups,വെബ്സൈറ്റ് ഇനം ഗ്രൂപ്പുകൾ
DocType: Purchase Invoice,Total (Company Currency),ആകെ (കമ്പനി കറൻസി)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,സീരിയൽ നമ്പർ {0} ഒരിക്കൽ അധികം പ്രവേശിച്ചപ്പോൾ
@@ -1349,7 +1355,7 @@
DocType: Grading Scale Interval,Grade Code,ഗ്രേഡ് കോഡ്
DocType: POS Item Group,POS Item Group,POS ഇനം ഗ്രൂപ്പ്
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ഡൈജസ്റ്റ് ഇമെയിൽ:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM ലേക്ക് {0} ഇനം വരെ {1} സ്വന്തമല്ല
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM ലേക്ക് {0} ഇനം വരെ {1} സ്വന്തമല്ല
DocType: Sales Partner,Target Distribution,ടാർജറ്റ് വിതരണം
DocType: Salary Slip,Bank Account No.,ബാങ്ക് അക്കൗണ്ട് നമ്പർ
DocType: Naming Series,This is the number of the last created transaction with this prefix,ഇത് ഈ കൂടിയ അവസാന സൃഷ്ടിച്ച ഇടപാട് എണ്ണം ആണ്
@@ -1360,12 +1366,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,യാന്ത്രികമായി ബുക്ക് അസറ്റ് മൂല്യത്തകർച്ച എൻട്രി
DocType: BOM Operation,Workstation,വറ്ക്ക്സ്റ്റേഷൻ
DocType: Request for Quotation Supplier,Request for Quotation Supplier,ക്വട്ടേഷൻ വിതരണക്കാരൻ അഭ്യർത്ഥന
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,ഹാര്ഡ്വെയര്
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,ഹാര്ഡ്വെയര്
DocType: Sales Order,Recurring Upto,വരെയും ആവർത്തന
DocType: Attendance,HR Manager,എച്ച് മാനേജർ
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,ഒരു കമ്പനി തിരഞ്ഞെടുക്കുക
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,പ്രിവിലേജ് അവധി
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,ഒരു കമ്പനി തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,പ്രിവിലേജ് അവധി
DocType: Purchase Invoice,Supplier Invoice Date,വിതരണക്കാരൻ ഇൻവോയിസ് തീയതി
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,ഓരോ
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,നിങ്ങൾ ഷോപ്പിംഗ് കാർട്ട് പ്രവർത്തനക്ഷമമാക്കേണ്ടതുണ്ട്
DocType: Payment Entry,Writeoff,എഴുതുക
DocType: Appraisal Template Goal,Appraisal Template Goal,അപ്രൈസൽ ഫലകം ഗോൾ
@@ -1376,10 +1383,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,തമ്മിൽ ഓവർലാപ്പുചെയ്യുന്ന അവസ്ഥ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,ജേർണൽ എൻട്രി {0} എഗെൻസ്റ്റ് ഇതിനകം മറ്റ് ചില വൗച്ചർ നേരെ ക്രമീകരിക്കുന്ന
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,ആകെ ഓർഡർ മൂല്യം
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,ഭക്ഷ്യ
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,ഭക്ഷ്യ
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,എയ്ജിങ് ശ്രേണി 3
DocType: Maintenance Schedule Item,No of Visits,സന്ദർശനങ്ങൾ ഒന്നും
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,മാർക്ക് Attendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,മാർക്ക് Attendence
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},മെയിൻറനൻസ് ഷെഡ്യൂൾ {0} നേരെ {1} നിലവിലുണ്ട്
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,എൻറോൾ വിദ്യാർത്ഥി
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},സമാപന അക്കൗണ്ട് കറൻസി {0} ആയിരിക്കണം
@@ -1393,6 +1400,7 @@
DocType: Rename Tool,Utilities,യൂട്ടിലിറ്റിക
DocType: Purchase Invoice Item,Accounting,അക്കൗണ്ടിംഗ്
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,ബാച്ചുചെയ്ത ഇനം വേണ്ടി ബാച്ചുകൾ തിരഞ്ഞെടുക്കുക
DocType: Asset,Depreciation Schedules,മൂല്യത്തകർച്ച സമയക്രമം
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,അപേക്ഷാ കാലയളവിൽ പുറത്ത് ലീവ് അലോക്കേഷൻ കാലഘട്ടം ആകാൻ പാടില്ല
DocType: Activity Cost,Projects,പ്രോജക്റ്റുകൾ
@@ -1406,6 +1414,7 @@
DocType: POS Profile,Campaign,കാമ്പെയ്ൻ
DocType: Supplier,Name and Type,പേര് ടൈപ്പ്
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',അംഗീകാരം സ്റ്റാറ്റസ് 'അംഗീകരിച്ചു' അല്ലെങ്കിൽ 'നിഷേധിക്കപ്പെട്ടിട്ടുണ്ട്' വേണം
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,സ്ട്രാപ്
DocType: Purchase Invoice,Contact Person,സമ്പർക്ക വ്യക്തി
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','പ്രതീക്ഷിച്ച ആരംഭ തീയതി' 'പ്രതീക്ഷിച്ച അവസാന തീയതി' വലുതായിരിക്കും കഴിയില്ല
DocType: Course Scheduling Tool,Course End Date,കോഴ്സ് അവസാന തീയതി
@@ -1413,12 +1422,11 @@
DocType: Sales Order Item,Planned Quantity,ആസൂത്രണം ചെയ്ത ക്വാണ്ടിറ്റി
DocType: Purchase Invoice Item,Item Tax Amount,ഇനം നികുതിയും
DocType: Item,Maintain Stock,സ്റ്റോക്ക് നിലനിറുത്തുക
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,ഇതിനകം പ്രൊഡക്ഷൻ ഓർഡർ സൃഷ്ടിച്ചു സ്റ്റോക്ക് എൻട്രികൾ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,ഇതിനകം പ്രൊഡക്ഷൻ ഓർഡർ സൃഷ്ടിച്ചു സ്റ്റോക്ക് എൻട്രികൾ
DocType: Employee,Prefered Email,Prefered ഇമെയിൽ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,സ്ഥിര അസറ്റ് ലെ നെറ്റ് മാറ്റുക
DocType: Leave Control Panel,Leave blank if considered for all designations,എല്ലാ തരത്തിലുള്ള വേണ്ടി പരിഗണിക്കും എങ്കിൽ ശൂന്യമായിടൂ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,വെയർഹൗസ് തരം സ്റ്റോക്ക് നോൺ ഗ്രൂപ്പ് അക്കൗണ്ടുകൾ നിര്ബന്ധമാണ്
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,'യഥാർത്ഥ' തരം ചുമതലയുള്ള വരിയിലെ {0} ഇനം റേറ്റ് ഉൾപ്പെടുത്തിയിട്ടുണ്ട് ചെയ്യാൻ കഴിയില്ല
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,'യഥാർത്ഥ' തരം ചുമതലയുള്ള വരിയിലെ {0} ഇനം റേറ്റ് ഉൾപ്പെടുത്തിയിട്ടുണ്ട് ചെയ്യാൻ കഴിയില്ല
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},പരമാവധി: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,തീയതി-ൽ
DocType: Email Digest,For Company,കമ്പനിക്ക് വേണ്ടി
@@ -1428,15 +1436,15 @@
DocType: Sales Invoice,Shipping Address Name,ഷിപ്പിംഗ് വിലാസം പേര്
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,അക്കൗണ്ട്സ് ചാർട്ട്
DocType: Material Request,Terms and Conditions Content,നിബന്ധനകളും വ്യവസ്ഥകളും ഉള്ളടക്കം
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,100 വലുതായിരിക്കും കഴിയില്ല
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,ഇനം {0} ഒരു സ്റ്റോക്ക് ഇനം അല്ല
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,100 വലുതായിരിക്കും കഴിയില്ല
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,ഇനം {0} ഒരു സ്റ്റോക്ക് ഇനം അല്ല
DocType: Maintenance Visit,Unscheduled,വരണേ
DocType: Employee,Owned,ഉടമസ്ഥതയിലുള്ളത്
DocType: Salary Detail,Depends on Leave Without Pay,ശമ്പള പുറത്തുകടക്കാൻ ആശ്രയിച്ചിരിക്കുന്നു
DocType: Pricing Rule,"Higher the number, higher the priority","ഹയർ സംഖ്യ, ഉയർന്ന മുൻഗണന"
,Purchase Invoice Trends,വാങ്ങൽ ഇൻവോയിസ് ട്രെൻഡുകൾ
DocType: Employee,Better Prospects,മെച്ചപ്പെട്ട സാദ്ധ്യതകളും
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","വരി # {0}: ബാച്ച് {1} മാത്രമേ {2} അളവ് ഉണ്ട്. ഉണ്ട് {3} ലഭ്യമായ അളവ് മറ്റൊരു ബാച്ച് തിരഞ്ഞെടുക്കുക അല്ലെങ്കിൽ ഒന്നിലധികം ബാച്ചുകൾ നിന്ന് / പ്രശ്നം വിടുവിപ്പാൻ, ഒന്നിലധികം വരികൾ കയറി വരി വേർതിരിക്കുക"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","വരി # {0}: ബാച്ച് {1} മാത്രമേ {2} അളവ് ഉണ്ട്. ഉണ്ട് {3} ലഭ്യമായ അളവ് മറ്റൊരു ബാച്ച് തിരഞ്ഞെടുക്കുക അല്ലെങ്കിൽ ഒന്നിലധികം ബാച്ചുകൾ നിന്ന് / പ്രശ്നം വിടുവിപ്പാൻ, ഒന്നിലധികം വരികൾ കയറി വരി വേർതിരിക്കുക"
DocType: Vehicle,License Plate,ലൈസൻസ് പ്ലേറ്റ്
DocType: Appraisal,Goals,ലക്ഷ്യങ്ങൾ
DocType: Warranty Claim,Warranty / AMC Status,വാറന്റി / എഎംസി അവസ്ഥ
@@ -1447,19 +1455,20 @@
,Batch-Wise Balance History,ബാച്ച് യുക്തിമാനും ബാലൻസ് ചരിത്രം
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,അച്ചടി ക്രമീകരണങ്ങൾ അതാത് പ്രിന്റ് ഫോർമാറ്റിൽ അപ്ഡേറ്റ്
DocType: Package Code,Package Code,പാക്കേജ് കോഡ്
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,വിദേശികൾക്ക്
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,വിദേശികൾക്ക്
+DocType: Purchase Invoice,Company GSTIN,കമ്പനി ഗ്സ്തിന്
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,നെഗറ്റീവ് ക്വാണ്ടിറ്റി അനുവദനീയമല്ല
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",നികുതി വിശദമായി ടേബിൾ സ്ടിംഗ് ഐറ്റം മാസ്റ്റർ നിന്നും പിടിച്ചു ഈ വയലിൽ സൂക്ഷിച്ചു. നികുതികളും ചാർജുകളും ഉപയോഗിച്ച
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,ജീവനക്കാർ തനിക്കായി റിപ്പോർട്ട് ചെയ്യാൻ കഴിയില്ല.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","അക്കൗണ്ട് മരവിപ്പിച്ചു എങ്കിൽ, എൻട്രികൾ നിയന്ത്രിത ഉപയോക്താക്കൾക്ക് അനുവദിച്ചിരിക്കുന്ന."
DocType: Email Digest,Bank Balance,ബാങ്ക് ബാലൻസ്
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},{0} വേണ്ടി അക്കൗണ്ടിംഗ് എൻട്രി: {1} മാത്രം കറൻസി കഴിയും: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},{0} വേണ്ടി അക്കൗണ്ടിംഗ് എൻട്രി: {1} മാത്രം കറൻസി കഴിയും: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","ഇയ്യോബ് പ്രൊഫൈൽ, യോഗ്യത തുടങ്ങിയവ ആവശ്യമാണ്"
DocType: Journal Entry Account,Account Balance,അക്കൗണ്ട് ബാലൻസ്
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,ഇടപാടുകൾക്ക് നികുതി റൂൾ.
DocType: Rename Tool,Type of document to rename.,പേരുമാറ്റാൻ പ്രമാണത്തിൽ തരം.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,ഞങ്ങൾ ഈ ഇനം വാങ്ങാൻ
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,ഞങ്ങൾ ഈ ഇനം വാങ്ങാൻ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: ഉപഭോക്തൃ സ്വീകാര്യം അക്കൗണ്ട് {2} നേരെ ആവശ്യമാണ്
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),ആകെ നികുതി ചാർജുകളും (കമ്പനി കറൻസി)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,അടയ്ക്കാത്ത സാമ്പത്തിക വർഷത്തെ പി & എൽ തുലാസിൽ കാണിക്കുക
@@ -1470,29 +1479,30 @@
DocType: Stock Entry,Total Additional Costs,ആകെ അധിക ചെലവ്
DocType: Course Schedule,SH,എസ്.എച്ച്
DocType: BOM,Scrap Material Cost(Company Currency),സ്ക്രാപ്പ് വസ്തുക്കളുടെ വില (കമ്പനി കറൻസി)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,സബ് അസംബ്ലീസ്
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,സബ് അസംബ്ലീസ്
DocType: Asset,Asset Name,അസറ്റ് പേര്
DocType: Project,Task Weight,ടാസ്ക് ഭാരോദ്വഹനം
DocType: Shipping Rule Condition,To Value,മൂല്യത്തിലേക്ക്
DocType: Asset Movement,Stock Manager,സ്റ്റോക്ക് മാനേജർ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},ഉറവിട വെയർഹൗസ് വരി {0} നിര്ബന്ധമാണ്
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,പാക്കിംഗ് സ്ലിപ്പ്
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,ഓഫീസ് രെംട്
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},ഉറവിട വെയർഹൗസ് വരി {0} നിര്ബന്ധമാണ്
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,പാക്കിംഗ് സ്ലിപ്പ്
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,ഓഫീസ് രെംട്
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,സെറ്റപ്പ് എസ്എംഎസ് ഗേറ്റ്വേ ക്രമീകരണങ്ങൾ
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,ഇംപോർട്ട് പരാജയപ്പെട്ടു!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,ഇല്ല വിലാസം ഇതുവരെ ചേർത്തു.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,ഇല്ല വിലാസം ഇതുവരെ ചേർത്തു.
DocType: Workstation Working Hour,Workstation Working Hour,വർക്ക്സ്റ്റേഷൻ ജോലി അന്ത്യസമയം
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,അനലിസ്റ്റ്
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,അനലിസ്റ്റ്
DocType: Item,Inventory,ഇൻവെന്ററി
DocType: Item,Sales Details,സെയിൽസ് വിശദാംശങ്ങൾ
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,ഇനങ്ങൾ കൂടി
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,Qty ൽ
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,Qty ൽ
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് വിദ്യാർത്ഥികളുടെ മൂല്യനിർണ്ണയം എൻറോൾ കോഴ്സ്
DocType: Notification Control,Expense Claim Rejected,ചിലവേറിയ കള്ളമാണെന്ന്
DocType: Item,Item Attribute,ഇനത്തിനും
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,സർക്കാർ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,സർക്കാർ
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,ചിലവേറിയ ക്ലെയിം {0} ഇതിനകം വാഹനം ലോഗ് നിലവിലുണ്ട്
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,ഇൻസ്റ്റിറ്റ്യൂട്ട് പേര്
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,ഇൻസ്റ്റിറ്റ്യൂട്ട് പേര്
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,ദയവായി തിരിച്ചടവ് തുക നൽകുക
apps/erpnext/erpnext/config/stock.py +300,Item Variants,ഇനം രൂപഭേദങ്ങൾ
DocType: Company,Services,സേവനങ്ങള്
@@ -1502,18 +1512,18 @@
DocType: Sales Invoice,Source,ഉറവിടം
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,അടച്ചു കാണിക്കുക
DocType: Leave Type,Is Leave Without Pay,ശമ്പള ഇല്ലാതെ തന്നെ തന്നു
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,അസറ്റ് വിഭാഗം ഫിക്സ്ഡ് അസറ്റ് ഇനം നിര്ബന്ധമാണ്
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,അസറ്റ് വിഭാഗം ഫിക്സ്ഡ് അസറ്റ് ഇനം നിര്ബന്ധമാണ്
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,പേയ്മെന്റ് പട്ടികയിൽ കണ്ടെത്തിയില്ല റെക്കോർഡുകൾ
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},ഈ {0} {2} {3} ഉപയോഗിച്ച് {1} വൈരുദ്ധ്യങ്ങൾ
DocType: Student Attendance Tool,Students HTML,വിദ്യാർത്ഥികൾ എച്ച്ടിഎംഎൽ
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,സാമ്പത്തിക വർഷം ആരംഭ തീയതി
DocType: POS Profile,Apply Discount,ഡിസ്കൗണ്ട് പ്രയോഗിക്കുക
+DocType: Purchase Invoice Item,GST HSN Code,ചരക്കുസേവന ഹ്സ്ന് കോഡ്
DocType: Employee External Work History,Total Experience,ആകെ അനുഭവം
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,തുറക്കുക പദ്ധതികളിൽ
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,പായ്ക്കിംഗ് ജി (കൾ) റദ്ദാക്കി
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,നിക്ഷേപം മുതൽ ക്യാഷ് ഫ്ളോ
DocType: Program Course,Program Course,പ്രോഗ്രാം കോഴ്സ്
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,ചരക്കുഗതാഗതം കൈമാറലും ചുമത്തിയിട്ടുള്ള
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,ചരക്കുഗതാഗതം കൈമാറലും ചുമത്തിയിട്ടുള്ള
DocType: Homepage,Company Tagline for website homepage,വെബ്സൈറ്റ് ഹോംപേജിൽ കമ്പനിയുടെ ടാഗ്ലൈൻ
DocType: Item Group,Item Group Name,ഇനം ഗ്രൂപ്പ് പേര്
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,എടുത്ത
@@ -1523,6 +1533,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,വിജയസാധ്യതയുള്ളത് സൃഷ്ടിക്കുക
DocType: Maintenance Schedule,Schedules,സമയക്രമങ്ങൾ
DocType: Purchase Invoice Item,Net Amount,ആകെ തുക
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} അങ്ങനെ നടപടി പൂർത്തിയാക്കാൻ കഴിയില്ല സമർപ്പിച്ചിട്ടില്ല
DocType: Purchase Order Item Supplied,BOM Detail No,BOM വിശദാംശം ഇല്ല
DocType: Landed Cost Voucher,Additional Charges,അധിക ചാര്ജ്
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),അഡീഷണൽ കിഴിവ് തുക (കമ്പനി കറൻസി)
@@ -1538,6 +1549,7 @@
DocType: Employee Loan,Monthly Repayment Amount,പ്രതിമാസ തിരിച്ചടവ് തുക
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,ജീവനക്കാരുടെ റോൾ സജ്ജീകരിക്കാൻ ജീവനക്കാരിയെ രേഖയിൽ ഉപയോക്തൃ ഐഡി ഫീൽഡ് സജ്ജീകരിക്കുക
DocType: UOM,UOM Name,UOM പേര്
+DocType: GST HSN Code,HSN Code,ഹ്സ്ന് കോഡ്
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,സംഭാവനത്തുക
DocType: Purchase Invoice,Shipping Address,ഷിപ്പിംഗ് വിലാസം
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,ഈ ഉപകരണം നിങ്ങളെ സിസ്റ്റം സ്റ്റോക്ക് അളവ് മൂലധനം അപ്ഡേറ്റുചെയ്യാനോ പരിഹരിക്കാൻ സഹായിക്കുന്നു. ഇത് സിസ്റ്റം മൂല്യങ്ങളും യഥാർത്ഥമാക്കുകയും നിങ്ങളുടെ അബദ്ധങ്ങളും നിലവിലുണ്ട് സമന്വയിപ്പിക്കുക ഉപയോഗിക്കുന്നു.
@@ -1548,18 +1560,17 @@
DocType: Program Enrollment Tool,Program Enrollments,പ്രോഗ്രാം പ്രവേശനം
DocType: Sales Invoice Item,Brand Name,ബ്രാൻഡ് പേര്
DocType: Purchase Receipt,Transporter Details,ട്രാൻസ്പോർട്ടർ വിശദാംശങ്ങൾ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,സ്വതേ വെയർഹൗസ് തിരഞ്ഞെടുത്ത ഇനം ആവശ്യമാണ്
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,ബോക്സ്
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,സ്വതേ വെയർഹൗസ് തിരഞ്ഞെടുത്ത ഇനം ആവശ്യമാണ്
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,ബോക്സ്
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,സാധ്യമായ വിതരണക്കാരൻ
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,സംഘടന
DocType: Budget,Monthly Distribution,പ്രതിമാസ വിതരണം
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,റിസീവർ പട്ടിക ശൂന്യമാണ്. റിസീവർ പട്ടിക സൃഷ്ടിക്കാൻ ദയവായി
DocType: Production Plan Sales Order,Production Plan Sales Order,പ്രൊഡക്ഷൻ പ്ലാൻ സെയിൽസ് ഓർഡർ
DocType: Sales Partner,Sales Partner Target,സെയിൽസ് പങ്കാളി ടാർജറ്റ്
DocType: Loan Type,Maximum Loan Amount,പരമാവധി വായ്പാ തുക
DocType: Pricing Rule,Pricing Rule,പ്രൈസിങ് റൂൾ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},വിദ്യാർത്ഥി {0} എന്ന റോൾ നമ്പർ തനിപ്പകർപ്പ്
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},വിദ്യാർത്ഥി {0} എന്ന റോൾ നമ്പർ തനിപ്പകർപ്പ്
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},വിദ്യാർത്ഥി {0} എന്ന റോൾ നമ്പർ തനിപ്പകർപ്പ്
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},വിദ്യാർത്ഥി {0} എന്ന റോൾ നമ്പർ തനിപ്പകർപ്പ്
DocType: Budget,Action if Annual Budget Exceeded,ആക്ഷൻ വാർഷിക ബജറ്റ് കവിഞ്ഞു എങ്കിൽ
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,ഓർഡർ വാങ്ങാൻ മെറ്റീരിയൽ അഭ്യർത്ഥന
DocType: Shopping Cart Settings,Payment Success URL,പേയ്മെന്റ് വിജയം യുആർഎൽ
@@ -1572,11 +1583,11 @@
DocType: C-Form,III,മൂന്നാമൻ
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,ഓഹരി ബാലൻസ് തുറക്കുന്നു
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} ഒരിക്കൽ മാത്രമേ ദൃശ്യമാകും വേണം
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},വാങ്ങൽ ഓർഡർ {2} നേരെ {1} അധികം {0} കൂടുതൽ കൈമാറണോ അനുവദിച്ചിട്ടില്ല
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},വാങ്ങൽ ഓർഡർ {2} നേരെ {1} അധികം {0} കൂടുതൽ കൈമാറണോ അനുവദിച്ചിട്ടില്ല
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},{0} വിജയകരമായി നീക്കിവച്ചിരുന്നു ഇലകൾ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,പാക്ക് ഇനങ്ങൾ ഇല്ല
DocType: Shipping Rule Condition,From Value,മൂല്യം നിന്നും
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,ണം ക്വാണ്ടിറ്റി നിർബന്ധമാണ്
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,ണം ക്വാണ്ടിറ്റി നിർബന്ധമാണ്
DocType: Employee Loan,Repayment Method,തിരിച്ചടവ് രീതി
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","പരിശോധിച്ചാൽ, ഹോം പേജ് വെബ്സൈറ്റ് സ്ഥിര ഇനം ഗ്രൂപ്പ് ആയിരിക്കും"
DocType: Quality Inspection Reading,Reading 4,4 Reading
@@ -1586,7 +1597,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},വരി # {0}: ക്ലിയറൻസ് തീയതി {1} {2} ചെക്ക് തിയതി ആകരുത്
DocType: Company,Default Holiday List,സ്വതേ ഹോളിഡേ പട്ടിക
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},വരി {0}: സമയവും ചെയ്യുക കുറഞ്ഞ സമയത്തിനുള്ളില് {1} {2} ഓവർലാപ്പുചെയ്യുന്നു ആണ്
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,സ്റ്റോക്ക് ബാദ്ധ്യതകളും
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,സ്റ്റോക്ക് ബാദ്ധ്യതകളും
DocType: Purchase Invoice,Supplier Warehouse,വിതരണക്കാരൻ വെയർഹൗസ്
DocType: Opportunity,Contact Mobile No,മൊബൈൽ ഇല്ല ബന്ധപ്പെടുക
,Material Requests for which Supplier Quotations are not created,വിതരണക്കാരൻ ഉദ്ധരണികളും സൃഷ്ടിച്ചിട്ടില്ല ചെയ്തിട്ടുളള മെറ്റീരിയൽ അഭ്യർത്ഥനകൾ
@@ -1597,35 +1608,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,ക്വട്ടേഷൻ നിർമ്മിക്കുക
apps/erpnext/erpnext/config/selling.py +216,Other Reports,മറ്റ് റിപ്പോർട്ടുകളിൽ
DocType: Dependent Task,Dependent Task,ആശ്രിത ടാസ്ക്
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},അളവു സ്വതവേയുള്ള യൂണിറ്റ് വേണ്ടി പരിവർത്തന ഘടകം വരി 1 {0} ആയിരിക്കണം
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},അളവു സ്വതവേയുള്ള യൂണിറ്റ് വേണ്ടി പരിവർത്തന ഘടകം വരി 1 {0} ആയിരിക്കണം
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},{0} ഇനി {1} അധികം ആകാൻ പാടില്ല തരത്തിലുള്ള വിടുക
DocType: Manufacturing Settings,Try planning operations for X days in advance.,മുൻകൂട്ടി എക്സ് ദിവസം വേണ്ടി ഓപ്പറേഷൻസ് ആസൂത്രണം ശ്രമിക്കുക.
DocType: HR Settings,Stop Birthday Reminders,ജന്മദിന ഓർമ്മക്കുറിപ്പുകൾ നിർത്തുക
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},കമ്പനി {0} ൽ സ്ഥിര ശമ്പളപ്പട്ടിക പേയബിൾ അക്കൗണ്ട് സജ്ജീകരിക്കുക
DocType: SMS Center,Receiver List,റിസീവർ പട്ടിക
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,തിരയൽ ഇനം
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,തിരയൽ ഇനം
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,ക്ഷയിച്ചിരിക്കുന്നു തുക
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,പണമായി നെറ്റ് മാറ്റുക
DocType: Assessment Plan,Grading Scale,ഗ്രേഡിംഗ് സ്കെയിൽ
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,മെഷർ {0} യൂണിറ്റ് ഒരിക്കൽ പരിവർത്തന ഫാക്ടർ പട്ടികയിലെ അധികം നൽകി
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,മെഷർ {0} യൂണിറ്റ് ഒരിക്കൽ പരിവർത്തന ഫാക്ടർ പട്ടികയിലെ അധികം നൽകി
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,ഇതിനകം പൂർത്തിയായ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,കയ്യിൽ ഓഹരി
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},പേയ്മെന്റ് അഭ്യർത്ഥന ഇതിനകം {0} നിലവിലുണ്ട്
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,ഇഷ്യൂ ഇനങ്ങൾ ചെലവ്
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},ക്വാണ്ടിറ്റി {0} അധികം പാടില്ല
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,കഴിഞ്ഞ സാമ്പത്തിക വർഷം അടച്ചിട്ടില്ല
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),പ്രായം (ദിവസം)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),പ്രായം (ദിവസം)
DocType: Quotation Item,Quotation Item,ക്വട്ടേഷൻ ഇനം
+DocType: Customer,Customer POS Id,കസ്റ്റമർ POS ഐഡി
DocType: Account,Account Name,അക്കൗണ്ട് നാമം
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,തീയതി തീയതിയെക്കുറിച്ചുള്ള വലുതായിരിക്കും കഴിയില്ല
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,സീരിയൽ ഇല്ല {0} അളവ് {1} ഒരു ഭാഗം ആകാൻ പാടില്ല
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,വിതരണക്കമ്പനിയായ തരം മാസ്റ്റർ.
DocType: Purchase Order Item,Supplier Part Number,വിതരണക്കമ്പനിയായ ഭാഗം നമ്പർ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,പരിവർത്തന നിരക്ക് 0 അല്ലെങ്കിൽ 1 കഴിയില്ല
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,പരിവർത്തന നിരക്ക് 0 അല്ലെങ്കിൽ 1 കഴിയില്ല
DocType: Sales Invoice,Reference Document,റെഫറൻസ് പ്രമാണം
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} റദ്ദാക്കി അല്ലെങ്കിൽ നിറുത്തി
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} റദ്ദാക്കി അല്ലെങ്കിൽ നിറുത്തി
DocType: Accounts Settings,Credit Controller,ക്രെഡിറ്റ് കൺട്രോളർ
DocType: Delivery Note,Vehicle Dispatch Date,വാഹന ഡിസ്പാച്ച് തീയതി
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,പർച്ചേസ് റെസീപ്റ്റ് {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,പർച്ചേസ് റെസീപ്റ്റ് {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും
DocType: Company,Default Payable Account,സ്ഥിരസ്ഥിതി അടയ്ക്കേണ്ട അക്കൗണ്ട്
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","മുതലായ ഷിപ്പിംഗ് നിയമങ്ങൾ, വില ലിസ്റ്റ് പോലെ ഓൺലൈൻ ഷോപ്പിംഗ് കാർട്ട് ക്രമീകരണങ്ങൾ"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,ഈടാക്കൂ {0}%
@@ -1644,11 +1657,12 @@
DocType: Expense Claim,Total Amount Reimbursed,ആകെ തുക Reimbursed
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,ഇത് ഈ വാഹനം നേരെ രേഖകൾ അടിസ്ഥാനമാക്കിയുള്ളതാണ്. വിശദാംശങ്ങൾക്ക് ടൈംലൈൻ കാണുക
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,ശേഖരിക്കുക
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},വിതരണക്കാരൻ ഇൻവോയിസ് {0} എഗെൻസ്റ്റ് {1} dated
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},വിതരണക്കാരൻ ഇൻവോയിസ് {0} എഗെൻസ്റ്റ് {1} dated
DocType: Customer,Default Price List,സ്ഥിരസ്ഥിതി വില പട്ടിക
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,അസറ്റ് മൂവ്മെന്റ് റെക്കോർഡ് {0} സൃഷ്ടിച്ചു
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,നിങ്ങൾ സാമ്പത്തിക വർഷത്തെ {0} ഇല്ലാതാക്കാൻ കഴിയില്ല. സാമ്പത്തിക വർഷത്തെ {0} ആഗോള ക്രമീകരണങ്ങൾ സ്വതവേ സജ്ജീകരിച്ച
DocType: Journal Entry,Entry Type,എൻട്രി തരം
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,ഈ വിലയിരുത്തൽ ഗ്രൂപ്പുമായി ലിങ്ക്ഡ് ഇല്ല വിലയിരുത്തൽ പദ്ധതി
,Customer Credit Balance,കസ്റ്റമർ ക്രെഡിറ്റ് ബാലൻസ്
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,അടയ്ക്കേണ്ട തുക ലെ നെറ്റ് മാറ്റുക
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount','Customerwise കിഴിവും' ആവശ്യമുള്ളതിൽ കസ്റ്റമർ
@@ -1657,7 +1671,7 @@
DocType: Quotation,Term Details,ടേം വിശദാംശങ്ങൾ
DocType: Project,Total Sales Cost (via Sales Order),ആകെ സെയിൽസ് ചെലവ് (സെയിൽസ് ഓർഡർ വഴി)
DocType: Project,Total Sales Cost (via Sales Order),ആകെ സെയിൽസ് ചെലവ് (സെയിൽസ് ഓർഡർ വഴി)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,{0} ഈ വിദ്യാർത്ഥി ഗ്രൂപ്പിനായി വിദ്യാർത്ഥികൾ കൂടുതൽ എൻറോൾ ചെയ്യാൻ കഴിയില്ല.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,{0} ഈ വിദ്യാർത്ഥി ഗ്രൂപ്പിനായി വിദ്യാർത്ഥികൾ കൂടുതൽ എൻറോൾ ചെയ്യാൻ കഴിയില്ല.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,ലീഡ് എണ്ണം
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,ലീഡ് എണ്ണം
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} 0 വലുതായിരിക്കണം
@@ -1680,7 +1694,7 @@
DocType: Sales Invoice,Packed Items,ചിലരാകട്ടെ ഇനങ്ങൾ
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,സീരിയൽ നമ്പർ നേരെ വാറന്റി ക്ലെയിം
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","അത് ഉപയോഗിക്കുന്നത് എവിടെ മറ്റെല്ലാ BOMs ഒരു പ്രത്യേക BOM മാറ്റിസ്ഥാപിക്കുക. ഇത് പുതിയ BOM ലേക്ക് പ്രകാരം പഴയ BOM ലിങ്ക്, അപ്ഡേറ്റ് ചെലവ് പകരം "BOM പൊട്ടിത്തെറി ഇനം" മേശ പുനരുജ്ജീവിപ്പിച്ച് ചെയ്യും"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','ആകെ'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','ആകെ'
DocType: Shopping Cart Settings,Enable Shopping Cart,ഷോപ്പിംഗ് കാർട്ട് പ്രവർത്തനക്ഷമമാക്കുക
DocType: Employee,Permanent Address,സ്ഥിര വിലാസം
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1696,9 +1710,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,ക്വാണ്ടിറ്റി അല്ലെങ്കിൽ മൂലധനം റേറ്റ് അല്ലെങ്കിൽ രണ്ട് വ്യക്തമാക്കുക
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,നിർവ്വഹണം
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,വണ്ടിയിൽ കാണുക
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,മാർക്കറ്റിംഗ് ചെലവുകൾ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,മാർക്കറ്റിംഗ് ചെലവുകൾ
,Item Shortage Report,ഇനം ദൗർലഭ്യം റിപ്പോർട്ട്
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","ഭാരോദ്വഹനം പരാമർശിച്ചിരിക്കുന്നത്, \ n ദയവായി വളരെ "ഭാരോദ്വഹനം UOM" മറന്ന"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","ഭാരോദ്വഹനം പരാമർശിച്ചിരിക്കുന്നത്, \ n ദയവായി വളരെ "ഭാരോദ്വഹനം UOM" മറന്ന"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,ഈ ഓഹരി എൻട്രി ചെയ്യുന്നതിനുപയോഗിക്കുന്ന മെറ്റീരിയൽ അഭ്യർത്ഥന
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,അടുത്ത മൂല്യത്തകർച്ച തീയതി പുതിയ അസറ്റ് നിര്ബന്ധമാണ്
DocType: Student Group Creation Tool,Separate course based Group for every Batch,അടിസ്ഥാനമാക്കിയുള്ള ഗ്രൂപ്പ് പ്രത്യേക കോഴ്സ് ഓരോ ബാച്ച് വേണ്ടി
@@ -1708,17 +1722,18 @@
,Student Fee Collection,സ്റ്റുഡന്റ് ഫീസ് ശേഖരം
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,ഓരോ ഓഹരി പ്രസ്ഥാനത്തിന് വേണ്ടി അക്കൗണ്ടിംഗ് എൻട്രി വരുത്തുക
DocType: Leave Allocation,Total Leaves Allocated,അനുവദിച്ച മൊത്തം ഇലകൾ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},വരി ഇല്ല {0} ആവശ്യമാണ് വെയർഹൗസ്
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,"സാധുവായ സാമ്പത്തിക വർഷം ആരംഭ, അവസാന തീയതി നൽകുക"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},വരി ഇല്ല {0} ആവശ്യമാണ് വെയർഹൗസ്
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,"സാധുവായ സാമ്പത്തിക വർഷം ആരംഭ, അവസാന തീയതി നൽകുക"
DocType: Employee,Date Of Retirement,വിരമിക്കൽ തീയതി
DocType: Upload Attendance,Get Template,ഫലകം നേടുക
+DocType: Material Request,Transferred,മാറ്റിയത്
DocType: Vehicle,Doors,ഡോറുകൾ
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,സമ്പൂർണ്ണ ERPNext സജ്ജീകരണം!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,സമ്പൂർണ്ണ ERPNext സജ്ജീകരണം!
DocType: Course Assessment Criteria,Weightage,വെയിറ്റേജ്
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: കോസ്റ്റ് സെന്റർ 'ലാഭവും നഷ്ടവും' അക്കൗണ്ട് {2} ആവശ്യമാണ്. കമ്പനി ഒരു സ്ഥിര കോസ്റ്റ് സെന്റർ സ്ഥാപിക്കും ദയവായി.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ഉപഭോക്താവിനെ ഗ്രൂപ്പ് സമാന പേരിൽ നിലവിലുണ്ട് കസ്റ്റമർ പേര് മാറ്റാനോ കസ്റ്റമർ ഗ്രൂപ്പ് പുനർനാമകരണം ദയവായി
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,പുതിയ കോൺടാക്റ്റ്
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ഉപഭോക്താവിനെ ഗ്രൂപ്പ് സമാന പേരിൽ നിലവിലുണ്ട് കസ്റ്റമർ പേര് മാറ്റാനോ കസ്റ്റമർ ഗ്രൂപ്പ് പുനർനാമകരണം ദയവായി
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,പുതിയ കോൺടാക്റ്റ്
DocType: Territory,Parent Territory,പാരന്റ് ടെറിട്ടറി
DocType: Quality Inspection Reading,Reading 2,Reading 2
DocType: Stock Entry,Material Receipt,മെറ്റീരിയൽ രസീത്
@@ -1727,17 +1742,16 @@
DocType: Employee,AB+,എബി +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","ഈ ഐറ്റം വകഭേദങ്ങളും ഉണ്ട് എങ്കിൽ, അത് തുടങ്ങിയവ വിൽപ്പന ഉത്തരവ് തിരഞ്ഞെടുക്കാനിടയുള്ളൂ കഴിയില്ല"
DocType: Lead,Next Contact By,അടുത്തത് കോൺടാക്റ്റ് തന്നെയാണ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},നിരയിൽ ഇനം {0} ആവശ്യമുള്ളതിൽ ക്വാണ്ടിറ്റി {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},അളവ് ഇനം {1} വേണ്ടി നിലവിലുണ്ട് പോലെ വെയർഹൗസ് {0} ഇല്ലാതാക്കാൻ കഴിയില്ല
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},നിരയിൽ ഇനം {0} ആവശ്യമുള്ളതിൽ ക്വാണ്ടിറ്റി {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},അളവ് ഇനം {1} വേണ്ടി നിലവിലുണ്ട് പോലെ വെയർഹൗസ് {0} ഇല്ലാതാക്കാൻ കഴിയില്ല
DocType: Quotation,Order Type,ഓർഡർ തരം
DocType: Purchase Invoice,Notification Email Address,വിജ്ഞാപന ഇമെയിൽ വിലാസം
,Item-wise Sales Register,ഇനം തിരിച്ചുള്ള സെയിൽസ് രജിസ്റ്റർ
DocType: Asset,Gross Purchase Amount,മൊത്തം വാങ്ങൽ തുക
DocType: Asset,Depreciation Method,മൂല്യത്തകർച്ച രീതി
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,ഓഫ്ലൈൻ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,ഓഫ്ലൈൻ
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,ബേസിക് റേറ്റ് ഉൾപ്പെടുത്തിയിട്ടുണ്ട് ഈ നികുതി ആണോ?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,ആകെ ടാർഗെറ്റ്
-DocType: Program Course,Required,ആവശ്യമായ
DocType: Job Applicant,Applicant for a Job,ഒരു ജോലിക്കായി അപേക്ഷകന്
DocType: Production Plan Material Request,Production Plan Material Request,പ്രൊഡക്ഷൻ പ്ലാൻ മെറ്റീരിയൽ അഭ്യർത്ഥന
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,സൃഷ്ടിച്ച ഇല്ല പ്രൊഡക്ഷൻ ഉത്തരവുകൾ
@@ -1747,17 +1761,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,കസ്റ്റമറുടെ വാങ്ങൽ ഓർഡർ നേരെ ഒന്നിലധികം സെയിൽസ് ഉത്തരവുകൾ അനുവദിക്കുക
DocType: Student Group Instructor,Student Group Instructor,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് പരിശീലകൻ
DocType: Student Group Instructor,Student Group Instructor,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് പരിശീലകൻ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,ഗുഅര്ദിഅന്൨ മൊബൈൽ ഇല്ല
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,പ്രധാന
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,ഗുഅര്ദിഅന്൨ മൊബൈൽ ഇല്ല
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,പ്രധാന
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,മാറ്റമുള്ള
DocType: Naming Series,Set prefix for numbering series on your transactions,നിങ്ങളുടെ ഇടപാടുകൾ പരമ്പര എണ്ണം പ്രിഫിക്സ് സജ്ജമാക്കുക
DocType: Employee Attendance Tool,Employees HTML,എംപ്ലോയീസ് എച്ച്ടിഎംഎൽ
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,സ്വതേ BOM ({0}) ഈ ഇനം അല്ലെങ്കിൽ അതിന്റെ ടെംപ്ലേറ്റ് സജീവമാകും ആയിരിക്കണം
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,സ്വതേ BOM ({0}) ഈ ഇനം അല്ലെങ്കിൽ അതിന്റെ ടെംപ്ലേറ്റ് സജീവമാകും ആയിരിക്കണം
DocType: Employee,Leave Encashed?,കാശാക്കാം വിടണോ?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,വയലിൽ നിന്ന് ഓപ്പർച്യൂനിറ്റി നിർബന്ധമാണ്
DocType: Email Digest,Annual Expenses,വാർഷിക ചെലവുകൾ
DocType: Item,Variants,വകഭേദങ്ങളും
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,വാങ്ങൽ ഓർഡർ നിർമ്മിക്കുക
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,വാങ്ങൽ ഓർഡർ നിർമ്മിക്കുക
DocType: SMS Center,Send To,അയക്കുക
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},അനുവാദ ടൈപ്പ് {0} മതി ലീവ് ബാലൻസ് ഒന്നും ഇല്ല
DocType: Payment Reconciliation Payment,Allocated amount,പദ്ധതി തുക
@@ -1773,26 +1787,25 @@
DocType: Item,Serial Nos and Batches,സീരിയൽ എണ്ണം ബാച്ചുകളും
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് ദൃഢത
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് ദൃഢത
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,ജേർണൽ എൻട്രി {0} എഗെൻസ്റ്റ് ഏതെങ്കിലും സമാനതകളില്ലാത്ത {1} എൻട്രി ഇല്ല
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,ജേർണൽ എൻട്രി {0} എഗെൻസ്റ്റ് ഏതെങ്കിലും സമാനതകളില്ലാത്ത {1} എൻട്രി ഇല്ല
apps/erpnext/erpnext/config/hr.py +137,Appraisals,വിലയിരുത്തലുകളും
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},സീരിയൽ ഇല്ല ഇനം {0} നൽകിയ തനിപ്പകർപ്പെടുക്കുക
DocType: Shipping Rule Condition,A condition for a Shipping Rule,ഒരു ഷിപ്പിംഗ് റൂൾ വ്യവസ്ഥ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,ദയവായി നൽകുക
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ഇനം {0} നിരയിൽ {1} അധികം {2} കൂടുതൽ വേണ്ടി ഒവെര്ബില്ല് കഴിയില്ല. മേൽ-ബില്ലിംഗ് അനുവദിക്കുന്നതിന്, ക്രമീകരണങ്ങൾ വാങ്ങാൻ ക്രമീകരിക്കുകയും ചെയ്യുക"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,ഇനം അപാകതയുണ്ട് അടിസ്ഥാനമാക്കി ഫിൽട്ടർ സജ്ജീകരിക്കുക
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ഇനം {0} നിരയിൽ {1} അധികം {2} കൂടുതൽ വേണ്ടി ഒവെര്ബില്ല് കഴിയില്ല. മേൽ-ബില്ലിംഗ് അനുവദിക്കുന്നതിന്, ക്രമീകരണങ്ങൾ വാങ്ങാൻ ക്രമീകരിക്കുകയും ചെയ്യുക"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,ഇനം അപാകതയുണ്ട് അടിസ്ഥാനമാക്കി ഫിൽട്ടർ സജ്ജീകരിക്കുക
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ഈ പാക്കേജിന്റെ മൊത്തം ഭാരം. (ഇനങ്ങളുടെ മൊത്തം ഭാരം തുകയുടെ ഒരു സ്വയം കണക്കുകൂട്ടുന്നത്)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,ഈ വെയർഹൗസ് ഒരു അക്കൗണ്ട് സൃഷ്ടിക്കാൻ അതു ലിങ്കുചെയ്യുക. ഈ {0} ഇതിനകം നിലവിലുണ്ട് പേര് യാന്ത്രികമായി ഒരു അക്കൗണ്ട് ആയി ചെയ്യാൻ കഴിയില്ല
DocType: Sales Order,To Deliver and Bill,എത്തിക്കേണ്ടത് ബിൽ ചെയ്യുക
DocType: Student Group,Instructors,ഗുരുക്കന്മാർ
DocType: GL Entry,Credit Amount in Account Currency,അക്കൗണ്ട് കറൻസി ക്രെഡിറ്റ് തുക
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM ലേക്ക് {0} സമർപ്പിക്കേണ്ടതാണ്
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM ലേക്ക് {0} സമർപ്പിക്കേണ്ടതാണ്
DocType: Authorization Control,Authorization Control,അംഗീകാര നിയന്ത്രണ
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},വരി # {0}: നിരസിച്ചു വെയർഹൗസ് തള്ളിക്കളഞ്ഞ ഇനം {1} നേരെ നിർബന്ധമായും
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},വരി # {0}: നിരസിച്ചു വെയർഹൗസ് തള്ളിക്കളഞ്ഞ ഇനം {1} നേരെ നിർബന്ധമായും
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,പേയ്മെന്റ്
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","വെയർഹൗസ് {0} ഏത് അക്കൗണ്ടിൽ ലിങ്കുചെയ്തിട്ടില്ല, കമ്പനി {1} വെയർഹൗസിൽ റെക്കോർഡ്, സെറ്റ് സ്ഥിര സാധനങ്ങളും അക്കൗണ്ടിൽ അക്കൗണ്ട് പരാമർശിക്കുക."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,നിങ്ങളുടെ ഓർഡറുകൾ നിയന്ത്രിക്കുക
DocType: Production Order Operation,Actual Time and Cost,യഥാർത്ഥ സമയവും ചെലവ്
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},പരമാവധി ഭൗതിക അഭ്യർത്ഥന {0} സെയിൽസ് ഓർഡർ {2} നേരെ ഇനം {1} വേണ്ടി കഴിയും
-DocType: Employee,Salutation,വന്ദനംപറച്ചില്
DocType: Course,Course Abbreviation,കോഴ്സ് സംഗ്രഹം
DocType: Student Leave Application,Student Leave Application,വിദ്യാർത്ഥി അനുവാദ അപ്ലിക്കേഷൻ
DocType: Item,Will also apply for variants,കൂടാതെ മോഡലുകൾക്കാണ് ബാധകമാകും
@@ -1804,12 +1817,12 @@
DocType: Quotation Item,Actual Qty,യഥാർത്ഥ Qty
DocType: Sales Invoice Item,References,അവലംബം
DocType: Quality Inspection Reading,Reading 10,10 Reading
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","നിങ്ങൾ വാങ്ങാനും വിൽക്കാനും ആ നിങ്ങളുടെ ഉൽപ്പന്നങ്ങൾ അല്ലെങ്കിൽ സേവനങ്ങൾ കാണിയ്ക്കുക. തുടങ്ങുമ്പോൾത്തന്നെ ഇനം ഗ്രൂപ്പ്, അളവിലും മറ്റ് ഉള്ള യൂണിറ്റ് പരിശോധിക്കാൻ ഉറപ്പു വരുത്തുക."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","നിങ്ങൾ വാങ്ങാനും വിൽക്കാനും ആ നിങ്ങളുടെ ഉൽപ്പന്നങ്ങൾ അല്ലെങ്കിൽ സേവനങ്ങൾ കാണിയ്ക്കുക. തുടങ്ങുമ്പോൾത്തന്നെ ഇനം ഗ്രൂപ്പ്, അളവിലും മറ്റ് ഉള്ള യൂണിറ്റ് പരിശോധിക്കാൻ ഉറപ്പു വരുത്തുക."
DocType: Hub Settings,Hub Node,ഹബ് നോഡ്
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,നിങ്ങൾ ഡ്യൂപ്ലിക്കേറ്റ് ഇനങ്ങളുടെ പ്രവേശിച്ചിരിക്കുന്നു. പരിഹരിക്കാൻ വീണ്ടും ശ്രമിക്കുക.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,അസോസിയേറ്റ്
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,അസോസിയേറ്റ്
DocType: Asset Movement,Asset Movement,അസറ്റ് പ്രസ്ഥാനം
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,പുതിയ കാർട്ട്
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,പുതിയ കാർട്ട്
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,ഇനം {0} ഒരു സീരിയൽ ഇനം അല്ല
DocType: SMS Center,Create Receiver List,റിസീവർ ലിസ്റ്റ് സൃഷ്ടിക്കുക
DocType: Vehicle,Wheels,ചക്രങ്ങളും
@@ -1829,19 +1842,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',അല്ലെങ്കിൽ 'മുൻ വരി ആകെ' 'മുൻ വരി തുകയ്ക്ക്' ചാർജ് തരം മാത്രമേ വരി പരാമർശിക്കാൻ കഴിയും
DocType: Sales Order Item,Delivery Warehouse,ഡെലിവറി വെയർഹൗസ്
DocType: SMS Settings,Message Parameter,സന്ദേശ പാരാമീറ്റർ
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,സാമ്പത്തിക ചെലവ് സെന്റേഴ്സ് ട്രീ.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,സാമ്പത്തിക ചെലവ് സെന്റേഴ്സ് ട്രീ.
DocType: Serial No,Delivery Document No,ഡെലിവറി ഡോക്യുമെന്റ് ഇല്ല
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},'അസറ്റ് തീർപ്പ് ന് ഗെയിൻ / നഷ്ടം അക്കൗണ്ട്' സജ്ജമാക്കുക കമ്പനി {0} ൽ
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,വാങ്ങൽ വരവ് നിന്നുള്ള ഇനങ്ങൾ നേടുക
DocType: Serial No,Creation Date,ക്രിയേഷൻ തീയതി
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},ഇനം {0} വില പട്ടിക {1} ഒന്നിലധികം പ്രാവശ്യം
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","ബാധകമായ {0} തിരഞ്ഞെടുക്കപ്പെട്ടു എങ്കിൽ കച്ചവടവും, ചെക്ക് ചെയ്തിരിക്കണം"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","ബാധകമായ {0} തിരഞ്ഞെടുക്കപ്പെട്ടു എങ്കിൽ കച്ചവടവും, ചെക്ക് ചെയ്തിരിക്കണം"
DocType: Production Plan Material Request,Material Request Date,മെറ്റീരിയൽ അഭ്യർത്ഥന തീയതി
DocType: Purchase Order Item,Supplier Quotation Item,വിതരണക്കാരൻ ക്വട്ടേഷൻ ഇനം
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,പ്രൊഡക്ഷൻ ഉത്തരവുകൾ നേരെ സമയം രേഖകൾ സൃഷ്ടി പ്രവർത്തനരഹിതമാക്കുന്നു. ഓപറേഷൻസ് പ്രൊഡക്ഷൻ ഓർഡർ നേരെ ട്രാക്ക് ചെയ്യപ്പെടാൻ വരികയുമില്ല
DocType: Student,Student Mobile Number,സ്റ്റുഡന്റ് മൊബൈൽ നമ്പർ
DocType: Item,Has Variants,രൂപഭേദങ്ങൾ ഉണ്ട്
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},നിങ്ങൾ ഇതിനകം നിന്ന് {0} {1} ഇനങ്ങൾ തിരഞ്ഞെടുത്തു
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},നിങ്ങൾ ഇതിനകം നിന്ന് {0} {1} ഇനങ്ങൾ തിരഞ്ഞെടുത്തു
DocType: Monthly Distribution,Name of the Monthly Distribution,പ്രതിമാസ വിതരണം പേര്
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,ബാച്ച് ഐഡി നിർബന്ധമായും
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,ബാച്ച് ഐഡി നിർബന്ധമായും
@@ -1852,12 +1865,12 @@
DocType: Budget,Fiscal Year,സാമ്പത്തിക വർഷം
DocType: Vehicle Log,Fuel Price,ഇന്ധന വില
DocType: Budget,Budget,ബജറ്റ്
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,ഫിക്സ്ഡ് അസറ്റ് ഇനം ഒരു നോൺ-സ്റ്റോക്ക് ഇനം ആയിരിക്കണം.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,ഫിക്സ്ഡ് അസറ്റ് ഇനം ഒരു നോൺ-സ്റ്റോക്ക് ഇനം ആയിരിക്കണം.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","അത് ഒരു ആദായ അല്ലെങ്കിൽ ചിലവേറിയ അല്ല പോലെ ബജറ്റ്, {0} നേരെ നിയോഗിക്കുകയും കഴിയില്ല"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,കൈവരിച്ച
DocType: Student Admission,Application Form Route,അപേക്ഷാ ഫോം റൂട്ട്
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,ടെറിട്ടറി / കസ്റ്റമർ
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,ഉദാ 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,ഉദാ 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,ഇനം {0} വിടുക അതു വേതനം വിടണമെന്ന് മുതൽ വകയിരുത്തി കഴിയില്ല
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},വരി {0}: പദ്ധതി തുക {1} കുറവ് അഥവാ മുന്തിയ തുക {2} ഇൻവോയ്സ് സമൻമാരെ ആയിരിക്കണം
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,നിങ്ങൾ സെയിൽസ് ഇൻവോയിസ് ലാഭിക്കാൻ ഒരിക്കൽ വാക്കുകളിൽ ദൃശ്യമാകും.
@@ -1866,7 +1879,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,ഇനം {0} സീരിയൽ ഒഴിവ് വിവരത്തിനു അല്ല. ഇനം മാസ്റ്റർ പരിശോധിക്കുക
DocType: Maintenance Visit,Maintenance Time,മെയിൻറനൻസ് സമയം
,Amount to Deliver,വിടുവിപ്പാൻ തുക
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,ഒരു ഉല്പന്നം അല്ലെങ്കിൽ സേവനം
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,ഒരു ഉല്പന്നം അല്ലെങ്കിൽ സേവനം
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ടേം ആരംഭ തീയതി ഏത് പദം (അക്കാദമിക് വർഷം {}) ബന്ധിപ്പിച്ചിട്ടുള്ളാതാവനായി അക്കാദമിക വർഷത്തിന്റെ വർഷം ആരംഭിക്കുന്ന തീയതിയ്ക്ക് നേരത്തെ പാടില്ല. എൻറർ ശരിയാക്കി വീണ്ടും ശ്രമിക്കുക.
DocType: Guardian,Guardian Interests,ഗാർഡിയൻ താൽപ്പര്യങ്ങൾ
DocType: Naming Series,Current Value,ഇപ്പോഴത്തെ മൂല്യം
@@ -1880,12 +1893,12 @@
must be greater than or equal to {2}","വരി {0}: തീയതി \ എന്നിവ തമ്മിലുള്ള വ്യത്യാസം വലിയവനോ അല്ലെങ്കിൽ {2} തുല്യമോ ആയിരിക്കണം, {1} കാലഘട്ടം സജ്ജമാക്കുന്നതിനായി"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,ഈ സ്റ്റോക്ക് പ്രസ്ഥാനം അടിസ്ഥാനമാക്കിയുള്ളതാണ്. വിവരങ്ങൾക്ക് {0} കാണുക
DocType: Pricing Rule,Selling,വിൽപ്പനയുള്ളത്
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},തുക {0} {1} {2} നേരെ കുറച്ചുകൊണ്ടിരിക്കും
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},തുക {0} {1} {2} നേരെ കുറച്ചുകൊണ്ടിരിക്കും
DocType: Employee,Salary Information,ശമ്പളം വിവരങ്ങൾ
DocType: Sales Person,Name and Employee ID,പേര് തൊഴിൽ ഐഡി
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,നിശ്ചിത തീയതി തീയതി പതിച്ച മുമ്പ് ആകാൻ പാടില്ല
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,നിശ്ചിത തീയതി തീയതി പതിച്ച മുമ്പ് ആകാൻ പാടില്ല
DocType: Website Item Group,Website Item Group,വെബ്സൈറ്റ് ഇനം ഗ്രൂപ്പ്
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,"കടമകൾ, നികുതി"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,"കടമകൾ, നികുതി"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,റഫറൻസ് തീയതി നൽകുക
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} പേയ്മെന്റ് എൻട്രികൾ {1} ഫിൽട്ടർ ചെയ്യാൻ കഴിയില്ല
DocType: Item Website Specification,Table for Item that will be shown in Web Site,വെബ് സൈറ്റ് പ്രദർശിപ്പിക്കും ആ ഇനം വേണ്ടി ടേബിൾ
@@ -1902,9 +1915,9 @@
DocType: Payment Reconciliation Payment,Reference Row,റഫറൻസ് വരി
DocType: Installation Note,Installation Time,ഇന്സ്റ്റലേഷന് സമയം
DocType: Sales Invoice,Accounting Details,അക്കൗണ്ടിംഗ് വിശദാംശങ്ങൾ
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,ഈ കമ്പനി വേണ്ടി എല്ലാ ഇടപാടുകൾ ഇല്ലാതാക്കുക
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,വരി # {0}: ഓപ്പറേഷൻ {1} പ്രൊഡക്ഷൻ ഓർഡർ # {3} ലെ പൂർത്തിയായി വസ്തുവിൽ {2} qty പൂർത്തിയായി ചെയ്തിട്ടില്ല. സമയം ലോഗുകൾ വഴി ഓപ്പറേഷൻ നില അപ്ഡേറ്റ് ചെയ്യുക
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,നിക്ഷേപങ്ങൾ
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,ഈ കമ്പനി വേണ്ടി എല്ലാ ഇടപാടുകൾ ഇല്ലാതാക്കുക
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,വരി # {0}: ഓപ്പറേഷൻ {1} പ്രൊഡക്ഷൻ ഓർഡർ # {3} ലെ പൂർത്തിയായി വസ്തുവിൽ {2} qty പൂർത്തിയായി ചെയ്തിട്ടില്ല. സമയം ലോഗുകൾ വഴി ഓപ്പറേഷൻ നില അപ്ഡേറ്റ് ചെയ്യുക
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,നിക്ഷേപങ്ങൾ
DocType: Issue,Resolution Details,മിഴിവ് വിശദാംശങ്ങൾ
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,വിഹിതം
DocType: Item Quality Inspection Parameter,Acceptance Criteria,സ്വീകാര്യത മാനദണ്ഡം
@@ -1929,7 +1942,7 @@
DocType: Room,Room Name,റൂം പേര്
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","ലീവ് ബാലൻസ് ഇതിനകം ഭാവിയിൽ ലീവ് അലോക്കേഷൻ റെക്കോർഡ് {1} ൽ കാരി മുന്നോട്ടയയ്ക്കുകയും ലീവ്, {0} മുമ്പ് റദ്ദാക്കി / പ്രയോഗിക്കാൻ കഴിയില്ല"
DocType: Activity Cost,Costing Rate,ആറെണ്ണവും റേറ്റ്
-,Customer Addresses And Contacts,കസ്റ്റമർ വിലാസങ്ങളും ബന്ധങ്ങൾ
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,കസ്റ്റമർ വിലാസങ്ങളും ബന്ധങ്ങൾ
,Campaign Efficiency,കാമ്പെയ്ൻ എഫിഷ്യൻസി
,Campaign Efficiency,കാമ്പെയ്ൻ എഫിഷ്യൻസി
DocType: Discussion,Discussion,സംവാദം
@@ -1941,14 +1954,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),ആകെ ബില്ലിംഗ് തുക (ടൈം ഷീറ്റ് വഴി)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,ആവർത്തിക്കുക കസ്റ്റമർ റവന്യൂ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) പങ്ക് 'ചിലവിടൽ Approver' ഉണ്ടായിരിക്കണം
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,ജോഡി
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,ഉത്പാദനം BOM ലേക്ക് ആൻഡ് അളവ് തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,ജോഡി
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,ഉത്പാദനം BOM ലേക്ക് ആൻഡ് അളവ് തിരഞ്ഞെടുക്കുക
DocType: Asset,Depreciation Schedule,മൂല്യത്തകർച്ച ഷെഡ്യൂൾ
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,സെയിൽസ് പങ്കാളി വിലാസങ്ങളും ബന്ധങ്ങൾ
DocType: Bank Reconciliation Detail,Against Account,അക്കൗണ്ടിനെതിരായ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,അര ദിവസം തീയതി തീയതി മുതൽ ദിവസവും തമ്മിലുള്ള ആയിരിക്കണം
DocType: Maintenance Schedule Detail,Actual Date,യഥാർഥ
DocType: Item,Has Batch No,ബാച്ച് ഇല്ല ഉണ്ട്
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},വാർഷിക ബില്ലിംഗ്: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},വാർഷിക ബില്ലിംഗ്: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),ഉൽപ്പന്നങ്ങളും സേവനങ്ങളും നികുതി (ചരക്കുസേവന ഇന്ത്യ)
DocType: Delivery Note,Excise Page Number,എക്സൈസ് പേജ് നമ്പർ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","കമ്പനി, തീയതി മുതൽ ദിവസവും നിർബന്ധമായും"
DocType: Asset,Purchase Date,വാങ്ങിയ തിയതി
@@ -1956,11 +1971,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},കമ്പനി {0} ൽ 'അസറ്റ് മൂല്യത്തകർച്ച കോസ്റ്റ് സെന്റർ' സജ്ജമാക്കുക
,Maintenance Schedules,മെയിൻറനൻസ് സമയക്രമങ്ങൾ
DocType: Task,Actual End Date (via Time Sheet),യഥാർത്ഥ അവസാന തീയതി (ടൈം ഷീറ്റ് വഴി)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},തുക {0} {1} {2} {3} നേരെ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},തുക {0} {1} {2} {3} നേരെ
,Quotation Trends,ക്വട്ടേഷൻ ട്രെൻഡുകൾ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},ഐറ്റം {0} ഐറ്റം മാസ്റ്റർ പരാമർശിച്ചു അല്ല ഇനം ഗ്രൂപ്പ്
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,അക്കൗണ്ടിലേക്ക് ഡെബിറ്റ് ഒരു സ്വീകാ അക്കൗണ്ട് ആയിരിക്കണം
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},ഐറ്റം {0} ഐറ്റം മാസ്റ്റർ പരാമർശിച്ചു അല്ല ഇനം ഗ്രൂപ്പ്
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,അക്കൗണ്ടിലേക്ക് ഡെബിറ്റ് ഒരു സ്വീകാ അക്കൗണ്ട് ആയിരിക്കണം
DocType: Shipping Rule Condition,Shipping Amount,ഷിപ്പിംഗ് തുക
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,ഉപഭോക്താക്കൾ ചേർക്കുക
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,തീർച്ചപ്പെടുത്തിയിട്ടില്ല തുക
DocType: Purchase Invoice Item,Conversion Factor,പരിവർത്തന ഫാക്ടർ
DocType: Purchase Order,Delivered,കൈമാറി
@@ -1970,7 +1986,8 @@
DocType: Purchase Receipt,Vehicle Number,വാഹന നമ്പർ
DocType: Purchase Invoice,The date on which recurring invoice will be stop,ആവർത്തന ഇൻവോയ്സ് സ്റ്റോപ്പ് ആയിരിക്കും തീയതി
DocType: Employee Loan,Loan Amount,വായ്പാ തുക
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},വരി {0}: വസ്തുക്കൾ ബിൽ ഇനം {1} കണ്ടില്ല
+DocType: Program Enrollment,Self-Driving Vehicle,സ്വയം-ഡ്രൈവിംഗ് വാഹനം
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},വരി {0}: വസ്തുക്കൾ ബിൽ ഇനം {1} കണ്ടില്ല
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,ആകെ അലോക്കേറ്റഡ് ഇല {0} കാലയളവിലേക്ക് ഇതിനകം അംഗീകരിച്ച ഇല {1} കുറവായിരിക്കണം കഴിയില്ല
DocType: Journal Entry,Accounts Receivable,സ്വീകാരയോഗ്യമായ കണക്കുകള്
,Supplier-Wise Sales Analytics,വിതരണക്കമ്പനിയായ യുക്തിമാനും സെയിൽസ് അനലിറ്റിക്സ്
@@ -1988,22 +2005,21 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,ചിലവിടൽ ക്ലെയിം അംഗീകാരത്തിനായി ശേഷിക്കുന്നു. മാത്രം ചിലവിടൽ Approver സ്റ്റാറ്റസ് അപ്ഡേറ്റ് ചെയ്യാം.
DocType: Email Digest,New Expenses,പുതിയ ചെലവുകൾ
DocType: Purchase Invoice,Additional Discount Amount,അധിക ഡിസ്ക്കൌണ്ട് തുക
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","വരി # {0}: അളവ് 1, ഇനം ഒരു നിശ്ചിത അസറ്റ് പോലെ ആയിരിക്കണം. ഒന്നിലധികം അളവ് പ്രത്യേകം വരി ഉപയോഗിക്കുക."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","വരി # {0}: അളവ് 1, ഇനം ഒരു നിശ്ചിത അസറ്റ് പോലെ ആയിരിക്കണം. ഒന്നിലധികം അളവ് പ്രത്യേകം വരി ഉപയോഗിക്കുക."
DocType: Leave Block List Allow,Leave Block List Allow,അനുവദിക്കുക ബ്ലോക്ക് ലിസ്റ്റ് വിടുക
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Abbr ബ്ലാങ്ക് ബഹിരാകാശ ആകാൻ പാടില്ല
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr ബ്ലാങ്ക് ബഹിരാകാശ ആകാൻ പാടില്ല
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,നോൺ-ഗ്രൂപ്പ് വരെ ഗ്രൂപ്പ്
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,സ്പോർട്സ്
DocType: Loan Type,Loan Name,ലോൺ പേര്
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,യഥാർത്ഥ ആകെ
DocType: Student Siblings,Student Siblings,സ്റ്റുഡന്റ് സഹോദരങ്ങള്
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,യൂണിറ്റ്
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,കമ്പനി വ്യക്തമാക്കുക
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,യൂണിറ്റ്
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,കമ്പനി വ്യക്തമാക്കുക
,Customer Acquisition and Loyalty,കസ്റ്റമർ ഏറ്റെടുക്കൽ ലോയൽറ്റി
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,നിങ്ങൾ നിരസിച്ചു ഇനങ്ങളുടെ സ്റ്റോക്ക് നിലനിർത്തുന്നുവെന്നോ എവിടെ വെയർഹൗസ്
DocType: Production Order,Skip Material Transfer,മെറ്റീരിയൽ ട്രാൻസ്ഫർ ഒഴിവാക്കുക
DocType: Production Order,Skip Material Transfer,മെറ്റീരിയൽ ട്രാൻസ്ഫർ ഒഴിവാക്കുക
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,കീ തീയതി {2} വരെ {1} {0} വിനിമയ നിരക്ക് കണ്ടെത്താൻ കഴിഞ്ഞില്ല. സ്വയം ഒരു കറൻസി എക്സ്ചേഞ്ച് റെക്കോർഡ് സൃഷ്ടിക്കുക
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,നിങ്ങളുടെ സാമ്പത്തിക വർഷം ന് അവസാനിക്കും
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,കീ തീയതി {2} വരെ {1} {0} വിനിമയ നിരക്ക് കണ്ടെത്താൻ കഴിഞ്ഞില്ല. സ്വയം ഒരു കറൻസി എക്സ്ചേഞ്ച് റെക്കോർഡ് സൃഷ്ടിക്കുക
DocType: POS Profile,Price List,വിലവിവരപട്ടിക
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} ഇപ്പോൾ സ്വതവേയുള്ള ധനകാര്യ വർഷം ആണ്. പ്രാബല്യത്തിൽ മാറ്റം നിങ്ങളുടെ ബ്രൗസർ പുതുക്കുക.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,ചിലവേറിയ ക്ലെയിമുകൾ
@@ -2016,14 +2032,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},ബാച്ച് ലെ സ്റ്റോക്ക് ബാലൻസ് {0} സംഭരണശാല {3} ചെയ്തത് ഇനം {2} വേണ്ടി {1} നെഗറ്റീവ് ആയിത്തീരും
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,തുടർന്ന് മെറ്റീരിയൽ അഭ്യർത്ഥനകൾ ഇനത്തിന്റെ റീ-ഓർഡർ തലത്തിൽ അടിസ്ഥാനമാക്കി സ്വയം ഉൾപ്പെടും
DocType: Email Digest,Pending Sales Orders,തീർച്ചപ്പെടുത്തിയിട്ടില്ല സെയിൽസ് ഓർഡറുകൾ
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},അക്കൗണ്ട് {0} അസാധുവാണ്. അക്കൗണ്ട് കറന്സി {1} ആയിരിക്കണം
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},അക്കൗണ്ട് {0} അസാധുവാണ്. അക്കൗണ്ട് കറന്സി {1} ആയിരിക്കണം
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM പരിവർത്തന ഘടകം വരി {0} ആവശ്യമാണ്
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","വരി # {0}: പരാമർശം ഡോക്യുമെന്റ് തരം വിൽപ്പന ഓർഡർ, സെയിൽസ് ഇൻവോയ്സ് അല്ലെങ്കിൽ ജേർണൽ എൻട്രി ഒന്ന് ആയിരിക്കണം"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","വരി # {0}: പരാമർശം ഡോക്യുമെന്റ് തരം വിൽപ്പന ഓർഡർ, സെയിൽസ് ഇൻവോയ്സ് അല്ലെങ്കിൽ ജേർണൽ എൻട്രി ഒന്ന് ആയിരിക്കണം"
DocType: Salary Component,Deduction,കുറയ്ക്കല്
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,വരി {0}: സമയവും സമയാസമയങ്ങളിൽ നിർബന്ധമാണ്.
DocType: Stock Reconciliation Item,Amount Difference,തുക വ്യത്യാസം
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},ഇനം വില വില പട്ടിക {1} ൽ {0} വേണ്ടി ചേർത്തു
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},ഇനം വില വില പട്ടിക {1} ൽ {0} വേണ്ടി ചേർത്തു
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,ഈ വിൽപ്പന ആളിന്റെ ജീവനക്കാരന്റെ ഐഡി നൽകുക
DocType: Territory,Classification of Customers by region,പ്രാദേശികതയും ഉപഭോക്താക്കൾക്ക് തിരിക്കൽ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,വ്യത്യാസം തുക പൂജ്യം ആയിരിക്കണം
@@ -2035,21 +2051,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,ആകെ കിഴിച്ചുകൊണ്ടു
,Production Analytics,പ്രൊഡക്ഷൻ അനലിറ്റിക്സ്
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,ചെലവ് അപ്ഡേറ്റ്
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,ചെലവ് അപ്ഡേറ്റ്
DocType: Employee,Date of Birth,ജനിച്ച ദിവസം
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,ഇനം {0} ഇതിനകം മടങ്ങി ചെയ്തു
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,ഇനം {0} ഇതിനകം മടങ്ങി ചെയ്തു
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** സാമ്പത്തിക വർഷത്തെ ** ഒരു സാമ്പത്തിക വർഷം പ്രതിനിധീകരിക്കുന്നത്. എല്ലാ അക്കൗണ്ടിങ് എൻട്രികൾ മറ്റ് പ്രധാന ഇടപാടുകൾ ** ** സാമ്പത്തിക വർഷത്തിൽ നേരെ അത്രകണ്ട്.
DocType: Opportunity,Customer / Lead Address,കസ്റ്റമർ / ലീഡ് വിലാസം
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},മുന്നറിയിപ്പ്: അറ്റാച്ച്മെന്റ് {0} ന് അസാധുവായ SSL സർട്ടിഫിക്കറ്റ്
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},മുന്നറിയിപ്പ്: അറ്റാച്ച്മെന്റ് {0} ന് അസാധുവായ SSL സർട്ടിഫിക്കറ്റ്
DocType: Student Admission,Eligibility,യോഗ്യത
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","ലീഡുകൾ നിങ്ങളുടെ നയിക്കുന്നത് പോലെയും നിങ്ങളുടെ എല്ലാ ബന്ധങ്ങൾ കൂടുതൽ ചേർക്കുക, നിങ്ങൾ ബിസിനസ്സ് ലഭിക്കാൻ സഹായിക്കും"
DocType: Production Order Operation,Actual Operation Time,യഥാർത്ഥ ഓപ്പറേഷൻ സമയം
DocType: Authorization Rule,Applicable To (User),(ഉപയോക്താവ്) ബാധകമായ
DocType: Purchase Taxes and Charges,Deduct,കുറയ്ക്കാവുന്നതാണ്
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,ജോലി വിവരണം
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,ജോലി വിവരണം
DocType: Student Applicant,Applied,അപ്ലൈഡ്
DocType: Sales Invoice Item,Qty as per Stock UOM,ഓഹരി UOM പ്രകാരം Qty
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,ഗുഅര്ദിഅന്൨ പേര്
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,ഗുഅര്ദിഅന്൨ പേര്
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","ഒഴികെ പ്രത്യേക പ്രതീകങ്ങൾ "-", "#", "." ഒപ്പം "/" പരമ്പര പേരെടുത്ത് അനുവദനീയമല്ല"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","സെയിൽസ് കാമ്പെയ്നുകൾക്കായുള്ള കൃത്യമായി സൂക്ഷിക്കുക. നിക്ഷേപം മടങ്ങിവരിക കണക്കാക്കുന്നതിനുള്ള പടയോട്ടങ്ങൾ നിന്ന് തുടങ്ങിയവ സെയിൽസ് ഓർഡർ, ഉദ്ധരണികൾ, നയിക്കുന്നു ട്രാക്ക് സൂക്ഷിക്കുക."
DocType: Expense Claim,Approver,Approver
@@ -2060,8 +2076,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},സീരിയൽ ഇല്ല {0} {1} വരെ വാറന്റി കീഴിൽ ആണ്
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,പാക്കേജുകൾ കടന്നു ഡെലിവറി നോട്ട് വിഭജിക്കുക.
apps/erpnext/erpnext/hooks.py +87,Shipments,കയറ്റുമതി
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,അക്കൗണ്ട് ബാലൻസ് ({0}) വേണ്ടി {1} ഓഹരി മൂല്യം ({2}) വെയർഹൗസ് വേണ്ടി {3} ഒരേ ആയിരിക്കണം
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,അക്കൗണ്ട് ബാലൻസ് ({0}) വേണ്ടി {1} ഓഹരി മൂല്യം ({2}) വെയർഹൗസ് വേണ്ടി {3} ഒരേ ആയിരിക്കണം
DocType: Payment Entry,Total Allocated Amount (Company Currency),ആകെ തുക (കമ്പനി കറൻസി)
DocType: Purchase Order Item,To be delivered to customer,ഉപഭോക്താവിന് പ്രസവം
DocType: BOM,Scrap Material Cost,സ്ക്രാപ്പ് വസ്തുക്കളുടെ വില
@@ -2069,21 +2083,22 @@
DocType: Purchase Invoice,In Words (Company Currency),വാക്കുകൾ (കമ്പനി കറൻസി) ൽ
DocType: Asset,Supplier,സപൈ്ളയര്
DocType: C-Form,Quarter,ക്വാര്ട്ടര്
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,പലവക ചെലവുകൾ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,പലവക ചെലവുകൾ
DocType: Global Defaults,Default Company,സ്ഥിരസ്ഥിതി കമ്പനി
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ചിലവേറിയ അല്ലെങ്കിൽ ഈ വ്യത്യാസം അത് കൂട്ടിയിടികൾ പോലെ ഇനം {0} മൊത്തത്തിലുള്ള ഓഹരി മൂല്യം നിര്ബന്ധമാണ്
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ചിലവേറിയ അല്ലെങ്കിൽ ഈ വ്യത്യാസം അത് കൂട്ടിയിടികൾ പോലെ ഇനം {0} മൊത്തത്തിലുള്ള ഓഹരി മൂല്യം നിര്ബന്ധമാണ്
DocType: Payment Request,PR,പിആർ
DocType: Cheque Print Template,Bank Name,ബാങ്ക് പേര്
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Above
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Above
DocType: Employee Loan,Employee Loan Account,ജീവനക്കാരുടെ ലോൺ അക്കൗണ്ട്
DocType: Leave Application,Total Leave Days,ആകെ അനുവാദ ദിനങ്ങൾ
DocType: Email Digest,Note: Email will not be sent to disabled users,കുറിപ്പ്: ഇമെയിൽ ഉപയോക്താക്കൾക്ക് അയച്ച ചെയ്യില്ല
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,ഇടപെടൽ എണ്ണം
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,ഇടപെടൽ എണ്ണം
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,ഇനം കോഡ്> ഇനം ഗ്രൂപ്പ്> ബ്രാൻഡ്
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,കമ്പനി തിരഞ്ഞെടുക്കുക ...
DocType: Leave Control Panel,Leave blank if considered for all departments,എല്ലാ വകുപ്പുകളുടെയും വേണ്ടി പരിഗണിക്കും എങ്കിൽ ശൂന്യമായിടൂ
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","തൊഴിൽ വിവിധതരം (സ്ഥിരമായ, കരാർ, തടവുകാരി മുതലായവ)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} ഇനം {1} നിര്ബന്ധമാണ്
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} ഇനം {1} നിര്ബന്ധമാണ്
DocType: Process Payroll,Fortnightly,രണ്ടാഴ്ചയിലൊരിക്കൽ
DocType: Currency Exchange,From Currency,കറൻസി
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","കുറഞ്ഞത് ഒരു വരിയിൽ പദ്ധതി തുക, ഇൻവോയിസ് ടൈപ്പ് ഇൻവോയിസ് നമ്പർ തിരഞ്ഞെടുക്കുക"
@@ -2106,7 +2121,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,ഷെഡ്യൂൾ ലഭിക്കുന്നതിന് 'ജനറേറ്റ് ഷെഡ്യൂൾ' ക്ലിക്ക് ചെയ്യുക ദയവായി
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,താഴെ ഷെഡ്യൂളുകൾ ഇല്ലാതാക്കുമ്പോൾ പിശകുകൾ ഉണ്ടായിരുന്നു:
DocType: Bin,Ordered Quantity,ഉത്തരവിട്ടു ക്വാണ്ടിറ്റി
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",ഉദാ: "നിർമ്മാതാക്കളുടേയും ഉപകരണങ്ങൾ നിർമ്മിക്കുക"
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",ഉദാ: "നിർമ്മാതാക്കളുടേയും ഉപകരണങ്ങൾ നിർമ്മിക്കുക"
DocType: Grading Scale,Grading Scale Intervals,ഗ്രേഡിംഗ് സ്കെയിൽ ഇടവേളകൾ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: {3}: വേണ്ടി {2} മാത്രം കറൻസി കഴിയും അക്കൗണ്ടിംഗ് എൻട്രി
DocType: Production Order,In Process,പ്രക്രിയയിൽ
@@ -2121,12 +2136,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} സ്റ്റുഡന്റ് ഗ്രൂപ്പുകൾ സൃഷ്ടിച്ചു.
DocType: Sales Invoice,Total Billing Amount,ആകെ ബില്ലിംഗ് തുക
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,കൃതി ഈ പ്രാപ്തമാക്കി ഒരു സ്ഥിര ഇൻകമിംഗ് ഇമെയിൽ അക്കൗണ്ട് ഉണ്ട് ആയിരിക്കണം. സജ്ജീകരണം ദയവായി ഒരു സ്ഥിര ഇൻകമിംഗ് ഇമെയിൽ അക്കൗണ്ട് (POP / IMAP) വീണ്ടും ശ്രമിക്കുക.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,സ്വീകാ അക്കൗണ്ട്
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},വരി # {0}: അസറ്റ് {1} {2} ഇതിനകം
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,സ്വീകാ അക്കൗണ്ട്
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},വരി # {0}: അസറ്റ് {1} {2} ഇതിനകം
DocType: Quotation Item,Stock Balance,ഓഹരി ബാലൻസ്
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,പെയ്മെന്റ് വിൽപ്പന ഓർഡർ
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,സജ്ജീകരണം> ക്രമീകരണങ്ങൾ> നാമകരണം സീരീസ് വഴി {0} സീരീസ് പേര് സജ്ജീകരിക്കുക
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,സിഇഒ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,സിഇഒ
DocType: Expense Claim Detail,Expense Claim Detail,ചിലവേറിയ ക്ലെയിം വിശദാംശം
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,ശരിയായ അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക
DocType: Item,Weight UOM,ഭാരോദ്വഹനം UOM
@@ -2135,12 +2149,12 @@
DocType: Production Order Operation,Pending,തീർച്ചപ്പെടുത്തിയിട്ടില്ല
DocType: Course,Course Name,കോഴ്സിന്റെ പേര്
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,ഒരു പ്രത്യേക ജീവനക്കാരന്റെ ലീവ് അപേക്ഷകൾ അംഗീകരിക്കാം ഉപയോക്താക്കൾ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,ഓഫീസ് ഉപകരണങ്ങൾ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,ഓഫീസ് ഉപകരണങ്ങൾ
DocType: Purchase Invoice Item,Qty,Qty
DocType: Fiscal Year,Companies,കമ്പനികൾ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,ഇലക്ട്രോണിക്സ്
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,സ്റ്റോക്ക് റീ-ഓർഡർ തലത്തിൽ എത്തുമ്പോൾ മെറ്റീരിയൽ അഭ്യർത്ഥന ഉയർത്തലും
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,മുഴുവൻ സമയവും
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,മുഴുവൻ സമയവും
DocType: Salary Structure,Employees,എംപ്ലോയീസ്
DocType: Employee,Contact Details,കോൺടാക്റ്റ് വിശദാംശങ്ങൾ
DocType: C-Form,Received Date,ലഭിച്ച തീയതി
@@ -2150,7 +2164,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,വിലവിവര ലിസ്റ്റ് സജ്ജമാക്കിയിട്ടില്ലെങ്കിൽ വിലകൾ കാണിക്കില്ല
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,ഈ ഷിപ്പിംഗ് റൂൾ ഒരു രാജ്യം വ്യക്തമാക്കൂ ലോകമൊട്ടാകെ ഷിപ്പിംഗ് പരിശോധിക്കുക
DocType: Stock Entry,Total Incoming Value,ആകെ ഇൻകമിംഗ് മൂല്യം
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,ഡെബിറ്റ് ആവശ്യമാണ്
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,ഡെബിറ്റ് ആവശ്യമാണ്
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","തിമെശെഎത്സ് സമയം, നിങ്ങളുടെ ടീം നടക്കുന്ന പ്രവർത്തനങ്ങൾ ചിലവു ബില്ലിംഗ് ട്രാക്ക് സൂക്ഷിക്കാൻ സഹായിക്കുന്നു"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,വാങ്ങൽ വില പട്ടിക
DocType: Offer Letter Term,Offer Term,ആഫര് ടേം
@@ -2159,17 +2173,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,പേയ്മെന്റ് അനുരഞ്ജനം
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,Incharge വ്യക്തിയുടെ പേര് തിരഞ്ഞെടുക്കുക
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,ടെക്നോളജി
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},ആകെ ലഭിക്കാത്ത: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},ആകെ ലഭിക്കാത്ത: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM ൽ വെബ്സൈറ്റ് ഓപ്പറേഷൻ
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,ഓഫർ ലെറ്ററിന്റെ
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,മെറ്റീരിയൽ അഭ്യർത്ഥനകൾ (എംആർപി) നിർമ്മാണവും ഉത്തരവുകൾ ജനറേറ്റുചെയ്യുക.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,ആകെ Invoiced ശാരീരിക
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,ആകെ Invoiced ശാരീരിക
DocType: BOM,Conversion Rate,പരിവർത്തന നിരക്ക്
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,ഉൽപ്പന്ന തിരച്ചിൽ
DocType: Timesheet Detail,To Time,സമയം ചെയ്യുന്നതിനായി
DocType: Authorization Rule,Approving Role (above authorized value),(അംഗീകൃത മൂല്യം മുകളിൽ) അംഗീകരിച്ചതിന് റോൾ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,അക്കൗണ്ടിലേക്ക് ക്രെഡിറ്റ് ഒരു അടയ്ക്കേണ്ട അക്കൗണ്ട് ആയിരിക്കണം
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM ലേക്ക് വിശകലനത്തിനുവേണ്ടിയാണീ: {0} {2} മാതാപിതാക്കൾ കുട്ടികളുടെ ആകാൻ പാടില്ല
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,അക്കൗണ്ടിലേക്ക് ക്രെഡിറ്റ് ഒരു അടയ്ക്കേണ്ട അക്കൗണ്ട് ആയിരിക്കണം
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM ലേക്ക് വിശകലനത്തിനുവേണ്ടിയാണീ: {0} {2} മാതാപിതാക്കൾ കുട്ടികളുടെ ആകാൻ പാടില്ല
DocType: Production Order Operation,Completed Qty,പൂർത്തിയാക്കി Qty
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",{0} മാത്രം ഡെബിറ്റ് അക്കൗണ്ടുകൾ മറ്റൊരു ക്രെഡിറ്റ് എൻട്രി നേരെ ലിങ്ക്ഡ് കഴിയും
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,വില പട്ടിക {0} പ്രവർത്തനരഹിതമാക്കിയിരിക്കുന്നതിനാൽ
@@ -2181,28 +2195,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,ഇനം {1} വേണ്ടി ആവശ്യമായ {0} സീരിയൽ സംഖ്യാപുസ്തകം. നിങ്ങൾ {2} നൽകിയിട്ടുള്ള.
DocType: Stock Reconciliation Item,Current Valuation Rate,ഇപ്പോഴത്തെ മൂലധനം റേറ്റ്
DocType: Item,Customer Item Codes,കസ്റ്റമർ ഇനം കോഡുകൾ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,എക്സ്ചേഞ്ച് ഗെയിൻ / നഷ്ടം
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,എക്സ്ചേഞ്ച് ഗെയിൻ / നഷ്ടം
DocType: Opportunity,Lost Reason,നഷ്ടപ്പെട്ട കാരണം
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,പുതിയ വിലാസം
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,പുതിയ വിലാസം
DocType: Quality Inspection,Sample Size,സാമ്പിളിന്റെവലിപ്പം
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,ദയവായി രസീത് പ്രമാണം നൽകുക
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,എല്ലാ ഇനങ്ങളും ഇതിനകം invoiced ചെയ്തു
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,എല്ലാ ഇനങ്ങളും ഇതിനകം invoiced ചെയ്തു
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.','കേസ് നമ്പർ നിന്നും' ഒരു സാധുവായ വ്യക്തമാക്കുക
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,പ്രശ്നപരിഹാരത്തിനായി കുറഞ്ഞ കേന്ദ്രങ്ങൾ ഗ്രൂപ്പുകൾ കീഴിൽ കഴിയും പക്ഷേ എൻട്രികൾ നോൺ-ഗ്രൂപ്പുകൾ നേരെ കഴിയും
DocType: Project,External,പുറത്തേക്കുള്ള
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,ഉപയോക്താക്കൾ അനുമതികളും
DocType: Vehicle Log,VLOG.,Vlog.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},സൃഷ്ടിച്ചു പ്രൊഡക്ഷൻ ഓർഡറുകൾ: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},സൃഷ്ടിച്ചു പ്രൊഡക്ഷൻ ഓർഡറുകൾ: {0}
DocType: Branch,Branch,ബ്രാഞ്ച്
DocType: Guardian,Mobile Number,മൊബൈൽ നമ്പർ
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,"അച്ചടി, ബ്രാൻഡിംഗ്"
DocType: Bin,Actual Quantity,യഥാർത്ഥ ക്വാണ്ടിറ്റി
DocType: Shipping Rule,example: Next Day Shipping,ഉദാഹരണം: അടുത്ത ദിവസം ഷിപ്പിംഗ്
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,{0} കാണാനായില്ല സീരിയൽ ഇല്ല
-DocType: Scheduling Tool,Student Batch,വിദ്യാർത്ഥിയുടെ ബാച്ച്
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,നിങ്ങളുടെ ഉപഭോക്താക്കളെ
+DocType: Program Enrollment,Student Batch,വിദ്യാർത്ഥിയുടെ ബാച്ച്
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,കുട്ടിയാണെന്ന്
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},നിങ്ങൾ പദ്ധതി സഹകരിക്കുക ക്ഷണിച്ചു: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},നിങ്ങൾ പദ്ധതി സഹകരിക്കുക ക്ഷണിച്ചു: {0}
DocType: Leave Block List Date,Block Date,ബ്ലോക്ക് തീയതി
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,ഇപ്പോൾ പ്രയോഗിക്കുക
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},യഥാർത്ഥ അളവ് {0} / കാത്തിരിപ്പ് അളവ് {1}
@@ -2212,7 +2225,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","സൃഷ്ടിക്കുക ദിവസേന നിയന്ത്രിക്കുക, പ്രതിവാര മാസ ഇമെയിൽ digests."
DocType: Appraisal Goal,Appraisal Goal,മൂല്യനിർണയം ഗോൾ
DocType: Stock Reconciliation Item,Current Amount,ഇപ്പോഴത്തെ തുക
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,കെട്ടിടങ്ങൾ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,കെട്ടിടങ്ങൾ
DocType: Fee Structure,Fee Structure,ഫീസ് ഘടന
DocType: Timesheet Detail,Costing Amount,തുക ആറെണ്ണവും
DocType: Student Admission,Application Fee,അപേക്ഷ ഫീസ്
@@ -2224,10 +2237,10 @@
DocType: POS Profile,[Select],[തിരഞ്ഞെടുക്കുക]
DocType: SMS Log,Sent To,ലേക്ക് അയച്ചു
DocType: Payment Request,Make Sales Invoice,സെയിൽസ് ഇൻവോയിസ് നിർമ്മിക്കുക
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,സോഫ്റ്റ്വെയറുകൾ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,സോഫ്റ്റ്വെയറുകൾ
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,അടുത്ത ബന്ധപ്പെടുക തീയതി കഴിഞ്ഞ ലെ പാടില്ല
DocType: Company,For Reference Only.,മാത്രം റഫറൻസിനായി.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,തിരഞ്ഞെടുക്കുക ബാച്ച് ഇല്ല
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,തിരഞ്ഞെടുക്കുക ബാച്ച് ഇല്ല
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},അസാധുവായ {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,മുൻകൂർ തുക
@@ -2237,15 +2250,15 @@
DocType: Employee,Employment Details,തൊഴിൽ വിശദാംശങ്ങൾ
DocType: Employee,New Workplace,പുതിയ ജോലിസ്ഥലം
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,അടഞ്ഞ സജ്ജമാക്കുക
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},ബാർകോഡ് {0} ഉപയോഗിച്ച് ഇല്ല ഇനം
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},ബാർകോഡ് {0} ഉപയോഗിച്ച് ഇല്ല ഇനം
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,കേസ് നമ്പർ 0 ആയിരിക്കും കഴിയില്ല
DocType: Item,Show a slideshow at the top of the page,പേജിന്റെ മുകളിൽ ഒരു സ്ലൈഡ്ഷോ കാണിക്കുക
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,സ്റ്റോറുകൾ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,സ്റ്റോറുകൾ
DocType: Serial No,Delivery Time,വിതരണ സമയം
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,എയ്ജിങ് അടിസ്ഥാനത്തിൽ ഓൺ
DocType: Item,End of Life,ജീവിതാവസാനം
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,യാത്ര
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,യാത്ര
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,സജീവ അല്ലെങ്കിൽ സ്ഥിര ശമ്പള ഘടന തന്നിരിക്കുന്ന തീയതികളിൽ ജീവനക്കാരൻ {0} കണ്ടെത്തിയില്ല
DocType: Leave Block List,Allow Users,അനുവദിക്കുക ഉപയോക്താക്കൾ
DocType: Purchase Order,Customer Mobile No,കസ്റ്റമർ മൊബൈൽ ഇല്ല
@@ -2254,29 +2267,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,അപ്ഡേറ്റ് ചെലവ്
DocType: Item Reorder,Item Reorder,ഇനം പുനഃക്രമീകരിക്കുക
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,ശമ്പള ജി കാണിക്കുക
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,മെറ്റീരിയൽ കൈമാറുക
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,മെറ്റീരിയൽ കൈമാറുക
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",", ഓപ്പറേഷൻസ് വ്യക്തമാക്കുക ഓപ്പറേറ്റിങ് വില നിങ്ങളുടെ പ്രവർത്തനങ്ങൾക്ക് ഒരു അതുല്യമായ ഓപ്പറേഷൻ ഒന്നും തരും."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,ഈ പ്രമാണം ഇനം {4} വേണ്ടി {0} {1} വഴി പരിധിക്കു. നിങ്ങൾ നിർമ്മിക്കുന്നത് ഒരേ {2} നേരെ മറ്റൊരു {3}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,സംരക്ഷിക്കുന്നതിൽ ശേഷം ആവർത്തിക്കുന്ന സജ്ജമാക്കുക
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,മാറ്റം തുക അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,ഈ പ്രമാണം ഇനം {4} വേണ്ടി {0} {1} വഴി പരിധിക്കു. നിങ്ങൾ നിർമ്മിക്കുന്നത് ഒരേ {2} നേരെ മറ്റൊരു {3}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,സംരക്ഷിക്കുന്നതിൽ ശേഷം ആവർത്തിക്കുന്ന സജ്ജമാക്കുക
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,മാറ്റം തുക അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക
DocType: Purchase Invoice,Price List Currency,വില പട്ടിക കറന്സി
DocType: Naming Series,User must always select,ഉപയോക്താവ് എപ്പോഴും തിരഞ്ഞെടുക്കണം
DocType: Stock Settings,Allow Negative Stock,നെഗറ്റീവ് സ്റ്റോക്ക് അനുവദിക്കുക
DocType: Installation Note,Installation Note,ഇന്സ്റ്റലേഷന് കുറിപ്പ്
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,നികുതികൾ ചേർക്കുക
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,നികുതികൾ ചേർക്കുക
DocType: Topic,Topic,വിഷയം
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,ഫിനാൻസിംഗ് നിന്നുള്ള ക്യാഷ് ഫ്ളോ
DocType: Budget Account,Budget Account,ബജറ്റ് അക്കൗണ്ട്
DocType: Quality Inspection,Verified By,പരിശോധിച്ചു
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","നിലവിലുള്ള ഇടപാടുകൾ ഉള്ളതിനാൽ, കമ്പനിയുടെ സഹജമായ കറൻസി മാറ്റാൻ കഴിയില്ല. ഇടപാട് സ്വതവേയുള്ള കറൻസി മാറ്റാൻ റദ്ദാക്കി വേണം."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","നിലവിലുള്ള ഇടപാടുകൾ ഉള്ളതിനാൽ, കമ്പനിയുടെ സഹജമായ കറൻസി മാറ്റാൻ കഴിയില്ല. ഇടപാട് സ്വതവേയുള്ള കറൻസി മാറ്റാൻ റദ്ദാക്കി വേണം."
DocType: Grading Scale Interval,Grade Description,ഗ്രേഡ് വിവരണം
DocType: Stock Entry,Purchase Receipt No,വാങ്ങൽ രസീത് ഇല്ല
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,അച്ചാരം മണി
DocType: Process Payroll,Create Salary Slip,ശമ്പളം ജി സൃഷ്ടിക്കുക
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Traceability
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),ഫണ്ട് സ്രോതസ്സ് (ബാധ്യതകളും)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},നിരയിൽ ക്വാണ്ടിറ്റി {0} ({1}) നിർമിക്കുന്ന അളവ് {2} അതേ ആയിരിക്കണം
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),ഫണ്ട് സ്രോതസ്സ് (ബാധ്യതകളും)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},നിരയിൽ ക്വാണ്ടിറ്റി {0} ({1}) നിർമിക്കുന്ന അളവ് {2} അതേ ആയിരിക്കണം
DocType: Appraisal,Employee,ജീവനക്കാരുടെ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,ബാച്ച് തിരഞ്ഞെടുക്കുക
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} പൂർണ്ണമായി കൊക്കുമാണ്
DocType: Training Event,End Time,അവസാനിക്കുന്ന സമയം
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,സജീവ ശമ്പളം ഘടന {0} നൽകിയ തീയതികളിൽ ജീവനക്കാരുടെ {1} കണ്ടെത്തിയില്ല
@@ -2288,11 +2302,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,ആവശ്യമാണ്
DocType: Rename Tool,File to Rename,പേരു്മാറ്റുക ഫയൽ
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},ദയവായി വരി {0} ൽ ഇനം വേണ്ടി BOM ൽ തിരഞ്ഞെടുക്കുക
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},സൂചിപ്പിച്ചിരിക്കുന്ന BOM ലേക്ക് {0} ഇനം {1} വേണ്ടി നിലവിലില്ല
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},"അക്കൗണ്ട് {0}, വിചാരണയുടെ മോഡിൽ കമ്പനി {1} ഉപയോഗിച്ച് പൊരുത്തപ്പെടുന്നില്ല: {2}"
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},സൂചിപ്പിച്ചിരിക്കുന്ന BOM ലേക്ക് {0} ഇനം {1} വേണ്ടി നിലവിലില്ല
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,മെയിൻറനൻസ് ഷെഡ്യൂൾ {0} ഈ സെയിൽസ് ഓർഡർ റദ്ദാക്കുന്നതിൽ മുമ്പ് റദ്ദാക്കി വേണം
DocType: Notification Control,Expense Claim Approved,ചിലവേറിയ ക്ലെയിം അംഗീകരിച്ചു
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,ഉദ്യോഗസ്ഥ ജാമ്യം ജി {0} ഇതിനകം ഈ കാലയളവിൽ സൃഷ്ടിച്ച
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,ഫാർമസ്യൂട്ടിക്കൽ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,ഫാർമസ്യൂട്ടിക്കൽ
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,വാങ്ങിയ ഇനങ്ങൾ ചെലവ്
DocType: Selling Settings,Sales Order Required,സെയിൽസ് ഓർഡർ ആവശ്യമുണ്ട്
DocType: Purchase Invoice,Credit To,ക്രെഡിറ്റ് ചെയ്യുക
@@ -2309,43 +2324,43 @@
DocType: Payment Gateway Account,Payment Account,പേയ്മെന്റ് അക്കൗണ്ട്
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,തുടരാനായി കമ്പനി വ്യക്തമാക്കുക
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,അക്കൗണ്ടുകൾ സ്വീകാര്യം ലെ നെറ്റ് മാറ്റുക
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,ഓഫാക്കുക നഷ്ടപരിഹാര
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,ഓഫാക്കുക നഷ്ടപരിഹാര
DocType: Offer Letter,Accepted,സ്വീകരിച്ചു
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,സംഘടന
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,സംഘടന
DocType: SG Creation Tool Course,Student Group Name,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് പേര്
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,ശരിക്കും ഈ കമ്പനിയുടെ എല്ലാ ഇടപാടുകൾ ഇല്ലാതാക്കാൻ ആഗ്രഹിക്കുന്ന ദയവായി ഉറപ്പാക്കുക. അത് പോലെ നിങ്ങളുടെ മാസ്റ്റർ ഡാറ്റ തുടരും. ഈ പ്രവർത്തനം തിരുത്താൻ കഴിയില്ല.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,ശരിക്കും ഈ കമ്പനിയുടെ എല്ലാ ഇടപാടുകൾ ഇല്ലാതാക്കാൻ ആഗ്രഹിക്കുന്ന ദയവായി ഉറപ്പാക്കുക. അത് പോലെ നിങ്ങളുടെ മാസ്റ്റർ ഡാറ്റ തുടരും. ഈ പ്രവർത്തനം തിരുത്താൻ കഴിയില്ല.
DocType: Room,Room Number,മുറി നമ്പർ
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},അസാധുവായ റഫറൻസ് {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) പ്രൊഡക്ഷൻ ഓർഡർ {3} ആസൂത്രണം quanitity ({2}) വലുതായിരിക്കും കഴിയില്ല
DocType: Shipping Rule,Shipping Rule Label,ഷിപ്പിംഗ് റൂൾ ലേബൽ
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,ഉപയോക്തൃ ഫോറം
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,അസംസ്കൃത വസ്തുക്കൾ ശൂന്യമായിരിക്കാൻ കഴിയില്ല.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","ഇൻവോയ്സ് ഡ്രോപ്പ് ഷിപ്പിംഗ് ഇനം ഉൾപ്പെടുന്നു, സ്റ്റോക്ക് അപ്ഡേറ്റുചെയ്യാനായില്ല."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,അസംസ്കൃത വസ്തുക്കൾ ശൂന്യമായിരിക്കാൻ കഴിയില്ല.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","ഇൻവോയ്സ് ഡ്രോപ്പ് ഷിപ്പിംഗ് ഇനം ഉൾപ്പെടുന്നു, സ്റ്റോക്ക് അപ്ഡേറ്റുചെയ്യാനായില്ല."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,ദ്രുത ജേർണൽ എൻട്രി
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,BOM ലേക്ക് ഏതെങ്കിലും ഇനത്തിന്റെ agianst പരാമർശിച്ചു എങ്കിൽ നിങ്ങൾ നിരക്ക് മാറ്റാൻ കഴിയില്ല
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,BOM ലേക്ക് ഏതെങ്കിലും ഇനത്തിന്റെ agianst പരാമർശിച്ചു എങ്കിൽ നിങ്ങൾ നിരക്ക് മാറ്റാൻ കഴിയില്ല
DocType: Employee,Previous Work Experience,മുമ്പത്തെ ജോലി പരിചയം
DocType: Stock Entry,For Quantity,ക്വാണ്ടിറ്റി വേണ്ടി
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},വരി ചെയ്തത് ഇനം {0} ആസൂത്രണം Qty നൽകുക {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} സമർപ്പിച്ചിട്ടില്ലെന്നതും
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,ഇനങ്ങളുടെ വേണ്ടി അപേക്ഷ.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,ഓരോ നല്ല ഇനത്തിനും തീർന്നശേഷം പ്രത്യേക ഉത്പാദനം ഓർഡർ സൃഷ്ടിക്കപ്പെടും.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} മടക്കം പ്രമാണത്തിൽ നെഗറ്റീവ് ആയിരിക്കണം
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} മടക്കം പ്രമാണത്തിൽ നെഗറ്റീവ് ആയിരിക്കണം
,Minutes to First Response for Issues,ഇഷ്യുവിനായുള്ള ആദ്യപ്രതികരണം ലേക്കുള്ള മിനിറ്റ്
DocType: Purchase Invoice,Terms and Conditions1,നിബന്ധനകളും Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,ഈ സിസ്റ്റത്തിൽ സജ്ജീകരിക്കുന്നത് ഏത് ഇൻസ്റ്റിറ്റ്യൂട്ട് പേര്.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,ഈ സിസ്റ്റത്തിൽ സജ്ജീകരിക്കുന്നത് ഏത് ഇൻസ്റ്റിറ്റ്യൂട്ട് പേര്.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","ഈ കാലികമായി മരവിപ്പിച്ചു അക്കൗണ്ടിംഗ് എൻട്രി, ആരും ചെയ്യാൻ കഴിയും / ചുവടെ വ്യക്തമാക്കിയ പങ്ക് ഒഴികെ എൻട്രി പരിഷ്ക്കരിക്കുക."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,അറ്റകുറ്റപ്പണി ഷെഡ്യൂൾ സൃഷ്ടിക്കുന്നതിൽ മുമ്പ് പ്രമാണം സംരക്ഷിക്കുക ദയവായി
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,പ്രോജക്ട് അവസ്ഥ
DocType: UOM,Check this to disallow fractions. (for Nos),ഘടകാംശങ്ങൾ അനുമതി ഇല്ലാതാക്കുന്നത് ഇത് ചെക്ക്. (ഒഴിവ് വേണ്ടി)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,താഴെ പ്രൊഡക്ഷൻ ഓർഡറുകൾ സൃഷ്ടിച്ചിട്ടില്ല:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,താഴെ പ്രൊഡക്ഷൻ ഓർഡറുകൾ സൃഷ്ടിച്ചിട്ടില്ല:
DocType: Student Admission,Naming Series (for Student Applicant),സീരീസ് (സ്റ്റുഡന്റ് അപേക്ഷകൻ) എന്നു
DocType: Delivery Note,Transporter Name,ട്രാൻസ്പോർട്ടർ പേര്
DocType: Authorization Rule,Authorized Value,അംഗീകൃത മൂല്യം
DocType: BOM,Show Operations,ഓപ്പറേഷൻസ് കാണിക്കുക
,Minutes to First Response for Opportunity,അവസരം ആദ്യപ്രതികരണം ലേക്കുള്ള മിനിറ്റ്
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,ആകെ േചാദി
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,വരി ഐറ്റം അപാകതയുണ്ട് {0} മെറ്റീരിയൽ അഭ്യർത്ഥന പൊരുത്തപ്പെടുന്നില്ല
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,വരി ഐറ്റം അപാകതയുണ്ട് {0} മെറ്റീരിയൽ അഭ്യർത്ഥന പൊരുത്തപ്പെടുന്നില്ല
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,അളവുകോൽ
DocType: Fiscal Year,Year End Date,വർഷം അവസാന തീയതി
DocType: Task Depends On,Task Depends On,ടാസ്ക് ആശ്രയിച്ചിരിക്കുന്നു
@@ -2425,11 +2440,11 @@
DocType: Asset,Manual,കൈകൊണ്ടുള്ള
DocType: Salary Component Account,Salary Component Account,ശമ്പള ഘടകങ്ങളുടെ അക്കൗണ്ട്
DocType: Global Defaults,Hide Currency Symbol,കറൻസി ചിഹ്നം മറയ്ക്കുക
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","ഉദാ ബാങ്ക്, ക്യാഷ്, ക്രെഡിറ്റ് കാർഡ്"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","ഉദാ ബാങ്ക്, ക്യാഷ്, ക്രെഡിറ്റ് കാർഡ്"
DocType: Lead Source,Source Name,ഉറവിട പേര്
DocType: Journal Entry,Credit Note,ക്രെഡിറ്റ് കുറിപ്പ്
DocType: Warranty Claim,Service Address,സേവന വിലാസം
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Furnitures ആൻഡ് മതംതീര്ത്ഥാടനംജ്യോതിഷംഉത്സവങ്ങള്വിശ്വസിക്കാമോ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Furnitures ആൻഡ് മതംതീര്ത്ഥാടനംജ്യോതിഷംഉത്സവങ്ങള്വിശ്വസിക്കാമോ
DocType: Item,Manufacture,നിര്മ്മാണം
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,ആദ്യം ഡെലിവറി നോട്ട് ദയവായി
DocType: Student Applicant,Application Date,അപേക്ഷാ തീയതി
@@ -2439,7 +2454,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,ക്ലിയറൻസ് തീയതി പറഞ്ഞിട്ടില്ലാത്ത
apps/erpnext/erpnext/config/manufacturing.py +7,Production,പ്രൊഡക്ഷൻ
DocType: Guardian,Occupation,തൊഴില്
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,ദയവായി സെറ്റപ്പ് ജീവനക്കാർ ഹ്യൂമൻ റിസോഴ്സ് ൽ സംവിധാനവും> എച്ച് ക്രമീകരണങ്ങൾ
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,വരി {0}: ആരംഭ തീയതി അവസാന തീയതി മുമ്പ് ആയിരിക്കണം
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),ആകെ (Qty)
DocType: Sales Invoice,This Document,ഈ പ്രമാണം
@@ -2451,20 +2465,20 @@
DocType: Purchase Receipt,Time at which materials were received,വസ്തുക്കൾ ലഭിച്ച ഏത് സമയം
DocType: Stock Ledger Entry,Outgoing Rate,ഔട്ട്ഗോയിംഗ് റേറ്റ്
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,ഓർഗനൈസേഷൻ ബ്രാഞ്ച് മാസ്റ്റർ.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,അഥവാ
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,അഥവാ
DocType: Sales Order,Billing Status,ബില്ലിംഗ് അവസ്ഥ
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,ഒരു പ്രശ്നം റിപ്പോർട്ടുചെയ്യുക
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,യൂട്ടിലിറ്റി ചെലവുകൾ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,യൂട്ടിലിറ്റി ചെലവുകൾ
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-മുകളിൽ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,വരി # {0}: ജേണൽ എൻട്രി {1} മറ്റൊരു വൗച്ചർ പൊരുത്തപ്പെടും അക്കൗണ്ട് {2} ഞങ്ങൾക്കുണ്ട് അല്ലെങ്കിൽ ഇതിനകം ഇല്ല
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,വരി # {0}: ജേണൽ എൻട്രി {1} മറ്റൊരു വൗച്ചർ പൊരുത്തപ്പെടും അക്കൗണ്ട് {2} ഞങ്ങൾക്കുണ്ട് അല്ലെങ്കിൽ ഇതിനകം ഇല്ല
DocType: Buying Settings,Default Buying Price List,സ്ഥിരസ്ഥിതി വാങ്ങൽ വില പട്ടിക
DocType: Process Payroll,Salary Slip Based on Timesheet,ശമ്പള ജി Timesheet അടിസ്ഥാനമാക്കി
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,മുകളിൽ തിരഞ്ഞെടുത്ത മാനദണ്ഡങ്ങൾ OR ശമ്പളം സ്ലിപ്പ് വേണ്ടി ഒരു ജീവനക്കാരനും ഇതിനകം സൃഷ്ടിച്ചു
DocType: Notification Control,Sales Order Message,സെയിൽസ് ഓർഡർ സന്ദേശം
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","കമ്പനി, കറൻസി, നടപ്പു സാമ്പത്തിക വർഷം, തുടങ്ങിയ സജ്ജമാക്കുക സ്വതേ മൂല്യങ്ങൾ"
DocType: Payment Entry,Payment Type,പേയ്മെന്റ് തരം
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,ഇനം {0} ഒരു ബാച്ച് തിരഞ്ഞെടുക്കുക. ഈ നിബന്ധനയുടെ പൂര്ത്തീകരിക്കുന്നു എന്ന് ഒരു ബാച്ച് കണ്ടെത്താൻ കഴിഞ്ഞില്ല
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,ഇനം {0} ഒരു ബാച്ച് തിരഞ്ഞെടുക്കുക. ഈ നിബന്ധനയുടെ പൂര്ത്തീകരിക്കുന്നു എന്ന് ഒരു ബാച്ച് കണ്ടെത്താൻ കഴിഞ്ഞില്ല
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,ഇനം {0} ഒരു ബാച്ച് തിരഞ്ഞെടുക്കുക. ഈ നിബന്ധനയുടെ പൂര്ത്തീകരിക്കുന്നു എന്ന് ഒരു ബാച്ച് കണ്ടെത്താൻ കഴിഞ്ഞില്ല
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,ഇനം {0} ഒരു ബാച്ച് തിരഞ്ഞെടുക്കുക. ഈ നിബന്ധനയുടെ പൂര്ത്തീകരിക്കുന്നു എന്ന് ഒരു ബാച്ച് കണ്ടെത്താൻ കഴിഞ്ഞില്ല
DocType: Process Payroll,Select Employees,എംപ്ലോയീസ് തിരഞ്ഞെടുക്കുക
DocType: Opportunity,Potential Sales Deal,സാധ്യതയുള്ള സെയിൽസ് പ്രവർത്തിച്ചു
DocType: Payment Entry,Cheque/Reference Date,ചെക്ക് / റഫറൻസ് തീയതി
@@ -2484,7 +2498,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,കൈപ്പറ്റുമ്പോൾ പ്രമാണം സമർപ്പിക്കേണ്ടതാണ്
DocType: Purchase Invoice Item,Received Qty,Qty ലഭിച്ചു
DocType: Stock Entry Detail,Serial No / Batch,സീരിയൽ ഇല്ല / ബാച്ച്
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,"പെയ്ഡ്, ഒരിക്കലും പാടില്ല കൈമാറിയില്ല"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,"പെയ്ഡ്, ഒരിക്കലും പാടില്ല കൈമാറിയില്ല"
DocType: Product Bundle,Parent Item,പാരന്റ് ഇനം
DocType: Account,Account Type,അക്കൗണ്ട് തരം
DocType: Delivery Note,DN-RET-,ഡിഎൻ-RET-
@@ -2499,25 +2513,24 @@
DocType: Bin,Reserved Quantity,സംരക്ഷിത ക്വാണ്ടിറ്റി
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,ദയവായി സാധുവായ ഇമെയിൽ വിലാസം നൽകുക
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,ദയവായി സാധുവായ ഇമെയിൽ വിലാസം നൽകുക
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},പ്രോഗ്രാം {0} യാതൊരു നിർബന്ധമാണ് കോഴ്സ് ഇല്ല
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},പ്രോഗ്രാം {0} യാതൊരു നിർബന്ധമാണ് കോഴ്സ് ഇല്ല
DocType: Landed Cost Voucher,Purchase Receipt Items,രസീത് ഇനങ്ങൾ വാങ്ങുക
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,യഥേഷ്ടമാക്കുക ഫോമുകൾ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,കുടിശിക
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,കുടിശിക
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,കാലയളവിൽ മൂല്യത്തകർച്ച തുക
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,അപ്രാപ്തമാക്കി ടെംപ്ലേറ്റ് സ്ഥിരസ്ഥിതി ടെംപ്ലേറ്റ് പാടില്ല
DocType: Account,Income Account,ആദായ അക്കൗണ്ട്
DocType: Payment Request,Amount in customer's currency,ഉപഭോക്താവിന്റെ കറൻസി തുക
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,ഡെലിവറി
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,ഡെലിവറി
DocType: Stock Reconciliation Item,Current Qty,ഇപ്പോഴത്തെ Qty
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",വിഭാഗം ആറെണ്ണവും ലെ "മെറ്റീരിയൽസ് അടിസ്ഥാനപ്പെടുത്തിയ ഓൺ നിരക്ക്" കാണുക
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,മുമ്പത്തെ
DocType: Appraisal Goal,Key Responsibility Area,കീ ഉത്തരവാദിത്വം ഏരിയ
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students",സ്റ്റുഡന്റ് ബാച്ചുകൾ നിങ്ങൾ വിദ്യാർത്ഥികൾക്ക് ഹാജർ അസെസ്മെന്റുകൾ ഫീസും കണ്ടെത്താൻ സഹായിക്കുന്ന
DocType: Payment Entry,Total Allocated Amount,ആകെ തുക
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,ശാശ്വതമായ സാധനങ്ങളും സ്ഥിരസ്ഥിതി സാധനങ്ങളും അക്കൗണ്ട് സജ്ജമാക്കുക
DocType: Item Reorder,Material Request Type,മെറ്റീരിയൽ അഭ്യർത്ഥന തരം
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},{0} ലേക്ക് {1} നിന്ന് ശമ്പളം വേണ്ടി Accural ജേണൽ എൻട്രി
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage രക്ഷിച്ചില്ല, നിറഞ്ഞിരിക്കുന്നു"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage രക്ഷിച്ചില്ല, നിറഞ്ഞിരിക്കുന്നു"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,വരി {0}: UOM പരിവർത്തന ഫാക്ടർ നിർബന്ധമായും
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,റഫറൻസ്
DocType: Budget,Cost Center,ചെലവ് കേന്ദ്രം
@@ -2530,19 +2543,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","പ്രൈസിങ് റൂൾ ചില മാനദണ്ഡങ്ങൾ അടിസ്ഥാനമാക്കി, നല്കിയിട്ടുള്ള ശതമാനം define / വില പട്ടിക മാറ്റണമോ ഉണ്ടാക്കിയ."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,വെയർഹൗസ് മാത്രം ഓഹരി എൻട്രി / ഡെലിവറി നോട്ട് / വാങ്ങൽ റെസീപ്റ്റ് വഴി മാറ്റാൻ കഴിയൂ
DocType: Employee Education,Class / Percentage,ക്ലാസ് / ശതമാനം
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,മാർക്കറ്റിങ് ആൻഡ് സെയിൽസ് ഹെഡ്
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,ആദായ നികുതി
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,മാർക്കറ്റിങ് ആൻഡ് സെയിൽസ് ഹെഡ്
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,ആദായ നികുതി
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","തിരഞ്ഞെടുത്ത പ്രൈസിങ് ഭരണം 'വില' വേണ്ടി ഉണ്ടാക്കിയ, അത് വില പട്ടിക തിരുത്തിയെഴുതും. പ്രൈസിങ് റൂൾ വില അവസാന വില ആണ്, അതിനാൽ യാതൊരു കൂടുതൽ നല്കിയിട്ടുള്ള നടപ്പാക്കണം. അതുകൊണ്ട്, സെയിൽസ് ഓർഡർ, പർച്ചേസ് ഓർഡർ തുടങ്ങിയ ഇടപാടുകൾ, അതു മറിച്ച് 'വില പട്ടിക റേറ്റ്' ഫീൽഡ് അധികം, 'റേറ്റ്' ഫീൽഡിലെ വീണ്ടെടുക്കാൻ ചെയ്യും."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,ട്രാക്ക് ഇൻഡസ്ട്രി തരം നയിക്കുന്നു.
DocType: Item Supplier,Item Supplier,ഇനം വിതരണക്കാരൻ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,യാതൊരു ബാച്ച് ലഭിക്കാൻ ഇനം കോഡ് നൽകുക
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},{1} quotation_to {0} ഒരു മൂല്യം തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,യാതൊരു ബാച്ച് ലഭിക്കാൻ ഇനം കോഡ് നൽകുക
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},{1} quotation_to {0} ഒരു മൂല്യം തിരഞ്ഞെടുക്കുക
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,എല്ലാ വിലാസങ്ങൾ.
DocType: Company,Stock Settings,സ്റ്റോക്ക് ക്രമീകരണങ്ങൾ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","താഴെ പ്രോപ്പർട്ടികൾ ഇരു രേഖകളിൽ ഒരേ തന്നെയുള്ള സംയോജിപ്പിച്ചുകൊണ്ട് മാത്രമേ സാധിക്കുകയുള്ളൂ. ഗ്രൂപ്പ്, റൂട്ട് ടൈപ്പ്, കമ്പനിയാണ്"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","താഴെ പ്രോപ്പർട്ടികൾ ഇരു രേഖകളിൽ ഒരേ തന്നെയുള്ള സംയോജിപ്പിച്ചുകൊണ്ട് മാത്രമേ സാധിക്കുകയുള്ളൂ. ഗ്രൂപ്പ്, റൂട്ട് ടൈപ്പ്, കമ്പനിയാണ്"
DocType: Vehicle,Electric,ഇലക്ട്രിക്
DocType: Task,% Progress,% പുരോഗതി
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,അസറ്റ് തീർപ്പ് ന് ഗെയിൻ / നഷ്ടം
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,അസറ്റ് തീർപ്പ് ന് ഗെയിൻ / നഷ്ടം
DocType: Training Event,Will send an email about the event to employees with status 'Open',സ്റ്റാറ്റസ് ഉള്ള ജീവനക്കാർക്ക് അതെപ്പറ്റി ഒരു ഇമെയിൽ അയയ്ക്കും 'തുറക്കുക'
DocType: Task,Depends on Tasks,ചുമതലകൾ ആശ്രയിച്ചിരിക്കുന്നു
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,കസ്റ്റമർ ഗ്രൂപ്പ് ട്രീ നിയന്ത്രിക്കുക.
@@ -2551,7 +2564,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,പുതിയ ചെലവ് കേന്ദ്രം പേര്
DocType: Leave Control Panel,Leave Control Panel,നിയന്ത്രണ പാനൽ വിടുക
DocType: Project,Task Completion,ടാസ്ക് പൂർത്തീകരണവും
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,അല്ല സ്റ്റോക്കുണ്ട്
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,അല്ല സ്റ്റോക്കുണ്ട്
DocType: Appraisal,HR User,എച്ച് ഉപയോക്താവ്
DocType: Purchase Invoice,Taxes and Charges Deducted,നികുതി ചാർജുകളും വെട്ടിക്കുറയ്ക്കും
apps/erpnext/erpnext/hooks.py +116,Issues,പ്രശ്നങ്ങൾ
@@ -2562,22 +2575,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},"ശമ്പളം സ്ലിപ്പ് ഇല്ല {0}, {1} തമ്മിലുള്ള കണ്ടെത്തി"
,Pending SO Items For Purchase Request,പർച്ചേസ് അഭ്യർത്ഥന അവശേഷിക്കുന്ന ഷൂട്ട്ഔട്ട് ഇനങ്ങൾ
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,സ്റ്റുഡന്റ് പ്രവേശന
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} അപ്രാപ്തമാക്കിയിട്ടുണ്ടെങ്കിൽ
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} അപ്രാപ്തമാക്കിയിട്ടുണ്ടെങ്കിൽ
DocType: Supplier,Billing Currency,ബില്ലിംഗ് കറന്സി
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,അതിബൃഹത്തായ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,അതിബൃഹത്തായ
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,ആകെ ഇലകൾ
,Profit and Loss Statement,അറ്റാദായം നഷ്ടവും സ്റ്റേറ്റ്മെന്റ്
DocType: Bank Reconciliation Detail,Cheque Number,ചെക്ക് നമ്പർ
,Sales Browser,സെയിൽസ് ബ്രൗസർ
DocType: Journal Entry,Total Credit,ആകെ ക്രെഡിറ്റ്
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},മുന്നറിയിപ്പ്: മറ്റൊരു {0} # {1} സ്റ്റോക്ക് എൻട്രി {2} നേരെ നിലവിലുണ്ട്
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,പ്രാദേശിക
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,പ്രാദേശിക
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),വായ്പകളും അഡ്വാൻസുകളും (ആസ്തികൾ)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,കടക്കാർ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,വലുത്
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,വലുത്
DocType: Homepage Featured Product,Homepage Featured Product,ഹോംപേജ് ഫീച്ചർ ഉൽപ്പന്ന
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,എല്ലാ അസസ്മെന്റ് ഗ്രൂപ്പുകൾ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,എല്ലാ അസസ്മെന്റ് ഗ്രൂപ്പുകൾ
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,പുതിയ വെയർഹൗസ് പേര്
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),ആകെ {0} ({1})
DocType: C-Form Invoice Detail,Territory,ടെറിട്ടറി
@@ -2587,12 +2600,12 @@
DocType: Production Order Operation,Planned Start Time,ആസൂത്രണം ചെയ്ത ആരംഭിക്കുക സമയം
DocType: Course,Assessment,നികുതിചുമത്തല്
DocType: Payment Entry Reference,Allocated,അലോക്കേറ്റഡ്
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,ബാലൻസ് ഷീറ്റും പുസ്തകം പ്രോഫിറ്റ് അല്ലെങ്കിൽ നഷ്ടം അടയ്ക്കുക.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,ബാലൻസ് ഷീറ്റും പുസ്തകം പ്രോഫിറ്റ് അല്ലെങ്കിൽ നഷ്ടം അടയ്ക്കുക.
DocType: Student Applicant,Application Status,അപ്ലിക്കേഷൻ നില
DocType: Fees,Fees,ഫീസ്
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,മറ്റൊരു ഒരേ കറൻസി പരിവർത്തനം ചെയ്യാൻ വിനിമയ നിരക്ക് വ്യക്തമാക്കുക
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,ക്വട്ടേഷൻ {0} റദ്ദാക്കി
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,മൊത്തം തുക
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,മൊത്തം തുക
DocType: Sales Partner,Targets,ടാർഗെറ്റ്
DocType: Price List,Price List Master,വില പട്ടിക മാസ്റ്റർ
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,എല്ലാ സെയിൽസ് ഇടപാട് ഒന്നിലധികം ** സെയിൽസ് പേഴ്സൺസ് നേരെ ടാഗ് ചെയ്യാൻ കഴിയും ** നിങ്ങൾ ലക്ഷ്യങ്ങളിലൊന്നാണ് സജ്ജമാക്കാൻ നിരീക്ഷിക്കുവാനും കഴിയും.
@@ -2624,12 +2637,12 @@
1. Address and Contact of your Company.","സെയിൽസ് ആൻഡ് വാങ്ങലുകൾ ചേർത്തു കഴിയുന്ന സ്റ്റാൻഡേർഡ് നിബന്ധനകള്. ഉദാഹരണങ്ങൾ: ഓഫർ 1. സാധുത. 1. പേയ്മെന്റ് നിബന്ധനകൾ (മുൻകൂറായി, ക്രെഡിറ്റ് ന് ഭാഗം മുൻകൂറായി തുടങ്ങിയവ). 1. അധിക (അല്ലെങ്കിൽ കസ്റ്റമർ വാടകയായ): എന്താണ്. 1. സുരക്ഷ / ഉപയോഗം മുന്നറിയിപ്പ്. 1. വാറന്റി എന്തെങ്കിലും ഉണ്ടെങ്കിൽ. 1. നയം റിട്ടേണ്സ്. ബാധകമായ എങ്കിൽ ഷിപ്പിംഗ് 1. നിബന്ധനകൾ. തുടങ്ങിയവ തർക്കങ്ങൾ സംബോധന 1. വഴികൾ, indemnity, ബാധ്യത, 1. വിശദാംശവും നിങ്ങളുടെ കമ്പനി കോണ്ടാക്ട്."
DocType: Attendance,Leave Type,തരം വിടുക
DocType: Purchase Invoice,Supplier Invoice Details,വിതരണക്കാരൻ ഇൻവോയ്സ് വിശദാംശങ്ങൾ
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,ചിലവേറിയ / വ്യത്യാസം അക്കൗണ്ട് ({0}) ഒരു 'പ്രോഫിറ്റ് അല്ലെങ്കിൽ നഷ്ടം' അക്കൗണ്ട് ആയിരിക്കണം
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,ചിലവേറിയ / വ്യത്യാസം അക്കൗണ്ട് ({0}) ഒരു 'പ്രോഫിറ്റ് അല്ലെങ്കിൽ നഷ്ടം' അക്കൗണ്ട് ആയിരിക്കണം
DocType: Project,Copied From,നിന്നും പകർത്തി
DocType: Project,Copied From,നിന്നും പകർത്തി
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},പേര് പിശക്: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,കുറവ്
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} {2} {3} ബന്ധപ്പെടുത്തിയ ഇല്ല
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} {2} {3} ബന്ധപ്പെടുത്തിയ ഇല്ല
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,ജീവനക്കാരൻ {0} വേണ്ടി ഹാജർ ഇതിനകം മലിനമായിരിക്കുന്നു
DocType: Packing Slip,If more than one package of the same type (for print),(പ്രിന്റ് വേണ്ടി) ഒരേ തരത്തിലുള്ള ഒന്നിലധികം പാക്കേജ് എങ്കിൽ
,Salary Register,ശമ്പള രജിസ്റ്റർ
@@ -2647,22 +2660,23 @@
,Requested Qty,അഭ്യർത്ഥിച്ചു Qty
DocType: Tax Rule,Use for Shopping Cart,ഷോപ്പിംഗ് കാർട്ട് വേണ്ടി ഉപയോഗിക്കുക
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},മൂല്യം {0} ആട്രിബ്യൂട്ടിനായുള്ള {1} സാധുവായ ഇനം പട്ടികയിൽ നിലവിലില്ല ഇനം {2} മൂല്യങ്ങളെ ആട്രിബ്യൂട്ടുചെയ്യുക
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,സീരിയൽ നമ്പറുകൾ തിരഞ്ഞെടുക്കുക
DocType: BOM Item,Scrap %,സ്ക്രാപ്പ്%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","നിരക്കുകൾ നിങ്ങളുടെ നിരക്കു പ്രകാരം, ഐറ്റം qty അല്ലെങ്കിൽ തുക അടിസ്ഥാനമാക്കി ആനുപാതികമായി വിതരണം ചെയ്യും"
DocType: Maintenance Visit,Purposes,ആവശ്യകതകൾ
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,കുറഞ്ഞത് ഒരു ഐറ്റം മടക്കം പ്രമാണത്തിൽ നെഗറ്റീവ് അളവ് കടന്നു വേണം
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,കുറഞ്ഞത് ഒരു ഐറ്റം മടക്കം പ്രമാണത്തിൽ നെഗറ്റീവ് അളവ് കടന്നു വേണം
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","ഓപ്പറേഷൻ {0} ഇനി വറ്ക്ക്സ്റ്റേഷൻ {1} ഏതെങ്കിലും ലഭ്യമായ പ്രവ്യത്തി അധികം, ഒന്നിലധികം ഓപ്പറേഷൻസ് കടന്നു ഓപ്പറേഷൻ ഇടിച്ചു"
,Requested,അഭ്യർത്ഥിച്ചു
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,ഇല്ല അഭിപ്രായപ്രകടനം
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,ഇല്ല അഭിപ്രായപ്രകടനം
DocType: Purchase Invoice,Overdue,അവധികഴിഞ്ഞ
DocType: Account,Stock Received But Not Billed,ഓഹരി ലഭിച്ചു എന്നാൽ ഈടാക്കൂ ഒരിക്കലും പാടില്ല
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,റൂട്ട് അക്കൗണ്ട് ഒരു ഗ്രൂപ്പ് ആയിരിക്കണം
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,റൂട്ട് അക്കൗണ്ട് ഒരു ഗ്രൂപ്പ് ആയിരിക്കണം
DocType: Fees,FEE.,ഫീസ്.
DocType: Employee Loan,Repaid/Closed,പ്രതിഫലം / അടച്ചു
DocType: Item,Total Projected Qty,ആകെ പ്രൊജക്റ്റുചെയ്തു അളവ്
DocType: Monthly Distribution,Distribution Name,വിതരണ പേര്
DocType: Course,Course Code,കോഴ്സ് കോഡ്
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},ഇനം {0} ആവശ്യമുള്ളതിൽ ഗുണനിലവാര പരിശോധന
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},ഇനം {0} ആവശ്യമുള്ളതിൽ ഗുണനിലവാര പരിശോധന
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,ഉപഭോക്താവിന്റെ കറൻസി കമ്പനിയുടെ അടിത്തറ കറൻസി മാറ്റുമ്പോൾ തോത്
DocType: Purchase Invoice Item,Net Rate (Company Currency),അറ്റ നിരക്ക് (കമ്പനി കറൻസി)
DocType: Salary Detail,Condition and Formula Help,കണ്ടീഷൻ ഫോര്മുല സഹായം
@@ -2675,27 +2689,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,ഉല്പാദനത്തിനുള്ള മെറ്റീരിയൽ ട്രാൻസ്ഫർ
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,കിഴിവും ശതമാനം ഒരു വില പട്ടിക നേരെ അല്ലെങ്കിൽ എല്ലാ വില പട്ടിക വേണ്ടി ഒന്നുകിൽ പ്രയോഗിക്കാൻ കഴിയും.
DocType: Purchase Invoice,Half-yearly,അർദ്ധവാർഷികം
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,ഓഹരി വേണ്ടി അക്കൗണ്ടിംഗ് എൻട്രി
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,ഓഹരി വേണ്ടി അക്കൗണ്ടിംഗ് എൻട്രി
DocType: Vehicle Service,Engine Oil,എഞ്ചിൻ ഓയിൽ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,ദയവായി സെറ്റപ്പ് ജീവനക്കാർ ഹ്യൂമൻ റിസോഴ്സ് ൽ സംവിധാനവും> എച്ച് ക്രമീകരണങ്ങൾ
DocType: Sales Invoice,Sales Team1,സെയിൽസ് ടീം 1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,ഇനം {0} നിലവിലില്ല
DocType: Sales Invoice,Customer Address,കസ്റ്റമർ വിലാസം
DocType: Employee Loan,Loan Details,വായ്പ വിശദാംശങ്ങൾ
+DocType: Company,Default Inventory Account,സ്ഥിരസ്ഥിതി ഇൻവെന്ററി അക്കൗണ്ട്
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,വരി {0}: പൂർത്തിയായി അളവ് പൂജ്യം വലുതായിരിക്കണം.
DocType: Purchase Invoice,Apply Additional Discount On,പ്രയോഗിക്കുക അധിക ഡിസ്കൌണ്ട്
DocType: Account,Root Type,റൂട്ട് തരം
DocType: Item,FIFO,fifo തുറക്കാന്കഴിയില്ല
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},വരി # {0}: {1} ഇനം വേണ്ടി {2} അധികം മടങ്ങിപ്പോകാനാകില്ല
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},വരി # {0}: {1} ഇനം വേണ്ടി {2} അധികം മടങ്ങിപ്പോകാനാകില്ല
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,പ്ലോട്ട്
DocType: Item Group,Show this slideshow at the top of the page,പേജിന്റെ മുകളിലുള്ള ഈ സ്ലൈഡ്ഷോ കാണിക്കുക
DocType: BOM,Item UOM,ഇനം UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),ഡിസ്കൗണ്ട് തുക (കമ്പനി കറന്സി) ശേഷം നികുതിയും
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},ടാർജറ്റ് വെയർഹൗസ് വരി {0} നിര്ബന്ധമാണ്
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},ടാർജറ്റ് വെയർഹൗസ് വരി {0} നിര്ബന്ധമാണ്
DocType: Cheque Print Template,Primary Settings,പ്രാഥമിക ക്രമീകരണങ്ങൾ
DocType: Purchase Invoice,Select Supplier Address,വിതരണക്കാരൻ വിലാസം തിരഞ്ഞെടുക്കുക
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,ജീവനക്കാരെ ചേർക്കുക
DocType: Purchase Invoice Item,Quality Inspection,ക്വാളിറ്റി ഇൻസ്പെക്ഷൻ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,എക്സ്ട്രാ ചെറുകിട
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,എക്സ്ട്രാ ചെറുകിട
DocType: Company,Standard Template,സ്റ്റാൻഡേർഡ് ഫലകം
DocType: Training Event,Theory,സിദ്ധാന്തം
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,മുന്നറിയിപ്പ്: Qty അഭ്യർത്ഥിച്ചു മെറ്റീരിയൽ മിനിമം ഓർഡർ Qty കുറവാണ്
@@ -2703,7 +2719,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,സംഘടന പെടുന്ന അക്കൗണ്ടുകൾ ഒരു പ്രത്യേക ചാർട്ട് കൊണ്ട് നിയമ വിഭാഗമായാണ് / സബ്സിഡിയറി.
DocType: Payment Request,Mute Email,നിശബ്ദമാക്കുക ഇമെയിൽ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","ഫുഡ്, ബീവറേജ് & പുകയില"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},മാത്രം unbilled {0} നേരെ തീർക്കാം കഴിയുമോ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},മാത്രം unbilled {0} നേരെ തീർക്കാം കഴിയുമോ
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,കമ്മീഷൻ നിരക്ക് 100 വലുതായിരിക്കും കഴിയില്ല
DocType: Stock Entry,Subcontract,Subcontract
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,ആദ്യം {0} നൽകുക
@@ -2716,18 +2732,18 @@
DocType: SMS Log,No of Sent SMS,അയയ്ക്കുന്ന എസ്എംഎസ് ഒന്നും
DocType: Account,Expense Account,ചിലവേറിയ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,സോഫ്റ്റ്വെയർ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,കളർ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,കളർ
DocType: Assessment Plan Criteria,Assessment Plan Criteria,അസസ്മെന്റ് പദ്ധതി മാനദണ്ഡം
DocType: Training Event,Scheduled,ഷെഡ്യൂൾഡ്
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,ഉദ്ധരണി അഭ്യർത്ഥന.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","ഓഹരി ഇനം ആകുന്നു 'എവിടെ ഇനം തിരഞ്ഞെടുക്കുക" ഇല്ല "ആണ്" സെയിൽസ് ഇനം തന്നെയല്ലേ "" അതെ "ആണ് മറ്റൊരു പ്രൊഡക്ട് ബണ്ടിൽ ഇല്ല ദയവായി
DocType: Student Log,Academic,പണ്ഡിതോചിതമായ
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),മുൻകൂർ ({0}) ഉത്തരവിനെതിരെ {1} ({2}) ഗ്രാൻഡ് ആകെ ശ്രേഷ്ഠ പാടില്ല
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),മുൻകൂർ ({0}) ഉത്തരവിനെതിരെ {1} ({2}) ഗ്രാൻഡ് ആകെ ശ്രേഷ്ഠ പാടില്ല
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,സമമായി മാസം ഉടനീളമുള്ള ലക്ഷ്യങ്ങളിലൊന്നാണ് വിതരണം ചെയ്യാൻ പ്രതിമാസ വിതരണം തിരഞ്ഞെടുക്കുക.
DocType: Purchase Invoice Item,Valuation Rate,മൂലധനം റേറ്റ്
DocType: Stock Reconciliation,SR/,എസ്.ആർ /
DocType: Vehicle,Diesel,ഡീസൽ
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,വില പട്ടിക കറന്സി തിരഞ്ഞെടുത്തിട്ടില്ല
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,വില പട്ടിക കറന്സി തിരഞ്ഞെടുത്തിട്ടില്ല
,Student Monthly Attendance Sheet,വിദ്യാർത്ഥി പ്രതിമാസ ഹാജർ ഷീറ്റ്
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},ജീവനക്കാർ {0} ഇതിനകം {1} {2} ഉം {3} തമ്മിലുള്ള അപേക്ഷിച്ചു
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,പ്രോജക്ട് ആരംഭ തീയതി
@@ -2740,7 +2756,7 @@
DocType: BOM,Scrap,സ്ക്രാപ്പ്
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,സെയിൽസ് പങ്കാളികൾ നിയന്ത്രിക്കുക.
DocType: Quality Inspection,Inspection Type,ഇൻസ്പെക്ഷൻ തരം
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,നിലവിലുള്ള ഇടപാടിനെ അബദ്ധങ്ങളും ഗ്രൂപ്പ് പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,നിലവിലുള്ള ഇടപാടിനെ അബദ്ധങ്ങളും ഗ്രൂപ്പ് പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല.
DocType: Assessment Result Tool,Result HTML,ഫലം എച്ച്ടിഎംഎൽ
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,ഓൺ കാലഹരണപ്പെടുന്നു
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,വിദ്യാർത്ഥികൾ ചേർക്കുക
@@ -2748,13 +2764,13 @@
DocType: C-Form,C-Form No,സി-ഫോം ഇല്ല
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,അടയാളപ്പെടുത്താത്ത ഹാജർ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,ഗവേഷകനും
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,ഗവേഷകനും
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,പ്രോഗ്രാം എൻറോൾമെന്റ് ടൂൾ സ്റ്റുഡന്റ്
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,പേര് അല്ലെങ്കിൽ ഇമെയിൽ നിർബന്ധമാണ്
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,ഇൻകമിങ് ഗുണമേന്മയുള്ള പരിശോധന.
DocType: Purchase Order Item,Returned Qty,മടങ്ങിയ Qty
DocType: Employee,Exit,പുറത്ത്
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,റൂട്ട് തരം നിർബന്ധമാണ്
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,റൂട്ട് തരം നിർബന്ധമാണ്
DocType: BOM,Total Cost(Company Currency),മൊത്തം ചെലവ് (കമ്പനി കറൻസി)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,സീരിയൽ ഇല്ല {0} സൃഷ്ടിച്ചു
DocType: Homepage,Company Description for website homepage,വെബ്സൈറ്റ് ഹോംപേജിൽ കമ്പനിയുടെ വിവരണം
@@ -2763,7 +2779,7 @@
DocType: Sales Invoice,Time Sheet List,സമയം ഷീറ്റ് പട്ടിക
DocType: Employee,You can enter any date manually,"നിങ്ങൾ സ്വയം ഏതെങ്കിലും തീയതി നൽകാം,"
DocType: Asset Category Account,Depreciation Expense Account,മൂല്യത്തകർച്ച ചിലവേറിയ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,പരിശീലന കാലഖട്ടം
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,പരിശീലന കാലഖട്ടം
DocType: Customer Group,Only leaf nodes are allowed in transaction,മാത്രം ഇല നോഡുകൾ ഇടപാട് അനുവദനീയമാണ്
DocType: Expense Claim,Expense Approver,ചിലവേറിയ Approver
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,വരി {0}: കസ്റ്റമർ നേരെ മുൻകൂർ ക്രെഡിറ്റ് ആയിരിക്കണം
@@ -2777,10 +2793,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,കോഴ്സ് സമയക്രമം ഇല്ലാതാക്കി:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,SMS ഡെലിവറി നില പരിപാലിക്കുന്നതിനായി ക്ഌപ്തപ്പെടുത്താവുന്നതാണ്
DocType: Accounts Settings,Make Payment via Journal Entry,ജേർണൽ എൻട്രി വഴി പേയ്മെന്റ് നിർമ്മിക്കുക
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,പ്രിന്റ്
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,പ്രിന്റ്
DocType: Item,Inspection Required before Delivery,ഡെലിവറി മുമ്പ് ആവശ്യമായ ഇൻസ്പെക്ഷൻ
DocType: Item,Inspection Required before Purchase,വാങ്ങൽ മുമ്പ് ആവശ്യമായ ഇൻസ്പെക്ഷൻ
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,തീർച്ചപ്പെടുത്തിയിട്ടില്ലാത്ത പ്രവർത്തനങ്ങൾ
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,നിങ്ങളുടെ ഓർഗനൈസേഷൻ
DocType: Fee Component,Fees Category,ഫീസ് വർഗ്ഗം
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,തീയതി വിടുതൽ നൽകുക.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,ശാരീരിക
@@ -2790,9 +2807,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,പുനഃക്രമീകരിക്കുക ലെവൽ
DocType: Company,Chart Of Accounts Template,അക്കൗണ്ടുകൾ ഫലകം ചാർട്ട്
DocType: Attendance,Attendance Date,ഹാജർ തീയതി
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},ഇനത്തിന്റെ വില വില പട്ടിക {1} ൽ {0} അപ്ഡേറ്റുചെയ്തിട്ടുള്ളൂ
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},ഇനത്തിന്റെ വില വില പട്ടിക {1} ൽ {0} അപ്ഡേറ്റുചെയ്തിട്ടുള്ളൂ
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,വരുമാനമുള്ളയാളും കിഴിച്ചുകൊണ്ടു അടിസ്ഥാനമാക്കി ശമ്പളം ഖണ്ഡങ്ങളായി.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,കുട്ടി നോഡുകൾ കൊണ്ട് അക്കൗണ്ട് ലെഡ്ജർ പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,കുട്ടി നോഡുകൾ കൊണ്ട് അക്കൗണ്ട് ലെഡ്ജർ പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല
DocType: Purchase Invoice Item,Accepted Warehouse,അംഗീകരിച്ച വെയർഹൗസ്
DocType: Bank Reconciliation Detail,Posting Date,പോസ്റ്റിംഗ് തീയതി
DocType: Item,Valuation Method,മൂലധനം രീതിയുടെ
@@ -2801,14 +2818,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,എൻട്രി തനിപ്പകർപ്പെടുക്കുക
DocType: Program Enrollment Tool,Get Students,വിദ്യാർത്ഥികൾ നേടുക
DocType: Serial No,Under Warranty,വാറന്റി കീഴിൽ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[പിശക്]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[പിശക്]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,നിങ്ങൾ സെയിൽസ് ഓർഡർ രക്ഷിക്കും ഒരിക്കൽ വാക്കുകളിൽ ദൃശ്യമാകും.
,Employee Birthday,ജീവനക്കാരുടെ ജന്മദിനം
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,സ്റ്റുഡന്റ് ബാച്ച് ഹാജർ ടൂൾ
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,പരിധി ക്രോസ്
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,പരിധി ക്രോസ്
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,വെഞ്ച്വർ ക്യാപ്പിറ്റൽ
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"ഈ 'അക്കാദമിക് വർഷം' {0}, {1} ഇതിനകം നിലവിലുണ്ട് 'ടേം പേര്' ഒരു അക്കാദമിക് കാലാവധി. ഈ എൻട്രികൾ പരിഷ്ക്കരിച്ച് വീണ്ടും ശ്രമിക്കുക."
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","ഇനം {0} നേരെ നിലവിലുള്ള ഇടപാടുകൾ ഉണ്ട് നിലയിൽ, {1} മൂല്യം മാറ്റാൻ കഴിയില്ല"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","ഇനം {0} നേരെ നിലവിലുള്ള ഇടപാടുകൾ ഉണ്ട് നിലയിൽ, {1} മൂല്യം മാറ്റാൻ കഴിയില്ല"
DocType: UOM,Must be Whole Number,മുഴുവനുമുള്ള നമ്പർ ആയിരിക്കണം
DocType: Leave Control Panel,New Leaves Allocated (In Days),(ദിവസങ്ങളിൽ) അനുവദിച്ചതായും പുതിയ ഇലകൾ
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,സീരിയൽ ഇല്ല {0} നിലവിലില്ല
@@ -2817,6 +2834,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,ഇൻവോയിസ് നമ്പർ
DocType: Shopping Cart Settings,Orders,ഉത്തരവുകൾ
DocType: Employee Leave Approver,Leave Approver,Approver വിടുക
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,ഒരു ബാച്ച് തിരഞ്ഞെടുക്കുക
DocType: Assessment Group,Assessment Group Name,അസസ്മെന്റ് ഗ്രൂപ്പ് പേര്
DocType: Manufacturing Settings,Material Transferred for Manufacture,ഉല്പാദനത്തിനുള്ള മാറ്റിയത് മെറ്റീരിയൽ
DocType: Expense Claim,"A user with ""Expense Approver"" role","ചിലവേറിയ Approver" വേഷം ഒരു ഉപയോക്താവ്
@@ -2826,9 +2844,10 @@
DocType: Target Detail,Target Detail,ടാർജറ്റ് വിശദാംശം
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,എല്ലാ ജോലി
DocType: Sales Order,% of materials billed against this Sales Order,ഈ സെയിൽസ് ഓർഡർ നേരെ ഈടാക്കും വസ്തുക്കൾ%
+DocType: Program Enrollment,Mode of Transportation,ഗതാഗത മാർഗം
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,കാലയളവ് സമാപന എൻട്രി
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,നിലവിലുള്ള ഇടപാടുകൾ ചെലവ് കേന്ദ്രം ഗ്രൂപ്പ് പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},തുക {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},തുക {0} {1} {2} {3}
DocType: Account,Depreciation,മൂല്യശോഷണം
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),വിതരണക്കമ്പനിയായ (കൾ)
DocType: Employee Attendance Tool,Employee Attendance Tool,ജീവനക്കാരുടെ ഹാജർ ടൂൾ
@@ -2836,7 +2855,7 @@
DocType: Supplier,Credit Limit,വായ്പാ പരിധി
DocType: Production Plan Sales Order,Salse Order Date,Salse ഓർഡർ തീയതി
DocType: Salary Component,Salary Component,ശമ്പള ഘടക
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,പേയ്മെന്റ് എൻട്രികൾ {0} ചെയ്യുന്നു അൺ-ലിങ്ക്ഡ്
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,പേയ്മെന്റ് എൻട്രികൾ {0} ചെയ്യുന്നു അൺ-ലിങ്ക്ഡ്
DocType: GL Entry,Voucher No,സാക്ഷപ്പെടുത്തല് ഇല്ല
,Lead Owner Efficiency,ലീഡ് ഉടമ എഫിഷ്യൻസി
,Lead Owner Efficiency,ലീഡ് ഉടമ എഫിഷ്യൻസി
@@ -2848,11 +2867,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,നിബന്ധനകളോ കരാറിലെ ഫലകം.
DocType: Purchase Invoice,Address and Contact,വിശദാംശവും ബന്ധപ്പെടാനുള്ള
DocType: Cheque Print Template,Is Account Payable,അക്കൗണ്ട് നൽകപ്പെടും
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},ഓഹരി വാങ്ങൽ രസീത് {0} നേരെ അപ്ഡേറ്റ് ചെയ്യാൻ സാധിക്കില്ല
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},ഓഹരി വാങ്ങൽ രസീത് {0} നേരെ അപ്ഡേറ്റ് ചെയ്യാൻ സാധിക്കില്ല
DocType: Supplier,Last Day of the Next Month,അടുത്തത് മാസത്തിലെ അവസാന ദിവസം
DocType: Support Settings,Auto close Issue after 7 days,7 ദിവസം കഴിഞ്ഞശേഷം ഓട്ടോ അടയ്ക്കൂ പ്രശ്നം
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","ലീവ് ബാലൻസ് ഇതിനകം ഭാവിയിൽ ലീവ് അലോക്കേഷൻ റെക്കോർഡ് {1} ൽ കാരി മുന്നോട്ടയയ്ക്കുകയും ലീവ്, {0} മുമ്പ് വിഹിതം കഴിയില്ല"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),കുറിപ്പ്: ചില / പരാമർശം തീയതി {0} ദിവസം (ങ്ങൾ) അനുവദിച്ചിരിക്കുന്ന ഉപഭോക്തൃ ക്രെഡിറ്റ് ദിവസം അധികരിക്കുന്നു
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),കുറിപ്പ്: ചില / പരാമർശം തീയതി {0} ദിവസം (ങ്ങൾ) അനുവദിച്ചിരിക്കുന്ന ഉപഭോക്തൃ ക്രെഡിറ്റ് ദിവസം അധികരിക്കുന്നു
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,സ്റ്റുഡന്റ് അപേക്ഷകന്
DocType: Asset Category Account,Accumulated Depreciation Account,സൂക്ഷിക്കുന്നത് മൂല്യത്തകർച്ച അക്കൗണ്ട്
DocType: Stock Settings,Freeze Stock Entries,ഫ്രീസുചെയ്യുക സ്റ്റോക്ക് എൻട്രികളിൽ
@@ -2861,36 +2880,36 @@
DocType: Activity Cost,Billing Rate,ബില്ലിംഗ് റേറ്റ്
,Qty to Deliver,വിടുവിപ്പാൻ Qty
,Stock Analytics,സ്റ്റോക്ക് അനലിറ്റിക്സ്
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,ഓപ്പറേഷൻ ശൂന്യമായിടാൻ കഴിയില്ല
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,ഓപ്പറേഷൻ ശൂന്യമായിടാൻ കഴിയില്ല
DocType: Maintenance Visit Purpose,Against Document Detail No,ഡോക്യുമെന്റ് വിശദാംശം പോസ്റ്റ് എഗൻസ്റ്റ്
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,പാർട്ടി ഇനം നിർബന്ധമായും
DocType: Quality Inspection,Outgoing,അയയ്ക്കുന്ന
DocType: Material Request,Requested For,ഇൻവേർനോ
DocType: Quotation Item,Against Doctype,Doctype എഗെൻസ്റ്റ്
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} റദ്ദാക്കി അല്ലെങ്കിൽ അടച്ച
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} റദ്ദാക്കി അല്ലെങ്കിൽ അടച്ച
DocType: Delivery Note,Track this Delivery Note against any Project,ഏതെങ്കിലും പ്രോജക്ട് നേരെ ഈ ഡെലിവറി നോട്ട് ട്രാക്ക്
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,മുടക്കുന്ന നിന്നും നെറ്റ് ക്യാഷ്
-,Is Primary Address,പ്രാഥമിക വിലാസം
DocType: Production Order,Work-in-Progress Warehouse,പ്രവർത്തിക്കുക-ഇൻ-പ്രോഗ്രസ് വെയർഹൗസ്
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,അസറ്റ് {0} സമർപ്പിക്കേണ്ടതാണ്
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},ഹാജർ റെക്കോർഡ് {0} സ്റ്റുഡന്റ് {1} നേരെ നിലവിലുണ്ട്
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},ഹാജർ റെക്കോർഡ് {0} സ്റ്റുഡന്റ് {1} നേരെ നിലവിലുണ്ട്
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},റഫറൻസ് # {0} {1} dated
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,കാരണം ആസ്തി സംസ്കരണവുമായി ലേക്ക് പുറത്തായി മൂല്യത്തകർച്ച
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,വിലാസങ്ങൾ നിയന്ത്രിക്കുക
DocType: Asset,Item Code,ഇനം കോഡ്
DocType: Production Planning Tool,Create Production Orders,പ്രൊഡക്ഷൻ ഓർഡറുകൾ സൃഷ്ടിക്കുക
DocType: Serial No,Warranty / AMC Details,വാറന്റി / എഎംസി വിവരങ്ങൾ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,പ്രവർത്തനം അടിസ്ഥാനമാക്കി ഗ്രൂപ്പ് മാനുവലായി വിദ്യാർത്ഥികളെ തിരഞ്ഞെടുക്കുക
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,പ്രവർത്തനം അടിസ്ഥാനമാക്കി ഗ്രൂപ്പ് മാനുവലായി വിദ്യാർത്ഥികളെ തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,പ്രവർത്തനം അടിസ്ഥാനമാക്കി ഗ്രൂപ്പ് മാനുവലായി വിദ്യാർത്ഥികളെ തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,പ്രവർത്തനം അടിസ്ഥാനമാക്കി ഗ്രൂപ്പ് മാനുവലായി വിദ്യാർത്ഥികളെ തിരഞ്ഞെടുക്കുക
DocType: Journal Entry,User Remark,ഉപയോക്താവിന്റെ അഭിപ്രായപ്പെടുക
DocType: Lead,Market Segment,മാർക്കറ്റ് സെഗ്മെന്റ്
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},തുക മൊത്തം നെഗറ്റീവ് ശേഷിക്കുന്ന തുക {0} ശ്രേഷ്ഠ പാടില്ല
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},തുക മൊത്തം നെഗറ്റീവ് ശേഷിക്കുന്ന തുക {0} ശ്രേഷ്ഠ പാടില്ല
DocType: Employee Internal Work History,Employee Internal Work History,ജീവനക്കാർ ആന്തരിക വർക്ക് ചരിത്രം
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),(ഡോ) അടയ്ക്കുന്നു
DocType: Cheque Print Template,Cheque Size,ചെക്ക് വലിപ്പം
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,{0} അല്ല സ്റ്റോക്ക് സീരിയൽ ഇല്ല
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,ഇടപാടുകൾ വില്ക്കുകയും നികുതി ടെംപ്ലേറ്റ്.
DocType: Sales Invoice,Write Off Outstanding Amount,നിലവിലുള്ള തുക എഴുതുക
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},അക്കൗണ്ട് {0} {1} കമ്പനി പൊരുത്തപ്പെടുന്നില്ല
DocType: School Settings,Current Academic Year,നിലവിലെ അക്കാദമിക് വർഷം
DocType: School Settings,Current Academic Year,നിലവിലെ അക്കാദമിക് വർഷം
DocType: Stock Settings,Default Stock UOM,സ്വതേ സ്റ്റോക്ക് UOM
@@ -2906,27 +2925,27 @@
DocType: Asset,Double Declining Balance,ഇരട്ട കുറയുന്ന
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,അടച്ച ഓർഡർ റദ്ദാക്കാൻ സാധിക്കില്ല. റദ്ദാക്കാൻ Unclose.
DocType: Student Guardian,Father,പിതാവ്
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'അപ്ഡേറ്റ് ഓഹരി' നിർണയത്തിനുള്ള അസറ്റ് വില്പനയ്ക്ക് പരിശോധിക്കാൻ കഴിയുന്നില്ല
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'അപ്ഡേറ്റ് ഓഹരി' നിർണയത്തിനുള്ള അസറ്റ് വില്പനയ്ക്ക് പരിശോധിക്കാൻ കഴിയുന്നില്ല
DocType: Bank Reconciliation,Bank Reconciliation,ബാങ്ക് അനുരഞ്ജനം
DocType: Attendance,On Leave,അവധിയിലാണ്
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,അപ്ഡേറ്റുകൾ നേടുക
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: അക്കൗണ്ട് {2} കമ്പനി {3} സ്വന്തമല്ല
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,മെറ്റീരിയൽ അഭ്യർത്ഥന {0} റദ്ദാക്കി അല്ലെങ്കിൽ നിറുത്തി
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,ഏതാനും സാമ്പിൾ റെക്കോർഡുകൾ ചേർക്കുക
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,ഏതാനും സാമ്പിൾ റെക്കോർഡുകൾ ചേർക്കുക
apps/erpnext/erpnext/config/hr.py +301,Leave Management,മാനേജ്മെന്റ് വിടുക
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,അക്കൗണ്ട് വഴി ഗ്രൂപ്പ്
DocType: Sales Order,Fully Delivered,പൂർണ്ണമായി കൈമാറി
DocType: Lead,Lower Income,ലോവർ ആദായ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},ഉറവിടം ടാർഗെറ്റ് വെയർഹൗസ് വരി {0} ഒരേ ആയിരിക്കും കഴിയില്ല
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},ഉറവിടം ടാർഗെറ്റ് വെയർഹൗസ് വരി {0} ഒരേ ആയിരിക്കും കഴിയില്ല
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","ഈ ഓഹരി അനുരഞ്ജനം ഒരു തുറക്കുന്നു എൻട്രി മുതൽ വ്യത്യാസം അക്കൗണ്ട്, ഒരു അസറ്റ് / ബാധ്യത തരം അക്കൌണ്ട് ആയിരിക്കണം"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},വിതരണം തുക വായ്പാ തുക {0} അധികമാകരുത് കഴിയില്ല
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},ഇനം {0} വേണ്ടി ആവശ്യമാണ് വാങ്ങൽ ഓർഡർ നമ്പർ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,പ്രൊഡക്ഷൻ ഓർഡർ സൃഷ്ടിച്ചിട്ടില്ല
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},ഇനം {0} വേണ്ടി ആവശ്യമാണ് വാങ്ങൽ ഓർഡർ നമ്പർ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,പ്രൊഡക്ഷൻ ഓർഡർ സൃഷ്ടിച്ചിട്ടില്ല
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','ഈ തീയതി മുതൽ' 'തീയതി ആരംഭിക്കുന്ന' ശേഷം ആയിരിക്കണം
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},ആയി വിദ്യാർഥി {0} വിദ്യാർഥി അപേക്ഷ {1} ലിങ്കുചെയ്തതിരിക്കുന്നതിനാൽ നില മാറ്റാൻ കഴിയില്ല
DocType: Asset,Fully Depreciated,പൂർണ്ണമായി മൂല്യത്തകർച്ചയുണ്ടായ
,Stock Projected Qty,ഓഹരി Qty അനുമാനിക്കപ്പെടുന്ന
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},കസ്റ്റമർ {0} {1} പ്രൊജക്ട് സ്വന്തമല്ല
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},കസ്റ്റമർ {0} {1} പ്രൊജക്ട് സ്വന്തമല്ല
DocType: Employee Attendance Tool,Marked Attendance HTML,അടയാളപ്പെടുത്തിയിരിക്കുന്ന ഹാജർ എച്ച്ടിഎംഎൽ
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","ഉദ്ധരണികൾ നിർദേശങ്ങൾ, നിങ്ങളുടെ ഉപഭോക്താക്കൾക്ക് അയച്ചിരിക്കുന്നു ബിഡ്ഡുകൾ ആകുന്നു"
DocType: Sales Order,Customer's Purchase Order,കസ്റ്റമർ പർച്ചേസ് ഓർഡർ
@@ -2935,8 +2954,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,വിലയിരുത്തിയശേഷം മാനദണ്ഡം സ്കോററായ സം {0} വേണം.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,ബുക്കുചെയ്തു Depreciations എണ്ണം ക്രമീകരിക്കുക ദയവായി
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,മൂല്യം അഥവാ Qty
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,പ്രൊഡക്ഷൻസ് ഓർഡറുകൾ ഉയിർപ്പിച്ചുമിരിക്കുന്ന കഴിയില്ല:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,മിനിറ്റ്
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,പ്രൊഡക്ഷൻസ് ഓർഡറുകൾ ഉയിർപ്പിച്ചുമിരിക്കുന്ന കഴിയില്ല:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,മിനിറ്റ്
DocType: Purchase Invoice,Purchase Taxes and Charges,നികുതി ചാർജുകളും വാങ്ങുക
,Qty to Receive,സ്വീകരിക്കാൻ Qty
DocType: Leave Block List,Leave Block List Allowed,ബ്ലോക്ക് പട്ടിക അനുവദനീയം വിടുക
@@ -2944,25 +2963,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},വാഹന ലോഗ് {0} രൂപായും ക്ലെയിം
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,വില പട്ടിക നിരക്ക് ഡിസ്കൗണ്ട് (%) മാർജിൻ കൊണ്ട്
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,വില പട്ടിക നിരക്ക് ഡിസ്കൗണ്ട് (%) മാർജിൻ കൊണ്ട്
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,എല്ലാ അബദ്ധങ്ങളും
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,എല്ലാ അബദ്ധങ്ങളും
DocType: Sales Partner,Retailer,ഫേയ്സ്
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,അക്കൗണ്ടിലേക്ക് ക്രെഡിറ്റ് ഒരു ബാലൻസ് ഷീറ്റ് അക്കൗണ്ട് ആയിരിക്കണം
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,അക്കൗണ്ടിലേക്ക് ക്രെഡിറ്റ് ഒരു ബാലൻസ് ഷീറ്റ് അക്കൗണ്ട് ആയിരിക്കണം
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,എല്ലാ വിതരണക്കാരൻ രീതികൾ
DocType: Global Defaults,Disable In Words,വാക്കുകളിൽ പ്രവർത്തനരഹിതമാക്കുക
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,ഇനം സ്വയം നമ്പരുള്ള കാരണം ഇനം കോഡ് നിർബന്ധമാണ്
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,ഇനം സ്വയം നമ്പരുള്ള കാരണം ഇനം കോഡ് നിർബന്ധമാണ്
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},{0} അല്ല തരത്തിലുള്ള ക്വട്ടേഷൻ {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,മെയിൻറനൻസ് ഷെഡ്യൂൾ ഇനം
DocType: Sales Order,% Delivered,% കൈമാറി
DocType: Production Order,PRO-,PRO-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,ബാങ്ക് ഓവർഡ്രാഫ്റ്റിലായില്ല അക്കൗണ്ട്
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,ബാങ്ക് ഓവർഡ്രാഫ്റ്റിലായില്ല അക്കൗണ്ട്
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,ശമ്പളം വ്യതിചലിപ്പിച്ചു
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,വരി # {0}: തുക കുടിശ്ശിക തുക അധികമാകരുത് കഴിയില്ല.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,ബ്രൗസ് BOM ലേക്ക്
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,അടച്ച് വായ്പകൾ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,അടച്ച് വായ്പകൾ
DocType: Purchase Invoice,Edit Posting Date and Time,എഡിറ്റ് പോസ്റ്റിംഗ് തീയതിയും സമയവും
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},അസറ്റ് വർഗ്ഗം {0} അല്ലെങ്കിൽ കമ്പനി {1} ൽ മൂല്യത്തകർച്ച ബന്ധപ്പെട്ട അക്കൗണ്ടുകൾ സജ്ജമാക്കുക
DocType: Academic Term,Academic Year,അധ്യയന വർഷം
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,ബാലൻസ് ഇക്വിറ്റി തുറക്കുന്നു
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,ബാലൻസ് ഇക്വിറ്റി തുറക്കുന്നു
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,വിലനിശ്ചയിക്കല്
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},വിതരണക്കമ്പനിയായ {0} അയച്ച ഇമെയിൽ
@@ -2978,7 +2997,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,റോൾ അംഗീകരിക്കുന്നതിൽ ഭരണം ബാധകമാകുന്നതാണ് പങ്ക് അതേ ആകും കഴിയില്ല
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,ഈ ഇമെയിൽ ഡൈജസ്റ്റ് നിന്ന് അൺസബ്സ്ക്രൈബ്
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,സന്ദേശം അയച്ചു
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,കുട്ടി നോഡുകൾ കൊണ്ട് അക്കൗണ്ട് ലെഡ്ജർ ആയി സജ്ജമാക്കാൻ കഴിയില്ല
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,കുട്ടി നോഡുകൾ കൊണ്ട് അക്കൗണ്ട് ലെഡ്ജർ ആയി സജ്ജമാക്കാൻ കഴിയില്ല
DocType: C-Form,II,രണ്ടാം
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,വില പട്ടിക കറൻസി ഉപഭോക്താവിന്റെ അടിസ്ഥാന കറൻസി മാറ്റുമ്പോൾ തോത്
DocType: Purchase Invoice Item,Net Amount (Company Currency),തുക (കമ്പനി കറൻസി)
@@ -3013,7 +3032,7 @@
DocType: Expense Claim,Approval Status,അംഗീകാരം അവസ്ഥ
DocType: Hub Settings,Publish Items to Hub,ഹബ് വരെ ഇനങ്ങൾ പ്രസിദ്ധീകരിക്കുക
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},മൂല്യം നിന്ന് വരി {0} മൂല്യം വരെ താഴെ ആയിരിക്കണം
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,വയർ ട്രാൻസ്ഫർ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,വയർ ട്രാൻസ്ഫർ
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,എല്ലാം പരിശോധിക്കുക
DocType: Vehicle Log,Invoice Ref,ഇൻവോയ്സ് റഫറൻസ്
DocType: Purchase Order,Recurring Order,ആവർത്തക ഓർഡർ
@@ -3026,19 +3045,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,ബാങ്കിംഗ് പേയ്മെന്റുകൾ
,Welcome to ERPNext,ERPNext സ്വാഗതം
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,ക്വട്ടേഷൻ ഇടയാക്കും
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,കാണിക്കാൻ കൂടുതൽ ഒന്നും.
DocType: Lead,From Customer,കസ്റ്റമർ നിന്ന്
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,കോളുകൾ
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,കോളുകൾ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,ബാച്ചുകൾ
DocType: Project,Total Costing Amount (via Time Logs),(ടൈം ലോഗുകൾ വഴി) ആകെ ആറെണ്ണവും തുക
DocType: Purchase Order Item Supplied,Stock UOM,ഓഹരി UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,വാങ്ങൽ ഓർഡർ {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,വാങ്ങൽ ഓർഡർ {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും
DocType: Customs Tariff Number,Tariff Number,താരിഫ് നമ്പർ
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,അനുമാനിക്കപ്പെടുന്ന
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},സീരിയൽ ഇല്ല {0} സംഭരണശാല {1} സ്വന്തമല്ല
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,കുറിപ്പ്: സിസ്റ്റം ഇനം വേണ്ടി ഡെലിവറി-കടന്നു-ബുക്കിങ് പരിശോധിക്കില്ല {0} അളവ് അല്ലെങ്കിൽ തുക 0 പോലെ
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,കുറിപ്പ്: സിസ്റ്റം ഇനം വേണ്ടി ഡെലിവറി-കടന്നു-ബുക്കിങ് പരിശോധിക്കില്ല {0} അളവ് അല്ലെങ്കിൽ തുക 0 പോലെ
DocType: Notification Control,Quotation Message,ക്വട്ടേഷൻ സന്ദേശം
DocType: Employee Loan,Employee Loan Application,ജീവനക്കാരുടെ ലോൺ അപ്ലിക്കേഷൻ
DocType: Issue,Opening Date,തീയതി തുറക്കുന്നു
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,ഹാജർ വിജയകരമായി അടയാളപ്പെടുത്തി.
+DocType: Program Enrollment,Public Transport,പൊതു ഗതാഗതം
DocType: Journal Entry,Remark,അഭിപായപ്പെടുക
DocType: Purchase Receipt Item,Rate and Amount,റേറ്റ് തുക
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},{0} വേണ്ടി അക്കൗണ്ട് ഇനം ആയിരിക്കണം {1}
@@ -3046,32 +3068,32 @@
DocType: School Settings,Current Academic Term,നിലവിലെ അക്കാദമിക് ടേം
DocType: School Settings,Current Academic Term,നിലവിലെ അക്കാദമിക് ടേം
DocType: Sales Order,Not Billed,ഈടാക്കൂ ഒരിക്കലും പാടില്ല
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,രണ്ടും വെയർഹൗസ് ഒരേ കമ്പനി സ്വന്തമായിരിക്കണം
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,കോൺടാക്റ്റുകളൊന്നും ഇതുവരെ ചേർത്തു.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,രണ്ടും വെയർഹൗസ് ഒരേ കമ്പനി സ്വന്തമായിരിക്കണം
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,കോൺടാക്റ്റുകളൊന്നും ഇതുവരെ ചേർത്തു.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,കോസ്റ്റ് വൗച്ചർ തുക റജിസ്റ്റർ
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,വിതരണക്കാരും ഉയര്ത്തുന്ന ബില്ലുകള്.
DocType: POS Profile,Write Off Account,അക്കൗണ്ട് ഓഫാക്കുക എഴുതുക
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,ഡെബിറ്റ് നോട്ട് ശാരീരിക
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,കിഴിവും തുക
DocType: Purchase Invoice,Return Against Purchase Invoice,വാങ്ങൽ ഇൻവോയിസ് എഗെൻസ്റ്റ് മടങ്ങുക
DocType: Item,Warranty Period (in days),(ദിവസങ്ങളിൽ) വാറന്റി കാലാവധി
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,ഗുഅര്ദിഅന്൧ കൂടെ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,ഗുഅര്ദിഅന്൧ കൂടെ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,ഓപ്പറേഷൻസ് നിന്നുള്ള നെറ്റ് ക്യാഷ്
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,ഉദാ വാറ്റ്
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,ഉദാ വാറ്റ്
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,ഇനം 4
DocType: Student Admission,Admission End Date,അഡ്മിഷൻ അവസാന തീയതി
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,ഉപ-കരാര്
DocType: Journal Entry Account,Journal Entry Account,ജേണൽ എൻട്രി അക്കൗണ്ട്
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,സ്റ്റുഡന്റ് ഗ്രൂപ്പ്
DocType: Shopping Cart Settings,Quotation Series,ക്വട്ടേഷൻ സീരീസ്
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","ഒരു ഇനം ഇതേ പേര് ({0}) നിലവിലുണ്ട്, ഐറ്റം ഗ്രൂപ്പിന്റെ പേര് മാറ്റാനോ ഇനം പുനർനാമകരണം ദയവായി"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,കസ്റ്റമർ തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","ഒരു ഇനം ഇതേ പേര് ({0}) നിലവിലുണ്ട്, ഐറ്റം ഗ്രൂപ്പിന്റെ പേര് മാറ്റാനോ ഇനം പുനർനാമകരണം ദയവായി"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,കസ്റ്റമർ തിരഞ്ഞെടുക്കുക
DocType: C-Form,I,ഞാന്
DocType: Company,Asset Depreciation Cost Center,അസറ്റ് മൂല്യത്തകർച്ച കോസ്റ്റ് സെന്റർ
DocType: Sales Order Item,Sales Order Date,സെയിൽസ് ഓർഡർ തീയതി
DocType: Sales Invoice Item,Delivered Qty,കൈമാറി Qty
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","പരിശോധിച്ചാൽ, ഓരോ പ്രൊഡക്ഷൻ ഇനത്തിന്റെ എല്ലാ കുട്ടികൾക്കും മെറ്റീരിയൽ അഭ്യർത്ഥനകൾ ഉൾപ്പെടുത്തും."
DocType: Assessment Plan,Assessment Plan,അസസ്മെന്റ് പദ്ധതി
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,വെയർഹൗസ് {0}: കമ്പനി നിർബന്ധമാണ്
DocType: Stock Settings,Limit Percent,ശതമാനം പരിമിതപ്പെടുത്തുക
,Payment Period Based On Invoice Date,ഇൻവോയിസ് തീയതി അടിസ്ഥാനമാക്കി പേയ്മെന്റ് പിരീഡ്
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},{0} വേണ്ടി കറൻസി എക്സ്ചേഞ്ച് നിരക്കുകൾ കാണാതായ
@@ -3083,7 +3105,7 @@
DocType: Vehicle,Insurance Details,ഇൻഷുറൻസ് വിശദാംശങ്ങൾ
DocType: Account,Payable,അടയ്ക്കേണ്ട
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,ദയവായി തിരിച്ചടവ് ഭരണവും നൽകുക
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),കടക്കാർ ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),കടക്കാർ ({0})
DocType: Pricing Rule,Margin,മാർജിൻ
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,പുതിയ ഉപഭോക്താക്കളെ
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,മൊത്തം ലാഭം %
@@ -3094,16 +3116,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,പാർട്ടി നിർബന്ധമായും
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,വിഷയം പേര്
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,കച്ചവടവും അല്ലെങ്കിൽ വാങ്ങുന്നതിനു കുറഞ്ഞത് ഒരു തിരഞ്ഞെടുത്ത വേണം
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,നിങ്ങളുടെ ബിസിനസ്സ് സ്വഭാവം തിരഞ്ഞെടുക്കുക.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,കച്ചവടവും അല്ലെങ്കിൽ വാങ്ങുന്നതിനു കുറഞ്ഞത് ഒരു തിരഞ്ഞെടുത്ത വേണം
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,നിങ്ങളുടെ ബിസിനസ്സ് സ്വഭാവം തിരഞ്ഞെടുക്കുക.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},വരി # {0}: അവലംബം {1} {2} ൽ ഡ്യൂപ്ളിക്കേറ്റ്എന്ട്രി
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,എവിടെ നിർമാണ ഓപ്പറേഷനുകൾ നടപ്പിലാക്കുന്നത്.
DocType: Asset Movement,Source Warehouse,ഉറവിട വെയർഹൗസ്
DocType: Installation Note,Installation Date,ഇന്സ്റ്റലേഷന് തീയതി
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},വരി # {0}: അസറ്റ് {1} കമ്പനി ഭാഗമല്ല {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},വരി # {0}: അസറ്റ് {1} കമ്പനി ഭാഗമല്ല {2}
DocType: Employee,Confirmation Date,സ്ഥിരീകരണം തീയതി
DocType: C-Form,Total Invoiced Amount,ആകെ Invoiced തുക
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,കുറഞ്ഞത് Qty മാക്സ് Qty വലുതായിരിക്കും കഴിയില്ല
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,കുറഞ്ഞത് Qty മാക്സ് Qty വലുതായിരിക്കും കഴിയില്ല
DocType: Account,Accumulated Depreciation,മൊത്ത വിലയിടിവ്
DocType: Stock Entry,Customer or Supplier Details,കസ്റ്റമർ അല്ലെങ്കിൽ വിതരണക്കാരൻ വിവരങ്ങൾ
DocType: Employee Loan Application,Required by Date,തീയതി പ്രകാരം ആവശ്യമാണ്
@@ -3124,22 +3146,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,പ്രതിമാസ വിതരണ ശതമാനം
DocType: Territory,Territory Targets,ടെറിറ്ററി ടാർഗെറ്റ്
DocType: Delivery Note,Transporter Info,ട്രാൻസ്പോർട്ടർ വിവരം
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},കമ്പനി {1} ൽ സ്ഥിര {0} സജ്ജമാക്കുക
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},കമ്പനി {1} ൽ സ്ഥിര {0} സജ്ജമാക്കുക
DocType: Cheque Print Template,Starting position from top edge,ആരംഭിക്കുന്നു മുകളിൽ അരികിൽ നിന്നും സ്ഥാനം
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,ഒരേ വിതരണക്കമ്പനിയായ ഒന്നിലധികം തവണ നൽകിയിട്ടുണ്ടെന്നും
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,മൊത്തം ലാഭം / നഷ്ടം
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,വാങ്ങൽ ഓർഡർ ഇനം നൽകിയത്
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,കമ്പനിയുടെ പേര് കമ്പനി ആകാൻ പാടില്ല
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,കമ്പനിയുടെ പേര് കമ്പനി ആകാൻ പാടില്ല
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,പ്രിന്റ് ടെംപ്ലേറ്റുകൾക്കായി കത്ത് മേധാവികൾ.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,പ്രിന്റ് ടെംപ്ലേറ്റുകൾക്കായി ശീര്ഷകം ഇൻവോയ്സിന്റെ ഉദാഹരണമാണ്.
DocType: Student Guardian,Student Guardian,സ്റ്റുഡന്റ് ഗാർഡിയൻ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,മൂലധനം തരം ചാർജ് സഹായകം ആയി അടയാളപ്പെടുത്തി കഴിയില്ല
DocType: POS Profile,Update Stock,സ്റ്റോക്ക് അപ്ഡേറ്റ്
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,വിതരണക്കാരൻ> വിതരണക്കാരൻ തരം
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,ഇനങ്ങളുടെ വ്യത്യസ്ത UOM തെറ്റായ (ആകെ) മൊത്തം ഭാരം മൂല്യം നയിക്കും. ഓരോ ഇനത്തിന്റെ മൊത്തം ഭാരം ഇതേ UOM ഉണ്ടു എന്ന് ഉറപ്പു വരുത്തുക.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM റേറ്റ്
DocType: Asset,Journal Entry for Scrap,സ്ക്രാപ്പ് ജേണൽ എൻട്രി
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,ഡെലിവറി നോട്ട് നിന്നുള്ള ഇനങ്ങൾ pull ദയവായി
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,എൻട്രികൾ {0} അൺ-ലിങ്ക്ഡ് ചെയ്യുന്നു
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,എൻട്രികൾ {0} അൺ-ലിങ്ക്ഡ് ചെയ്യുന്നു
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","തരം ഇമെയിൽ എല്ലാ ആശയവിനിമയ റെക്കോർഡ്, ഫോൺ, ചാറ്റ്, സന്ദർശനം തുടങ്ങിയവ"
DocType: Manufacturer,Manufacturers used in Items,ഇനങ്ങൾ ഉപയോഗിക്കുന്ന മാനുഫാക്ചറേഴ്സ്
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,കമ്പനിയിൽ റൌണ്ട് ഓഫാക്കുക സൂചിപ്പിക്കുക കോസ്റ്റ് കേന്ദ്രം
@@ -3188,34 +3211,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,വിതരണക്കമ്പനിയായ ഉപയോക്താക്കൾക്കായി വിടുവിക്കുന്നു
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ഫോം / ഇനം / {0}) സ്റ്റോക്കില്ല
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,അടുത്ത തീയതി തീയതി നോട്സ് വലുതായിരിക്കണം
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,കാണിക്കുക നികുതി ബ്രേക്ക്-അപ്പ്
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},ഇക്കാരണങ്ങൾ / പരാമർശം തീയതി {0} ശേഷം ആകാൻ പാടില്ല
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,കാണിക്കുക നികുതി ബ്രേക്ക്-അപ്പ്
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},ഇക്കാരണങ്ങൾ / പരാമർശം തീയതി {0} ശേഷം ആകാൻ പാടില്ല
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,ഡാറ്റാ ഇറക്കുമതി എക്സ്പോർട്ട്
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","ഓഹരി എൻട്രികൾ, വെയർഹൗസ് {0} നേരെ നിലവിലില്ല ഇവിടെനിന്നു നിങ്ങൾ വീണ്ടും നിയോഗിക്കുകയോ അല്ലെങ്കിൽ പരിഷ്കരിക്കുന്നതിനായി"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,ഇല്ല വിദ്യാർത്ഥികൾ കണ്ടെത്തിയില്ല
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,ഇല്ല വിദ്യാർത്ഥികൾ കണ്ടെത്തിയില്ല
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,ഇൻവോയിസ് പ്രസിദ്ധീകരിക്കൽ തീയതി
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,വിൽക്കുക
DocType: Sales Invoice,Rounded Total,വൃത്തത്തിലുള്ള ആകെ
DocType: Product Bundle,List items that form the package.,പാക്കേജ് രൂപീകരിക്കുന്നു ഇനങ്ങൾ കാണിയ്ക്കുക.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,ശതമാന അലോക്കേഷൻ 100% തുല്യമോ വേണം
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,പാർട്ടി തിരഞ്ഞെടുക്കുന്നതിന് മുമ്പ് പോസ്റ്റിംഗ് തീയതി തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,പാർട്ടി തിരഞ്ഞെടുക്കുന്നതിന് മുമ്പ് പോസ്റ്റിംഗ് തീയതി തിരഞ്ഞെടുക്കുക
DocType: Program Enrollment,School House,സ്കൂൾ ഹൗസ്
DocType: Serial No,Out of AMC,എഎംസി പുറത്താണ്
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,ഉദ്ധരണികൾ തിരഞ്ഞെടുക്കുക
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,ഉദ്ധരണികൾ തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,ഉദ്ധരണികൾ തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,ഉദ്ധരണികൾ തിരഞ്ഞെടുക്കുക
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,ബുക്കുചെയ്തു Depreciations എണ്ണം Depreciations മൊത്തം എണ്ണം വലുതായിരിക്കും കഴിയില്ല
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,മെയിൻറനൻസ് സന്ദർശനം നിർമ്മിക്കുക
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,സെയിൽസ് മാസ്റ്റർ മാനേജർ {0} പങ്കുണ്ട് ആർ ഉപയോക്താവിന് ബന്ധപ്പെടുക
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,സെയിൽസ് മാസ്റ്റർ മാനേജർ {0} പങ്കുണ്ട് ആർ ഉപയോക്താവിന് ബന്ധപ്പെടുക
DocType: Company,Default Cash Account,സ്ഥിരസ്ഥിതി ക്യാഷ് അക്കൗണ്ട്
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,കമ്പനി (അല്ല കസ്റ്റമർ അല്ലെങ്കിൽ വിതരണക്കാരൻ) മാസ്റ്റർ.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,ഇത് ഈ വിദ്യാർത്ഥി ഹാജർ അടിസ്ഥാനമാക്കിയുള്ളതാണ്
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,ഇല്ല വിദ്യാർത്ഥികൾ
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,ഇല്ല വിദ്യാർത്ഥികൾ
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,കൂടുതൽ ഇനങ്ങൾ അല്ലെങ്കിൽ തുറക്കാറുണ്ട് ഫോം ചേർക്കുക
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date','പ്രതീക്ഷിച്ച ഡെലിവറി തീയതി' നൽകുക
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ഡെലിവറി കുറിപ്പുകൾ {0} ഈ സെയിൽസ് ഓർഡർ റദ്ദാക്കുന്നതിൽ മുമ്പ് റദ്ദാക്കി വേണം
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,തുക + തുക ആകെ മൊത്തം വലുതായിരിക്കും കഴിയില്ല ഓഫാക്കുക എഴുതുക
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,തുക + തുക ആകെ മൊത്തം വലുതായിരിക്കും കഴിയില്ല ഓഫാക്കുക എഴുതുക
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ഇനം {1} ഒരു സാധുവായ ബാച്ച് നമ്പർ അല്ല
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},കുറിപ്പ്: വേണ്ടത്ര ലീവ് ബാലൻസ് അനുവാദ ടൈപ്പ് {0} വേണ്ടി ഇല്ല
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,അസാധുവായ ഗ്സ്തിന് അല്ലെങ്കിൽ രജിസ്റ്റർ വേണ്ടി ബാധകമല്ല നൽകുക
DocType: Training Event,Seminar,സെമിനാര്
DocType: Program Enrollment Fee,Program Enrollment Fee,പ്രോഗ്രാം എൻറോൾമെന്റ് ഫീസ്
DocType: Item,Supplier Items,വിതരണക്കാരൻ ഇനങ്ങൾ
@@ -3241,28 +3264,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,ഇനം 3
DocType: Purchase Order,Customer Contact Email,കസ്റ്റമർ കോൺടാക്റ്റ് ഇമെയിൽ
DocType: Warranty Claim,Item and Warranty Details,ഇനം വാറണ്ടിയുടെയും വിശദാംശങ്ങൾ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,ഇനം കോഡ്> ഇനം ഗ്രൂപ്പ്> ബ്രാൻഡ്
DocType: Sales Team,Contribution (%),കോൺട്രിബ്യൂഷൻ (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,കുറിപ്പ്: 'ക്യാഷ് അല്ലെങ്കിൽ ബാങ്ക് അക്കൗണ്ട്' വ്യക്തമാക്കിയില്ല മുതലുള്ള പേയ്മെന്റ് എൻട്രി സൃഷ്ടിച്ച ചെയ്യില്ല
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,നിർബന്ധിത കോഴ്സുകൾ ലഭ്യമാക്കാൻ പ്രോഗ്രാം തിരഞ്ഞെടുക്കുക.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,നിർബന്ധിത കോഴ്സുകൾ ലഭ്യമാക്കാൻ പ്രോഗ്രാം തിരഞ്ഞെടുക്കുക.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,ഉത്തരവാദിത്വങ്ങൾ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,ഉത്തരവാദിത്വങ്ങൾ
DocType: Expense Claim Account,Expense Claim Account,ചിലവേറിയ ക്ലെയിം അക്കൗണ്ട്
DocType: Sales Person,Sales Person Name,സെയിൽസ് വ്യക്തി നാമം
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,പട്ടികയിലെ കുറയാതെ 1 ഇൻവോയ്സ് നൽകുക
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,ഉപയോക്താക്കൾ ചേർക്കുക
DocType: POS Item Group,Item Group,ഇനം ഗ്രൂപ്പ്
DocType: Item,Safety Stock,സുരക്ഷാ സ്റ്റോക്ക്
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,ടാസ്കിനുള്ള പുരോഗതി% 100 ലധികം പാടില്ല.
DocType: Stock Reconciliation Item,Before reconciliation,"നിരപ്പു മുമ്പ്,"
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0} ചെയ്യുക
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),ചേർത്തു നികുതി ചാർജുകളും (കമ്പനി കറൻസി)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ഇനം നികുതി റോ {0} ടൈപ്പ് നികുതി അഥവാ ആദായ അല്ലെങ്കിൽ ചിലവേറിയ അല്ലെങ്കിൽ ഈടാക്കുന്നതല്ല എന്ന അക്കൗണ്ട് ഉണ്ടായിരിക്കണം
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,ഇനം നികുതി റോ {0} ടൈപ്പ് നികുതി അഥവാ ആദായ അല്ലെങ്കിൽ ചിലവേറിയ അല്ലെങ്കിൽ ഈടാക്കുന്നതല്ല എന്ന അക്കൗണ്ട് ഉണ്ടായിരിക്കണം
DocType: Sales Order,Partly Billed,ഭാഗികമായി ഈടാക്കൂ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,ഇനം {0} ഒരു നിശ്ചിത അസറ്റ് ഇനം ആയിരിക്കണം
DocType: Item,Default BOM,സ്വതേ BOM ലേക്ക്
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,സ്ഥിരീകരിക്കാൻ കമ്പനിയുടെ പേര്-തരം റീ ദയവായി
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,മൊത്തം ശാരീരിക
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,ഡെബിറ്റ് നോട്ട് തുക
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,സ്ഥിരീകരിക്കാൻ കമ്പനിയുടെ പേര്-തരം റീ ദയവായി
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,മൊത്തം ശാരീരിക
DocType: Journal Entry,Printing Settings,അച്ചടി ക്രമീകരണങ്ങൾ
DocType: Sales Invoice,Include Payment (POS),പെയ്മെന്റ് (POS) ഉൾപ്പെടുത്തുക
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},ആകെ ഡെബിറ്റ് ആകെ ക്രെഡിറ്റ് സമാനമോ ആയിരിക്കണം. വ്യത്യാസം {0} ആണ്
@@ -3276,16 +3296,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,സ്റ്റോക്കുണ്ട്:
DocType: Notification Control,Custom Message,കസ്റ്റം സന്ദേശം
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,നിക്ഷേപ ബാങ്കിംഗ്
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,ക്യാഷ് അല്ലെങ്കിൽ ബാങ്ക് അക്കൗണ്ട് പേയ്മെന്റ് എൻട്രി നടത്തുന്നതിനുള്ള നിർബന്ധമായും
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,വിദ്യാർത്ഥിയുടെ വിലാസം
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,വിദ്യാർത്ഥിയുടെ വിലാസം
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,ക്യാഷ് അല്ലെങ്കിൽ ബാങ്ക് അക്കൗണ്ട് പേയ്മെന്റ് എൻട്രി നടത്തുന്നതിനുള്ള നിർബന്ധമായും
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,ദയവായി സജ്ജീകരണം> നമ്പറിംഗ് സീരീസ് വഴി ഹാജർ വിവരത്തിനു നമ്പറിംഗ് പരമ്പര
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,വിദ്യാർത്ഥിയുടെ വിലാസം
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,വിദ്യാർത്ഥിയുടെ വിലാസം
DocType: Purchase Invoice,Price List Exchange Rate,വില പട്ടിക എക്സ്ചേഞ്ച് റേറ്റ്
DocType: Purchase Invoice Item,Rate,റേറ്റ്
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,തടവുകാരി
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,വിലാസം പേര്
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,തടവുകാരി
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,വിലാസം പേര്
DocType: Stock Entry,From BOM,BOM നിന്നും
DocType: Assessment Code,Assessment Code,അസസ്മെന്റ് കോഡ്
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,അടിസ്ഥാന
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,അടിസ്ഥാന
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,{0} ഫ്രീസുചെയ്തിരിക്കുമ്പോൾ സ്റ്റോക്ക് ഇടപാടുകൾ മുമ്പ്
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule','ജനറേറ്റുചെയ്യൂ ഷെഡ്യൂൾ' ക്ലിക്ക് ചെയ്യുക ദയവായി
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","ഉദാ കിലോ, യൂണിറ്റ്, ഒഴിവ്, മീറ്റർ"
@@ -3295,11 +3316,11 @@
DocType: Salary Slip,Salary Structure,ശമ്പളം ഘടന
DocType: Account,Bank,ബാങ്ക്
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,എയർ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,പ്രശ്നം മെറ്റീരിയൽ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,പ്രശ്നം മെറ്റീരിയൽ
DocType: Material Request Item,For Warehouse,വെയർഹൗസ് വേണ്ടി
DocType: Employee,Offer Date,ആഫര് തീയതി
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,ഉദ്ധരണികളും
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,നിങ്ങൾ ഓഫ്ലൈൻ മോഡിലാണ്. നിങ്ങൾ നെറ്റ്വർക്ക് ഞങ്ങൾക്കുണ്ട് വരെ ലോഡുചെയ്യണോ കഴിയില്ല.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,നിങ്ങൾ ഓഫ്ലൈൻ മോഡിലാണ്. നിങ്ങൾ നെറ്റ്വർക്ക് ഞങ്ങൾക്കുണ്ട് വരെ ലോഡുചെയ്യണോ കഴിയില്ല.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,ഇല്ല സ്റ്റുഡന്റ് ഗ്രൂപ്പുകൾ സൃഷ്ടിച്ചു.
DocType: Purchase Invoice Item,Serial No,സീരിയൽ ഇല്ല
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,പ്രതിമാസ തിരിച്ചടവ് തുക വായ്പാ തുക ശ്രേഷ്ഠ പാടില്ല
@@ -3307,8 +3328,8 @@
DocType: Purchase Invoice,Print Language,പ്രിന്റ് ഭാഷ
DocType: Salary Slip,Total Working Hours,ആകെ ജോലി മണിക്കൂർ
DocType: Stock Entry,Including items for sub assemblies,സബ് സമ്മേളനങ്ങൾ ഇനങ്ങൾ ഉൾപ്പെടെ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,നൽകുക മൂല്യം പോസിറ്റീവ് ആയിരിക്കണം
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,എല്ലാ പ്രദേശങ്ങളും
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,നൽകുക മൂല്യം പോസിറ്റീവ് ആയിരിക്കണം
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,എല്ലാ പ്രദേശങ്ങളും
DocType: Purchase Invoice,Items,ഇനങ്ങൾ
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,വിദ്യാർത്ഥി ഇതിനകം എൻറോൾ ചെയ്തു.
DocType: Fiscal Year,Year Name,വർഷം പേര്
@@ -3327,10 +3348,10 @@
DocType: Issue,Opening Time,സമയം തുറക്കുന്നു
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,നിന്ന് ആവശ്യമായ തീയതികൾ ചെയ്യുക
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,സെക്യൂരിറ്റീസ് & ചരക്ക് കൈമാറ്റ
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',മോഡലിന് അളവു യൂണിറ്റ് '{0}' ഫലകം അതേ ആയിരിക്കണം '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',മോഡലിന് അളവു യൂണിറ്റ് '{0}' ഫലകം അതേ ആയിരിക്കണം '{1}'
DocType: Shipping Rule,Calculate Based On,അടിസ്ഥാനത്തിൽ ഓൺ കണക്കുകൂട്ടുക
DocType: Delivery Note Item,From Warehouse,വെയർഹൗസിൽ നിന്ന്
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,നിർമ്മിക്കാനുള്ള വസ്തുക്കളുടെ ബിൽ കൂടിയ ഇനങ്ങൾ ഇല്ല
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,നിർമ്മിക്കാനുള്ള വസ്തുക്കളുടെ ബിൽ കൂടിയ ഇനങ്ങൾ ഇല്ല
DocType: Assessment Plan,Supervisor Name,സൂപ്പർവൈസർ പേര്
DocType: Program Enrollment Course,Program Enrollment Course,പ്രോഗ്രാം എൻറോൾമെന്റ് കോഴ്സ്
DocType: Program Enrollment Course,Program Enrollment Course,പ്രോഗ്രാം എൻറോൾമെന്റ് കോഴ്സ്
@@ -3346,18 +3367,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"വലിയവനോ പൂജ്യത്തിന് സമാനമോ ആയിരിക്കണം 'കഴിഞ്ഞ ഓർഡർ മുതൽ, ഡെയ്സ്'"
DocType: Process Payroll,Payroll Frequency,ശമ്പളപ്പട്ടിക ഫ്രീക്വൻസി
DocType: Asset,Amended From,നിന്ന് ഭേദഗതി
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,അസംസ്കൃത വസ്തു
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,അസംസ്കൃത വസ്തു
DocType: Leave Application,Follow via Email,ഇമെയിൽ വഴി പിന്തുടരുക
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,"സസ്യങ്ങൾ, യന്ത്രസാമഗ്രികളും"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,"സസ്യങ്ങൾ, യന്ത്രസാമഗ്രികളും"
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,ഡിസ്കൗണ്ട് തുക ശേഷം നികുതിയും
DocType: Daily Work Summary Settings,Daily Work Summary Settings,നിത്യജീവിതത്തിലെ ഔദ്യോഗിക ചുരുക്കം ക്രമീകരണങ്ങൾ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},വില ലിസ്റ്റിന്റെ കറന്സി {0} അല്ല {1} തിരഞ്ഞെടുത്തു കറൻസി ഉപയോഗിച്ച് സമാനമാണ്
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},വില ലിസ്റ്റിന്റെ കറന്സി {0} അല്ല {1} തിരഞ്ഞെടുത്തു കറൻസി ഉപയോഗിച്ച് സമാനമാണ്
DocType: Payment Entry,Internal Transfer,ആന്തരിക ട്രാൻസ്ഫർ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,ശിശു അക്കൌണ്ട് ഈ അക്കൗണ്ടിന് നിലവിലുണ്ട്. നിങ്ങൾ ഈ അക്കൗണ്ട് ഇല്ലാതാക്കാൻ കഴിയില്ല.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,ശിശു അക്കൌണ്ട് ഈ അക്കൗണ്ടിന് നിലവിലുണ്ട്. നിങ്ങൾ ഈ അക്കൗണ്ട് ഇല്ലാതാക്കാൻ കഴിയില്ല.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ലക്ഷ്യം qty അല്ലെങ്കിൽ ലക്ഷ്യം തുക ഒന്നുകിൽ നിർബന്ധമായും
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},BOM ലേക്ക് ഇനം {0} വേണ്ടി നിലവിലുണ്ട് സഹജമായ
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},BOM ലേക്ക് ഇനം {0} വേണ്ടി നിലവിലുണ്ട് സഹജമായ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,പോസ്റ്റിംഗ് തീയതി ആദ്യം തിരഞ്ഞെടുക്കുക
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,തീയതി തുറക്കുന്നു തീയതി അടയ്ക്കുന്നത് മുമ്പ് ആയിരിക്കണം
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,സജ്ജീകരണം> ക്രമീകരണങ്ങൾ> നാമകരണം സീരീസ് വഴി {0} സീരീസ് പേര് സജ്ജീകരിക്കുക
DocType: Leave Control Panel,Carry Forward,മുന്നോട്ട് കൊണ്ടുപോകും
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,നിലവിലുള്ള ഇടപാടുകൾ ചെലവ് കേന്ദ്രം ലെഡ്ജർ പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല
DocType: Department,Days for which Holidays are blocked for this department.,അവധിദിനങ്ങൾ ഈ വകുപ്പിന്റെ വേണ്ടി തടഞ്ഞ ചെയ്തിട്ടുളള ദിനങ്ങൾ.
@@ -3367,11 +3389,10 @@
DocType: Issue,Raised By (Email),(ഇമെയിൽ) ഉന്നയിച്ച
DocType: Training Event,Trainer Name,പരിശീലകൻ പേര്
DocType: Mode of Payment,General,ജനറൽ
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,ലെറ്റർ അറ്റാച്ച്
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,അവസാനം കമ്യൂണിക്കേഷൻ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,അവസാനം കമ്യൂണിക്കേഷൻ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"വിഭാഗം 'മൂലധനം' അഥവാ 'മൂലധനം, മൊത്ത' വേണ്ടി എപ്പോൾ കുറയ്ക്കാവുന്നതാണ് ചെയ്യാൻ കഴിയില്ല"
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","നിങ്ങളുടെ നികുതി തലകൾ ലിസ്റ്റുചെയ്യുക (ഉദാ വാറ്റ്, കസ്റ്റംസ് തുടങ്ങിയവ; അവർ സമാനതകളില്ലാത്ത പേരുകള് വേണം) അവരുടെ സ്റ്റാൻഡേർഡ് നിരക്കുകൾ. ഇത് നിങ്ങൾ തിരുത്തി കൂടുതൽ പിന്നീട് ചേർക്കാൻ കഴിയുന്ന ഒരു സാധാരണ ടെംപ്ലേറ്റ്, സൃഷ്ടിക്കും."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","നിങ്ങളുടെ നികുതി തലകൾ ലിസ്റ്റുചെയ്യുക (ഉദാ വാറ്റ്, കസ്റ്റംസ് തുടങ്ങിയവ; അവർ സമാനതകളില്ലാത്ത പേരുകള് വേണം) അവരുടെ സ്റ്റാൻഡേർഡ് നിരക്കുകൾ. ഇത് നിങ്ങൾ തിരുത്തി കൂടുതൽ പിന്നീട് ചേർക്കാൻ കഴിയുന്ന ഒരു സാധാരണ ടെംപ്ലേറ്റ്, സൃഷ്ടിക്കും."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},സീരിയൽ ഇനം {0} വേണ്ടി സീരിയൽ ഒഴിവ് ആവശ്യമുണ്ട്
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,ഇൻവോയിസുകൾ കളിയിൽ പേയ്മെന്റുകൾ
DocType: Journal Entry,Bank Entry,ബാങ്ക് എൻട്രി
@@ -3380,16 +3401,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,കാർട്ടിലേക്ക് ചേർക്കുക
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,ഗ്രൂപ്പ്
DocType: Guardian,Interests,താൽപ്പര്യങ്ങൾ
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,പ്രാപ്തമാക്കുക / കറൻസിയുടെ അപ്രാപ്തമാക്കാൻ.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,പ്രാപ്തമാക്കുക / കറൻസിയുടെ അപ്രാപ്തമാക്കാൻ.
DocType: Production Planning Tool,Get Material Request,മെറ്റീരിയൽ അഭ്യർത്ഥന നേടുക
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,തപാൽ ചെലവുകൾ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,തപാൽ ചെലവുകൾ
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),ആകെ (ശാരീരിക)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,വിനോദം & ഒഴിവുസമയ
DocType: Quality Inspection,Item Serial No,ഇനം സീരിയൽ പോസ്റ്റ്
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,ജീവനക്കാരുടെ റെക്കോർഡ്സ് സൃഷ്ടിക്കുക
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,ആകെ നിലവിലുള്ളജാലകങ്ങള്
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,അക്കൗണ്ടിംഗ് പ്രസ്താവനകൾ
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,അന്ത്യസമയം
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,അന്ത്യസമയം
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,പുതിയ സീരിയൽ പാണ്ടികശാലയും പാടില്ല. വെയർഹൗസ് ഓഹരി എൻട്രി വാങ്ങാനും റെസീപ്റ്റ് സജ്ജമാക്കി വേണം
DocType: Lead,Lead Type,ലീഡ് തരം
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,നിങ്ങൾ തടയുക തീയതികളിൽ ഇല അംഗീകരിക്കാൻ അംഗീകാരമില്ല
@@ -3401,6 +3422,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,പകരക്കാരനെ ശേഷം പുതിയ BOM
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,വിൽപ്പന പോയിന്റ്
DocType: Payment Entry,Received Amount,ലഭിച്ച തുകയുടെ
+DocType: GST Settings,GSTIN Email Sent On,ഗ്സ്തിന് ഇമെയിൽ അയച്ചു
+DocType: Program Enrollment,Pick/Drop by Guardian,രക്ഷിതാവോ / ഡ്രോപ്പ് തിരഞ്ഞെടുക്കുക
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order",", പൂർണ്ണ അളവ് വേണ്ടി സൃഷ്ടിക്കുക ഓർഡർ ഇതിനകം അളവ് അവഗണിക്കുന്നതിൽ"
DocType: Account,Tax,നികുതി
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,അടയാളപ്പെടുത്തി
@@ -3414,7 +3437,7 @@
DocType: Batch,Source Document Name,ഉറവിട പ്രമാണം പേര്
DocType: Job Opening,Job Title,തൊഴില് പേര്
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,ഉപയോക്താക്കളെ സൃഷ്ടിക്കുക
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,പയറ്
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,പയറ്
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,നിർമ്മിക്കാനുള്ള ക്വാണ്ടിറ്റി 0 വലുതായിരിക്കണം.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,അറ്റകുറ്റപ്പണി കോൾ വേണ്ടി റിപ്പോർട്ട് സന്ദർശിക്കുക.
DocType: Stock Entry,Update Rate and Availability,റേറ്റ് ലഭ്യത അപ്ഡേറ്റ്
@@ -3422,7 +3445,7 @@
DocType: POS Customer Group,Customer Group,കസ്റ്റമർ ഗ്രൂപ്പ്
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),പുതിയ ബാച്ച് ഐഡി (ഓപ്ഷണൽ)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),പുതിയ ബാച്ച് ഐഡി (ഓപ്ഷണൽ)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},ചിലവേറിയ ഇനത്തിന്റെ {0} നിര്ബന്ധമാണ്
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},ചിലവേറിയ ഇനത്തിന്റെ {0} നിര്ബന്ധമാണ്
DocType: BOM,Website Description,വെബ്സൈറ്റ് വിവരണം
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,ഇക്വിറ്റി ലെ മൊത്തം മാറ്റം
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,വാങ്ങൽ ഇൻവോയ്സ് {0} ആദ്യം റദ്ദാക്കുകയോ ചെയ്യുക
@@ -3432,8 +3455,8 @@
,Sales Register,സെയിൽസ് രജിസ്റ്റർ
DocType: Daily Work Summary Settings Company,Send Emails At,ഇമെയിലുകൾ അയയ്ക്കുക
DocType: Quotation,Quotation Lost Reason,ക്വട്ടേഷൻ ലോസ്റ്റ് കാരണം
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,നിങ്ങളുടെ ഡൊമെയ്ൻ തിരഞ്ഞെടുക്കുക
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},ഇടപാട് യാതൊരു പരാമർശവുമില്ല {0} dated {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,നിങ്ങളുടെ ഡൊമെയ്ൻ തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},ഇടപാട് യാതൊരു പരാമർശവുമില്ല {0} dated {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,തിരുത്തിയെഴുതുന്നത് ഒന്നുമില്ല.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,ഈ മാസത്തെ ചുരുക്കം തിർച്ചപ്പെടുത്താത്ത പ്രവർത്തനങ്ങൾ
DocType: Customer Group,Customer Group Name,കസ്റ്റമർ ഗ്രൂപ്പ് പേര്
@@ -3441,14 +3464,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,ക്യാഷ് ഫ്ളോ പ്രസ്താവന
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},വായ്പാ തുക {0} പരമാവധി വായ്പാ തുക കവിയാൻ പാടില്ല
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,അനുമതി
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},സി-ഫോം {1} നിന്നും ഈ ഇൻവോയിസ് {0} നീക്കം ദയവായി
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},സി-ഫോം {1} നിന്നും ഈ ഇൻവോയിസ് {0} നീക്കം ദയവായി
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,നിങ്ങൾക്ക് മുൻ സാമ്പത്തിക വർഷത്തെ ബാലൻസ് ഈ സാമ്പത്തിക വർഷം വിട്ടുതരുന്നു ഉൾപ്പെടുത്താൻ ആഗ്രഹിക്കുന്നുവെങ്കിൽ മുന്നോട്ട് തിരഞ്ഞെടുക്കുക
DocType: GL Entry,Against Voucher Type,വൗച്ചർ തരം എഗെൻസ്റ്റ്
DocType: Item,Attributes,വിശേഷണങ്ങൾ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,അക്കൗണ്ട് ഓഫാക്കുക എഴുതുക നൽകുക
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,അക്കൗണ്ട് ഓഫാക്കുക എഴുതുക നൽകുക
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,അവസാന ഓർഡർ തീയതി
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},അക്കൗണ്ട് {0} കമ്പനി {1} വകയാണ് ഇല്ല
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,തുടർച്ചയായ സീരിയൽ നമ്പറുകൾ {0} ഡെലിവറി നോട്ട് ഉപയോഗിച്ച് പൊരുത്തപ്പെടുന്നില്ല
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,തുടർച്ചയായ സീരിയൽ നമ്പറുകൾ {0} ഡെലിവറി നോട്ട് ഉപയോഗിച്ച് പൊരുത്തപ്പെടുന്നില്ല
DocType: Student,Guardian Details,ഗാർഡിയൻ വിവരങ്ങൾ
DocType: C-Form,C-Form,സി-ഫോം
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,ഒന്നിലധികം ജീവനക്കാരുടെ അടയാളപ്പെടുത്തുക ഹാജർ
@@ -3463,16 +3486,16 @@
DocType: Budget Account,Budget Amount,ബജറ്റ് തുക
DocType: Appraisal Template,Appraisal Template Title,അപ്രൈസൽ ഫലകം ശീർഷകം
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},തീയതി മുതൽ {0} ജീവനക്കാർക്ക് {1} ജീവനക്കാരന്റെ ചേരുന്നത് ദിവസവും {2} ആകരുത്
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,ആവശ്യത്തിന്
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,ആവശ്യത്തിന്
DocType: Payment Entry,Account Paid To,അക്കൗണ്ടിലേക്ക് പണമടച്ചു
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,പാരന്റ് ഇനം {0} ഒരു സ്റ്റോക്ക് ഇനം പാടില്ല
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,എല്ലാ ഉല്പന്നങ്ങൾ അല്ലെങ്കിൽ സേവനങ്ങൾ.
DocType: Expense Claim,More Details,കൂടുതൽ വിശദാംശങ്ങൾ
DocType: Supplier Quotation,Supplier Address,വിതരണക്കാരൻ വിലാസം
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} അക്കൗണ്ട് ബജറ്റ് {1} {2} {3} നേരെ {4} ആണ്. ഇത് {5} വഴി കവിയുമെന്നും
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset','നിശ്ചിത അസറ്റ്' വരിയുടെ {0} # അക്കൗണ്ട് തരം ആയിരിക്കണം
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Qty ഔട്ട്
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,ഒരു വില്പനയ്ക്ക് ഷിപ്പിംഗ് തുക കണക്കുകൂട്ടാൻ നിയമങ്ങൾ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset','നിശ്ചിത അസറ്റ്' വരിയുടെ {0} # അക്കൗണ്ട് തരം ആയിരിക്കണം
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Qty ഔട്ട്
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,ഒരു വില്പനയ്ക്ക് ഷിപ്പിംഗ് തുക കണക്കുകൂട്ടാൻ നിയമങ്ങൾ
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,സീരീസ് നിർബന്ധമാണ്
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,സാമ്പത്തിക സേവനങ്ങൾ
DocType: Student Sibling,Student ID,സ്റ്റുഡന്റ് ഐഡി
@@ -3480,13 +3503,13 @@
DocType: Tax Rule,Sales,സെയിൽസ്
DocType: Stock Entry Detail,Basic Amount,അടിസ്ഥാന തുക
DocType: Training Event,Exam,പരീക്ഷ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},ഓഹരി ഇനം {0} ആവശ്യമുള്ളതിൽ വെയർഹൗസ്
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},ഓഹരി ഇനം {0} ആവശ്യമുള്ളതിൽ വെയർഹൗസ്
DocType: Leave Allocation,Unused leaves,ഉപയോഗിക്കപ്പെടാത്ത ഇല
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,കോടിയുടെ
DocType: Tax Rule,Billing State,ബില്ലിംഗ് സ്റ്റേറ്റ്
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,ട്രാൻസ്ഫർ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} പാർട്ടി അക്കൗണ്ട് {2} ബന്ധപ്പെടുത്തിയ ഇല്ല
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),(സബ്-സമ്മേളനങ്ങൾ ഉൾപ്പെടെ) പൊട്ടിത്തെറിക്കുന്ന BOM ലഭ്യമാക്കുക
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} പാർട്ടി അക്കൗണ്ട് {2} ബന്ധപ്പെടുത്തിയ ഇല്ല
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),(സബ്-സമ്മേളനങ്ങൾ ഉൾപ്പെടെ) പൊട്ടിത്തെറിക്കുന്ന BOM ലഭ്യമാക്കുക
DocType: Authorization Rule,Applicable To (Employee),(ജീവനക്കാർ) ബാധകമായ
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,അവസാന തീയതി നിർബന്ധമാണ്
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,ഗുണ {0} 0 ആകാൻ പാടില്ല വേണ്ടി വർദ്ധന
@@ -3514,7 +3537,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,അസംസ്കൃത വസ്തുക്കളുടെ ഇനം കോഡ്
DocType: Journal Entry,Write Off Based On,അടിസ്ഥാനത്തിൽ ന് എഴുതുക
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,ലീഡ് നിർമ്മിക്കുക
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,അച്ചടിച്ച് സ്റ്റേഷനറി
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,അച്ചടിച്ച് സ്റ്റേഷനറി
DocType: Stock Settings,Show Barcode Field,കാണിക്കുക ബാർകോഡ് ഫീൽഡ്
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,വിതരണക്കാരൻ ഇമെയിലുകൾ അയയ്ക്കുക
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","ശമ്പള ഇതിനകം തമ്മിലുള്ള {0} കാലയളവിൽ പ്രോസസ്സ് {1}, അപ്ലിക്കേഷൻ കാലയളവിൽ വിടുക ഈ തീയതി പരിധിയിൽ തമ്മിലുള്ള പാടില്ല."
@@ -3522,14 +3545,16 @@
DocType: Guardian Interest,Guardian Interest,ഗാർഡിയൻ പലിശ
apps/erpnext/erpnext/config/hr.py +177,Training,പരിശീലനം
DocType: Timesheet,Employee Detail,ജീവനക്കാരുടെ വിശദാംശം
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,ഗുഅര്ദിഅന്൧ ഇമെയിൽ ഐഡി
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,ഗുഅര്ദിഅന്൧ ഇമെയിൽ ഐഡി
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,ഗുഅര്ദിഅന്൧ ഇമെയിൽ ഐഡി
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,ഗുഅര്ദിഅന്൧ ഇമെയിൽ ഐഡി
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,മാസം അടുത്ത ദിവസം തിയതി ദിവസം ആവർത്തിക്കുക തുല്യമായിരിക്കണം
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,വെബ്സൈറ്റ് ഹോംപേജിൽ ക്രമീകരണങ്ങൾ
DocType: Offer Letter,Awaiting Response,കാത്തിരിക്കുന്നു പ്രതികരണത്തിന്റെ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,മുകളിൽ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,മുകളിൽ
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},അസാധുവായ ആട്രിബ്യൂട്ട് {0} {1}
DocType: Supplier,Mention if non-standard payable account,സ്റ്റാൻഡേർഡ് അല്ലാത്ത മാറാവുന്ന അക്കൗണ്ട് എങ്കിൽ പരാമർശിക്കുക
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},ഒരേ ഇനം ഒന്നിലധികം തവണ നൽകി. {പട്ടിക}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',ദയവായി 'എല്ലാ വിലയിരുത്തൽ ഗ്രൂപ്പുകൾ' പുറമെ വിലയിരുത്തൽ ഗ്രൂപ്പ് തിരഞ്ഞെടുക്കുക
DocType: Salary Slip,Earning & Deduction,സമ്പാദിക്കാനുള്ള & കിഴിച്ചുകൊണ്ടു
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,ഓപ്ഷണൽ. ഈ ക്രമീകരണം വിവിധ വ്യവഹാരങ്ങളിൽ ഫിൽട്ടർ ഉപയോഗിക്കും.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,നെഗറ്റീവ് മൂലധനം റേറ്റ് അനുവദനീയമല്ല
@@ -3543,9 +3568,9 @@
DocType: Sales Invoice,Product Bundle Help,ഉൽപ്പന്ന ബണ്ടിൽ സഹായം
,Monthly Attendance Sheet,പ്രതിമാസ ഹാജർ ഷീറ്റ്
DocType: Production Order Item,Production Order Item,പ്രൊഡക്ഷൻ ഓർഡർ ഇനം
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,റെക്കോർഡ് കണ്ടെത്തിയില്ല
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,റെക്കോർഡ് കണ്ടെത്തിയില്ല
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,എന്തുതോന്നുന്നു അസറ്റ് ചെലവ്
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: കോസ്റ്റ് കേന്ദ്രം ഇനം {2} നിര്ബന്ധമാണ്
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: കോസ്റ്റ് കേന്ദ്രം ഇനം {2} നിര്ബന്ധമാണ്
DocType: Vehicle,Policy No,നയം
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,ഉൽപ്പന്ന ബണ്ടിൽ നിന്നുള്ള ഇനങ്ങൾ നേടുക
DocType: Asset,Straight Line,വര
@@ -3554,7 +3579,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,രണ്ടായി പിരിയുക
DocType: GL Entry,Is Advance,മുൻകൂർ തന്നെയല്ലേ
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,തീയതി ആരംഭിക്കുന്ന തീയതിയും ഹാജർ നിന്ന് ഹാജർ നിർബന്ധമാണ്
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,നൽകുക അതെ അല്ലെങ്കിൽ അല്ല ആയി 'Subcontracted മാത്രമാവില്ലല്ലോ'
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,നൽകുക അതെ അല്ലെങ്കിൽ അല്ല ആയി 'Subcontracted മാത്രമാവില്ലല്ലോ'
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,അവസാനം കമ്യൂണിക്കേഷൻ തീയതി
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,അവസാനം കമ്യൂണിക്കേഷൻ തീയതി
DocType: Sales Team,Contact No.,കോൺടാക്റ്റ് നമ്പർ
@@ -3583,60 +3608,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,തുറക്കുന്നു മൂല്യം
DocType: Salary Detail,Formula,ഫോർമുല
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,സീരിയൽ #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,വിൽപ്പന കമ്മീഷൻ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,വിൽപ്പന കമ്മീഷൻ
DocType: Offer Letter Term,Value / Description,മൂല്യം / വിവരണം
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","വരി # {0}: അസറ്റ് {1} സമർപ്പിക്കാൻ കഴിയില്ല, അത് ഇതിനകം {2} ആണ്"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","വരി # {0}: അസറ്റ് {1} സമർപ്പിക്കാൻ കഴിയില്ല, അത് ഇതിനകം {2} ആണ്"
DocType: Tax Rule,Billing Country,ബില്ലിംഗ് രാജ്യം
DocType: Purchase Order Item,Expected Delivery Date,പ്രതീക്ഷിച്ച ഡെലിവറി തീയതി
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,"{0} # {1} തുല്യ അല്ല ഡെബിറ്റ്, ക്രെഡിറ്റ്. വ്യത്യാസം {2} ആണ്."
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,വിനോദം ചെലവുകൾ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,മെറ്റീരിയൽ അഭ്യർത്ഥന നടത്തുക
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,വിനോദം ചെലവുകൾ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,മെറ്റീരിയൽ അഭ്യർത്ഥന നടത്തുക
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},തുറക്കുക ഇനം {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,സെയിൽസ് ഇൻവോയിസ് {0} ഈ സെയിൽസ് ഓർഡർ റദ്ദാക്കുന്നതിൽ മുമ്പ് റദ്ദാക്കി വേണം
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,പ്രായം
DocType: Sales Invoice Timesheet,Billing Amount,ബില്ലിംഗ് തുക
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,ഐറ്റം {0} വ്യക്തമാക്കിയ അസാധുവായ അളവ്. ക്വാണ്ടിറ്റി 0 കൂടുതലായിരിക്കണം.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,ലീവ് അപേക്ഷകൾ.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,നിലവിലുള്ള ഇടപാട് ഉപയോഗിച്ച് അക്കൗണ്ട് ഇല്ലാതാക്കാൻ കഴിയില്ല
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,നിലവിലുള്ള ഇടപാട് ഉപയോഗിച്ച് അക്കൗണ്ട് ഇല്ലാതാക്കാൻ കഴിയില്ല
DocType: Vehicle,Last Carbon Check,അവസാനം കാർബൺ ചെക്ക്
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,നിയമ ചെലവുകൾ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,നിയമ ചെലവുകൾ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,വരിയിൽ അളവ് തിരഞ്ഞെടുക്കുക
DocType: Purchase Invoice,Posting Time,പോസ്റ്റിംഗ് സമയം
DocType: Timesheet,% Amount Billed,ഈടാക്കൂ% തുക
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,ടെലിഫോൺ ചെലവുകൾ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,ടെലിഫോൺ ചെലവുകൾ
DocType: Sales Partner,Logo,ലോഗോ
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,സംരക്ഷിക്കാതെ മുമ്പ് ഒരു പരമ്പര തിരഞ്ഞെടുക്കുന്നതിന് ഉപയോക്താവിനെ നിർബ്ബന്ധമായും ചെയ്യണമെങ്കിൽ ഇത് പരിശോധിക്കുക. നിങ്ങൾ ഈ പരിശോധിക്കുക ആരും സ്വതവേ അവിടെ ആയിരിക്കും.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},സീരിയൽ ഇല്ല {0} ഉപയോഗിച്ച് ഇല്ല ഇനം
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},സീരിയൽ ഇല്ല {0} ഉപയോഗിച്ച് ഇല്ല ഇനം
DocType: Email Digest,Open Notifications,ഓപ്പൺ അറിയിപ്പുകൾ
DocType: Payment Entry,Difference Amount (Company Currency),വ്യത്യാസം തുക (കമ്പനി കറൻസി)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,നേരിട്ടുള്ള ചെലവുകൾ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,നേരിട്ടുള്ള ചെലവുകൾ
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} 'അറിയിപ്പ് \ ഇമെയിൽ വിലാസം' അസാധുവായ ഇമെയിൽ വിലാസമാണ്
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,പുതിയ കസ്റ്റമർ റവന്യൂ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,യാത്രാ ചെലവ്
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,യാത്രാ ചെലവ്
DocType: Maintenance Visit,Breakdown,പ്രവർത്തന രഹിതം
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,അക്കൗണ്ട്: {0} കറൻസി കൂടെ: {1} തിരഞ്ഞെടുത്ത ചെയ്യാൻ കഴിയില്ല
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,അക്കൗണ്ട്: {0} കറൻസി കൂടെ: {1} തിരഞ്ഞെടുത്ത ചെയ്യാൻ കഴിയില്ല
DocType: Bank Reconciliation Detail,Cheque Date,ചെക്ക് തീയതി
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},അക്കൗണ്ട് {0}: പാരന്റ് അക്കൌണ്ട് {1} കമ്പനി ഭാഗമല്ല: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},അക്കൗണ്ട് {0}: പാരന്റ് അക്കൌണ്ട് {1} കമ്പനി ഭാഗമല്ല: {2}
DocType: Program Enrollment Tool,Student Applicants,സ്റ്റുഡന്റ് അപേക്ഷകർ
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,വിജയകരമായി ഈ കമ്പനിയുമായി ബന്ധപ്പെട്ട എല്ലാ ഇടപാടുകൾ ഇല്ലാതാക്കി!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,വിജയകരമായി ഈ കമ്പനിയുമായി ബന്ധപ്പെട്ട എല്ലാ ഇടപാടുകൾ ഇല്ലാതാക്കി!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,തീയതിയിൽ
DocType: Appraisal,HR,എച്ച്
DocType: Program Enrollment,Enrollment Date,എൻറോൾമെന്റ് തീയതി
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,പരീക്ഷണകാലഘട്ടം
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,പരീക്ഷണകാലഘട്ടം
apps/erpnext/erpnext/config/hr.py +115,Salary Components,ശമ്പള ഘടകങ്ങൾ
DocType: Program Enrollment Tool,New Academic Year,ന്യൂ അക്കാദമിക് വർഷം
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,മടക്ക / ക്രെഡിറ്റ് നോട്ട്
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,മടക്ക / ക്രെഡിറ്റ് നോട്ട്
DocType: Stock Settings,Auto insert Price List rate if missing,ഓട്ടോ insert വില പട്ടിക നിരക്ക് കാണാനില്ല എങ്കിൽ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,ആകെ തുക
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,ആകെ തുക
DocType: Production Order Item,Transferred Qty,മാറ്റിയത് Qty
apps/erpnext/erpnext/config/learn.py +11,Navigating,നീങ്ങുന്നത്
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,ആസൂത്രണ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,ഇഷ്യൂചെയ്തു
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,ആസൂത്രണ
+DocType: Material Request,Issued,ഇഷ്യൂചെയ്തു
DocType: Project,Total Billing Amount (via Time Logs),(ടൈം ലോഗുകൾ വഴി) ആകെ ബില്ലിംഗ് തുക
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,ഞങ്ങൾ ഈ ഇനം വിൽക്കാൻ
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,വിതരണക്കമ്പനിയായ ഐഡി
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,ഞങ്ങൾ ഈ ഇനം വിൽക്കാൻ
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,വിതരണക്കമ്പനിയായ ഐഡി
DocType: Payment Request,Payment Gateway Details,പേയ്മെന്റ് ഗേറ്റ്വേ വിവരങ്ങൾ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,ക്വാണ്ടിറ്റി 0 കൂടുതലായിരിക്കണം
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,ക്വാണ്ടിറ്റി 0 കൂടുതലായിരിക്കണം
DocType: Journal Entry,Cash Entry,ക്യാഷ് എൻട്രി
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,ശിശു നോഡുകൾ മാത്രം 'ഗ്രൂപ്പ്' തരം നോഡുകൾ കീഴിൽ സൃഷ്ടിക്കാൻ കഴിയും
DocType: Leave Application,Half Day Date,അര ദിവസം തീയതി
@@ -3648,14 +3674,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},ചിലവേറിയ ക്ലെയിം തരം {0} ൽ സ്ഥിര അക്കൗണ്ട് സജ്ജീകരിക്കുക
DocType: Assessment Result,Student Name,വിദ്യാർഥിയുടെ പേര്
DocType: Brand,Item Manager,ഇനം മാനേജർ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,ശമ്പളപ്പട്ടിക പേയബിൾ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,ശമ്പളപ്പട്ടിക പേയബിൾ
DocType: Buying Settings,Default Supplier Type,സ്ഥിരസ്ഥിതി വിതരണക്കാരൻ തരം
DocType: Production Order,Total Operating Cost,ആകെ ഓപ്പറേറ്റിംഗ് ചെലവ്
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,കുറിപ്പ്: ഇനം {0} ഒന്നിലധികം തവണ നൽകി
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,എല്ലാ ബന്ധങ്ങൾ.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,കമ്പനി സംഗ്രഹ
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,കമ്പനി സംഗ്രഹ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,ഉപയോക്താവ് {0} നിലവിലില്ല
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,അസംസ്കൃത വസ്തുക്കളുടെ പ്രധാന ഇനം അതേ ആകും കഴിയില്ല
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,അസംസ്കൃത വസ്തുക്കളുടെ പ്രധാന ഇനം അതേ ആകും കഴിയില്ല
DocType: Item Attribute Value,Abbreviation,ചുരുക്കല്
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,പേയ്മെന്റ് എൻട്രി ഇതിനകം നിലവിലുണ്ട്
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} പരിധികൾ കവിയുന്നു മുതലുള്ള authroized ഒരിക്കലും പാടില്ല
@@ -3664,35 +3690,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,ഷോപ്പിംഗ് കാർട്ട് നികുതി റൂൾ സജ്ജീകരിക്കുക
DocType: Purchase Invoice,Taxes and Charges Added,നികുതി ചാർജുകളും ചേർത്തു
,Sales Funnel,സെയിൽസ് നാലുവിക്കറ്റ്
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,ചുരുക്കെഴുത്ത് നിർബന്ധമാണ്
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,ചുരുക്കെഴുത്ത് നിർബന്ധമാണ്
DocType: Project,Task Progress,ടാസ്ക് പുരോഗതി
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,കാർട്ട്
,Qty to Transfer,ട്രാൻസ്ഫർ ചെയ്യാൻ Qty
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,നയിക്കുന്നു അല്ലെങ്കിൽ ഉപഭോക്താക്കൾക്ക് ഉദ്ധരണികൾ.
DocType: Stock Settings,Role Allowed to edit frozen stock,ശീതീകരിച്ച സ്റ്റോക്ക് തിരുത്തിയെഴുതുന്നത് അനുവദനീയം റോൾ
,Territory Target Variance Item Group-Wise,ടെറിട്ടറി ടാര്ഗറ്റ് പൊരുത്തമില്ലായ്മ ഇനം ഗ്രൂപ്പ് യുക്തിമാനും
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,എല്ലാ ഉപഭോക്തൃ ഗ്രൂപ്പുകൾ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,എല്ലാ ഉപഭോക്തൃ ഗ്രൂപ്പുകൾ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,പ്രതിമാസം കുമിഞ്ഞു
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} നിർബന്ധമാണ്. ഒരുപക്ഷേ കറൻസി എക്സ്ചേഞ്ച് റെക്കോർഡ് {1} {2} വേണ്ടി സൃഷ്ടിക്കപ്പെട്ടിട്ടില്ല.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} നിർബന്ധമാണ്. ഒരുപക്ഷേ കറൻസി എക്സ്ചേഞ്ച് റെക്കോർഡ് {1} {2} വേണ്ടി സൃഷ്ടിക്കപ്പെട്ടിട്ടില്ല.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,നികുതി ഫലകം നിർബന്ധമാണ്.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,അക്കൗണ്ട് {0}: പാരന്റ് അക്കൌണ്ട് {1} നിലവിലില്ല
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,അക്കൗണ്ട് {0}: പാരന്റ് അക്കൌണ്ട് {1} നിലവിലില്ല
DocType: Purchase Invoice Item,Price List Rate (Company Currency),വില പട്ടിക നിരക്ക് (കമ്പനി കറൻസി)
DocType: Products Settings,Products Settings,ഉല്പന്നങ്ങൾ ക്രമീകരണങ്ങൾ
DocType: Account,Temporary,താൽക്കാലിക
DocType: Program,Courses,കോഴ്സുകൾ
DocType: Monthly Distribution Percentage,Percentage Allocation,ശതമാന അലോക്കേഷൻ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,സെക്രട്ടറി
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,സെക്രട്ടറി
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","അപ്രാപ്തമാക്കുകയാണെങ്കിൽ, വയലിൽ 'വാക്കുകളിൽ' ഒരു ഇടപാടിലും ദൃശ്യമാകില്ല"
DocType: Serial No,Distinct unit of an Item,ഒരു ഇനം വ്യക്തമായ യൂണിറ്റ്
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,കമ്പനി സജ്ജീകരിക്കുക
DocType: Pricing Rule,Buying,വാങ്ങൽ
DocType: HR Settings,Employee Records to be created by,സൃഷ്ടിച്ച ചെയ്യേണ്ട ജീവനക്കാരൻ റെക്കോർഡ്സ്
DocType: POS Profile,Apply Discount On,ഡിസ്കൌണ്ട് പ്രയോഗിക്കുക
,Reqd By Date,തീയതിയനുസരിച്ചു് Reqd
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,കടക്കാരിൽ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,കടക്കാരിൽ
DocType: Assessment Plan,Assessment Name,അസസ്മെന്റ് പേര്
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,വരി # {0}: സീരിയൽ ഇല്ല നിർബന്ധമാണ്
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,ഇനം യുക്തിമാനും നികുതി വിശദാംശം
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,ഇൻസ്റ്റിറ്റ്യൂട്ട് സംഗ്രഹം
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,ഇൻസ്റ്റിറ്റ്യൂട്ട് സംഗ്രഹം
,Item-wise Price List Rate,ഇനം തിരിച്ചുള്ള വില പട്ടിക റേറ്റ്
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,വിതരണക്കാരൻ ക്വട്ടേഷൻ
DocType: Quotation,In Words will be visible once you save the Quotation.,നിങ്ങൾ ക്വട്ടേഷൻ ലാഭിക്കാൻ ഒരിക്കൽ വാക്കുകളിൽ ദൃശ്യമാകും.
@@ -3700,14 +3727,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},ക്വാണ്ടിറ്റി ({0}) വരി {1} ഒരു അംശം പാടില്ല
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,ഫീസ് ശേഖരിക്കുക
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},ബാർകോഡ് {0} ഇതിനകം ഇനം {1} ഉപയോഗിക്കുന്ന
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},ബാർകോഡ് {0} ഇതിനകം ഇനം {1} ഉപയോഗിക്കുന്ന
DocType: Lead,Add to calendar on this date,ഈ തീയതി കലണ്ടർ ചേർക്കുക
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,ഷിപ്പിംഗ് ചിലവും ചേർത്ത് നിയമങ്ങൾ.
DocType: Item,Opening Stock,ഓഹരി തുറക്കുന്നു
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,കസ്റ്റമർ ആവശ്യമാണ്
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} മടങ്ങിവരവ് നിര്ബന്ധമാണ്
DocType: Purchase Order,To Receive,സ്വീകരിക്കാൻ
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,സ്വകാര്യ ഇമെയിൽ
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,ആകെ പൊരുത്തമില്ലായ്മ
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","പ്രവർത്തനക്ഷമമായാൽ, സിസ്റ്റം ഓട്ടോമാറ്റിക്കായി സാധനങ്ങളും വേണ്ടി അക്കൗണ്ടിങ് എൻട്രികൾ പോസ്റ്റ് ചെയ്യും."
@@ -3718,13 +3744,14 @@
DocType: Customer,From Lead,ലീഡ് നിന്ന്
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ഉത്പാദനത്തിന് പുറത്തുവിട്ട ഉത്തരവ്.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,ധനകാര്യ വർഷം തിരഞ്ഞെടുക്കുക ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS ൽ എൻട്രി ഉണ്ടാക്കുവാൻ ആവശ്യമായ POS പ്രൊഫൈൽ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS ൽ എൻട്രി ഉണ്ടാക്കുവാൻ ആവശ്യമായ POS പ്രൊഫൈൽ
DocType: Program Enrollment Tool,Enroll Students,വിദ്യാർഥികൾ എൻറോൾ
DocType: Hub Settings,Name Token,ടോക്കൺ പേര്
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,സ്റ്റാൻഡേർഡ് വിൽപ്പനയുള്ളത്
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,കുറഞ്ഞത് ഒരു പണ്ടകശാല നിർബന്ധമാണ്
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,കുറഞ്ഞത് ഒരു പണ്ടകശാല നിർബന്ധമാണ്
DocType: Serial No,Out of Warranty,വാറന്റി പുറത്താണ്
DocType: BOM Replace Tool,Replace,മാറ്റിസ്ഥാപിക്കുക
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,ഉൽപ്പന്നങ്ങളൊന്നും കണ്ടെത്തിയില്ല.
DocType: Production Order,Unstopped,അടഞ്ഞിരിക്കയുമില്ല
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} സെയിൽസ് ഇൻവോയിസ് {1} നേരെ
DocType: Sales Invoice,SINV-,SINV-
@@ -3735,13 +3762,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,സ്റ്റോക്ക് മൂല്യം വ്യത്യാസം
apps/erpnext/erpnext/config/learn.py +234,Human Resource,മാനവ വിഭവശേഷി
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,പേയ്മെന്റ് അനുരഞ്ജനം പേയ്മെന്റ്
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,നികുതി ആസ്തികൾ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,നികുതി ആസ്തികൾ
DocType: BOM Item,BOM No,BOM ഇല്ല
DocType: Instructor,INS/,ഐഎൻഎസ് /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,ജേർണൽ എൻട്രി {0} അക്കൗണ്ട് {1} അല്ലെങ്കിൽ ഇതിനകം മറ്റ് വൗച്ചർ പൊരുത്തപ്പെടും ഇല്ല
DocType: Item,Moving Average,ശരാശരി നീക്കുന്നു
DocType: BOM Replace Tool,The BOM which will be replaced,BOM ലേക്ക് മാറ്റിസ്ഥാപിക്കും
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,ഇലക്ട്രോണിക് ഉപകരണങ്ങൾ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,ഇലക്ട്രോണിക് ഉപകരണങ്ങൾ
DocType: Account,Debit,ഡെബിറ്റ്
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,ഇലകൾ 0.5 ഗുണിതങ്ങളായി നീക്കിവച്ചിരുന്നു വേണം
DocType: Production Order,Operation Cost,ഓപ്പറേഷൻ ചെലവ്
@@ -3749,7 +3776,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,നിലവിലുള്ള ശാരീരിക
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,ഈ സെയിൽസ് പേഴ്സൺ വേണ്ടി ലക്ഷ്യങ്ങളിലൊന്നാണ് ഇനം ഗ്രൂപ്പ് തിരിച്ചുള്ള സജ്ജമാക്കുക.
DocType: Stock Settings,Freeze Stocks Older Than [Days],[ദിനങ്ങൾ] ചെന്നവർ സ്റ്റോക്കുകൾ ഫ്രീസ്
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,വരി # {0}: അസറ്റ് നിർണയത്തിനുള്ള അസറ്റ് വാങ്ങൽ / വില്പനയ്ക്ക് നിര്ബന്ധമാണ്
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,വരി # {0}: അസറ്റ് നിർണയത്തിനുള്ള അസറ്റ് വാങ്ങൽ / വില്പനയ്ക്ക് നിര്ബന്ധമാണ്
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","രണ്ടോ അതിലധികമോ പ്രൈസിങ് നിയമങ്ങൾ മുകളിൽ നിബന്ധനകൾ അടിസ്ഥാനമാക്കി കണ്ടെത്തിയാൽ, മുൻഗണന പ്രയോഗിക്കുന്നു. സ്വതവേയുള്ള മൂല്യം പൂജ്യം (ഇടുക) പോൾ മുൻഗണന 0 20 വരെ തമ്മിലുള്ള ഒരു എണ്ണം. ഹയർ എണ്ണം ഒരേ ഉപാധികളോടെ ഒന്നിലധികം വിലനിർണ്ണയത്തിലേക്ക് അവിടെ കണ്ടാൽ അതിനെ പ്രാധാന്യം എന്നാണ്."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,സാമ്പത്തിക വർഷം: {0} നിലവിലുണ്ട് ഇല്ല
DocType: Currency Exchange,To Currency,കറൻസി ചെയ്യുക
@@ -3758,7 +3785,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ഇനം {0} നിരക്ക് വിൽക്കുന്ന അധികം അതിന്റെ {1} കുറവാണ്. വിൽക്കുന്ന നിരക്ക് കുറയാതെ {2} ആയിരിക്കണം
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ഇനം {0} നിരക്ക് വിൽക്കുന്ന അധികം അതിന്റെ {1} കുറവാണ്. വിൽക്കുന്ന നിരക്ക് കുറയാതെ {2} ആയിരിക്കണം
DocType: Item,Taxes,നികുതികൾ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,"പെയ്ഡ്, ഒരിക്കലും പാടില്ല കൈമാറി"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,"പെയ്ഡ്, ഒരിക്കലും പാടില്ല കൈമാറി"
DocType: Project,Default Cost Center,സ്ഥിരസ്ഥിതി ചെലവ് കേന്ദ്രം
DocType: Bank Guarantee,End Date,അവസാന ദിവസം
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,ഓഹരി ഇടപാടുകൾ
@@ -3783,24 +3810,22 @@
DocType: Employee,Held On,ന് നടക്കും
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,പ്രൊഡക്ഷൻ ഇനം
,Employee Information,ജീവനക്കാരുടെ വിവരങ്ങൾ
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),നിരക്ക് (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),നിരക്ക് (%)
DocType: Stock Entry Detail,Additional Cost,അധിക ചെലവ്
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,സാമ്പത്തിക വർഷം അവസാനിക്കുന്ന തീയതി
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","വൗച്ചർ ഭൂഖണ്ടക്രമത്തിൽ എങ്കിൽ, വൗച്ചർ പോസ്റ്റ് അടിസ്ഥാനമാക്കി ഫിൽട്ടർ ചെയ്യാൻ കഴിയില്ല"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,വിതരണക്കാരൻ ക്വട്ടേഷൻ നിർമ്മിക്കുക
DocType: Quality Inspection,Incoming,ഇൻകമിംഗ്
DocType: BOM,Materials Required (Exploded),ആവശ്യമായ മെറ്റീരിയൽസ് (പൊട്ടിത്തെറിക്കുന്ന)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself",നിങ്ങൾ സ്വയം പുറമെ നിങ്ങളുടെ സ്ഥാപനത്തിൻറെ ഉപയോക്താക്കളെ ചേർക്കുക
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,പോസ്റ്റുചെയ്ത തീയതി ഭാവി തീയതി കഴിയില്ല
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},വരി # {0}: സീരിയൽ ഇല്ല {1} {2} {3} കൂടെ പൊരുത്തപ്പെടുന്നില്ല
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,കാഷ്വൽ ലീവ്
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,കാഷ്വൽ ലീവ്
DocType: Batch,Batch ID,ബാച്ച് ഐഡി
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},കുറിപ്പ്: {0}
,Delivery Note Trends,ഡെലിവറി നോട്ട് ട്രെൻഡുകൾ
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,ഈ ആഴ്ചത്തെ ചുരുക്കം
-,In Stock Qty,ഓഹരി അളവ് ൽ
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,ഓഹരി അളവ് ൽ
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,അക്കൗണ്ട്: {0} മാത്രം ഓഹരി ഇടപാടുകൾ വഴി അപ്ഡേറ്റ് ചെയ്യാൻ കഴിയില്ല
-DocType: Program Enrollment,Get Courses,കോഴ്സുകൾ നേടുക
+DocType: Student Group Creation Tool,Get Courses,കോഴ്സുകൾ നേടുക
DocType: GL Entry,Party,പാർട്ടി
DocType: Sales Order,Delivery Date,ഡെലിവറി തീയതി
DocType: Opportunity,Opportunity Date,ഓപ്പർച്യൂനിറ്റി തീയതി
@@ -3808,14 +3833,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,ക്വട്ടേഷൻ ഇനം അഭ്യർത്ഥന
DocType: Purchase Order,To Bill,ബില്ലിന്
DocType: Material Request,% Ordered,% ക്രമപ്പെടുത്തിയ
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","കോഴ്സ് അടിസ്ഥാനമാക്കിയുള്ള സ്റ്റുഡന്റ് ഗ്രൂപ്പ്, കോഴ്സ് പ്രോഗ്രാം എൻറോൾമെന്റ് എൻറോൾ കോഴ്സുകൾ നിന്ന് എല്ലാ വിദ്യാർത്ഥികൾക്കും വേണ്ടി സാധൂകരിക്കാൻ ചെയ്യും."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","കോമ ഉപയോഗിച്ച് വേർതിരിച്ച് ഇമെയിൽ വിലാസം നൽകുക, ഇൻവോയ്സ് പ്രത്യേക തീയതി സ്വയം മെയിൽ ചെയ്യപ്പെടും"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Piecework
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Piecework
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,ശരാ. വാങ്ങുക റേറ്റ്
DocType: Task,Actual Time (in Hours),(അവേഴ്സ്) യഥാർത്ഥ സമയം
DocType: Employee,History In Company,കമ്പനിയിൽ ചരിത്രം
apps/erpnext/erpnext/config/learn.py +107,Newsletters,വാർത്താക്കുറിപ്പുകൾ
DocType: Stock Ledger Entry,Stock Ledger Entry,ഓഹരി ലെഡ്ജർ എൻട്രി
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,കസ്റ്റമർ> കസ്റ്റമർ ഗ്രൂപ്പ്> ടെറിട്ടറി
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,ഒരേ ഇനം ഒന്നിലധികം തവണ നൽകി
DocType: Department,Leave Block List,ബ്ലോക്ക് ലിസ്റ്റ് വിടുക
DocType: Sales Invoice,Tax ID,നികുതി ഐഡി
@@ -3830,30 +3855,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} ഈ ഇടപാട് പൂർത്തിയാക്കാൻ {2} ൽ ആവശ്യമായ {1} യൂണിറ്റ്.
DocType: Loan Type,Rate of Interest (%) Yearly,പലിശ നിരക്ക് (%) വാർഷികം
DocType: SMS Settings,SMS Settings,എസ്എംഎസ് ക്രമീകരണങ്ങൾ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,താൽക്കാലിക അക്കൗണ്ടുകൾ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,ബ്ലാക്ക്
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,താൽക്കാലിക അക്കൗണ്ടുകൾ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,ബ്ലാക്ക്
DocType: BOM Explosion Item,BOM Explosion Item,BOM പൊട്ടിത്തെറി ഇനം
DocType: Account,Auditor,ഓഡിറ്റർ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} നിർമ്മിക്കുന്ന ഇനങ്ങൾ
DocType: Cheque Print Template,Distance from top edge,മുകളറ്റത്തെ നിന്നുള്ള ദൂരം
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,വില ലിസ്റ്റ് {0} പ്രവർത്തനരഹിതമാക്കി അല്ലെങ്കിൽ നിലവിലില്ല
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,വില ലിസ്റ്റ് {0} പ്രവർത്തനരഹിതമാക്കി അല്ലെങ്കിൽ നിലവിലില്ല
DocType: Purchase Invoice,Return,മടങ്ങിവരവ്
DocType: Production Order Operation,Production Order Operation,പ്രൊഡക്ഷൻ ഓർഡർ ഓപ്പറേഷൻ
DocType: Pricing Rule,Disable,അപ്രാപ്തമാക്കുക
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,പേയ്മെന്റ് മോഡ് പേയ്മെന്റ് നടത്താൻ ആവശ്യമാണ്
DocType: Project Task,Pending Review,അവശേഷിക്കുന്ന അവലോകനം
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ബാച്ച് {2} എൻറോൾ ചെയ്തിട്ടില്ല
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","അത് ഇതിനകം {1} പോലെ അസറ്റ്, {0} ബോംബെടുക്കുന്നവനും കഴിയില്ല"
DocType: Task,Total Expense Claim (via Expense Claim),(ചിലവിടൽ ക്ലെയിം വഴി) ആകെ ചിലവേറിയ ക്ലെയിം
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,ഉപഭോക്തൃ ഐഡി
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,മാർക് േചാദി
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},വരി {0}: കറന്സി BOM ൽ # ന്റെ {1} {2} തിരഞ്ഞെടുത്തു കറൻസി തുല്യമോ വേണം
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},വരി {0}: കറന്സി BOM ൽ # ന്റെ {1} {2} തിരഞ്ഞെടുത്തു കറൻസി തുല്യമോ വേണം
DocType: Journal Entry Account,Exchange Rate,വിനിമയ നിരക്ക്
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,സെയിൽസ് ഓർഡർ {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,സെയിൽസ് ഓർഡർ {0} സമർപ്പിച്ചിട്ടില്ലെന്നതും
DocType: Homepage,Tag Line,ടാഗ് ലൈൻ
DocType: Fee Component,Fee Component,ഫീസ്
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,ഫ്ലീറ്റ് മാനേജ്മെന്റ്
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,നിന്ന് ഇനങ്ങൾ ചേർക്കുക
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},വെയർഹൗസ് {0}: പാരന്റ് അക്കൌണ്ട് {1} കമ്പനി {2} ലേക്ക് bolong ഇല്ല
DocType: Cheque Print Template,Regular,സ്ഥിരമായ
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,എല്ലാ വിലയിരുത്തിയശേഷം മാനദണ്ഡം ആകെ വെയ്റ്റേജ് 100% ആയിരിക്കണം
DocType: BOM,Last Purchase Rate,കഴിഞ്ഞ വാങ്ങൽ റേറ്റ്
@@ -3862,11 +3886,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,വകഭേദങ്ങളും ഇല്ലല്ലോ ഓഹരി ഇനം {0} വേണ്ടി നിലവിലില്ല കഴിയില്ല
,Sales Person-wise Transaction Summary,സെയിൽസ് പേഴ്സൺ തിരിച്ചുള്ള ഇടപാട് ചുരുക്കം
DocType: Training Event,Contact Number,കോൺടാക്റ്റ് നമ്പർ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,വെയർഹൗസ് {0} നിലവിലില്ല
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,വെയർഹൗസ് {0} നിലവിലില്ല
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,ERPNext ഹബ് രജിസ്റ്റർ
DocType: Monthly Distribution,Monthly Distribution Percentages,പ്രതിമാസ വിതരണ ശതമാനങ്ങൾ
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,തിരഞ്ഞെടുത്ത ഐറ്റം ബാച്ച് പാടില്ല
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","മൂലധനം നിരക്ക് ഇനം {0}, വേണ്ടി {2} {1} അക്കൗണ്ടിങ് എൻട്രികൾ ചെയ്യാൻ ആവശ്യമായ കണ്ടില്ല. ഇനത്തിൽ {1} ഒരു സാമ്പിൾ ഇനമായി transacting എങ്കിൽ, {1} ഇനം പട്ടികയിലെ ആ പരാമർശിക്കുക. അല്ലാത്തപക്ഷം, ഒരു ഇൻകമിംഗ് സ്റ്റോക്ക് ഇടപാട് ഇനം റെക്കോർഡിൽ മൂലധനം നിരക്ക് ഇനം വേണ്ടി സൃഷ്ടിക്കുക പരാമർശിക്കാനോ, തുടർന്ന് submiting / ഈ എൻട്രി റദ്ദാക്കുന്നതിൽ ശ്രമിക്കുക"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","മൂലധനം നിരക്ക് ഇനം {0}, വേണ്ടി {2} {1} അക്കൗണ്ടിങ് എൻട്രികൾ ചെയ്യാൻ ആവശ്യമായ കണ്ടില്ല. ഇനത്തിൽ {1} ഒരു സാമ്പിൾ ഇനമായി transacting എങ്കിൽ, {1} ഇനം പട്ടികയിലെ ആ പരാമർശിക്കുക. അല്ലാത്തപക്ഷം, ഒരു ഇൻകമിംഗ് സ്റ്റോക്ക് ഇടപാട് ഇനം റെക്കോർഡിൽ മൂലധനം നിരക്ക് ഇനം വേണ്ടി സൃഷ്ടിക്കുക പരാമർശിക്കാനോ, തുടർന്ന് submiting / ഈ എൻട്രി റദ്ദാക്കുന്നതിൽ ശ്രമിക്കുക"
DocType: Delivery Note,% of materials delivered against this Delivery Note,ഈ ഡെലിവറി നോട്ട് നേരെ ഏല്പിച്ചു വസ്തുക്കൾ%
DocType: Project,Customer Details,ഉപഭോക്തൃ വിശദാംശങ്ങൾ
DocType: Employee,Reports to,റിപ്പോർട്ടുകൾ
@@ -3874,24 +3898,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,റിസീവർ എണ്ണം വേണ്ടി URL പാരമീറ്റർ നൽകുക
DocType: Payment Entry,Paid Amount,തുക
DocType: Assessment Plan,Supervisor,പരിശോധക
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,ഓൺലൈൻ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,ഓൺലൈൻ
,Available Stock for Packing Items,ഇനങ്ങൾ ക്ലാസ്സിലേക് ലഭ്യമാണ് ഓഹരി
DocType: Item Variant,Item Variant,ഇനം മാറ്റമുള്ള
DocType: Assessment Result Tool,Assessment Result Tool,അസസ്മെന്റ് ഫലം ടൂൾ
DocType: BOM Scrap Item,BOM Scrap Item,BOM ലേക്ക് സ്ക്രാപ്പ് ഇനം
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,സമർപ്പിച്ച ഓർഡറുകൾ ഇല്ലാതാക്കാൻ കഴിയില്ല
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ഡെബിറ്റ് ഇതിനകം അക്കൗണ്ട് ബാലൻസ്, നിങ്ങൾ 'ക്രെഡിറ്റ്' ആയി 'ബാലൻസ് ആയിരിക്കണം' സജ്ജീകരിക്കാൻ അനുവാദമില്ലാത്ത"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,ക്വാളിറ്റി മാനേജ്മെന്റ്
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,സമർപ്പിച്ച ഓർഡറുകൾ ഇല്ലാതാക്കാൻ കഴിയില്ല
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ഡെബിറ്റ് ഇതിനകം അക്കൗണ്ട് ബാലൻസ്, നിങ്ങൾ 'ക്രെഡിറ്റ്' ആയി 'ബാലൻസ് ആയിരിക്കണം' സജ്ജീകരിക്കാൻ അനുവാദമില്ലാത്ത"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,ക്വാളിറ്റി മാനേജ്മെന്റ്
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,ഇനം {0} അപ്രാപ്തമാക്കി
DocType: Employee Loan,Repay Fixed Amount per Period,കാലയളവ് അനുസരിച്ച് നിശ്ചിത പകരം
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},ഇനം {0} വേണ്ടി അളവ് നൽകുക
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,ക്രെഡിറ്റ് നോട്ട് ശാരീരിക
DocType: Employee External Work History,Employee External Work History,ജീവനക്കാർ പുറത്തേക്കുള്ള വർക്ക് ചരിത്രം
DocType: Tax Rule,Purchase,വാങ്ങൽ
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,ബാലൻസ് Qty
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,ബാലൻസ് Qty
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,ഗോളുകൾ ശൂന്യമായിരിക്കരുത്
DocType: Item Group,Parent Item Group,പാരന്റ് ഇനം ഗ്രൂപ്പ്
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} {1} വേണ്ടി
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,ചെലവ് സെന്ററുകൾ
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,ചെലവ് സെന്ററുകൾ
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,വിതരണക്കമ്പനിയായ നാണയത്തിൽ കമ്പനിയുടെ അടിത്തറ കറൻസി മാറ്റുമ്പോൾ തോത്
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},വരി # {0}: വരി ടൈമിങ്സ് തർക്കങ്ങൾ {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,സീറോ മൂലധനം നിരക്ക് അനുവദിക്കുക
@@ -3899,17 +3924,18 @@
DocType: Training Event Employee,Invited,ക്ഷണിച്ചു
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,ഒന്നിലധികം സജീവ ശമ്പളം ഘടന തന്നിരിക്കുന്ന തീയതികളിൽ ജീവനക്കാരൻ {0} കണ്ടെത്തിയില്ല
DocType: Opportunity,Next Contact,അടുത്തത് കോൺടാക്റ്റ്
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,സെറ്റപ്പ് ഗേറ്റ്വേ അക്കൗണ്ടുകൾ.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,സെറ്റപ്പ് ഗേറ്റ്വേ അക്കൗണ്ടുകൾ.
DocType: Employee,Employment Type,തൊഴിൽ തരം
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,നിശ്ചിത ആസ്തികൾ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,നിശ്ചിത ആസ്തികൾ
DocType: Payment Entry,Set Exchange Gain / Loss,എക്സ്ചേഞ്ച് ഗെയിൻ / നഷ്ടം സജ്ജമാക്കുക
+,GST Purchase Register,ചരക്കുസേവന വാങ്ങൽ രജിസ്റ്റർ
,Cash Flow,ധനപ്രവാഹം
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,അപേക്ഷാ കാലയളവിൽ രണ്ട് alocation രേഖകള് ഉടനീളം ആകാൻ പാടില്ല
DocType: Item Group,Default Expense Account,സ്ഥിരസ്ഥിതി ചിലവേറിയ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,വിദ്യാർത്ഥിയുടെ ഇമെയിൽ ഐഡി
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,വിദ്യാർത്ഥിയുടെ ഇമെയിൽ ഐഡി
DocType: Employee,Notice (days),അറിയിപ്പ് (ദിവസം)
DocType: Tax Rule,Sales Tax Template,സെയിൽസ് ടാക്സ് ഫലകം
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,ഇൻവോയ്സ് സംരക്ഷിക്കാൻ ഇനങ്ങൾ തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,ഇൻവോയ്സ് സംരക്ഷിക്കാൻ ഇനങ്ങൾ തിരഞ്ഞെടുക്കുക
DocType: Employee,Encashment Date,ലീവ് തീയതി
DocType: Training Event,Internet,ഇന്റർനെറ്റ്
DocType: Account,Stock Adjustment,സ്റ്റോക്ക് ക്രമീകരണം
@@ -3938,7 +3964,7 @@
DocType: Guardian,Guardian Of ,മേൽനോട്ടം
DocType: Grading Scale Interval,Threshold,ഉമ്മറം
DocType: BOM Replace Tool,Current BOM,ഇപ്പോഴത്തെ BOM
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,സീരിയൽ ഇല്ല ചേർക്കുക
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,സീരിയൽ ഇല്ല ചേർക്കുക
apps/erpnext/erpnext/config/support.py +22,Warranty,ഉറപ്പ്
DocType: Purchase Invoice,Debit Note Issued,ഡെബിറ്റ് കുറിപ്പ് നൽകിയത്
DocType: Production Order,Warehouses,അബദ്ധങ്ങളും
@@ -3947,20 +3973,20 @@
DocType: Workstation,per hour,മണിക്കൂറിൽ
apps/erpnext/erpnext/config/buying.py +7,Purchasing,പർച്ചേസിംഗ്
DocType: Announcement,Announcement,അറിയിപ്പ്
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,പണ്ടകശാല (നിരന്തരമുള്ള ഇൻവെന്ററി) വേണ്ടി അക്കൗണ്ട് ഈ അക്കൗണ്ട് കീഴിൽ സൃഷ്ടിക്കപ്പെടും.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,സ്റ്റോക്ക് ലെഡ്ജർ എൻട്രി ഈ വെയർഹൗസ് നിലവിലുണ്ട് പോലെ വെയർഹൗസ് ഇല്ലാതാക്കാൻ കഴിയില്ല.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","അടിസ്ഥാനമാക്കിയുള്ള സ്റ്റുഡന്റ് ഗ്രൂപ്പ് ബാച്ച് വേണ്ടി, സ്റ്റുഡന്റ് ബാച്ച് പ്രോഗ്രാം എൻറോൾമെന്റ് നിന്നും എല്ലാ വിദ്യാർത്ഥികൾക്കും വേണ്ടി സാധൂകരിക്കാൻ ചെയ്യും."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,സ്റ്റോക്ക് ലെഡ്ജർ എൻട്രി ഈ വെയർഹൗസ് നിലവിലുണ്ട് പോലെ വെയർഹൗസ് ഇല്ലാതാക്കാൻ കഴിയില്ല.
DocType: Company,Distribution,വിതരണം
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,തുക
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,പ്രോജക്റ്റ് മാനേജർ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,പ്രോജക്റ്റ് മാനേജർ
,Quoted Item Comparison,ഉദ്ധരിച്ച ഇനം താരതമ്യം
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,ഡിസ്പാച്ച്
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,ഇനത്തിന്റെ അനുവദിച്ചിട്ടുള്ള പരമാവധി കുറഞ്ഞ: {0} ആണ് {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,ഡിസ്പാച്ച്
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,ഇനത്തിന്റെ അനുവദിച്ചിട്ടുള്ള പരമാവധി കുറഞ്ഞ: {0} ആണ് {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,പോലെ വല അസറ്റ് മൂല്യം
DocType: Account,Receivable,സ്വീകാ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,വരി # {0}: പർച്ചേസ് ഓർഡർ ഇതിനകം നിലവിലുണ്ട് പോലെ വിതരണക്കാരൻ മാറ്റാൻ അനുവദനീയമല്ല
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,വരി # {0}: പർച്ചേസ് ഓർഡർ ഇതിനകം നിലവിലുണ്ട് പോലെ വിതരണക്കാരൻ മാറ്റാൻ അനുവദനീയമല്ല
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,സജ്ജമാക്കാൻ ക്രെഡിറ്റ് പരിധി ഇടപാടുകള് സമർപ്പിക്കാൻ അനുവാദമുള്ളൂ ആ റോൾ.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,നിർമ്മിക്കാനുള്ള ഇനങ്ങൾ തിരഞ്ഞെടുക്കുക
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","മാസ്റ്റർ ഡാറ്റ സമന്വയിപ്പിക്കുന്നത്, അതു കുറച്ച് സമയം എടുത്തേക്കാം"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,നിർമ്മിക്കാനുള്ള ഇനങ്ങൾ തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","മാസ്റ്റർ ഡാറ്റ സമന്വയിപ്പിക്കുന്നത്, അതു കുറച്ച് സമയം എടുത്തേക്കാം"
DocType: Item,Material Issue,മെറ്റീരിയൽ പ്രശ്നം
DocType: Hub Settings,Seller Description,വില്പനക്കാരന്റെ വിവരണം
DocType: Employee Education,Qualification,യോഗ്യത
@@ -3980,7 +4006,6 @@
DocType: BOM,Rate Of Materials Based On,മെറ്റീരിയൽസ് അടിസ്ഥാനത്തിൽ ഓൺ നിരക്ക്
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,പിന്തുണ Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,എല്ലാത്തിൻറെയും പരിശോധന
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},കമ്പനി അബദ്ധങ്ങളും {0} കാണാനില്ല
DocType: POS Profile,Terms and Conditions,ഉപാധികളും നിബന്ധനകളും
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},തീയതി സാമ്പത്തിക വർഷത്തിൽ ആയിരിക്കണം. തീയതി = {0} ചെയ്യുക കരുതുന്നു
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","ഇവിടെ നിങ്ങൾ ഉയരം, ഭാരം, അലർജി, മെഡിക്കൽ ആശങ്കകൾ മുതലായവ നിലനിർത്താൻ കഴിയും"
@@ -3995,19 +4020,18 @@
DocType: Sales Order Item,For Production,ഉത്പാദനത്തിന്
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,കാണുക ടാസ്ക്
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,നിങ്ങളുടെ സാമ്പത്തിക വർഷം തുടങ്ങുന്നു
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,സ്ഥലം പരിശോധന / ലീഡ്%
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,സ്ഥലം പരിശോധന / ലീഡ്%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,അസറ്റ് Depreciations നീക്കിയിരിപ്പും
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},തുക {0} {1} ലേക്ക് {3} {2} നിന്ന് കൈമാറി
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},തുക {0} {1} ലേക്ക് {3} {2} നിന്ന് കൈമാറി
DocType: Sales Invoice,Get Advances Received,അഡ്വാൻസുകളും സ്വീകരിച്ചു നേടുക
DocType: Email Digest,Add/Remove Recipients,ചേർക്കുക / സ്വീകരിക്കുന്നവരെ നീക്കംചെയ്യുക
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},ഇടപാട് നിർത്തിവച്ചു പ്രൊഡക്ഷൻ ഓർഡർ {0} നേരെ അനുവദിച്ചിട്ടില്ല
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},ഇടപാട് നിർത്തിവച്ചു പ്രൊഡക്ഷൻ ഓർഡർ {0} നേരെ അനുവദിച്ചിട്ടില്ല
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","സഹജമായിസജ്ജീകരിയ്ക്കുക സാമ്പത്തിക വർഷം സജ്ജമാക്കാൻ, 'സഹജമായിസജ്ജീകരിയ്ക്കുക' ക്ലിക്ക് ചെയ്യുക"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,ചേരുക
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,ചേരുക
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,ദൌർലഭ്യം Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,ഇനം വേരിയന്റ് {0} ഒരേ ആട്രിബ്യൂട്ടുകളുമുള്ള നിലവിലുണ്ട്
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,ഇനം വേരിയന്റ് {0} ഒരേ ആട്രിബ്യൂട്ടുകളുമുള്ള നിലവിലുണ്ട്
DocType: Employee Loan,Repay from Salary,ശമ്പളത്തിൽ നിന്ന് പകരം
DocType: Leave Application,LAP/,ലാപ് /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},തുക {0} {1} നേരെ പേയ്മെന്റ് അഭ്യർത്ഥിക്കുന്നു {2}
@@ -4018,34 +4042,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","പ്രസവം പാക്കേജുകൾ വേണ്ടി സ്ലിപ്പിൽ പാക്കിംഗ് ജനറേറ്റുചെയ്യുക. പാക്കേജ് നമ്പർ, പാക്കേജ് ഉള്ളടക്കങ്ങളുടെ അതിന്റെ ഭാരം അറിയിക്കാൻ ഉപയോഗിച്ച."
DocType: Sales Invoice Item,Sales Order Item,സെയിൽസ് ഓർഡർ ഇനം
DocType: Salary Slip,Payment Days,പേയ്മെന്റ് ദിനങ്ങൾ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,കുട്ടി നോഡുകൾ ഉപയോഗിച്ച് അബദ്ധങ്ങളും ലെഡ്ജർ പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,കുട്ടി നോഡുകൾ ഉപയോഗിച്ച് അബദ്ധങ്ങളും ലെഡ്ജർ പരിവർത്തനം ചെയ്യാൻ കഴിയില്ല
DocType: BOM,Manage cost of operations,ഓപ്പറേഷൻസ് ചെലവ് നിയന്ത്രിക്കുക
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","ചെക്ക് ചെയ്ത ഇടപാടുകൾ ഏതെങ്കിലും 'സമർപ്പിച്ചു "ചെയ്യുമ്പോൾ, ഒരു ഇമെയിൽ പോപ്പ്-അപ്പ് സ്വയം ഒരടുപ്പം നിലയിൽ ഇടപാട് കൂടെ ആ ഇടപാട് ബന്ധപ്പെട്ട്" ബന്ധപ്പെടുക "എന്ന മെയിൽ അയക്കാൻ തുറന്നു. ഉപയോക്താവിനെ അല്ലെങ്കിൽ കഴിയണമെന്നില്ല ഇമെയിൽ അയയ്ക്കാം."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,ആഗോള ക്രമീകരണങ്ങൾ
DocType: Assessment Result Detail,Assessment Result Detail,അസസ്മെന്റ് ഫലം വിശദാംശം
DocType: Employee Education,Employee Education,ജീവനക്കാരുടെ വിദ്യാഭ്യാസം
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,ഇനം ഗ്രൂപ്പ് പട്ടികയിൽ കണ്ടെത്തി തനിപ്പകർപ്പ് ഇനം ഗ്രൂപ്പ്
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,ഇത് ഇനം വിശദാംശങ്ങൾ കൊണ്ടുവരാം ആവശ്യമാണ്.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,ഇത് ഇനം വിശദാംശങ്ങൾ കൊണ്ടുവരാം ആവശ്യമാണ്.
DocType: Salary Slip,Net Pay,നെറ്റ് വേതനം
DocType: Account,Account,അക്കൗണ്ട്
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,സീരിയൽ ഇല്ല {0} ഇതിനകം ലഭിച്ചു ചെയ്തു
,Requested Items To Be Transferred,മാറ്റിയത് അഭ്യർത്ഥിച്ചു ഇനങ്ങൾ
DocType: Expense Claim,Vehicle Log,വാഹന ലോഗ്
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","വെയർഹൗസ് {0} ഏതെങ്കിലും അക്കൗണ്ട് ലിങ്കുചെയ്തിട്ടില്ല, ദയവായി സൃഷ്ടിക്കുക / പൊരുത്തപ്പെടുന്ന (അസറ്റ്) അക്കൗണ്ട് വെയർഹൗസ് ലിങ്ക്."
DocType: Purchase Invoice,Recurring Id,ആവർത്തക ഐഡി
DocType: Customer,Sales Team Details,സെയിൽസ് ടീം വിശദാംശങ്ങൾ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,ശാശ്വതമായി ഇല്ലാതാക്കുക?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,ശാശ്വതമായി ഇല്ലാതാക്കുക?
DocType: Expense Claim,Total Claimed Amount,ആകെ ക്ലെയിം ചെയ്ത തുക
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,വില്ക്കുകയും വരാവുന്ന അവസരങ്ങൾ.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},അസാധുവായ {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,അസുഖ അവധി
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},അസാധുവായ {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,അസുഖ അവധി
DocType: Email Digest,Email Digest,ഇമെയിൽ ഡൈജസ്റ്റ്
DocType: Delivery Note,Billing Address Name,ബില്ലിംഗ് വിലാസം പേര്
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,ഡിപ്പാർട്ട്മെന്റ് സ്റ്റോറുകൾ
DocType: Warehouse,PIN,പിൻ
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,സജ്ജീകരണം എര്പ്നെക്സത് നിങ്ങളുടെ സ്കൂൾ
DocType: Sales Invoice,Base Change Amount (Company Currency),തുക ബേസ് മാറ്റുക (കമ്പനി കറൻസി)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,താഴെ അബദ്ധങ്ങളും വേണ്ടി ഇല്ല അക്കൌണ്ടിങ് എൻട്രികൾ
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,താഴെ അബദ്ധങ്ങളും വേണ്ടി ഇല്ല അക്കൌണ്ടിങ് എൻട്രികൾ
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,ആദ്യം പ്രമാണം സംരക്ഷിക്കുക.
DocType: Account,Chargeable,ഈടാക്കുന്നതല്ല
DocType: Company,Change Abbreviation,മാറ്റുക സംഗ്രഹ
@@ -4063,7 +4086,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,പ്രതീക്ഷിച്ച ഡെലിവറി തീയതി വാങ്ങൽ ഓർഡർ തീയതി മുമ്പ് ആകാൻ പാടില്ല
DocType: Appraisal,Appraisal Template,അപ്രൈസൽ ഫലകം
DocType: Item Group,Item Classification,ഇനം തിരിക്കൽ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,ബിസിനസ് ഡെവലപ്മെന്റ് മാനേജർ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,ബിസിനസ് ഡെവലപ്മെന്റ് മാനേജർ
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,മെയിൻറനൻസ് സന്ദർശിക്കുക ഉദ്ദേശ്യം
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,കാലാവധി
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,ജനറൽ ലെഡ്ജർ
@@ -4073,8 +4096,8 @@
DocType: Item Attribute Value,Attribute Value,ന്റെതിരച്ചറിവിനു്തെറ്റായധാര്മ്മികമൂല്യം
,Itemwise Recommended Reorder Level,Itemwise പുനഃക്രമീകരിക്കുക ലെവൽ ശുപാർശിത
DocType: Salary Detail,Salary Detail,ശമ്പള വിശദാംശം
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,ആദ്യം {0} തിരഞ്ഞെടുക്കുക
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,ബാച്ച് {0} ഇനത്തിന്റെ {1} കാലഹരണപ്പെട്ടു.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,ആദ്യം {0} തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,ബാച്ച് {0} ഇനത്തിന്റെ {1} കാലഹരണപ്പെട്ടു.
DocType: Sales Invoice,Commission,കമ്മീഷൻ
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,നിർമാണ സമയം ഷീറ്റ്.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,ആകെത്തുക
@@ -4085,6 +4108,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`ഫ്രീസുചെയ്യുക സ്റ്റോക്കുകൾ പഴയ Than`% d ദിവസം കുറവായിരിക്കണം.
DocType: Tax Rule,Purchase Tax Template,വാങ്ങൽ നികുതി ഫലകം
,Project wise Stock Tracking,പ്രോജക്ട് ജ്ഞാനികൾ സ്റ്റോക്ക് ട്രാക്കിംഗ്
+DocType: GST HSN Code,Regional,പ്രാദേശിക
DocType: Stock Entry Detail,Actual Qty (at source/target),(ഉറവിടം / ലക്ഷ്യം ന്) യഥാർത്ഥ Qty
DocType: Item Customer Detail,Ref Code,റഫറൻസ് കോഡ്
apps/erpnext/erpnext/config/hr.py +12,Employee records.,ജീവനക്കാരുടെ റെക്കോർഡുകൾ.
@@ -4095,13 +4119,13 @@
DocType: Email Digest,New Purchase Orders,പുതിയ വാങ്ങൽ ഓർഡറുകൾ
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,റൂട്ട് ഒരു പാരന്റ് ചെലവ് കേന്ദ്രം പാടില്ല
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,ബ്രാൻഡ് തിരഞ്ഞെടുക്കുക ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,പരിശീലന പരിപാടികൾ / ഫലങ്ങൾ
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,ഓൺ ആയി സൂക്ഷിക്കുന്നത് മൂല്യത്തകർച്ച
DocType: Sales Invoice,C-Form Applicable,ബാധകമായ സി-ഫോം
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},ഓപ്പറേഷൻ സമയം ഓപ്പറേഷൻ {0} വേണ്ടി 0 വലുതായിരിക്കണം
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,വെയർഹൗസ് നിർബന്ധമാണ്
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,വെയർഹൗസ് നിർബന്ധമാണ്
DocType: Supplier,Address and Contacts,വിശദാംശവും ബന്ധങ്ങൾ
DocType: UOM Conversion Detail,UOM Conversion Detail,UOM പരിവർത്തന വിശദാംശം
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),100px (എച്ച്) വെബ് സൗഹൃദ 900px (W) നിലനിർത്തുക
DocType: Program,Program Abbreviation,പ്രോഗ്രാം സംഗ്രഹം
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,പ്രൊഡക്ഷൻ ഓർഡർ ഒരു ഇനം ഫലകം ഈടിന്മേൽ ചെയ്യാൻ കഴിയില്ല
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,വിചാരണ ഓരോ ഇനത്തിനും നേരെ പർച്ചേസ് രസീതിലെ അപ്ഡേറ്റ്
@@ -4109,13 +4133,13 @@
DocType: Bank Guarantee,Start Date,തുടങ്ങുന്ന ദിവസം
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,ഒരു കാലയളവിൽ ഇല മതി.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,തെറ്റായി മായ്ച്ചു ചെക്കുകൾ ആൻഡ് നിക്ഷേപങ്ങൾ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,അക്കൗണ്ട് {0}: നിങ്ങൾ പാരന്റ് അക്കൌണ്ട് സ്വയം നിശ്ചയിക്കാന് കഴിയില്ല
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,അക്കൗണ്ട് {0}: നിങ്ങൾ പാരന്റ് അക്കൌണ്ട് സ്വയം നിശ്ചയിക്കാന് കഴിയില്ല
DocType: Purchase Invoice Item,Price List Rate,വില പട്ടിക റേറ്റ്
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,ഉപഭോക്തൃ ഉദ്ധരണികൾ സൃഷ്ടിക്കുക
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","ഈ ഗോഡൗണിലെ ലഭ്യമാണ് സ്റ്റോക്ക് അടിസ്ഥാനമാക്കി 'കണ്ടില്ലേ, ഓഹരി ലെ "" സ്റ്റോക്കുണ്ട് "കാണിക്കുക അല്ലെങ്കിൽ."
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),വസ്തുക്കളുടെ ബിൽ (DEL)
DocType: Item,Average time taken by the supplier to deliver,ശരാശരി സമയം വിടുവിപ്പാൻ വിതരണക്കാരൻ എടുത്ത
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,അസസ്മെന്റ് ഫലം
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,അസസ്മെന്റ് ഫലം
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,മണിക്കൂറുകൾ
DocType: Project,Expected Start Date,പ്രതീക്ഷിച്ച ആരംഭ തീയതി
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,ചാർജ് ആ ഇനത്തിനും ബാധകമായ എങ്കിൽ ഇനം നീക്കം
@@ -4129,25 +4153,24 @@
DocType: Workstation,Operating Costs,ഓപ്പറേറ്റിംഗ് വിലയും
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,സൂക്ഷിക്കുന്നത് പ്രതിമാസം ബജറ്റ് നടപടികൾ കവിഞ്ഞു
DocType: Purchase Invoice,Submit on creation,സൃഷ്ടിക്കൽ സമർപ്പിക്കുക
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},{0} {1} ആയിരിക്കണം വേണ്ടി കറൻസി
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},{0} {1} ആയിരിക്കണം വേണ്ടി കറൻസി
DocType: Asset,Disposal Date,തീർപ്പ് തീയതി
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","ഇമെയിലുകൾ അവർ അവധി ഇല്ലെങ്കിൽ, തന്നിരിക്കുന്ന നാഴിക കമ്പനിയുടെ എല്ലാ സജീവ ജീവനക്കാർക്ക് അയയ്ക്കും. പ്രതികരണങ്ങളുടെ സംഗ്രഹം അർദ്ധരാത്രിയിൽ അയയ്ക്കും."
DocType: Employee Leave Approver,Employee Leave Approver,ജീവനക്കാരുടെ അവധി Approver
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},വരി {0}: ഒരു പുനഃക്രമീകരിക്കുക എൻട്രി ഇതിനകം ഈ വെയർഹൗസ് {1} നിലവിലുണ്ട്
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},വരി {0}: ഒരു പുനഃക്രമീകരിക്കുക എൻട്രി ഇതിനകം ഈ വെയർഹൗസ് {1} നിലവിലുണ്ട്
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","നഷ്ടപ്പെട്ട പോലെ ക്വട്ടേഷൻ വെളിപ്പെടുത്താമോ കാരണം, വർണ്ണിക്കും ചെയ്യാൻ കഴിയില്ല."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,പരിശീലന പ്രതികരണം
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,പ്രൊഡക്ഷൻ ഓർഡർ {0} സമർപ്പിക്കേണ്ടതാണ്
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,പ്രൊഡക്ഷൻ ഓർഡർ {0} സമർപ്പിക്കേണ്ടതാണ്
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},ഇനം {0} ആരംഭ തീയതിയും അവസാന തീയതി തിരഞ്ഞെടുക്കുക
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},കോഴ്സ് വരി {0} ലെ നിർബന്ധമായും
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,ഇന്നുവരെ തീയതി മുതൽ മുമ്പ് ആകാൻ പാടില്ല
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,എഡിറ്റ് വിലകൾ / ചേർക്കുക
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,എഡിറ്റ് വിലകൾ / ചേർക്കുക
DocType: Batch,Parent Batch,പാരന്റ് ബാച്ച്
DocType: Batch,Parent Batch,പാരന്റ് ബാച്ച്
DocType: Cheque Print Template,Cheque Print Template,ചെക്ക് പ്രിന്റ് ഫലകം
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,ചെലവ് സെന്റേഴ്സ് ചാർട്ട്
,Requested Items To Be Ordered,ക്രമപ്പെടുത്തിയ അഭ്യർത്ഥിച്ചു ഇനങ്ങൾ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,വെയർഹൗസ് കമ്പനി അക്കൗണ്ട് കമ്പനി തുല്യമായിരിക്കണം
DocType: Price List,Price List Name,വില പട്ടിക പേര്
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},{0} പ്രതിദിന ഔദ്യോഗിക ചുരുക്കം
DocType: Employee Loan,Totals,ആകെത്തുകകൾ
@@ -4169,55 +4192,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,സാധുവായ മൊബൈൽ നമ്പറുകൾ നൽകുക
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,അയക്കുന്നതിന് മുമ്പ് സന്ദേശം നൽകുക
DocType: Email Digest,Pending Quotations,തീർച്ചപ്പെടുത്തിയിട്ടില്ല ഉദ്ധരണികൾ
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,പോയിന്റ്-ഓഫ്-വില്പനയ്ക്ക് പ്രൊഫൈൽ
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,പോയിന്റ്-ഓഫ്-വില്പനയ്ക്ക് പ്രൊഫൈൽ
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,എസ്എംഎസ് ക്രമീകരണങ്ങൾ അപ്ഡേറ്റ് ദയവായി
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,മുൻവാതിൽ വായ്പകൾ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,മുൻവാതിൽ വായ്പകൾ
DocType: Cost Center,Cost Center Name,കോസ്റ്റ് സെന്റർ പേര്
DocType: Employee,B+,B '
DocType: HR Settings,Max working hours against Timesheet,Timesheet നേരെ മാക്സ് ജോലി സമയം
DocType: Maintenance Schedule Detail,Scheduled Date,ഷെഡ്യൂൾഡ് തീയതി
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,ആകെ പണമടച്ചു ശാരീരിക
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,ആകെ പണമടച്ചു ശാരീരിക
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 അക്ഷരങ്ങളിൽ കൂടുതൽ ഗുരുതരമായത് സന്ദേശങ്ങൾ ഒന്നിലധികം സന്ദേശങ്ങൾ വിഭജിക്കും
DocType: Purchase Receipt Item,Received and Accepted,ലഭിച്ച അംഗീകരിക്കപ്പെടുകയും
+,GST Itemised Sales Register,ചരക്കുസേവന ഇനമാക്കിയിട്ടുള്ള സെയിൽസ് രജിസ്റ്റർ
,Serial No Service Contract Expiry,സീരിയൽ ഇല്ല സേവനം കരാര് കാലഹരണ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,"ഒരേ സമയത്ത് ഒരേ അക്കൗണ്ട് ക്രെഡിറ്റ്, ഡെബിറ്റ് കഴിയില്ല"
DocType: Naming Series,Help HTML,എച്ച്ടിഎംഎൽ സഹായം
DocType: Student Group Creation Tool,Student Group Creation Tool,സ്റ്റുഡന്റ് ഗ്രൂപ്പ് ക്രിയേഷൻ ടൂൾ
DocType: Item,Variant Based On,വേരിയന്റ് അടിസ്ഥാനമാക്കിയുള്ള
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},അസൈൻ ആകെ വെയിറ്റേജ് 100% ആയിരിക്കണം. ഇത് {0} ആണ്
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,നിങ്ങളുടെ വിതരണക്കാരും
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,നിങ്ങളുടെ വിതരണക്കാരും
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,സെയിൽസ് ഓർഡർ കഴിക്കുന്ന പോലെ ലോസ്റ്റ് ആയി സജ്ജമാക്കാൻ കഴിയില്ല.
DocType: Request for Quotation Item,Supplier Part No,വിതരണക്കാരൻ ഭാഗം ഇല്ല
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',വർഗ്ഗം 'മൂലധനം' അല്ലെങ്കിൽ 'Vaulation മൊത്തം' എന്ന എപ്പോൾ കുറയ്ക്കാവുന്നതാണ് കഴിയില്ല
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,നിന്നു ലഭിച്ച
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,നിന്നു ലഭിച്ച
DocType: Lead,Converted,പരിവർത്തനം
DocType: Item,Has Serial No,സീരിയൽ പോസ്റ്റ് ഉണ്ട്
DocType: Employee,Date of Issue,പുറപ്പെടുവിച്ച തീയതി
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: {0} {1} വേണ്ടി നിന്ന്
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","വാങ്ങൽ തല്ലാൻ ആവശ്യമുണ്ട് == 'അതെ', പിന്നീട് വാങ്ങൽ ഇൻവോയ്സ് സൃഷ്ടിക്കാൻ, ഉപയോക്തൃ ഇനം {0} ആദ്യം വാങ്ങൽ രസീത് സൃഷ്ടിക്കാൻ ആവശ്യമെങ്കിൽ വാങ്ങൽ ക്രമീകരണങ്ങൾ പ്രകാരം"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},വരി # {0}: ഇനത്തിന്റെ വേണ്ടി സജ്ജമാക്കുക വിതരണക്കാരൻ {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,വരി {0}: മണിക്കൂറുകൾ മൂല്യം പൂജ്യത്തേക്കാൾ വലുതായിരിക്കണം.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,വെബ്സൈറ്റ് ചിത്രം {0} ഇനം ഘടിപ്പിച്ചിരിക്കുന്ന {1} കണ്ടെത്താൻ കഴിയുന്നില്ല
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,വെബ്സൈറ്റ് ചിത്രം {0} ഇനം ഘടിപ്പിച്ചിരിക്കുന്ന {1} കണ്ടെത്താൻ കഴിയുന്നില്ല
DocType: Issue,Content Type,ഉള്ളടക്ക തരം
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,കമ്പ്യൂട്ടർ
DocType: Item,List this Item in multiple groups on the website.,വെബ്സൈറ്റിൽ ഒന്നിലധികം സംഘങ്ങളായി ഈ ഇനം കാണിയ്ക്കുക.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,മറ്റ് കറൻസി കൊണ്ട് അക്കൗണ്ടുകൾ അനുവദിക്കുന്നതിന് മൾട്ടി നാണയ ഓപ്ഷൻ പരിശോധിക്കുക
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,ഇനം: {0} വ്യവസ്ഥിതിയിൽ നിലവിലില്ല
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,നിങ്ങൾ ശീതീകരിച്ച മൂല്യം സജ്ജീകരിക്കാൻ അംഗീകാരമില്ല
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,ഇനം: {0} വ്യവസ്ഥിതിയിൽ നിലവിലില്ല
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,നിങ്ങൾ ശീതീകരിച്ച മൂല്യം സജ്ജീകരിക്കാൻ അംഗീകാരമില്ല
DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled എൻട്രികൾ നേടുക
DocType: Payment Reconciliation,From Invoice Date,ഇൻവോയിസ് തീയതി മുതൽ
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,ബില്ലിംഗ് കറൻസി ഒന്നുകിൽ സ്ഥിര comapany നാണയത്തിൽ അല്ലെങ്കിൽ പാർട്ടി അക്കൗണ്ട് കറൻസി തുല്യമായിരിക്കണം
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,ലീവ്
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,അത് എന്തു ചെയ്യുന്നു?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,ബില്ലിംഗ് കറൻസി ഒന്നുകിൽ സ്ഥിര comapany നാണയത്തിൽ അല്ലെങ്കിൽ പാർട്ടി അക്കൗണ്ട് കറൻസി തുല്യമായിരിക്കണം
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,ലീവ്
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,അത് എന്തു ചെയ്യുന്നു?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,വെയർഹൗസ് ചെയ്യുക
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,എല്ലാ സ്റ്റുഡന്റ് പ്രവേശന
,Average Commission Rate,ശരാശരി കമ്മീഷൻ നിരക്ക്
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,'അതെ' നോൺ-ഓഹരി ഇനത്തിന്റെ വേണ്ടി ആകാൻ പാടില്ല 'സീരിയൽ നോ ഉണ്ട്'
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'അതെ' നോൺ-ഓഹരി ഇനത്തിന്റെ വേണ്ടി ആകാൻ പാടില്ല 'സീരിയൽ നോ ഉണ്ട്'
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,ഹാജർ ഭാവി തീയതി വേണ്ടി അടയാളപ്പെടുത്തും കഴിയില്ല
DocType: Pricing Rule,Pricing Rule Help,പ്രൈസിങ് റൂൾ സഹായം
DocType: School House,House Name,ഹൗസ് പേര്
DocType: Purchase Taxes and Charges,Account Head,അക്കൗണ്ട് ഹെഡ്
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,ഇനങ്ങളുടെ വന്നിറങ്ങി ചെലവ് കണക്കാക്കാൻ അധിക ചെലവ് അപ്ഡേറ്റ്
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,ഇലക്ട്രിക്കൽ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,ഇലക്ട്രിക്കൽ
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,നിങ്ങളുടെ ഉപയോക്താക്കളെ നിങ്ങളുടെ ഓർഗനൈസേഷന്റെ ബാക്കി ചേർക്കുക. നിങ്ങൾക്ക് ബന്ധങ്ങൾ നിന്ന് ചേർത്തുകൊണ്ട് നിങ്ങളുടെ പോർട്ടൽ ഉപയോക്താക്കളെ ക്ഷണിക്കാൻ ചേർക്കാൻ കഴിയും
DocType: Stock Entry,Total Value Difference (Out - In),(- ഔട്ട്) ആകെ മൂല്യം വ്യത്യാസം
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,വരി {0}: വിനിമയ നിരക്ക് നിർബന്ധമായും
@@ -4227,7 +4252,7 @@
DocType: Item,Customer Code,കസ്റ്റമർ കോഡ്
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},{0} വേണ്ടി ജന്മദിനം
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,കഴിഞ്ഞ ഓർഡർ നു ശേഷം ദിനങ്ങൾ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,അക്കൗണ്ടിലേക്ക് ഡെബിറ്റ് ഒരു ബാലൻസ് ഷീറ്റ് അക്കൗണ്ട് ആയിരിക്കണം
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,അക്കൗണ്ടിലേക്ക് ഡെബിറ്റ് ഒരു ബാലൻസ് ഷീറ്റ് അക്കൗണ്ട് ആയിരിക്കണം
DocType: Buying Settings,Naming Series,സീരീസ് നാമകരണം
DocType: Leave Block List,Leave Block List Name,ബ്ലോക്ക് പട്ടിക പേര് വിടുക
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,ഇൻഷുറൻസ് ആരംഭ തീയതി ഇൻഷുറൻസ് അവസാന തീയതി കുറവായിരിക്കണം
@@ -4242,27 +4267,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},ഉദ്യോഗസ്ഥ ജാമ്യം ജി {0} ഇതിനകം സമയം ഷീറ്റ് {1} സൃഷ്ടിച്ച
DocType: Vehicle Log,Odometer,ഓഡോമീറ്റർ
DocType: Sales Order Item,Ordered Qty,ഉത്തരവിട്ടു Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,ഇനം {0} പ്രവർത്തനരഹിതമാക്കിയിരിക്കുന്നതിനാൽ
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,ഇനം {0} പ്രവർത്തനരഹിതമാക്കിയിരിക്കുന്നതിനാൽ
DocType: Stock Settings,Stock Frozen Upto,ഓഹരി ശീതീകരിച്ച വരെ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM ലേക്ക് ഏതെങ്കിലും ഓഹരി ഇനം അടങ്ങിയിട്ടില്ല
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM ലേക്ക് ഏതെങ്കിലും ഓഹരി ഇനം അടങ്ങിയിട്ടില്ല
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},നിന്നും കാലഘട്ടം {0} ആവർത്ത വേണ്ടി നിർബന്ധമായി തീയതി വരെയുള്ള
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,പ്രോജക്ട് പ്രവർത്തനം / ചുമതല.
DocType: Vehicle Log,Refuelling Details,Refuelling വിശദാംശങ്ങൾ
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,ശമ്പളം സ്ലിപ്പിൽ ജനറേറ്റുചെയ്യൂ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","ബാധകമായ വേണ്ടി {0} തിരഞ്ഞെടുക്കപ്പെട്ടു എങ്കിൽ വാങ്ങൽ, ചെക്ക് ചെയ്തിരിക്കണം"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","ബാധകമായ വേണ്ടി {0} തിരഞ്ഞെടുക്കപ്പെട്ടു എങ്കിൽ വാങ്ങൽ, ചെക്ക് ചെയ്തിരിക്കണം"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,ഡിസ്കൗണ്ട് 100 താഴെ ആയിരിക്കണം
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,അവസാനം വാങ്ങൽ നിരക്ക് കണ്ടെത്തിയില്ല
DocType: Purchase Invoice,Write Off Amount (Company Currency),ഓഫാക്കുക എഴുതുക തുക (കമ്പനി കറൻസി)
DocType: Sales Invoice Timesheet,Billing Hours,ബില്ലിംഗ് മണിക്കൂർ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,{0} കണ്ടെത്തിയില്ല സ്ഥിര BOM ൽ
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,വരി # {0}: സജ്ജീകരിക്കുക പുനഃക്രമീകരിക്കുക അളവ്
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,വരി # {0}: സജ്ജീകരിക്കുക പുനഃക്രമീകരിക്കുക അളവ്
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,ഇവിടെ ചേർക്കാൻ ഇനങ്ങൾ ടാപ്പ്
DocType: Fees,Program Enrollment,പ്രോഗ്രാം എൻറോൾമെന്റ്
DocType: Landed Cost Voucher,Landed Cost Voucher,ചെലവ് വൗച്ചർ റജിസ്റ്റർ
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},{0} സജ്ജീകരിക്കുക
DocType: Purchase Invoice,Repeat on Day of Month,മാസം നാളിൽ ആവർത്തിക്കുക
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} വിദ്യാർത്ഥി നിഷ്ക്രിയമാണ്
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} വിദ്യാർത്ഥി നിഷ്ക്രിയമാണ്
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} വിദ്യാർത്ഥി നിഷ്ക്രിയമാണ്
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} വിദ്യാർത്ഥി നിഷ്ക്രിയമാണ്
DocType: Employee,Health Details,ആരോഗ്യ വിശദാംശങ്ങൾ
DocType: Offer Letter,Offer Letter Terms,ഓഫർ ലെറ്ററിന്റെ നിബന്ധനകൾ
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,ഒരു പേയ്മെന്റ് അഭ്യർത്ഥന റഫറൻസ് പ്രമാണം ആവശ്യമാണ് സൃഷ്ടിക്കാൻ
@@ -4284,7 +4309,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","ഉദാഹരണം:. എബിസിഡി ##### പരമ്പര സജ്ജമാക്കുമ്പോൾ സീരിയൽ ഇടപാടുകൾ ഒന്നുമില്ല പരാമർശിച്ച അല്ല, പിന്നെ ഓട്ടോമാറ്റിക് സീരിയൽ നമ്പർ ഈ പരമ്പര അടിസ്ഥാനമാക്കി സൃഷ്ടിച്ച ചെയ്യുന്നതെങ്കിൽ. നിങ്ങൾക്ക് എല്ലായ്പ്പോഴും കീഴ്വഴക്കമായി ഈ ഇനത്തിന്റെ വേണ്ടി സീരിയൽ ഒഴിവ് മറന്ന ആഗ്രഹിക്കുന്നുവെങ്കിൽ. ശ്യൂന്യമായിടുകയാണെങ്കിൽ."
DocType: Upload Attendance,Upload Attendance,ഹാജർ അപ്ലോഡുചെയ്യുക
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM ലേക്ക് ആൻഡ് ണം ക്വാണ്ടിറ്റി ആവശ്യമാണ്
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM ലേക്ക് ആൻഡ് ണം ക്വാണ്ടിറ്റി ആവശ്യമാണ്
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,എയ്ജിങ് ശ്രേണി 2
DocType: SG Creation Tool Course,Max Strength,മാക്സ് ദൃഢത
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM ലേക്ക് മാറ്റിസ്ഥാപിച്ചു
@@ -4294,8 +4319,8 @@
,Prospects Engaged But Not Converted,സാദ്ധ്യതകളും നിശ്ചയം എന്നാൽ പരിവർത്തനം
DocType: Manufacturing Settings,Manufacturing Settings,ണം ക്രമീകരണങ്ങൾ
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,ഇമെയിൽ സജ്ജീകരിക്കുന്നു
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,ഗുഅര്ദിഅന്൧ മൊബൈൽ ഇല്ല
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,കമ്പനി മാസ്റ്റർ സ്വതവേയുള്ള കറൻസി നൽകുക
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,ഗുഅര്ദിഅന്൧ മൊബൈൽ ഇല്ല
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,കമ്പനി മാസ്റ്റർ സ്വതവേയുള്ള കറൻസി നൽകുക
DocType: Stock Entry Detail,Stock Entry Detail,സ്റ്റോക്ക് എൻട്രി വിശദാംശം
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,പ്രതിദിന ഓർമപ്പെടുത്തലുകൾ
DocType: Products Settings,Home Page is Products,ഹോം പേജ് ഉല്പന്നങ്ങൾ ആണ്
@@ -4304,7 +4329,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,പുതിയ അക്കൗണ്ട് പേര്
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,അസംസ്കൃത വസ്തുക്കൾ ചെലവ് നൽകിയത്
DocType: Selling Settings,Settings for Selling Module,അതേസമയം മൊഡ്യൂൾ വേണ്ടി ക്രമീകരണങ്ങൾ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,കസ്റ്റമർ സർവീസ്
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,കസ്റ്റമർ സർവീസ്
DocType: BOM,Thumbnail,ലഘുചിത്രം
DocType: Item Customer Detail,Item Customer Detail,ഇനം ഉപഭോക്തൃ വിശദാംശം
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,സ്ഥാനാർഥി ഒരു ജോലി ഓഫര്.
@@ -4313,7 +4338,7 @@
DocType: Pricing Rule,Percentage,ശതമാനം
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,ഇനം {0} ഒരു സ്റ്റോക്ക് ഇനം ആയിരിക്കണം
DocType: Manufacturing Settings,Default Work In Progress Warehouse,പ്രോഗ്രസ് വെയർഹൗസ് സ്വതവെയുള്ള വർക്ക്
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,അക്കൗണ്ടിങ് ഇടപാടുകൾക്ക് സ്ഥിരസ്ഥിതി ക്രമീകരണങ്ങൾ.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,അക്കൗണ്ടിങ് ഇടപാടുകൾക്ക് സ്ഥിരസ്ഥിതി ക്രമീകരണങ്ങൾ.
DocType: Maintenance Visit,MV,എം.വി.
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,പ്രതീക്ഷിച്ച തീയതി മെറ്റീരിയൽ അഭ്യർത്ഥന തീയതി മുമ്പ് ആകാൻ പാടില്ല
DocType: Purchase Invoice Item,Stock Qty,ഓഹരി അളവ്
@@ -4327,10 +4352,10 @@
DocType: Sales Order,Printing Details,അച്ചടി വിശദാംശങ്ങൾ
DocType: Task,Closing Date,അവസാന തീയതി
DocType: Sales Order Item,Produced Quantity,നിർമ്മാണം ക്വാണ്ടിറ്റി
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,എഞ്ചിനീയർ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,എഞ്ചിനീയർ
DocType: Journal Entry,Total Amount Currency,ആകെ തുക കറൻസി
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,തിരച്ചിൽ സബ് അസംബ്ലീസ്
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},വരി ഇല്ല {0} ആവശ്യമാണ് ഇനം കോഡ്
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},വരി ഇല്ല {0} ആവശ്യമാണ് ഇനം കോഡ്
DocType: Sales Partner,Partner Type,പങ്കാളി തരം
DocType: Purchase Taxes and Charges,Actual,യഥാർത്ഥ
DocType: Authorization Rule,Customerwise Discount,Customerwise ഡിസ്കൗണ്ട്
@@ -4347,11 +4372,11 @@
DocType: Item Reorder,Re-Order Level,വീണ്ടും ഓർഡർ ലെവൽ
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"ഇനങ്ങൾ നൽകുക, നിങ്ങൾ പ്രൊഡക്ഷൻ ഉത്തരവുകൾ ഉയർത്തരുത് വിശകലനം അസംസ്കൃത വസ്തുക്കൾ ഡൌൺലോഡ് ചെയ്യാൻ ആഗ്രഹിക്കുന്ന qty ആസൂത്രണം."
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt ചാർട്ട്
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,ഭാഗിക സമയം
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,ഭാഗിക സമയം
DocType: Employee,Applicable Holiday List,ഉപയുക്തമായ ഹോളിഡേ പട്ടിക
DocType: Employee,Cheque,ചെക്ക്
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,സീരീസ് അപ്ഡേറ്റ്
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,റിപ്പോർട്ട് തരം നിർബന്ധമാണ്
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,റിപ്പോർട്ട് തരം നിർബന്ധമാണ്
DocType: Item,Serial Number Series,സീരിയൽ നമ്പർ സീരീസ്
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},വെയർഹൗസ് നിരയിൽ സ്റ്റോക്ക് ഇനം {0} നിര്ബന്ധമാണ് {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,"ലാഭേച്ചയില്ലാത്തതും, ചാരിറ്റിയും"
@@ -4373,7 +4398,7 @@
DocType: BOM,Materials,മെറ്റീരിയൽസ്
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","ചെക്കുചെയ്യാത്തത്, പട്ടിക അത് ബാധകമായി ഉണ്ട് എവിടെ ഓരോ വകുപ്പ് ചേർക്കും വരും."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,"ഉറവിട, ടാർഗെറ്റ് വെയർഹൗസ് ഒന്നുതന്നെയായിരിക്കരുത്"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,തീയതിയും പോസ്റ്റിംഗ് സമയം ചേർക്കൽ നിർബന്ധമായും
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,തീയതിയും പോസ്റ്റിംഗ് സമയം ചേർക്കൽ നിർബന്ധമായും
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,ഇടപാടുകൾ വാങ്ങിയതിന് നികുതി ടെംപ്ലേറ്റ്.
,Item Prices,ഇനം വിലകൾ
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,നിങ്ങൾ വാങ്ങൽ ഓർഡർ രക്ഷിക്കും ഒരിക്കൽ വാക്കുകളിൽ ദൃശ്യമാകും.
@@ -4383,22 +4408,23 @@
DocType: Purchase Invoice,Advance Payments,പേയ്മെൻറുകൾ അഡ്വാൻസ്
DocType: Purchase Taxes and Charges,On Net Total,നെറ്റ് ആകെ ന്
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},ആട്രിബ്യൂട്ട് {0} {4} ഇനം വേണ്ടി {1} എന്ന {3} വർദ്ധനവിൽ {2} ലേക്ക് പരിധി ആയിരിക്കണം മൂല്യം
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,നിരയിൽ ടാർഗെറ്റ് വെയർഹൗസ് {0} പ്രൊഡക്ഷൻ ഓർഡർ അതേ ആയിരിക്കണം
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,നിരയിൽ ടാർഗെറ്റ് വെയർഹൗസ് {0} പ്രൊഡക്ഷൻ ഓർഡർ അതേ ആയിരിക്കണം
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,% S ആവർത്തന പേരിൽ വ്യക്തമാക്കാത്ത 'അറിയിപ്പ് ഇമെയിൽ വിലാസങ്ങൾ'
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,കറൻസി മറ്റ് ചില കറൻസി ഉപയോഗിച്ച് എൻട്രികൾ ചെയ്തശേഷം മാറ്റാൻ കഴിയില്ല
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,കറൻസി മറ്റ് ചില കറൻസി ഉപയോഗിച്ച് എൻട്രികൾ ചെയ്തശേഷം മാറ്റാൻ കഴിയില്ല
DocType: Vehicle Service,Clutch Plate,ക്ലച്ച് പ്ലേറ്റ്
DocType: Company,Round Off Account,അക്കൗണ്ട് ഓഫാക്കുക റൌണ്ട്
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,അഡ്മിനിസ്ട്രേറ്റീവ് ചെലവുകൾ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,അഡ്മിനിസ്ട്രേറ്റീവ് ചെലവുകൾ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,കൺസൾട്ടിംഗ്
DocType: Customer Group,Parent Customer Group,പാരന്റ് ഉപഭോക്തൃ ഗ്രൂപ്പ്
DocType: Purchase Invoice,Contact Email,കോൺടാക്റ്റ് ഇമെയിൽ
DocType: Appraisal Goal,Score Earned,സ്കോർ നേടി
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,നോട്ടീസ് പിരീഡ്
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,നോട്ടീസ് പിരീഡ്
DocType: Asset Category,Asset Category Name,അസറ്റ് വിഭാഗത്തിന്റെ പേര്
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,ഇത് ഒരു റൂട്ട് പ്രദേശത്തിന്റെ ആണ് എഡിറ്റ് ചെയ്യാൻ കഴിയില്ല.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,പുതിയ സെയിൽസ് വ്യക്തി നാമം
DocType: Packing Slip,Gross Weight UOM,ആകെ ഭാരം UOM
DocType: Delivery Note Item,Against Sales Invoice,സെയിൽസ് ഇൻവോയിസ് എഗെൻസ്റ്റ്
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,ദയവായി സീരിയൽ ഇനം സീരിയൽ നമ്പറുകളോ നൽകുക
DocType: Bin,Reserved Qty for Production,പ്രൊഡക്ഷൻ സംവരണം അളവ്
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,നിങ്ങൾ കോഴ്സ് അടിസ്ഥാനമാക്കിയുള്ള ഗ്രൂപ്പുകൾ അവസരത്തിൽ ബാച്ച് പരിഗണിക്കുക ആഗ്രഹിക്കുന്നില്ല പരിശോധിക്കാതെ വിടുക.
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,നിങ്ങൾ കോഴ്സ് അടിസ്ഥാനമാക്കിയുള്ള ഗ്രൂപ്പുകൾ അവസരത്തിൽ ബാച്ച് പരിഗണിക്കുക ആഗ്രഹിക്കുന്നില്ല പരിശോധിക്കാതെ വിടുക.
@@ -4407,25 +4433,25 @@
DocType: Landed Cost Item,Landed Cost Item,റജിസ്റ്റർ ചെലവ് ഇനം
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,പൂജ്യം മൂല്യങ്ങൾ കാണിക്കുക
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,അസംസ്കൃത വസ്തുക്കളുടെ തന്നിരിക്കുന്ന അളവിൽ നിന്ന് തിരസ്കൃതമൂല്യങ്ങള് / നിര്മ്മാണ ശേഷം ഇനത്തിന്റെ അളവ്
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,സെറ്റപ്പ് എന്റെ ഓർഗനൈസേഷന് ഒരു ലളിതമായ വെബ്സൈറ്റ്
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,സെറ്റപ്പ് എന്റെ ഓർഗനൈസേഷന് ഒരു ലളിതമായ വെബ്സൈറ്റ്
DocType: Payment Reconciliation,Receivable / Payable Account,സ്വീകാ / അടയ്ക്കേണ്ട അക്കൗണ്ട്
DocType: Delivery Note Item,Against Sales Order Item,സെയിൽസ് ഓർഡർ ഇനം എഗെൻസ്റ്റ്
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},ആട്രിബ്യൂട്ട് {0} മൂല്യം ആട്രിബ്യൂട്ട് വ്യക്തമാക്കുക
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},ആട്രിബ്യൂട്ട് {0} മൂല്യം ആട്രിബ്യൂട്ട് വ്യക്തമാക്കുക
DocType: Item,Default Warehouse,സ്ഥിരസ്ഥിതി വെയർഹൗസ്
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},ബജറ്റ് ഗ്രൂപ്പ് അക്കൗണ്ട് {0} നേരെ നിയോഗിക്കുകയും കഴിയില്ല
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,പാരന്റ് കോസ്റ്റ് സെന്റർ നൽകുക
DocType: Delivery Note,Print Without Amount,തുക ഇല്ലാതെ അച്ചടിക്കുക
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,മൂല്യത്തകർച്ച തീയതി
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"നികുതി വർഗ്ഗം എല്ലാ വസ്തുക്കളുടെ 'മൂലധനം' അഥവാ 'മൂലധനം, മൊത്ത' ആകാൻ പാടില്ല-ഇതര ഓഹരി വസ്തുക്കളും"
DocType: Issue,Support Team,പിന്തുണ ടീം
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),കാലഹരണ (ദിവസങ്ങളിൽ)
DocType: Appraisal,Total Score (Out of 5),(5) ആകെ സ്കോർ
DocType: Fee Structure,FS.,എഫ്എസ്.
-DocType: Program Enrollment,Batch,ബാച്ച്
+DocType: Student Attendance Tool,Batch,ബാച്ച്
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,ബാലൻസ്
DocType: Room,Seating Capacity,ഇരിപ്പിടങ്ങളുടെ
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),(ചിലവേറിയ ക്ലെയിമുകൾ വഴി) ആകെ ചിലവേറിയ ക്ലെയിം
+DocType: GST Settings,GST Summary,ചരക്കുസേവന ചുരുക്കം
DocType: Assessment Result,Total Score,ആകെ സ്കോർ
DocType: Journal Entry,Debit Note,ഡെബിറ്റ് കുറിപ്പ്
DocType: Stock Entry,As per Stock UOM,ഓഹരി UOM അനുസരിച്ച്
@@ -4437,12 +4463,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,സ്വതേ ഉത്പ്പന്ന വെയർഹൗസ് പൂർത്തിയായി
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,സെയിൽസ് വ്യാക്തി
DocType: SMS Parameter,SMS Parameter,എസ്എംഎസ് പാരാമീറ്റർ
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,ബജറ്റ് ചെലവ് കേന്ദ്രം
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,ബജറ്റ് ചെലവ് കേന്ദ്രം
DocType: Vehicle Service,Half Yearly,പകുതി വാർഷികം
DocType: Lead,Blog Subscriber,ബ്ലോഗ് സബ്സ്ക്രൈബർ
DocType: Guardian,Alternate Number,ഇതര നമ്പർ
DocType: Assessment Plan Criteria,Maximum Score,പരമാവധി സ്കോർ
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,മൂല്യങ്ങൾ അടിസ്ഥാനമാക്കിയുള്ള ഇടപാടുകൾ പരിമിതപ്പെടുത്താൻ നിയമങ്ങൾ സൃഷ്ടിക്കുക.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,ഗ്രൂപ്പ് റോൾ ഇല്ല
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,നിങ്ങൾ പ്രതിവർഷം വിദ്യാർത്ഥികളുടെ ഗ്രൂപ്പുകൾ ഉണ്ടാക്കുന്ന ശൂന്യമായിടൂ
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,നിങ്ങൾ പ്രതിവർഷം വിദ്യാർത്ഥികളുടെ ഗ്രൂപ്പുകൾ ഉണ്ടാക്കുന്ന ശൂന്യമായിടൂ
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","ചെക്കുചെയ്തിട്ടുണ്ടെങ്കിൽ ആകെ എങ്കിൽ. ത്തി ദിവസം വരയന് ഉൾപ്പെടുത്തും, ഈ സാലറി ദിവസം മൂല്യം കുറയ്ക്കും"
@@ -4462,6 +4489,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,ഇത് ഈ കസ്റ്റമർ നേരെ ഇടപാടുകൾ അടിസ്ഥാനമാക്കിയുള്ളതാണ്. വിശദാംശങ്ങൾക്ക് ടൈംലൈൻ കാണുക
DocType: Supplier,Credit Days Based On,അടിസ്ഥാനമാക്കി ക്രെഡിറ്റ് ദിനങ്ങൾ
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},വരി {0}: തുക {1} പേയ്മെന്റ് എൻട്രി തുക {2} ലേക്ക് കുറവോ തുല്യം ആയിരിക്കണം
+,Course wise Assessment Report,കോഴ്സ് ജ്ഞാനികൾ വിലയിരുത്തൽ റിപ്പോർട്ട്
DocType: Tax Rule,Tax Rule,നികുതി റൂൾ
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,സെയിൽസ് സൈക്കിൾ മുഴുവൻ അതേ നിലനിറുത്തുക
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,വർക്ക്സ്റ്റേഷൻ പ്രവൃത്തി സമയത്തിന് പുറത്തുള്ള സമയം പ്രവർത്തനരേഖകൾ ആസൂത്രണം ചെയ്യുക.
@@ -4470,7 +4498,7 @@
,Items To Be Requested,അഭ്യർത്ഥിച്ചു ഇനങ്ങൾ
DocType: Purchase Order,Get Last Purchase Rate,അവസാനം വാങ്ങൽ റേറ്റ് നേടുക
DocType: Company,Company Info,കമ്പനി വിവരങ്ങൾ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,പുതിയ ഉപഭോക്തൃ തിരഞ്ഞെടുക്കുക അല്ലെങ്കിൽ ചേർക്കുക
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,പുതിയ ഉപഭോക്തൃ തിരഞ്ഞെടുക്കുക അല്ലെങ്കിൽ ചേർക്കുക
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,കോസ്റ്റ് സെന്റർ ഒരു ചെലവിൽ ക്ലെയിം ബുക്ക് ആവശ്യമാണ്
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),ഫണ്ട് അപേക്ഷാ (ആസ്തികൾ)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,ഈ ജോലിയില് ഹാജർ അടിസ്ഥാനമാക്കിയുള്ളതാണ്
@@ -4478,27 +4506,29 @@
DocType: Fiscal Year,Year Start Date,വർഷം ആരംഭ തീയതി
DocType: Attendance,Employee Name,ജീവനക്കാരുടെ പേര്
DocType: Sales Invoice,Rounded Total (Company Currency),വൃത്തത്തിലുള്ള ആകെ (കമ്പനി കറൻസി)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,അക്കൗണ്ട് തരം തിരഞ്ഞെടുത്തുവെന്ന് കാരണം ഗ്രൂപ്പിലേക്ക് മറവിൽ ചെയ്യാൻ കഴിയില്ല.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,അക്കൗണ്ട് തരം തിരഞ്ഞെടുത്തുവെന്ന് കാരണം ഗ്രൂപ്പിലേക്ക് മറവിൽ ചെയ്യാൻ കഴിയില്ല.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} പരിഷ്ക്കരിച്ചു. പുതുക്കുക.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,താഴെ ദിവസങ്ങളിൽ അവധി അപേക്ഷിക്കുന്നതിനുള്ള നിന്നും ഉപയോക്താക്കളെ നിർത്തുക.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,വാങ്ങൽ തുക
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,വിതരണക്കാരൻ ക്വട്ടേഷൻ {0} സൃഷ്ടിച്ചു
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,അവസാനിക്കുന്ന വർഷം ആരംഭിക്കുന്ന വർഷം മുമ്പ് ആകാൻ പാടില്ല
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,ജീവനക്കാരുടെ ആനുകൂല്യങ്ങൾ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,ജീവനക്കാരുടെ ആനുകൂല്യങ്ങൾ
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},ചിലരാകട്ടെ അളവ് വരി {1} ൽ ഇനം {0} വേണ്ടി അളവ് ഒക്കുന്നില്ല വേണം
DocType: Production Order,Manufactured Qty,മാന്യുഫാക്ച്ചേർഡ് Qty
DocType: Purchase Receipt Item,Accepted Quantity,അംഗീകരിച്ചു ക്വാണ്ടിറ്റി
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},ഒരു സ്ഥിര ഹോളിഡേ ലിസ്റ്റ് സജ്ജമാക്കാൻ ദയവായി എംപ്ലോയിസ് {0} അല്ലെങ്കിൽ കമ്പനി {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} നിലവിലുണ്ട് ഇല്ല
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} നിലവിലുണ്ട് ഇല്ല
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,ബാച്ച് നമ്പറുകൾ തിരഞ്ഞെടുക്കുക
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,ഉപഭോക്താക്കൾക്ക് ഉയർത്തുകയും ബില്ലുകള്.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,പ്രോജക്ട് ഐഡി
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},വരി ഇല്ല {0}: തുക ചിലവിടൽ ക്ലെയിം {1} നേരെ തുക തീർച്ചപ്പെടുത്തിയിട്ടില്ല വലുതായിരിക്കണം കഴിയില്ല. തീർച്ചപ്പെടുത്തിയിട്ടില്ല തുക {2} ആണ്
DocType: Maintenance Schedule,Schedule,ഷെഡ്യൂൾ
DocType: Account,Parent Account,പാരന്റ് അക്കൗണ്ട്
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,ലഭ്യമായ
DocType: Quality Inspection Reading,Reading 3,Reading 3
,Hub,ഹബ്
DocType: GL Entry,Voucher Type,സാക്ഷപ്പെടുത്തല് തരം
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,വില പട്ടിക കണ്ടെത്തിയില്ല അല്ലെങ്കിൽ പ്രവർത്തനരഹിതമാക്കിയിട്ടില്ലെന്ന്
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,വില പട്ടിക കണ്ടെത്തിയില്ല അല്ലെങ്കിൽ പ്രവർത്തനരഹിതമാക്കിയിട്ടില്ലെന്ന്
DocType: Employee Loan Application,Approved,അംഗീകരിച്ചു
DocType: Pricing Rule,Price,വില
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0} 'ഇടത്' ആയി സജ്ജമാക്കാൻ വേണം ന് ആശ്വാസമായി ജീവനക്കാരൻ
@@ -4509,7 +4539,8 @@
DocType: Selling Settings,Campaign Naming By,ആയപ്പോഴേക്കും നാമകരണം കാമ്പെയ്ൻ
DocType: Employee,Current Address Is,ഇപ്പോഴത്തെ വിലാസമാണിത്
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,തിരുത്തപ്പെട്ടത്
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","ഓപ്ഷണൽ. വ്യക്തമാക്കിയിട്ടില്ല എങ്കിൽ കമ്പനിയുടെ സ്വതവേ കറൻസി, സജ്ജമാക്കുന്നു."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","ഓപ്ഷണൽ. വ്യക്തമാക്കിയിട്ടില്ല എങ്കിൽ കമ്പനിയുടെ സ്വതവേ കറൻസി, സജ്ജമാക്കുന്നു."
+DocType: Sales Invoice,Customer GSTIN,കസ്റ്റമർ ഗ്സ്തിന്
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,അക്കൗണ്ടിംഗ് എൻട്രികൾ.
DocType: Delivery Note Item,Available Qty at From Warehouse,വെയർഹൗസിൽ നിന്ന് ലഭ്യമായ Qty
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,എംപ്ലോയീസ് റെക്കോർഡ് ആദ്യം തിരഞ്ഞെടുക്കുക.
@@ -4517,7 +4548,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},വരി {0}: പാർട്ടി / അക്കൗണ്ട് {3} {4} ൽ {1} / {2} കൂടെ പൊരുത്തപ്പെടുന്നില്ല
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,ചിലവേറിയ നൽകുക
DocType: Account,Stock,സ്റ്റോക്ക്
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","വരി # {0}: പരാമർശം ഡോക്യുമെന്റ് തരം പർച്ചേസ് ഓർഡർ, പർച്ചേസ് ഇൻവോയ്സ് അല്ലെങ്കിൽ ജേർണൽ എൻട്രി ഒന്ന് ആയിരിക്കണം"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","വരി # {0}: പരാമർശം ഡോക്യുമെന്റ് തരം പർച്ചേസ് ഓർഡർ, പർച്ചേസ് ഇൻവോയ്സ് അല്ലെങ്കിൽ ജേർണൽ എൻട്രി ഒന്ന് ആയിരിക്കണം"
DocType: Employee,Current Address,ഇപ്പോഴത്തെ വിലാസം
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","ഇനത്തിന്റെ മറ്റൊരു ഇനത്തിന്റെ ഒരു വകഭേദം ഇതാണെങ്കിൽ കീഴ്വഴക്കമായി വ്യക്തമാക്കപ്പെടുന്നതുവരെ പിന്നെ വിവരണം, ചിത്രം, ഉള്ളവയും, നികുതികൾ തുടങ്ങിയവ ടെംപ്ലേറ്റിൽ നിന്നും ആയിരിക്കും"
DocType: Serial No,Purchase / Manufacture Details,വാങ്ങൽ / ഉത്പാദനം വിവരങ്ങൾ
@@ -4530,8 +4561,8 @@
DocType: Pricing Rule,Min Qty,കുറഞ്ഞത് Qty
DocType: Asset Movement,Transaction Date,ഇടപാട് തീയതി
DocType: Production Plan Item,Planned Qty,പ്ലാൻ ചെയ്തു Qty
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,ആകെ നികുതി
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,ക്വാണ്ടിറ്റി എന്ന (Qty ഫാക്ടറി) നിർബന്ധമായും
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,ആകെ നികുതി
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,ക്വാണ്ടിറ്റി എന്ന (Qty ഫാക്ടറി) നിർബന്ധമായും
DocType: Stock Entry,Default Target Warehouse,സ്വതേ ടാര്ഗറ്റ് വെയർഹൗസ്
DocType: Purchase Invoice,Net Total (Company Currency),അറ്റ ആകെ (കമ്പനി കറൻസി)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,വർഷം അവസാനിക്കുന്ന വർഷം ആരംഭിക്കുന്ന തീയതിയ്ക്ക് നേരത്തെ പാടില്ല. എൻറർ ശരിയാക്കി വീണ്ടും ശ്രമിക്കുക.
@@ -4545,15 +4576,12 @@
DocType: Hub Settings,Hub Settings,ഹബ് ക്രമീകരണങ്ങൾ
DocType: Project,Gross Margin %,മൊത്തം മാർജിൻ%
DocType: BOM,With Operations,പ്രവർത്തനവുമായി
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,അക്കൗണ്ടിംഗ് എൻട്രികൾ ഇതിനകം കമ്പനി {1} വേണ്ടി കറൻസി {0} ഉണ്ടായിട്ടുണ്ട്. കറൻസി {0} ഉപയോഗിച്ച് ഒരു സ്വീകരിക്കുന്ന അല്ലെങ്കിൽ മാറാവുന്ന അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,അക്കൗണ്ടിംഗ് എൻട്രികൾ ഇതിനകം കമ്പനി {1} വേണ്ടി കറൻസി {0} ഉണ്ടായിട്ടുണ്ട്. കറൻസി {0} ഉപയോഗിച്ച് ഒരു സ്വീകരിക്കുന്ന അല്ലെങ്കിൽ മാറാവുന്ന അക്കൗണ്ട് തിരഞ്ഞെടുക്കുക.
DocType: Asset,Is Existing Asset,നിലവിലുള്ള സ്വത്ത്
DocType: Salary Detail,Statistical Component,സ്റ്റാറ്റിസ്റ്റിക്കൽ ഘടക
DocType: Salary Detail,Statistical Component,സ്റ്റാറ്റിസ്റ്റിക്കൽ ഘടക
-,Monthly Salary Register,പ്രതിമാസ ശമ്പളം രജിസ്റ്റർ
DocType: Warranty Claim,If different than customer address,ഉപഭോക്തൃ വിലാസം അധികം വ്യത്യസ്ത എങ്കിൽ
DocType: BOM Operation,BOM Operation,BOM ഓപ്പറേഷൻ
-DocType: School Settings,Validate the Student Group from Program Enrollment,പ്രോഗ്രാം എൻറോൾമെന്റ് നിന്ന് സ്റ്റുഡന്റ് ഗ്രൂപ്പ് സാധൂകരിക്കൂ
-DocType: School Settings,Validate the Student Group from Program Enrollment,പ്രോഗ്രാം എൻറോൾമെന്റ് നിന്ന് സ്റ്റുഡന്റ് ഗ്രൂപ്പ് സാധൂകരിക്കൂ
DocType: Purchase Taxes and Charges,On Previous Row Amount,മുൻ വരി തുക
DocType: Student,Home Address,ഹോം വിലാസം
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,അസറ്റ് കൈമാറൽ
@@ -4561,28 +4589,27 @@
DocType: Training Event,Event Name,ഇവന്റ് പേര്
apps/erpnext/erpnext/config/schools.py +39,Admission,അഡ്മിഷൻ
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},വേണ്ടി {0} പ്രവേശനം
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","ബജറ്റുകൾ സ്ഥാപിക്കുന്നതിനുള്ള Seasonality, ടാർഗറ്റുകൾ തുടങ്ങിയവ"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants",ഇനം {0} ഫലകം അതിന്റെ വകഭേദങ്ങളും തിരഞ്ഞെടുക്കുക
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","ബജറ്റുകൾ സ്ഥാപിക്കുന്നതിനുള്ള Seasonality, ടാർഗറ്റുകൾ തുടങ്ങിയവ"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants",ഇനം {0} ഫലകം അതിന്റെ വകഭേദങ്ങളും തിരഞ്ഞെടുക്കുക
DocType: Asset,Asset Category,അസറ്റ് വർഗ്ഗം
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,വാങ്ങിക്കുന്ന
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,നെറ്റ് വേതനം നെഗറ്റീവ് ആയിരിക്കാൻ കഴിയില്ല
DocType: SMS Settings,Static Parameters,സ്റ്റാറ്റിക് പാരാമീറ്ററുകൾ
DocType: Assessment Plan,Room,ഇടം
DocType: Purchase Order,Advance Paid,മുൻകൂർ പണമടച്ചു
DocType: Item,Item Tax,ഇനം നികുതി
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,വിതരണക്കാരൻ വരെ മെറ്റീരിയൽ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,എക്സൈസ് ഇൻവോയിസ്
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,എക്സൈസ് ഇൻവോയിസ്
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,ത്രെഷോൾഡ് {0}% ഒന്നിലധികം തവണ ലഭ്യമാകുന്നു
DocType: Expense Claim,Employees Email Id,എംപ്ലോയീസ് ഇമെയിൽ ഐഡി
DocType: Employee Attendance Tool,Marked Attendance,അടയാളപ്പെടുത്തിയിരിക്കുന്ന ഹാജർ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,നിലവിലുള്ള ബാധ്യതകൾ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,നിലവിലുള്ള ബാധ്യതകൾ
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,സമ്പർക്കങ്ങളിൽ പിണ്ഡം എസ്എംഎസ് അയയ്ക്കുക
DocType: Program,Program Name,പ്രോഗ്രാം പേര്
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,വേണ്ടി നികുതി അഥവാ ചാർജ് പരിചിന്തിക്കുക
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,യഥാർത്ഥ Qty നിർബന്ധമായും
DocType: Employee Loan,Loan Type,ലോൺ ഇനം
DocType: Scheduling Tool,Scheduling Tool,സമയംസജ്ജീകരിയ്ക്കുന്നു ടൂൾ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,ക്രെഡിറ്റ് കാർഡ്
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,ക്രെഡിറ്റ് കാർഡ്
DocType: BOM,Item to be manufactured or repacked,ഇനം നിർമിക്കുന്ന അല്ലെങ്കിൽ repacked ചെയ്യേണ്ട
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,ഓഹരി ഇടപാടുകൾക്ക് സ്ഥിരസ്ഥിതി ക്രമീകരണങ്ങൾ.
DocType: Purchase Invoice,Next Date,അടുത്തത് തീയതി
@@ -4598,10 +4625,10 @@
DocType: Stock Entry,Repack,Repack
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,മുന്നോട്ടു മുമ്പ് ഫോം സംരക്ഷിക്കുക വേണം
DocType: Item Attribute,Numeric Values,സാംഖിക മൂല്യങ്ങൾ
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,ലോഗോ അറ്റാച്ച്
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,ലോഗോ അറ്റാച്ച്
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,ഓഹരി ലെവലുകൾ
DocType: Customer,Commission Rate,കമ്മീഷൻ നിരക്ക്
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,വേരിയന്റ് നിർമ്മിക്കുക
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,വേരിയന്റ് നിർമ്മിക്കുക
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,വകുപ്പിന്റെ ലീവ് പ്രയോഗങ്ങൾ തടയുക.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","പേയ്മെന്റ് ഇനം, സ്വീകരിക്കുക ഒന്ന് ആയിരിക്കണം അടച്ച് ആന്തരിക ട്രാൻസ്ഫർ"
apps/erpnext/erpnext/config/selling.py +179,Analytics,അനലിറ്റിക്സ്
@@ -4609,45 +4636,45 @@
DocType: Vehicle,Model,മാതൃക
DocType: Production Order,Actual Operating Cost,യഥാർത്ഥ ഓപ്പറേറ്റിംഗ് ചെലവ്
DocType: Payment Entry,Cheque/Reference No,ചെക്ക് / പരാമർശം ഇല്ല
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,റൂട്ട് എഡിറ്റ് ചെയ്യാൻ കഴിയില്ല.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,റൂട്ട് എഡിറ്റ് ചെയ്യാൻ കഴിയില്ല.
DocType: Item,Units of Measure,അളവിന്റെ യൂണിറ്റുകൾ
DocType: Manufacturing Settings,Allow Production on Holidays,അവധിദിനങ്ങളിൽ പ്രൊഡക്ഷൻ അനുവദിക്കുക
DocType: Sales Order,Customer's Purchase Order Date,കസ്റ്റമർ പർച്ചേസ് ഓർഡർ തീയതി
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,ക്യാപിറ്റൽ സ്റ്റോക്ക്
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,ക്യാപിറ്റൽ സ്റ്റോക്ക്
DocType: Shopping Cart Settings,Show Public Attachments,പൊതു അറ്റാച്മെന്റ് കാണിക്കുക
DocType: Packing Slip,Package Weight Details,പാക്കേജ് ഭാരം വിശദാംശങ്ങൾ
DocType: Payment Gateway Account,Payment Gateway Account,പേയ്മെന്റ് ഗേറ്റ്വേ അക്കൗണ്ട്
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,പേയ്മെന്റ് പൂർത്തിയായ ശേഷം തിരഞ്ഞെടുത്ത പേജിലേക്ക് ഉപയോക്താവിനെ തിരിച്ചുവിടൽ.
DocType: Company,Existing Company,നിലവിലുള്ള കമ്പനി
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",എല്ലാ ഇനങ്ങളും ഇതര ഓഹരി ഇനങ്ങൾ കാരണം നികുതി വിഭാഗം "ആകെ" മാറ്റി
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,ഒരു CSV ഫയൽ തിരഞ്ഞെടുക്കുക
DocType: Student Leave Application,Mark as Present,അവതരിപ്പിക്കുക അടയാളപ്പെടുത്തുക
DocType: Purchase Order,To Receive and Bill,സ്വീകരിക്കുക ബിൽ ചെയ്യുക
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,തിരഞ്ഞെടുത്ത ഉൽപ്പന്നം
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,ഡിസൈനർ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,ഡിസൈനർ
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,നിബന്ധനകളും വ്യവസ്ഥകളും ഫലകം
DocType: Serial No,Delivery Details,ഡെലിവറി വിശദാംശങ്ങൾ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},കോസ്റ്റ് കേന്ദ്രം തരം {1} വേണ്ടി നികുതി പട്ടികയിലെ വരി {0} ആവശ്യമാണ്
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},കോസ്റ്റ് കേന്ദ്രം തരം {1} വേണ്ടി നികുതി പട്ടികയിലെ വരി {0} ആവശ്യമാണ്
DocType: Program,Program Code,പ്രോഗ്രാം കോഡ്
DocType: Terms and Conditions,Terms and Conditions Help,ഉപാധികളും നിബന്ധനകളും സഹായം
,Item-wise Purchase Register,ഇനം തിരിച്ചുള്ള വാങ്ങൽ രജിസ്റ്റർ
DocType: Batch,Expiry Date,കാലഹരണപ്പെടുന്ന തീയതി
-,Supplier Addresses and Contacts,വിതരണക്കമ്പനിയായ വിലാസങ്ങളും ബന്ധങ്ങൾ
,accounts-browser,അക്കൗണ്ടുകൾ-ബ്രൗസർ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,ആദ്യം വർഗ്ഗം തിരഞ്ഞെടുക്കുക
apps/erpnext/erpnext/config/projects.py +13,Project master.,പ്രോജക്ട് മാസ്റ്റർ.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","മേൽ-ബില്ലിംഗ് അല്ലെങ്കിൽ മേൽ-ക്രമം ഓഹരി ക്രമീകരണങ്ങൾ അല്ലെങ്കിൽ ഇനത്തിൽ, അപ്ഡേറ്റ് "അലവൻസ്" അനുവദിക്കുക."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","മേൽ-ബില്ലിംഗ് അല്ലെങ്കിൽ മേൽ-ക്രമം ഓഹരി ക്രമീകരണങ്ങൾ അല്ലെങ്കിൽ ഇനത്തിൽ, അപ്ഡേറ്റ് "അലവൻസ്" അനുവദിക്കുക."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,കറൻസികൾ വരെ തുടങ്ങിയവ $ പോലുള്ള ഏതെങ്കിലും ചിഹ്നം അടുത്ത കാണിക്കരുത്.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(അര ദിവസം)
DocType: Supplier,Credit Days,ക്രെഡിറ്റ് ദിനങ്ങൾ
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,വിദ്യാർത്ഥിയുടെ ബാച്ച് നിർമ്മിക്കുക
DocType: Leave Type,Is Carry Forward,മുന്നോട്ട് വിലക്കുണ്ടോ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,BOM ൽ നിന്നുള്ള ഇനങ്ങൾ നേടുക
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,BOM ൽ നിന്നുള്ള ഇനങ്ങൾ നേടുക
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,ലീഡ് സമയം ദിനങ്ങൾ
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},വരി # {0}: {1} പോസ്റ്റുചെയ്ത തീയതി വാങ്ങൽ തീയതി തുല്യമായിരിക്കണം ആസ്തിയുടെ {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},വരി # {0}: {1} പോസ്റ്റുചെയ്ത തീയതി വാങ്ങൽ തീയതി തുല്യമായിരിക്കണം ആസ്തിയുടെ {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,മുകളിലുള്ള പട്ടികയിൽ സെയിൽസ് ഓർഡറുകൾ നൽകുക
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,ശമ്പള സ്ലിപ്പുകൾ സമർപ്പിച്ചിട്ടില്ല
,Stock Summary,ഓഹരി ചുരുക്കം
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,തമ്മിൽ വെയർഹൗസിൽ നിന്ന് ഒരു അസറ്റ് കൈമാറൽ
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,തമ്മിൽ വെയർഹൗസിൽ നിന്ന് ഒരു അസറ്റ് കൈമാറൽ
DocType: Vehicle,Petrol,പെട്രോൾ
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,വസ്തുക്കൾ ബിൽ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},വരി {0}: പാർട്ടി ടൈപ്പ് പാർട്ടി സ്വീകാ / അടയ്ക്കേണ്ട അക്കൌണ്ട് {1} ആവശ്യമാണ്
@@ -4658,6 +4685,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,അനുവദിക്കപ്പെട്ട തുക
DocType: GL Entry,Is Opening,തുറക്കുകയാണ്
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},വരി {0}: ഡെബിറ്റ് എൻട്രി ഒരു {1} ലിങ്കുചെയ്തിരിക്കുന്നതിനാൽ ചെയ്യാൻ കഴിയില്ല
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,അക്കൗണ്ട് {0} നിലവിലില്ല
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,അക്കൗണ്ട് {0} നിലവിലില്ല
DocType: Account,Cash,ക്യാഷ്
DocType: Employee,Short biography for website and other publications.,വെബ്സൈറ്റ് മറ്റ് പ്രസിദ്ധീകരണങ്ങളിൽ ഷോർട്ട് ജീവചരിത്രം.
diff --git a/erpnext/translations/mr.csv b/erpnext/translations/mr.csv
index 0dfb42b..5a49bca 100644
--- a/erpnext/translations/mr.csv
+++ b/erpnext/translations/mr.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,ग्राहक उत्पादने
DocType: Item,Customer Items,ग्राहक आयटम
DocType: Project,Costing and Billing,भांडवलाच्या आणि बिलिंग
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,खाते {0}: पालक खाते {1} एक लेजर असू शकत नाही
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,खाते {0}: पालक खाते {1} एक लेजर असू शकत नाही
DocType: Item,Publish Item to hub.erpnext.com,Hub.erpnext.com करण्यासाठी आयटम प्रकाशित
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,ईमेल सूचना
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,मूल्यमापन
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,मूल्यमापन
DocType: Item,Default Unit of Measure,माप डीफॉल्ट युनिट
DocType: SMS Center,All Sales Partner Contact,सर्व विक्री भागीदार संपर्क
DocType: Employee,Leave Approvers,रजा साक्षीदार
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),विनिमय दर समान असणे आवश्यक आहे {0} {1} ({2})
DocType: Sales Invoice,Customer Name,ग्राहक नाव
DocType: Vehicle,Natural Gas,नैसर्गिक वायू
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},बँक खाते म्हणून नावाच्या करणे शक्य नाही {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},बँक खाते म्हणून नावाच्या करणे शक्य नाही {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,प्रमुख (किंवा गट) ज्या लेखा नोंदी केले जातात व शिल्लक ठेवली आहेत.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),{0} साठीची बाकी शून्य ({1}) पेक्षा कमी असू शकत नाही
DocType: Manufacturing Settings,Default 10 mins,10 मि डीफॉल्ट
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,सर्व पुरवठादार संपर्क
DocType: Support Settings,Support Settings,समर्थन सेटिंग्ज
DocType: SMS Parameter,Parameter,मापदंड
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,अपेक्षित अंतिम तारीख अपेक्षित प्रारंभ तारीख पेक्षा कमी असू शकत नाही
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,अपेक्षित अंतिम तारीख अपेक्षित प्रारंभ तारीख पेक्षा कमी असू शकत नाही
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,रो # {0}: दर सारखाच असणे आवश्यक आहे {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,नवी रजेचा अर्ज
,Batch Item Expiry Status,बॅच बाबींचा कालावधी समाप्ती स्थिती
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,बँक ड्राफ्ट
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,बँक ड्राफ्ट
DocType: Mode of Payment Account,Mode of Payment Account,भरणा खात्याचे मोड
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,रूपे दर्शवा
DocType: Academic Term,Academic Term,शैक्षणिक मुदत
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,साहित्य
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,प्रमाण
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,खाती टेबल रिक्त असू शकत नाही.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),कर्ज (दायित्व)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),कर्ज (दायित्व)
DocType: Employee Education,Year of Passing,उत्तीर्ण वर्ष
DocType: Item,Country of Origin,मूळ देश
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,स्टॉक
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,स्टॉक
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,खुल्या समस्या
DocType: Production Plan Item,Production Plan Item,उत्पादन योजना आयटम
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},सदस्य {0} आधीच कर्मचारी {1} ला नियुक्त केले आहे
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,हेल्थ केअर
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),भरणा विलंब (दिवस)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,सेवा खर्च
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},अनुक्रमांक: {0} आधीच विक्री चलन संदर्भ आहे: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},अनुक्रमांक: {0} आधीच विक्री चलन संदर्भ आहे: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,चलन
DocType: Maintenance Schedule Item,Periodicity,ठराविक मुदतीने पुन: पुन्हा उगवणे
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,आर्थिक वर्ष {0} आवश्यक आहे
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,रो # {0}:
DocType: Timesheet,Total Costing Amount,एकूण भांडवलाच्या रक्कम
DocType: Delivery Note,Vehicle No,वाहन क्रमांक
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,कृपया किंमत सूची निवडा
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,कृपया किंमत सूची निवडा
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,सलग # {0}: भरणा दस्तऐवज trasaction पूर्ण करणे आवश्यक आहे
DocType: Production Order Operation,Work In Progress,कार्य प्रगती मध्ये आहे
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,कृपया तारीख निवडा
DocType: Employee,Holiday List,सुट्टी यादी
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,लेखापाल
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,लेखापाल
DocType: Cost Center,Stock User,शेअर सदस्य
DocType: Company,Phone No,फोन नाही
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,अर्थात वेळापत्रक तयार:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},नवी {0}: # {1}
,Sales Partners Commission,विक्री भागीदार आयोग
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,संक्षेपला 5 पेक्षा जास्त वर्ण असू शकत नाही
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,संक्षेपला 5 पेक्षा जास्त वर्ण असू शकत नाही
DocType: Payment Request,Payment Request,भरणा विनंती
DocType: Asset,Value After Depreciation,मूल्य घसारा केल्यानंतर
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,उपस्थिती तारीख कर्मचारी सामील तारीख पेक्षा कमी असू शकत नाही
DocType: Grading Scale,Grading Scale Name,प्रतवारी स्केल नाव
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,हे रूट खाते आहे आणि संपादित केला जाऊ शकत नाही.
+DocType: Sales Invoice,Company Address,कंपनीचा पत्ता
DocType: BOM,Operations,ऑपरेशन्स
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},सवलत साठी आधारावर अधिकृतता सेट करू शकत नाही {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","दोन स्तंभ, जुना नाव आणि एक नवीन नाव एक .csv फाइल संलग्न"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} कोणत्याही सक्रिय आर्थिक वर्षात.
DocType: Packed Item,Parent Detail docname,पालक तपशील docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","संदर्भ: {0}, आयटम कोड: {1} आणि ग्राहक: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,किलो
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,किलो
DocType: Student Log,Log,लॉग
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,जॉब साठी उघडत आहे.
DocType: Item Attribute,Increment,बढती
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,जाहिरात
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,त्याच कंपनीने एका पेक्षा अधिक प्रवेश केला आहे
DocType: Employee,Married,लग्न
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},{0} ला परवानगी नाही
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},{0} ला परवानगी नाही
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,आयटम मिळवा
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},शेअर वितरण टीप विरुद्ध अद्यतनित करणे शक्य नाही {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},शेअर वितरण टीप विरुद्ध अद्यतनित करणे शक्य नाही {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},उत्पादन {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,कोणतेही आयटम सूचीबद्ध
DocType: Payment Reconciliation,Reconcile,समेट
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,पुढील घसारा तारीख खरेदी तारीख असू शकत नाही
DocType: SMS Center,All Sales Person,सर्व विक्री व्यक्ती
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** मासिक वितरण ** आपण आपल्या व्यवसायात हंगामी असेल तर बजेट / लक्ष्य महिने ओलांडून वितरण मदत करते.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,नाही आयटम आढळला
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,नाही आयटम आढळला
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,पगार संरचना गहाळ
DocType: Lead,Person Name,व्यक्ती नाव
DocType: Sales Invoice Item,Sales Invoice Item,विक्री चलन आयटम
DocType: Account,Credit,क्रेडिट
DocType: POS Profile,Write Off Cost Center,Write Off खर्च केंद्र
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",उदा "प्राथमिक शाळा" किंवा "युनिव्हर्सिटी"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",उदा "प्राथमिक शाळा" किंवा "युनिव्हर्सिटी"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,शेअर अहवाल
DocType: Warehouse,Warehouse Detail,वखार तपशील
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},ग्राहक {0} {1} / {2} साठी क्रेडिट मर्यादा पार गेले आहे
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},ग्राहक {0} {1} / {2} साठी क्रेडिट मर्यादा पार गेले आहे
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,मुदत समाप्ती तारीख नंतर जे मुदत लिंक आहे शैक्षणिक वर्ष वर्ष अंतिम तारीख पेक्षा असू शकत नाही (शैक्षणिक वर्ष {}). तारखा दुरुस्त करा आणि पुन्हा प्रयत्न करा.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""मुदत मालमत्ता आहे" मालमत्ता रेकॉर्ड आयटम विरुद्ध अस्तित्वात आहे म्हणून, अनचेक केले जाऊ शकत नाही"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""मुदत मालमत्ता आहे" मालमत्ता रेकॉर्ड आयटम विरुद्ध अस्तित्वात आहे म्हणून, अनचेक केले जाऊ शकत नाही"
DocType: Vehicle Service,Brake Oil,ब्रेक तेल
DocType: Tax Rule,Tax Type,कर प्रकार
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},आपल्याला आधी नोंदी जमा करण्यासाठी किंवा सुधारणा करण्यासाठी अधिकृत नाही {0}
DocType: BOM,Item Image (if not slideshow),आयटम प्रतिमा (स्लाईड शो नसेल तर)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,एक ग्राहक समान नाव अस्तित्वात
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(तास रेट / 60) * प्रत्यक्ष ऑपरेशन वेळ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,BOM निवडा
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,BOM निवडा
DocType: SMS Log,SMS Log,एसएमएस लॉग
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,वितरित केले आयटम खर्च
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,{0} वरील सुट्टी तारखेपासून आणि तारखेपर्यंत च्या दरम्यान नाही
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},{0} पासून आणि {1} पर्यंत
DocType: Item,Copy From Item Group,आयटम गट पासून कॉपी
DocType: Journal Entry,Opening Entry,उघडणे प्रवेश
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ग्राहक> ग्राहक गट> प्रदेश
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,केवळ खाते वेतन
DocType: Employee Loan,Repay Over Number of Periods,"कालावधी, म्हणजे क्रमांक परत फेड करा"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} नोंदणी केलेली नाही आहे दिले {2}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} नोंदणी केलेली नाही आहे दिले {2}
DocType: Stock Entry,Additional Costs,अतिरिक्त खर्च
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,विद्यमान व्यवहार खाते गट मधे रूपांतरीत केले जाऊ शकत नाही.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,विद्यमान व्यवहार खाते गट मधे रूपांतरीत केले जाऊ शकत नाही.
DocType: Lead,Product Enquiry,उत्पादन चौकशी
DocType: Academic Term,Schools,शाळा
+DocType: School Settings,Validate Batch for Students in Student Group,विद्यार्थी गट मध्ये विद्यार्थ्यांसाठी बॅच प्रमाणित
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},रजा रेकॉर्ड कर्मचारी आढळला नाही {0} साठी {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"पहिली कंपनीची
यादी प्रविष्ट करा"
@@ -176,49 +177,49 @@
DocType: BOM,Total Cost,एकूण खर्च
DocType: Journal Entry Account,Employee Loan,कर्मचारी कर्ज
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,क्रियाकलाप लॉग:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,आयटम {0} प्रणालीत अस्तित्वात नाही किंवा कालबाह्य झाला आहे
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,आयटम {0} प्रणालीत अस्तित्वात नाही किंवा कालबाह्य झाला आहे
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,स्थावर मालमत्ता
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,खाते स्टेटमेंट
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,फार्मास्युटिकल्स
DocType: Purchase Invoice Item,Is Fixed Asset,मुदत मालमत्ता आहे
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","उपलब्ध प्रमाण आहे {0}, आपल्याला आवश्यक {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","उपलब्ध प्रमाण आहे {0}, आपल्याला आवश्यक {1}"
DocType: Expense Claim Detail,Claim Amount,दाव्याची रक्कम
-DocType: Employee,Mr,श्री
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,cutomer गट टेबल मध्ये आढळले डुप्लिकेट ग्राहक गट
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,पुरवठादार प्रकार / पुरवठादार
DocType: Naming Series,Prefix,पूर्वपद
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Consumable
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Consumable
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,आयात लॉग
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,प्रकार उत्पादन साहित्य विनंती वरील निकषावर आधारित खेचणे
DocType: Training Result Employee,Grade,ग्रेड
DocType: Sales Invoice Item,Delivered By Supplier,पुरवठादार करून वितरित
DocType: SMS Center,All Contact,सर्व संपर्क
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,उत्पादन ऑर्डर BOM सर्व आयटम आधीपासूनच तयार
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,वार्षिक पगार
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,उत्पादन ऑर्डर BOM सर्व आयटम आधीपासूनच तयार
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,वार्षिक पगार
DocType: Daily Work Summary,Daily Work Summary,दररोज काम सारांश
DocType: Period Closing Voucher,Closing Fiscal Year,आर्थिक वर्ष बंद
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} गोठविले
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,कृपया खाती चार्ट तयार करण्यासाठी विद्यमान कंपनी निवडा
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,शेअर खर्च
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} गोठविले
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,कृपया खाती चार्ट तयार करण्यासाठी विद्यमान कंपनी निवडा
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,शेअर खर्च
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,लक्ष्य वखार निवडा
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,लक्ष्य वखार निवडा
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,प्रविष्ट करा प्राधान्य संपर्क ईमेल
+DocType: Program Enrollment,School Bus,शाळेची बस
DocType: Journal Entry,Contra Entry,विरुद्ध प्रवेश
DocType: Journal Entry Account,Credit in Company Currency,कंपनी चलन क्रेडिट
DocType: Delivery Note,Installation Status,प्रतिष्ठापन स्थिती
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",आपण उपस्थिती अद्यतनित करू इच्छिता का? <br> सादर करा: {0} \ <br> अनुपस्थित: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},प्रमाण नाकारलेले + स्वीकारले आयटम साठी प्राप्त प्रमाण समान असणे आवश्यक आहे {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},प्रमाण नाकारलेले + स्वीकारले आयटम साठी प्राप्त प्रमाण समान असणे आवश्यक आहे {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,पुरवठा कच्चा माल खरेदी
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,पैसे किमान एक मोड POS चलन आवश्यक आहे.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,पैसे किमान एक मोड POS चलन आवश्यक आहे.
DocType: Products Settings,Show Products as a List,उत्पादने शो सूची
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","टेम्पलेट डाउनलोड करा , योग्य डेटा भरा आणि संचिकेशी संलग्न करा . निवडलेल्या कालावधीत मध्ये सर्व तारखा आणि कर्मचारी संयोजन , विद्यमान उपस्थिती रेकॉर्ड सह टेम्पलेट मधे येइल"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,आयटम {0} सक्रिय नाही किंवा आयुष्याच्या शेवट गाठला आहे
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,उदाहरण: मूलभूत गणित
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","आयटम दर सलग {0} मधे कर समाविष्ट करण्यासाठी, पंक्ती मध्ये कर {1} समाविष्ट करणे आवश्यक आहे"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,आयटम {0} सक्रिय नाही किंवा आयुष्याच्या शेवट गाठला आहे
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,उदाहरण: मूलभूत गणित
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","आयटम दर सलग {0} मधे कर समाविष्ट करण्यासाठी, पंक्ती मध्ये कर {1} समाविष्ट करणे आवश्यक आहे"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,एचआर विभाग सेटिंग्ज
DocType: SMS Center,SMS Center,एसएमएस केंद्र
DocType: Sales Invoice,Change Amount,रक्कम बदल
@@ -228,7 +229,7 @@
DocType: Lead,Request Type,विनंती प्रकार
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,कर्मचारी करा
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,प्रसारण
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,कार्यवाही
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,कार्यवाही
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,ऑपरेशन तपशील चालते.
DocType: Serial No,Maintenance Status,देखभाल स्थिती
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: पुरवठादार देय खात्यावरील आवश्यक आहे {2}
@@ -256,7 +257,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,अवतरण विनंती खालील लिंक वर क्लिक करून प्रवेश करणे शक्य
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,वर्ष पाने वाटप करा.
DocType: SG Creation Tool Course,SG Creation Tool Course,एस निर्मिती साधन कोर्स
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,अपुरा शेअर
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,अपुरा शेअर
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,क्षमता नियोजन आणि वेळ ट्रॅकिंग अक्षम करा
DocType: Email Digest,New Sales Orders,नवी विक्री ऑर्डर
DocType: Bank Guarantee,Bank Account,बँक खाते
@@ -267,8 +268,9 @@
DocType: Production Order Operation,Updated via 'Time Log','वेळ लॉग' द्वारे अद्यतनित
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},आगाऊ रक्कम पेक्षा जास्त असू शकत नाही {0} {1}
DocType: Naming Series,Series List for this Transaction,या व्यवहारासाठी मालिका यादी
+DocType: Company,Enable Perpetual Inventory,शा्वत यादी सक्षम
DocType: Company,Default Payroll Payable Account,डीफॉल्ट वेतनपट देय खाते
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,ईमेल गट सुधारणा
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,ईमेल गट सुधारणा
DocType: Sales Invoice,Is Opening Entry,प्रवेश उघडत आहे
DocType: Customer Group,Mention if non-standard receivable account applicable,गैर-मानक प्राप्त खाते लागू असल्यास उल्लेख करावा
DocType: Course Schedule,Instructor Name,प्रशिक्षक नाव
@@ -280,13 +282,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,विक्री चलन आयटम विरुद्ध
,Production Orders in Progress,प्रगती उत्पादन आदेश
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,आर्थिक निव्वळ रोख
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage पूर्ण आहे, जतन नाही"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage पूर्ण आहे, जतन नाही"
DocType: Lead,Address & Contact,पत्ता व संपर्क
DocType: Leave Allocation,Add unused leaves from previous allocations,मागील वाटप पासून न वापरलेल्या पाने जोडा
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},पुढील आवर्ती {1} {0} वर तयार केले जाईल
DocType: Sales Partner,Partner website,भागीदार वेबसाइट
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,आयटम जोडा
-,Contact Name,संपर्क नाव
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,संपर्क नाव
DocType: Course Assessment Criteria,Course Assessment Criteria,अर्थात मूल्यांकन निकष
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,वर उल्लेख केलेल्या निकष पगारपत्रक निर्माण करते.
DocType: POS Customer Group,POS Customer Group,POS ग्राहक गट
@@ -295,18 +297,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,वर्णन दिलेले नाही
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,खरेदीसाठी विनंती.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,या या प्रकल्पास विरोध तयार केलेली वेळ पत्रके आधारित आहे
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,निव्वळ वेतन 0 पेक्षा कमी असू शकत नाही
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,निव्वळ वेतन 0 पेक्षा कमी असू शकत नाही
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,केवळ निवडलेले रजा साक्षीदार या रजेचा अर्ज सादर करू शकतात
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,relieving तारीख प्रवेश दिनांक पेक्षा जास्त असणे आवश्यक आहे
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,रजा वर्ष प्रति
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,रजा वर्ष प्रति
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,रो {0}: कृपया ' आगाऊ आहे' खाते {1} विरुद्ध ही एक आगाऊ नोंद असेल तर तपासा.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},कोठार{0} कंपनी {1} ला संबंधित नाही
DocType: Email Digest,Profit & Loss,नफा व तोटा
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,लीटर
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,लीटर
DocType: Task,Total Costing Amount (via Time Sheet),एकूण कोस्टींग रक्कम (वेळ पत्रक द्वारे)
DocType: Item Website Specification,Item Website Specification,आयटम वेबसाइट तपशील
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,रजा अवरोधित
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},आयटम {0} ने त्याच्या जीवनाचा शेवट {1} वर गाठला आहे
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},आयटम {0} ने त्याच्या जीवनाचा शेवट {1} वर गाठला आहे
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,बँक नोंदी
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,वार्षिक
DocType: Stock Reconciliation Item,Stock Reconciliation Item,शेअर मेळ आयटम
@@ -314,9 +316,9 @@
DocType: Material Request Item,Min Order Qty,किमान ऑर्डर Qty
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,विद्यार्थी गट तयार साधन कोर्स
DocType: Lead,Do Not Contact,संपर्क करू नका
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,आपल्या संस्थेतील शिकविता लोक
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,आपल्या संस्थेतील शिकविता लोक
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,सर्व आवर्ती पावत्या ट्रॅक अद्वितीय आयडी. हे सबमिट निर्माण होते.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,सॉफ्टवेअर डेव्हलपर
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,सॉफ्टवेअर डेव्हलपर
DocType: Item,Minimum Order Qty,किमान ऑर्डर Qty
DocType: Pricing Rule,Supplier Type,पुरवठादार प्रकार
DocType: Course Scheduling Tool,Course Start Date,कोर्स प्रारंभ तारीख
@@ -325,11 +327,11 @@
DocType: Item,Publish in Hub,हब मध्ये प्रकाशित
DocType: Student Admission,Student Admission,विद्यार्थी प्रवेश
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,{0} आयटम रद्द
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,{0} आयटम रद्द
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,साहित्य विनंती
DocType: Bank Reconciliation,Update Clearance Date,अद्यतन लाभ तारीख
DocType: Item,Purchase Details,खरेदी तपशील
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},आयटम {0} खरेदी ऑर्डर {1} मध्ये ' कच्चा माल पुरवठा ' टेबल मध्ये आढळला नाही
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},आयटम {0} खरेदी ऑर्डर {1} मध्ये ' कच्चा माल पुरवठा ' टेबल मध्ये आढळला नाही
DocType: Employee,Relation,नाते
DocType: Shipping Rule,Worldwide Shipping,जगभरातील शिपिंग
DocType: Student Guardian,Mother,आई
@@ -348,6 +350,7 @@
DocType: Student Group Student,Student Group Student,विद्यार्थी गट विद्यार्थी
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,ताज्या
DocType: Vehicle Service,Inspection,तपासणी
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,यादी
DocType: Email Digest,New Quotations,नवी अवतरणे
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,प्राधान्य ईमेल कर्मचारी निवड आधारित कर्मचारी ईमेल पगारपत्रक
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,सूचीतील पहिली रजा मंजुरी मुलभूत रजा मंजुरी म्हणून सेट केले जाईल
@@ -356,20 +359,20 @@
DocType: Asset,Next Depreciation Date,पुढील घसारा दिनांक
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,कर्मचारी दर क्रियाकलाप खर्च
DocType: Accounts Settings,Settings for Accounts,खाती सेटिंग्ज
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},पुरवठादार चलन कोणतेही चलन खरेदी अस्तित्वात {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},पुरवठादार चलन कोणतेही चलन खरेदी अस्तित्वात {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,विक्री व्यक्ती वृक्ष व्यवस्थापित करा.
DocType: Job Applicant,Cover Letter,कव्हर पत्र
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,थकबाकी चेक आणि स्पष्ट ठेवी
DocType: Item,Synced With Hub,हबला समक्रमित
DocType: Vehicle,Fleet Manager,वेगवान व्यवस्थापक
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},पंक्ती # {0}: {1} आयटम नकारात्मक असू शकत नाही {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,चुकीचा संकेतशब्द
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,चुकीचा संकेतशब्द
DocType: Item,Variant Of,जिच्यामध्ये variant
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',पूर्ण Qty 'Qty निर्मिती करण्या ' पेक्षा जास्त असू शकत नाही
DocType: Period Closing Voucher,Closing Account Head,खाते प्रमुख बंद
DocType: Employee,External Work History,बाह्य कार्य इतिहास
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,परिपत्रक संदर्भ त्रुटी
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1 नाव
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 नाव
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,शब्दा मध्ये ( निर्यात करा) डिलिव्हरी टीप एकदा save केल्यावर दृश्यमान होईल
DocType: Cheque Print Template,Distance from left edge,बाकी धार पासून अंतर
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{1}] युनिट (# फॉर्म / आयटम / {1}) [{2}] आढळले (# फॉर्म / वखार / {2})
@@ -378,11 +381,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,स्वयंचलित साहित्य विनंती निर्माण ईमेल द्वारे सूचित करा
DocType: Journal Entry,Multi Currency,मल्टी चलन
DocType: Payment Reconciliation Invoice,Invoice Type,चलन प्रकार
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,डिलिव्हरी टीप
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,डिलिव्हरी टीप
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,कर सेट अप
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,विक्री मालमत्ता खर्च
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,तुम्ही तो pull केल्यानंतर भरणा प्रवेशात सुधारणा करण्यात आली आहे. तो पुन्हा खेचा.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} ने आयटम कर दोनदा प्रवेश केला
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,तुम्ही तो pull केल्यानंतर भरणा प्रवेशात सुधारणा करण्यात आली आहे. तो पुन्हा खेचा.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} ने आयटम कर दोनदा प्रवेश केला
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,या आठवड्यासाठी आणि प्रलंबित उपक्रम सारांश
DocType: Student Applicant,Admitted,दाखल
DocType: Workstation,Rent Cost,भाडे खर्च
@@ -401,25 +404,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,फील्ड मूल्य दिन 'म्हणून महिन्याच्या दिवसाची पुनरावृत्ती' प्रविष्ट करा
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,ग्राहक चलन ग्राहक बेस चलन रूपांतरित दर
DocType: Course Scheduling Tool,Course Scheduling Tool,अर्थात अनुसूचित साधन
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},सलग # {0}: चलन खरेदी विद्यमान मालमत्तेचे विरुद्ध केली जाऊ शकत नाही {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},सलग # {0}: चलन खरेदी विद्यमान मालमत्तेचे विरुद्ध केली जाऊ शकत नाही {1}
DocType: Item Tax,Tax Rate,कर दर
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} आधीच कर्मचार्यांसाठी वाटप {1} काळात {2} साठी {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,आयटम निवडा
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,चलन खरेदी {0} आधीच सादर केलेला आहे
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,चलन खरेदी {0} आधीच सादर केलेला आहे
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},रो # {0}: बॅच क्रमांक {1} {2} ला समान असणे आवश्यक आहे
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,नॉन-गट रूपांतरित करा
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,एक आयटम बॅच (भरपूर).
DocType: C-Form Invoice Detail,Invoice Date,चलन तारीख
DocType: GL Entry,Debit Amount,डेबिट रक्कम
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},{0} {1} मधे प्रत्येक कंपनीला 1 खाते असू शकते
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,कृपया संलग्नक पहा
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},{0} {1} मधे प्रत्येक कंपनीला 1 खाते असू शकते
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,कृपया संलग्नक पहा
DocType: Purchase Order,% Received,% मिळाले
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,विद्यार्थी गट तयार करा
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,सेटअप आधीच पूर्ण !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,क्रेडिट टीप रक्कम
,Finished Goods,तयार वस्तू
DocType: Delivery Note,Instructions,सूचना
DocType: Quality Inspection,Inspected By,करून पाहणी केली
DocType: Maintenance Visit,Maintenance Type,देखभाल प्रकार
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} कोर्स नोंदणी केलेली नाही आहे {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},सिरियल क्रमांक {0} वितरण टीप {1} शी संबंधित नाही
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext डेमो
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,आयटम जोडा
@@ -442,7 +447,7 @@
DocType: Request for Quotation,Request for Quotation,कोटेशन विनंती
DocType: Salary Slip Timesheet,Working Hours,कामाचे तास
DocType: Naming Series,Change the starting / current sequence number of an existing series.,विद्यमान मालिकेत सुरू / वर्तमान क्रम संख्या बदला.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,एक नवीन ग्राहक तयार करा
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,एक नवीन ग्राहक तयार करा
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","अनेक किंमत नियम विजय सुरू केल्यास, वापरकर्त्यांना संघर्षाचे निराकरण करण्यासाठी स्वतः प्राधान्य सेट करण्यास सांगितले जाते."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,खरेदी ऑर्डर तयार करा
,Purchase Register,खरेदी नोंदणी
@@ -454,7 +459,7 @@
DocType: Student Log,Medical,वैद्यकीय
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,तोट्याचे कारण
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,आघाडी मालक लीड म्हणून समान असू शकत नाही
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,रक्कम unadjusted रक्कम अधिक करू शकता
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,रक्कम unadjusted रक्कम अधिक करू शकता
DocType: Announcement,Receiver,स्वीकारणारा
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},वर्कस्टेशन सुट्टी यादी नुसार खालील तारखांना बंद आहे: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,संधी
@@ -468,8 +473,7 @@
DocType: Assessment Plan,Examiner Name,परीक्षक नाव
DocType: Purchase Invoice Item,Quantity and Rate,प्रमाण आणि दर
DocType: Delivery Note,% Installed,% स्थापित
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,वर्ग / प्रयोगशाळा इत्यादी व्याख्याने होणार जाऊ शकतात.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,पुरवठादार> पुरवठादार प्रकार
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,वर्ग / प्रयोगशाळा इत्यादी व्याख्याने होणार जाऊ शकतात.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,पहिल्या कंपनीचे नाव प्रविष्ट करा
DocType: Purchase Invoice,Supplier Name,पुरवठादार नाव
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,ERPNext मॅन्युअल वाचा
@@ -479,7 +483,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,चेक पुरवठादार चलन क्रमांक वैशिष्ट्य
DocType: Vehicle Service,Oil Change,तेल बदला
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','प्रकरण क्रमांक' पेक्षा 'प्रकरण क्रमांक पासून' कमी असू शकत नाही
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,नफा नसलेला
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,नफा नसलेला
DocType: Production Order,Not Started,प्रारंभ नाही
DocType: Lead,Channel Partner,चॅनेल पार्टनर
DocType: Account,Old Parent,जुने पालक
@@ -490,20 +494,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,सर्व उत्पादन प्रक्रिया साठीचे ग्लोबल सेटिंग्ज.
DocType: Accounts Settings,Accounts Frozen Upto,खाती फ्रोजन पर्यंत
DocType: SMS Log,Sent On,रोजी पाठविले
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,विशेषता {0} विशेषता टेबल अनेक वेळा निवडले
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,विशेषता {0} विशेषता टेबल अनेक वेळा निवडले
DocType: HR Settings,Employee record is created using selected field. ,कर्मचारी रेकॉर्ड निवडलेले फील्ड वापरून तयार आहे.
DocType: Sales Order,Not Applicable,लागू नाही
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,सुट्टी मास्टर.
DocType: Request for Quotation Item,Required Date,आवश्यक तारीख
DocType: Delivery Note,Billing Address,बिलिंग पत्ता
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,आयटम कोड प्रविष्ट करा.
DocType: BOM,Costing,भांडवलाच्या
DocType: Tax Rule,Billing County,बिलिंग परगणा
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","तपासल्यास आधीच प्रिंट रेट / प्रिंट रक्कम समाविष्ट म्हणून, कर रक्कम विचारात घेतली जाईल"
DocType: Request for Quotation,Message for Supplier,पुरवठादार संदेश
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,एकूण Qty
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 ईमेल आयडी
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 ईमेल आयडी
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 ईमेल आयडी
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 ईमेल आयडी
DocType: Item,Show in Website (Variant),वेबसाइट दर्शवा (चल)
DocType: Employee,Health Concerns,आरोग्य समस्यांसाठी
DocType: Process Payroll,Select Payroll Period,वेतनपट कालावधी निवडा
@@ -521,26 +524,28 @@
DocType: Sales Order Item,Used for Production Plan,उत्पादन योजना करीता वापरले जाते
DocType: Employee Loan,Total Payment,एकूण भरणा
DocType: Manufacturing Settings,Time Between Operations (in mins),(मि) प्रक्रिये च्या दरम्यानची वेळ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} कारवाई पूर्ण करणे शक्य नाही रद्द
DocType: Customer,Buyer of Goods and Services.,वस्तू आणि सेवा खरेदीदार.
DocType: Journal Entry,Accounts Payable,देय खाती
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,निवडलेले BOMs सारख्या आयटमसाठी नाहीत
DocType: Pricing Rule,Valid Upto,वैध पर्यंत
DocType: Training Event,Workshop,कार्यशाळा
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,आपल्या ग्राहकांची यादी करा. ते संघटना किंवा व्यक्तींना असू शकते.
-,Enough Parts to Build,बिल्ड पुरेसे भाग
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,थेट उत्पन्न
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,आपल्या ग्राहकांची यादी करा. ते संघटना किंवा व्यक्तींना असू शकते.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,बिल्ड पुरेसे भाग
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,थेट उत्पन्न
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","खाते प्रमाणे गटात समाविष्ट केले, तर खाते आधारित फिल्टर करू शकत नाही"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,प्रशासकीय अधिकारी
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,कृपया कोर्स निवडा
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,कृपया कोर्स निवडा
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,प्रशासकीय अधिकारी
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,कृपया कोर्स निवडा
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,कृपया कोर्स निवडा
DocType: Timesheet Detail,Hrs,तास
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,कृपया कंपनी निवडा
DocType: Stock Entry Detail,Difference Account,फरक खाते
+DocType: Purchase Invoice,Supplier GSTIN,पुरवठादार GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,त्याच्या भोवतालची कार्य {0} बंद नाही म्हणून बंद कार्य करू शकत नाही.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,ज्या वखाराविरुद्ध साहित्य विनंती उठविली जाईल ते प्रविष्ट करा
DocType: Production Order,Additional Operating Cost,अतिरिक्त कार्यकारी खर्च
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,सौंदर्यप्रसाधन
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","विलीन करण्यासाठी, खालील गुणधर्म दोन्ही आयटम समान असणे आवश्यक आहे"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","विलीन करण्यासाठी, खालील गुणधर्म दोन्ही आयटम समान असणे आवश्यक आहे"
DocType: Shipping Rule,Net Weight,नेट वजन
DocType: Employee,Emergency Phone,आणीबाणी फोन
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,खरेदी
@@ -550,14 +555,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,सुरूवातीचे 0% ग्रेड व्याख्या करा
DocType: Sales Order,To Deliver,वितरीत करण्यासाठी
DocType: Purchase Invoice Item,Item,आयटम
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,सिरियल नाही आयटम एक अपूर्णांक असू शकत नाही
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,सिरियल नाही आयटम एक अपूर्णांक असू शकत नाही
DocType: Journal Entry,Difference (Dr - Cr),फरक (Dr - Cr)
DocType: Account,Profit and Loss,नफा व तोटा
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,व्यवस्थापकीय Subcontracting
DocType: Project,Project will be accessible on the website to these users,"प्रकल्प या वापरकर्त्यांना वेबसाइटवर उपलब्ध राहील,"
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,दर ज्यामध्ये किंमत यादी चलन कंपनी बेस चलनमधे रूपांतरित आहे
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},खाते {0} ला कंपनी {1} संबंधित नाही
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,संक्षेप कंपनीसाठी आधीच वापरला
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},खाते {0} ला कंपनी {1} संबंधित नाही
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,संक्षेप कंपनीसाठी आधीच वापरला
DocType: Selling Settings,Default Customer Group,मुलभूत ग्राहक गट
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","अक्षम केल्यास, 'गोळाबेरीज एकूण' क्षेत्रात काही व्यवहार दृश्यमान होणार नाही"
DocType: BOM,Operating Cost,ऑपरेटिंग खर्च
@@ -565,7 +570,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,बढती 0 असू शकत नाही
DocType: Production Planning Tool,Material Requirement,साहित्य आवश्यकता
DocType: Company,Delete Company Transactions,कंपनी व्यवहार हटवा
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,संदर्भ व संदर्भ तारीख बँक व्यवहार अनिवार्य आहे
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,संदर्भ व संदर्भ तारीख बँक व्यवहार अनिवार्य आहे
DocType: Purchase Receipt,Add / Edit Taxes and Charges,कर आणि शुल्क जोडा / संपादित करा
DocType: Purchase Invoice,Supplier Invoice No,पुरवठादार चलन क्रमांक
DocType: Territory,For reference,संदर्भासाठी
@@ -576,22 +581,22 @@
DocType: Installation Note Item,Installation Note Item,प्रतिष्ठापन टीप आयटम
DocType: Production Plan Item,Pending Qty,प्रलंबित Qty
DocType: Budget,Ignore,दुर्लक्ष करा
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} सक्रिय नाही
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} सक्रिय नाही
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},एसएमएस खालील संख्येला पाठविले: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,मुद्रणासाठी सेटअप तपासणी परिमाणे
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,मुद्रणासाठी सेटअप तपासणी परिमाणे
DocType: Salary Slip,Salary Slip Timesheet,पगाराच्या स्लिप्स Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,उप-करारबद्ध खरेदी पावती बंधनकारक पुरवठादार कोठार
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,उप-करारबद्ध खरेदी पावती बंधनकारक पुरवठादार कोठार
DocType: Pricing Rule,Valid From,पासून पर्यंत वैध
DocType: Sales Invoice,Total Commission,एकूण आयोग
DocType: Pricing Rule,Sales Partner,विक्री भागीदार
DocType: Buying Settings,Purchase Receipt Required,खरेदी पावती आवश्यक
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,शेअर उघडत प्रविष्ट केले असतील तर मूल्यांकन दर अनिवार्य आहे
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,शेअर उघडत प्रविष्ट केले असतील तर मूल्यांकन दर अनिवार्य आहे
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,चलन टेबल मधे रेकॉर्ड आढळले नाहीत
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,कृपया पहिले कंपनी आणि पक्षाचे प्रकार निवडा
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,आर्थिक / लेखा वर्षी.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,आर्थिक / लेखा वर्षी.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,जमा मूल्ये
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","क्षमस्व, सिरीयल क्रमांक विलीन करणे शक्य नाही"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,विक्री ऑर्डर करा
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,विक्री ऑर्डर करा
DocType: Project Task,Project Task,प्रकल्प कार्य
,Lead Id,लीड आयडी
DocType: C-Form Invoice Detail,Grand Total,एकूण
@@ -608,7 +613,7 @@
DocType: Job Applicant,Resume Attachment,सारांश संलग्नक
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,ग्राहक पुन्हा करा
DocType: Leave Control Panel,Allocate,वाटप
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,विक्री परत
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,विक्री परत
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,टीप: एकूण वाटप पाने {0} आधीच मंजूर पाने कमी असू नये {1} कालावधीसाठी
DocType: Announcement,Posted By,द्वारा पोस्ट केलेले
DocType: Item,Delivered by Supplier (Drop Ship),पुरवठादार द्वारे वितरित (ड्रॉप जहाज)
@@ -618,8 +623,8 @@
DocType: Quotation,Quotation To,करण्यासाठी कोटेशन
DocType: Lead,Middle Income,मध्यम उत्पन्न
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),उघडणे (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,आपण अगोदरच काही व्यवहार (चे) दुसर्या UOM केलेल्या कारण {0} थेट बदलले करू शकत नाही आयटम माप मुलभूत युनिट जाईल. आपण वेगळी डीफॉल्ट UOM वापरण्यासाठी एक नवीन आयटम तयार करणे आवश्यक आहे.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,रक्कम नकारात्मक असू शकत नाही
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,आपण अगोदरच काही व्यवहार (चे) दुसर्या UOM केलेल्या कारण {0} थेट बदलले करू शकत नाही आयटम माप मुलभूत युनिट जाईल. आपण वेगळी डीफॉल्ट UOM वापरण्यासाठी एक नवीन आयटम तयार करणे आवश्यक आहे.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,रक्कम नकारात्मक असू शकत नाही
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,कंपनी सेट करा
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,कंपनी सेट करा
DocType: Purchase Order Item,Billed Amt,बिल रक्कम
@@ -632,7 +637,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,भरणा खाते निवडा बँक प्रवेश करण्यासाठी
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","पाने, खर्च दावे आणि उपयोग पे रोल व्यवस्थापित करण्यासाठी कर्मचारी रेकॉर्ड तयार"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,नॉलेज बेस जोडा
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,प्रस्ताव लेखन
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,प्रस्ताव लेखन
DocType: Payment Entry Deduction,Payment Entry Deduction,भरणा प्रवेश कापून
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,आणखी विक्री व्यक्ती {0} त्याच कर्मचारी ID अस्तित्वात
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","तपासल्यास उप-करारबद्ध साहित्य विनंत्या मध्ये समाविष्ट केले जाईल आहेत की आयटम, कच्चा माल"
@@ -647,7 +652,7 @@
DocType: Batch,Batch Description,बॅच वर्णन
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,विद्यार्थी गट तयार करत आहे
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,विद्यार्थी गट तयार करत आहे
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","पेमेंट गेटवे खाते तयार नाही, स्वतः एक तयार करा."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","पेमेंट गेटवे खाते तयार नाही, स्वतः एक तयार करा."
DocType: Sales Invoice,Sales Taxes and Charges,विक्री कर आणि शुल्क
DocType: Employee,Organization Profile,संघटना प्रोफाइल
DocType: Student,Sibling Details,भावंडे तपशील
@@ -669,11 +674,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,यादी निव्वळ बदला
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,कर्मचारी कर्ज व्यवस्थापन
DocType: Employee,Passport Number,पासपोर्ट क्रमांक
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Guardian2 संबंध
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,व्यवस्थापक
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2 संबंध
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,व्यवस्थापक
DocType: Payment Entry,Payment From / To,भरणा / मधून
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},नवीन क्रेडिट मर्यादा ग्राहक वर्तमान थकबाकी रक्कम कमी आहे. क्रेडिट मर्यादा किमान असणे आवश्यक आहे {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,समान आयटम अनेक वेळा गेलेला आहे.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},नवीन क्रेडिट मर्यादा ग्राहक वर्तमान थकबाकी रक्कम कमी आहे. क्रेडिट मर्यादा किमान असणे आवश्यक आहे {0}
DocType: SMS Settings,Receiver Parameter,स्वीकारणारा मापदंड
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'आधारीत' आणि 'गट करून' समान असू शकत नाही
DocType: Sales Person,Sales Person Targets,विक्री व्यक्ती लक्ष्य
@@ -682,8 +686,9 @@
DocType: Issue,Resolution Date,ठराव तारीख
DocType: Student Batch Name,Batch Name,बॅच नाव
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timesheet तयार:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},मोड ऑफ पेमेंट्स मध्ये डीफॉल्ट रोख किंवा बँक खाते सेट करा {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},मोड ऑफ पेमेंट्स मध्ये डीफॉल्ट रोख किंवा बँक खाते सेट करा {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,नाव नोंदणी करा
+DocType: GST Settings,GST Settings,'जीएसटी' सेटिंग्ज
DocType: Selling Settings,Customer Naming By,करून ग्राहक नामांकन
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,विद्यार्थी मासिक उपस्थिती अहवाल म्हणून सादर विद्यार्थी दर्शवेल
DocType: Depreciation Schedule,Depreciation Amount,घसारा रक्कम
@@ -705,6 +710,7 @@
DocType: Item,Material Transfer,साहित्य ट्रान्सफर
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),उघडणे (डॉ)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},पोस्टिंग शिक्का {0} नंतर असणे आवश्यक आहे
+,GST Itemised Purchase Register,'जीएसटी' क्रमवारी मांडणे खरेदी नोंदणी
DocType: Employee Loan,Total Interest Payable,देय एकूण व्याज
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,स्थावर खर्च कर आणि शुल्क
DocType: Production Order Operation,Actual Start Time,वास्तविक प्रारंभ वेळ
@@ -733,10 +739,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
DocType: Account,Accounts,खाते
DocType: Vehicle,Odometer Value (Last),ओडोमीटर मूल्य (अंतिम)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,विपणन
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,विपणन
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,भरणा प्रवेश आधीच तयार आहे
DocType: Purchase Receipt Item Supplied,Current Stock,वर्तमान शेअर
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},सलग # {0}: {1} मालमत्ता आयटम लिंक नाही {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},सलग # {0}: {1} मालमत्ता आयटम लिंक नाही {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,पूर्वावलोकन पगाराच्या स्लिप्स
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,खाते {0} अनेक वेळा प्रविष्ट केले गेले आहे
DocType: Account,Expenses Included In Valuation,खर्च मूल्यांकन मध्ये समाविष्ट
@@ -744,7 +750,7 @@
,Absent Student Report,अनुपस्थित विद्यार्थी अहवाल
DocType: Email Digest,Next email will be sent on:,पुढील ई-मेल वर पाठविण्यात येईल:
DocType: Offer Letter Term,Offer Letter Term,पत्र मुदत ऑफर
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,आयटमला रूपे आहेत.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,आयटमला रूपे आहेत.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,आयटम {0} आढळला नाही
DocType: Bin,Stock Value,शेअर मूल्य
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,कंपनी {0} अस्तित्वात नाही
@@ -753,8 +759,8 @@
DocType: Serial No,Warranty Expiry Date,हमी कालावधी समाप्ती तारीख
DocType: Material Request Item,Quantity and Warehouse,प्रमाण आणि कोठार
DocType: Sales Invoice,Commission Rate (%),आयोग दर (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,कृपया निवडा कार्यक्रम
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,कृपया निवडा कार्यक्रम
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,कृपया निवडा कार्यक्रम
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,कृपया निवडा कार्यक्रम
DocType: Project,Estimated Cost,अंदाजे खर्च
DocType: Purchase Order,Link to material requests,साहित्य विनंत्या दुवा
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,एरोस्पेस
@@ -768,14 +774,14 @@
DocType: Purchase Order,Supply Raw Materials,पुरवठा कच्चा माल
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,"पुढील चलन निर्माण केले जातील, ज्या तारखेला. हे सबमिट निर्माण होते."
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,वर्तमान मालमत्ता
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} एक स्टॉक आयटम नाही
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} एक स्टॉक आयटम नाही
DocType: Mode of Payment Account,Default Account,मुलभूत खाते
DocType: Payment Entry,Received Amount (Company Currency),प्राप्त केलेली रक्कम (कंपनी चलन)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,संधी आघाडी केले आहे तर आघाडी सेट करणे आवश्यक आहे
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,कृपया साप्ताहिक बंद दिवस निवडा
DocType: Production Order Operation,Planned End Time,नियोजनबद्ध समाप्ती वेळ
,Sales Person Target Variance Item Group-Wise,आयटम गट निहाय विक्री व्यक्ती लक्ष्य फरक
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,विद्यमान व्यवहार खाते लेजर रूपांतरीत केले जाऊ शकत नाही
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,विद्यमान व्यवहार खाते लेजर रूपांतरीत केले जाऊ शकत नाही
DocType: Delivery Note,Customer's Purchase Order No,ग्राहकाच्या पर्चेस order क्रमांक
DocType: Budget,Budget Against,बजेट विरुद्ध
DocType: Employee,Cell Number,सेल क्रमांक
@@ -787,15 +793,13 @@
DocType: Opportunity,Opportunity From,पासून संधी
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,मासिक पगार विधान.
DocType: BOM,Website Specifications,वेबसाइट वैशिष्ट्य
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,सेटअप सेटअप द्वारे उपस्थिती मालिका संख्या करा> क्रमांकन मालिका
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: {0} पासून {1} प्रकारच्या
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,रो {0}: रूपांतरण फॅक्टर अनिवार्य आहे
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,रो {0}: रूपांतरण फॅक्टर अनिवार्य आहे
DocType: Employee,A+,अ +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","अनेक किंमतीचे नियम समान निकषा सह अस्तित्वात नाहीत , प्राधान्य सोपवून संघर्षाचे निराकरण करा. किंमत नियम: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,इतर BOMs निगडीत आहे म्हणून BOM निष्क्रिय किंवा रद्द करू शकत नाही
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","अनेक किंमतीचे नियम समान निकषा सह अस्तित्वात नाहीत , प्राधान्य सोपवून संघर्षाचे निराकरण करा. किंमत नियम: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,इतर BOMs निगडीत आहे म्हणून BOM निष्क्रिय किंवा रद्द करू शकत नाही
DocType: Opportunity,Maintenance,देखभाल
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},आयटम आवश्यक खरेदी पावती क्रमांक {0}
DocType: Item Attribute Value,Item Attribute Value,आयटम मूल्य विशेषता
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,विक्री मोहिम.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Timesheet करा
@@ -828,30 +832,30 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},मालमत्ता जर्नल प्रवेश द्वारे रद्द {0}
DocType: Employee Loan,Interest Income Account,व्याज उत्पन्न खाते
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,जैवतंत्रज्ञान
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,कार्यालय देखभाल खर्च
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,कार्यालय देखभाल खर्च
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ईमेल खाते सेट अप करत आहे
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,पहिल्या आयटम लिस्ट मधे प्रविष्ट करा
DocType: Account,Liability,दायित्व
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,मंजूर रक्कम रो {0} मधे मागणी रक्कमेपेक्षा जास्त असू शकत नाही.
DocType: Company,Default Cost of Goods Sold Account,वस्तू विकल्या खाते डीफॉल्ट खर्च
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,किंमत सूची निवडलेली नाही
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,किंमत सूची निवडलेली नाही
DocType: Employee,Family Background,कौटुंबिक पार्श्वभूमी
DocType: Request for Quotation Supplier,Send Email,ईमेल पाठवा
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},चेतावणी: अवैध संलग्नक {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},चेतावणी: अवैध संलग्नक {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,कोणतीही परवानगी नाही
DocType: Company,Default Bank Account,मुलभूत बँक खाते
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","पार्टी आधारित फिल्टर कर यासाठी, पहिले पार्टी पयायय टाइप करा"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},' अद्यतन शेअर ' तपासणे शक्य नाही कारण आयटम द्वारे वितरीत नाही {0}
DocType: Vehicle,Acquisition Date,संपादन दिनांक
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,क्रमांक
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,क्रमांक
DocType: Item,Items with higher weightage will be shown higher,उच्च महत्त्व असलेला आयटम उच्च दर्शविले जाईल
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,बँक मेळ तपशील
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,सलग # {0}: मालमत्ता {1} सादर करणे आवश्यक आहे
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,सलग # {0}: मालमत्ता {1} सादर करणे आवश्यक आहे
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,कर्मचारी आढळले नाहीत
DocType: Supplier Quotation,Stopped,थांबवले
DocType: Item,If subcontracted to a vendor,विक्रेता करण्यासाठी subcontracted असेल तर
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,विद्यार्थी गट आधीपासूनच सुधारित केले आहे.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,विद्यार्थी गट आधीपासूनच सुधारित केले आहे.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,विद्यार्थी गट आधीपासूनच सुधारित केले आहे.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,विद्यार्थी गट आधीपासूनच सुधारित केले आहे.
DocType: SMS Center,All Customer Contact,सर्व ग्राहक संपर्क
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,csv द्वारे स्टॉक शिल्लक अपलोड करा.
DocType: Warehouse,Tree Details,झाड तपशील
@@ -863,13 +867,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: खर्च केंद्र {2} कंपनी संबंधित नाही {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: खाते {2} एक गट असू शकत नाही
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,आयटम रो {idx}: {doctype} {docName} वरील अस्तित्वात नाही '{doctype}' टेबल
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Timesheet {0} आधीच पूर्ण किंवा रद्द
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} आधीच पूर्ण किंवा रद्द
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,कोणतीही कार्ये
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","ऑटो अशी यादी तयार करणे 05, 28 इत्यादी उदा निर्माण होणार महिन्याचा दिवस"
DocType: Asset,Opening Accumulated Depreciation,जमा घसारा उघडत
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,धावसंख्या 5 या पेक्षा कमी किंवा या समान असणे आवश्यक आहे
DocType: Program Enrollment Tool,Program Enrollment Tool,कार्यक्रम नावनोंदणी साधन
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,सी-फॉर्म रेकॉर्ड
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,सी-फॉर्म रेकॉर्ड
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,ग्राहक आणि पुरवठादार
DocType: Email Digest,Email Digest Settings,ईमेल डायजेस्ट सेटिंग्ज
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,आपला व्यवसाय धन्यवाद!
@@ -879,17 +883,19 @@
DocType: Bin,Moving Average Rate,हलवित/Moving सरासरी दर
DocType: Production Planning Tool,Select Items,निवडा
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} बिल विरुद्ध {1} दिनांक {2}
+DocType: Program Enrollment,Vehicle/Bus Number,वाहन / बस क्रमांक
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,अर्थात वेळापत्रक
DocType: Maintenance Visit,Completion Status,पूर्ण स्थिती
DocType: HR Settings,Enter retirement age in years,वर्षांत निवृत्तीचे वय प्रविष्ट करा
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,लक्ष्य कोठार
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,कृपया एक कोठार निवडा
DocType: Cheque Print Template,Starting location from left edge,बाकी धार पासून स्थान सुरू करत आहे
DocType: Item,Allow over delivery or receipt upto this percent,या टक्के पर्यंत डिलिव्हरी किंवा पावती अनुमती द्या
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,आयात हजेरी
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,सर्व आयटम गट
DocType: Process Payroll,Activity Log,क्रियाकलाप लॉग
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,निव्वळ नफा / तोटा
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,निव्वळ नफा / तोटा
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,स्वयंचलितपणे व्यवहार सादर संदेश तयार करा.
DocType: Production Order,Item To Manufacture,आयटम निर्मिती करणे
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} चा स्थिती {2} आहे
@@ -898,16 +904,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,भरणा करण्यासाठी खरेदी
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,अंदाज Qty
DocType: Sales Invoice,Payment Due Date,पैसे भरण्याची शेवटची तारिख
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,आयटम व्हेरियंट {0} आधीच समान गुणधर्म अस्तित्वात आहे
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,आयटम व्हेरियंट {0} आधीच समान गुणधर्म अस्तित्वात आहे
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','उघडणे'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,का मुक्त
DocType: Notification Control,Delivery Note Message,डिलिव्हरी टीप संदेश
DocType: Expense Claim,Expenses,खर्च
+,Support Hours,समर्थन तास
DocType: Item Variant Attribute,Item Variant Attribute,आयटम व्हेरियंट विशेषता
,Purchase Receipt Trends,खरेदी पावती ट्रेन्ड
DocType: Process Payroll,Bimonthly,द्विमासिक
DocType: Vehicle Service,Brake Pad,ब्रेक पॅड
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,संशोधन आणि विकास
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,संशोधन आणि विकास
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,बिल रक्कम
DocType: Company,Registration Details,नोंदणी तपशील
DocType: Timesheet,Total Billed Amount,एकुण बिल केलेली रक्कम
@@ -920,12 +927,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,फक्त कच्चा माल प्राप्त
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,कामाचे मूल्यमापन.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","सक्षम हे खरेदी सूचीत टाका सक्षम आहे की, हे खरेदी सूचीत टाका वापरा 'आणि हे खरेदी सूचीत टाका आणि कमीत कमी एक कर नियम असावा"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","भरणा प्रवेश {0} ऑर्डर {1}, हे चलन आगाऊ म्हणून कुलशेखरा धावचीत केले पाहिजे की नाही हे तपासण्यासाठी विरूद्ध जोडली आहे."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","भरणा प्रवेश {0} ऑर्डर {1}, हे चलन आगाऊ म्हणून कुलशेखरा धावचीत केले पाहिजे की नाही हे तपासण्यासाठी विरूद्ध जोडली आहे."
DocType: Sales Invoice Item,Stock Details,शेअर तपशील
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,प्रकल्प मूल्य
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,पॉइंट-ऑफ-सेल
DocType: Vehicle Log,Odometer Reading,ओडोमीटर वाचन
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","आधीच क्रेडिट मध्ये खाते शिल्लक आहे , आपल्याला ' डेबिट ' म्हणून ' शिल्लक असणे आवश्यक ' सेट करण्याची परवानगी नाही"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","आधीच क्रेडिट मध्ये खाते शिल्लक आहे , आपल्याला ' डेबिट ' म्हणून ' शिल्लक असणे आवश्यक ' सेट करण्याची परवानगी नाही"
DocType: Account,Balance must be,शिल्लक असणे आवश्यक आहे
DocType: Hub Settings,Publish Pricing,किंमत प्रकाशित
DocType: Notification Control,Expense Claim Rejected Message,खर्च हक्क नाकारला संदेश
@@ -935,7 +942,7 @@
DocType: Salary Slip,Working Days,कामाचे दिवस
DocType: Serial No,Incoming Rate,येणार्या दर
DocType: Packing Slip,Gross Weight,एकूण वजन
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,"आपल्या कंपनीचे नाव, जे आपण या प्रणालीत सेट केले आहे."
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,"आपल्या कंपनीचे नाव, जे आपण या प्रणालीत सेट केले आहे."
DocType: HR Settings,Include holidays in Total no. of Working Days,एकूण कार्यरत दिवसामधे सुट्ट्यांचा सामावेश करा
DocType: Job Applicant,Hold,धरा
DocType: Employee,Date of Joining,प्रवेश दिनांक
@@ -946,20 +953,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,खरेदी पावती
,Received Items To Be Billed,बिल करायचे प्राप्त आयटम
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,सादर पगार स्लिप
-DocType: Employee,Ms,श्रीमती
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,चलन विनिमय दर मास्टर.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},संदर्भ Doctype एक असणे आवश्यक आहे {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,चलन विनिमय दर मास्टर.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},संदर्भ Doctype एक असणे आवश्यक आहे {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},ऑपरेशन {1} साठी पुढील {0} दिवसांत वेळ शोधू शकला नाही
DocType: Production Order,Plan material for sub-assemblies,उप-विधानसभा योजना साहित्य
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,विक्री भागीदार आणि प्रदेश
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,खाते शेअर शिल्लक आधीच आहे म्हणून आपोआप खाते तयार करू शकत नाही. आपण या कोठार एक नोंद करण्यापूर्वी आपल्याला एक जुळणारे खाते तयार करणे आवश्यक
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} सक्रिय असणे आवश्यक आहे
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} सक्रिय असणे आवश्यक आहे
DocType: Journal Entry,Depreciation Entry,घसारा प्रवेश
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,पहले दस्तऐवज प्रकार निवडा
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,साहित्य भेट रद्द करा {0} ही देखभाल भेट रद्द होण्यापुर्वी रद्द करा
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},सिरियल क्रमांक {0} आयटम {1} शी संबंधित नाही
DocType: Purchase Receipt Item Supplied,Required Qty,आवश्यक Qty
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,विद्यमान व्यवहार गोदामे खातेवही रूपांतरीत केले जाऊ शकत नाही.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,विद्यमान व्यवहार गोदामे खातेवही रूपांतरीत केले जाऊ शकत नाही.
DocType: Bank Reconciliation,Total Amount,एकूण रक्कम
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,इंटरनेट प्रकाशन
DocType: Production Planning Tool,Production Orders,उत्पादन ऑर्डर
@@ -974,25 +979,26 @@
DocType: Fee Structure,Components,घटक
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},आयटम मध्ये मालमत्ता वर्ग प्रविष्ट करा {0}
DocType: Quality Inspection Reading,Reading 6,6 वाचन
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,नाही {0} {1} {2} कोणत्याही नकारात्मक थकबाकी चलन करू शकता
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,नाही {0} {1} {2} कोणत्याही नकारात्मक थकबाकी चलन करू शकता
DocType: Purchase Invoice Advance,Purchase Invoice Advance,चलन आगाऊ खरेदी
DocType: Hub Settings,Sync Now,आता समक्रमण
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},रो {0}: क्रेडिट प्रवेश {1} सोबत दुवा साधली जाऊ शकत नाही
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,आर्थिक वर्षात अर्थसंकल्पात व्याख्या करा.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,आर्थिक वर्षात अर्थसंकल्पात व्याख्या करा.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,मुलभूत बँक / रोख खाते आपोआप या मोडमध्ये निवडलेले असताना POS चलन अद्ययावत केले जाईल.
DocType: Lead,LEAD-,LEAD-
DocType: Employee,Permanent Address Is,स्थायी पत्ता आहे
DocType: Production Order Operation,Operation completed for how many finished goods?,ऑपरेशन किती तयार वस्तूंसाठी पूर्ण आहे ?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,ब्रँड
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,ब्रँड
DocType: Employee,Exit Interview Details,मुलाखत तपशीलाच्या बाहेर पडा
DocType: Item,Is Purchase Item,खरेदी आयटम आहे
DocType: Asset,Purchase Invoice,खरेदी चलन
DocType: Stock Ledger Entry,Voucher Detail No,प्रमाणक तपशील नाही
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,नवीन विक्री चलन
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,नवीन विक्री चलन
DocType: Stock Entry,Total Outgoing Value,एकूण जाणारे मूल्य
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,उघडण्याची तारीख आणि अखेरची दिनांक त्याच आर्थिक वर्षात असावे
DocType: Lead,Request for Information,माहिती विनंती
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,समक्रमण ऑफलाइन पावत्या
+,LeaderBoard,LEADERBOARD
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,समक्रमण ऑफलाइन पावत्या
DocType: Payment Request,Paid,पेड
DocType: Program Fee,Program Fee,कार्यक्रम शुल्क
DocType: Salary Slip,Total in words,शब्दात एकूण
@@ -1001,13 +1007,13 @@
DocType: Cheque Print Template,Has Print Format,प्रिंट स्वरूप आहे
DocType: Employee Loan,Sanctioned,मंजूर
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,बंधनकारक आहे. कदाचित त्यासाठी चलन विनिमय रेकॉर्ड तयार केलेले नसेल.
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},रो # {0}: आयटम {1} साठी सिरियल क्रमांक निर्दिष्ट करा
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","' उत्पादन बंडल ' आयटम, वखार , सिरीयल व बॅच नाही ' पॅकिंग यादी' टेबल पासून विचार केला जाईल. वखार आणि बॅच कोणत्याही ' उत्पादन बंडल ' आयटम सर्व पॅकिंग आयटम समान असतील तर, त्या मूल्ये मुख्य बाबींचा टेबल मध्ये प्रविष्ट केले जाऊ शकतात , मूल्ये टेबल ' यादी पॅकिंग ' कॉपी केली जाईल ."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},रो # {0}: आयटम {1} साठी सिरियल क्रमांक निर्दिष्ट करा
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","' उत्पादन बंडल ' आयटम, वखार , सिरीयल व बॅच नाही ' पॅकिंग यादी' टेबल पासून विचार केला जाईल. वखार आणि बॅच कोणत्याही ' उत्पादन बंडल ' आयटम सर्व पॅकिंग आयटम समान असतील तर, त्या मूल्ये मुख्य बाबींचा टेबल मध्ये प्रविष्ट केले जाऊ शकतात , मूल्ये टेबल ' यादी पॅकिंग ' कॉपी केली जाईल ."
DocType: Job Opening,Publish on website,वेबसाइट वर प्रकाशित
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,ग्राहकांना निर्यात.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,पुरवठादार चलन तारीख पोस्ट दिनांक पेक्षा जास्त असू शकत नाही
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,पुरवठादार चलन तारीख पोस्ट दिनांक पेक्षा जास्त असू शकत नाही
DocType: Purchase Invoice Item,Purchase Order Item,ऑर्डर आयटम खरेदी
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,अप्रत्यक्ष उत्पन्न
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,अप्रत्यक्ष उत्पन्न
DocType: Student Attendance Tool,Student Attendance Tool,विद्यार्थी उपस्थिती साधन
DocType: Cheque Print Template,Date Settings,तारीख सेटिंग्ज
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,फरक
@@ -1025,21 +1031,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,रासायनिक
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,मुलभूत बँक / रोख खाते आपोआप या मोडमध्ये निवडलेले असताना पगार जर्नल प्रवेश मध्ये सुधारीत केले जाईल.
DocType: BOM,Raw Material Cost(Company Currency),कच्चा माल खर्च (कंपनी चलन)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,सर्व आयटम आधीच या उत्पादन ऑर्डर बदल्या करण्यात आल्या आहेत.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,सर्व आयटम आधीच या उत्पादन ऑर्डर बदल्या करण्यात आल्या आहेत.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},पंक्ती # {0}: दर वापरले दर पेक्षा जास्त असू शकत नाही {1} {2}
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},पंक्ती # {0}: दर वापरले दर पेक्षा जास्त असू शकत नाही {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,मीटर
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,मीटर
DocType: Workstation,Electricity Cost,वीज खर्च
DocType: HR Settings,Don't send Employee Birthday Reminders,कर्मचारी वाढदिवस स्मरणपत्रे पाठवू नका
DocType: Item,Inspection Criteria,तपासणी निकष
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,हस्तांतरण
DocType: BOM Website Item,BOM Website Item,BOM वेबसाइट बाबींचा
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,आपले पत्र डोके आणि लोगो अपलोड करा. (आपण नंतर संपादित करू शकता).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,आपले पत्र डोके आणि लोगो अपलोड करा. (आपण नंतर संपादित करू शकता).
DocType: Timesheet Detail,Bill,बिल
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,पुढील घसारा तारीख मागील तारीख प्रवेश केला आहे
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,व्हाइट
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,व्हाइट
DocType: SMS Center,All Lead (Open),सर्व लीड (उघडा)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),सलग {0}: प्रमाण उपलब्ध नाही {4} कोठार मध्ये {1} नोंद वेळ पोस्ट करण्यात ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),सलग {0}: प्रमाण उपलब्ध नाही {4} कोठार मध्ये {1} नोंद वेळ पोस्ट करण्यात ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,सुधारण अदा करा
DocType: Item,Automatically Create New Batch,नवीन बॅच आपोआप तयार करा
DocType: Item,Automatically Create New Batch,नवीन बॅच आपोआप तयार करा
@@ -1050,13 +1056,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,माझे टाका
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},ऑर्डर प्रकार {0} पैकी एक असणे आवश्यक आहे
DocType: Lead,Next Contact Date,पुढील संपर्क तारीख
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Qty उघडणे
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,रक्कम बदल खाते प्रविष्ट करा
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Qty उघडणे
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,रक्कम बदल खाते प्रविष्ट करा
DocType: Student Batch Name,Student Batch Name,विद्यार्थी बॅच नाव
DocType: Holiday List,Holiday List Name,सुट्टी यादी नाव
DocType: Repayment Schedule,Balance Loan Amount,शिल्लक कर्ज रक्कम
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,वेळापत्रक कोर्स
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,शेअर पर्याय
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,शेअर पर्याय
DocType: Journal Entry Account,Expense Claim,खर्च दावा
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,आपण खरोखर या रद्द मालमत्ता परत करू इच्छिता?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},{0} साठी Qty
@@ -1068,12 +1074,12 @@
DocType: Company,Default Terms,मुलभूत अटी
DocType: Packing Slip Item,Packing Slip Item,पॅकिंग स्लिप्स आयटम
DocType: Purchase Invoice,Cash/Bank Account,रोख / बँक खाते
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},निर्दिष्ट करा एक {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},निर्दिष्ट करा एक {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,प्रमाणात किंवा मूल्यात बदल नसलेले आयटम काढले .
DocType: Delivery Note,Delivery To,वितरण
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,विशेषता टेबल अनिवार्य आहे
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,विशेषता टेबल अनिवार्य आहे
DocType: Production Planning Tool,Get Sales Orders,विक्री ऑर्डर मिळवा
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} नकारात्मक असू शकत नाही
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} नकारात्मक असू शकत नाही
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,सवलत
DocType: Asset,Total Number of Depreciations,Depreciations एकूण क्रमांक
DocType: Sales Invoice Item,Rate With Margin,मार्जिन दर
@@ -1094,7 +1100,6 @@
DocType: Serial No,Creation Document No,निर्मिती दस्तऐवज नाही
DocType: Issue,Issue,अंक
DocType: Asset,Scrapped,रद्द
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,खाते कंपनी जुळत नाही
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","आयटम रूपे साठी विशेषता. उदा आकार, रंग इ"
DocType: Purchase Invoice,Returns,परतावा
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP कोठार
@@ -1106,12 +1111,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,आयटम ' खरेदी पावत्यापासून आयटम मिळवा' या बटणाचा वापर करून समाविष्ट करणे आवश्यक आहे
DocType: Employee,A-,अ-
DocType: Production Planning Tool,Include non-stock items,नॉन-स्टॉक आयटम समाविष्ट करा
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,विक्री खर्च
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,विक्री खर्च
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,मानक खरेदी
DocType: GL Entry,Against,विरुद्ध
DocType: Item,Default Selling Cost Center,मुलभूत विक्री खर्च केंद्र
DocType: Sales Partner,Implementation Partner,अंमलबजावणी भागीदार
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,पिनकोड
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,पिनकोड
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},विक्री ऑर्डर {0} हे {1}आहे
DocType: Opportunity,Contact Info,संपर्क माहिती
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,शेअर नोंदी करून देणे
@@ -1124,33 +1129,33 @@
DocType: Holiday List,Get Weekly Off Dates,साप्ताहिक बंद तारखा मिळवा
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,समाप्ती तारीख प्रारंभ तारखेच्या पेक्षा कमी असू शकत नाही
DocType: Sales Person,Select company name first.,प्रथम कंपनीचे नाव निवडा
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,डॉ
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,अवतरणे पुरवठादारांकडून प्राप्त झाली.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},करण्यासाठी {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,सरासरी वय
DocType: School Settings,Attendance Freeze Date,उपस्थिती गोठवा तारीख
DocType: School Settings,Attendance Freeze Date,उपस्थिती गोठवा तारीख
DocType: Opportunity,Your sales person who will contact the customer in future,भविष्यात ग्राहक संपर्क साधू शकणारे आपले विक्री व्यक्ती
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,आपल्या पुरवठादारांची यादी करा. ते संघटना किंवा व्यक्ती असू शकते.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,आपल्या पुरवठादारांची यादी करा. ते संघटना किंवा व्यक्ती असू शकते.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,सर्व उत्पादने पहा
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),किमान लीड वय (दिवस)
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),किमान लीड वय (दिवस)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,सर्व BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,सर्व BOMs
DocType: Company,Default Currency,पूर्वनिर्धारीत चलन
DocType: Expense Claim,From Employee,कर्मचारी पासून
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,चेतावनी: प्रणाली आयटम रक्कम पासून overbilling तपासा नाही {0} मधील {1} शून्य आहे
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,चेतावनी: प्रणाली आयटम रक्कम पासून overbilling तपासा नाही {0} मधील {1} शून्य आहे
DocType: Journal Entry,Make Difference Entry,फरक प्रवेश करा
DocType: Upload Attendance,Attendance From Date,तारीख पासून उपस्थिती
DocType: Appraisal Template Goal,Key Performance Area,की कामगिरी क्षेत्र
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,वाहतूक
+DocType: Program Enrollment,Transportation,वाहतूक
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,अवैध विशेषता
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} सादर करणे आवश्यक आहे
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} सादर करणे आवश्यक आहे
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},प्रमाणात या पेक्षा कमी किंवा या समान असणे आवश्यक आहे {0}
DocType: SMS Center,Total Characters,एकूण वर्ण
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},कृपया आयटम {0} साठी BOM क्षेत्रात BOM निवडा
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},कृपया आयटम {0} साठी BOM क्षेत्रात BOM निवडा
DocType: C-Form Invoice Detail,C-Form Invoice Detail,सी-फॉर्म चलन तपशील
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,भरणा सलोखा बीजक
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,योगदान%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","प्रति खरेदी सेटिंग्ज तर ऑर्डर खरेदी आवश्यक == 'होय', नंतर चलन खरेदी तयार करण्यासाठी, वापरकर्ता आयटम प्रथम पर्चेस तयार करणे आवश्यक आहे {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,आपल्या संदर्भासाठी कंपनी नोंदणी क्रमांक. कर संख्या इ
DocType: Sales Partner,Distributor,वितरक
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,हे खरेदी सूचीत टाका शिपिंग नियम
@@ -1159,23 +1164,25 @@
,Ordered Items To Be Billed,आदेश दिलेले आयटम बिल करायचे
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,श्रेणी पासून श्रेणी पर्यंत कमी असली पाहिजे
DocType: Global Defaults,Global Defaults,ग्लोबल डीफॉल्ट
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,प्रकल्प सहयोग आमंत्रण
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,प्रकल्प सहयोग आमंत्रण
DocType: Salary Slip,Deductions,वजावट
DocType: Leave Allocation,LAL/,लाल /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,प्रारंभ वर्ष
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},GSTIN प्रथम 2 अंक राज्य संख्या जुळणे आवश्यक आहे {0}
DocType: Purchase Invoice,Start date of current invoice's period,चालू चलन च्या कालावधी प्रारंभ तारीख
DocType: Salary Slip,Leave Without Pay,पे न करता रजा
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,क्षमता नियोजन त्रुटी
,Trial Balance for Party,पार्टी चाचणी शिल्लक
DocType: Lead,Consultant,सल्लागार
DocType: Salary Slip,Earnings,कमाई
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,पूर्ण आयटम {0} उत्पादन प्रकार नोंदणी करीता प्रविष्ट करणे आवश्यक आहे
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,पूर्ण आयटम {0} उत्पादन प्रकार नोंदणी करीता प्रविष्ट करणे आवश्यक आहे
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,उघडत लेखा शिल्लक
+,GST Sales Register,जीएसटी विक्री नोंदणी
DocType: Sales Invoice Advance,Sales Invoice Advance,विक्री चलन आगाऊ
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,काहीही विनंती करण्यासाठी
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},आणखी अर्थसंकल्पात रेकॉर्ड '{0}' आधीच विरुद्ध अस्तित्वात {1} '{2}' आर्थिक वर्षात आर्थिक {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date','वास्तविक प्रारंभ तारीख' ही 'वास्तविक अंतिम तारीख' यापेक्षा जास्त असू शकत नाही
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,व्यवस्थापन
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,व्यवस्थापन
DocType: Cheque Print Template,Payer Settings,देणारा सेटिंग्ज
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","हा जिच्यामध्ये variant आयटम कोड आहे त्यासाठी जोडला जाईल. उदाहरणार्थ जर आपला संक्षेप ""SM"", आहे आणि , आयटम कोड ""टी-शर्ट"", ""टी-शर्ट-एम"" असेल जिच्यामध्ये variant आयटम कोड आहे"
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,आपल्या पगाराच्या स्लिप्स एकदा जतन केल्यावर निव्वळ वेतन ( शब्दांत ) दृश्यमान होईल.
@@ -1192,8 +1199,8 @@
DocType: Employee Loan,Partially Disbursed,अंशत: वाटप
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,पुरवठादार डेटाबेस.
DocType: Account,Balance Sheet,ताळेबंद
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',खर्च केंद्र आयटम साठी 'आयटम कोड' बरोबर
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",भरणा मोड कॉन्फिगर केलेली नाही. खाते मोड ऑफ पेमेंट्स किंवा पीओएस प्रोफाइल वर सेट केली गेली आहे का ते कृपया तपासा.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',खर्च केंद्र आयटम साठी 'आयटम कोड' बरोबर
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",भरणा मोड कॉन्फिगर केलेली नाही. खाते मोड ऑफ पेमेंट्स किंवा पीओएस प्रोफाइल वर सेट केली गेली आहे का ते कृपया तपासा.
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,आपल्या विक्री व्यक्तीला ग्राहक संपर्क साधण्यासाठी या तारखेला एक स्मरणपत्र मिळेल
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,सारख्या आयटमचा एकाधिक वेळा प्रविष्ट करणे शक्य नाही.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","पुढील खाती गट अंतर्गत केले जाऊ शकते, पण नोंदी नॉन-गट करू शकता"
@@ -1201,7 +1208,7 @@
DocType: Email Digest,Payables,देय
DocType: Course,Course Intro,अर्थात परिचय
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,शेअर प्रवेश {0} तयार
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,रो # {0}: नाकारलेली Qty खरेदी परत मधे प्रविष्ट करणे शक्य नाही
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,रो # {0}: नाकारलेली Qty खरेदी परत मधे प्रविष्ट करणे शक्य नाही
,Purchase Order Items To Be Billed,पर्चेस आयटम बिल करायचे
DocType: Purchase Invoice Item,Net Rate,नेट दर
DocType: Purchase Invoice Item,Purchase Invoice Item,चलन आयटम खरेदी
@@ -1228,7 +1235,7 @@
DocType: Sales Order,SO-,SO-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,कृपया पहले उपसर्ग निवडा
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,संशोधन
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,संशोधन
DocType: Maintenance Visit Purpose,Work Done,कार्य पूर्ण झाले
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,विशेषता टेबल मध्ये किमान एक गुणधर्म निर्दिष्ट करा
DocType: Announcement,All Students,सर्व विद्यार्थी
@@ -1236,17 +1243,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,लेजर पहा
DocType: Grading Scale,Intervals,कालांतराने
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,लवकरात लवकर
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","आयटम त्याच नावाने अस्तित्वात असेल , तर आयटम गट नाव बदल किंवा आयटम पुनर्नामित करा"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,विद्यार्थी भ्रमणध्वनी क्रमांक
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,उर्वरित जग
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","आयटम त्याच नावाने अस्तित्वात असेल , तर आयटम गट नाव बदल किंवा आयटम पुनर्नामित करा"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,विद्यार्थी भ्रमणध्वनी क्रमांक
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,उर्वरित जग
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,आयटम {0} बॅच असू शकत नाही
,Budget Variance Report,अर्थसंकल्प फरक अहवाल
DocType: Salary Slip,Gross Pay,एकूण वेतन
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,सलग {0}: क्रियाकलाप प्रकार आवश्यक आहे.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,लाभांश पेड
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,लाभांश पेड
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,लेखा लेजर
DocType: Stock Reconciliation,Difference Amount,फरक रक्कम
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,कायम ठेवण्यात कमाई
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,कायम ठेवण्यात कमाई
DocType: Vehicle Log,Service Detail,सेवा तपशील
DocType: BOM,Item Description,आयटम वर्णन
DocType: Student Sibling,Student Sibling,विद्यार्थी भावंड
@@ -1261,11 +1268,11 @@
DocType: Opportunity Item,Opportunity Item,संधी आयटम
,Student and Guardian Contact Details,विद्यार्थी आणि पालक संपर्क तपशील
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,सलग {0}: पुरवठादार साठी {0} ईमेल पत्ता ईमेल पाठवा करणे आवश्यक आहे
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,तात्पुरती उघडणे
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,तात्पुरती उघडणे
,Employee Leave Balance,कर्मचारी रजा शिल्लक
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},खाते साठी शिल्लक {0} नेहमी असणे आवश्यक आहे {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},मूल्यांकन दर सलग आयटम आवश्यक {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,उदाहरण: संगणक विज्ञान मध्ये मास्टर्स
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,उदाहरण: संगणक विज्ञान मध्ये मास्टर्स
DocType: Purchase Invoice,Rejected Warehouse,नाकारल्याचे कोठार
DocType: GL Entry,Against Voucher,व्हाउचर विरुद्ध
DocType: Item,Default Buying Cost Center,मुलभूत खरेदी खर्च केंद्र
@@ -1278,31 +1285,30 @@
DocType: Journal Entry,Get Outstanding Invoices,थकबाकी पावत्या मिळवा
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,विक्री ऑर्डर {0} वैध नाही
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,खरेदी आदेश योजना मदत आणि आपल्या खरेदी पाठपुरावा
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","क्षमस्व, कंपन्या विलीन करणे शक्य नाही"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","क्षमस्व, कंपन्या विलीन करणे शक्य नाही"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",एकूण अंक / हस्तांतरण प्रमाणात{0} साहित्य विनंती {1} मध्ये \ विनंती प्रमाण {2} पेक्षा आयटम{3} साठी जास्त असू शकत नाही
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,लहान
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,लहान
DocType: Employee,Employee Number,कर्मचारी संख्या
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},प्रकरण क्रमांक (s) आधीपासून वापरात आहेत . प्रकरण {0} पासून वापरून पहा
DocType: Project,% Completed,% पूर्ण
,Invoiced Amount (Exculsive Tax),Invoiced रक्कम (Exculsive कर)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,आयटम 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,खाते प्रमुख {0} तयार
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,प्रशिक्षण कार्यक्रम
DocType: Item,Auto re-order,ऑटो पुन्हा आदेश
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,एकूण गाठले
DocType: Employee,Place of Issue,समस्या ठिकाण
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,करार
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,करार
DocType: Email Digest,Add Quote,कोट जोडा
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},UOM आवश्यक UOM coversion घटक: {0} आयटम मध्ये: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,अप्रत्यक्ष खर्च
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM आवश्यक UOM coversion घटक: {0} आयटम मध्ये: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,अप्रत्यक्ष खर्च
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,रो {0}: Qty अनिवार्य आहे
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,कृषी
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,समक्रमण मास्टर डेटा
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,आपली उत्पादने किंवा सेवा
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,समक्रमण मास्टर डेटा
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,आपली उत्पादने किंवा सेवा
DocType: Mode of Payment,Mode of Payment,मोड ऑफ पेमेंट्स
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,वेबसाइट प्रतिमा सार्वजनिक फाइल किंवा वेबसाइट URL असावी
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,वेबसाइट प्रतिमा सार्वजनिक फाइल किंवा वेबसाइट URL असावी
DocType: Student Applicant,AP,आंध्र प्रदेश
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,हा रूट आयटम गट आहे आणि संपादित केला जाऊ शकत नाही.
@@ -1311,7 +1317,7 @@
DocType: Warehouse,Warehouse Contact Info,वखार संपर्क माहिती
DocType: Payment Entry,Write Off Difference Amount,फरक रक्कम बंद लिहा
DocType: Purchase Invoice,Recurring Type,आवर्ती प्रकार
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: कर्मचारी ईमेल आढळले नाही, म्हणून पाठविले नाही ई-मेल"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: कर्मचारी ईमेल आढळले नाही, म्हणून पाठविले नाही ई-मेल"
DocType: Item,Foreign Trade Details,विदेश व्यापार तपशील
DocType: Email Digest,Annual Income,वार्षिक उत्पन्न
DocType: Serial No,Serial No Details,सिरियल क्रमांक तपशील
@@ -1319,10 +1325,10 @@
DocType: Student Group Student,Group Roll Number,गट आसन क्रमांक
DocType: Student Group Student,Group Roll Number,गट आसन क्रमांक
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","{0}, फक्त क्रेडिट खात्यांच्या दुसऱ्या नावे नोंद लिंक जाऊ शकते"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,सर्व कार्य वजन एकूण असू 1. त्यानुसार सर्व प्रकल्प कार्ये वजन समायोजित करा
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,"डिलिव्हरी टीप {0} सबमिट केलेली नाही,"
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,आयटम {0} सब-करारबद्ध आयटम असणे आवश्यक आहे
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,कॅपिटल उपकरणे
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,सर्व कार्य वजन एकूण असू 1. त्यानुसार सर्व प्रकल्प कार्ये वजन समायोजित करा
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,"डिलिव्हरी टीप {0} सबमिट केलेली नाही,"
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,आयटम {0} सब-करारबद्ध आयटम असणे आवश्यक आहे
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,कॅपिटल उपकरणे
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","किंमत नियम 'रोजी लागू करा' field वर आधारित पहिले निवडलेला आहे , जो आयटम, आयटम गट किंवा ब्रॅण्ड असू शकतो"
DocType: Hub Settings,Seller Website,विक्रेता वेबसाइट
DocType: Item,ITEM-,ITEM-
@@ -1340,7 +1346,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","तेथे 0 सोबत फक्त एक शिपिंग नियम अट असू शकते किंवा ""To Value"" साठी रिक्त मूल्य असू शकते"
DocType: Authorization Rule,Transaction,व्यवहार
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,टीप: हा खर्च केंद्र एक गट आहे. गट विरुद्ध लेखा नोंदी करू शकत नाही.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,बाल कोठार या कोठार अस्तित्वात नाही. आपण या कोठार हटवू शकत नाही.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,बाल कोठार या कोठार अस्तित्वात नाही. आपण या कोठार हटवू शकत नाही.
DocType: Item,Website Item Groups,वेबसाइट आयटम गट
DocType: Purchase Invoice,Total (Company Currency),एकूण (कंपनी चलन)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,अनुक्रमांक {0} एकापेक्षा अधिक वेळा enter केला आहे
@@ -1350,7 +1356,7 @@
DocType: Grading Scale Interval,Grade Code,ग्रेड कोड
DocType: POS Item Group,POS Item Group,POS बाबींचा गट
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ई-मेल सारांश:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} आयटम संबंधित नाही {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} आयटम संबंधित नाही {1}
DocType: Sales Partner,Target Distribution,लक्ष्य वितरण
DocType: Salary Slip,Bank Account No.,बँक खाते क्रमांक
DocType: Naming Series,This is the number of the last created transaction with this prefix,हा क्रमांक या प्रत्ययसह गेल्या निर्माण केलेला व्यवहार आहे
@@ -1361,12 +1367,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,पुस्तक मालमत्ता घसारा प्रवेश स्वयंचलितपणे
DocType: BOM Operation,Workstation,वर्कस्टेशन
DocType: Request for Quotation Supplier,Request for Quotation Supplier,अवतरण पुरवठादार विनंती
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,हार्डवेअर
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,हार्डवेअर
DocType: Sales Order,Recurring Upto,आवर्ती पर्यंत
DocType: Attendance,HR Manager,एचआर व्यवस्थापक
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,कृपया कंपनी निवडा
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,रजा
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,कृपया कंपनी निवडा
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,रजा
DocType: Purchase Invoice,Supplier Invoice Date,पुरवठादार चलन तारीख
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,प्रति
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,आपण हे खरेदी सूचीत टाका सक्षम करणे आवश्यक आहे
DocType: Payment Entry,Writeoff,Writeoff
DocType: Appraisal Template Goal,Appraisal Template Goal,मूल्यांकन साचा लक्ष्य
@@ -1377,10 +1384,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,दरम्यान आढळलेल्या आच्छादित अटी:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,जर्नल विरुद्ध प्रवेश {0} आधीच काही इतर व्हाउचर विरुद्ध सुस्थीत केले जाते
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,एकूण ऑर्डर मूल्य
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,अन्न
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,अन्न
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Ageing श्रेणी 3
DocType: Maintenance Schedule Item,No of Visits,भेटी क्रमांक
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,मार्क हजेरी
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,मार्क हजेरी
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},देखभाल वेळापत्रक {0} विरुद्ध अस्तित्वात {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,नोंदणी विद्यार्थी
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},बंद खात्याचे चलन {0} असणे आवश्यक आहे
@@ -1394,6 +1401,7 @@
DocType: Rename Tool,Utilities,उपयुक्तता
DocType: Purchase Invoice Item,Accounting,लेखा
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,कृपया बॅच आयटम बॅच निवडा
DocType: Asset,Depreciation Schedules,घसारा वेळापत्रक
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,अर्ज काळ रजा वाटप कालावधी बाहेर असू शकत नाही
DocType: Activity Cost,Projects,प्रकल्प
@@ -1407,6 +1415,7 @@
DocType: POS Profile,Campaign,मोहीम
DocType: Supplier,Name and Type,नाव आणि प्रकार
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',मंजूरीची स्थिती 'मंजूर' किंवा 'नाकारलेली' करणे आवश्यक आहे
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,आरंभ
DocType: Purchase Invoice,Contact Person,संपर्क व्यक्ती
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','अपेक्षित प्रारंभ तारीख' ही 'अपेक्षित शेवटची तारीख' पेक्षा जास्त असू शकत नाही.
DocType: Course Scheduling Tool,Course End Date,अर्थात अंतिम तारीख
@@ -1414,12 +1423,11 @@
DocType: Sales Order Item,Planned Quantity,नियोजनबद्ध प्रमाण
DocType: Purchase Invoice Item,Item Tax Amount,आयटम कर रक्कम
DocType: Item,Maintain Stock,शेअर ठेवा
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,आधीच उत्पादन ऑर्डर तयार स्टॉक नोंदी
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,आधीच उत्पादन ऑर्डर तयार स्टॉक नोंदी
DocType: Employee,Prefered Email,Prefered ईमेल
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,मुदत मालमत्ता निव्वळ बदला
DocType: Leave Control Panel,Leave blank if considered for all designations,सर्व पदांसाठी विचारल्यास रिक्त सोडा
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,वखार प्रकार स्टॉक नॉन गट खाती अनिवार्य आहे
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,प्रकार 'वास्तविक ' सलग शुल्क {0} आयटम रेट मधे समाविष्ट केले जाऊ शकत नाही
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,प्रकार 'वास्तविक ' सलग शुल्क {0} आयटम रेट मधे समाविष्ट केले जाऊ शकत नाही
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},कमाल: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,DATETIME पासून
DocType: Email Digest,For Company,कंपनी साठी
@@ -1429,15 +1437,15 @@
DocType: Sales Invoice,Shipping Address Name,शिपिंग पत्ता नाव
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,लेखा चार्ट
DocType: Material Request,Terms and Conditions Content,अटी आणि शर्ती सामग्री
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,पेक्षा जास्त 100 असू शकत नाही
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,{0} आयटम स्टॉक आयटम नाही
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,पेक्षा जास्त 100 असू शकत नाही
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,{0} आयटम स्टॉक आयटम नाही
DocType: Maintenance Visit,Unscheduled,Unscheduled
DocType: Employee,Owned,मालकीचे
DocType: Salary Detail,Depends on Leave Without Pay,वेतन न करता सोडा अवलंबून असते
DocType: Pricing Rule,"Higher the number, higher the priority","उच्च संख्या, जास्त प्राधान्य"
,Purchase Invoice Trends,चलन खरेदी ट्रेन्ड्स
DocType: Employee,Better Prospects,उत्तम प्रॉस्पेक्ट
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","पंक्ती # {0}: बॅच {1} फक्त {2} प्रमाण आहे. कृपया {3} प्रमाण उपलब्ध आहे, जे आणखी एक बॅच निवडा किंवा अनेक बॅचेस पासून / वितरीत करण्यासाठी समस्या, अनेक पंक्ती मध्ये सलग विभाजन"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","पंक्ती # {0}: बॅच {1} फक्त {2} प्रमाण आहे. कृपया {3} प्रमाण उपलब्ध आहे, जे आणखी एक बॅच निवडा किंवा अनेक बॅचेस पासून / वितरीत करण्यासाठी समस्या, अनेक पंक्ती मध्ये सलग विभाजन"
DocType: Vehicle,License Plate,परवाना प्लेट
DocType: Appraisal,Goals,गोल
DocType: Warranty Claim,Warranty / AMC Status,हमी / जेथे एएमसी स्थिती
@@ -1448,19 +1456,20 @@
,Batch-Wise Balance History,बॅच -वार शिल्लक इतिहास
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,मुद्रण सेटिंग्ज संबंधित प्रिंट स्वरूपात अद्ययावत
DocType: Package Code,Package Code,पॅकेज कोड
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,शिकाऊ उमेदवार
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,शिकाऊ उमेदवार
+DocType: Purchase Invoice,Company GSTIN,कंपनी GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,नकारात्मक प्रमाणाला परवानगी नाही
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",स्ट्रिंग म्हणून आयटम मालक प्राप्त आणि या क्षेत्रात संग्रहित कर तपशील टेबल. कर आणि शुल्क करीता वापरले जाते
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,कर्मचारी स्वत: ला तक्रार करू शकत नाही.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","खाते गोठविले तर, नोंदी मर्यादित वापरकर्त्यांना परवानगी आहे."
DocType: Email Digest,Bank Balance,बँक बॅलन्स
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Accounting प्रवेश {0}: {1} साठी फक्त चलन {2} मधे केले जाऊ शकते
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Accounting प्रवेश {0}: {1} साठी फक्त चलन {2} मधे केले जाऊ शकते
DocType: Job Opening,"Job profile, qualifications required etc.","कामाचे, पात्रता आवश्यक इ"
DocType: Journal Entry Account,Account Balance,खाते शिल्लक
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,व्यवहार कर नियम.
DocType: Rename Tool,Type of document to rename.,दस्तऐवज प्रकार पुनर्नामित करण्यात.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,आम्ही ही आयटम खरेदी
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,आम्ही ही आयटम खरेदी
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: ग्राहक प्राप्तीयोग्य खाते विरुद्ध आवश्यक आहे {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),एकूण कर आणि शुल्क (कंपनी चलन)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,बंद न केलेली आथिर्क वर्षात पी & एल शिल्लक दर्शवा
@@ -1471,29 +1480,30 @@
DocType: Stock Entry,Total Additional Costs,एकूण अतिरिक्त खर्च
DocType: Course Schedule,SH,एस एच
DocType: BOM,Scrap Material Cost(Company Currency),स्क्रॅप साहित्य खर्च (कंपनी चलन)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,उप विधानसभा
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,उप विधानसभा
DocType: Asset,Asset Name,मालमत्ता नाव
DocType: Project,Task Weight,कार्य वजन
DocType: Shipping Rule Condition,To Value,मूल्य
DocType: Asset Movement,Stock Manager,शेअर व्यवस्थापक
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},स्रोत कोठार सलग {0} साठी अनिवार्य आहे
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,पॅकिंग स्लिप्स
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,कार्यालय भाडे
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},स्रोत कोठार सलग {0} साठी अनिवार्य आहे
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,पॅकिंग स्लिप्स
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,कार्यालय भाडे
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,सेटअप एसएमएस गेटवे सेटिंग
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,आयात अयशस्वी!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,पत्ते अद्याप जोडले नाहीत
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,पत्ते अद्याप जोडले नाहीत
DocType: Workstation Working Hour,Workstation Working Hour,वर्कस्टेशन कार्यरत तास
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,विश्लेषक
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,विश्लेषक
DocType: Item,Inventory,सूची
DocType: Item,Sales Details,विक्री तपशील
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,आयटम
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,Qty मध्ये
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,Qty मध्ये
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,विद्यार्थी गट विद्यार्थी प्रवेश कोर्स प्रमाणित
DocType: Notification Control,Expense Claim Rejected,खर्च हक्क नाकारला
DocType: Item,Item Attribute,आयटम विशेषता
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,सरकार
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,सरकार
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,खर्च दावा {0} वाहनाकरीता लॉग आधिपासूनच अस्तित्वात आहे
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,संस्था नाव
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,संस्था नाव
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,परतफेड रक्कम प्रविष्ट करा
apps/erpnext/erpnext/config/stock.py +300,Item Variants,आयटम रूपे
DocType: Company,Services,सेवा
@@ -1503,18 +1513,18 @@
DocType: Sales Invoice,Source,स्रोत
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,बंद शो
DocType: Leave Type,Is Leave Without Pay,पे न करता सोडू आहे
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,मालमत्ता वर्ग मुदत मालमत्ता आयटम अनिवार्य आहे
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,मालमत्ता वर्ग मुदत मालमत्ता आयटम अनिवार्य आहे
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,भरणा टेबल मधे रेकॉर्ड आढळले नाहीत
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},या {0} संघर्ष {1} साठी {2} {3}
DocType: Student Attendance Tool,Students HTML,विद्यार्थी HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,आर्थिक वर्ष प्रारंभ तारीख
DocType: POS Profile,Apply Discount,सवलत लागू करा
+DocType: Purchase Invoice Item,GST HSN Code,'जीएसटी' HSN कोड
DocType: Employee External Work History,Total Experience,एकूण अनुभव
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,ओपन प्रकल्प
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,रद्द केलेल्या पॅकिंग स्लिप (चे)
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,गुंतवणूक रोख प्रवाह
DocType: Program Course,Program Course,कार्यक्रम कोर्स
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,वाहतुक आणि अग्रेषित शुल्क
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,वाहतुक आणि अग्रेषित शुल्क
DocType: Homepage,Company Tagline for website homepage,वेबसाइट मुख्यपृष्ठावर कंपनी टॅगलाइन
DocType: Item Group,Item Group Name,आयटम गट नाव
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,घेतले
@@ -1524,6 +1534,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,निष्पन्न तयार करा
DocType: Maintenance Schedule,Schedules,वेळापत्रक
DocType: Purchase Invoice Item,Net Amount,निव्वळ रक्कम
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} कारवाई पूर्ण करणे शक्य नाही सबमिट केला गेला नाही
DocType: Purchase Order Item Supplied,BOM Detail No,BOM तपशील नाही
DocType: Landed Cost Voucher,Additional Charges,अतिरिक्त शुल्क
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),अतिरिक्त सवलत रक्कम (कंपनी चलन)
@@ -1539,6 +1550,7 @@
DocType: Employee Loan,Monthly Repayment Amount,मासिक परतफेड रक्कम
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,कर्मचारी भूमिका सेट करण्यासाठी एक कर्मचारी रेकॉर्ड वापरकर्ता आयडी फील्ड सेट करा
DocType: UOM,UOM Name,UOM नाव
+DocType: GST HSN Code,HSN Code,HSN कोड
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,योगदान रक्कम
DocType: Purchase Invoice,Shipping Address,शिपिंग पत्ता
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,हे साधन आपल्याला सुधारीत किंवा प्रणाली मध्ये स्टॉक प्रमाण आणि मूल्यांकन निराकरण करण्यासाठी मदत करते. सामान्यत: प्रणाली मूल्ये आणि काय प्रत्यक्षात आपल्या गोदामे अस्तित्वात समक्रमित केले जाते त्यासाठी वापरले जाते.
@@ -1549,18 +1561,17 @@
DocType: Program Enrollment Tool,Program Enrollments,कार्यक्रम नामांकनाची
DocType: Sales Invoice Item,Brand Name,ब्रँड नाव
DocType: Purchase Receipt,Transporter Details,वाहतुक तपशील
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,मुलभूत कोठार निवडलेले आयटम आवश्यक आहे
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,बॉक्स
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,मुलभूत कोठार निवडलेले आयटम आवश्यक आहे
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,बॉक्स
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,शक्य पुरवठादार
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,संघटना
DocType: Budget,Monthly Distribution,मासिक वितरण
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,स्वीकारणार्याची सूची रिक्त आहे. स्वीकारणारा यादी तयार करा
DocType: Production Plan Sales Order,Production Plan Sales Order,उत्पादन योजना विक्री आदेश
DocType: Sales Partner,Sales Partner Target,विक्री भागीदार लक्ष्य
DocType: Loan Type,Maximum Loan Amount,कमाल कर्ज रक्कम
DocType: Pricing Rule,Pricing Rule,किंमत नियम
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},विद्यार्थी रोल नंबर डुप्लिकेट {0}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},विद्यार्थी रोल नंबर डुप्लिकेट {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},विद्यार्थी रोल नंबर डुप्लिकेट {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},विद्यार्थी रोल नंबर डुप्लिकेट {0}
DocType: Budget,Action if Annual Budget Exceeded,कृती वार्षिक अर्थसंकल्प ओलांडला तर
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,ऑर्डर खरेदी करण्यासाठी साहित्य विनंती
DocType: Shopping Cart Settings,Payment Success URL,भरणा यशस्वी URL मध्ये
@@ -1573,11 +1584,11 @@
DocType: C-Form,III,तिसरा
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,स्टॉक शिल्लक उघडणे
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} केवळ एकदा दिसणे आवश्यक आहे
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},पर्चेस ओर्डर {2} विरुद्ध {0} पेक्षा {1} अधिक transfer करण्याची परवानगी नाही
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},पर्चेस ओर्डर {2} विरुद्ध {0} पेक्षा {1} अधिक transfer करण्याची परवानगी नाही
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},रजा यशस्वीरित्या {0} साठी वाटप केली
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,पॅक करण्यासाठी आयटम नाहीत
DocType: Shipping Rule Condition,From Value,मूल्य
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,उत्पादन प्रमाण अनिवार्य आहे
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,उत्पादन प्रमाण अनिवार्य आहे
DocType: Employee Loan,Repayment Method,परतफेड पद्धत
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","चेक केलेले असल्यास, मुख्यपृष्ठ वेबसाइट मुलभूत बाबींचा गट असेल"
DocType: Quality Inspection Reading,Reading 4,4 वाचन
@@ -1587,7 +1598,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},सलग # {0}: निपटारा तारीख {1} धनादेश तारीख असू शकत नाही {2}
DocType: Company,Default Holiday List,सुट्टी यादी डीफॉल्ट
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},सलग {0}: कडून वेळ आणि वेळ {1} आच्छादित आहे {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,शेअर दायित्व
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,शेअर दायित्व
DocType: Purchase Invoice,Supplier Warehouse,पुरवठादार कोठार
DocType: Opportunity,Contact Mobile No,संपर्क मोबाइल नाही
,Material Requests for which Supplier Quotations are not created,साहित्य विनंत्या ज्यांच्यासाठी पुरवठादार अवतरणे तयार नाहीत
@@ -1598,35 +1609,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,कोटेशन करा
apps/erpnext/erpnext/config/selling.py +216,Other Reports,इतर अहवाल
DocType: Dependent Task,Dependent Task,अवलंबित कार्य
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},रूपांतरण घटक माप मुलभूत युनिट साठी सलग {0} मधे 1 असणे आवश्यक आहे
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},रूपांतरण घटक माप मुलभूत युनिट साठी सलग {0} मधे 1 असणे आवश्यक आहे
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},{0} प्रकारच्या रजा {1} पेक्षा जास्त असू शकत नाही
DocType: Manufacturing Settings,Try planning operations for X days in advance.,आगाऊ एक्स दिवस ऑपरेशन नियोजन प्रयत्न करा.
DocType: HR Settings,Stop Birthday Reminders,थांबवा वाढदिवस स्मरणपत्रे
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},कंपनी मध्ये डीफॉल्ट वेतनपट देय खाते सेट करा {0}
DocType: SMS Center,Receiver List,स्वीकारण्याची यादी
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,आयटम शोध
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,आयटम शोध
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,नाश रक्कम
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,रोख निव्वळ बदला
DocType: Assessment Plan,Grading Scale,प्रतवारी स्केल
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,माप {0} युनिट रुपांतर फॅक्टर टेबलमधे एका पेक्षा अधिक प्रविष्ट केले गेले आहे
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,माप {0} युनिट रुपांतर फॅक्टर टेबलमधे एका पेक्षा अधिक प्रविष्ट केले गेले आहे
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,आधीच पूर्ण
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,हातात शेअर
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},भरणा विनंती आधीपासूनच अस्तित्वात {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,जारी आयटम खर्च
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},प्रमाण {0} पेक्षा जास्त असू शकत नाही
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,मागील आर्थिक वर्ष बंद नाही
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),वय (दिवस)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),वय (दिवस)
DocType: Quotation Item,Quotation Item,कोटेशन आयटम
+DocType: Customer,Customer POS Id,ग्राहक POS आयडी
DocType: Account,Account Name,खाते नाव
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,तारखेपासून ची तारीख तारीख पर्यंतच्या तारखेपेक्षा जास्त असू शकत नाही
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,सिरियल क्रमांक {0} हा {1} प्रमाणात एक अपूर्णांक असू शकत नाही
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,पुरवठादार प्रकार मास्टर.
DocType: Purchase Order Item,Supplier Part Number,पुरवठादार भाग क्रमांक
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,रूपांतरण दर 0 किंवा 1 असू शकत नाही
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,रूपांतरण दर 0 किंवा 1 असू शकत नाही
DocType: Sales Invoice,Reference Document,संदर्भ दस्तऐवज
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} हे रद्द किंवा बंद आहे
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} हे रद्द किंवा बंद आहे
DocType: Accounts Settings,Credit Controller,क्रेडिट कंट्रोलर
DocType: Delivery Note,Vehicle Dispatch Date,वाहन खलिता तारीख
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,"खरेदी पावती {0} सबमिट केलेली नाही,"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,"खरेदी पावती {0} सबमिट केलेली नाही,"
DocType: Company,Default Payable Account,मुलभूत देय खाते
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","जसे शिपिंग नियम, किंमत सूची इत्यादी ऑनलाइन शॉपिंग कार्ट सेटिंग्ज"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% बिल
@@ -1645,11 +1658,12 @@
DocType: Expense Claim,Total Amount Reimbursed,एकूण रक्कम परत देऊन
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,हे या वाहन विरुद्ध नोंदी आधारित आहे. तपशीलासाठी खालील टाइमलाइन पाहू
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,गोळा
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},पुरवठादार विरुद्ध चलन {0} दिनांक {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},पुरवठादार विरुद्ध चलन {0} दिनांक {1}
DocType: Customer,Default Price List,मुलभूत दर सूची
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,मालमत्ता चळवळ रेकॉर्ड {0} तयार
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,आपण हटवू शकत नाही आर्थिक वर्ष {0}. आर्थिक वर्ष {0} वैश्विक सेटिंग्ज मध्ये डीफॉल्ट म्हणून सेट केले आहे
DocType: Journal Entry,Entry Type,प्रवेश प्रकार
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,मूल्यांकन योजना या मूल्यांकन गट जोडले
,Customer Credit Balance,ग्राहक क्रेडिट शिल्लक
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,देय खात्यांमध्ये निव्वळ बदल
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount','Customerwise सवलत' साठी आवश्यक ग्राहक
@@ -1658,7 +1672,7 @@
DocType: Quotation,Term Details,मुदत तपशील
DocType: Project,Total Sales Cost (via Sales Order),एकूण विक्री मूल्य (विक्री ऑर्डर द्वारे)
DocType: Project,Total Sales Cost (via Sales Order),एकूण विक्री मूल्य (विक्री ऑर्डर द्वारे)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,{0} विद्यार्थी या विद्यार्थी गट जास्त नोंदणी करु शकत नाही.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,{0} विद्यार्थी या विद्यार्थी गट जास्त नोंदणी करु शकत नाही.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,लीड संख्या
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,लीड संख्या
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} 0 पेक्षा जास्त असणे आवश्यक आहे
@@ -1681,7 +1695,7 @@
DocType: Sales Invoice,Packed Items,पॅक केलेला आयटम
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,सिरियल क्रमांका विरुद्ध हमी दावा
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","ज्या इतर सर्व BOMs मध्ये हे वापरले जाते तो विशिष्ट BOM बदला. यामुळे जुन्या BOM दुवा पुनर्स्थित खर्च अद्ययावत आणि नवीन BOM नुसार ""BOM स्फोट आयटम 'टेबल निर्माण होईल"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','एकूण'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','एकूण'
DocType: Shopping Cart Settings,Enable Shopping Cart,खरेदी सूचीत टाका आणि सक्षम करा
DocType: Employee,Permanent Address,स्थायी पत्ता
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1697,9 +1711,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,कृपया प्रमाण किंवा मूल्यांकन दर किंवा दोन्ही निर्दिष्ट करा
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,पूर्ण
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,टाका पहा
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,विपणन खर्च
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,विपणन खर्च
,Item Shortage Report,आयटम कमतरता अहवाल
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","वजनाचा उल्लेख आहे \ n कृपया खूप ""वजन UOM"" उल्लेख करा"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","वजनाचा उल्लेख आहे \ n कृपया खूप ""वजन UOM"" उल्लेख करा"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,साहित्य विनंती या शेअर नोंद करण्यासाठी वापरले
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,पुढील घसारा तारीख नवीन मालमत्ता अनिवार्य आहे
DocType: Student Group Creation Tool,Separate course based Group for every Batch,प्रत्येक बॅच स्वतंत्र अभ्यासक्रम आधारित गट
@@ -1709,17 +1723,18 @@
,Student Fee Collection,विद्यार्थी फी संकलन
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,प्रत्येक स्टॉक चळवळीसाठी Accounting प्रवेश करा
DocType: Leave Allocation,Total Leaves Allocated,एकूण रजा वाटप
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},रो क्रमांक {0} साठी आवश्यक कोठार
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,वैध आर्थिक वर्ष प्रारंभ आणि समाप्त तारखा प्रविष्ट करा
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},रो क्रमांक {0} साठी आवश्यक कोठार
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,वैध आर्थिक वर्ष प्रारंभ आणि समाप्त तारखा प्रविष्ट करा
DocType: Employee,Date Of Retirement,निवृत्ती तारीख
DocType: Upload Attendance,Get Template,साचा मिळवा
+DocType: Material Request,Transferred,हस्तांतरित
DocType: Vehicle,Doors,दारे
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext सेटअप पूर्ण!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext सेटअप पूर्ण!
DocType: Course Assessment Criteria,Weightage,वजन
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: 'नफा व तोटा' खात्यासाठी खर्च केंद्र आवश्यक आहे {2}. कंपनी साठी डीफॉल्ट खर्च केंद्र सेट करा.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,एक ग्राहक गट त्याच नावाने अस्तित्वात असेल तर ग्राहक नाव बदला किंवा ग्राहक गट नाव बदला
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,नवीन संपर्क
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,एक ग्राहक गट त्याच नावाने अस्तित्वात असेल तर ग्राहक नाव बदला किंवा ग्राहक गट नाव बदला
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,नवीन संपर्क
DocType: Territory,Parent Territory,पालक प्रदेश
DocType: Quality Inspection Reading,Reading 2,2 वाचन
DocType: Stock Entry,Material Receipt,साहित्य पावती
@@ -1728,17 +1743,16 @@
DocType: Employee,AB+,अब्राहम +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","या आयटमला रूपे आहेत, तर तो विक्री आदेश इ मध्ये निवडला जाऊ शकत नाही"
DocType: Lead,Next Contact By,पुढील संपर्क
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},सलग {1} मधे आयटम {0} साठी आवश्यक त्या प्रमाणात
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},प्रमाण आयटम विद्यमान म्हणून कोठार {0} हटविले जाऊ शकत नाही {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},सलग {1} मधे आयटम {0} साठी आवश्यक त्या प्रमाणात
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},प्रमाण आयटम विद्यमान म्हणून कोठार {0} हटविले जाऊ शकत नाही {1}
DocType: Quotation,Order Type,ऑर्डर प्रकार
DocType: Purchase Invoice,Notification Email Address,सूचना ई-मेल पत्ता
,Item-wise Sales Register,आयटमनूसार विक्री नोंदणी
DocType: Asset,Gross Purchase Amount,एकूण खरेदी रक्कम
DocType: Asset,Depreciation Method,घसारा पद्धत
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,ऑफलाइन
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,ऑफलाइन
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,हा कर बेसिक रेट मध्ये समाविष्ट केला आहे का ?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,एकूण लक्ष्य
-DocType: Program Course,Required,आवश्यक
DocType: Job Applicant,Applicant for a Job,नोकरी साठी अर्जदार
DocType: Production Plan Material Request,Production Plan Material Request,उत्पादन योजना साहित्य विनंती
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,उत्पादन आदेश तयार केला नाही
@@ -1748,17 +1762,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,एक ग्राहक पर्चेस विरुद्ध अनेक विक्री आदशची परवानगी द्या
DocType: Student Group Instructor,Student Group Instructor,विद्यार्थी गट प्रशिक्षक
DocType: Student Group Instructor,Student Group Instructor,विद्यार्थी गट प्रशिक्षक
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 मोबाइल नं
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,मुख्य
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 मोबाइल नं
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,मुख्य
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,जिच्यामध्ये variant
DocType: Naming Series,Set prefix for numbering series on your transactions,तुमचा व्यवहार वर मालिका संख्या सेट पूर्वपद
DocType: Employee Attendance Tool,Employees HTML,कर्मचारी एचटीएमएल
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,मुलभूत BOM ({0}) या आयटम किंवा त्याच्या साचा सक्रिय असणे आवश्यक आहे
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,मुलभूत BOM ({0}) या आयटम किंवा त्याच्या साचा सक्रिय असणे आवश्यक आहे
DocType: Employee,Leave Encashed?,रजा मिळविता?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,field पासून संधी अनिवार्य आहे
DocType: Email Digest,Annual Expenses,वार्षिक खर्च
DocType: Item,Variants,रूपे
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,खरेदी ऑर्डर करा
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,खरेदी ऑर्डर करा
DocType: SMS Center,Send To,पाठवा
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},रजा प्रकार {0} साठी पुरेशी रजा शिल्लक नाही
DocType: Payment Reconciliation Payment,Allocated amount,रक्कम
@@ -1774,26 +1788,25 @@
DocType: Item,Serial Nos and Batches,सिरियल क्र आणि बॅच
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,विद्यार्थी गट शक्ती
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,विद्यार्थी गट शक्ती
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,जर्नल विरुद्ध प्रवेश {0} कोणत्याही न जुळणारी {1} नोंद नाही
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,जर्नल विरुद्ध प्रवेश {0} कोणत्याही न जुळणारी {1} नोंद नाही
apps/erpnext/erpnext/config/hr.py +137,Appraisals,त्यावेळच्या
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},आयटम {0} साठी डुप्लिकेट सिरियल क्रमांक प्रविष्ट केला नाही
DocType: Shipping Rule Condition,A condition for a Shipping Rule,एक शिपिंग नियम एक अट
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,प्रविष्ट करा
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","सलग आयटम {0} साठी overbill करू शकत नाही {1} जास्त {2}. प्रती-बिलिंग परवानगी करण्यासाठी, सेटिंग्ज खरेदी सेट करा"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,आयटम किंवा वखार आधारित फिल्टर सेट करा
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","सलग आयटम {0} साठी overbill करू शकत नाही {1} जास्त {2}. प्रती-बिलिंग परवानगी करण्यासाठी, सेटिंग्ज खरेदी सेट करा"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,आयटम किंवा वखार आधारित फिल्टर सेट करा
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),या पॅकेजमधील निव्वळ वजन. (आयटम निव्वळ वजन रक्कम म्हणून स्वयंचलितपणे गणना)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,एक खाते हे वखार तयार आणि तो दुवा साधा. या नावाने खाते म्हणून स्वयंचलितपणे पूर्ण केले जाऊ शकत नाही {0} आधिपासूनच अस्तित्वात आहे
DocType: Sales Order,To Deliver and Bill,वितरीत आणि बिल
DocType: Student Group,Instructors,शिक्षक
DocType: GL Entry,Credit Amount in Account Currency,खाते चलनातील क्रेडिट रक्कम
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} सादर करणे आवश्यक आहे
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} सादर करणे आवश्यक आहे
DocType: Authorization Control,Authorization Control,प्राधिकृत नियंत्रण
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},रो # {0}: नाकारलेले वखार नाकारले आयटम विरुद्ध अनिवार्य आहे {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},रो # {0}: नाकारलेले वखार नाकारले आयटम विरुद्ध अनिवार्य आहे {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,भरणा
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","वखार {0} कोणत्याही खात्याशी लिंक केले नाही, कंपनी मध्ये कोठार रेकॉर्ड मध्ये खाते किंवा सेट मुलभूत यादी खाते उल्लेख करा {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,आपल्या ऑर्डर व्यवस्थापित करा
DocType: Production Order Operation,Actual Time and Cost,वास्तविक वेळ आणि खर्च
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},जास्तीत जास्त {0} साहित्याची विनंती आयटम {1} साठी विक्री आदेशा विरुद्ध केली जाऊ शकते {2}
-DocType: Employee,Salutation,नमस्कार
DocType: Course,Course Abbreviation,अर्थात संक्षेप
DocType: Student Leave Application,Student Leave Application,विद्यार्थी रजेचा अर्ज
DocType: Item,Will also apply for variants,तसेच रूपे लागू राहील
@@ -1805,12 +1818,12 @@
DocType: Quotation Item,Actual Qty,वास्तविक Qty
DocType: Sales Invoice Item,References,संदर्भ
DocType: Quality Inspection Reading,Reading 10,10 वाचन
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","आपण खरेदी किंवा विक्री केलेल्या उत्पादने किंवा सेवांची यादी करा .आपण प्रारंभ कराल तेव्हा Item गट, मोजण्याचे एकक आणि इतर मालमत्ता तपासण्याची खात्री करा"
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","आपण खरेदी किंवा विक्री केलेल्या उत्पादने किंवा सेवांची यादी करा .आपण प्रारंभ कराल तेव्हा Item गट, मोजण्याचे एकक आणि इतर मालमत्ता तपासण्याची खात्री करा"
DocType: Hub Settings,Hub Node,हब नोड
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,आपण ड्युप्लिकेट आयटम केला आहे. कृपया सरळ आणि पुन्हा प्रयत्न करा.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,सहकारी
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,सहकारी
DocType: Asset Movement,Asset Movement,मालमत्ता चळवळ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,नवीन टाका
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,नवीन टाका
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,{0} आयटम सिरीयलाइज आयटम नाही
DocType: SMS Center,Create Receiver List,स्वीकारणारा यादी तयार करा
DocType: Vehicle,Wheels,रणधुमाळी
@@ -1830,19 +1843,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total','मागील पंक्ती एकूण' किंवा 'मागील पंक्ती रकमेवर' शुल्क प्रकार असेल तर सलग पाहू शकता
DocType: Sales Order Item,Delivery Warehouse,डिलिव्हरी कोठार
DocType: SMS Settings,Message Parameter,संदेश मापदंड
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,आर्थिक खर्च केंद्रे Tree.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,आर्थिक खर्च केंद्रे Tree.
DocType: Serial No,Delivery Document No,डिलिव्हरी दस्तऐवज क्रमांक
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},कंपनी मध्ये 'लाभ / तोटा लेखा मालमत्ता विल्हेवाट वर' सेट करा {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,खरेदी पावत्यांचे आयटम मिळवा
DocType: Serial No,Creation Date,तयार केल्याची तारीख
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},आयटम {0} किंमत यादी {1} मध्ये अनेक वेळा आढळतो
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","पाञ {0} म्हणून निवडले असेल , तर विक्री, चेक करणे आवश्यक आहे"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","पाञ {0} म्हणून निवडले असेल , तर विक्री, चेक करणे आवश्यक आहे"
DocType: Production Plan Material Request,Material Request Date,साहित्य विनंती तारीख
DocType: Purchase Order Item,Supplier Quotation Item,पुरवठादार कोटेशन आयटम
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,उत्पादन आदेश विरुद्ध वेळ नोंदी तयार करणे अक्षम करते .ऑपरेशन उत्पादन ऑर्डर विरुद्ध मागे काढला जाऊ नये
DocType: Student,Student Mobile Number,विद्यार्थी मोबाइल क्रमांक
DocType: Item,Has Variants,रूपे आहेत
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},आपण आधीच आयटम निवडले आहेत {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},आपण आधीच आयटम निवडले आहेत {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,मासिक वितरण नाव
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,बॅच आयडी आवश्यक आहे
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,बॅच आयडी आवश्यक आहे
@@ -1853,12 +1866,12 @@
DocType: Budget,Fiscal Year,आर्थिक वर्ष
DocType: Vehicle Log,Fuel Price,इंधन किंमत
DocType: Budget,Budget,अर्थसंकल्प
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,मुदत मालमत्ता आयटम नॉन-स्टॉक आयटम असणे आवश्यक आहे.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,मुदत मालमत्ता आयटम नॉन-स्टॉक आयटम असणे आवश्यक आहे.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",प्राप्तिकर किंवा खर्च खाते नाही म्हणून बजेट विरुद्ध {0} नियुक्त केले जाऊ शकत नाही
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,साध्य
DocType: Student Admission,Application Form Route,अर्ज मार्ग
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,प्रदेश / ग्राहक
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,उदा 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,उदा 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,सोडा प्रकार {0} तो वेतन न करता सोडू असल्यामुळे वाटप जाऊ शकत नाही
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},सलग {0}: रक्कम {1} थकबाकी रक्कम चलन {2} पेक्षा कमी किवा पेक्षा समान असणे आवश्यक आहे
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,तुम्ही विक्री चलन एकदा जतन केल्यावर शब्दा मध्ये दृश्यमान होईल.
@@ -1867,7 +1880,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,आयटम {0} सिरियल क्रमांकासाठी सेटअप नाही. आयटम मास्टर तपासा
DocType: Maintenance Visit,Maintenance Time,देखभाल वेळ
,Amount to Deliver,रक्कम वितरीत करण्यासाठी
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,एखादी उत्पादन किंवा सेवा
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,एखादी उत्पादन किंवा सेवा
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,मुदत प्रारंभ तारीख मुदत लिंक आहे शैक्षणिक वर्ष वर्ष प्रारंभ तारीख पूर्वी पेक्षा असू शकत नाही (शैक्षणिक वर्ष {}). तारखा दुरुस्त करा आणि पुन्हा प्रयत्न करा.
DocType: Guardian,Guardian Interests,पालक छंद
DocType: Naming Series,Current Value,वर्तमान मूल्य
@@ -1881,12 +1894,12 @@
must be greater than or equal to {2}","रो {0}: {1} periodicity सेट करण्यासाठी , पासून आणि पर्यंत तारीख \ दरम्यानचा फरक {2} पेक्षा मोठे किंवा समान असणे आवश्यक आहे"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,हा स्टॉक चळवळ आधारित आहे. पहा {0} तपशील
DocType: Pricing Rule,Selling,विक्री
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},रक्कम {0} {1} विरुद्ध वजा {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},रक्कम {0} {1} विरुद्ध वजा {2}
DocType: Employee,Salary Information,पगार माहिती
DocType: Sales Person,Name and Employee ID,नाव आणि कर्मचारी आयडी
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,देय तारीख पोस्ट करण्यापूर्वीची तारीख असू शकत नाही
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,देय तारीख पोस्ट करण्यापूर्वीची तारीख असू शकत नाही
DocType: Website Item Group,Website Item Group,वेबसाइट आयटम गट
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,कर आणि कर्तव्ये
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,कर आणि कर्तव्ये
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,संदर्भ तारीख प्रविष्ट करा
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} पैसे नोंदी {1} ने फिल्टर होऊ शकत नाही
DocType: Item Website Specification,Table for Item that will be shown in Web Site,वेब साईट मध्ये दर्शविलेले आयटम टेबल
@@ -1903,9 +1916,9 @@
DocType: Payment Reconciliation Payment,Reference Row,संदर्भ पंक्ती
DocType: Installation Note,Installation Time,प्रतिष्ठापन वेळ
DocType: Sales Invoice,Accounting Details,लेखा माहिती
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,ह्या कंपनीसाठी सर्व व्यवहार हटवा
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,रो # {0}: ऑपरेशन {1} हे {2} साठी पूर्ण केलेले नाही ऑर्डर # {3} मधील उत्पादन पूर्ण माल. वेळ नोंदी द्वारे ऑपरेशन स्थिती अद्यतनित करा
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,गुंतवणूक
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,ह्या कंपनीसाठी सर्व व्यवहार हटवा
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,रो # {0}: ऑपरेशन {1} हे {2} साठी पूर्ण केलेले नाही ऑर्डर # {3} मधील उत्पादन पूर्ण माल. वेळ नोंदी द्वारे ऑपरेशन स्थिती अद्यतनित करा
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,गुंतवणूक
DocType: Issue,Resolution Details,ठराव तपशील
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,वाटप
DocType: Item Quality Inspection Parameter,Acceptance Criteria,स्वीकृती निकष
@@ -1930,7 +1943,7 @@
DocType: Room,Room Name,खोली नाव
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","रजा शिल्लक आधीच रजा वाटप रेकॉर्ड{1} मधे भविष्यात carry-forward केले आहे म्हणून, रजा {0} च्या आधी रद्द / लागू केल्या जाऊ शकत नाहीत"
DocType: Activity Cost,Costing Rate,भांडवलाच्या दर
-,Customer Addresses And Contacts,ग्राहक पत्ते आणि संपर्क
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,ग्राहक पत्ते आणि संपर्क
,Campaign Efficiency,मोहीम कार्यक्षमता
,Campaign Efficiency,मोहीम कार्यक्षमता
DocType: Discussion,Discussion,चर्चा
@@ -1942,14 +1955,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),एकूण बिलिंग रक्कम (वेळ पत्रक द्वारे)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,ग्राहक महसूल पुन्हा करा
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) 'खर्च मंजूर' भूमिका असणे आवश्यक आहे
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,जोडी
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,उत्पादन BOM आणि प्रमाण निवडा
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,जोडी
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,उत्पादन BOM आणि प्रमाण निवडा
DocType: Asset,Depreciation Schedule,घसारा वेळापत्रक
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,विक्री भागीदार पत्ते आणि संपर्क
DocType: Bank Reconciliation Detail,Against Account,खाते विरुद्ध
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,अर्धा दिवस तारीख पासून आणि तारिक करण्यासाठी दरम्यान असावे
DocType: Maintenance Schedule Detail,Actual Date,वास्तविक तारीख
DocType: Item,Has Batch No,बॅच नाही आहे
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},वार्षिक बिलिंग: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},वार्षिक बिलिंग: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),वस्तू आणि सेवा कर (जीएसटी भारत)
DocType: Delivery Note,Excise Page Number,अबकारी पृष्ठ क्रमांक
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","कंपनी, तारीख पासून आणि तारिक करणे बंधनकारक आहे"
DocType: Asset,Purchase Date,खरेदी दिनांक
@@ -1957,11 +1972,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},कंपनी मध्ये 'मालमत्ता घसारा खर्च केंद्र' सेट करा {0}
,Maintenance Schedules,देखभाल वेळापत्रक
DocType: Task,Actual End Date (via Time Sheet),प्रत्यक्ष समाप्ती तारीख (वेळ पत्रक द्वारे)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},रक्कम {0} {1} विरुद्ध {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},रक्कम {0} {1} विरुद्ध {2} {3}
,Quotation Trends,कोटेशन ट्रेन्ड
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},आयटम गट आयटम मास्त्रे साठी आयटम {0} मधे नमूद केलेला नाही
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,खात्यात डेबिट एक प्राप्तीयोग्य खाते असणे आवश्यक आहे
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},आयटम गट आयटम मास्त्रे साठी आयटम {0} मधे नमूद केलेला नाही
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,खात्यात डेबिट एक प्राप्तीयोग्य खाते असणे आवश्यक आहे
DocType: Shipping Rule Condition,Shipping Amount,शिपिंग रक्कम
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,ग्राहक जोडा
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,प्रलंबित रक्कम
DocType: Purchase Invoice Item,Conversion Factor,रूपांतरण फॅक्टर
DocType: Purchase Order,Delivered,वितरित केले
@@ -1971,7 +1987,8 @@
DocType: Purchase Receipt,Vehicle Number,वाहन क्रमांक
DocType: Purchase Invoice,The date on which recurring invoice will be stop,आवर्ती अशी यादी तयार करणे बंद होणार तारीख
DocType: Employee Loan,Loan Amount,कर्ज रक्कम
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},पंक्ती {0}: सामग्रीचा बिल आयटम आढळले नाही {1}
+DocType: Program Enrollment,Self-Driving Vehicle,-ड्राव्हिंग वाहन
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},पंक्ती {0}: सामग्रीचा बिल आयटम आढळले नाही {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,एकूण वाटप पाने {0} कालावधीसाठी यापूर्वीच मान्यता देण्यात आलेल्या रजा{1} पेक्षा कमी असू शकत नाही
DocType: Journal Entry,Accounts Receivable,प्राप्तीयोग्य खाते
,Supplier-Wise Sales Analytics,पुरवठादार-नुसार विक्री विश्लेषण
@@ -1989,22 +2006,21 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,खर्च दावा मंजुरीसाठी प्रलंबित आहे. फक्त खर्च माफीचा साक्षीदार स्थिती अद्यतनित करू शकता.
DocType: Email Digest,New Expenses,नवीन खर्च
DocType: Purchase Invoice,Additional Discount Amount,अतिरिक्त सवलत रक्कम
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","सलग # {0}: प्रमाण 1, आयटम निश्चित मालमत्ता आहे असणे आवश्यक आहे. कृपया एकाधिक प्रमाण स्वतंत्र सलग वापरा."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","सलग # {0}: प्रमाण 1, आयटम निश्चित मालमत्ता आहे असणे आवश्यक आहे. कृपया एकाधिक प्रमाण स्वतंत्र सलग वापरा."
DocType: Leave Block List Allow,Leave Block List Allow,रजा ब्लॉक यादी परवानगी द्या
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Abbr रिक्त किंवा जागा असू शकत नाही
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr रिक्त किंवा जागा असू शकत नाही
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,गट पासून नॉन-गट पर्यंत
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,क्रीडा
DocType: Loan Type,Loan Name,कर्ज नाव
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,वास्तविक एकूण
DocType: Student Siblings,Student Siblings,विद्यार्थी भावंड
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,युनिट
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,कृपया कंपनी निर्दिष्ट करा
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,युनिट
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,कृपया कंपनी निर्दिष्ट करा
,Customer Acquisition and Loyalty,ग्राहक संपादन आणि लॉयल्टी
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,तुम्ही नाकारलेले आयटम राखण्यासाठी आहेत ते कोठार
DocType: Production Order,Skip Material Transfer,साहित्य हस्तांतरण जा
DocType: Production Order,Skip Material Transfer,साहित्य हस्तांतरण जा
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,विनिमय दर शोधण्यात अक्षम {0} करण्यासाठी {1} की तारीख {2}. स्वतः एक चलन विनिमय रेकॉर्ड तयार करा
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,आपले आर्थिक वर्ष रोजी संपत आहे
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,विनिमय दर शोधण्यात अक्षम {0} करण्यासाठी {1} की तारीख {2}. स्वतः एक चलन विनिमय रेकॉर्ड तयार करा
DocType: POS Profile,Price List,किंमत सूची
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} मुलभूत आर्थिक वर्ष आहे. बदल प्रभावाखाली येण्यासाठी आपल्या ब्राउझर रीफ्रेश करा.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,खर्च दावे
@@ -2017,14 +2033,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},बॅच {0} मधील शेअर शिल्लक नकारात्मक होईल{1} आयटम {2} साठी वखार {3} येथे
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,साहित्य विनंत्या खालील आयटम च्या पुन्हा ऑर्डर स्तरावर आधारित आपोआप उठविला गेला आहे
DocType: Email Digest,Pending Sales Orders,प्रलंबित विक्री आदेश
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},खाते {0} अवैध आहे. खाते चलन {1} असणे आवश्यक आहे
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},खाते {0} अवैध आहे. खाते चलन {1} असणे आवश्यक आहे
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM रुपांतर घटक सलग {0} मधे आवश्यक आहे
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","सलग # {0}: संदर्भ दस्तऐवज प्रकार विक्री ऑर्डर एक, विक्री चलन किंवा जर्नल प्रवेश असणे आवश्यक आहे"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","सलग # {0}: संदर्भ दस्तऐवज प्रकार विक्री ऑर्डर एक, विक्री चलन किंवा जर्नल प्रवेश असणे आवश्यक आहे"
DocType: Salary Component,Deduction,कपात
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,सलग {0}: पासून वेळ आणि वेळ करणे बंधनकारक आहे.
DocType: Stock Reconciliation Item,Amount Difference,रक्कम फरक
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},किंमत यादी {1} मध्ये आयटम किंमत {0} साठी जोडली आहे
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},किंमत यादी {1} मध्ये आयटम किंमत {0} साठी जोडली आहे
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,या विक्री व्यक्तीसाठी कर्मचारी आयडी प्रविष्ट करा
DocType: Territory,Classification of Customers by region,प्रदेशानुसार ग्राहक वर्गीकरण
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,फरक रक्कम शून्य असणे आवश्यक आहे
@@ -2036,21 +2052,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,एकूण कपात
,Production Analytics,उत्पादन विश्लेषण
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,खर्च अद्यतनित
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,खर्च अद्यतनित
DocType: Employee,Date of Birth,जन्म तारीख
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,आयटम {0} आधीच परत आला आहे
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,आयटम {0} आधीच परत आला आहे
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**आर्थिक वर्ष** एक आर्थिक वर्ष प्रस्तुत करते. सर्व लेखा नोंदणी व इतर प्रमुख व्यवहार **आर्थिक वर्ष** विरुद्ध नियंत्रीत केले जाते.
DocType: Opportunity,Customer / Lead Address,ग्राहक / लीड पत्ता
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},चेतावणी: जोड वर अवैध SSL प्रमाणपत्र {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},चेतावणी: जोड वर अवैध SSL प्रमाणपत्र {0}
DocType: Student Admission,Eligibility,पात्रता
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","निष्पन्न आपल्याला प्राप्त व्यवसाय, आपल्या निष्पन्न म्हणून सर्व आपले संपर्क जोडू शकता आणि अधिक मदत"
DocType: Production Order Operation,Actual Operation Time,वास्तविक ऑपरेशन वेळ
DocType: Authorization Rule,Applicable To (User),लागू करण्यासाठी (सदस्य)
DocType: Purchase Taxes and Charges,Deduct,वजा
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,कामाचे वर्णन
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,कामाचे वर्णन
DocType: Student Applicant,Applied,लागू
DocType: Sales Invoice Item,Qty as per Stock UOM,Qty शेअर UOM नुसार
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2 नाव
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 नाव
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","वगळता विशेष वर्ण "-" ".", "#", आणि "/" मालिका म्हणण्यापर्यंत परवानगी नाही"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","विक्री मोहिमांचा ट्रॅक ठेवा. Leads, अवतरणे, विक्री ऑर्डर इत्यादी मोहीम पासून गुंतवणूक वर परत गेज."
DocType: Expense Claim,Approver,माफीचा साक्षीदार
@@ -2061,8 +2077,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},सिरियल क्रमांक {0} हा {1} पर्यंत हमी अंतर्गत आहे
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,वितरण टीप मधे संकुल मधे Split करा .
apps/erpnext/erpnext/hooks.py +87,Shipments,निर्यात
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,खाते शिल्लक ({0}) {1} आणि स्टॉक मूल्य ({2}) कोठार साठी {3} समान असणे आवश्यक आहे
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,खाते शिल्लक ({0}) {1} आणि स्टॉक मूल्य ({2}) कोठार साठी {3} समान असणे आवश्यक आहे
DocType: Payment Entry,Total Allocated Amount (Company Currency),एकूण रक्कम (कंपनी चलन)
DocType: Purchase Order Item,To be delivered to customer,ग्राहकाला वितरित करणे
DocType: BOM,Scrap Material Cost,स्क्रॅप साहित्य खर्च
@@ -2070,21 +2084,22 @@
DocType: Purchase Invoice,In Words (Company Currency),शब्द मध्ये (कंपनी चलन)
DocType: Asset,Supplier,पुरवठादार
DocType: C-Form,Quarter,तिमाहीत
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,मिश्र खर्च
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,मिश्र खर्च
DocType: Global Defaults,Default Company,मुलभूत कंपनी
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,खर्च किंवा फरक खाते आयटम {0} म्हणून परिणाम एकूणच स्टॉक मूल्य अनिवार्य आहे
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,खर्च किंवा फरक खाते आयटम {0} म्हणून परिणाम एकूणच स्टॉक मूल्य अनिवार्य आहे
DocType: Payment Request,PR,जनसंपर्क
DocType: Cheque Print Template,Bank Name,बँक नाव
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-वरती
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-वरती
DocType: Employee Loan,Employee Loan Account,कर्मचारी कर्ज खाते
DocType: Leave Application,Total Leave Days,एकूण दिवस रजा
DocType: Email Digest,Note: Email will not be sent to disabled users,टीप: ईमेल वापरकर्त्यांना अक्षम पाठविली जाऊ शकत नाही
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,संवाद संख्या
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,संवाद संख्या
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,आयटम कोड> आयटम गट> ब्रँड
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,कंपनी निवडा ...
DocType: Leave Control Panel,Leave blank if considered for all departments,सर्व विभागांसाठी विचारल्यास रिक्त सोडा
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","रोजगार प्रकार (कायम, करार, हद्दीच्या इ)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} हा आयटम {1} साठी अनिवार्य आहे
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} हा आयटम {1} साठी अनिवार्य आहे
DocType: Process Payroll,Fortnightly,पाक्षिक
DocType: Currency Exchange,From Currency,चलन पासून
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","किमान एक सलग रक्कम, चलन प्रकार आणि चलन क्रमांक निवडा"
@@ -2107,7 +2122,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,वेळापत्रक प्राप्त करण्यासाठी 'व्युत्पन्न वेळापत्रक' वर क्लिक करा
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,खालील वेळापत्रक हटवताना त्रुटी होत्या:
DocType: Bin,Ordered Quantity,आदेश दिलेले प्रमाण
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","उदा ""बांधकाम व्यावसायिकांसाठी बिल्ड साधने """
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","उदा ""बांधकाम व्यावसायिकांसाठी बिल्ड साधने """
DocType: Grading Scale,Grading Scale Intervals,प्रतवारी स्केल मध्यांतरे
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: {2} एकट्या प्रवेशाचे फक्त चलनात केले जाऊ शकते: {3}
DocType: Production Order,In Process,प्रक्रिया मध्ये
@@ -2122,12 +2137,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} विद्यार्थी गट तयार केला.
DocType: Sales Invoice,Total Billing Amount,एकूण बिलिंग रक्कम
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,मुलभूत येणारे ईमेल खाते हे कार्य करण्यासाठी सक्षम असणे आवश्यक आहे. सेटअप कृपया डीफॉल्ट येणारे ईमेल खाते (POP / IMAP) आणि पुन्हा प्रयत्न करा.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,प्राप्त खाते
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},सलग # {0}: मालमत्ता {1} आधीच आहे {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,प्राप्त खाते
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},सलग # {0}: मालमत्ता {1} आधीच आहे {2}
DocType: Quotation Item,Stock Balance,शेअर शिल्लक
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,भरणा करण्यासाठी विक्री आदेश
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} द्वारे सेटअप> सेिटंगेंेंें> नामांकन मालिका मालिका नामांकन सेट करा
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,मुख्य कार्यकारी अधिकारी
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,मुख्य कार्यकारी अधिकारी
DocType: Expense Claim Detail,Expense Claim Detail,खर्च हक्क तपशील
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,कृपया योग्य खाते निवडा
DocType: Item,Weight UOM,वजन UOM
@@ -2136,12 +2150,12 @@
DocType: Production Order Operation,Pending,प्रलंबित
DocType: Course,Course Name,अर्थातच नाव
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,जे वापरकर्ते विशिष्ट कर्मचारी सुट्टीच्या अनुप्रयोग मंजूर करू शकता
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,कार्यालय उपकरणे
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,कार्यालय उपकरणे
DocType: Purchase Invoice Item,Qty,Qty
DocType: Fiscal Year,Companies,कंपन्या
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,इलेक्ट्रॉनिक्स
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,स्टॉक पुन्हा आदेश स्तरावर पोहोचते तेव्हा साहित्य विनंती वाढवा
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,पूर्ण-वेळ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,पूर्ण-वेळ
DocType: Salary Structure,Employees,कर्मचारी
DocType: Employee,Contact Details,संपर्क माहिती
DocType: C-Form,Received Date,प्राप्त तारीख
@@ -2151,7 +2165,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,दर सूची सेट केले नसल्यास दर दर्शविली जाणार नाही
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,या शिपिंग नियमासाठी देश निर्दिष्ट करा किंवा जगभरातील शिपिंग तपासा
DocType: Stock Entry,Total Incoming Value,एकूण येणारी मूल्य
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,डेबिट करणे आवश्यक आहे
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,डेबिट करणे आवश्यक आहे
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets आपला संघ केले activites साठी वेळ, खर्च आणि बिलिंग ट्रॅक ठेवण्यात मदत"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,खरेदी दर सूची
DocType: Offer Letter Term,Offer Term,ऑफर मुदत
@@ -2160,17 +2174,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,भरणा मेळ
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,कृपया पहिले प्रभारी व्यक्तीचे नाव निवडा
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,तंत्रज्ञान
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},एकूण न चुकता: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},एकूण न चुकता: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM वेबसाइट ऑपरेशन
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,ऑफर पत्र
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,साहित्य विनंत्या (एमआरपी) आणि उत्पादन आदेश व्युत्पन्न.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,एकूण Invoiced रक्कम
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,एकूण Invoiced रक्कम
DocType: BOM,Conversion Rate,रूपांतरण दर
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,उत्पादन शोध
DocType: Timesheet Detail,To Time,वेळ
DocType: Authorization Rule,Approving Role (above authorized value),(अधिकृत मूल्य वरील) भूमिका मंजूर
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,क्रेडिट खाते देय खाते असणे आवश्यक आहे
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} पालक किंवा मुलाला होऊ शकत नाही {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,क्रेडिट खाते देय खाते असणे आवश्यक आहे
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} पालक किंवा मुलाला होऊ शकत नाही {2}
DocType: Production Order Operation,Completed Qty,पूर्ण झालेली Qty
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","{0}, फक्त डेबिट खाती दुसरे क्रेडिट नोंदणी लिंक जाऊ शकते"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,किंमत सूची {0} अक्षम आहे
@@ -2182,28 +2196,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} सिरिअल क्रमांक हा आयटम {1} साठी आवश्यक आहे. आपल्याला {2} प्रदान केलेल्या आहेत
DocType: Stock Reconciliation Item,Current Valuation Rate,वर्तमान मूल्यांकन दर
DocType: Item,Customer Item Codes,ग्राहक आयटम कोड
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,विनिमय लाभ / कमी होणे
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,विनिमय लाभ / कमी होणे
DocType: Opportunity,Lost Reason,कारण गमावले
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,नवीन पत्ता
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,नवीन पत्ता
DocType: Quality Inspection,Sample Size,नमुना आकार
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,पावती दस्तऐवज प्रविष्ट करा
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,सर्व आयटम आधीच invoiced आहेत
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,सर्व आयटम आधीच invoiced आहेत
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.','प्रकरण क्रमांक पासून' एक वैध निर्दिष्ट करा
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,पुढील खर्च केंद्रे गट अंतर्गत केले जाऊ शकते पण नोंदी नॉन-गट करू शकता
DocType: Project,External,बाह्य
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,वापरकर्ते आणि परवानग्या
DocType: Vehicle Log,VLOG.,व्हिलॉग.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},उत्पादन आदेश तयार केलेले: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},उत्पादन आदेश तयार केलेले: {0}
DocType: Branch,Branch,शाखा
DocType: Guardian,Mobile Number,मोबाइल क्रमांक
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,मुद्रण आणि ब्रांडिंग
DocType: Bin,Actual Quantity,वास्तविक प्रमाण
DocType: Shipping Rule,example: Next Day Shipping,उदाहरण: पुढील दिवस शिपिंग
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,सिरियल क्रमांक {0} आढळला नाही
-DocType: Scheduling Tool,Student Batch,विद्यार्थी बॅच
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,आपले ग्राहक
+DocType: Program Enrollment,Student Batch,विद्यार्थी बॅच
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,विद्यार्थी करा
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},आपण प्रकल्प सहयोग करण्यासाठी आमंत्रित आहेत: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},आपण प्रकल्प सहयोग करण्यासाठी आमंत्रित आहेत: {0}
DocType: Leave Block List Date,Block Date,ब्लॉक तारीख
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,आता लागू
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},वास्तविक प्रमाण {0} / प्रतिक्षा प्रमाण {1}
@@ -2213,7 +2226,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","दैनंदिन, साप्ताहिक आणि मासिक ईमेल digests तयार करा आणि व्यवस्थापित करा."
DocType: Appraisal Goal,Appraisal Goal,मूल्यांकन लक्ष्य
DocType: Stock Reconciliation Item,Current Amount,चालू रक्कम
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,इमारती
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,इमारती
DocType: Fee Structure,Fee Structure,फी
DocType: Timesheet Detail,Costing Amount,भांडवलाच्या रक्कम
DocType: Student Admission,Application Fee,अर्ज फी
@@ -2225,10 +2238,10 @@
DocType: POS Profile,[Select],[निवडा]
DocType: SMS Log,Sent To,करण्यासाठी पाठविले
DocType: Payment Request,Make Sales Invoice,विक्री चलन करा
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,सॉफ्टवेअर
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,सॉफ्टवेअर
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,पुढील संपर्क तारीख भूतकाळातील असू शकत नाही
DocType: Company,For Reference Only.,संदर्भ केवळ.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,बॅच निवडा कोणत्याही
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,बॅच निवडा कोणत्याही
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},अवैध {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,आगाऊ रक्कम
@@ -2238,15 +2251,15 @@
DocType: Employee,Employment Details,रोजगार तपशील
DocType: Employee,New Workplace,नवीन कामाची जागा
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,बंद म्हणून सेट करा
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},बारकोड असलेले कोणतेही आयटम {0} नाहीत
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},बारकोड असलेले कोणतेही आयटम {0} नाहीत
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,प्रकरण क्रमांक 0 असू शकत नाही
DocType: Item,Show a slideshow at the top of the page,पृष्ठाच्या शीर्षस्थानी स्लाईड शो दर्शवा
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,स्टोअर्स
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,स्टोअर्स
DocType: Serial No,Delivery Time,वितरण वेळ
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,आधारित Ageing
DocType: Item,End of Life,आयुष्याच्या शेवटी
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,प्रवास
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,प्रवास
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,दिले तारखा कर्मचारी {0} आढळले सक्रिय नाही किंवा मुलभूत तत्वे
DocType: Leave Block List,Allow Users,वापरकर्त्यांना परवानगी द्या
DocType: Purchase Order,Customer Mobile No,ग्राहक मोबाइल नं
@@ -2255,29 +2268,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,अद्यतन खर्च
DocType: Item Reorder,Item Reorder,आयटम पुनर्क्रमित
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,पगार शो स्लिप्स
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,ट्रान्सफर साहित्य
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,ट्रान्सफर साहित्य
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","ऑपरेशन, ऑपरेटिंग खर्च आणि आपल्या ऑपरेशनसाठी एक अद्वितीय ऑपरेशन क्रमांक निर्देशीत करा ."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,हा दस्तऐवज करून मर्यादेपेक्षा अधिक {0} {1} आयटम {4}. आपण करत आहेत दुसर्या {3} त्याच विरुद्ध {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,जतन केल्यानंतर आवर्ती सेट करा
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,बदल निवडा रक्कम खाते
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,हा दस्तऐवज करून मर्यादेपेक्षा अधिक {0} {1} आयटम {4}. आपण करत आहेत दुसर्या {3} त्याच विरुद्ध {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,जतन केल्यानंतर आवर्ती सेट करा
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,बदल निवडा रक्कम खाते
DocType: Purchase Invoice,Price List Currency,किंमत सूची चलन
DocType: Naming Series,User must always select,सदस्य नेहमी निवडणे आवश्यक आहे
DocType: Stock Settings,Allow Negative Stock,नकारात्मक शेअर परवानगी द्या
DocType: Installation Note,Installation Note,प्रतिष्ठापन टीप
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,कर जोडा
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,कर जोडा
DocType: Topic,Topic,विषय
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,आर्थिक रोख प्रवाह
DocType: Budget Account,Budget Account,बजेट खाते
DocType: Quality Inspection,Verified By,द्वारा सत्यापित केली
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","विद्यमान व्यवहार आहेत कारण, कंपनीच्या मुलभूत चलन बदलू शकत नाही. व्यवहार मुलभूत चलन बदलण्यासाठी रद्द करणे आवश्यक आहे."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","विद्यमान व्यवहार आहेत कारण, कंपनीच्या मुलभूत चलन बदलू शकत नाही. व्यवहार मुलभूत चलन बदलण्यासाठी रद्द करणे आवश्यक आहे."
DocType: Grading Scale Interval,Grade Description,ग्रेड वर्णन
DocType: Stock Entry,Purchase Receipt No,खरेदी पावती नाही
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,इसा-याची रक्कम
DocType: Process Payroll,Create Salary Slip,पगाराच्या स्लिप्स तयार करा
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Traceability
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),निधी स्रोत (दायित्व)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},सलग प्रमाण {0} ({1}) उत्पादित प्रमाणात समान असणे आवश्यक आहे {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),निधी स्रोत (दायित्व)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},सलग प्रमाण {0} ({1}) उत्पादित प्रमाणात समान असणे आवश्यक आहे {2}
DocType: Appraisal,Employee,कर्मचारी
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,बॅच निवडा
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} पूर्णपणे बिल आहे
DocType: Training Event,End Time,समाप्त वेळ
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,सक्रिय तत्वे {0} दिले तारखा कर्मचारी {1} आढळले
@@ -2289,11 +2303,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,रोजी आवश्यक
DocType: Rename Tool,File to Rename,फाइल पुनर्नामित करा
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},कृपया सलग {0} मधे आयटम साठी BOM निवडा
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},आयटम {1} साठी निर्दिष्ट BOM {0} अस्तित्वात नाही
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},खाते {0} खाते मोड मध्ये {1} कंपनी जुळत नाही: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},आयटम {1} साठी निर्दिष्ट BOM {0} अस्तित्वात नाही
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,देखभाल वेळापत्रक {0} हि विक्री ऑर्डर रद्द करण्याआधी रद्द करणे आवश्यक आहे
DocType: Notification Control,Expense Claim Approved,खर्च क्लेम मंजूर
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,कर्मचारी पगार स्लिप {0} आधीच या काळात निर्माण
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,फार्मास्युटिकल
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,फार्मास्युटिकल
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,खरेदी आयटम खर्च
DocType: Selling Settings,Sales Order Required,विक्री ऑर्डर आवश्यक
DocType: Purchase Invoice,Credit To,श्रेय
@@ -2310,43 +2325,43 @@
DocType: Payment Gateway Account,Payment Account,भरणा खाते
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,कृपया पुढे जाण्यासाठी कंपनी निर्दिष्ट करा
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,खाते प्राप्तीयोग्य निव्वळ बदला
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,भरपाई देणारा बंद
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,भरपाई देणारा बंद
DocType: Offer Letter,Accepted,स्वीकारले
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,संघटना
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,संघटना
DocType: SG Creation Tool Course,Student Group Name,विद्यार्थी गट नाव
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,आपण खरोखर या कंपनीतील सर्व व्यवहार हटवू इच्छिता याची खात्री करा. तुमचा master data आहे तसा राहील. ही क्रिया पूर्ववत केली जाऊ शकत नाही.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,आपण खरोखर या कंपनीतील सर्व व्यवहार हटवू इच्छिता याची खात्री करा. तुमचा master data आहे तसा राहील. ही क्रिया पूर्ववत केली जाऊ शकत नाही.
DocType: Room,Room Number,खोली क्रमांक
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},अवैध संदर्भ {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},उत्पादन ऑर्डर {3} मधे {0} ({1}) नियोजित प्रमाण पेक्षा जास्त असू शकत नाही ({2})
DocType: Shipping Rule,Shipping Rule Label,शिपिंग नियम लेबल
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,वापरकर्ता मंच
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,कच्चा माल रिक्त असू शकत नाही.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","शेअर अद्यतनित करू शकत नाही, चलन ड्रॉप शिपिंग आयटम समाविष्टीत आहे."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,कच्चा माल रिक्त असू शकत नाही.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","शेअर अद्यतनित करू शकत नाही, चलन ड्रॉप शिपिंग आयटम समाविष्टीत आहे."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,जलद प्रवेश जर्नल
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,BOM कोणत्याही आयटम agianst उल्लेख केला तर आपण दर बदलू शकत नाही
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,BOM कोणत्याही आयटम agianst उल्लेख केला तर आपण दर बदलू शकत नाही
DocType: Employee,Previous Work Experience,मागील कार्य अनुभव
DocType: Stock Entry,For Quantity,प्रमाण साठी
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},सलग आयटम {0} सलग{1} येथे साठी नियोजनबद्ध Qty प्रविष्ट करा
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,"{0} {1} हे सबमिट केलेली नाही,"
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,आयटम विनंती.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,स्वतंत्र उत्पादन करण्यासाठी प्रत्येक पूर्ण चांगला आयटम निर्माण केले जाईल.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} परत दस्तऐवज नकारात्मक असणे आवश्यक आहे
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} परत दस्तऐवज नकारात्मक असणे आवश्यक आहे
,Minutes to First Response for Issues,मुद्दे प्रथम प्रतिसाद मिनिटे
DocType: Purchase Invoice,Terms and Conditions1,अटी आणि Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,संस्था नाव साठी आपण या प्रणाली सेट आहेत.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,संस्था नाव साठी आपण या प्रणाली सेट आहेत.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Accounting प्रवेश गोठविली लेखा नोंद, कोणीही करून / सुधारुन खालील निर्दिष्ट भूमिका वगळता नोंद संपादीत करताू शकतात ."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,देखभाल वेळापत्रक निर्मिती करण्यापूर्वी दस्तऐवज जतन करा
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,प्रकल्प स्थिती
DocType: UOM,Check this to disallow fractions. (for Nos),अपूर्णांक अनुमती रद्द करण्यासाठी हे तपासा. (क्रमांकासाठी)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,खालील उत्पादन आदेश तयार केले होते:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,खालील उत्पादन आदेश तयार केले होते:
DocType: Student Admission,Naming Series (for Student Applicant),मालिका नाव (विद्यार्थी अर्जदाराचे)
DocType: Delivery Note,Transporter Name,वाहतुक नाव
DocType: Authorization Rule,Authorized Value,अधिकृत मूल्य
DocType: BOM,Show Operations,ऑपरेशन्स शो
,Minutes to First Response for Opportunity,संधी प्रथम प्रतिसाद मिनिटे
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,एकूण अनुपिस्थत
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,आयटम किंवा कोठार सलग {0} साठी सामग्री विनंती जुळत नाही
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,आयटम किंवा कोठार सलग {0} साठी सामग्री विनंती जुळत नाही
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,माप युनिट
DocType: Fiscal Year,Year End Date,अंतिम वर्ष तारीख
DocType: Task Depends On,Task Depends On,कार्य अवलंबून असते
@@ -2426,11 +2441,11 @@
DocType: Asset,Manual,मॅन्युअल
DocType: Salary Component Account,Salary Component Account,पगार घटक खाते
DocType: Global Defaults,Hide Currency Symbol,चलन प्रतीक लपवा
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","उदा बँक, रोख, क्रेडिट कार्ड"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","उदा बँक, रोख, क्रेडिट कार्ड"
DocType: Lead Source,Source Name,स्रोत नाव
DocType: Journal Entry,Credit Note,क्रेडिट टीप
DocType: Warranty Claim,Service Address,सेवा पत्ता
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,फर्निचर आणि सामने
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,फर्निचर आणि सामने
DocType: Item,Manufacture,उत्पादन
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,कृपया पहिली वितरण टीप
DocType: Student Applicant,Application Date,अर्ज दिनांक
@@ -2440,7 +2455,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,निपटारा तारीख नमूद केलेली नाही
apps/erpnext/erpnext/config/manufacturing.py +7,Production,उत्पादन
DocType: Guardian,Occupation,व्यवसाय
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,कृपया सेटअप कर्मचारी मानव संसाधन मध्ये प्रणाली नामांकन> एचआर सेटिंग्ज
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,रो {0}: प्रारंभ तारीख अंतिम तारखेपूर्वी असणे आवश्यक आहे
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),एकूण (Qty)
DocType: Sales Invoice,This Document,हा दस्तऐवज
@@ -2452,20 +2466,20 @@
DocType: Purchase Receipt,Time at which materials were received,"साहित्य प्राप्त झाले, ती वेळ"
DocType: Stock Ledger Entry,Outgoing Rate,जाणारे दर
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,संघटना शाखा मास्टर.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,किंवा
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,किंवा
DocType: Sales Order,Billing Status,बिलिंग स्थिती
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,समस्या नोंदवणे
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,उपयुक्तता खर्च
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,उपयुक्तता खर्च
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-वर
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,सलग # {0}: जर्नल प्रवेश {1} खाते नाही {2} किंवा आधीच दुसर्या व्हाउचर विरुद्ध जुळलेल्या
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,सलग # {0}: जर्नल प्रवेश {1} खाते नाही {2} किंवा आधीच दुसर्या व्हाउचर विरुद्ध जुळलेल्या
DocType: Buying Settings,Default Buying Price List,मुलभूत खरेदी दर सूची
DocType: Process Payroll,Salary Slip Based on Timesheet,Timesheet आधारित पगाराच्या स्लिप्स
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,वर निवडलेल्या निकषानुसार कर्मचारी नाही किंवा पगारपत्रक आधीच तयार केले आहे
DocType: Notification Control,Sales Order Message,विक्री ऑर्डर संदेश
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","कंपनी, चलन, वर्तमान आर्थिक वर्ष इ मुलभूत मुल्य सेट करा"
DocType: Payment Entry,Payment Type,भरणा प्रकार
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,कृपया आयटम एक बॅच निवडा {0}. ही गरज पूर्ण एकाच बॅच शोधण्यात अक्षम
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,कृपया आयटम एक बॅच निवडा {0}. ही गरज पूर्ण एकाच बॅच शोधण्यात अक्षम
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,कृपया आयटम एक बॅच निवडा {0}. ही गरज पूर्ण एकाच बॅच शोधण्यात अक्षम
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,कृपया आयटम एक बॅच निवडा {0}. ही गरज पूर्ण एकाच बॅच शोधण्यात अक्षम
DocType: Process Payroll,Select Employees,निवडा कर्मचारी
DocType: Opportunity,Potential Sales Deal,संभाव्य विक्री करार
DocType: Payment Entry,Cheque/Reference Date,धनादेश / संदर्भ तारीख
@@ -2485,7 +2499,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,पावती दस्तऐवज सादर करणे आवश्यक आहे
DocType: Purchase Invoice Item,Received Qty,प्राप्त Qty
DocType: Stock Entry Detail,Serial No / Batch,सिरियल क्रमांक/ बॅच
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,अदा केलेला नाही आणि वितरित नाही
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,अदा केलेला नाही आणि वितरित नाही
DocType: Product Bundle,Parent Item,मुख्य घटक
DocType: Account,Account Type,खाते प्रकार
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2500,25 +2514,24 @@
DocType: Bin,Reserved Quantity,राखीव प्रमाण
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,वैध ईमेल पत्ता प्रविष्ट करा
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,वैध ईमेल पत्ता प्रविष्ट करा
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},कार्यक्रम नाही अनिवार्य अर्थात आहे {0}
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},कार्यक्रम नाही अनिवार्य अर्थात आहे {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,खरेदी पावती आयटम
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,पसंतीचे अर्ज
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,थकबाकी
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,थकबाकी
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,या काळात घसारा रक्कम
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,अक्षम साचा डीफॉल्ट टेम्पलेट असणे आवश्यक नाही
DocType: Account,Income Account,उत्पन्न खाते
DocType: Payment Request,Amount in customer's currency,ग्राहक चलनात रक्कम
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,डिलिव्हरी
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,डिलिव्हरी
DocType: Stock Reconciliation Item,Current Qty,वर्तमान Qty
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section","कोटीच्या विभागमधे ""सामुग्री आधारित रोजी दर"" पहा"
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,मागील
DocType: Appraisal Goal,Key Responsibility Area,की जबाबदारी क्षेत्र
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","विद्यार्थी बॅचेस आपण उपस्थिती, विद्यार्थ्यांना आकलन आणि शुल्क ठेवण्यात मदत"
DocType: Payment Entry,Total Allocated Amount,एकूण रक्कम
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,शाश्वत यादी मुलभूत यादी खाते सेट
DocType: Item Reorder,Material Request Type,साहित्य विनंती प्रकार
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},पासून {0} करण्यासाठी वेतन Accural जर्नल प्रवेश {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage पूर्ण आहे, जतन नाही"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage पूर्ण आहे, जतन नाही"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,रो {0}: UOM रुपांतर फॅक्टर अनिवार्य आहे
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,संदर्भ
DocType: Budget,Cost Center,खर्च केंद्र
@@ -2531,19 +2544,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","किंमत नियम काही निकषांच्या आधारे, / यादी किंमत पुन्हा खोडून सवलतीच्या टक्केवारीने परिभाषित केले आहे."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,कोठार फक्त शेअर प्रवेश / डिलिव्हरी टीप / खरेदी पावती द्वारे बदलले जाऊ शकते
DocType: Employee Education,Class / Percentage,वर्ग / टक्केवारी
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,विपणन आणि विक्री प्रमुख
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,आयकर
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,विपणन आणि विक्री प्रमुख
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,आयकर
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","निवडलेला किंमत नियम 'किंमत' साठी केला असेल , तर तर ते दर सूची अधिलिखित केले जाईल. किंमत नियम किंमत अंतिम किंमत आहे, त्यामुळे पुढील सवलतीच्या लागू केले जावे त्यामुळे, इ विक्री आदेश, पर्चेस जसे व्यवहार, 'दर सूची दर' फील्डमध्ये ऐवजी, 'दर' फील्डमध्ये प्राप्त करता येईल."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,ट्रॅक उद्योग प्रकार करून ठरतो.
DocType: Item Supplier,Item Supplier,आयटम पुरवठादार
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,बॅच नाही मिळविण्यासाठी आयटम कोड प्रविष्ट करा
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},कृपया {0} साठी एक मूल्य निवडा quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,बॅच नाही मिळविण्यासाठी आयटम कोड प्रविष्ट करा
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},कृपया {0} साठी एक मूल्य निवडा quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,सर्व पत्ते.
DocType: Company,Stock Settings,शेअर सेटिंग्ज
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","खालील गुणधर्म दोन्ही रेकॉर्ड मधे समान आहेत तर, विलीन फक्त शक्य आहे. गट आहे, रूट प्रकार, कंपनी"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","खालील गुणधर्म दोन्ही रेकॉर्ड मधे समान आहेत तर, विलीन फक्त शक्य आहे. गट आहे, रूट प्रकार, कंपनी"
DocType: Vehicle,Electric,विद्युत
DocType: Task,% Progress,% प्रगती
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,मालमत्ता विल्हेवाट वाढणे / कमी होणे
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,मालमत्ता विल्हेवाट वाढणे / कमी होणे
DocType: Training Event,Will send an email about the event to employees with status 'Open',दर्जा कर्मचार्यांना घटना एक ईमेल पाठवू 'उघडा'
DocType: Task,Depends on Tasks,कार्ये अवलंबून
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,ग्राहक गट वृक्ष व्यवस्थापित करा.
@@ -2552,7 +2565,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,नवी खर्च केंद्र नाव
DocType: Leave Control Panel,Leave Control Panel,नियंत्रण पॅनेल सोडा
DocType: Project,Task Completion,कार्य पूर्ण
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,स्टॉक मध्ये नाही
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,स्टॉक मध्ये नाही
DocType: Appraisal,HR User,एचआर सदस्य
DocType: Purchase Invoice,Taxes and Charges Deducted,कर आणि शुल्क वजा
apps/erpnext/erpnext/hooks.py +116,Issues,मुद्दे
@@ -2563,22 +2576,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},पगारपत्रक दरम्यान आढळले नाही {0} आणि {1}
,Pending SO Items For Purchase Request,खरेदी विनंती म्हणून प्रलंबित आयटम
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,विद्यार्थी प्रवेश
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} अक्षम आहे
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} अक्षम आहे
DocType: Supplier,Billing Currency,बिलिंग चलन
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,अधिक मोठे
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,अधिक मोठे
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,एकूण पाने
,Profit and Loss Statement,नफा व तोटा स्टेटमेंट
DocType: Bank Reconciliation Detail,Cheque Number,धनादेश क्रमांक
,Sales Browser,विक्री ब्राउझर
DocType: Journal Entry,Total Credit,एकूण क्रेडिट
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},चेतावनी: आणखी {0} # {1} स्टॉक प्रवेश {2} विरुद्ध अस्तित्वात
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,स्थानिक
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,स्थानिक
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),कर्ज आणि मालमत्ता (assets)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,कर्जदार
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,मोठे
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,मोठे
DocType: Homepage Featured Product,Homepage Featured Product,मुख्यपृष्ठ वैशिष्ट्यीकृत उत्पादन
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,सर्व मूल्यांकन गट
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,सर्व मूल्यांकन गट
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,नवीन वखार नाव
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),एकूण {0} ({1})
DocType: C-Form Invoice Detail,Territory,प्रदेश
@@ -2588,12 +2601,12 @@
DocType: Production Order Operation,Planned Start Time,नियोजनबद्ध प्रारंभ वेळ
DocType: Course,Assessment,मूल्यांकन
DocType: Payment Entry Reference,Allocated,वाटप
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,बंद करा ताळेबंद आणि नफा किंवा तोटा नोंद करा .
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,बंद करा ताळेबंद आणि नफा किंवा तोटा नोंद करा .
DocType: Student Applicant,Application Status,अर्ज
DocType: Fees,Fees,शुल्क
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,एक चलन दुसर्यात रूपांतरित करण्यासाठी विनिमय दर निर्देशीत करा
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,कोटेशन {0} रद्द
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,एकूण थकबाकी रक्कम
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,एकूण थकबाकी रक्कम
DocType: Sales Partner,Targets,लक्ष्य
DocType: Price List,Price List Master,किंमत सूची मास्टर
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"सर्व विक्री व्यवहार अनेक ** विक्री व्यक्ती ** विरुद्ध टॅग केले जाऊ शकते यासाठी की, तुम्ही सेट आणि लक्ष्य निरीक्षण करू शकता"
@@ -2625,12 +2638,12 @@
1. Address and Contact of your Company.","ज्या विक्री आणि खरेदीला जोडल्या जाऊ शकतील अशा मानक अटी. उदाहरणे: ऑफर 1. वैधता. 1. भरणा अटी (क्रेडिट रोजी आगाऊ, भाग आगाऊ इत्यादी). 1. अतिरिक्त (किंवा ग्राहक देय) काय आहे. 1. सुरक्षितता / वापर चेतावणी. 1. हमी जर असेल तर. 1. धोरण परतावा. 1.शिपिंग अटी लागू असल्यास 1. अटी, लागू असल्यास. वाद पत्ता, नुकसानभरपाई, दायित्व इ पत्याचे मार्ग. पत्ता आणि आपल्या कंपनीच्या संपर्क."
DocType: Attendance,Leave Type,रजा प्रकार
DocType: Purchase Invoice,Supplier Invoice Details,पुरवठादार चलन तपशील
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,खर्च / फरक खाते ({0}) एक 'नफा किंवा तोटा' खाते असणे आवश्यक आहे
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,खर्च / फरक खाते ({0}) एक 'नफा किंवा तोटा' खाते असणे आवश्यक आहे
DocType: Project,Copied From,कॉपी
DocType: Project,Copied From,कॉपी
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},नाव त्रुटी: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,कमतरता
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} संबंधित नाही {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} संबंधित नाही {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,कर्मचारी {0} हजेरी आधीच खूण आहे
DocType: Packing Slip,If more than one package of the same type (for print),तर समान प्रकारच्या एकापेक्षा जास्त पॅकेज (मुद्रण)
,Salary Register,पगार नोंदणी
@@ -2648,22 +2661,23 @@
,Requested Qty,विनंती Qty
DocType: Tax Rule,Use for Shopping Cart,वापरासाठी हे खरेदी सूचीत टाका
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},मूल्य {0} विशेषता साठी {1} वैध आयटम यादी अस्तित्वात नाही आयटम विशेषता मूल्ये {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,सिरिअल क्रमांक निवडा
DocType: BOM Item,Scrap %,स्क्रॅप%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection",शुल्क प्रमाणातील आपल्या निवडीनुसार आयटम प्रमाण किंवा रक्कम आधारित वाटप केले जाणार आहे
DocType: Maintenance Visit,Purposes,हेतू
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,किमान एक आयटम परत दस्तऐवज नकारात्मक प्रमाणात प्रवेश केला पाहिजे
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,किमान एक आयटम परत दस्तऐवज नकारात्मक प्रमाणात प्रवेश केला पाहिजे
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","ऑपरेशन {0} वर्कस्टेशन{1} मधे कोणत्याही उपलब्ध काम तासांपेक्षा जास्त आहे , ऑपरेशन अनेक ऑपरेशन मध्ये तोडा"
,Requested,विनंती
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,शेरा नाही
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,शेरा नाही
DocType: Purchase Invoice,Overdue,मुदत संपलेला
DocType: Account,Stock Received But Not Billed,शेअर प्राप्त पण बिल नाही
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,रूट खाते एक गट असणे आवश्यक आहे
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,रूट खाते एक गट असणे आवश्यक आहे
DocType: Fees,FEE.,शुल्क.
DocType: Employee Loan,Repaid/Closed,परतफेड / बंद
DocType: Item,Total Projected Qty,एकूण अंदाज प्रमाण
DocType: Monthly Distribution,Distribution Name,वितरण नाव
DocType: Course,Course Code,अर्थात कोड
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},आयटम आवश्यक गुणवत्ता तपासणी {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},आयटम आवश्यक गुणवत्ता तपासणी {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,ग्राहकांना चलनात दर कंपनीच्या बेस चलनात रुपांतरीत आहे
DocType: Purchase Invoice Item,Net Rate (Company Currency),निव्वळ दर (कंपनी चलन)
DocType: Salary Detail,Condition and Formula Help,परिस्थिती आणि फॉर्म्युला मदत
@@ -2676,27 +2690,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,उत्पादन साठी साहित्य ट्रान्सफर
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,सवलत टक्केवारी एका दर सूची विरुद्ध किंवा सर्व दर सूची एकतर लागू होऊ शकते.
DocType: Purchase Invoice,Half-yearly,सहामाही
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,शेअर एकट्या प्रवेश
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,शेअर एकट्या प्रवेश
DocType: Vehicle Service,Engine Oil,इंजिन तेल
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,कृपया सेटअप कर्मचारी मानव संसाधन मध्ये प्रणाली नामांकन> एचआर सेटिंग्ज
DocType: Sales Invoice,Sales Team1,विक्री Team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,आयटम {0} अस्तित्वात नाही
DocType: Sales Invoice,Customer Address,ग्राहक पत्ता
DocType: Employee Loan,Loan Details,कर्ज तपशील
+DocType: Company,Default Inventory Account,डीफॉल्ट यादी खाते
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,सलग {0}: पूर्ण प्रमाण शून्य पेक्षा जास्त असणे आवश्यक आहे.
DocType: Purchase Invoice,Apply Additional Discount On,अतिरिक्त सवलत लागू
DocType: Account,Root Type,रूट प्रकार
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},रो # {0}: आयटम {2} साठी {1} पेक्षा अधिक परत करू शकत नाही
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},रो # {0}: आयटम {2} साठी {1} पेक्षा अधिक परत करू शकत नाही
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,प्लॉट
DocType: Item Group,Show this slideshow at the top of the page,पृष्ठाच्या शीर्षस्थानी हा स्लाइडशो दर्शवा
DocType: BOM,Item UOM,आयटम UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),सवलत रक्कम नंतर कर रक्कम (कंपनी चलन)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},लक्ष्य कोठार सलग {0} साठी अनिवार्य आहे
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},लक्ष्य कोठार सलग {0} साठी अनिवार्य आहे
DocType: Cheque Print Template,Primary Settings,प्राथमिक सेटिंग्ज
DocType: Purchase Invoice,Select Supplier Address,पुरवठादाराचा पत्ता निवडा
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,कर्मचारी जोडा
DocType: Purchase Invoice Item,Quality Inspection,गुणवत्ता तपासणी
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,अतिरिक्त लहान
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,अतिरिक्त लहान
DocType: Company,Standard Template,मानक साचा
DocType: Training Event,Theory,सिद्धांत
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,चेतावनी: मागणी साहित्य Qty किमान Qty पेक्षा कमी आहे
@@ -2704,7 +2720,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,कायदेशीर अस्तित्व / उपकंपनी स्वतंत्र लेखा चार्ट सह संघटनेला संबंधित करते
DocType: Payment Request,Mute Email,निःशब्द ईमेल
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","अन्न, पेय आणि तंबाखू"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},फक्त बिल न केलेली विरुद्ध रक्कम करू शकता {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},फक्त बिल न केलेली विरुद्ध रक्कम करू शकता {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,आयोग दर 100 पेक्षा जास्त असू शकत नाही
DocType: Stock Entry,Subcontract,Subcontract
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,प्रथम {0} प्रविष्ट करा
@@ -2717,18 +2733,18 @@
DocType: SMS Log,No of Sent SMS,पाठविलेला एसएमएस क्रमांक
DocType: Account,Expense Account,खर्च खाते
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,सॉफ्टवेअर
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,रंग
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,रंग
DocType: Assessment Plan Criteria,Assessment Plan Criteria,मूल्यांकन योजना निकष
DocType: Training Event,Scheduled,अनुसूचित
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,अवतरण विनंती.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","कृपया असा आयटम निवडा जेथे ""शेअर आयटम आहे?"" ""नाही"" आहे आणि ""विक्री आयटम आहे?"" ""होय "" आहे आणि तेथे इतर उत्पादन बंडल नाही"
DocType: Student Log,Academic,शैक्षणिक
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),एकूण आगाऊ ({0}) आदेश विरुद्ध {1} एकूण ({2}) पेक्षा जास्त असू शकत नाही
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),एकूण आगाऊ ({0}) आदेश विरुद्ध {1} एकूण ({2}) पेक्षा जास्त असू शकत नाही
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,असाधारण महिने ओलांडून लक्ष्य वाटप मासिक वितरण निवडा.
DocType: Purchase Invoice Item,Valuation Rate,मूल्यांकन दर
DocType: Stock Reconciliation,SR/,सचिन /
DocType: Vehicle,Diesel,डिझेल
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,किंमत सूची चलन निवडलेले नाही
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,किंमत सूची चलन निवडलेले नाही
,Student Monthly Attendance Sheet,विद्यार्थी मासिक उपस्थिती पत्रक
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},कर्मचारी {0} आधीच अर्ज केला आहे {1} दरम्यान {2} आणि {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,प्रकल्प सुरू तारीख
@@ -2741,7 +2757,7 @@
DocType: BOM,Scrap,स्क्रॅप
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,विक्री भागीदार व्यवस्थापित करा.
DocType: Quality Inspection,Inspection Type,तपासणी प्रकार
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,विद्यमान व्यवहार गोदामे गट रूपांतरीत केले जाऊ शकत नाही.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,विद्यमान व्यवहार गोदामे गट रूपांतरीत केले जाऊ शकत नाही.
DocType: Assessment Result Tool,Result HTML,HTML निकाल
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,रोजी कालबाह्य
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,विद्यार्थी जोडा
@@ -2749,13 +2765,13 @@
DocType: C-Form,C-Form No,सी-फॉर्म नाही
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,खुणा न केलेली उपस्थिती
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,संशोधक
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,संशोधक
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,कार्यक्रम नावनोंदणी साधन विद्यार्थी
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,नाव किंवा ईमेल अनिवार्य आहे
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,येणार्या गुणवत्ता तपासणी.
DocType: Purchase Order Item,Returned Qty,परत केलेली Qty
DocType: Employee,Exit,बाहेर पडा
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,रूट प्रकार अनिवार्य आहे
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,रूट प्रकार अनिवार्य आहे
DocType: BOM,Total Cost(Company Currency),एकूण खर्च (कंपनी चलन)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,सिरियल क्रमांक{0} तयार केला
DocType: Homepage,Company Description for website homepage,वेबसाइट मुख्यपृष्ठावर कंपनी वर्णन
@@ -2764,7 +2780,7 @@
DocType: Sales Invoice,Time Sheet List,वेळ पत्रक यादी
DocType: Employee,You can enter any date manually,तुम्ही स्वतः तारीख प्रविष्ट करू शकता
DocType: Asset Category Account,Depreciation Expense Account,इतर किरकोळ खर्च खाते
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,परीविक्षण कालावधी
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,परीविक्षण कालावधी
DocType: Customer Group,Only leaf nodes are allowed in transaction,फक्त पाने नोडस् व्यवहार अनुमत आहेत
DocType: Expense Claim,Expense Approver,खर्च माफीचा साक्षीदार
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,रो {0}: ग्राहक विरुद्ध आगाऊ क्रेडिट असणे आवश्यक आहे
@@ -2778,10 +2794,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,अर्थात वेळापत्रक हटविला:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,एसएमएस स्थिती राखण्यासाठी नोंदी
DocType: Accounts Settings,Make Payment via Journal Entry,जर्नल प्रवेश द्वारे रक्कम
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,छापील रोजी
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,छापील रोजी
DocType: Item,Inspection Required before Delivery,तपासणी वितरण आधी आवश्यक
DocType: Item,Inspection Required before Purchase,तपासणी खरेदी करण्यापूर्वी आवश्यक
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,प्रलंबित उपक्रम
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,आपले संघटना
DocType: Fee Component,Fees Category,शुल्क वर्ग
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,relieving तारीख प्रविष्ट करा.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,रक्कम
@@ -2791,9 +2808,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,स्तर पुनर्क्रमित करा
DocType: Company,Chart Of Accounts Template,खाती साचा चार्ट
DocType: Attendance,Attendance Date,उपस्थिती दिनांक
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},आयटम किंमत {0} मध्ये दर सूची अद्ययावत {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},आयटम किंमत {0} मध्ये दर सूची अद्ययावत {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,कमावते आणि कपात आधारित पगार चित्रपटाने.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,child नोडस् सह खाते लेजर मधे रूपांतरीत केले जाऊ शकत नाही
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,child नोडस् सह खाते लेजर मधे रूपांतरीत केले जाऊ शकत नाही
DocType: Purchase Invoice Item,Accepted Warehouse,स्वीकृत कोठार
DocType: Bank Reconciliation Detail,Posting Date,पोस्टिंग तारीख
DocType: Item,Valuation Method,मूल्यांकन पद्धत
@@ -2802,14 +2819,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,डुप्लिकेट नोंदणी
DocType: Program Enrollment Tool,Get Students,विद्यार्थी मिळवा
DocType: Serial No,Under Warranty,हमी अंतर्गत
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[त्रुटी]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[त्रुटी]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,तुम्ही विक्री ऑर्डर एकदा जतन केल्यावर शब्दा मध्ये दृश्यमान होईल.
,Employee Birthday,कर्मचारी वाढदिवस
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,विद्यार्थी बॅच विधान परिषदेच्या साधन
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,मर्यादा क्रॉस
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,मर्यादा क्रॉस
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,व्हेंचर कॅपिटल
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,या 'शैक्षणिक वर्ष' एक शैक्षणिक मुदत {0} आणि 'मुदत नाव' {1} आधीच अस्तित्वात आहे. या नोंदी सुधारित आणि पुन्हा प्रयत्न करा.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","आयटम {0} विरुद्ध विद्यमान व्यवहार आहेत, तुम्ही मूल्य बदलू शकत नाही {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","आयटम {0} विरुद्ध विद्यमान व्यवहार आहेत, तुम्ही मूल्य बदलू शकत नाही {1}"
DocType: UOM,Must be Whole Number,संपूर्ण क्रमांक असणे आवश्यक आहे
DocType: Leave Control Panel,New Leaves Allocated (In Days),नवी पाने वाटप (दिवस मध्ये)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,सिरियल क्रमांक {0} अस्तित्वात नाही
@@ -2818,6 +2835,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,चलन क्रमांक
DocType: Shopping Cart Settings,Orders,आदेश
DocType: Employee Leave Approver,Leave Approver,माफीचा साक्षीदार सोडा
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,कृपया एक बॅच निवडा
DocType: Assessment Group,Assessment Group Name,मूल्यांकन गट नाव
DocType: Manufacturing Settings,Material Transferred for Manufacture,साहित्य उत्पादन साठी हस्तांतरित
DocType: Expense Claim,"A user with ""Expense Approver"" role",""" खर्च मंजूर "" भूमिका वापरकर्ता"
@@ -2827,9 +2845,10 @@
DocType: Target Detail,Target Detail,लक्ष्य तपशील
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,सर्व नोकरी
DocType: Sales Order,% of materials billed against this Sales Order,साहित्याचे % या विक्री ऑर्डर विरोधात बिल केले आहे
+DocType: Program Enrollment,Mode of Transportation,वाहतूक मोड
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,कालावधी संवरण
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,विद्यमान व्यवहार खर्चाच्या केंद्र गट रूपांतरीत केले जाऊ शकत नाही
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},रक्कम {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},रक्कम {0} {1} {2} {3}
DocType: Account,Depreciation,घसारा
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),पुरवठादार (चे)
DocType: Employee Attendance Tool,Employee Attendance Tool,कर्मचारी उपस्थिती साधन
@@ -2837,7 +2856,7 @@
DocType: Supplier,Credit Limit,क्रेडिट मर्यादा
DocType: Production Plan Sales Order,Salse Order Date,Salse ऑर्डर तारीख
DocType: Salary Component,Salary Component,पगार घटक
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,भरणा नोंदी {0} रद्द लिंक आहेत
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,भरणा नोंदी {0} रद्द लिंक आहेत
DocType: GL Entry,Voucher No,प्रमाणक नाही
,Lead Owner Efficiency,लीड मालक कार्यक्षमता
,Lead Owner Efficiency,लीड मालक कार्यक्षमता
@@ -2849,11 +2868,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,अटी किंवा करार साचा.
DocType: Purchase Invoice,Address and Contact,पत्ता आणि संपर्क
DocType: Cheque Print Template,Is Account Payable,खाते देय आहे
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},शेअर खरेदी पावती विरुद्ध केले जाऊ शकत नाही {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},शेअर खरेदी पावती विरुद्ध केले जाऊ शकत नाही {0}
DocType: Supplier,Last Day of the Next Month,पुढील महिन्याच्या शेवटच्या दिवशी
DocType: Support Settings,Auto close Issue after 7 days,7 दिवस स्वयं अंक बंद
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","रजेचे {0} च्या आधी वाटप जाऊ शकत नाही, कारण रजा शिल्लक आधीच वाहून-अग्रेषित भविष्यात रजा वाटप रेकॉर्ड केले आहे {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),टीप: मुळे / संदर्भ तारीख {0} दिवसा परवानगी ग्राहक क्रेडिट दिवस पेक्षा जास्त (चे)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),टीप: मुळे / संदर्भ तारीख {0} दिवसा परवानगी ग्राहक क्रेडिट दिवस पेक्षा जास्त (चे)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,विद्यार्थी अर्जदाराचे
DocType: Asset Category Account,Accumulated Depreciation Account,जमा घसारा खाते
DocType: Stock Settings,Freeze Stock Entries,फ्रीझ शेअर नोंदी
@@ -2862,36 +2881,36 @@
DocType: Activity Cost,Billing Rate,बिलिंग दर
,Qty to Deliver,वितरीत करण्यासाठी Qty
,Stock Analytics,शेअर Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,ऑपरेशन रिक्त सोडले जाऊ शकत नाही
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,ऑपरेशन रिक्त सोडले जाऊ शकत नाही
DocType: Maintenance Visit Purpose,Against Document Detail No,दस्तऐवज तपशील विरुद्ध नाही
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,पक्ष प्रकार अनिवार्य आहे
DocType: Quality Inspection,Outgoing,जाणारे
DocType: Material Request,Requested For,विनंती
DocType: Quotation Item,Against Doctype,Doctype विरुद्ध
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} हे रद्द किंवा बंद आहे?
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} हे रद्द किंवा बंद आहे?
DocType: Delivery Note,Track this Delivery Note against any Project,कोणत्याही प्रकल्पाच्या विरोधात या वितरण टीप मागोवा
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,गुंतवणूक निव्वळ रोख
-,Is Primary Address,प्राथमिक पत्ता आहे
DocType: Production Order,Work-in-Progress Warehouse,कार्य प्रगती मध्ये असलेले कोठार
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,मालमत्ता {0} सादर करणे आवश्यक आहे
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},उपस्थिती नोंद {0} विद्यार्थी विरुद्ध अस्तित्वात {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},उपस्थिती नोंद {0} विद्यार्थी विरुद्ध अस्तित्वात {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},संदर्भ # {0} दिनांक {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,घसारा योग्य मालमत्ता विल्हेवाट करण्यासाठी बाहेर पडला
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,पत्ते व्यवस्थापित करा
DocType: Asset,Item Code,आयटम कोड
DocType: Production Planning Tool,Create Production Orders,उत्पादन ऑर्डर तयार करा
DocType: Serial No,Warranty / AMC Details,हमी / जेथे एएमसी तपशील
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,क्रियाकलाप आधारित गट विद्यार्थ्यांना निवडा स्वतः
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,क्रियाकलाप आधारित गट विद्यार्थ्यांना निवडा स्वतः
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,क्रियाकलाप आधारित गट विद्यार्थ्यांना निवडा स्वतः
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,क्रियाकलाप आधारित गट विद्यार्थ्यांना निवडा स्वतः
DocType: Journal Entry,User Remark,सदस्य शेरा
DocType: Lead,Market Segment,बाजार विभाग
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},अदा केलेली रक्कम एकूण नकारात्मक थकबाकी रक्कम पेक्षा जास्त असू शकत नाही {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},अदा केलेली रक्कम एकूण नकारात्मक थकबाकी रक्कम पेक्षा जास्त असू शकत नाही {0}
DocType: Employee Internal Work History,Employee Internal Work History,कर्मचारी अंतर्गत कार्य इतिहास
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),बंद (डॉ)
DocType: Cheque Print Template,Cheque Size,धनादेश आकार
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,सिरियल क्रमांक {0} स्टॉक मध्ये नाही
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,व्यवहार विक्री कर टेम्प्लेट.
DocType: Sales Invoice,Write Off Outstanding Amount,Write Off बाकी रक्कम
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},खाते {0} कंपनी जुळत नाही {1}
DocType: School Settings,Current Academic Year,चालू शैक्षणिक वर्ष
DocType: School Settings,Current Academic Year,चालू शैक्षणिक वर्ष
DocType: Stock Settings,Default Stock UOM,डिफॉल्ट स्टॉक UOM
@@ -2907,27 +2926,27 @@
DocType: Asset,Double Declining Balance,दुहेरी नाकारून शिल्लक
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,बंद मागणी रद्द जाऊ शकत नाही. रद्द करण्यासाठी उघडकीस आणणे.
DocType: Student Guardian,Father,वडील
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'अद्यतन शेअर' निश्चित मालमत्ता विक्री साठी तपासणे शक्य नाही
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'अद्यतन शेअर' निश्चित मालमत्ता विक्री साठी तपासणे शक्य नाही
DocType: Bank Reconciliation,Bank Reconciliation,बँक मेळ
DocType: Attendance,On Leave,रजेवर
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,अद्यतने मिळवा
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: खाते {2} कंपनी संबंधित नाही {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,साहित्य विनंती {0} रद्द किंवा बंद आहे
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,काही नमुना रेकॉर्ड जोडा
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,काही नमुना रेकॉर्ड जोडा
apps/erpnext/erpnext/config/hr.py +301,Leave Management,रजा व्यवस्थापन
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,खाते गट
DocType: Sales Order,Fully Delivered,पूर्णतः वितरित
DocType: Lead,Lower Income,अल्प उत्पन्न
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},स्त्रोत आणि लक्ष्य कोठार {0} रांगेत समान असू शकत नाही
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},स्त्रोत आणि लक्ष्य कोठार {0} रांगेत समान असू शकत नाही
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","फरक खाते, एक मालमत्ता / दायित्व प्रकार खाते असणे आवश्यक आहे कारण शेअर मेळ हे उदघाटन नोंद आहे"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},वितरित करण्यात आलेल्या रक्कम कर्ज रक्कम पेक्षा जास्त असू शकत नाही {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},आयटम आवश्यक मागणीसाठी क्रमांक खरेदी {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,उत्पादन ऑर्डर तयार नाही
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},आयटम आवश्यक मागणीसाठी क्रमांक खरेदी {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,उत्पादन ऑर्डर तयार नाही
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','तारीख पासून' नंतर 'तारखेपर्यंत' असणे आवश्यक आहे
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},विद्यार्थी म्हणून स्थिती बदलू शकत नाही {0} विद्यार्थी अर्ज लिंक आहे {1}
DocType: Asset,Fully Depreciated,पूर्णपणे अवमूल्यन
,Stock Projected Qty,शेअर Qty अंदाज
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},ग्राहक {0} प्रोजेक्ट {1} ला संबंधित नाही
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},ग्राहक {0} प्रोजेक्ट {1} ला संबंधित नाही
DocType: Employee Attendance Tool,Marked Attendance HTML,चिन्हांकित उपस्थिती एचटीएमएल
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","आंतरशालेय, प्रस्ताव आपण आपल्या ग्राहकांना पाठवले आहे बोली"
DocType: Sales Order,Customer's Purchase Order,ग्राहकाच्या पर्चेस
@@ -2936,8 +2955,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,मूल्यांकन निकष स्कोअर बेरीज {0} असणे आवश्यक आहे.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Depreciations संख्या बुक सेट करा
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,मूल्य किंवा Qty
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,प्रॉडक्शन आदेश उठविले जाऊ शकत नाही:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,मिनिट
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,प्रॉडक्शन आदेश उठविले जाऊ शकत नाही:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,मिनिट
DocType: Purchase Invoice,Purchase Taxes and Charges,कर आणि शुल्क खरेदी
,Qty to Receive,प्राप्त करण्यासाठी Qty
DocType: Leave Block List,Leave Block List Allowed,रजा ब्लॉक यादी परवानगी दिली
@@ -2945,25 +2964,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},वाहनाकरीता लॉग खर्च दावा {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,सवलत (%) वर फरकाने दर सूची दर
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,सवलत (%) वर फरकाने दर सूची दर
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,सर्व गोदामांची
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,सर्व गोदामांची
DocType: Sales Partner,Retailer,किरकोळ विक्रेता
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,क्रेडिट खाते ताळेबंद खाते असणे आवश्यक आहे
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,क्रेडिट खाते ताळेबंद खाते असणे आवश्यक आहे
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,सर्व पुरवठादार प्रकार
DocType: Global Defaults,Disable In Words,शब्द मध्ये अक्षम
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,आयटम कोड बंधनकारक आहे कारण आयटम स्वयंचलितपणे गणती केलेला नाही
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,आयटम कोड बंधनकारक आहे कारण आयटम स्वयंचलितपणे गणती केलेला नाही
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},कोटेशन {0} प्रकारच्या {1} नाहीत
DocType: Maintenance Schedule Item,Maintenance Schedule Item,देखभाल वेळापत्रक आयटम
DocType: Sales Order,% Delivered,% वितरण
DocType: Production Order,PRO-,PRO-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,बँक ओव्हरड्राफ्ट खाते
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,बँक ओव्हरड्राफ्ट खाते
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,पगाराच्या स्लिप्स करा
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,पंक्ती # {0}: रक्कम थकबाकी रक्कम पेक्षा जास्त असू शकत नाही.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,ब्राउझ करा BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,सुरक्षित कर्ज
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,सुरक्षित कर्ज
DocType: Purchase Invoice,Edit Posting Date and Time,पोस्टिंग तारीख आणि वेळ संपादित
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},मालमत्ता वर्ग {0} किंवा कंपनी मध्ये घसारा संबंधित खाती सेट करा {1}
DocType: Academic Term,Academic Year,शैक्षणिक वर्ष
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,शिल्लक इक्विटी उघडणे
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,शिल्लक इक्विटी उघडणे
DocType: Lead,CRM,सी आर एम
DocType: Appraisal,Appraisal,मूल्यमापन
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},पुरवठादार वर ईमेल पाठविले {0}
@@ -2979,7 +2998,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,भूमिका मंजूर नियम लागू आहे भूमिका समान असू शकत नाही
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,या ईमेल डायजेस्ट पासून सदस्यता रद्द करा
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,संदेश पाठवला
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,child नोडस् सह खाते लेजर म्हणून सेट केली जाऊ शकत नाही
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,child नोडस् सह खाते लेजर म्हणून सेट केली जाऊ शकत नाही
DocType: C-Form,II,दुसरा
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,दर ज्यामध्ये किंमत यादी चलन ग्राहक बेस चलनमधे रूपांतरित आहे
DocType: Purchase Invoice Item,Net Amount (Company Currency),निव्वळ रक्कम (कंपनी चलन)
@@ -3014,7 +3033,7 @@
DocType: Expense Claim,Approval Status,मंजूरीची स्थिती
DocType: Hub Settings,Publish Items to Hub,हब करण्यासाठी आयटम प्रकाशित
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},सलग {0} मधे मूल्य पासून मूल्य पर्यंत कमी असणे आवश्यक आहे
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,वायर हस्तांतरण
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,वायर हस्तांतरण
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,सर्व चेक करा
DocType: Vehicle Log,Invoice Ref,चलन संदर्भ
DocType: Purchase Order,Recurring Order,आवर्ती ऑर्डर
@@ -3027,19 +3046,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,बँकिंग आणि देयके
,Welcome to ERPNext,ERPNext मधे आपले स्वागत आहे
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,आघाडी पासून कोटेशन पर्यंत
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,दर्शविण्यासाठी अधिक काहीही नाही.
DocType: Lead,From Customer,ग्राहकासाठी
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,कॉल
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,कॉल
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,बॅच
DocType: Project,Total Costing Amount (via Time Logs),एकूण भांडवलाची रक्कम (वेळ नोंदी द्वारे)
DocType: Purchase Order Item Supplied,Stock UOM,शेअर UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,खरेदी ऑर्डर {0} सबमिट केलेली नाही
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,खरेदी ऑर्डर {0} सबमिट केलेली नाही
DocType: Customs Tariff Number,Tariff Number,दर क्रमांक
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,अंदाज
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},सिरियल क्रमांक {0} कोठार {1} शी संबंधित नाही
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,टीप: {0} प्रमाणात किंवा रक्कम 0 आहे म्हणून चेंडू-प्रती आणि-बुकिंग आयटम सिस्टम तपासा नाही
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,टीप: {0} प्रमाणात किंवा रक्कम 0 आहे म्हणून चेंडू-प्रती आणि-बुकिंग आयटम सिस्टम तपासा नाही
DocType: Notification Control,Quotation Message,कोटेशन संदेश
DocType: Employee Loan,Employee Loan Application,कर्मचारी कर्ज अर्ज
DocType: Issue,Opening Date,उघडण्याची तारीख
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,उपस्थिती यशस्वीरित्या चिन्हांकित केले गेले.
+DocType: Program Enrollment,Public Transport,सार्वजनिक वाहतूक
DocType: Journal Entry,Remark,शेरा
DocType: Purchase Receipt Item,Rate and Amount,दर आणि रक्कम
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},खाते प्रकार {0} असणे आवश्यक आहे {1}
@@ -3047,32 +3069,32 @@
DocType: School Settings,Current Academic Term,चालू शैक्षणिक मुदत
DocType: School Settings,Current Academic Term,चालू शैक्षणिक मुदत
DocType: Sales Order,Not Billed,बिल नाही
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,दोन्ही कोठार त्याच कंपनी संबंधित आवश्यक
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,संपर्क अद्याप जोडले नाहीत
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,दोन्ही कोठार त्याच कंपनी संबंधित आवश्यक
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,संपर्क अद्याप जोडले नाहीत
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,स्थावर खर्च व्हाउचर रक्कम
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,पुरवठादार उपस्थित बिल.
DocType: POS Profile,Write Off Account,Write Off खाते
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,टीप रक्कम डेबिट
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,सवलत रक्कम
DocType: Purchase Invoice,Return Against Purchase Invoice,विरुद्ध खरेदी चलन परत
DocType: Item,Warranty Period (in days),(दिवस मध्ये) वॉरंटी कालावधी
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Guardian1 संबंध
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1 संबंध
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,ऑपरेशन्स निव्वळ रोख
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,उदा व्हॅट
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,उदा व्हॅट
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,आयटम 4
DocType: Student Admission,Admission End Date,प्रवेश अंतिम तारीख
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,उप-करार
DocType: Journal Entry Account,Journal Entry Account,जर्नल प्रवेश खाते
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,विद्यार्थी गट
DocType: Shopping Cart Settings,Quotation Series,कोटेशन मालिका
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","आयटम त्याच नावाने अस्तित्वात ( {0} ) असेल , तर आयटम गट नाव बदल किंवा आयटम पुनर्नामित करा"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,कृपया ग्राहक निवडा
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","आयटम त्याच नावाने अस्तित्वात ( {0} ) असेल , तर आयटम गट नाव बदल किंवा आयटम पुनर्नामित करा"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,कृपया ग्राहक निवडा
DocType: C-Form,I,मी
DocType: Company,Asset Depreciation Cost Center,मालमत्ता घसारा खर्च केंद्र
DocType: Sales Order Item,Sales Order Date,विक्री ऑर्डर तारीख
DocType: Sales Invoice Item,Delivered Qty,वितरित केलेली Qty
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","चेक केलेले असल्यास, प्रत्येक उत्पादन आयटम सर्व लोकांना साहित्य विनंत्या मध्ये समाविष्ट केले जाईल."
DocType: Assessment Plan,Assessment Plan,मूल्यांकन योजना
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,कोठार {0}: कंपनी अनिवार्य आहे
DocType: Stock Settings,Limit Percent,मर्यादा टक्के
,Payment Period Based On Invoice Date,चलन तारखेला आधारित भरणा कालावधी
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},चलन विनिमय दर {0} साठी गहाळ
@@ -3084,7 +3106,7 @@
DocType: Vehicle,Insurance Details,विमा तपशील
DocType: Account,Payable,देय
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,परतफेड कालावधी प्रविष्ट करा
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),कर्जदार ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),कर्जदार ({0})
DocType: Pricing Rule,Margin,मार्जिन
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,नवीन ग्राहक
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,निव्वळ नफा%
@@ -3095,16 +3117,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,पक्ष अनिवार्य आहे
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,विषय नाव
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,विक्री किंवा खरेदी कमीत कमी एक निवडणे आवश्यक आहे
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,आपल्या व्यवसाय स्वरूप निवडा.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,विक्री किंवा खरेदी कमीत कमी एक निवडणे आवश्यक आहे
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,आपल्या व्यवसाय स्वरूप निवडा.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},पंक्ती # {0}: डुप्लीकेट संदर्भ नोंद {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,उत्पादन ऑपरेशन कोठे नेले जातात.
DocType: Asset Movement,Source Warehouse,स्त्रोत कोठार
DocType: Installation Note,Installation Date,प्रतिष्ठापन तारीख
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},सलग # {0}: मालमत्ता {1} कंपनी संबंधित नाही {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},सलग # {0}: मालमत्ता {1} कंपनी संबंधित नाही {2}
DocType: Employee,Confirmation Date,पुष्टीकरण तारीख
DocType: C-Form,Total Invoiced Amount,एकूण Invoiced रक्कम
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,किमान Qty कमाल Qty पेक्षा जास्त असू शकत नाही
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,किमान Qty कमाल Qty पेक्षा जास्त असू शकत नाही
DocType: Account,Accumulated Depreciation,जमा घसारा
DocType: Stock Entry,Customer or Supplier Details,ग्राहक किंवा पुरवठादार माहिती
DocType: Employee Loan Application,Required by Date,तारीख आवश्यक
@@ -3125,22 +3147,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,मासिक वितरण टक्केवारी
DocType: Territory,Territory Targets,प्रदेश लक्ष्य
DocType: Delivery Note,Transporter Info,वाहतुक माहिती
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},कंपनी मध्ये डीफॉल्ट {0} सेट करा {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},कंपनी मध्ये डीफॉल्ट {0} सेट करा {1}
DocType: Cheque Print Template,Starting position from top edge,शीर्ष किनार पासून स्थान सुरू करत आहे
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,त्याच पुरवठादार अनेक वेळा प्रविष्ट केले गेले आहे
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,निव्वळ नफा / तोटा
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,खरेदी ऑर्डर बाबींचा पुरवठा
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,कंपनी नाव कंपनी असू शकत नाही
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,कंपनी नाव कंपनी असू शकत नाही
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,प्रिंट टेम्पलेट साठी letter.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,प्रिंट टेम्पलेट साठी शोध शिर्षके फाईल नाव उदा. Proforma चलन
DocType: Student Guardian,Student Guardian,विद्यार्थी पालक
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,मूल्यांकन प्रकार शुल्क समावेश म्हणून चिन्हांकित करू शकत नाही
DocType: POS Profile,Update Stock,अद्यतन शेअर
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,पुरवठादार> पुरवठादार प्रकार
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,आयटम साठी विविध UOM अयोग्य (एकूण) निव्वळ वजन मूल्य नेईल. प्रत्येक आयटम निव्वळ वजन समान UOM आहे याची खात्री करा.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM दर
DocType: Asset,Journal Entry for Scrap,स्क्रॅप साठी जर्नल प्रवेश
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,डिलिव्हरी Note मधून आयटम पुल करा/ओढा
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,जर्नल नोंदी {0} रद्द लिंक नाहीत
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,जर्नल नोंदी {0} रद्द लिंक नाहीत
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","ई-मेल, फोन, चॅट भेट, इ सर्व प्रकारच्या संचाराची नोंद"
DocType: Manufacturer,Manufacturers used in Items,आयटम मधे वापरलेले उत्पादक
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,कंपनी मध्ये Round Off खर्च केंद्र खात्याचा उल्लेख करा
@@ -3189,34 +3212,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,पुरवठादार ग्राहक वितरण
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# फॉर्म / आयटम / {0}) स्टॉक बाहेर आहे
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,पुढील तारीख पोस्ट दिनांक पेक्षा जास्त असणे आवश्यक
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,ब्रेक अप कर शो
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},मुळे / संदर्भ तारीख {0} नंतर असू शकत नाही
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,ब्रेक अप कर शो
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},मुळे / संदर्भ तारीख {0} नंतर असू शकत नाही
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,डेटा आयात आणि निर्यात
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","शेअर नोंदी, {0} वखार विरुद्ध अस्तित्वात त्यामुळे आपण पुन्हा नियुक्त किंवा फेरफार करणे शक्य नाही"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,नाही विद्यार्थ्यांनी सापडले
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,नाही विद्यार्थ्यांनी सापडले
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,अशी यादी तयार करण्यासाठी पोस्ट तारीख
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,विक्री
DocType: Sales Invoice,Rounded Total,गोळाबेरीज एकूण
DocType: Product Bundle,List items that form the package.,सूची आयटम पॅकेज तयार करा
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,टक्केवारी वाटप 100% समान असावी
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,कृपया पार्टी निवड केली पोस्टिंग तारीख निवडा
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,कृपया पार्टी निवड केली पोस्टिंग तारीख निवडा
DocType: Program Enrollment,School House,शाळा हाऊस
DocType: Serial No,Out of AMC,एएमसी पैकी
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,कृपया अवतरणे निवडा
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,कृपया अवतरणे निवडा
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,कृपया अवतरणे निवडा
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,कृपया अवतरणे निवडा
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,पूर्वनियोजित Depreciations संख्या Depreciations एकूण संख्या पेक्षा जास्त असू शकत नाही
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,देखभाल भेट करा
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,ज्या वापरकर्त्याची विक्री मास्टर व्यवस्थापक {0} भूमिका आहे त्याला कृपया संपर्ग साधा
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,ज्या वापरकर्त्याची विक्री मास्टर व्यवस्थापक {0} भूमिका आहे त्याला कृपया संपर्ग साधा
DocType: Company,Default Cash Account,मुलभूत रोख खाते
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,कंपनी ( ग्राहक किंवा पुरवठादार नाही) मास्टर.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,हे या विद्यार्थी पोषाख आधारित आहे
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,नाही विद्यार्थी
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,नाही विद्यार्थी
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,अधिक आयटम किंवा ओपन पूर्ण फॉर्म जोडा
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date','अपेक्षित डिलिव्हरी तारीख' प्रविष्ट करा
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,डिलिव्हरी टिपा {0} या विक्री ऑर्डर रद्द आधी रद्द करणे आवश्यक आहे
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,पेड रक्कम + एकूण रक्कमेपेक्षा पेक्षा जास्त असू शकत नाही बंद लिहा
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,पेड रक्कम + एकूण रक्कमेपेक्षा पेक्षा जास्त असू शकत नाही बंद लिहा
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} आयटम एक वैध बॅच क्रमांक नाही {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},टीप: रजा प्रकार पुरेशी रजा शिल्लक नाही {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,अवैध GSTIN किंवा अनोंदणीकृत साठी लागू प्रविष्ट करा
DocType: Training Event,Seminar,सेमिनार
DocType: Program Enrollment Fee,Program Enrollment Fee,कार्यक्रम नावनोंदणी फी
DocType: Item,Supplier Items,पुरवठादार आयटम
@@ -3242,28 +3265,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,आयटम 3
DocType: Purchase Order,Customer Contact Email,ग्राहक संपर्क ईमेल
DocType: Warranty Claim,Item and Warranty Details,आयटम आणि हमी तपशील
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,आयटम कोड> आयटम गट> ब्रँड
DocType: Sales Team,Contribution (%),योगदान (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,टीप: भरणा प्रवेश पासून तयार केले जाणार नाहीत 'रोख किंवा बँक खाते' निर्दिष्ट नाही
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,अनिवार्य अभ्यासक्रम आणण्यास कार्यक्रम निवडा.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,अनिवार्य अभ्यासक्रम आणण्यास कार्यक्रम निवडा.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,जबाबदारी
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,जबाबदारी
DocType: Expense Claim Account,Expense Claim Account,खर्च दावा खाते
DocType: Sales Person,Sales Person Name,विक्री व्यक्ती नाव
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,टेबल मध्ये किमान 1 चलन प्रविष्ट करा
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,वापरकर्ते जोडा
DocType: POS Item Group,Item Group,आयटम गट
DocType: Item,Safety Stock,सुरक्षितता शेअर
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,कार्य प्रगतीपथावर% 100 पेक्षा जास्त असू शकत नाही.
DocType: Stock Reconciliation Item,Before reconciliation,समेट करण्यापूर्वी
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},करण्यासाठी {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),कर आणि शुल्क जोडले (कंपनी चलन)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,आयटम कर रो {0} कर किंवा उत्पन्न किंवा खर्चाचे किंवा भार प्रकारचे खाते असणे आवश्यक आहे
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,आयटम कर रो {0} कर किंवा उत्पन्न किंवा खर्चाचे किंवा भार प्रकारचे खाते असणे आवश्यक आहे
DocType: Sales Order,Partly Billed,अंशतः बिल आकारले
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,आयटम {0} मुदत मालमत्ता आयटम असणे आवश्यक आहे
DocType: Item,Default BOM,मुलभूत BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,कंपनीचे नाव पुष्टी करण्यासाठी पुन्हा-टाइप करा
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,एकूण थकबाकी रक्कम
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,डेबिट टीप रक्कम
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,कंपनीचे नाव पुष्टी करण्यासाठी पुन्हा-टाइप करा
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,एकूण थकबाकी रक्कम
DocType: Journal Entry,Printing Settings,मुद्रण सेटिंग्ज
DocType: Sales Invoice,Include Payment (POS),भरणा समाविष्ट करा (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},एकूण डेबिट एकूण क्रेडिट समान असणे आवश्यक आहे. फरक {0}आहे
@@ -3277,16 +3297,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,स्टॉक मध्ये:
DocType: Notification Control,Custom Message,सानुकूल संदेश
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,गुंतवणूक बँकिंग
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,रोख रक्कम किंवा बँक खाते पैसे नोंदणी करण्यासाठी अनिवार्य आहे
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,विद्यार्थी पत्ता
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,विद्यार्थी पत्ता
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,रोख रक्कम किंवा बँक खाते पैसे नोंदणी करण्यासाठी अनिवार्य आहे
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,सेटअप सेटअप द्वारे उपस्थिती मालिका संख्या करा> क्रमांकन मालिका
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,विद्यार्थी पत्ता
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,विद्यार्थी पत्ता
DocType: Purchase Invoice,Price List Exchange Rate,किंमत सूची विनिमय दर
DocType: Purchase Invoice Item,Rate,दर
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,हद्दीच्या
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,पत्ता नाव
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,हद्दीच्या
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,पत्ता नाव
DocType: Stock Entry,From BOM,BOM पासून
DocType: Assessment Code,Assessment Code,मूल्यांकन कोड
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,मूलभूत
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,मूलभूत
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,{0} पूर्वीचे शेअर व्यवहार गोठविली आहेत
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule','व्युत्पन्न वेळापत्रक' वर क्लिक करा
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","उदा किलो, युनिट, क्रमांक, मीटर"
@@ -3296,11 +3317,11 @@
DocType: Salary Slip,Salary Structure,वेतन रचना
DocType: Account,Bank,बँक
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,एयरलाईन
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,समस्या साहित्य
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,समस्या साहित्य
DocType: Material Request Item,For Warehouse,वखार साठी
DocType: Employee,Offer Date,ऑफर तारीख
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,बोली
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,आपण ऑफलाइन मोड मध्ये आहोत. आपण नेटवर्क पर्यंत रीलोड सक्षम होणार नाही.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,आपण ऑफलाइन मोड मध्ये आहोत. आपण नेटवर्क पर्यंत रीलोड सक्षम होणार नाही.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,नाही विद्यार्थी गट निर्माण केले.
DocType: Purchase Invoice Item,Serial No,सिरियल नाही
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,मासिक परतफेड रक्कम कर्ज रक्कम पेक्षा जास्त असू शकत नाही
@@ -3308,8 +3329,8 @@
DocType: Purchase Invoice,Print Language,मुद्रण भाषा
DocType: Salary Slip,Total Working Hours,एकूण कार्याचे तास
DocType: Stock Entry,Including items for sub assemblies,उप विधानसभा आयटम समावेश
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,प्रविष्ट मूल्य सकारात्मक असणे आवश्यक आहे
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,सर्व प्रदेश
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,प्रविष्ट मूल्य सकारात्मक असणे आवश्यक आहे
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,सर्व प्रदेश
DocType: Purchase Invoice,Items,आयटम
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,विद्यार्थी आधीच नोंदणी केली आहे.
DocType: Fiscal Year,Year Name,वर्ष नाव
@@ -3328,10 +3349,10 @@
DocType: Issue,Opening Time,उघडण्याची वेळ
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,पासून आणि पर्यंत तारखा आवश्यक आहेत
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,सिक्युरिटीज अँड कमोडिटी
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"'{0}' प्रकार करीता माप मुलभूत युनिट साचा म्हणून समान असणे आवश्यक आहे, '{1}'"
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"'{0}' प्रकार करीता माप मुलभूत युनिट साचा म्हणून समान असणे आवश्यक आहे, '{1}'"
DocType: Shipping Rule,Calculate Based On,आधारित असणे
DocType: Delivery Note Item,From Warehouse,वखार पासून
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,कारखानदार सामग्रीचा बिल नाही आयटम
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,कारखानदार सामग्रीचा बिल नाही आयटम
DocType: Assessment Plan,Supervisor Name,पर्यवेक्षक नाव
DocType: Program Enrollment Course,Program Enrollment Course,कार्यक्रम नावनोंदणी कोर्स
DocType: Program Enrollment Course,Program Enrollment Course,कार्यक्रम नावनोंदणी कोर्स
@@ -3347,18 +3368,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'गेल्या ऑर्डर असल्याने दिवस' शून्य पेक्षा मोठे किंवा समान असणे आवश्यक आहे
DocType: Process Payroll,Payroll Frequency,उपयोग पे रोल वारंवारता
DocType: Asset,Amended From,पासून दुरुस्ती
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,कच्चा माल
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,कच्चा माल
DocType: Leave Application,Follow via Email,ईमेल द्वारे अनुसरण करा
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,वनस्पती आणि यंत्रसामग्री
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,वनस्पती आणि यंत्रसामग्री
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,सवलत रक्कम नंतर कर रक्कम
DocType: Daily Work Summary Settings,Daily Work Summary Settings,दररोज काम सारांश सेटिंग्ज
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},{0} किंमत सूची चलन निवडले चलन समान नाही {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},{0} किंमत सूची चलन निवडले चलन समान नाही {1}
DocType: Payment Entry,Internal Transfer,अंतर्गत ट्रान्सफर
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,बाल खाते हे खाते विद्यमान आहे. आपण हे खाते हटवू शकत नाही.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,बाल खाते हे खाते विद्यमान आहे. आपण हे खाते हटवू शकत नाही.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,एकतर लक्ष्य qty किंवा लक्ष्य रक्कम अनिवार्य आहे
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},डीफॉल्ट BOM आयटम {0} साठी अस्तित्वात नाही
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},डीफॉल्ट BOM आयटम {0} साठी अस्तित्वात नाही
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,कृपया पहले पोस्टिंग तारीख निवडा
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,तारीख उघडण्याच्या तारीख बंद करण्यापूर्वी असावे
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} द्वारे सेटअप> सेिटंगेंेंें> नामांकन मालिका मालिका नामांकन सेट करा
DocType: Leave Control Panel,Carry Forward,कॅरी फॉरवर्ड
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,विद्यमान व्यवहार खर्चाच्या केंद्र लेजर मधे रूपांतरीत केले जाऊ शकत नाही
DocType: Department,Days for which Holidays are blocked for this department.,दिवस जे सुट्ट्या या विभागात अवरोधित केलेली आहेत.
@@ -3368,11 +3390,10 @@
DocType: Issue,Raised By (Email),उपस्थित (ईमेल)
DocType: Training Event,Trainer Name,प्रशिक्षक नाव
DocType: Mode of Payment,General,सामान्य
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,नाव संलग्न
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,गेल्या कम्युनिकेशन
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,गेल्या कम्युनिकेशन
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',गटात मूल्यांकन 'किंवा' मूल्यांकन आणि एकूण 'आहे तेव्हा वजा करू शकत नाही
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","आपल्या tax headsची आणि त्यांच्या प्रमाण दरांची यादी करा (उदा, व्हॅट , जकात वगैरे त्यांना वेगळी नावे असणे आवश्यक आहे ) . हे मानक टेम्पलेट, तयार करेल, जे आपण संपादित करू शकता आणि नंतर अधिक जोडू शकता."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","आपल्या tax headsची आणि त्यांच्या प्रमाण दरांची यादी करा (उदा, व्हॅट , जकात वगैरे त्यांना वेगळी नावे असणे आवश्यक आहे ) . हे मानक टेम्पलेट, तयार करेल, जे आपण संपादित करू शकता आणि नंतर अधिक जोडू शकता."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},सिरीयलाइज आयटम {0}साठी सिरियल क्रमांक आवश्यक
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,पावत्या सह देयके सामना
DocType: Journal Entry,Bank Entry,बँक प्रवेश
@@ -3381,16 +3402,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,सूचीत टाका
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,गट
DocType: Guardian,Interests,छंद
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,चलने अक्षम /सक्षम करा.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,चलने अक्षम /सक्षम करा.
DocType: Production Planning Tool,Get Material Request,साहित्य विनंती मिळवा
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,पोस्टल खर्च
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,पोस्टल खर्च
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),एकूण (रक्कम)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,मनोरंजन आणि फुरसतीचा वेळ
DocType: Quality Inspection,Item Serial No,आयटम सिरियल क्रमांक
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,कर्मचारी रेकॉर्ड तयार करा
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,एकूण उपस्थित
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,लेखा स्टेटमेन्ट
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,तास
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,तास
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,नवीन सिरिअल क्रमांक कोठार असू शकत नाही. कोठार शेअर नोंद किंवा खरेदी पावती सेट करणे आवश्यक आहे
DocType: Lead,Lead Type,लीड प्रकार
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,आपल्याला ब्लॉक तारखेवर पाने मंजूर करण्यासाठी अधिकृत नाही
@@ -3402,6 +3423,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,बदली नवीन BOM
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,विक्री पॉइंट
DocType: Payment Entry,Received Amount,प्राप्त केलेली रक्कम
+DocType: GST Settings,GSTIN Email Sent On,GSTIN ईमेल पाठविले
+DocType: Program Enrollment,Pick/Drop by Guardian,/ पालक ड्रॉप निवडा
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","ऑर्डर आधीच प्रमाणात दुर्लक्ष करून, पूर्ण प्रमाणात साठी तयार करा"
DocType: Account,Tax,कर
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,चिन्हांकित नाही
@@ -3415,7 +3438,7 @@
DocType: Batch,Source Document Name,स्रोत दस्तऐवज नाव
DocType: Job Opening,Job Title,कार्य शीर्षक
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,वापरकर्ते तयार करा
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,ग्राम
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,ग्राम
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,उत्पादनासाठीचे प्रमाण 0 पेक्षा जास्त असणे आवश्यक आहे.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,देखभाल कॉल अहवाल भेट द्या.
DocType: Stock Entry,Update Rate and Availability,रेट अद्यतनित करा आणि उपलब्धता
@@ -3423,7 +3446,7 @@
DocType: POS Customer Group,Customer Group,ग्राहक गट
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),नवीन बॅच आयडी (पर्यायी)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),नवीन बॅच आयडी (पर्यायी)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},खर्च खाते आयटम {0} साठी अनिवार्य आहे
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},खर्च खाते आयटम {0} साठी अनिवार्य आहे
DocType: BOM,Website Description,वेबसाइट वर्णन
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,इक्विटी निव्वळ बदला
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,चलन खरेदी {0} रद्द करा पहिला
@@ -3433,8 +3456,8 @@
,Sales Register,विक्री नोंदणी
DocType: Daily Work Summary Settings Company,Send Emails At,वेळी ई-मेल पाठवा
DocType: Quotation,Quotation Lost Reason,कोटेशन हरवले कारण
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,आपल्या डोमेन निवडा
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},व्यवहार संदर्भ नाहीत {0} दिनांक {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,आपल्या डोमेन निवडा
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},व्यवहार संदर्भ नाहीत {0} दिनांक {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,संपादित करण्यासाठी काहीही नाही.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,या महिन्यासाठी आणि प्रलंबित उपक्रम सारांश
DocType: Customer Group,Customer Group Name,ग्राहक गट नाव
@@ -3442,14 +3465,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,रोख फ्लो स्टेटमेंट
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},कर्ज रक्कम कमाल कर्ज रक्कम जास्त असू शकत नाही {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,परवाना
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},सी-फॉर्म{1} मधून चलन {0} काढून टाका
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},सी-फॉर्म{1} मधून चलन {0} काढून टाका
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,आपण देखील मागील आर्थिक वर्षातील शिल्लक रजा या आर्थिक वर्षात समाविष्ट करू इच्छित असल्यास कृपया कॅरी फॉरवर्ड निवडा
DocType: GL Entry,Against Voucher Type,व्हाउचर प्रकार विरुद्ध
DocType: Item,Attributes,विशेषता
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,Write Off खाते प्रविष्ट करा
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Write Off खाते प्रविष्ट करा
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,गेल्या ऑर्डर तारीख
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},खाते {0} ला कंपनी {1} मालकीचे नाही
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,{0} सलग मालिका संख्या डिलिव्हरी टीप जुळत नाही
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,{0} सलग मालिका संख्या डिलिव्हरी टीप जुळत नाही
DocType: Student,Guardian Details,पालक तपशील
DocType: C-Form,C-Form,सी-फॉर्म
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,अनेक कर्मचाऱ्यांना उपस्थिती चिन्ह
@@ -3464,16 +3487,16 @@
DocType: Budget Account,Budget Amount,बजेट रक्कम
DocType: Appraisal Template,Appraisal Template Title,मूल्यांकन साचा शीर्षक
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},पासून तारीख {0} कर्मचारी {1} कर्मचारी सामील तारीख असू शकत नाही {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,व्यावसायिक
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,व्यावसायिक
DocType: Payment Entry,Account Paid To,खाते अदा
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,पालक आयटम {0} शेअर आयटम असू शकत नाही
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,सर्व उत्पादने किंवा सेवा.
DocType: Expense Claim,More Details,अधिक माहितीसाठी
DocType: Supplier Quotation,Supplier Address,पुरवठादार पत्ता
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} खाते अर्थसंकल्पात {1} विरुद्ध {2} {3} आहे {4}. तो टाकेल {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',सलग {0} # खाते प्रकार असणे आवश्यक आहे 'निश्चित मालमत्ता'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,आउट Qty
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,नियम विक्रीसाठी शिपिंग रक्कम गणना
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',सलग {0} # खाते प्रकार असणे आवश्यक आहे 'निश्चित मालमत्ता'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,आउट Qty
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,नियम विक्रीसाठी शिपिंग रक्कम गणना
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,मालिका अनिवार्य आहे
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,वित्तीय सेवा
DocType: Student Sibling,Student ID,विद्यार्थी ओळखपत्र
@@ -3481,13 +3504,13 @@
DocType: Tax Rule,Sales,विक्री
DocType: Stock Entry Detail,Basic Amount,मूलभूत रक्कम
DocType: Training Event,Exam,परीक्षा
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},स्टॉक आयटम {0} साठी आवश्यक कोठार
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},स्टॉक आयटम {0} साठी आवश्यक कोठार
DocType: Leave Allocation,Unused leaves,न वापरलेल्या रजा
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,कोटी
DocType: Tax Rule,Billing State,बिलिंग राज्य
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,ट्रान्सफर
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} पार्टी खात्यासह संबद्ध नाही {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),(उप-मंडळ्यांना समावेश) स्फोट झाला BOM प्राप्त
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} पार्टी खात्यासह संबद्ध नाही {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),(उप-मंडळ्यांना समावेश) स्फोट झाला BOM प्राप्त
DocType: Authorization Rule,Applicable To (Employee),लागू करण्यासाठी (कर्मचारी)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,देय तारीख अनिवार्य आहे
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,विशेषता साठी बढती {0} 0 असू शकत नाही
@@ -3515,7 +3538,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,कच्चा माल आयटम कोड
DocType: Journal Entry,Write Off Based On,आधारित Write Off
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,लीड करा
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,प्रिंट आणि स्टेशनरी
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,प्रिंट आणि स्टेशनरी
DocType: Stock Settings,Show Barcode Field,बारकोड फिल्ड दर्शवा
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,पुरवठादार ई-मेल पाठवा
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",पगार दरम्यान {0} आणि {1} द्या अनुप्रयोग या कालावधीत तारीख श्रेणी दरम्यान असू शकत नाही कालावधीसाठी आधीपासून प्रक्रिया.
@@ -3523,14 +3546,16 @@
DocType: Guardian Interest,Guardian Interest,पालक व्याज
apps/erpnext/erpnext/config/hr.py +177,Training,प्रशिक्षण
DocType: Timesheet,Employee Detail,कर्मचारी तपशील
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 ईमेल आयडी
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 ईमेल आयडी
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 ईमेल आयडी
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 ईमेल आयडी
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,पुढील तारीख दिवस आणि पुन्हा महिन्याच्या दिवशी समान असणे आवश्यक आहे
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,वेबसाइट मुख्यपृष्ठ सेटिंग्ज
DocType: Offer Letter,Awaiting Response,प्रतिसाद प्रतीक्षा करत आहे
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,वर
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,वर
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},अवैध विशेषता {0} {1}
DocType: Supplier,Mention if non-standard payable account,उल्लेख मानक-नसलेला देय खाते तर
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},सारख्या आयटमचा एकाधिक वेळा गेले. {यादी}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',कृपया 'सर्व मूल्यांकन गट' ऐवजी मूल्यांकन गट निवडा
DocType: Salary Slip,Earning & Deduction,कमाई आणि कपात
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,पर्यायी. हे सेटिंग विविध व्यवहार फिल्टर करण्यासाठी वापरले जाईल.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,नकारात्मक मूल्यांकन दर परवानगी नाही
@@ -3544,9 +3569,9 @@
DocType: Sales Invoice,Product Bundle Help,उत्पादन बंडल मदत
,Monthly Attendance Sheet,मासिक हजेरी पत्रक
DocType: Production Order Item,Production Order Item,उत्पादन ऑर्डर बाबींचा
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,रेकॉर्ड आढळले नाही
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,रेकॉर्ड आढळले नाही
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,रद्द मालमत्ता खर्च
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: आयटम {2} ला खर्च केंद्र अनिवार्य आहे
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: आयटम {2} ला खर्च केंद्र अनिवार्य आहे
DocType: Vehicle,Policy No,कोणतेही धोरण नाही
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,उत्पादन बंडलचे आयटम मिळवा
DocType: Asset,Straight Line,सरळ रेष
@@ -3555,7 +3580,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,स्प्लिट
DocType: GL Entry,Is Advance,आगाऊ आहे
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,उपस्थिती पासून तारीख आणि उपस्थिती पर्यंत तारीख अनिवार्य आहे
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,'Subcontracted आहे' होय किंवा नाही म्हणून प्रविष्ट करा
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,'Subcontracted आहे' होय किंवा नाही म्हणून प्रविष्ट करा
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,गेल्या कम्युनिकेशन तारीख
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,गेल्या कम्युनिकेशन तारीख
DocType: Sales Team,Contact No.,संपर्क क्रमांक
@@ -3584,60 +3609,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,उघडण्याचे मूल्य
DocType: Salary Detail,Formula,सुत्र
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,सिरियल #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,विक्री आयोगाने
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,विक्री आयोगाने
DocType: Offer Letter Term,Value / Description,मूल्य / वर्णन
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","सलग # {0}: मालमत्ता {1} सादर केला जाऊ शकत नाही, तो आधीपासूनच आहे {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","सलग # {0}: मालमत्ता {1} सादर केला जाऊ शकत नाही, तो आधीपासूनच आहे {2}"
DocType: Tax Rule,Billing Country,बिलिंग देश
DocType: Purchase Order Item,Expected Delivery Date,अपेक्षित वितरण तारीख
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,डेबिट आणि क्रेडिट {0} # समान नाही {1}. फरक आहे {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,मनोरंजन खर्च
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,साहित्य विनंती करा
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,मनोरंजन खर्च
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,साहित्य विनंती करा
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},आयटम उघडा {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,हि विक्री ऑर्डर रद्द करण्याआधी विक्री चलन {0} रद्द करणे आवश्यक आहे
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,वय
DocType: Sales Invoice Timesheet,Billing Amount,बिलिंग रक्कम
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,आयटम {0} साठी निर्दिष्ट अवैध प्रमाण . प्रमाण 0 पेक्षा जास्त असणे आवश्यक आहे.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,निरोप साठी अनुप्रयोग.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,विद्यमान व्यवहार खाते हटविले जाऊ शकत नाही
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,विद्यमान व्यवहार खाते हटविले जाऊ शकत नाही
DocType: Vehicle,Last Carbon Check,गेल्या कार्बन तपासा
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,कायदेशीर खर्च
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,कायदेशीर खर्च
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,कृपया रांगेत प्रमाणात निवडा
DocType: Purchase Invoice,Posting Time,पोस्टिंग वेळ
DocType: Timesheet,% Amount Billed,% रक्कम बिल
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,टेलिफोन खर्च
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,टेलिफोन खर्च
DocType: Sales Partner,Logo,लोगो
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"आपण जतन करण्यापूर्वी मालिका निवडा वापरकर्ता सक्ती करायचे असल्यास हे तपासा. आपण या चेक केले, तर मुलभूत नसेल."
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},सिरियल क्रमांक असलेले कोणतेही आयटम {0} नाहीत
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},सिरियल क्रमांक असलेले कोणतेही आयटम {0} नाहीत
DocType: Email Digest,Open Notifications,ओपन सूचना
DocType: Payment Entry,Difference Amount (Company Currency),फरक रक्कम (कंपनी चलन)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,थेट खर्च
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,थेट खर्च
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} 'सूचना \ ई-मेल पत्ता' एक अवैध ईमेल पत्ता आहे
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,नवीन ग्राहक महसूल
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,प्रवास खर्च
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,प्रवास खर्च
DocType: Maintenance Visit,Breakdown,यंत्रातील बिघाड
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,खाते: {0} चलन: {1} बरोबर निवडले जाऊ शकत नाही
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,खाते: {0} चलन: {1} बरोबर निवडले जाऊ शकत नाही
DocType: Bank Reconciliation Detail,Cheque Date,धनादेश तारीख
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},खाते {0}: पालक खाते {1} कंपनी {2} ला संबंधित नाही:
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},खाते {0}: पालक खाते {1} कंपनी {2} ला संबंधित नाही:
DocType: Program Enrollment Tool,Student Applicants,विद्यार्थी अर्जदाराच्या
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,यशस्वीरित्या या कंपनी संबंधित सर्व व्यवहार हटवला!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,यशस्वीरित्या या कंपनी संबंधित सर्व व्यवहार हटवला!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,तारखेला
DocType: Appraisal,HR,एचआर
DocType: Program Enrollment,Enrollment Date,नोंदणी दिनांक
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,उमेदवारीचा काळ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,उमेदवारीचा काळ
apps/erpnext/erpnext/config/hr.py +115,Salary Components,पगार घटक
DocType: Program Enrollment Tool,New Academic Year,नवीन शैक्षणिक वर्ष
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,परत / क्रेडिट टीप
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,परत / क्रेडिट टीप
DocType: Stock Settings,Auto insert Price List rate if missing,दर सूची दर गहाळ असेल तर आपोआप घाला
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,एकूण देय रक्कम
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,एकूण देय रक्कम
DocType: Production Order Item,Transferred Qty,हस्तांतरित Qty
apps/erpnext/erpnext/config/learn.py +11,Navigating,नॅव्हिगेट
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,नियोजन
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,जारी
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,नियोजन
+DocType: Material Request,Issued,जारी
DocType: Project,Total Billing Amount (via Time Logs),एकूण बिलिंग रक्कम (वेळ नोंदी द्वारे)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,आम्ही ही आयटम विक्री
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,पुरवठादार आयडी
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,आम्ही ही आयटम विक्री
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,पुरवठादार आयडी
DocType: Payment Request,Payment Gateway Details,पेमेंट गेटवे तपशील
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,प्रमाण 0 पेक्षा जास्त असणे आवश्यक आहे
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,प्रमाण 0 पेक्षा जास्त असणे आवश्यक आहे
DocType: Journal Entry,Cash Entry,रोख प्रवेश
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,बाल नोडस् फक्त 'ग्रुप' प्रकार नोडस् अंतर्गत तयार केले जाऊ शकते
DocType: Leave Application,Half Day Date,अर्धा दिवस तारीख
@@ -3649,14 +3675,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},खर्च हक्क प्रकार मध्ये डीफॉल्ट खाते सेट करा {0}
DocType: Assessment Result,Student Name,विद्यार्थी नाव
DocType: Brand,Item Manager,आयटम व्यवस्थापक
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,उपयोग पे रोल देय
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,उपयोग पे रोल देय
DocType: Buying Settings,Default Supplier Type,मुलभूत पुरवठादार प्रकार
DocType: Production Order,Total Operating Cost,एकूण ऑपरेटिंग खर्च
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,टीप: आयटम {0} अनेक वेळा प्रवेश केला
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,सर्व संपर्क.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,कंपनी Abbreviation
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,कंपनी Abbreviation
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,सदस्य {0} अस्तित्वात नाही
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,कच्चा माल मुख्य आयटम म्हणून समान असू शकत नाही
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,कच्चा माल मुख्य आयटम म्हणून समान असू शकत नाही
DocType: Item Attribute Value,Abbreviation,संक्षेप
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,भरणा प्रवेश आधिपासूनच अस्तित्वात आहे
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} ने मर्यादा ओलांडल्यापासून authroized नाही
@@ -3665,35 +3691,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,हे खरेदी सूचीत टाका कर नियम सेट करा .
DocType: Purchase Invoice,Taxes and Charges Added,कर आणि शुल्क जोडले
,Sales Funnel,विक्री धुराचा
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,संक्षेप करणे आवश्यक आहे
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,संक्षेप करणे आवश्यक आहे
DocType: Project,Task Progress,कार्य प्रगती
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,कार्ट
,Qty to Transfer,हस्तांतरित करण्याची Qty
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,निष्पन्न किंवा ग्राहकांना कोट्स.
DocType: Stock Settings,Role Allowed to edit frozen stock,भूमिका गोठविलेला स्टॉक संपादित करण्याची परवानगी
,Territory Target Variance Item Group-Wise,प्रदेश लक्ष्य फरक आयटम गट निहाय
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,सर्व ग्राहक गट
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,सर्व ग्राहक गट
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,जमा मासिक
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} आवश्यक आहे. कदाचित चलन विनिमय रेकॉर्ड {1} {2} करण्यासाठी तयार केले नाही.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} आवश्यक आहे. कदाचित चलन विनिमय रेकॉर्ड {1} {2} करण्यासाठी तयार केले नाही.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,कर साचा बंधनकारक आहे.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,खाते {0}: पालक खाते {1} अस्तित्वात नाही
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,खाते {0}: पालक खाते {1} अस्तित्वात नाही
DocType: Purchase Invoice Item,Price List Rate (Company Currency),किंमत सूची दर (कंपनी चलन)
DocType: Products Settings,Products Settings,उत्पादने सेटिंग्ज
DocType: Account,Temporary,अस्थायी
DocType: Program,Courses,अभ्यासक्रम
DocType: Monthly Distribution Percentage,Percentage Allocation,टक्केवारी वाटप
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,सचिव
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,सचिव
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","अक्षम केला तर, क्षेत्र 'शब्द मध्ये' काही व्यवहार दृश्यमान होणार नाही"
DocType: Serial No,Distinct unit of an Item,एक आयटम वेगळा एकक
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,कंपनी सेट करा
DocType: Pricing Rule,Buying,खरेदी
DocType: HR Settings,Employee Records to be created by,कर्मचारी रेकॉर्ड करून तयार करणे
DocType: POS Profile,Apply Discount On,सवलत लागू
,Reqd By Date,Reqd तारीख करून
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,कर्ज
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,कर्ज
DocType: Assessment Plan,Assessment Name,मूल्यांकन नाव
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,रो # {0}: सिरियल क्रमांक बंधनकारक आहे
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,आयटमनूसार कर तपशील
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,संस्था संक्षेप
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,संस्था संक्षेप
,Item-wise Price List Rate,आयटमनूसार किंमत सूची दर
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,पुरवठादार कोटेशन
DocType: Quotation,In Words will be visible once you save the Quotation.,तुम्ही अवतरण एकदा जतन केल्यावर शब्दा मध्ये दृश्यमान होईल.
@@ -3701,14 +3728,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},प्रमाण ({0}) एकापाठोपाठ एक अपूर्णांक असू शकत नाही {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,शुल्क गोळा
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},बारकोड {0} आधीच आयटम वापरले {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},बारकोड {0} आधीच आयटम वापरले {1}
DocType: Lead,Add to calendar on this date,या तारखेला कॅलेंडरमध्ये समाविष्ट करा
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,शिपिंग खर्च जोडून नियम.
DocType: Item,Opening Stock,शेअर उघडत
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,ग्राहक आवश्यक आहे
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} परत देण्यासाठी अनिवार्य आहे
DocType: Purchase Order,To Receive,प्राप्त करण्यासाठी
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,वैयक्तिक ईमेल
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,एकूण फरक
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","सक्षम असल्यास, प्रणाली आपोआप यादी एकट्या नोंदी पोस्ट होईल."
@@ -3719,13 +3745,14 @@
DocType: Customer,From Lead,लीड पासून
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ऑर्डर उत्पादनासाठी प्रकाशीत.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,आर्थिक वर्ष निवडा ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,पीओएस प्रोफाइल पीओएस नोंद करण्यासाठी आवश्यक
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,पीओएस प्रोफाइल पीओएस नोंद करण्यासाठी आवश्यक
DocType: Program Enrollment Tool,Enroll Students,विद्यार्थी ची नोंदणी करा
DocType: Hub Settings,Name Token,नाव टोकन
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,मानक विक्री
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,किमान एक कोठार अनिवार्य आहे
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,किमान एक कोठार अनिवार्य आहे
DocType: Serial No,Out of Warranty,हमी पैकी
DocType: BOM Replace Tool,Replace,बदला
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,कोणतीही उत्पादने आढळले.
DocType: Production Order,Unstopped,Unstopped
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} विक्री चलन विरुद्ध {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3736,13 +3763,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,शेअर मूल्य फरक
apps/erpnext/erpnext/config/learn.py +234,Human Resource,मानव संसाधन
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,भरणा सलोखा भरणा
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,कर मालमत्ता
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,कर मालमत्ता
DocType: BOM Item,BOM No,BOM नाही
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,जर्नल प्रवेश {0} इतर व्हाउचर विरुद्ध {1} किंवा आधीच जुळणारे खाते नाही
DocType: Item,Moving Average,हलवित/Moving सरासरी
DocType: BOM Replace Tool,The BOM which will be replaced,BOM पुनर्स्थित केले जाईल
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,इलेक्ट्रॉनिक उपकरणे
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,इलेक्ट्रॉनिक उपकरणे
DocType: Account,Debit,डेबिट
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,रजा 0.5 च्या पटीत वाटप करणे आवश्यक आहे
DocType: Production Order,Operation Cost,ऑपरेशन खर्च
@@ -3750,7 +3777,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,बाकी रक्कम
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,या विक्री व्यक्ती साठी item गट निहाय लक्ष्य सेट करा .
DocType: Stock Settings,Freeze Stocks Older Than [Days],फ्रीज स्टॉक पेक्षा जुने [दिवस]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,सलग # {0}: मालमत्ता निश्चित मालमत्ता खरेदी / विक्री अनिवार्य आहे
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,सलग # {0}: मालमत्ता निश्चित मालमत्ता खरेदी / विक्री अनिवार्य आहे
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","दोन किंवा अधिक किंमत नियम वरील स्थितीवर आधारित आढळल्यास, अग्रक्रम लागू आहे. डीफॉल्ट मूल्य शून्य (रिक्त) आहे, तर प्राधान्य 0 ते 20 दरम्यान एक नंबर आहे. उच्च संख्येचा अर्थ जर तेथे समान परिस्थितीमधे एकाधिक किंमत नियम असतील तर त्याला प्राधान्य मिळेल"
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,आर्थिक वर्ष: {0} अस्तित्वात नाही
DocType: Currency Exchange,To Currency,चलन
@@ -3759,7 +3786,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},"विक्री आयटम दर {0} पेक्षा कमी आहे, त्याच्या {1}. विक्री दर असावे किमान {2}"
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},"विक्री आयटम दर {0} पेक्षा कमी आहे, त्याच्या {1}. विक्री दर असावे किमान {2}"
DocType: Item,Taxes,कर
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,दिले आणि वितरित नाही
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,दिले आणि वितरित नाही
DocType: Project,Default Cost Center,मुलभूत खर्च केंद्र
DocType: Bank Guarantee,End Date,शेवटची तारीख
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,शेअर व्यवहार
@@ -3784,24 +3811,22 @@
DocType: Employee,Held On,आयोजित रोजी
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,उत्पादन आयटम
,Employee Information,कर्मचारी माहिती
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),दर (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),दर (%)
DocType: Stock Entry Detail,Additional Cost,अतिरिक्त खर्च
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,आर्थिक वर्ष अंतिम तारीख
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","व्हाउचर नाही आधारित फिल्टर करू शकत नाही, व्हाउचर प्रमाणे गटात समाविष्ट केले तर"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,पुरवठादार कोटेशन करा
DocType: Quality Inspection,Incoming,येणार्या
DocType: BOM,Materials Required (Exploded),साहित्य आवश्यक(स्फोट झालेले )
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","स्वत: पेक्षा इतर, आपल्या संस्थेसाठी वापरकर्ते जोडा"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,पोस्टिंग तारीख भविष्यातील तारीख असू शकत नाही
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},रो # {0}: सिरियल क्रमांक {1} हा {2} {3}सोबत जुळत नाही
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,प्रासंगिक रजा
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,प्रासंगिक रजा
DocType: Batch,Batch ID,बॅच आयडी
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},टीप: {0}
,Delivery Note Trends,डिलिव्हरी टीप ट्रेन्ड
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,या आठवड्यातील सारांश
-,In Stock Qty,शेअर प्रमाण मध्ये
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,शेअर प्रमाण मध्ये
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,खाते: {0} केवळ शेअर व्यवहार द्वारे अद्यतनित केले जाऊ शकतात
-DocType: Program Enrollment,Get Courses,अभ्यासक्रम मिळवा
+DocType: Student Group Creation Tool,Get Courses,अभ्यासक्रम मिळवा
DocType: GL Entry,Party,पार्टी
DocType: Sales Order,Delivery Date,डिलिव्हरी तारीख
DocType: Opportunity,Opportunity Date,संधी तारीख
@@ -3809,14 +3834,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,अवतरण आयटम विनंती
DocType: Purchase Order,To Bill,बिल
DocType: Material Request,% Ordered,% आदेश दिले
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","कोर्स आधारित विद्यार्थी गट, कार्यक्रम नावनोंदणी नोंदणी अभ्यासक्रम पासून प्रत्येक विद्यार्थ्यासाठी कोर्स तपासले जाईल."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","स्वल्पविरामाने विभक्त करुन प्रविष्ट करा ईमेल पत्ता, बीजक विशिष्ट दिवशी आपोआप मेल केले जाईल"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Piecework
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Piecework
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,सरासरी. खरेदी दर
DocType: Task,Actual Time (in Hours),(तास) वास्तविक वेळ
DocType: Employee,History In Company,कंपनी मध्ये इतिहास
apps/erpnext/erpnext/config/learn.py +107,Newsletters,वृत्तपत्रे
DocType: Stock Ledger Entry,Stock Ledger Entry,शेअर खतावणीत नोंद
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ग्राहक> ग्राहक गट> प्रदेश
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,त्याच आयटम अनेक वेळा केलेला आहे
DocType: Department,Leave Block List,रजा ब्लॉक यादी
DocType: Sales Invoice,Tax ID,कर आयडी
@@ -3831,30 +3856,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} युनिट {1} {2} हा व्यवहार पूर्ण करण्यासाठी आवश्यक.
DocType: Loan Type,Rate of Interest (%) Yearly,व्याज दर (%) वार्षिक
DocType: SMS Settings,SMS Settings,SMS सेटिंग्ज
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,तात्पुरती खाती
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,ब्लॅक
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,तात्पुरती खाती
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,ब्लॅक
DocType: BOM Explosion Item,BOM Explosion Item,BOM स्फोट आयटम
DocType: Account,Auditor,लेखापरीक्षक
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} आयटम उत्पादन
DocType: Cheque Print Template,Distance from top edge,शीर्ष किनार अंतर
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,दर सूची {0} अक्षम असल्यास किंवा अस्तित्वात नाही
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,दर सूची {0} अक्षम असल्यास किंवा अस्तित्वात नाही
DocType: Purchase Invoice,Return,परत
DocType: Production Order Operation,Production Order Operation,उत्पादन ऑर्डर ऑपरेशन
DocType: Pricing Rule,Disable,अक्षम करा
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,भरण्याची पध्दत देयक आवश्यक आहे
DocType: Project Task,Pending Review,प्रलंबित पुनरावलोकन
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} बॅच नोंदणी केलेली नाही आहे {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","मालमत्ता {0} तो आधीपासूनच आहे म्हणून, रद्द जाऊ शकत नाही {1}"
DocType: Task,Total Expense Claim (via Expense Claim),(खर्च दावा द्वारे) एकूण खर्च दावा
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,ग्राहक आयडी
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,मार्क अनुपिस्थत
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},सलग {0}: BOM # चलन {1} निवडले चलन समान असावी {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},सलग {0}: BOM # चलन {1} निवडले चलन समान असावी {2}
DocType: Journal Entry Account,Exchange Rate,विनिमय दर
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,"विक्री ऑर्डर {0} सबमिट केलेली नाही,"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,"विक्री ऑर्डर {0} सबमिट केलेली नाही,"
DocType: Homepage,Tag Line,टॅग लाइन
DocType: Fee Component,Fee Component,शुल्क घटक
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,वेगवान व्यवस्थापन
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,आयटम जोडा
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},कोठार {0}: पालक खाते {1} कंपनी{2} ला संबंधित नाही
DocType: Cheque Print Template,Regular,नियमित
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,सर्व मूल्यांकन निकष एकूण वजन 100% असणे आवश्यक आहे
DocType: BOM,Last Purchase Rate,गेल्या खरेदी दर
@@ -3863,11 +3887,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,आयटम {0} साठी Stock अस्तित्वात असू शकत नाही कारण त्याला variants आहेत
,Sales Person-wise Transaction Summary,विक्री व्यक्ती-ज्ञानी व्यवहार सारांश
DocType: Training Event,Contact Number,संपर्क क्रमांक
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,कोठार {0} अस्तित्वात नाही
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,कोठार {0} अस्तित्वात नाही
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,ERPNext हबसाठी नोंदणी
DocType: Monthly Distribution,Monthly Distribution Percentages,मासिक वितरण टक्केवारी
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,निवडलेले आयटमला बॅच असू शकत नाही
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","मूल्यांकन दर बाबींचा {0}, जे लेखा नोंदी करणे आवश्यक आहे आढळले नाही {1} {2}. आयटम एक नमुना आयटम म्हणून व्यवहार असेल, तर {1}, {1} बाबींचा टेबल की उल्लेख करा. अन्यथा, लेखाचे रेकॉर्ड आयटम किंवा त्याचा उल्लेख मूल्यांकन दर येणाऱ्या स्टॉक व्यवहार एक तयार करा, आणि नंतर / submiting प्रयत्न नोंद रद्द"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","मूल्यांकन दर बाबींचा {0}, जे लेखा नोंदी करणे आवश्यक आहे आढळले नाही {1} {2}. आयटम एक नमुना आयटम म्हणून व्यवहार असेल, तर {1}, {1} बाबींचा टेबल की उल्लेख करा. अन्यथा, लेखाचे रेकॉर्ड आयटम किंवा त्याचा उल्लेख मूल्यांकन दर येणाऱ्या स्टॉक व्यवहार एक तयार करा, आणि नंतर / submiting प्रयत्न नोंद रद्द"
DocType: Delivery Note,% of materials delivered against this Delivery Note,साहित्याचे % या पोच पावती विरोधात वितरित केले आहे
DocType: Project,Customer Details,ग्राहक तपशील
DocType: Employee,Reports to,अहवाल
@@ -3875,24 +3899,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,स्वीकारणारा नग साठी मापदंड प्रविष्ट करा
DocType: Payment Entry,Paid Amount,पेड रक्कम
DocType: Assessment Plan,Supervisor,पर्यवेक्षक
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,ऑनलाइन
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,ऑनलाइन
,Available Stock for Packing Items,पॅकिंग आयटम उपलब्ध शेअर
DocType: Item Variant,Item Variant,आयटम व्हेरियंट
DocType: Assessment Result Tool,Assessment Result Tool,मूल्यांकन निकाल साधन
DocType: BOM Scrap Item,BOM Scrap Item,BOM स्क्रॅप बाबींचा
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,सबमिट आदेश हटविले जाऊ शकत नाही
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","आधीच डेबिट मध्ये खाते शिल्लक आहे , आपल्याला ' क्रेडिट ' म्हणून ' शिल्लक असणे आवश्यक आहे ' सेट करण्याची परवानगी नाही"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,गुणवत्ता व्यवस्थापन
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,सबमिट आदेश हटविले जाऊ शकत नाही
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","आधीच डेबिट मध्ये खाते शिल्लक आहे , आपल्याला ' क्रेडिट ' म्हणून ' शिल्लक असणे आवश्यक आहे ' सेट करण्याची परवानगी नाही"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,गुणवत्ता व्यवस्थापन
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,{0} आयटम अक्षम केले गेले आहे
DocType: Employee Loan,Repay Fixed Amount per Period,प्रति कालावधी मुदत रक्कम परतफेड
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},आयटम {0} साठी संख्या प्रविष्ट करा
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,क्रेडिट टीप रक्कम
DocType: Employee External Work History,Employee External Work History,कर्मचारी बाह्य कार्य इतिहास
DocType: Tax Rule,Purchase,खरेदी
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,शिल्लक Qty
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,शिल्लक Qty
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,गोल रिक्त असू शकत नाही
DocType: Item Group,Parent Item Group,मुख्य घटक गट
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} साठी {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,खर्च केंद्रे
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,खर्च केंद्रे
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,दर ज्यामध्ये पुरवठादार चलन कंपनी बेस चलनमधे रूपांतरित आहे
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},रो # {0}: ओळ वेळा संघर्ष {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,परवानगी द्या शून्य मूल्यांकन दर
@@ -3900,17 +3925,18 @@
DocType: Training Event Employee,Invited,आमंत्रित केले
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,एकाधिक सक्रिय पगार स्ट्रक्चर दिले तारखा कर्मचारी {0} आढळले
DocType: Opportunity,Next Contact,पुढील संपर्क
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,सेटअप गेटवे खाती.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,सेटअप गेटवे खाती.
DocType: Employee,Employment Type,रोजगार प्रकार
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,स्थिर मालमत्ता
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,स्थिर मालमत्ता
DocType: Payment Entry,Set Exchange Gain / Loss,एक्सचेंज लाभ / सेट कमी होणे
+,GST Purchase Register,जीएसटी खरेदी नोंदणी
,Cash Flow,वित्त प्रवाह
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,अर्ज कालावधी दोन alocation रेकॉर्ड ओलांडून असू शकत नाही
DocType: Item Group,Default Expense Account,मुलभूत खर्च खाते
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,विद्यार्थी ईमेल आयडी
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,विद्यार्थी ईमेल आयडी
DocType: Employee,Notice (days),सूचना (दिवस)
DocType: Tax Rule,Sales Tax Template,विक्री कर साचा
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,अशी यादी तयार करणे जतन करण्यासाठी आयटम निवडा
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,अशी यादी तयार करणे जतन करण्यासाठी आयटम निवडा
DocType: Employee,Encashment Date,एनकॅशमेंट तारीख
DocType: Training Event,Internet,इंटरनेट
DocType: Account,Stock Adjustment,शेअर समायोजन
@@ -3939,7 +3965,7 @@
DocType: Guardian,Guardian Of ,पालकमंत्री
DocType: Grading Scale Interval,Threshold,उंबरठा
DocType: BOM Replace Tool,Current BOM,वर्तमान BOM
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,सिरियल नाही जोडा
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,सिरियल नाही जोडा
apps/erpnext/erpnext/config/support.py +22,Warranty,हमी
DocType: Purchase Invoice,Debit Note Issued,डेबिट टीप जारी
DocType: Production Order,Warehouses,गोदामे
@@ -3948,20 +3974,20 @@
DocType: Workstation,per hour,प्रती तास
apps/erpnext/erpnext/config/buying.py +7,Purchasing,खरेदी
DocType: Announcement,Announcement,घोषणा
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,खाते कोठार ( शा्वत यादी ) ह्या खाते अंतर्गत निर्माण केले जाईल.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,स्टॉक खतावणीत नोंद या कोठार विद्यमान म्हणून कोठार हटविला जाऊ शकत नाही.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","बॅच आधारित विद्यार्थी गट, कार्यक्रम नावनोंदणी पासून प्रत्येक विद्यार्थ्यासाठी विद्यार्थी बॅच तपासले जाईल."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,स्टॉक खतावणीत नोंद या कोठार विद्यमान म्हणून कोठार हटविला जाऊ शकत नाही.
DocType: Company,Distribution,वितरण
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,अदा केलेली रक्कम
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,प्रकल्प व्यवस्थापक
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,प्रकल्प व्यवस्थापक
,Quoted Item Comparison,उद्धृत बाबींचा तुलना
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,पाठवणे
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,आयटम: {0} साठी कमाल {1} % सवलतिची परवानगी आहे
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,पाठवणे
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,आयटम: {0} साठी कमाल {1} % सवलतिची परवानगी आहे
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,म्हणून नेट असेट व्हॅल्यू
DocType: Account,Receivable,प्राप्त
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,रो # {0}: पर्चेस आधिपासूनच अस्तित्वात आहे म्हणून पुरवठादार बदलण्याची परवानगी नाही
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,रो # {0}: पर्चेस आधिपासूनच अस्तित्वात आहे म्हणून पुरवठादार बदलण्याची परवानगी नाही
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,भूमिका ज्याला सेट क्रेडिट मर्यादा ओलांडत व्यवहार सादर करण्याची परवानगी आहे .
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,उत्पादन करण्यासाठी आयटम निवडा
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","मास्टर डेटा समक्रमित करणे, तो काही वेळ लागू शकतो"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,उत्पादन करण्यासाठी आयटम निवडा
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","मास्टर डेटा समक्रमित करणे, तो काही वेळ लागू शकतो"
DocType: Item,Material Issue,साहित्य अंक
DocType: Hub Settings,Seller Description,विक्रेता वर्णन
DocType: Employee Education,Qualification,पात्रता
@@ -3981,7 +4007,6 @@
DocType: BOM,Rate Of Materials Based On,दर साहित्य आधारित रोजी
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,समर्थन Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,सर्व अनचेक करा
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},कंपनी वख्रार मध्ये गहाळ आहे {0}
DocType: POS Profile,Terms and Conditions,अटी आणि शर्ती
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},तारीखे पर्यंत आर्थिक वर्षाच्या आत असावे. तारीख पर्यंत= {0}गृहीत धरून
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","येथे आपण इ उंची, वजन, अॅलर्जी, वैद्यकीय चिंता राखण्यास मदत करू शकता"
@@ -3996,19 +4021,18 @@
DocType: Sales Order Item,For Production,उत्पादन
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,कार्य पहा
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,आपले आर्थिक वर्ष सुरू
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,डॉ / लीड%
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,डॉ / लीड%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,मालमत्ता Depreciations आणि शिल्लक
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},रक्कम {0} {1} हस्तांतरित {2} करण्यासाठी {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},रक्कम {0} {1} हस्तांतरित {2} करण्यासाठी {3}
DocType: Sales Invoice,Get Advances Received,सुधारण प्राप्त करा
DocType: Email Digest,Add/Remove Recipients,प्राप्तकर्ते जोडा / काढा
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},व्यवहार बंद उत्पादन विरुद्ध परवानगी नाही ऑर्डर {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},व्यवहार बंद उत्पादन विरुद्ध परवानगी नाही ऑर्डर {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","डीफॉल्ट म्हणून या आर्थिक वर्षात सेट करण्यासाठी, 'डीफॉल्ट म्हणून सेट करा' वर क्लिक करा"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,सामील व्हा
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,सामील व्हा
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,कमतरता Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,आयटम variant {0} ज्याच्यामध्ये समान गुणधर्म अस्तित्वात आहेत
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,आयटम variant {0} ज्याच्यामध्ये समान गुणधर्म अस्तित्वात आहेत
DocType: Employee Loan,Repay from Salary,पगार पासून परत फेड करा
DocType: Leave Application,LAP/,LAP /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},विरुद्ध पैसे विनंती {0} {1} रक्कम {2}
@@ -4019,34 +4043,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","संकुल वितरित करण्यासाठी पॅकिंग स्लिप निर्माण करा. पॅकेज संख्या, संकुल सामुग्री आणि त्याचे वजन सूचित करण्यासाठी वापरले जाते."
DocType: Sales Invoice Item,Sales Order Item,विक्री ऑर्डर आयटम
DocType: Salary Slip,Payment Days,भरणा दिवस
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,मुलाला नोडस् सह गोदामे लेजर रूपांतरीत केले जाऊ शकत नाही
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,मुलाला नोडस् सह गोदामे लेजर रूपांतरीत केले जाऊ शकत नाही
DocType: BOM,Manage cost of operations,ऑपरेशन खर्च व्यवस्थापित करा
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","जेव्हा तपासले व्यवहार कोणत्याही ""सबमिट"" जातात तेव्हा, एक ईमेल पॉप-अप आपोआप संलग्नक म्हणून व्यवहार, की व्यवहार संबंधित ""संपर्क"" एक ईमेल पाठवू उघडले. वापरकर्ता ई-मेल पाठवतो किंवा पाठवू शकत नाही."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,ग्लोबल सेटिंग्ज
DocType: Assessment Result Detail,Assessment Result Detail,मूल्यांकन निकाल तपशील
DocType: Employee Education,Employee Education,कर्मचारी शिक्षण
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,आयटम गट टेबल मध्ये आढळले डुप्लिकेट आयटम गट
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,हा आयटम तपशील प्राप्त करण्यासाठी आवश्यक आहे.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,हा आयटम तपशील प्राप्त करण्यासाठी आवश्यक आहे.
DocType: Salary Slip,Net Pay,नेट पे
DocType: Account,Account,खाते
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,सिरियल क्रमांक {0} आधीच प्राप्त झाला आहे
,Requested Items To Be Transferred,विनंती आयटम हस्तांतरित करणे
DocType: Expense Claim,Vehicle Log,वाहन लॉग
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","वखार {0} कोणत्याही खात्यावर दुवा साधला गेला नाही, संबंधित (मालमत्ता) खाते / निर्देशित पानाशी जोडले आहेत कोठार तयार करा."
DocType: Purchase Invoice,Recurring Id,आवर्ती आयडी
DocType: Customer,Sales Team Details,विक्री कार्यसंघ तपशील
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,कायमचे हटवा?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,कायमचे हटवा?
DocType: Expense Claim,Total Claimed Amount,एकूण हक्क सांगितला रक्कम
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,विक्री संभाव्य संधी.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},अवैध {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,आजारी रजा
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},अवैध {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,आजारी रजा
DocType: Email Digest,Email Digest,ईमेल डायजेस्ट
DocType: Delivery Note,Billing Address Name,बिलिंग पत्ता नाव
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,विभाग स्टोअर्स
DocType: Warehouse,PIN,पिन
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,ERPNext आपल्या शाळा सेटअप
DocType: Sales Invoice,Base Change Amount (Company Currency),बेस बदला रक्कम (कंपनी चलन)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,खालील गोदामांची लेखा नोंदी नाहीत
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,खालील गोदामांची लेखा नोंदी नाहीत
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,पहिला दस्तऐवज जतन करा.
DocType: Account,Chargeable,आकारण्यास
DocType: Company,Change Abbreviation,बदला Abbreviation
@@ -4064,7 +4087,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,अपेक्षित वितरण तारीख पर्चेस तारखेच्या आधी असू शकत नाही
DocType: Appraisal,Appraisal Template,मूल्यांकन साचा
DocType: Item Group,Item Classification,आयटम वर्गीकरण
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,व्यवसाय विकास व्यवस्थापक
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,व्यवसाय विकास व्यवस्थापक
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,देखभाल भेट द्या उद्देश
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,कालावधी
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,सामान्य खातेवही
@@ -4074,8 +4097,8 @@
DocType: Item Attribute Value,Attribute Value,मूल्य विशेषता
,Itemwise Recommended Reorder Level,Itemwise पुनर्क्रमित स्तर शिफारस
DocType: Salary Detail,Salary Detail,पगार तपशील
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,कृपया प्रथम {0} निवडा
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,आयटम बॅच {0} {1} कालबाह्य झाले आहे.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,कृपया प्रथम {0} निवडा
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,आयटम बॅच {0} {1} कालबाह्य झाले आहे.
DocType: Sales Invoice,Commission,आयोग
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,उत्पादन वेळ पत्रक.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,एकूण
@@ -4086,6 +4109,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`फ्रीज स्टॉक जुने Than`% d दिवस कमी असणे आवश्यक आहे.
DocType: Tax Rule,Purchase Tax Template,कर साचा खरेदी
,Project wise Stock Tracking,प्रकल्प शहाणा शेअर ट्रॅकिंग
+DocType: GST HSN Code,Regional,प्रादेशिक
DocType: Stock Entry Detail,Actual Qty (at source/target),प्रत्यक्ष प्रमाण (स्त्रोत / लक्ष्य येथे)
DocType: Item Customer Detail,Ref Code,संदर्भ कोड
apps/erpnext/erpnext/config/hr.py +12,Employee records.,कर्मचारी रेकॉर्ड.
@@ -4096,13 +4120,13 @@
DocType: Email Digest,New Purchase Orders,नवीन खरेदी ऑर्डर
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,रूट एक पालक खर्च केंद्र असू शकत नाही
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,ब्रँड निवडा
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,आगामी कार्यक्रम / परिणाम प्रशिक्षण
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,म्हणून घसारा जमा
DocType: Sales Invoice,C-Form Applicable,सी-फॉर्म लागू
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},ऑपरेशन वेळ ऑपरेशन {0} साठी 0 पेक्षा जास्त असणे आवश्यक आहे
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,वखार अनिवार्य आहे
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,वखार अनिवार्य आहे
DocType: Supplier,Address and Contacts,पत्ता आणि संपर्क
DocType: UOM Conversion Detail,UOM Conversion Detail,UOM रुपांतर तपशील
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),ते 100px करून (h) वेब अनुकूल 900px (w ) ठेवा
DocType: Program,Program Abbreviation,कार्यक्रम संक्षेप
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,उत्पादन ऑर्डर एक आयटम साचा निषेध जाऊ शकत नाही
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,शुल्क प्रत्येक आयटम विरुद्ध खरेदी पावती मध्ये अद्यतनित केले जातात
@@ -4110,13 +4134,13 @@
DocType: Bank Guarantee,Start Date,प्रारंभ तारीख
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,एक काळ साठी पाने वाटप करा.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,चेक आणि ठेवी चुकीचे साफ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,खाते {0}: आपण पालक खाते म्हणून स्वत: नियुक्त करू शकत नाही
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,खाते {0}: आपण पालक खाते म्हणून स्वत: नियुक्त करू शकत नाही
DocType: Purchase Invoice Item,Price List Rate,किंमत सूची दर
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,ग्राहक कोट तयार करा
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","""स्टॉक मध्ये"" किंवा या कोठारमधे उपलब्ध स्टॉक आधारित "" स्टॉक मध्ये नाही"" दर्शवा."
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),साहित्य बिल (DEL)
DocType: Item,Average time taken by the supplier to deliver,पुरवठादार घेतलेल्या सरासरी वेळ वितरीत करण्यासाठी
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,मूल्यांकन निकाल
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,मूल्यांकन निकाल
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,तास
DocType: Project,Expected Start Date,अपेक्षित प्रारंभ तारीख
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,शुल्क जर आयटमला लागू होत नाही तर आयटम काढा
@@ -4130,25 +4154,24 @@
DocType: Workstation,Operating Costs,खर्च
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,क्रिया जमा मासिक अंदाजपत्रक ओलांडला तर
DocType: Purchase Invoice,Submit on creation,निर्माण केल्यावर सबमिट
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},चलन {0} असणे आवश्यक आहे {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},चलन {0} असणे आवश्यक आहे {1}
DocType: Asset,Disposal Date,विल्हेवाट दिनांक
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",ई-मेल ते सुट्टी नसेल तर दिले क्षणी कंपनी सर्व सक्रिय कर्मचारी पाठवला जाईल. प्रतिसादांचा सारांश मध्यरात्री पाठवला जाईल.
DocType: Employee Leave Approver,Employee Leave Approver,कर्मचारी रजा मंजुरी
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},रो {0}: कोठार {1} साठी एक पुन्हा क्रमवारी लावा नोंद आधीच अस्तित्वात आहे
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},रो {0}: कोठार {1} साठी एक पुन्हा क्रमवारी लावा नोंद आधीच अस्तित्वात आहे
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","कोटेशन केले आहे कारण, म्हणून गमवलेले जाहीर करू शकत नाही."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,प्रशिक्षण अभिप्राय
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,उत्पादन ऑर्डर {0} सादर करणे आवश्यक आहे
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,उत्पादन ऑर्डर {0} सादर करणे आवश्यक आहे
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},कृपया आयटम {0} साठी प्रारंभ तारीख आणि अंतिम तारीख निवडा
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},अर्थात सलग आवश्यक आहे {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,तारीखे पर्यंत तारखेपासूनच्या आधी असू शकत नाही
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,/ संपादित करा किंमती जोडा
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,/ संपादित करा किंमती जोडा
DocType: Batch,Parent Batch,पालक बॅच
DocType: Batch,Parent Batch,पालक बॅच
DocType: Cheque Print Template,Cheque Print Template,धनादेश प्रिंट साचा
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,कॉस्ट केंद्रे चार्ट
,Requested Items To Be Ordered,विनंती आयटमची मागणी करणे
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,वखार कंपनी खाते कंपनी म्हणून समान असणे आवश्यक आहे
DocType: Price List,Price List Name,किंमत सूची नाव
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},दैनिक कार्य सारांश {0}
DocType: Employee Loan,Totals,एकूण
@@ -4170,55 +4193,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,वैध मोबाईल क्र प्रविष्ट करा
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,पाठविण्यापूर्वी कृपया संदेश प्रविष्ट करा
DocType: Email Digest,Pending Quotations,प्रलंबित अवतरणे
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,पॉइंट-ऑफ-सेल प्रोफाइल
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,पॉइंट-ऑफ-सेल प्रोफाइल
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,SMS सेटिंग्ज अद्यतनित करा
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,बिनव्याजी कर्ज
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,बिनव्याजी कर्ज
DocType: Cost Center,Cost Center Name,खर्च केंद्र नाव
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,कमाल Timesheet विरुद्ध तास काम
DocType: Maintenance Schedule Detail,Scheduled Date,अनुसूचित तारीख
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,एकूण सशुल्क रक्कम
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,एकूण सशुल्क रक्कम
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 वर्ण या पेक्षा मोठे संदेश एकाधिक संदेशा मधे विभागले जातील
DocType: Purchase Receipt Item,Received and Accepted,प्राप्त झालेले आहे आणि स्वीकारले आहे
+,GST Itemised Sales Register,'जीएसटी' क्रमवारी मांडणे विक्री नोंदणी
,Serial No Service Contract Expiry,सिरियल क्रमांक सेवा करार कालावधी समाप्ती
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,आपण जमा आणि एकाच वेळी एकच खाते डेबिट करू शकत नाही
DocType: Naming Series,Help HTML,मदत HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,विद्यार्थी गट तयार साधन
DocType: Item,Variant Based On,चल आधारित
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},एकूण नियुक्त वजन 100% असावे. हे {0} आहे
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,आपले पुरवठादार
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,आपले पुरवठादार
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,विक्री आदेश केली आहे म्हणून गमावले म्हणून सेट करू शकत नाही.
DocType: Request for Quotation Item,Supplier Part No,पुरवठादार भाग नाही
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',गटात मूल्यांकन 'किंवा' Vaulation आणि एकूण 'करिता वजा करू शकत नाही
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,पासून प्राप्त
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,पासून प्राप्त
DocType: Lead,Converted,रूपांतरित
DocType: Item,Has Serial No,सिरियल क्रमांक आहे
DocType: Employee,Date of Issue,समस्येच्या तारीख
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: {0} पासून {1} साठी
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","प्रति खरेदी सेटिंग्ज Reciept खरेदी आवश्यक == 'होय', नंतर चलन खरेदी तयार करण्यासाठी, वापरकर्ता आयटम प्रथम खरेदी पावती तयार करण्याची आवश्यकता असल्यास {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},रो # {0}: पुरवठादार {1} साठी आयटम सेट करा
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,सलग {0}: तास मूल्य शून्य पेक्षा जास्त असणे आवश्यक आहे.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,आयटम {1} ला संलग्न वेबसाइट प्रतिमा {0} सापडू शकत नाही
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,आयटम {1} ला संलग्न वेबसाइट प्रतिमा {0} सापडू शकत नाही
DocType: Issue,Content Type,सामग्री प्रकार
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,संगणक
DocType: Item,List this Item in multiple groups on the website.,वेबसाइट वर अनेक गट मधे हे आयटम सूचीबद्ध .
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,इतर चलनबरोबरचे account परवानगी देण्यासाठी कृपया मल्टी चलन पर्याय तपासा
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,आयटम: {0} प्रणालीत अस्तित्वात नाही
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,आपल्याला गोठविलेले मूल्य सेट करण्यासाठी अधिकृत नाही
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,आयटम: {0} प्रणालीत अस्तित्वात नाही
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,आपल्याला गोठविलेले मूल्य सेट करण्यासाठी अधिकृत नाही
DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled नोंदी मिळवा
DocType: Payment Reconciliation,From Invoice Date,चलन तारखेपासून
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,बिलिंग चलन एकतर मुलभूत comapany चलनात किंवा पक्ष खाते चलन समान असणे आवश्यक आहे
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,एनकॅशमेंट द्या
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,ती काय करते?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,बिलिंग चलन एकतर मुलभूत comapany चलनात किंवा पक्ष खाते चलन समान असणे आवश्यक आहे
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,एनकॅशमेंट द्या
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,ती काय करते?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,गुदाम
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,सर्व विद्यार्थी प्रवेश
,Average Commission Rate,सरासरी आयोग दर
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,'नॉन-स्टॉक आयटम 'साठी अनुक्रमांक 'होय' असू शकत नाही.
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'नॉन-स्टॉक आयटम 'साठी अनुक्रमांक 'होय' असू शकत नाही.
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,उपस्थिती भविष्यात तारखा चिन्हांकित केला जाऊ शकत नाही
DocType: Pricing Rule,Pricing Rule Help,किंमत नियम मदत
DocType: School House,House Name,घर नाव
DocType: Purchase Taxes and Charges,Account Head,खाते प्रमुख
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,आयटम अतिरिक्त खर्चाची सुधारणा करण्यासाठी अतिरिक्त खर्च अद्यतनित करा
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,इलेक्ट्रिकल
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,इलेक्ट्रिकल
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,आपल्या वापरकर्त्यांना आपल्या संस्थेसाठी उर्वरित जोडा. आपण संपर्क जोडून त्यांना आपले पोर्टल ग्राहकांना आमंत्रित करा जोडू शकता
DocType: Stock Entry,Total Value Difference (Out - In),एकूण मूल्य फरक (आउट - मध्ये)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,रो {0}: विनिमय दर अनिवार्य आहे
@@ -4228,7 +4253,7 @@
DocType: Item,Customer Code,ग्राहक कोड
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},साठी जन्मदिवस अनुस्मरण {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,गेल्या ऑर्डर असल्याने दिवस
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,खाते करण्यासाठी डेबिट एक ताळेबंद खाते असणे आवश्यक आहे
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,खाते करण्यासाठी डेबिट एक ताळेबंद खाते असणे आवश्यक आहे
DocType: Buying Settings,Naming Series,नामांकन मालिका
DocType: Leave Block List,Leave Block List Name,रजा ब्लॉक यादी नाव
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,विमा प्रारंभ तारखेच्या विमा समाप्ती तारीख कमी असावे
@@ -4243,27 +4268,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},{0} वेळ पत्रक आधीपासूनच तयार कर्मचा पगाराच्या स्लिप्स {1}
DocType: Vehicle Log,Odometer,ओडोमीटर
DocType: Sales Order Item,Ordered Qty,आदेश दिलेली Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,आयटम {0} अक्षम आहे
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,आयटम {0} अक्षम आहे
DocType: Stock Settings,Stock Frozen Upto,शेअर फ्रोजन पर्यंत
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM कोणत्याही शेअर आयटम असणे नाही
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM कोणत्याही शेअर आयटम असणे नाही
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},कालावधी पासून आणि कालावधी पर्यंत तारखा कालावधी आवर्ती {0} साठी बंधनकारक
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,प्रकल्प क्रियाकलाप / कार्य.
DocType: Vehicle Log,Refuelling Details,Refuelling तपशील
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,पगार Slips तयार करा
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","पाञ म्हणून निवडले आहे, तर खरेदी, चेक करणे आवश्यक आहे {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","पाञ म्हणून निवडले आहे, तर खरेदी, चेक करणे आवश्यक आहे {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,सवलत 100 पेक्षा कमी असणे आवश्यक आहे
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,गेल्या खरेदी दर आढळले नाही
DocType: Purchase Invoice,Write Off Amount (Company Currency),Write Off रक्कम (कंपनी चलन)
DocType: Sales Invoice Timesheet,Billing Hours,बिलिंग तास
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,साठी {0} आढळले नाही मुलभूत BOM
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,रो # {0}: पुनर्क्रमित प्रमाणात सेट करा
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,रो # {0}: पुनर्क्रमित प्रमाणात सेट करा
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,त्यांना येथे जोडण्यासाठी आयटम टॅप करा
DocType: Fees,Program Enrollment,कार्यक्रम नावनोंदणी
DocType: Landed Cost Voucher,Landed Cost Voucher,स्थावर खर्च व्हाउचर
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},{0} सेट करा
DocType: Purchase Invoice,Repeat on Day of Month,महिन्याच्या दिवशी पुन्हा करा
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} निष्क्रिय विद्यार्थी आहे
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} निष्क्रिय विद्यार्थी आहे
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} निष्क्रिय विद्यार्थी आहे
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} निष्क्रिय विद्यार्थी आहे
DocType: Employee,Health Details,आरोग्य तपशील
DocType: Offer Letter,Offer Letter Terms,पत्र अटी ऑफर
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,एक भरणा विनंती संदर्भ दस्तऐवज आवश्यक आहे तयार करण्यासाठी
@@ -4285,7 +4310,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","उदाहरण: . एबीसीडी ##### मालिका सेट केले जाते आणि सिरियल कोणतेही व्यवहार उल्लेख , तर स्वयंचलित सिरीयल क्रमांक या मालिकेवर आधारित तयार होईल. आपण नेहमी स्पष्टपणे या आयटम साठी सिरिअल क्रमांक उल्लेख करू इच्छित असल्यास हे रिक्त सोडा."
DocType: Upload Attendance,Upload Attendance,हजेरी अपलोड करा
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM व उत्पादन प्रमाण आवश्यक आहे
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM व उत्पादन प्रमाण आवश्यक आहे
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Ageing श्रेणी 2
DocType: SG Creation Tool Course,Max Strength,कमाल शक्ती
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM बदलले
@@ -4295,8 +4320,8 @@
,Prospects Engaged But Not Converted,प्रॉस्पेक्ट व्यस्त पण रूपांतरित नाही
DocType: Manufacturing Settings,Manufacturing Settings,उत्पादन सेटिंग्ज
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,ईमेल सेट अप
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 मोबाइल नं
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,कंपनी मास्टर मध्ये डीफॉल्ट चलन प्रविष्ट करा
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 मोबाइल नं
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,कंपनी मास्टर मध्ये डीफॉल्ट चलन प्रविष्ट करा
DocType: Stock Entry Detail,Stock Entry Detail,शेअर प्रवेश तपशील
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,दैनिक स्मरणपत्रे
DocType: Products Settings,Home Page is Products,मुख्यपृष्ठ उत्पादने आहे
@@ -4305,7 +4330,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,नवीन खाते नाव
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,कच्चा माल प्रदान खर्च
DocType: Selling Settings,Settings for Selling Module,विभाग विक्री साठी सेटिंग्ज
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,ग्राहक सेवा
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,ग्राहक सेवा
DocType: BOM,Thumbnail,लघुप्रतिमा
DocType: Item Customer Detail,Item Customer Detail,आयटम ग्राहक तपशील
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,ऑफर उमेदवार जॉब.
@@ -4314,7 +4339,7 @@
DocType: Pricing Rule,Percentage,टक्केवारी
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,आयटम {0} एक स्टॉक आयटम असणे आवश्यक आहे
DocType: Manufacturing Settings,Default Work In Progress Warehouse,प्रगती वखार मध्ये डीफॉल्ट कार्य
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,लेखा व्यवहारासाठी मुलभूत सेटिंग्ज.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,लेखा व्यवहारासाठी मुलभूत सेटिंग्ज.
DocType: Maintenance Visit,MV,मार्क
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,अपेक्षित तारीख साहित्य विनंती तारखेच्या आधी असू शकत नाही
DocType: Purchase Invoice Item,Stock Qty,शेअर प्रमाण
@@ -4328,10 +4353,10 @@
DocType: Sales Order,Printing Details,मुद्रण तपशील
DocType: Task,Closing Date,अखेरची दिनांक
DocType: Sales Order Item,Produced Quantity,निर्मिती प्रमाण
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,अभियंता
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,अभियंता
DocType: Journal Entry,Total Amount Currency,एकूण रक्कम चलन
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,शोध उप विधानसभा
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},आयटम कोड रो क्रमांक {0} साठी आवश्यक आहे
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},आयटम कोड रो क्रमांक {0} साठी आवश्यक आहे
DocType: Sales Partner,Partner Type,भागीदार प्रकार
DocType: Purchase Taxes and Charges,Actual,वास्तविक
DocType: Authorization Rule,Customerwise Discount,Customerwise सवलत
@@ -4348,11 +4373,11 @@
DocType: Item Reorder,Re-Order Level,पुन्हा-क्रम स्तर
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,आपण उत्पादन आदेश वाढवण्याची किंवा विश्लेषण कच्चा माल डाउनलोड करू इच्छित असलेल्या आयटम आणि नियोजित प्रमाण प्रविष्ट करा.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt चार्ट
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,भाग-वेळ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,भाग-वेळ
DocType: Employee,Applicable Holiday List,लागू सुट्टी यादी
DocType: Employee,Cheque,धनादेश
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,मालिका अद्यतनित
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,अहवाल प्रकार अनिवार्य आहे
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,अहवाल प्रकार अनिवार्य आहे
DocType: Item,Serial Number Series,अनुक्रमांक मालिका
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},कोठार सलग शेअर आयटम {0} अनिवार्य आहे {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,रिटेल अॅण्ड घाऊक
@@ -4374,7 +4399,7 @@
DocType: BOM,Materials,साहित्य
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","तपासले नाही, तर यादी तो लागू करण्यात आली आहे, जेथे प्रत्येक विभाग जोडले आहे."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,स्रोत आणि लक्ष्य वखार समान असू शकत नाही
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,पोस्ट करण्याची तारीख आणि पोस्ट करण्याची वेळ आवश्यक आहे
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,पोस्ट करण्याची तारीख आणि पोस्ट करण्याची वेळ आवश्यक आहे
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,व्यवहार खरेदी कर टेम्प्लेट.
,Item Prices,आयटम किंमती
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,तुम्ही पर्चेस एकदा जतन केल्यावर शब्दा मध्ये दृश्यमान होईल.
@@ -4384,22 +4409,23 @@
DocType: Purchase Invoice,Advance Payments,आगाऊ पेमेंट
DocType: Purchase Taxes and Charges,On Net Total,निव्वळ एकूण वर
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},{0} विशेषता मूल्य श्रेणी असणे आवश्यक आहे {1} करण्यासाठी {2} वाढ मध्ये {3} आयटम {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,सलग {0} मधील लक्ष्य कोठार उत्पादन आदेश सारखाच असणे आवश्यक आहे
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,सलग {0} मधील लक्ष्य कोठार उत्पादन आदेश सारखाच असणे आवश्यक आहे
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,% S च्या आवर्ती निर्देशीत नाही 'सूचना ईमेल पत्ते'
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,काही इतर चलन वापरून नोंदी बनवून नंतर चलन बदलले जाऊ शकत नाही
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,काही इतर चलन वापरून नोंदी बनवून नंतर चलन बदलले जाऊ शकत नाही
DocType: Vehicle Service,Clutch Plate,घट्ट पकड प्लेट
DocType: Company,Round Off Account,खाते बंद फेरीत
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,प्रशासकीय खर्च
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,प्रशासकीय खर्च
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,सल्ला
DocType: Customer Group,Parent Customer Group,पालक ग्राहक गट
DocType: Purchase Invoice,Contact Email,संपर्क ईमेल
DocType: Appraisal Goal,Score Earned,स्कोअर कमाई
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,सूचना कालावधी
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,सूचना कालावधी
DocType: Asset Category,Asset Category Name,मालमत्ता वर्गवारी नाव
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,या मूळ प्रदेश आहे आणि संपादित केला जाऊ शकत नाही.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,नवीन विक्री व्यक्ती नाव
DocType: Packing Slip,Gross Weight UOM,एकूण वजन UOM
DocType: Delivery Note Item,Against Sales Invoice,विक्री चलन विरुद्ध
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,सिरिअल क्रमांक सिरीयलाइज आयटम प्रविष्ट करा
DocType: Bin,Reserved Qty for Production,उत्पादन प्रमाण राखीव
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,आपण अर्थातच आधारित गटांमध्ये करताना बॅच विचार करू इच्छित नाही तर अनचेक.
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,आपण अर्थातच आधारित गटांमध्ये करताना बॅच विचार करू इच्छित नाही तर अनचेक.
@@ -4408,25 +4434,25 @@
DocType: Landed Cost Item,Landed Cost Item,स्थावर खर्च आयटम
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,शून्य मूल्ये दर्शवा
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,आयटम प्रमाण कच्चा माल दिलेल्या प्रमाणात repacking / उत्पादन नंतर प्राप्त
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,सेटअप माझ्या संस्थेसाठी एक साधी वेबसाइट
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,सेटअप माझ्या संस्थेसाठी एक साधी वेबसाइट
DocType: Payment Reconciliation,Receivable / Payable Account,प्राप्त / देय खाते
DocType: Delivery Note Item,Against Sales Order Item,विक्री ऑर्डर आयटम विरुद्ध
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},कृपया विशेषता{0} साठी विशेषतेसाठी मूल्य निर्दिष्ट करा
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},कृपया विशेषता{0} साठी विशेषतेसाठी मूल्य निर्दिष्ट करा
DocType: Item,Default Warehouse,मुलभूत कोठार
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},अर्थसंकल्प गट खाते विरुद्ध नियुक्त केला जाऊ शकत नाही {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,पालक खर्च केंद्र प्रविष्ट करा
DocType: Delivery Note,Print Without Amount,रक्कम न करता छापा
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,घसारा दिनांक
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,सर्व आयटम नॉन-स्टॉक आयटम आहेत म्हणून कर वर्ग 'मूल्यांकन' किंवा 'मूल्यांकन आणि एकूण' असू शकत नाही
DocType: Issue,Support Team,समर्थन कार्यसंघ
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),कालावधी समाप्ती (दिवसात)
DocType: Appraisal,Total Score (Out of 5),(5 पैकी) एकूण धावसंख्या
DocType: Fee Structure,FS.,एफएस.
-DocType: Program Enrollment,Batch,बॅच
+DocType: Student Attendance Tool,Batch,बॅच
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,शिल्लक
DocType: Room,Seating Capacity,आसन क्षमता
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),एकूण खर्च हक्क (खर्चाचे दावे द्वारे)
+DocType: GST Settings,GST Summary,'जीएसटी' सारांश
DocType: Assessment Result,Total Score,एकूण धावसंख्या
DocType: Journal Entry,Debit Note,डेबिट टीप
DocType: Stock Entry,As per Stock UOM,शेअर UOM नुसार
@@ -4438,12 +4464,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,मुलभूत पूर्ण वस्तू वखार
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,विक्री व्यक्ती
DocType: SMS Parameter,SMS Parameter,एसएमएस मापदंड
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,बजेट आणि खर्च केंद्र
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,बजेट आणि खर्च केंद्र
DocType: Vehicle Service,Half Yearly,सहामाही
DocType: Lead,Blog Subscriber,ब्लॉग ग्राहक
DocType: Guardian,Alternate Number,वैकल्पिक क्रमांक
DocType: Assessment Plan Criteria,Maximum Score,जास्तीत जास्त धावसंख्या
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,मूल्ये आधारित व्यवहार प्रतिबंधित नियम तयार करा.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,गट कळलं नाही
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,आपण दर वर्षी विद्यार्थ्यांचे गट तर रिक्त सोडा
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,आपण दर वर्षी विद्यार्थ्यांचे गट तर रिक्त सोडा
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","चेक केलेले असल्यास, एकूण कार्यरत दिवसंमध्ये सुट्ट्यांचा समावेश असेल, आणि यामुळे पगार प्रति दिवस मूल्य कमी होईल."
@@ -4463,6 +4490,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,हे या ग्राहक विरुद्ध व्यवहार आधारित आहे. तपशीलासाठी खालील टाइमलाइन पाहू
DocType: Supplier,Credit Days Based On,क्रेडिट दिवस आधारित
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},सलग {0}: रक्कम {1} पेक्षा कमी असेल किंवा भरणा प्रवेश रक्कम बरोबरी करणे आवश्यक आहे {2}
+,Course wise Assessment Report,कोर्स शहाणा मूल्यांकन अहवाल
DocType: Tax Rule,Tax Rule,कर नियम
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,विक्री सायकल मधे संपूर्ण समान दर ठेवणे
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,वर्कस्टेशन कार्य तासांनंतर वेळ नोंदी योजना.
@@ -4471,7 +4499,7 @@
,Items To Be Requested,आयटम विनंती करण्यासाठी
DocType: Purchase Order,Get Last Purchase Rate,गेल्या खरेदी दर मिळवा
DocType: Company,Company Info,कंपनी माहिती
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,निवडा किंवा नवीन ग्राहक जोडणे
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,निवडा किंवा नवीन ग्राहक जोडणे
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,खर्च केंद्र खर्च दावा बुक करणे आवश्यक आहे
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),निधी मालमत्ता (assets) अर्ज
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,हे या कर्मचा उपस्थिती आधारित आहे
@@ -4479,27 +4507,29 @@
DocType: Fiscal Year,Year Start Date,वर्ष प्रारंभ तारीख
DocType: Attendance,Employee Name,कर्मचारी नाव
DocType: Sales Invoice,Rounded Total (Company Currency),गोळाबेरीज एकूण (कंपनी चलन)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,खाते प्रकार निवडले आहे कारण खाते प्रकार निवडले आहे.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,खाते प्रकार निवडले आहे कारण खाते प्रकार निवडले आहे.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} सुधारणा करण्यात आली आहे. रिफ्रेश करा.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,खालील दिवस रजा अनुप्रयोग बनवण्यासाठी वापरकर्त्यांना थांबवा.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,खरेदी रक्कम
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,पुरवठादार अवतरण {0} तयार
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,समाप्त वर्ष प्रारंभ वर्ष असू शकत नाही
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,कर्मचारी फायदे
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,कर्मचारी फायदे
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},पॅक प्रमाणात सलग आयटम {0} ची संख्या समान असणे आवश्यक आहे {1}
DocType: Production Order,Manufactured Qty,उत्पादित Qty
DocType: Purchase Receipt Item,Accepted Quantity,स्वीकृत प्रमाण
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},एक मुलभूत कर्मचारी सुट्टी यादी सेट करा {0} किंवा कंपनी {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} अस्तित्वात नाही
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} अस्तित्वात नाही
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,बॅच क्रमांक निवडा
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,ग्राहक असण्याचा बिले.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,प्रकल्प आयडी
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},रो नाही {0}: रक्कम खर्च दावा {1} विरुद्ध रक्कम प्रलंबित पेक्षा जास्त असू शकत नाही. प्रलंबित रक्कम {2} आहे
DocType: Maintenance Schedule,Schedule,वेळापत्रक
DocType: Account,Parent Account,पालक खाते
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,उपलब्ध
DocType: Quality Inspection Reading,Reading 3,3 वाचन
,Hub,हब
DocType: GL Entry,Voucher Type,प्रमाणक प्रकार
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,किंमत सूची आढळली किंवा अकार्यान्वीत केलेली नाही
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,किंमत सूची आढळली किंवा अकार्यान्वीत केलेली नाही
DocType: Employee Loan Application,Approved,मंजूर
DocType: Pricing Rule,Price,किंमत
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0} वर मुक्त केलेले कर्मचारी 'Left' म्हणून set करणे आवश्यक आहे
@@ -4510,7 +4540,8 @@
DocType: Selling Settings,Campaign Naming By,करून मोहीम नामांकन
DocType: Employee,Current Address Is,सध्याचा पत्ता आहे
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,सुधारित
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","पर्यायी. निर्देशीत न केल्यास, कंपनीच्या मुलभूत चलन ठरावा ."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","पर्यायी. निर्देशीत न केल्यास, कंपनीच्या मुलभूत चलन ठरावा ."
+DocType: Sales Invoice,Customer GSTIN,ग्राहक GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,लेखा जर्नल नोंदी.
DocType: Delivery Note Item,Available Qty at From Warehouse,वखार पासून वर उपलब्ध Qty
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,कृपया पहिले कर्मचारी नोंद निवडा.
@@ -4518,7 +4549,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},रो {0}: {3} {4} मधील {1} / {2} पक्ष / खात्याशी जुळत नाही
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,खर्चाचे खाते प्रविष्ट करा
DocType: Account,Stock,शेअर
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",सलग # {0}: संदर्भ दस्तऐवज प्रकार ऑर्डर खरेदी एक बीजक किंवा जर्नल प्रवेश खरेदी असणे आवश्यक आहे
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",सलग # {0}: संदर्भ दस्तऐवज प्रकार ऑर्डर खरेदी एक बीजक किंवा जर्नल प्रवेश खरेदी असणे आवश्यक आहे
DocType: Employee,Current Address,सध्याचा पत्ता
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","आयटम आणखी एक नग प्रकार असेल तर वर्णन , प्रतिमा, किंमत, कर आदी टेम्पलेट निश्चित केली जाईल"
DocType: Serial No,Purchase / Manufacture Details,खरेदी / उत्पादन तपशील
@@ -4531,8 +4562,8 @@
DocType: Pricing Rule,Min Qty,किमान Qty
DocType: Asset Movement,Transaction Date,व्यवहार तारीख
DocType: Production Plan Item,Planned Qty,नियोजनबद्ध Qty
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,एकूण कर
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,प्रमाण साठी (Qty उत्पादित) करणे आवश्यक आहे
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,एकूण कर
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,प्रमाण साठी (Qty उत्पादित) करणे आवश्यक आहे
DocType: Stock Entry,Default Target Warehouse,मुलभूत लक्ष्य कोठार
DocType: Purchase Invoice,Net Total (Company Currency),निव्वळ एकूण (कंपनी चलन)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,वर्ष समाप्ती तारीख वर्ष प्रारंभ तारीख पूर्वी पेक्षा असू शकत नाही. तारखा दुरुस्त करा आणि पुन्हा प्रयत्न करा.
@@ -4546,15 +4577,12 @@
DocType: Hub Settings,Hub Settings,हब सेटिंग्ज
DocType: Project,Gross Margin %,एकूण मार्जिन%
DocType: BOM,With Operations,ऑपरेशन
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,लेखा नोंदी आधीच चलन {0} मधे कंपनी {1} साठी केले गेले आहेत. कृपया चलन एक प्राप्त किंवा देय खाते निवडा {0} .
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,लेखा नोंदी आधीच चलन {0} मधे कंपनी {1} साठी केले गेले आहेत. कृपया चलन एक प्राप्त किंवा देय खाते निवडा {0} .
DocType: Asset,Is Existing Asset,मालमत्ता अस्तित्वात आहे
DocType: Salary Detail,Statistical Component,सांख्यिकी घटक
DocType: Salary Detail,Statistical Component,सांख्यिकी घटक
-,Monthly Salary Register,मासिक पगार नोंदणी
DocType: Warranty Claim,If different than customer address,ग्राहक पत्ता पेक्षा भिन्न असेल तर
DocType: BOM Operation,BOM Operation,BOM ऑपरेशन
-DocType: School Settings,Validate the Student Group from Program Enrollment,कार्यक्रम नावनोंदणी पासून विद्यार्थी गट अधिकृत
-DocType: School Settings,Validate the Student Group from Program Enrollment,कार्यक्रम नावनोंदणी पासून विद्यार्थी गट अधिकृत
DocType: Purchase Taxes and Charges,On Previous Row Amount,मागील पंक्ती रकमेवर
DocType: Student,Home Address,घरचा पत्ता
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,हस्तांतरण मालमत्ता
@@ -4562,28 +4590,27 @@
DocType: Training Event,Event Name,कार्यक्रम नाव
apps/erpnext/erpnext/config/schools.py +39,Admission,प्रवेश
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},प्रवेश {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","सेट अर्थसंकल्प, लक्ष्य इ हंगामी"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","आयटम {0} एक टेम्प्लेट आहे, कृपया त्याची एखादी रूपे निवडा"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","सेट अर्थसंकल्प, लक्ष्य इ हंगामी"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","आयटम {0} एक टेम्प्लेट आहे, कृपया त्याची एखादी रूपे निवडा"
DocType: Asset,Asset Category,मालमत्ता वर्ग
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,ग्राहक
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,निव्वळ वेतन नकारात्मक असू शकत नाही
DocType: SMS Settings,Static Parameters,स्थिर बाबी
DocType: Assessment Plan,Room,खोली
DocType: Purchase Order,Advance Paid,आगाऊ अदा
DocType: Item,Item Tax,आयटम कर
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,पुरवठादार साहित्य
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,उत्पादन शुल्क चलन
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,उत्पादन शुल्क चलन
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,थ्रेशोल्ड {0}% एकदा एकापेक्षा जास्त वेळा दिसून
DocType: Expense Claim,Employees Email Id,कर्मचारी ई मेल आयडी
DocType: Employee Attendance Tool,Marked Attendance,चिन्हांकित उपस्थिती
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,वर्तमान दायित्व
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,वर्तमान दायित्व
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,आपले संपर्क वस्तुमान एसएमएस पाठवा
DocType: Program,Program Name,कार्यक्रम नाव
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,कर किंवा शुल्क विचार करा
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,वास्तविक प्रमाण अनिवार्य आहे
DocType: Employee Loan,Loan Type,कर्ज प्रकार
DocType: Scheduling Tool,Scheduling Tool,शेड्युलिंग साधन
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,क्रेडिट कार्ड
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,क्रेडिट कार्ड
DocType: BOM,Item to be manufactured or repacked,आयटम उत्पादित किंवा repacked करणे
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,स्टॉक व्यवहारासाठी मुलभूत सेटिंग्ज.
DocType: Purchase Invoice,Next Date,पुढील तारीख
@@ -4599,10 +4626,10 @@
DocType: Stock Entry,Repack,Repack
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,आपण पुढे जाण्यापूर्वी फॉर्म जतन करणे आवश्यक आहे
DocType: Item Attribute,Numeric Values,अंकीय मूल्यांना
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,लोगो संलग्न
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,लोगो संलग्न
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,शेअर स्तर
DocType: Customer,Commission Rate,आयोगाने दर
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,व्हेरियंट करा
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,व्हेरियंट करा
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,विभागाने ब्लॉक रजा अनुप्रयोग.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer",भरणा प्रकार मिळतील एक द्या आणि अंतर्गत ट्रान्सफर करणे आवश्यक आहे
apps/erpnext/erpnext/config/selling.py +179,Analytics,विश्लेषण
@@ -4610,45 +4637,45 @@
DocType: Vehicle,Model,मॉडेल
DocType: Production Order,Actual Operating Cost,वास्तविक ऑपरेटिंग खर्च
DocType: Payment Entry,Cheque/Reference No,धनादेश / संदर्भ नाही
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,रूट संपादित केले जाऊ शकत नाही.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,रूट संपादित केले जाऊ शकत नाही.
DocType: Item,Units of Measure,माप युनिट
DocType: Manufacturing Settings,Allow Production on Holidays,सुट्टीच्या दिवशी उत्पादन परवानगी द्या
DocType: Sales Order,Customer's Purchase Order Date,ग्राहकाच्या पर्चेस तारीख
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,कॅपिटल शेअर
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,कॅपिटल शेअर
DocType: Shopping Cart Settings,Show Public Attachments,सार्वजनिक संलग्नक दर्शवा
DocType: Packing Slip,Package Weight Details,संकुल वजन तपशील
DocType: Payment Gateway Account,Payment Gateway Account,पेमेंट गेटवे खाते
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,पैसे पूर्ण भरल्यानंतर वापरकर्ता निवडलेल्या पृष्ठला पुनर्निर्देशित झाला पाहिजे
DocType: Company,Existing Company,विद्यमान कंपनी
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",कर वर्ग "एकूण" मध्ये बदलली गेली आहे सर्व आयटम नॉन-स्टॉक आयटम आहेत कारण
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,कृपया एक सी फाइल निवडा
DocType: Student Leave Application,Mark as Present,सध्याची म्हणून चिन्हांकित करा
DocType: Purchase Order,To Receive and Bill,प्राप्त आणि बिल
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,वैशिष्ट्यीकृत उत्पादने
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,डिझायनर
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,डिझायनर
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,अटी आणि शर्ती साचा
DocType: Serial No,Delivery Details,वितरण तपशील
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},खर्च केंद्र सलग {0} त कर टेबल मधे प्रकार {1} आवश्यक आहे
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},खर्च केंद्र सलग {0} त कर टेबल मधे प्रकार {1} आवश्यक आहे
DocType: Program,Program Code,कार्यक्रम कोड
DocType: Terms and Conditions,Terms and Conditions Help,अटी आणि नियम मदत
,Item-wise Purchase Register,आयटमनूसार खरेदी नोंदणी
DocType: Batch,Expiry Date,कालावधी समाप्ती तारीख
-,Supplier Addresses and Contacts,पुरवठादार पत्ते आणि संपर्क
,accounts-browser,खाती ब्राउझर
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,कृपया पहिले वर्ग निवडा
apps/erpnext/erpnext/config/projects.py +13,Project master.,प्रकल्प मास्टर.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.",", प्रती-बिलिंग किंवा क्रमवारी लावणे परवानगी शेअर सेटिंग्ज किंवा Item "भत्ता" अद्यतनित."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.",", प्रती-बिलिंग किंवा क्रमवारी लावणे परवानगी शेअर सेटिंग्ज किंवा Item "भत्ता" अद्यतनित."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,चलने इ $ असे कोणत्याही प्रतीक पुढील दर्शवू नका.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(अर्धा दिवस)
DocType: Supplier,Credit Days,क्रेडिट दिवस
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,विद्यार्थी बॅच करा
DocType: Leave Type,Is Carry Forward,कॅरी फॉरवर्ड आहे
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,BOM चे आयटम मिळवा
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,BOM चे आयटम मिळवा
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,आघाडी वेळ दिवस
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},सलग # {0}: पोस्ट दिनांक खरेदी तारीख एकच असणे आवश्यक आहे {1} मालमत्ता {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},सलग # {0}: पोस्ट दिनांक खरेदी तारीख एकच असणे आवश्यक आहे {1} मालमत्ता {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,वरील टेबलमधे विक्री आदेश प्रविष्ट करा
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,सबमिट नाही पगार स्लिप
,Stock Summary,शेअर सारांश
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,एकमेकांना कोठार एक मालमत्ता हस्तांतरण
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,एकमेकांना कोठार एक मालमत्ता हस्तांतरण
DocType: Vehicle,Petrol,पेट्रोल
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,साहित्य बिल
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},रो {0}: पक्ष प्रकार आणि पक्षाचे प्राप्तीयोग्य / देय खाते {1} साठी आवश्यक आहे
@@ -4659,6 +4686,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,मंजूर रक्कम
DocType: GL Entry,Is Opening,उघडत आहे
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},रो {0}: नावे नोंद {1} सोबत लिंक केले जाऊ शकत नाही
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,खाते {0} अस्तित्वात नाही
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,खाते {0} अस्तित्वात नाही
DocType: Account,Cash,रोख
DocType: Employee,Short biography for website and other publications.,वेबसाइट आणि इतर प्रकाशनासठी लहान चरित्र.
diff --git a/erpnext/translations/ms.csv b/erpnext/translations/ms.csv
index e1f0ad9..bb21643 100644
--- a/erpnext/translations/ms.csv
+++ b/erpnext/translations/ms.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Produk Pengguna
DocType: Item,Customer Items,Item Pelanggan
DocType: Project,Costing and Billing,Kos dan Billing
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Akaun {0}: akaun Induk {1} tidak boleh merupakan satu lejar
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Akaun {0}: akaun Induk {1} tidak boleh merupakan satu lejar
DocType: Item,Publish Item to hub.erpnext.com,Terbitkan Perkara untuk hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,E-mel Pemberitahuan
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,penilaian
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,penilaian
DocType: Item,Default Unit of Measure,Unit keingkaran Langkah
DocType: SMS Center,All Sales Partner Contact,Semua Jualan Rakan Hubungi
DocType: Employee,Leave Approvers,Tinggalkan Approvers
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Kadar pertukaran mestilah sama dengan {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Nama Pelanggan
DocType: Vehicle,Natural Gas,Gas asli
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Akaun bank tidak boleh dinamakan sebagai {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Akaun bank tidak boleh dinamakan sebagai {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Kepala (atau kumpulan) terhadap yang Penyertaan Perakaunan dibuat dan baki dikekalkan.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Cemerlang untuk {0} tidak boleh kurang daripada sifar ({1})
DocType: Manufacturing Settings,Default 10 mins,Default 10 minit
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Semua Pembekal Contact
DocType: Support Settings,Support Settings,Tetapan sokongan
DocType: SMS Parameter,Parameter,Parameter
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Tarikh Jangkaan Tamat tidak boleh kurang daripada yang dijangka Tarikh Mula
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Tarikh Jangkaan Tamat tidak boleh kurang daripada yang dijangka Tarikh Mula
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Kadar mestilah sama dengan {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Cuti Permohonan Baru
,Batch Item Expiry Status,Batch Perkara Status luput
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Bank Draf
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Bank Draf
DocType: Mode of Payment Account,Mode of Payment Account,Cara Pembayaran Akaun
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Show Kelainan
DocType: Academic Term,Academic Term,Jangka akademik
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,bahan
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Kuantiti
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Jadual account tidak boleh kosong.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Pinjaman (Liabiliti)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Pinjaman (Liabiliti)
DocType: Employee Education,Year of Passing,Tahun Pemergian
DocType: Item,Country of Origin,Negara asal
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,In Stock
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,In Stock
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Isu Terbuka
DocType: Production Plan Item,Production Plan Item,Rancangan Pengeluaran Item
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Pengguna {0} telah diberikan kepada Pekerja {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Penjagaan Kesihatan
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Kelewatan dalam pembayaran (Hari)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Perbelanjaan perkhidmatan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Nombor siri: {0} sudah dirujuk dalam Sales Invoice: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Nombor siri: {0} sudah dirujuk dalam Sales Invoice: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Invois
DocType: Maintenance Schedule Item,Periodicity,Jangka masa
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Tahun fiskal {0} diperlukan
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Row # {0}:
DocType: Timesheet,Total Costing Amount,Jumlah Kos
DocType: Delivery Note,Vehicle No,Kenderaan Tiada
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,Sila pilih Senarai Harga
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Sila pilih Senarai Harga
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: Dokumen Bayaran diperlukan untuk melengkapkan trasaction yang
DocType: Production Order Operation,Work In Progress,Kerja Dalam Kemajuan
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Sila pilih tarikh
DocType: Employee,Holiday List,Senarai Holiday
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Akauntan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Akauntan
DocType: Cost Center,Stock User,Saham pengguna
DocType: Company,Phone No,Telefon No
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Jadual Kursus dicipta:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},New {0}: # {1}
,Sales Partners Commission,Pasangan Jualan Suruhanjaya
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Singkatan tidak boleh mempunyai lebih daripada 5 aksara
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Singkatan tidak boleh mempunyai lebih daripada 5 aksara
DocType: Payment Request,Payment Request,Permintaan Bayaran
DocType: Asset,Value After Depreciation,Nilai Selepas Susutnilai
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,Tarikh kehadirannya tidak boleh kurang daripada tarikh pendaftaran pekerja
DocType: Grading Scale,Grading Scale Name,Grading Nama Skala
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Ini adalah akaun akar dan tidak boleh diedit.
+DocType: Sales Invoice,Company Address,Alamat syarikat
DocType: BOM,Operations,Operasi
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Tidak boleh menetapkan kebenaran secara Diskaun untuk {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Lampirkan fail csv dengan dua lajur, satu untuk nama lama dan satu untuk nama baru"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} tidak dalam apa-apa aktif Tahun Anggaran.
DocType: Packed Item,Parent Detail docname,Detail Ibu Bapa docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Rujukan: {0}, Kod Item: {1} dan Pelanggan: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Kg
DocType: Student Log,Log,Log
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Membuka pekerjaan.
DocType: Item Attribute,Increment,Kenaikan
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Pengiklanan
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Syarikat yang sama memasuki lebih daripada sekali
DocType: Employee,Married,Berkahwin
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Tidak dibenarkan untuk {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Tidak dibenarkan untuk {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Mendapatkan barangan dari
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Saham tidak boleh dikemaskini terhadap Penghantaran Nota {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Saham tidak boleh dikemaskini terhadap Penghantaran Nota {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produk {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Tiada perkara yang disenaraikan
DocType: Payment Reconciliation,Reconcile,Mendamaikan
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Selepas Tarikh Susut nilai tidak boleh sebelum Tarikh Pembelian
DocType: SMS Center,All Sales Person,Semua Orang Jualan
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Pengagihan Bulanan ** membantu anda mengedarkan Bajet / sasaran seluruh bulan jika anda mempunyai bermusim dalam perniagaan anda.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Bukan perkakas yang terdapat
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Bukan perkakas yang terdapat
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Struktur Gaji Hilang
DocType: Lead,Person Name,Nama Orang
DocType: Sales Invoice Item,Sales Invoice Item,Perkara Invois Jualan
DocType: Account,Credit,Kredit
DocType: POS Profile,Write Off Cost Center,Tulis Off PTJ
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",contohnya "Sekolah Rendah" atau "Universiti"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",contohnya "Sekolah Rendah" atau "Universiti"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Laporan saham
DocType: Warehouse,Warehouse Detail,Detail Gudang
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Had kredit telah menyeberang untuk pelanggan {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Had kredit telah menyeberang untuk pelanggan {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Tarikh Akhir Term tidak boleh lewat daripada Tarikh Akhir Tahun Akademik Tahun yang istilah ini dikaitkan (Akademik Tahun {}). Sila betulkan tarikh dan cuba lagi.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Adakah Aset Tetap" tidak boleh dibiarkan, kerana rekod aset wujud terhadap item"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Adakah Aset Tetap" tidak boleh dibiarkan, kerana rekod aset wujud terhadap item"
DocType: Vehicle Service,Brake Oil,Brek Minyak
DocType: Tax Rule,Tax Type,Jenis Cukai
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Anda tidak dibenarkan untuk menambah atau update entri sebelum {0}
DocType: BOM,Item Image (if not slideshow),Perkara imej (jika tidak menayang)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Satu Pelanggan wujud dengan nama yang sama
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Kadar sejam / 60) * Masa Operasi Sebenar
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Pilih BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Pilih BOM
DocType: SMS Log,SMS Log,SMS Log
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Kos Item Dihantar
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Cuti pada {0} bukan antara Dari Tarikh dan To Date
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Dari {0} kepada {1}
DocType: Item,Copy From Item Group,Salinan Dari Perkara Kumpulan
DocType: Journal Entry,Opening Entry,Entry pembukaan
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Pelanggan> Kumpulan Pelanggan> Wilayah
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Akaun Pay Hanya
DocType: Employee Loan,Repay Over Number of Periods,Membayar balik Over Bilangan Tempoh
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} tidak mendaftar dalam yang diberikan {2}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} tidak mendaftar dalam yang diberikan {2}
DocType: Stock Entry,Additional Costs,Kos Tambahan
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Akaun dengan urus niaga yang sedia ada tidak boleh ditukar kepada kumpulan.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Akaun dengan urus niaga yang sedia ada tidak boleh ditukar kepada kumpulan.
DocType: Lead,Product Enquiry,Pertanyaan Produk
DocType: Academic Term,Schools,sekolah
+DocType: School Settings,Validate Batch for Students in Student Group,Mengesahkan Batch untuk Pelajar dalam Kumpulan Pelajar
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Tiada rekod cuti dijumpai untuk pekerja {0} untuk {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Sila masukkan syarikat pertama
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Sila pilih Syarikat pertama
@@ -175,49 +176,49 @@
DocType: BOM,Total Cost,Jumlah Kos
DocType: Journal Entry Account,Employee Loan,Pinjaman pekerja
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Log Aktiviti:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,Perkara {0} tidak wujud di dalam sistem atau telah tamat
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Perkara {0} tidak wujud di dalam sistem atau telah tamat
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Harta Tanah
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Penyata Akaun
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Pharmaceuticals
DocType: Purchase Invoice Item,Is Fixed Asset,Adakah Aset Tetap
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","qty yang tersedia {0}, anda perlu {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","qty yang tersedia {0}, anda perlu {1}"
DocType: Expense Claim Detail,Claim Amount,Tuntutan Amaun
-DocType: Employee,Mr,Mr
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,kumpulan pelanggan Duplicate dijumpai di dalam jadual kumpulan cutomer
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Jenis pembekal / Pembekal
DocType: Naming Series,Prefix,Awalan
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Guna habis
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Guna habis
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Import Log
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Tarik Bahan Permintaan jenis Pembuatan berdasarkan kriteria di atas
DocType: Training Result Employee,Grade,gred
DocType: Sales Invoice Item,Delivered By Supplier,Dihantar Oleh Pembekal
DocType: SMS Center,All Contact,Semua Contact
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Order Production telah dicipta untuk semua item dengan BOM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Gaji Tahunan
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Order Production telah dicipta untuk semua item dengan BOM
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Gaji Tahunan
DocType: Daily Work Summary,Daily Work Summary,Ringkasan Kerja Harian
DocType: Period Closing Voucher,Closing Fiscal Year,Penutup Tahun Anggaran
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} dibekukan
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Sila pilih Syarikat Sedia Ada untuk mewujudkan Carta Akaun
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Perbelanjaan saham
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} dibekukan
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Sila pilih Syarikat Sedia Ada untuk mewujudkan Carta Akaun
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Perbelanjaan saham
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Pilih Warehouse sasaran
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Pilih Warehouse sasaran
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,Sila masukkan Preferred hubungan Email
+DocType: Program Enrollment,School Bus,Bas sekolah
DocType: Journal Entry,Contra Entry,Contra Entry
DocType: Journal Entry Account,Credit in Company Currency,Kredit dalam Mata Wang Syarikat
DocType: Delivery Note,Installation Status,Pemasangan Status
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Adakah anda mahu untuk mengemaskini kehadiran? <br> Turut hadir: {0} \ <br> Tidak hadir: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Qty Diterima + Ditolak mestilah sama dengan kuantiti yang Diterima untuk Perkara {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Qty Diterima + Ditolak mestilah sama dengan kuantiti yang Diterima untuk Perkara {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Bahan mentah untuk bekalan Pembelian
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,Sekurang-kurangnya satu cara pembayaran adalah diperlukan untuk POS invois.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,Sekurang-kurangnya satu cara pembayaran adalah diperlukan untuk POS invois.
DocType: Products Settings,Show Products as a List,Show Produk sebagai Senarai yang
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Muat Template, isikan data yang sesuai dan melampirkan fail yang diubah suai. Semua tarikh dan pekerja gabungan dalam tempoh yang dipilih akan datang dalam template, dengan rekod kehadiran yang sedia ada"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,Perkara {0} tidak aktif atau akhir hayat telah dicapai
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Contoh: Matematik Asas
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Untuk memasukkan cukai berturut-turut {0} dalam kadar Perkara, cukai dalam baris {1} hendaklah juga disediakan"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Perkara {0} tidak aktif atau akhir hayat telah dicapai
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Contoh: Matematik Asas
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Untuk memasukkan cukai berturut-turut {0} dalam kadar Perkara, cukai dalam baris {1} hendaklah juga disediakan"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Tetapan untuk HR Modul
DocType: SMS Center,SMS Center,SMS Center
DocType: Sales Invoice,Change Amount,Tukar Jumlah
@@ -227,7 +228,7 @@
DocType: Lead,Request Type,Jenis Permintaan
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,membuat pekerja
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Penyiaran
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Pelaksanaan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Pelaksanaan
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Butiran operasi dijalankan.
DocType: Serial No,Maintenance Status,Penyelenggaraan Status
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Pembekal diperlukan terhadap akaun Dibayar {2}
@@ -255,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Permintaan untuk sebutharga boleh diakses dengan klik pada pautan berikut
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Memperuntukkan daun bagi tahun ini.
DocType: SG Creation Tool Course,SG Creation Tool Course,Kursus Alat SG Creation
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,Saham yang tidak mencukupi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,Saham yang tidak mencukupi
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Perancangan Kapasiti melumpuhkan dan Penjejakan Masa
DocType: Email Digest,New Sales Orders,New Jualan Pesanan
DocType: Bank Guarantee,Bank Account,Akaun Bank
@@ -266,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log',Dikemaskini melalui 'Time Log'
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},jumlah pendahuluan tidak boleh lebih besar daripada {0} {1}
DocType: Naming Series,Series List for this Transaction,Senarai Siri bagi Urusniaga ini
+DocType: Company,Enable Perpetual Inventory,Membolehkan Inventori kekal
DocType: Company,Default Payroll Payable Account,Lalai Payroll Akaun Kena Bayar
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Update E-mel Group
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Update E-mel Group
DocType: Sales Invoice,Is Opening Entry,Apakah Membuka Entry
DocType: Customer Group,Mention if non-standard receivable account applicable,Sebut jika akaun belum terima tidak standard yang diguna pakai
DocType: Course Schedule,Instructor Name,pengajar Nama
@@ -279,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Terhadap Jualan Invois Perkara
,Production Orders in Progress,Pesanan Pengeluaran di Kemajuan
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Tunai bersih daripada Pembiayaan
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage penuh, tidak menyelamatkan"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage penuh, tidak menyelamatkan"
DocType: Lead,Address & Contact,Alamat
DocType: Leave Allocation,Add unused leaves from previous allocations,Tambahkan daun yang tidak digunakan dari peruntukan sebelum
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Seterusnya berulang {0} akan diwujudkan pada {1}
DocType: Sales Partner,Partner website,laman web rakan kongsi
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Tambah Item
-,Contact Name,Nama Kenalan
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Nama Kenalan
DocType: Course Assessment Criteria,Course Assessment Criteria,Kriteria Penilaian Kursus
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Mencipta slip gaji untuk kriteria yang dinyatakan di atas.
DocType: POS Customer Group,POS Customer Group,POS Kumpulan Pelanggan
@@ -294,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Keterangan tidak diberikan
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Meminta untuk pembelian.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Ini adalah berdasarkan Lembaran Masa dicipta terhadap projek ini
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Pay bersih tidak boleh kurang daripada 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Pay bersih tidak boleh kurang daripada 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Hanya Pelulus Cuti yang dipilih boleh mengemukakan Permohonan Cuti ini
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Tarikh melegakan mesti lebih besar daripada Tarikh Menyertai
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Meninggalkan setiap Tahun
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Meninggalkan setiap Tahun
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Row {0}: Sila semak 'Adakah Advance' terhadap Akaun {1} jika ini adalah suatu catatan terlebih dahulu.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Gudang {0} bukan milik syarikat {1}
DocType: Email Digest,Profit & Loss,Untung rugi
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Litre
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Litre
DocType: Task,Total Costing Amount (via Time Sheet),Jumlah Kos Jumlah (melalui Lembaran Time)
DocType: Item Website Specification,Item Website Specification,Spesifikasi Item Laman Web
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Tinggalkan Disekat
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Perkara {0} telah mencapai penghujungnya kehidupan di {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Perkara {0} telah mencapai penghujungnya kehidupan di {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Bank Penyertaan
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Tahunan
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Saham Penyesuaian Perkara
@@ -313,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,Min Order Qty
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Kursus Kumpulan Pelajar Creation Tool
DocType: Lead,Do Not Contact,Jangan Hubungi
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,Orang yang mengajar di organisasi anda
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,Orang yang mengajar di organisasi anda
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Id unik untuk mengesan semua invois berulang. Ia dihasilkan di hantar.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Perisian Pemaju
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Perisian Pemaju
DocType: Item,Minimum Order Qty,Minimum Kuantiti Pesanan
DocType: Pricing Rule,Supplier Type,Jenis Pembekal
DocType: Course Scheduling Tool,Course Start Date,Kursus Tarikh Mula
@@ -324,11 +326,11 @@
DocType: Item,Publish in Hub,Menyiarkan dalam Hab
DocType: Student Admission,Student Admission,Kemasukan pelajar
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Perkara {0} dibatalkan
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Perkara {0} dibatalkan
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Permintaan bahan
DocType: Bank Reconciliation,Update Clearance Date,Update Clearance Tarikh
DocType: Item,Purchase Details,Butiran Pembelian
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Perkara {0} tidak dijumpai dalam 'Bahan Mentah Dibekalkan' meja dalam Pesanan Belian {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Perkara {0} tidak dijumpai dalam 'Bahan Mentah Dibekalkan' meja dalam Pesanan Belian {1}
DocType: Employee,Relation,Perhubungan
DocType: Shipping Rule,Worldwide Shipping,Penghantaran di seluruh dunia
DocType: Student Guardian,Mother,ibu
@@ -347,6 +349,7 @@
DocType: Student Group Student,Student Group Student,Pelajar Kumpulan Pelajar
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Terkini
DocType: Vehicle Service,Inspection,pemeriksaan
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,senarai
DocType: Email Digest,New Quotations,Sebut Harga baru
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,slip e-mel gaji kepada pekerja berdasarkan e-mel pilihan yang dipilih di pekerja
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,Yang pertama Pelulus Cuti dalam senarai akan ditetapkan sebagai lalai Cuti Pelulus yang
@@ -355,20 +358,20 @@
DocType: Asset,Next Depreciation Date,Selepas Tarikh Susutnilai
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Kos aktiviti setiap Pekerja
DocType: Accounts Settings,Settings for Accounts,Tetapan untuk Akaun
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Pembekal Invois No wujud dalam Invois Belian {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Pembekal Invois No wujud dalam Invois Belian {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Menguruskan Orang Jualan Tree.
DocType: Job Applicant,Cover Letter,Cover Letter
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Cek cemerlang dan Deposit untuk membersihkan
DocType: Item,Synced With Hub,Segerakkan Dengan Hub
DocType: Vehicle,Fleet Manager,Pengurus Fleet
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} tidak boleh negatif untuk item {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Salah Kata Laluan
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Salah Kata Laluan
DocType: Item,Variant Of,Varian Daripada
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',Siap Qty tidak boleh lebih besar daripada 'Kuantiti untuk Pengeluaran'
DocType: Period Closing Voucher,Closing Account Head,Penutup Kepala Akaun
DocType: Employee,External Work History,Luar Sejarah Kerja
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Ralat Rujukan Pekeliling
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Nama Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Nama Guardian1
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Dalam Perkataan (Eksport) akan dapat dilihat selepas anda menyimpan Nota Penghantaran.
DocType: Cheque Print Template,Distance from left edge,Jarak dari tepi kiri
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} unit [{1}] (# Borang / Item / {1}) yang terdapat di [{2}] (# Borang / Gudang / {2})
@@ -377,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Memberitahu melalui e-mel pada penciptaan Permintaan Bahan automatik
DocType: Journal Entry,Multi Currency,Mata Multi
DocType: Payment Reconciliation Invoice,Invoice Type,Jenis invois
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Penghantaran Nota
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Penghantaran Nota
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Menubuhkan Cukai
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Kos Aset Dijual
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,Entry pembayaran telah diubah suai selepas anda ditarik. Sila tarik lagi.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} dimasukkan dua kali dalam Cukai Perkara
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Entry pembayaran telah diubah suai selepas anda ditarik. Sila tarik lagi.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} dimasukkan dua kali dalam Cukai Perkara
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Ringkasan untuk minggu ini dan aktiviti-aktiviti yang belum selesai
DocType: Student Applicant,Admitted,diterima Masuk
DocType: Workstation,Rent Cost,Kos sewa
@@ -400,25 +403,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Sila masukkan 'Ulangi pada hari Bulan' nilai bidang
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Kadar di mana mata wang Pelanggan ditukar kepada mata wang asas pelanggan
DocType: Course Scheduling Tool,Course Scheduling Tool,Kursus Alat Penjadualan
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Invois Belian tidak boleh dibuat terhadap aset yang sedia ada {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Invois Belian tidak boleh dibuat terhadap aset yang sedia ada {1}
DocType: Item Tax,Tax Rate,Kadar Cukai
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} telah diperuntukkan untuk pekerja {1} untuk tempoh {2} kepada {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Pilih Item
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Membeli Invois {0} telah dikemukakan
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Membeli Invois {0} telah dikemukakan
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Batch No mestilah sama dengan {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Tukar ke Kumpulan bukan-
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Batch (banyak) dari Perkara yang.
DocType: C-Form Invoice Detail,Invoice Date,Tarikh invois
DocType: GL Entry,Debit Amount,Jumlah Debit
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Hanya akan ada 1 Akaun setiap Syarikat dalam {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,Sila lihat lampiran
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Hanya akan ada 1 Akaun setiap Syarikat dalam {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,Sila lihat lampiran
DocType: Purchase Order,% Received,% Diterima
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Cipta Kumpulan Pelajar
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Persediaan Sudah Lengkap !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Jumlah kredit Nota
,Finished Goods,Barangan selesai
DocType: Delivery Note,Instructions,Arahan
DocType: Quality Inspection,Inspected By,Diperiksa oleh
DocType: Maintenance Visit,Maintenance Type,Jenis Penyelenggaraan
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} tidak mendaftar di Kursus {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},No siri {0} bukan milik Penghantaran Nota {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Tambah Item
@@ -441,7 +446,7 @@
DocType: Request for Quotation,Request for Quotation,Permintaan untuk sebut harga
DocType: Salary Slip Timesheet,Working Hours,Waktu Bekerja
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Menukar nombor yang bermula / semasa urutan siri yang sedia ada.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Buat Pelanggan baru
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Buat Pelanggan baru
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Jika beberapa Peraturan Harga terus diguna pakai, pengguna diminta untuk menetapkan Keutamaan secara manual untuk menyelesaikan konflik."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Buat Pesanan Pembelian
,Purchase Register,Pembelian Daftar
@@ -453,7 +458,7 @@
DocType: Student Log,Medical,Perubatan
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Sebab bagi kehilangan
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Lead Pemilik tidak boleh menjadi sama seperti Lead
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,Jumlah yang diperuntukkan tidak boleh lebih besar daripada jumlah tidak dilaras
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,Jumlah yang diperuntukkan tidak boleh lebih besar daripada jumlah tidak dilaras
DocType: Announcement,Receiver,penerima
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation ditutup pada tarikh-tarikh berikut seperti Senarai Holiday: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Peluang
@@ -467,8 +472,7 @@
DocType: Assessment Plan,Examiner Name,Nama pemeriksa
DocType: Purchase Invoice Item,Quantity and Rate,Kuantiti dan Kadar
DocType: Delivery Note,% Installed,% Dipasang
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,Bilik darjah / Laboratories dan lain-lain di mana kuliah boleh dijadualkan.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Pembekal> Jenis pembekal
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,Bilik darjah / Laboratories dan lain-lain di mana kuliah boleh dijadualkan.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Sila masukkan nama syarikat pertama
DocType: Purchase Invoice,Supplier Name,Nama Pembekal
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Baca Manual ERPNext yang
@@ -478,7 +482,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Semak Pembekal Invois Nombor Keunikan
DocType: Vehicle Service,Oil Change,Tukar minyak
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','Kepada Perkara No. ' tidak boleh kurang daripada 'Dari Perkara No.'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Keuntungan tidak
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Keuntungan tidak
DocType: Production Order,Not Started,Belum Bermula
DocType: Lead,Channel Partner,Rakan Channel
DocType: Account,Old Parent,Old Ibu Bapa
@@ -489,20 +493,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Tetapan global untuk semua proses pembuatan.
DocType: Accounts Settings,Accounts Frozen Upto,Akaun-akaun Dibekukan Sehingga
DocType: SMS Log,Sent On,Dihantar Pada
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Sifat {0} dipilih beberapa kali dalam Atribut Jadual
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Sifat {0} dipilih beberapa kali dalam Atribut Jadual
DocType: HR Settings,Employee record is created using selected field. ,Rekod pekerja dicipta menggunakan bidang dipilih.
DocType: Sales Order,Not Applicable,Tidak Berkenaan
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Master bercuti.
DocType: Request for Quotation Item,Required Date,Tarikh Diperlukan
DocType: Delivery Note,Billing Address,Alamat Bil
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Sila masukkan Kod Item.
DocType: BOM,Costing,Berharga
DocType: Tax Rule,Billing County,County Billing
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Jika disemak, jumlah cukai yang akan dianggap sebagai sudah termasuk dalam Kadar Cetak / Print Amaun"
DocType: Request for Quotation,Message for Supplier,Mesej untuk Pembekal
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Jumlah Kuantiti
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 ID E-mel
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 ID E-mel
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 ID E-mel
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 ID E-mel
DocType: Item,Show in Website (Variant),Show di Laman web (Variant)
DocType: Employee,Health Concerns,Kebimbangan Kesihatan
DocType: Process Payroll,Select Payroll Period,Pilih Tempoh Payroll
@@ -520,26 +523,28 @@
DocType: Sales Order Item,Used for Production Plan,Digunakan untuk Rancangan Pengeluaran
DocType: Employee Loan,Total Payment,Jumlah Bayaran
DocType: Manufacturing Settings,Time Between Operations (in mins),Masa Antara Operasi (dalam minit)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} dibatalkan supaya tindakan itu tidak boleh diselesaikan
DocType: Customer,Buyer of Goods and Services.,Pembeli Barang dan Perkhidmatan.
DocType: Journal Entry,Accounts Payable,Akaun-akaun Boleh diBayar
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,The boms dipilih bukan untuk item yang sama
DocType: Pricing Rule,Valid Upto,Sah Upto
DocType: Training Event,Workshop,bengkel
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Senarai beberapa pelanggan anda. Mereka boleh menjadi organisasi atau individu.
-,Enough Parts to Build,Bahagian Cukup untuk Membina
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Pendapatan Langsung
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Senarai beberapa pelanggan anda. Mereka boleh menjadi organisasi atau individu.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Bahagian Cukup untuk Membina
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Pendapatan Langsung
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Tidak boleh menapis di Akaun, jika dikumpulkan oleh Akaun"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Pegawai Tadbir
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Sila pilih Course
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Sila pilih Course
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Pegawai Tadbir
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Sila pilih Course
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Sila pilih Course
DocType: Timesheet Detail,Hrs,Hrs
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Sila pilih Syarikat
DocType: Stock Entry Detail,Difference Account,Akaun perbezaan
+DocType: Purchase Invoice,Supplier GSTIN,GSTIN pembekal
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Tidak boleh tugas sedekat tugas takluknya {0} tidak ditutup.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Sila masukkan Gudang yang mana Bahan Permintaan akan dibangkitkan
DocType: Production Order,Additional Operating Cost,Tambahan Kos Operasi
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kosmetik
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Untuk bergabung, sifat berikut mestilah sama bagi kedua-dua perkara"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Untuk bergabung, sifat berikut mestilah sama bagi kedua-dua perkara"
DocType: Shipping Rule,Net Weight,Berat Bersih
DocType: Employee,Emergency Phone,Telefon Kecemasan
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Beli
@@ -549,14 +554,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Sila menentukan gred bagi Ambang 0%
DocType: Sales Order,To Deliver,Untuk Menyampaikan
DocType: Purchase Invoice Item,Item,Perkara
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Serial tiada perkara tidak boleh menjadi sebahagian kecil
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Serial tiada perkara tidak boleh menjadi sebahagian kecil
DocType: Journal Entry,Difference (Dr - Cr),Perbezaan (Dr - Cr)
DocType: Account,Profit and Loss,Untung dan Rugi
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Urusan subkontrak
DocType: Project,Project will be accessible on the website to these users,Projek akan boleh diakses di laman web untuk pengguna ini
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Kadar di mana Senarai harga mata wang ditukar kepada mata wang asas syarikat
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Akaun {0} bukan milik syarikat: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Singkatan sudah digunakan untuk syarikat lain
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Akaun {0} bukan milik syarikat: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Singkatan sudah digunakan untuk syarikat lain
DocType: Selling Settings,Default Customer Group,Default Pelanggan Kumpulan
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Jika kurang upaya, bidang 'Bulat Jumlah' tidak akan dapat dilihat dalam mana-mana transaksi"
DocType: BOM,Operating Cost,Kos operasi
@@ -564,7 +569,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Kenaikan tidak boleh 0
DocType: Production Planning Tool,Material Requirement,Keperluan Bahan
DocType: Company,Delete Company Transactions,Padam Transaksi Syarikat
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Rujukan dan Tarikh Rujukan adalah wajib untuk transaksi Bank
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Rujukan dan Tarikh Rujukan adalah wajib untuk transaksi Bank
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Tambah / Edit Cukai dan Caj
DocType: Purchase Invoice,Supplier Invoice No,Pembekal Invois No
DocType: Territory,For reference,Untuk rujukan
@@ -575,22 +580,22 @@
DocType: Installation Note Item,Installation Note Item,Pemasangan Nota Perkara
DocType: Production Plan Item,Pending Qty,Menunggu Kuantiti
DocType: Budget,Ignore,Abaikan
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} tidak aktif
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} tidak aktif
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS yang dihantar ke nombor berikut: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,dimensi Persediaan cek percetakan
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,dimensi Persediaan cek percetakan
DocType: Salary Slip,Salary Slip Timesheet,Slip Gaji Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Pembekal Gudang mandatori bagi sub-kontrak Pembelian Resit
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Pembekal Gudang mandatori bagi sub-kontrak Pembelian Resit
DocType: Pricing Rule,Valid From,Sah Dari
DocType: Sales Invoice,Total Commission,Jumlah Suruhanjaya
DocType: Pricing Rule,Sales Partner,Rakan Jualan
DocType: Buying Settings,Purchase Receipt Required,Resit pembelian Diperlukan
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,Kadar Penilaian adalah wajib jika Stok Awal memasuki
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,Kadar Penilaian adalah wajib jika Stok Awal memasuki
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Tiada rekod yang terdapat dalam jadual Invois yang
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Sila pilih Syarikat dan Parti Jenis pertama
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Tahun kewangan / perakaunan.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Tahun kewangan / perakaunan.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Nilai terkumpul
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Maaf, Serial No tidak boleh digabungkan"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Buat Jualan Pesanan
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Buat Jualan Pesanan
DocType: Project Task,Project Task,Projek Petugas
,Lead Id,Lead Id
DocType: C-Form Invoice Detail,Grand Total,Jumlah Besar
@@ -607,7 +612,7 @@
DocType: Job Applicant,Resume Attachment,resume Lampiran
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Ulang Pelanggan
DocType: Leave Control Panel,Allocate,Memperuntukkan
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Jualan Pulangan
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Jualan Pulangan
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Nota: Jumlah daun diperuntukkan {0} hendaklah tidak kurang daripada daun yang telah pun diluluskan {1} untuk tempoh yang
DocType: Announcement,Posted By,Posted By
DocType: Item,Delivered by Supplier (Drop Ship),Dihantar oleh Pembekal (Drop Ship)
@@ -617,8 +622,8 @@
DocType: Quotation,Quotation To,Sebutharga Untuk
DocType: Lead,Middle Income,Pendapatan Tengah
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Pembukaan (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unit keingkaran Langkah untuk Perkara {0} tidak boleh diubah langsung kerana anda telah membuat beberapa transaksi (s) dengan UOM lain. Anda akan perlu untuk membuat item baru untuk menggunakan UOM Lalai yang berbeza.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Jumlah yang diperuntukkan tidak boleh negatif
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unit keingkaran Langkah untuk Perkara {0} tidak boleh diubah langsung kerana anda telah membuat beberapa transaksi (s) dengan UOM lain. Anda akan perlu untuk membuat item baru untuk menggunakan UOM Lalai yang berbeza.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Jumlah yang diperuntukkan tidak boleh negatif
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Sila tetapkan Syarikat
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Sila tetapkan Syarikat
DocType: Purchase Order Item,Billed Amt,Billed AMT
@@ -631,7 +636,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Pilih Akaun Pembayaran untuk membuat Bank Kemasukan
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Mencipta rekod pekerja untuk menguruskan daun, tuntutan perbelanjaan dan gaji"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Tambahkan ke Knowledge Base
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Penulisan Cadangan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Penulisan Cadangan
DocType: Payment Entry Deduction,Payment Entry Deduction,Pembayaran Potongan Kemasukan
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Satu lagi Orang Jualan {0} wujud dengan id Pekerja yang sama
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Jika disemak, bahan-bahan mentah untuk barang-barang yang sub-kontrak akan dimasukkan ke dalam Permintaan Bahan"
@@ -646,7 +651,7 @@
DocType: Batch,Batch Description,Batch Penerangan
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Mewujudkan kumpulan pelajar
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Mewujudkan kumpulan pelajar
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Pembayaran Akaun Gateway tidak diciptakan, sila buat secara manual."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Pembayaran Akaun Gateway tidak diciptakan, sila buat secara manual."
DocType: Sales Invoice,Sales Taxes and Charges,Jualan Cukai dan Caj
DocType: Employee,Organization Profile,Organisasi Profil
DocType: Student,Sibling Details,Maklumat adik-beradik
@@ -668,11 +673,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Perubahan Bersih dalam Inventori
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Pengurusan Pinjaman pekerja
DocType: Employee,Passport Number,Nombor Pasport
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Berhubung dengan Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Pengurus
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Berhubung dengan Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Pengurus
DocType: Payment Entry,Payment From / To,Pembayaran Dari / Ke
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},had kredit baru adalah kurang daripada amaun tertunggak semasa untuk pelanggan. had kredit perlu atleast {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Perkara sama telah dibuat beberapa kali.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},had kredit baru adalah kurang daripada amaun tertunggak semasa untuk pelanggan. had kredit perlu atleast {0}
DocType: SMS Settings,Receiver Parameter,Penerima Parameter
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Berdasarkan Kepada' dan 'Kumpul Mengikut' tidak boleh sama
DocType: Sales Person,Sales Person Targets,Sasaran Orang Jualan
@@ -681,8 +685,9 @@
DocType: Issue,Resolution Date,Resolusi Tarikh
DocType: Student Batch Name,Batch Name,Batch Nama
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timesheet dicipta:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},Sila tetapkan lalai Tunai atau akaun Bank dalam Mod Bayaran {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Sila tetapkan lalai Tunai atau akaun Bank dalam Mod Bayaran {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,mendaftar
+DocType: GST Settings,GST Settings,Tetapan GST
DocType: Selling Settings,Customer Naming By,Menamakan Dengan Pelanggan
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Akan menunjukkan pelajar sebagai Turut hadir dalam Laporan Kehadiran Bulanan Pelajar
DocType: Depreciation Schedule,Depreciation Amount,Jumlah susut nilai
@@ -704,6 +709,7 @@
DocType: Item,Material Transfer,Pemindahan bahan
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Pembukaan (Dr)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Penempatan tanda waktu mesti selepas {0}
+,GST Itemised Purchase Register,GST Terperinci Pembelian Daftar
DocType: Employee Loan,Total Interest Payable,Jumlah Faedah yang Perlu Dibayar
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Cukai Tanah Kos dan Caj
DocType: Production Order Operation,Actual Start Time,Masa Mula Sebenar
@@ -732,10 +738,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
DocType: Account,Accounts,Akaun-akaun
DocType: Vehicle,Odometer Value (Last),Nilai Odometer (Akhir)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Pemasaran
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Pemasaran
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Kemasukan bayaran telah membuat
DocType: Purchase Receipt Item Supplied,Current Stock,Saham Semasa
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} tidak dikaitkan dengan Perkara {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} tidak dikaitkan dengan Perkara {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Preview Slip Gaji
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Akaun {0} telah dibuat beberapa kali
DocType: Account,Expenses Included In Valuation,Perbelanjaan Termasuk Dalam Penilaian
@@ -743,7 +749,7 @@
,Absent Student Report,Tidak hadir Laporan Pelajar
DocType: Email Digest,Next email will be sent on:,E-mel seterusnya akan dihantar pada:
DocType: Offer Letter Term,Offer Letter Term,Menawarkan Surat Jangka
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Perkara mempunyai varian.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Perkara mempunyai varian.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Perkara {0} tidak dijumpai
DocType: Bin,Stock Value,Nilai saham
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Syarikat {0} tidak wujud
@@ -752,8 +758,8 @@
DocType: Serial No,Warranty Expiry Date,Waranti Tarikh Luput
DocType: Material Request Item,Quantity and Warehouse,Kuantiti dan Gudang
DocType: Sales Invoice,Commission Rate (%),Kadar komisen (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Sila pilih Program
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Sila pilih Program
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Sila pilih Program
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Sila pilih Program
DocType: Project,Estimated Cost,Anggaran kos
DocType: Purchase Order,Link to material requests,Link kepada permintaan bahan
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aeroangkasa
@@ -767,14 +773,14 @@
DocType: Purchase Order,Supply Raw Materials,Bekalan Bahan Mentah
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,Tarikh di mana invois akan dijana. Ia dihasilkan di hantar.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Aset Semasa
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} bukan perkara stok
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} bukan perkara stok
DocType: Mode of Payment Account,Default Account,Akaun Default
DocType: Payment Entry,Received Amount (Company Currency),Pendapatan daripada (Syarikat Mata Wang)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,Lead mesti ditetapkan jika Peluang diperbuat daripada Lead
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,Sila pilih hari cuti mingguan
DocType: Production Order Operation,Planned End Time,Dirancang Akhir Masa
,Sales Person Target Variance Item Group-Wise,Orang Jualan Sasaran Varian Perkara Kumpulan Bijaksana
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Akaun dengan urus niaga yang sedia ada tidak boleh ditukar ke lejar
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Akaun dengan urus niaga yang sedia ada tidak boleh ditukar ke lejar
DocType: Delivery Note,Customer's Purchase Order No,Pelanggan Pesanan Pembelian No
DocType: Budget,Budget Against,bajet Terhadap
DocType: Employee,Cell Number,Bilangan sel
@@ -786,15 +792,13 @@
DocType: Opportunity,Opportunity From,Peluang Daripada
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Kenyataan gaji bulanan.
DocType: BOM,Website Specifications,Laman Web Spesifikasi
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Sila setup penomboran siri untuk Kehadiran melalui Persediaan> Penomboran Siri
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Dari {0} dari jenis {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Row {0}: Faktor penukaran adalah wajib
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Row {0}: Faktor penukaran adalah wajib
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Peraturan Harga pelbagai wujud dengan kriteria yang sama, sila menyelesaikan konflik dengan memberikan keutamaan. Peraturan Harga: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,Tidak boleh menyahaktifkan atau membatalkan BOM kerana ia dikaitkan dengan BOMs lain
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Peraturan Harga pelbagai wujud dengan kriteria yang sama, sila menyelesaikan konflik dengan memberikan keutamaan. Peraturan Harga: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Tidak boleh menyahaktifkan atau membatalkan BOM kerana ia dikaitkan dengan BOMs lain
DocType: Opportunity,Maintenance,Penyelenggaraan
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Nombor resit pembelian diperlukan untuk Perkara {0}
DocType: Item Attribute Value,Item Attribute Value,Perkara Atribut Nilai
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Kempen jualan.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,membuat Timesheet
@@ -827,30 +831,30 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Asset dimansuhkan melalui Journal Kemasukan {0}
DocType: Employee Loan,Interest Income Account,Akaun Pendapatan Faedah
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Bioteknologi
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Perbelanjaan Penyelenggaraan
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Perbelanjaan Penyelenggaraan
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Menyediakan Akaun E-mel
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Sila masukkan Perkara pertama
DocType: Account,Liability,Liabiliti
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Amaun yang dibenarkan tidak boleh lebih besar daripada Tuntutan Jumlah dalam Row {0}.
DocType: Company,Default Cost of Goods Sold Account,Kos Default Akaun Barangan Dijual
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Senarai Harga tidak dipilih
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Senarai Harga tidak dipilih
DocType: Employee,Family Background,Latar Belakang Keluarga
DocType: Request for Quotation Supplier,Send Email,Hantar E-mel
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Amaran: Lampiran sah {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Amaran: Lampiran sah {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Tiada Kebenaran
DocType: Company,Default Bank Account,Akaun Bank Default
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Untuk menapis berdasarkan Parti, pilih Parti Taipkan pertama"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'Update Stock' tidak boleh disemak kerana perkara yang tidak dihantar melalui {0}
DocType: Vehicle,Acquisition Date,perolehan Tarikh
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Nos
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Nos
DocType: Item,Items with higher weightage will be shown higher,Item dengan wajaran yang lebih tinggi akan ditunjukkan tinggi
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Detail Penyesuaian Bank
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} hendaklah dikemukakan
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} hendaklah dikemukakan
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Tiada pekerja didapati
DocType: Supplier Quotation,Stopped,Berhenti
DocType: Item,If subcontracted to a vendor,Jika subkontrak kepada vendor
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Kumpulan pelajar sudah dikemaskini.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Kumpulan pelajar sudah dikemaskini.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Kumpulan pelajar sudah dikemaskini.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Kumpulan pelajar sudah dikemaskini.
DocType: SMS Center,All Customer Contact,Semua Hubungi Pelanggan
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Memuat naik keseimbangan saham melalui csv.
DocType: Warehouse,Tree Details,Tree Butiran
@@ -862,13 +866,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: PTJ {2} bukan milik Syarikat {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Akaun {2} tidak boleh menjadi Kumpulan
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Perkara Row {IDX}: {DOCTYPE} {} DOCNAME tidak wujud dalam di atas '{DOCTYPE}' meja
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Timesheet {0} sudah selesai atau dibatalkan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} sudah selesai atau dibatalkan
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Tiada tugasan
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Hari dalam bulan di mana invois automatik akan dijana contohnya 05, 28 dan lain-lain"
DocType: Asset,Opening Accumulated Depreciation,Membuka Susut Nilai Terkumpul
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Skor mesti kurang daripada atau sama dengan 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Program Pendaftaran Tool
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,C-Borang rekod
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C-Borang rekod
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Pelanggan dan Pembekal
DocType: Email Digest,Email Digest Settings,E-mel Tetapan Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Terima kasih atas urusan awak!
@@ -878,17 +882,19 @@
DocType: Bin,Moving Average Rate,Bergerak Kadar Purata
DocType: Production Planning Tool,Select Items,Pilih Item
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} terhadap Bil {1} bertarikh {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Kenderaan / Nombor Bas
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Jadual kursus
DocType: Maintenance Visit,Completion Status,Siap Status
DocType: HR Settings,Enter retirement age in years,Masukkan umur persaraan pada tahun-tahun
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Sasaran Gudang
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Sila pilih gudang
DocType: Cheque Print Template,Starting location from left edge,Bermula lokasi dari tepi kiri
DocType: Item,Allow over delivery or receipt upto this percent,Membolehkan lebih penghantaran atau penerimaan hamper peratus ini
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,Import Kehadiran
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Semua Kumpulan Perkara
DocType: Process Payroll,Activity Log,Log Aktiviti
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Keuntungan bersih / Rugi
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Keuntungan bersih / Rugi
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Mengarang mesej secara automatik pada penyerahan transaksi.
DocType: Production Order,Item To Manufacture,Perkara Untuk Pembuatan
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} status adalah {2}
@@ -897,16 +903,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Membeli Perintah untuk Pembayaran
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Unjuran Qty
DocType: Sales Invoice,Payment Due Date,Tarikh Pembayaran
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Perkara Variant {0} telah wujud dengan sifat-sifat yang sama
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Perkara Variant {0} telah wujud dengan sifat-sifat yang sama
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','Pembukaan'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Terbuka To Do
DocType: Notification Control,Delivery Note Message,Penghantaran Nota Mesej
DocType: Expense Claim,Expenses,Perbelanjaan
+,Support Hours,Waktu sokongan
DocType: Item Variant Attribute,Item Variant Attribute,Perkara Variant Sifat
,Purchase Receipt Trends,Trend Resit Pembelian
DocType: Process Payroll,Bimonthly,dua bulan sekali
DocType: Vehicle Service,Brake Pad,Alas brek
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Penyelidikan & Pembangunan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Penyelidikan & Pembangunan
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Jumlah untuk Rang Undang-undang
DocType: Company,Registration Details,Butiran Pendaftaran
DocType: Timesheet,Total Billed Amount,Jumlah Diiktiraf
@@ -919,12 +926,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Hanya Dapatkan Bahan Mentah
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Penilaian prestasi.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Mendayakan 'Gunakan untuk Shopping Cart', kerana Troli didayakan dan perlu ada sekurang-kurangnya satu Peraturan cukai bagi Troli Membeli-belah"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Kemasukan Pembayaran {0} dikaitkan terhadap Perintah {1}, semak sama ada ia perlu ditarik sebagai pendahuluan dalam invois ini."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Kemasukan Pembayaran {0} dikaitkan terhadap Perintah {1}, semak sama ada ia perlu ditarik sebagai pendahuluan dalam invois ini."
DocType: Sales Invoice Item,Stock Details,Stok
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Nilai Projek
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Tempat jualan
DocType: Vehicle Log,Odometer Reading,Reading odometer
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Baki akaun sudah dalam Kredit, anda tidak dibenarkan untuk menetapkan 'Baki Mestilah' sebagai 'debit'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Baki akaun sudah dalam Kredit, anda tidak dibenarkan untuk menetapkan 'Baki Mestilah' sebagai 'debit'"
DocType: Account,Balance must be,Baki mestilah
DocType: Hub Settings,Publish Pricing,Terbitkan Harga
DocType: Notification Control,Expense Claim Rejected Message,Mesej perbelanjaan Tuntutan Ditolak
@@ -934,7 +941,7 @@
DocType: Salary Slip,Working Days,Hari Bekerja
DocType: Serial No,Incoming Rate,Kadar masuk
DocType: Packing Slip,Gross Weight,Berat kasar
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,Nama syarikat anda yang mana anda menubuhkan sistem ini.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,Nama syarikat anda yang mana anda menubuhkan sistem ini.
DocType: HR Settings,Include holidays in Total no. of Working Days,Termasuk bercuti di Jumlah no. Hari Kerja
DocType: Job Applicant,Hold,Pegang
DocType: Employee,Date of Joining,Tarikh Menyertai
@@ -945,20 +952,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Resit Pembelian
,Received Items To Be Billed,Barangan yang diterima dikenakan caj
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Dihantar Gaji Slip
-DocType: Employee,Ms,Ms
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Mata Wang Kadar pertukaran utama.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Rujukan DOCTYPE mesti menjadi salah satu {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Mata Wang Kadar pertukaran utama.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Rujukan DOCTYPE mesti menjadi salah satu {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Tidak dapat mencari Slot Masa di akhirat {0} hari untuk Operasi {1}
DocType: Production Order,Plan material for sub-assemblies,Bahan rancangan untuk sub-pemasangan
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Jualan rakan-rakan dan Wilayah
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,tidak boleh secara automatik membuat Akaun kerana sudah ada baki stok dalam Akaun. Anda perlu membuat akaun yang hampir sama sebelum anda boleh membuat entri pada gudang ini
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} mesti aktif
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} mesti aktif
DocType: Journal Entry,Depreciation Entry,Kemasukan susutnilai
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Sila pilih jenis dokumen pertama
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Batal Bahan Lawatan {0} sebelum membatalkan Lawatan Penyelenggaraan ini
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},No siri {0} bukan milik Perkara {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Diperlukan Qty
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Gudang dengan urus niaga yang sedia ada tidak boleh ditukar ke dalam lejar.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Gudang dengan urus niaga yang sedia ada tidak boleh ditukar ke dalam lejar.
DocType: Bank Reconciliation,Total Amount,Jumlah
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Penerbitan Internet
DocType: Production Planning Tool,Production Orders,Pesanan Pengeluaran
@@ -973,25 +978,26 @@
DocType: Fee Structure,Components,komponen
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Sila masukkan Kategori Asset dalam Perkara {0}
DocType: Quality Inspection Reading,Reading 6,Membaca 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Tidak boleh {0} {1} {2} tanpa sebarang invois tertunggak negatif
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Tidak boleh {0} {1} {2} tanpa sebarang invois tertunggak negatif
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Membeli Advance Invois
DocType: Hub Settings,Sync Now,Sync Sekarang
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Row {0}: kemasukan Kredit tidak boleh dikaitkan dengan {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Tentukan bajet untuk tahun kewangan.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Tentukan bajet untuk tahun kewangan.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Lalai akaun Bank / Tunai akan secara automatik dikemaskini dalam POS Invois apabila mod ini dipilih.
DocType: Lead,LEAD-,plumbum
DocType: Employee,Permanent Address Is,Alamat Tetap Adakah
DocType: Production Order Operation,Operation completed for how many finished goods?,Operasi siap untuk berapa banyak barangan siap?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,Jenama
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Jenama
DocType: Employee,Exit Interview Details,Butiran Keluar Temuduga
DocType: Item,Is Purchase Item,Adalah Pembelian Item
DocType: Asset,Purchase Invoice,Invois Belian
DocType: Stock Ledger Entry,Voucher Detail No,Detail baucar Tiada
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,New Invois Jualan
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,New Invois Jualan
DocType: Stock Entry,Total Outgoing Value,Jumlah Nilai Keluar
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Tarikh dan Tarikh Tutup merasmikan perlu berada dalam sama Tahun Anggaran
DocType: Lead,Request for Information,Permintaan Maklumat
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sync Offline Invois
+,LeaderBoard,Leaderboard
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Sync Offline Invois
DocType: Payment Request,Paid,Dibayar
DocType: Program Fee,Program Fee,Yuran program
DocType: Salary Slip,Total in words,Jumlah dalam perkataan
@@ -1000,13 +1006,13 @@
DocType: Cheque Print Template,Has Print Format,Mempunyai Format Cetak
DocType: Employee Loan,Sanctioned,Diiktiraf
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,adalah wajib. Mungkin rekod pertukaran mata wang tidak dicipta untuk
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Sila nyatakan Serial No untuk Perkara {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Untuk item 'Bundle Produk', Gudang, No Serial dan batch Tidak akan dipertimbangkan dari 'Packing List' meja. Jika Gudang dan Batch No adalah sama untuk semua barangan pembungkusan untuk item apa-apa 'Bundle Produk', nilai-nilai boleh dimasukkan dalam jadual Perkara utama, nilai akan disalin ke 'Packing List' meja."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Sila nyatakan Serial No untuk Perkara {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Untuk item 'Bundle Produk', Gudang, No Serial dan batch Tidak akan dipertimbangkan dari 'Packing List' meja. Jika Gudang dan Batch No adalah sama untuk semua barangan pembungkusan untuk item apa-apa 'Bundle Produk', nilai-nilai boleh dimasukkan dalam jadual Perkara utama, nilai akan disalin ke 'Packing List' meja."
DocType: Job Opening,Publish on website,Menerbitkan di laman web
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Penghantaran kepada pelanggan.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Pembekal Invois Tarikh tidak boleh lebih besar daripada Pos Tarikh
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Pembekal Invois Tarikh tidak boleh lebih besar daripada Pos Tarikh
DocType: Purchase Invoice Item,Purchase Order Item,Pesanan Pembelian Item
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Pendapatan tidak langsung
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Pendapatan tidak langsung
DocType: Student Attendance Tool,Student Attendance Tool,Alat Kehadiran Pelajar
DocType: Cheque Print Template,Date Settings,tarikh Tetapan
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Varian
@@ -1024,21 +1030,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Kimia
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Lalai akaun Bank / Tunai akan secara automatik dikemaskini dalam Gaji Journal Kemasukan apabila mod ini dipilih.
DocType: BOM,Raw Material Cost(Company Currency),Bahan mentah Kos (Syarikat Mata Wang)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Semua barang-barang telah dipindahkan bagi Perintah Pengeluaran ini.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Semua barang-barang telah dipindahkan bagi Perintah Pengeluaran ini.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Kadar tidak boleh lebih besar daripada kadar yang digunakan dalam {1} {2}
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Kadar tidak boleh lebih besar daripada kadar yang digunakan dalam {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,meter
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,meter
DocType: Workstation,Electricity Cost,Kos Elektrik
DocType: HR Settings,Don't send Employee Birthday Reminders,Jangan hantar Pekerja Hari Lahir Peringatan
DocType: Item,Inspection Criteria,Kriteria Pemeriksaan
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Dipindahkan
DocType: BOM Website Item,BOM Website Item,BOM laman Perkara
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Memuat naik kepala surat dan logo. (Anda boleh mengeditnya kemudian).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Memuat naik kepala surat dan logo. (Anda boleh mengeditnya kemudian).
DocType: Timesheet Detail,Bill,Rang Undang-Undang
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Selepas Tarikh Susutnilai dimasukkan sebagai tarikh lepas
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,White
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,White
DocType: SMS Center,All Lead (Open),Semua Lead (Terbuka)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Qty tidak tersedia untuk {4} dalam gudang {1} di mencatat masa catatan ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Qty tidak tersedia untuk {4} dalam gudang {1} di mencatat masa catatan ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Mendapatkan Pendahuluan Dibayar
DocType: Item,Automatically Create New Batch,Secara automatik Buat Batch New
DocType: Item,Automatically Create New Batch,Secara automatik Buat Batch New
@@ -1049,13 +1055,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Keranjang saya
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Perintah Jenis mestilah salah seorang daripada {0}
DocType: Lead,Next Contact Date,Hubungi Seterusnya Tarikh
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Membuka Qty
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,Sila masukkan Akaun untuk Perubahan Jumlah
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Membuka Qty
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,Sila masukkan Akaun untuk Perubahan Jumlah
DocType: Student Batch Name,Student Batch Name,Pelajar Batch Nama
DocType: Holiday List,Holiday List Name,Nama Senarai Holiday
DocType: Repayment Schedule,Balance Loan Amount,Jumlah Baki Pinjaman
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Kursus jadual
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Pilihan Saham
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Pilihan Saham
DocType: Journal Entry Account,Expense Claim,Perbelanjaan Tuntutan
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Adakah anda benar-benar mahu memulihkan aset dilupuskan ini?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Qty untuk {0}
@@ -1067,12 +1073,12 @@
DocType: Company,Default Terms,Terma Default
DocType: Packing Slip Item,Packing Slip Item,Pembungkusan Slip Perkara
DocType: Purchase Invoice,Cash/Bank Account,Akaun Tunai / Bank
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Sila nyatakan {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Sila nyatakan {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Barangan dikeluarkan dengan tiada perubahan dalam kuantiti atau nilai.
DocType: Delivery Note,Delivery To,Penghantaran Untuk
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Jadual atribut adalah wajib
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Jadual atribut adalah wajib
DocType: Production Planning Tool,Get Sales Orders,Dapatkan Perintah Jualan
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} tidak boleh negatif
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} tidak boleh negatif
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Diskaun
DocType: Asset,Total Number of Depreciations,Jumlah penurunan nilai
DocType: Sales Invoice Item,Rate With Margin,Kadar Dengan Margin
@@ -1093,7 +1099,6 @@
DocType: Serial No,Creation Document No,Penciptaan Dokumen No
DocType: Issue,Issue,Isu
DocType: Asset,Scrapped,dibatalkan
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Akaun tidak sepadan dengan Syarikat
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Sifat-sifat bagi Perkara Kelainan. contohnya Saiz, Warna dan lain-lain"
DocType: Purchase Invoice,Returns,pulangan
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP Gudang
@@ -1105,12 +1110,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,Item mesti ditambah menggunakan 'Dapatkan Item daripada Pembelian Resit' butang
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Termasuk barangan tanpa saham yang
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Perbelanjaan jualan
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Perbelanjaan jualan
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Membeli Standard
DocType: GL Entry,Against,Terhadap
DocType: Item,Default Selling Cost Center,Default Jualan Kos Pusat
DocType: Sales Partner,Implementation Partner,Rakan Pelaksanaan
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Poskod
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Poskod
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Pesanan Jualan {0} ialah {1}
DocType: Opportunity,Contact Info,Maklumat perhubungan
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Membuat Kemasukan Stok
@@ -1123,33 +1128,33 @@
DocType: Holiday List,Get Weekly Off Dates,Dapatkan Mingguan Off Tarikh
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,Tarikh akhir tidak boleh kurang daripada Tarikh Mula
DocType: Sales Person,Select company name first.,Pilih nama syarikat pertama.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Dr
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Sebut Harga yang diterima daripada Pembekal.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Untuk {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Purata Umur
DocType: School Settings,Attendance Freeze Date,Kehadiran Freeze Tarikh
DocType: School Settings,Attendance Freeze Date,Kehadiran Freeze Tarikh
DocType: Opportunity,Your sales person who will contact the customer in future,Orang jualan anda yang akan menghubungi pelanggan pada masa akan datang
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Senarai beberapa pembekal anda. Mereka boleh menjadi organisasi atau individu.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Senarai beberapa pembekal anda. Mereka boleh menjadi organisasi atau individu.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Lihat Semua Produk
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Lead Minimum Umur (Hari)
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Lead Minimum Umur (Hari)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,semua boms
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,semua boms
DocType: Company,Default Currency,Mata wang lalai
DocType: Expense Claim,From Employee,Dari Pekerja
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Amaran: Sistem tidak akan semak overbilling sejak jumlah untuk Perkara {0} dalam {1} adalah sifar
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Amaran: Sistem tidak akan semak overbilling sejak jumlah untuk Perkara {0} dalam {1} adalah sifar
DocType: Journal Entry,Make Difference Entry,Membawa Perubahan Entry
DocType: Upload Attendance,Attendance From Date,Kehadiran Dari Tarikh
DocType: Appraisal Template Goal,Key Performance Area,Kawasan Prestasi Utama
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Pengangkutan
+DocType: Program Enrollment,Transportation,Pengangkutan
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Sifat tidak sah
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} mestilah diserahkan
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} mestilah diserahkan
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Kuantiti mesti kurang daripada atau sama dengan {0}
DocType: SMS Center,Total Characters,Jumlah Watak
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Sila pilih BOM dalam bidang BOM untuk Perkara {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Sila pilih BOM dalam bidang BOM untuk Perkara {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,Detail C-Borang Invois
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Bayaran Penyesuaian Invois
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Sumbangan%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Sebagai satu Tetapan Membeli jika Purchase Order Diperlukan == 'YA', maka untuk mewujudkan Invois Belian, pengguna perlu membuat Pesanan Belian pertama bagi item {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Nombor pendaftaran syarikat untuk rujukan anda. Nombor cukai dan lain-lain
DocType: Sales Partner,Distributor,Pengedar
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Membeli-belah Troli Penghantaran Peraturan
@@ -1158,23 +1163,25 @@
,Ordered Items To Be Billed,Item Diperintah dibilkan
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Dari Range mempunyai kurang daripada Untuk Julat
DocType: Global Defaults,Global Defaults,Lalai Global
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Projek Kerjasama Jemputan
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Projek Kerjasama Jemputan
DocType: Salary Slip,Deductions,Potongan
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Mula Tahun
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},Pertama 2 digit GSTIN harus sepadan dengan nombor Negeri {0}
DocType: Purchase Invoice,Start date of current invoice's period,Tarikh tempoh invois semasa memulakan
DocType: Salary Slip,Leave Without Pay,Tinggalkan Tanpa Gaji
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Kapasiti Ralat Perancangan
,Trial Balance for Party,Baki percubaan untuk Parti
DocType: Lead,Consultant,Perunding
DocType: Salary Slip,Earnings,Pendapatan
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Mendapat tempat Item {0} mesti dimasukkan untuk masuk jenis Pembuatan
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Mendapat tempat Item {0} mesti dimasukkan untuk masuk jenis Pembuatan
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Perakaunan membuka Baki
+,GST Sales Register,GST Sales Daftar
DocType: Sales Invoice Advance,Sales Invoice Advance,Jualan Invois Advance
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Tiada apa-apa untuk meminta
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Satu lagi rekod Bajet '{0}' sudah wujud daripada {1} '{2} bagi tahun fiskal {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date','Tarikh Asal Mula' tidak boleh lebih besar daripada 'Tarikh Asal Tamat'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Pengurusan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Pengurusan
DocType: Cheque Print Template,Payer Settings,Tetapan pembayar
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Ini akan dilampirkan Kod Item bagi varian. Sebagai contoh, jika anda adalah singkatan "SM", dan kod item adalah "T-SHIRT", kod item varian akan "T-SHIRT-SM""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Gaji bersih (dengan perkataan) akan dapat dilihat selepas anda menyimpan Slip Gaji.
@@ -1191,8 +1198,8 @@
DocType: Employee Loan,Partially Disbursed,sebahagiannya Dikeluarkan
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Pangkalan data pembekal.
DocType: Account,Balance Sheet,Kunci Kira-kira
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Pusat Kos Bagi Item Kod Item '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mode bayaran tidak dikonfigurasikan. Sila semak, sama ada akaun ini tidak ditetapkan Mod Pembayaran atau POS Profil."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Pusat Kos Bagi Item Kod Item '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mode bayaran tidak dikonfigurasikan. Sila semak, sama ada akaun ini tidak ditetapkan Mod Pembayaran atau POS Profil."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Orang jualan anda akan mendapat peringatan pada tarikh ini untuk menghubungi pelanggan
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,item yang sama tidak boleh dimasukkan beberapa kali.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Akaun lanjut boleh dibuat di bawah Kumpulan, tetapi penyertaan boleh dibuat terhadap bukan Kumpulan"
@@ -1200,7 +1207,7 @@
DocType: Email Digest,Payables,Pemiutang
DocType: Course,Course Intro,kursus Pengenalan
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Kemasukan Stock {0} dicipta
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Ditolak Qty tidak boleh dimasukkan dalam Pembelian Pulangan
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Ditolak Qty tidak boleh dimasukkan dalam Pembelian Pulangan
,Purchase Order Items To Be Billed,Item Pesanan Belian dikenakan caj
DocType: Purchase Invoice Item,Net Rate,Kadar bersih
DocType: Purchase Invoice Item,Purchase Invoice Item,Membeli Invois Perkara
@@ -1227,7 +1234,7 @@
DocType: Sales Order,SO-,demikian-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Sila pilih awalan pertama
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Penyelidikan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Penyelidikan
DocType: Maintenance Visit Purpose,Work Done,Kerja Selesai
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Sila nyatakan sekurang-kurangnya satu atribut dalam jadual Atribut
DocType: Announcement,All Students,semua Pelajar
@@ -1235,17 +1242,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Lihat Lejar
DocType: Grading Scale,Intervals,selang
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Terawal
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Satu Kumpulan Item wujud dengan nama yang sama, sila tukar nama item atau menamakan semula kumpulan item"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Pelajar Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Rest Of The World
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Satu Kumpulan Item wujud dengan nama yang sama, sila tukar nama item atau menamakan semula kumpulan item"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Pelajar Mobile No.
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Rest Of The World
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,The Perkara {0} tidak boleh mempunyai Batch
,Budget Variance Report,Belanjawan Laporan Varian
DocType: Salary Slip,Gross Pay,Gaji kasar
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Row {0}: Jenis Aktiviti adalah wajib.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Dividen Dibayar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Dividen Dibayar
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Perakaunan Lejar
DocType: Stock Reconciliation,Difference Amount,Perbezaan Amaun
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Pendapatan tertahan
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Pendapatan tertahan
DocType: Vehicle Log,Service Detail,Detail perkhidmatan
DocType: BOM,Item Description,Perkara Penerangan
DocType: Student Sibling,Student Sibling,Adik-beradik pelajar
@@ -1260,11 +1267,11 @@
DocType: Opportunity Item,Opportunity Item,Peluang Perkara
,Student and Guardian Contact Details,Pelajar dan Guardian Butiran Hubungi
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Row {0}: Untuk pembekal {0} Alamat e-mel diperlukan untuk menghantar e-mel
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Pembukaan sementara
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Pembukaan sementara
,Employee Leave Balance,Pekerja Cuti Baki
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Baki untuk Akaun {0} mesti sentiasa {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Kadar Penilaian diperlukan untuk Item berturut-turut {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Contoh: Sarjana Sains Komputer
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Contoh: Sarjana Sains Komputer
DocType: Purchase Invoice,Rejected Warehouse,Gudang Ditolak
DocType: GL Entry,Against Voucher,Terhadap Baucar
DocType: Item,Default Buying Cost Center,Default Membeli Kos Pusat
@@ -1277,31 +1284,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Dapatkan Invois Cemerlang
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Pesanan Jualan {0} tidak sah
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,pesanan pembelian membantu anda merancang dan mengambil tindakan susulan ke atas pembelian anda
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Maaf, syarikat tidak boleh digabungkan"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Maaf, syarikat tidak boleh digabungkan"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",Jumlah kuantiti Terbitan / Transfer {0} dalam Permintaan Bahan {1} \ tidak boleh lebih besar daripada kuantiti diminta {2} untuk item {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Kecil
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Kecil
DocType: Employee,Employee Number,Bilangan pekerja
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Kes Tidak (s) telah digunakan. Cuba dari Case No {0}
DocType: Project,% Completed,% Selesai
,Invoiced Amount (Exculsive Tax),Invois (Exculsive Cukai)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Perkara 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Kepala Akaun {0} telah diadakan
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,Event Training
DocType: Item,Auto re-order,Auto semula perintah
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Jumlah Pencapaian
DocType: Employee,Place of Issue,Tempat Dikeluarkan
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Kontrak
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Kontrak
DocType: Email Digest,Add Quote,Tambah Quote
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},Faktor coversion UOM diperlukan untuk UOM: {0} dalam Perkara: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Perbelanjaan tidak langsung
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Faktor coversion UOM diperlukan untuk UOM: {0} dalam Perkara: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Perbelanjaan tidak langsung
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Row {0}: Qty adalah wajib
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Pertanian
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sync Master Data
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Produk atau Perkhidmatan anda
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Produk atau Perkhidmatan anda
DocType: Mode of Payment,Mode of Payment,Cara Pembayaran
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Laman web Image perlu fail awam atau URL laman web
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Laman web Image perlu fail awam atau URL laman web
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Ini adalah kumpulan item akar dan tidak boleh diedit.
@@ -1310,7 +1316,7 @@
DocType: Warehouse,Warehouse Contact Info,Gudang info
DocType: Payment Entry,Write Off Difference Amount,Tulis Off Jumlah Perbezaan
DocType: Purchase Invoice,Recurring Type,Jenis berulang
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: e-mel pekerja tidak dijumpai, maka e-mel tidak dihantar"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: e-mel pekerja tidak dijumpai, maka e-mel tidak dihantar"
DocType: Item,Foreign Trade Details,Maklumat Perdagangan Luar Negeri
DocType: Email Digest,Annual Income,Pendapatan tahunan
DocType: Serial No,Serial No Details,Serial No Butiran
@@ -1318,10 +1324,10 @@
DocType: Student Group Student,Group Roll Number,Kumpulan Nombor Roll
DocType: Student Group Student,Group Roll Number,Kumpulan Nombor Roll
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Untuk {0}, hanya akaun kredit boleh dikaitkan terhadap kemasukan debit lain"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Jumlah semua berat tugas harus 1. Laraskan berat semua tugas Projek sewajarnya
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Penghantaran Nota {0} tidak dikemukakan
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Perkara {0} mestilah Sub-kontrak Perkara
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Peralatan Modal
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Jumlah semua berat tugas harus 1. Laraskan berat semua tugas Projek sewajarnya
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Penghantaran Nota {0} tidak dikemukakan
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Perkara {0} mestilah Sub-kontrak Perkara
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Peralatan Modal
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Peraturan harga mula-mula dipilih berdasarkan 'Guna Mengenai' bidang, yang boleh menjadi Perkara, Perkara Kumpulan atau Jenama."
DocType: Hub Settings,Seller Website,Penjual Laman Web
DocType: Item,ITEM-,ITEM-
@@ -1339,7 +1345,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Hanya ada satu Keadaan Peraturan Penghantaran dengan 0 atau nilai kosong untuk "Untuk Nilai"
DocType: Authorization Rule,Transaction,Transaksi
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Nota: Ini PTJ adalah Kumpulan. Tidak boleh membuat catatan perakaunan terhadap kumpulan.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,Child gudang wujud untuk gudang ini. Anda tidak boleh memadam gudang ini.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Child gudang wujud untuk gudang ini. Anda tidak boleh memadam gudang ini.
DocType: Item,Website Item Groups,Kumpulan Website Perkara
DocType: Purchase Invoice,Total (Company Currency),Jumlah (Syarikat mata wang)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Nombor siri {0} memasuki lebih daripada sekali
@@ -1349,7 +1355,7 @@
DocType: Grading Scale Interval,Grade Code,Kod gred
DocType: POS Item Group,POS Item Group,POS Item Kumpulan
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-mel Digest:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} bukan milik Perkara {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} bukan milik Perkara {1}
DocType: Sales Partner,Target Distribution,Pengagihan Sasaran
DocType: Salary Slip,Bank Account No.,No. Akaun Bank
DocType: Naming Series,This is the number of the last created transaction with this prefix,Ini ialah bilangan transaksi terakhir yang dibuat dengan awalan ini
@@ -1360,12 +1366,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Buku Asset Kemasukan Susutnilai secara automatik
DocType: BOM Operation,Workstation,Stesen kerja
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Sebut Harga Pembekal
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Perkakasan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Perkakasan
DocType: Sales Order,Recurring Upto,berulang Hamper
DocType: Attendance,HR Manager,HR Manager
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Sila pilih sebuah Syarikat
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Privilege Cuti
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Sila pilih sebuah Syarikat
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Privilege Cuti
DocType: Purchase Invoice,Supplier Invoice Date,Pembekal Invois Tarikh
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,setiap
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Anda perlu untuk membolehkan Troli
DocType: Payment Entry,Writeoff,Hapus kira
DocType: Appraisal Template Goal,Appraisal Template Goal,Templat Penilaian Matlamat
@@ -1376,10 +1383,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Keadaan bertindih yang terdapat di antara:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Terhadap Journal Entry {0} telah diselaraskan dengan beberapa baucar lain
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Jumlah Nilai Pesanan
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Makanan
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Makanan
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Range Penuaan 3
DocType: Maintenance Schedule Item,No of Visits,Jumlah Lawatan
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Mark Kehadiran
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Mark Kehadiran
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Jadual Penyelenggaraan {0} wujud daripada {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,pelajar yang mendaftar
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Mata Wang Akaun Penutupan mestilah {0}
@@ -1393,6 +1400,7 @@
DocType: Rename Tool,Utilities,Utiliti
DocType: Purchase Invoice Item,Accounting,Perakaunan
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Sila pilih kumpulan untuk item batched
DocType: Asset,Depreciation Schedules,Jadual susutnilai
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Tempoh permohonan tidak boleh cuti di luar tempoh peruntukan
DocType: Activity Cost,Projects,Projek
@@ -1406,6 +1414,7 @@
DocType: POS Profile,Campaign,Kempen
DocType: Supplier,Name and Type,Nama dan Jenis
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Kelulusan Status mesti 'diluluskan' atau 'Ditolak'
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,Bootstrap
DocType: Purchase Invoice,Contact Person,Dihubungi
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Jangkaan Tarikh Bermula' tidak boleh menjadi lebih besar daripada 'Jangkaan Tarikh Tamat'
DocType: Course Scheduling Tool,Course End Date,Kursus Tarikh Akhir
@@ -1413,12 +1422,11 @@
DocType: Sales Order Item,Planned Quantity,Dirancang Kuantiti
DocType: Purchase Invoice Item,Item Tax Amount,Jumlah Perkara Cukai
DocType: Item,Maintain Stock,Mengekalkan Stok
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Penyertaan Saham telah dicipta untuk Perintah Pengeluaran
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Penyertaan Saham telah dicipta untuk Perintah Pengeluaran
DocType: Employee,Prefered Email,diinginkan Email
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Perubahan Bersih dalam Aset Tetap
DocType: Leave Control Panel,Leave blank if considered for all designations,Tinggalkan kosong jika dipertimbangkan untuk semua jawatan
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Warehouse adalah wajib bagi Akaun kumpulan bukan jenis Saham
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Penjaga jenis 'sebenar' di baris {0} tidak boleh dimasukkan dalam Kadar Perkara
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Penjaga jenis 'sebenar' di baris {0} tidak boleh dimasukkan dalam Kadar Perkara
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Dari datetime
DocType: Email Digest,For Company,Bagi Syarikat
@@ -1428,15 +1436,15 @@
DocType: Sales Invoice,Shipping Address Name,Alamat Penghantaran Nama
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Carta Akaun
DocType: Material Request,Terms and Conditions Content,Terma dan Syarat Kandungan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,tidak boleh lebih besar daripada 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Perkara {0} bukan Item saham
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,tidak boleh lebih besar daripada 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Perkara {0} bukan Item saham
DocType: Maintenance Visit,Unscheduled,Tidak Berjadual
DocType: Employee,Owned,Milik
DocType: Salary Detail,Depends on Leave Without Pay,Bergantung kepada Cuti Tanpa Gaji
DocType: Pricing Rule,"Higher the number, higher the priority","Lebih tinggi nombor tersebut, lebih tinggi keutamaan"
,Purchase Invoice Trends,Membeli Trend Invois
DocType: Employee,Better Prospects,Prospek yang lebih baik
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Row # {0}: batch The {1} hanya {2} qty. Sila pilih satu lagi kumpulan yang mempunyai {3} qty ada atau berpecah baris ke dalam pelbagai baris, untuk menyampaikan / isu dari pelbagai kelompok"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Row # {0}: batch The {1} hanya {2} qty. Sila pilih satu lagi kumpulan yang mempunyai {3} qty ada atau berpecah baris ke dalam pelbagai baris, untuk menyampaikan / isu dari pelbagai kelompok"
DocType: Vehicle,License Plate,Plate lesen
DocType: Appraisal,Goals,Matlamat
DocType: Warranty Claim,Warranty / AMC Status,Waranti / AMC Status
@@ -1447,19 +1455,20 @@
,Batch-Wise Balance History,Batch Bijaksana Baki Sejarah
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,tetapan cetak dikemaskini dalam format cetak masing
DocType: Package Code,Package Code,Kod pakej
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Perantis
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Perantis
+DocType: Purchase Invoice,Company GSTIN,syarikat GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Kuantiti negatif tidak dibenarkan
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",Cukai terperinci jadual diambil dari ruang induk sebagai rentetan dan disimpan di dalam bidang ini. Digunakan untuk Cukai dan Caj
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Pekerja tidak boleh melaporkan kepada dirinya sendiri.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Jika akaun dibekukan, entri dibenarkan pengguna terhad."
DocType: Email Digest,Bank Balance,Baki Bank
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Kemasukan Perakaunan untuk {0}: {1} hanya boleh dibuat dalam mata wang: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Kemasukan Perakaunan untuk {0}: {1} hanya boleh dibuat dalam mata wang: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Profil kerja, kelayakan yang diperlukan dan lain-lain"
DocType: Journal Entry Account,Account Balance,Baki Akaun
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Peraturan cukai bagi urus niaga.
DocType: Rename Tool,Type of document to rename.,Jenis dokumen untuk menamakan semula.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Kami membeli Perkara ini
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Kami membeli Perkara ini
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Pelanggan dikehendaki terhadap akaun Belum Terima {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Jumlah Cukai dan Caj (Mata Wang Syarikat)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Tunjukkan P & baki L tahun fiskal unclosed ini
@@ -1470,29 +1479,30 @@
DocType: Stock Entry,Total Additional Costs,Jumlah Kos Tambahan
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Kos Scrap bahan (Syarikat Mata Wang)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Dewan Sub
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Dewan Sub
DocType: Asset,Asset Name,Nama aset
DocType: Project,Task Weight,tugas Berat
DocType: Shipping Rule Condition,To Value,Untuk Nilai
DocType: Asset Movement,Stock Manager,Pengurus saham
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Sumber gudang adalah wajib untuk berturut-turut {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Slip pembungkusan
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Pejabat Disewa
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Sumber gudang adalah wajib untuk berturut-turut {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Slip pembungkusan
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Pejabat Disewa
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Tetapan gateway Persediaan SMS
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Import Gagal!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Tiada alamat ditambah lagi.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Tiada alamat ditambah lagi.
DocType: Workstation Working Hour,Workstation Working Hour,Workstation Jam Kerja
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Penganalisis
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Penganalisis
DocType: Item,Inventory,Inventori
DocType: Item,Sales Details,Jualan Butiran
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,Dengan Item
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,Dalam Kuantiti
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,Dalam Kuantiti
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Mengesahkan supply Kursus Pelajar dalam Kumpulan Pelajar
DocType: Notification Control,Expense Claim Rejected,Perbelanjaan Tuntutan Ditolak
DocType: Item,Item Attribute,Perkara Sifat
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Kerajaan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Kerajaan
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Perbelanjaan Tuntutan {0} telah wujud untuk Log Kenderaan
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Nama Institut
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Nama Institut
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,Sila masukkan Jumlah pembayaran balik
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Kelainan Perkara
DocType: Company,Services,Perkhidmatan
@@ -1502,18 +1512,18 @@
DocType: Sales Invoice,Source,Sumber
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Show ditutup
DocType: Leave Type,Is Leave Without Pay,Apakah Tinggalkan Tanpa Gaji
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Kategori Asset adalah wajib bagi item Aset Tetap
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Kategori Asset adalah wajib bagi item Aset Tetap
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Tiada rekod yang terdapat dalam jadual Pembayaran
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Ini {0} konflik dengan {1} untuk {2} {3}
DocType: Student Attendance Tool,Students HTML,pelajar HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Tahun Kewangan Tarikh Mula
DocType: POS Profile,Apply Discount,Gunakan Diskaun
+DocType: Purchase Invoice Item,GST HSN Code,GST Kod HSN
DocType: Employee External Work History,Total Experience,Jumlah Pengalaman
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Projek Terbuka
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Slip pembungkusan (s) dibatalkan
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Aliran tunai daripada Pelaburan
DocType: Program Course,Program Course,Kursus program
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Freight Forwarding dan Caj
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Freight Forwarding dan Caj
DocType: Homepage,Company Tagline for website homepage,Syarikat Tagline untuk laman web laman utama
DocType: Item Group,Item Group Name,Perkara Kumpulan Nama
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Diambil
@@ -1523,6 +1533,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Buat Leads
DocType: Maintenance Schedule,Schedules,Jadual
DocType: Purchase Invoice Item,Net Amount,Jumlah Bersih
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} belum dikemukakan supaya tindakan itu tidak boleh diselesaikan
DocType: Purchase Order Item Supplied,BOM Detail No,Detail BOM Tiada
DocType: Landed Cost Voucher,Additional Charges,Caj tambahan
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Jumlah Diskaun tambahan (Mata Wang Syarikat)
@@ -1538,6 +1549,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Jumlah Bayaran Balik Bulanan
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,Sila tetapkan ID Pengguna medan dalam rekod Pekerja untuk menetapkan Peranan Pekerja
DocType: UOM,UOM Name,Nama UOM
+DocType: GST HSN Code,HSN Code,Kod HSN
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Jumlah Sumbangan
DocType: Purchase Invoice,Shipping Address,Alamat Penghantaran
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Alat ini membantu anda untuk mengemas kini atau yang menetapkan kuantiti dan penilaian stok sistem. Ia biasanya digunakan untuk menyegerakkan nilai sistem dan apa yang benar-benar wujud di gudang anda.
@@ -1548,18 +1560,17 @@
DocType: Program Enrollment Tool,Program Enrollments,pendaftaran program
DocType: Sales Invoice Item,Brand Name,Nama jenama
DocType: Purchase Receipt,Transporter Details,Butiran Transporter
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,gudang lalai diperlukan untuk item yang dipilih
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Box
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,gudang lalai diperlukan untuk item yang dipilih
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Box
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,Pembekal mungkin
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Pertubuhan
DocType: Budget,Monthly Distribution,Pengagihan Bulanan
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Penerima Senarai kosong. Sila buat Penerima Senarai
DocType: Production Plan Sales Order,Production Plan Sales Order,Rancangan Pengeluaran Jualan Pesanan
DocType: Sales Partner,Sales Partner Target,Jualan Rakan Sasaran
DocType: Loan Type,Maximum Loan Amount,Jumlah Pinjaman maksimum
DocType: Pricing Rule,Pricing Rule,Peraturan Harga
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},jumlah roll salinan untuk pelajar {0}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},jumlah roll salinan untuk pelajar {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},jumlah roll salinan untuk pelajar {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},jumlah roll salinan untuk pelajar {0}
DocType: Budget,Action if Annual Budget Exceeded,Tindakan jika Bajet Tahunan Melebihi
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Permintaan bahan Membeli Pesanan
DocType: Shopping Cart Settings,Payment Success URL,Pembayaran URL Kejayaan
@@ -1572,11 +1583,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Membuka Baki Saham
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} mesti muncul hanya sekali
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Tidak dibenarkan Pindahkan lebih {0} daripada {1} terhadap Perintah Pembelian {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Tidak dibenarkan Pindahkan lebih {0} daripada {1} terhadap Perintah Pembelian {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Meninggalkan Diperuntukkan Berjaya untuk {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Tiada item untuk pek
DocType: Shipping Rule Condition,From Value,Dari Nilai
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Pembuatan Kuantiti adalah wajib
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Pembuatan Kuantiti adalah wajib
DocType: Employee Loan,Repayment Method,Kaedah Bayaran Balik
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Jika disemak, page Utama akan menjadi lalai Item Kumpulan untuk laman web"
DocType: Quality Inspection Reading,Reading 4,Membaca 4
@@ -1586,7 +1597,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Row # {0}: Tarikh Clearance {1} tidak boleh sebelum Tarikh Cek {2}
DocType: Company,Default Holiday List,Default Senarai Holiday
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Row {0}: Dari Masa dan Untuk Masa {1} adalah bertindih dengan {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Liabiliti saham
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Liabiliti saham
DocType: Purchase Invoice,Supplier Warehouse,Gudang Pembekal
DocType: Opportunity,Contact Mobile No,Hubungi Mobile No
,Material Requests for which Supplier Quotations are not created,Permintaan bahan yang mana Sebutharga Pembekal tidak dicipta
@@ -1597,35 +1608,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Membuat Sebut Harga
apps/erpnext/erpnext/config/selling.py +216,Other Reports,Laporan lain
DocType: Dependent Task,Dependent Task,Petugas bergantung
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Faktor penukaran Unit keingkaran Langkah mesti 1 berturut-turut {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Faktor penukaran Unit keingkaran Langkah mesti 1 berturut-turut {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Cuti jenis {0} tidak boleh lebih panjang daripada {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Cuba merancang operasi untuk hari X terlebih dahulu.
DocType: HR Settings,Stop Birthday Reminders,Stop Hari Lahir Peringatan
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Sila menetapkan Payroll Akaun Belum Bayar Lalai dalam Syarikat {0}
DocType: SMS Center,Receiver List,Penerima Senarai
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Cari Item
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Cari Item
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Jumlah dimakan
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Perubahan Bersih dalam Tunai
DocType: Assessment Plan,Grading Scale,Skala penggredan
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unit Langkah {0} telah memasuki lebih daripada sekali dalam Factor Penukaran Jadual
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unit Langkah {0} telah memasuki lebih daripada sekali dalam Factor Penukaran Jadual
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,sudah selesai
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock In Hand
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Permintaan Bayaran sudah wujud {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Kos Item Dikeluarkan
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Kuantiti mestilah tidak lebih daripada {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Sebelum Tahun Kewangan tidak ditutup
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Umur (Hari)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Umur (Hari)
DocType: Quotation Item,Quotation Item,Sebut Harga Item
+DocType: Customer,Customer POS Id,Id POS pelanggan
DocType: Account,Account Name,Nama Akaun
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Dari Tarikh tidak boleh lebih besar daripada Dating
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} kuantiti {1} tidak boleh menjadi sebahagian kecil
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Jenis pembekal induk.
DocType: Purchase Order Item,Supplier Part Number,Pembekal Bahagian Nombor
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Kadar Penukaran tidak boleh menjadi 0 atau 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Kadar Penukaran tidak boleh menjadi 0 atau 1
DocType: Sales Invoice,Reference Document,Dokumen rujukan
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} dibatalkan atau dihentikan
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} dibatalkan atau dihentikan
DocType: Accounts Settings,Credit Controller,Pengawal Kredit
DocType: Delivery Note,Vehicle Dispatch Date,Kenderaan Dispatch Tarikh
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Pembelian Resit {0} tidak dikemukakan
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Pembelian Resit {0} tidak dikemukakan
DocType: Company,Default Payable Account,Default Akaun Belum Bayar
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Tetapan untuk troli membeli-belah dalam talian seperti peraturan perkapalan, senarai harga dan lain-lain"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% dibilkan
@@ -1644,11 +1657,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Jumlah dibayar balik
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Ini adalah berdasarkan kepada balak terhadap kenderaan ini. Lihat garis masa di bawah untuk maklumat
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,mengumpul
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Terhadap Pembekal Invois {0} bertarikh {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Terhadap Pembekal Invois {0} bertarikh {1}
DocType: Customer,Default Price List,Senarai Harga Default
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,rekod Pergerakan Aset {0} dicipta
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Anda tidak boleh memadam Tahun Anggaran {0}. Tahun Anggaran {0} ditetapkan sebagai piawai dalam Tetapan Global
DocType: Journal Entry,Entry Type,Jenis Kemasukan
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Tiada pelan penilaian dikaitkan dengan kumpulan penilaian ini
,Customer Credit Balance,Baki Pelanggan Kredit
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Perubahan Bersih dalam Akaun Belum Bayar
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Pelanggan dikehendaki untuk 'Customerwise Diskaun'
@@ -1657,7 +1671,7 @@
DocType: Quotation,Term Details,Butiran jangka
DocType: Project,Total Sales Cost (via Sales Order),Jumlah Jualan Kos (melalui Pesanan Jualan)
DocType: Project,Total Sales Cost (via Sales Order),Jumlah Jualan Kos (melalui Pesanan Jualan)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,tidak boleh mendaftar lebih daripada {0} pelajar bagi kumpulan pelajar ini.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,tidak boleh mendaftar lebih daripada {0} pelajar bagi kumpulan pelajar ini.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Lead Count
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Lead Count
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} mesti lebih besar daripada 0
@@ -1680,7 +1694,7 @@
DocType: Sales Invoice,Packed Items,Makan Item
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Jaminan Tuntutan terhadap No. Siri
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Gantikan BOM tertentu dalam semua BOMs lain di mana ia digunakan. Ia akan menggantikan BOM pautan lama, mengemas kini kos dan menjana semula "BOM Letupan Perkara" jadual seperti BOM baru"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Jumlah'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Jumlah'
DocType: Shopping Cart Settings,Enable Shopping Cart,Membolehkan Troli
DocType: Employee,Permanent Address,Alamat Tetap
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1696,9 +1710,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,Sila nyatakan sama ada atau Kuantiti Kadar Nilaian atau kedua-duanya
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,Fulfillment
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Lihat dalam Troli
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Perbelanjaan pemasaran
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Perbelanjaan pemasaran
,Item Shortage Report,Perkara Kekurangan Laporan
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Berat disebutkan, \ nSila menyebut "Berat UOM" terlalu"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Berat disebutkan, \ nSila menyebut "Berat UOM" terlalu"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Permintaan bahan yang digunakan untuk membuat ini Entry Saham
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Selepas Tarikh Susutnilai adalah wajib bagi aset baru
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Berasingan Kumpulan berdasarkan kursus untuk setiap Batch
@@ -1708,17 +1722,18 @@
,Student Fee Collection,Bayaran Collection Pelajar
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Buat Perakaunan Entry Untuk Setiap Pergerakan Saham
DocType: Leave Allocation,Total Leaves Allocated,Jumlah Daun Diperuntukkan
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Gudang diperlukan semasa Row Tiada {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Sila masukkan tahun kewangan yang sah Mula dan Tarikh Akhir
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Gudang diperlukan semasa Row Tiada {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Sila masukkan tahun kewangan yang sah Mula dan Tarikh Akhir
DocType: Employee,Date Of Retirement,Tarikh Persaraan
DocType: Upload Attendance,Get Template,Dapatkan Template
+DocType: Material Request,Transferred,dipindahkan
DocType: Vehicle,Doors,Doors
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext Persediaan Selesai!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Persediaan Selesai!
DocType: Course Assessment Criteria,Weightage,Wajaran
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Pusat Kos yang diperlukan untuk akaun 'Untung Rugi' {2}. Sila menubuhkan Pusat Kos lalai untuk Syarikat.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Satu Kumpulan Pelanggan sudah wujud dengan nama yang sama, sila tukar nama Pelanggan atau menamakan semula Kumpulan Pelanggan"
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Kenalan Baru
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Satu Kumpulan Pelanggan sudah wujud dengan nama yang sama, sila tukar nama Pelanggan atau menamakan semula Kumpulan Pelanggan"
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Kenalan Baru
DocType: Territory,Parent Territory,Wilayah Ibu Bapa
DocType: Quality Inspection Reading,Reading 2,Membaca 2
DocType: Stock Entry,Material Receipt,Penerimaan Bahan
@@ -1727,17 +1742,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Jika perkara ini mempunyai varian, maka ia tidak boleh dipilih dalam pesanan jualan dan lain-lain"
DocType: Lead,Next Contact By,Hubungi Seterusnya By
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Kuantiti yang diperlukan untuk Perkara {0} berturut-turut {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},Gudang {0} tidak boleh dihapuskan sebagai kuantiti wujud untuk Perkara {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Kuantiti yang diperlukan untuk Perkara {0} berturut-turut {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Gudang {0} tidak boleh dihapuskan sebagai kuantiti wujud untuk Perkara {1}
DocType: Quotation,Order Type,Perintah Jenis
DocType: Purchase Invoice,Notification Email Address,Pemberitahuan Alamat E-mel
,Item-wise Sales Register,Perkara-bijak Jualan Daftar
DocType: Asset,Gross Purchase Amount,Jumlah Pembelian Kasar
DocType: Asset,Depreciation Method,Kaedah susut nilai
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,offline
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,offline
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Cukai ini adalah termasuk dalam Kadar Asas?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Jumlah Sasaran
-DocType: Program Course,Required,diperlukan
DocType: Job Applicant,Applicant for a Job,Pemohon untuk pekerjaan yang
DocType: Production Plan Material Request,Production Plan Material Request,Pengeluaran Pelan Bahan Permintaan
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Tiada Perintah Pengeluaran dicipta
@@ -1747,17 +1761,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Membenarkan pelbagai Pesanan Jualan terhadap Perintah Pembelian yang Pelanggan
DocType: Student Group Instructor,Student Group Instructor,Pengajar Kumpulan Pelajar
DocType: Student Group Instructor,Student Group Instructor,Pengajar Kumpulan Pelajar
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 Bimbit
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Utama
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Bimbit
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Utama
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Varian
DocType: Naming Series,Set prefix for numbering series on your transactions,Terletak awalan untuk penomboran siri transaksi anda
DocType: Employee Attendance Tool,Employees HTML,pekerja HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,BOM lalai ({0}) mesti aktif untuk item ini atau template yang
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,BOM lalai ({0}) mesti aktif untuk item ini atau template yang
DocType: Employee,Leave Encashed?,Cuti ditunaikan?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Peluang Daripada bidang adalah wajib
DocType: Email Digest,Annual Expenses,Perbelanjaan tahunan
DocType: Item,Variants,Kelainan
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Buat Pesanan Belian
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Buat Pesanan Belian
DocType: SMS Center,Send To,Hantar Kepada
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Tidak ada baki cuti yang cukup untuk Cuti Jenis {0}
DocType: Payment Reconciliation Payment,Allocated amount,Jumlah yang diperuntukkan
@@ -1773,26 +1787,25 @@
DocType: Item,Serial Nos and Batches,Serial Nos dan Kelompok
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Kekuatan Kumpulan Pelajar
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Kekuatan Kumpulan Pelajar
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Terhadap Journal Entry {0} tidak mempunyai apa-apa yang tidak dapat ditandingi {1} masuk
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Terhadap Journal Entry {0} tidak mempunyai apa-apa yang tidak dapat ditandingi {1} masuk
apps/erpnext/erpnext/config/hr.py +137,Appraisals,penilaian
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Salinan No Serial masuk untuk Perkara {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Satu syarat untuk Peraturan Penghantaran
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Sila masukkan
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Tidak dapat overbill untuk item {0} berturut-turut {1} lebih {2}. Untuk membolehkan lebih-bil, sila tetapkan dalam Membeli Tetapan"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Sila menetapkan penapis di Perkara atau Warehouse
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Tidak dapat overbill untuk item {0} berturut-turut {1} lebih {2}. Untuk membolehkan lebih-bil, sila tetapkan dalam Membeli Tetapan"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Sila menetapkan penapis di Perkara atau Warehouse
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Berat bersih pakej ini. (Dikira secara automatik sebagai jumlah berat bersih item)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Sila membuat akaun untuk Warehouse ini dan menghubungkannya. Ini tidak boleh dilakukan secara automatik sebagai akaun dengan nama {0} telah wujud
DocType: Sales Order,To Deliver and Bill,Untuk Menghantar dan Rang Undang-undang
DocType: Student Group,Instructors,pengajar
DocType: GL Entry,Credit Amount in Account Currency,Jumlah Kredit dalam Mata Wang Akaun
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} hendaklah dikemukakan
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} hendaklah dikemukakan
DocType: Authorization Control,Authorization Control,Kawalan Kuasa
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Warehouse Telah adalah wajib terhadap Perkara ditolak {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Warehouse Telah adalah wajib terhadap Perkara ditolak {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Pembayaran
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Warehouse {0} tidak dikaitkan dengan mana-mana akaun, sila sebutkan akaun dalam rekod gudang atau menetapkan akaun inventori lalai dalam syarikat {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Menguruskan pesanan anda
DocType: Production Order Operation,Actual Time and Cost,Masa sebenar dan Kos
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Permintaan Bahan maksimum {0} boleh dibuat untuk Perkara {1} terhadap Sales Order {2}
-DocType: Employee,Salutation,Salam
DocType: Course,Course Abbreviation,Singkatan Course
DocType: Student Leave Application,Student Leave Application,Pelajar Permohonan Cuti
DocType: Item,Will also apply for variants,Juga akan memohon varian
@@ -1804,12 +1817,12 @@
DocType: Quotation Item,Actual Qty,Kuantiti Sebenar
DocType: Sales Invoice Item,References,Rujukan
DocType: Quality Inspection Reading,Reading 10,Membaca 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Senarai produk atau perkhidmatan anda bahawa anda membeli atau menjual. Pastikan untuk memeriksa Kumpulan Item, Unit Ukur dan hartanah lain apabila anda mula."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Senarai produk atau perkhidmatan anda bahawa anda membeli atau menjual. Pastikan untuk memeriksa Kumpulan Item, Unit Ukur dan hartanah lain apabila anda mula."
DocType: Hub Settings,Hub Node,Hub Nod
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Anda telah memasukkan perkara yang sama. Sila membetulkan dan cuba lagi.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Madya
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Madya
DocType: Asset Movement,Asset Movement,Pergerakan aset
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,Troli baru
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Troli baru
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Perkara {0} bukan Item bersiri
DocType: SMS Center,Create Receiver List,Cipta Senarai Penerima
DocType: Vehicle,Wheels,Wheels
@@ -1829,19 +1842,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Boleh merujuk berturut-turut hanya jika jenis pertuduhan adalah 'Pada Row Jumlah Sebelumnya' atau 'Sebelumnya Row Jumlah'
DocType: Sales Order Item,Delivery Warehouse,Gudang Penghantaran
DocType: SMS Settings,Message Parameter,Mesej Parameter
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Tree of Centers Kos kewangan.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Tree of Centers Kos kewangan.
DocType: Serial No,Delivery Document No,Penghantaran Dokumen No
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Sila menetapkan 'Akaun / Kerugian Keuntungan Pelupusan Aset' dalam Syarikat {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Dapatkan Item Dari Pembelian Terimaan
DocType: Serial No,Creation Date,Tarikh penciptaan
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Perkara {0} muncul beberapa kali dalam Senarai Harga {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Jualan hendaklah disemak, jika Terpakai Untuk dipilih sebagai {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Jualan hendaklah disemak, jika Terpakai Untuk dipilih sebagai {0}"
DocType: Production Plan Material Request,Material Request Date,Bahan Permintaan Tarikh
DocType: Purchase Order Item,Supplier Quotation Item,Pembekal Sebutharga Item
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Melumpuhkan penciptaan balak masa terhadap Pesanan Pengeluaran. Operasi tidak boleh dikesan terhadap Perintah Pengeluaran
DocType: Student,Student Mobile Number,Pelajar Nombor Telefon
DocType: Item,Has Variants,Mempunyai Kelainan
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Anda telah memilih barangan dari {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Anda telah memilih barangan dari {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Nama Pembahagian Bulanan
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Batch ID adalah wajib
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Batch ID adalah wajib
@@ -1852,12 +1865,12 @@
DocType: Budget,Fiscal Year,Tahun Anggaran
DocType: Vehicle Log,Fuel Price,Harga bahan api
DocType: Budget,Budget,Bajet
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Asset Item tetap perlu menjadi item tanpa saham.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Asset Item tetap perlu menjadi item tanpa saham.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Bajet tidak boleh diberikan terhadap {0}, kerana ia bukan satu akaun Pendapatan atau Perbelanjaan"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Tercapai
DocType: Student Admission,Application Form Route,Borang Permohonan Route
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Wilayah / Pelanggan
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,contohnya 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,contohnya 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Tinggalkan Jenis {0} tidak boleh diperuntukkan sejak ia meninggalkan tanpa gaji
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Row {0}: Jumlah Peruntukan {1} mesti kurang daripada atau sama dengan invois Jumlah tertunggak {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Dalam Perkataan akan dapat dilihat selepas anda menyimpan Invois Jualan.
@@ -1866,7 +1879,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Perkara {0} tidak ditetapkan untuk Serial No. Semak Item induk
DocType: Maintenance Visit,Maintenance Time,Masa penyelenggaraan
,Amount to Deliver,Jumlah untuk Menyampaikan
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Satu Produk atau Perkhidmatan
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Satu Produk atau Perkhidmatan
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Permulaan Term Tarikh tidak boleh lebih awal daripada Tarikh Tahun Permulaan Tahun Akademik mana istilah ini dikaitkan (Akademik Tahun {}). Sila betulkan tarikh dan cuba lagi.
DocType: Guardian,Guardian Interests,Guardian minat
DocType: Naming Series,Current Value,Nilai semasa
@@ -1880,12 +1893,12 @@
must be greater than or equal to {2}","Row {0}: Untuk menetapkan {1} jangka masa, perbezaan antara dari dan ke tarikh \ mesti lebih besar daripada atau sama dengan {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Ini adalah berdasarkan kepada pergerakan saham. Lihat {0} untuk mendapatkan butiran
DocType: Pricing Rule,Selling,Jualan
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Jumlah {0} {1} ditolak daripada {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Jumlah {0} {1} ditolak daripada {2}
DocType: Employee,Salary Information,Maklumat Gaji
DocType: Sales Person,Name and Employee ID,Nama dan ID Pekerja
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,Tarikh Akhir tidak boleh sebelum Tarikh Pos
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,Tarikh Akhir tidak boleh sebelum Tarikh Pos
DocType: Website Item Group,Website Item Group,Laman Web Perkara Kumpulan
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Tugas dan Cukai
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Tugas dan Cukai
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Sila masukkan tarikh Rujukan
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} entri bayaran tidak boleh ditapis oleh {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,Jadual untuk Perkara yang akan dipaparkan dalam Laman Web
@@ -1902,9 +1915,9 @@
DocType: Payment Reconciliation Payment,Reference Row,rujukan Row
DocType: Installation Note,Installation Time,Masa pemasangan
DocType: Sales Invoice,Accounting Details,Maklumat Perakaunan
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Memadam semua Transaksi Syarikat ini
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: Operasi {1} tidak siap untuk {2} qty barangan siap dalam Pengeluaran Pesanan # {3}. Sila kemas kini status operasi melalui Time Logs
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Pelaburan
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Memadam semua Transaksi Syarikat ini
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: Operasi {1} tidak siap untuk {2} qty barangan siap dalam Pengeluaran Pesanan # {3}. Sila kemas kini status operasi melalui Time Logs
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Pelaburan
DocType: Issue,Resolution Details,Resolusi Butiran
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,peruntukan
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kriteria Penerimaan
@@ -1929,7 +1942,7 @@
DocType: Room,Room Name,Nama bilik
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Tinggalkan tidak boleh digunakan / dibatalkan sebelum {0}, sebagai baki cuti telah pun dibawa dikemukakan dalam rekod peruntukan cuti masa depan {1}"
DocType: Activity Cost,Costing Rate,Kadar berharga
-,Customer Addresses And Contacts,Alamat Pelanggan Dan Kenalan
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Alamat Pelanggan Dan Kenalan
,Campaign Efficiency,Kecekapan kempen
,Campaign Efficiency,Kecekapan kempen
DocType: Discussion,Discussion,perbincangan
@@ -1941,14 +1954,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Jumlah Bil (melalui Lembaran Time)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Ulang Hasil Pelanggan
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) mesti mempunyai peranan 'Pelulus Perbelanjaan'
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Pasangan
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Pilih BOM dan Kuantiti untuk Pengeluaran
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Pasangan
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Pilih BOM dan Kuantiti untuk Pengeluaran
DocType: Asset,Depreciation Schedule,Jadual susutnilai
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Alamat Partner Sales And Hubungi
DocType: Bank Reconciliation Detail,Against Account,Terhadap Akaun
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Half Tarikh Hari harus antara Dari Tarikh dan To Date
DocType: Maintenance Schedule Detail,Actual Date,Tarikh sebenar
DocType: Item,Has Batch No,Mempunyai Batch No
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Billing Tahunan: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Billing Tahunan: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Cukai Barang dan Perkhidmatan (GST India)
DocType: Delivery Note,Excise Page Number,Eksais Bilangan Halaman
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Syarikat, Dari Tarikh dan Untuk Tarikh adalah wajib"
DocType: Asset,Purchase Date,Tarikh pembelian
@@ -1956,11 +1971,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Sila set 'Asset Susutnilai Kos Center' dalam Syarikat {0}
,Maintenance Schedules,Jadual Penyelenggaraan
DocType: Task,Actual End Date (via Time Sheet),Sebenar Tarikh Akhir (melalui Lembaran Time)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Jumlah {0} {1} daripada {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Jumlah {0} {1} daripada {2} {3}
,Quotation Trends,Trend Sebut Harga
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Perkara Kumpulan tidak dinyatakan dalam perkara induk untuk item {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Debit Untuk akaun mestilah akaun Belum Terima
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Perkara Kumpulan tidak dinyatakan dalam perkara induk untuk item {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Debit Untuk akaun mestilah akaun Belum Terima
DocType: Shipping Rule Condition,Shipping Amount,Penghantaran Jumlah
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,menambah Pelanggan
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Sementara menunggu Jumlah
DocType: Purchase Invoice Item,Conversion Factor,Faktor penukaran
DocType: Purchase Order,Delivered,Dihantar
@@ -1970,7 +1986,8 @@
DocType: Purchase Receipt,Vehicle Number,Bilangan Kenderaan
DocType: Purchase Invoice,The date on which recurring invoice will be stop,Tarikh di mana invois berulang akan berhenti
DocType: Employee Loan,Loan Amount,Jumlah pinjaman
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Materials tidak dijumpai untuk Perkara {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Self-Driving Kenderaan
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Materials tidak dijumpai untuk Perkara {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Jumlah daun diperuntukkan {0} tidak boleh kurang daripada daun yang telah pun diluluskan {1} bagi tempoh
DocType: Journal Entry,Accounts Receivable,Akaun-akaun boleh terima
,Supplier-Wise Sales Analytics,Pembekal Bijaksana Jualan Analytics
@@ -1988,22 +2005,21 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Perbelanjaan Tuntutan sedang menunggu kelulusan. Hanya Pelulus Perbelanjaan yang boleh mengemas kini status.
DocType: Email Digest,New Expenses,Perbelanjaan baru
DocType: Purchase Invoice,Additional Discount Amount,Jumlah Diskaun tambahan
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Qty mesti menjadi 1, sebagai item adalah aset tetap. Sila gunakan baris berasingan untuk berbilang qty."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Qty mesti menjadi 1, sebagai item adalah aset tetap. Sila gunakan baris berasingan untuk berbilang qty."
DocType: Leave Block List Allow,Leave Block List Allow,Tinggalkan Sekat Senarai Benarkan
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Abbr tidak boleh kosong atau senggang
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr tidak boleh kosong atau senggang
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Kumpulan kepada Bukan Kumpulan
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sukan
DocType: Loan Type,Loan Name,Nama Loan
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Jumlah Sebenar
DocType: Student Siblings,Student Siblings,Adik-beradik pelajar
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Unit
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,Sila nyatakan Syarikat
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Unit
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Sila nyatakan Syarikat
,Customer Acquisition and Loyalty,Perolehan Pelanggan dan Kesetiaan
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Gudang di mana anda mengekalkan stok barangan ditolak
DocType: Production Order,Skip Material Transfer,Skip Transfer Bahan
DocType: Production Order,Skip Material Transfer,Skip Transfer Bahan
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Tidak dapat mencari kadar pertukaran untuk {0} kepada {1} untuk tarikh kunci {2}. Sila buat rekod Penukaran Mata Wang secara manual
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Tahun kewangan anda berakhir pada
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Tidak dapat mencari kadar pertukaran untuk {0} kepada {1} untuk tarikh kunci {2}. Sila buat rekod Penukaran Mata Wang secara manual
DocType: POS Profile,Price List,Senarai Harga
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} kini Tahun Anggaran asalan. Sila muat semula browser anda untuk mengemaskini perubahan
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Tuntutan perbelanjaan
@@ -2016,14 +2032,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Baki saham dalam batch {0} akan menjadi negatif {1} untuk Perkara {2} di Gudang {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Mengikuti Permintaan Bahan telah dibangkitkan secara automatik berdasarkan pesanan semula tahap Perkara ini
DocType: Email Digest,Pending Sales Orders,Sementara menunggu Jualan Pesanan
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Akaun {0} tidak sah. Mata Wang Akaun mesti {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Akaun {0} tidak sah. Mata Wang Akaun mesti {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Faktor UOM Penukaran diperlukan berturut-turut {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Rujukan Dokumen Jenis mesti menjadi salah satu Perintah Jualan, Jualan Invois atau Kemasukan Journal"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Rujukan Dokumen Jenis mesti menjadi salah satu Perintah Jualan, Jualan Invois atau Kemasukan Journal"
DocType: Salary Component,Deduction,Potongan
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Row {0}: Dari Masa dan Untuk Masa adalah wajib.
DocType: Stock Reconciliation Item,Amount Difference,jumlah Perbezaan
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Perkara Harga ditambah untuk {0} dalam senarai harga {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Perkara Harga ditambah untuk {0} dalam senarai harga {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Sila masukkan ID Pekerja orang jualan ini
DocType: Territory,Classification of Customers by region,Pengelasan Pelanggan mengikut wilayah
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Perbezaan Jumlah mestilah sifar
@@ -2035,21 +2051,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Jumlah Potongan
,Production Analytics,Analytics pengeluaran
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Kos Dikemaskini
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Kos Dikemaskini
DocType: Employee,Date of Birth,Tarikh Lahir
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Perkara {0} telah kembali
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Perkara {0} telah kembali
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Tahun Fiskal ** mewakili Tahun Kewangan. Semua kemasukan perakaunan dan transaksi utama yang lain dijejak terhadap Tahun Fiskal ** **.
DocType: Opportunity,Customer / Lead Address,Pelanggan / Lead Alamat
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Amaran: Sijil SSL tidak sah pada lampiran {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Amaran: Sijil SSL tidak sah pada lampiran {0}
DocType: Student Admission,Eligibility,kelayakan
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Leads membantu anda mendapatkan perniagaan, tambah semua kenalan anda dan lebih sebagai petunjuk anda"
DocType: Production Order Operation,Actual Operation Time,Masa Sebenar Operasi
DocType: Authorization Rule,Applicable To (User),Terpakai Untuk (pengguna)
DocType: Purchase Taxes and Charges,Deduct,Memotong
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Penerangan mengenai Jawatan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Penerangan mengenai Jawatan
DocType: Student Applicant,Applied,Applied
DocType: Sales Invoice Item,Qty as per Stock UOM,Qty seperti Saham UOM
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Nama Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Nama Guardian2
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Watak khas kecuali "-" ".", "#", dan "/" tidak dibenarkan dalam menamakan siri"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Simpan Track Kempen Jualan. Jejaki Leads, Sebut Harga, Pesanan Jualan dan lain-lain daripada kempen untuk mengukur Pulangan atas Pelaburan."
DocType: Expense Claim,Approver,Pelulus
@@ -2060,8 +2076,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},No siri {0} adalah di bawah jaminan hamper {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Penghantaran Split Nota ke dalam pakej.
apps/erpnext/erpnext/hooks.py +87,Shipments,Penghantaran
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,baki akaun ({0}) untuk {1} dan nilai saham ({2}) untuk gudang {3} mestilah sama
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,baki akaun ({0}) untuk {1} dan nilai saham ({2}) untuk gudang {3} mestilah sama
DocType: Payment Entry,Total Allocated Amount (Company Currency),Jumlah Peruntukan (Syarikat Mata Wang)
DocType: Purchase Order Item,To be delivered to customer,Yang akan dihantar kepada pelanggan
DocType: BOM,Scrap Material Cost,Kos Scrap Material
@@ -2069,21 +2083,22 @@
DocType: Purchase Invoice,In Words (Company Currency),Dalam Perkataan (Syarikat mata wang)
DocType: Asset,Supplier,Pembekal
DocType: C-Form,Quarter,Suku
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Perbelanjaan Pelbagai
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Perbelanjaan Pelbagai
DocType: Global Defaults,Default Company,Syarikat Default
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Perbelanjaan atau akaun perbezaan adalah wajib bagi Perkara {0} kerana ia kesan nilai saham keseluruhan
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Perbelanjaan atau akaun perbezaan adalah wajib bagi Perkara {0} kerana ia kesan nilai saham keseluruhan
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Nama Bank
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Di atas
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Di atas
DocType: Employee Loan,Employee Loan Account,Akaun Pinjaman pekerja
DocType: Leave Application,Total Leave Days,Jumlah Hari Cuti
DocType: Email Digest,Note: Email will not be sent to disabled users,Nota: Email tidak akan dihantar kepada pengguna kurang upaya
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Bilangan Interaksi
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Bilangan Interaksi
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kod item> Item Group> Jenama
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Pilih Syarikat ...
DocType: Leave Control Panel,Leave blank if considered for all departments,Tinggalkan kosong jika dipertimbangkan untuk semua jabatan
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Jenis pekerjaan (tetap, kontrak, pelatih dan lain-lain)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} adalah wajib bagi Perkara {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} adalah wajib bagi Perkara {1}
DocType: Process Payroll,Fortnightly,setiap dua minggu
DocType: Currency Exchange,From Currency,Dari Mata Wang
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Sila pilih Jumlah Diperuntukkan, Jenis Invois dan Nombor Invois dalam atleast satu baris"
@@ -2106,7 +2121,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,Sila klik pada 'Menjana Jadual' untuk mendapatkan jadual
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Terdapat ralat semasa memadamkan jadual berikut:
DocType: Bin,Ordered Quantity,Mengarahkan Kuantiti
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",contohnya "Membina alat bagi pembina"
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",contohnya "Membina alat bagi pembina"
DocType: Grading Scale,Grading Scale Intervals,Selang Grading Skala
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Kemasukan Perakaunan untuk {2} hanya boleh dibuat dalam mata wang: {3}
DocType: Production Order,In Process,Dalam Proses
@@ -2121,12 +2136,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Kumpulan Pelajar diwujudkan.
DocType: Sales Invoice,Total Billing Amount,Jumlah Bil
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Mesti ada Akaun E-mel lalai yang diterima dan diaktifkan untuk ini untuk bekerja. Sila persediaan Akaun E-mel yang diterima default (POP / IMAP) dan cuba lagi.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Akaun Belum Terima
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} sudah {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Akaun Belum Terima
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} sudah {2}
DocType: Quotation Item,Stock Balance,Baki saham
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Perintah Jualan kepada Pembayaran
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Sila menetapkan Penamaan Siri untuk {0} melalui Persediaan> Tetapan> Menamakan Siri
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,Ketua Pegawai Eksekutif
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,Ketua Pegawai Eksekutif
DocType: Expense Claim Detail,Expense Claim Detail,Perbelanjaan Tuntutan Detail
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Sila pilih akaun yang betul
DocType: Item,Weight UOM,Berat UOM
@@ -2135,12 +2149,12 @@
DocType: Production Order Operation,Pending,Sementara menunggu
DocType: Course,Course Name,Nama kursus
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Pengguna yang boleh meluluskan permohonan cuti kakitangan yang khusus
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Peralatan Pejabat
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Peralatan Pejabat
DocType: Purchase Invoice Item,Qty,Qty
DocType: Fiscal Year,Companies,Syarikat
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Elektronik
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Meningkatkan Bahan Permintaan apabila saham mencapai tahap semula perintah-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Sepenuh masa
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Sepenuh masa
DocType: Salary Structure,Employees,pekerja
DocType: Employee,Contact Details,Butiran Hubungi
DocType: C-Form,Received Date,Tarikh terima
@@ -2150,7 +2164,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Harga tidak akan dipaparkan jika Senarai Harga tidak ditetapkan
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Sila nyatakan negara untuk Peraturan Penghantaran ini atau daftar Penghantaran di seluruh dunia
DocType: Stock Entry,Total Incoming Value,Jumlah Nilai masuk
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Debit Untuk diperlukan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Debit Untuk diperlukan
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets membantu menjejaki masa, kos dan bil untuk kegiatan yang dilakukan oleh pasukan anda"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Pembelian Senarai Harga
DocType: Offer Letter Term,Offer Term,Tawaran Jangka
@@ -2159,17 +2173,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Penyesuaian bayaran
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,Sila pilih nama memproses permohonan lesen Orang
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Teknologi
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Jumlah belum dibayar: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Jumlah belum dibayar: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM Operasi laman web
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Menawarkan Surat
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Menjana Permintaan Bahan (MRP) dan Perintah Pengeluaran.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Jumlah invois AMT
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Jumlah invois AMT
DocType: BOM,Conversion Rate,Kadar penukaran
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Cari produk
DocType: Timesheet Detail,To Time,Untuk Masa
DocType: Authorization Rule,Approving Role (above authorized value),Meluluskan Peranan (di atas nilai yang diberi kuasa)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Kredit Untuk akaun mestilah akaun Dibayar
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM rekursi: {0} tidak boleh menjadi ibu bapa atau kanak-kanak {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Kredit Untuk akaun mestilah akaun Dibayar
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM rekursi: {0} tidak boleh menjadi ibu bapa atau kanak-kanak {2}
DocType: Production Order Operation,Completed Qty,Siap Qty
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Untuk {0}, akaun debit hanya boleh dikaitkan dengan kemasukan kredit lain"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Senarai Harga {0} adalah orang kurang upaya
@@ -2181,28 +2195,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} nombor siri yang diperlukan untuk item {1}. Anda telah menyediakan {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Kadar Penilaian semasa
DocType: Item,Customer Item Codes,Kod Item Pelanggan
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Exchange Keuntungan / Kerugian
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange Keuntungan / Kerugian
DocType: Opportunity,Lost Reason,Hilang Akal
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Alamat Baru
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Alamat Baru
DocType: Quality Inspection,Sample Size,Saiz Sampel
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Sila masukkan Dokumen Resit
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Semua barang-barang telah diinvois
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Semua barang-barang telah diinvois
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',Sila nyatakan yang sah Dari Perkara No. '
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,Pusat kos lanjut boleh dibuat di bawah Kumpulan tetapi penyertaan boleh dibuat terhadap bukan Kumpulan
DocType: Project,External,Luar
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Pengguna dan Kebenaran
DocType: Vehicle Log,VLOG.,Vlog.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Pesanan Pengeluaran Ditubuhkan: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Pesanan Pengeluaran Ditubuhkan: {0}
DocType: Branch,Branch,Cawangan
DocType: Guardian,Mobile Number,Nombor telefon
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Percetakan dan Penjenamaan
DocType: Bin,Actual Quantity,Kuantiti sebenar
DocType: Shipping Rule,example: Next Day Shipping,contoh: Penghantaran Hari Seterusnya
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,No siri {0} tidak dijumpai
-DocType: Scheduling Tool,Student Batch,Batch pelajar
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Pelanggan anda
+DocType: Program Enrollment,Student Batch,Batch pelajar
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Buat Pelajar
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Anda telah dijemput untuk bekerjasama dalam projek: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Anda telah dijemput untuk bekerjasama dalam projek: {0}
DocType: Leave Block List Date,Block Date,Sekat Tarikh
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Mohon sekarang
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Sebenar Qty {0} / Waiting Qty {1}
@@ -2212,7 +2225,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Membuat dan menguruskan mencerna e-mel harian, mingguan dan bulanan."
DocType: Appraisal Goal,Appraisal Goal,Penilaian Matlamat
DocType: Stock Reconciliation Item,Current Amount,Jumlah Semasa
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,bangunan
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,bangunan
DocType: Fee Structure,Fee Structure,Struktur Bayaran
DocType: Timesheet Detail,Costing Amount,Jumlah berharga
DocType: Student Admission,Application Fee,Bayaran permohonan
@@ -2224,10 +2237,10 @@
DocType: POS Profile,[Select],[Pilih]
DocType: SMS Log,Sent To,Dihantar Kepada
DocType: Payment Request,Make Sales Invoice,Buat Jualan Invois
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,Softwares
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Softwares
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Hubungi Selepas Tarikh tidak boleh pada masa lalu
DocType: Company,For Reference Only.,Untuk Rujukan Sahaja.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Pilih Batch No
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Pilih Batch No
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Tidak sah {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,Advance Jumlah
@@ -2237,15 +2250,15 @@
DocType: Employee,Employment Details,Butiran Pekerjaan
DocType: Employee,New Workplace,New Tempat Kerja
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Ditetapkan sebagai Ditutup
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},No Perkara dengan Barcode {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},No Perkara dengan Barcode {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Perkara No. tidak boleh 0
DocType: Item,Show a slideshow at the top of the page,Menunjukkan tayangan slaid di bahagian atas halaman
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Kedai
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Kedai
DocType: Serial No,Delivery Time,Masa penghantaran
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Penuaan Berasaskan
DocType: Item,End of Life,Akhir Hayat
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Perjalanan
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Perjalanan
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Tiada Struktur aktif atau Gaji lalai dijumpai untuk pekerja {0} pada tarikh yang diberikan
DocType: Leave Block List,Allow Users,Benarkan Pengguna
DocType: Purchase Order,Customer Mobile No,Pelanggan Bimbit
@@ -2254,29 +2267,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Update Kos
DocType: Item Reorder,Item Reorder,Perkara Reorder
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Show Slip Gaji
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Pemindahan Bahan
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Pemindahan Bahan
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Nyatakan operasi, kos operasi dan memberikan Operasi unik tidak kepada operasi anda."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Dokumen ini melebihi had oleh {0} {1} untuk item {4}. Adakah anda membuat terhadap yang sama satu lagi {3} {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Sila menetapkan berulang selepas menyimpan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Pilih perubahan kira jumlah
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Dokumen ini melebihi had oleh {0} {1} untuk item {4}. Adakah anda membuat terhadap yang sama satu lagi {3} {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Sila menetapkan berulang selepas menyimpan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Pilih perubahan kira jumlah
DocType: Purchase Invoice,Price List Currency,Senarai Harga Mata Wang
DocType: Naming Series,User must always select,Pengguna perlu sentiasa pilih
DocType: Stock Settings,Allow Negative Stock,Benarkan Saham Negatif
DocType: Installation Note,Installation Note,Pemasangan Nota
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Tambah Cukai
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Tambah Cukai
DocType: Topic,Topic,Topic
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Aliran tunai daripada pembiayaan
DocType: Budget Account,Budget Account,anggaran Akaun
DocType: Quality Inspection,Verified By,Disahkan oleh
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Tidak boleh menukar mata wang lalai syarikat itu, kerana terdapat urus niaga yang sedia ada. Transaksi mesti dibatalkan untuk menukar mata wang lalai."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Tidak boleh menukar mata wang lalai syarikat itu, kerana terdapat urus niaga yang sedia ada. Transaksi mesti dibatalkan untuk menukar mata wang lalai."
DocType: Grading Scale Interval,Grade Description,gred Penerangan
DocType: Stock Entry,Purchase Receipt No,Resit Pembelian No
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Wang Earnest
DocType: Process Payroll,Create Salary Slip,Membuat Slip Gaji
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,kebolehkesanan
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Sumber Dana (Liabiliti)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Kuantiti berturut-turut {0} ({1}) mestilah sama dengan kuantiti yang dikeluarkan {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Sumber Dana (Liabiliti)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Kuantiti berturut-turut {0} ({1}) mestilah sama dengan kuantiti yang dikeluarkan {2}
DocType: Appraisal,Employee,Pekerja
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Pilih Batch
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} telah dibil sepenuhnya
DocType: Training Event,End Time,Akhir Masa
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Struktur Gaji aktif {0} dijumpai untuk pekerja {1} pada tarikh yang diberikan
@@ -2288,11 +2302,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Diperlukan Pada
DocType: Rename Tool,File to Rename,Fail untuk Namakan semula
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Sila pilih BOM untuk Item dalam Row {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Dinyatakan BOM {0} tidak wujud untuk Perkara {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Akaun {0} tidak sepadan dengan Syarikat {1} dalam Kaedah akaun: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Dinyatakan BOM {0} tidak wujud untuk Perkara {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Jadual Penyelenggaraan {0} hendaklah dibatalkan sebelum membatalkan Perintah Jualan ini
DocType: Notification Control,Expense Claim Approved,Perbelanjaan Tuntutan Diluluskan
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Slip gaji pekerja {0} telah dicipta untuk tempoh ini
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Farmasi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmasi
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Kos Item Dibeli
DocType: Selling Settings,Sales Order Required,Pesanan Jualan Diperlukan
DocType: Purchase Invoice,Credit To,Kredit Untuk
@@ -2309,43 +2324,43 @@
DocType: Payment Gateway Account,Payment Account,Akaun Pembayaran
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,Sila nyatakan Syarikat untuk meneruskan
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Perubahan Bersih dalam Akaun Belum Terima
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Pampasan Off
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Pampasan Off
DocType: Offer Letter,Accepted,Diterima
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,organisasi
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,organisasi
DocType: SG Creation Tool Course,Student Group Name,Nama Kumpulan Pelajar
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Sila pastikan anda benar-benar ingin memadam semua urus niaga bagi syarikat ini. Data induk anda akan kekal kerana ia adalah. Tindakan ini tidak boleh dibuat asal.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Sila pastikan anda benar-benar ingin memadam semua urus niaga bagi syarikat ini. Data induk anda akan kekal kerana ia adalah. Tindakan ini tidak boleh dibuat asal.
DocType: Room,Room Number,Nombor bilik
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Rujukan tidak sah {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) tidak boleh lebih besar dari kuantiti yang dirancang ({2}) dalam Pesanan Pengeluaran {3}
DocType: Shipping Rule,Shipping Rule Label,Peraturan Penghantaran Label
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forum pengguna
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Bahan mentah tidak boleh kosong.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Tidak dapat kemas kini saham, invois mengandungi drop item penghantaran."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Bahan mentah tidak boleh kosong.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Tidak dapat kemas kini saham, invois mengandungi drop item penghantaran."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Pantas Journal Kemasukan
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,Anda tidak boleh mengubah kadar jika BOM disebut agianst sebarang perkara
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,Anda tidak boleh mengubah kadar jika BOM disebut agianst sebarang perkara
DocType: Employee,Previous Work Experience,Pengalaman Kerja Sebelumnya
DocType: Stock Entry,For Quantity,Untuk Kuantiti
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Sila masukkan Dirancang Kuantiti untuk Perkara {0} di barisan {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} tidak diserahkan
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Permintaan untuk barang-barang.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Perintah pengeluaran berasingan akan diwujudkan bagi setiap item siap baik.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} mesti negatif dalam dokumen pulangan
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} mesti negatif dalam dokumen pulangan
,Minutes to First Response for Issues,Minit ke Response Pertama untuk Isu
DocType: Purchase Invoice,Terms and Conditions1,Terma dan Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,Nama institut yang mana anda menyediakan sistem ini.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,Nama institut yang mana anda menyediakan sistem ini.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Catatan Perakaunan dibekukan sehingga tarikh ini, tiada siapa boleh melakukan / mengubah suai kemasukan kecuali yang berperanan seperti di bawah."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,Sila simpan dokumen itu sebelum menjana jadual penyelenggaraan
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Status projek
DocType: UOM,Check this to disallow fractions. (for Nos),Semak ini untuk tidak membenarkan pecahan. (Untuk Nos)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Perintah Pengeluaran berikut telah dibuat:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Perintah Pengeluaran berikut telah dibuat:
DocType: Student Admission,Naming Series (for Student Applicant),Penamaan Series (untuk Pelajar Pemohon)
DocType: Delivery Note,Transporter Name,Nama Transporter
DocType: Authorization Rule,Authorized Value,Nilai yang diberi kuasa
DocType: BOM,Show Operations,Show Operasi
,Minutes to First Response for Opportunity,Minit ke Response Pertama bagi Peluang
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Jumlah Tidak hadir
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Perkara atau Gudang untuk baris {0} tidak sepadan Bahan Permintaan
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Perkara atau Gudang untuk baris {0} tidak sepadan Bahan Permintaan
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Unit Tindakan
DocType: Fiscal Year,Year End Date,Tahun Tarikh Akhir
DocType: Task Depends On,Task Depends On,Petugas Bergantung Pada
@@ -2425,11 +2440,11 @@
DocType: Asset,Manual,manual
DocType: Salary Component Account,Salary Component Account,Akaun Komponen Gaji
DocType: Global Defaults,Hide Currency Symbol,Menyembunyikan Simbol mata wang
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","contohnya Bank, Tunai, Kad Kredit"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","contohnya Bank, Tunai, Kad Kredit"
DocType: Lead Source,Source Name,Nama Source
DocType: Journal Entry,Credit Note,Nota Kredit
DocType: Warranty Claim,Service Address,Alamat Perkhidmatan
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Perabot dan Fixtures
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Perabot dan Fixtures
DocType: Item,Manufacture,Pembuatan
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Sila Penghantaran Nota pertama
DocType: Student Applicant,Application Date,Tarikh permohonan
@@ -2439,7 +2454,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Clearance Tarikh tidak dinyatakan
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Pengeluaran
DocType: Guardian,Occupation,Pekerjaan
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Sila setup pekerja Penamaan Sistem dalam Sumber Manusia> Tetapan HR
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Row {0}: Tarikh Mula mestilah sebelum Tarikh Akhir
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Jumlah (Kuantiti)
DocType: Sales Invoice,This Document,Dokumen ini
@@ -2451,20 +2465,20 @@
DocType: Purchase Receipt,Time at which materials were received,Masa di mana bahan-bahan yang telah diterima
DocType: Stock Ledger Entry,Outgoing Rate,Kadar keluar
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Master cawangan organisasi.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,atau
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,atau
DocType: Sales Order,Billing Status,Bil Status
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Laporkan Isu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Perbelanjaan utiliti
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Perbelanjaan utiliti
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90 Ke atas
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Journal Kemasukan {1} tidak mempunyai akaun {2} atau sudah dipadankan dengan baucar lain
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Journal Kemasukan {1} tidak mempunyai akaun {2} atau sudah dipadankan dengan baucar lain
DocType: Buying Settings,Default Buying Price List,Default Senarai Membeli Harga
DocType: Process Payroll,Salary Slip Based on Timesheet,Slip Gaji Berdasarkan Timesheet
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Tiada pekerja bagi kriteria ATAU penyata gaji dipilih di atas telah membuat
DocType: Notification Control,Sales Order Message,Pesanan Jualan Mesej
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Nilai Default Tetapkan seperti Syarikat, mata wang, fiskal semasa Tahun, dan lain-lain"
DocType: Payment Entry,Payment Type,Jenis Pembayaran
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Sila pilih Batch untuk item {0}. Tidak dapat mencari kumpulan tunggal yang memenuhi keperluan ini
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Sila pilih Batch untuk item {0}. Tidak dapat mencari kumpulan tunggal yang memenuhi keperluan ini
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Sila pilih Batch untuk item {0}. Tidak dapat mencari kumpulan tunggal yang memenuhi keperluan ini
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Sila pilih Batch untuk item {0}. Tidak dapat mencari kumpulan tunggal yang memenuhi keperluan ini
DocType: Process Payroll,Select Employees,Pilih Pekerja
DocType: Opportunity,Potential Sales Deal,Deal Potensi Jualan
DocType: Payment Entry,Cheque/Reference Date,Cek Tarikh / Rujukan
@@ -2484,7 +2498,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,dokumen Resit hendaklah dikemukakan
DocType: Purchase Invoice Item,Received Qty,Diterima Qty
DocType: Stock Entry Detail,Serial No / Batch,Serial No / batch
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Not Paid dan Tidak Dihantar
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Not Paid dan Tidak Dihantar
DocType: Product Bundle,Parent Item,Perkara Ibu Bapa
DocType: Account,Account Type,Jenis Akaun
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2499,25 +2513,24 @@
DocType: Bin,Reserved Quantity,Cipta Terpelihara Kuantiti
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Sila masukkan alamat emel yang sah
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Sila masukkan alamat emel yang sah
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Tidak ada kursus wajib kepada program {0}
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Tidak ada kursus wajib kepada program {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Item Resit Pembelian
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Borang menyesuaikan
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,tunggakan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,tunggakan
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Susutnilai Jumlah dalam tempoh yang
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Templat kurang upaya tidak perlu menjadi templat lalai
DocType: Account,Income Account,Akaun Pendapatan
DocType: Payment Request,Amount in customer's currency,Amaun dalam mata wang pelanggan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Penghantaran
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Penghantaran
DocType: Stock Reconciliation Item,Current Qty,Kuantiti semasa
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",Lihat "Kadar Bahan Based On" dalam Seksyen Kos
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,terdahulu
DocType: Appraisal Goal,Key Responsibility Area,Kawasan Tanggungjawab Utama
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Kelompok pelajar membantu anda mengesan kehadiran, penilaian dan yuran untuk pelajar"
DocType: Payment Entry,Total Allocated Amount,Jumlah Diperuntukkan
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Menetapkan akaun inventori lalai untuk inventori yang berterusan
DocType: Item Reorder,Material Request Type,Permintaan Jenis Bahan
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Kemasukan Journal bagi gaji dari {0} kepada {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage penuh, tidak menyelamatkan"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage penuh, tidak menyelamatkan"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Row {0}: Faktor Penukaran UOM adalah wajib
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Ref
DocType: Budget,Cost Center,PTJ
@@ -2530,19 +2543,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Peraturan Harga dibuat untuk menulis ganti Senarai Harga / menentukan peratusan diskaun, berdasarkan beberapa kriteria."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Gudang hanya boleh ditukar melalui Saham Entry / Penghantaran Nota / Resit Pembelian
DocType: Employee Education,Class / Percentage,Kelas / Peratus
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Ketua Pemasaran dan Jualan
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Cukai Pendapatan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Ketua Pemasaran dan Jualan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Cukai Pendapatan
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Jika Peraturan Harga dipilih dibuat untuk 'Harga', ia akan menulis ganti Senarai Harga. Harga Peraturan Harga adalah harga akhir, jadi tidak ada diskaun lagi boleh diguna pakai. Oleh itu, dalam urus niaga seperti Perintah Jualan, Pesanan Belian dan lain-lain, ia akan berjaya meraih jumlah dalam bidang 'Rate', daripada bidang 'Senarai Harga Rate'."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Track Leads mengikut Jenis Industri.
DocType: Item Supplier,Item Supplier,Perkara Pembekal
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,Sila masukkan Kod Item untuk mendapatkan kumpulan tidak
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},Sila pilih nilai untuk {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,Sila masukkan Kod Item untuk mendapatkan kumpulan tidak
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Sila pilih nilai untuk {0} quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Semua Alamat.
DocType: Company,Stock Settings,Tetapan saham
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Penggabungan hanya boleh dilakukan jika sifat berikut adalah sama dalam kedua-dua rekod. Adalah Kumpulan, Jenis Akar, Syarikat"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Penggabungan hanya boleh dilakukan jika sifat berikut adalah sama dalam kedua-dua rekod. Adalah Kumpulan, Jenis Akar, Syarikat"
DocType: Vehicle,Electric,Electric
DocType: Task,% Progress,% Kemajuan
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Keuntungan / Kerugian daripada Pelupusan Aset
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Keuntungan / Kerugian daripada Pelupusan Aset
DocType: Training Event,Will send an email about the event to employees with status 'Open',Akan menghantar e-mel mengenai acara untuk pekerja dengan status 'Open'
DocType: Task,Depends on Tasks,Bergantung kepada Tugas
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Menguruskan Tree Kumpulan Pelanggan.
@@ -2551,7 +2564,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,New Nama PTJ
DocType: Leave Control Panel,Leave Control Panel,Tinggalkan Panel Kawalan
DocType: Project,Task Completion,Petugas Siap
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Tidak dalam Saham
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Tidak dalam Saham
DocType: Appraisal,HR User,HR pengguna
DocType: Purchase Invoice,Taxes and Charges Deducted,Cukai dan Caj Dipotong
apps/erpnext/erpnext/hooks.py +116,Issues,Isu-isu
@@ -2562,22 +2575,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Tiada slip gaji mendapati antara {0} dan {1}
,Pending SO Items For Purchase Request,Sementara menunggu SO Item Untuk Pembelian Permintaan
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Kemasukan pelajar
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} dilumpuhkan
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} dilumpuhkan
DocType: Supplier,Billing Currency,Bil Mata Wang
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Lebih Besar
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Lebih Besar
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Jumlah Daun
,Profit and Loss Statement,Penyata Untung dan Rugi
DocType: Bank Reconciliation Detail,Cheque Number,Nombor Cek
,Sales Browser,Jualan Pelayar
DocType: Journal Entry,Total Credit,Jumlah Kredit
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Amaran: Satu lagi {0} # {1} wujud terhadap kemasukan saham {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Tempatan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Tempatan
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Pinjaman dan Pendahuluan (Aset)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Penghutang
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Besar
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Besar
DocType: Homepage Featured Product,Homepage Featured Product,Homepage produk yang ditampilkan
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Semua Kumpulan Penilaian
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Semua Kumpulan Penilaian
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Nama Warehouse New
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Jumlah {0} ({1})
DocType: C-Form Invoice Detail,Territory,Wilayah
@@ -2587,12 +2600,12 @@
DocType: Production Order Operation,Planned Start Time,Dirancang Mula Masa
DocType: Course,Assessment,penilaian
DocType: Payment Entry Reference,Allocated,Diperuntukkan
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Kunci Kira-kira rapat dan buku Untung atau Rugi.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Kunci Kira-kira rapat dan buku Untung atau Rugi.
DocType: Student Applicant,Application Status,Status permohonan
DocType: Fees,Fees,yuran
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Nyatakan Kadar Pertukaran untuk menukar satu matawang kepada yang lain
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Sebut Harga {0} dibatalkan
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Jumlah Cemerlang
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Jumlah Cemerlang
DocType: Sales Partner,Targets,Sasaran
DocType: Price List,Price List Master,Senarai Harga Master
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Semua Transaksi Jualan boleh tagged terhadap pelbagai ** Jualan Orang ** supaya anda boleh menetapkan dan memantau sasaran.
@@ -2624,12 +2637,12 @@
1. Address and Contact of your Company.","Terma dan Syarat Standard yang boleh ditambah untuk Jualan dan Pembelian. Contoh: 1. Kesahan tawaran itu. 1. Terma Pembayaran (Dalam Advance, Mengenai Kredit, bahagian pendahuluan dan lain-lain). 1. Apakah tambahan (atau perlu dibayar oleh Pelanggan). 1. Keselamatan amaran / penggunaan. 1. Waranti jika ada. 1. Kembali Polisi. 1. Syarat-syarat penghantaran, jika berkenaan. 1. Cara-cara menangani pertikaian, tanggung rugi, kerugian, dan lain-lain 1. Alamat dan Contact Syarikat anda."
DocType: Attendance,Leave Type,Cuti Jenis
DocType: Purchase Invoice,Supplier Invoice Details,Pembekal Butiran Invois
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Akaun perbelanjaan / Perbezaan ({0}) mestilah akaun 'Keuntungan atau Kerugian'
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Akaun perbelanjaan / Perbezaan ({0}) mestilah akaun 'Keuntungan atau Kerugian'
DocType: Project,Copied From,disalin Dari
DocType: Project,Copied From,disalin Dari
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},ralat Nama: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,kekurangan
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} tidak berkaitan dengan {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} tidak berkaitan dengan {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Kehadiran bagi pekerja {0} telah ditandakan
DocType: Packing Slip,If more than one package of the same type (for print),Jika lebih daripada satu bungkusan dari jenis yang sama (untuk cetak)
,Salary Register,gaji Daftar
@@ -2647,22 +2660,23 @@
,Requested Qty,Diminta Qty
DocType: Tax Rule,Use for Shopping Cart,Gunakan untuk Troli
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Nilai {0} untuk Sifat {1} tidak wujud dalam senarai item sah Atribut Nilai untuk item {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Pilih nombor siri
DocType: BOM Item,Scrap %,Scrap%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Caj akan diagihkan mengikut kadar berdasarkan item qty atau amaunnya, seperti pilihan anda"
DocType: Maintenance Visit,Purposes,Tujuan
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Atleast perkara seseorang itu perlu dimasukkan dengan kuantiti negatif dalam dokumen pulangan
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Atleast perkara seseorang itu perlu dimasukkan dengan kuantiti negatif dalam dokumen pulangan
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operasi {0} lebih lama daripada mana-mana waktu kerja yang terdapat di stesen kerja {1}, memecahkan operasi ke dalam pelbagai operasi"
,Requested,Diminta
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Tidak Catatan
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Tidak Catatan
DocType: Purchase Invoice,Overdue,Tertunggak
DocType: Account,Stock Received But Not Billed,Saham Diterima Tetapi Tidak Membilkan
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Akaun root mestilah kumpulan
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Akaun root mestilah kumpulan
DocType: Fees,FEE.,BAYARAN.
DocType: Employee Loan,Repaid/Closed,Dibayar balik / Ditutup
DocType: Item,Total Projected Qty,Jumlah unjuran Qty
DocType: Monthly Distribution,Distribution Name,Nama pengedaran
DocType: Course,Course Code,Kod kursus
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Pemeriksaan kualiti yang diperlukan untuk Perkara {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Pemeriksaan kualiti yang diperlukan untuk Perkara {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Kadar di mana pelanggan mata wang ditukar kepada mata wang asas syarikat
DocType: Purchase Invoice Item,Net Rate (Company Currency),Kadar bersih (Syarikat mata wang)
DocType: Salary Detail,Condition and Formula Help,Keadaan dan Formula Bantuan
@@ -2675,27 +2689,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Pemindahan Bahan untuk Pembuatan
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Peratus diskaun boleh digunakan baik dengan menentang Senarai Harga atau untuk semua Senarai Harga.
DocType: Purchase Invoice,Half-yearly,Setengah tahun
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Catatan Perakaunan untuk Stok
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Catatan Perakaunan untuk Stok
DocType: Vehicle Service,Engine Oil,Minyak enjin
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Sila setup pekerja Penamaan Sistem dalam Sumber Manusia> Tetapan HR
DocType: Sales Invoice,Sales Team1,Team1 Jualan
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Perkara {0} tidak wujud
DocType: Sales Invoice,Customer Address,Alamat Pelanggan
DocType: Employee Loan,Loan Details,Butiran pinjaman
+DocType: Company,Default Inventory Account,Akaun Inventori lalai
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Row {0}: Bidang Qty mesti lebih besar daripada sifar.
DocType: Purchase Invoice,Apply Additional Discount On,Memohon Diskaun tambahan On
DocType: Account,Root Type,Jenis akar
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Tidak boleh kembali lebih daripada {1} untuk Perkara {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Tidak boleh kembali lebih daripada {1} untuk Perkara {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Plot
DocType: Item Group,Show this slideshow at the top of the page,Menunjukkan tayangan gambar ini di bahagian atas halaman
DocType: BOM,Item UOM,Perkara UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Amaun Cukai Selepas Jumlah Diskaun (Syarikat mata wang)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Gudang sasaran adalah wajib untuk berturut-turut {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Gudang sasaran adalah wajib untuk berturut-turut {0}
DocType: Cheque Print Template,Primary Settings,Tetapan utama
DocType: Purchase Invoice,Select Supplier Address,Pilih Alamat Pembekal
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Tambahkan Pekerja
DocType: Purchase Invoice Item,Quality Inspection,Pemeriksaan Kualiti
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Tambahan Kecil
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Tambahan Kecil
DocType: Company,Standard Template,Template standard
DocType: Training Event,Theory,teori
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Amaran: Bahan Kuantiti yang diminta adalah kurang daripada Minimum Kuantiti Pesanan
@@ -2703,7 +2719,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Undang-undang Entiti / Anak Syarikat dengan Carta berasingan Akaun milik Pertubuhan.
DocType: Payment Request,Mute Email,Senyapkan E-mel
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Makanan, Minuman & Tembakau"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Hanya boleh membuat pembayaran terhadap belum dibilkan {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Hanya boleh membuat pembayaran terhadap belum dibilkan {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Kadar Suruhanjaya tidak boleh lebih besar daripada 100
DocType: Stock Entry,Subcontract,Subkontrak
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Sila masukkan {0} pertama
@@ -2716,18 +2732,18 @@
DocType: SMS Log,No of Sent SMS,Bilangan SMS dihantar
DocType: Account,Expense Account,Akaun Perbelanjaan
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Perisian
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Warna
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Warna
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Kriteria Penilaian Pelan
DocType: Training Event,Scheduled,Berjadual
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Permintaan untuk sebut harga.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",Sila pilih Item mana "Apakah Saham Perkara" adalah "Tidak" dan "Adakah Item Jualan" adalah "Ya" dan tidak ada Bundle Produk lain
DocType: Student Log,Academic,akademik
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Pendahuluan ({0}) terhadap Perintah {1} tidak boleh lebih besar daripada Jumlah Besar ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Pendahuluan ({0}) terhadap Perintah {1} tidak boleh lebih besar daripada Jumlah Besar ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Pilih Pengagihan Bulanan untuk tidak sekata mengedarkan sasaran seluruh bulan.
DocType: Purchase Invoice Item,Valuation Rate,Kadar penilaian
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,diesel
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Senarai harga mata wang tidak dipilih
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Senarai harga mata wang tidak dipilih
,Student Monthly Attendance Sheet,Pelajar Lembaran Kehadiran Bulanan
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Pekerja {0} telah memohon untuk {1} antara {2} dan {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Projek Tarikh Mula
@@ -2740,7 +2756,7 @@
DocType: BOM,Scrap,Scrap
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Mengurus Jualan Partners.
DocType: Quality Inspection,Inspection Type,Jenis Pemeriksaan
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Gudang dengan urus niaga yang sedia ada tidak boleh ditukar kepada kumpulan.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Gudang dengan urus niaga yang sedia ada tidak boleh ditukar kepada kumpulan.
DocType: Assessment Result Tool,Result HTML,keputusan HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Luput pada
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Tambahkan Pelajar
@@ -2748,13 +2764,13 @@
DocType: C-Form,C-Form No,C-Borang No
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,Kehadiran yang dinyahtandakan
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Penyelidik
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Penyelidik
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Program Pendaftaran Tool Pelajar
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Nama atau E-mel adalah wajib
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Pemeriksaan kualiti yang masuk.
DocType: Purchase Order Item,Returned Qty,Kembali Kuantiti
DocType: Employee,Exit,Keluar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Jenis akar adalah wajib
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Jenis akar adalah wajib
DocType: BOM,Total Cost(Company Currency),Jumlah Kos (Syarikat Mata Wang)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,No siri {0} dicipta
DocType: Homepage,Company Description for website homepage,Penerangan Syarikat untuk laman web laman utama
@@ -2763,7 +2779,7 @@
DocType: Sales Invoice,Time Sheet List,Masa Senarai Lembaran
DocType: Employee,You can enter any date manually,Anda boleh memasuki mana-mana tarikh secara manual
DocType: Asset Category Account,Depreciation Expense Account,Akaun Susut Perbelanjaan
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Tempoh Percubaan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Tempoh Percubaan
DocType: Customer Group,Only leaf nodes are allowed in transaction,Hanya nod daun dibenarkan dalam urus niaga
DocType: Expense Claim,Expense Approver,Perbelanjaan Pelulus
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Row {0}: Advance terhadap Pelanggan mesti kredit
@@ -2777,10 +2793,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Jadual Kursus dipadam:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Log bagi mengekalkan status penghantaran sms
DocType: Accounts Settings,Make Payment via Journal Entry,Buat Pembayaran melalui Journal Kemasukan
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Printed On
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Printed On
DocType: Item,Inspection Required before Delivery,Pemeriksaan yang diperlukan sebelum penghantaran
DocType: Item,Inspection Required before Purchase,Pemeriksaan yang diperlukan sebelum Pembelian
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Sementara menunggu Aktiviti
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Organisasi anda
DocType: Fee Component,Fees Category,yuran Kategori
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Sila masukkan tarikh melegakan.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT
@@ -2790,9 +2807,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Pesanan semula Level
DocType: Company,Chart Of Accounts Template,Carta Of Akaun Template
DocType: Attendance,Attendance Date,Kehadiran Tarikh
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Item Harga dikemaskini untuk {0} dalam Senarai Harga {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Item Harga dikemaskini untuk {0} dalam Senarai Harga {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Perpecahan gaji berdasarkan Pendapatan dan Potongan.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Akaun dengan nod kanak-kanak tidak boleh ditukar ke lejar
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Akaun dengan nod kanak-kanak tidak boleh ditukar ke lejar
DocType: Purchase Invoice Item,Accepted Warehouse,Gudang Diterima
DocType: Bank Reconciliation Detail,Posting Date,Penempatan Tarikh
DocType: Item,Valuation Method,Kaedah Penilaian
@@ -2801,14 +2818,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Entri pendua
DocType: Program Enrollment Tool,Get Students,Dapatkan Pelajar
DocType: Serial No,Under Warranty,Di bawah Waranti
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Ralat]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Ralat]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,Dalam Perkataan akan dapat dilihat selepas anda menyimpan Perintah Jualan.
,Employee Birthday,Pekerja Hari Lahir
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Pelajar Tool Batch Kehadiran
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,had Crossed
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,had Crossed
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Modal Teroka
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Istilah akademik dengan ini 'Academic Year' {0} dan 'Nama Term' {1} telah wujud. Sila ubah suai entri ini dan cuba lagi.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Oleh kerana terdapat urus niaga yang sedia ada terhadap item {0}, anda tidak boleh menukar nilai {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Oleh kerana terdapat urus niaga yang sedia ada terhadap item {0}, anda tidak boleh menukar nilai {1}"
DocType: UOM,Must be Whole Number,Mesti Nombor Seluruh
DocType: Leave Control Panel,New Leaves Allocated (In Days),Daun baru Diperuntukkan (Dalam Hari)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,No siri {0} tidak wujud
@@ -2817,6 +2834,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Nombor invois
DocType: Shopping Cart Settings,Orders,Pesanan
DocType: Employee Leave Approver,Leave Approver,Tinggalkan Pelulus
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Sila pilih satu kelompok
DocType: Assessment Group,Assessment Group Name,Nama Kumpulan Penilaian
DocType: Manufacturing Settings,Material Transferred for Manufacture,Bahan Dipindahkan untuk Pembuatan
DocType: Expense Claim,"A user with ""Expense Approver"" role","Pengguna dengan Peranan ""Pelulus Perbelanjaan"""
@@ -2826,9 +2844,10 @@
DocType: Target Detail,Target Detail,Detail Sasaran
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,semua Pekerjaan
DocType: Sales Order,% of materials billed against this Sales Order,% bahan-bahan yang dibilkan terhadap Pesanan Jualan ini
+DocType: Program Enrollment,Mode of Transportation,Mod Pengangkutan
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Kemasukan Tempoh Penutup
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,PTJ dengan urus niaga yang sedia ada tidak boleh ditukar kepada kumpulan
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Jumlah {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Jumlah {0} {1} {2} {3}
DocType: Account,Depreciation,Susutnilai
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Pembekal (s)
DocType: Employee Attendance Tool,Employee Attendance Tool,Pekerja Tool Kehadiran
@@ -2836,7 +2855,7 @@
DocType: Supplier,Credit Limit,Had Kredit
DocType: Production Plan Sales Order,Salse Order Date,Salse Order Tarikh
DocType: Salary Component,Salary Component,Komponen gaji
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Penyertaan Pembayaran {0} adalah un berkaitan
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Penyertaan Pembayaran {0} adalah un berkaitan
DocType: GL Entry,Voucher No,Baucer Tiada
,Lead Owner Efficiency,Lead Owner Kecekapan
,Lead Owner Efficiency,Lead Owner Kecekapan
@@ -2848,11 +2867,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Templat istilah atau kontrak.
DocType: Purchase Invoice,Address and Contact,Alamat dan Perhubungan
DocType: Cheque Print Template,Is Account Payable,Adakah Akaun Belum Bayar
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Saham tidak boleh dikemas kini terhadap Pembelian Resit {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Saham tidak boleh dikemas kini terhadap Pembelian Resit {0}
DocType: Supplier,Last Day of the Next Month,Hari terakhir Bulan Depan
DocType: Support Settings,Auto close Issue after 7 days,Auto Issue dekat selepas 7 hari
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Cuti yang tidak boleh diperuntukkan sebelum {0}, sebagai baki cuti telah pun dibawa dikemukakan dalam rekod peruntukan cuti masa depan {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Nota: Disebabkan Tarikh / Rujukan melebihi dibenarkan hari kredit pelanggan dengan {0} hari (s)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Nota: Disebabkan Tarikh / Rujukan melebihi dibenarkan hari kredit pelanggan dengan {0} hari (s)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Pemohon pelajar
DocType: Asset Category Account,Accumulated Depreciation Account,Akaun Susut Nilai Terkumpul
DocType: Stock Settings,Freeze Stock Entries,Freeze Saham Penyertaan
@@ -2861,36 +2880,36 @@
DocType: Activity Cost,Billing Rate,Kadar bil
,Qty to Deliver,Qty untuk Menyampaikan
,Stock Analytics,Saham Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Operasi tidak boleh dibiarkan kosong
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operasi tidak boleh dibiarkan kosong
DocType: Maintenance Visit Purpose,Against Document Detail No,Terhadap Detail Dokumen No
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Jenis Parti adalah wajib
DocType: Quality Inspection,Outgoing,Keluar
DocType: Material Request,Requested For,Diminta Untuk
DocType: Quotation Item,Against Doctype,Terhadap DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} batal atau ditutup
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} batal atau ditutup
DocType: Delivery Note,Track this Delivery Note against any Project,Jejaki Penghantaran Nota ini terhadap mana-mana Projek
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Tunai bersih daripada Pelaburan
-,Is Primary Address,Adakah Alamat Utama
DocType: Production Order,Work-in-Progress Warehouse,Kerja dalam Kemajuan Gudang
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Asset {0} hendaklah dikemukakan
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Kehadiran Rekod {0} wujud terhadap Pelajar {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Kehadiran Rekod {0} wujud terhadap Pelajar {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Rujukan # {0} bertarikh {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Susut nilai atau penyingkiran kerana pelupusan aset
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Mengurus Alamat
DocType: Asset,Item Code,Kod Item
DocType: Production Planning Tool,Create Production Orders,Buat Pesanan Pengeluaran
DocType: Serial No,Warranty / AMC Details,Waranti / AMC Butiran
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Pilih pelajar secara manual untuk Aktiviti berasaskan Kumpulan
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Pilih pelajar secara manual untuk Aktiviti berasaskan Kumpulan
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Pilih pelajar secara manual untuk Aktiviti berasaskan Kumpulan
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Pilih pelajar secara manual untuk Aktiviti berasaskan Kumpulan
DocType: Journal Entry,User Remark,Catatan pengguna
DocType: Lead,Market Segment,Segmen pasaran
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Jumlah yang dibayar tidak boleh lebih besar daripada jumlah terkumpul negatif {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Jumlah yang dibayar tidak boleh lebih besar daripada jumlah terkumpul negatif {0}
DocType: Employee Internal Work History,Employee Internal Work History,Pekerja Dalam Sejarah Kerja
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Penutup (Dr)
DocType: Cheque Print Template,Cheque Size,Saiz Cek
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,No siri {0} tidak dalam stok
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Template cukai untuk menjual transaksi.
DocType: Sales Invoice,Write Off Outstanding Amount,Tulis Off Cemerlang Jumlah
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Akaun {0} tidak sepadan dengan Syarikat {1}
DocType: School Settings,Current Academic Year,Semasa Tahun Akademik
DocType: School Settings,Current Academic Year,Semasa Tahun Akademik
DocType: Stock Settings,Default Stock UOM,Default Saham UOM
@@ -2906,27 +2925,27 @@
DocType: Asset,Double Declining Balance,Baki Penurunan Double
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,perintah tertutup tidak boleh dibatalkan. Unclose untuk membatalkan.
DocType: Student Guardian,Father,Bapa
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' tidak boleh diperiksa untuk jualan aset tetap
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' tidak boleh diperiksa untuk jualan aset tetap
DocType: Bank Reconciliation,Bank Reconciliation,Penyesuaian Bank
DocType: Attendance,On Leave,Bercuti
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Dapatkan Maklumat Terbaru
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Akaun {2} bukan milik Syarikat {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Permintaan bahan {0} dibatalkan atau dihentikan
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Tambah rekod sampel beberapa
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Tambah rekod sampel beberapa
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Tinggalkan Pengurusan
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Kumpulan dengan Akaun
DocType: Sales Order,Fully Delivered,Dihantar sepenuhnya
DocType: Lead,Lower Income,Pendapatan yang lebih rendah
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Sumber dan sasaran gudang tidak boleh sama berturut-turut untuk {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Sumber dan sasaran gudang tidak boleh sama berturut-turut untuk {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Akaun perbezaan mestilah akaun jenis Aset / Liabiliti, kerana ini adalah Penyesuaian Saham Masuk Pembukaan"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Amaun yang dikeluarkan tidak boleh lebih besar daripada Jumlah Pinjaman {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Membeli nombor Perintah diperlukan untuk Perkara {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Order Production tidak dicipta
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Membeli nombor Perintah diperlukan untuk Perkara {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Order Production tidak dicipta
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Dari Tarikh' mesti selepas 'Sehingga'
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},tidak boleh menukar status sebagai pelajar {0} dikaitkan dengan permohonan pelajar {1}
DocType: Asset,Fully Depreciated,disusutnilai sepenuhnya
,Stock Projected Qty,Saham Unjuran Qty
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Pelanggan {0} bukan milik projek {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Pelanggan {0} bukan milik projek {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Kehadiran ketara HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Sebutharga cadangan, bida yang telah anda hantar kepada pelanggan anda"
DocType: Sales Order,Customer's Purchase Order,Pesanan Pelanggan
@@ -2935,8 +2954,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Jumlah Markah Kriteria Penilaian perlu {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Sila menetapkan Bilangan penurunan nilai Ditempah
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Nilai atau Qty
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Pesanan Productions tidak boleh dibangkitkan untuk:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Saat
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Pesanan Productions tidak boleh dibangkitkan untuk:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Saat
DocType: Purchase Invoice,Purchase Taxes and Charges,Membeli Cukai dan Caj
,Qty to Receive,Qty untuk Menerima
DocType: Leave Block List,Leave Block List Allowed,Tinggalkan Sekat Senarai Dibenarkan
@@ -2944,25 +2963,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Tuntutan Perbelanjaan untuk kenderaan Log {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Diskaun (%) dalam Senarai Harga Kadar dengan Margin
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Diskaun (%) dalam Senarai Harga Kadar dengan Margin
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,semua Gudang
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,semua Gudang
DocType: Sales Partner,Retailer,Peruncit
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Kredit Untuk akaun perlu menjadi akaun Kunci Kira-kira
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Kredit Untuk akaun perlu menjadi akaun Kunci Kira-kira
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Semua Jenis Pembekal
DocType: Global Defaults,Disable In Words,Matikan Dalam Perkataan
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,Kod Item adalah wajib kerana Perkara tidak bernombor secara automatik
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Kod Item adalah wajib kerana Perkara tidak bernombor secara automatik
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Sebut Harga {0} bukan jenis {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Item Jadual Penyelenggaraan
DocType: Sales Order,% Delivered,% Dihantar
DocType: Production Order,PRO-,PRO-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Akaun Overdraf bank
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Akaun Overdraf bank
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Membuat Slip Gaji
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: Jumlah Diperuntukkan tidak boleh lebih besar daripada jumlah tertunggak.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Browse BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Pinjaman Bercagar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Pinjaman Bercagar
DocType: Purchase Invoice,Edit Posting Date and Time,Edit Tarikh Posting dan Masa
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Sila menetapkan Akaun berkaitan Susutnilai dalam Kategori Asset {0} atau Syarikat {1}
DocType: Academic Term,Academic Year,Tahun akademik
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Pembukaan Ekuiti Baki
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Pembukaan Ekuiti Baki
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Penilaian
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},E-mel dihantar kepada pembekal {0}
@@ -2978,7 +2997,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Meluluskan Peranan tidak boleh sama dengan peranan peraturan adalah Terpakai Untuk
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Menghentikan langganan E-Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Mesej dihantar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Akaun dengan nod kanak-kanak tidak boleh ditetapkan sebagai lejar
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Akaun dengan nod kanak-kanak tidak boleh ditetapkan sebagai lejar
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Kadar di mana Senarai harga mata wang ditukar kepada mata wang asas pelanggan
DocType: Purchase Invoice Item,Net Amount (Company Currency),Jumlah Bersih (Syarikat mata wang)
@@ -3013,7 +3032,7 @@
DocType: Expense Claim,Approval Status,Kelulusan Status
DocType: Hub Settings,Publish Items to Hub,Menerbitkan item untuk Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},Dari nilai boleh kurang daripada nilai berturut-turut {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Wire Transfer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Wire Transfer
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Memeriksa semua
DocType: Vehicle Log,Invoice Ref,invois Ref
DocType: Purchase Order,Recurring Order,Pesanan berulang
@@ -3026,19 +3045,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Perbankan dan Pembayaran
,Welcome to ERPNext,Selamat datang ke ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Membawa kepada Sebut Harga
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Apa-apa untuk menunjukkan.
DocType: Lead,From Customer,Daripada Pelanggan
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Panggilan
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Panggilan
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,kelompok
DocType: Project,Total Costing Amount (via Time Logs),Jumlah Kos (melalui Time Log)
DocType: Purchase Order Item Supplied,Stock UOM,Saham UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Pesanan Pembelian {0} tidak dikemukakan
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Pesanan Pembelian {0} tidak dikemukakan
DocType: Customs Tariff Number,Tariff Number,Nombor tarif
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Unjuran
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},No siri {0} bukan milik Gudang {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Nota: Sistem tidak akan memeriksa terlebih penghantaran dan lebih-tempahan untuk Perkara {0} sebagai kuantiti atau jumlah adalah 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Nota: Sistem tidak akan memeriksa terlebih penghantaran dan lebih-tempahan untuk Perkara {0} sebagai kuantiti atau jumlah adalah 0
DocType: Notification Control,Quotation Message,Sebut Harga Mesej
DocType: Employee Loan,Employee Loan Application,Permohonan Pinjaman pekerja
DocType: Issue,Opening Date,Tarikh pembukaan
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Kehadiran telah ditandakan dengan jayanya.
+DocType: Program Enrollment,Public Transport,Pengangkutan awam
DocType: Journal Entry,Remark,Catatan
DocType: Purchase Receipt Item,Rate and Amount,Kadar dan Jumlah
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Jenis Akaun untuk {0} mesti {1}
@@ -3046,32 +3068,32 @@
DocType: School Settings,Current Academic Term,Jangka Akademik Semasa
DocType: School Settings,Current Academic Term,Jangka Akademik Semasa
DocType: Sales Order,Not Billed,Tidak Membilkan
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Kedua-dua Gudang mestilah berada dalam Syarikat sama
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Ada kenalan yang ditambahkan lagi.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Kedua-dua Gudang mestilah berada dalam Syarikat sama
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Ada kenalan yang ditambahkan lagi.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Kos mendarat Baucer Jumlah
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Rang Undang-undang yang dibangkitkan oleh Pembekal.
DocType: POS Profile,Write Off Account,Tulis Off Akaun
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Nota Debit AMT
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Jumlah diskaun
DocType: Purchase Invoice,Return Against Purchase Invoice,Kembali Terhadap Invois Belian
DocType: Item,Warranty Period (in days),Tempoh jaminan (dalam hari)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Berhubung dengan Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Berhubung dengan Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Tunai bersih daripada Operasi
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,contohnya VAT
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,contohnya VAT
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Perkara 4
DocType: Student Admission,Admission End Date,Kemasukan Tarikh Tamat
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Sub-kontrak
DocType: Journal Entry Account,Journal Entry Account,Akaun Entry jurnal
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Kumpulan pelajar
DocType: Shopping Cart Settings,Quotation Series,Sebutharga Siri
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Item wujud dengan nama yang sama ({0}), sila tukar nama kumpulan item atau menamakan semula item"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Sila pilih pelanggan
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Item wujud dengan nama yang sama ({0}), sila tukar nama kumpulan item atau menamakan semula item"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Sila pilih pelanggan
DocType: C-Form,I,Saya
DocType: Company,Asset Depreciation Cost Center,Aset Pusat Susutnilai Kos
DocType: Sales Order Item,Sales Order Date,Pesanan Jualan Tarikh
DocType: Sales Invoice Item,Delivered Qty,Dihantar Qty
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Jika disemak, semua kanak-kanak setiap item pengeluaran akan dimasukkan ke dalam Permintaan Bahan."
DocType: Assessment Plan,Assessment Plan,Rancangan penilaian
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Gudang {0}: Syarikat adalah wajib
DocType: Stock Settings,Limit Percent,had Peratus
,Payment Period Based On Invoice Date,Tempoh Pembayaran Berasaskan Tarikh Invois
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Hilang Mata Wang Kadar Pertukaran untuk {0}
@@ -3083,7 +3105,7 @@
DocType: Vehicle,Insurance Details,Butiran Insurance
DocType: Account,Payable,Kena dibayar
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,Sila masukkan Tempoh Bayaran Balik
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Penghutang ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Penghutang ({0})
DocType: Pricing Rule,Margin,margin
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Pelanggan Baru
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Keuntungan kasar%
@@ -3094,16 +3116,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Parti adalah wajib
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,Topic Nama
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Atleast salah satu atau Jualan Membeli mesti dipilih
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Pilih jenis perniagaan anda.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Atleast salah satu atau Jualan Membeli mesti dipilih
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Pilih jenis perniagaan anda.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Row # {0}: salinan catatan dalam Rujukan {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Tempat operasi pembuatan dijalankan.
DocType: Asset Movement,Source Warehouse,Sumber Gudang
DocType: Installation Note,Installation Date,Tarikh pemasangan
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} bukan milik syarikat {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} bukan milik syarikat {2}
DocType: Employee,Confirmation Date,Pengesahan Tarikh
DocType: C-Form,Total Invoiced Amount,Jumlah Invois
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Qty tidak boleh lebih besar daripada Max Qty
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Min Qty tidak boleh lebih besar daripada Max Qty
DocType: Account,Accumulated Depreciation,Susut nilai terkumpul
DocType: Stock Entry,Customer or Supplier Details,Pelanggan atau pembekal dan
DocType: Employee Loan Application,Required by Date,Diperlukan oleh Tarikh
@@ -3124,22 +3146,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Taburan Peratus Bulanan
DocType: Territory,Territory Targets,Sasaran Wilayah
DocType: Delivery Note,Transporter Info,Maklumat Transporter
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Sila menetapkan lalai {0} dalam Syarikat {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Sila menetapkan lalai {0} dalam Syarikat {1}
DocType: Cheque Print Template,Starting position from top edge,kedudukan dari tepi atas Bermula
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,pembekal yang sama telah dibuat beberapa kali
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Keuntungan Kasar / Rugi
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Pesanan Pembelian Item Dibekalkan
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Nama syarikat tidak boleh menjadi syarikat
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Nama syarikat tidak boleh menjadi syarikat
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Ketua surat untuk template cetak.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Tajuk untuk template cetak seperti Proforma Invois.
DocType: Student Guardian,Student Guardian,Guardian pelajar
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Caj jenis penilaian tidak boleh ditandakan sebagai Inclusive
DocType: POS Profile,Update Stock,Update Saham
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Pembekal> Jenis pembekal
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM berbeza untuk perkara akan membawa kepada tidak betul (Jumlah) Nilai Berat Bersih. Pastikan Berat bersih setiap item adalah dalam UOM yang sama.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Kadar BOM
DocType: Asset,Journal Entry for Scrap,Kemasukan Jurnal untuk Scrap
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Sila tarik item daripada Nota Penghantaran
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Jurnal Penyertaan {0} adalah un berkaitan
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Jurnal Penyertaan {0} adalah un berkaitan
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Rekod semua komunikasi e-mel jenis, telefon, chat, keindahan, dan lain-lain"
DocType: Manufacturer,Manufacturers used in Items,Pengeluar yang digunakan dalam Perkara
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Sila menyebut Round Off PTJ dalam Syarikat
@@ -3188,34 +3211,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,Pembekal menyampaikan kepada Pelanggan
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Borang / Item / {0}) kehabisan stok
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Tarikh akan datang mesti lebih besar daripada Pos Tarikh
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Show cukai Perpecahan
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Oleh kerana / Rujukan Tarikh dan boleh dikenakan {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Show cukai Perpecahan
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Oleh kerana / Rujukan Tarikh dan boleh dikenakan {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Data Import dan Eksport
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","penyertaan saham wujud terhadap Warehouse {0}, oleh itu anda tidak boleh semula menetapkan-atau mengubahsuainya"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Tiada pelajar Terdapat
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Tiada pelajar Terdapat
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Posting Invois Tarikh
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Jual
DocType: Sales Invoice,Rounded Total,Bulat Jumlah
DocType: Product Bundle,List items that form the package.,Senarai item yang membentuk pakej.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Peratus Peruntukan hendaklah sama dengan 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,Sila pilih Tarikh Pengeposan sebelum memilih Parti
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Sila pilih Tarikh Pengeposan sebelum memilih Parti
DocType: Program Enrollment,School House,School House
DocType: Serial No,Out of AMC,Daripada AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Sila pilih Sebutharga
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Sila pilih Sebutharga
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Sila pilih Sebutharga
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Sila pilih Sebutharga
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Jumlah penurunan nilai Ditempah tidak boleh lebih besar daripada Jumlah penurunan nilai
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Buat Penyelenggaraan Lawatan
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,Sila hubungi untuk pengguna yang mempunyai Master Pengurus Jualan {0} peranan
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,Sila hubungi untuk pengguna yang mempunyai Master Pengurus Jualan {0} peranan
DocType: Company,Default Cash Account,Akaun Tunai Default
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Syarikat (tidak Pelanggan atau Pembekal) induk.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Ini adalah berdasarkan kepada kehadiran Pelajar ini
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,No Pelajar dalam
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,No Pelajar dalam
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Tambah lagi item atau bentuk penuh terbuka
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',Sila masukkan 'Jangkaan Tarikh Penghantaran'
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Nota Penghantaran {0} hendaklah dibatalkan sebelum membatalkan Perintah Jualan ini
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Amaun yang dibayar + Tulis Off Jumlah tidak boleh lebih besar daripada Jumlah Besar
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Amaun yang dibayar + Tulis Off Jumlah tidak boleh lebih besar daripada Jumlah Besar
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} bukan Nombor Kumpulan sah untuk Perkara {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Nota: Tidak ada baki cuti yang cukup untuk Cuti Jenis {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN tidak sah atau Masukkan NA untuk tidak berdaftar
DocType: Training Event,Seminar,Seminar
DocType: Program Enrollment Fee,Program Enrollment Fee,Program Bayaran Pendaftaran
DocType: Item,Supplier Items,Item Pembekal
@@ -3241,28 +3264,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Perkara 3
DocType: Purchase Order,Customer Contact Email,Pelanggan Hubungi E-mel
DocType: Warranty Claim,Item and Warranty Details,Perkara dan Jaminan Maklumat
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kod item> Item Group> Jenama
DocType: Sales Team,Contribution (%),Sumbangan (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Nota: Entry Bayaran tidak akan diwujudkan sejak 'Tunai atau Akaun Bank tidak dinyatakan
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Pilih Program yang mengambil kursus mandatori.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Pilih Program yang mengambil kursus mandatori.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Tanggungjawab
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Tanggungjawab
DocType: Expense Claim Account,Expense Claim Account,Akaun Perbelanjaan Tuntutan
DocType: Sales Person,Sales Person Name,Orang Jualan Nama
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Sila masukkan atleast 1 invois dalam jadual di
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Tambah Pengguna
DocType: POS Item Group,Item Group,Perkara Kumpulan
DocType: Item,Safety Stock,Saham keselamatan
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Kemajuan% untuk tugas yang tidak boleh lebih daripada 100.
DocType: Stock Reconciliation Item,Before reconciliation,Sebelum perdamaian
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Untuk {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Cukai dan Caj Ditambah (Syarikat mata wang)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Row Perkara Cukai {0} mesti mempunyai akaun Cukai jenis atau Pendapatan atau Perbelanjaan atau bercukai
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Row Perkara Cukai {0} mesti mempunyai akaun Cukai jenis atau Pendapatan atau Perbelanjaan atau bercukai
DocType: Sales Order,Partly Billed,Sebahagiannya Membilkan
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Perkara {0} perlu menjadi Asset Perkara Tetap
DocType: Item,Default BOM,BOM Default
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,Sila taip semula nama syarikat untuk mengesahkan
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Jumlah Cemerlang AMT
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Amaun debit Nota
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Sila taip semula nama syarikat untuk mengesahkan
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Jumlah Cemerlang AMT
DocType: Journal Entry,Printing Settings,Tetapan Percetakan
DocType: Sales Invoice,Include Payment (POS),Termasuk Bayaran (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Jumlah Debit mesti sama dengan Jumlah Kredit. Perbezaannya ialah {0}
@@ -3276,16 +3296,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Dalam stok:
DocType: Notification Control,Custom Message,Custom Mesej
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Perbankan Pelaburan
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Tunai atau Bank Akaun adalah wajib untuk membuat catatan pembayaran
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Alamat pelajar
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Alamat pelajar
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Tunai atau Bank Akaun adalah wajib untuk membuat catatan pembayaran
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Sila setup penomboran siri untuk Kehadiran melalui Persediaan> Penomboran Siri
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Alamat pelajar
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Alamat pelajar
DocType: Purchase Invoice,Price List Exchange Rate,Senarai Harga Kadar Pertukaran
DocType: Purchase Invoice Item,Rate,Kadar
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Pelatih
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,alamat Nama
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Pelatih
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,alamat Nama
DocType: Stock Entry,From BOM,Dari BOM
DocType: Assessment Code,Assessment Code,Kod penilaian
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Asas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Asas
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Transaksi saham sebelum {0} dibekukan
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',Sila klik pada 'Menjana Jadual'
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","contohnya Kg, Unit, No, m"
@@ -3295,11 +3316,11 @@
DocType: Salary Slip,Salary Structure,Struktur gaji
DocType: Account,Bank,Bank
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Syarikat Penerbangan
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Isu Bahan
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Isu Bahan
DocType: Material Request Item,For Warehouse,Untuk Gudang
DocType: Employee,Offer Date,Tawaran Tarikh
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Sebut Harga
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Anda berada di dalam mod luar talian. Anda tidak akan dapat untuk menambah nilai sehingga anda mempunyai rangkaian.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,Anda berada di dalam mod luar talian. Anda tidak akan dapat untuk menambah nilai sehingga anda mempunyai rangkaian.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Tiada Kumpulan Pelajar diwujudkan.
DocType: Purchase Invoice Item,Serial No,No siri
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Jumlah Pembayaran balik bulanan tidak boleh lebih besar daripada Jumlah Pinjaman
@@ -3307,8 +3328,8 @@
DocType: Purchase Invoice,Print Language,Cetak Bahasa
DocType: Salary Slip,Total Working Hours,Jumlah Jam Kerja
DocType: Stock Entry,Including items for sub assemblies,Termasuk perkara untuk sub perhimpunan
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Masukkan nilai mesti positif
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Semua Wilayah
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Masukkan nilai mesti positif
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Semua Wilayah
DocType: Purchase Invoice,Items,Item
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Pelajar sudah mendaftar.
DocType: Fiscal Year,Year Name,Nama Tahun
@@ -3327,10 +3348,10 @@
DocType: Issue,Opening Time,Masa Pembukaan
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Dari dan kepada tarikh yang dikehendaki
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Sekuriti & Bursa Komoditi
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unit keingkaran Langkah untuk Variant '{0}' hendaklah sama seperti dalam Template '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unit keingkaran Langkah untuk Variant '{0}' hendaklah sama seperti dalam Template '{1}'
DocType: Shipping Rule,Calculate Based On,Kira Based On
DocType: Delivery Note Item,From Warehouse,Dari Gudang
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Tiada item dengan Bill Bahan untuk pembuatan
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Tiada item dengan Bill Bahan untuk pembuatan
DocType: Assessment Plan,Supervisor Name,Nama penyelia
DocType: Program Enrollment Course,Program Enrollment Course,Kursus Program Pendaftaran
DocType: Program Enrollment Course,Program Enrollment Course,Kursus Program Pendaftaran
@@ -3346,18 +3367,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Hari Sejak Pesanan Terakhir' mesti lebih besar daripada atau sama dengan sifar
DocType: Process Payroll,Payroll Frequency,Kekerapan Payroll
DocType: Asset,Amended From,Pindaan Dari
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Bahan mentah
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Bahan mentah
DocType: Leave Application,Follow via Email,Ikut melalui E-mel
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Tumbuhan dan Jentera
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Tumbuhan dan Jentera
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Amaun Cukai Selepas Jumlah Diskaun
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Harian Tetapan Ringkasan Kerja
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Mata wang senarai harga {0} tidak sama dengan mata wang yang dipilih {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Mata wang senarai harga {0} tidak sama dengan mata wang yang dipilih {1}
DocType: Payment Entry,Internal Transfer,Pindahan dalaman
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Akaun kanak-kanak wujud untuk akaun ini. Anda tidak boleh memadam akaun ini.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Akaun kanak-kanak wujud untuk akaun ini. Anda tidak boleh memadam akaun ini.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Sama ada qty sasaran atau jumlah sasaran adalah wajib
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Tidak lalai BOM wujud untuk Perkara {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Tidak lalai BOM wujud untuk Perkara {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Sila pilih Penempatan Tarikh pertama
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Tarikh pembukaan perlu sebelum Tarikh Tutup
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Sila menetapkan Penamaan Siri untuk {0} melalui Persediaan> Tetapan> Menamakan Siri
DocType: Leave Control Panel,Carry Forward,Carry Forward
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,PTJ dengan urus niaga yang sedia ada tidak boleh ditukar ke dalam lejar
DocType: Department,Days for which Holidays are blocked for this department.,Hari yang mana Holidays disekat untuk jabatan ini.
@@ -3367,11 +3389,10 @@
DocType: Issue,Raised By (Email),Dibangkitkan Oleh (E-mel)
DocType: Training Event,Trainer Name,Nama Trainer
DocType: Mode of Payment,General,Ketua
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Lampirkan Kepala Surat
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Komunikasi lalu
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Komunikasi lalu
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Tidak boleh memotong apabila kategori adalah untuk 'Penilaian' atau 'Penilaian dan Jumlah'
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Senarai kepala cukai anda (contohnya VAT, Kastam dan lain-lain, mereka harus mempunyai nama-nama yang unik) dan kadar standard mereka. Ini akan mewujudkan templat standard, yang anda boleh menyunting dan menambah lebih kemudian."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Senarai kepala cukai anda (contohnya VAT, Kastam dan lain-lain, mereka harus mempunyai nama-nama yang unik) dan kadar standard mereka. Ini akan mewujudkan templat standard, yang anda boleh menyunting dan menambah lebih kemudian."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Serial No Diperlukan untuk Perkara bersiri {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Pembayaran perlawanan dengan Invois
DocType: Journal Entry,Bank Entry,Bank Entry
@@ -3380,16 +3401,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Dalam Troli
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Group By
DocType: Guardian,Interests,minat
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Membolehkan / melumpuhkan mata wang.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Membolehkan / melumpuhkan mata wang.
DocType: Production Planning Tool,Get Material Request,Dapatkan Permintaan Bahan
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Perbelanjaan pos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Perbelanjaan pos
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Jumlah (AMT)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Hiburan & Leisure
DocType: Quality Inspection,Item Serial No,Item No Serial
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Cipta Rekod pekerja
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Jumlah Hadir
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Penyata perakaunan
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Jam
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Jam
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,No Siri baru tidak boleh mempunyai Gudang. Gudang mesti digunakan Saham Masuk atau Resit Pembelian
DocType: Lead,Lead Type,Jenis Lead
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Anda tiada kebenaran untuk meluluskan daun pada Tarikh Sekat
@@ -3401,6 +3422,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,The BOM baru selepas penggantian
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Tempat Jualan
DocType: Payment Entry,Received Amount,Pendapatan daripada
+DocType: GST Settings,GSTIN Email Sent On,GSTIN Penghantaran Email On
+DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop oleh Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Buat untuk kuantiti penuh, mengabaikan kuantiti sudah di perintah"
DocType: Account,Tax,Cukai
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,tidak Ditandakan
@@ -3414,7 +3437,7 @@
DocType: Batch,Source Document Name,Source Document Nama
DocType: Job Opening,Job Title,Tajuk Kerja
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Buat Pengguna
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,Gram
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,Gram
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Kuantiti untuk pembuatan mesti lebih besar daripada 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Lawati laporan untuk panggilan penyelenggaraan.
DocType: Stock Entry,Update Rate and Availability,Kadar Update dan Ketersediaan
@@ -3422,7 +3445,7 @@
DocType: POS Customer Group,Customer Group,Kumpulan pelanggan
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),New Batch ID (Pilihan)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),New Batch ID (Pilihan)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Akaun perbelanjaan adalah wajib bagi item {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Akaun perbelanjaan adalah wajib bagi item {0}
DocType: BOM,Website Description,Laman Web Penerangan
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Perubahan Bersih dalam Ekuiti
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Sila membatalkan Invois Belian {0} pertama
@@ -3432,8 +3455,8 @@
,Sales Register,Jualan Daftar
DocType: Daily Work Summary Settings Company,Send Emails At,Menghantar e-mel di
DocType: Quotation,Quotation Lost Reason,Sebut Harga Hilang Akal
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Pilih Domain anda
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},rujukan transaksi tidak {0} bertarikh {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Pilih Domain anda
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},rujukan transaksi tidak {0} bertarikh {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Ada apa-apa untuk mengedit.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Ringkasan untuk bulan ini dan aktiviti-aktiviti yang belum selesai
DocType: Customer Group,Customer Group Name,Nama Kumpulan Pelanggan
@@ -3441,14 +3464,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Penyata aliran tunai
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Jumlah Pinjaman tidak boleh melebihi Jumlah Pinjaman maksimum {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,lesen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},Sila mengeluarkan Invois ini {0} dari C-Borang {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},Sila mengeluarkan Invois ini {0} dari C-Borang {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Sila pilih Carry Forward jika anda juga mahu termasuk baki tahun fiskal yang lalu daun untuk tahun fiskal ini
DocType: GL Entry,Against Voucher Type,Terhadap Jenis Baucar
DocType: Item,Attributes,Sifat-sifat
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,Sila masukkan Tulis Off Akaun
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Sila masukkan Tulis Off Akaun
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Lepas Tarikh Perintah
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Akaun {0} tidak dimiliki oleh syarikat {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Nombor siri berturut-turut {0} tidak sepadan dengan penghantaran Nota
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Nombor siri berturut-turut {0} tidak sepadan dengan penghantaran Nota
DocType: Student,Guardian Details,Guardian Butiran
DocType: C-Form,C-Form,C-Borang
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark Kehadiran beberapa pekerja
@@ -3463,16 +3486,16 @@
DocType: Budget Account,Budget Amount,Amaun belanjawan
DocType: Appraisal Template,Appraisal Template Title,Penilaian Templat Tajuk
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Dari Tarikh {0} untuk pekerja {1} tidak boleh sebelum menyertai Tarikh pekerja {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Perdagangan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Perdagangan
DocType: Payment Entry,Account Paid To,Akaun Dibayar Kepada
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Ibu Bapa Perkara {0} tidak perlu menjadi item Saham
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Semua Produk atau Perkhidmatan.
DocType: Expense Claim,More Details,Maklumat lanjut
DocType: Supplier Quotation,Supplier Address,Alamat Pembekal
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Bajet akaun {1} daripada {2} {3} adalah {4}. Ia akan melebihi oleh {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Row {0} # Akaun mestilah jenis 'Aset Tetap'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Keluar Qty
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Kaedah-kaedah untuk mengira jumlah penghantaran untuk jualan
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Row {0} # Akaun mestilah jenis 'Aset Tetap'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Keluar Qty
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Kaedah-kaedah untuk mengira jumlah penghantaran untuk jualan
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Siri adalah wajib
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Perkhidmatan Kewangan
DocType: Student Sibling,Student ID,ID pelajar
@@ -3480,13 +3503,13 @@
DocType: Tax Rule,Sales,Jualan
DocType: Stock Entry Detail,Basic Amount,Jumlah Asas
DocType: Training Event,Exam,peperiksaan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Gudang diperlukan untuk saham Perkara {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Gudang diperlukan untuk saham Perkara {0}
DocType: Leave Allocation,Unused leaves,Daun yang tidak digunakan
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,Negeri Bil
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Pemindahan
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} tidak berkaitan dengan Akaun Pihak {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Kutip BOM meletup (termasuk sub-pemasangan)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} tidak berkaitan dengan Akaun Pihak {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Kutip BOM meletup (termasuk sub-pemasangan)
DocType: Authorization Rule,Applicable To (Employee),Terpakai Untuk (Pekerja)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Tarikh Akhir adalah wajib
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Kenaikan untuk Atribut {0} tidak boleh 0
@@ -3514,7 +3537,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Bahan mentah Item Code
DocType: Journal Entry,Write Off Based On,Tulis Off Based On
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,membuat Lead
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Cetak dan Alat Tulis
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Cetak dan Alat Tulis
DocType: Stock Settings,Show Barcode Field,Show Barcode Field
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Hantar Email Pembekal
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Gaji sudah diproses untuk tempoh antara {0} dan {1}, Tinggalkan tempoh permohonan tidak boleh di antara julat tarikh ini."
@@ -3522,14 +3545,16 @@
DocType: Guardian Interest,Guardian Interest,Guardian Faedah
apps/erpnext/erpnext/config/hr.py +177,Training,Latihan
DocType: Timesheet,Employee Detail,Detail pekerja
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 ID E-mel
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 ID E-mel
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 ID E-mel
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 ID E-mel
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,hari Tarikh depan dan Ulang pada Hari Bulan mestilah sama
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Tetapan untuk laman web laman utama
DocType: Offer Letter,Awaiting Response,Menunggu Response
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Di atas
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Di atas
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},sifat yang tidak sah {0} {1}
DocType: Supplier,Mention if non-standard payable account,Menyebut jika tidak standard akaun yang perlu dibayar
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},item yang sama telah dimasukkan beberapa kali. {Senarai}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Sila pilih kumpulan penilaian selain daripada 'Semua Kumpulan Penilaian'
DocType: Salary Slip,Earning & Deduction,Pendapatan & Potongan
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Pilihan. Tetapan ini akan digunakan untuk menapis dalam pelbagai transaksi.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Kadar Penilaian negatif tidak dibenarkan
@@ -3543,9 +3568,9 @@
DocType: Sales Invoice,Product Bundle Help,Produk Bantuan Bundle
,Monthly Attendance Sheet,Lembaran Kehadiran Bulanan
DocType: Production Order Item,Production Order Item,Pengeluaran Item pesanan
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Rekod tidak dijumpai
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Rekod tidak dijumpai
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Kos Aset Dihapuskan
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Pusat Kos adalah wajib bagi Perkara {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Pusat Kos adalah wajib bagi Perkara {2}
DocType: Vehicle,Policy No,Polisi Tiada
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Dapatkan Item daripada Fail Produk
DocType: Asset,Straight Line,Garis lurus
@@ -3554,7 +3579,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Split
DocType: GL Entry,Is Advance,Adalah Advance
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Kehadiran Dari Tarikh dan Kehadiran Untuk Tarikh adalah wajib
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,Sila masukkan 'Apakah Subkontrak' seperti Ya atau Tidak
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,Sila masukkan 'Apakah Subkontrak' seperti Ya atau Tidak
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Tarikh Komunikasi lalu
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Tarikh Komunikasi lalu
DocType: Sales Team,Contact No.,Hubungi No.
@@ -3583,60 +3608,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Nilai pembukaan
DocType: Salary Detail,Formula,formula
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Suruhanjaya Jualan
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Suruhanjaya Jualan
DocType: Offer Letter Term,Value / Description,Nilai / Penerangan
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} tidak boleh dikemukakan, ia sudah {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} tidak boleh dikemukakan, ia sudah {2}"
DocType: Tax Rule,Billing Country,Bil Negara
DocType: Purchase Order Item,Expected Delivery Date,Jangkaan Tarikh Penghantaran
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debit dan Kredit tidak sama untuk {0} # {1}. Perbezaan adalah {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Perbelanjaan hiburan
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Buat Permintaan Bahan
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Perbelanjaan hiburan
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Buat Permintaan Bahan
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Terbuka Item {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Jualan Invois {0} hendaklah dibatalkan sebelum membatalkan Perintah Jualan ini
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Umur
DocType: Sales Invoice Timesheet,Billing Amount,Bil Jumlah
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Kuantiti yang ditentukan tidak sah untuk item {0}. Kuantiti perlu lebih besar daripada 0.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Permohonan untuk kebenaran.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Akaun dengan urus niaga yang sedia ada tidak boleh dihapuskan
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Akaun dengan urus niaga yang sedia ada tidak boleh dihapuskan
DocType: Vehicle,Last Carbon Check,Carbon lalu Daftar
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Perbelanjaan Undang-undang
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Perbelanjaan Undang-undang
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Sila pilih kuantiti hukuman
DocType: Purchase Invoice,Posting Time,Penempatan Masa
DocType: Timesheet,% Amount Billed,% Jumlah Dibilkan
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Perbelanjaan Telefon
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Perbelanjaan Telefon
DocType: Sales Partner,Logo,Logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Semak ini jika anda mahu untuk memaksa pengguna untuk memilih siri sebelum menyimpan. Tidak akan ada lalai jika anda mendaftar ini.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},No Perkara dengan Tiada Serial {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},No Perkara dengan Tiada Serial {0}
DocType: Email Digest,Open Notifications,Pemberitahuan Terbuka
DocType: Payment Entry,Difference Amount (Company Currency),Perbezaan Jumlah (Syarikat Mata Wang)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Perbelanjaan langsung
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Perbelanjaan langsung
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} adalah alamat e-mel yang tidak sah dalam 'Pemberitahuan \ Alamat E-mel'
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,New Hasil Pelanggan
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Perbelanjaan Perjalanan
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Perbelanjaan Perjalanan
DocType: Maintenance Visit,Breakdown,Pecahan
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Akaun: {0} dengan mata wang: {1} tidak boleh dipilih
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Akaun: {0} dengan mata wang: {1} tidak boleh dipilih
DocType: Bank Reconciliation Detail,Cheque Date,Cek Tarikh
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Akaun {0}: akaun Induk {1} bukan milik syarikat: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Akaun {0}: akaun Induk {1} bukan milik syarikat: {2}
DocType: Program Enrollment Tool,Student Applicants,Pemohon pelajar
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Berjaya memadam semua transaksi yang berkaitan dengan syarikat ini!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Berjaya memadam semua transaksi yang berkaitan dengan syarikat ini!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Seperti pada Tarikh
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,Tarikh pendaftaran
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Percubaan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Percubaan
apps/erpnext/erpnext/config/hr.py +115,Salary Components,Komponen gaji
DocType: Program Enrollment Tool,New Academic Year,New Akademik Tahun
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Pulangan / Nota Kredit
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Pulangan / Nota Kredit
DocType: Stock Settings,Auto insert Price List rate if missing,Masukkan Auto Kadar Senarai Harga jika hilang
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Jumlah Amaun Dibayar
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Jumlah Amaun Dibayar
DocType: Production Order Item,Transferred Qty,Dipindahkan Qty
apps/erpnext/erpnext/config/learn.py +11,Navigating,Melayari
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Perancangan
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Isu
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Perancangan
+DocType: Material Request,Issued,Isu
DocType: Project,Total Billing Amount (via Time Logs),Jumlah Bil (melalui Time Log)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Kami menjual Perkara ini
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Id Pembekal
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Kami menjual Perkara ini
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Id Pembekal
DocType: Payment Request,Payment Gateway Details,Pembayaran Gateway Butiran
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Kuantiti harus lebih besar daripada 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Kuantiti harus lebih besar daripada 0
DocType: Journal Entry,Cash Entry,Entry Tunai
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,nod kanak-kanak hanya boleh diwujudkan di bawah nod jenis 'Kumpulan
DocType: Leave Application,Half Day Date,Half Day Tarikh
@@ -3648,14 +3674,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Sila menetapkan akaun lalai dalam Jenis Perbelanjaan Tuntutan {0}
DocType: Assessment Result,Student Name,Nama pelajar
DocType: Brand,Item Manager,Perkara Pengurus
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,gaji Dibayar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,gaji Dibayar
DocType: Buying Settings,Default Supplier Type,Default Jenis Pembekal
DocType: Production Order,Total Operating Cost,Jumlah Kos Operasi
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Nota: Perkara {0} memasuki beberapa kali
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Semua Kenalan.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Singkatan Syarikat
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Singkatan Syarikat
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Pengguna {0} tidak wujud
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,Bahan mentah tidak boleh sama dengan Perkara utama
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Bahan mentah tidak boleh sama dengan Perkara utama
DocType: Item Attribute Value,Abbreviation,Singkatan
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Kemasukan bayaran yang sudah wujud
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Tidak authroized sejak {0} melebihi had
@@ -3664,35 +3690,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Menetapkan Peraturan Cukai untuk troli membeli-belah
DocType: Purchase Invoice,Taxes and Charges Added,Cukai dan Caj Tambahan
,Sales Funnel,Saluran Jualan
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Singkatan adalah wajib
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Singkatan adalah wajib
DocType: Project,Task Progress,Task Progress
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Dalam Troli
,Qty to Transfer,Qty untuk Pemindahan
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Petikan untuk Leads atau Pelanggan.
DocType: Stock Settings,Role Allowed to edit frozen stock,Peranan dibenarkan untuk mengedit saham beku
,Territory Target Variance Item Group-Wise,Wilayah Sasaran Varian Perkara Kumpulan Bijaksana
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Semua Kumpulan Pelanggan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Semua Kumpulan Pelanggan
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,terkumpul Bulanan
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} adalah wajib. Mungkin rekod Pertukaran Matawang tidak dihasilkan untuk {1} hingga {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} adalah wajib. Mungkin rekod Pertukaran Matawang tidak dihasilkan untuk {1} hingga {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Template cukai adalah wajib.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Akaun {0}: akaun Induk {1} tidak wujud
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Akaun {0}: akaun Induk {1} tidak wujud
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Senarai Harga Kadar (Syarikat mata wang)
DocType: Products Settings,Products Settings,produk Tetapan
DocType: Account,Temporary,Sementara
DocType: Program,Courses,kursus
DocType: Monthly Distribution Percentage,Percentage Allocation,Peratus Peruntukan
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Setiausaha
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Setiausaha
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Jika melumpuhkan, 'Dalam Perkataan' bidang tidak akan dapat dilihat dalam mana-mana transaksi"
DocType: Serial No,Distinct unit of an Item,Unit yang berbeza Perkara yang
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Sila tetapkan Syarikat
DocType: Pricing Rule,Buying,Membeli
DocType: HR Settings,Employee Records to be created by,Rekod Pekerja akan diwujudkan oleh
DocType: POS Profile,Apply Discount On,Memohon Diskaun Pada
,Reqd By Date,Reqd Tarikh
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Pemiutang
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Pemiutang
DocType: Assessment Plan,Assessment Name,Nama penilaian
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Row # {0}: Tiada Serial adalah wajib
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Perkara Bijaksana Cukai Detail
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Institut Singkatan
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Institut Singkatan
,Item-wise Price List Rate,Senarai Harga Kadar Perkara-bijak
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Sebutharga Pembekal
DocType: Quotation,In Words will be visible once you save the Quotation.,Dalam Perkataan akan dapat dilihat selepas anda menyimpan Sebut Harga tersebut.
@@ -3700,14 +3727,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Kuantiti ({0}) tidak boleh menjadi sebahagian kecil berturut-turut {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,memungut Yuran
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Barcode {0} telah digunakan dalam Perkara {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barcode {0} telah digunakan dalam Perkara {1}
DocType: Lead,Add to calendar on this date,Tambah ke kalendar pada tarikh ini
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Peraturan untuk menambah kos penghantaran.
DocType: Item,Opening Stock,Stok Awal
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Pelanggan dikehendaki
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} adalah wajib bagi Pulangan
DocType: Purchase Order,To Receive,Untuk Menerima
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,E-mel peribadi
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Jumlah Varian
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Jika diaktifkan, sistem akan menghantar entri perakaunan untuk inventori secara automatik."
@@ -3718,13 +3744,14 @@
DocType: Customer,From Lead,Dari Lead
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Perintah dikeluarkan untuk pengeluaran.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Pilih Tahun Anggaran ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS Profil dikehendaki membuat POS Entry
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS Profil dikehendaki membuat POS Entry
DocType: Program Enrollment Tool,Enroll Students,Daftarkan Pelajar
DocType: Hub Settings,Name Token,Nama Token
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Jualan Standard
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Atleast satu gudang adalah wajib
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Atleast satu gudang adalah wajib
DocType: Serial No,Out of Warranty,Daripada Waranti
DocType: BOM Replace Tool,Replace,Ganti
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Belum ada produk found.
DocType: Production Order,Unstopped,Unstopped
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} terhadap Invois Jualan {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3735,13 +3762,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Nilai saham Perbezaan
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Sumber Manusia
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Penyesuaian Pembayaran Pembayaran
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Aset Cukai
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Aset Cukai
DocType: BOM Item,BOM No,BOM Tiada
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Jurnal Entry {0} tidak mempunyai akaun {1} atau sudah dipadankan dengan baucar lain
DocType: Item,Moving Average,Purata bergerak
DocType: BOM Replace Tool,The BOM which will be replaced,The BOM yang akan digantikan
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,peralatan elektronik
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,peralatan elektronik
DocType: Account,Debit,Debit
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,Daun mesti diperuntukkan dalam gandaan 0.5
DocType: Production Order,Operation Cost,Operasi Kos
@@ -3749,7 +3776,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,AMT Cemerlang
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Sasaran yang ditetapkan Perkara Kumpulan-bijak untuk Orang Jualan ini.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Stok Freeze Lama Than [Hari]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Aset adalah wajib bagi aset tetap pembelian / penjualan
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Aset adalah wajib bagi aset tetap pembelian / penjualan
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Jika dua atau lebih Peraturan Harga yang didapati berdasarkan syarat-syarat di atas, Keutamaan digunakan. Keutamaan adalah nombor antara 0 hingga 20 manakala nilai lalai adalah sifar (kosong). Jumlah yang lebih tinggi bermakna ia akan diberi keutamaan jika terdapat berbilang Peraturan Harga dengan keadaan yang sama."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Tahun fiskal: {0} tidak wujud
DocType: Currency Exchange,To Currency,Untuk Mata Wang
@@ -3758,7 +3785,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Kadar untuk item menjual {0} adalah lebih rendah berbanding {1}. Kadar menjual harus atleast {2}
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Kadar untuk item menjual {0} adalah lebih rendah berbanding {1}. Kadar menjual harus atleast {2}
DocType: Item,Taxes,Cukai
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Dibayar dan Tidak Dihantar
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Dibayar dan Tidak Dihantar
DocType: Project,Default Cost Center,Kos Pusat Default
DocType: Bank Guarantee,End Date,Tarikh akhir
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Urusniaga saham
@@ -3783,24 +3810,22 @@
DocType: Employee,Held On,Diadakan Pada
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Pengeluaran Item
,Employee Information,Maklumat Kakitangan
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Kadar (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Kadar (%)
DocType: Stock Entry Detail,Additional Cost,Kos tambahan
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Akhir Tahun Kewangan Tarikh
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Tidak boleh menapis berdasarkan Baucer Tidak, jika dikumpulkan oleh Baucar"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Membuat Sebutharga Pembekal
DocType: Quality Inspection,Incoming,Masuk
DocType: BOM,Materials Required (Exploded),Bahan yang diperlukan (Meletup)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Tambah pengguna kepada organisasi anda, selain daripada diri sendiri"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Posting Tarikh tidak boleh tarikh masa depan
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: No Siri {1} tidak sepadan dengan {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Cuti kasual
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Cuti kasual
DocType: Batch,Batch ID,ID Batch
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Nota: {0}
,Delivery Note Trends,Trend Penghantaran Nota
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Ringkasan Minggu Ini
-,In Stock Qty,Dalam Stok Kuantiti
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Dalam Stok Kuantiti
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Akaun: {0} hanya boleh dikemaskini melalui Urusniaga Stok
-DocType: Program Enrollment,Get Courses,Dapatkan Kursus
+DocType: Student Group Creation Tool,Get Courses,Dapatkan Kursus
DocType: GL Entry,Party,Parti
DocType: Sales Order,Delivery Date,Tarikh Penghantaran
DocType: Opportunity,Opportunity Date,Peluang Tarikh
@@ -3808,14 +3833,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Sebut Harga Item
DocType: Purchase Order,To Bill,Rang Undang-Undang
DocType: Material Request,% Ordered,% Mengarahkan
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Untuk Kumpulan Pelajar berdasarkan, Kursus yang akan disahkan bagi tiap-tiap Pelajar daripada Kursus mendaftar dalam Program Pendaftaran."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Masukkan Alamat Email dipisahkan dengan tanda koma, invois akan dihantar secara automatik pada tarikh tertentu"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Piecework
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Piecework
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Purata. Kadar Membeli
DocType: Task,Actual Time (in Hours),Masa sebenar (dalam jam)
DocType: Employee,History In Company,Sejarah Dalam Syarikat
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Surat Berita
DocType: Stock Ledger Entry,Stock Ledger Entry,Saham Lejar Entry
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Pelanggan> Kumpulan Pelanggan> Wilayah
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,item yang sama telah dimasukkan beberapa kali
DocType: Department,Leave Block List,Tinggalkan Sekat Senarai
DocType: Sales Invoice,Tax ID,ID Cukai
@@ -3830,30 +3855,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} unit {1} diperlukan dalam {2} untuk melengkapkan urus niaga ini.
DocType: Loan Type,Rate of Interest (%) Yearly,Kadar faedah (%) tahunan
DocType: SMS Settings,SMS Settings,Tetapan SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Akaun sementara
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Black
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Akaun sementara
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Black
DocType: BOM Explosion Item,BOM Explosion Item,Letupan BOM Perkara
DocType: Account,Auditor,Audit
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} barangan yang dihasilkan
DocType: Cheque Print Template,Distance from top edge,Jarak dari tepi atas
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Senarai Harga {0} dilumpuhkan atau tidak wujud
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Senarai Harga {0} dilumpuhkan atau tidak wujud
DocType: Purchase Invoice,Return,Pulangan
DocType: Production Order Operation,Production Order Operation,Pengeluaran Operasi Pesanan
DocType: Pricing Rule,Disable,Melumpuhkan
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Cara pembayaran adalah dikehendaki untuk membuat pembayaran
DocType: Project Task,Pending Review,Sementara menunggu Review
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} tidak mendaftar dalam Batch {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} tidak boleh dimansuhkan, kerana ia sudah {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Jumlah Tuntutan Perbelanjaan (melalui Perbelanjaan Tuntutan)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Id Pelanggan
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Tidak Hadir
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Matawang BOM # {1} hendaklah sama dengan mata wang yang dipilih {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Matawang BOM # {1} hendaklah sama dengan mata wang yang dipilih {2}
DocType: Journal Entry Account,Exchange Rate,Kadar pertukaran
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Sales Order {0} tidak dikemukakan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Sales Order {0} tidak dikemukakan
DocType: Homepage,Tag Line,Line tag
DocType: Fee Component,Fee Component,Komponen Bayaran
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Pengurusan Fleet
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Tambah item dari
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Gudang {0}: akaun Ibu Bapa {1} tidak Bolong kepada syarikat {2}
DocType: Cheque Print Template,Regular,biasa
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Jumlah Wajaran semua Kriteria Penilaian mesti 100%
DocType: BOM,Last Purchase Rate,Kadar Pembelian lalu
@@ -3862,11 +3886,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Saham tidak boleh wujud untuk Perkara {0} kerana mempunyai varian
,Sales Person-wise Transaction Summary,Jualan Orang-bijak Transaksi Ringkasan
DocType: Training Event,Contact Number,Nombor telefon
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Gudang {0} tidak wujud
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Gudang {0} tidak wujud
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Daftar Untuk ERPNext Hub
DocType: Monthly Distribution,Monthly Distribution Percentages,Peratusan Taburan Bulanan
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Item yang dipilih tidak boleh mempunyai Batch
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Kadar penilaian tidak dijumpai untuk Perkara {0}, yang diperlukan untuk melakukan catatan perakaunan untuk {1} {2}. Jika yang menjalankan transaksi sebagai item sampel dalam {1}, sila sebut bahawa dalam {1} meja Item. Jika tidak, sila buat transaksi stok masuk untuk item atau sebutan kadar penilaian dalam rekod Item, dan kemudian cuba submiting / membatalkan entri ini"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Kadar penilaian tidak dijumpai untuk Perkara {0}, yang diperlukan untuk melakukan catatan perakaunan untuk {1} {2}. Jika yang menjalankan transaksi sebagai item sampel dalam {1}, sila sebut bahawa dalam {1} meja Item. Jika tidak, sila buat transaksi stok masuk untuk item atau sebutan kadar penilaian dalam rekod Item, dan kemudian cuba submiting / membatalkan entri ini"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% bahan-bahan yang dihantar untuk Nota Penghantaran ini
DocType: Project,Customer Details,Butiran Pelanggan
DocType: Employee,Reports to,Laporan kepada
@@ -3874,24 +3898,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Masukkan parameter url untuk penerima nos
DocType: Payment Entry,Paid Amount,Jumlah yang dibayar
DocType: Assessment Plan,Supervisor,penyelia
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,talian
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,talian
,Available Stock for Packing Items,Saham tersedia untuk Item Pembungkusan
DocType: Item Variant,Item Variant,Perkara Varian
DocType: Assessment Result Tool,Assessment Result Tool,Penilaian Keputusan Tool
DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,penghantaran pesanan tidak boleh dihapuskan
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Baki akaun sudah dalam Debit, anda tidak dibenarkan untuk menetapkan 'Baki Mestilah' sebagai 'Kredit'"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Pengurusan Kualiti
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,penghantaran pesanan tidak boleh dihapuskan
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Baki akaun sudah dalam Debit, anda tidak dibenarkan untuk menetapkan 'Baki Mestilah' sebagai 'Kredit'"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Pengurusan Kualiti
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Perkara {0} telah dilumpuhkan
DocType: Employee Loan,Repay Fixed Amount per Period,Membayar balik Jumlah tetap setiap Tempoh
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Sila masukkan kuantiti untuk Perkara {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Nota Kredit AMT
DocType: Employee External Work History,Employee External Work History,Luar pekerja Sejarah Kerja
DocType: Tax Rule,Purchase,Pembelian
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Baki Kuantiti
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Baki Kuantiti
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Matlamat tidak boleh kosong
DocType: Item Group,Parent Item Group,Ibu Bapa Item Kumpulan
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} untuk {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Pusat Kos
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Pusat Kos
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Kadar di mana pembekal mata wang ditukar kepada mata wang asas syarikat
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: konflik pengaturan masa dengan barisan {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Benarkan Kadar Penilaian Zero
@@ -3899,17 +3924,18 @@
DocType: Training Event Employee,Invited,dijemput
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Pelbagai Struktur Gaji aktif dijumpai untuk pekerja {0} pada tarikh yang diberikan
DocType: Opportunity,Next Contact,Seterusnya Hubungi
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Persediaan akaun Gateway.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Persediaan akaun Gateway.
DocType: Employee,Employment Type,Jenis pekerjaan
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Aset Tetap
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Aset Tetap
DocType: Payment Entry,Set Exchange Gain / Loss,Set Exchange Keuntungan / Kerugian
+,GST Purchase Register,GST Pembelian Daftar
,Cash Flow,Aliran tunai
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Tempoh permohonan tidak boleh di dua rekod alocation
DocType: Item Group,Default Expense Account,Akaun Perbelanjaan Default
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Pelajar Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Pelajar Email ID
DocType: Employee,Notice (days),Notis (hari)
DocType: Tax Rule,Sales Tax Template,Template Cukai Jualan
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Pilih item untuk menyelamatkan invois
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Pilih item untuk menyelamatkan invois
DocType: Employee,Encashment Date,Penunaian Tarikh
DocType: Training Event,Internet,Internet
DocType: Account,Stock Adjustment,Pelarasan saham
@@ -3938,7 +3964,7 @@
DocType: Guardian,Guardian Of ,Guardian Of
DocType: Grading Scale Interval,Threshold,ambang
DocType: BOM Replace Tool,Current BOM,BOM semasa
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Tambah No Serial
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Tambah No Serial
apps/erpnext/erpnext/config/support.py +22,Warranty,jaminan
DocType: Purchase Invoice,Debit Note Issued,Debit Nota Dikeluarkan
DocType: Production Order,Warehouses,Gudang
@@ -3947,20 +3973,20 @@
DocType: Workstation,per hour,sejam
apps/erpnext/erpnext/config/buying.py +7,Purchasing,Membeli
DocType: Announcement,Announcement,Pengumuman
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Akaun untuk gudang (Inventori Kekal) yang akan diwujudkan di bawah Akaun ini.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Gudang tidak boleh dihapuskan kerana penyertaan saham lejar wujud untuk gudang ini.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Untuk Kumpulan Pelajar Batch berasaskan, Batch Pelajar akan disahkan bagi tiap-tiap pelajar daripada Program Pendaftaran."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Gudang tidak boleh dihapuskan kerana penyertaan saham lejar wujud untuk gudang ini.
DocType: Company,Distribution,Pengagihan
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Amaun Dibayar
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Pengurus Projek
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Pengurus Projek
,Quoted Item Comparison,Perkara dipetik Perbandingan
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Dispatch
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max diskaun yang dibenarkan untuk item: {0} adalah {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Dispatch
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max diskaun yang dibenarkan untuk item: {0} adalah {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Nilai Aset Bersih pada
DocType: Account,Receivable,Belum Terima
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Tidak dibenarkan untuk menukar pembekal sebagai Perintah Pembelian sudah wujud
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Tidak dibenarkan untuk menukar pembekal sebagai Perintah Pembelian sudah wujud
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Peranan yang dibenarkan menghantar transaksi yang melebihi had kredit ditetapkan.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Pilih item untuk mengeluarkan
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master penyegerakan data, ia mungkin mengambil sedikit masa"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Pilih item untuk mengeluarkan
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master penyegerakan data, ia mungkin mengambil sedikit masa"
DocType: Item,Material Issue,Isu Bahan
DocType: Hub Settings,Seller Description,Penjual Penerangan
DocType: Employee Education,Qualification,Kelayakan
@@ -3980,7 +4006,6 @@
DocType: BOM,Rate Of Materials Based On,Kadar Bahan Based On
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analtyics Sokongan
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Nyahtanda semua
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Syarikat yang hilang dalam gudang {0}
DocType: POS Profile,Terms and Conditions,Terma dan Syarat
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Tarikh perlu berada dalam Tahun Fiskal. Dengan mengandaikan Untuk Tarikh = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Di sini anda boleh mengekalkan ketinggian, berat badan, alahan, masalah kesihatan dan lain-lain"
@@ -3995,19 +4020,18 @@
DocType: Sales Order Item,For Production,Untuk Pengeluaran
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Lihat Petugas
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Tahun kewangan anda bermula pada
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,RRJP / Lead%
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,RRJP / Lead%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Penurunan nilai aset dan Baki
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Jumlah {0} {1} dipindahkan dari {2} kepada {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Jumlah {0} {1} dipindahkan dari {2} kepada {3}
DocType: Sales Invoice,Get Advances Received,Mendapatkan Pendahuluan Diterima
DocType: Email Digest,Add/Remove Recipients,Tambah / Buang Penerima
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Transaksi tidak dibenarkan terhadap Pengeluaran berhenti Perintah {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Transaksi tidak dibenarkan terhadap Pengeluaran berhenti Perintah {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Untuk menetapkan Tahun Fiskal ini sebagai lalai, klik pada 'Tetapkan sebagai lalai'"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,Sertai
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Sertai
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Kekurangan Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Varian item {0} wujud dengan ciri yang sama
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Varian item {0} wujud dengan ciri yang sama
DocType: Employee Loan,Repay from Salary,Membayar balik dari Gaji
DocType: Leave Application,LAP/,LAP /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Meminta pembayaran daripada {0} {1} untuk jumlah {2}
@@ -4018,34 +4042,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Menjana slip pembungkusan untuk pakej yang akan dihantar. Digunakan untuk memberitahu jumlah pakej, kandungan pakej dan berat."
DocType: Sales Invoice Item,Sales Order Item,Pesanan Jualan Perkara
DocType: Salary Slip,Payment Days,Hari Pembayaran
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Gudang dengan nod kanak-kanak tidak boleh ditukar ke dalam lejar
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Gudang dengan nod kanak-kanak tidak boleh ditukar ke dalam lejar
DocType: BOM,Manage cost of operations,Menguruskan kos operasi
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Apabila mana-mana urus niaga yang diperiksa adalah "Dihantar", e-mel pop-up secara automatik dibuka untuk menghantar e-mel kepada yang berkaitan "Hubungi" dalam transaksi itu, dengan transaksi itu sebagai lampiran. Pengguna mungkin atau tidak menghantar e-mel."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Tetapan Global
DocType: Assessment Result Detail,Assessment Result Detail,Penilaian Keputusan terperinci
DocType: Employee Education,Employee Education,Pendidikan Pekerja
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,kumpulan item Duplicate dijumpai di dalam jadual kumpulan item
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,Ia diperlukan untuk mengambil Butiran Item.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,Ia diperlukan untuk mengambil Butiran Item.
DocType: Salary Slip,Net Pay,Gaji bersih
DocType: Account,Account,Akaun
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,No siri {0} telah diterima
,Requested Items To Be Transferred,Item yang diminta Akan Dipindahkan
DocType: Expense Claim,Vehicle Log,kenderaan Log
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Warehouse {0} tidak dikaitkan dengan mana-mana akaun, sila membuat / menghubungkan akaun yang sama (Aset) untuk gudang."
DocType: Purchase Invoice,Recurring Id,Id berulang
DocType: Customer,Sales Team Details,Butiran Pasukan Jualan
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Padam selama-lamanya?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Padam selama-lamanya?
DocType: Expense Claim,Total Claimed Amount,Jumlah Jumlah Tuntutan
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Peluang yang berpotensi untuk jualan.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Tidak sah {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Cuti Sakit
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Tidak sah {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Cuti Sakit
DocType: Email Digest,Email Digest,E-mel Digest
DocType: Delivery Note,Billing Address Name,Bil Nama Alamat
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Kedai Jabatan
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Persediaan Sekolah anda di ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Tukar Jumlah Asas (Syarikat Mata Wang)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Tiada catatan perakaunan bagi gudang berikut
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Tiada catatan perakaunan bagi gudang berikut
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Simpan dokumen pertama.
DocType: Account,Chargeable,Boleh dikenakan cukai
DocType: Company,Change Abbreviation,Perubahan Singkatan
@@ -4063,7 +4086,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Jangkaan Tarikh Penghantaran tidak boleh sebelum Pesanan Belian Tarikh
DocType: Appraisal,Appraisal Template,Templat Penilaian
DocType: Item Group,Item Classification,Item Klasifikasi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Pengurus Pembangunan Perniagaan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Pengurus Pembangunan Perniagaan
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Penyelenggaraan Lawatan Tujuan
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Tempoh
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Lejar Am
@@ -4073,8 +4096,8 @@
DocType: Item Attribute Value,Attribute Value,Atribut Nilai
,Itemwise Recommended Reorder Level,Itemwise lawatan Reorder Level
DocType: Salary Detail,Salary Detail,Detail gaji
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,Sila pilih {0} pertama
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Batch {0} Item {1} telah tamat.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Sila pilih {0} pertama
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Batch {0} Item {1} telah tamat.
DocType: Sales Invoice,Commission,Suruhanjaya
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Lembaran Masa untuk pembuatan.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,jumlah kecil
@@ -4085,6 +4108,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`Bekukan Stok Yang Lebih Lama Dari` hendaklah lebih kecil daripada %d hari.
DocType: Tax Rule,Purchase Tax Template,Membeli Template Cukai
,Project wise Stock Tracking,Projek Landasan Saham bijak
+DocType: GST HSN Code,Regional,Regional
DocType: Stock Entry Detail,Actual Qty (at source/target),Kuantiti sebenar (pada sumber / sasaran)
DocType: Item Customer Detail,Ref Code,Ref Kod
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Rekod pekerja.
@@ -4095,13 +4119,13 @@
DocType: Email Digest,New Purchase Orders,Pesanan Pembelian baru
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Akar tidak boleh mempunyai pusat kos ibu bapa
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Pilih Jenama ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Latihan Events / Keputusan
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Susutnilai Terkumpul seperti pada
DocType: Sales Invoice,C-Form Applicable,C-Borang Berkaitan
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Masa operasi mesti lebih besar daripada 0 untuk operasi {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Warehouse adalah wajib
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Warehouse adalah wajib
DocType: Supplier,Address and Contacts,Alamat dan Kenalan
DocType: UOM Conversion Detail,UOM Conversion Detail,Detail UOM Penukaran
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Pastikan ia web 900px mesra (w) dengan 100px (h)
DocType: Program,Program Abbreviation,Singkatan program
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Perintah Pengeluaran tidak boleh dibangkitkan terhadap Templat Perkara
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Caj akan dikemas kini di Resit Pembelian terhadap setiap item
@@ -4109,13 +4133,13 @@
DocType: Bank Guarantee,Start Date,Tarikh Mula
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Memperuntukkan daun untuk suatu tempoh.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Cek dan Deposit tidak betul dibersihkan
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Akaun {0}: Anda tidak boleh menetapkan ia sendiri sebagai akaun induk
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Akaun {0}: Anda tidak boleh menetapkan ia sendiri sebagai akaun induk
DocType: Purchase Invoice Item,Price List Rate,Senarai Harga Kadar
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Membuat sebut harga pelanggan
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Menunjukkan "Pada Saham" atau "Tidak dalam Saham" berdasarkan saham yang terdapat di gudang ini.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Rang Undang-Undang Bahan (BOM)
DocType: Item,Average time taken by the supplier to deliver,Purata masa yang diambil oleh pembekal untuk menyampaikan
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,Keputusan penilaian
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,Keputusan penilaian
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Jam
DocType: Project,Expected Start Date,Jangkaan Tarikh Mula
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Buang item jika caj tidak berkenaan dengan perkara yang
@@ -4129,25 +4153,24 @@
DocType: Workstation,Operating Costs,Kos operasi
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Tindakan jika Terkumpul Anggaran Bulanan Melebihi
DocType: Purchase Invoice,Submit on creation,Mengemukakan kepada penciptaan
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Mata wang untuk {0} mesti {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Mata wang untuk {0} mesti {1}
DocType: Asset,Disposal Date,Tarikh pelupusan
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-mel akan dihantar kepada semua Pekerja Active syarikat itu pada jam yang diberikan, jika mereka tidak mempunyai percutian. Ringkasan jawapan akan dihantar pada tengah malam."
DocType: Employee Leave Approver,Employee Leave Approver,Pekerja Cuti Pelulus
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Suatu catatan Reorder telah wujud untuk gudang ini {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Suatu catatan Reorder telah wujud untuk gudang ini {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Tidak boleh mengaku sebagai hilang, kerana Sebutharga telah dibuat."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Maklum balas latihan
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Pengeluaran Pesanan {0} hendaklah dikemukakan
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Pengeluaran Pesanan {0} hendaklah dikemukakan
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Sila pilih Mula Tarikh dan Tarikh Akhir untuk Perkara {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Kursus adalah wajib berturut-turut {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Setakat ini tidak boleh sebelum dari tarikh
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Tambah / Edit Harga
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Tambah / Edit Harga
DocType: Batch,Parent Batch,Batch ibubapa
DocType: Batch,Parent Batch,Batch ibubapa
DocType: Cheque Print Template,Cheque Print Template,Cek Cetak Template
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Carta Pusat Kos
,Requested Items To Be Ordered,Item yang diminta Akan Mengarahkan
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,syarikat gudang perlu menjadi sama seperti syarikat Akaun
DocType: Price List,Price List Name,Senarai Harga Nama
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Ringkasan Kerja Harian untuk {0}
DocType: Employee Loan,Totals,Jumlah
@@ -4169,55 +4192,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Sila masukkan nos bimbit sah
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Sila masukkan mesej sebelum menghantar
DocType: Email Digest,Pending Quotations,Sementara menunggu Sebutharga
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Point-of-Sale Profil
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale Profil
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Sila Kemaskini Tetapan SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Pinjaman tidak bercagar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Pinjaman tidak bercagar
DocType: Cost Center,Cost Center Name,Kos Nama Pusat
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Max jam bekerja terhadap Timesheet
DocType: Maintenance Schedule Detail,Scheduled Date,Tarikh yang dijadualkan
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Jumlah dibayar AMT
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Jumlah dibayar AMT
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Mesej yang lebih besar daripada 160 aksara akan berpecah kepada berbilang mesej
DocType: Purchase Receipt Item,Received and Accepted,Diterima dan Diterima
+,GST Itemised Sales Register,GST Terperinci Sales Daftar
,Serial No Service Contract Expiry,Serial No Kontrak Perkhidmatan tamat
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Anda tidak boleh kredit dan debit akaun sama pada masa yang sama
DocType: Naming Series,Help HTML,Bantuan HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Pelajar Kumpulan Tool Creation
DocType: Item,Variant Based On,Based On Variant
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Jumlah wajaran yang diberikan harus 100%. Ia adalah {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Pembekal anda
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Pembekal anda
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Tidak boleh ditetapkan sebagai Kalah sebagai Sales Order dibuat.
DocType: Request for Quotation Item,Supplier Part No,Pembekal bahagian No
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Tidak dapat menolak apabila kategori adalah untuk 'Penilaian' atau 'Vaulation dan Jumlah'
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Pemberian
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Pemberian
DocType: Lead,Converted,Ditukar
DocType: Item,Has Serial No,Mempunyai No Siri
DocType: Employee,Date of Issue,Tarikh Keluaran
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Dari {0} untuk {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Sebagai satu Tetapan Membeli jika Pembelian penerimaannya Diperlukan == 'YA', maka untuk mewujudkan Invois Belian, pengguna perlu membuat Pembelian Resit pertama bagi item {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Row # {0}: Tetapkan Pembekal untuk item {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Row {0}: Nilai Waktu mesti lebih besar daripada sifar.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Laman web Image {0} melekat Perkara {1} tidak boleh didapati
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Laman web Image {0} melekat Perkara {1} tidak boleh didapati
DocType: Issue,Content Type,Jenis kandungan
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Komputer
DocType: Item,List this Item in multiple groups on the website.,Senarai Item ini dalam pelbagai kumpulan di laman web.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Sila semak pilihan mata Multi untuk membolehkan akaun dengan mata wang lain
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Perkara: {0} tidak wujud dalam sistem
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Anda tiada kebenaran untuk menetapkan nilai Beku
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Perkara: {0} tidak wujud dalam sistem
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Anda tiada kebenaran untuk menetapkan nilai Beku
DocType: Payment Reconciliation,Get Unreconciled Entries,Dapatkan belum disatukan Penyertaan
DocType: Payment Reconciliation,From Invoice Date,Dari Invois Tarikh
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,mata wang bil mesti sama dengan mata wang atau akaun pihak mata wang sama ada lalai comapany ini
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,meninggalkan Penunaian
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Apa yang ia buat?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,mata wang bil mesti sama dengan mata wang atau akaun pihak mata wang sama ada lalai comapany ini
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,meninggalkan Penunaian
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Apa yang ia buat?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Untuk Gudang
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Semua Kemasukan Pelajar
,Average Commission Rate,Purata Kadar Suruhanjaya
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,'Punyai Nombor Siri' tidak boleh 'Ya' untuk benda bukan stok
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'Punyai Nombor Siri' tidak boleh 'Ya' untuk benda bukan stok
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Kehadiran tidak boleh ditandakan untuk masa hadapan
DocType: Pricing Rule,Pricing Rule Help,Peraturan Harga Bantuan
DocType: School House,House Name,Nama rumah
DocType: Purchase Taxes and Charges,Account Head,Kepala Akaun
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Kemas kini kos tambahan untuk mengira kos mendarat barangan
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Elektrik
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Elektrik
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Menambah seluruh organisasi anda sebagai pengguna anda. Anda juga boleh menambah menjemput Pelanggan untuk portal anda dengan menambah mereka dari Kenalan
DocType: Stock Entry,Total Value Difference (Out - In),Jumlah Perbezaan Nilai (Out - Dalam)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Row {0}: Kadar Pertukaran adalah wajib
@@ -4227,7 +4252,7 @@
DocType: Item,Customer Code,Kod Pelanggan
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Peringatan hari jadi untuk {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Sejak hari Perintah lepas
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Debit Untuk akaun perlu menjadi akaun Kunci Kira-kira
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Debit Untuk akaun perlu menjadi akaun Kunci Kira-kira
DocType: Buying Settings,Naming Series,Menamakan Siri
DocType: Leave Block List,Leave Block List Name,Tinggalkan Nama Sekat Senarai
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Insurance Mula Tarikh harus kurang daripada tarikh Insurance End
@@ -4242,27 +4267,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Slip Gaji pekerja {0} telah dicipta untuk lembaran masa {1}
DocType: Vehicle Log,Odometer,odometer
DocType: Sales Order Item,Ordered Qty,Mengarahkan Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Perkara {0} dilumpuhkan
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Perkara {0} dilumpuhkan
DocType: Stock Settings,Stock Frozen Upto,Saham beku Upto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM tidak mengandungi apa-apa butiran saham
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM tidak mengandungi apa-apa butiran saham
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Tempoh Dari dan Musim Ke tarikh wajib untuk berulang {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Aktiviti projek / tugasan.
DocType: Vehicle Log,Refuelling Details,Refuelling Butiran
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Menjana Gaji Slip
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Membeli hendaklah disemak, jika Terpakai Untuk dipilih sebagai {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Membeli hendaklah disemak, jika Terpakai Untuk dipilih sebagai {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Diskaun mesti kurang daripada 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Kadar pembelian seluruh dunia: terdapat
DocType: Purchase Invoice,Write Off Amount (Company Currency),Tulis Off Jumlah (Syarikat Mata Wang)
DocType: Sales Invoice Timesheet,Billing Hours,Waktu Billing
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,BOM lalai untuk {0} tidak dijumpai
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Row # {0}: Sila menetapkan kuantiti pesanan semula
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Row # {0}: Sila menetapkan kuantiti pesanan semula
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Ketik item untuk menambah mereka di sini
DocType: Fees,Program Enrollment,program Pendaftaran
DocType: Landed Cost Voucher,Landed Cost Voucher,Baucer Kos mendarat
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Sila set {0}
DocType: Purchase Invoice,Repeat on Day of Month,Ulangi pada hari Bulan
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} adalah pelajar aktif
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} adalah pelajar aktif
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} adalah pelajar aktif
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} adalah pelajar aktif
DocType: Employee,Health Details,Kesihatan Butiran
DocType: Offer Letter,Offer Letter Terms,Tawaran Terma Surat
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Untuk membuat Permintaan Pembayaran dokumen rujukan diperlukan
@@ -4284,7 +4309,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Contoh:. ABCD ##### Jika siri ditetapkan dan No Serial tidak disebut dalam urus niaga, nombor siri maka automatik akan diwujudkan berdasarkan siri ini. Jika anda sentiasa mahu dengan jelas menyebut Serial No untuk item ini. kosongkan ini."
DocType: Upload Attendance,Upload Attendance,Naik Kehadiran
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM dan Pembuatan Kuantiti dikehendaki
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM dan Pembuatan Kuantiti dikehendaki
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Range Penuaan 2
DocType: SG Creation Tool Course,Max Strength,Max Kekuatan
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM digantikan
@@ -4294,8 +4319,8 @@
,Prospects Engaged But Not Converted,Prospek Terlibat Tetapi Tidak Ditukar
DocType: Manufacturing Settings,Manufacturing Settings,Tetapan Pembuatan
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Menubuhkan E-mel
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Bimbit
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Sila masukkan mata wang lalai dalam Syarikat Induk
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Bimbit
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Sila masukkan mata wang lalai dalam Syarikat Induk
DocType: Stock Entry Detail,Stock Entry Detail,Detail saham Entry
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Peringatan Harian
DocType: Products Settings,Home Page is Products,Laman Utama Produk adalah
@@ -4304,7 +4329,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Nama Akaun Baru
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Kos Bahan mentah yang dibekalkan
DocType: Selling Settings,Settings for Selling Module,Tetapan untuk Menjual Modul
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Khidmat Pelanggan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Khidmat Pelanggan
DocType: BOM,Thumbnail,Thumbnail
DocType: Item Customer Detail,Item Customer Detail,Item Pelanggan Detail
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Tawaran calon Kerja a.
@@ -4313,7 +4338,7 @@
DocType: Pricing Rule,Percentage,peratus
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Perkara {0} mestilah Perkara saham
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Kerja Lalai Dalam Kemajuan Warehouse
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Tetapan lalai untuk transaksi perakaunan.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Tetapan lalai untuk transaksi perakaunan.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Jangkaan Tarikh tidak boleh sebelum Bahan Permintaan Tarikh
DocType: Purchase Invoice Item,Stock Qty,saham Qty
@@ -4327,10 +4352,10 @@
DocType: Sales Order,Printing Details,Percetakan Butiran
DocType: Task,Closing Date,Tarikh Tutup
DocType: Sales Order Item,Produced Quantity,Dihasilkan Kuantiti
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Jurutera
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Jurutera
DocType: Journal Entry,Total Amount Currency,Jumlah Mata Wang
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Mencari Sub Dewan
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Kod Item diperlukan semasa Row Tiada {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Kod Item diperlukan semasa Row Tiada {0}
DocType: Sales Partner,Partner Type,Rakan Jenis
DocType: Purchase Taxes and Charges,Actual,Sebenar
DocType: Authorization Rule,Customerwise Discount,Customerwise Diskaun
@@ -4347,11 +4372,11 @@
DocType: Item Reorder,Re-Order Level,Re-Order Level
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Masukkan item dan qty dirancang yang mana anda mahu untuk meningkatkan pesanan pengeluaran atau memuat turun bahan-bahan mentah untuk analisis.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Carta Gantt
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Sambilan
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Sambilan
DocType: Employee,Applicable Holiday List,Senarai Holiday berkenaan
DocType: Employee,Cheque,Cek
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Siri Dikemaskini
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Jenis Laporan adalah wajib
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Jenis Laporan adalah wajib
DocType: Item,Serial Number Series,Nombor Siri Siri
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Gudang adalah wajib bagi saham Perkara {0} berturut-turut {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Runcit & Borong
@@ -4373,7 +4398,7 @@
DocType: BOM,Materials,Bahan
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Jika tidak disemak, senarai itu perlu ditambah kepada setiap Jabatan di mana ia perlu digunakan."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Sumber dan sasaran Warehouse tidak boleh sama
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Menghantar tarikh dan masa untuk menghantar adalah wajib
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Menghantar tarikh dan masa untuk menghantar adalah wajib
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Template cukai untuk membeli transaksi.
,Item Prices,Harga Item
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Dalam Perkataan akan dapat dilihat selepas anda menyimpan Pesanan Belian.
@@ -4383,22 +4408,23 @@
DocType: Purchase Invoice,Advance Payments,Bayaran Pendahuluan
DocType: Purchase Taxes and Charges,On Net Total,Di Net Jumlah
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Nilai untuk Sifat {0} mesti berada dalam lingkungan {1} kepada {2} dalam kenaikan {3} untuk item {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Gudang sasaran berturut-turut {0} mestilah sama dengan Perintah Pengeluaran
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Gudang sasaran berturut-turut {0} mestilah sama dengan Perintah Pengeluaran
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,'Alamat-alamat E-mel Makluman' tidak dinyatakan untuk %s yang berulang
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,Mata wang tidak boleh diubah selepas membuat masukan menggunakan beberapa mata wang lain
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Mata wang tidak boleh diubah selepas membuat masukan menggunakan beberapa mata wang lain
DocType: Vehicle Service,Clutch Plate,Plate Clutch
DocType: Company,Round Off Account,Bundarkan Akaun
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Perbelanjaan pentadbiran
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Perbelanjaan pentadbiran
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Consulting
DocType: Customer Group,Parent Customer Group,Ibu Bapa Kumpulan Pelanggan
DocType: Purchase Invoice,Contact Email,Hubungi E-mel
DocType: Appraisal Goal,Score Earned,Skor Diperoleh
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Tempoh notis
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Tempoh notis
DocType: Asset Category,Asset Category Name,Asset Kategori Nama
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Ini adalah wilayah akar dan tidak boleh diedit.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Nama New Orang Sales
DocType: Packing Slip,Gross Weight UOM,Berat kasar UOM
DocType: Delivery Note Item,Against Sales Invoice,Terhadap Invois Jualan
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Sila masukkan nombor siri untuk item bersiri
DocType: Bin,Reserved Qty for Production,Cipta Terpelihara Kuantiti untuk Pengeluaran
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Biarkan tak bertanda jika anda tidak mahu mempertimbangkan kumpulan semasa membuat kumpulan kursus berasaskan.
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Biarkan tak bertanda jika anda tidak mahu mempertimbangkan kumpulan semasa membuat kumpulan kursus berasaskan.
@@ -4407,25 +4433,25 @@
DocType: Landed Cost Item,Landed Cost Item,Tanah Kos Item
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Menunjukkan nilai-nilai sifar
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Kuantiti item diperolehi selepas pembuatan / pembungkusan semula daripada kuantiti diberi bahan mentah
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Persediaan sebuah laman web yang mudah untuk organisasi saya
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Persediaan sebuah laman web yang mudah untuk organisasi saya
DocType: Payment Reconciliation,Receivable / Payable Account,Belum Terima / Akaun Belum Bayar
DocType: Delivery Note Item,Against Sales Order Item,Terhadap Sales Order Item
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},Sila nyatakan Atribut Nilai untuk atribut {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},Sila nyatakan Atribut Nilai untuk atribut {0}
DocType: Item,Default Warehouse,Gudang Default
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Bajet tidak boleh diberikan terhadap Akaun Kumpulan {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Sila masukkan induk pusat kos
DocType: Delivery Note,Print Without Amount,Cetak Tanpa Jumlah
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,Tarikh susutnilai
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,Kategori cukai tidak boleh menjadi 'Penilaian' atau 'Penilaian dan Jumlah' kerana semua perkara adalah perkara tanpa saham yang
DocType: Issue,Support Team,Pasukan Sokongan
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Tamat (Dalam Hari)
DocType: Appraisal,Total Score (Out of 5),Jumlah Skor (Daripada 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Batch
+DocType: Student Attendance Tool,Batch,Batch
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Baki
DocType: Room,Seating Capacity,Kapasiti Tempat Duduk
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Jumlah Tuntutan Perbelanjaan (melalui Tuntutan Perbelanjaan)
+DocType: GST Settings,GST Summary,Ringkasan GST
DocType: Assessment Result,Total Score,Jumlah markah
DocType: Journal Entry,Debit Note,Nota Debit
DocType: Stock Entry,As per Stock UOM,Seperti Saham UOM
@@ -4437,12 +4463,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Barangan lalai Mendapat Warehouse
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Orang Jualan
DocType: SMS Parameter,SMS Parameter,SMS Parameter
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Belanjawan dan PTJ
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Belanjawan dan PTJ
DocType: Vehicle Service,Half Yearly,Setengah Tahunan
DocType: Lead,Blog Subscriber,Blog Pelanggan
DocType: Guardian,Alternate Number,Nombor Ganti
DocType: Assessment Plan Criteria,Maximum Score,Skor maksimum
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Mewujudkan kaedah-kaedah untuk menyekat transaksi berdasarkan nilai-nilai.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Kumpulan Roll No
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Biarkan kosong jika anda membuat kumpulan pelajar setahun
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Biarkan kosong jika anda membuat kumpulan pelajar setahun
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Jika disemak, Jumlah no. Hari Kerja termasuk cuti, dan ini akan mengurangkan nilai Gaji Setiap Hari"
@@ -4462,6 +4489,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Ini adalah berdasarkan kepada urus niaga terhadap Pelanggan ini. Lihat garis masa di bawah untuk maklumat
DocType: Supplier,Credit Days Based On,Hari Kredit Berasaskan
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Row {0}: Jumlah Peruntukan {1} mesti kurang daripada atau sama dengan jumlah Kemasukan Pembayaran {2}
+,Course wise Assessment Report,Laporan Penilaian Kursus bijak
DocType: Tax Rule,Tax Rule,Peraturan Cukai
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Mengekalkan Kadar Sama Sepanjang Kitaran Jualan
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Rancang log masa di luar Waktu Workstation Kerja.
@@ -4470,7 +4498,7 @@
,Items To Be Requested,Item Akan Diminta
DocType: Purchase Order,Get Last Purchase Rate,Dapatkan lepas Kadar Pembelian
DocType: Company,Company Info,Maklumat Syarikat
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Pilih atau menambah pelanggan baru
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Pilih atau menambah pelanggan baru
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,pusat kos diperlukan untuk menempah tuntutan perbelanjaan
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Permohonan Dana (Aset)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Ini adalah berdasarkan kepada kehadiran pekerja ini
@@ -4478,27 +4506,29 @@
DocType: Fiscal Year,Year Start Date,Tahun Tarikh Mula
DocType: Attendance,Employee Name,Nama Pekerja
DocType: Sales Invoice,Rounded Total (Company Currency),Bulat Jumlah (Syarikat mata wang)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,Tidak boleh Covert kepada Kumpulan kerana Jenis Akaun dipilih.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Tidak boleh Covert kepada Kumpulan kerana Jenis Akaun dipilih.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} telah diubah suai. Sila muat semula.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Menghentikan pengguna daripada membuat Permohonan Cuti pada hari-hari berikut.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Jumlah pembelian
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Sebutharga Pembekal {0} dicipta
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Akhir Tahun tidak boleh sebelum Start Tahun
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Manfaat Pekerja
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Manfaat Pekerja
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Makan kuantiti mestilah sama dengan kuantiti untuk Perkara {0} berturut-turut {1}
DocType: Production Order,Manufactured Qty,Dikilangkan Qty
DocType: Purchase Receipt Item,Accepted Quantity,Kuantiti Diterima
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Sila menetapkan lalai Senarai Holiday untuk pekerja {0} atau Syarikat {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} tidak wujud
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} tidak wujud
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Pilih Nombor Batch
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Bil dinaikkan kepada Pelanggan.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Id Projek
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Row Tiada {0}: Jumlah tidak boleh lebih besar daripada Pending Jumlah Perbelanjaan terhadap Tuntutan {1}. Sementara menunggu Amaun adalah {2}
DocType: Maintenance Schedule,Schedule,Jadual
DocType: Account,Parent Account,Akaun Ibu Bapa
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Tersedia
DocType: Quality Inspection Reading,Reading 3,Membaca 3
,Hub,Hub
DocType: GL Entry,Voucher Type,Baucer Jenis
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Senarai Harga tidak dijumpai atau orang kurang upaya
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Senarai Harga tidak dijumpai atau orang kurang upaya
DocType: Employee Loan Application,Approved,Diluluskan
DocType: Pricing Rule,Price,Harga
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Pekerja lega pada {0} mesti ditetapkan sebagai 'kiri'
@@ -4509,7 +4539,8 @@
DocType: Selling Settings,Campaign Naming By,Menamakan Kempen Dengan
DocType: Employee,Current Address Is,Alamat semasa
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,diubahsuai
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Pilihan. Set mata wang lalai syarikat, jika tidak dinyatakan."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Pilihan. Set mata wang lalai syarikat, jika tidak dinyatakan."
+DocType: Sales Invoice,Customer GSTIN,GSTIN pelanggan
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Catatan jurnal perakaunan.
DocType: Delivery Note Item,Available Qty at From Warehouse,Kuantiti Boleh didapati di Dari Gudang
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,Sila pilih Rakam Pekerja pertama.
@@ -4517,7 +4548,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Majlis / Akaun tidak sepadan dengan {1} / {2} dalam {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Sila masukkan Akaun Perbelanjaan
DocType: Account,Stock,Saham
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Rujukan Dokumen Jenis mesti menjadi salah satu Purchase Order, Invois Belian atau Kemasukan Journal"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Rujukan Dokumen Jenis mesti menjadi salah satu Purchase Order, Invois Belian atau Kemasukan Journal"
DocType: Employee,Current Address,Alamat Semasa
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Jika item adalah variasi yang lain item maka penerangan, gambar, harga, cukai dan lain-lain akan ditetapkan dari template melainkan jika dinyatakan secara jelas"
DocType: Serial No,Purchase / Manufacture Details,Pembelian / Butiran Pembuatan
@@ -4530,8 +4561,8 @@
DocType: Pricing Rule,Min Qty,Min Qty
DocType: Asset Movement,Transaction Date,Transaksi Tarikh
DocType: Production Plan Item,Planned Qty,Dirancang Kuantiti
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Jumlah Cukai
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Untuk Kuantiti (Dikilangkan Qty) adalah wajib
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Jumlah Cukai
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Untuk Kuantiti (Dikilangkan Qty) adalah wajib
DocType: Stock Entry,Default Target Warehouse,Default Gudang Sasaran
DocType: Purchase Invoice,Net Total (Company Currency),Jumlah bersih (Syarikat mata wang)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Tahun Akhir Tarikh tidak boleh lebih awal daripada Tahun Tarikh Mula. Sila betulkan tarikh dan cuba lagi.
@@ -4545,15 +4576,12 @@
DocType: Hub Settings,Hub Settings,Tetapan Hub
DocType: Project,Gross Margin %,Margin kasar%
DocType: BOM,With Operations,Dengan Operasi
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Entri perakaunan telah dibuat dalam mata wang {0} untuk syarikat {1}. Sila pilih belum terima atau yang kena dibayar dengan mata wang {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Entri perakaunan telah dibuat dalam mata wang {0} untuk syarikat {1}. Sila pilih belum terima atau yang kena dibayar dengan mata wang {0}.
DocType: Asset,Is Existing Asset,Adakah Aset Sedia Ada
DocType: Salary Detail,Statistical Component,Komponen statistik
DocType: Salary Detail,Statistical Component,Komponen statistik
-,Monthly Salary Register,Gaji Bulanan Daftar
DocType: Warranty Claim,If different than customer address,Jika berbeza daripada alamat pelanggan
DocType: BOM Operation,BOM Operation,BOM Operasi
-DocType: School Settings,Validate the Student Group from Program Enrollment,Mengesahkan Kumpulan Pelajar dari Program Pendaftaran
-DocType: School Settings,Validate the Student Group from Program Enrollment,Mengesahkan Kumpulan Pelajar dari Program Pendaftaran
DocType: Purchase Taxes and Charges,On Previous Row Amount,Pada Row Jumlah Sebelumnya
DocType: Student,Home Address,Alamat rumah
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,pemindahan Aset
@@ -4561,28 +4589,27 @@
DocType: Training Event,Event Name,Nama event
apps/erpnext/erpnext/config/schools.py +39,Admission,kemasukan
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Kemasukan untuk {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Bermusim untuk menetapkan belanjawan, sasaran dan lain-lain"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Perkara {0} adalah template, sila pilih salah satu daripada variannya"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Bermusim untuk menetapkan belanjawan, sasaran dan lain-lain"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Perkara {0} adalah template, sila pilih salah satu daripada variannya"
DocType: Asset,Asset Category,Kategori Asset
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Pembeli
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Gaji bersih tidak boleh negatif
DocType: SMS Settings,Static Parameters,Parameter statik
DocType: Assessment Plan,Room,bilik
DocType: Purchase Order,Advance Paid,Advance Dibayar
DocType: Item,Item Tax,Perkara Cukai
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Bahan kepada Pembekal
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Cukai Invois
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Cukai Invois
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Ambang {0}% muncul lebih daripada sekali
DocType: Expense Claim,Employees Email Id,Id Pekerja E-mel
DocType: Employee Attendance Tool,Marked Attendance,Kehadiran ketara
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Liabiliti Semasa
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Liabiliti Semasa
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Hantar SMS massa ke kenalan anda
DocType: Program,Program Name,Nama program
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Pertimbangkan Cukai atau Caj
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Kuantiti sebenar adalah wajib
DocType: Employee Loan,Loan Type,Jenis pinjaman
DocType: Scheduling Tool,Scheduling Tool,Alat penjadualan
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Kad Kredit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Kad Kredit
DocType: BOM,Item to be manufactured or repacked,Perkara yang perlu dibuat atau dibungkus semula
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Tetapan lalai bagi urus niaga saham.
DocType: Purchase Invoice,Next Date,Tarikh seterusnya
@@ -4598,10 +4625,10 @@
DocType: Stock Entry,Repack,Membungkus semula
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Anda mesti Simpan bentuk sebelum meneruskan
DocType: Item Attribute,Numeric Values,Nilai-nilai berangka
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Lampirkan Logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Lampirkan Logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Tahap saham
DocType: Customer,Commission Rate,Kadar komisen
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Membuat Varian
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Membuat Varian
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Permohonan cuti blok oleh jabatan.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Jenis bayaran mesti menjadi salah satu Menerima, Bayar dan Pindahan Dalaman"
apps/erpnext/erpnext/config/selling.py +179,Analytics,Analytics
@@ -4609,45 +4636,45 @@
DocType: Vehicle,Model,model
DocType: Production Order,Actual Operating Cost,Kos Sebenar Operasi
DocType: Payment Entry,Cheque/Reference No,Cek / Rujukan
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Akar tidak boleh diedit.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Akar tidak boleh diedit.
DocType: Item,Units of Measure,Unit ukuran
DocType: Manufacturing Settings,Allow Production on Holidays,Benarkan Pengeluaran pada Cuti
DocType: Sales Order,Customer's Purchase Order Date,Pesanan Belian Tarikh Pelanggan
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Modal Saham
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Modal Saham
DocType: Shopping Cart Settings,Show Public Attachments,Tunjuk Lampiran Awam
DocType: Packing Slip,Package Weight Details,Pakej Berat Butiran
DocType: Payment Gateway Account,Payment Gateway Account,Akaun Gateway Pembayaran
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Setelah selesai pembayaran mengarahkan pengguna ke halaman yang dipilih.
DocType: Company,Existing Company,Syarikat yang sedia ada
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Kategori cukai telah ditukar kepada "Jumlah" kerana semua Item adalah barang-barang tanpa saham yang
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Sila pilih fail csv
DocType: Student Leave Application,Mark as Present,Tanda sebagai Sekarang
DocType: Purchase Order,To Receive and Bill,Terima dan Rang Undang-undang
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Produk yang diketengahkan
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Designer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Designer
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Terma dan Syarat Template
DocType: Serial No,Delivery Details,Penghantaran Details
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},PTJ diperlukan berturut-turut {0} dalam Cukai meja untuk jenis {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},PTJ diperlukan berturut-turut {0} dalam Cukai meja untuk jenis {1}
DocType: Program,Program Code,Kod program
DocType: Terms and Conditions,Terms and Conditions Help,Terma dan Syarat Bantuan
,Item-wise Purchase Register,Perkara-bijak Pembelian Daftar
DocType: Batch,Expiry Date,Tarikh Luput
-,Supplier Addresses and Contacts,Alamat Pembekal dan Kenalan
,accounts-browser,akaun pelayar
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,Sila pilih Kategori pertama
apps/erpnext/erpnext/config/projects.py +13,Project master.,Induk projek.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Untuk membolehkan lebih-bil atau terlebih-tempahan, mengemas kini "Elaun" dalam Tetapan Saham atau item itu."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Untuk membolehkan lebih-bil atau terlebih-tempahan, mengemas kini "Elaun" dalam Tetapan Saham atau item itu."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Tidak menunjukkan apa-apa simbol seperti $ dsb sebelah mata wang.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Separuh Hari)
DocType: Supplier,Credit Days,Hari Kredit
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Buat Batch Pelajar
DocType: Leave Type,Is Carry Forward,Apakah Carry Forward
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Dapatkan Item dari BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Dapatkan Item dari BOM
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Membawa Hari Masa
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Pos Tarikh mesti sama dengan tarikh pembelian {1} aset {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Pos Tarikh mesti sama dengan tarikh pembelian {1} aset {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Sila masukkan Pesanan Jualan dalam jadual di atas
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Belum Menghantar Gaji Slip
,Stock Summary,Ringkasan Stock
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Pemindahan aset dari satu gudang yang lain
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Pemindahan aset dari satu gudang yang lain
DocType: Vehicle,Petrol,petrol
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Rang Undang-Undang Bahan
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Row {0}: Jenis Parti dan Parti diperlukan untuk / akaun Dibayar Terima {1}
@@ -4658,6 +4685,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Jumlah dibenarkan
DocType: GL Entry,Is Opening,Adalah Membuka
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Row {0}: Debit kemasukan tidak boleh dikaitkan dengan {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Akaun {0} tidak wujud
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Akaun {0} tidak wujud
DocType: Account,Cash,Tunai
DocType: Employee,Short biography for website and other publications.,Biografi ringkas untuk laman web dan penerbitan lain.
diff --git a/erpnext/translations/my.csv b/erpnext/translations/my.csv
index e1147d1..24daec4 100644
--- a/erpnext/translations/my.csv
+++ b/erpnext/translations/my.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,လူသုံးကုန်ထုတ်ကုန်ပစ္စည်းများ
DocType: Item,Customer Items,customer ပစ္စည်းများ
DocType: Project,Costing and Billing,ကုန်ကျနှင့်ငွေတောင်းခံလွှာ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,အကောင့်ကို {0}: မိဘအကောင့်ကို {1} တစ်ဦးလယ်ဂျာမဖွစျနိုငျ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,အကောင့်ကို {0}: မိဘအကောင့်ကို {1} တစ်ဦးလယ်ဂျာမဖွစျနိုငျ
DocType: Item,Publish Item to hub.erpnext.com,hub.erpnext.com မှ Item ထုတ်ဝေ
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,အီးမေးလ်အသိပေးချက်များ
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,အကဲဖြတ်
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,အကဲဖြတ်
DocType: Item,Default Unit of Measure,တိုင်း၏ default ယူနစ်
DocType: SMS Center,All Sales Partner Contact,အားလုံးသည်အရောင်း Partner ဆက်သွယ်ရန်
DocType: Employee,Leave Approvers,ခွင့်ပြုချက် Leave
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),ချိန်း Rate {1} {0} အဖြစ်အတူတူဖြစ်ရမည် ({2})
DocType: Sales Invoice,Customer Name,ဖောက်သည်အမည်
DocType: Vehicle,Natural Gas,သဘာဝဓာတ်ငွေ့
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},ဘဏ်အကောင့် {0} အဖြစ်အမည်ရှိသောမရနိုင်ပါ
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},ဘဏ်အကောင့် {0} အဖြစ်အမည်ရှိသောမရနိုင်ပါ
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,ဦးခေါင်း (သို့မဟုတ်အုပ်စုများ) စာရင်းကိုင် Entries စေကြနှင့်ချိန်ခွင်ထိန်းသိမ်းထားသည့်ဆန့်ကျင်။
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),ထူးချွန် {0} သုည ({1}) ထက်နည်းမဖြစ်နိုင်
DocType: Manufacturing Settings,Default 10 mins,10 မိနစ် default
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,အားလုံးသည်ပေးသွင်းဆက်သွယ်ရန်
DocType: Support Settings,Support Settings,ပံ့ပိုးမှုက Settings
DocType: SMS Parameter,Parameter,parameter
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,မျှော်လင့်ထားသည့်အဆုံးနေ့စွဲမျှော်မှန်း Start ကိုနေ့စွဲထက်လျော့နည်းမဖွစျနိုငျ
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,မျှော်လင့်ထားသည့်အဆုံးနေ့စွဲမျှော်မှန်း Start ကိုနေ့စွဲထက်လျော့နည်းမဖွစျနိုငျ
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,row # {0}: {2} ({3} / {4}): Rate {1} အဖြစ်အတူတူသာဖြစ်ရမည်
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,နယူးထွက်ခွာလျှောက်လွှာ
,Batch Item Expiry Status,အသုတ်ပစ္စည်းသက်တမ်းကုန်ဆုံးအခြေအနေ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,ဘဏ်မှမူကြမ်း
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,ဘဏ်မှမူကြမ်း
DocType: Mode of Payment Account,Mode of Payment Account,ငွေပေးချေမှုရမည့်အကောင့်၏ Mode ကို
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Show ကို Variant
DocType: Academic Term,Academic Term,ပညာရေးဆိုင်ရာ Term
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,ပစ္စည်း
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,အရေအတွက်
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,စားပွဲအလွတ်မဖွစျနိုငျအကောင့်။
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),ချေးငွေများ (စိစစ်)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),ချေးငွေများ (စိစစ်)
DocType: Employee Education,Year of Passing,Pass ၏တစ်နှစ်တာ
DocType: Item,Country of Origin,မူရင်းထုတ်လုပ်သည့်နိုင်ငံ
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,ကုန်ပစ္စည်းလက်ဝယ်ရှိ
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,ကုန်ပစ္စည်းလက်ဝယ်ရှိ
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,ပွင့်လင်းကိစ္စများ
DocType: Production Plan Item,Production Plan Item,ထုတ်လုပ်မှုစီမံကိန်း Item
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},အသုံးပြုသူ {0} ပြီးသားန်ထမ်း {1} မှတာဝန်ပေးသည်
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,ကျန်းမာရေးစောင့်ရှောက်မှု
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ငွေပေးချေမှုအတွက်နှောင့်နှေး (နေ့ရက်များ)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,ဝန်ဆောင်မှုကုန်ကျစရိတ်
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Serial Number: {0} ပြီးသားအရောင်းပြေစာအတွက်ရည်ညွှန်းသည်: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Serial Number: {0} ပြီးသားအရောင်းပြေစာအတွက်ရည်ညွှန်းသည်: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,ဝယ်ကုန်စာရင်း
DocType: Maintenance Schedule Item,Periodicity,ကာလ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာ {0} လိုအပ်သည်
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,row # {0}:
DocType: Timesheet,Total Costing Amount,စုစုပေါင်းကုန်ကျငွေပမာဏ
DocType: Delivery Note,Vehicle No,မော်တော်ယာဉ်မရှိပါ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,စျေးနှုန်း List ကို select လုပ်ပါ ကျေးဇူးပြု.
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,စျေးနှုန်း List ကို select လုပ်ပါ ကျေးဇူးပြု.
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,အတန်း # {0}: ငွေပေးချေမှုရမည့်စာရွက်စာတမ်း trasaction ဖြည့်စွက်ရန်လိုအပ်ပါသည်
DocType: Production Order Operation,Work In Progress,တိုးတက်မှုများတွင်အလုပ်
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,ရက်စွဲကို select လုပ်ပါကျေးဇူးပြုပြီး
DocType: Employee,Holiday List,အားလပ်ရက်များစာရင်း
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,စာရင်းကိုင်
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,စာရင်းကိုင်
DocType: Cost Center,Stock User,စတော့အိတ်အသုံးပြုသူတို့၏
DocType: Company,Phone No,Phone များမရှိပါ
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,created သင်တန်းအချိန်ဇယားများ:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},နယူး {0}: # {1}
,Sales Partners Commission,အရောင်း Partners ကော်မရှင်
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,အတိုကောက်ကျော်ကို 5 ဇာတ်ကောင်ရှိသည်မဟုတ်နိုင်
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,အတိုကောက်ကျော်ကို 5 ဇာတ်ကောင်ရှိသည်မဟုတ်နိုင်
DocType: Payment Request,Payment Request,ငွေပေးချေမှုရမည့်တောင်းခံခြင်း
DocType: Asset,Value After Depreciation,တန်ဖိုးပြီးနောက် Value တစ်ခု
DocType: Employee,O+,အို +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,တက်ရောက်သူနေ့စွဲန်ထမ်းရဲ့ပူးပေါင်းရက်စွဲထက်လျော့နည်းမဖွစျနိုငျ
DocType: Grading Scale,Grading Scale Name,grade စကေးအမည်
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,ဒါကအမြစ်အကောင့်ကိုဖြစ်ပါတယ်နှင့်တည်းဖြတ်မရနိုင်ပါ။
+DocType: Sales Invoice,Company Address,ကုမ္ပဏီလိပ်စာ
DocType: BOM,Operations,စစ်ဆင်ရေး
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},{0} သည်လျှော့၏အခြေခံပေါ်မှာခွင့်ပြုချက်ထားနိုင်ဘူး
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","ကော်လံနှစ်ခု, ဟောင်းနာမအဘို့တယောက်နှင့်အသစ်များနာမအဘို့တယောက်နှင့်အတူ .csv file ကို Attach"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} မတက်ကြွဘဏ္ဍာရေးတစ်နှစ်တာ။
DocType: Packed Item,Parent Detail docname,မိဘ Detail docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","ကိုးကားစရာ: {0}, Item Code ကို: {1} နှင့်ဖောက်သည်: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,ကီလိုဂရမ်
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,ကီလိုဂရမ်
DocType: Student Log,Log,တုံး
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,တစ်ဦးယောဘသည်အဖွင့်။
DocType: Item Attribute,Increment,increment
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Advertising ကြော်ငြာ
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,တူညီသော Company ကိုတစ်ကြိမ်ထက်ပိုပြီးသို့ ဝင်. ဖြစ်ပါတယ်
DocType: Employee,Married,အိမ်ထောင်သည်
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},{0} ဘို့ခွင့်မပြု
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},{0} ဘို့ခွင့်မပြု
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,အထဲကပစ္စည်းတွေကို Get
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},စတော့အိတ် Delivery မှတ်ချက် {0} ဆန့်ကျင် updated မရနိုင်ပါ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},စတော့အိတ် Delivery မှတ်ချက် {0} ဆန့်ကျင် updated မရနိုင်ပါ
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},ကုန်ပစ္စည်း {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,ဖော်ပြထားသောအရာများမရှိပါ
DocType: Payment Reconciliation,Reconcile,ပြန်လည်သင့်မြတ်
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Next ကိုတန်ဖိုးနေ့စွဲဝယ်ယူနေ့စွဲမတိုင်မီမဖွစျနိုငျ
DocType: SMS Center,All Sales Person,အားလုံးသည်အရောင်းပုဂ္ဂိုလ်
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** လစဉ်ဖြန့်ဖြူး ** သင်သည်သင်၏စီးပွားရေးလုပ်ငန်းမှာရာသီအလိုက်ရှိပါကသင်သည်လအတွင်းဖြတ်ပြီးဘတ်ဂျက် / Target ကဖြန့်ဝေကူညီပေးသည်။
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,မတွေ့ရှိပစ္စည်းများ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,မတွေ့ရှိပစ္စည်းများ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,လစာဖွဲ့စည်းပုံပျောက်ဆုံး
DocType: Lead,Person Name,လူတစ်ဦးအမည်
DocType: Sales Invoice Item,Sales Invoice Item,အရောင်းပြေစာ Item
DocType: Account,Credit,အကြွေး
DocType: POS Profile,Write Off Cost Center,ကုန်ကျစရိတ် Center ကပိတ်ရေးထား
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",ဥပမာ "မူလတန်းကျောင်း" သို့မဟုတ် "တက္ကသိုလ်က"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",ဥပမာ "မူလတန်းကျောင်း" သို့မဟုတ် "တက္ကသိုလ်က"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,စတော့အိတ်အစီရင်ခံစာများ
DocType: Warehouse,Warehouse Detail,ဂိုဒေါင် Detail
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},ခရက်ဒစ်န့်သတ်ချက် {1} / {2} {0} ဖောက်သည်များအတွက်ကူးခဲ့
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},ခရက်ဒစ်န့်သတ်ချက် {1} / {2} {0} ဖောက်သည်များအတွက်ကူးခဲ့
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,အဆိုပါ Term အဆုံးနေ့စွဲနောက်ပိုင်းတွင်သက်တမ်း (Academic တစ်နှစ်တာ {}) နှင့်ဆက်စပ်သောမှပညာရေးဆိုင်ရာတစ်နှစ်တာ၏တစ်နှစ်တာပြီးဆုံးရက်စွဲထက်မဖွစျနိုငျသညျ။ အရက်စွဲများပြင်ဆင်ရန်နှင့်ထပ်ကြိုးစားပါ။
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","ပိုင်ဆိုင်မှုစံချိန်ပစ္စည်းဆန့်ကျင်တည်ရှိအဖြစ်, ထိနျးခြုပျမဖွစျနိုငျ "Fixed Asset ရှိ၏""
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","ပိုင်ဆိုင်မှုစံချိန်ပစ္စည်းဆန့်ကျင်တည်ရှိအဖြစ်, ထိနျးခြုပျမဖွစျနိုငျ "Fixed Asset ရှိ၏""
DocType: Vehicle Service,Brake Oil,ဘရိတ်ရေနံ
DocType: Tax Rule,Tax Type,အခွန် Type အမျိုးအစား
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},သင် {0} ခင် entries တွေကို add သို့မဟုတ် update ကိုမှခွင့်ပြုမထား
DocType: BOM,Item Image (if not slideshow),item ပုံရိပ် (Slideshow မလျှင်)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,တစ်ဦးဖုန်းဆက်သူအမည်တူနှင့်အတူတည်ရှိ
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(အချိန်နာရီနှုန်း / 60) * အမှန်တကယ်စစ်ဆင်ရေးအချိန်
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,BOM ကို Select လုပ်ပါ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,BOM ကို Select လုပ်ပါ
DocType: SMS Log,SMS Log,SMS ကိုအထဲ
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,ကယ်နှုတ်တော်မူ၏ပစ္စည်းများ၏ကုန်ကျစရိတ်
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,{0} အပေါ်အားလပ်ရက်နေ့စွဲ မှစ. နှင့်နေ့စွဲစေရန်အကြားမဖြစ်
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},{0} ကနေ {1} မှ
DocType: Item,Copy From Item Group,Item အုပ်စု မှစ. မိတ္တူ
DocType: Journal Entry,Opening Entry,Entry 'ဖွင့်လှစ်
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ဖောက်သည်> ဖောက်သည် Group မှ> နယ်မြေတွေကို
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,အကောင့်သာလျှင် Pay
DocType: Employee Loan,Repay Over Number of Periods,ကာလနံပါတ်ကျော်ပြန်ဆပ်
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} အဆိုပါ {2} ပေးထားသောစာရင်းသွင်းမဟုတ်ပါ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} အဆိုပါ {2} ပေးထားသောစာရင်းသွင်းမဟုတ်ပါ
DocType: Stock Entry,Additional Costs,အပိုဆောင်းကုန်ကျစရိတ်
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,လက်ရှိငွေပေးငွေယူနှင့်အတူအကောင့်ကိုအုပ်စုအဖြစ်ပြောင်းလဲမရနိုင်ပါ။
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,လက်ရှိငွေပေးငွေယူနှင့်အတူအကောင့်ကိုအုပ်စုအဖြစ်ပြောင်းလဲမရနိုင်ပါ။
DocType: Lead,Product Enquiry,ထုတ်ကုန်ပစ္စည်း Enquiry
DocType: Academic Term,Schools,ကျောင်းများ
+DocType: School Settings,Validate Batch for Students in Student Group,ကျောင်းသားအုပ်စုအတွက်ကျောင်းသားများအဘို့အသုတ်လိုက်မှန်ကန်ကြောင်းသက်သေပြ
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},{1} များအတွက် {0} ဝန်ထမ်းများအတွက်မျှမတွေ့ခွင့်စံချိန်တင်
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,ပထမဦးဆုံးကုမ္ပဏီတစ်ခုကိုရိုက်ထည့်ပေးပါ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,ကုမ္ပဏီပထမဦးဆုံးကိုရွေးပါ ကျေးဇူးပြု.
@@ -175,49 +176,49 @@
DocType: BOM,Total Cost,စုစုပေါင်းကုန်ကျစရိတ်
DocType: Journal Entry Account,Employee Loan,ဝန်ထမ်းချေးငွေ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,လုပ်ဆောင်ချက်အထဲ:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,item {0} system ကိုအတွက်မတည်ရှိပါဘူးသို့မဟုတ်သက်တမ်း
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,item {0} system ကိုအတွက်မတည်ရှိပါဘူးသို့မဟုတ်သက်တမ်း
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,အိမ်ခြံမြေရောင်းဝယ်ရေးလုပ်ငန်း
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,အကောင့်၏ထုတ်ပြန်ကြေညာချက်
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,ဆေးဝါးများ
DocType: Purchase Invoice Item,Is Fixed Asset,Fixed Asset Is
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","ရရှိနိုင်အရည်အတွက် {0}, သငျသညျ {1} လိုအပ်သည်"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","ရရှိနိုင်အရည်အတွက် {0}, သငျသညျ {1} လိုအပ်သည်"
DocType: Expense Claim Detail,Claim Amount,ပြောဆိုချက်ကိုငွေပမာဏ
-DocType: Employee,Mr,ဦး
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,အ cutomer အုပ်စု table ထဲမှာကိုတွေ့မိတ္တူပွားဖောက်သည်အုပ်စု
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,ပေးသွင်း Type / ပေးသွင်း
DocType: Naming Series,Prefix,ရှေ့ဆကျတှဲ
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Consumer
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Consumer
DocType: Employee,B-,ပါဘူးရှငျ
DocType: Upload Attendance,Import Log,သွင်းကုန်အထဲ
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,အထက်ပါသတ်မှတ်ချက်ပေါ်အခြေခံပြီးအမျိုးအစားထုတ်လုပ်ခြင်း၏ပစ္စည်းတောင်းဆိုမှု Pull
DocType: Training Result Employee,Grade,grade
DocType: Sales Invoice Item,Delivered By Supplier,ပေးသွင်းခြင်းအားဖြင့်ကယ်နှုတ်တော်မူ၏
DocType: SMS Center,All Contact,အားလုံးသည်ဆက်သွယ်ရန်
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,ပြီးသား BOM နှင့်အတူပစ္စည်းများအားလုံးဖန်တီးထုတ်လုပ်မှုအမိန့်
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,နှစ်ပတ်လည်လစာ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,ပြီးသား BOM နှင့်အတူပစ္စည်းများအားလုံးဖန်တီးထုတ်လုပ်မှုအမိန့်
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,နှစ်ပတ်လည်လစာ
DocType: Daily Work Summary,Daily Work Summary,Daily သတင်းစာလုပ်ငန်းခွင်အကျဉ်းချုပ်
DocType: Period Closing Voucher,Closing Fiscal Year,နိဂုံးချုပ်ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာ
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} အေးစက်နေတဲ့ဖြစ်ပါသည်
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,ငွေစာရင်းဇယားအတွက်ဖြစ်တည်မှုကုမ္ပဏီကို select လုပ်ပါကျေးဇူးပြုပြီး
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,စတော့အိတ်အသုံးစရိတ်များ
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} အေးစက်နေတဲ့ဖြစ်ပါသည်
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,ငွေစာရင်းဇယားအတွက်ဖြစ်တည်မှုကုမ္ပဏီကို select လုပ်ပါကျေးဇူးပြုပြီး
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,စတော့အိတ်အသုံးစရိတ်များ
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,ပစ်မှတ်ဂိုဒေါင်ကို Select လုပ်ပါ
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,ပစ်မှတ်ဂိုဒေါင်ကို Select လုပ်ပါ
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,ပိုမိုနှစ်သက်ဆက်သွယ်ရန်အီးမေးလ်ရိုက်ထည့်ပေးပါ
+DocType: Program Enrollment,School Bus,ကျောင်းကား
DocType: Journal Entry,Contra Entry,Contra Entry '
DocType: Journal Entry Account,Credit in Company Currency,Company မှငွေကြေးစနစ်အတွက်အကြွေး
DocType: Delivery Note,Installation Status,Installation လုပ်တဲ့နဲ့ Status
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",သငျသညျတက်ရောက်သူကို update ချင်ပါသလား? <br> ပစ္စုပ္ပန်: {0} \ <br> ပျက်ကွက်: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},လက်ခံထားတဲ့ + Qty Item {0} သည်ရရှိထားသည့်အရေအတွက်နှင့်ညီမျှဖြစ်ရမည်ငြင်းပယ်
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},လက်ခံထားတဲ့ + Qty Item {0} သည်ရရှိထားသည့်အရေအတွက်နှင့်ညီမျှဖြစ်ရမည်ငြင်းပယ်
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,ဝယ်ယူခြင်းအဘို့အ supply ကုန်ကြမ်း
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,ငွေပေးချေမှု၏အနည်းဆုံး mode ကို POS ငွေတောင်းခံလွှာဘို့လိုအပ်ပါသည်။
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,ငွေပေးချေမှု၏အနည်းဆုံး mode ကို POS ငွေတောင်းခံလွှာဘို့လိုအပ်ပါသည်။
DocType: Products Settings,Show Products as a List,တစ်ဦးစာရင်းအဖြစ် Show ကိုထုတ်ကုန်များ
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Template ကို Download, သင့်လျော်သောအချက်အလက်ဖြည့်စွက်ခြင်းနှင့်ပြုပြင်ထားသောဖိုင်ပူးတွဲ။ ရွေးချယ်ထားတဲ့ကာလအတွက်အားလုံးသည်ရက်စွဲများနှင့်ဝန်ထမ်းပေါင်းစပ်လက်ရှိတက်ရောက်သူမှတ်တမ်းများနှင့်တကွ, template မှာရောက်လိမ့်မည်"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,item {0} တက်ကြွသို့မဟုတ်အသက်၏အဆုံးသည်မဖြစ်သေးရောက်ရှိခဲ့သည်
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,ဥပမာ: အခြေခံပညာသင်္ချာ
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","အခွန်ကိုထည့်သွင်းရန်အတန်းအတွက် {0} Item မှုနှုန်း, အတန်း {1} အတွက်အခွန်ကိုလည်းထည့်သွင်းရပါမည်"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,item {0} တက်ကြွသို့မဟုတ်အသက်၏အဆုံးသည်မဖြစ်သေးရောက်ရှိခဲ့သည်
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,ဥပမာ: အခြေခံပညာသင်္ချာ
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","အခွန်ကိုထည့်သွင်းရန်အတန်းအတွက် {0} Item မှုနှုန်း, အတန်း {1} အတွက်အခွန်ကိုလည်းထည့်သွင်းရပါမည်"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,HR Module သည် Settings ကို
DocType: SMS Center,SMS Center,SMS ကို Center က
DocType: Sales Invoice,Change Amount,ပြောင်းလဲမှုပမာဏ
@@ -227,7 +228,7 @@
DocType: Lead,Request Type,တောင်းဆိုမှုကအမျိုးအစား
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,ထမ်း Make
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,အသံလွှင့်
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,သတ်ခြင်း
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,သတ်ခြင်း
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,ထိုစစ်ဆင်ရေး၏အသေးစိတျထုတျဆောင်သွားကြ၏။
DocType: Serial No,Maintenance Status,ပြုပြင်ထိန်းသိမ်းမှုနဲ့ Status
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: ပေးသွင်းပေးချေအကောင့် {2} ဆန့်ကျင်လိုအပ်ပါသည်
@@ -255,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,quotation အဘို့မေတ္တာရပ်ခံချက်ကိုအောက်ပါ link ကိုနှိပ်ခြင်းအားဖြင့်ဝင်ရောက်စေနိုင်သည်
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,ယခုနှစ်သည်အရွက်ခွဲဝေချထားပေးရန်။
DocType: SG Creation Tool Course,SG Creation Tool Course,စင်ကာပူဒေါ်လာဖန်ဆင်းခြင်း Tool ကိုသင်တန်းအမှတ်စဥ်
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,မလုံလောက်သောစတော့အိတ်
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,မလုံလောက်သောစတော့အိတ်
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,စွမ်းဆောင်ရည်မြှင့်စီမံကိန်းနှင့်အချိန်ခြေရာကောက်ကို disable
DocType: Email Digest,New Sales Orders,နယူးအရောင်းအမိန့်
DocType: Bank Guarantee,Bank Account,ဘဏ်မှအကောင့်
@@ -266,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log','' အချိန်အထဲ '' ကနေတဆင့် Updated
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},ကြိုတင်မဲငွေပမာဏ {0} {1} ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
DocType: Naming Series,Series List for this Transaction,ဒီ Transaction သည်စီးရီးများစာရင်း
+DocType: Company,Enable Perpetual Inventory,ထာဝရ Inventory Enable
DocType: Company,Default Payroll Payable Account,default လစာပေးရန်အကောင့်
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Update ကိုအီးမေးလ်အုပ်စု
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Update ကိုအီးမေးလ်အုပ်စု
DocType: Sales Invoice,Is Opening Entry,Entry 'ဖွင့်လှစ်တာဖြစ်ပါတယ်
DocType: Customer Group,Mention if non-standard receivable account applicable,Non-စံကိုရရန်အကောင့်ကိုသက်ဆိုင်လျှင်ဖော်ပြထားခြင်း
DocType: Course Schedule,Instructor Name,သှအမည်
@@ -279,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,အရောင်းပြေစာ Item ဆန့်ကျင်
,Production Orders in Progress,တိုးတက်မှုအတွက်ထုတ်လုပ်မှုကိုအမိန့်
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,ဘဏ္ဍာရေးကနေ Net ကငွေ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage ပြည့်ဝ၏, မကယ်တင်ခဲ့"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage ပြည့်ဝ၏, မကယ်တင်ခဲ့"
DocType: Lead,Address & Contact,လိပ်စာ & ဆက်သွယ်ရန်
DocType: Leave Allocation,Add unused leaves from previous allocations,ယခင်ခွဲတမ်းအနေဖြင့်အသုံးမပြုတဲ့အရွက် Add
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Next ကိုထပ်တလဲလဲ {0} {1} အပေါ်နေသူများကဖန်တီးလိမ့်မည်
DocType: Sales Partner,Partner website,မိတ်ဖက်ဝက်ဘ်ဆိုက်
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Item Add
-,Contact Name,ဆက်သွယ်ရန်အမည်
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,ဆက်သွယ်ရန်အမည်
DocType: Course Assessment Criteria,Course Assessment Criteria,သင်တန်းအမှတ်စဥ်အကဲဖြတ်လိုအပ်ချက်
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,အထက်တွင်ဖော်ပြခဲ့သောစံသတ်မှတ်ချက်များသည်လစာစလစ်ဖန်တီးပေးပါတယ်။
DocType: POS Customer Group,POS Customer Group,POS ဖောက်သည်အုပ်စု
@@ -294,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,ဖော်ပြချက်ပေးအပ်မရှိပါ
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,ဝယ်ယူတောင်းဆိုခြင်း။
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,ဒီစီမံကိနျးကိုဆန့်ကျင်ဖန်တီးအချိန် Sheet များအပေါ်အခြေခံသည်
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Net က Pay ကို 0 င်ထက်လျော့နည်းမဖွစျနိုငျ
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Net က Pay ကို 0 င်ထက်လျော့နည်းမဖွစျနိုငျ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,ကိုသာရွေးချယ်ထားထွက်ခွာခွင့်ပြုချက်ဒီထွက်ခွာလျှောက်လွှာတင်သွင်းနိုင်
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,နေ့စွဲ Relieving အတူနေ့စွဲထက် သာ. ကြီးမြတ်ဖြစ်ရမည်
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,တစ်နှစ်တာနှုန်းအရွက်
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,တစ်နှစ်တာနှုန်းအရွက်
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,row {0}: ဤအနေနဲ့ကြိုတင် entry ကိုဖြစ်လျှင် {1} အကောင့်ဆန့်ကျင် '' ကြိုတင်ထုတ် Is '' စစ်ဆေးပါ။
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},ဂိုဒေါင် {0} ကုမ္ပဏီမှ {1} ပိုင်ပါဘူး
DocType: Email Digest,Profit & Loss,အမြတ်အစွန်း & ဆုံးရှုံးမှု
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Litre
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Litre
DocType: Task,Total Costing Amount (via Time Sheet),(အချိန်စာရွက်မှတဆင့်) စုစုပေါင်းကုန်ကျငွေပမာဏ
DocType: Item Website Specification,Item Website Specification,item ဝက်ဘ်ဆိုက် Specification
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Leave Blocked
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},item {0} {1} အပေါ်အသက်၏အဆုံးရောက်ရှိခဲ့သည်
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},item {0} {1} အပေါ်အသက်၏အဆုံးရောက်ရှိခဲ့သည်
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,ဘဏ်မှ Entries
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,နှစ်ပတ်လည်
DocType: Stock Reconciliation Item,Stock Reconciliation Item,စတော့အိတ်ပြန်လည်ရင်ကြားစေ့ရေး Item
@@ -313,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,min မိန့် Qty
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,ကျောင်းသားအုပ်စုဖန်ဆင်းခြင်း Tool ကိုသင်တန်းအမှတ်စဥ်
DocType: Lead,Do Not Contact,ဆက်သွယ်ရန်မ
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,သင်၏အဖွဲ့အစည်းမှာသင်ပေးတဲ့သူကလူ
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,သင်၏အဖွဲ့အစည်းမှာသင်ပေးတဲ့သူကလူ
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,အားလုံးထပ်တလဲလဲကုန်ပို့လွှာ tracking များအတွက်ထူးခြားသော id ။ ဒါဟာတင်ပြရန်အပေါ် generated ဖြစ်ပါတယ်။
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Software ကို Developer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software ကို Developer
DocType: Item,Minimum Order Qty,နိမ့်ဆုံးအမိန့် Qty
DocType: Pricing Rule,Supplier Type,ပေးသွင်း Type
DocType: Course Scheduling Tool,Course Start Date,သင်တန်းကို Start နေ့စွဲ
@@ -324,11 +326,11 @@
DocType: Item,Publish in Hub,Hub အတွက်ထုတ်ဝေ
DocType: Student Admission,Student Admission,ကျောင်းသားသမဂ္ဂင်ခွင့်
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,item {0} ဖျက်သိမ်းလိုက်
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,item {0} ဖျက်သိမ်းလိုက်
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,material တောင်းဆိုခြင်း
DocType: Bank Reconciliation,Update Clearance Date,Update ကိုရှင်းလင်းရေးနေ့စွဲ
DocType: Item,Purchase Details,အသေးစိတ်ဝယ်ယူ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},item {0} ဝယ်ယူခြင်းအမိန့် {1} အတွက် '' ကုန်ကြမ်းထောက်ပံ့ '' table ထဲမှာမတှေ့
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},item {0} ဝယ်ယူခြင်းအမိန့် {1} အတွက် '' ကုန်ကြမ်းထောက်ပံ့ '' table ထဲမှာမတှေ့
DocType: Employee,Relation,ဆှေမြိုး
DocType: Shipping Rule,Worldwide Shipping,Worldwide မှသဘောင်္တင်ခ
DocType: Student Guardian,Mother,မိခင်
@@ -347,6 +349,7 @@
DocType: Student Group Student,Student Group Student,ကျောင်းသားအုပ်စုကျောင်းသားသမဂ္ဂ
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,နောက်ဆုံး
DocType: Vehicle Service,Inspection,ကြည့်ရှုစစ်ဆေးခြင်း
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,စာရင်း
DocType: Email Digest,New Quotations,နယူးကိုးကားချက်များ
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,ထမ်းရွေးချယ်နှစ်သက်သောအီးမေးလ်ကိုအပေါ်အခြေခံပြီးန်ထမ်းရန်အီးမေးလ်များကိုလစာစလစ်
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,စာရင်းထဲတွင်ပထမဦးဆုံးထွက်ခွာခွင့်ပြုချက်ကို default ထွက်ခွာခွင့်ပြုချက်အဖြစ်သတ်မှတ်ကြလိမ့်မည်
@@ -355,20 +358,20 @@
DocType: Asset,Next Depreciation Date,Next ကိုတန်ဖိုးနေ့စွဲ
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,ထမ်းနှုန်းဖြင့်လုပ်ဆောင်ချက်ကုန်ကျစရိတ်
DocType: Accounts Settings,Settings for Accounts,ငွေစာရင်းသည် Settings ကို
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},ပေးသွင်းငွေတောင်းခံလွှာဘယ်သူမျှမကအရစ်ကျငွေတောင်းခံလွှာ {0} အတွက်တည်ရှိ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},ပေးသွင်းငွေတောင်းခံလွှာဘယ်သူမျှမကအရစ်ကျငွေတောင်းခံလွှာ {0} အတွက်တည်ရှိ
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,အရောင်းပုဂ္ဂိုလ် Tree Manage ။
DocType: Job Applicant,Cover Letter,ပေးပို့သည့်အကြောင်းရင်းအားရှင်းပြသည့်စာ
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,ရှင်းရှင်းလင်းလင်းမှထူးချွန်ထက်မြက် Cheques နှင့်စာရင်း
DocType: Item,Synced With Hub,Hub နှင့်အတူ Sync လုပ်ထား
DocType: Vehicle,Fleet Manager,ရေယာဉ်စု Manager ကို
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},အတန်း # {0}: {1} ကို item {2} ဘို့အနုတ်လက္ခဏာမဖွစျနိုငျ
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,မှားယွင်းနေ Password ကို
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,မှားယွင်းနေ Password ကို
DocType: Item,Variant Of,အမျိုးမျိုးမူကွဲ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',ပြီးစီး Qty '' Qty ထုတ်လုပ်ခြင်းမှ '' ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
DocType: Period Closing Voucher,Closing Account Head,နိဂုံးချုပ်အကောင့်ဌာနမှူး
DocType: Employee,External Work History,ပြင်ပလုပ်ငန်းခွင်သမိုင်း
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,မြို့ပတ်ရထားကိုးကားစရာအမှား
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1 အမည်
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 အမည်
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,သင် Delivery Note ကိုကယျတငျတျောမူပါတစ်ချိန်ကစကား (ပို့ကုန်) ခုနှစ်တွင်မြင်နိုင်ပါလိမ့်မည်။
DocType: Cheque Print Template,Distance from left edge,ကျန်ရစ်အစွန်းကနေအဝေးသင်
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),[{2}] (# Form ကို / ဂိုဒေါင် / {2}) ၌တွေ့ [{1}] ၏ {0} ယူနစ် (# Form ကို / ပစ္စည်း / {1})
@@ -377,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,အော်တိုပစ္စည်းတောင်းဆိုမှု၏ဖန်တီးမှုအပေါ်အီးမေးလ်ကိုအကြောင်းကြား
DocType: Journal Entry,Multi Currency,multi ငွေကြေးစနစ်
DocType: Payment Reconciliation Invoice,Invoice Type,ကုန်ပို့လွှာ Type
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Delivery မှတ်ချက်
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Delivery မှတ်ချက်
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,အခွန်ကိုတည်ဆောက်ခြင်း
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,ရောင်းချပိုင်ဆိုင်မှု၏ကုန်ကျစရိတ်
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,သင်ကထွက်ခွာသွားပြီးနောက်ငွေပေးချေမှုရမည့် Entry modified သိရသည်။ တဖန်ဆွဲပေးပါ။
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} Item ခွန်အတွက်နှစ်ကြိမ်သို့ဝင်
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,သင်ကထွက်ခွာသွားပြီးနောက်ငွေပေးချေမှုရမည့် Entry modified သိရသည်။ တဖန်ဆွဲပေးပါ။
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} Item ခွန်အတွက်နှစ်ကြိမ်သို့ဝင်
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,ယခုရက်သတ္တပတ်များနှင့် Pend လှုပ်ရှားမှုများအကျဉ်းချုပ်
DocType: Student Applicant,Admitted,ဝန်ခံ
DocType: Workstation,Rent Cost,ငှားရန်ကုန်ကျစရိတ်
@@ -400,25 +403,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,လယ်ပြင်၌တန်ဖိုးကို '' Day ကို Month ရဲ့အပေါ် Repeat '' ကိုရိုက်ထည့်ပေးပါ
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,ဖောက်သည်ငွေကြေးဖောက်သည်ရဲ့အခြေစိုက်စခန်းငွေကြေးအဖြစ်ပြောင်းလဲသောအချိန်တွင် rate
DocType: Course Scheduling Tool,Course Scheduling Tool,သင်တန်းစီစဉ်ခြင်း Tool ကို
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},အတန်း # {0}: အရစ်ကျငွေတောင်းခံလွှာရှိပြီးသားပိုင်ဆိုင်မှု {1} ဆန့်ကျင်ရာ၌မရနိုငျ
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},အတန်း # {0}: အရစ်ကျငွေတောင်းခံလွှာရှိပြီးသားပိုင်ဆိုင်မှု {1} ဆန့်ကျင်ရာ၌မရနိုငျ
DocType: Item Tax,Tax Rate,အခွန်နှုန်း
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} ပြီးသားကာလထမ်း {1} များအတွက်ခွဲဝေ {2} {3} မှ
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Item ကိုရွေးပါ
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,ဝယ်ယူခြင်းပြေစာ {0} ပြီးသားတင်သွင်းတာဖြစ်ပါတယ်
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,ဝယ်ယူခြင်းပြေစာ {0} ပြီးသားတင်သွင်းတာဖြစ်ပါတယ်
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},row # {0}: Batch မရှိပါ {1} {2} အဖြစ်အတူတူဖြစ်ရပါမည်
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Non-Group ကမှ convert
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,တစ်ဦး Item ၏ batch (အများကြီး) ။
DocType: C-Form Invoice Detail,Invoice Date,ကုန်ပို့လွှာနေ့စွဲ
DocType: GL Entry,Debit Amount,debit ပမာဏ
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},သာ {0} {1} အတွက် Company မှနှုန်းနဲ့ 1 အကောင့်ကိုအဲဒီမှာရှိနိုင်ပါသည်
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,ပူးတွဲဖိုင်ကြည့်ပေးပါ
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},သာ {0} {1} အတွက် Company မှနှုန်းနဲ့ 1 အကောင့်ကိုအဲဒီမှာရှိနိုင်ပါသည်
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,ပူးတွဲဖိုင်ကြည့်ပေးပါ
DocType: Purchase Order,% Received,% ရရှိထားသည့်
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,ကျောင်းသားအဖွဲ့များ Create
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,ယခုပင်လျှင် Complete Setup ကို !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,credit မှတ်ချက်ငွေပမာဏ
,Finished Goods,လက်စသတ်ကုန်စည်
DocType: Delivery Note,Instructions,ညွှန်ကြားချက်များ
DocType: Quality Inspection,Inspected By,အားဖြင့်ကြည့်ရှုစစ်ဆေးသည်
DocType: Maintenance Visit,Maintenance Type,ပြုပြင်ထိန်းသိမ်းမှု Type
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} အဆိုပါသင်တန်း {2} စာရင်းသွင်းမဟုတ်ပါ
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},serial No {0} Delivery မှတ်ချက် {1} ပိုင်ပါဘူး
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,ပစ္စည်းများ Add
@@ -441,7 +446,7 @@
DocType: Request for Quotation,Request for Quotation,စျေးနှုန်းအဘို့တောင်းဆိုခြင်း
DocType: Salary Slip Timesheet,Working Hours,အလုပ်လုပ်နာရီ
DocType: Naming Series,Change the starting / current sequence number of an existing series.,ရှိပြီးသားစီးရီး၏စတင်ကာ / လက်ရှိ sequence number ကိုပြောင်းပါ။
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,အသစ်တစ်ခုကိုဖောက်သည် Create
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,အသစ်တစ်ခုကိုဖောက်သည် Create
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","မျိုးစုံစျေးနှုန်းများနည်းဥပဒေများနိုင်မှတည်လျှင်, အသုံးပြုသူများပဋိပက္ခဖြေရှင်းရန်ကို manually ဦးစားပေးသတ်မှတ်ဖို့တောင်းနေကြသည်။"
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,အရစ်ကျမိန့် Create
,Purchase Register,မှတ်ပုံတင်မည်ဝယ်ယူ
@@ -453,7 +458,7 @@
DocType: Student Log,Medical,ဆေးဘက်ဆိုင်ရာ
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,ဆုံးရှုံးရသည့်အကြောင်းရင်း
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,ခဲပိုင်ရှင်အခဲအဖြစ်အတူတူပင်မဖွစျနိုငျ
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,ခွဲဝေငွေပမာဏ unadjusted ငွေပမာဏထက် သာ. ကြီးမြတ်သည်မဟုတ်နိုင်
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,ခွဲဝေငွေပမာဏ unadjusted ငွေပမာဏထက် သာ. ကြီးမြတ်သည်မဟုတ်နိုင်
DocType: Announcement,Receiver,receiver
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation နှင့်အားလပ်ရက်များစာရင်းနှုန်းအဖြစ်အောက်ပါရက်စွဲများအပေါ်ပိတ်ထားသည်: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,အခွင့်အလမ်းများ
@@ -467,8 +472,7 @@
DocType: Assessment Plan,Examiner Name,စစျဆေးသူအမည်
DocType: Purchase Invoice Item,Quantity and Rate,အရေအတွက်နှင့် Rate
DocType: Delivery Note,% Installed,% Installed
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,စာသင်ခန်း / Laboratories စသည်တို့ကိုပို့ချချက်စီစဉ်ထားနိုင်ပါတယ်ဘယ်မှာ။
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,ပေးသွင်း> ပေးသွင်းအမျိုးအစား
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,စာသင်ခန်း / Laboratories စသည်တို့ကိုပို့ချချက်စီစဉ်ထားနိုင်ပါတယ်ဘယ်မှာ။
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,ကုမ္ပဏီအမည်ကိုပထမဦးဆုံးရိုက်ထည့်ပေးပါ
DocType: Purchase Invoice,Supplier Name,ပေးသွင်းအမည်
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,ထို ERPNext လက်စွဲစာအုပ် Read
@@ -478,7 +482,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,ပေးသွင်းပြေစာနံပါတ်ထူးခြားသောစစ်ဆေး
DocType: Vehicle Service,Oil Change,ရေနံပြောင်းလဲခြင်း
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','' အမှုအမှတ်နိုင်ရန် '' '' အမှုအမှတ် မှစ. '' ထက်နည်းမဖွစျနိုငျ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,non အကျိုးအမြတ်
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,non အကျိုးအမြတ်
DocType: Production Order,Not Started,Started မဟုတ်
DocType: Lead,Channel Partner,channel Partner
DocType: Account,Old Parent,စာဟောငျးမိဘ
@@ -489,20 +493,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,အားလုံးထုတ်လုပ်မှုလုပ်ငန်းစဉ်များသည်ကမ္ဘာလုံးဆိုင်ရာ setting ကို။
DocType: Accounts Settings,Accounts Frozen Upto,Frozen ထိအကောင့်
DocType: SMS Log,Sent On,တွင် Sent
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,attribute {0} Attribute တွေကစားပွဲတင်အတွက်အကြိမ်ပေါင်းများစွာကိုရှေးခယျြ
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,attribute {0} Attribute တွေကစားပွဲတင်အတွက်အကြိမ်ပေါင်းများစွာကိုရှေးခယျြ
DocType: HR Settings,Employee record is created using selected field. ,ဝန်ထမ်းစံချိန်ရွေးချယ်ထားသောလယ်ကို အသုံးပြု. နေသူများကဖန်တီး။
DocType: Sales Order,Not Applicable,မသက်ဆိုင်ပါ
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,အားလပ်ရက်မာစတာ။
DocType: Request for Quotation Item,Required Date,လိုအပ်သောနေ့စွဲ
DocType: Delivery Note,Billing Address,ကျသင့်ငွေတောင်းခံလွှာပေးပို့မည့်လိပ်စာ
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Item Code ကိုရိုက်ထည့်ပေးပါ။
DocType: BOM,Costing,ကုန်ကျ
DocType: Tax Rule,Billing County,ငွေတောင်းခံကောင်တီ
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","checked အကယ်. ထားပြီးပုံနှိပ် Rate / ပုံနှိပ်ပမာဏတွင်ထည့်သွင်းသကဲ့သို့, အခွန်ပမာဏကိုထည့်သွင်းစဉ်းစားလိမ့်မည်"
DocType: Request for Quotation,Message for Supplier,ပေးသွင်းဘို့ကို Message
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,စုစုပေါင်း Qty
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 အီးမေးလ် ID ကို
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 အီးမေးလ် ID ကို
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 အီးမေးလ် ID ကို
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 အီးမေးလ် ID ကို
DocType: Item,Show in Website (Variant),ဝက်ဘ်ဆိုက်ထဲမှာပြရန် (မူကွဲ)
DocType: Employee,Health Concerns,ကနျြးမာရေးကိုဒေသခံများကစိုးရိမ်ပူပန်နေကြ
DocType: Process Payroll,Select Payroll Period,လစာကာလကို Select လုပ်ပါ
@@ -520,26 +523,28 @@
DocType: Sales Order Item,Used for Production Plan,ထုတ်လုပ်ရေးစီမံကိန်းအတွက်အသုံးပြု
DocType: Employee Loan,Total Payment,စုစုပေါင်းငွေပေးချေမှုရမည့်
DocType: Manufacturing Settings,Time Between Operations (in mins),(မိနစ်အတွက်) Operations အကြားတွင်အချိန်
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,လုပ်ဆောင်ချက်ပြီးစီးမရနိုင်ဒါကြောင့် {0} {1} ဖျက်သိမ်းနေသည်
DocType: Customer,Buyer of Goods and Services.,ကုန်စည်နှင့်ဝန်ဆောင်မှုများ၏ဝယ်သောသူ။
DocType: Journal Entry,Accounts Payable,ပေးရန်ရှိသောစာရင်း
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,ရွေးချယ်ထားတဲ့ BOMs တူညီတဲ့အရာအတွက်မဟုတ်
DocType: Pricing Rule,Valid Upto,သက်တမ်းရှိအထိ
DocType: Training Event,Workshop,အလုပ်ရုံ
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,သင့်ရဲ့ဖောက်သည်၏အနည်းငယ်စာရင်း။ သူတို့ဟာအဖွဲ့အစည်းများသို့မဟုတ်လူပုဂ္ဂိုလ်တစ်ဦးချင်းဖြစ်နိုင်ပါတယ်။
-,Enough Parts to Build,Build ဖို့လုံလောက်တဲ့အစိတ်အပိုင်းများ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,တိုက်ရိုက်ဝင်ငွေခွန်
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,သင့်ရဲ့ဖောက်သည်၏အနည်းငယ်စာရင်း။ သူတို့ဟာအဖွဲ့အစည်းများသို့မဟုတ်လူပုဂ္ဂိုလ်တစ်ဦးချင်းဖြစ်နိုင်ပါတယ်။
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Build ဖို့လုံလောက်တဲ့အစိတ်အပိုင်းများ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,တိုက်ရိုက်ဝင်ငွေခွန်
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","အကောင့်အားဖြင့်အုပ်စုဖွဲ့လျှင်, အကောင့်ပေါ်မှာအခြေခံပြီး filter နိုင်ဘူး"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,စီမံခန့်ခွဲရေးဆိုင်ရာအရာရှိချုပ်
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,သင်တန်းကို select ပေးပါ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,သင်တန်းကို select ပေးပါ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,စီမံခန့်ခွဲရေးဆိုင်ရာအရာရှိချုပ်
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,သင်တန်းကို select ပေးပါ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,သင်တန်းကို select ပေးပါ
DocType: Timesheet Detail,Hrs,နာရီ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,ကုမ္ပဏီကို select ကျေးဇူးပြု.
DocType: Stock Entry Detail,Difference Account,ခြားနားချက်အကောင့်
+DocType: Purchase Invoice,Supplier GSTIN,ပေးသွင်း GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,၎င်း၏မှီခိုအလုပ်တစ်ခုကို {0} တံခါးပိတ်မဟုတ်ပါအဖြစ်အနီးကပ်အလုပ်တစ်ခုကိုမနိုင်သလား။
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,ဂိုဒေါင်ပစ္စည်းတောင်းဆိုမှုမွောကျလိမျ့မညျအရာအဘို့အရိုက်ထည့်ပေးပါ
DocType: Production Order,Additional Operating Cost,နောက်ထပ် Operating ကုန်ကျစရိတ်
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,အလှကုန်
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","ပေါင်းစည်းဖို့, အောက်ပါဂုဏ်သတ္တိနှစ်မျိုးလုံးပစ္စည်းများသည်အတူတူပင်ဖြစ်ရပါမည်"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","ပေါင်းစည်းဖို့, အောက်ပါဂုဏ်သတ္တိနှစ်မျိုးလုံးပစ္စည်းများသည်အတူတူပင်ဖြစ်ရပါမည်"
DocType: Shipping Rule,Net Weight,အသားတင်အလေးချိန်
DocType: Employee,Emergency Phone,အရေးပေါ်ဖုန်း
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,ယ်ယူရန်
@@ -549,14 +554,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Threshold 0% များအတွက်တန်းသတ်မှတ်ပေးပါ
DocType: Sales Order,To Deliver,လှတျတျောမူရန်
DocType: Purchase Invoice Item,Item,အချက်
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,serial မရှိ item ကိုတစ်အစိတ်အပိုင်းမဖွစျနိုငျ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,serial မရှိ item ကိုတစ်အစိတ်အပိုင်းမဖွစျနိုငျ
DocType: Journal Entry,Difference (Dr - Cr),ခြားနားချက် (ဒေါက်တာ - Cr)
DocType: Account,Profit and Loss,အမြတ်နှင့်အရှုံး
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,စီမံခန့်ခွဲ Subcontracting
DocType: Project,Project will be accessible on the website to these users,စီမံကိန်းကဤသည်အသုံးပြုသူများမှ website တွင်ဝင်ရောက်ဖြစ်လိမ့်မည်
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,စျေးနှုန်းစာရင်းငွေကြေးကုမ္ပဏီ၏အခြေစိုက်စခန်းငွေကြေးအဖြစ်ပြောင်းလဲသောအချိန်တွင် rate
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},အကောင့်ကို {0} ကုမ္ပဏီပိုင်ပါဘူး: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,ပြီးသားအခြားကုမ္ပဏီအတွက်အသုံးပြုအတိုကောက်
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},အကောင့်ကို {0} ကုမ္ပဏီပိုင်ပါဘူး: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,ပြီးသားအခြားကုမ္ပဏီအတွက်အသုံးပြုအတိုကောက်
DocType: Selling Settings,Default Customer Group,default ဖောက်သည်အုပ်စု
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Disable လုပ်ထားမယ်ဆိုရင်, '' Rounded စုစုပေါင်း '' လယ်ပြင်၌မည်သည့်အရောင်းအဝယ်အတွက်မြင်နိုင်လိမ့်မည်မဟုတ်ပေ"
DocType: BOM,Operating Cost,operating ကုန်ကျစရိတ်
@@ -564,7 +569,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,increment 0 င်မဖွစျနိုငျ
DocType: Production Planning Tool,Material Requirement,ပစ္စည်းလိုအပ်ချက်
DocType: Company,Delete Company Transactions,ကုမ္ပဏီငွေကြေးကိစ္စရှင်းလင်းမှု Delete
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,ကိုးကားစရာအဘယ်သူမျှမနှင့်ကိုးကားစရာနေ့စွဲဘဏ်မှငွေပေးငွေယူဘို့မဖြစ်မနေဖြစ်ပါသည်
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,ကိုးကားစရာအဘယ်သူမျှမနှင့်ကိုးကားစရာနေ့စွဲဘဏ်မှငွေပေးငွေယူဘို့မဖြစ်မနေဖြစ်ပါသည်
DocType: Purchase Receipt,Add / Edit Taxes and Charges,/ Edit ကိုအခွန်နှင့်စွပ်စွဲချက် Add
DocType: Purchase Invoice,Supplier Invoice No,ပေးသွင်းပြေစာမရှိ
DocType: Territory,For reference,ကိုးကားနိုင်ရန်
@@ -575,22 +580,22 @@
DocType: Installation Note Item,Installation Note Item,Installation မှတ်ချက် Item
DocType: Production Plan Item,Pending Qty,ဆိုင်းငံ့ထား Qty
DocType: Budget,Ignore,ဂရုမပြု
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} တက်ကြွမဟုတ်ပါဘူး
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} တက်ကြွမဟုတ်ပါဘူး
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},အောက်ပါနံပါတ်များကိုစလှေတျ SMS ကို: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,ပုံနှိပ်ခြင်းအဘို့အ Setup ကိုစစ်ဆေးမှုများရှုထောင့်
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,ပုံနှိပ်ခြင်းအဘို့အ Setup ကိုစစ်ဆေးမှုများရှုထောင့်
DocType: Salary Slip,Salary Slip Timesheet,လစာစလစ်ဖြတ်ပိုင်းပုံစံ Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,က sub-စာချုပ်ချုပ်ဆိုဝယ်ယူခြင်းပြေစာတွေအတွက်မဖြစ်မနေပေးသွင်းဂိုဒေါင်
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,က sub-စာချုပ်ချုပ်ဆိုဝယ်ယူခြင်းပြေစာတွေအတွက်မဖြစ်မနေပေးသွင်းဂိုဒေါင်
DocType: Pricing Rule,Valid From,မှစ. သက်တမ်းရှိ
DocType: Sales Invoice,Total Commission,စုစုပေါင်းကော်မရှင်
DocType: Pricing Rule,Sales Partner,အရောင်း Partner
DocType: Buying Settings,Purchase Receipt Required,ဝယ်ယူခြင်း Receipt လိုအပ်သော
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,ဖွင့်လှစ်စတော့အိတ်ဝသို့ဝင်လျှင်အဘိုးပြတ်နှုန်းမဖြစ်မနေဖြစ်ပါသည်
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,ဖွင့်လှစ်စတော့အိတ်ဝသို့ဝင်လျှင်အဘိုးပြတ်နှုန်းမဖြစ်မနေဖြစ်ပါသည်
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,ထိုပြေစာ table ထဲမှာတွေ့ရှိမရှိပါမှတ်တမ်းများ
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,ပထမဦးဆုံးကုမ္ပဏီနှင့်ပါတီ Type ကိုရွေးပါ ကျေးဇူးပြု.
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,ဘဏ္ဍာရေး / စာရင်းကိုင်တစ်နှစ်။
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,ဘဏ္ဍာရေး / စာရင်းကိုင်တစ်နှစ်။
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,စုဆောင်းတန်ဖိုးများ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","ဝမ်းနည်းပါတယ်, Serial အမှတ်ပေါင်းစည်းမရနိုင်ပါ"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,အရောင်းအမိန့်လုပ်ပါ
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,အရောင်းအမိန့်လုပ်ပါ
DocType: Project Task,Project Task,စီမံကိန်းရဲ့ Task
,Lead Id,ခဲ Id
DocType: C-Form Invoice Detail,Grand Total,စုစုပေါင်း
@@ -607,7 +612,7 @@
DocType: Job Applicant,Resume Attachment,ကိုယ်ရေးမှတ်တမ်းတွယ်တာ
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,repeat Customer များ
DocType: Leave Control Panel,Allocate,နေရာချထား
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,အရောင်းသို့ပြန်သွားသည်
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,အရောင်းသို့ပြန်သွားသည်
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,မှတ်ချက်: စုစုပေါင်းခွဲဝေရွက် {0} ကာလအဘို့ပြီးသားအတည်ပြုရွက် {1} ထက်လျော့နည်းမဖြစ်သင့်ပါဘူး
DocType: Announcement,Posted By,အားဖြင့် Posted
DocType: Item,Delivered by Supplier (Drop Ship),ပေးသွင်း (Drop သင်္ဘော) ဖြင့်ကယ်လွှတ်
@@ -617,8 +622,8 @@
DocType: Quotation,Quotation To,စျေးနှုန်းရန်
DocType: Lead,Middle Income,အလယျပိုငျးဝင်ငွေခွန်
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),ဖွင့်ပွဲ (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,သင်ပြီးသားကိုအခြား UOM နှင့်အတူအချို့သောအရောင်းအဝယ် (s) ကိုရာ၌ခန့်ထားပြီဖြစ်သောကြောင့်ပစ္စည်းအဘို့အတိုင်း၏ default အနေနဲ့ယူနစ် {0} ကိုတိုက်ရိုက်ပြောင်းလဲသွားမရနိုင်ပါ။ သင်တစ်ဦးကွဲပြားခြားနားသောပုံမှန် UOM သုံးစွဲဖို့အသစ်တစ်ခုပစ္စည်းကိုဖန်တီးရန်လိုအပ်ပါလိမ့်မည်။
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,ခွဲဝေငွေပမာဏအနုတ်လက္ခဏာမဖြစ်နိုင်
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,သင်ပြီးသားကိုအခြား UOM နှင့်အတူအချို့သောအရောင်းအဝယ် (s) ကိုရာ၌ခန့်ထားပြီဖြစ်သောကြောင့်ပစ္စည်းအဘို့အတိုင်း၏ default အနေနဲ့ယူနစ် {0} ကိုတိုက်ရိုက်ပြောင်းလဲသွားမရနိုင်ပါ။ သင်တစ်ဦးကွဲပြားခြားနားသောပုံမှန် UOM သုံးစွဲဖို့အသစ်တစ်ခုပစ္စည်းကိုဖန်တီးရန်လိုအပ်ပါလိမ့်မည်။
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,ခွဲဝေငွေပမာဏအနုတ်လက္ခဏာမဖြစ်နိုင်
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,ကုမ္ပဏီသတ်မှတ်ပေးပါ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,ကုမ္ပဏီသတ်မှတ်ပေးပါ
DocType: Purchase Order Item,Billed Amt,Bill Amt
@@ -631,7 +636,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,ဘဏ်မှ Entry စေရန်ငွေပေးချေမှုရမည့်အကောင့်ကို Select လုပ်ပါ
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","အရွက်, စရိတ်တောင်းဆိုမှုများနှင့်လုပ်ခလစာကိုစီမံခန့်ခွဲဖို့ထမ်းမှတ်တမ်းများ Create"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,အသိပညာတပ်စခန်းမှ Add
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,အဆိုပြုချက်ကို Writing
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,အဆိုပြုချက်ကို Writing
DocType: Payment Entry Deduction,Payment Entry Deduction,ငွေပေးချေမှုရမည့် Entry ထုတ်ယူ
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,နောက်ထပ်အရောင်းပုဂ္ဂိုလ် {0} တူညီသောန်ထမ်းက id နှင့်အတူတည်ရှိ
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","check လုပ်ထားပါက, Sub-ကန်ထရိုက်ဖြစ်ကြောင်းပစ္စည်းများများအတွက်ကုန်ကြမ်းကိုပစ္စည်းတောင်းဆိုချက်များတွင်ထည့်သွင်းပါလိမ့်မည်"
@@ -646,7 +651,7 @@
DocType: Batch,Batch Description,batch ဖော်ပြချက်များ
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Creating ကျောင်းသားအုပ်စုများ
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Creating ကျောင်းသားအုပ်စုများ
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","ဖန်တီးမပေးချေမှု Gateway ရဲ့အကောင့်ကို, ကို manually တဦးတည်းဖန်တီးပါ။"
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","ဖန်တီးမပေးချေမှု Gateway ရဲ့အကောင့်ကို, ကို manually တဦးတည်းဖန်တီးပါ။"
DocType: Sales Invoice,Sales Taxes and Charges,အရောင်းအခွန်နှင့်စွပ်စွဲချက်
DocType: Employee,Organization Profile,အစည်းအရုံးကိုယ်ရေးအချက်အလက်များ profile
DocType: Student,Sibling Details,မှေးခငျြးအသေးစိတ်
@@ -668,11 +673,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Inventory ထဲမှာပိုက်ကွန်ကိုပြောင်းရန်
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,ဝန်ထမ်းချေးငွေစီမံခန့်ခွဲမှု
DocType: Employee,Passport Number,နိုင်ငံကူးလက်မှတ်နံပါတ်
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Guardian2 နှင့်အတူ relation
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Manager က
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2 နှင့်အတူ relation
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Manager က
DocType: Payment Entry,Payment From / To,/ စေရန် မှစ. ငွေပေးချေမှုရမည့်
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},နယူးအကြွေးကန့်သတ်ဖောက်သည်များအတွက်လက်ရှိထူးချွန်ငွေပမာဏထက်လျော့နည်းသည်။ အကြွေးကန့်သတ် atleast {0} ဖြစ်ဖို့ရှိပါတယ်
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,အလားတူတဲ့ item ကိုအကြိမ်ပေါင်းများစွာသို့ဝင်ခဲ့သည်။
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},နယူးအကြွေးကန့်သတ်ဖောက်သည်များအတွက်လက်ရှိထူးချွန်ငွေပမာဏထက်လျော့နည်းသည်။ အကြွေးကန့်သတ် atleast {0} ဖြစ်ဖို့ရှိပါတယ်
DocType: SMS Settings,Receiver Parameter,receiver Parameter
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'' တွင် အခြေခံ. 'နဲ့' Group မှဖြင့် '' အတူတူမဖွစျနိုငျ
DocType: Sales Person,Sales Person Targets,အရောင်းပုဂ္ဂိုလ်ပစ်မှတ်များ
@@ -681,8 +685,9 @@
DocType: Issue,Resolution Date,resolution နေ့စွဲ
DocType: Student Batch Name,Batch Name,batch အမည်
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timesheet ကဖန်တီး:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},ငွေပေးချေမှုရမည့်၏ Mode ကို {0} အတွက် default အနေနဲ့ငွေသို့မဟုတ်ဘဏ်မှအကောင့်ကိုသတ်မှတ်ပေးပါ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},ငွေပေးချေမှုရမည့်၏ Mode ကို {0} အတွက် default အနေနဲ့ငွေသို့မဟုတ်ဘဏ်မှအကောင့်ကိုသတ်မှတ်ပေးပါ
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,စာရင်းသွင်း
+DocType: GST Settings,GST Settings,GST က Settings
DocType: Selling Settings,Customer Naming By,အားဖြင့်ဖောက်သည် Name
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,ကျောင်းသားလစဉ်တက်ရောက်အစီရင်ခံစာအတွက်လက်ရှိအဖြစ်ကျောင်းသားကိုပြသပါလိမ့်မယ်
DocType: Depreciation Schedule,Depreciation Amount,တန်ဖိုးပမာဏ
@@ -704,6 +709,7 @@
DocType: Item,Material Transfer,ပစ္စည်းလွှဲပြောင်း
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),ဖွင့်ပွဲ (ဒေါက်တာ)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Post Timestamp ကို {0} နောက်မှာဖြစ်ရပါမည်
+,GST Itemised Purchase Register,GST Item ဝယ်ယူမှတ်ပုံတင်မည်
DocType: Employee Loan,Total Interest Payable,စုစုပေါင်းအကျိုးစီးပွားပေးရန်
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ကုန်ကျစရိတ်အခွန်နှင့်စွပ်စွဲချက်ဆင်းသက်
DocType: Production Order Operation,Actual Start Time,အမှန်တကယ် Start ကိုအချိန်
@@ -732,10 +738,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
DocType: Account,Accounts,ငွေစာရင်း
DocType: Vehicle,Odometer Value (Last),Odometer Value ကို (နောက်ဆုံး)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,marketing
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,marketing
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,ငွေပေးချေမှုရမည့် Entry 'ပြီးသားနေသူများကဖန်တီး
DocType: Purchase Receipt Item Supplied,Current Stock,လက်ရှိစတော့အိတ်
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},အတန်း # {0}: ပိုင်ဆိုင်မှု {1} Item {2} နှင့်ဆက်စပ်ပါဘူး
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},အတန်း # {0}: ပိုင်ဆိုင်မှု {1} Item {2} နှင့်ဆက်စပ်ပါဘူး
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,ကို Preview လစာစလစ်ဖြတ်ပိုင်းပုံစံ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,အကောင့် {0} အကြိမ်ပေါင်းများစွာသို့ဝင်ခဲ့
DocType: Account,Expenses Included In Valuation,အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည်တွင်ထည့်သွင်းကုန်ကျစရိတ်
@@ -743,7 +749,7 @@
,Absent Student Report,ပျက်ကွက်ကျောင်းသားအစီရင်ခံစာ
DocType: Email Digest,Next email will be sent on:,Next ကိုအီးမေးလ်အပေါ်ကိုစလှေတျပါလိမ့်မည်:
DocType: Offer Letter Term,Offer Letter Term,ပေးစာ Term ကိုပူဇော်
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,item မျိုးကွဲရှိပါတယ်။
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,item မျိုးကွဲရှိပါတယ်။
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,item {0} မတွေ့ရှိ
DocType: Bin,Stock Value,စတော့အိတ် Value တစ်ခု
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,ကုမ္ပဏီ {0} မတည်ရှိပါဘူး
@@ -752,8 +758,8 @@
DocType: Serial No,Warranty Expiry Date,အာမခံသက်တမ်းကုန်ဆုံးသည့်ရက်စွဲ
DocType: Material Request Item,Quantity and Warehouse,အရေအတွက်နှင့်ဂိုဒေါင်
DocType: Sales Invoice,Commission Rate (%),ကော်မရှင် Rate (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,အစီအစဉ်ကို select ပေးပါ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,အစီအစဉ်ကို select ပေးပါ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,အစီအစဉ်ကို select ပေးပါ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,အစီအစဉ်ကို select ပေးပါ
DocType: Project,Estimated Cost,ခန့်မှန်းခြေကုန်ကျစရိတ်
DocType: Purchase Order,Link to material requests,ပစ္စည်းတောင်းဆိုမှုများမှ Link ကို
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aerospace
@@ -767,14 +773,14 @@
DocType: Purchase Order,Supply Raw Materials,supply ကုန်ကြမ်း
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,လာမယ့်ကုန်ပို့လွှာ generated လိမ့်မည်သည့်နေ့ရက်။ ဒါဟာတင်ပြရန်အပေါ် generated ဖြစ်ပါတယ်။
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,လက်ရှိပိုင်ဆိုင်မှုများ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} တစ်စတော့ရှယ်ယာ Item မဟုတ်ပါဘူး
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} တစ်စတော့ရှယ်ယာ Item မဟုတ်ပါဘူး
DocType: Mode of Payment Account,Default Account,default အကောင့်
DocType: Payment Entry,Received Amount (Company Currency),ရရှိထားသည့်ငွေပမာဏ (ကုမ္ပဏီငွေကြေးစနစ်)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,အခွင့်အလမ်းများခဲကနေလုပ်ပါကခဲသတ်မှတ်ရမည်
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,အပတ်စဉ်ထုတ်ပယ်သောနေ့ရက်ကိုရွေးပါ ကျေးဇူးပြု.
DocType: Production Order Operation,Planned End Time,စီစဉ်ထားသည့်အဆုံးအချိန်
,Sales Person Target Variance Item Group-Wise,အရောင်းပုဂ္ဂိုလ် Target ကကှဲလှဲ Item Group မှ-ပညာရှိ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,လက်ရှိငွေပေးငွေယူနှင့်အတူအကောင့်ကိုလယ်ဂျာမှပြောင်းလဲမပြနိုင်
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,လက်ရှိငွေပေးငွေယူနှင့်အတူအကောင့်ကိုလယ်ဂျာမှပြောင်းလဲမပြနိုင်
DocType: Delivery Note,Customer's Purchase Order No,customer ရဲ့ဝယ်ယူခြင်းအမိန့်မရှိပါ
DocType: Budget,Budget Against,ဘတ်ဂျက်ဆန့်ကျင်
DocType: Employee,Cell Number,cell အရေအတွက်
@@ -786,15 +792,13 @@
DocType: Opportunity,Opportunity From,မှစ. အခွင့်အလမ်း
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,လစဉ်လစာကြေငြာချက်။
DocType: BOM,Website Specifications,website သတ်မှတ်ချက်များ
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,ကျေးဇူးပြု. Setup ကို> နံပါတ်စီးရီးကနေတစ်ဆင့်တက်ရောက်ဘို့ setup ကိုစာရငျးစီးရီး
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: {1} အမျိုးအစား {0} မှစ.
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,row {0}: ကူးပြောင်းခြင်း Factor မသင်မနေရ
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,row {0}: ကူးပြောင်းခြင်း Factor မသင်မနေရ
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","အကွိမျမြားစှာစျေးစည်းကမ်းများတူညီတဲ့စံနှင့်အတူတည်ရှိ, ဦးစားပေးတာဝန်ပေးဖို့ခြင်းဖြင့်ပဋိပက္ခဖြေရှင်းရန်ပါ။ စျေးစည်းကမ်းများ: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,ဒါကြောင့်အခြား BOMs နှင့်အတူဆက်စပ်အဖြစ် BOM ရပ်ဆိုင်းနိုင်သို့မဟုတ်ပယ်ဖျက်ခြင်းနိုင်ဘူး
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","အကွိမျမြားစှာစျေးစည်းကမ်းများတူညီတဲ့စံနှင့်အတူတည်ရှိ, ဦးစားပေးတာဝန်ပေးဖို့ခြင်းဖြင့်ပဋိပက္ခဖြေရှင်းရန်ပါ။ စျေးစည်းကမ်းများ: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,ဒါကြောင့်အခြား BOMs နှင့်အတူဆက်စပ်အဖြစ် BOM ရပ်ဆိုင်းနိုင်သို့မဟုတ်ပယ်ဖျက်ခြင်းနိုင်ဘူး
DocType: Opportunity,Maintenance,ပြုပြင်ထိန်းသိမ်းမှု
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Item {0} လိုအပ်ဝယ်ယူ Receipt နံပါတ်
DocType: Item Attribute Value,Item Attribute Value,item Attribute Value တစ်ခု
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,အရောင်းစည်းရုံးလှုံ့ဆော်မှုများ။
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Timesheet Make
@@ -827,30 +831,30 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},ဂျာနယ် Entry '{0} ကနေတဆင့်ဖျက်သိမ်းပိုင်ဆိုင်မှု
DocType: Employee Loan,Interest Income Account,အကျိုးစီးပွားဝင်ငွေခွန်အကောင့်
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,ဇီဝနည်းပညာ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Office ကို Maintenance အသုံးစရိတ်များ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Office ကို Maintenance အသုံးစရိတ်များ
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,အီးမေးလ်အကောင့်ကိုဖွင့်သတ်မှတ်
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,ပထမဦးဆုံးပစ္စည်းကိုရိုက်ထည့်ပေးပါ
DocType: Account,Liability,တာဝန်
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ပိတ်ဆို့ငွေပမာဏ Row {0} အတွက်တောင်းဆိုမှုများငွေပမာဏထက် သာ. ကြီးမြတ်မဖြစ်နိုင်။
DocType: Company,Default Cost of Goods Sold Account,ကုန်စည်၏ default ကုန်ကျစရိတ်အကောင့်ရောင်းချ
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,စျေးနှုန်း List ကိုမရွေးချယ်
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,စျေးနှုန်း List ကိုမရွေးချယ်
DocType: Employee,Family Background,မိသားစုနောက်ခံသမိုင်း
DocType: Request for Quotation Supplier,Send Email,အီးမေးလ်ပို့ပါ
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},သတိပေးချက်: မမှန်ကန်ခြင်းနှောင်ကြိုး {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},သတိပေးချက်: မမှန်ကန်ခြင်းနှောင်ကြိုး {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,အဘယ်သူမျှမခွင့်ပြုချက်
DocType: Company,Default Bank Account,default ဘဏ်မှအကောင့်
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",ပါတီအပေါ်အခြေခံပြီး filter မှပထမဦးဆုံးပါတီ Type ကိုရွေးပါ
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"ပစ္စည်းများကို {0} ကနေတဆင့်ကယ်နှုတ်တော်မူ၏မဟုတ်သောကြောင့်, '' Update ကိုစတော့အိတ် '' checked မရနိုင်ပါ"
DocType: Vehicle,Acquisition Date,သိမ်းယူမှုနေ့စွဲ
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,nos
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,nos
DocType: Item,Items with higher weightage will be shown higher,ပိုမိုမြင့်မားသော weightage နှင့်အတူပစ္စည်းများပိုမိုမြင့်မားပြသပါလိမ့်မည်
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,ဘဏ်မှပြန်လည်ရင်ကြားစေ့ရေး Detail
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,အတန်း # {0}: ပိုင်ဆိုင်မှု {1} တင်သွင်းရဦးမည်
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,အတန်း # {0}: ပိုင်ဆိုင်မှု {1} တင်သွင်းရဦးမည်
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,ဝန်ထမ်းမျှမတွေ့ပါ
DocType: Supplier Quotation,Stopped,ရပ်တန့်
DocType: Item,If subcontracted to a vendor,တစ်ရောင်းချသူမှ subcontracted မယ်ဆိုရင်
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,ကျောင်းသားအုပ်စုပြီးသား updated ဖြစ်ပါတယ်။
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,ကျောင်းသားအုပ်စုပြီးသား updated ဖြစ်ပါတယ်။
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,ကျောင်းသားအုပ်စုပြီးသား updated ဖြစ်ပါတယ်။
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,ကျောင်းသားအုပ်စုပြီးသား updated ဖြစ်ပါတယ်။
DocType: SMS Center,All Customer Contact,အားလုံးသည်ဖောက်သည်ဆက်သွယ်ရန်
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,CSV ကနေတဆင့်စတော့ရှယ်ယာချိန်ခွင်လျှာ upload ။
DocType: Warehouse,Tree Details,သစ်ပင်ကိုအသေးစိတ်
@@ -862,13 +866,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: ကုန်ကျစရိတ်စင်တာ {2} ကုမ္ပဏီ {3} ပိုင်ပါဘူး
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: အကောင့် {2} တဲ့ Group ကိုမဖွစျနိုငျ
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,item Row {idx}: {DOCTYPE} {DOCNAME} အထက် '' {DOCTYPE} '' table ထဲမှာမတည်ရှိပါဘူး
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Timesheet {0} ပြီးသားပြီးစီးခဲ့သို့မဟုတ်ဖျက်သိမ်းလိုက်
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} ပြီးသားပြီးစီးခဲ့သို့မဟုတ်ဖျက်သိမ်းလိုက်
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,အဘယ်သူမျှမတာဝန်များကို
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","အော်တိုကုန်ပို့လွှာ 05, 28 စသည်တို့ကိုဥပမာ generated လိမ့်မည်ဟူသောရက်နေ့တွင်လ၏နေ့"
DocType: Asset,Opening Accumulated Depreciation,စုဆောင်းတန်ဖိုးဖွင့်လှစ်
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,ရမှတ်ထက်လျော့နည်းသို့မဟုတ် 5 မှတန်းတူဖြစ်ရမည်
DocType: Program Enrollment Tool,Program Enrollment Tool,Program ကိုစာရငျးပေးသှငျး Tool ကို
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,C-Form တွင်မှတ်တမ်းများ
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C-Form တွင်မှတ်တမ်းများ
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,ဖောက်သည်များနှင့်ပေးသွင်း
DocType: Email Digest,Email Digest Settings,အီးမေးလ် Digest မဂ္ဂဇင်း Settings ကို
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,သင့်ရဲ့စီးပွားရေးလုပ်ငန်းများအတွက်ကျေးဇူးတင်ပါသည်
@@ -878,17 +882,19 @@
DocType: Bin,Moving Average Rate,Moving ပျမ်းမျှနှုန်း
DocType: Production Planning Tool,Select Items,ပစ္စည်းများကိုရွေးပါ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} ဘီလ် {1} ဆန့်ကျင် {2} ရက်စွဲပါ
+DocType: Program Enrollment,Vehicle/Bus Number,ယာဉ် / ဘတ်စ်ကားအရေအတွက်
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,သင်တန်းဇယား
DocType: Maintenance Visit,Completion Status,ပြီးစီးနဲ့ Status
DocType: HR Settings,Enter retirement age in years,နှစ်များတွင်အငြိမ်းစားအသက်အရွယ် Enter
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Target ကဂိုဒေါင်
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,ဂိုဒေါင်တစ်ခုကို select ပေးပါ
DocType: Cheque Print Template,Starting location from left edge,ကျန်ရစ်အစွန်းကနေတည်နေရာစတင်ခြင်း
DocType: Item,Allow over delivery or receipt upto this percent,ဒီရာခိုင်နှုန်းအထိပေးပို့သို့မဟုတ်လက်ခံရရှိကျော် Allow
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,သွင်းကုန်တက်ရောက်
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,All item အဖွဲ့များ
DocType: Process Payroll,Activity Log,လုပ်ဆောင်ချက်အထဲ
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Net ကအမြတ်ခွန် / ပျောက်ဆုံးခြင်း
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Net ကအမြတ်ခွန် / ပျောက်ဆုံးခြင်း
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,အလိုအလျှောက်ငွေကြေးလွှဲပြောင်းမှုမှာတင်သွင်းခဲ့တဲ့အပေါ်သတင်းစကား compose ။
DocType: Production Order,Item To Manufacture,ထုတ်လုပ်ခြင်းရန် item
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} {2} အဆင့်အတန်းဖြစ်ပါသည်
@@ -897,16 +903,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,ငွေပေးချေမှုရမည့်ရန်အမိန့်ကိုဝယ်ယူရန်
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,စီမံကိန်း Qty
DocType: Sales Invoice,Payment Due Date,ငွေပေးချေမှုရမည့်ကြောင့်နေ့စွဲ
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,item Variant {0} ပြီးသားအတူတူ Attribute တွေနှင့်အတူတည်ရှိမှု့
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,item Variant {0} ပြီးသားအတူတူ Attribute တွေနှင့်အတူတည်ရှိမှု့
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','' ဖွင့်ပွဲ ''
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,လုပ်ပါရန်ပွင့်လင်း
DocType: Notification Control,Delivery Note Message,Delivery Note ကို Message
DocType: Expense Claim,Expenses,ကုန်ကျစရိတ်
+,Support Hours,ပံ့ပိုးမှုနာရီ
DocType: Item Variant Attribute,Item Variant Attribute,item Variant Attribute
,Purchase Receipt Trends,ဝယ်ယူခြင်းပြေစာခေတ်ရေစီးကြောင်း
DocType: Process Payroll,Bimonthly,Bimonthly
DocType: Vehicle Service,Brake Pad,ဘရိတ် Pad
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,သုတေသနနှင့်ဖွံ့ဖြိုးရေး
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,သုတေသနနှင့်ဖွံ့ဖြိုးရေး
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,ဘီလ်မှငွေပမာဏကို
DocType: Company,Registration Details,မှတ်ပုံတင်ခြင်းအသေးစိတ်ကို
DocType: Timesheet,Total Billed Amount,စုစုပေါင်းကောက်ခံခဲ့ပမာဏ
@@ -919,12 +926,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,ကုန်ကြမ်းကိုသာရယူ
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,စွမ်းဆောင်ရည်အကဲဖြတ်။
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","စျေးဝယ်လှည်း enabled အတိုင်း, '' စျေးဝယ်လှည်းများအတွက်သုံးပါ '' ကို Enable နှင့်စျေးဝယ်လှည်းဘို့အနည်းဆုံးအခွန်စည်းမျဉ်းရှိသင့်တယ်"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","ဒါကြောင့်ဒီငွေတောင်းခံလွှာအတွက်ကြိုတင်မဲအဖြစ်ဆွဲထုတ်ထားရမည်ဆိုပါကငွေပေးချေမှုရမည့် Entry '{0} အမိန့် {1} ဆန့်ကျင်နှင့်ဆက်စပ်နေသည်, စစ်ဆေးပါ။"
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","ဒါကြောင့်ဒီငွေတောင်းခံလွှာအတွက်ကြိုတင်မဲအဖြစ်ဆွဲထုတ်ထားရမည်ဆိုပါကငွေပေးချေမှုရမည့် Entry '{0} အမိန့် {1} ဆန့်ကျင်နှင့်ဆက်စပ်နေသည်, စစ်ဆေးပါ။"
DocType: Sales Invoice Item,Stock Details,စတော့အိတ် Details ကို
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,စီမံကိန်း Value တစ်ခု
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,point-of-Sale
DocType: Vehicle Log,Odometer Reading,Odometer စာဖတ်ခြင်း
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","အကောင့်ဖွင့်ချိန်ခွင်ပြီးသားချေးငွေအတွက်, သင်တင်ထားရန်ခွင့်မပြုခဲ့ကြပါတယ် '' Debit 'အဖြစ်' 'Balance ဖြစ်ရမည်' '"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","အကောင့်ဖွင့်ချိန်ခွင်ပြီးသားချေးငွေအတွက်, သင်တင်ထားရန်ခွင့်မပြုခဲ့ကြပါတယ် '' Debit 'အဖြစ်' 'Balance ဖြစ်ရမည်' '"
DocType: Account,Balance must be,ချိန်ခွင်ဖြစ်ရမည်
DocType: Hub Settings,Publish Pricing,စျေးနှုန်းများထုတ်ဝေ
DocType: Notification Control,Expense Claim Rejected Message,စရိတ်တောင်းဆိုမှုများသတင်းစကားကိုငြင်းပယ်
@@ -934,7 +941,7 @@
DocType: Salary Slip,Working Days,အလုပ်လုပ် Days
DocType: Serial No,Incoming Rate,incoming Rate
DocType: Packing Slip,Gross Weight,စုစုပေါင်းအလေးချိန်
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,သင်သည်ဤစနစ်ကတည်ထောင်ထားသည့်အဘို့အသင့်ကုမ္ပဏီ၏နာမတော်။
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,သင်သည်ဤစနစ်ကတည်ထောင်ထားသည့်အဘို့အသင့်ကုမ္ပဏီ၏နာမတော်။
DocType: HR Settings,Include holidays in Total no. of Working Days,အဘယ်သူမျှမစုစုပေါင်းအတွက်အားလပ်ရက်ပါဝင်သည်။ အလုပ်အဖွဲ့ Days ၏
DocType: Job Applicant,Hold,ကိုင်
DocType: Employee,Date of Joining,အတူနေ့စွဲ
@@ -945,20 +952,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,ဝယ်ယူခြင်း Receipt
,Received Items To Be Billed,ကြေညာတဲ့ခံရဖို့ရရှိထားသည့်ပစ္စည်းများ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Submitted လစာစလစ်
-DocType: Employee,Ms,ဒေါ်
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,ငွေကြေးလဲလှယ်မှုနှုန်းမာစတာ။
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},ကိုးကားစရာ DOCTYPE {0} တယောက်ဖြစ်ရပါမည်
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,ငွေကြေးလဲလှယ်မှုနှုန်းမာစတာ။
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},ကိုးကားစရာ DOCTYPE {0} တယောက်ဖြစ်ရပါမည်
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},စစ်ဆင်ရေး {1} သည်လာမည့် {0} လက်ထက်ကာလ၌အချိန်အပေါက်ရှာတွေ့ဖို့မအောင်မြင်ဘူး
DocType: Production Order,Plan material for sub-assemblies,က sub-အသင်းတော်တို့အဘို့အစီအစဉ်ကိုပစ္စည်း
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,အရောင်းအပေါင်းအဖေါ်များနှင့်နယ်မြေတွေကို
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,စတော့ရှယ်ယာငွေလက်ကျန်အကောင့်ရှိပြီးသားလည်းမရှိအဖြစ်ကိုအလိုအလျောက်အကောင့်ကိုမဖန်တီးနိုင်။ သင်ဤဂိုဒေါင်တခုတခုအပေါ်မှာ entry ကိုဖြစ်စေနိုင်ပါတယ်မတိုင်မီသင်တစ်ဦးတူညီသည့်အကောင့်ဖန်တီးရမယ်
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} တက်ကြွဖြစ်ရမည်
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} တက်ကြွဖြစ်ရမည်
DocType: Journal Entry,Depreciation Entry,တန်ဖိုး Entry '
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,ပထမဦးဆုံး Document အမျိုးအစားကိုရွေးချယ်ပါ
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,ဒီ Maintenance ခရီးစဉ်ပယ်ဖျက်မီပစ္စည်းလည်ပတ်သူ {0} Cancel
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},serial No {0} Item မှ {1} ပိုင်ပါဘူး
DocType: Purchase Receipt Item Supplied,Required Qty,မရှိမဖြစ်တဲ့ Qty
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,လက်ရှိငွေပေးငွေယူနှင့်အတူသိုလှောင်ရုံလယ်ဂျာကူးပြောင်းမရနိုင်ပါ။
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,လက်ရှိငွေပေးငွေယူနှင့်အတူသိုလှောင်ရုံလယ်ဂျာကူးပြောင်းမရနိုင်ပါ။
DocType: Bank Reconciliation,Total Amount,စုစုပေါင်းတန်ဘိုး
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,အင်တာနက်ထုတ်ဝေရေး
DocType: Production Planning Tool,Production Orders,ထုတ်လုပ်မှုအမိန့်
@@ -973,25 +978,26 @@
DocType: Fee Structure,Components,components
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Item {0} အတွက်ပိုင်ဆိုင်မှုအမျိုးအစားကိုရိုက်သွင်းပါ
DocType: Quality Inspection Reading,Reading 6,6 Reading
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,နိုင်သလားမ {0} {1} {2} မည်သည့်အနှုတ်လက္ခဏာထူးချွန်ငွေတောင်းခံလွှာမပါဘဲ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,နိုင်သလားမ {0} {1} {2} မည်သည့်အနှုတ်လက္ခဏာထူးချွန်ငွေတောင်းခံလွှာမပါဘဲ
DocType: Purchase Invoice Advance,Purchase Invoice Advance,ဝယ်ယူခြင်းပြေစာကြိုတင်ထုတ်
DocType: Hub Settings,Sync Now,အခုတော့ Sync ကို
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},row {0}: Credit entry ကိုတစ် {1} နဲ့ဆက်စပ်မရနိုငျ
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,တစ်ဘဏ္ဍာရေးနှစ်အတွက်ဘတ်ဂျက် Define ။
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,တစ်ဘဏ္ဍာရေးနှစ်အတွက်ဘတ်ဂျက် Define ။
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,ဒီ mode ကိုရွေးချယ်ထားသောအခါ default ဘဏ်မှ / ငွေအကောင့်ကိုအလိုအလျှောက် POS ပြေစာအတွက် updated လိမ့်မည်။
DocType: Lead,LEAD-,အကြိုကာလ
DocType: Employee,Permanent Address Is,အမြဲတမ်းလိပ်စာ Is
DocType: Production Order Operation,Operation completed for how many finished goods?,စစ်ဆင်ရေးမည်မျှချောကုန်ပစ္စည်းများသည်ပြီးစီးခဲ့?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,အဆိုပါအမှတ်တံဆိပ်
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,အဆိုပါအမှတ်တံဆိပ်
DocType: Employee,Exit Interview Details,Exit ကိုအင်တာဗျူးအသေးစိတ်ကို
DocType: Item,Is Purchase Item,ဝယ်ယူခြင်း Item ဖြစ်ပါတယ်
DocType: Asset,Purchase Invoice,ဝယ်ယူခြင်းပြေစာ
DocType: Stock Ledger Entry,Voucher Detail No,ဘောက်ချာ Detail မရှိပါ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,နယူးအရောင်းပြေစာ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,နယူးအရောင်းပြေစာ
DocType: Stock Entry,Total Outgoing Value,စုစုပေါင်းအထွက် Value တစ်ခု
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,နေ့စွဲနှင့်ပိတ်ရက်ဖွင့်လှစ်အတူတူဘဏ္ဍာရေးနှစ်တစ်နှစ်တာအတွင်းဖြစ်သင့်
DocType: Lead,Request for Information,ပြန်ကြားရေးဝန်ကြီးဌာနတောင်းဆိုခြင်း
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sync ကိုအော့ဖ်လိုင်းဖြင့်ငွေတောင်းခံလွှာ
+,LeaderBoard,LEADERBOARD
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Sync ကိုအော့ဖ်လိုင်းဖြင့်ငွေတောင်းခံလွှာ
DocType: Payment Request,Paid,Paid
DocType: Program Fee,Program Fee,Program ကိုလျှောက်လွှာကြေး
DocType: Salary Slip,Total in words,စကားစုစုပေါင်း
@@ -1000,13 +1006,13 @@
DocType: Cheque Print Template,Has Print Format,ရှိပါတယ်ပရင့်ထုတ်ရန် Format ကို
DocType: Employee Loan,Sanctioned,ဒဏ်ခတ်အရေးယူ
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,မဖြစ်မနေဖြစ်ပါတယ်။ ဒီတစ်ခါလည်းငွေကြေးစနစ်အိတ်ချိန်းစံချိန်ဖန်တီးသည်မ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},row # {0}: Item {1} သည် Serial No ကိုသတ်မှတ်ပေးပါ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'' ကုန်ပစ္စည်း Bundle ကို '' ပစ္စည်းများကို, ဂိုဒေါင်, Serial No နှင့် Batch for မရှိ '' List ကိုထုပ်ပိုး '' စားပွဲကနေစဉ်းစားကြလိမ့်မည်။ ဂိုဒေါင်နှင့် Batch မရှိဆို '' ကုန်ပစ္စည်း Bundle ကို '' တဲ့ item ပေါင်းသည်တလုံးထုပ်ပိုးပစ္စည်းများသည်အတူတူပင်ဖြစ်ကြောင်း အကယ်. အဲဒီတန်ဖိုးတွေကိုအဓိက Item table ထဲမှာသို့ဝင်နိုင်ပါတယ်, တန်ဖိုးများကို '' Pack များစာရင်း '' စားပွဲကိုမှကူးယူလိမ့်မည်။"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},row # {0}: Item {1} သည် Serial No ကိုသတ်မှတ်ပေးပါ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'' ကုန်ပစ္စည်း Bundle ကို '' ပစ္စည်းများကို, ဂိုဒေါင်, Serial No နှင့် Batch for မရှိ '' List ကိုထုပ်ပိုး '' စားပွဲကနေစဉ်းစားကြလိမ့်မည်။ ဂိုဒေါင်နှင့် Batch မရှိဆို '' ကုန်ပစ္စည်း Bundle ကို '' တဲ့ item ပေါင်းသည်တလုံးထုပ်ပိုးပစ္စည်းများသည်အတူတူပင်ဖြစ်ကြောင်း အကယ်. အဲဒီတန်ဖိုးတွေကိုအဓိက Item table ထဲမှာသို့ဝင်နိုင်ပါတယ်, တန်ဖိုးများကို '' Pack များစာရင်း '' စားပွဲကိုမှကူးယူလိမ့်မည်။"
DocType: Job Opening,Publish on website,website တွင် Publish
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,ဖောက်သည်တင်ပို့ရောင်းချမှု။
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,ပေးသွင်းငွေတောင်းခံလွှာနေ့စွဲနေ့စွဲပို့စ်တင်ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,ပေးသွင်းငွေတောင်းခံလွှာနေ့စွဲနေ့စွဲပို့စ်တင်ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
DocType: Purchase Invoice Item,Purchase Order Item,ဝယ်ယူခြင်းအမိန့် Item
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,သွယ်ဝိုက်ဝင်ငွေခွန်
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,သွယ်ဝိုက်ဝင်ငွေခွန်
DocType: Student Attendance Tool,Student Attendance Tool,ကျောင်းသားများကျောင်း Tool ကို
DocType: Cheque Print Template,Date Settings,နေ့စွဲက Settings
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,ကှဲလှဲ
@@ -1024,21 +1030,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,ဓါတုဗေဒ
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,ဒီ mode ကိုရှေးခယျြထားသညျ့အခါ default ဘဏ် / ငွေအကောင့်ကိုအလိုအလျောက်လစာဂျာနယ် Entry အတွက် update လုပ်ပါလိမ့်မည်။
DocType: BOM,Raw Material Cost(Company Currency),ကုန်ကြမ်းပစ္စည်းကုန်ကျစရိတ် (ကုမ္ပဏီငွေကြေးစနစ်)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,ပစ္စည်းများအားလုံးပြီးပြီဒီထုတ်လုပ်မှုအမိန့်သည်ပြောင်းရွှေ့ခဲ့တာဖြစ်ပါတယ်။
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,ပစ္စည်းများအားလုံးပြီးပြီဒီထုတ်လုပ်မှုအမိန့်သည်ပြောင်းရွှေ့ခဲ့တာဖြစ်ပါတယ်။
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},အတန်း # {0}: နှုန်း {1} {2} များတွင်အသုံးပြုနှုန်းထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},အတန်း # {0}: နှုန်း {1} {2} များတွင်အသုံးပြုနှုန်းထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,မီတာ
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,မီတာ
DocType: Workstation,Electricity Cost,လျှပ်စစ်မီးကုန်ကျစရိတ်
DocType: HR Settings,Don't send Employee Birthday Reminders,န်ထမ်းမွေးနေသတိပေးချက်များမပို့ပါနဲ့
DocType: Item,Inspection Criteria,စစ်ဆေးရေးလိုအပ်ချက်
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Transferable
DocType: BOM Website Item,BOM Website Item,BOM ဝက်ဘ်ဆိုက် Item
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,သင့်ရဲ့စာကိုဦးခေါင်းနှင့်လိုဂို upload ။ (သင်နောက်ပိုင်းမှာသူတို့ကိုတည်းဖြတ်နိုင်သည်) ။
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,သင့်ရဲ့စာကိုဦးခေါင်းနှင့်လိုဂို upload ။ (သင်နောက်ပိုင်းမှာသူတို့ကိုတည်းဖြတ်နိုင်သည်) ။
DocType: Timesheet Detail,Bill,ဘီလ်
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Next ကိုတန်ဖိုးနေ့စွဲအတိတ်နေ့စွဲအဖြစ်ထဲသို့ဝင်သည်
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,အဖြူ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,အဖြူ
DocType: SMS Center,All Lead (Open),အားလုံးသည်ခဲ (ပွင့်လင်း)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),အတန်း {0}: ({2} {3}) entry ကို၏အချိန်ပို့စ်တင်မှာ {1} ဂိုဒေါင်ထဲမှာ {4} များအတွက်အရည်အတွက်ရရှိနိုင်မ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),အတန်း {0}: ({2} {3}) entry ကို၏အချိန်ပို့စ်တင်မှာ {1} ဂိုဒေါင်ထဲမှာ {4} များအတွက်အရည်အတွက်ရရှိနိုင်မ
DocType: Purchase Invoice,Get Advances Paid,ကြိုတင်ငွေ Paid Get
DocType: Item,Automatically Create New Batch,နယူးသုတ်အလိုအလျှောက် Create
DocType: Item,Automatically Create New Batch,နယူးသုတ်အလိုအလျှောက် Create
@@ -1049,13 +1055,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,အကြှနျုပျ၏လှည်း
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},အမိန့် Type {0} တယောက်ဖြစ်ရပါမည်
DocType: Lead,Next Contact Date,Next ကိုဆက်သွယ်ရန်နေ့စွဲ
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Qty ဖွင့်လှစ်
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,ပြောင်းလဲမှုပမာဏအဘို့အကောင့်ရိုက်ထည့်ပေးပါ
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Qty ဖွင့်လှစ်
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,ပြောင်းလဲမှုပမာဏအဘို့အကောင့်ရိုက်ထည့်ပေးပါ
DocType: Student Batch Name,Student Batch Name,ကျောင်းသားအသုတ်လိုက်အမည်
DocType: Holiday List,Holiday List Name,အားလပ်ရက် List ကိုအမည်
DocType: Repayment Schedule,Balance Loan Amount,balance ချေးငွေပမာဏ
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,ဇယားသင်တန်းအမှတ်စဥ်
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,စတော့အိတ် Options ကို
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,စတော့အိတ် Options ကို
DocType: Journal Entry Account,Expense Claim,စရိတ်တောင်းဆိုမှုများ
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,သင်အမှန်တကယ်ဒီဖျက်သိမ်းပိုင်ဆိုင်မှု restore ချင်ပါသလား?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},{0} သည် Qty
@@ -1067,12 +1073,12 @@
DocType: Company,Default Terms,default သက်မှတ်ချက်များ
DocType: Packing Slip Item,Packing Slip Item,ထုပ်ပိုး Item စလစ်ဖြတ်ပိုင်းပုံစံ
DocType: Purchase Invoice,Cash/Bank Account,ငွေသား / ဘဏ်မှအကောင့်
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},တစ် {0} ကိုသတ်မှတ်ပေးပါ
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},တစ် {0} ကိုသတ်မှတ်ပေးပါ
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,အရေအတွက်သို့မဟုတ်တန်ဖိုးမျှပြောင်းလဲမှုနှင့်အတူပစ္စည်းများကိုဖယ်ရှားခဲ့သည်။
DocType: Delivery Note,Delivery To,ရန် Delivery
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,attribute စားပွဲပေါ်မှာမဖြစ်မနေဖြစ်ပါသည်
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,attribute စားပွဲပေါ်မှာမဖြစ်မနေဖြစ်ပါသည်
DocType: Production Planning Tool,Get Sales Orders,အရောင်းအမိန့် Get
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} အနုတ်လက္ခဏာမဖြစ်နိုင်
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} အနုတ်လက္ခဏာမဖြစ်နိုင်
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,လြှော့ခွငျး
DocType: Asset,Total Number of Depreciations,တန်ဖိုးစုစုပေါင်းအရေအတွက်
DocType: Sales Invoice Item,Rate With Margin,Margin အတူ rate
@@ -1093,7 +1099,6 @@
DocType: Serial No,Creation Document No,ဖန်ဆင်းခြင်း Document ဖိုင်မရှိပါ
DocType: Issue,Issue,ထုတ်ပြန်သည်
DocType: Asset,Scrapped,ဖျက်သိမ်း
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,အကောင့်ကိုကုမ္ပဏီနှင့်ကိုက်ညီမပါဘူး
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Item Variant သည် attributes ။ ဥပမာ Size အ, အရောင်စသည်တို့"
DocType: Purchase Invoice,Returns,ပြန်
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP ဂိုဒေါင်
@@ -1105,12 +1110,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,item button ကို '' ဝယ်ယူလက်ခံရရှိသည့်ရက်မှပစ္စည်းများ Get '' ကို အသုံးပြု. ထည့်သွင်းပြောကြားခဲ့သည်ရမည်
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Non-စတော့ရှယ်ယာပစ္စည်းများပါဝင်စေ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,အရောင်းအသုံးစရိတ်များ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,အရောင်းအသုံးစရိတ်များ
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,စံဝယ်ယူ
DocType: GL Entry,Against,ဆန့်ကျင်
DocType: Item,Default Selling Cost Center,default ရောင်းချသည့်ကုန်ကျစရိတ် Center က
DocType: Sales Partner,Implementation Partner,အကောင်အထည်ဖော်ရေး Partner
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,စာပို့သင်္ကေတ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,စာပို့သင်္ကေတ
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},အရောင်းအမှာစာ {0} {1} ဖြစ်ပါသည်
DocType: Opportunity,Contact Info,Contact Info
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,စတော့အိတ် Entries ဖော်ဆောင်ရေး
@@ -1123,33 +1128,33 @@
DocType: Holiday List,Get Weekly Off Dates,အပတ်စဉ်ပိတ် Get နေ့ရက်များ
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,အဆုံးနေ့စွဲ Start ကိုနေ့စွဲထက်လျော့နည်းမဖွစျနိုငျ
DocType: Sales Person,Select company name first.,ပထမဦးဆုံးကုမ္ပဏီ၏နာမကိုရွေးချယ်ပါ။
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,ဒေါက်တာ
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,ကိုးကားချက်များပေးသွင်းထံမှလက်ခံရရှိခဲ့သည်။
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},{1} {2} | {0} မှ
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,ပျမ်းမျှအားဖြင့်ခေတ်
DocType: School Settings,Attendance Freeze Date,တက်ရောက်သူ Freeze နေ့စွဲ
DocType: School Settings,Attendance Freeze Date,တက်ရောက်သူ Freeze နေ့စွဲ
DocType: Opportunity,Your sales person who will contact the customer in future,အနာဂတ်အတွက်ဖောက်သည်ဆက်သွယ်ပါလိမ့်မည်တော်မူသောသင်တို့ရောင်းအားလူတစ်ဦး
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,သင့်ရဲ့ပေးသွင်းသူများ၏အနည်းငယ်စာရင်း။ သူတို့ဟာအဖွဲ့အစည်းများသို့မဟုတ်လူပုဂ္ဂိုလ်တစ်ဦးချင်းဖြစ်နိုင်ပါတယ်။
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,သင့်ရဲ့ပေးသွင်းသူများ၏အနည်းငယ်စာရင်း။ သူတို့ဟာအဖွဲ့အစည်းများသို့မဟုတ်လူပုဂ္ဂိုလ်တစ်ဦးချင်းဖြစ်နိုင်ပါတယ်။
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,အားလုံးကုန်ပစ္စည်းများ View
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),နိမ့်ဆုံးခဲခေတ် (နေ့ရက်များ)
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),နိမ့်ဆုံးခဲခေတ် (နေ့ရက်များ)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,အားလုံး BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,အားလုံး BOMs
DocType: Company,Default Currency,default ငွေကြေးစနစ်
DocType: Expense Claim,From Employee,န်ထမ်းအနေဖြင့်
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,သတိပေးချက်: စနစ် Item {0} သည်ငွေပမာဏကတည်းက overbilling စစ်ဆေးမည်မဟုတ် {1} သုညဖြစ်ပါသည်အတွက်
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,သတိပေးချက်: စနစ် Item {0} သည်ငွေပမာဏကတည်းက overbilling စစ်ဆေးမည်မဟုတ် {1} သုညဖြစ်ပါသည်အတွက်
DocType: Journal Entry,Make Difference Entry,Difference Entry 'ပါစေ
DocType: Upload Attendance,Attendance From Date,နေ့စွဲ မှစ. တက်ရောက်
DocType: Appraisal Template Goal,Key Performance Area,Key ကိုစွမ်းဆောင်ရည်ဧရိယာ
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,သယ်ယူပို့ဆောင်ရေး
+DocType: Program Enrollment,Transportation,သယ်ယူပို့ဆောင်ရေး
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,မှားနေသော Attribute
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} တင်သွင်းရဦးမည်
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} တင်သွင်းရဦးမည်
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},အရေအတွက်ထက်လျော့နည်းသို့မဟုတ် {0} တန်းတူဖြစ်ရပါမည်
DocType: SMS Center,Total Characters,စုစုပေါင်းဇာတ်ကောင်
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Item သည် BOM လယ်ပြင်၌ {0} BOM ကို select ကျေးဇူးပြု.
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Item သည် BOM လယ်ပြင်၌ {0} BOM ကို select ကျေးဇူးပြု.
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form တွင်ပြေစာ Detail
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ငွေပေးချေမှုရမည့်ပြန်လည်ရင်ကြားစေ့ရေးပြေစာ
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,contribution%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","အဆိုပါဝယ်ချိန်ညှိမှုများနှုန်းအဖြစ်ဝယ်ယူမိန့်လိုအပ်ပါသည် == '' ဟုတ်ကဲ့ '', ထို့နောက်အရစ်ကျငွေတောင်းခံလွှာအတွက်, အသုံးပြုသူကို item {0} များအတွက်ပထမဦးဆုံးဝယ်ယူအမိန့်ကိုဖန်တီးရန်လိုအပ်တယ်ဆိုရင်"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,သင့်ရဲ့ကိုးကားနိုင်ရန်ကုမ္ပဏီမှတ်ပုံတင်နံပါတ်များ။ အခွန်နံပါတ်များစသည်တို့
DocType: Sales Partner,Distributor,ဖြန့်ဖြူး
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,စျေးဝယ်တွန်းလှည်း Shipping Rule
@@ -1158,23 +1163,25 @@
,Ordered Items To Be Billed,ကြေညာတဲ့ခံရဖို့အမိန့်ထုတ်ပစ္စည်းများ
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Range ထဲထဲကနေ A မျိုးမျိုးရန်ထက်လျော့နည်းဖြစ်ဖို့ရှိပါတယ်
DocType: Global Defaults,Global Defaults,ဂလိုဘယ် Defaults ကို
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,စီမံကိန်းပူးပေါင်းဆောင်ရွက်ဖိတ်ကြားလွှာ
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,စီမံကိန်းပူးပေါင်းဆောင်ရွက်ဖိတ်ကြားလွှာ
DocType: Salary Slip,Deductions,ဖြတ်ငွေများ
DocType: Leave Allocation,LAL/,Lal /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Start ကိုတစ်နှစ်တာ
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},GSTIN ၏ပထမဦးဆုံး 2 ဂဏန်းပြည်နယ်အရေအတွက်သည် {0} နှင့်အတူကိုက်ညီသင့်တယ်
DocType: Purchase Invoice,Start date of current invoice's period,လက်ရှိကုန်ပို့လွှာရဲ့ကာလ၏နေ့စွဲ Start
DocType: Salary Slip,Leave Without Pay,Pay ကိုမရှိရင် Leave
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,စွမ်းဆောင်ရည်မြှင့်စီမံကိန်းအမှား
,Trial Balance for Party,ပါတီများအတွက် trial Balance ကို
DocType: Lead,Consultant,အကြံပေး
DocType: Salary Slip,Earnings,င်ငွေ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,လက်စသတ် Item {0} Manufacturing အမျိုးအစား entry အဝသို့ဝင်ရမည်
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,လက်စသတ် Item {0} Manufacturing အမျိုးအစား entry အဝသို့ဝင်ရမည်
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,ဖွင့်လှစ်စာရင်းကိုင် Balance
+,GST Sales Register,GST အရောင်းမှတ်ပုံတင်မည်
DocType: Sales Invoice Advance,Sales Invoice Advance,အရောင်းပြေစာကြိုတင်ထုတ်
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,တောင်းဆိုရန်ဘယ်အရာမှ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},နောက်ထပ်ဘတ်ဂျက်စံချိန် '' {0} '' ပြီးသားဘဏ္ဍာရေးနှစ်များအတွက် '' {2} '{1} ဆန့်ကျင်တည်ရှိ {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date','' အမှန်တကယ် Start ကိုနေ့စွဲ '' အမှန်တကယ် End Date ကို '' ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,စီမံခန့်ခွဲမှု
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,စီမံခန့်ခွဲမှု
DocType: Cheque Print Template,Payer Settings,အခွန်ထမ်းက Settings
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","ဤသည်မူကွဲ၏ Item Code ကိုမှ appended လိမ့်မည်။ သင့်ရဲ့အတိုကောက် "SM" ဖြစ်ပြီး, ပစ္စည်း code ကို "သည် T-shirt" ဖြစ်ပါတယ်လျှင်ဥပမာ, ကိုမူကွဲ၏ပစ္စည်း code ကို "သည် T-shirt-SM" ဖြစ်လိမ့်မည်"
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,သင်လစာစလစ်ဖြတ်ပိုင်းပုံစံကိုကယ်တင်တခါ (စကား) Net က Pay ကိုမြင်နိုင်ပါလိမ့်မည်။
@@ -1191,8 +1198,8 @@
DocType: Employee Loan,Partially Disbursed,တစ်စိတ်တစ်ပိုင်းထုတ်ချေး
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,ပေးသွင်းဒေတာဘေ့စ။
DocType: Account,Balance Sheet,ချိန်ခွင် Sheet
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Item Code ကိုအတူ Item သည်ကုန်ကျစရိတ် Center က ''
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","ငွေပေးချေမှုရမည့် Mode ကို configured ကိုမရ။ အကောင့်ငွေပေးချေ၏ Mode ကိုအပေါ်သို့မဟုတ် POS Profile ကိုအပေါ်သတ်မှတ်ပြီးပါပြီဖြစ်စေ, စစ်ဆေးပါ။"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Item Code ကိုအတူ Item သည်ကုန်ကျစရိတ် Center က ''
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","ငွေပေးချေမှုရမည့် Mode ကို configured ကိုမရ။ အကောင့်ငွေပေးချေ၏ Mode ကိုအပေါ်သို့မဟုတ် POS Profile ကိုအပေါ်သတ်မှတ်ပြီးပါပြီဖြစ်စေ, စစ်ဆေးပါ။"
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,သင့်ရဲ့ရောင်းအားလူတစ်ဦးကိုဖောက်သည်ကိုဆက်သွယ်ရန်ဤနေ့စွဲအပေါ်တစ်ဦးသတိပေးရလိမ့်မည်
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,တူညီသောပစ္စည်းကိုအကြိမ်ပေါင်းများစွာထဲသို့ဝင်ရနိုင်မှာမဟုတ်ဘူး။
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups",နောက်ထပ်အကောင့်အဖွဲ့များအောက်မှာလုပ်နိုင်ပေမယ့် entries တွေကို Non-အဖွဲ့များဆန့်ကျင်စေနိုင်ပါတယ်
@@ -1200,7 +1207,7 @@
DocType: Email Digest,Payables,ပေးအပ်သော
DocType: Course,Course Intro,သင်တန်းမိတ်ဆက်ခြင်း
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,စတော့အိတ် Entry '{0} ကဖန်တီး
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,row # {0}: ငြင်းပယ် Qty ဝယ်ယူခြင်းသို့ပြန်သွားသည်ဝင်မသတ်နိုင်
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,row # {0}: ငြင်းပယ် Qty ဝယ်ယူခြင်းသို့ပြန်သွားသည်ဝင်မသတ်နိုင်
,Purchase Order Items To Be Billed,ကြေညာတဲ့ခံရဖို့အမိန့်ပစ္စည်းများဝယ်ယူရန်
DocType: Purchase Invoice Item,Net Rate,Net က Rate
DocType: Purchase Invoice Item,Purchase Invoice Item,ဝယ်ယူခြင်းပြေစာ Item
@@ -1227,7 +1234,7 @@
DocType: Sales Order,SO-,SO-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,ပထမဦးဆုံးရှေ့ဆက်ကိုရွေးပါ ကျေးဇူးပြု.
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,သုတေသန
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,သုတေသန
DocType: Maintenance Visit Purpose,Work Done,အလုပ် Done
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,ထို Attribute တွေက table ထဲမှာအနည်းဆုံးတစ်ခု attribute ကို specify ကျေးဇူးပြု.
DocType: Announcement,All Students,အားလုံးကျောင်းသားများ
@@ -1235,17 +1242,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,view လယ်ဂျာ
DocType: Grading Scale,Intervals,အကြား
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,အစောဆုံး
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","တစ်ဦး Item Group မှအမည်တူနှင့်အတူရှိနေတယ်, ပစ္စည်းအမည်ကိုပြောင်းလဲသို့မဟုတ်ပစ္စည်းအုပ်စုအမည်ပြောင်းကျေးဇူးတင်ပါ"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,ကျောင်းသားသမဂ္ဂမိုဘိုင်းအမှတ်
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,ကမ္ဘာ့အရာကြွင်းလေ
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","တစ်ဦး Item Group မှအမည်တူနှင့်အတူရှိနေတယ်, ပစ္စည်းအမည်ကိုပြောင်းလဲသို့မဟုတ်ပစ္စည်းအုပ်စုအမည်ပြောင်းကျေးဇူးတင်ပါ"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,ကျောင်းသားသမဂ္ဂမိုဘိုင်းအမှတ်
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,ကမ္ဘာ့အရာကြွင်းလေ
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,အဆိုပါ Item {0} Batch ရှိသည်မဟုတ်နိုင်
,Budget Variance Report,ဘဏ္ဍာငွေအရအသုံးကှဲလှဲအစီရင်ခံစာ
DocType: Salary Slip,Gross Pay,gross Pay ကို
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,အတန်း {0}: Activity ကိုအမျိုးအစားမဖြစ်မနေဖြစ်ပါတယ်။
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Paid အမြတ်ဝေစု
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Paid အမြတ်ဝေစု
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,လယ်ဂျာစာရင်းကိုင်
DocType: Stock Reconciliation,Difference Amount,ကွာခြားချက်ပမာဏ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,ထိန်းသိမ်းထားသောဝင်ငွေများ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,ထိန်းသိမ်းထားသောဝင်ငွေများ
DocType: Vehicle Log,Service Detail,ဝန်ဆောင်မှုအသေးစိတ်
DocType: BOM,Item Description,item ဖော်ပြချက်များ
DocType: Student Sibling,Student Sibling,ကျောင်းသားမောင်နှမ
@@ -1260,11 +1267,11 @@
DocType: Opportunity Item,Opportunity Item,အခွင့်အလမ်း Item
,Student and Guardian Contact Details,ကျောင်းသားနှင့်ဂါးဒီးယန်းဆက်သွယ်ပါအသေးစိတ်
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,အတန်း {0}: ပေးသွင်းသည် {0} အီးမေးလ်လိပ်စာကအီးမေးလ်ပို့ပေးရန်လိုအပ်ပါသည်
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,ယာယီဖွင့်ပွဲ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,ယာယီဖွင့်ပွဲ
,Employee Leave Balance,ဝန်ထမ်းထွက်ခွာ Balance
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},အကောင့်သည်ချိန်ခွင် {0} အမြဲ {1} ဖြစ်ရမည်
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},အတန်း {0} အတွက် Item များအတွက်လိုအပ်သောအဘိုးပြတ်နှုန်း
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,ဥပမာ: ကွန်ပျူတာသိပ္ပံအတွက်မာစတာ
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,ဥပမာ: ကွန်ပျူတာသိပ္ပံအတွက်မာစတာ
DocType: Purchase Invoice,Rejected Warehouse,ပယ်ချဂိုဒေါင်
DocType: GL Entry,Against Voucher,ဘောက်ချာဆန့်ကျင်
DocType: Item,Default Buying Cost Center,default ဝယ်ယူကုန်ကျစရိတ် Center က
@@ -1277,31 +1284,30 @@
DocType: Journal Entry,Get Outstanding Invoices,ထူးချွန်ငွေတောင်းခံလွှာကိုရယူပါ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,အရောင်းအမှာစာ {0} တရားဝင်မဟုတ်
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,အရစ်ကျအမိန့်သင်သည်သင်၏ဝယ်ယူမှုအပေါ်စီစဉ်ထားခြင်းနှင့်ဖွင့်အတိုင်းလိုက်နာကူညီ
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","စိတ်မကောင်းပါဘူး, ကုမ္ပဏီများပေါင်းစည်းမရနိုင်ပါ"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","စိတ်မကောင်းပါဘူး, ကုမ္ပဏီများပေါင်းစည်းမရနိုင်ပါ"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",စုစုပေါင်းစာစောင် / လွှဲပြောင်းအရေအတွက် {0} ပစ္စည်းတောင်းဆိုမှုအတွက် {1} \ မေတ္တာရပ်ခံအရေအတွက် {2} Item {3} သည်ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,သေးငယ်သော
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,သေးငယ်သော
DocType: Employee,Employee Number,ဝန်ထမ်းအရေအတွက်
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},ပြီးသားအသုံးပြုမှုအတွက်အမှုအမှတ် (s) ။ Case မရှိပါ {0} ကနေကြိုးစား
DocType: Project,% Completed,% ပြီးစီး
,Invoiced Amount (Exculsive Tax),Invoiced ငွေပမာဏ (Exculsive ခွန်)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,item 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,အကောင့်ဖွင့်ဦးခေါင်း {0} နေသူများကဖန်တီး
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,လေ့ကျင့်ရေးပွဲ
DocType: Item,Auto re-order,မော်တော်ကားပြန်လည်အမိန့်
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,အကောင်အထည်ဖော်ခဲ့သောစုစုပေါင်း
DocType: Employee,Place of Issue,ထုတ်ဝေသည့်နေရာ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,စာချုပ်
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,စာချုပ်
DocType: Email Digest,Add Quote,Quote Add
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},UOM လိုအပ် UOM ဖုံးလွှမ်းအချက်: Item အတွက် {0}: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,သွယ်ဝိုက်ကုန်ကျစရိတ်
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM လိုအပ် UOM ဖုံးလွှမ်းအချက်: Item အတွက် {0}: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,သွယ်ဝိုက်ကုန်ကျစရိတ်
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,row {0}: Qty မသင်မနေရ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,လယ်ယာစိုက်ပျိုးရေး
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sync ကိုမာစတာ Data ကို
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,သင့်ရဲ့ထုတ်ကုန်များသို့မဟုတ်န်ဆောင်မှုများ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sync ကိုမာစတာ Data ကို
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,သင့်ရဲ့ထုတ်ကုန်များသို့မဟုတ်န်ဆောင်မှုများ
DocType: Mode of Payment,Mode of Payment,ငွေပေးချေမှုရမည့်၏ Mode ကို
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,website က Image ကိုအများသုံးတဲ့ဖိုင်သို့မဟုတ် website ကို URL ကိုဖြစ်သင့်
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,website က Image ကိုအများသုံးတဲ့ဖိုင်သို့မဟုတ် website ကို URL ကိုဖြစ်သင့်
DocType: Student Applicant,AP,အေပီ
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,ဒါကအမြစ်ကို item အဖွဲ့နှင့်တည်းဖြတ်မရနိုင်ပါ။
@@ -1310,7 +1316,7 @@
DocType: Warehouse,Warehouse Contact Info,ဂိုဒေါင် Contact Info
DocType: Payment Entry,Write Off Difference Amount,Difference ငွေပမာဏဟာ Off ရေးထား
DocType: Purchase Invoice,Recurring Type,ထပ်တလဲလဲ Type
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: ဤအရပ်အီးမေးလ်ပို့မပို့နိုင်မတွေ့ရှိထမ်းအီးမေးလ်,"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: ဤအရပ်အီးမေးလ်ပို့မပို့နိုင်မတွေ့ရှိထမ်းအီးမေးလ်,"
DocType: Item,Foreign Trade Details,နိုင်ငံခြားကုန်သွယ်မှုဘဏ်အသေးစိတ်
DocType: Email Digest,Annual Income,နှစ်စဉ်ဝင်ငွေ
DocType: Serial No,Serial No Details,serial No အသေးစိတ်ကို
@@ -1318,10 +1324,10 @@
DocType: Student Group Student,Group Roll Number,Group မှ Roll နံပါတ်
DocType: Student Group Student,Group Roll Number,Group မှ Roll နံပါတ်
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",{0} သည်ကိုသာအကြွေးအကောင့်အသစ်များ၏အခြား debit entry ကိုဆန့်ကျင်နှင့်ဆက်စပ်နိုင်
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,အားလုံး task ကိုအလေးစုစုပေါင်း 1. အညီအားလုံးစီမံကိန်းအလုပ်များကိုအလေးချိန်ညှိပေးပါရပါမည်
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Delivery မှတ်ချက် {0} တင်သွင်းသည်မဟုတ်
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,item {0} တစ် Sub-စာချုပ်ချုပ်ဆို Item ဖြစ်ရမည်
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,မြို့တော်ပစ္စည်းများ
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,အားလုံး task ကိုအလေးစုစုပေါင်း 1. အညီအားလုံးစီမံကိန်းအလုပ်များကိုအလေးချိန်ညှိပေးပါရပါမည်
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Delivery မှတ်ချက် {0} တင်သွင်းသည်မဟုတ်
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,item {0} တစ် Sub-စာချုပ်ချုပ်ဆို Item ဖြစ်ရမည်
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,မြို့တော်ပစ္စည်းများ
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","စျေးနှုန်း Rule ပထမဦးဆုံး Item, Item အုပ်စုသို့မဟုတ်အမှတ်တံဆိပ်ဖြစ်နိုငျသောလယ်ပြင်၌, '' တွင် Apply '' အပေါ်အခြေခံပြီးရွေးချယ်ထားဖြစ်ပါတယ်။"
DocType: Hub Settings,Seller Website,ရောင်းချသူဝက်ဘ်ဆိုက်
DocType: Item,ITEM-,ITEM-
@@ -1339,7 +1345,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",သာ "To Value တစ်ခု" ကို 0 င်သို့မဟုတ်ကွက်လပ်တန်ဖိုးကိုနှင့်တသားတ Shipping Rule အခြေအနေမရှိနိုငျ
DocType: Authorization Rule,Transaction,ကိစ္စ
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,မှတ်ချက်: ဤကုန်ကျစရိတ် Center ကတစ်ဦးအုပ်စုဖြစ်ပါတယ်။ အုပ်စုများဆန့်ကျင်စာရင်းကိုင် entries တွေကိုလုပ်မရပါ။
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,ကလေးဂိုဒေါင်ဒီဂိုဒေါင်အဘို့အရှိနေပြီ။ သင်ဤဂိုဒေါင်မဖျက်နိုင်ပါ။
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,ကလေးဂိုဒေါင်ဒီဂိုဒေါင်အဘို့အရှိနေပြီ။ သင်ဤဂိုဒေါင်မဖျက်နိုင်ပါ။
DocType: Item,Website Item Groups,website Item အဖွဲ့များ
DocType: Purchase Invoice,Total (Company Currency),စုစုပေါင်း (ကုမ္ပဏီငွေကြေးစနစ်)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,serial number ကို {0} တစ်ကြိမ်ထက်ပိုပြီးဝသို့ဝင်
@@ -1349,7 +1355,7 @@
DocType: Grading Scale Interval,Grade Code,grade Code ကို
DocType: POS Item Group,POS Item Group,POS ပစ္စည်းအုပ်စု
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,အီးမေးလ် Digest မဂ္ဂဇင်း:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} Item မှ {1} ပိုင်ပါဘူး
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} Item မှ {1} ပိုင်ပါဘူး
DocType: Sales Partner,Target Distribution,Target ကဖြန့်ဖြူး
DocType: Salary Slip,Bank Account No.,ဘဏ်မှအကောင့်အမှတ်
DocType: Naming Series,This is the number of the last created transaction with this prefix,ဤရှေ့ဆက်အတူပြီးခဲ့သည့်နေသူများကဖန်တီးအရောင်းအဝယ်အရေအတွက်သည်
@@ -1360,12 +1366,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,အလိုအလျောက်စာအုပ်ပိုင်ဆိုင်မှုတန်ဖိုး Entry '
DocType: BOM Operation,Workstation,Workstation နှင့်
DocType: Request for Quotation Supplier,Request for Quotation Supplier,စျေးနှုန်းပေးသွင်းဘို့တောင်းဆိုခြင်း
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,hardware
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,hardware
DocType: Sales Order,Recurring Upto,နူန်းကျော်ကျော်ထပ်တလဲလဲ
DocType: Attendance,HR Manager,HR Manager
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,တစ်ကုမ္ပဏီလီမိတက်ကို select ကျေးဇူးပြု.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,အခွင့်ထူးထွက်ခွာ
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,တစ်ကုမ္ပဏီလီမိတက်ကို select ကျေးဇူးပြု.
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,အခွင့်ထူးထွက်ခွာ
DocType: Purchase Invoice,Supplier Invoice Date,ပေးသွင်းပြေစာနေ့စွဲ
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,နှုန်း
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,သင်ကစျေးဝယ်ခြင်းတွန်းလှည်း enable ရန်လိုအပ်သည်
DocType: Payment Entry,Writeoff,အကြွေးလျှော်ပစ်ခြင်း
DocType: Appraisal Template Goal,Appraisal Template Goal,စိစစ်ရေး Template: Goal
@@ -1376,10 +1383,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,အကြားတွေ့ရှိထပ်အခြေအနေများ:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,ဂျာနယ် Entry '{0} ဆန့်ကျင်နေပြီအချို့သောအခြားဘောက်ချာဆန့်ကျင်ညှိယူဖြစ်ပါတယ်
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,စုစုပေါင်းအမိန့် Value တစ်ခု
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,အစာ
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,အစာ
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Ageing Range 3
DocType: Maintenance Schedule Item,No of Visits,လည်ပတ်သူများမရှိပါ
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,မာကုကိုတက်ရောက်ဖို့
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,မာကုကိုတက်ရောက်ဖို့
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},ကို Maintenance ဇယား {0} {1} ဆန့်ကျင်တည်ရှိ
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,စာရင်းသွင်းကျောင်းသား
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},အနီးကပ်အကောင့်ကို၏ငွေကြေး {0} ဖြစ်ရပါမည်
@@ -1393,6 +1400,7 @@
DocType: Rename Tool,Utilities,အသုံးအဆောင်များ
DocType: Purchase Invoice Item,Accounting,စာရင်းကိုင်
DocType: Employee,EMP/,ဝင်းနိုင်ထွန်း /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,batch ကို item အဘို့အသုတ်ကို select ပေးပါ
DocType: Asset,Depreciation Schedules,တန်ဖိုးအချိန်ဇယား
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,ပလီကေးရှင်းကာလအတွင်းပြင်ပမှာခွင့်ခွဲဝေကာလအတွင်းမဖွစျနိုငျ
DocType: Activity Cost,Projects,စီမံကိန်းများ
@@ -1406,6 +1414,7 @@
DocType: POS Profile,Campaign,ကင်ပိန်း
DocType: Supplier,Name and Type,အမည်နှင့်အမျိုးအစား
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',ခွင့်ပြုချက်နဲ့ Status '' Approved 'သို့မဟုတ်' 'ငြင်းပယ်' 'ရမည်
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,bootstrap
DocType: Purchase Invoice,Contact Person,ဆက်သွယ်ရမည့်သူ
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','' မျှော်မှန်း Start ကိုနေ့စွဲ '' မျှော်မှန်း End Date ကို '' ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
DocType: Course Scheduling Tool,Course End Date,သင်တန်းပြီးဆုံးရက်စွဲ
@@ -1413,12 +1422,11 @@
DocType: Sales Order Item,Planned Quantity,စီစဉ်ထားတဲ့ပမာဏ
DocType: Purchase Invoice Item,Item Tax Amount,item အခွန်ပမာဏ
DocType: Item,Maintain Stock,စတော့အိတ်ထိန်းသိမ်းနည်း
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,ပြီးသားထုတ်လုပ်မှုအမိန့်ဖန်တီးစတော့အိတ် Entries
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,ပြီးသားထုတ်လုပ်မှုအမိန့်ဖန်တီးစတော့အိတ် Entries
DocType: Employee,Prefered Email,Preferences အီးမေးလ်
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Fixed Asset အတွက်ပိုက်ကွန်ကိုပြောင်းရန်
DocType: Leave Control Panel,Leave blank if considered for all designations,အားလုံးပုံစံတခုစဉ်းစားလျှင်အလွတ် Leave
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,ဂိုဒေါင်အမျိုးအစားစတော့အိတ်၏မဟုတ်တဲ့အုပ်စုတစ်စု Accounts ကိုများအတွက်မဖြစ်မနေဖြစ်ပါသည်
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,'' အမှန်တကယ် '' အမျိုးအစားတာဝန်ခံအတန်းအတွက် {0} Item နှုန်းတွင်ထည့်သွင်းမရနိုင်ပါ
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,'' အမှန်တကယ် '' အမျိုးအစားတာဝန်ခံအတန်းအတွက် {0} Item နှုန်းတွင်ထည့်သွင်းမရနိုင်ပါ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Datetime ကနေ
DocType: Email Digest,For Company,ကုမ္ပဏီ
@@ -1428,15 +1436,15 @@
DocType: Sales Invoice,Shipping Address Name,သဘောင်္တင်ခလိပ်စာအမည်
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,ငွေစာရင်း၏ဇယား
DocType: Material Request,Terms and Conditions Content,စည်းကမ်းသတ်မှတ်ချက်များအကြောင်းအရာ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,100 ကိုထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,item {0} တစ်စတော့ရှယ်ယာ Item မဟုတ်ပါဘူး
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,100 ကိုထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,item {0} တစ်စတော့ရှယ်ယာ Item မဟုတ်ပါဘူး
DocType: Maintenance Visit,Unscheduled,Unscheduled
DocType: Employee,Owned,ပိုင်ဆိုင်
DocType: Salary Detail,Depends on Leave Without Pay,Pay ကိုမရှိရင်ထွက်ခွာအပေါ်မူတည်
DocType: Pricing Rule,"Higher the number, higher the priority","ပိုမိုမြင့်မားသောအရေအတွက်, မြင့်ဦးစားပေး"
,Purchase Invoice Trends,ဝယ်ယူခြင်းပြေစာခေတ်ရေစီးကြောင်း
DocType: Employee,Better Prospects,သာ. ကောင်း၏အလားအလာ
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","အတန်း # {0}: အဆိုပါအသုတ် {1} ရှိသော {2} အရည်အတွက်ရှိပါတယ်။ ရရှိနိုင်ပါ {3} အရည်အတွက်ဟာအခြားအသုတ်ကိုရွေးချယ်ပါသို့မဟုတ်မျိုးစုံနေသည်ဟုသူများထံမှ / ကိစ္စကိုကယ်လွှတ်ခြင်းငှါ, မျိုးစုံတန်းသို့အတန်းခွဲ ကျေးဇူးပြု."
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","အတန်း # {0}: အဆိုပါအသုတ် {1} ရှိသော {2} အရည်အတွက်ရှိပါတယ်။ ရရှိနိုင်ပါ {3} အရည်အတွက်ဟာအခြားအသုတ်ကိုရွေးချယ်ပါသို့မဟုတ်မျိုးစုံနေသည်ဟုသူများထံမှ / ကိစ္စကိုကယ်လွှတ်ခြင်းငှါ, မျိုးစုံတန်းသို့အတန်းခွဲ ကျေးဇူးပြု."
DocType: Vehicle,License Plate,လိုင်စင်ပြား
DocType: Appraisal,Goals,ရည်မှန်းချက်များ
DocType: Warranty Claim,Warranty / AMC Status,အာမခံ / AMC နဲ့ Status
@@ -1447,19 +1455,20 @@
,Batch-Wise Balance History,batch-ပညာရှိ Balance သမိုင်း
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,သက်ဆိုင်ရာပုံနှိပ် format နဲ့ updated ပုံနှိပ် settings ကို
DocType: Package Code,Package Code,package Code ကို
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,အလုပ်သင်သူ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,အလုပ်သင်သူ
+DocType: Purchase Invoice,Company GSTIN,ကုမ္ပဏီ GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,အနုတ်လက္ခဏာပမာဏခွင့်ပြုမထားဘူး
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",အခွန်အသေးစိတ်စားပွဲတစ် string ကို item ကိုမာစတာကနေခေါ်ယူသောအခါနှင့်ဤလယ်ပြင်၌သိုလှောင်ထား။ အခွန်နှင့်စွပ်စွဲချက်အတွက်အသုံးပြု
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,ဝန်ထမ်းကိုယ်တော်တိုင်မှသတင်းပို့လို့မရပါဘူး။
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","အကောင့်အေးခဲသည်မှန်လျှင်, entries တွေကိုကန့်သတ်အသုံးပြုသူများမှခွင့်ပြုထားသည်။"
DocType: Email Digest,Bank Balance,ဘဏ်ကို Balance ကို
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},{0} များအတွက်စာရင်းကိုင် Entry: {1} သာငွေကြေးကိုအတွက်ဖန်ဆင်းနိုင်ပါသည်: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},{0} များအတွက်စာရင်းကိုင် Entry: {1} သာငွေကြေးကိုအတွက်ဖန်ဆင်းနိုင်ပါသည်: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","ယောဘသည် profile ကို, အရည်အချင်းများနှင့်ပြည့်စသည်တို့မလိုအပ်"
DocType: Journal Entry Account,Account Balance,အကောင့်ကို Balance
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,ငွေပေးငွေယူဘို့အခွန်နည်းဥပဒေ။
DocType: Rename Tool,Type of document to rename.,အမည်ပြောင်းရန်စာရွက်စာတမ်းအမျိုးအစား။
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,ကျွန်ုပ်တို့သည်ဤ Item ကိုဝယ်
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,ကျွန်ုပ်တို့သည်ဤ Item ကိုဝယ်
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: ဖောက်သည် receiver အကောင့် {2} ဆန့်ကျင်လိုအပ်ပါသည်
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),စုစုပေါင်းအခွန်နှင့်စွပ်စွဲချက် (ကုမ္ပဏီငွေကြေးစနစ်)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,မပိတ်ထားသည့်ဘဏ္ဍာနှစ်ရဲ့ P & L ကိုချိန်ခွင်ပြရန်
@@ -1470,29 +1479,30 @@
DocType: Stock Entry,Total Additional Costs,စုစုပေါင်းအထပ်ဆောင်းကုန်ကျစရိတ်
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),အပိုင်းအစပစ္စည်းကုန်ကျစရိတ် (ကုမ္ပဏီငွေကြေးစနစ်)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,sub စညျးဝေး
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,sub စညျးဝေး
DocType: Asset,Asset Name,ပိုင်ဆိုင်မှုအမည်
DocType: Project,Task Weight,task ကိုအလေးချိန်
DocType: Shipping Rule Condition,To Value,Value တစ်ခုမှ
DocType: Asset Movement,Stock Manager,စတော့အိတ် Manager က
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},source ဂိုဒေါင်အတန်း {0} သည်မသင်မနေရ
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,ထုပ်ပိုးစလစ်ဖြတ်ပိုင်းပုံစံ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Office ကိုငှား
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},source ဂိုဒေါင်အတန်း {0} သည်မသင်မနေရ
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,ထုပ်ပိုးစလစ်ဖြတ်ပိုင်းပုံစံ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Office ကိုငှား
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Setup ကို SMS ကို gateway ဟာ setting များ
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,သွင်းကုန်မအောင်မြင်ပါ!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,အဘယ်သူမျှမလိပ်စာသေးကဆက်ပြောသည်။
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,အဘယ်သူမျှမလိပ်စာသေးကဆက်ပြောသည်။
DocType: Workstation Working Hour,Workstation Working Hour,Workstation နှင့်အလုပ်အဖွဲ့ Hour
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,လေ့လာဆန်းစစ်သူ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,လေ့လာဆန်းစစ်သူ
DocType: Item,Inventory,စာရင်း
DocType: Item,Sales Details,အရောင်းအသေးစိတ်ကို
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,ပစ္စည်းများနှင့်အတူ
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,Qty အတွက်
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,Qty အတွက်
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,ကျောင်းသားအုပ်စုအတွင်းကျောင်းသားများသည်သက်တမ်းကျောင်းအပ်သင်တန်းအမှတ်စဥ်
DocType: Notification Control,Expense Claim Rejected,စရိတ်ဖြစ်သည်ဆိုခြင်းကိုပယ်ချခဲ့သည်
DocType: Item,Item Attribute,item Attribute
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,အစိုးရ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,အစိုးရ
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,စရိတ်တိုင်ကြား {0} ရှိပြီးသားယာဉ် Log in ဝင်ရန်အဘို့တည်ရှိ
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Institute မှအမည်
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Institute မှအမည်
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,ပြန်ဆပ်ငွေပမာဏရိုက်ထည့်ပေးပါ
apps/erpnext/erpnext/config/stock.py +300,Item Variants,item Variant
DocType: Company,Services,န်ဆောင်မှုများ
@@ -1502,18 +1512,18 @@
DocType: Sales Invoice,Source,အရင်းအမြစ်
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,show ကိုပိတ်ထား
DocType: Leave Type,Is Leave Without Pay,Pay ကိုမရှိရင် Leave ဖြစ်ပါတယ်
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,ပိုင်ဆိုင်မှုအမျိုးအစား Fixed Asset ကို item များအတွက်မဖြစ်မနေဖြစ်ပါသည်
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,ပိုင်ဆိုင်မှုအမျိုးအစား Fixed Asset ကို item များအတွက်မဖြစ်မနေဖြစ်ပါသည်
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,ထိုငွေပေးချေမှုရမည့် table ထဲမှာတွေ့ရှိမရှိပါမှတ်တမ်းများ
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},ဒီ {2} {3} ဘို့ {1} နှင့်အတူ {0} ပဋိပက္ခများကို
DocType: Student Attendance Tool,Students HTML,ကျောင်းသားများက HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,ဘဏ္ဍာရေးတစ်နှစ်တာ Start ကိုနေ့စွဲ
DocType: POS Profile,Apply Discount,လျှော့ Apply
+DocType: Purchase Invoice Item,GST HSN Code,GST HSN Code ကို
DocType: Employee External Work History,Total Experience,စုစုပေါင်းအတွေ့အကြုံ
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,ပွင့်လင်းစီမံကိန်းများ
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,ထုပ်ပိုးစလစ်ဖြတ်ပိုင်းပုံစံ (s) ဖျက်သိမ်း
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,ရင်းနှီးမြုပ်နှံထံမှငွေကြေးစီးဆင်းမှု
DocType: Program Course,Program Course,Program ကိုသင်တန်းအမှတ်စဥ်
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,ကုန်တင်နှင့် Forwarding စွပ်စွဲချက်
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,ကုန်တင်နှင့် Forwarding စွပ်စွဲချက်
DocType: Homepage,Company Tagline for website homepage,ဝက်ဘ်ဆိုက်ပင်မစာမျက်နှာများအတွက်ကုမ္ပဏီတဂ်လိုင်း
DocType: Item Group,Item Group Name,item Group မှအမည်
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,ယူ
@@ -1523,6 +1533,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,ဦးဆောင်လမ်းပြ Create
DocType: Maintenance Schedule,Schedules,အချိန်ဇယားများ
DocType: Purchase Invoice Item,Net Amount,Net ကပမာဏ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,လုပ်ဆောင်ချက်ပြီးစီးမရနိုင်ဒါကြောင့် {0} {1} တင်သွင်းရသေး
DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detail မရှိပါ
DocType: Landed Cost Voucher,Additional Charges,အပိုဆောင်းစွပ်စွဲချက်
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),အပိုဆောင်းလျှော့ငွေပမာဏ (ကုမ္ပဏီငွေကြေးစနစ်)
@@ -1538,6 +1549,7 @@
DocType: Employee Loan,Monthly Repayment Amount,လစဉ်ပြန်ဆပ်ငွေပမာဏ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,န်ထမ်းအခန်းက္ပတင်ထားရန်တစ်ထမ်းစံချိန်အတွက်အသုံးပြုသူ ID လယ်ပြင်၌ထားကြ၏ ကျေးဇူးပြု.
DocType: UOM,UOM Name,UOM အမည်
+DocType: GST HSN Code,HSN Code,HSN Code ကို
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,contribution ငွေပမာဏ
DocType: Purchase Invoice,Shipping Address,ကုန်ပစ္စည်းပို့ဆောင်ရမည့်လိပ်စာ
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,ဒီ tool ကိုသင် system ထဲမှာစတော့ရှယ်ယာများအရေအတွက်နှင့်အဘိုးပြတ် update သို့မဟုတ်ပြုပြင်ဖို့ကူညီပေးသည်။ ဒါဟာပုံမှန်အားဖြင့် system ကိုတန်ဖိုးများနှင့်အဘယ်တကယ်တော့သင့်ရဲ့သိုလှောင်ရုံထဲမှာရှိနေပြီတပြိုင်တည်းအသုံးပြုသည်။
@@ -1548,18 +1560,17 @@
DocType: Program Enrollment Tool,Program Enrollments,Program ကိုကျောင်းအပ်
DocType: Sales Invoice Item,Brand Name,ကုန်အမှတ်တံဆိပ်အမည်
DocType: Purchase Receipt,Transporter Details,Transporter Details ကို
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,default ဂိုဒေါင်ရွေးချယ်ထားသောအရာအတွက်လိုအပ်သည်
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,သေတ္တာ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,default ဂိုဒေါင်ရွေးချယ်ထားသောအရာအတွက်လိုအပ်သည်
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,သေတ္တာ
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,ဖြစ်နိုင်ပါ့မလားပေးသွင်း
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,အဖွဲ့
DocType: Budget,Monthly Distribution,လစဉ်ဖြန့်ဖြူး
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,receiver List ကိုအချည်းနှီးပါပဲ။ Receiver များစာရင်းဖန်တီး ကျေးဇူးပြု.
DocType: Production Plan Sales Order,Production Plan Sales Order,ထုတ်လုပ်မှုစီမံကိန်းအရောင်းအမိန့်
DocType: Sales Partner,Sales Partner Target,အရောင်း Partner Target က
DocType: Loan Type,Maximum Loan Amount,အများဆုံးချေးငွေပမာဏ
DocType: Pricing Rule,Pricing Rule,စျေးနှုန်း Rule
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},ကျောင်းသား {0} အဘို့အလိပ်အရေအတွက်က Duplicate
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},ကျောင်းသား {0} အဘို့အလိပ်အရေအတွက်က Duplicate
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},ကျောင်းသား {0} အဘို့အလိပ်အရေအတွက်က Duplicate
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},ကျောင်းသား {0} အဘို့အလိပ်အရေအတွက်က Duplicate
DocType: Budget,Action if Annual Budget Exceeded,လှုပ်ရှားမှုနှစ်ပတ်လည်ဘတ်ဂျက်ကျော်သွားပါပြီလျှင်
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,အမိန့်ကိုဝယ်ယူအသုံးပြုမှ material တောင်းဆိုခြင်း
DocType: Shopping Cart Settings,Payment Success URL,ငွေပေးချေမှုရမည့်အောင်မြင်မှု URL ကို
@@ -1572,11 +1583,11 @@
DocType: C-Form,III,III ကို
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,စတော့အိတ် Balance ဖွင့်လှစ်
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} တစ်ခါသာပေါ်လာရကြမည်
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},ဝယ်ယူခြင်းအမိန့် {2} ဆန့်ကျင် {1} ထက် {0} ပိုပြီး tranfer ခွင့်မပြုခဲ့
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},ဝယ်ယူခြင်းအမိန့် {2} ဆန့်ကျင် {1} ထက် {0} ပိုပြီး tranfer ခွင့်မပြုခဲ့
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},{0} သည်အောင်မြင်စွာကျင်းပပြီးစီးခွဲဝေရွက်
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,သိမ်းဆည်းရန်ပစ္စည်းများမရှိပါ
DocType: Shipping Rule Condition,From Value,Value တစ်ခုကနေ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,ကုန်ထုတ်လုပ်မှုပမာဏမသင်မနေရ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,ကုန်ထုတ်လုပ်မှုပမာဏမသင်မနေရ
DocType: Employee Loan,Repayment Method,ပြန်ဆပ် Method ကို
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","check လုပ်ထားလျှင်, ပင်မစာမျက်နှာဝက်ဘ်ဆိုက်များအတွက် default အနေနဲ့ Item Group မှဖြစ်လိမ့်မည်"
DocType: Quality Inspection Reading,Reading 4,4 Reading
@@ -1586,7 +1597,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},အတန်း # {0}: ရှင်းလင်းခြင်းနေ့စွဲ {1} {2} Cheque တစ်စောင်လျှင်နေ့စွဲမတိုင်မီမဖွစျနိုငျ
DocType: Company,Default Holiday List,default အားလပ်ရက်များစာရင်း
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},အတန်း {0}: အချိန်နှင့်ရန်ကနေ {1} ၏အချိန် {2} နှင့်အတူထပ်ဖြစ်ပါတယ်
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,စတော့အိတ်မှုစိစစ်
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,စတော့အိတ်မှုစိစစ်
DocType: Purchase Invoice,Supplier Warehouse,ပေးသွင်းဂိုဒေါင်
DocType: Opportunity,Contact Mobile No,မိုဘိုင်းလ်မရှိဆက်သွယ်ရန်
,Material Requests for which Supplier Quotations are not created,ပေးသွင်းကိုးကားချက်များကိုဖန်ဆင်းသည်မဟုတ်သော material တောင်းဆို
@@ -1597,35 +1608,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,စျေးနှုန်းလုပ်ပါ
apps/erpnext/erpnext/config/selling.py +216,Other Reports,အခြားအစီရင်ခံစာများ
DocType: Dependent Task,Dependent Task,မှီခို Task
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},တိုင်း၏ default အနေနဲ့ယူနစ်သည်ကူးပြောင်းခြင်းအချက်အတန်းအတွက် 1 {0} ဖြစ်ရမည်
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},တိုင်း၏ default အနေနဲ့ယူနစ်သည်ကူးပြောင်းခြင်းအချက်အတန်းအတွက် 1 {0} ဖြစ်ရမည်
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},{0} တော့ဘူး {1} ထက်မဖွစျနိုငျအမျိုးအစား Leave
DocType: Manufacturing Settings,Try planning operations for X days in advance.,ကြိုတင်မဲအတွက် X ကိုနေ့ရက်ကာလအဘို့စစ်ဆင်ရေးစီစဉ်ကြိုးစားပါ။
DocType: HR Settings,Stop Birthday Reminders,မွေးနေသတိပေးချက်များကိုရပ်တန့်
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},ကုမ္ပဏီ {0} အတွက်ပုံမှန်လစာပေးချေအကောင့်ကိုသတ်မှတ်ပေးပါ
DocType: SMS Center,Receiver List,receiver များစာရင်း
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,ရှာရန် Item
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,ရှာရန် Item
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,စားသုံးသည့်ပမာဏ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,ငွေအတွက်ပိုက်ကွန်ကိုပြောင်းရန်
DocType: Assessment Plan,Grading Scale,grade စကေး
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,တိုင်း {0} ၏ယူနစ်တခါကူးပြောင်းခြင်း Factor ဇယားအတွက်ထက်ပိုပြီးဝသို့ဝင်ခဲ့သည်
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,တိုင်း {0} ၏ယူနစ်တခါကူးပြောင်းခြင်း Factor ဇယားအတွက်ထက်ပိုပြီးဝသို့ဝင်ခဲ့သည်
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,ယခုပင်လျှင်ပြီးစီး
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,လက်ခုနှစ်တွင်စတော့အိတ်
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},ငွေပေးချေမှုရမည့်တောင်းခံခြင်းပြီးသား {0} ရှိတယ်ဆိုတဲ့
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,ထုတ်ပေးခြင်းပစ္စည်းများ၏ကုန်ကျစရိတ်
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},အရေအတွက် {0} ထက်ပိုပြီးမဖြစ်ရပါမည်
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,ယခင်ဘဏ္ဍာရေးတစ်နှစ်တာပိတ်လိုက်သည်မဟုတ်
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),အသက်အရွယ် (နေ့ရက်များ)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),အသက်အရွယ် (နေ့ရက်များ)
DocType: Quotation Item,Quotation Item,စျေးနှုန်း Item
+DocType: Customer,Customer POS Id,ဖောက်သည် POS Id
DocType: Account,Account Name,အကောင့်အမည်
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,နေ့စွဲကနေနေ့စွဲရန်ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,serial No {0} အရေအတွက် {1} တဲ့အစိတ်အပိုင်းမဖွစျနိုငျ
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,ပေးသွင်း Type မာစတာ။
DocType: Purchase Order Item,Supplier Part Number,ပေးသွင်းအပိုင်းနံပါတ်
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,ကူးပြောင်းခြင်းနှုန်းက 0 င်သို့မဟုတ် 1 မဖွစျနိုငျ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,ကူးပြောင်းခြင်းနှုန်းက 0 င်သို့မဟုတ် 1 မဖွစျနိုငျ
DocType: Sales Invoice,Reference Document,ကိုးကားစရာစာရွက်စာတမ်း
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} ကိုဖျက်သိမ်းသို့မဟုတ်ရပ်တန့်နေသည်
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} ကိုဖျက်သိမ်းသို့မဟုတ်ရပ်တန့်နေသည်
DocType: Accounts Settings,Credit Controller,ခရက်ဒစ် Controller
DocType: Delivery Note,Vehicle Dispatch Date,မော်တော်ယာဉ် Dispatch နေ့စွဲ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,ဝယ်ယူခြင်း Receipt {0} တင်သွင်းသည်မဟုတ်
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,ဝယ်ယူခြင်း Receipt {0} တင်သွင်းသည်မဟုတ်
DocType: Company,Default Payable Account,default ပေးဆောင်အကောင့်
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","ထိုကဲ့သို့သောစသည်တို့ရေကြောင်းစည်းမျဉ်းစည်းကမ်းများ, စျေးနှုန်းစာရင်းအဖြစ်အွန်လိုင်းစျေးဝယ်လှည်းသည် Settings ကို"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,ကြေညာတဲ့ {0}%
@@ -1644,11 +1657,12 @@
DocType: Expense Claim,Total Amount Reimbursed,စုစုပေါင်းငွေပမာဏ Reimbursed
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,ဒီယာဉ်ဆန့်ကျင်ရာ Logs အပေါ်အခြေခံသည်။ အသေးစိတျအဘို့ကိုအောက်တွင်အချိန်ဇယားကိုကြည့်ပါ
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,စုဝေး
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},ပေးသွင်းပြေစာ {0} ဆန့်ကျင် {1} ရက်စွဲပါ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},ပေးသွင်းပြေစာ {0} ဆန့်ကျင် {1} ရက်စွဲပါ
DocType: Customer,Default Price List,default စျေးနှုန်းများစာရင်း
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,ပိုင်ဆိုင်မှုလပ်ြရြားမြစံချိန် {0} ကဖန်တီး
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,သငျသညျဘဏ္ဍာရေးနှစ်တစ်နှစ်တာ {0} မဖျက်နိုင်ပါ။ ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာ {0} ကမ္တာ့ချိန်ညှိအတွက် default အနေနဲ့အဖြစ်သတ်မှတ်
DocType: Journal Entry,Entry Type,entry Type အမျိုးအစား
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,ဒီအကဲဖြတ်အဖွဲ့နှင့်ဆက်နွယ်နေအဘယ်သူမျှမအကဲဖြတ်အစီအစဉ်
,Customer Credit Balance,customer Credit Balance
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,ပေးဆောင်ရမည့်ငွေစာရင်းထဲမှာပိုက်ကွန်ကိုပြောင်းရန်
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount','' Customerwise လျှော့ '' လိုအပ် customer
@@ -1657,7 +1671,7 @@
DocType: Quotation,Term Details,သက်တမ်းအသေးစိတ်ကို
DocType: Project,Total Sales Cost (via Sales Order),(အရောင်းအမိန့်မှတဆင့်) စုစုပေါင်းအရောင်းကုန်ကျစရိတ်
DocType: Project,Total Sales Cost (via Sales Order),(အရောင်းအမိန့်မှတဆင့်) စုစုပေါင်းအရောင်းကုန်ကျစရိတ်
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,ဒီကျောင်းသားအုပ်စုအတွက် {0} ကျောင်းသားများကိုထက်ပိုစာရင်းသွင်းလို့မရပါ။
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,ဒီကျောင်းသားအုပ်စုအတွက် {0} ကျောင်းသားများကိုထက်ပိုစာရင်းသွင်းလို့မရပါ။
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,ခဲအရေအတွက်
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,ခဲအရေအတွက်
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} 0 င်ထက် သာ. ကြီးမြတ်ဖြစ်ရပါမည်
@@ -1680,7 +1694,7 @@
DocType: Sales Invoice,Packed Items,ထုပ်ပိုးပစ္စည်းများ
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Serial နံပါတ်ဆန့်ကျင်အာမခံပြောဆိုချက်ကို
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","ဒါကြောင့်အသုံးပြုသည်အဘယ်မှာရှိရှိသမျှသည်အခြားသော BOMs အတွက်အထူးသဖြင့် BOM အစားထိုးလိုက်ပါ။ ဒါဟာအသစ်တွေ BOM နှုန်းအဖြစ်ဟောင်းကို BOM link ကို, update ကကုန်ကျစရိတ်ကိုအစားထိုးနှင့် "BOM ပေါက်ကွဲမှုဖြစ် Item" စားပွဲပေါ်မှာအသစ်တဖန်လိမ့်မည်"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','' စုစုပေါင်း ''
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','' စုစုပေါင်း ''
DocType: Shopping Cart Settings,Enable Shopping Cart,စျေးဝယ်ခြင်းတွန်းလှည်းကို Enable
DocType: Employee,Permanent Address,အမြဲတမ်းလိပ်စာ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1696,9 +1710,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,ပမာဏသို့မဟုတ်အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည် Rate သို့မဟုတ်နှစ်ဦးစလုံးဖြစ်စေသတ်မှတ် ကျေးဇူးပြု.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,ပွညျ့စုံ
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,လှည်းအတွက်ကြည့်ရန်
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,marketing အသုံးစရိတ်များ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,marketing အသုံးစရိတ်များ
,Item Shortage Report,item ပြတ်လပ်အစီရင်ခံစာ
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","အလေးချိန်ဖော်ပြခဲ့သောဖြစ်ပါတယ်, \ nPlease လွန်း "အလေးချိန် UOM" ဖော်ပြထားခြင်း"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","အလေးချိန်ဖော်ပြခဲ့သောဖြစ်ပါတယ်, \ nPlease လွန်း "အလေးချိန် UOM" ဖော်ပြထားခြင်း"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,ဒီစတော့အိတ် Entry 'ပါစေရန်အသုံးပြုပစ္စည်းတောင်းဆိုခြင်း
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Next ကိုတန်ဖိုးနေ့စွဲအသစ်ပိုင်ဆိုင်မှုများအတွက်မဖြစ်မနေဖြစ်ပါသည်
DocType: Student Group Creation Tool,Separate course based Group for every Batch,တိုင်းအသုတ်လိုက်အဘို့အုပ်စုအခြေစိုက်သီးခြားသင်တန်း
@@ -1708,17 +1722,18 @@
,Student Fee Collection,ကျောင်းသားသမဂ္ဂကြေးငွေကောက်ခံ
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,ကျွန်တော်စတော့အိတ်လပ်ြရြားမြသည်စာရင်းကိုင် Entry 'ပါစေ
DocType: Leave Allocation,Total Leaves Allocated,ခွဲဝေစုစုပေါင်းရွက်
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Row မရှိပါ {0} မှာလိုအပ်သည့်ဂိုဒေါင်
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,မမှန်ကန်ဘဏ္ဍာရေးတစ်နှစ်တာ Start ကိုနဲ့ End သက်ကရာဇျမဝင်ရ ကျေးဇူးပြု.
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Row မရှိပါ {0} မှာလိုအပ်သည့်ဂိုဒေါင်
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,မမှန်ကန်ဘဏ္ဍာရေးတစ်နှစ်တာ Start ကိုနဲ့ End သက်ကရာဇျမဝင်ရ ကျေးဇူးပြု.
DocType: Employee,Date Of Retirement,အငြိမ်းစားအမျိုးမျိုးနေ့စွဲ
DocType: Upload Attendance,Get Template,Template: Get
+DocType: Material Request,Transferred,လွှဲပြောင်း
DocType: Vehicle,Doors,တံခါးပေါက်
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,အပြီးအစီး ERPNext Setup ကို!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,အပြီးအစီး ERPNext Setup ကို!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: ကုန်ကျစရိတ်စင်တာ '' အကျိုးအမြတ်နှင့်ဆုံးရှုံးမှု '' အကောင့် {2} ဘို့လိုအပ်ပါသည်။ ကုမ္ပဏီတစ်ခုက default ကုန်ကျစရိတ်စင်တာထူထောင်ပေးပါ။
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,တစ်ဖောက်သည်အုပ်စုနာမည်တူနှင့်အတူတည်ရှိသုံးစွဲသူအမည်ကိုပြောင်းလဲဒါမှမဟုတ်ဖောက်သည်အုပ်စုအမည်ပြောင်းကျေးဇူးတင်ပါ
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,နယူးဆက်သွယ်ရန်
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,တစ်ဖောက်သည်အုပ်စုနာမည်တူနှင့်အတူတည်ရှိသုံးစွဲသူအမည်ကိုပြောင်းလဲဒါမှမဟုတ်ဖောက်သည်အုပ်စုအမည်ပြောင်းကျေးဇူးတင်ပါ
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,နယူးဆက်သွယ်ရန်
DocType: Territory,Parent Territory,မိဘနယ်မြေတွေကို
DocType: Quality Inspection Reading,Reading 2,2 Reading
DocType: Stock Entry,Material Receipt,material Receipt
@@ -1727,17 +1742,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",ဒီအချက်ကိုမျိုးကွဲရှိပါတယ်လျှင်စသည်တို့အရောင်းအမိန့်အတွက်ရွေးချယ်ထားမပြနိုင်
DocType: Lead,Next Contact By,Next ကိုဆက်သွယ်ရန်အားဖြင့်
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},အတန်းအတွက် Item {0} သည်လိုအပ်သောအရေအတွက် {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},အရေအတွက် Item {1} သည်တည်ရှိအဖြစ်ဂိုဒေါင် {0} ဖျက်ပြီးမရနိုင်ပါ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},အတန်းအတွက် Item {0} သည်လိုအပ်သောအရေအတွက် {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},အရေအတွက် Item {1} သည်တည်ရှိအဖြစ်ဂိုဒေါင် {0} ဖျက်ပြီးမရနိုင်ပါ
DocType: Quotation,Order Type,အမိန့် Type
DocType: Purchase Invoice,Notification Email Address,အမိန့်ကြော်ငြာစာအီးမေးလ်လိပ်စာ
,Item-wise Sales Register,item-ပညာရှိသအရောင်းမှတ်ပုံတင်မည်
DocType: Asset,Gross Purchase Amount,စုစုပေါင်းအရစ်ကျငွေပမာဏ
DocType: Asset,Depreciation Method,တန်ဖိုး Method ကို
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,အော့ဖ်လိုင်း
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,အော့ဖ်လိုင်း
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,အခြေခံပညာနှုန်းတွင်ထည့်သွင်းဒီအခွန်ဖြစ်သနည်း
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,စုစုပေါင်း Target က
-DocType: Program Course,Required,တောင်းဆိုနေတဲ့
DocType: Job Applicant,Applicant for a Job,တစ်ဦးယောဘသည်လျှောက်ထားသူ
DocType: Production Plan Material Request,Production Plan Material Request,ထုတ်လုပ်မှုစီမံကိန်းပစ္စည်းတောင်းဆိုခြင်း
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,created မရှိပါထုတ်လုပ်မှုအမိန့်
@@ -1747,17 +1761,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,တစ်ဖောက်သည်ရဲ့ဝယ်ယူမိန့်ဆန့်ကျင်မျိုးစုံအရောင်းအမိန့် Allow
DocType: Student Group Instructor,Student Group Instructor,ကျောင်းသားအုပ်စုနည်းပြ
DocType: Student Group Instructor,Student Group Instructor,ကျောင်းသားအုပ်စုနည်းပြ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 မိုဘိုင်းဘယ်သူမျှမက
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,အဓိက
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 မိုဘိုင်းဘယ်သူမျှမက
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,အဓိက
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,မူကွဲ
DocType: Naming Series,Set prefix for numbering series on your transactions,သင့်ရဲ့ငွေကြေးလွှဲပြောင်းအပေါ်စီးရီးဦးရေသည်ရှေ့ဆက် Set
DocType: Employee Attendance Tool,Employees HTML,ဝန်ထမ်းများ HTML ကို
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,default BOM ({0}) ဒီအချက်ကိုသို့မဟုတ်ယင်း၏ template ကိုသည်တက်ကြွသောဖြစ်ရမည်
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,default BOM ({0}) ဒီအချက်ကိုသို့မဟုတ်ယင်း၏ template ကိုသည်တက်ကြွသောဖြစ်ရမည်
DocType: Employee,Leave Encashed?,Encashed Leave?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,လယ်ပြင်၌ မှစ. အခွင့်အလမ်းမသင်မနေရ
DocType: Email Digest,Annual Expenses,နှစ်ပတ်လည်ကုန်ကျစရိတ်
DocType: Item,Variants,မျိုးကွဲ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,ဝယ်ယူခြင်းအမိန့်လုပ်ပါ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,ဝယ်ယူခြင်းအမိန့်လုပ်ပါ
DocType: SMS Center,Send To,ရန် Send
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},ထွက်ခွာ Type {0} လုံလောက်ခွင့်ချိန်ခွင်မရှိ
DocType: Payment Reconciliation Payment,Allocated amount,ခွဲဝေပမာဏ
@@ -1773,26 +1787,25 @@
DocType: Item,Serial Nos and Batches,serial Nos နှင့် batch
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,ကျောင်းသားအုပ်စုအစွမ်းသတ္တိ
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,ကျောင်းသားအုပ်စုအစွမ်းသတ္တိ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,ဂျာနယ် Entry '{0} ဆန့်ကျင်မည်သည့် unmatched {1} entry ကိုမရှိပါဘူး
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,ဂျာနယ် Entry '{0} ဆန့်ကျင်မည်သည့် unmatched {1} entry ကိုမရှိပါဘူး
apps/erpnext/erpnext/config/hr.py +137,Appraisals,တန်ဖိုးခြင်း
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Serial No Item {0} သည်သို့ဝင် Duplicate
DocType: Shipping Rule Condition,A condition for a Shipping Rule,တစ် Shipping Rule များအတွက်အခြေအနေ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,ကျေးဇူးပြု. ထည့်သွင်းပါ
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","{2} ထက် {0} အတန်းအတွက် {1} ကပိုပစ္စည်းများအတွက် overbill လို့မရပါဘူး။ Over-ငွေတောင်းခံခွင့်ပြုပါရန်, Settings များဝယ်ယူထားကျေးဇူးပြုပြီး"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,ပစ္စည်းသို့မဟုတ်ဂိုဒေါင်အပေါ်အခြေခံပြီး filter ကိုသတ်မှတ်ထားပေးပါ
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","{2} ထက် {0} အတန်းအတွက် {1} ကပိုပစ္စည်းများအတွက် overbill လို့မရပါဘူး။ Over-ငွေတောင်းခံခွင့်ပြုပါရန်, Settings များဝယ်ယူထားကျေးဇူးပြုပြီး"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,ပစ္စည်းသို့မဟုတ်ဂိုဒေါင်အပေါ်အခြေခံပြီး filter ကိုသတ်မှတ်ထားပေးပါ
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ဒီအထုပ်၏ကျော့ကွင်းကိုအလေးချိန်။ (ပစ္စည်းပိုက်ကွန်ကိုအလေးချိန်၏အချုပ်အခြာအဖြစ်ကိုအလိုအလျောက်တွက်ချက်)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,ဒီဂိုဒေါင်တစ်ခုအကောင့်ဖန်တီးကြောင့်လင့်ထားသည်ပေးပါ။ ဤသည် {0} ပြီးသားတည်ရှိနာမည်ကိုအလိုအလျောက်အကောင့်တစ်ခုအဖြစ်ပြုသောအမှုမရနိုငျ
DocType: Sales Order,To Deliver and Bill,လှတျတျောမူနှင့်ဘီလ်မှ
DocType: Student Group,Instructors,နည်းပြဆရာ
DocType: GL Entry,Credit Amount in Account Currency,အကောင့်ကိုငွေကြေးစနစ်အတွက်အကြွေးပမာဏ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} တင်သွင်းရမည်
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} တင်သွင်းရမည်
DocType: Authorization Control,Authorization Control,authorization ထိန်းချုပ်ရေး
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},row # {0}: ငြင်းပယ်ဂိုဒေါင်ပယ်ချခဲ့ Item {1} ဆန့်ကျင်မဖြစ်မနေဖြစ်ပါသည်
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},row # {0}: ငြင်းပယ်ဂိုဒေါင်ပယ်ချခဲ့ Item {1} ဆန့်ကျင်မဖြစ်မနေဖြစ်ပါသည်
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,ငွေပေးချေမှုရမည့်
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","ဂိုဒေါင် {0} မည်သည့်အကောင့်နှင့်ဆက်စပ်သည်မ, ကုမ္ပဏီ {1} အတွက်ဂိုဒေါင်စံချိန်သို့မဟုတ် set ကို default စာရင်းအကောင့်ထဲမှာအကောင့်ဖော်ပြထားခြင်းပါ။"
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,သင့်ရဲ့အမိန့်ကိုစီမံခန့်ခွဲ
DocType: Production Order Operation,Actual Time and Cost,အမှန်တကယ်အချိန်နှင့်ကုန်ကျစရိတ်
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},အများဆုံး၏ပစ္စည်းတောင်းဆိုမှု {0} အရောင်းအမိန့် {2} ဆန့်ကျင်ပစ္စည်း {1} သည်ဖန်ဆင်းနိုင်
-DocType: Employee,Salutation,နှုတ်ဆက်
DocType: Course,Course Abbreviation,သင်တန်းအတိုကောက်
DocType: Student Leave Application,Student Leave Application,ကျောင်းသားသမဂ္ဂခွင့်လျှောက်လွှာ
DocType: Item,Will also apply for variants,စမျိုးကွဲလျှောက်ထားလိမ့်မည်ဟု
@@ -1804,12 +1817,12 @@
DocType: Quotation Item,Actual Qty,အမှန်တကယ် Qty
DocType: Sales Invoice Item,References,ကိုးကား
DocType: Quality Inspection Reading,Reading 10,10 Reading
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","သင်ယ်ယူရန်သို့မဟုတ်ရောင်းချကြောင်းသင့်ကုန်ပစ္စည်းသို့မဟုတ်ဝန်ဆောင်မှုစာရင်း။ သင်စတင်သောအခါ Item အုပ်စု, တိုင်းနှင့်အခြားဂုဏ်သတ္တိ၏ယူနစ်ကိုစစ်ဆေးသေချာအောင်လုပ်ပါ။"
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","သင်ယ်ယူရန်သို့မဟုတ်ရောင်းချကြောင်းသင့်ကုန်ပစ္စည်းသို့မဟုတ်ဝန်ဆောင်မှုစာရင်း။ သင်စတင်သောအခါ Item အုပ်စု, တိုင်းနှင့်အခြားဂုဏ်သတ္တိ၏ယူနစ်ကိုစစ်ဆေးသေချာအောင်လုပ်ပါ။"
DocType: Hub Settings,Hub Node,hub Node
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,သင်ကထပ်နေပစ္စည်းများကိုသို့ဝင်ပါပြီ။ ဆန်းစစ်နှင့်ထပ်ကြိုးစားပါ။
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,အပေါင်းအဖေါ်
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,အပေါင်းအဖေါ်
DocType: Asset Movement,Asset Movement,ပိုင်ဆိုင်မှုလပ်ြရြားမြ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,နယူးလှည်း
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,နယူးလှည်း
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,item {0} တဲ့နံပါတ်စဉ်အလိုက် Item မဟုတ်ပါဘူး
DocType: SMS Center,Create Receiver List,Receiver များစာရင်း Create
DocType: Vehicle,Wheels,ရထားဘီး
@@ -1829,19 +1842,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',သို့မဟုတ် '' ယခင် Row စုစုပေါင်း '' ယခင် Row ပမာဏတွင် '' ဟုတာဝန်ခံ type ကိုအသုံးပြုမှသာလျှင်အတန်းရည်ညွှန်းနိုင်ပါသည်
DocType: Sales Order Item,Delivery Warehouse,Delivery ဂိုဒေါင်
DocType: SMS Settings,Message Parameter,message Parameter
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,ဘဏ္ဍာရေးကုန်ကျစရိတ်စင်တာများ၏ပင်လည်းရှိ၏။
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,ဘဏ္ဍာရေးကုန်ကျစရိတ်စင်တာများ၏ပင်လည်းရှိ၏။
DocType: Serial No,Delivery Document No,Delivery Document ဖိုင်မရှိပါ
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},ကုမ္ပဏီ {0} ၌ 'ပိုင်ဆိုင်မှုရှင်းအပေါ် Gain / ပျောက်ဆုံးခြင်းအကောင့်' 'set ကျေးဇူးပြု.
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,ဝယ်ယူခြင်းလက်ခံရရှိသည့်ရက်မှပစ္စည်းများ Get
DocType: Serial No,Creation Date,ဖန်ဆင်းခြင်းနေ့စွဲ
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},item {0} စျေးနှုန်းစာရင်း {1} အတွက်အကြိမ်ပေါင်းများစွာပုံပေါ်
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","အကြောင်းမူကားသက်ဆိုင်သော {0} အဖြစ်ရွေးချယ်လျှင်ရောင်းချခြင်း, checked ရမည်"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","အကြောင်းမူကားသက်ဆိုင်သော {0} အဖြစ်ရွေးချယ်လျှင်ရောင်းချခြင်း, checked ရမည်"
DocType: Production Plan Material Request,Material Request Date,ပစ္စည်းတောင်းဆိုမှုနေ့စွဲ
DocType: Purchase Order Item,Supplier Quotation Item,ပေးသွင်းစျေးနှုန်း Item
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,ထုတ်လုပ်မှုအမိန့်ဆန့်ကျင်အချိန်သစ်လုံး၏ဖန်ဆင်းခြင်းလုပ်မလုပ်။ စစ်ဆင်ရေးထုတ်လုပ်မှုကိုအမိန့်ဆန့်ကျင်ခြေရာခံလိမ့်မည်မဟုတ်
DocType: Student,Student Mobile Number,ကျောင်းသားသမဂ္ဂမိုဘိုင်းနံပါတ်
DocType: Item,Has Variants,မူကွဲရှိပါတယ်
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},သငျသညျပြီးသား {0} {1} ကနေပစ္စည်းကိုရှေးခယျြခဲ့ကြ
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},သငျသညျပြီးသား {0} {1} ကနေပစ္စည်းကိုရှေးခယျြခဲ့ကြ
DocType: Monthly Distribution,Name of the Monthly Distribution,အဆိုပါလစဉ်ဖြန့်ဖြူးအမည်
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,batch ID ကိုမဖြစ်မနေဖြစ်ပါသည်
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,batch ID ကိုမဖြစ်မနေဖြစ်ပါသည်
@@ -1852,12 +1865,12 @@
DocType: Budget,Fiscal Year,ဘဏ္ဍာရေးနှစ်
DocType: Vehicle Log,Fuel Price,လောင်စာစျေးနှုန်း
DocType: Budget,Budget,ဘတ်ဂျက်
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,သတ်မှတ်ထားတဲ့ပိုင်ဆိုင်မှုပစ္စည်း non-စတော့ရှယ်ယာကို item ဖြစ်ရပါမည်။
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,သတ်မှတ်ထားတဲ့ပိုင်ဆိုင်မှုပစ္စည်း non-စတော့ရှယ်ယာကို item ဖြစ်ရပါမည်။
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","ဒါကြောင့်တစ်ဦးဝင်ငွေခွန်သို့မဟုတ်သုံးစွဲမှုအကောင့်ကိုဖွင့်မရအဖြစ်ဘတ်ဂျက်, {0} ဆန့်ကျင်တာဝန်ပေးအပ်ရနိုင်မှာမဟုတ်ဘူး"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,အောင်မြင်
DocType: Student Admission,Application Form Route,လျှောက်လွှာ Form ကိုလမ်းကြောင်း
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,နယ်မြေတွေကို / ဖောက်သည်
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,ဥပမာ 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,ဥပမာ 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,အမျိုးအစား {0} Leave ကြောင့်လစာမပါဘဲထွက်သွားသည်ကတည်းကခွဲဝေမရနိုငျ
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},row {0}: ခွဲဝေငွေပမာဏ {1} ထက်လျော့နည်းသို့မဟုတ်ထူးချွန်ငွေပမာဏ {2} ငွေတောင်းပြေစာပို့ဖို့နဲ့ညီမျှပါတယ်ဖြစ်ရမည်
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,သင်အရောင်းပြေစာကိုကယ်တင်တစ်ချိန်ကစကားမြင်နိုင်ပါလိမ့်မည်။
@@ -1866,7 +1879,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,item {0} Serial အမှတ်သည် setup ကိုမဟုတ်ပါဘူး။ Item မာစတာ Check
DocType: Maintenance Visit,Maintenance Time,ပြုပြင်ထိန်းသိမ်းမှုအချိန်
,Amount to Deliver,လှတျတျောမူရန်ငွေပမာဏ
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,အဖြေထုတ်ကုန်ပစ္စည်းသို့မဟုတ်ဝန်ဆောင်မှု
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,အဖြေထုတ်ကုန်ပစ္စည်းသို့မဟုတ်ဝန်ဆောင်မှု
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,အဆိုပါ Term Start ကိုနေ့စွဲဟူသောဝေါဟာရ (Academic တစ်နှစ်တာ {}) နှင့်ဆက်စပ်သောမှပညာရေးဆိုင်ရာတစ်နှစ်တာ၏တစ်နှစ်တာ Start ကိုနေ့စွဲထက်အစောပိုင်းမှာမဖြစ်နိုင်ပါ။ အရက်စွဲများပြင်ဆင်ရန်နှင့်ထပ်ကြိုးစားပါ။
DocType: Guardian,Guardian Interests,ဂါးဒီးယန်းစိတ်ဝင်စားမှုများ
DocType: Naming Series,Current Value,လက်ရှိ Value တစ်ခု
@@ -1880,12 +1893,12 @@
must be greater than or equal to {2}","row {0}: နေ့စွဲ \ ထဲကနေနှင့်မှအကြားခြားနားချက်ထက် သာ. ကြီးမြတ်သို့မဟုတ် {2} တန်းတူဖြစ်ရမည်, {1} ကာလကိုသတ်မှတ်ဖို့"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,ဒီစတော့ရှယ်ယာလှုပ်ရှားမှုအပေါ်အခြေခံသည်။ အသေးစိတျအဘို့ {0} ကိုကြည့်ပါ
DocType: Pricing Rule,Selling,အရောင်းရဆုံး
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},ငွေပမာဏ {0} {1} {2} ဆန့်ကျင်နုတ်ယူ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},ငွေပမာဏ {0} {1} {2} ဆန့်ကျင်နုတ်ယူ
DocType: Employee,Salary Information,လစာပြန်ကြားရေး
DocType: Sales Person,Name and Employee ID,အမည်နှင့်ထမ်း ID ကို
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,ကြောင့်နေ့စွဲနေ့စွဲများသို့တင်ပြခြင်းမပြုမီမဖွစျနိုငျ
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,ကြောင့်နေ့စွဲနေ့စွဲများသို့တင်ပြခြင်းမပြုမီမဖွစျနိုငျ
DocType: Website Item Group,Website Item Group,website Item Group က
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,တာဝန်နှင့်အခွန်
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,တာဝန်နှင့်အခွန်
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,ကိုးကားစရာနေ့စွဲကိုရိုက်ထည့်ပေးပါ
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} ငွေပေးချေမှု entries တွေကို {1} ကြောင့် filtered မရနိုင်ပါ
DocType: Item Website Specification,Table for Item that will be shown in Web Site,Web Site မှာပြထားတဲ့လိမ့်မည်ဟု Item သည်စားပွဲတင်
@@ -1902,9 +1915,9 @@
DocType: Payment Reconciliation Payment,Reference Row,ကိုးကားစရာ Row
DocType: Installation Note,Installation Time,Installation လုပ်တဲ့အချိန်
DocType: Sales Invoice,Accounting Details,စာရင်းကိုင် Details ကို
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,ဒီကုမ္ပဏီအပေါငျးတို့သငွေကြေးကိစ္စရှင်းလင်းမှု Delete
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,row # {0}: စစ်ဆင်ရေး {1} ထုတ်လုပ်မှုအမိန့် # {3} အတွက်ချောကုန်စည် {2} qty သည်ပြီးစီးသည်မဟုတ်။ အချိန် Logs ကနေတဆင့်စစ်ဆင်ရေးအဆင့်အတန်းကို update ကျေးဇူးပြု.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,ရင်းနှီးမြှုပ်နှံမှုများ
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,ဒီကုမ္ပဏီအပေါငျးတို့သငွေကြေးကိစ္စရှင်းလင်းမှု Delete
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,row # {0}: စစ်ဆင်ရေး {1} ထုတ်လုပ်မှုအမိန့် # {3} အတွက်ချောကုန်စည် {2} qty သည်ပြီးစီးသည်မဟုတ်။ အချိန် Logs ကနေတဆင့်စစ်ဆင်ရေးအဆင့်အတန်းကို update ကျေးဇူးပြု.
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,ရင်းနှီးမြှုပ်နှံမှုများ
DocType: Issue,Resolution Details,resolution အသေးစိတ်ကို
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,နေရာချထားခြင်း
DocType: Item Quality Inspection Parameter,Acceptance Criteria,လက်ခံမှုကိုလိုအပ်ချက်
@@ -1929,7 +1942,7 @@
DocType: Room,Room Name,ROOM တွင်အမည်
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","ခွင့်ချိန်ခွင်လျှာထားပြီးအနာဂတ်ခွင့်ခွဲဝေစံချိန် {1} အတွက် PPP ဖြင့်ချဉ်းကပ်-forward နိုင်သည်သိရသည်အဖြစ် Leave, {0} မီကကိုဖျက်သိမ်း / လျှောက်ထားမရနိုင်ပါ"
DocType: Activity Cost,Costing Rate,ကုန်ကျ Rate
-,Customer Addresses And Contacts,customer လိပ်စာနှင့်ဆက်သွယ်ရန်
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,customer လိပ်စာနှင့်ဆက်သွယ်ရန်
,Campaign Efficiency,ကင်ပိန်းစွမ်းရည်
,Campaign Efficiency,ကင်ပိန်းစွမ်းရည်
DocType: Discussion,Discussion,ဆွေးနွေးချက်
@@ -1941,14 +1954,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),(အချိန်စာရွက်မှတဆင့်) စုစုပေါင်းငွေတောင်းခံလွှာပမာဏ
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,repeat ဖောက်သည်အခွန်ဝန်ကြီးဌာန
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) အခန်းကဏ္ဍ '' သုံးစွဲမှုအတည်ပြုချက် '' ရှိရမယ်
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,လင်မယား
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,ထုတ်လုပ်မှုများအတွက် BOM နှင့်အရည်အတွက်ကို Select လုပ်ပါ
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,လင်မယား
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,ထုတ်လုပ်မှုများအတွက် BOM နှင့်အရည်အတွက်ကို Select လုပ်ပါ
DocType: Asset,Depreciation Schedule,တန်ဖိုးဇယား
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,အရောင်း Partner လိပ်စာနှင့်ဆက်သွယ်ရန်
DocType: Bank Reconciliation Detail,Against Account,အကောင့်ဆန့်ကျင်
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,ဝက်နေ့နေ့စွဲနေ့စွဲ မှစ. နှင့်နေ့စွဲစေရန်အကြားဖြစ်သင့်တယ်
DocType: Maintenance Schedule Detail,Actual Date,အမှန်တကယ်နေ့စွဲ
DocType: Item,Has Batch No,Batch မရှိရှိပါတယ်
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},နှစ်ပတ်လည်ငွေတောင်းခံလွှာ: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},နှစ်ပတ်လည်ငွေတောင်းခံလွှာ: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),ကုန်ပစ္စည်းများနှင့်ဝန်ဆောင်မှုများကိုအခွန် (GST အိန္ဒိယ)
DocType: Delivery Note,Excise Page Number,ယစ်မျိုးစာမျက်နှာနံပါတ်
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","ကုမ္ပဏီ, နေ့စွဲ မှစ. နှင့်နေ့စွဲရန်မဖြစ်မနေဖြစ်ပါသည်"
DocType: Asset,Purchase Date,အရစ်ကျနေ့စွဲ
@@ -1956,11 +1971,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},ကုမ္ပဏီ {0} ၌ 'ပိုင်ဆိုင်မှုတန်ဖိုးကုန်ကျစရိတ်စင်တာ' 'set ကျေးဇူးပြု.
,Maintenance Schedules,ပြုပြင်ထိန်းသိမ်းမှုအချိန်ဇယား
DocType: Task,Actual End Date (via Time Sheet),(အချိန်စာရွက်မှတဆင့်) အမှန်တကယ်ပြီးဆုံးရက်စွဲ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},ငွေပမာဏ {0} {1} {2} {3} ဆန့်ကျင်
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},ငွေပမာဏ {0} {1} {2} {3} ဆန့်ကျင်
,Quotation Trends,စျေးနှုန်းခေတ်ရေစီးကြောင်း
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},ကို item {0} သည်ကို item မာစတာတှငျဖျောပွမ item Group က
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,အကောင့်ဖွင့်ရန် debit တစ် receiver အကောင့်ကိုရှိရမည်
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},ကို item {0} သည်ကို item မာစတာတှငျဖျောပွမ item Group က
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,အကောင့်ဖွင့်ရန် debit တစ် receiver အကောင့်ကိုရှိရမည်
DocType: Shipping Rule Condition,Shipping Amount,သဘောင်္တင်ခပမာဏ
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Customer များ Add
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,ဆိုင်းငံ့ထားသောငွေပမာဏ
DocType: Purchase Invoice Item,Conversion Factor,ကူးပြောင်းခြင်း Factor
DocType: Purchase Order,Delivered,ကယ်နှုတ်တော်မူ၏
@@ -1970,7 +1986,8 @@
DocType: Purchase Receipt,Vehicle Number,မော်တော်ယာဉ်နံပါတ်
DocType: Purchase Invoice,The date on which recurring invoice will be stop,ထပ်တလဲလဲကုန်ပို့လွှာရပ်တန့်ဖြစ်ရလိမ့်မည်သည့်နေ့ရက်
DocType: Employee Loan,Loan Amount,ချေးငွေပမာဏ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},အတန်း {0}: ပစ္စည်းများ၏ဘီလ်ဟာအရာဝတ္ထု {1} ဘို့မတွေ့ရှိ
+DocType: Program Enrollment,Self-Driving Vehicle,self-မောင်းနှင်ယာဉ်
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},အတန်း {0}: ပစ္စည်းများ၏ဘီလ်ဟာအရာဝတ္ထု {1} ဘို့မတွေ့ရှိ
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Total ကုမ္ပဏီခွဲဝေအရွက် {0} ကာလအဘို့ပြီးသားအတည်ပြုပြီးအရွက် {1} ထက်လျော့နည်းမဖွစျနိုငျ
DocType: Journal Entry,Accounts Receivable,ငွေစာရင်းရရန်ရှိသော
,Supplier-Wise Sales Analytics,ပေးသွင်း-ပညာရှိအရောင်း Analytics
@@ -1988,22 +2005,21 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,စရိတ်တောင်းဆိုမှုများအတည်ပြုချက်ဆိုင်းငံ့ထားတာဖြစ်ပါတယ်။ ကိုသာသုံးစွဲမှုအတည်ပြုချက် status ကို update ပြုလုပ်နိုင်ပါသည်။
DocType: Email Digest,New Expenses,နယူးကုန်ကျစရိတ်
DocType: Purchase Invoice,Additional Discount Amount,အပိုဆောင်းလျှော့ငွေပမာဏ
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","အတန်း # {0}: item ကိုသတ်မှတ်ထားတဲ့အရာတစ်ခုပါပဲအဖြစ်အရည်အတွက်, 1 ဖြစ်ရမည်။ မျိုးစုံအရည်အတွက်ကိုခွဲတန်းကိုသုံးပေးပါ။"
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","အတန်း # {0}: item ကိုသတ်မှတ်ထားတဲ့အရာတစ်ခုပါပဲအဖြစ်အရည်အတွက်, 1 ဖြစ်ရမည်။ မျိုးစုံအရည်အတွက်ကိုခွဲတန်းကိုသုံးပေးပါ။"
DocType: Leave Block List Allow,Leave Block List Allow,Allow Block List ကို Leave
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Abbr အလွတ်သို့မဟုတ်အာကာသမဖွစျနိုငျ
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr အလွတ်သို့မဟုတ်အာကာသမဖွစျနိုငျ
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,က Non-Group ကိုမှ Group က
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,အားကစား
DocType: Loan Type,Loan Name,ချေးငွေအမည်
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,အမှန်တကယ်စုစုပေါင်း
DocType: Student Siblings,Student Siblings,ကျောင်းသားမောင်နှမ
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,ယူနစ်
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,ကုမ္ပဏီသတ်မှတ် ကျေးဇူးပြု.
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,ယူနစ်
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,ကုမ္ပဏီသတ်မှတ် ကျေးဇူးပြု.
,Customer Acquisition and Loyalty,customer သိမ်းယူမှုနှင့်သစ္စာ
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,သင်ပယ်ချပစ္စည်းများစတော့ရှယ်ယာကိုထိန်းသိမ်းရာဂိုဒေါင်
DocType: Production Order,Skip Material Transfer,ပစ္စည်းလွှဲပြောင်း Skip
DocType: Production Order,Skip Material Transfer,ပစ္စည်းလွှဲပြောင်း Skip
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,သော့ချက်နေ့စွဲ {2} များအတွက် {1} မှ {0} လဲလှယ်မှုနှုန်းကိုရှာဖွေမပေးနိုင်ပါ။ ကိုယ်တိုင်တစ်ငွေကြေးလဲလှယ်ရေးစံချိန်ဖန်တီး ကျေးဇူးပြု.
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,သင့်ရဲ့ဘဏ္ဍာရေးနှစ်တွင်အပေါ်အဆုံးသတ်
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,သော့ချက်နေ့စွဲ {2} များအတွက် {1} မှ {0} လဲလှယ်မှုနှုန်းကိုရှာဖွေမပေးနိုင်ပါ။ ကိုယ်တိုင်တစ်ငွေကြေးလဲလှယ်ရေးစံချိန်ဖန်တီး ကျေးဇူးပြု.
DocType: POS Profile,Price List,စျေးနှုန်းများစာရင်း
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} ယခုက default ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာဖြစ်ပါတယ်။ အကျိုးသက်ရောက်မှုယူမှအပြောင်းအလဲအတွက်သင့် browser refresh ပေးပါ။
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,စရိတ်စွပ်စွဲ
@@ -2016,14 +2032,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Batch အတွက်စတော့အိတ်ချိန်ခွင် {0} ဂိုဒေါင် {3} မှာ Item {2} သည် {1} အနုတ်လက္ခဏာဖြစ်လိမ့်မည်
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,အောက်ပါပစ္စည်းများတောင်းဆိုမှုများပစ္စည်းရဲ့ Re-အမိန့် level ကိုအပေါ်အခြေခံပြီးအလိုအလြောကျထမြောက်ကြပါပြီ
DocType: Email Digest,Pending Sales Orders,ဆိုင်းငံ့အရောင်းအမိန့်
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},အကောင့်ကို {0} မမှန်ကန်ဘူး။ အကောင့်ကိုငွေကြေးစနစ် {1} ဖြစ်ရပါမည်
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},အကောင့်ကို {0} မမှန်ကန်ဘူး။ အကောင့်ကိုငွေကြေးစနစ် {1} ဖြစ်ရပါမည်
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM ကူးပြောင်းခြင်းအချက်အတန်း {0} အတွက်လိုအပ်သည်
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",အတန်း # {0}: ကိုးကားစရာစာရွက်စာတမ်းအမျိုးအစားအရောင်းအမိန့်အရောင်းပြေစာသို့မဟုတ်ဂျာနယ် Entry တယောက်ဖြစ်ရပါမည်
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",အတန်း # {0}: ကိုးကားစရာစာရွက်စာတမ်းအမျိုးအစားအရောင်းအမိန့်အရောင်းပြေစာသို့မဟုတ်ဂျာနယ် Entry တယောက်ဖြစ်ရပါမည်
DocType: Salary Component,Deduction,သဘောအယူအဆ
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,အတန်း {0}: အချိန်နှင့်ရန်အချိန် မှစ. မဖြစ်မနေဖြစ်ပါတယ်။
DocType: Stock Reconciliation Item,Amount Difference,ငွေပမာဏ Difference
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},item စျေးနှုန်းကိုစျေးနှုန်းကိုစာရင်း {1} အတွက် {0} များအတွက်ဖြည့်စွက်
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},item စျေးနှုန်းကိုစျေးနှုန်းကိုစာရင်း {1} အတွက် {0} များအတွက်ဖြည့်စွက်
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,ဒီအရောင်းလူတစ်ဦး၏န်ထမ်း Id ကိုရိုက်ထည့်ပေးပါ
DocType: Territory,Classification of Customers by region,ဒေသအားဖြင့် Customer များ၏ခွဲခြား
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,ကွာခြားချက်ပမာဏသုညဖြစ်ရပါမည်
@@ -2035,21 +2051,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,စုစုပေါင်းထုတ်ယူ
,Production Analytics,ထုတ်လုပ်မှု Analytics မှ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,ကုန်ကျစရိတ် Updated
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,ကုန်ကျစရိတ် Updated
DocType: Employee,Date of Birth,မွေးနေ့
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,item {0} ပြီးသားပြန်ထားပြီ
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,item {0} ပြီးသားပြန်ထားပြီ
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာ ** တစ်ဘဏ္ဍာရေးတစ်နှစ်တာကိုကိုယ်စားပြုပါတယ်။ အားလုံးသည်စာရင်းကိုင် posts များနှင့်အခြားသောအဓိကကျသည့်ကိစ္စများကို ** ** ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာဆန့်ကျင်ခြေရာခံထောက်လှမ်းနေကြပါတယ်။
DocType: Opportunity,Customer / Lead Address,customer / ခဲလိပ်စာ
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},သတိပေးချက်: attachment ကို {0} အပေါ်မမှန်ကန်ခြင်း SSL ကိုလက်မှတ်ကို
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},သတိပေးချက်: attachment ကို {0} အပေါ်မမှန်ကန်ခြင်း SSL ကိုလက်မှတ်ကို
DocType: Student Admission,Eligibility,အရည်အချင်းများ
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","ဦးဆောင်လမ်းပြသင့်ရဲ့ဆောင်အဖြစ်အားလုံးသင့်ရဲ့အဆက်အသွယ်နဲ့ပိုပြီး add, သင်စီးပွားရေးလုပ်ငန်း get ကူညီ"
DocType: Production Order Operation,Actual Operation Time,အမှန်တကယ်စစ်ဆင်ရေးအချိန်
DocType: Authorization Rule,Applicable To (User),(အသုံးပြုသူ) ရန်သက်ဆိုင်သော
DocType: Purchase Taxes and Charges,Deduct,နှုတ်ယူ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,လုပ်ငန်းတာဝန်သတ်မှတ်ချက်
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,လုပ်ငန်းတာဝန်သတ်မှတ်ချက်
DocType: Student Applicant,Applied,အသုံးချ
DocType: Sales Invoice Item,Qty as per Stock UOM,စတော့အိတ် UOM နှုန်းအဖြစ် Qty
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2 အမည်
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 အမည်
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","မှလွဲ. အထူးဇာတ်ကောင် "-", "#", "။ " နှင့် "/" စီးရီးအမည်အတွက်ခွင့်မပြု"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","အရောင်းစည်းရုံးလှုပ်ရှားမှု၏ Track အောင်ထားပါ။ ရင်းနှီးမြှုပ်နှံမှုအပေါ်သို့ပြန်သွားသည်ကိုခန့်မှန်းရန်လှုံ့ဆော်မှုများအနေဖြင့်စသည်တို့ကိုအရောင်းအမိန့်, ကိုးကားချက်များ, ခဲခြေရာခံစောင့်ရှောက်ကြလော့။"
DocType: Expense Claim,Approver,ခွင့်ပြုချက်
@@ -2060,8 +2076,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},serial No {0} {1} ထိအာမခံအောက်မှာဖြစ်ပါတယ်
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,packages များသို့ Delivery Note ကို Split ။
apps/erpnext/erpnext/hooks.py +87,Shipments,တင်ပို့ရောင်းချမှု
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,ဂိုဒေါင်များအတွက်အကောင့်လက်ကျန်ငွေ ({0}) {1} နှင့်စတော့ရှယ်ယာတန်ဖိုး ({2}) {3} အတူတူပင်ဖြစ်ရပါမည်
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,ဂိုဒေါင်များအတွက်အကောင့်လက်ကျန်ငွေ ({0}) {1} နှင့်စတော့ရှယ်ယာတန်ဖိုး ({2}) {3} အတူတူပင်ဖြစ်ရပါမည်
DocType: Payment Entry,Total Allocated Amount (Company Currency),စုစုပေါင်းခွဲဝေငွေပမာဏ (ကုမ္ပဏီငွေကြေးစနစ်)
DocType: Purchase Order Item,To be delivered to customer,ဖောက်သည်မှကယ်နှုတ်တော်မူ၏ခံရဖို့
DocType: BOM,Scrap Material Cost,အပိုင်းအစပစ္စည်းကုန်ကျစရိတ်
@@ -2069,21 +2083,22 @@
DocType: Purchase Invoice,In Words (Company Currency),စကား (ကုမ္ပဏီငွေကြေးစနစ်) တွင်
DocType: Asset,Supplier,ကုန်သွင်းသူ
DocType: C-Form,Quarter,လေးပုံတစ်ပုံ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,အထွေထွေအသုံးစရိတ်များ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,အထွေထွေအသုံးစရိတ်များ
DocType: Global Defaults,Default Company,default ကုမ္ပဏီ
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,စရိတ်သို့မဟုတ် Difference အကောင့်ကိုကသက်ရောက်မှုအဖြစ် Item {0} ခြုံငုံစတော့ရှယ်ယာတန်ဖိုးသည်တွေအတွက်မဖြစ်မနေဖြစ်ပါသည်
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,စရိတ်သို့မဟုတ် Difference အကောင့်ကိုကသက်ရောက်မှုအဖြစ် Item {0} ခြုံငုံစတော့ရှယ်ယာတန်ဖိုးသည်တွေအတွက်မဖြစ်မနေဖြစ်ပါသည်
DocType: Payment Request,PR,PR စနစ်
DocType: Cheque Print Template,Bank Name,ဘဏ်မှအမည်
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Above
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Above
DocType: Employee Loan,Employee Loan Account,ဝန်ထမ်းချေးငွေအကောင့်
DocType: Leave Application,Total Leave Days,စုစုပေါင်းထွက်ခွာ Days
DocType: Email Digest,Note: Email will not be sent to disabled users,မှတ်ချက်: အီးမေးလ်မသန်မစွမ်းအသုံးပြုသူများထံသို့စေလွှတ်လိမ့်မည်မဟုတ်ပေ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Interaction အရေအတွက်
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Interaction အရေအတွက်
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,item Code ကို> item Group မှ> အမှတ်တံဆိပ်
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,ကုမ္ပဏီကိုရွေးချယ်ပါ ...
DocType: Leave Control Panel,Leave blank if considered for all departments,အားလုံးဌာနများစဉ်းစားလျှင်အလွတ် Leave
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","အလုပ်အကိုင်အခွင့်အအမျိုးအစားများ (ရာသက်ပန်, စာချုပ်, အလုပ်သင်ဆရာဝန်စသည်တို့) ။"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} Item {1} သည်မသင်မနေရ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} Item {1} သည်မသင်မနေရ
DocType: Process Payroll,Fortnightly,နှစ်ပတ်တ
DocType: Currency Exchange,From Currency,ငွေကြေးစနစ်ကနေ
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","atleast တယောက်အတန်းအတွက်ခွဲဝေငွေပမာဏ, ပြေစာ Type နှင့်ပြေစာနံပါတ်ကို select ကျေးဇူးပြု."
@@ -2106,7 +2121,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,အချိန်ဇယားအရ '' Generate ဇယား '' ကို click ပါ ကျေးဇူးပြု.
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,အောက်ပါအချိန်ဇယားဖျက်နေစဉ်အမှားအယွင်းများရှိခဲ့သည်:
DocType: Bin,Ordered Quantity,အမိန့်ပမာဏ
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",ဥပမာ "လက်သမားသည် tools တွေကို Build"
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",ဥပမာ "လက်သမားသည် tools တွေကို Build"
DocType: Grading Scale,Grading Scale Intervals,ဂမ်စကေး Interval
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: {3}: {2} ကိုသာငွေကြေးဖန်ဆင်းနိုင်ပါတယ်များအတွက်စာရင်းကိုင် Entry '
DocType: Production Order,In Process,Process ကိုအတွက်
@@ -2121,12 +2136,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} ကျောင်းသားအဖွဲ့များကိုဖန်တီးခဲ့တယ်။
DocType: Sales Invoice,Total Billing Amount,စုစုပေါင်း Billing ငွေပမာဏ
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,အလုပ်အားဤအဘို့အဖွင့်ထားတဲ့ default အနေနဲ့ဝင်လာသောအီးမေးလ်အကောင့်ရှိပါတယ်ဖြစ်ရမည်။ ကျေးဇူးပြု. setup ကိုတစ်ဦးက default အဝင်အီးမေးလ်အကောင့် (POP / IMAP) ကိုထပ်ကြိုးစားပါ။
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,receiver အကောင့်
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},အတန်း # {0}: ပိုင်ဆိုင်မှု {1} {2} ပြီးသားဖြစ်ပါတယ်
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,receiver အကောင့်
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},အတန်း # {0}: ပိုင်ဆိုင်မှု {1} {2} ပြီးသားဖြစ်ပါတယ်
DocType: Quotation Item,Stock Balance,စတော့အိတ် Balance
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,ငွေပေးချေမှုရမည့်မှအရောင်းအမိန့်
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Setup ကို> Setting> အမည်ဖြင့်သမုတ်စီးရီးကနေတဆင့် {0} များအတွက်စီးရီးအမည်ဖြင့်သမုတ်သတ်မှတ်ထား ကျေးဇူးပြု.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,စီအီးအို
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,စီအီးအို
DocType: Expense Claim Detail,Expense Claim Detail,စရိတ်တောင်းဆိုမှုများ Detail
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,မှန်ကန်သောအကောင့်ကို select လုပ်ပါ ကျေးဇူးပြု.
DocType: Item,Weight UOM,အလေးချိန် UOM
@@ -2135,12 +2149,12 @@
DocType: Production Order Operation,Pending,လာမည့်
DocType: Course,Course Name,သင်တန်းအမည်
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,အတိအကျန်ထမ်းရဲ့ခွင့်ပလီကေးရှင်းကိုအတည်ပြုနိုင်သူသုံးစွဲသူများက
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Office ကိုပစ္စည်းများ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Office ကိုပစ္စည်းများ
DocType: Purchase Invoice Item,Qty,Qty
DocType: Fiscal Year,Companies,ကုမ္ပဏီများ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,အီလက်ထရောနစ်
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,စတော့ရှယ်ယာပြန်လည်မိန့်အဆင့်ရောက်ရှိသည့်အခါပစ္စည်းတောင်းဆိုမှုမြှင်
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,အချိန်ပြည့်
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,အချိန်ပြည့်
DocType: Salary Structure,Employees,န်ထမ်း
DocType: Employee,Contact Details,ဆက်သွယ်ရန်အသေးစိတ်
DocType: C-Form,Received Date,ရရှိထားသည့်နေ့စွဲ
@@ -2150,7 +2164,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,စျေးစာရင်းမသတ်မှတ်လျှင်စျေးနှုန်းများပြလိမ့်မည်မဟုတ်
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,ဒီအသဘောင်္တင်စိုးမိုးရေးများအတွက်တိုင်းပြည် specify သို့မဟုတ် Worldwide မှသဘောင်္တင်စစ်ဆေးပါ
DocType: Stock Entry,Total Incoming Value,စုစုပေါင်း Incoming Value တစ်ခု
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,debit ရန်လိုအပ်သည်
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,debit ရန်လိုအပ်သည်
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets သင့်ရဲ့အဖွဲ့ကအမှုကိုပြု Activite ဘို့အချိန်, ကုန်ကျစရိတ်နှင့်ငွေတောင်းခံခြေရာခံစောင့်ရှောက်ကူညီပေးရန်"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,ဝယ်ယူစျေးနှုန်းများစာရင်း
DocType: Offer Letter Term,Offer Term,ကမ်းလှမ်းမှုကို Term
@@ -2159,17 +2173,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,ငွေပေးချေမှုရမည့်ပြန်လည်ရင်ကြားစေ့ရေး
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,Incharge ပုဂ္ဂိုလ်ရဲ့နာမညျကို select လုပ်ပါ ကျေးဇူးပြု.
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,နည်းပညာတက္ကသိုလ်
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},စုစုပေါင်းကြွေးကျန်: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},စုစုပေါင်းကြွေးကျန်: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM ဝက်ဘ်ဆိုက်စစ်ဆင်ရေး
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,ကမ်းလှမ်းမှုကိုပေးစာ
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,ပစ္စည်းတောင်းဆို (MRP) နှင့်ထုတ်လုပ်မှုအမိန့် Generate ။
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,စုစုပေါင်းငွေတောင်းခံလွှာ Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,စုစုပေါင်းငွေတောင်းခံလွှာ Amt
DocType: BOM,Conversion Rate,ပြောင်းလဲမှုနှုန်း
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,ကုန်ပစ္စည်းရှာရန်
DocType: Timesheet Detail,To Time,အချိန်မှ
DocType: Authorization Rule,Approving Role (above authorized value),(ခွင့်ပြုချက် value ကိုအထက်) အတည်ပြုအခန်းက္ပ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,အကောင့်ဖွင့်ရန်အကြွေးတစ်ပေးဆောင်အကောင့်ကိုရှိရမည်
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} {2} ၏မိဘသို့မဟုတ်ကလေးမဖွစျနိုငျ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,အကောင့်ဖွင့်ရန်အကြွေးတစ်ပေးဆောင်အကောင့်ကိုရှိရမည်
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} {2} ၏မိဘသို့မဟုတ်ကလေးမဖွစျနိုငျ
DocType: Production Order Operation,Completed Qty,ပြီးစီး Qty
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","{0} အဘို့, သာ debit အကောင့်အသစ်များ၏အခြားအကြွေး entry ကိုဆန့်ကျင်နှင့်ဆက်စပ်နိုင်"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,စျေးနှုန်းစာရင်း {0} ပိတ်ထားတယ်
@@ -2181,28 +2195,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,Item {1} များအတွက်လိုအပ်သော {0} Serial Number ။ သငျသညျ {2} ထောက်ပံ့ကြပါပြီ။
DocType: Stock Reconciliation Item,Current Valuation Rate,လက်ရှိအကောက်ခွန်တန်ဖိုးသတ်မှတ်မည် Rate
DocType: Item,Customer Item Codes,customer Item ကုဒ်တွေဟာ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,ချိန်း Gain / ပျောက်ဆုံးခြင်း
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,ချိန်း Gain / ပျောက်ဆုံးခြင်း
DocType: Opportunity,Lost Reason,ပျောက်ဆုံးသွားရသည့်အကြောင်းရင်း
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,နယူးလိပ်စာ
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,နယူးလိပ်စာ
DocType: Quality Inspection,Sample Size,နမူနာ Size အ
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,ငွေလက်ခံပြေစာစာရွက်စာတမ်းရိုက်ထည့်ပေးပါ
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,ပစ္စည်းများအားလုံးပြီးသား invoiced ပြီ
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,ပစ္စည်းများအားလုံးပြီးသား invoiced ပြီ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.','' အမှုအမှတ် မှစ. '' တရားဝင်သတ်မှတ် ကျေးဇူးပြု.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,နောက်ထပ်ကုန်ကျစရိတ်စင်တာများအဖွဲ့များအောက်မှာလုပ်နိုင်ပေမယ့် entries တွေကို Non-အဖွဲ့များဆန့်ကျင်စေနိုင်ပါတယ်
DocType: Project,External,external
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,အသုံးပြုသူများနှင့်ခွင့်ပြုချက်
DocType: Vehicle Log,VLOG.,ရုပ်ရှင်ဘလော့ဂ်။
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Created ထုတ်လုပ်မှုအမိန့်: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Created ထုတ်လုပ်မှုအမိန့်: {0}
DocType: Branch,Branch,အညွန့
DocType: Guardian,Mobile Number,လက်ကိုင်ဖုန်းနာပတ်
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,ပုံနှိပ်နှင့် Branding
DocType: Bin,Actual Quantity,အမှန်တကယ်ပမာဏ
DocType: Shipping Rule,example: Next Day Shipping,ဥပမာအား: Next ကိုနေ့ Shipping
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,{0} မတွေ့ရှိ serial No
-DocType: Scheduling Tool,Student Batch,ကျောင်းသားအသုတ်လိုက်
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,သင့် Customer
+DocType: Program Enrollment,Student Batch,ကျောင်းသားအသုတ်လိုက်
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,ကျောင်းသား Make
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},သငျသညျစီမံကိန်းကိုအပေါ်ပူးပေါင်းဖို့ဖိတ်ခေါ်ခဲ့ကြ: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},သငျသညျစီမံကိန်းကိုအပေါ်ပူးပေါင်းဖို့ဖိတ်ခေါ်ခဲ့ကြ: {0}
DocType: Leave Block List Date,Block Date,block နေ့စွဲ
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,အခုဆိုရင် Apply
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},အမှန်တကယ်အရည်အတွက် {0} / စောငျ့အရည်အတွက် {1}
@@ -2212,7 +2225,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Create နှင့်နေ့စဉ်စီမံခန့်ခွဲ, အပတ်စဉ်ထုတ်နှင့်လစဉ်အီးမေးလ် digests ။"
DocType: Appraisal Goal,Appraisal Goal,စိစစ်ရေးဂိုး
DocType: Stock Reconciliation Item,Current Amount,လက်ရှိပမာဏ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,အဆောက်အဦးများ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,အဆောက်အဦးများ
DocType: Fee Structure,Fee Structure,အခကြေးငွေဖွဲ့စည်းပုံ
DocType: Timesheet Detail,Costing Amount,ငွေပမာဏကုန်ကျ
DocType: Student Admission,Application Fee,လျှောက်လွှာကြေး
@@ -2224,10 +2237,10 @@
DocType: POS Profile,[Select],[ရွေးပါ]
DocType: SMS Log,Sent To,ရန်ကိုစလှေတျ
DocType: Payment Request,Make Sales Invoice,အရောင်းပြေစာလုပ်ပါ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,softwares
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,softwares
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Next ကိုဆက်သွယ်ပါနေ့စွဲအတိတ်ထဲမှာမဖွစျနိုငျ
DocType: Company,For Reference Only.,သာလျှင်ကိုးကားစရာသည်။
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,ကို Select လုပ်ပါအသုတ်လိုက်အဘယ်သူမျှမ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,ကို Select လုပ်ပါအသုတ်လိုက်အဘယ်သူမျှမ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},မမှန်ကန်ခြင်း {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,ကြိုတင်ငွေပမာဏ
@@ -2237,15 +2250,15 @@
DocType: Employee,Employment Details,အလုပ်အကိုင်အခွင့်အအသေးစိတ်ကို
DocType: Employee,New Workplace,နယူးလုပ်ငန်းခွင်
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,ပိတ်ထားသောအဖြစ် Set
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Barcode {0} နှင့်အတူမရှိပါ Item
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Barcode {0} နှင့်အတူမရှိပါ Item
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,အမှုနံပါတ် 0 မဖြစ်နိုင်
DocType: Item,Show a slideshow at the top of the page,စာမျက်နှာ၏ထိပ်မှာတစ်ဆလိုက်ရှိုးပြရန်
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,စတိုးဆိုင်များ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,စတိုးဆိုင်များ
DocType: Serial No,Delivery Time,ပို့ဆောင်ချိန်
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Ageing အခြေပြုတွင်
DocType: Item,End of Life,အသက်တာ၏အဆုံး
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,ခရီးသွား
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,ခရီးသွား
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,ပေးထားသောရက်စွဲများအတွက်ဝန်ထမ်း {0} ဘို့မျှမတွေ့တက်ကြွသို့မဟုတ် default အနေနဲ့လစာဖွဲ့စည်းပုံ
DocType: Leave Block List,Allow Users,Allow အသုံးပြုသူများ
DocType: Purchase Order,Customer Mobile No,ဖောက်သည်ကို Mobile မရှိပါ
@@ -2254,29 +2267,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Update ကိုကုန်ကျစရိတ်
DocType: Item Reorder,Item Reorder,item Reorder
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Show ကိုလစာစလစ်ဖြတ်ပိုင်းပုံစံ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,ပစ္စည်းလွှဲပြောင်း
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,ပစ္စည်းလွှဲပြောင်း
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",အဆိုပါစစ်ဆင်ရေးကိုသတ်မှတ်မှာ operating ကုန်ကျစရိတ်နှင့်သင်တို့၏စစ်ဆင်ရေးမှတစ်မူထူးခြားစစ်ဆင်ရေးမျှမပေး။
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,ဤစာရွက်စာတမ်းကို item {4} ဘို့ {0} {1} အားဖြင့်ကန့်သတ်ကျော်ပြီဖြစ်ပါသည်။ သငျသညျ {2} အတူတူဆန့်ကျင်သည်အခြား {3} လုပ်နေပါတယ်?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,ချွေပြီးနောက်ထပ်တလဲလဲသတ်မှတ်ထားပေးပါ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,ပြောင်းလဲမှုငွေပမာဏကိုအကောင့်ကို Select လုပ်ပါ
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,ဤစာရွက်စာတမ်းကို item {4} ဘို့ {0} {1} အားဖြင့်ကန့်သတ်ကျော်ပြီဖြစ်ပါသည်။ သငျသညျ {2} အတူတူဆန့်ကျင်သည်အခြား {3} လုပ်နေပါတယ်?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,ချွေပြီးနောက်ထပ်တလဲလဲသတ်မှတ်ထားပေးပါ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,ပြောင်းလဲမှုငွေပမာဏကိုအကောင့်ကို Select လုပ်ပါ
DocType: Purchase Invoice,Price List Currency,စျေးနှုန်း List ကိုငွေကြေးစနစ်
DocType: Naming Series,User must always select,အသုံးပြုသူအမြဲရွေးချယ်ရမည်
DocType: Stock Settings,Allow Negative Stock,အပြုသဘောမဆောင်သောစတော့အိတ် Allow
DocType: Installation Note,Installation Note,Installation မှတ်ချက်
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,အခွန် Add
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,အခွန် Add
DocType: Topic,Topic,အကွောငျး
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,ဘဏ္ဍာရေးထံမှငွေကြေးစီးဆင်းမှု
DocType: Budget Account,Budget Account,ဘတ်ဂျက်အကောင့်
DocType: Quality Inspection,Verified By,By Verified
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","လက်ရှိအရောင်းအရှိပါသည်ကြောင့်, ကုမ္ပဏီ၏ default ငွေကြေးမပြောင်းနိုင်ပါတယ်။ အရောင်းအကို default ငွေကြေးပြောင်းလဲဖို့ဖျက်သိမ်းရပါမည်။"
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","လက်ရှိအရောင်းအရှိပါသည်ကြောင့်, ကုမ္ပဏီ၏ default ငွေကြေးမပြောင်းနိုင်ပါတယ်။ အရောင်းအကို default ငွေကြေးပြောင်းလဲဖို့ဖျက်သိမ်းရပါမည်။"
DocType: Grading Scale Interval,Grade Description,grade ဖျေါပွခကျြ
DocType: Stock Entry,Purchase Receipt No,ဝယ်ယူခြင်းပြေစာမရှိ
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,စားရန်ဖြစ်တော်မူ၏ငွေ
DocType: Process Payroll,Create Salary Slip,လစာစလစ်ဖြတ်ပိုင်းပုံစံ Create
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Traceability
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),ရန်ပုံငွေ၏ source (စိစစ်)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},အတန်းအတွက်အရေအတွက် {0} ({1}) ထုတ်လုပ်သောအရေအတွက် {2} အဖြစ်အတူတူသာဖြစ်ရမည်
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),ရန်ပုံငွေ၏ source (စိစစ်)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},အတန်းအတွက်အရေအတွက် {0} ({1}) ထုတ်လုပ်သောအရေအတွက် {2} အဖြစ်အတူတူသာဖြစ်ရမည်
DocType: Appraisal,Employee,လုပ်သား
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,ကို Select လုပ်ပါအသုတ်လိုက်
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} အပြည့်အဝကြေညာတာဖြစ်ပါတယ်
DocType: Training Event,End Time,အဆုံးအချိန်
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,ပေးထားသောရက်စွဲများများအတွက်ဝန်ထမ်း {1} တွေ့ရှိ active လစာဖွဲ့စည်းပုံ {0}
@@ -2288,11 +2302,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,တွင်လိုအပ်သော
DocType: Rename Tool,File to Rename,Rename မှ File
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Row {0} အတွက် Item ဘို့ BOM ကို select လုပ်ပါကျေးဇူးပြုပြီး
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},သတ်မှတ်ထားသော BOM {0} Item {1} သည်မတည်ရှိပါဘူး
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},အကောင့် {0} အကောင့်၏ Mode တွင်ကုမ္ပဏီ {1} နှင့်အတူမကိုက်ညီ: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},သတ်မှတ်ထားသော BOM {0} Item {1} သည်မတည်ရှိပါဘူး
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,ပြုပြင်ထိန်းသိမ်းမှုဇယား {0} ဒီအရောင်းအမိန့်ကိုပယ်ဖျက်မီဖျက်သိမ်းရပါမည်
DocType: Notification Control,Expense Claim Approved,စရိတ်တောင်းဆိုမှုများ Approved
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,ဝန်ထမ်း၏လစာစလစ်ဖြတ်ပိုင်းပုံစံ {0} ပြီးသားဤကာလအဘို့ဖန်တီး
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,ဆေးဝါး
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,ဆေးဝါး
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,ဝယ်ယူပစ္စည်းများ၏ကုန်ကျစရိတ်
DocType: Selling Settings,Sales Order Required,အရောင်းအမိန့်လိုအပ်ပါသည်
DocType: Purchase Invoice,Credit To,ခရက်ဒစ်ရန်
@@ -2309,43 +2324,43 @@
DocType: Payment Gateway Account,Payment Account,ငွေပေးချေမှုရမည့်အကောင့်
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,ဆက်လက်ဆောင်ရွက်ရန်ကုမ္ပဏီသတ်မှတ် ကျေးဇူးပြု.
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Accounts ကို receiver များတွင် Net က Change ကို
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,ပိတ် Compensatory
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,ပိတ် Compensatory
DocType: Offer Letter,Accepted,လက်ခံထားတဲ့
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,အဖှဲ့အစညျး
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,အဖှဲ့အစညျး
DocType: SG Creation Tool Course,Student Group Name,ကျောင်းသားအုပ်စုအမည်
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,သင်အမှန်တကယ်ဒီကုမ္ပဏီပေါင်းသည်တလုံးငွေကြေးလွှဲပြောင်းပယ်ဖျက်လိုသေချာအောင်လေ့လာပါ။ ထိုသို့အဖြစ်သင်၏သခင်ဒေတာဖြစ်နေလိမ့်မယ်။ ဤ action ပြင်. မရပါ။
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,သင်အမှန်တကယ်ဒီကုမ္ပဏီပေါင်းသည်တလုံးငွေကြေးလွှဲပြောင်းပယ်ဖျက်လိုသေချာအောင်လေ့လာပါ။ ထိုသို့အဖြစ်သင်၏သခင်ဒေတာဖြစ်နေလိမ့်မယ်။ ဤ action ပြင်. မရပါ။
DocType: Room,Room Number,အခန်းနံပတ်
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},မမှန်ကန်ခြင်းရည်ညွှန်းကိုးကား {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ထုတ်လုပ်မှုအမိန့် {3} အတွက်စီစဉ်ထား quanitity ({2}) ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
DocType: Shipping Rule,Shipping Rule Label,သဘောင်္တင်ခ Rule Label
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,အသုံးပြုသူဖိုရမ်
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,ကုန်ကြမ်းပစ္စည်းများအလွတ်မဖြစ်နိုင်။
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","ငွေတောင်းခံလွှာတစ်စက်ရေကြောင်းကို item များပါရှိသည်, စတော့ရှယ်ယာကို update မရနိုင်ပါ။"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,ကုန်ကြမ်းပစ္စည်းများအလွတ်မဖြစ်နိုင်။
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","ငွေတောင်းခံလွှာတစ်စက်ရေကြောင်းကို item များပါရှိသည်, စတော့ရှယ်ယာကို update မရနိုင်ပါ။"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,လျင်မြန်စွာ Journal မှ Entry '
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,BOM ဆိုတဲ့ item agianst ဖော်ပြခဲ့သောဆိုရင်နှုန်းကိုမပြောင်းနိုင်ပါ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,BOM ဆိုတဲ့ item agianst ဖော်ပြခဲ့သောဆိုရင်နှုန်းကိုမပြောင်းနိုင်ပါ
DocType: Employee,Previous Work Experience,ယခင်လုပ်ငန်းအတွေ့အကြုံ
DocType: Stock Entry,For Quantity,ပမာဏများအတွက်
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},အတန်းမှာ Item {0} သည်စီစဉ်ထားသော Qty ကိုရိုက်သွင်းပါ {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} တင်သွင်းသည်မဟုတ်
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,ပစ္စည်းများသည်တောင်းဆိုမှုများ။
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,အသီးအသီးကောင်းဆောင်းပါးတပုဒ်ကိုလက်စသတ်သည်သီးခြားထုတ်လုပ်မှုအမိန့်ကိုဖန်တီးလိမ့်မည်။
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} ပြန်လာစာရွက်စာတမ်းအတွက်အနုတ်လက္ခဏာဖြစ်ရပါမည်
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} ပြန်လာစာရွက်စာတမ်းအတွက်အနုတ်လက္ခဏာဖြစ်ရပါမည်
,Minutes to First Response for Issues,ကိစ္စများများအတွက်ပထမဦးဆုံးတုံ့ပြန်မှုမှမိနစ်
DocType: Purchase Invoice,Terms and Conditions1,စည်းကမ်းချက်များနှင့် Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,သငျသညျဤစနစ်တည်ထောင်ထားတဲ့များအတွက်အဖွဲ့အစည်း၏နာမတော်။
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,သငျသညျဤစနစ်တည်ထောင်ထားတဲ့များအတွက်အဖွဲ့အစည်း၏နာမတော်။
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",ဒီ up to date ဖြစ်နေအေးခဲစာရင်းကိုင် entry ကိုဘယ်သူမှလုပ်နိုင် / အောက်တွင်သတ်မှတ်ထားသောအခန်းကဏ္ဍ မှလွဲ. entry ကို modify ။
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,ပြုပြင်ထိန်းသိမ်းမှုအချိန်ဇယားထုတ်လုပ်ဖို့ရှေ့တော်၌ထိုစာရွက်စာတမ်းကိုကယ်တင် ကျေးဇူးပြု.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,စီမံချက်လက်ရှိအခြေအနေ
DocType: UOM,Check this to disallow fractions. (for Nos),အပိုငျးအမြစ်တားရန်ဤစစ်ဆေးပါ။ (အမှတ်အတွက်)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,အောက်ပါထုတ်လုပ်မှုအမိန့်ကိုဖန်ဆင်းခဲ့သည်:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,အောက်ပါထုတ်လုပ်မှုအမိန့်ကိုဖန်ဆင်းခဲ့သည်:
DocType: Student Admission,Naming Series (for Student Applicant),(ကျောင်းသားလျှောက်ထားသူအတွက်) စီးရီးအမည်ဖြင့်သမုတ်
DocType: Delivery Note,Transporter Name,Transporter အမည်
DocType: Authorization Rule,Authorized Value,Authorized Value ကို
DocType: BOM,Show Operations,Show ကိုစစ်ဆင်ရေး
,Minutes to First Response for Opportunity,အခွင့်အလမ်းများအတွက်ပထမဦးဆုံးတုံ့ပြန်မှုမှမိနစ်
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,စုစုပေါင်းပျက်ကွက်
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,အတန်းသည် item သို့မဟုတ်ဂိုဒေါင် {0} ပစ္စည်းတောင်းဆိုမှုနှင့်ကိုက်ညီပါဘူး
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,အတန်းသည် item သို့မဟုတ်ဂိုဒေါင် {0} ပစ္စည်းတောင်းဆိုမှုနှင့်ကိုက်ညီပါဘူး
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,တိုင်း၏ယူနစ်
DocType: Fiscal Year,Year End Date,တစ်နှစ်တာအဆုံးနေ့စွဲ
DocType: Task Depends On,Task Depends On,Task အပေါ်မူတည်
@@ -2425,11 +2440,11 @@
DocType: Asset,Manual,လက်စွဲ
DocType: Salary Component Account,Salary Component Account,လစာစိတျအပိုငျးအကောင့်
DocType: Global Defaults,Hide Currency Symbol,ငွေကြေးစနစ်သင်္ကေတဝှက်
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","ဥပမာဘဏ်, ငွေ, Credit Card ကို"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","ဥပမာဘဏ်, ငွေ, Credit Card ကို"
DocType: Lead Source,Source Name,source အမည်
DocType: Journal Entry,Credit Note,ခရက်ဒစ်မှတ်ချက်
DocType: Warranty Claim,Service Address,Service ကိုလိပ်စာ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,ပရိဘောဂများနှင့်ပွဲတွင်
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,ပရိဘောဂများနှင့်ပွဲတွင်
DocType: Item,Manufacture,ပြုလုပ်
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,ပထမဦးဆုံး Delivery Note ကိုနှစ်သက်သော
DocType: Student Applicant,Application Date,လျှောက်လွှာနေ့စွဲ
@@ -2439,7 +2454,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,ရှင်းလင်းရေးနေ့စွဲဖော်ပြခဲ့သောမဟုတ်
apps/erpnext/erpnext/config/manufacturing.py +7,Production,ထုတ်လုပ်မှု
DocType: Guardian,Occupation,အလုပ်အကိုင်
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,လူ့စွမ်းအားအရင်းအမြစ်အတွက် System ကိုအမည်ဖြင့်သမုတ် ကျေးဇူးပြု. setup ကိုထမ်း> HR က Settings
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,row {0}: Start ကိုနေ့စွဲ End Date ကိုခင်ဖြစ်ရမည်
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),စုစုပေါင်း (Qty)
DocType: Sales Invoice,This Document,ဒီစာရွက်စာတမ်း
@@ -2451,20 +2465,20 @@
DocType: Purchase Receipt,Time at which materials were received,ပစ္စည်းများလက်ခံရရှိခဲ့ကြသည်မှာအချိန်
DocType: Stock Ledger Entry,Outgoing Rate,outgoing Rate
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,"အစည်းအရုံး, အခက်အလက်မာစတာ။"
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,သို့မဟုတ်
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,သို့မဟုတ်
DocType: Sales Order,Billing Status,ငွေတောင်းခံနဲ့ Status
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,တစ်ဦး Issue သတင်းပို့
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Utility ကိုအသုံးစရိတ်များ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Utility ကိုအသုံးစရိတ်များ
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-အထက်
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,အတန်း # {0}: ဂျာနယ် Entry '{1} အကောင့် {2} ရှိသည်သို့မဟုတ်ပြီးသားအခြားဘောက်ချာဆန့်ကျင်လိုက်ဖက်ပါဘူး
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,အတန်း # {0}: ဂျာနယ် Entry '{1} အကောင့် {2} ရှိသည်သို့မဟုတ်ပြီးသားအခြားဘောက်ချာဆန့်ကျင်လိုက်ဖက်ပါဘူး
DocType: Buying Settings,Default Buying Price List,default ဝယ်ယူစျေးနှုန်းများစာရင်း
DocType: Process Payroll,Salary Slip Based on Timesheet,Timesheet အပေါ်အခြေခံပြီးလစာစလစ်ဖြတ်ပိုင်းပုံစံ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,အထက်ပါရွေးချယ်ထားသောစံနှုန်းများကို OR လစာစလစ်အဘို့အဘယ်သူမျှမကန်ထမ်းပြီးသားနေသူများကဖန်တီး
DocType: Notification Control,Sales Order Message,အရောင်းအမှာစာ
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","ကုမ္ပဏီ, ငွေကြေးစနစ်, လက်ရှိဘဏ္ဍာရေးနှစ်တစ်နှစ်တာစသည်တို့ကိုတူ Set Default တန်ဖိုးများ"
DocType: Payment Entry,Payment Type,ငွေပေးချေမှုရမည့် Type
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Item {0} များအတွက်အသုတ်လိုက်ရွေးပါ။ ဒီလိုအပ်ချက်ပြည့်တဲ့တစ်ခုတည်းသောအသုတ်ကိုရှာဖွေနိုင်ခြင်း
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Item {0} များအတွက်အသုတ်လိုက်ရွေးပါ။ ဒီလိုအပ်ချက်ပြည့်တဲ့တစ်ခုတည်းသောအသုတ်ကိုရှာဖွေနိုင်ခြင်း
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Item {0} များအတွက်အသုတ်လိုက်ရွေးပါ။ ဒီလိုအပ်ချက်ပြည့်တဲ့တစ်ခုတည်းသောအသုတ်ကိုရှာဖွေနိုင်ခြင်း
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Item {0} များအတွက်အသုတ်လိုက်ရွေးပါ။ ဒီလိုအပ်ချက်ပြည့်တဲ့တစ်ခုတည်းသောအသုတ်ကိုရှာဖွေနိုင်ခြင်း
DocType: Process Payroll,Select Employees,ဝန်ထမ်းများကိုရွေးပါ
DocType: Opportunity,Potential Sales Deal,အလားအလာရှိသောအရောင်း Deal
DocType: Payment Entry,Cheque/Reference Date,Cheque တစ်စောင်လျှင် / ကိုးကားစရာနေ့စွဲ
@@ -2484,7 +2498,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,ငွေလက်ခံပြေစာစာရွက်စာတမ်းတင်ပြရဦးမည်
DocType: Purchase Invoice Item,Received Qty,Qty ရရှိထားသည့်
DocType: Stock Entry Detail,Serial No / Batch,serial No / Batch
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Paid နှင့်မကယ်မနှုတ်မရ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Paid နှင့်မကယ်မနှုတ်မရ
DocType: Product Bundle,Parent Item,မိဘ Item
DocType: Account,Account Type,Account Type
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2499,25 +2513,24 @@
DocType: Bin,Reserved Quantity,Reserved ပမာဏ
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,မှန်ကန်သော email address ကိုရိုက်ထည့်ပေးပါ
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,မှန်ကန်သော email address ကိုရိုက်ထည့်ပေးပါ
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},program ကို {0} အဘို့အဘယ်သူမျှမမဖြစ်မနေသင်တန်းရှိပါတယ်
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},program ကို {0} အဘို့အဘယ်သူမျှမမဖြစ်မနေသင်တန်းရှိပါတယ်
DocType: Landed Cost Voucher,Purchase Receipt Items,Receipt ပစ္စည်းများဝယ်ယူရန်
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,အထူးပြုလုပ်ခြင်း Form များ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,ပေးဆောငျရနျငှေကနျြ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,ပေးဆောငျရနျငှေကနျြ
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,ထိုကာလအတွင်းတန်ဖိုးပမာဏ
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,မသန်စွမ်း template ကို default အနေနဲ့ template ကိုမဖွစျရပါမညျ
DocType: Account,Income Account,ဝင်ငွေခွန်အကောင့်
DocType: Payment Request,Amount in customer's currency,ဖောက်သည်ရဲ့ငွေကြေးပမာဏ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,delivery
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,delivery
DocType: Stock Reconciliation Item,Current Qty,လက်ရှိ Qty
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",ပုဒ်မကုန်ကျမှာ "ပစ္စည်းများအခြေတွင်အမျိုးမျိုးနှုန်း" ကိုကြည့်ပါ
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,prev
DocType: Appraisal Goal,Key Responsibility Area,Key ကိုတာဝန်သိမှုဧရိယာ
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","ကျောင်းသား batch သင်ကျောင်းသားများအတွက်တက်ရောက်သူ, အကဲဖြတ်ခြင်းနှင့်အဖိုးအခကိုခြေရာခံကိုကူညီ"
DocType: Payment Entry,Total Allocated Amount,စုစုပေါင်းခွဲဝေပမာဏ
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,အစဉ်အမြဲစာရင်းမဘို့ရာခန့်က default စာရင်းအကောင့်
DocType: Item Reorder,Material Request Type,material တောင်းဆိုမှုကအမျိုးအစား
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},{0} {1} မှလစာများအတွက်တိကျမှန်ကန်ဂျာနယ် Entry '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage အပြည့်အဝဖြစ်ပါသည်, မကယ်တင်ခဲ့ဘူး"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage အပြည့်အဝဖြစ်ပါသည်, မကယ်တင်ခဲ့ဘူး"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,row {0}: UOM ကူးပြောင်းခြင်း Factor နဲ့မဖြစ်မနေဖြစ်ပါသည်
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Ref
DocType: Budget,Cost Center,ကုန်ကျစရိတ် Center က
@@ -2530,19 +2543,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","စျေးနှုန်းနည်းဥပဒေအချို့သတ်မှတ်ချက်များအပေါ်အခြေခံပြီး, လျှော့စျေးရာခိုင်နှုန်းသတ်မှတ် / စျေးနှုန်း List ကို overwrite မှလုပ်ဖြစ်ပါတယ်။"
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,ဂိုဒေါင်သာစတော့အိတ် Entry / Delivery မှတ်ချက် / ဝယ်ယူခြင်းပြေစာကနေတဆင့်ပြောင်းလဲနိုင်ပါသည်
DocType: Employee Education,Class / Percentage,class / ရေရာခိုင်နှုန်း
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,ဈေးကွက်နှင့်အရောင်း၏ဦးခေါင်းကို
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,ဝင်ငွေခွန်
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,ဈေးကွက်နှင့်အရောင်း၏ဦးခေါင်းကို
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,ဝင်ငွေခွန်
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","ရွေးချယ်ထားသည့်စျေးနှုန်းများ Rule 'စျေးနှုန်း' 'အဘို့သည်ဆိုပါကစျေးနှုန်း List ကို overwrite လုပ်သွားမှာ။ စျေးနှုန်း Rule စျေးနှုန်းနောက်ဆုံးစျေးနှုန်းဖြစ်ပါတယ်, ဒါကြောင့်အဘယ်သူမျှမကနောက်ထပ်လျှော့စျေးလျှောက်ထားရပါမည်။ ဒါကွောငျ့, အရောင်းအမိန့်, ဝယ်ယူခြင်းအမိန့်စသည်တို့ကဲ့သို့သောကိစ္စများကိုအတွက်ကြောင့်မဟုတ်ဘဲ '' စျေးနှုန်း List ကို Rate '' လယ်ပြင်ထက်, '' Rate '' လယ်ပြင်၌ခေါ်ယူသောအခါလိမ့်မည်။"
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Track စက်မှုလက်မှုလုပ်ငန်းရှင်များကအမျိုးအစားအားဖြင့် Leads ။
DocType: Item Supplier,Item Supplier,item ပေးသွင်း
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,အဘယ်သူမျှမသုတ်ရ Item Code ကိုရိုက်ထည့်ပေးပါ
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},{1} quotation_to {0} လို့တန်ဖိုးကို select ကျေးဇူးပြု.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,အဘယ်သူမျှမသုတ်ရ Item Code ကိုရိုက်ထည့်ပေးပါ
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},{1} quotation_to {0} လို့တန်ဖိုးကို select ကျေးဇူးပြု.
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,အားလုံးသည်လိပ်စာ။
DocType: Company,Stock Settings,စတော့အိတ် Settings ကို
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","အောက်ပါဂုဏ်သတ္တိနှစ်မျိုးလုံးမှတ်တမ်းများအတွက်တူညီသော အကယ်. merge သာဖြစ်နိုင်ပါတယ်။ အုပ်စု, Root Type, ကုမ္ပဏီဖြစ်ပါတယ်"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","အောက်ပါဂုဏ်သတ္တိနှစ်မျိုးလုံးမှတ်တမ်းများအတွက်တူညီသော အကယ်. merge သာဖြစ်နိုင်ပါတယ်။ အုပ်စု, Root Type, ကုမ္ပဏီဖြစ်ပါတယ်"
DocType: Vehicle,Electric,လျှပ်စစ်စွမ်းအား
DocType: Task,% Progress,% တိုးတက်ရေးပါတီ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,ပိုင်ဆိုင်မှုရှင်းအပေါ်အမြတ် / ပျောက်ဆုံးခြင်း
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,ပိုင်ဆိုင်မှုရှင်းအပေါ်အမြတ် / ပျောက်ဆုံးခြင်း
DocType: Training Event,Will send an email about the event to employees with status 'Open','' ပွင့်လင်း '' အဆင့်အတန်းနှင့်အတူန်ထမ်းမှအဖြစ်အပျက်နှင့် ပတ်သက်. အီးမေးလ်တစ်စောင်ပေးပို့ပါလိမ့်မယ်
DocType: Task,Depends on Tasks,လုပ်ငန်းများအပေါ်မူတည်
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,ဖောက်သည်အုပ်စု Tree Manage ။
@@ -2551,7 +2564,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,နယူးကုန်ကျစရိတ် Center ကအမည်
DocType: Leave Control Panel,Leave Control Panel,Control Panel ကို Leave
DocType: Project,Task Completion,task ကိုပြီးမြောက်ခြင်း
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,မစတော့အိတ်အတွက်
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,မစတော့အိတ်အတွက်
DocType: Appraisal,HR User,HR အသုံးပြုသူတို့၏
DocType: Purchase Invoice,Taxes and Charges Deducted,အခွန်နှင့်စွပ်စွဲချက်နုတ်ယူ
apps/erpnext/erpnext/hooks.py +116,Issues,အရေးကိစ္စများ
@@ -2562,22 +2575,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},{0} နှင့် {1} အကြားမျှမတွေ့လစာစလစ်
,Pending SO Items For Purchase Request,ဝယ်ယူခြင်းတောင်းဆိုခြင်းသည်ဆိုင်းငံ SO ပစ္စည်းများ
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,ကျောင်းသားသမဂ္ဂအဆင့်လက်ခံရေး
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} ကိုပိတ်ထားသည်
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} ကိုပိတ်ထားသည်
DocType: Supplier,Billing Currency,ငွေတောင်းခံငွေကြေးစနစ်
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,အပိုအကြီးစား
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,အပိုအကြီးစား
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,စုစုပေါင်းအရွက်
,Profit and Loss Statement,အမြတ်နှင့်အရှုံးထုတ်ပြန်ကြေညာချက်
DocType: Bank Reconciliation Detail,Cheque Number,Cheques နံပါတ်
,Sales Browser,အရောင်း Browser ကို
DocType: Journal Entry,Total Credit,စုစုပေါင်းချေးငွေ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},သတိပေးချက်: နောက်ထပ် {0} # {1} စတော့ရှယ်ယာ entry ကို {2} ဆန့်ကျင်ရှိတယျဆိုတာကို
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,ဒေသဆိုင်ရာ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,ဒေသဆိုင်ရာ
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),ချေးငွေနှင့်ကြိုတင်ငွေ (ပိုင်ဆိုင်မှုများ)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,ငျြ့ရမညျအကွောငျး
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,အကြီးစား
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,အကြီးစား
DocType: Homepage Featured Product,Homepage Featured Product,မူလစာမျက်နှာ Featured ကုန်ပစ္စည်း
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,အားလုံးအကဲဖြတ်အဖွဲ့များ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,အားလုံးအကဲဖြတ်အဖွဲ့များ
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,နယူးဂိုဒေါင်အမည်
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),စုစုပေါင်း {0} ({1})
DocType: C-Form Invoice Detail,Territory,နယျမွေ
@@ -2587,12 +2600,12 @@
DocType: Production Order Operation,Planned Start Time,စီစဉ်ထား Start ကိုအချိန်
DocType: Course,Assessment,အကဲဖြတ်
DocType: Payment Entry Reference,Allocated,ခွဲဝေ
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Balance Sheet နှင့်စာအုပ်အကျိုးအမြတ်သို့မဟုတ်ပျောက်ဆုံးခြင်းနီးကပ်။
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Balance Sheet နှင့်စာအုပ်အကျိုးအမြတ်သို့မဟုတ်ပျောက်ဆုံးခြင်းနီးကပ်။
DocType: Student Applicant,Application Status,လျှောက်လွှာအခြေအနေ
DocType: Fees,Fees,အဖိုးအခ
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,အခြားသို့တစျငွေကြေး convert မှချိန်း Rate ကိုသတ်မှတ်
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,စျေးနှုန်း {0} ဖျက်သိမ်းလိုက်
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,စုစုပေါင်းထူးချွန်ငွေပမာဏ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,စုစုပေါင်းထူးချွန်ငွေပမာဏ
DocType: Sales Partner,Targets,ပစ်မှတ်
DocType: Price List,Price List Master,စျေးနှုန်း List ကိုမဟာ
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,အားလုံးသည်အရောင်းငွေကြေးကိစ္စရှင်းလင်းမှုမျိုးစုံ ** အရောင်း Persons ဆန့်ကျင် tagged နိုင်ပါတယ် ** သင်ပစ်မှတ် ထား. စောင့်ကြည့်နိုင်အောင်။
@@ -2624,12 +2637,12 @@
1. Address and Contact of your Company.","အရောင်းနှင့်ဝယ်ယူထည့်သွင်းနိုင်ပါသည်က Standard စည်းကမ်းသတ်မှတ်ချက်များ။ ဥပမာ: ကမ်းလှမ်းမှုကို၏ 1. သက်တမ်းရှိ။ 1. ငွေပေးချေမှုရမည့်ဝေါဟာရများ (Advance မှာတော့ Credit တွင်တစ်စိတ်တစ်ပိုင်းကြိုတင်မဲစသည်တို့) ။ 1. အပို (သို့မဟုတ်ဖောက်သည်များကပေးဆောင်) သည်အဘယ်သို့။ 1. ဘေးကင်းရေး / အသုံးပြုမှုသတိပေးချက်ကို။ 1. အာမခံရှိလျှင်။ 1. မူဝါဒပြန်ပို့ပေးသည်။ သက်ဆိုင်လျှင်, တင်ပို့၏ 1. သက်မှတ်ချက်များ။ စသည်တို့အငြင်းပွားမှုများဖြေရှင်း၏ 1. နည်းလမ်းများ, လျော်ကြေး, တာဝန်ယူမှု, 1. လိပ်စာနှင့်သင့် Company ၏ဆက်သွယ်ရန်။"
DocType: Attendance,Leave Type,Type Leave
DocType: Purchase Invoice,Supplier Invoice Details,ပေးသွင်းငွေတောင်းခံလွှာအသေးစိတ်
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,စရိတ် / Difference အကောင့်ကို ({0}) တစ်ဦး '' အကျိုးအမြတ်သို့မဟုတ်ပျောက်ဆုံးခြင်း '' အကောင့်ကိုရှိရမည်
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,စရိတ် / Difference အကောင့်ကို ({0}) တစ်ဦး '' အကျိုးအမြတ်သို့မဟုတ်ပျောက်ဆုံးခြင်း '' အကောင့်ကိုရှိရမည်
DocType: Project,Copied From,မှစ. ကူးယူ
DocType: Project,Copied From,မှစ. ကူးယူ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},အမှားအမည်: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,ပြတ်လပ်မှု
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} {2} {3} နှင့်ဆက်စပ်ပါဘူး
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} {2} {3} နှင့်ဆက်စပ်ပါဘူး
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,ဝန်ထမ်း {0} သည်တက်ရောက်သူပြီးသားမှတ်သားသည်
DocType: Packing Slip,If more than one package of the same type (for print),(ပုံနှိပ်သည်) တူညီသောအမျိုးအစားတစ်ခုထက် ပို. package ကို အကယ်.
,Salary Register,လစာမှတ်ပုံတင်မည်
@@ -2647,22 +2660,23 @@
,Requested Qty,တောင်းဆိုထားသော Qty
DocType: Tax Rule,Use for Shopping Cart,စျေးဝယ်လှည်းအသုံးပြု
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Value ကို {0} Attribute ဘို့ {1} တရားဝင်ပစ္စည်းများ၏စာရင်းထဲတွင်မတည်ရှိပါဘူး Item {2} များအတွက်တန်ဖိုးများ Attribute
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Serial နံပါတ်များကိုရွေးချယ်ပါ
DocType: BOM Item,Scrap %,တစ်ရွက်%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection",စွဲချက်သင့်ရဲ့ရွေးချယ်မှုနှုန်းအဖြစ်ကို item qty သို့မဟုတ်ပမာဏအပေါ်အခြေခံပြီးအခြိုးအစားဖြန့်ဝေပါလိမ့်မည်
DocType: Maintenance Visit,Purposes,ရည်ရွယ်ချက်
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Atleast တယောက်ကို item ပြန်လာစာရွက်စာတမ်းအတွက်အနုတ်လက္ခဏာအရေအတွက်နှင့်အတူသို့ဝင်သင့်ပါတယ်
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Atleast တယောက်ကို item ပြန်လာစာရွက်စာတမ်းအတွက်အနုတ်လက္ခဏာအရေအတွက်နှင့်အတူသို့ဝင်သင့်ပါတယ်
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","စစ်ဆင်ရေး {0} ရှည်ကို Workstation {1} အတွက်မဆိုရရှိနိုင်အလုပ်လုပ်နာရီထက်, မျိုးစုံစစ်ဆင်ရေးသို့စစ်ဆင်ရေးဖြိုဖျက်"
,Requested,မေတ္တာရပ်ခံ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,အဘယ်သူမျှမမှတ်ချက်
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,အဘယ်သူမျှမမှတ်ချက်
DocType: Purchase Invoice,Overdue,မပွေကုနျနသော
DocType: Account,Stock Received But Not Billed,စတော့အိတ်ရရှိထားသည့်ဒါပေမဲ့ကြေညာတဲ့မ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,အမြစ်သည်အကောင့်ကိုအဖွဲ့တစ်ဖွဲ့ဖြစ်ရပါမည်
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,အမြစ်သည်အကောင့်ကိုအဖွဲ့တစ်ဖွဲ့ဖြစ်ရပါမည်
DocType: Fees,FEE.,ခ။
DocType: Employee Loan,Repaid/Closed,ဆပ် / ပိတ်သည်
DocType: Item,Total Projected Qty,စုစုပေါင်းစီမံကိန်းအရည်အတွက်
DocType: Monthly Distribution,Distribution Name,ဖြန့်ဖြူးအမည်
DocType: Course,Course Code,သင်တန်း Code ကို
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Item {0} သည်လိုအပ်သောအရည်အသွေးပြည့်စစ်ဆေးရေး
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Item {0} သည်လိုအပ်သောအရည်အသွေးပြည့်စစ်ဆေးရေး
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,ဖောက်သည်ရဲ့ငွေကြေးကုမ္ပဏီ၏အခြေစိုက်စခန်းငွေကြေးအဖြစ်ပြောင်းလဲသောအချိန်တွင် rate
DocType: Purchase Invoice Item,Net Rate (Company Currency),Net က Rate (ကုမ္ပဏီငွေကြေးစနစ်)
DocType: Salary Detail,Condition and Formula Help,အခြေအနေနှင့်ဖော်မြူလာအကူအညီ
@@ -2675,27 +2689,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Manufacturing သည်ပစ္စည်းလွှဲပြောင်း
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,လျော့စျေးရာခိုင်နှုန်းတစ်စျေးနှုန်း List ကိုဆန့်ကျင်သို့မဟုတ်အားလုံးစျေးနှုန်းစာရင်းများအတွက်လည်းကောင်းလျှောက်ထားနိုင်ပါသည်။
DocType: Purchase Invoice,Half-yearly,ဝက်နှစ်စဉ်
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,စတော့အိတ်သည်စာရင်းကိုင် Entry '
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,စတော့အိတ်သည်စာရင်းကိုင် Entry '
DocType: Vehicle Service,Engine Oil,အင်ဂျင်ပါဝါရေနံ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,လူ့စွမ်းအားအရင်းအမြစ်အတွက် System ကိုအမည်ဖြင့်သမုတ် ကျေးဇူးပြု. setup ကိုထမ်း> HR က Settings
DocType: Sales Invoice,Sales Team1,အရောင်း Team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,item {0} မတည်ရှိပါဘူး
DocType: Sales Invoice,Customer Address,customer လိပ်စာ
DocType: Employee Loan,Loan Details,ချေးငွေအသေးစိတ်
+DocType: Company,Default Inventory Account,default Inventory အကောင့်
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,အတန်း {0}: Completed အရည်အတွက်သုညထက်ကြီးမြတ်ဖြစ်ရပါမည်။
DocType: Purchase Invoice,Apply Additional Discount On,Apply နောက်ထပ်လျှော့တွင်
DocType: Account,Root Type,အမြစ်ကအမျိုးအစား
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},row # {0}: {1} Item သည် {2} ထက်ပိုမပြန်နိုင်သလား
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},row # {0}: {1} Item သည် {2} ထက်ပိုမပြန်နိုင်သလား
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,မွေကှကျ
DocType: Item Group,Show this slideshow at the top of the page,စာမျက်နှာရဲ့ထိပ်မှာဒီဆလိုက်ရှိုးပြရန်
DocType: BOM,Item UOM,item UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),လျှော့ငွေပမာဏ (ကုမ္ပဏီငွေကြေးစနစ်) ပြီးနောက်အခွန်ပမာဏ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Target ကဂိုဒေါင်အတန်း {0} သည်မသင်မနေရ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Target ကဂိုဒေါင်အတန်း {0} သည်မသင်မနေရ
DocType: Cheque Print Template,Primary Settings,မူလတန်းက Settings
DocType: Purchase Invoice,Select Supplier Address,ပေးသွင်းလိပ်စာကို Select လုပ်ပါ
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,ဝန်ထမ်းများ Add
DocType: Purchase Invoice Item,Quality Inspection,အရည်အသွေးအစစ်ဆေးရေး
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,အပိုအသေးစား
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,အပိုအသေးစား
DocType: Company,Standard Template,စံ Template
DocType: Training Event,Theory,သဘောတရား
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,သတိပေးချက်: Qty တောင်းဆိုထားသောပစ္စည်းအနည်းဆုံးအမိန့် Qty ထက်နည်းသော
@@ -2703,7 +2719,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,အဖွဲ့ပိုင်ငွေစာရင်း၏သီးခြားဇယားနှင့်အတူဥပဒေကြောင်းအရ Entity / လုပ်ငန်းခွဲများ။
DocType: Payment Request,Mute Email,အသံတိတ်အီးမေးလ်
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","အစားအစာ, Beverage & ဆေးရွက်ကြီး"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},သာ unbilled {0} ဆန့်ကျင်ငွေပေးချေမှုကိုဖြစ်စေနိုင်ပါတယ်
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},သာ unbilled {0} ဆန့်ကျင်ငွေပေးချေမှုကိုဖြစ်စေနိုင်ပါတယ်
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,ကော်မရှင်နှုန်းက 100 မှာထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
DocType: Stock Entry,Subcontract,Subcontract
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,ပထမဦးဆုံး {0} မဝင်ရ ကျေးဇူးပြု.
@@ -2716,18 +2732,18 @@
DocType: SMS Log,No of Sent SMS,Sent SMS ၏မရှိပါ
DocType: Account,Expense Account,စရိတ်အကောင့်
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Software များ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,အရောင်
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,အရောင်
DocType: Assessment Plan Criteria,Assessment Plan Criteria,အကဲဖြတ်အစီအစဉ်လိုအပ်ချက်
DocType: Training Event,Scheduled,Scheduled
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,quotation အဘို့တောင်းဆိုခြင်း။
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","စတော့အိတ် Item ရှိ၏" ဘယ်မှာ Item ကို select "No" ဖြစ်ပါတယ်နှင့် "အရောင်း Item ရှိ၏" "ဟုတ်တယ်" ဖြစ်ပါတယ်မှတပါးအခြားသောကုန်ပစ္စည်း Bundle ကိုလည်းရှိ၏ ကျေးဇူးပြု.
DocType: Student Log,Academic,ပညာရပ်ဆိုင်ရာ
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),အမိန့်ဆန့်ကျင်စုစုပေါင်းကြိုတင်မဲ ({0}) {1} ({2}) ကိုဂရန်းစုစုပေါင်းထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),အမိန့်ဆန့်ကျင်စုစုပေါင်းကြိုတင်မဲ ({0}) {1} ({2}) ကိုဂရန်းစုစုပေါင်းထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,ညီလအတွင်းအနှံ့ပစ်မှတ်ဖြန့်ဝေရန်လစဉ်ဖြန့်ဖြူးကိုရွေးချယ်ပါ။
DocType: Purchase Invoice Item,Valuation Rate,အဘိုးပြတ် Rate
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,ဒီဇယ်
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,စျေးနှုန်း List ကိုငွေကြေးစနစ်ကိုမရွေးချယ်
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,စျေးနှုန်း List ကိုငွေကြေးစနစ်ကိုမရွေးချယ်
,Student Monthly Attendance Sheet,ကျောင်းသားသမဂ္ဂလစဉ်တက်ရောက်စာရွက်
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},ဝန်ထမ်း {0} ပြီးသား {1} {2} နှင့် {3} အကြားလျှောက်ထားခဲ့သည်
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Project မှ Start ကိုနေ့စွဲ
@@ -2740,7 +2756,7 @@
DocType: BOM,Scrap,အပိုင်းအစ
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,အရောင်း Partners Manage ။
DocType: Quality Inspection,Inspection Type,စစ်ဆေးရေး Type
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,လက်ရှိငွေပေးငွေယူနှင့်အတူဂိုဒေါင်အုပ်စုအဖြစ်ပြောင်းလဲမရနိုင်ပါ။
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,လက်ရှိငွေပေးငွေယူနှင့်အတူဂိုဒေါင်အုပ်စုအဖြစ်ပြောင်းလဲမရနိုင်ပါ။
DocType: Assessment Result Tool,Result HTML,ရလဒ်က HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,တွင်သက်တမ်းကုန်ဆုံးမည်
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,ကျောင်းသားများ Add
@@ -2748,13 +2764,13 @@
DocType: C-Form,C-Form No,C-Form တွင်မရှိပါ
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,ထငျရှားတက်ရောက်
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,သုတေသီတစ်ဦး
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,သုတေသီတစ်ဦး
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Program ကိုစာရငျးပေးသှငျး Tool ကိုကျောင်းသားသမဂ္ဂ
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,အမည်သို့မဟုတ်အီးမေးလ်မသင်မနေရ
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,incoming အရည်အသွေးအစစ်ဆေးခံရ။
DocType: Purchase Order Item,Returned Qty,ပြန်လာသော Qty
DocType: Employee,Exit,ထွက်ပေါက်
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,အမြစ်ကအမျိုးအစားမသင်မနေရ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,အမြစ်ကအမျိုးအစားမသင်မနေရ
DocType: BOM,Total Cost(Company Currency),စုစုပေါင်းကုန်ကျစရိတ် (ကုမ္ပဏီငွေကြေးစနစ်)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,serial No {0} နေသူများကဖန်တီး
DocType: Homepage,Company Description for website homepage,ဝက်ဘ်ဆိုက်ပင်မစာမျက်နှာများအတွက်ကုမ္ပဏီဖျေါပွခကျြ
@@ -2763,7 +2779,7 @@
DocType: Sales Invoice,Time Sheet List,အချိန်စာရွက်စာရင်း
DocType: Employee,You can enter any date manually,သင်တို့ကိုကို manually မဆိုနေ့စွဲကိုရိုက်ထည့်နိုင်ပါတယ်
DocType: Asset Category Account,Depreciation Expense Account,တန်ဖိုးသုံးစွဲမှုအကောင့်
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Probationary Period
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Probationary Period
DocType: Customer Group,Only leaf nodes are allowed in transaction,သာအရွက်ဆုံမှတ်များအရောင်းအဝယ်အတွက်ခွင့်ပြု
DocType: Expense Claim,Expense Approver,စရိတ်အတည်ပြုချက်
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,row {0}: ဖောက်သည်ဆန့်ကျင်ကြိုတင်အကြွေးဖြစ်ရပါမည်
@@ -2777,10 +2793,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,သင်တန်းအချိန်ဇယားကိုဖျက်လိုက်ပါ:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,SMS ပေးပို့အဆင့်အတန်းကိုထိန်းသိမ်းသည် logs
DocType: Accounts Settings,Make Payment via Journal Entry,ဂျာနယ် Entry မှတဆင့်ငွေပေးချေမှုရမည့် Make
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,တွင်ပုံနှိပ်
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,တွင်ပုံနှိပ်
DocType: Item,Inspection Required before Delivery,ဖြန့်ဝေမီကတောင်းဆိုနေတဲ့စစ်ဆေးရေး
DocType: Item,Inspection Required before Purchase,အရစ်ကျမီကတောင်းဆိုနေတဲ့စစ်ဆေးရေး
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,ဆိုင်းငံ့ထားလှုပ်ရှားမှုများ
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,သင့်ရဲ့အဖွဲ့
DocType: Fee Component,Fees Category,အဖိုးအခ Category:
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,နေ့စွဲ relieving ရိုက်ထည့်ပေးပါ။
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
@@ -2790,9 +2807,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Reorder အဆင့်
DocType: Company,Chart Of Accounts Template,Accounts ကို Template ၏ဇယား
DocType: Attendance,Attendance Date,တက်ရောက်သူနေ့စွဲ
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},item စျေးစျေးစာရင်း {1} အတွက် {0} ဘို့ updated
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},item စျေးစျေးစာရင်း {1} အတွက် {0} ဘို့ updated
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,ဝင်ငွေနဲ့ထုတ်ယူအပေါ်အခြေခံပြီးလစာအဖြစ်ခွဲထုတ်။
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,ကလေး nodes နဲ့အကောင့်ကိုလယ်ဂျာမှပြောင်းလဲမပြနိုင်
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,ကလေး nodes နဲ့အကောင့်ကိုလယ်ဂျာမှပြောင်းလဲမပြနိုင်
DocType: Purchase Invoice Item,Accepted Warehouse,လက်ခံထားတဲ့ဂိုဒေါင်
DocType: Bank Reconciliation Detail,Posting Date,Post date
DocType: Item,Valuation Method,အဘိုးပြတ် Method ကို
@@ -2801,14 +2818,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,entry ကို Duplicate
DocType: Program Enrollment Tool,Get Students,ကျောင်းသားများ get
DocType: Serial No,Under Warranty,အာမခံအောက်မှာ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[အမှား]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[အမှား]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,သင်အရောင်းအမိန့်ကိုကယ်တင်တစ်ချိန်ကစကားမြင်နိုင်ပါလိမ့်မည်။
,Employee Birthday,ဝန်ထမ်းမွေးနေ့
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,ကျောင်းသားအသုတ်လိုက်တက်ရောက် Tool ကို
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,ကန့်သတ်ဖြတ်ကူး
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,ကန့်သတ်ဖြတ်ကူး
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,အကျိုးတူ Capital ကို
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,ဒီ '' ပညာရေးတစ်နှစ်တာ '' {0} နှင့် {1} ပြီးသားတည်ရှိ '' Term အမည် '' နှင့်အတူတစ်ဦးပညာသင်နှစ်သက်တမ်း။ ဤအ entries တွေကိုပြုပြင်မွမ်းမံခြင်းနှင့်ထပ်ကြိုးစားပါ။
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","ကို item {0} ဆန့်ကျင်တည်ဆဲအရောင်းအရှိဖြစ်သကဲ့သို့, သင်က {1} ၏တန်ဖိုးမပြောင်းနိုင်ပါ"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","ကို item {0} ဆန့်ကျင်တည်ဆဲအရောင်းအရှိဖြစ်သကဲ့သို့, သင်က {1} ၏တန်ဖိုးမပြောင်းနိုင်ပါ"
DocType: UOM,Must be Whole Number,လုံးနံပါတ်ဖြစ်ရမည်
DocType: Leave Control Panel,New Leaves Allocated (In Days),(Days ခုနှစ်တွင်) ခွဲဝေနယူးရွက်
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,serial No {0} မတည်ရှိပါဘူး
@@ -2817,6 +2834,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,ကုန်ပို့လွှာနံပါတ်
DocType: Shopping Cart Settings,Orders,အမိန့်
DocType: Employee Leave Approver,Leave Approver,ခွင့်ပြုချက် Leave
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,တစ်သုတ်ကို select ပေးပါ
DocType: Assessment Group,Assessment Group Name,အကဲဖြတ် Group မှအမည်
DocType: Manufacturing Settings,Material Transferred for Manufacture,ထုတ်လုပ်ခြင်းများအတွက်သို့လွှဲပြောင်း material
DocType: Expense Claim,"A user with ""Expense Approver"" role","သုံးစွဲမှုအတည်ပြုချက်" အခန်းကဏ္ဍနှင့်အတူအသုံးပြုသူတစ်ဦး
@@ -2826,9 +2844,10 @@
DocType: Target Detail,Target Detail,Target က Detail
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,အားလုံးဂျော့ဘ်
DocType: Sales Order,% of materials billed against this Sales Order,ဒီအရောင်းအမိန့်ဆန့်ကျင်ကြေညာတဲ့ပစ္စည်း%
+DocType: Program Enrollment,Mode of Transportation,သယ်ယူပို့ဆောင်ရေး၏ Mode ကို
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,ကာလသင်တန်းဆင်းပွဲ Entry '
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,လက်ရှိအရောင်းအနှင့်အတူကုန်ကျစရိတ် Center ကအုပ်စုအဖြစ်ပြောင်းလဲမပြနိုင်
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},ငွေပမာဏ {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},ငွေပမာဏ {0} {1} {2} {3}
DocType: Account,Depreciation,တန်ဖိုး
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),ပေးသွင်းသူ (များ)
DocType: Employee Attendance Tool,Employee Attendance Tool,ဝန်ထမ်းတက်ရောက် Tool ကို
@@ -2836,7 +2855,7 @@
DocType: Supplier,Credit Limit,ခရက်ဒစ်ကန့်သတ်
DocType: Production Plan Sales Order,Salse Order Date,Salse အမိန့်နေ့စွဲ
DocType: Salary Component,Salary Component,လစာစိတျအပိုငျး
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,ငွေပေးချေမှုရမည့် Entries {0} un-နှင့်ဆက်စပ်လျက်ရှိ
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,ငွေပေးချေမှုရမည့် Entries {0} un-နှင့်ဆက်စပ်လျက်ရှိ
DocType: GL Entry,Voucher No,ဘောက်ချာမရှိ
,Lead Owner Efficiency,ခဲပိုင်ရှင်စွမ်းရည်
,Lead Owner Efficiency,ခဲပိုင်ရှင်စွမ်းရည်
@@ -2848,11 +2867,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,ဝေါဟာရသို့မဟုတ်ကန်ထရိုက်၏ template ။
DocType: Purchase Invoice,Address and Contact,လိပ်စာနှင့်ဆက်သွယ်ရန်
DocType: Cheque Print Template,Is Account Payable,အကောင့်ပေးချေ Is
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},စတော့အိတ်ဝယ်ယူငွေလက်ခံပြေစာ {0} ဆန့်ကျင် updated မရနိုငျ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},စတော့အိတ်ဝယ်ယူငွေလက်ခံပြေစာ {0} ဆန့်ကျင် updated မရနိုငျ
DocType: Supplier,Last Day of the Next Month,နောက်လ၏နောက်ဆုံးနေ့
DocType: Support Settings,Auto close Issue after 7 days,7 ရက်အတွင်းအပြီးအော်တိုအနီးကပ်ပြဿနာ
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","ခွင့်ချိန်ခွင်လျှာထားပြီးအနာဂတ်ခွင့်ခွဲဝေစံချိန် {1} အတွက် PPP ဖြင့်ချဉ်းကပ်-forward နိုင်သည်သိရသည်အဖြစ် Leave, {0} မီကခွဲဝေမရနိုငျ"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),မှတ်ချက်: ကြောင့် / ကိုးကားစရာနေ့စွဲ {0} တနေ့ (များ) ကခွင့်ပြုဖောက်သည်အကြွေးရက်ပတ်လုံးထက်ကျော်လွန်
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),မှတ်ချက်: ကြောင့် / ကိုးကားစရာနေ့စွဲ {0} တနေ့ (များ) ကခွင့်ပြုဖောက်သည်အကြွေးရက်ပတ်လုံးထက်ကျော်လွန်
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,ကျောင်းသားသမဂ္ဂလျှောက်ထားသူ
DocType: Asset Category Account,Accumulated Depreciation Account,စုဆောင်းတန်ဖိုးအကောင့်
DocType: Stock Settings,Freeze Stock Entries,အေးစတော့အိတ် Entries
@@ -2861,36 +2880,36 @@
DocType: Activity Cost,Billing Rate,ငွေတောင်းခံ Rate
,Qty to Deliver,လှတျတျောမူဖို့ Qty
,Stock Analytics,စတော့အိတ် Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,စစ်ဆင်ရေးအလွတ်ကျန်ရစ်မရနိုငျ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,စစ်ဆင်ရေးအလွတ်ကျန်ရစ်မရနိုငျ
DocType: Maintenance Visit Purpose,Against Document Detail No,Document ဖိုင် Detail မရှိဆန့်ကျင်
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,ပါတီအမျိုးအစားမဖြစ်မနေဖြစ်ပါသည်
DocType: Quality Inspection,Outgoing,outgoing
DocType: Material Request,Requested For,အကြောင်းမူကားမေတ္တာရပ်ခံ
DocType: Quotation Item,Against Doctype,DOCTYPE ဆန့်ကျင်
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} ဖျက်သိမ်းသို့မဟုတ်ပိတ်ပါသည်
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} ဖျက်သိမ်းသို့မဟုတ်ပိတ်ပါသည်
DocType: Delivery Note,Track this Delivery Note against any Project,မည်သည့်စီမံကိန်းဆန့်ကျင်သည်ဤ Delivery Note ကိုခြေရာခံ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,ရင်းနှီးမြှုပ်နှံမှုကနေ Net ကငွေ
-,Is Primary Address,မူလတန်းလိပ်စာဖြစ်ပါသည်
DocType: Production Order,Work-in-Progress Warehouse,အလုပ်လုပ်-In-တိုးတက်ရေးပါတီဂိုဒေါင်
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,ပိုင်ဆိုင်မှု {0} တင်သွင်းရဦးမည်
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},တက်ရောက်သူမှတ်တမ်း {0} ကျောင်းသားသမဂ္ဂ {1} ဆန့်ကျင်တည်ရှိ
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},တက်ရောက်သူမှတ်တမ်း {0} ကျောင်းသားသမဂ္ဂ {1} ဆန့်ကျင်တည်ရှိ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},ကိုးကားစရာ # {0} {1} ရက်စွဲပါ
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,ကြောင့်ပိုင်ဆိုင်မှုများစွန့်ပစ်ခြင်းမှဖယ်ရှားပစ်တန်ဖိုး
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,လိပ်စာ Manage
DocType: Asset,Item Code,item Code ကို
DocType: Production Planning Tool,Create Production Orders,ထုတ်လုပ်မှုအမိန့် Create
DocType: Serial No,Warranty / AMC Details,အာမခံ / AMC အသေးစိတ်ကို
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,ယင်းလုပ်ဆောင်ချက်ကိုအခြေခံပြီး Group မှအဘို့ကို manually ကျောင်းသားများကိုကို Select လုပ်ပါ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,ယင်းလုပ်ဆောင်ချက်ကိုအခြေခံပြီး Group မှအဘို့ကို manually ကျောင်းသားများကိုကို Select လုပ်ပါ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,ယင်းလုပ်ဆောင်ချက်ကိုအခြေခံပြီး Group မှအဘို့ကို manually ကျောင်းသားများကိုကို Select လုပ်ပါ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,ယင်းလုပ်ဆောင်ချက်ကိုအခြေခံပြီး Group မှအဘို့ကို manually ကျောင်းသားများကိုကို Select လုပ်ပါ
DocType: Journal Entry,User Remark,အသုံးပြုသူမှတ်ချက်
DocType: Lead,Market Segment,Market မှာအပိုင်း
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Paid ငွေပမာဏစုစုပေါင်းအနုတ်ထူးချွန်ငွေပမာဏ {0} ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Paid ငွေပမာဏစုစုပေါင်းအနုတ်ထူးချွန်ငွေပမာဏ {0} ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
DocType: Employee Internal Work History,Employee Internal Work History,ဝန်ထမ်းပြည်တွင်းလုပ်ငန်းခွင်သမိုင်း
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),(ဒေါက်တာ) ပိတ်ပွဲ
DocType: Cheque Print Template,Cheque Size,Cheque တစ်စောင်လျှင် Size ကို
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,{0} မစတော့ရှယ်ယာအတွက် serial No
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,အရောင်းအရောင်းချနေသည်အခွန် Simple template ။
DocType: Sales Invoice,Write Off Outstanding Amount,ထူးချွန်ငွေပမာဏပိတ်ရေးထား
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},အကောင့် {0} {1} ကုမ္ပဏီနှင့်အတူမကိုက်ညီ
DocType: School Settings,Current Academic Year,လက်ရှိပညာရေးဆိုင်ရာတစ်နှစ်တာ
DocType: School Settings,Current Academic Year,လက်ရှိပညာရေးဆိုင်ရာတစ်နှစ်တာ
DocType: Stock Settings,Default Stock UOM,default စတော့အိတ် UOM
@@ -2906,27 +2925,27 @@
DocType: Asset,Double Declining Balance,နှစ်ချက်ကျဆင်းနေ Balance
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,ပိတ်ထားသောအမိန့်ကိုဖျက်သိမ်းမရနိုင်ပါ။ ဖျက်သိမ်းဖို့မပိတ်ထားသည့်။
DocType: Student Guardian,Father,ဖခင်
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'' Update ကိုစတော့အိတ် '' သတ်မှတ်ထားတဲ့ပိုင်ဆိုင်မှုရောင်းမည်အမှန်ခြစ်မရနိုငျ
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'' Update ကိုစတော့အိတ် '' သတ်မှတ်ထားတဲ့ပိုင်ဆိုင်မှုရောင်းမည်အမှန်ခြစ်မရနိုငျ
DocType: Bank Reconciliation,Bank Reconciliation,ဘဏ်မှပြန်လည်ရင်ကြားစေ့ရေး
DocType: Attendance,On Leave,Leave တွင်
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Updates ကိုရယူပါ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: အကောင့် {2} ကုမ္ပဏီ {3} ပိုင်ပါဘူး
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,material တောင်းဆိုမှု {0} ကိုပယ်ဖျက်သို့မဟုတ်ရပ်တန့်နေသည်
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,အနည်းငယ်နမူနာမှတ်တမ်းများ Add
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,အနည်းငယ်နမူနာမှတ်တမ်းများ Add
apps/erpnext/erpnext/config/hr.py +301,Leave Management,စီမံခန့်ခွဲမှု Leave
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,အကောင့်အားဖြင့်အုပ်စု
DocType: Sales Order,Fully Delivered,အပြည့်အဝကိုကယ်နှုတ်
DocType: Lead,Lower Income,lower ဝင်ငွေခွန်
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},အရင်းအမြစ်နှင့်ပစ်မှတ်ဂိုဒေါင်အတန်း {0} သည်အတူတူပင်ဖြစ်နိုင်သေး
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},အရင်းအမြစ်နှင့်ပစ်မှတ်ဂိုဒေါင်အတန်း {0} သည်အတူတူပင်ဖြစ်နိုင်သေး
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",ဒီစတော့အိတ်ပြန်လည်ရင်ကြားစေ့ရေးတစ်ဦးဖွင့်ပွဲ Entry ဖြစ်ပါတယ်ကတည်းကခြားနားချက်အကောင့်တစ်ခု Asset / ဆိုက်အမျိုးအစားအကောင့်ကိုရှိရမည်
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},ထုတ်ချေးငွေပမာဏချေးငွေပမာဏ {0} ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Item {0} လိုအပ်ဝယ်ယူခြင်းအမိန့်အရေအတွက်
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,ထုတ်လုပ်မှုအမိန့်နေသူများကဖန်တီးမပေး
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Item {0} လိုအပ်ဝယ်ယူခြင်းအမိန့်အရေအတွက်
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,ထုတ်လုပ်မှုအမိန့်နေသူများကဖန်တီးမပေး
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','' နေ့စွဲ မှစ. '' နေ့စွဲရန် '' နောက်မှာဖြစ်ရပါမည်
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},ကျောင်းသား {0} ကျောင်းသားလျှောက်လွှာ {1} နှင့်အတူဆက်စပ်အဖြစ်အဆင့်အတန်းမပြောင်းနိုင်သ
DocType: Asset,Fully Depreciated,အပြည့်အဝတန်ဖိုးလျော့ကျ
,Stock Projected Qty,စတော့အိတ် Qty စီမံကိန်း
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},customer {0} {1} သည်စီမံကိန်းပိုင်ပါဘူး
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},customer {0} {1} သည်စီမံကိန်းပိုင်ပါဘူး
DocType: Employee Attendance Tool,Marked Attendance HTML,တခုတ်တရတက်ရောက် HTML ကို
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","ကိုးကားအဆိုပြုချက်, သင်သည်သင်၏ဖောက်သည်များစေလွှတ်ပြီလေလံများမှာ"
DocType: Sales Order,Customer's Purchase Order,customer ရဲ့အမိန့်ကိုဝယ်ယူ
@@ -2935,8 +2954,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,အကဲဖြတ်လိုအပ်ချက်များ၏ရမှတ်များပေါင်းလဒ် {0} ဖြစ်ရန်လိုအပ်ပါသည်။
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,ကြိုတင်ဘွတ်ကင်တန်ဖိုးအရေအတွက်သတ်မှတ်ထားပေးပါ
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Value တစ်ခုသို့မဟုတ် Qty
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Productions အမိန့်သည်အထမြောက်စေတော်မရနိုင်သည်
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,မိနစ်
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions အမိန့်သည်အထမြောက်စေတော်မရနိုင်သည်
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,မိနစ်
DocType: Purchase Invoice,Purchase Taxes and Charges,အခွန်နှင့်စွပ်စွဲချက်ယ်ယူ
,Qty to Receive,လက်ခံမှ Qty
DocType: Leave Block List,Leave Block List Allowed,Block List ကို Allowed Leave
@@ -2944,25 +2963,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},ယာဉ် Log in ဝင်ရန် {0} ဘို့စရိတ်တိုင်ကြား
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Margin နှင့်အတူစျေးစာရင်းနှုန်းအပေါ်လျှော့စျေး (%)
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Margin နှင့်အတူစျေးစာရင်းနှုန်းအပေါ်လျှော့စျေး (%)
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,အားလုံးသိုလှောင်ရုံ
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,အားလုံးသိုလှောင်ရုံ
DocType: Sales Partner,Retailer,လက်လီအရောင်းဆိုင်
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,အကောင့်ကိုရန်အကြွေးတစ်ဦး Balance ကိုစာရွက်အကောင့်ကိုသူဖြစ်ရမည်
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,အကောင့်ကိုရန်အကြွေးတစ်ဦး Balance ကိုစာရွက်အကောင့်ကိုသူဖြစ်ရမည်
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,အားလုံးသည်ပေးသွင်းအမျိုးအစားများ
DocType: Global Defaults,Disable In Words,စကားထဲမှာ disable
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,Item တွေကိုအလိုအလျောက်နံပါတ်အမကဘယ်ကြောင့်ဆိုသော် item Code ကိုမသင်မနေရ
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Item တွေကိုအလိုအလျောက်နံပါတ်အမကဘယ်ကြောင့်ဆိုသော် item Code ကိုမသင်မနေရ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},{0} မဟုတ်အမျိုးအစားစျေးနှုန်း {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,ပြုပြင်ထိန်းသိမ်းမှုဇယား Item
DocType: Sales Order,% Delivered,% ကယ်နှုတ်တော်မူ၏
DocType: Production Order,PRO-,လုံးတွင်
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,ဘဏ်မှ Overdraft အကောင့်
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,ဘဏ်မှ Overdraft အကောင့်
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,လစာစလစ်ဖြတ်ပိုင်းပုံစံလုပ်ပါ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,အတန်း # {0}: ခွဲဝေငွေပမာဏထူးချွန်ငွေပမာဏထက် သာ. ကြီးမြတ်မဖြစ်နိုင်ပါ။
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Browse ကို BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,လုံခြုံသောချေးငွေ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,လုံခြုံသောချေးငွေ
DocType: Purchase Invoice,Edit Posting Date and Time,Edit ကို Post date နှင့်အချိန်
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},ပိုင်ဆိုင်မှုအမျိုးအစား {0} သို့မဟုတ်ကုမ္ပဏီ {1} အတွက်တန်ဖိုးနှင့်ဆက်စပ်သော Accounts ကိုသတ်မှတ်ထားပေးပါ
DocType: Academic Term,Academic Year,စာသင်နှစ်
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Balance Equity ဖွင့်လှစ်
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Balance Equity ဖွင့်လှစ်
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,တန်ဖိုးခြင်း
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},ကုန်ပစ္စည်းပေးသွင်း {0} မှစလှေတျတျောအီးမေးလ်
@@ -2978,7 +2997,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,အခန်းက္ပအတည်ပြုပေးသောစိုးမိုးရေးသက်ဆိုင်သည်အခန်းကဏ္ဍအဖြစ်အတူတူမဖွစျနိုငျ
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,ဒီအအီးမေးလ် Digest မဂ္ဂဇင်းထဲကနေနှုတ်ထွက်
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,message Sent
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,ကလေးသူငယ် node များနှင့်အတူအကောင့်ကိုလယ်ဂျာအဖြစ်သတ်မှတ်မရနိုငျ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,ကလေးသူငယ် node များနှင့်အတူအကောင့်ကိုလယ်ဂျာအဖြစ်သတ်မှတ်မရနိုငျ
DocType: C-Form,II,II ကို
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,စျေးနှုန်းစာရင်းငွေကြေးဖောက်သည်ရဲ့အခြေစိုက်စခန်းငွေကြေးအဖြစ်ပြောင်းလဲသောအချိန်တွင် rate
DocType: Purchase Invoice Item,Net Amount (Company Currency),Net ကပမာဏ (ကုမ္ပဏီငွေကြေးစနစ်)
@@ -3013,7 +3032,7 @@
DocType: Expense Claim,Approval Status,ခွင့်ပြုချက်နဲ့ Status
DocType: Hub Settings,Publish Items to Hub,Hub မှပစ္စည်းများထုတ်ဝေ
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},တန်ဖိုးမြှင်ထံမှအတန်း {0} အတွက်တန်ဖိုးထက်နည်းရှိရမည်
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,ငွေလွှဲခြင်း
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,ငွေလွှဲခြင်း
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,အားလုံး Check
DocType: Vehicle Log,Invoice Ref,ငွေတောင်းခံလွှာ Ref
DocType: Purchase Order,Recurring Order,ထပ်တလဲလဲအမိန့်
@@ -3026,19 +3045,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,ဘဏ်လုပ်ငန်းနှင့်ငွေပေးချေ
,Welcome to ERPNext,ERPNext မှလှိုက်လှဲစွာကြိုဆိုပါသည်
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,စျေးနှုန်းဆီသို့ဦးတည်
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,ပြသနိုင်ဖို့ကိုပိုပြီးအဘယ်အရာကိုမျှ။
DocType: Lead,From Customer,ဖောက်သည်ထံမှ
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,ဖုန်းခေါ်ဆိုမှု
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,ဖုန်းခေါ်ဆိုမှု
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,batch
DocType: Project,Total Costing Amount (via Time Logs),(အချိန် Logs ကနေတဆင့်) စုစုပေါင်းကုန်ကျငွေပမာဏ
DocType: Purchase Order Item Supplied,Stock UOM,စတော့အိတ် UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,ဝယ်ယူခြင်းအမိန့် {0} တင်သွင်းသည်မဟုတ်
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,ဝယ်ယူခြင်းအမိန့် {0} တင်သွင်းသည်မဟုတ်
DocType: Customs Tariff Number,Tariff Number,အခွန်နံပါတ်
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,စီမံကိန်း
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},serial No {0} ဂိုဒေါင် {1} ပိုင်ပါဘူး
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,မှတ်ချက်: System ကို Item သည်ပို့ဆောင်မှု-ထပ်ခါထပ်ခါ-ဘွတ်ကင်စစ်ဆေးမည်မဟုတ် {0} အရေအတွက်သို့မဟုတ်ပမာဏပါ 0 င်သည်အဖြစ်
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,မှတ်ချက်: System ကို Item သည်ပို့ဆောင်မှု-ထပ်ခါထပ်ခါ-ဘွတ်ကင်စစ်ဆေးမည်မဟုတ် {0} အရေအတွက်သို့မဟုတ်ပမာဏပါ 0 င်သည်အဖြစ်
DocType: Notification Control,Quotation Message,စျေးနှုန်း Message
DocType: Employee Loan,Employee Loan Application,ဝန်ထမ်းချေးငွေလျှောက်လွှာ
DocType: Issue,Opening Date,နေ့စွဲဖွင့်လှစ်
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,တက်ရောက်သူအောင်မြင်စွာမှတ်လိုက်ပါပြီ။
+DocType: Program Enrollment,Public Transport,ပြည်သူ့ပို့ဆောင်ရေး
DocType: Journal Entry,Remark,ပွောဆို
DocType: Purchase Receipt Item,Rate and Amount,rate နှင့်ငွေပမာဏ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},{0} ဘို့အကောင့်အမျိုးအစားဖြစ်ရပါမည် {1}
@@ -3046,32 +3068,32 @@
DocType: School Settings,Current Academic Term,လက်ရှိပညာရေးဆိုင်ရာ Term
DocType: School Settings,Current Academic Term,လက်ရှိပညာရေးဆိုင်ရာ Term
DocType: Sales Order,Not Billed,ကြေညာတဲ့မ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,နှစ်ဦးစလုံးဂိုဒေါင်အတူတူကုမ္ပဏီပိုင်ရမယ်
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,အဘယ်သူမျှမ contacts တွေကိုသေးကဆက်ပြောသည်။
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,နှစ်ဦးစလုံးဂိုဒေါင်အတူတူကုမ္ပဏီပိုင်ရမယ်
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,အဘယ်သူမျှမ contacts တွေကိုသေးကဆက်ပြောသည်။
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ကုန်ကျစရိတ်ဘောက်ချာငွေပမာဏဆင်းသက်
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,ပေးသွင်းခြင်းဖြင့်ကြီးပြင်းဥပဒေကြမ်းများ။
DocType: POS Profile,Write Off Account,အကောင့်ပိတ်ရေးထား
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,debit မှတ်ချက် Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,လျော့စျေးပမာဏ
DocType: Purchase Invoice,Return Against Purchase Invoice,ဝယ်ယူခြင်းပြေစာဆန့်ကျင်သို့ပြန်သွားသည်
DocType: Item,Warranty Period (in days),(ရက်) ကိုအာမခံကာလ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Guardian1 နှင့်အတူ relation
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1 နှင့်အတူ relation
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,စစ်ဆင်ရေးကနေ Net ကငွေ
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,ဥပမာ VAT
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,ဥပမာ VAT
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,item 4
DocType: Student Admission,Admission End Date,ဝန်ခံချက်အဆုံးနေ့စွဲ
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,sub-စာချုပ်ကိုချုပ်ဆို
DocType: Journal Entry Account,Journal Entry Account,ဂျာနယ် Entry အကောင့်
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,ကျောင်းသားအုပ်စု
DocType: Shopping Cart Settings,Quotation Series,စျေးနှုန်းစီးရီး
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","တစ်ဦးကို item နာမည်တူ ({0}) နှင့်အတူရှိနေတယ်, ပစ္စည်းအုပ်စုအမည်ကိုပြောင်းလဲသို့မဟုတ်ပစ္စည်းကိုအမည်ပြောင်းကျေးဇူးတင်ပါ"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,ဖောက်သည်ကို select လုပ်ပါကျေးဇူးပြုပြီး
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","တစ်ဦးကို item နာမည်တူ ({0}) နှင့်အတူရှိနေတယ်, ပစ္စည်းအုပ်စုအမည်ကိုပြောင်းလဲသို့မဟုတ်ပစ္စည်းကိုအမည်ပြောင်းကျေးဇူးတင်ပါ"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,ဖောက်သည်ကို select လုပ်ပါကျေးဇူးပြုပြီး
DocType: C-Form,I,ငါ
DocType: Company,Asset Depreciation Cost Center,ပိုင်ဆိုင်မှုတန်ဖိုးကုန်ကျစရိတ်စင်တာ
DocType: Sales Order Item,Sales Order Date,အရောင်းအမှာစာနေ့စွဲ
DocType: Sales Invoice Item,Delivered Qty,ကယ်နှုတ်တော်မူ၏ Qty
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","check လုပ်ထားလျှင်, အသီးအသီးထုတ်လုပ်မှုကို item အမျိုးသားအပေါင်းတို့သည်ရုပ်ဝတ္ထုတောင်းဆိုချက်များတွင်ထည့်သွင်းပါလိမ့်မည်။"
DocType: Assessment Plan,Assessment Plan,အကဲဖြတ်အစီအစဉ်
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,ဂိုဒေါင် {0}: ကုမ္ပဏီမသင်မနေရ
DocType: Stock Settings,Limit Percent,ရာခိုင်နှုန်းကန့်သတ်ရန်
,Payment Period Based On Invoice Date,ပြေစာနေ့စွဲတွင် အခြေခံ. ငွေပေးချေမှုရမည့်ကာလ
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},{0} သည်ငွေကြေးစနစ်ငွေလဲနှုန်းဦးပျောက်ဆုံးနေ
@@ -3083,7 +3105,7 @@
DocType: Vehicle,Insurance Details,အာမခံအသေးစိတ်
DocType: Account,Payable,ပေးအပ်သော
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,ပြန်ဆပ်ကာလကိုရိုက်ထည့်ပေးပါ
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),ကိုက် ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),ကိုက် ({0})
DocType: Pricing Rule,Margin,margin
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,နယူး Customer များ
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,စုစုပေါင်းအမြတ်%
@@ -3094,16 +3116,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,ပါတီမဖြစ်မနေဖြစ်ပါသည်
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,ခေါင်းစဉ်အမည်
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,ရောင်းစျေးသို့မဟုတ်ဝယ်ယူ၏ Atleast တယောက်ရွေးချယ်ထားရမည်ဖြစ်သည်
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,သင့်ရဲ့စီးပွားရေးလုပ်ငန်း၏သဘောသဘာဝကို Select လုပ်ပါ။
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,ရောင်းစျေးသို့မဟုတ်ဝယ်ယူ၏ Atleast တယောက်ရွေးချယ်ထားရမည်ဖြစ်သည်
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,သင့်ရဲ့စီးပွားရေးလုပ်ငန်း၏သဘောသဘာဝကို Select လုပ်ပါ။
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},အတန်း # {0}: ကိုးကား {1} {2} အတွက်မိတ္တူပွား entry ကို
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,အဘယ်မှာရှိကုန်ထုတ်လုပ်မှုလုပ်ငန်းများကိုသယ်ဆောင်ကြသည်။
DocType: Asset Movement,Source Warehouse,source ဂိုဒေါင်
DocType: Installation Note,Installation Date,Installation လုပ်တဲ့နေ့စွဲ
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},အတန်း # {0}: ပိုင်ဆိုင်မှု {1} ကုမ္ပဏီမှ {2} ပိုင်ပါဘူး
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},အတန်း # {0}: ပိုင်ဆိုင်မှု {1} ကုမ္ပဏီမှ {2} ပိုင်ပါဘူး
DocType: Employee,Confirmation Date,အတည်ပြုချက်နေ့စွဲ
DocType: C-Form,Total Invoiced Amount,စုစုပေါင်း Invoiced ငွေပမာဏ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,min Qty Max Qty ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,min Qty Max Qty ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
DocType: Account,Accumulated Depreciation,စုဆောင်းတန်ဖိုး
DocType: Stock Entry,Customer or Supplier Details,customer သို့မဟုတ်ပေးသွင်း Details ကို
DocType: Employee Loan Application,Required by Date,နေ့စွဲခြင်းဖြင့်တောင်းဆိုနေတဲ့
@@ -3124,22 +3146,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,လစဉ်ဖြန့်ဖြူးရာခိုင်နှုန်း
DocType: Territory,Territory Targets,နယ်မြေတွေကိုပစ်မှတ်များ
DocType: Delivery Note,Transporter Info,Transporter Info
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},ကုမ္ပဏီ {1} အတွက် default အနေနဲ့ {0} သတ်မှတ်ထားပေးပါ
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},ကုမ္ပဏီ {1} အတွက် default အနေနဲ့ {0} သတ်မှတ်ထားပေးပါ
DocType: Cheque Print Template,Starting position from top edge,ထိပ်ဆုံးအစွန်ကနေရာထူးစတင်ခြင်း
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,တူညီတဲ့ကုန်ပစ္စည်းပေးသွင်းအကြိမ်ပေါင်းများစွာသို့ဝင်ခဲ့
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,စုစုပေါင်းအမြတ် / ပျောက်ဆုံးခြင်း
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,ဝယ်ယူခြင်းအမိန့် Item ထောက်ပံ့
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,ကုမ္ပဏီအမည် Company ကိုမဖွစျနိုငျ
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,ကုမ္ပဏီအမည် Company ကိုမဖွစျနိုငျ
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,ပုံနှိပ်တင်းပလိတ်များအဘို့အပေးစာခေါင်းဆောင်များ။
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,ပုံနှိပ်တင်းပလိတ်များသည်ခေါင်းစဉ်များငွေလွှဲစာတမ်းတန်ဖိုးပြေစာဥပမာ။
DocType: Student Guardian,Student Guardian,ကျောင်းသားသမဂ္ဂဂါးဒီးယန်း
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,အဘိုးပြတ်သည်အတိုင်း type ကိုစွဲချက် Inclusive အဖြစ်မှတ်သားမရပါဘူး
DocType: POS Profile,Update Stock,စတော့အိတ် Update
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,ပေးသွင်း> ပေးသွင်းအမျိုးအစား
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,ပစ္စည်းများသည်ကွဲပြားခြားနားသော UOM မမှန်ကန် (Total) Net ကအလေးချိန်တန်ဖိုးကိုဆီသို့ဦးတည်ပါလိမ့်မယ်။ အသီးအသီးကို item ၏ Net ကအလေးချိန်တူညီ UOM အတွက်ကြောင်းသေချာပါစေ။
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Rate
DocType: Asset,Journal Entry for Scrap,အပိုင်းအစအဘို့အဂျာနယ် Entry '
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Delivery မှတ်ချက်များထံမှပစ္စည်းများကိုဆွဲ ကျေးဇူးပြု.
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,ဂျာနယ် Entries {0} un-နှင့်ဆက်စပ်လျက်ရှိ
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,ဂျာနယ် Entries {0} un-နှင့်ဆက်စပ်လျက်ရှိ
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","အမျိုးအစားအီးမေးလ်အားလုံးဆက်သွယ်ရေးစံချိန်, ဖုန်း, chat, အလည်အပတ်ခရီး, etc"
DocType: Manufacturer,Manufacturers used in Items,ပစ္စည်းများအတွက်အသုံးပြုထုတ်လုပ်သူများ
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,ကုမ္ပဏီအတွက်က Round ပိတ်ဖော်ပြရန် ကျေးဇူးပြု. ကုန်ကျစရိတ် Center က
@@ -3188,34 +3211,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,ပေးသွင်းဖောက်သည်မှကယ်တင်
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form ကို / ပစ္စည်း / {0}) စတော့ရှယ်ယာထဲကဖြစ်ပါတယ်
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Next ကိုနေ့စွဲနေ့စွဲပို့စ်တင်ထက် သာ. ကြီးမြတ်ဖြစ်ရပါမည်
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Show ကိုအခွန်ချိုး-up က
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},ကြောင့် / ကိုးကားစရာနေ့စွဲ {0} ပြီးနောက်မဖွစျနိုငျ
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Show ကိုအခွန်ချိုး-up က
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},ကြောင့် / ကိုးကားစရာနေ့စွဲ {0} ပြီးနောက်မဖွစျနိုငျ
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,ဒေတာပို့ကုန်သွင်းကုန်
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","စတော့အိတ် entries တွေကိုသွားတော့သင် re-assign သို့မဟုတ်ပါကပြုပြင်မွမ်းမံလို့မရပါဘူး, ဂိုဒေါင် {0} ဆန့်ကျင်တည်ရှိ"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,ကျောင်းသားများကို Found ဘယ်သူမျှမက
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,ကျောင်းသားများကို Found ဘယ်သူမျှမက
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,ငွေတောင်းခံလွှာ Post date
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,ရောင်းချ
DocType: Sales Invoice,Rounded Total,rounded စုစုပေါင်း
DocType: Product Bundle,List items that form the package.,အထုပ်ဖွဲ့စည်းကြောင်းပစ္စည်းများစာရင်း။
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,ရာခိုင်နှုန်းဖြန့်ဝေ 100% နဲ့ညီမျှဖြစ်သင့်
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,ပါတီမရွေးခင် Post date ကို select လုပ်ပါကျေးဇူးပြုပြီး
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,ပါတီမရွေးခင် Post date ကို select လုပ်ပါကျေးဇူးပြုပြီး
DocType: Program Enrollment,School House,School တွင်အိမ်
DocType: Serial No,Out of AMC,AMC ထဲက
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,ကိုးကားချက်များကို select ပေးပါ
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,ကိုးကားချက်များကို select ပေးပါ
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,ကိုးကားချက်များကို select ပေးပါ
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,ကိုးကားချက်များကို select ပေးပါ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,ကြိုတင်ဘွတ်ကင်တန်ဖိုးအရေအတွက်တန်ဖိုးစုစုပေါင်းအရေအတွက်ထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Maintenance ကိုအလည်တစ်ခေါက်လုပ်ပါ
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,အရောင်းမဟာ Manager က {0} အခန်းကဏ္ဍကိုသူအသုံးပြုသူမှဆက်သွယ်ပါ
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,အရောင်းမဟာ Manager က {0} အခန်းကဏ္ဍကိုသူအသုံးပြုသူမှဆက်သွယ်ပါ
DocType: Company,Default Cash Account,default ငွေအကောင့်
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,ကုမ္ပဏီ (မဖောက်သည်သို့မဟုတ်ပေးသွင်းသူ) သခင်သည်။
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,ဒီကျောင်းသားသမဂ္ဂများ၏တက်ရောက်သူအပေါ်အခြေခံသည်
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,မကျောင်းသားများ
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,မကျောင်းသားများ
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,ပိုပြီးပစ္စည်းသို့မဟုတ်ဖွင့်အပြည့်အဝ form ကို Add
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date','' မျှော်မှန်း Delivery Date ကို '' ကိုရိုက်ထည့်ပေးပါ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Delivery မှတ်စုများ {0} ဒီအရောင်းအမိန့်ကိုပယ်ဖျက်မီဖျက်သိမ်းရပါမည်
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Paid ပမာဏ + ငွေပမာဏက Grand စုစုပေါင်းထက် သာ. ကြီးမြတ်မဖွစျနိုငျပိတ်ရေးထား
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Paid ပမာဏ + ငွေပမာဏက Grand စုစုပေါင်းထက် သာ. ကြီးမြတ်မဖွစျနိုငျပိတ်ရေးထား
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} Item {1} သည်မှန်ကန်သော Batch နံပါတ်မဟုတ်ပါဘူး
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},မှတ်ချက်: လုံလောက်တဲ့ခွင့်ချိန်ခွင်လျှာထွက်ခွာ Type {0} သည်မရှိ
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,မှားနေသော GSTIN သို့မဟုတ်မှတ်ပုံမတင်ထားသောများအတွက် NA Enter
DocType: Training Event,Seminar,ညှိနှိုငျးဖလှယျပှဲ
DocType: Program Enrollment Fee,Program Enrollment Fee,Program ကိုကျောင်းအပ်ကြေး
DocType: Item,Supplier Items,ပေးသွင်းပစ္စည်းများ
@@ -3241,28 +3264,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,item 3
DocType: Purchase Order,Customer Contact Email,customer ဆက်သွယ်ရန်အီးမေးလ်
DocType: Warranty Claim,Item and Warranty Details,item နှင့်အာမခံအသေးစိတ်
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,item Code ကို> item Group မှ> အမှတ်တံဆိပ်
DocType: Sales Team,Contribution (%),contribution (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,မှတ်ချက်: '' ငွေသို့မဟုတ်ဘဏ်မှအကောင့် '' သတ်မှတ်ထားသောမဟုတ်ခဲ့ကတည်းကငွေပေးချေမှုရမည့် Entry နေသူများကဖန်တီးမည်မဟုတ်
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,မဖြစ်မနေသင်တန်းများဆွဲယူဖို့အစီအစဉ်ကိုရွေးချယ်ပါ။
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,မဖြစ်မနေသင်တန်းများဆွဲယူဖို့အစီအစဉ်ကိုရွေးချယ်ပါ။
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,တာဝန်ဝတ္တရားများ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,တာဝန်ဝတ္တရားများ
DocType: Expense Claim Account,Expense Claim Account,စရိတ်တိုင်ကြားအကောင့်
DocType: Sales Person,Sales Person Name,အရောင်းပုဂ္ဂိုလ်အမည်
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,table ထဲမှာ atleast 1 ငွေတောင်းခံလွှာကိုရိုက်ထည့်ပေးပါ
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,အသုံးပြုသူများအ Add
DocType: POS Item Group,Item Group,item Group က
DocType: Item,Safety Stock,အန္တရာယ်ကင်းရှင်းရေးစတော့အိတ်
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,တစ်ဦး task အတွက်တိုးတက်ရေးပါတီ% 100 ကျော်မဖြစ်နိုင်ပါ။
DocType: Stock Reconciliation Item,Before reconciliation,ပြန်လည်သင့်မြတ်ရေးမဖြစ်မီ
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0} မှ
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Added အခွန်အခများနှင့်စွပ်စွဲချက် (ကုမ္ပဏီငွေကြေးစနစ်)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,item ခွန် Row {0} type ကိုခွန်သို့မဟုတ်ဝင်ငွေခွန်သို့မဟုတ်သုံးစွဲမှုသို့မဟုတ်နှော၏အကောင့်ကိုရှိရမယ်
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,item ခွန် Row {0} type ကိုခွန်သို့မဟုတ်ဝင်ငွေခွန်သို့မဟုတ်သုံးစွဲမှုသို့မဟုတ်နှော၏အကောင့်ကိုရှိရမယ်
DocType: Sales Order,Partly Billed,တစ်စိတ်တစ်ပိုင်းကြေညာ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,item {0} တစ် Fixed Asset item ဖြစ်ရပါမည်
DocType: Item,Default BOM,default BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,အတည်ပြုရန်ကုမ္ပဏီ၏နာမ-type ကိုပြန်လည် ကျေးဇူးပြု.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,စုစုပေါင်းထူးချွန် Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,debit မှတ်ချက်ငွေပမာဏ
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,အတည်ပြုရန်ကုမ္ပဏီ၏နာမ-type ကိုပြန်လည် ကျေးဇူးပြု.
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,စုစုပေါင်းထူးချွန် Amt
DocType: Journal Entry,Printing Settings,ပုံနှိပ်ခြင်းက Settings
DocType: Sales Invoice,Include Payment (POS),ငွေပေးချေမှုရမည့် (POS) Include
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},စုစုပေါင်း Debit စုစုပေါင်းချေးငွေတန်းတူဖြစ်ရမည်။ အဆိုပါခြားနားချက် {0} သည်
@@ -3276,16 +3296,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,ကုန်ပစ္စည်းလက်ဝယ်ရှိ:
DocType: Notification Control,Custom Message,custom Message
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,ရင်းနှီးမြှုပ်နှံမှုဘဏ်လုပ်ငန်း
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,ငွေသားသို့မဟုတ်ဘဏ်မှအကောင့်ငွေပေးချေမှု entry ကိုအောင်သည်မသင်မနေရ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,ကျောင်းသားလိပ်စာ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,ကျောင်းသားလိပ်စာ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,ငွေသားသို့မဟုတ်ဘဏ်မှအကောင့်ငွေပေးချေမှု entry ကိုအောင်သည်မသင်မနေရ
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,ကျေးဇူးပြု. Setup ကို> နံပါတ်စီးရီးကနေတစ်ဆင့်တက်ရောက်ဘို့ setup ကိုစာရငျးစီးရီး
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ကျောင်းသားလိပ်စာ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ကျောင်းသားလိပ်စာ
DocType: Purchase Invoice,Price List Exchange Rate,စျေးနှုန်း List ကိုချိန်း Rate
DocType: Purchase Invoice Item,Rate,rate
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,အလုပ်သင်ဆရာဝန်
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,လိပ်စာအမည်
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,အလုပ်သင်ဆရာဝန်
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,လိပ်စာအမည်
DocType: Stock Entry,From BOM,BOM ကနေ
DocType: Assessment Code,Assessment Code,အကဲဖြတ် Code ကို
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,အခြေခံပညာ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,အခြေခံပညာ
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,{0} အေးခဲနေကြပါတယ်စတော့အိတ်အရောင်းအမီ
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule','' Generate ဇယား '' ကို click ပါ ကျေးဇူးပြု.
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","ဥပမာကီလို, ယူနစ်, အမှတ်, ဍ"
@@ -3295,11 +3316,11 @@
DocType: Salary Slip,Salary Structure,လစာဖွဲ့စည်းပုံ
DocType: Account,Bank,ကမ်း
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,လကွောငျး
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,ပြဿနာပစ္စည်း
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,ပြဿနာပစ္စည်း
DocType: Material Request Item,For Warehouse,ဂိုဒေါင်အကြောင်းမူကား
DocType: Employee,Offer Date,ကမ်းလှမ်းမှုကိုနေ့စွဲ
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,ကိုးကား
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,သငျသညျအော့ဖ်လိုင်း mode မှာရှိပါတယ်။ သငျသညျကှနျယရှိသည်သည်အထိသင်ပြန်ဖွင့်နိုင်ပါလိမ့်မည်မဟုတ်။
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,သငျသညျအော့ဖ်လိုင်း mode မှာရှိပါတယ်။ သငျသညျကှနျယရှိသည်သည်အထိသင်ပြန်ဖွင့်နိုင်ပါလိမ့်မည်မဟုတ်။
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,အဘယ်သူမျှမကျောင်းသားသမဂ္ဂအဖွဲ့များကိုဖန်တီးခဲ့တယ်။
DocType: Purchase Invoice Item,Serial No,serial No
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,လစဉ်ပြန်ဆပ်ငွေပမာဏချေးငွေပမာဏထက် သာ. ကြီးမြတ်မဖွစျနိုငျ
@@ -3307,8 +3328,8 @@
DocType: Purchase Invoice,Print Language,ပုံနှိပ်ပါဘာသာစကားများ
DocType: Salary Slip,Total Working Hours,စုစုပေါင်းအလုပ်အဖွဲ့နာရီ
DocType: Stock Entry,Including items for sub assemblies,ခွဲများအသင်းတော်တို့အဘို့ပစ္စည်းများအပါအဝင်
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,တန်ဖိုးအားအပြုသဘောဆောင်သူဖြစ်ရမည် Enter
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,အားလုံးသည် Territories
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,တန်ဖိုးအားအပြုသဘောဆောင်သူဖြစ်ရမည် Enter
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,အားလုံးသည် Territories
DocType: Purchase Invoice,Items,items
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,ကျောင်းသားသမဂ္ဂပြီးသားစာရင်းသွင်းသည်။
DocType: Fiscal Year,Year Name,တစ်နှစ်တာအမည်
@@ -3327,10 +3348,10 @@
DocType: Issue,Opening Time,အချိန်ဖွင့်လှစ်
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,ကနေနှင့်လိုအပ်သည့်ရက်စွဲများရန်
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Securities မှ & ကုန်စည်ဒိုင်
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Variant များအတွက်တိုင်း၏ default အနေနဲ့ Unit မှ '' {0} '' Template: ထဲမှာရှိသကဲ့သို့တူညီသူဖြစ်ရမည် '' {1} ''
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Variant များအတွက်တိုင်း၏ default အနေနဲ့ Unit မှ '' {0} '' Template: ထဲမှာရှိသကဲ့သို့တူညီသူဖြစ်ရမည် '' {1} ''
DocType: Shipping Rule,Calculate Based On,အခြေတွင်တွက်ချက်
DocType: Delivery Note Item,From Warehouse,ဂိုဒေါင်ထဲကနေ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,ထုတ်လုပ်ခြင်းမှပစ္စည်းများ၏ဘီလ်နှင့်အတူပစ္စည်းများအဘယ်သူမျှမ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,ထုတ်လုပ်ခြင်းမှပစ္စည်းများ၏ဘီလ်နှင့်အတူပစ္စည်းများအဘယ်သူမျှမ
DocType: Assessment Plan,Supervisor Name,ကြီးကြပ်ရေးမှူးအမည်
DocType: Program Enrollment Course,Program Enrollment Course,Program ကိုကျောင်းအပ်သင်တန်းအမှတ်စဥ်
DocType: Program Enrollment Course,Program Enrollment Course,Program ကိုကျောင်းအပ်သင်တန်းအမှတ်စဥ်
@@ -3346,18 +3367,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,ထက် သာ. ကြီးမြတ်သို့မဟုတ်သုညနဲ့ညီမျှဖြစ်ရမည် '' ပြီးခဲ့သည့်အမိန့် ခုနှစ်မှစ. Days 'ဟူ.
DocType: Process Payroll,Payroll Frequency,လစာကြိမ်နှုန်း
DocType: Asset,Amended From,မှစ. ပြင်ဆင်
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,ကုန်ကြမ်း
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,ကုန်ကြမ်း
DocType: Leave Application,Follow via Email,အီးမေးလ်ကနေတဆင့် Follow
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,အပင်များနှင့်သုံးစက်ပစ္စည်း
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,အပင်များနှင့်သုံးစက်ပစ္စည်း
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,လျှော့ငွေပမာဏပြီးနောက်အခွန်ပမာဏ
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Daily သတင်းစာလုပ်ငန်းခွင်အနှစ်ချုပ်က Settings
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},စျေးနှုန်းစာရင်း၏ငွေကြေး {0} ရွေးချယ်ထားတဲ့ငွေကြေး {1} နှင့်အတူအလားတူမဟုတ်ပါဘူး
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},စျေးနှုန်းစာရင်း၏ငွေကြေး {0} ရွေးချယ်ထားတဲ့ငွေကြေး {1} နှင့်အတူအလားတူမဟုတ်ပါဘူး
DocType: Payment Entry,Internal Transfer,ပြည်တွင်းလွှဲပြောင်း
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,ကလေးသူငယ်အကောင့်ကိုဒီအကောင့်ရှိနေပြီ။ သင်သည်ဤအကောင့်ကိုမဖျက်နိုင်ပါ။
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,ကလေးသူငယ်အကောင့်ကိုဒီအကောင့်ရှိနေပြီ။ သင်သည်ဤအကောင့်ကိုမဖျက်နိုင်ပါ။
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ပစ်မှတ် qty သို့မဟုတ်ပစ်မှတ်ပမာဏကိုဖြစ်စေမဖြစ်မနေဖြစ်ပါသည်
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},BOM Item {0} သည်တည်ရှိမရှိပါက default
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},BOM Item {0} သည်တည်ရှိမရှိပါက default
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Post date ပထမဦးဆုံးကိုရွေးပါ ကျေးဇူးပြု.
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,နေ့စွဲဖွင့်လှစ်နေ့စွဲပိတ်ပြီးမတိုင်မှီဖြစ်သင့်
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Setup ကို> Setting> အမည်ဖြင့်သမုတ်စီးရီးကနေတဆင့် {0} များအတွက်စီးရီးအမည်ဖြင့်သမုတ်သတ်မှတ်ထား ကျေးဇူးပြု.
DocType: Leave Control Panel,Carry Forward,Forward သယ်
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,လက်ရှိအရောင်းအနှင့်အတူကုန်ကျစရိတ် Center ကလယ်ဂျာမှပြောင်းလဲမပြနိုင်
DocType: Department,Days for which Holidays are blocked for this department.,အားလပ်ရက်ဒီဌာနကိုပိတ်ဆို့ထားသောနေ့ရကျ။
@@ -3367,11 +3389,10 @@
DocType: Issue,Raised By (Email),(အီးမေးလ်) အားဖြင့်ထမြောက်စေတော်
DocType: Training Event,Trainer Name,သင်တန်းပေးသူအမည်
DocType: Mode of Payment,General,ယေဘုယျ
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Letterhead Attach
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,နောက်ဆုံးဆက်သွယ်ရေး
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,နောက်ဆုံးဆက်သွယ်ရေး
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',အမျိုးအစား '' အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည် 'သို့မဟုတ်' 'အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည်နှင့်စုစုပေါင်း' 'အဘို့ဖြစ်၏သောအခါအနှိမ်မချနိုင်
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","သင့်ရဲ့အခှနျဦးခေါင်းစာရင်း (ဥပမာ VAT, အကောက်ခွန်စသည်တို့ကိုကြ၏ထူးခြားသောအမည်များရှိသင့်) နှင့်သူတို့၏စံနှုန်းထားများ။ ဒါဟာသင်တည်းဖြတ်များနှင့်ပိုမိုအကြာတွင်ထည့်နိုင်သည်ဟူသောတစ်ဦးစံ template တွေဖန်တီးပေးလိမ့်မည်။"
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","သင့်ရဲ့အခှနျဦးခေါင်းစာရင်း (ဥပမာ VAT, အကောက်ခွန်စသည်တို့ကိုကြ၏ထူးခြားသောအမည်များရှိသင့်) နှင့်သူတို့၏စံနှုန်းထားများ။ ဒါဟာသင်တည်းဖြတ်များနှင့်ပိုမိုအကြာတွင်ထည့်နိုင်သည်ဟူသောတစ်ဦးစံ template တွေဖန်တီးပေးလိမ့်မည်။"
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Serial Item {0} သည် serial အမှတ်လိုအပ်ပါသည်
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,ငွေတောင်းခံလွှာနှင့်အတူပွဲစဉ်ငွေပေးချေ
DocType: Journal Entry,Bank Entry,ဘဏ်မှ Entry '
@@ -3380,16 +3401,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,စျေးဝယ်ခြင်းထဲသို့ထည့်သည်
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Group မှဖြင့်
DocType: Guardian,Interests,စိတ်ဝင်စားမှုများ
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Enable / ငွေကြေးများ disable ။
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Enable / ငွေကြေးများ disable ။
DocType: Production Planning Tool,Get Material Request,ပစ္စည်းတောင်းဆိုမှု Get
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,စာတိုက်အသုံးစရိတ်များ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,စာတိုက်အသုံးစရိတ်များ
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),စုစုပေါင်း (Amt)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Entertainment က & Leisure
DocType: Quality Inspection,Item Serial No,item Serial No
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,ထမ်းမှတ်တမ်း Create
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,စုစုပေါင်းလက်ရှိ
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,စာရင်းကိုင်ဖော်ပြချက်
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,နာရီ
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,နာရီ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,နယူး Serial No ဂိုဒေါင်ရှိသည်မဟုတ်နိုင်။ ဂိုဒေါင်စတော့အိတ် Entry 'သို့မဟုတ်ဝယ်ယူခြင်းပြေစာအားဖြင့်သတ်မှတ်ထားရမည်
DocType: Lead,Lead Type,ခဲ Type
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,သငျသညျ Block ကိုနေ့အပေါ်အရွက်အတည်ပြုခွင့်ကြသည်မဟုတ်
@@ -3401,6 +3422,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,အစားထိုးပြီးနောက်အသစ် BOM
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,ရောင်းမည်၏ပွိုင့်
DocType: Payment Entry,Received Amount,ရရှိထားသည့်ငွေပမာဏ
+DocType: GST Settings,GSTIN Email Sent On,တွင် Sent GSTIN အီးမေးလ်
+DocType: Program Enrollment,Pick/Drop by Guardian,ဂါးဒီးယန်းသတင်းစာများက / Drop Pick
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","အမိန့်အပေါ်ပြီးသားအရေအတွက်လျစ်လျူရှု, အပြည့်အဝအရေအတွက်အဘို့အ Create"
DocType: Account,Tax,အခွန်
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,မှတ်သားရန်မ
@@ -3414,7 +3437,7 @@
DocType: Batch,Source Document Name,source စာရွက်စာတမ်းအမည်
DocType: Job Opening,Job Title,အလုပ်အကိုင်အမည်
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,အသုံးပြုသူများ Create
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,ဂရမ်
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,ဂရမ်
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,ထုတ်လုပ်ခြင်းမှအရေအတွက်ပါ 0 င်ထက် သာ. ကြီးမြတ်ဖြစ်ရပါမည်။
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,ပြုပြင်ထိန်းသိမ်းမှုခေါ်ဆိုမှုအစီရင်ခံစာသွားရောက်ခဲ့ကြသည်။
DocType: Stock Entry,Update Rate and Availability,နှုန်းနှင့် Available Update
@@ -3422,7 +3445,7 @@
DocType: POS Customer Group,Customer Group,ဖောက်သည်အုပ်စု
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),နယူးသုတ်လိုက် ID ကို (Optional)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),နယူးသုတ်လိုက် ID ကို (Optional)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},စရိတ် account item ကို {0} သည်မသင်မနေရ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},စရိတ် account item ကို {0} သည်မသင်မနေရ
DocType: BOM,Website Description,website ဖော်ပြချက်များ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Equity အတွက်ပိုက်ကွန်ကိုပြောင်းရန်
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,ပထမဦးဆုံးဝယ်ယူငွေတောင်းခံလွှာ {0} ဖျက်သိမ်းပေးပါ
@@ -3432,8 +3455,8 @@
,Sales Register,အရောင်းမှတ်ပုံတင်မည်
DocType: Daily Work Summary Settings Company,Send Emails At,မှာထားတဲ့အီးမေးလ်ပို့ပါ
DocType: Quotation,Quotation Lost Reason,စျေးနှုန်းပျောက်ဆုံးသွားသောအကြောင်းရင်း
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,သင့်ရဲ့ဒိုမိန်းကို Select လုပ်ပါ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},ငွေသွင်းငွေထုတ်ရည်ညွှန်းမရှိ {0} {1} ရက်စွဲပါ
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,သင့်ရဲ့ဒိုမိန်းကို Select လုပ်ပါ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},ငွေသွင်းငွေထုတ်ရည်ညွှန်းမရှိ {0} {1} ရက်စွဲပါ
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,တည်းဖြတ်ရန်မရှိပါ။
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,ဒီလအတှကျအကျဉ်းချုပ်နှင့် Pend လှုပ်ရှားမှုများ
DocType: Customer Group,Customer Group Name,ဖောက်သည်အုပ်စုအမည်
@@ -3441,14 +3464,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,ငွေသား Flow ဖော်ပြချက်
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},ချေးငွေပမာဏ {0} အများဆုံးချေးငွေပမာဏထက်မပိုနိုင်
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,လိုင်စင်
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},C-Form တွင် {1} ကနေဒီပြေစာ {0} ကိုဖယ်ရှား ကျေးဇူးပြု.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},C-Form တွင် {1} ကနေဒီပြေစာ {0} ကိုဖယ်ရှား ကျေးဇူးပြု.
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,သင်တို့သည်လည်းယခင်ဘဏ္ဍာနှစ်ရဲ့ချိန်ခွင်လျှာဒီဘဏ္ဍာနှစ်မှပင်အရွက်ကိုထည့်သွင်းရန်လိုလျှင် Forward ပို့ကို select ကျေးဇူးပြု.
DocType: GL Entry,Against Voucher Type,ဘောက်ချာ Type ဆန့်ကျင်
DocType: Item,Attributes,Attribute တွေ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,အကောင့်ပိတ်ရေးထားရိုက်ထည့်ပေးပါ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,အကောင့်ပိတ်ရေးထားရိုက်ထည့်ပေးပါ
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,နောက်ဆုံးအမိန့်နေ့စွဲ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},အကောင့်ကို {0} ကုမ္ပဏီ {1} ပိုင်ပါဘူး
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,အတန်းအတွက် serial နံပါတ် {0} Delivery မှတ်ချက်နှင့်အတူမကိုက်ညီ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,အတန်းအတွက် serial နံပါတ် {0} Delivery မှတ်ချက်နှင့်အတူမကိုက်ညီ
DocType: Student,Guardian Details,ဂါးဒီးယန်းအသေးစိတ်
DocType: C-Form,C-Form,C-Form တွင်
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,မျိုးစုံန်ထမ်းများအတွက်မာကုတက်ရောက်
@@ -3463,16 +3486,16 @@
DocType: Budget Account,Budget Amount,ဘတ်ဂျက်ပမာဏ
DocType: Appraisal Template,Appraisal Template Title,စိစစ်ရေး Template: ခေါင်းစဉ်မရှိ
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},နေ့စွဲကနေ {0} ထမ်းများအတွက် {1} ဝန်ထမ်းရဲ့ပူးပေါင်းနေ့စွဲ {2} မတိုင်မီမဖွစျနိုငျ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,ကုန်သွယ်လုပ်ငန်းခွန်
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,ကုန်သွယ်လုပ်ငန်းခွန်
DocType: Payment Entry,Account Paid To,ရန် Paid အကောင့်
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,မိဘတစ် Item {0} တစ်စတော့အိတ်ပစ္စည်းမဖြစ်ရပါမည်
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,အားလုံးသည်ထုတ်ကုန်များသို့မဟုတ်န်ဆောင်မှုများ။
DocType: Expense Claim,More Details,ပိုများသောအသေးစိတ်
DocType: Supplier Quotation,Supplier Address,ပေးသွင်းလိပ်စာ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} အကောင့်အတွက်ဘတ်ဂျက် {1} {2} {3} ဆန့်ကျင် {4} ဖြစ်ပါတယ်။ ဒါဟာ {5} အားဖြင့်ကျော်လွန်ပါလိမ့်မယ်
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',အတန်း {0} # အကောင့်အမျိုးအစားဖြစ်ရပါမည် '' Fixed Asset ''
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Qty out
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,ရောင်းချမှုသည်ရေကြောင်းပမာဏကိုတွက်ချက်ရန်စည်းမျဉ်းများ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',အတန်း {0} # အကောင့်အမျိုးအစားဖြစ်ရပါမည် '' Fixed Asset ''
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Qty out
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,ရောင်းချမှုသည်ရေကြောင်းပမာဏကိုတွက်ချက်ရန်စည်းမျဉ်းများ
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,စီးရီးမသင်မနေရ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,ဘဏ္ဍာရေးန်ဆောင်မှုများ
DocType: Student Sibling,Student ID,ကျောင်းသား ID ကို
@@ -3480,13 +3503,13 @@
DocType: Tax Rule,Sales,အရောင်း
DocType: Stock Entry Detail,Basic Amount,အခြေခံပညာပမာဏ
DocType: Training Event,Exam,စာမေးပွဲ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},စတော့ရှယ်ယာ Item {0} လိုအပ်ဂိုဒေါင်
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},စတော့ရှယ်ယာ Item {0} လိုအပ်ဂိုဒေါင်
DocType: Leave Allocation,Unused leaves,အသုံးမပြုသောအရွက်
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,ငွေတောင်းခံပြည်နယ်
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,လွှဲပြောင်း
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} ပါတီအကောင့် {2} နှင့်ဆက်စပ်ပါဘူး
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),(Sub-အသင်းတော်များအပါအဝင်) ပေါက်ကွဲခဲ့ BOM Fetch
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} ပါတီအကောင့် {2} နှင့်ဆက်စပ်ပါဘူး
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),(Sub-အသင်းတော်များအပါအဝင်) ပေါက်ကွဲခဲ့ BOM Fetch
DocType: Authorization Rule,Applicable To (Employee),(န်ထမ်း) ရန်သက်ဆိုင်သော
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,ကြောင့်နေ့စွဲမသင်မနေရ
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Attribute {0} ပါ 0 င်မဖွစျနိုငျဘို့ increment
@@ -3514,7 +3537,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,ကုန်ကြမ်းပစ္စည်း Code ကို
DocType: Journal Entry,Write Off Based On,အခြေတွင်ပိတ်ရေးထား
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,ခဲ Make
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,ပုံနှိပ်နှင့်စာရေးကိရိယာ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,ပုံနှိပ်နှင့်စာရေးကိရိယာ
DocType: Stock Settings,Show Barcode Field,Show ကိုဘားကုဒ်ဖျော်ဖြေမှု
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,ပေးသွင်းထားတဲ့အီးမေးလ်ပို့ပါ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","လစာပြီးသားဤရက်စွဲအကွာအဝေးအကြားမဖွစျနိုငျ {0} အကြားကာလအတွက်လုပ်ငန်းများ၌နှင့် {1}, လျှောက်လွှာကာလချန်ထားပါ။"
@@ -3522,14 +3545,16 @@
DocType: Guardian Interest,Guardian Interest,ဂါးဒီးယန်းအကျိုးစီးပွား
apps/erpnext/erpnext/config/hr.py +177,Training,လေ့ကျင့်ရေး
DocType: Timesheet,Employee Detail,ဝန်ထမ်း Detail
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 အီးမေးလ် ID ကို
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 အီးမေးလ် ID ကို
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 အီးမေးလ် ID ကို
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 အီးမေးလ် ID ကို
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,လ၏နေ့တွင် Next ကိုနေ့စွဲရဲ့နေ့နဲ့ထပ်တန်းတူဖြစ်ရပါမည်
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,ဝက်ဘ်ဆိုက်ပင်မစာမျက်နှာများအတွက်ချိန်ညှိမှုများ
DocType: Offer Letter,Awaiting Response,စောင့်ဆိုင်းတုန့်ပြန်
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,အထက်
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,အထက်
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},မှားနေသော attribute ကို {0} {1}
DocType: Supplier,Mention if non-standard payable account,Non-စံပေးဆောင်အကောင့်လျှင်ဖော်ပြထားခြင်း
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},တူညီသောပစ္စည်းကိုအကြိမ်ပေါင်းများစွာထဲသို့ဝင်ခဲ့တာဖြစ်ပါတယ်။ {စာရင်း}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups','' အားလုံးအကဲဖြတ်အဖွဲ့များ '' ထက်အခြားအကဲဖြတ်အဖွဲ့ကို select လုပ်ပါ ကျေးဇူးပြု.
DocType: Salary Slip,Earning & Deduction,ဝင်ငွေ & ထုတ်ယူ
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,optional ။ ဒီ setting ကိုအမျိုးမျိုးသောငွေကြေးလွှဲပြောင်းမှုမှာ filter မှအသုံးပြုလိမ့်မည်။
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,negative အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည် Rate ခွင့်မပြု
@@ -3543,9 +3568,9 @@
DocType: Sales Invoice,Product Bundle Help,ထုတ်ကုန်ပစ္စည်း Bundle ကိုအကူအညီ
,Monthly Attendance Sheet,လစဉ်တက်ရောက် Sheet
DocType: Production Order Item,Production Order Item,ထုတ်လုပ်မှုအမိန့် Item
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,စံချိန်မျှမတွေ့ပါ
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,စံချိန်မျှမတွေ့ပါ
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,ဖျက်သိမ်းပိုင်ဆိုင်မှု၏ကုန်ကျစရိတ်
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: ကုန်ကျစရိတ် Center က Item {2} သည်မသင်မနေရ
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: ကုန်ကျစရိတ် Center က Item {2} သည်မသင်မနေရ
DocType: Vehicle,Policy No,ပေါ်လစီအဘယ်သူမျှမ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,ထုတ်ကုန်ပစ္စည်း Bundle ကိုထံမှပစ္စည်းများ Get
DocType: Asset,Straight Line,မျဥ်းဖြောင့်
@@ -3554,7 +3579,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,ကွဲ
DocType: GL Entry,Is Advance,ကြိုတင်ထုတ်သည်
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,နေ့စွဲရန်နေ့စွဲနှင့်တက်ရောက် မှစ. တက်ရောက်သူမသင်မနေရ
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,ရိုက်ထည့်ပေးပါဟုတ်ကဲ့သို့မဟုတ်မရှိပါအဖြစ် '' Subcontracted သည် ''
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,ရိုက်ထည့်ပေးပါဟုတ်ကဲ့သို့မဟုတ်မရှိပါအဖြစ် '' Subcontracted သည် ''
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,နောက်ဆုံးဆက်သွယ်ရေးနေ့စွဲ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,နောက်ဆုံးဆက်သွယ်ရေးနေ့စွဲ
DocType: Sales Team,Contact No.,ဆက်သွယ်ရန်အမှတ်
@@ -3583,60 +3608,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,ဖွင့်လှစ် Value တစ်ခု
DocType: Salary Detail,Formula,နည်း
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,serial #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,အရောင်းအပေါ်ကော်မရှင်
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,အရောင်းအပေါ်ကော်မရှင်
DocType: Offer Letter Term,Value / Description,Value တစ်ခု / ဖော်ပြချက်များ
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","အတန်း # {0}: ပိုင်ဆိုင်မှု {1} တင်သွင်းမရနိုငျ, က {2} ပြီးသားဖြစ်ပါတယ်"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","အတန်း # {0}: ပိုင်ဆိုင်မှု {1} တင်သွင်းမရနိုငျ, က {2} ပြီးသားဖြစ်ပါတယ်"
DocType: Tax Rule,Billing Country,ငွေတောင်းခံနိုင်ငံ
DocType: Purchase Order Item,Expected Delivery Date,မျှော်လင့်ထားသည့် Delivery Date ကို
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,{0} # {1} တန်းတူမ debit နှင့် Credit ။ ခြားနားချက် {2} ဖြစ်ပါတယ်။
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Entertainment ကအသုံးစရိတ်များ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,ပစ္စည်းတောင်းဆိုခြင်း Make
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Entertainment ကအသုံးစရိတ်များ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,ပစ္စည်းတောင်းဆိုခြင်း Make
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},ပွင့်လင်း Item {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,အရောင်းပြေစာ {0} ဒီအရောင်းအမိန့်ကိုပယ်ဖျက်မီဖျက်သိမ်းရပါမည်
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,အသက်အရွယ်
DocType: Sales Invoice Timesheet,Billing Amount,ငွေတောင်းခံငွေပမာဏ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,ကို item {0} သည်သတ်မှတ်ထားသောမမှန်ကန်ခြင်းအရေအတွက်။ အရေအတွက် 0 င်ထက် သာ. ကြီးမြတ်ဖြစ်သင့်သည်။
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,ခွင့်သည်ပလီကေးရှင်း။
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,လက်ရှိငွေပေးငွေယူနှင့်အတူအကောင့်ကိုဖျက်ပစ်မရနိုင်ပါ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,လက်ရှိငွေပေးငွေယူနှင့်အတူအကောင့်ကိုဖျက်ပစ်မရနိုင်ပါ
DocType: Vehicle,Last Carbon Check,ပြီးခဲ့သည့်ကာဗွန်စစ်ဆေးမှု
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,ဥပဒေရေးရာအသုံးစရိတ်များ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,ဥပဒေရေးရာအသုံးစရိတ်များ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,အတန်းအပေါ်အရေအတွက်ကို select ပေးပါ
DocType: Purchase Invoice,Posting Time,posting အချိန်
DocType: Timesheet,% Amount Billed,ကြေညာတဲ့% ပမာဏ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,တယ်လီဖုန်းအသုံးစရိတ်များ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,တယ်လီဖုန်းအသုံးစရိတ်များ
DocType: Sales Partner,Logo,logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,သင်ချွေတာရှေ့တော်၌စီးရီးကိုရွေးဖို့ user ကိုတွန်းအားပေးချင်တယ်ဆိုရင်ဒီစစ်ဆေးပါ။ သင်သည်ဤစစ်ဆေးလျှင်အဘယ်သူမျှမက default ရှိပါတယ်ဖြစ်လိမ့်မည်။
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Serial No {0} နှင့်အတူမရှိပါ Item
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Serial No {0} နှင့်အတူမရှိပါ Item
DocType: Email Digest,Open Notifications,ပွင့်လင်းအသိပေးချက်များ
DocType: Payment Entry,Difference Amount (Company Currency),ကွာခြားချက်ပမာဏ (ကုမ္ပဏီငွေကြေးစနစ်)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,တိုက်ရိုက်အသုံးစရိတ်များ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,တိုက်ရိုက်အသုံးစရိတ်များ
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} '' သတိပေးချက် \ Email လိပ်စာ '၌တစ်ဦးဟာမမှန်ကန်အီးမေးလ်လိပ်စာဖြစ်ပါသည်
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,နယူးဖောက်သည်အခွန်ဝန်ကြီးဌာန
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,ခရီးသွားအသုံးစရိတ်များ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,ခရီးသွားအသုံးစရိတ်များ
DocType: Maintenance Visit,Breakdown,ပျက်သည်
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,အကောင့်ဖွင်: {0} ငွေကြေးနှင့်အတူ: {1} ကိုရှေးခယျြမရနိုငျ
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,အကောင့်ဖွင်: {0} ငွေကြေးနှင့်အတူ: {1} ကိုရှေးခယျြမရနိုငျ
DocType: Bank Reconciliation Detail,Cheque Date,Cheques နေ့စွဲ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},အကောင့်ကို {0}: မိဘအကောင့်ကို {1} ကုမ္ပဏီပိုင်ပါဘူး: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},အကောင့်ကို {0}: မိဘအကောင့်ကို {1} ကုမ္ပဏီပိုင်ပါဘူး: {2}
DocType: Program Enrollment Tool,Student Applicants,ကျောင်းသားသမဂ္ဂလျှောက်ထား
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,အောင်မြင်စွာဒီကုမ္ပဏီနှင့်ဆက်စပ်သောအားလုံးအရောင်းအဖျက်ပြီး!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,အောင်မြင်စွာဒီကုမ္ပဏီနှင့်ဆက်စပ်သောအားလုံးအရောင်းအဖျက်ပြီး!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,နေ့စွဲအပေါ်အဖြစ်
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,ကျောင်းအပ်နေ့စွဲ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,အစမ်းထား
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,အစမ်းထား
apps/erpnext/erpnext/config/hr.py +115,Salary Components,လစာ Components
DocType: Program Enrollment Tool,New Academic Year,နယူးပညာရေးဆိုင်ရာတစ်နှစ်တာ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,ပြန်သွား / ခရက်ဒစ်မှတ်ချက်
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,ပြန်သွား / ခရက်ဒစ်မှတ်ချက်
DocType: Stock Settings,Auto insert Price List rate if missing,auto INSERT စျေးနှုန်းကိုစာရင်းနှုန်းကပျောက်ဆုံးနေဆဲလျှင်
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,စုစုပေါင်း Paid ငွေပမာဏ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,စုစုပေါင်း Paid ငွေပမာဏ
DocType: Production Order Item,Transferred Qty,လွှဲပြောင်း Qty
apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigator
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,စီမံကိန်း
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,ထုတ်ပြန်သည်
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,စီမံကိန်း
+DocType: Material Request,Issued,ထုတ်ပြန်သည်
DocType: Project,Total Billing Amount (via Time Logs),(အချိန် Logs ကနေတဆင့်) စုစုပေါင်း Billing ငွေပမာဏ
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,ကျွန်ုပ်တို့သည်ဤ Item ရောင်းချ
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,ပေးသွင်း Id
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,ကျွန်ုပ်တို့သည်ဤ Item ရောင်းချ
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,ပေးသွင်း Id
DocType: Payment Request,Payment Gateway Details,ငွေပေးချေမှုရမည့် Gateway မှာအသေးစိတ်
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,အရေအတွက်ပါ 0 င်ထက် သာ. ကြီးမြတ်ဖြစ်သင့်
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,အရေအတွက်ပါ 0 င်ထက် သာ. ကြီးမြတ်ဖြစ်သင့်
DocType: Journal Entry,Cash Entry,ငွေသား Entry '
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,ကလေး node များသာ '' Group မှ '' type ကို node များအောက်တွင်ဖန်တီးနိုင်ပါတယ်
DocType: Leave Application,Half Day Date,ဝက်နေ့နေ့စွဲ
@@ -3648,14 +3674,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},သုံးစွဲမှုအရေးဆိုသောအမျိုးအစား {0} အတွက် default အနေနဲ့အကောင့်သတ်မှတ်ထားပေးပါ
DocType: Assessment Result,Student Name,ကျောင်းသားအမည်
DocType: Brand,Item Manager,item Manager က
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,လုပ်ခလစာပေးချေ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,လုပ်ခလစာပေးချေ
DocType: Buying Settings,Default Supplier Type,default ပေးသွင်း Type
DocType: Production Order,Total Operating Cost,စုစုပေါင်း Operating ကုန်ကျစရိတ်
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,မှတ်စု: Item {0} အကြိမ်ပေါင်းများစွာသို့ဝင်
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,အားလုံးသည်ဆက်သွယ်ရန်။
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,ကုမ္ပဏီအတိုကောက်
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,ကုမ္ပဏီအတိုကောက်
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,အသုံးပြုသူ {0} မတည်ရှိပါဘူး
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,ကုန်ကြမ်းအဓိက Item အဖြစ်အတူတူမဖွစျနိုငျ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,ကုန်ကြမ်းအဓိက Item အဖြစ်အတူတူမဖွစျနိုငျ
DocType: Item Attribute Value,Abbreviation,အကျဉ်း
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,ငွေပေးချေမှုရမည့် Entry ပြီးသားတည်ရှိ
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} ကန့်သတ်ထက်ကျော်လွန်ပြီးကတည်းက authroized မဟုတ်
@@ -3664,35 +3690,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,စျေးဝယ်လှည်းများအတွက်အခွန်နည်းဥပဒေ Set
DocType: Purchase Invoice,Taxes and Charges Added,အခွန်နှင့်စွပ်စွဲချက် Added
,Sales Funnel,အရောင်းကတော့
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,အတိုကောက်မဖြစ်မနေဖြစ်ပါသည်
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,အတိုကောက်မဖြစ်မနေဖြစ်ပါသည်
DocType: Project,Task Progress,task ကိုတိုးတက်ရေးပါတီ
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,လှည်း
,Qty to Transfer,သို့လွှဲပြောင်းရန် Qty
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,ခဲသို့မဟုတ် Customer များ quotes ။
DocType: Stock Settings,Role Allowed to edit frozen stock,အေးခဲစတော့ရှယ်ယာတည်းဖြတ်ရန် Allowed အခန်းကဏ္ဍ
,Territory Target Variance Item Group-Wise,နယ်မြေတွေကို Target ကကှဲလှဲ Item Group မှ-ပညာရှိ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,အားလုံးသည်ဖောက်သည်အဖွဲ့များ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,အားလုံးသည်ဖောက်သည်အဖွဲ့များ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,လစဉ်စုဆောင်း
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} မဖြစ်မနေဖြစ်ပါတယ်။ ဖြစ်ရင်ငွေကြေးစနစ်ချိန်းစံချိန် {1} {2} မှဖန်တီးသည်မဟုတ်။
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} မဖြစ်မနေဖြစ်ပါတယ်။ ဖြစ်ရင်ငွေကြေးစနစ်ချိန်းစံချိန် {1} {2} မှဖန်တီးသည်မဟုတ်။
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,အခွန် Template ကိုမဖြစ်မနေဖြစ်ပါတယ်။
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,အကောင့်ကို {0}: မိဘအကောင့်ကို {1} မတည်ရှိပါဘူး
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,အကောင့်ကို {0}: မိဘအကောင့်ကို {1} မတည်ရှိပါဘူး
DocType: Purchase Invoice Item,Price List Rate (Company Currency),စျေးနှုန်း List ကို Rate (ကုမ္ပဏီငွေကြေးစနစ်)
DocType: Products Settings,Products Settings,ထုတ်ကုန်များချိန်ညှိ
DocType: Account,Temporary,ယာယီ
DocType: Program,Courses,သင်တန်းများ
DocType: Monthly Distribution Percentage,Percentage Allocation,ရာခိုင်နှုန်းဖြန့်ဝေ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,အတွင်းဝန်
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,အတွင်းဝန်
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","ကို disable လြှငျ, လယ်ပြင် '' စကားထဲမှာ '' ဆိုငွေပေးငွေယူမြင်နိုင်လိမ့်မည်မဟုတ်ပေ"
DocType: Serial No,Distinct unit of an Item,တစ်ဦး Item ၏ထူးခြားသောယူနစ်
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,ကုမ္ပဏီသတ်မှတ်ပေးပါ
DocType: Pricing Rule,Buying,ဝယ်
DocType: HR Settings,Employee Records to be created by,အသုံးပြုနေသူများကဖန်တီးခံရဖို့ဝန်ထမ်းမှတ်တမ်း
DocType: POS Profile,Apply Discount On,လျှော့တွင် Apply
,Reqd By Date,နေ့စွဲအားဖြင့် Reqd
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,အကြွေးရှင်
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,အကြွေးရှင်
DocType: Assessment Plan,Assessment Name,အကဲဖြတ်အမည်
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,row # {0}: Serial မရှိပါမဖြစ်မနေဖြစ်ပါသည်
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,item ပညာရှိခွန် Detail
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Institute မှအတိုကောက်
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Institute မှအတိုကောက်
,Item-wise Price List Rate,item ပညာစျေးနှုန်း List ကို Rate
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,ပေးသွင်းစျေးနှုန်း
DocType: Quotation,In Words will be visible once you save the Quotation.,သင်စျေးနှုန်းကိုကယ်တင်တစ်ချိန်ကစကားမြင်နိုင်ပါလိမ့်မည်။
@@ -3700,14 +3727,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},အရေအတွက် ({0}) တန်း {1} အတွက်အစိတ်အပိုင်းမဖွစျနိုငျ
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,အခကြေးငွေများစုဆောင်း
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Barcode {0} ပြီးသား Item {1} များတွင်အသုံးပြု
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barcode {0} ပြီးသား Item {1} များတွင်အသုံးပြု
DocType: Lead,Add to calendar on this date,ဒီနေ့စွဲအပေါ်ပြက္ခဒိန်မှ Add
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,သင်္ဘောစရိတ်ပေါင်းထည့်သည်နည်းဥပဒေများ။
DocType: Item,Opening Stock,စတော့အိတ်ဖွင့်လှစ်
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,customer လိုအပ်သည်
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} သို့ပြန်သွားသည်တွေအတွက်မဖြစ်မနေဖြစ်ပါသည်
DocType: Purchase Order,To Receive,လက်ခံမှ
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,ပုဂ္ဂိုလ်ရေးအီးမေးလ်
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,စုစုပေါင်းကှဲလှဲ
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","enabled လျှင်, system ကိုအလိုအလျှောက်စာရင်းသည်စာရင်းကိုင် entries တွေကို post လိမ့်မည်။"
@@ -3718,13 +3744,14 @@
DocType: Customer,From Lead,ခဲကနေ
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ထုတ်လုပ်မှုပြန်လွှတ်ပေးခဲ့အမိန့်။
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာကိုရွေးပါ ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS Entry 'ပါစေရန်လိုအပ်သည် POS ကိုယ်ရေးအချက်အလက်များ profile
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS Entry 'ပါစေရန်လိုအပ်သည် POS ကိုယ်ရေးအချက်အလက်များ profile
DocType: Program Enrollment Tool,Enroll Students,ကျောင်းသားများကျောင်းအပ်
DocType: Hub Settings,Name Token,Token အမည်
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,စံရောင်းချသည့်
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Atleast တယောက်ဂိုဒေါင်မသင်မနေရ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Atleast တယောက်ဂိုဒေါင်မသင်မနေရ
DocType: Serial No,Out of Warranty,အာမခံထဲက
DocType: BOM Replace Tool,Replace,အစားထိုးဖို့
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,အဘယ်သူမျှမထုတ်ကုန်တွေ့ရှိခဲ့ပါတယ်။
DocType: Production Order,Unstopped,Unstopped
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} အရောင်းပြေစာ {1} ဆန့်ကျင်
DocType: Sales Invoice,SINV-,SINV-
@@ -3735,13 +3762,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,စတော့အိတ် Value တစ်ခု Difference
apps/erpnext/erpnext/config/learn.py +234,Human Resource,လူ့စွမ်းအားအရင်းအမြစ်
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,ငွေပေးချေမှုရမည့်ပြန်လည်ရင်ကြားစေ့ရေးငွေပေးချေမှုရမည့်
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,အခွန်ပိုင်ဆိုင်မှုများ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,အခွန်ပိုင်ဆိုင်မှုများ
DocType: BOM Item,BOM No,BOM မရှိပါ
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,ဂျာနယ် Entry '{0} အကောင့်ကို {1} များသို့မဟုတ်ပြီးသားအခြားဘောက်ချာဆန့်ကျင်လိုက်ဖက်ပါဘူး
DocType: Item,Moving Average,ပျမ်းမျှ Moving
DocType: BOM Replace Tool,The BOM which will be replaced,အဆိုပါ BOM အစားထိုးခံရလိမ့်မည်ဟူသော
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,အီလက်ထရောနစ်ပစ္စည်းများ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,အီလက်ထရောနစ်ပစ္စည်းများ
DocType: Account,Debit,debit
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,အရွက် 0.5 အလီလီခွဲဝေရမည်
DocType: Production Order,Operation Cost,စစ်ဆင်ရေးကုန်ကျစရိတ်
@@ -3749,7 +3776,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,ထူးချွန် Amt
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,ဒီအရောင်းပုဂ္ဂိုလ်များအတွက်ပစ်မှတ် Item Group မှပညာ Set ။
DocType: Stock Settings,Freeze Stocks Older Than [Days],[Days] သန်း Older စတော့စျေးကွက်အေးခဲ
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,အတန်း # {0}: ပိုင်ဆိုင်မှုသတ်မှတ်ထားတဲ့ပိုင်ဆိုင်မှုဝယ်ယူ / ရောင်းမည်မဖြစ်မနေဖြစ်ပါသည်
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,အတန်း # {0}: ပိုင်ဆိုင်မှုသတ်မှတ်ထားတဲ့ပိုင်ဆိုင်မှုဝယ်ယူ / ရောင်းမည်မဖြစ်မနေဖြစ်ပါသည်
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","နှစ်ခုသို့မဟုတ်ထို့ထက်ပိုသောစျေးနှုန်းနည်းဥပဒေများအထက်ဖော်ပြပါအခြေအနေများအပေါ် အခြေခံ. တွေ့ရှိနေတယ်ဆိုရင်, ဦးစားပေးလျှောက်ထားတာဖြစ်ပါတယ်။ default value ကိုသုည (အလွတ်) ဖြစ်ပါသည်စဉ်ဦးစားပေး 0 င်မှ 20 အကြားတစ်ဦးအရေအတွက်ဖြစ်ပါတယ်။ ပိုမိုမြင့်မားသောအရေအတွက်တူညီသည့်အခြေအနေများနှင့်အတူမျိုးစုံစျေးနှုန်းများနည်းဥပဒေများရှိပါတယ်လျှင်ဦးစားပေးယူလိမ့်မည်ဆိုလိုသည်။"
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာ: {0} တည်ရှိပါဘူး
DocType: Currency Exchange,To Currency,ငွေကြေးစနစ်မှ
@@ -3758,7 +3785,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ကို item {0} အဘို့အမှုနှုန်းရောင်းချနေသည်၎င်း၏ {1} ထက်နိမ့်သည်။ ရောင်းမှုနှုန်း atleast {2} ဖြစ်သင့်
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},ကို item {0} အဘို့အမှုနှုန်းရောင်းချနေသည်၎င်း၏ {1} ထက်နိမ့်သည်။ ရောင်းမှုနှုန်း atleast {2} ဖြစ်သင့်
DocType: Item,Taxes,အခွန်
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Paid နှင့်မကယ်မနှုတ်
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Paid နှင့်မကယ်မနှုတ်
DocType: Project,Default Cost Center,default ကုန်ကျစရိတ် Center က
DocType: Bank Guarantee,End Date,အဆုံးနေ့စွဲ
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,စတော့အိတ်အရောင်းအဝယ်
@@ -3783,24 +3810,22 @@
DocType: Employee,Held On,တွင်ကျင်းပ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,ထုတ်လုပ်မှု Item
,Employee Information,ဝန်ထမ်းပြန်ကြားရေး
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),rate (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),rate (%)
DocType: Stock Entry Detail,Additional Cost,အပိုဆောင်းကုန်ကျစရိတ်
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,ဘဏ္ဍာရေးတစ်နှစ်တာအဆုံးနေ့စွဲ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","ဘောက်ချာများကအုပ်စုဖွဲ့လျှင်, voucher မရှိပါအပေါ်အခြေခံပြီး filter နိုင်ဘူး"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,ပေးသွင်းစျေးနှုန်းလုပ်ပါ
DocType: Quality Inspection,Incoming,incoming
DocType: BOM,Materials Required (Exploded),လိုအပ်သောပစ္စည်းများ (ပေါက်ကွဲ)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","ကိုယ့်ကိုကိုယ်ထက်အခြား, သင့်အဖွဲ့အစည်းမှအသုံးပြုသူများကို Add"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Post date အနာဂတ်နေ့စွဲမဖွစျနိုငျ
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},row # {0}: Serial မရှိပါ {1} {2} {3} နှင့်ကိုက်ညီမပါဘူး
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,ကျပန်းထွက်ခွာ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,ကျပန်းထွက်ခွာ
DocType: Batch,Batch ID,batch ID ကို
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},မှတ်စု: {0}
,Delivery Note Trends,Delivery မှတ်ချက်ခေတ်ရေစီးကြောင်း
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,This Week ရဲ့အကျဉ်းချုပ်
-,In Stock Qty,စတော့အိတ်အရည်အတွက်ခုနှစ်တွင်
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,စတော့အိတ်အရည်အတွက်ခုနှစ်တွင်
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,အကောင့်ဖွ: {0} သာစတော့အိတ်ငွေကြေးကိစ္စရှင်းလင်းမှုကနေတဆင့် updated နိုင်ပါတယ်
-DocType: Program Enrollment,Get Courses,သင်တန်းများ get
+DocType: Student Group Creation Tool,Get Courses,သင်တန်းများ get
DocType: GL Entry,Party,ပါတီ
DocType: Sales Order,Delivery Date,ကုန်ပို့ရက်စွဲ
DocType: Opportunity,Opportunity Date,အခွင့်အလမ်းနေ့စွဲ
@@ -3808,14 +3833,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,စျေးနှုန်းပစ္စည်းများအတွက်တောင်းဆိုခြင်း
DocType: Purchase Order,To Bill,ဘီလ်မှ
DocType: Material Request,% Ordered,% မိန့်ထုတ်
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","သင်တန်းများအတွက်အခြေစိုက်ကျောင်းသားအုပ်စု, ထိုသင်တန်းအစီအစဉ်ကျောင်းအပ်အတွက်စာရင်းသွင်းသင်တန်းများအနေဖြင့်တိုင်းကျောင်းသားများအတွက်အတည်ပြုလိမ့်မည်။"
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date",ကော်မာကွဲကွာ Email လိပ်စာရိုက်ထည့်ငွေတောင်းခံလွှာကိုအထူးသနေ့စွဲအပေါ်အလိုအလျှောက်ပို့ပါလိမ့်မည်
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Piecework
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Piecework
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,AVG ။ ဝယ်ယူ Rate
DocType: Task,Actual Time (in Hours),(နာရီအတွက်) အမှန်တကယ်အချိန်
DocType: Employee,History In Company,ကုမ္ပဏီခုနှစ်တွင်သမိုင်းကြောင်း
apps/erpnext/erpnext/config/learn.py +107,Newsletters,သတင်းလွှာ
DocType: Stock Ledger Entry,Stock Ledger Entry,စတော့အိတ်လယ်ဂျာ Entry '
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ဖောက်သည်> ဖောက်သည် Group မှ> နယ်မြေတွေကို
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,တူညီသောပစ္စည်းကိုအကြိမ်ပေါင်းများစွာထဲသို့ဝင်ထားပြီး
DocType: Department,Leave Block List,Block List ကို Leave
DocType: Sales Invoice,Tax ID,အခွန် ID ကို
@@ -3830,30 +3855,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} ဒီအရောင်းအဝယ်ပြီးမြောက်ရန် {2} လိုသေး {1} ၏ယူနစ်။
DocType: Loan Type,Rate of Interest (%) Yearly,အကျိုးစီးပွား၏နှုန်းမှာ (%) နှစ်အလိုက်
DocType: SMS Settings,SMS Settings,SMS ကို Settings ကို
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,ယာယီ Accounts ကို
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,black
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,ယာယီ Accounts ကို
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,black
DocType: BOM Explosion Item,BOM Explosion Item,BOM ပေါက်ကွဲမှုဖြစ် Item
DocType: Account,Auditor,စာရင်းစစ်ချုပ်
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,ထုတ်လုပ် {0} ပစ္စည်းများ
DocType: Cheque Print Template,Distance from top edge,ထိပ်ဆုံးအစွန်ကနေအဝေးသင်
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,စျေးစာရင်း {0} ကိုပိတ်ထားသည်သို့မဟုတ်မတည်ရှိပါဘူး
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,စျေးစာရင်း {0} ကိုပိတ်ထားသည်သို့မဟုတ်မတည်ရှိပါဘူး
DocType: Purchase Invoice,Return,ပြန်လာ
DocType: Production Order Operation,Production Order Operation,ထုတ်လုပ်မှုအမိန့်စစ်ဆင်ရေး
DocType: Pricing Rule,Disable,ကို disable
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,ငွေပေးချေမှု၏ Mode ကိုငွေပေးချေရန်လိုအပ်ပါသည်
DocType: Project Task,Pending Review,ဆိုင်းငံ့ထားပြန်လည်ဆန်းစစ်ခြင်း
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ဟာအသုတ်လိုက် {2} စာရင်းသွင်းမဟုတ်ပါ
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","ဒါကြောင့် {1} ပြီးသားဖြစ်သကဲ့သို့ပိုင်ဆိုင်မှု {0}, ဖျက်သိမ်းမရနိုငျ"
DocType: Task,Total Expense Claim (via Expense Claim),(ကုန်ကျစရိတ်တောင်းဆိုမှုများကနေတဆင့်) စုစုပေါင်းကုန်ကျစရိတ်တောင်းဆိုမှုများ
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,customer Id
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,မာကုဒူးယောင်
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},အတန်း {0}: အ BOM # ၏ငွေကြေး {1} ရွေးချယ်ထားတဲ့ငွေကြေး {2} တန်းတူဖြစ်သင့်
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},အတန်း {0}: အ BOM # ၏ငွေကြေး {1} ရွေးချယ်ထားတဲ့ငွေကြေး {2} တန်းတူဖြစ်သင့်
DocType: Journal Entry Account,Exchange Rate,ငွေလဲလှယ်နှုန်း
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,အရောင်းအမှာစာ {0} တင်သွင်းသည်မဟုတ်
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,အရောင်းအမှာစာ {0} တင်သွင်းသည်မဟုတ်
DocType: Homepage,Tag Line,tag ကိုလိုင်း
DocType: Fee Component,Fee Component,အခကြေးငွေစိတျအပိုငျး
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,ရေယာဉ်စုစီမံခန့်ခွဲမှု
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,အထဲကပစ္စည်းတွေကို Add
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},ဂိုဒေါင် {0}: မိဘအကောင့်ကို {1} ကုမ္ပဏီက {2} မှ bolong ပါဘူး
DocType: Cheque Print Template,Regular,ပုံမှန်အစည်းအဝေး
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,အားလုံးအကဲဖြတ်လိုအပ်ချက်စုစုပေါင်း Weightage 100% ရှိရပါမည်
DocType: BOM,Last Purchase Rate,နောက်ဆုံးဝယ်ယူ Rate
@@ -3862,11 +3886,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,မျိုးကွဲရှိပါတယ်ကတည်းကစတော့အိတ် Item {0} သည်မတည်ရှိနိုင်
,Sales Person-wise Transaction Summary,အရောင်းပုဂ္ဂိုလ်ပညာ Transaction အကျဉ်းချုပ်
DocType: Training Event,Contact Number,ဆက်သွယ်ရန်ဖုန်းနံပါတ်
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,ဂိုဒေါင် {0} မတည်ရှိပါဘူး
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,ဂိုဒေါင် {0} မတည်ရှိပါဘူး
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,ERPNext Hub သည် Register
DocType: Monthly Distribution,Monthly Distribution Percentages,လစဉ်ဖြန့်ဖြူးရာခိုင်နှုန်း
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,ရွေးချယ်ထားတဲ့ item Batch ရှိသည်မဟုတ်နိုင်
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","အဘိုးပြတ်မှုနှုန်း {1} {2} များအတွက်စာရင်းကိုင် entries တွေကိုလုပ်ဖို့လိုအပ်သောပစ္စည်း {0}, အဘို့ရှာမတွေ့ပါ။ ပစ္စည်းကတော့ {1} အတွက်နမူနာကို item အဖြစ်လုပ်ဆောင်လျှင်, {1} Item table ထဲမှာကြောင်းဖော်ပြထားခြင်းပါ။ ဒီလိုမှမဟုတ်ရင်ပစ္စည်းတစ်ခုဝင်လာသောစတော့ရှယ်ယာအရောင်းအဝယ်အတွက်ဖန်တီးသို့မဟုတ်ဖော်ပြထားခြင်းအဘိုးပြတ်နှုန်း Item စံချိန်အတွက်, ပြီးတော့ဒီ entry ပယ်ဖျက် / submiting ကြိုးစားကြည့်ပါ"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","အဘိုးပြတ်မှုနှုန်း {1} {2} များအတွက်စာရင်းကိုင် entries တွေကိုလုပ်ဖို့လိုအပ်သောပစ္စည်း {0}, အဘို့ရှာမတွေ့ပါ။ ပစ္စည်းကတော့ {1} အတွက်နမူနာကို item အဖြစ်လုပ်ဆောင်လျှင်, {1} Item table ထဲမှာကြောင်းဖော်ပြထားခြင်းပါ။ ဒီလိုမှမဟုတ်ရင်ပစ္စည်းတစ်ခုဝင်လာသောစတော့ရှယ်ယာအရောင်းအဝယ်အတွက်ဖန်တီးသို့မဟုတ်ဖော်ပြထားခြင်းအဘိုးပြတ်နှုန်း Item စံချိန်အတွက်, ပြီးတော့ဒီ entry ပယ်ဖျက် / submiting ကြိုးစားကြည့်ပါ"
DocType: Delivery Note,% of materials delivered against this Delivery Note,ဒီ Delivery Note ကိုဆန့်ကျင်ကယ်နှုတ်တော်မူ၏ပစ္စည်း%
DocType: Project,Customer Details,customer အသေးစိတ်ကို
DocType: Employee,Reports to,အစီရင်ခံစာများမှ
@@ -3874,24 +3898,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,လက်ခံ nos သည် url parameter ကိုရိုက်ထည့်
DocType: Payment Entry,Paid Amount,Paid ငွေပမာဏ
DocType: Assessment Plan,Supervisor,ကြီးကြပ်သူ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,အွန်လိုင်း
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,အွန်လိုင်း
,Available Stock for Packing Items,ပစ္စည်းများထုပ်ပိုးရရှိနိုင်ပါသည်စတော့အိတ်
DocType: Item Variant,Item Variant,item Variant
DocType: Assessment Result Tool,Assessment Result Tool,အကဲဖြတ်ရလဒ် Tool ကို
DocType: BOM Scrap Item,BOM Scrap Item,BOM အပိုင်းအစ Item
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Submitted အမိန့်ပယ်ဖျက်မရပါ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",Debit ထဲမှာရှိပြီးသားအကောင့်ကိုချိန်ခွင်ကိုသင် '' Credit 'အဖြစ်' 'Balance ဖြစ်ရမည်' 'တင်ထားရန်ခွင့်ပြုမနေကြ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,အရည်အသွေးအစီမံခန့်ခွဲမှု
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Submitted အမိန့်ပယ်ဖျက်မရပါ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",Debit ထဲမှာရှိပြီးသားအကောင့်ကိုချိန်ခွင်ကိုသင် '' Credit 'အဖြစ်' 'Balance ဖြစ်ရမည်' 'တင်ထားရန်ခွင့်ပြုမနေကြ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,အရည်အသွေးအစီမံခန့်ခွဲမှု
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,item {0} ကိုပိတ်ထားသည်
DocType: Employee Loan,Repay Fixed Amount per Period,ကာလနှုန်း Fixed ငွေပမာဏပြန်ဆပ်
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Item {0} သည်အရေအတွက်ရိုက်ထည့်ပေးပါ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,credit မှတ်ချက် Amt
DocType: Employee External Work History,Employee External Work History,ဝန်ထမ်းပြင်ပလုပ်ငန်းခွင်သမိုင်း
DocType: Tax Rule,Purchase,ဝယ်ခြမ်း
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,ချိန်ခွင် Qty
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,ချိန်ခွင် Qty
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,ပန်းတိုင်အချည်းနှီးမဖွစျနိုငျ
DocType: Item Group,Parent Item Group,မိဘပစ္စည်းအုပ်စု
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} {1} သည်
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,ကုန်ကျစရိတ်စင်တာများ
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,ကုန်ကျစရိတ်စင်တာများ
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,ပေးသွင်းမယ့်ငွေကြေးကုမ္ပဏီ၏အခြေစိုက်စခန်းငွေကြေးအဖြစ်ပြောင်းလဲသောအချိန်တွင် rate
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},row # {0}: အတန်းနှင့်အတူအချိန်ပဋိပက္ခများ {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,သုညအကောက်ခွန်တန်ဖိုးသတ်မှတ်မည်နှုန်း Allow
@@ -3899,17 +3924,18 @@
DocType: Training Event Employee,Invited,ဖိတ်ကြားခဲ့
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,ပေးထားသောရက်စွဲများအတွက်ဝန်ထမ်း {0} တွေ့ရှိအကွိမျမြားစှာတက်ကြွလစာ structures များ
DocType: Opportunity,Next Contact,Next ကိုဆက်သွယ်ရန်
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Setup ကို Gateway ရဲ့အကောင့်။
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Setup ကို Gateway ရဲ့အကောင့်။
DocType: Employee,Employment Type,အလုပ်အကိုင်အခွင့်အကအမျိုးအစား
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Fixed ပိုင်ဆိုင်မှုများ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Fixed ပိုင်ဆိုင်မှုများ
DocType: Payment Entry,Set Exchange Gain / Loss,ချိန်း Gain / ပျောက်ဆုံးခြင်း Set
+,GST Purchase Register,GST ဝယ်ယူမှတ်ပုံတင်မည်
,Cash Flow,ငွေလည်ပတ်မှု
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,ပလီကေးရှင်းကာလအတွင်းနှစ်ဦး alocation မှတ်တမ်းများကိုဖြတ်ပြီးမဖွစျနိုငျ
DocType: Item Group,Default Expense Account,default သုံးစွဲမှုအကောင့်
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,ကျောင်းသားသမဂ္ဂအီးမေးလ် ID ကို
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,ကျောင်းသားသမဂ္ဂအီးမေးလ် ID ကို
DocType: Employee,Notice (days),အသိပေးစာ (ရက်)
DocType: Tax Rule,Sales Tax Template,အရောင်းခွန် Template ကို
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,ငွေတောင်းခံလွှာကိုကယ်တင်ပစ္စည်းများကို Select လုပ်ပါ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,ငွေတောင်းခံလွှာကိုကယ်တင်ပစ္စည်းများကို Select လုပ်ပါ
DocType: Employee,Encashment Date,Encashment နေ့စွဲ
DocType: Training Event,Internet,အင်တာနက်ကို
DocType: Account,Stock Adjustment,စတော့အိတ် Adjustments
@@ -3938,7 +3964,7 @@
DocType: Guardian,Guardian Of ,၏ဂါးဒီးယန်း
DocType: Grading Scale Interval,Threshold,တံခါးဝ
DocType: BOM Replace Tool,Current BOM,လက်ရှိ BOM
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Serial No Add
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Serial No Add
apps/erpnext/erpnext/config/support.py +22,Warranty,အာမခံချက်
DocType: Purchase Invoice,Debit Note Issued,debit မှတ်ချက်ထုတ်ပေး
DocType: Production Order,Warehouses,ကုနျလှောငျရုံ
@@ -3947,20 +3973,20 @@
DocType: Workstation,per hour,တစ်နာရီကို
apps/erpnext/erpnext/config/buying.py +7,Purchasing,ယ်ယူခြင်း
DocType: Announcement,Announcement,အသိပေးကြေငြာခြင်း
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,အဆိုပါကုန်လှောင်ရုံ (ထာဝရစာရင်း) ကိုအကောင့်ကိုဒီအကောင့်အောက်မှာနေသူများကဖန်တီးလိမ့်မည်။
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,စတော့ရှယ်ယာလယ်ဂျာ entry ကိုဒီကိုဂိုဒေါင်သည်တည်ရှိအဖြစ်ဂိုဒေါင်ဖျက်ပြီးမရနိုင်ပါ။
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","ကျောင်းသားအုပ်စုအခြေစိုက်အသုတ်လိုက်အဘို့, ကျောင်းသားအသုတ်လိုက်အစီအစဉ်ကျောင်းအပ်ထံမှတိုင်းကျောင်းသားများအတွက်အတည်ပြုလိမ့်မည်။"
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,စတော့ရှယ်ယာလယ်ဂျာ entry ကိုဒီကိုဂိုဒေါင်သည်တည်ရှိအဖြစ်ဂိုဒေါင်ဖျက်ပြီးမရနိုင်ပါ။
DocType: Company,Distribution,ဖြန့်ဝေ
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Paid ငွေပမာဏ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,စီမံကိန်းမန်နေဂျာ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,စီမံကိန်းမန်နေဂျာ
,Quoted Item Comparison,ကိုးကားအရာဝတ္ထုနှိုင်းယှဉ်ခြင်း
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,dispatch
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,item တခုကိုခွင့်ပြုထား max ကိုလျှော့စျေး: {0} သည် {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,dispatch
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,item တခုကိုခွင့်ပြုထား max ကိုလျှော့စျေး: {0} သည် {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,အဖြစ်အပေါ် Net ကပိုင်ဆိုင်မှုတန်ဖိုးကို
DocType: Account,Receivable,receiver
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,row # {0}: ဝယ်ယူအမိန့်ရှိနှင့်ပြီးသားအဖြစ်ပေးသွင်းပြောင်းလဲပစ်ရန်ခွင့်ပြုခဲ့မဟုတ်
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,row # {0}: ဝယ်ယူအမိန့်ရှိနှင့်ပြီးသားအဖြစ်ပေးသွင်းပြောင်းလဲပစ်ရန်ခွင့်ပြုခဲ့မဟုတ်
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,ထားချေးငွေကန့်သတ်ထက်ကျော်လွန်ကြောင်းကိစ္စများကိုတင်ပြခွင့်ပြုခဲ့ကြောင်းအခန်းကဏ္ဍကို။
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,ထုတ်လုပ်ခြင်းမှပစ္စည်းများကို Select လုပ်ပါ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","မဟာဒေတာထပ်တူပြုခြင်း, ကအချို့သောအချိန်ယူစေခြင်းငှါ,"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,ထုတ်လုပ်ခြင်းမှပစ္စည်းများကို Select လုပ်ပါ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","မဟာဒေတာထပ်တူပြုခြင်း, ကအချို့သောအချိန်ယူစေခြင်းငှါ,"
DocType: Item,Material Issue,material Issue
DocType: Hub Settings,Seller Description,ရောင်းချသူဖော်ပြချက်များ
DocType: Employee Education,Qualification,အရည်အချင်း
@@ -3980,7 +4006,6 @@
DocType: BOM,Rate Of Materials Based On,ပစ္စည်းများအခြေတွင်အမျိုးမျိုး rate
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,ပံ့ပိုးမှု Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,အားလုံးကို uncheck လုပ်
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},ကုမ္ပဏီဂိုဒေါင် {0} ပျောက်ဆုံးနေသည်
DocType: POS Profile,Terms and Conditions,စည်းကမ်းနှင့်သတ်မှတ်ချက်များ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},နေ့စွဲဖို့ဘဏ္ဍာရေးနှစ်တစ်နှစ်တာအတွင်းတွင်သာဖြစ်သင့်သည်။ နေ့စွဲ = {0} နိုင်ရန်ယူဆ
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","ဒီနေရာတွင်အမြင့်, အလေးချိန်, ဓါတ်မတည်, ဆေးဘက်ဆိုင်ရာစိုးရိမ်ပူပန်မှုများစသည်တို့ကိုထိန်းသိမ်းထားနိုင်ပါတယ်"
@@ -3995,19 +4020,18 @@
DocType: Sales Order Item,For Production,ထုတ်လုပ်မှုများအတွက်
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,view Task
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,သင့်ရဲ့ဘဏ္ဍာရေးနှစ်တွင်အပေါ်စတင်ခဲ့သည်
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / ခဲ%
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / ခဲ%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,ပိုင်ဆိုင်မှုတန်ဖိုးနှင့် Balance
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},ငွေပမာဏ {0} {1} {3} မှ {2} ကနေလွှဲပြောင်း
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},ငွေပမာဏ {0} {1} {3} မှ {2} ကနေလွှဲပြောင်း
DocType: Sales Invoice,Get Advances Received,ကြိုတင်ငွေရရှိထားသည့် Get
DocType: Email Digest,Add/Remove Recipients,Add / Remove လက်ခံရယူ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},transaction ရပ်တန့်ထုတ်လုပ်ရေးအမိန့် {0} ဆန့်ကျင်ခွင့်မပြု
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},transaction ရပ်တန့်ထုတ်လုပ်ရေးအမိန့် {0} ဆန့်ကျင်ခွင့်မပြု
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Default အဖြစ်ဒီဘဏ္ဍာရေးနှစ်တစ်နှစ်တာတင်ထားရန်, '' Default အဖြစ်သတ်မှတ်ပါ '' ကို click လုပ်ပါ"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,ပူးပေါင်း
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,ပူးပေါင်း
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,ပြတ်လပ်မှု Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,item မူကွဲ {0} အတူတူ Attribute တွေနှင့်အတူတည်ရှိမှု့
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,item မူကွဲ {0} အတူတူ Attribute တွေနှင့်အတူတည်ရှိမှု့
DocType: Employee Loan,Repay from Salary,လစာထဲကနေပြန်ဆပ်
DocType: Leave Application,LAP/,ရင်ခွင် /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},ငွေပမာဏများအတွက် {0} {1} ဆန့်ကျင်ငွေပေးချေမှုတောင်းခံ {2}
@@ -4018,34 +4042,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","ကယ်နှုတ်တော်မူ၏ခံရဖို့အစုအထုပ်ကိုတနိုင်ငံအညွန့ထုပ်ပိုး Generate ။ package ကိုနံပါတ်, package ကို contents တွေကိုနှင့်၎င်း၏အလေးချိန်အကြောင်းကြားရန်အသုံးပြုခဲ့ကြသည်။"
DocType: Sales Invoice Item,Sales Order Item,အရောင်းအမှာစာ Item
DocType: Salary Slip,Payment Days,ငွေပေးချေမှုရမည့်ကာလသ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,ကလေး node များနှင့်အတူသိုလှောင်ရုံလယ်ဂျာကူးပြောင်းမရနိုငျ
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,ကလေး node များနှင့်အတူသိုလှောင်ရုံလယ်ဂျာကူးပြောင်းမရနိုငျ
DocType: BOM,Manage cost of operations,စစ်ဆင်ရေး၏ကုန်ကျစရိတ် Manage
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","ထို checked ကိစ္စများကိုမဆို "Submitted" အခါ, အီးမေးလ် pop-up တခုအလိုအလျှောက်ပူးတွဲမှုအဖြစ်အရောင်းအဝယ်နှင့်အတူကြောင့်အရောင်းအဝယ်အတွက်ဆက်စပ် "ဆက်သွယ်ရန်" ရန်အီးမေးလ်ပေးပို့ဖို့ဖွင့်လှစ်ခဲ့။ အသုံးပြုသူသို့မဟုတ်မပြုစေခြင်းငှါအီးမေးလ်ပို့ပါလိမ့်မည်။"
apps/erpnext/erpnext/config/setup.py +14,Global Settings,ကမ္ဘာလုံးဆိုင်ရာချိန်ညှိချက်များကို
DocType: Assessment Result Detail,Assessment Result Detail,အကဲဖြတ်ရလဒ်အသေးစိတ်
DocType: Employee Education,Employee Education,ဝန်ထမ်းပညာရေး
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,ပစ္စည်းအုပ်စု table ထဲမှာကိုတွေ့မိတ္တူပွားကို item အုပ်စု
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,ဒါဟာပစ္စည်း Details ကိုဆွဲယူဖို့လိုသည်။
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,ဒါဟာပစ္စည်း Details ကိုဆွဲယူဖို့လိုသည်။
DocType: Salary Slip,Net Pay,Net က Pay ကို
DocType: Account,Account,အကောင့်ဖွင့်
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,serial No {0} ပြီးသားကိုလက်ခံရရှိခဲ့ပြီး
,Requested Items To Be Transferred,လွှဲပြောင်းရန်မေတ္တာရပ်ခံပစ္စည်းများ
DocType: Expense Claim,Vehicle Log,ယာဉ် Log in ဝင်ရန်
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.",ဂိုဒေါင် {0} မည်သည့်အကောင့်နှင့်ဆက်စပ်သည်မဖန်တီး / ဂိုဒေါင်များအတွက်သက်ဆိုင်ရာ (ပိုင်ဆိုင်မှု) အကောင့်သို့လင့်ထားသည်ပါ။
DocType: Purchase Invoice,Recurring Id,ထပ်တလဲလဲ Id
DocType: Customer,Sales Team Details,အရောင်းရေးအဖွဲ့အသေးစိတ်ကို
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,အမြဲတမ်းပယ်ဖျက်?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,အမြဲတမ်းပယ်ဖျက်?
DocType: Expense Claim,Total Claimed Amount,စုစုပေါင်းအခိုင်အမာငွေပမာဏ
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,ရောင်းချခြင်းသည်အလားအလာရှိသောအခွင့်အလမ်း။
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},မမှန်ကန်ခြင်း {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,နေမကောင်းထွက်ခွာ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},မမှန်ကန်ခြင်း {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,နေမကောင်းထွက်ခွာ
DocType: Email Digest,Email Digest,အီးမေးလ် Digest မဂ္ဂဇင်း
DocType: Delivery Note,Billing Address Name,ငွေတောင်းခံလိပ်စာအမည်
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,ဦးစီးဌာနအရောင်းဆိုင်များ
DocType: Warehouse,PIN,PIN ကို
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Setup ကို ERPNext ၌သင်တို့၏ကျောင်း
DocType: Sales Invoice,Base Change Amount (Company Currency),base ပြောင်းလဲမှုပမာဏ (ကုမ္ပဏီငွေကြေးစနစ်)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,အောက်ပါသိုလှောင်ရုံမရှိပါစာရင်းကိုင် posts များ
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,အောက်ပါသိုလှောင်ရုံမရှိပါစာရင်းကိုင် posts များ
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,ပထမဦးဆုံးစာရွက်စာတမ်း Save လိုက်ပါ။
DocType: Account,Chargeable,နှော
DocType: Company,Change Abbreviation,ပြောင်းလဲမှုအတိုကောက်
@@ -4063,7 +4086,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,မျှော်လင့်ထားသည့် Delivery Date ကိုဝယ်ယူခြင်းအမိန့်နေ့စွဲခင်မဖွစျနိုငျ
DocType: Appraisal,Appraisal Template,စိစစ်ရေး Template:
DocType: Item Group,Item Classification,item ခွဲခြား
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,စီးပွားရေးဖွံ့ဖြိုးတိုးတက်ရေးမန်နေဂျာ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,စီးပွားရေးဖွံ့ဖြိုးတိုးတက်ရေးမန်နေဂျာ
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,ပြုပြင်ထိန်းသိမ်းမှုခရီးစဉ်ရည်ရွယ်ချက်
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,ကာလ
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,အထွေထွေလယ်ဂျာ
@@ -4073,8 +4096,8 @@
DocType: Item Attribute Value,Attribute Value,attribute Value တစ်ခု
,Itemwise Recommended Reorder Level,Itemwise Reorder အဆင့်အကြံပြုထား
DocType: Salary Detail,Salary Detail,လစာ Detail
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,ပထမဦးဆုံး {0} ကို select ကျေးဇူးပြု.
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,batch {0} Item ၏ {1} သက်တမ်းကုန်ဆုံးခဲ့သည်။
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,ပထမဦးဆုံး {0} ကို select ကျေးဇူးပြု.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,batch {0} Item ၏ {1} သက်တမ်းကုန်ဆုံးခဲ့သည်။
DocType: Sales Invoice,Commission,ကော်မရှင်
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,ကုန်ထုတ်လုပ်မှုများအတွက်အချိန်စာရွက်။
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,စုစုပေါင်း
@@ -4085,6 +4108,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`Freeze စတော့စျေးကွက် Older Than`%d ရက်ထက်နည်းသင့်သည်။
DocType: Tax Rule,Purchase Tax Template,ဝယ်ယူခွန် Template ကို
,Project wise Stock Tracking,Project သည်ပညာရှိသောသူသည်စတော့အိတ်ခြေရာကောက်
+DocType: GST HSN Code,Regional,ဒေသဆိုင်ရာ
DocType: Stock Entry Detail,Actual Qty (at source/target),(အရင်းအမြစ် / ပစ်မှတ်မှာ) အမှန်တကယ် Qty
DocType: Item Customer Detail,Ref Code,Ref Code ကို
apps/erpnext/erpnext/config/hr.py +12,Employee records.,ဝန်ထမ်းမှတ်တမ်းများ။
@@ -4095,13 +4119,13 @@
DocType: Email Digest,New Purchase Orders,နယူးဝယ်ယူခြင်းအမိန့်
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,အမြစ်မိဘတစ်ဦးကုန်ကျစရိတ်အလယ်ဗဟိုရှိသည်မဟုတ်နိုင်
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,ကုန်အမှတ်တံဆိပ်ကိုရွေးပါ ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,လေ့ကျင့်ရေးအဖွဲ့တွေ / ရလဒ်များ
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,အပေါ်အဖြစ်စုဆောင်းတန်ဖိုး
DocType: Sales Invoice,C-Form Applicable,သက်ဆိုင်သည့် C-Form တွင်
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},စစ်ဆင်ရေးအချိန်ကစစ်ဆင်ရေး {0} များအတွက် 0 င်ထက် သာ. ကြီးမြတ်ဖြစ်ရပါမည်
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,ဂိုဒေါင်မဖြစ်မနေဖြစ်ပါသည်
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,ဂိုဒေါင်မဖြစ်မနေဖြစ်ပါသည်
DocType: Supplier,Address and Contacts,လိပ်စာနှင့်ဆက်သွယ်ရန်
DocType: UOM Conversion Detail,UOM Conversion Detail,UOM ကူးပြောင်းခြင်း Detail
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),100px (ဇ) ကဝဘ်ဖော်ရွေ 900px (w) သည်ထိုပွဲကို
DocType: Program,Program Abbreviation,Program ကိုအတိုကောက်
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,ထုတ်လုပ်မှုအမိန့်တစ်ခု Item Template ဆန့်ကျင်ထမွောကျနိုငျမညျမဟု
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,စွဲချက်အသီးအသီးကို item ဆန့်ကျင်ဝယ်ယူခြင်းပြေစာ Update လုပ်ပေး
@@ -4109,13 +4133,13 @@
DocType: Bank Guarantee,Start Date,စတင်သည့်ရက်စွဲ
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,တစ်ဦးကာလသည်အရွက်ခွဲဝေချထားပေးရန်။
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,မှားယွင်းစွာရှင်းလင်း Cheques နှင့်စာရင်း
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,အကောင့်ကို {0}: သင့်မိဘအကောင့်ကိုတခုအဖြစ်သတ်မှတ်လို့မရပါဘူး
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,အကောင့်ကို {0}: သင့်မိဘအကောင့်ကိုတခုအဖြစ်သတ်မှတ်လို့မရပါဘူး
DocType: Purchase Invoice Item,Price List Rate,စျေးနှုန်း List ကို Rate
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,ဖောက်သည်ကိုးကား Create
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",ဒီကိုဂိုဒေါင်ထဲမှာရရှိနိုင်စတော့ရှယ်ယာအပေါ်အခြေခံပြီး "မစတော့အိတ်အတွက်" "စတော့အိတ်ခုနှစ်တွင်" Show သို့မဟုတ်။
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),ပစ္စည်းများ၏ဘီလ် (BOM)
DocType: Item,Average time taken by the supplier to deliver,ပျမ်းမျှအားဖြင့်အချိန်မကယ်မလွှတ်မှပေးသွင်းခြင်းဖြင့်ယူ
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,အကဲဖြတ်ရလဒ်
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,အကဲဖြတ်ရလဒ်
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,နာရီ
DocType: Project,Expected Start Date,မျှော်လင့်ထားသည့် Start ကိုနေ့စွဲ
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,စွဲချက်က item တခုကိုသက်ဆိုင်မဖြစ်လျှင်တဲ့ item Remove
@@ -4129,25 +4153,24 @@
DocType: Workstation,Operating Costs,operating ကုန်ကျစရိတ်
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,စုဆောင်းမိလစဉ်ဘတ်ဂျက်လျှင်လှုပ်ရှားမှုကျော်သွားပါပြီ
DocType: Purchase Invoice,Submit on creation,ဖန်ဆင်းခြင်းအပေါ် Submit
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},{0} {1} ရှိရမည်များအတွက်ငွေကြေး
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},{0} {1} ရှိရမည်များအတွက်ငွေကြေး
DocType: Asset,Disposal Date,စွန့်ပစ်နေ့စွဲ
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","သူတို့အားလပ်ရက်ရှိသည်မဟုတ်ကြဘူးလျှင်အီးမေးလ်များ, ပေးထားသောနာရီမှာကုမ္ပဏီအပေါငျးတို့သ Active ကိုဝန်ထမ်းများထံသို့စေလွှတ်လိမ့်မည်။ တုံ့ပြန်မှု၏အကျဉ်းချုပ်သန်းခေါင်မှာကိုစလှေတျပါလိမ့်မည်။"
DocType: Employee Leave Approver,Employee Leave Approver,ဝန်ထမ်းထွက်ခွာခွင့်ပြုချက်
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},row {0}: An Reorder entry ကိုပြီးသားဒီကိုဂိုဒေါင် {1} သည်တည်ရှိ
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},row {0}: An Reorder entry ကိုပြီးသားဒီကိုဂိုဒေါင် {1} သည်တည်ရှိ
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","ဆုံးရှုံးအဖြစ်စျေးနှုန်းကိုဖန်ဆင်းခဲ့ပြီးကြောင့်, ကြေညာလို့မရပါဘူး။"
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,လေ့ကျင့်ရေးတုံ့ပြန်ချက်
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,ထုတ်လုပ်မှုအမိန့် {0} တင်သွင်းရမည်
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,ထုတ်လုပ်မှုအမိန့် {0} တင်သွင်းရမည်
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Item {0} သည် Start ကိုနေ့စွဲနဲ့ End Date ကို select လုပ်ပါ ကျေးဇူးပြု.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},သင်တန်းအတန်း {0} အတွက်မဖြစ်မနေဖြစ်ပါသည်
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,ယနေ့အထိသည့်နေ့ရက်မှခင်မဖွစျနိုငျ
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Edit ကိုဈေးနှုန်းများ Add /
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Edit ကိုဈေးနှုန်းများ Add /
DocType: Batch,Parent Batch,မိဘအသုတ်လိုက်
DocType: Batch,Parent Batch,မိဘအသုတ်လိုက်
DocType: Cheque Print Template,Cheque Print Template,Cheque တစ်စောင်လျှင်ပရင့်ထုတ်ရန် Template
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,ကုန်ကျစရိတ်စင်တာများ၏ဇယား
,Requested Items To Be Ordered,အမိန့်ခံရဖို့မေတ္တာရပ်ခံပစ္စည်းများ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,ဂိုဒေါင်ကုမ္ပဏီအကောင့်ကုမ္ပဏီအဖြစ်အတူတူပင်ဖြစ်ရပါမည်
DocType: Price List,Price List Name,စျေးနှုန်းစာရင်းအမည်
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},{0} နေ့စဉ်လုပ်ငန်းခွင်အကျဉ်းချုပ်
DocType: Employee Loan,Totals,စုစုပေါင်း
@@ -4169,55 +4192,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,တရားဝင်မိုဘိုင်း nos ရိုက်ထည့်ပေးပါ
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,ပေးပို့ခြင်းမပြုမီသတင်းစကားကိုရိုက်ထည့်ပေးပါ
DocType: Email Digest,Pending Quotations,ဆိုင်းငံ့ကိုးကားချက်များ
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,point-of-Sale ကိုယ်ရေးအချက်အလက်များ profile
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,point-of-Sale ကိုယ်ရေးအချက်အလက်များ profile
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,SMS ကို Settings ကို Update ကျေးဇူးပြု.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,မလုံခြုံချေးငွေ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,မလုံခြုံချေးငွေ
DocType: Cost Center,Cost Center Name,ကုန်ကျ Center ကအမည်
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Timesheet ဆန့်ကျင် max အလုပ်ချိန်
DocType: Maintenance Schedule Detail,Scheduled Date,Scheduled နေ့စွဲ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,စုစုပေါင်း Paid Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,စုစုပေါင်း Paid Amt
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 ဇာတ်ကောင်ထက် သာ. ကြီးမြတ် messages အများအပြားသတင်းစကားများသို့ခွဲထွက်လိမ့်မည်
DocType: Purchase Receipt Item,Received and Accepted,ရရှိထားသည့်နှင့်လက်ခံရရှိပါသည်
+,GST Itemised Sales Register,GST Item အရောင်းမှတ်ပုံတင်မည်
,Serial No Service Contract Expiry,serial No Service ကိုစာချုပ်သက်တမ်းကုန်ဆုံး
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,သင်တစ်ချိန်တည်းမှာအတူတူအကောင့်ကိုချေးငွေနှင့်ငွေကြိုမပေးနိုငျ
DocType: Naming Series,Help HTML,HTML ကိုကူညီပါ
DocType: Student Group Creation Tool,Student Group Creation Tool,ကျောင်းသားအုပ်စုဖန်ဆင်းခြင်း Tool ကို
DocType: Item,Variant Based On,မူကွဲအခြေပြုတွင်
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},တာဝန်ပေးစုစုပေါင်း weightage 100% ဖြစ်သင့်သည်။ ဒါဟာ {0} သည်
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,သင့်ရဲ့ပေးသွင်း
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,သင့်ရဲ့ပေးသွင်း
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,အရောင်းအမိန့်ကိုဖန်ဆင်းသည်အဖြစ်ပျောက်ဆုံးသွားသောအဖြစ်သတ်မှတ်လို့မရပါဘူး။
DocType: Request for Quotation Item,Supplier Part No,ပေးသွင်းအပိုင်းဘယ်သူမျှမက
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',အမျိုးအစား '' အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည် 'သို့မဟုတ်' 'Vaulation နှင့်စုစုပေါင်း' 'အဘို့ဖြစ်၏ရသောအခါနုတ်မနိုင်
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,မှစ. ရရှိထားသည့်
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,မှစ. ရရှိထားသည့်
DocType: Lead,Converted,ပွောငျး
DocType: Item,Has Serial No,Serial No ရှိပါတယ်
DocType: Employee,Date of Issue,ထုတ်ဝေသည့်ရက်စွဲ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: {0} {1} သည် မှစ.
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","အဆိုပါဝယ်ချိန်ညှိမှုများနှုန်းအဖြစ်ဝယ်ယူ Reciept လိုအပ်ပါသည် == '' ဟုတ်ကဲ့ '', ထို့နောက်အရစ်ကျငွေတောင်းခံလွှာအတွက်, အသုံးပြုသူကို item {0} များအတွက်ပထမဦးဆုံးဝယ်ယူငွေလက်ခံပြေစာကိုဖန်တီးရန်လိုအပ်တယ်ဆိုရင်"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},row # {0}: ကို item များအတွက် Set ပေးသွင်း {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,အတန်း {0}: နာရီတန်ဖိုးကိုသုညထက်ကြီးမြတ်ဖြစ်ရပါမည်။
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,website က Image ကို {0} ပစ္စည်းမှပူးတွဲပါ {1} မတွေ့ရှိနိုင်
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,website က Image ကို {0} ပစ္စည်းမှပူးတွဲပါ {1} မတွေ့ရှိနိုင်
DocType: Issue,Content Type,content Type
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,ကွန်ပျူတာ
DocType: Item,List this Item in multiple groups on the website.,Website တွင်အများအပြားအုပ်စုများ၌ဤ Item စာရင်း။
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,အခြားအငွေကြေးကိုနှင့်အတူအကောင့်အသစ်များ၏ခွင့်ပြုပါရန်ဘက်စုံငွေကြေးစနစ် option ကိုစစ်ဆေးပါ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,item: {0} system ကိုအတွက်မတည်ရှိပါဘူး
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,သင်က Frozen တန်ဖိုးကိုသတ်မှတ်ခွင့်မဟုတ်
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,item: {0} system ကိုအတွက်မတည်ရှိပါဘူး
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,သင်က Frozen တန်ဖိုးကိုသတ်မှတ်ခွင့်မဟုတ်
DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled Entries Get
DocType: Payment Reconciliation,From Invoice Date,ပြေစာနေ့စွဲထဲကနေ
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,ငွေတောင်းခံငွေကြေးသော်လည်းကောင်း default အနေနဲ့ comapany ရဲ့ငွေကြေးသို့မဟုတ်ပါတီအကောင့်ငွေကြေးတန်းတူဖြစ်ရပါမည်
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Encashment Leave
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,ဒါကြောင့်အဘယ်သို့ပြုရပါသနည်း?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,ငွေတောင်းခံငွေကြေးသော်လည်းကောင်း default အနေနဲ့ comapany ရဲ့ငွေကြေးသို့မဟုတ်ပါတီအကောင့်ငွေကြေးတန်းတူဖြစ်ရပါမည်
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Encashment Leave
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,ဒါကြောင့်အဘယ်သို့ပြုရပါသနည်း?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,ဂိုဒေါင်မှ
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,အားလုံးကျောင်းသားသမဂ္ဂအဆင့်လက်ခံရေး
,Average Commission Rate,ပျမ်းမျှအားဖြင့်ကော်မရှင် Rate
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,'' ဟုတ်ကဲ့ '' Non-စတော့ရှယ်ယာကို item သည်မဖွစျနိုငျ '' Serial No ရှိခြင်း ''
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'' ဟုတ်ကဲ့ '' Non-စတော့ရှယ်ယာကို item သည်မဖွစျနိုငျ '' Serial No ရှိခြင်း ''
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,တက်ရောက်သူအနာဂတ်ရက်စွဲများကိုချောင်းမြောင်းမရနိုင်ပါ
DocType: Pricing Rule,Pricing Rule Help,စျေးနှုန်း Rule အကူအညီ
DocType: School House,House Name,အိမ်အမည်
DocType: Purchase Taxes and Charges,Account Head,အကောင့်ဖွင့်ဦးခေါင်း
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,ပစ္စည်းများဆင်းသက်ကုန်ကျစရိတ်ကိုတွက်ချက်ဖို့အပိုဆောင်းကုန်ကျစရိတ်များကို Update
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,electrical
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,electrical
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,သင်၏အသုံးပြုသူများအဖြစ်သင်၏အဖွဲ့အစည်း၏ကျန်ထည့်ပါ။ သင်တို့သည်လည်း Contacts မှသူတို့ကိုထည့်သွင်းခြင်းအားဖြင့်သင့်ပေါ်တယ်မှ Customer များဖိတ်ခေါ် add နိုင်ပါတယ်
DocType: Stock Entry,Total Value Difference (Out - In),(- ခုနှစ်တွင် Out) စုစုပေါင်းတန်ဖိုး Difference
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,row {0}: ငွေလဲနှုန်းမဖြစ်မနေဖြစ်ပါသည်
@@ -4227,7 +4252,7 @@
DocType: Item,Customer Code,customer Code ကို
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},{0} သည်မွေးနေသတိပေး
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,ပြီးခဲ့သည့်အမိန့် ခုနှစ်မှစ. ရက်ပတ်လုံး
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,အကောင့်ကိုရန် debit တစ်ဦး Balance ကိုစာရွက်အကောင့်ကိုသူဖြစ်ရမည်
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,အကောင့်ကိုရန် debit တစ်ဦး Balance ကိုစာရွက်အကောင့်ကိုသူဖြစ်ရမည်
DocType: Buying Settings,Naming Series,စီးရီးအမည်
DocType: Leave Block List,Leave Block List Name,Block List ကိုအမည် Leave
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,အာမခံ Start ကိုရက်စွဲအာမခံအဆုံးနေ့စွဲထက်လျော့နည်းဖြစ်သင့်
@@ -4242,27 +4267,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},ဝန်ထမ်း၏လစာစလစ်ဖြတ်ပိုင်းပုံစံ {0} ပြီးသားအချိန်စာရွက် {1} ဖန်တီး
DocType: Vehicle Log,Odometer,Odometer
DocType: Sales Order Item,Ordered Qty,အမိန့် Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,item {0} ပိတ်ထားတယ်
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,item {0} ပိတ်ထားတယ်
DocType: Stock Settings,Stock Frozen Upto,စတော့အိတ် Frozen အထိ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM ဆိုစတော့ရှယ်ယာကို item ဆံ့မပါဘူး
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM ဆိုစတော့ရှယ်ယာကို item ဆံ့မပါဘူး
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},မှစ. နှင့်ကာလ {0} ထပ်တလဲလဲများအတွက်မဖြစ်မနေရက်စွဲများရန် period
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,စီမံကိန်းလှုပ်ရှားမှု / အလုပ်တစ်ခုကို။
DocType: Vehicle Log,Refuelling Details,ဆီဖြည့အသေးစိတ်
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,လစာစလစ် Generate
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","application များအတွက် {0} အဖြစ်ရွေးချယ်မယ်ဆိုရင်ဝယ်, checked ရမည်"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","application များအတွက် {0} အဖြစ်ရွေးချယ်မယ်ဆိုရင်ဝယ်, checked ရမည်"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,လျော့စျေးက 100 ထက်လျော့နည်းဖြစ်ရမည်
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,ပြီးခဲ့သည့်ဝယ်ယူနှုန်းကိုမတွေ့ရှိ
DocType: Purchase Invoice,Write Off Amount (Company Currency),ဟာ Off ရေးဖို့ပမာဏ (Company မှငွေကြေးစနစ်)
DocType: Sales Invoice Timesheet,Billing Hours,ငွေတောင်းခံနာရီ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,{0} မတွေ့ရှိများအတွက် default BOM
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,row # {0}: set ကျေးဇူးပြု. reorder အအရေအတွက်
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,row # {0}: set ကျေးဇူးပြု. reorder အအရေအတွက်
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,ဒီနေရာမှာသူတို့ကိုထည့်သွင်းဖို့ပစ္စည်းများကိုအသာပုတ်
DocType: Fees,Program Enrollment,Program ကိုကျောင်းအပ်
DocType: Landed Cost Voucher,Landed Cost Voucher,ကုန်ကျစရိတ်ဘောက်ချာဆင်းသက်
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},{0} set ကျေးဇူးပြု.
DocType: Purchase Invoice,Repeat on Day of Month,Month ရဲ့နေ့တွင် Repeat
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} မလှုပ်မရှားကျောင်းသားဖြစ်ပါသည်
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} မလှုပ်မရှားကျောင်းသားဖြစ်ပါသည်
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} မလှုပ်မရှားကျောင်းသားဖြစ်ပါသည်
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} မလှုပ်မရှားကျောင်းသားဖြစ်ပါသည်
DocType: Employee,Health Details,ကနျြးမာရေးအသေးစိတ်ကို
DocType: Offer Letter,Offer Letter Terms,ကမ်းလှမ်းမှုကိုပေးစာသက်မှတ်ချက်များ
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,ရည်ညွှန်းစာရွက်စာတမ်းလိုအပ်ပါသည်တစ်ဦးငွေပေးချေမှုရမည့်တောင်းဆိုခြင်းကိုဖန်တီးရန်
@@ -4284,7 +4309,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.",ဥပမာ: ။ ABCD ##### စီးရီးကိုသတ်မှတ်ထားခြင်းနှင့် Serial No ငွေကြေးလွှဲပြောင်းမှုမှာဖျောပွမပြီးတော့အော်တို serial number ကိုဒီစီးရီးအပေါ်အခြေခံပြီးနေသူများကဖန်တီးလိမ့်မည်ဆိုပါက။ သင်တို့၌အစဉ်အတိအလင်းဒီအချက်ကိုသည် Serial အမှတ်ဖော်ပြထားခြင်းချင်လျှင်။ ဒီကွက်လပ်ထားခဲ့။
DocType: Upload Attendance,Upload Attendance,တက်ရောက် upload
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM နှင့်ကုန်ထုတ်လုပ်မှုပမာဏလိုအပ်သည်
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM နှင့်ကုန်ထုတ်လုပ်မှုပမာဏလိုအပ်သည်
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Ageing Range 2
DocType: SG Creation Tool Course,Max Strength,မက်စ်အစွမ်းသတ္တိ
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM အစားထိုး
@@ -4294,8 +4319,8 @@
,Prospects Engaged But Not Converted,အလားအလာ Engaged သို့သော်ပြောင်းမ
DocType: Manufacturing Settings,Manufacturing Settings,ကုန်ထုတ်လုပ်မှု Settings ကို
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,အီးမေးလ်ကိုတည်ဆောက်ခြင်း
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 မိုဘိုင်းဘယ်သူမျှမက
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,ကုမ္ပဏီနှင့် Master အတွက် default အနေနဲ့ငွေကြေးရိုက်ထည့်ပေးပါ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 မိုဘိုင်းဘယ်သူမျှမက
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,ကုမ္ပဏီနှင့် Master အတွက် default အနေနဲ့ငွေကြေးရိုက်ထည့်ပေးပါ
DocType: Stock Entry Detail,Stock Entry Detail,စတော့အိတ် Entry Detail
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Daily သတင်းစာသတိပေးချက်များ
DocType: Products Settings,Home Page is Products,Home Page ထုတ်ကုန်များဖြစ်ပါသည်
@@ -4304,7 +4329,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,နယူးအကောင့်အမည်
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,ကုန်ကြမ်းပစ္စည်းများကုန်ကျစရိတ်ထောက်ပံ့
DocType: Selling Settings,Settings for Selling Module,ရောင်းချသည့် Module သည် Settings ကို
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,ဧည့်ဝန်ဆောင်မှု
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,ဧည့်ဝန်ဆောင်မှု
DocType: BOM,Thumbnail,thumbnail
DocType: Item Customer Detail,Item Customer Detail,item ဖောက်သည် Detail
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,ကိုယ်စားလှယ်လောင်းတစ်ဦးယောဘငှေပါ။
@@ -4313,7 +4338,7 @@
DocType: Pricing Rule,Percentage,ရာခိုင်နှုန်း
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,item {0} တစ်စတော့ရှယ်ယာ Item ဖြစ်ရမည်
DocType: Manufacturing Settings,Default Work In Progress Warehouse,တိုးတက်ရေးပါတီဂိုဒေါင်ခုနှစ်တွင် Default အနေနဲ့သူ Work
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,စာရင်းကိုင်လုပ်ငန်းတွေအတွက် default setting များ။
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,စာရင်းကိုင်လုပ်ငန်းတွေအတွက် default setting များ။
DocType: Maintenance Visit,MV,သင်္ဘော MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,မျှော်လင့်ထားသည့်ရက်စွဲပစ္စည်းတောင်းဆိုမှုနေ့စွဲခင်မဖွစျနိုငျ
DocType: Purchase Invoice Item,Stock Qty,စတော့အိတ်အရည်အတွက်
@@ -4327,10 +4352,10 @@
DocType: Sales Order,Printing Details,ပုံနှိပ် Details ကို
DocType: Task,Closing Date,နိဂုံးချုပ်နေ့စွဲ
DocType: Sales Order Item,Produced Quantity,ထုတ်လုပ်ပမာဏ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,အင်ဂျင်နီယာ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,အင်ဂျင်နီယာ
DocType: Journal Entry,Total Amount Currency,စုစုပေါင်းငွေပမာဏငွေကြေး
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,ရှာဖွေရန် Sub စညျးဝေး
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Row မရှိပါ {0} မှာလိုအပ်သည့် item Code ကို
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Row မရှိပါ {0} မှာလိုအပ်သည့် item Code ကို
DocType: Sales Partner,Partner Type,partner ကအမျိုးအစား
DocType: Purchase Taxes and Charges,Actual,အမှန်တကယ်
DocType: Authorization Rule,Customerwise Discount,Customerwise လျှော့
@@ -4347,11 +4372,11 @@
DocType: Item Reorder,Re-Order Level,Re-Order အဆင့်
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,ပစ္စည်းများကို Enter နှင့်သင်ထုတ်လုပ်မှုအမိန့်မြှင်သို့မဟုတ်ခွဲခြမ်းစိတ်ဖြာများအတွက်ကုန်ကြမ်းကို download လုပ်လိုသည့်အဘို့အ qty စီစဉ်ခဲ့ပါတယ်။
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt ဇယား
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,အချိန်ပိုင်း
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,အချိန်ပိုင်း
DocType: Employee,Applicable Holiday List,သက်ဆိုင်အားလပ်ရက်များစာရင်း
DocType: Employee,Cheque,Cheques
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,စီးရီး Updated
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,အစီရင်ခံစာ Type မသင်မနေရ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,အစီရင်ခံစာ Type မသင်မနေရ
DocType: Item,Serial Number Series,serial နံပါတ်စီးရီး
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},ဂိုဒေါင်တန်းအတွက်စတော့ရှယ်ယာ Item {0} သည်မသင်မနေရ {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,လက်လီလက်ကားအရောင်းဆိုင် &
@@ -4373,7 +4398,7 @@
DocType: BOM,Materials,ပစ္စည်းများ
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","checked မလျှင်, စာရင်းကလျှောက်ထားခံရဖို့ရှိပါတယ်ရှိရာတစ်ဦးစီဦးစီးဌာနမှထည့်သွင်းရပါလိမ့်မယ်။"
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,အရင်းအမြစ်နှင့်ပစ်မှတ်ဂိုဒေါင်အတူတူမဖွစျနိုငျ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,ရက်စွဲနှင့် posting အချိန်များသို့တင်ပြမသင်မနေရ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,ရက်စွဲနှင့် posting အချိန်များသို့တင်ပြမသင်မနေရ
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,အရောင်းအဝယ်သည်အခွန် Simple template ။
,Item Prices,item ဈေးနှုန်းများ
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,သင်ဝယ်ယူခြင်းအမိန့်ကိုကယ်တင်တစ်ချိန်ကစကားမြင်နိုင်ပါလိမ့်မည်။
@@ -4383,22 +4408,23 @@
DocType: Purchase Invoice,Advance Payments,ငွေပေးချေရှေ့တိုး
DocType: Purchase Taxes and Charges,On Net Total,Net ကစုစုပေါင်းတွင်
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},{0} Item {4} ဘို့ {1} {3} ၏နှစ်တိုးအတွက် {2} မှများ၏အကွာအဝေးအတွင်းရှိရမည် Attribute ဘို့ Value တစ်ခု
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,အတန်းအတွက်ပစ်မှတ်ဂိုဒေါင် {0} ထုတ်လုပ်မှုအမိန့်အဖြစ်အတူတူသာဖြစ်ရမည်
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,အတန်းအတွက်ပစ်မှတ်ဂိုဒေါင် {0} ထုတ်လုပ်မှုအမိန့်အဖြစ်အတူတူသာဖြစ်ရမည်
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,% s ထပ်တလဲလဲသည်သတ်မှတ်ထားသောမဟုတ် '' အမိန့်ကြော်ငြာစာအီးမေးလ်လိပ်စာ ''
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,ငွေကြေးအချို့သောအခြားငွေကြေးသုံးပြီး entries တွေကိုချမှတ်ပြီးနောက်ပြောင်းလဲသွားမရနိုငျ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,ငွေကြေးအချို့သောအခြားငွေကြေးသုံးပြီး entries တွေကိုချမှတ်ပြီးနောက်ပြောင်းလဲသွားမရနိုငျ
DocType: Vehicle Service,Clutch Plate,clutch ပြား
DocType: Company,Round Off Account,အကောင့်ပိတ် round
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,စီမံခန့်ခွဲရေးဆိုင်ရာအသုံးစရိတ်များ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,စီမံခန့်ခွဲရေးဆိုင်ရာအသုံးစရိတ်များ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Consulting
DocType: Customer Group,Parent Customer Group,မိဘဖောက်သည်အုပ်စု
DocType: Purchase Invoice,Contact Email,ဆက်သွယ်ရန်အီးမေးလ်
DocType: Appraisal Goal,Score Earned,ရမှတ်ရရှိခဲ့သည်
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,သတိပေးချက်ကာလ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,သတိပေးချက်ကာလ
DocType: Asset Category,Asset Category Name,ပိုင်ဆိုင်မှုအမျိုးအစားအမည်
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,"ဒါကအမြစ်နယ်မြေဖြစ်ပြီး, edited မရနိုင်ပါ။"
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,နယူးအရောင်းပုဂ္ဂိုလ်အမည်
DocType: Packing Slip,Gross Weight UOM,gross အလေးချိန် UOM
DocType: Delivery Note Item,Against Sales Invoice,အရောင်းပြေစာဆန့်ကျင်
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Serial ကို item များအတွက်အမှတ်စဉ်နံပါတ်များကိုရိုက်ထည့်ပေးပါ
DocType: Bin,Reserved Qty for Production,ထုတ်လုပ်မှုများအတွက် Reserved အရည်အတွက်
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,သငျသညျသင်တန်းအခြေစိုက်အုပ်စုများအောင်နေချိန်တွင်အသုတ်စဉ်းစားရန်မလိုကြပါလျှင်အမှတ်ကိုဖြုတ်လိုက်ပါချန်ထားပါ။
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,သငျသညျသင်တန်းအခြေစိုက်အုပ်စုများအောင်နေချိန်တွင်အသုတ်စဉ်းစားရန်မလိုကြပါလျှင်အမှတ်ကိုဖြုတ်လိုက်ပါချန်ထားပါ။
@@ -4407,25 +4433,25 @@
DocType: Landed Cost Item,Landed Cost Item,ဆင်းသက်ကုန်ကျစရိတ် Item
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,သုညတန်ဖိုးများကိုပြရန်
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,ကုန်ကြမ်းပေးသောပမာဏကနေ repacking / ထုတ်လုပ်ပြီးနောက်ရရှိသောတဲ့ item ၏အရေအတွက်
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Setup ကိုငါ့အအဖွဲ့အစည်းအတွက်ရိုးရှင်းတဲ့ဝက်ဘ်ဆိုက်
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Setup ကိုငါ့အအဖွဲ့အစည်းအတွက်ရိုးရှင်းတဲ့ဝက်ဘ်ဆိုက်
DocType: Payment Reconciliation,Receivable / Payable Account,receiver / ပေးဆောင်အကောင့်
DocType: Delivery Note Item,Against Sales Order Item,အရောင်းအမိန့် Item ဆန့်ကျင်
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},attribute က {0} များအတွက် Value ကို Attribute ကိုသတ်မှတ် ကျေးဇူးပြု.
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},attribute က {0} များအတွက် Value ကို Attribute ကိုသတ်မှတ် ကျေးဇူးပြု.
DocType: Item,Default Warehouse,default ဂိုဒေါင်
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},ဘဏ္ဍာငွေအရအသုံး Group မှအကောင့် {0} ဆန့်ကျင်တာဝန်ပေးမရနိုင်ပါ
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,မိဘကုန်ကျစရိတ်အလယ်ဗဟိုကိုရိုက်ထည့်ပေးပါ
DocType: Delivery Note,Print Without Amount,ငွေပမာဏမရှိရင် Print
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,တန်ဖိုးနေ့စွဲ
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,အခွန်အမျိုးအစားအားလုံးပစ္စည်းများကိုအဖြစ် '' အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည် 'သို့မဟုတ်' 'အကောက်ခွန်တန်ဖိုးသတ်မှတ်မည်နှင့်စုစုပေါင်း' 'မဖြစ်နိုင်သည် non-စတော့ရှယ်ယာပစ္စည်းများဖြစ်ကြသည်
DocType: Issue,Support Team,Support Team သို့
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),(နေ့ရက်များခုနှစ်တွင်) သက်တမ်းကုန်ဆုံး
DocType: Appraisal,Total Score (Out of 5),(5 ထဲက) စုစုပေါင်းရမှတ်
DocType: Fee Structure,FS.,FS ။
-DocType: Program Enrollment,Batch,batch
+DocType: Student Attendance Tool,Batch,batch
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,ချိန်ခွင်လျှာ
DocType: Room,Seating Capacity,ထိုင်ခုံများစွမ်းဆောင်ရည်
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),(သုံးစွဲမှုစွပ်စွဲနေတဆင့်) စုစုပေါင်းကုန်ကျစရိတ်တောင်းဆိုမှုများ
+DocType: GST Settings,GST Summary,GST အကျဉ်းချုပ်
DocType: Assessment Result,Total Score,စုစုပေါင်းရမှတ်
DocType: Journal Entry,Debit Note,debit မှတ်ချက်
DocType: Stock Entry,As per Stock UOM,စတော့အိတ် UOM နှုန်းအဖြစ်
@@ -4437,12 +4463,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Default အနေနဲ့ကုန်စည်ဂိုဒေါင် Finished
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,အရောင်းပုဂ္ဂိုလ်
DocType: SMS Parameter,SMS Parameter,SMS ကို Parameter
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,ဘတ်ဂျက်နှင့်ကုန်ကျစရိတ်စင်တာ
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,ဘတ်ဂျက်နှင့်ကုန်ကျစရိတ်စင်တာ
DocType: Vehicle Service,Half Yearly,တစ်ဝက်နှစ်အလိုက်
DocType: Lead,Blog Subscriber,ဘလော့ Subscriber
DocType: Guardian,Alternate Number,alternate အရေအတွက်
DocType: Assessment Plan Criteria,Maximum Score,အများဆုံးရမှတ်
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,တန်ဖိုးများကိုအပေါ်အခြေခံပြီးအရောင်းအကနျ့သစည်းမျဉ်းစည်းကမ်းတွေကိုဖန်တီးပါ။
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Group မှ Roll အဘယ်သူမျှမ
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,သငျသညျတစ်နှစ်လျှင်ကျောင်းသားကျောင်းသူများအုပ်စုများစေလျှင်လွတ် Leave
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,သငျသညျတစ်နှစ်လျှင်ကျောင်းသားကျောင်းသူများအုပ်စုများစေလျှင်လွတ် Leave
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","checked, စုစုပေါင်းမျှမပါ။ အလုပ်အဖွဲ့ Days ၏အားလပ်ရက်ပါဝင်ပါလိမ့်မယ်, ဒီလစာ Per နေ့၏တန်ဖိုးကိုလျော့ချလိမ့်မည်"
@@ -4462,6 +4489,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,ဒီဖောက်သည်ဆန့်ကျင်ငွေကြေးလွှဲပြောင်းမှုမှာအပေါ်အခြေခံသည်။ အသေးစိတျအဘို့ကိုအောက်တွင်အချိန်ဇယားကိုကြည့်ပါ
DocType: Supplier,Credit Days Based On,တွင် အခြေခံ. credit Days
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},အတန်း {0}: ခွဲဝေငွေပမာဏ {1} ငွေပေးချေမှုရမည့် Entry ငွေပမာဏ {2} ဖို့ထက်လျော့နည်းသို့မဟုတ်ညီမျှရှိရမည်
+,Course wise Assessment Report,သင်တန်းအမှတ်စဥ်ငါသည်ပညာရှိ၏ဟုအကဲဖြတ်အစီရင်ခံစာ
DocType: Tax Rule,Tax Rule,အခွန်စည်းမျဉ်း
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,အရောင်း Cycle တစ်လျှောက်လုံးအတူတူပါပဲ Rate ထိန်းသိမ်းနည်း
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Workstation နှင့်အလုပ်အဖွဲ့နာရီပြင်ပတွင်အချိန်မှတ်တမ်းများကြိုတင်စီစဉ်ထားပါ။
@@ -4470,7 +4498,7 @@
,Items To Be Requested,တောင်းဆိုထားသောခံရဖို့ items
DocType: Purchase Order,Get Last Purchase Rate,ပြီးခဲ့သည့်ဝယ်ယူ Rate Get
DocType: Company,Company Info,ကုမ္ပဏီ Info
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,အသစ်ဖောက်သည်ကို Select လုပ်ပါသို့မဟုတ် add
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,အသစ်ဖောက်သည်ကို Select လုပ်ပါသို့မဟုတ် add
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,ကုန်ကျစရိတ်စင်တာတစ်ခုစရိတ်ပြောဆိုချက်ကိုစာအုပ်ဆိုင်လိုအပ်ပါသည်
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),ရန်ပုံငွေ၏လျှောက်လွှာ (ပိုင်ဆိုင်မှုများ)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,ဒီထမ်းများ၏တက်ရောက်သူအပေါ်အခြေခံသည်
@@ -4478,27 +4506,29 @@
DocType: Fiscal Year,Year Start Date,တစ်နှစ်တာ Start ကိုနေ့စွဲ
DocType: Attendance,Employee Name,ဝန်ထမ်းအမည်
DocType: Sales Invoice,Rounded Total (Company Currency),rounded စုစုပေါင်း (ကုမ္ပဏီငွေကြေးစနစ်)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,Account Type ကိုရွေးချယ်သောကွောငျ့ Group ကမှရောက်မှလုံခြုံနိုင်ဘူး။
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Account Type ကိုရွေးချယ်သောကွောငျ့ Group ကမှရောက်မှလုံခြုံနိုင်ဘူး။
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} modified သိရသည်။ refresh ပေးပါ။
DocType: Leave Block List,Stop users from making Leave Applications on following days.,အောက်ပါရက်ထွက်ခွာ Applications ကိုအောင်ကနေအသုံးပြုသူများကိုရပ်တန့်။
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,အရစ်ကျငွေပမာဏ
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,ပေးသွင်းစျေးနှုန်း {0} ကဖန်တီး
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,အဆုံးတစ်နှစ်တာ Start ကိုတစ်နှစ်တာမတိုင်မီမဖွစျနိုငျ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,ဝန်ထမ်းအကျိုးကျေးဇူးများ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,ဝန်ထမ်းအကျိုးကျေးဇူးများ
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},ထုပ်ပိုးအရေအတွက်အတန်း {1} အတွက် Item {0} သည်အရေအတွက်တူညီရမယ်
DocType: Production Order,Manufactured Qty,ထုတ်လုပ်သော Qty
DocType: Purchase Receipt Item,Accepted Quantity,လက်ခံခဲ့သည်ပမာဏ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},{1} ထမ်း {0} သို့မဟုတ်ကုမ္ပဏီတစ်ခုက default အားလပ်ရက် List ကိုသတ်မှတ်ထားပေးပါ
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} တည်ရှိပါဘူး
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} တည်ရှိပါဘူး
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,ကို Select လုပ်ပါအသုတ်လိုက်နံပါတ်များ
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Customer များကြီးပြင်းဥပဒေကြမ်းများ။
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,စီမံကိန်း Id
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},အတန်းမရှိ {0}: ပမာဏသုံးစွဲမှုတောင်းဆိုမှုများ {1} ဆန့်ကျင်ငွေပမာဏဆိုင်းငံ့ထားထက် သာ. ကြီးမြတ်မဖြစ်နိုင်။ ဆိုင်းငံ့ထားသောငွေပမာဏ {2} သည်
DocType: Maintenance Schedule,Schedule,ဇယား
DocType: Account,Parent Account,မိဘအကောင့်
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,ရရှိနိုင်
DocType: Quality Inspection Reading,Reading 3,3 Reading
,Hub,hub
DocType: GL Entry,Voucher Type,ဘောက်ချာကအမျိုးအစား
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,စျေးနှုန်း List ကိုတွေ့ရှိသို့မဟုတ်မသန်မစွမ်းမဟုတ်
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,စျေးနှုန်း List ကိုတွေ့ရှိသို့မဟုတ်မသန်မစွမ်းမဟုတ်
DocType: Employee Loan Application,Approved,Approved
DocType: Pricing Rule,Price,စျေးနှုန်း
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0} '' လက်ဝဲ 'အဖြစ်သတ်မှတ်ရမည်အပေါ်စိတ်သက်သာရာန်ထမ်း
@@ -4509,7 +4539,8 @@
DocType: Selling Settings,Campaign Naming By,အားဖြင့်အမည်ကင်ပိန်း
DocType: Employee,Current Address Is,လက်ရှိလိပ်စာ Is
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,ပြုပြင်ထားသော
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.",optional ။ သတ်မှတ်ထားသောမဟုတ်လျှင်ကုမ္ပဏီတစ်ခုရဲ့ default ငွေကြေးသတ်မှတ်ပါတယ်။
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.",optional ။ သတ်မှတ်ထားသောမဟုတ်လျှင်ကုမ္ပဏီတစ်ခုရဲ့ default ငွေကြေးသတ်မှတ်ပါတယ်။
+DocType: Sales Invoice,Customer GSTIN,ဖောက်သည် GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,စာရင်းကိုင်ဂျာနယ် entries တွေကို။
DocType: Delivery Note Item,Available Qty at From Warehouse,ဂိုဒေါင် မှစ. မှာရရှိနိုင်တဲ့ Qty
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,န်ထမ်းမှတ်တမ်းပထမဦးဆုံးရွေးချယ်ပါ။
@@ -4517,7 +4548,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},row {0}: ပါတီ / အကောင့်ကို {3} {4} အတွက် {1} / {2} နှင့်ကိုက်ညီမပါဘူး
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,အသုံးအကောင့်ကိုရိုက်ထည့်ပေးပါ
DocType: Account,Stock,စတော့အိတ်
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","အတန်း # {0}: ကိုးကားစရာစာရွက်စာတမ်းအမျိုးအစားအရစ်ကျအမိန့်, အရစ်ကျငွေတောင်းခံလွှာသို့မဟုတ်ဂျာနယ် Entry တယောက်ဖြစ်ရပါမည်"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","အတန်း # {0}: ကိုးကားစရာစာရွက်စာတမ်းအမျိုးအစားအရစ်ကျအမိန့်, အရစ်ကျငွေတောင်းခံလွှာသို့မဟုတ်ဂျာနယ် Entry တယောက်ဖြစ်ရပါမည်"
DocType: Employee,Current Address,လက်ရှိလိပ်စာ
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","ကို item အခြားတဲ့ item တစ်ခုမူကွဲဖြစ်ပါတယ် အကယ်. အတိအလင်းသတ်မှတ်လိုက်သောမဟုတ်လျှင်ထို့နောက်ဖော်ပြချက်, ပုံရိပ်, စျေးနှုန်း, အခွန်စသည်တို့အတွက် template ကိုကနေသတ်မှတ်ကြလိမ့်မည်"
DocType: Serial No,Purchase / Manufacture Details,ဝယ်ယူခြင်း / ထုတ်လုပ်ခြင်းလုပ်ငန်းအသေးစိတ်ကို
@@ -4530,8 +4561,8 @@
DocType: Pricing Rule,Min Qty,min Qty
DocType: Asset Movement,Transaction Date,transaction နေ့စွဲ
DocType: Production Plan Item,Planned Qty,စီစဉ်ထား Qty
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,စုစုပေါင်းအခွန်
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,ပမာဏအတွက် (Qty ကုန်ပစ္စည်းထုတ်လုပ်) မသင်မနေရ
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,စုစုပေါင်းအခွန်
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,ပမာဏအတွက် (Qty ကုန်ပစ္စည်းထုတ်လုပ်) မသင်မနေရ
DocType: Stock Entry,Default Target Warehouse,default Target ကဂိုဒေါင်
DocType: Purchase Invoice,Net Total (Company Currency),Net ကစုစုပေါင်း (ကုမ္ပဏီငွေကြေးစနစ်)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,the Year End နေ့စွဲတစ်နှစ်တာ Start ကိုနေ့စွဲထက်အစောပိုင်းမှာမဖြစ်နိုင်ပါ။ အရက်စွဲများပြင်ဆင်ရန်နှင့်ထပ်ကြိုးစားပါ။
@@ -4545,15 +4576,12 @@
DocType: Hub Settings,Hub Settings,hub Settings ကို
DocType: Project,Gross Margin %,gross Margin%
DocType: BOM,With Operations,စစ်ဆင်ရေးနှင့်အတူ
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,စာရင်းကိုင် entries တွေကိုပြီးသားကုမ္ပဏီတစ်ခု {1} များအတွက်ငွေကြေး {0} အတွက်ဖန်ဆင်းခဲ့ကြ။ ငွေကြေး {0} နှင့်အတူ receiver သို့မဟုတ်ပေးဆောင်အကောင့်ကို select လုပ်ပါကိုကျေးဇူးတင်ပါ။
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,စာရင်းကိုင် entries တွေကိုပြီးသားကုမ္ပဏီတစ်ခု {1} များအတွက်ငွေကြေး {0} အတွက်ဖန်ဆင်းခဲ့ကြ။ ငွေကြေး {0} နှင့်အတူ receiver သို့မဟုတ်ပေးဆောင်အကောင့်ကို select လုပ်ပါကိုကျေးဇူးတင်ပါ။
DocType: Asset,Is Existing Asset,လက်ရှိပိုင်ဆိုင်မှုဖြစ်ပါသည်
DocType: Salary Detail,Statistical Component,စာရင်းအင်းစိတျအပိုငျး
DocType: Salary Detail,Statistical Component,စာရင်းအင်းစိတျအပိုငျး
-,Monthly Salary Register,လစဉ်လစာမှတ်ပုံတင်မည်
DocType: Warranty Claim,If different than customer address,ဖောက်သည်လိပ်စာတခုထက်ကွဲပြားခြားနားနေလျှင်
DocType: BOM Operation,BOM Operation,BOM စစ်ဆင်ရေး
-DocType: School Settings,Validate the Student Group from Program Enrollment,Program ကိုကျောင်းအပ်ကနေကျောင်းသားအုပ်စုကိုအတည်ပြုပြီး
-DocType: School Settings,Validate the Student Group from Program Enrollment,Program ကိုကျောင်းအပ်ကနေကျောင်းသားအုပ်စုကိုအတည်ပြုပြီး
DocType: Purchase Taxes and Charges,On Previous Row Amount,ယခင် Row ပမာဏတွင်
DocType: Student,Home Address,အိမ်လိပ်စာ
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,ပိုင်ဆိုင်မှုလွှဲပြောင်း
@@ -4561,28 +4589,27 @@
DocType: Training Event,Event Name,အဖြစ်အပျက်အမည်
apps/erpnext/erpnext/config/schools.py +39,Admission,ဝင်ခွင့်ပေးခြင်း
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},{0} များအတွက်အဆင့်လက်ခံရေး
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","ဘတ်ဂျက် setting သည်ရာသီ, ပစ်မှတ်စသည်တို့"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants",item {0} တဲ့ template ကိုသည်၎င်း၏မျိုးကွဲတွေထဲကရွေးချယ်ရန်
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","ဘတ်ဂျက် setting သည်ရာသီ, ပစ်မှတ်စသည်တို့"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants",item {0} တဲ့ template ကိုသည်၎င်း၏မျိုးကွဲတွေထဲကရွေးချယ်ရန်
DocType: Asset,Asset Category,ပိုင်ဆိုင်မှုအမျိုးအစား
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,ဝယ်ယူ
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Net ကအခပေးအနုတ်လက္ခဏာမဖြစ်နိုင်
DocType: SMS Settings,Static Parameters,static Parameter များကို
DocType: Assessment Plan,Room,အခန်းတခန်း
DocType: Purchase Order,Advance Paid,ကြိုတင်မဲ Paid
DocType: Item,Item Tax,item ခွန်
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,ပေးသွင်းဖို့ material
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,ယစ်မျိုးပြေစာ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,ယစ်မျိုးပြေစာ
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% တစ်ကြိမ်ထက်ပိုပြီးပုံပေါ်
DocType: Expense Claim,Employees Email Id,န်ထမ်းအီးမေးလ် Id
DocType: Employee Attendance Tool,Marked Attendance,တခုတ်တရတက်ရောက်
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,လက်ရှိမှုစိစစ်
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,လက်ရှိမှုစိစစ်
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,သင့်ရဲ့အဆက်အသွယ်မှအစုလိုက်အပြုံလိုက် SMS ပို့
DocType: Program,Program Name,Program ကိုအမည်
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,သည်အခွန်သို့မဟုတ်တာဝန်ခံဖို့စဉ်းစားပါ
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,အမှန်တကယ် Qty မသင်မနေရ
DocType: Employee Loan,Loan Type,ချေးငွေအမျိုးအစား
DocType: Scheduling Tool,Scheduling Tool,စီစဉ်ခြင်း Tool ကို
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,အကြွေးဝယ်ကဒ်
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,အကြွေးဝယ်ကဒ်
DocType: BOM,Item to be manufactured or repacked,item ထုတ်လုပ်သောသို့မဟုတ် repacked ခံရဖို့
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,စတော့ရှယ်ယာအရောင်းအများအတွက် default setting များ။
DocType: Purchase Invoice,Next Date,Next ကိုနေ့စွဲ
@@ -4598,10 +4625,10 @@
DocType: Stock Entry,Repack,Repack
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,သင်ကအမှုတွဲရှေ့တော်၌ထိုပုံစံကို Save ရမယ်
DocType: Item Attribute,Numeric Values,numeric တန်ဖိုးများ
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Logo ကို Attach
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Logo ကို Attach
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,စတော့အိတ် Levels
DocType: Customer,Commission Rate,ကော်မရှင် Rate
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Variant Make
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Variant Make
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,ဦးစီးဌာနကခွင့် applications များပိတ်ဆို့။
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","ငွေပေးချေမှုရမည့်အမျိုးအစား, လက်ခံတယောက်ဖြစ် Pay နှင့်ပြည်တွင်းလွှဲပြောင်းရမယ်"
apps/erpnext/erpnext/config/selling.py +179,Analytics,analytics
@@ -4609,45 +4636,45 @@
DocType: Vehicle,Model,ပုံစံ
DocType: Production Order,Actual Operating Cost,အမှန်တကယ် Operating ကုန်ကျစရိတ်
DocType: Payment Entry,Cheque/Reference No,Cheque တစ်စောင်လျှင် / ကိုးကားစရာအဘယ်သူမျှမ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,အမြစ်တည်းဖြတ်မရနိုင်ပါ။
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,အမြစ်တည်းဖြတ်မရနိုင်ပါ။
DocType: Item,Units of Measure,တိုင်း၏ယူနစ်
DocType: Manufacturing Settings,Allow Production on Holidays,အားလပ်ရက်အပေါ်ထုတ်လုပ်မှု Allow
DocType: Sales Order,Customer's Purchase Order Date,customer ရဲ့ဝယ်ယူခြင်းအမိန့်နေ့စွဲ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,မြို့တော်စတော့အိတ်
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,မြို့တော်စတော့အိတ်
DocType: Shopping Cart Settings,Show Public Attachments,ပြည်သူ့ပူးတွဲပါပြရန်
DocType: Packing Slip,Package Weight Details,package အလေးချိန်အသေးစိတ်ကို
DocType: Payment Gateway Account,Payment Gateway Account,ငွေပေးချေမှုရမည့် Gateway ရဲ့အကောင့်ကို
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,ငွေပေးချေမှုပြီးစီးပြီးနောက်ရွေးချယ်ထားသည့်စာမျက်နှာအသုံးပြုသူ redirect ။
DocType: Company,Existing Company,လက်ရှိကုမ္ပဏီ
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",လူအပေါင်းတို့သည်ပစ္စည်းများ Non-စတော့ရှယ်ယာပစ္စည်းများကြောင့်အခွန်အမျိုးအစား "စုစုပေါင်း" ကိုပြောင်းလဲခဲ့ပြီးပြီ
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,တစ် CSV ဖိုင်ကိုရွေးပေးပါ
DocType: Student Leave Application,Mark as Present,"လက်ရှိအဖြစ်, Mark"
DocType: Purchase Order,To Receive and Bill,လက်ခံနှင့်ဘီလ်မှ
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,အသားပေးထုတ်ကုန်များ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,ပုံစံရေးဆှဲသူ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,ပုံစံရေးဆှဲသူ
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,စည်းကမ်းသတ်မှတ်ချက်များ Template:
DocType: Serial No,Delivery Details,Delivery အသေးစိတ်ကို
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},ကုန်ကျစရိတ် Center ကအမျိုးအစား {1} သည်အခွန် table ထဲမှာအတန်း {0} အတွက်လိုအပ်သည်
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},ကုန်ကျစရိတ် Center ကအမျိုးအစား {1} သည်အခွန် table ထဲမှာအတန်း {0} အတွက်လိုအပ်သည်
DocType: Program,Program Code,Program ကို Code ကို
DocType: Terms and Conditions,Terms and Conditions Help,စည်းကမ်းသတ်မှတ်ချက်များအကူအညီ
,Item-wise Purchase Register,item-ပညာရှိသောသူသည်ဝယ်ယူမှတ်ပုံတင်မည်
DocType: Batch,Expiry Date,သက်တမ်းကုန်ဆုံးရက်
-,Supplier Addresses and Contacts,ပေးသွင်းလိပ်စာနှင့်ဆက်သွယ်ရန်
,accounts-browser,အကောင့်-browser ကို
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,ပထမဦးဆုံးအမျိုးအစားလိုက်ကို select ကျေးဇူးပြု.
apps/erpnext/erpnext/config/projects.py +13,Project master.,Project မှမာစတာ။
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.",စတော့အိတ်ချိန်ညှိခြင်းသို့မဟုတ်အရာဝတ္ထုအတွက် update ကို "Allow" ငွေတောင်းခံ-ကျော်သို့မဟုတ် Over-သာသနာကိုခွင့်ပြုပါရန်။
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.",စတော့အိတ်ချိန်ညှိခြင်းသို့မဟုတ်အရာဝတ္ထုအတွက် update ကို "Allow" ငွေတောင်းခံ-ကျော်သို့မဟုတ် Over-သာသနာကိုခွင့်ပြုပါရန်။
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,ငွေကြေးကိုမှစသည်တို့ $ တူသောသင်္ကေတကိုလာမယ့်မပြပါနဲ့။
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(တစ်ဝက်နေ့)
DocType: Supplier,Credit Days,ခရက်ဒစ် Days
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,ကျောင်းသားအသုတ်လိုက် Make
DocType: Leave Type,Is Carry Forward,Forward ယူသွားတာဖြစ်ပါတယ်
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,BOM ထံမှပစ္စည်းများ Get
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,BOM ထံမှပစ္စည်းများ Get
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,ခဲအချိန် Days
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ပိုင်ဆိုင်မှု၏ CV ကိုနေ့စွဲဝယ်ယူနေ့စွဲအဖြစ်အတူတူပင်ဖြစ်ရပါမည် {1} {2}: row # {0}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ပိုင်ဆိုင်မှု၏ CV ကိုနေ့စွဲဝယ်ယူနေ့စွဲအဖြစ်အတူတူပင်ဖြစ်ရပါမည် {1} {2}: row # {0}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,အထက်ပါဇယားတွင်အရောင်းအမိန့်ကိုထည့်သွင်းပါ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,လစာစလစ် Submitted မဟုတ်
,Stock Summary,စတော့အိတ်အကျဉ်းချုပ်
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,တယောက်ကိုတယောက်ဂိုဒေါင်တစ်ဦးထံမှပစ္စည်းလွှဲပြောင်း
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,တယောက်ကိုတယောက်ဂိုဒေါင်တစ်ဦးထံမှပစ္စည်းလွှဲပြောင်း
DocType: Vehicle,Petrol,ဓါတ်ဆီ
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,ပစ္စည်းများ၏ဘီလ်
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},row {0}: ပါတီ Type နှင့်ပါတီ receiver / ပေးဆောင်အကောင့်ကို {1} သည်လိုအပ်သည်
@@ -4658,6 +4685,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,ပိတ်ဆို့ငွေပမာဏ
DocType: GL Entry,Is Opening,ဖွင့်လှစ်တာဖြစ်ပါတယ်
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},row {0}: Debit entry ကိုတစ် {1} နဲ့ဆက်စပ်မရနိုငျ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,အကောင့်ကို {0} မတည်ရှိပါဘူး
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,အကောင့်ကို {0} မတည်ရှိပါဘူး
DocType: Account,Cash,ငွေသား
DocType: Employee,Short biography for website and other publications.,website နှင့်အခြားပုံနှိပ်ထုတ်ဝေအတိုကောက်အတ္ထုပ္ပတ္တိ။
diff --git a/erpnext/translations/nl.csv b/erpnext/translations/nl.csv
index 6b49d6e..15676c1 100644
--- a/erpnext/translations/nl.csv
+++ b/erpnext/translations/nl.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Consumentenproducten
DocType: Item,Customer Items,Klant Items
DocType: Project,Costing and Billing,Kostenberekening en facturering
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Rekening {0}: Bovenliggende rekening {1} kan geen grootboek zijn
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Rekening {0}: Bovenliggende rekening {1} kan geen grootboek zijn
DocType: Item,Publish Item to hub.erpnext.com,Publiceer Item om hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,E-mail Notificaties
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,evaluatie
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,evaluatie
DocType: Item,Default Unit of Measure,Standaard Eenheid
DocType: SMS Center,All Sales Partner Contact,Alle Sales Partner Contact
DocType: Employee,Leave Approvers,Verlof goedkeurders
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Wisselkoers moet hetzelfde zijn als zijn {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Klantnaam
DocType: Vehicle,Natural Gas,Natuurlijk gas
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Bankrekening kan niet worden genoemd als {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Bankrekening kan niet worden genoemd als {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Hoofden (of groepen) waartegen de boekingen worden gemaakt en saldi worden gehandhaafd.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Openstaand bedrag voor {0} mag niet kleiner zijn dan nul ({1})
DocType: Manufacturing Settings,Default 10 mins,Standaard 10 min
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Alle Leverancier Contact
DocType: Support Settings,Support Settings,ondersteuning Instellingen
DocType: SMS Parameter,Parameter,Parameter
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Verwachte Einddatum kan niet minder dan verwacht Startdatum zijn
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Verwachte Einddatum kan niet minder dan verwacht Startdatum zijn
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Rij # {0}: Beoordeel moet hetzelfde zijn als zijn {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Nieuwe Verlofaanvraag
,Batch Item Expiry Status,Batch Item Vervaldatum Status
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Bankcheque
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Bankcheque
DocType: Mode of Payment Account,Mode of Payment Account,Modus van Betaalrekening
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Toon Varianten
DocType: Academic Term,Academic Term,Academisch semester
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Materiaal
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Hoeveelheid
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Accounts tabel mag niet leeg zijn.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Leningen (Passiva)
+apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Rekeningtabel mag niet leeg zijn.
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Leningen (Passiva)
DocType: Employee Education,Year of Passing,Voorbije Jaar
DocType: Item,Country of Origin,Land van herkomst
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,Op Voorraad
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,Op Voorraad
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Open Issues
DocType: Production Plan Item,Production Plan Item,Productie Plan Artikel
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Gebruiker {0} is al aan Werknemer toegewezen {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Gezondheidszorg
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Vertraging in de betaling (Dagen)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,dienst Expense
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} is reeds verwezen in de verkoopfactuur: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} is reeds verwezen in de verkoopfactuur: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Factuur
DocType: Maintenance Schedule Item,Periodicity,Periodiciteit
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Boekjaar {0} is vereist
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Rij # {0}:
DocType: Timesheet,Total Costing Amount,Totaal bedrag Costing
DocType: Delivery Note,Vehicle No,Voertuig nr.
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,Selecteer Prijslijst
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Selecteer Prijslijst
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: Betaling document is vereist om de trasaction voltooien
DocType: Production Order Operation,Work In Progress,Onderhanden Werk
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Kies een datum
DocType: Employee,Holiday List,Holiday Lijst
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Accountant
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Accountant
DocType: Cost Center,Stock User,Aandeel Gebruiker
DocType: Company,Phone No,Telefoonnummer
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Cursus Roosters gemaakt:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Nieuwe {0}: # {1}
,Sales Partners Commission,Verkoop Partners Commissie
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Afkorting kan niet meer dan 5 tekens lang zijn
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Afkorting kan niet meer dan 5 tekens lang zijn
DocType: Payment Request,Payment Request,Betalingsverzoek
DocType: Asset,Value After Depreciation,Restwaarde
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,Aanwezigheid datum kan niet lager zijn dan het samenvoegen van de datum werknemer zijn
DocType: Grading Scale,Grading Scale Name,Grading Scale Naam
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Dit is een basisrekening en kan niet worden bewerkt.
+DocType: Sales Invoice,Company Address,bedrijfsadres
DocType: BOM,Operations,Bewerkingen
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Kan de autorisatie niet instellen op basis van korting voor {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Bevestig .csv-bestand met twee kolommen, één voor de oude naam en één voor de nieuwe naam"
-apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} in geen actieve fiscale jaar.
+apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} in geen enkel actief fiscale jaar.
DocType: Packed Item,Parent Detail docname,Bovenliggende Detail docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referentie: {0}, Artikelcode: {1} en klant: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,kg
DocType: Student Log,Log,Log
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Vacature voor een baan.
DocType: Item Attribute,Increment,Aanwas
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Adverteren
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Hetzelfde bedrijf is meer dan één keer ingevoerd
DocType: Employee,Married,Getrouwd
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Niet toegestaan voor {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Niet toegestaan voor {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Krijgen items uit
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Voorraad kan niet worden bijgewerkt obv Vrachtbrief {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Voorraad kan niet worden bijgewerkt obv Vrachtbrief {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Product {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Geen artikelen vermeld
DocType: Payment Reconciliation,Reconcile,Afletteren
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Volgende afschrijvingen datum kan niet vóór Aankoopdatum
DocType: SMS Center,All Sales Person,Alle Sales Person
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Maandelijkse Distributie ** helpt u om de begroting / Target verdelen over maanden als u de seizoensgebondenheid in uw bedrijf.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Niet artikelen gevonden
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Niet artikelen gevonden
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Salarisstructuur Missing
DocType: Lead,Person Name,Persoon Naam
DocType: Sales Invoice Item,Sales Invoice Item,Verkoopfactuur Artikel
DocType: Account,Credit,Krediet
DocType: POS Profile,Write Off Cost Center,Afschrijvingen kostenplaats
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",bijvoorbeeld "Primary School" of "University"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",bijvoorbeeld "Primary School" of "University"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Stock Reports
DocType: Warehouse,Warehouse Detail,Magazijn Detail
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Kredietlimiet is overschreden voor de klant {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Kredietlimiet is overschreden voor de klant {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,De Term Einddatum kan niet later dan het jaar Einddatum van het studiejaar waarop de term wordt gekoppeld zijn (Academisch Jaar {}). Corrigeer de data en probeer het opnieuw.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Is vaste activa"" kan niet worden uitgeschakeld, als Asset record bestaat voor dit item"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Is vaste activa"" kan niet worden uitgeschakeld, als Asset record bestaat voor dit item"
DocType: Vehicle Service,Brake Oil,remolie
DocType: Tax Rule,Tax Type,Belasting Type
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},U bent niet bevoegd om items toe te voegen of bij te werken voor {0}
DocType: BOM,Item Image (if not slideshow),Artikel Afbeelding (indien niet diashow)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Een klant bestaat met dezelfde naam
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Uurtarief / 60) * Werkelijk Gepresteerde Tijd
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Select BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Select BOM
DocType: SMS Log,SMS Log,SMS Log
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Kosten van geleverde zaken
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,De vakantie op {0} is niet tussen Van Datum en To Date
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Van {0} tot {1}
DocType: Item,Copy From Item Group,Kopiëren van Item Group
DocType: Journal Entry,Opening Entry,Opening Entry
-apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Alleen Account Pay
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klant> Klantengroep> Territorium
+apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Rekening betalen enkel
DocType: Employee Loan,Repay Over Number of Periods,Terug te betalen gedurende een aantal perioden
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} is niet ingeschreven in de gegeven {2}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} is niet ingeschreven in de gegeven {2}
DocType: Stock Entry,Additional Costs,Bijkomende kosten
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Rekening met bestaande transactie kan niet worden omgezet naar een groep .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Rekening met bestaande transactie kan niet worden omgezet naar een groep .
DocType: Lead,Product Enquiry,Product Aanvraag
DocType: Academic Term,Schools,scholen
+DocType: School Settings,Validate Batch for Students in Student Group,Batch valideren voor studenten in de studentengroep
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Geen verlof gevonden record voor werknemer {0} voor {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Vul aub eerst bedrijf in
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Selecteer Company eerste
@@ -175,49 +176,49 @@
DocType: BOM,Total Cost,Totale kosten
DocType: Journal Entry Account,Employee Loan,werknemer Loan
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Activiteitenlogboek:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,Artikel {0} bestaat niet in het systeem of is verlopen
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Artikel {0} bestaat niet in het systeem of is verlopen
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Vastgoed
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Rekeningafschrift
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Farmacie
DocType: Purchase Invoice Item,Is Fixed Asset,Is vaste activa
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Beschikbare aantal is {0}, moet u {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Beschikbare aantal is {0}, moet u {1}"
DocType: Expense Claim Detail,Claim Amount,Claim Bedrag
-DocType: Employee,Mr,De heer
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Duplicate klantengroep in de cutomer groep tafel
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Leverancier Type / leverancier
DocType: Naming Series,Prefix,Voorvoegsel
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Verbruiksartikelen
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Verbruiksartikelen
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Importeren Log
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Trek Material Verzoek van het type Productie op basis van bovenstaande criteria
DocType: Training Result Employee,Grade,Rang
DocType: Sales Invoice Item,Delivered By Supplier,Geleverd door Leverancier
DocType: SMS Center,All Contact,Alle Contact
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Productieorder al gemaakt voor alle items met BOM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Jaarsalaris
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Productieorder al gemaakt voor alle items met BOM
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Jaarsalaris
DocType: Daily Work Summary,Daily Work Summary,Dagelijks Werk Samenvatting
DocType: Period Closing Voucher,Closing Fiscal Year,Het sluiten van het fiscale jaar
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} is bevroren
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Kies een bestaand bedrijf voor het maken van Rekeningschema
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Voorraadkosten
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} is bevroren
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Kies een bestaand bedrijf voor het maken van Rekeningschema
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Voorraadkosten
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Selecteer Target Warehouse
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Selecteer Target Warehouse
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,Vul Preferred Contact E-mail
+DocType: Program Enrollment,School Bus,Schoolbus
DocType: Journal Entry,Contra Entry,Contra Entry
DocType: Journal Entry Account,Credit in Company Currency,Credit Company in Valuta
DocType: Delivery Note,Installation Status,Installatie Status
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Wilt u aanwezig updaten? <br> Aanwezig: {0} \ <br> Afwezig: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Geaccepteerde + Verworpen Aantal moet gelijk zijn aan Ontvangen aantal zijn voor Artikel {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Geaccepteerde + Verworpen Aantal moet gelijk zijn aan Ontvangen aantal zijn voor Artikel {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Supply Grondstoffen voor Aankoop
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,Ten minste één wijze van betaling is vereist voor POS factuur.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,Ten minste één wijze van betaling is vereist voor POS factuur.
DocType: Products Settings,Show Products as a List,Producten weergeven als een lijst
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Download de Template, vul de juiste gegevens in en voeg het gewijzigde bestand bij. Alle data en toegewezen werknemer in de geselecteerde periode zullen in de sjabloon komen, met bestaande presentielijsten"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,ARtikel {0} is niet actief of heeft einde levensduur bereikt
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Voorbeeld: Basiswiskunde
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Om Belastingen op te nemen in het Artikeltarief in rij {0}, moeten de belastingen in rijen {1} ook worden opgenomen"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,ARtikel {0} is niet actief of heeft einde levensduur bereikt
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Voorbeeld: Basiswiskunde
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Om Belastingen op te nemen in het Artikeltarief in rij {0}, moeten de belastingen in rijen {1} ook worden opgenomen"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Instellingen voor HR Module
DocType: SMS Center,SMS Center,SMS Center
DocType: Sales Invoice,Change Amount,Change Bedrag
@@ -227,15 +228,15 @@
DocType: Lead,Request Type,Aanvraag type
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,maak Employee
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Uitzenden
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Uitvoering
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Uitvoering
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Details van de uitgevoerde handelingen.
DocType: Serial No,Maintenance Status,Onderhoud Status
-apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Leverancier is vereist tegen Payable account {2}
+apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Leverancier is vereist tegen Te Betalen account {2}
apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Artikelen en prijzen
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Totaal aantal uren: {0}
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},Van Datum moet binnen het boekjaar zijn. Er vanuit gaande dat Van Datum {0} is
DocType: Customer,Individual,Individueel
-DocType: Interest,Academics User,academici Gebruiker
+DocType: Interest,Academics User,Academici Gebruiker
DocType: Cheque Print Template,Amount In Figure,Bedrag In figuur
DocType: Employee Loan Application,Loan Info,Loan Info
apps/erpnext/erpnext/config/maintenance.py +12,Plan for maintenance visits.,Plan voor onderhoud bezoeken.
@@ -255,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Het verzoek voor een offerte kan worden geopend door te klikken op de volgende link
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Toewijzen verloven voor het gehele jaar.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,onvoldoende Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,onvoldoende Stock
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Uitschakelen Capacity Planning en Time Tracking
DocType: Email Digest,New Sales Orders,Nieuwe Verkooporders
DocType: Bank Guarantee,Bank Account,Bankrekening
@@ -266,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log',Bijgewerkt via 'Time Log'
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Advance bedrag kan niet groter zijn dan {0} {1}
DocType: Naming Series,Series List for this Transaction,Reeks voor deze transactie
+DocType: Company,Enable Perpetual Inventory,Perpetual Inventory inschakelen
DocType: Company,Default Payroll Payable Account,Default Payroll Payable Account
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Pas E-Group
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Pas E-Group
DocType: Sales Invoice,Is Opening Entry,Wordt Opening Entry
DocType: Customer Group,Mention if non-standard receivable account applicable,Vermeld als niet-standaard te ontvangen houdend met de toepasselijke
DocType: Course Schedule,Instructor Name,instructeur Naam
@@ -279,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Tegen Sales Invoice Item
,Production Orders in Progress,Productieorders in behandeling
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,De netto kasstroom uit financieringsactiviteiten
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage vol is, niet te redden"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage vol is, niet te redden"
DocType: Lead,Address & Contact,Adres & Contact
DocType: Leave Allocation,Add unused leaves from previous allocations,Voeg ongebruikte bladeren van de vorige toewijzingen
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Volgende terugkerende {0} zal worden gemaakt op {1}
DocType: Sales Partner,Partner website,partner website
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Item toevoegen
-,Contact Name,Contact Naam
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Contact Naam
DocType: Course Assessment Criteria,Course Assessment Criteria,Cursus Beoordelingscriteria
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Maakt salarisstrook voor de bovengenoemde criteria.
DocType: POS Customer Group,POS Customer Group,POS Customer Group
@@ -294,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Geen beschrijving gegeven
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Inkoopaanvraag
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Dit is gebaseerd op de Time Sheets gemaakt tegen dit project
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Nettoloon kan niet lager zijn dan 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Nettoloon kan niet lager zijn dan 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Alleen de geselecteerde Verlof Goedkeurder kan deze verlofaanvraag indienen
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Ontslagdatum moet groter zijn dan datum van indiensttreding
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Verlaat per jaar
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Verlaat per jaar
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Rij {0}: Kijk 'Is Advance' tegen Account {1} als dit is een voorschot binnenkomst.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Magazijn {0} behoort niet tot bedrijf {1}
DocType: Email Digest,Profit & Loss,Verlies
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,liter
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,liter
DocType: Task,Total Costing Amount (via Time Sheet),Totaal bedrag Costing (via Urenregistratie)
DocType: Item Website Specification,Item Website Specification,Artikel Website Specificatie
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Verlof Geblokkeerd
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Artikel {0} heeft het einde van zijn levensduur bereikt op {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Artikel {0} heeft het einde van zijn levensduur bereikt op {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Bank Gegevens
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,jaar-
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Voorraad Afletteren Artikel
@@ -313,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,Minimum Aantal
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool Course
DocType: Lead,Do Not Contact,Neem geen contact op
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,Mensen die lesgeven op uw organisatie
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,Mensen die lesgeven op uw organisatie
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,De unieke ID voor het bijhouden van alle terugkerende facturen. Het wordt gegenereerd bij het indienen.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Software Ontwikkelaar
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software Ontwikkelaar
DocType: Item,Minimum Order Qty,Minimum bestel aantal
DocType: Pricing Rule,Supplier Type,Leverancier Type
DocType: Course Scheduling Tool,Course Start Date,Cursus Startdatum
@@ -324,11 +326,11 @@
DocType: Item,Publish in Hub,Publiceren in Hub
DocType: Student Admission,Student Admission,student Toelating
,Terretory,Regio
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Artikel {0} is geannuleerd
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Artikel {0} is geannuleerd
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Materiaal Aanvraag
DocType: Bank Reconciliation,Update Clearance Date,Werk Clearance Datum bij
DocType: Item,Purchase Details,Inkoop Details
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Item {0} niet gevonden in 'Raw Materials geleverd' tafel in Purchase Order {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Item {0} niet gevonden in 'Raw Materials geleverd' tafel in Purchase Order {1}
DocType: Employee,Relation,Relatie
DocType: Shipping Rule,Worldwide Shipping,Wereldwijde verzending
DocType: Student Guardian,Mother,Moeder
@@ -347,6 +349,7 @@
DocType: Student Group Student,Student Group Student,Student Group Student
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,laatst
DocType: Vehicle Service,Inspection,Inspectie
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Lijst
DocType: Email Digest,New Quotations,Nieuwe Offertes
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Emails loonstrook van medewerkers op basis van de voorkeur e-mail geselecteerd in Employee
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,De eerste Verlofgoedkeurder in de lijst wordt als de standaard Verlofgoedkeurder ingesteld
@@ -355,20 +358,20 @@
DocType: Asset,Next Depreciation Date,Volgende Afschrijvingen Date
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Activiteitskosten per werknemer
DocType: Accounts Settings,Settings for Accounts,Instellingen voor accounts
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Leverancier factuur nr bestaat in Purchase Invoice {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Leverancier factuur nr bestaat in Purchase Invoice {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Beheer Sales Person Boom .
DocType: Job Applicant,Cover Letter,Voorblad
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Uitstekende Cheques en Deposito's te ontruimen
DocType: Item,Synced With Hub,Gesynchroniseerd met Hub
DocType: Vehicle,Fleet Manager,Fleet Manager
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} kan niet negatief voor producten van post {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Verkeerd Wachtwoord
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Verkeerd Wachtwoord
DocType: Item,Variant Of,Variant van
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',Voltooid aantal mag niet groter zijn dan 'Aantal te produceren'
DocType: Period Closing Voucher,Closing Account Head,Sluiten Account Hoofd
DocType: Employee,External Work History,Externe Werk Geschiedenis
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Kringverwijzing Error
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1 Naam
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 Naam
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,In woorden (Export) wordt zichtbaar zodra u de vrachtbrief opslaat.
DocType: Cheque Print Template,Distance from left edge,Afstand van linkerrand
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} eenheden van [{1}] (#Vorm/Item/{1}) gevonden in [{2}](#Vorm/Magazijn/{2})
@@ -377,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notificeer per e-mail bij automatisch aanmaken van Materiaal Aanvraag
DocType: Journal Entry,Multi Currency,Valuta
DocType: Payment Reconciliation Invoice,Invoice Type,Factuur Type
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Vrachtbrief
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Vrachtbrief
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Het opzetten van Belastingen
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Kosten van Verkochte Asset
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,Betaling Bericht is gewijzigd nadat u het getrokken. Neem dan trekt het weer.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} twee keer opgenomen in Artikel BTW
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Betaling Bericht is gewijzigd nadat u het getrokken. Neem dan trekt het weer.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} twee keer opgenomen in Artikel BTW
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Samenvatting voor deze week en in afwachting van activiteiten
DocType: Student Applicant,Admitted,toegelaten
DocType: Workstation,Rent Cost,Huurkosten
@@ -400,25 +403,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Vul de 'Herhaal op dag van de maand' waarde in
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Koers waarmee de Klant Valuta wordt omgerekend naar de basisvaluta van de klant.
DocType: Course Scheduling Tool,Course Scheduling Tool,Course Scheduling Tool
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rij # {0}: Aankoop factuur kan niet worden ingediend tegen een bestaand actief {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rij # {0}: Aankoop factuur kan niet worden ingediend tegen een bestaand actief {1}
DocType: Item Tax,Tax Rate,Belastingtarief
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} reeds toegewezen voor Employee {1} voor periode {2} te {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Selecteer Item
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Inkoopfactuur {0} is al ingediend
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Inkoopfactuur {0} is al ingediend
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Rij # {0}: Batch Geen moet hetzelfde zijn als zijn {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Converteren naar non-Group
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Partij van een artikel.
DocType: C-Form Invoice Detail,Invoice Date,Factuurdatum
DocType: GL Entry,Debit Amount,Debet Bedrag
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Er kan slechts 1 account per Bedrijf in zijn {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,Zie bijlage
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Er kan slechts 1 account per Bedrijf in zijn {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,Zie bijlage
DocType: Purchase Order,% Received,% Ontvangen
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Maak Student Groepen
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Installatie al voltooid !
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Credit Note Bedrag
,Finished Goods,Gereed Product
DocType: Delivery Note,Instructions,Instructies
DocType: Quality Inspection,Inspected By,Geïnspecteerd door
DocType: Maintenance Visit,Maintenance Type,Onderhoud Type
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} is niet ingeschreven in de cursus {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Serienummer {0} behoort niet tot Vrachtbrief {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Items toevoegen
@@ -439,7 +444,7 @@
DocType: Request for Quotation,Request for Quotation,Offerte
DocType: Salary Slip Timesheet,Working Hours,Werkuren
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Wijzig het start-/ huidige volgnummer van een bestaande serie.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Maak een nieuwe klant
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Maak een nieuwe klant
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Als er meerdere prijzen Regels blijven die gelden, worden gebruikers gevraagd om Prioriteit handmatig instellen om conflicten op te lossen."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Maak Bestellingen
,Purchase Register,Inkoop Register
@@ -451,7 +456,7 @@
DocType: Student Log,Medical,medisch
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Reden voor het verliezen
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Lead eigenaar kan niet hetzelfde zijn als de lead zijn
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,Toegekende bedrag kan niet hoger zijn dan niet-gecorrigeerde bedrag
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,Toegekende bedrag kan niet hoger zijn dan niet-gecorrigeerde bedrag
DocType: Announcement,Receiver,Ontvanger
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Werkstation is gesloten op de volgende data als per Holiday Lijst: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Kansen
@@ -465,8 +470,7 @@
DocType: Assessment Plan,Examiner Name,Examinator Naam
DocType: Purchase Invoice Item,Quantity and Rate,Hoeveelheid en Tarief
DocType: Delivery Note,% Installed,% Geïnstalleerd
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,"Klaslokalen / Laboratories etc, waar lezingen kunnen worden gepland."
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Leverancier> Type leverancier
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Klaslokalen / Laboratories etc, waar lezingen kunnen worden gepland."
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Vul aub eerst de naam van het bedrijf in
DocType: Purchase Invoice,Supplier Name,Leverancier Naam
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Lees de ERPNext Manual
@@ -476,7 +480,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Controleer Leverancier Factuurnummer Uniqueness
DocType: Vehicle Service,Oil Change,Olie vervanging
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','Tot Zaak nr' kan niet minder zijn dan 'Van Zaak nr'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Non-Profit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Non-Profit
DocType: Production Order,Not Started,Niet gestart
DocType: Lead,Channel Partner,Channel Partner
DocType: Account,Old Parent,Oude Parent
@@ -487,20 +491,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Algemene instellingen voor alle productieprocessen.
DocType: Accounts Settings,Accounts Frozen Upto,Rekeningen bevroren tot
DocType: SMS Log,Sent On,Verzonden op
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Kenmerk {0} meerdere keren geselecteerd in Attributes Tabel
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Kenmerk {0} meerdere keren geselecteerd in Attributes Tabel
DocType: HR Settings,Employee record is created using selected field. ,Werknemer regel wordt gemaakt met behulp van geselecteerd veld.
DocType: Sales Order,Not Applicable,Niet van toepassing
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Vakantie meester .
DocType: Request for Quotation Item,Required Date,Benodigd op datum
DocType: Delivery Note,Billing Address,Factuuradres
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Vul Artikelcode in.
DocType: BOM,Costing,Costing
DocType: Tax Rule,Billing County,Billing County
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Indien aangevinkt, zal de BTW-bedrag worden beschouwd als reeds in de Print Tarief / Print Bedrag"
DocType: Request for Quotation,Message for Supplier,Boodschap voor Supplier
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Totaal Aantal
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 Email ID
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 Email ID
DocType: Item,Show in Website (Variant),Show in Website (Variant)
DocType: Employee,Health Concerns,Gezondheidszorgen
DocType: Process Payroll,Select Payroll Period,Selecteer Payroll Periode
@@ -518,26 +521,28 @@
DocType: Sales Order Item,Used for Production Plan,Gebruikt voor Productie Plan
DocType: Employee Loan,Total Payment,Totale betaling
DocType: Manufacturing Settings,Time Between Operations (in mins),Time Between Operations (in minuten)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} is geannuleerd dus de actie kan niet voltooid worden
DocType: Customer,Buyer of Goods and Services.,Koper van goederen en diensten.
DocType: Journal Entry,Accounts Payable,Crediteuren
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,De geselecteerde stuklijsten zijn niet voor hetzelfde item
DocType: Pricing Rule,Valid Upto,Geldig Tot
DocType: Training Event,Workshop,werkplaats
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Lijst een paar van uw klanten. Ze kunnen organisaties of personen .
-,Enough Parts to Build,Genoeg Parts te bouwen
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Directe Inkomsten
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Lijst een paar van uw klanten. Ze kunnen organisaties of personen .
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Genoeg Parts te bouwen
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Directe Inkomsten
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Kan niet filteren op basis van Rekening, indien gegroepeerd op Rekening"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Boekhouder
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Selecteer de cursus
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Selecteer de cursus
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Boekhouder
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Selecteer de cursus
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Selecteer de cursus
DocType: Timesheet Detail,Hrs,hrs
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Selecteer Company
DocType: Stock Entry Detail,Difference Account,Verschillenrekening
+DocType: Purchase Invoice,Supplier GSTIN,Leverancier GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Kan taak niet afsluiten als haar afhankelijke taak {0} niet is afgesloten.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Vul magazijn in waarvoor Materiaal Aanvragen zullen worden ingediend.
DocType: Production Order,Additional Operating Cost,Additionele Operationele Kosten
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Cosmetica
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Om samen te voegen, moeten de volgende eigenschappen hetzelfde zijn voor beide artikelen"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Om samen te voegen, moeten de volgende eigenschappen hetzelfde zijn voor beide artikelen"
DocType: Shipping Rule,Net Weight,Netto Gewicht
DocType: Employee,Emergency Phone,Noodgeval Telefoonnummer
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Kopen
@@ -547,14 +552,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Gelieve te definiëren cijfer voor drempel 0%
DocType: Sales Order,To Deliver,Bezorgen
DocType: Purchase Invoice Item,Item,Artikel
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Serial geen item kan niet een fractie te zijn
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Serial geen item kan niet een fractie te zijn
DocType: Journal Entry,Difference (Dr - Cr),Verschil (Db - Cr)
DocType: Account,Profit and Loss,Winst en Verlies
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Managing Subcontracting
DocType: Project,Project will be accessible on the website to these users,Project zal toegankelijk op de website van deze gebruikers
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Koers waarmee Prijslijst valuta wordt omgerekend naar de basis bedrijfsvaluta
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Rekening {0} behoort niet tot bedrijf: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Afkorting al gebruikt voor een ander bedrijf
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Rekening {0} behoort niet tot bedrijf: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Afkorting al gebruikt voor een ander bedrijf
DocType: Selling Settings,Default Customer Group,Standaard Klant Groep
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Indien uitgevinkt, zal het 'Afgerond Totaal' veld niet zichtbaar zijn in een transactie"
DocType: BOM,Operating Cost,Operationele kosten
@@ -562,7 +567,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Toename kan niet worden 0
DocType: Production Planning Tool,Material Requirement,Material Requirement
DocType: Company,Delete Company Transactions,Verwijder Company Transactions
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Referentienummer en Reference Data is verplicht voor Bank transactie
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Referentienummer en Reference Data is verplicht voor Bank transactie
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Toevoegen / Bewerken Belastingen en Heffingen
DocType: Purchase Invoice,Supplier Invoice No,Factuurnr. Leverancier
DocType: Territory,For reference,Ter referentie
@@ -573,22 +578,22 @@
DocType: Installation Note Item,Installation Note Item,Installatie Opmerking Item
DocType: Production Plan Item,Pending Qty,In afwachting Aantal
DocType: Budget,Ignore,Negeren
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} is niet actief
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} is niet actief
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS verzonden naar volgende nummers: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,Setup check afmetingen voor afdrukken
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Setup check afmetingen voor afdrukken
DocType: Salary Slip,Salary Slip Timesheet,Loonstrook Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Leverancier Magazijn verplicht voor uitbesteedde Ontvangstbewijs
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Leverancier Magazijn verplicht voor uitbesteedde Ontvangstbewijs
DocType: Pricing Rule,Valid From,Geldig van
DocType: Sales Invoice,Total Commission,Totaal Commissie
DocType: Pricing Rule,Sales Partner,Verkoop Partner
DocType: Buying Settings,Purchase Receipt Required,Ontvangstbevestiging Verplicht
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,Valuation Rate is verplicht als Opening Stock ingevoerd
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,Valuation Rate is verplicht als Opening Stock ingevoerd
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Geen records gevonden in de factuur tabel
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Selecteer Company en Party Type eerste
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Financiële / boekjaar .
-apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Verzamelde waarden
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Financiële / boekjaar .
+apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Geaccumuleerde waarden
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Sorry , serienummers kunnen niet worden samengevoegd"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Maak verkooporder
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Maak verkooporder
DocType: Project Task,Project Task,Project Task
,Lead Id,Lead Id
DocType: C-Form Invoice Detail,Grand Total,Algemeen totaal
@@ -605,7 +610,7 @@
DocType: Job Applicant,Resume Attachment,Resume Attachment
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Terugkerende klanten
DocType: Leave Control Panel,Allocate,Toewijzen
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Terugkerende verkoop
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Terugkerende verkoop
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Opmerking: Totaal toegewezen bladeren {0} mag niet kleiner zijn dan die reeds zijn goedgekeurd bladeren zijn {1} voor de periode
DocType: Announcement,Posted By,Gepost door
DocType: Item,Delivered by Supplier (Drop Ship),Geleverd door Leverancier (Drop Ship)
@@ -615,8 +620,8 @@
DocType: Quotation,Quotation To,Offerte Voor
DocType: Lead,Middle Income,Modaal Inkomen
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Opening ( Cr )
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Standaard maateenheid voor post {0} kan niet direct worden gewijzigd, omdat je al enkele transactie (s) met een andere UOM hebben gemaakt. U moet een nieuwe post naar een andere Standaard UOM gebruik maken."
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Toegekende bedrag kan niet negatief zijn
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Standaard maateenheid voor post {0} kan niet direct worden gewijzigd, omdat je al enkele transactie (s) met een andere UOM hebben gemaakt. U moet een nieuwe post naar een andere Standaard UOM gebruik maken."
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Toegekende bedrag kan niet negatief zijn
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Stel het bedrijf alstublieft in
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Stel het bedrijf alstublieft in
DocType: Purchase Order Item,Billed Amt,Gefactureerd Bedr
@@ -629,7 +634,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Selecteer Betaalrekening aan Bank Entry maken
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Maak Employee records bladeren, declaraties en salarisadministratie beheren"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Voeg toe aan Knowledge Base
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Voorstel Schrijven
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Voorstel Schrijven
DocType: Payment Entry Deduction,Payment Entry Deduction,Betaling Entry Aftrek
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Een andere Sales Person {0} bestaat met dezelfde werknemer id
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Indien aangevinkt, grondstoffen voor items die zijn uitbesteed zal worden opgenomen in de Material Verzoeken"
@@ -644,7 +649,7 @@
DocType: Batch,Batch Description,Batch Beschrijving
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Leergroepen creëren
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Leergroepen creëren
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Payment Gateway-account aangemaakt, dan kunt u een handmatig maken."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Payment Gateway-account aangemaakt, dan kunt u een handmatig maken."
DocType: Sales Invoice,Sales Taxes and Charges,Verkoop Belasting en Toeslagen
DocType: Employee,Organization Profile,organisatie Profiel
DocType: Student,Sibling Details,sibling Details
@@ -666,11 +671,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Netto wijziging in Inventory
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Employee Lening Beheer
DocType: Employee,Passport Number,Paspoortnummer
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Relatie met Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Manager
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Relatie met Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Manager
DocType: Payment Entry,Payment From / To,Betaling van / naar
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},New kredietlimiet lager is dan de huidige uitstaande bedrag voor de klant. Kredietlimiet moet minstens zijn {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Hetzelfde item is meerdere keren ingevoerd.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},New kredietlimiet lager is dan de huidige uitstaande bedrag voor de klant. Kredietlimiet moet minstens zijn {0}
DocType: SMS Settings,Receiver Parameter,Receiver Parameter
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Gebaseerd op' en 'Groepeer per' kunnen niet hetzelfde zijn
DocType: Sales Person,Sales Person Targets,Verkoper Doelen
@@ -679,8 +683,9 @@
DocType: Issue,Resolution Date,Oplossing Datum
DocType: Student Batch Name,Batch Name,batch Naam
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Rooster gemaakt:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},Stel een standaard Kas- of Bankrekening in bij Betaalwijze {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Stel een standaard Kas- of Bankrekening in bij Betaalwijze {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Inschrijven
+DocType: GST Settings,GST Settings,GST instellingen
DocType: Selling Settings,Customer Naming By,Klant Naming Door
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Zal de student zoals aanwezig in Student Maandelijkse Rapport Aanwezigheid tonen
DocType: Depreciation Schedule,Depreciation Amount,afschrijvingen Bedrag
@@ -702,6 +707,7 @@
DocType: Item,Material Transfer,Materiaal Verplaatsing
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Opening ( Dr )
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Plaatsing timestamp moet na {0} zijn
+,GST Itemised Purchase Register,GST Itemized Purchase Register
DocType: Employee Loan,Total Interest Payable,Totaal te betalen rente
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Vrachtkosten belastingen en toeslagen
DocType: Production Order Operation,Actual Start Time,Werkelijke Starttijd
@@ -729,10 +735,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
DocType: Account,Accounts,Rekeningen
DocType: Vehicle,Odometer Value (Last),Kilometerstand (Laatste)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Betaling Entry is al gemaakt
DocType: Purchase Receipt Item Supplied,Current Stock,Huidige voorraad
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Rij # {0}: Asset {1} is niet gekoppeld aan artikel {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Rij # {0}: Asset {1} is niet gekoppeld aan artikel {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Voorbeschouwing loonstrook
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Account {0} is meerdere keren ingevoerd
DocType: Account,Expenses Included In Valuation,Kosten inbegrepen in waardering
@@ -740,7 +746,7 @@
,Absent Student Report,Studenten afwezigheidsrapport
DocType: Email Digest,Next email will be sent on:,Volgende e-mail wordt verzonden op:
DocType: Offer Letter Term,Offer Letter Term,Aanbod Letter Term
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Item heeft varianten.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Item heeft varianten.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Artikel {0} niet gevonden
DocType: Bin,Stock Value,Voorraad Waarde
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Company {0} bestaat niet
@@ -749,8 +755,8 @@
DocType: Serial No,Warranty Expiry Date,Garantie Vervaldatum
DocType: Material Request Item,Quantity and Warehouse,Hoeveelheid en magazijn
DocType: Sales Invoice,Commission Rate (%),Commissie Rate (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Selecteer alsjeblieft Programma
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Selecteer alsjeblieft Programma
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Selecteer alsjeblieft Programma
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Selecteer alsjeblieft Programma
DocType: Project,Estimated Cost,Geschatte kosten
DocType: Purchase Order,Link to material requests,Koppeling naar materiaal aanvragen
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Ruimtevaart
@@ -764,14 +770,14 @@
DocType: Purchase Order,Supply Raw Materials,Supply Grondstoffen
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,De datum waarop de volgende factuur wordt gegenereerd. Het wordt gegenereerd op te leggen.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Vlottende Activa
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} is geen voorraad artikel
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} is geen voorraad artikel
DocType: Mode of Payment Account,Default Account,Standaardrekening
DocType: Payment Entry,Received Amount (Company Currency),Ontvangen bedrag (Company Munt)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,Lead moet worden ingesteld als de opportuniteit is gemaakt obv een lead
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,Selecteer wekelijkse vrije dag
DocType: Production Order Operation,Planned End Time,Geplande Eindtijd
,Sales Person Target Variance Item Group-Wise,Sales Person Doel Variance Post Group - Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Rekening met bestaande transactie kan niet worden geconverteerd naar grootboek
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Rekening met bestaande transactie kan niet worden geconverteerd naar grootboek
DocType: Delivery Note,Customer's Purchase Order No,Inkoopordernummer van Klant
DocType: Budget,Budget Against,budget Against
DocType: Employee,Cell Number,Mobiel nummer
@@ -783,15 +789,13 @@
DocType: Opportunity,Opportunity From,Opportuniteit Van
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Maandsalaris overzicht.
DocType: BOM,Website Specifications,Website Specificaties
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Gelieve op te stellen nummeringsreeks voor Attendance via Setup> Numbering Series
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Van {0} van type {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Rij {0}: Conversie Factor is verplicht
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Rij {0}: Conversie Factor is verplicht
DocType: Employee,A+,A+
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Meerdere Prijs Regels bestaat met dezelfde criteria, dan kunt u conflicten op te lossen door het toekennen van prioriteit. Prijs Regels: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,Kan stuklijst niet deactiveren of annuleren aangezien het is gelinkt met andere stuklijsten.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Meerdere Prijs Regels bestaat met dezelfde criteria, dan kunt u conflicten op te lossen door het toekennen van prioriteit. Prijs Regels: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Kan stuklijst niet deactiveren of annuleren aangezien het is gelinkt met andere stuklijsten.
DocType: Opportunity,Maintenance,Onderhoud
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Ontvangstbevestiging nummer vereist voor Artikel {0}
DocType: Item Attribute Value,Item Attribute Value,Item Atribuutwaarde
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Verkoop campagnes
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,maak Timesheet
@@ -843,29 +847,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Asset gesloopt via Journal Entry {0}
DocType: Employee Loan,Interest Income Account,Rentebaten Account
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Biotechnologie
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Gebouwen Onderhoudskosten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Gebouwen Onderhoudskosten
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Het opzetten van e-mailaccount
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Vul eerst artikel in
DocType: Account,Liability,Verplichting
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Gesanctioneerde bedrag kan niet groter zijn dan Claim Bedrag in Row {0}.
DocType: Company,Default Cost of Goods Sold Account,Standaard kosten van verkochte goederen Account
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Prijslijst niet geselecteerd
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Prijslijst niet geselecteerd
DocType: Employee,Family Background,Familie Achtergrond
DocType: Request for Quotation Supplier,Send Email,E-mail verzenden
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Waarschuwing: Invalid Attachment {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Waarschuwing: Invalid Attachment {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Geen toestemming
DocType: Company,Default Bank Account,Standaard bankrekening
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Om te filteren op basis van Party, selecteer Party Typ eerst"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'Bijwerken voorraad' kan niet worden aangevinkt omdat items niet worden geleverd via {0}
-DocType: Vehicle,Acquisition Date,aankoopdatum
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Nrs
+DocType: Vehicle,Acquisition Date,Aankoopdatum
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Nrs
DocType: Item,Items with higher weightage will be shown higher,Items met een hogere weightage hoger zal worden getoond
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bank Aflettering Detail
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Rij # {0}: Asset {1} moet worden ingediend
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Rij # {0}: Asset {1} moet worden ingediend
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Geen werknemer gevonden
DocType: Supplier Quotation,Stopped,Gestopt
DocType: Item,If subcontracted to a vendor,Als uitbesteed aan een leverancier
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Studentgroep is al bijgewerkt.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Studentgroep is al bijgewerkt.
DocType: SMS Center,All Customer Contact,Alle Customer Contact
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Upload voorraadsaldo via csv.
DocType: Warehouse,Tree Details,Tree Details
@@ -875,15 +879,15 @@
DocType: Item,Website Warehouse,Website Magazijn
DocType: Payment Reconciliation,Minimum Invoice Amount,Minimum Factuurbedrag
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: kostenplaats {2} behoort niet tot Company {3}
-apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Account {2} kan geen Group
+apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Account {2} kan geen Group zijn
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Item Row {IDX}: {doctype} {DocName} bestaat niet in bovenstaande '{} doctype' table
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Timesheet {0} is al voltooid of geannuleerd
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} is al voltooid of geannuleerd
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,geen taken
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","De dag van de maand waarop de automatische factuur zal bijvoorbeeld 05, 28 etc worden gegenereerd"
DocType: Asset,Opening Accumulated Depreciation,Het openen van de cumulatieve afschrijvingen
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Score moet lager dan of gelijk aan 5 zijn
DocType: Program Enrollment Tool,Program Enrollment Tool,Programma Inschrijving Tool
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,C -Form records
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C -Form records
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Klant en leverancier
DocType: Email Digest,Email Digest Settings,E-mail Digest Instellingen
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Bedankt voor uw zaken!
@@ -893,17 +897,19 @@
DocType: Bin,Moving Average Rate,Moving Average Rate
DocType: Production Planning Tool,Select Items,Selecteer Artikelen
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} tegen Factuur {1} gedateerd {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Voertuig- / busnummer
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Course Schedule
DocType: Maintenance Visit,Completion Status,Voltooiingsstatus
DocType: HR Settings,Enter retirement age in years,Voer de pensioengerechtigde leeftijd in jaren
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Doel Magazijn
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Selecteer een magazijn
DocType: Cheque Print Template,Starting location from left edge,Startlocatie van linkerrand
DocType: Item,Allow over delivery or receipt upto this percent,Laat dan levering of ontvangst upto deze procent
DocType: Stock Entry,STE-,STEREO
DocType: Upload Attendance,Import Attendance,Import Toeschouwers
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Alle Artikel Groepen
DocType: Process Payroll,Activity Log,Activiteitenlogboek
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Netto winst / verlies
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Netto winst / verlies
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Bericht automatisch samenstellen overlegging van transacties .
DocType: Production Order,Item To Manufacture,Artikel te produceren
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} status {2}
@@ -912,16 +918,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Aanschaffen om de betaling
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Verwachte Aantal
DocType: Sales Invoice,Payment Due Date,Betaling Vervaldatum
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Artikel Variant {0} bestaat al met dezelfde kenmerken
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Artikel Variant {0} bestaat al met dezelfde kenmerken
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','Opening'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Open To Do
DocType: Notification Control,Delivery Note Message,Vrachtbrief Bericht
DocType: Expense Claim,Expenses,Uitgaven
+,Support Hours,Ondersteuningstijden
DocType: Item Variant Attribute,Item Variant Attribute,Artikel Variant Kenmerk
,Purchase Receipt Trends,Ontvangstbevestiging Trends
DocType: Process Payroll,Bimonthly,Tweemaandelijks
DocType: Vehicle Service,Brake Pad,Brake Pad
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Research & Development
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Research & Development
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Neerkomen op Bill
DocType: Company,Registration Details,Registratie Details
DocType: Timesheet,Total Billed Amount,Totaal factuurbedrag
@@ -934,12 +941,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Alleen verkrijgen Grondstoffen
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Beoordeling van de prestaties.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Inschakelen "Gebruik voor Winkelwagen ', zoals Winkelwagen is ingeschakeld en er moet minstens één Tax Rule voor Winkelwagen zijn"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Betaling Entry {0} is verbonden met de Orde {1}, controleer dan of het als tevoren in deze factuur moet worden getrokken."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Betaling Entry {0} is verbonden met de Orde {1}, controleer dan of het als tevoren in deze factuur moet worden getrokken."
DocType: Sales Invoice Item,Stock Details,Voorraad Details
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Project Waarde
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Verkooppunt
DocType: Vehicle Log,Odometer Reading,kilometerstand
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Accountbalans reeds in Credit, 'Balans moet zijn' mag niet als 'Debet' worden ingesteld"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Accountbalans reeds in Credit, 'Balans moet zijn' mag niet als 'Debet' worden ingesteld"
DocType: Account,Balance must be,Saldo moet worden
DocType: Hub Settings,Publish Pricing,Publiceer Pricing
DocType: Notification Control,Expense Claim Rejected Message,Kostendeclaratie afgewezen Bericht
@@ -949,7 +956,7 @@
DocType: Salary Slip,Working Days,Werkdagen
DocType: Serial No,Incoming Rate,Inkomende Rate
DocType: Packing Slip,Gross Weight,Bruto Gewicht
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,De naam van uw bedrijf waar u het systeem voor op zet.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,De naam van uw bedrijf waar u het systeem voor op zet.
DocType: HR Settings,Include holidays in Total no. of Working Days,Feestdagen opnemen in totaal aantal werkdagen.
DocType: Job Applicant,Hold,Houden
DocType: Employee,Date of Joining,Datum van indiensttreding
@@ -960,20 +967,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Ontvangstbevestiging
,Received Items To Be Billed,Ontvangen artikelen nog te factureren
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Ingezonden loonbrieven
-DocType: Employee,Ms,Mevrouw
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Wisselkoers stam.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Referentie Doctype moet een van {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Wisselkoers stam.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referentie Doctype moet een van {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Kan Time Slot in de volgende {0} dagen voor Operatie vinden {1}
DocType: Production Order,Plan material for sub-assemblies,Plan materiaal voor onderdelen
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Sales Partners en Territory
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,Kan niet automatisch account aanmaken als er al voorraad saldo op de rekening. U moet een bijpassende account aan te maken voordat u een vermelding op dit magazijn kan maken
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,Stuklijst {0} moet actief zijn
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,Stuklijst {0} moet actief zijn
DocType: Journal Entry,Depreciation Entry,afschrijvingen Entry
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Selecteer eerst het documenttype
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Annuleren Materiaal Bezoeken {0} voor het annuleren van deze Maintenance Visit
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serienummer {0} behoort niet tot Artikel {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Benodigde hoeveelheid
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Warehouses met bestaande transactie kan niet worden geconverteerd naar grootboek.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Warehouses met bestaande transactie kan niet worden geconverteerd naar grootboek.
DocType: Bank Reconciliation,Total Amount,Totaal bedrag
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,internet Publishing
DocType: Production Planning Tool,Production Orders,Productieorders
@@ -988,25 +993,26 @@
DocType: Fee Structure,Components,Components
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Vul Asset Categorie op post {0}
DocType: Quality Inspection Reading,Reading 6,Meting 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Kan niet {0} {1} {2} zonder negatieve openstaande factuur
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Kan niet {0} {1} {2} zonder negatieve openstaande factuur
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Inkoopfactuur Voorschot
DocType: Hub Settings,Sync Now,Nu synchroniseren
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Rij {0}: kan creditering niet worden gekoppeld met een {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Definieer budget voor een boekjaar.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Definieer budget voor een boekjaar.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Standaard Kas-/Bankrekening wordt automatisch bijgewerkt in POS Factuur als deze modus is geselecteerd.
DocType: Lead,LEAD-,LOOD-
DocType: Employee,Permanent Address Is,Vast Adres is
DocType: Production Order Operation,Operation completed for how many finished goods?,Operatie afgerond voor hoeveel eindproducten?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,De Brand
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,De Brand
DocType: Employee,Exit Interview Details,Exit Gesprek Details
DocType: Item,Is Purchase Item,Is inkoopartikel
DocType: Asset,Purchase Invoice,Inkoopfactuur
DocType: Stock Ledger Entry,Voucher Detail No,Voucher Detail nr
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Nieuwe Sales Invoice
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Nieuwe Sales Invoice
DocType: Stock Entry,Total Outgoing Value,Totaal uitgaande waardeoverdrachten
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Openingsdatum en de uiterste datum moet binnen dezelfde fiscale jaar
DocType: Lead,Request for Information,Informatieaanvraag
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sync Offline Facturen
+,LeaderBoard,Scorebord
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Sync Offline Facturen
DocType: Payment Request,Paid,Betaald
DocType: Program Fee,Program Fee,programma Fee
DocType: Salary Slip,Total in words,Totaal in woorden
@@ -1015,13 +1021,13 @@
DocType: Cheque Print Template,Has Print Format,Heeft Print Format
DocType: Employee Loan,Sanctioned,Sanctioned
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,is verplicht. Misschien is dit Valuta record niet gemaakt voor
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Rij #{0}: Voer serienummer in voor artikel {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Voor 'Product Bundel' items, Warehouse, Serienummer en Batch Geen zal worden beschouwd van de 'Packing List' tafel. Als Warehouse en Batch Geen zijn hetzelfde voor alle verpakking items voor welke 'Product Bundle' punt, kunnen die waarden in de belangrijkste Item tafel worden ingevoerd, wordt waarden worden gekopieerd naar "Packing List 'tafel."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Rij #{0}: Voer serienummer in voor artikel {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Voor 'Product Bundel' items, Warehouse, Serienummer en Batch Geen zal worden beschouwd van de 'Packing List' tafel. Als Warehouse en Batch Geen zijn hetzelfde voor alle verpakking items voor welke 'Product Bundle' punt, kunnen die waarden in de belangrijkste Item tafel worden ingevoerd, wordt waarden worden gekopieerd naar "Packing List 'tafel."
DocType: Job Opening,Publish on website,Publiceren op de website
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Verzendingen naar klanten.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Leverancier Factuurdatum kan niet groter zijn dan Posting Date
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Leverancier Factuurdatum kan niet groter zijn dan Posting Date
DocType: Purchase Invoice Item,Purchase Order Item,Inkooporder Artikel
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Indirecte Inkomsten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Indirecte Inkomsten
DocType: Student Attendance Tool,Student Attendance Tool,Student Attendance Tool
DocType: Cheque Print Template,Date Settings,date Settings
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Variantie
@@ -1039,21 +1045,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Chemisch
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Default Bank / Cash account wordt automatisch bijgewerkt in Salaris Journal Entry als deze modus wordt geselecteerd.
DocType: BOM,Raw Material Cost(Company Currency),Grondstofkosten (Company Munt)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Alle items zijn al overgebracht voor deze productieorder.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Alle items zijn al overgebracht voor deze productieorder.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Rij # {0}: De tarief kan niet groter zijn dan de tarief die wordt gebruikt in {1} {2}
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Rij # {0}: De tarief kan niet groter zijn dan de tarief die wordt gebruikt in {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,Meter
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,Meter
DocType: Workstation,Electricity Cost,elektriciteitskosten
DocType: HR Settings,Don't send Employee Birthday Reminders,Stuur geen Werknemer verjaardagsherinneringen
DocType: Item,Inspection Criteria,Inspectie Criteria
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Overgebrachte
DocType: BOM Website Item,BOM Website Item,BOM Website Item
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Upload uw brief hoofd en logo. (Je kunt ze later bewerken).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Upload uw brief hoofd en logo. (Je kunt ze later bewerken).
DocType: Timesheet Detail,Bill,Bill
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Volgende Afschrijvingen Date wordt ingevoerd als datum in het verleden
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Wit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Wit
DocType: SMS Center,All Lead (Open),Alle Leads (Open)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rij {0}: Aantal niet beschikbaar voor {4} in het magazijn van {1} op het plaatsen van tijd van de invoer ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rij {0}: Aantal niet beschikbaar voor {4} in het magazijn van {1} op het plaatsen van tijd van de invoer ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Get betaalde voorschotten
DocType: Item,Automatically Create New Batch,Maak automatisch een nieuwe partij aan
DocType: Item,Automatically Create New Batch,Maak automatisch een nieuwe partij aan
@@ -1064,13 +1070,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Mijn winkelwagen
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Order Type moet één van {0} zijn
DocType: Lead,Next Contact Date,Volgende Contact Datum
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Opening Aantal
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,Vul Account for Change Bedrag
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Opening Aantal
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,Vul Account for Change Bedrag
DocType: Student Batch Name,Student Batch Name,Student batchnaam
DocType: Holiday List,Holiday List Name,Holiday Lijst Naam
-DocType: Repayment Schedule,Balance Loan Amount,Balance Leningen
+DocType: Repayment Schedule,Balance Loan Amount,Balans Leningsbedrag
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Schedule Course
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Aandelenopties
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Aandelenopties
DocType: Journal Entry Account,Expense Claim,Kostendeclaratie
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Wilt u deze schrapte activa echt herstellen?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Aantal voor {0}
@@ -1082,12 +1088,12 @@
DocType: Company,Default Terms,Default Voorwaarden
DocType: Packing Slip Item,Packing Slip Item,Pakbon Artikel
DocType: Purchase Invoice,Cash/Bank Account,Kas/Bankrekening
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Geef een {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Geef een {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Verwijderde items met geen verandering in de hoeveelheid of waarde.
DocType: Delivery Note,Delivery To,Leveren Aan
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Attributentabel is verplicht
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Attributentabel is verplicht
DocType: Production Planning Tool,Get Sales Orders,Get Verkooporders
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} kan niet negatief zijn
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} kan niet negatief zijn
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Korting
DocType: Asset,Total Number of Depreciations,Totaal aantal Afschrijvingen
DocType: Sales Invoice Item,Rate With Margin,Beoordeel met marges
@@ -1107,7 +1113,6 @@
DocType: Serial No,Creation Document No,Aanmaken Document nr
DocType: Issue,Issue,Kwestie
DocType: Asset,Scrapped,gesloopt
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Account komt niet overeen met het bedrijf
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Attributen voor post Varianten. zoals grootte, kleur etc."
DocType: Purchase Invoice,Returns,opbrengst
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP Warehouse
@@ -1119,12 +1124,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,Het punt moet worden toegevoegd met behulp van 'Get Items uit Aankoopfacturen' knop
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Omvatten niet-voorraadartikelen
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Verkoopkosten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Verkoopkosten
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Standard kopen
DocType: GL Entry,Against,Tegen
DocType: Item,Default Selling Cost Center,Standaard Verkoop kostenplaats
DocType: Sales Partner,Implementation Partner,Implementatie Partner
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Postcode
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Postcode
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Sales Order {0} is {1}
DocType: Opportunity,Contact Info,Contact Info
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Maken Stock Inzendingen
@@ -1137,32 +1142,32 @@
DocType: Holiday List,Get Weekly Off Dates,Ontvang wekelijkse Uit Data
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,Einddatum kan niet vroeger zijn dan startdatum
DocType: Sales Person,Select company name first.,Kies eerst een bedrijfsnaam.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Dr
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Offertes ontvangen van leveranciers.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Naar {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Gemiddelde Leeftijd
DocType: School Settings,Attendance Freeze Date,Bijwonen Vries Datum
DocType: School Settings,Attendance Freeze Date,Bijwonen Vries Datum
DocType: Opportunity,Your sales person who will contact the customer in future,Uw verkoper die in de toekomst contact zal opnemen met de klant.
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Lijst een paar van uw leveranciers . Ze kunnen organisaties of personen .
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Lijst een paar van uw leveranciers . Ze kunnen organisaties of personen .
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Bekijk alle producten
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimum leeftijd (dagen)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,alle stuklijsten
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,alle stuklijsten
DocType: Company,Default Currency,Standaard valuta
DocType: Expense Claim,From Employee,Van Medewerker
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Waarschuwing: Het systeem zal niet controleren overbilling sinds bedrag voor post {0} in {1} nul
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Waarschuwing: Het systeem zal niet controleren overbilling sinds bedrag voor post {0} in {1} nul
DocType: Journal Entry,Make Difference Entry,Maak Verschil Entry
DocType: Upload Attendance,Attendance From Date,Aanwezigheid Van Datum
DocType: Appraisal Template Goal,Key Performance Area,Key Performance Area
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Vervoer
+DocType: Program Enrollment,Transportation,Vervoer
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,ongeldige attribuut
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} moet worden ingediend
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} moet worden ingediend
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Hoeveelheid moet kleiner dan of gelijk aan {0}
DocType: SMS Center,Total Characters,Totaal Tekens
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Selecteer BOM in BOM veld voor post {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Selecteer BOM in BOM veld voor post {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Factuurspecificatie
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Afletteren Factuur
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Bijdrage %
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Conform de Aankoop Instellingen indien Aankoop Order Vereist == 'JA', dient de gebruiker eerst een Aankoop Order voor item {0} aan te maken om een Aankoop Factuur aan te kunnen maken"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Registratienummers van de onderneming voor uw referentie. Fiscale nummers, enz."
DocType: Sales Partner,Distributor,Distributeur
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Winkelwagen Verzenden Regel
@@ -1171,23 +1176,25 @@
,Ordered Items To Be Billed,Bestelde artikelen te factureren
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Van Range moet kleiner zijn dan om het bereik
DocType: Global Defaults,Global Defaults,Global Standaardwaarden
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Project Uitnodiging Collaboration
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Project Uitnodiging Collaboration
DocType: Salary Slip,Deductions,Inhoudingen
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Start Jaar
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},De eerste 2 cijfers van GSTIN moeten overeenkomen met staat nummer {0}
DocType: Purchase Invoice,Start date of current invoice's period,Begindatum van de huidige factuurperiode
DocType: Salary Slip,Leave Without Pay,Onbetaald verlof
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Capacity Planning Fout
,Trial Balance for Party,Trial Balance voor Party
DocType: Lead,Consultant,Consultant
DocType: Salary Slip,Earnings,Verdiensten
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Afgewerkte product {0} moet worden ingevoerd voor het type Productie binnenkomst
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Afgewerkte product {0} moet worden ingevoerd voor het type Productie binnenkomst
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Het openen van Accounting Balance
+,GST Sales Register,GST Sales Register
DocType: Sales Invoice Advance,Sales Invoice Advance,Verkoopfactuur Voorschot
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Niets aan te vragen
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Een andere Budget plaat '{0}' bestaat al tegen {1} {2} 'voor het fiscale jaar {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date','Werkelijke Startdatum' kan niet groter zijn dan 'Werkelijke Einddatum'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Beheer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Beheer
DocType: Cheque Print Template,Payer Settings,Payer Instellingen
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Dit zal worden toegevoegd aan de Code van het punt van de variant. Bijvoorbeeld, als je de afkorting is ""SM"", en de artikelcode is ""T-SHIRT"", de artikelcode van de variant zal worden ""T-SHIRT-SM"""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Nettoloon (in woorden) zal zichtbaar zijn zodra de Salarisstrook wordt opgeslagen.
@@ -1204,8 +1211,8 @@
DocType: Employee Loan,Partially Disbursed,gedeeltelijk uitbetaald
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Leverancierbestand
DocType: Account,Balance Sheet,Balans
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Kostenplaats Item met Item Code '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Betaling Mode is niet geconfigureerd. Controleer, of rekening is ingesteld op de wijze van betalingen of op POS Profile."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Kostenplaats Item met Item Code '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Betaling Mode is niet geconfigureerd. Controleer, of rekening is ingesteld op de wijze van betalingen of op POS Profile."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Uw verkoper krijgt een herinnering op deze datum om contact op te nemen met de klant
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Hetzelfde item kan niet meerdere keren worden ingevoerd.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Verdere accounts kan worden gemaakt onder groepen, maar items kunnen worden gemaakt tegen niet-Groepen"
@@ -1213,7 +1220,7 @@
DocType: Email Digest,Payables,Schulden
DocType: Course,Course Intro,cursus Intro
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Stock Entry {0} aangemaakt
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Rij # {0}: Afgekeurd Aantal niet in Purchase Return kunnen worden ingevoerd
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Rij # {0}: Afgekeurd Aantal niet in Purchase Return kunnen worden ingevoerd
,Purchase Order Items To Be Billed,Inkooporder Artikelen nog te factureren
DocType: Purchase Invoice Item,Net Rate,Net Rate
DocType: Purchase Invoice Item,Purchase Invoice Item,Inkoopfactuur Artikel
@@ -1240,7 +1247,7 @@
DocType: Sales Order,SO-,ZO-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Selecteer eerst een voorvoegsel
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,onderzoek
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,onderzoek
DocType: Maintenance Visit Purpose,Work Done,Afgerond Werk
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Gelieve ten minste één attribuut in de tabel attributen opgeven
DocType: Announcement,All Students,Alle studenten
@@ -1248,17 +1255,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Bekijk Grootboek
DocType: Grading Scale,Intervals,intervallen
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Vroegst
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Een artikel Group bestaat met dezelfde naam , moet u de naam van het item of de naam van de artikelgroep"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Student Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Rest van de Wereld
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Een artikel Group bestaat met dezelfde naam , moet u de naam van het item of de naam van de artikelgroep"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No.
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Rest van de Wereld
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,De Punt {0} kan niet Batch hebben
,Budget Variance Report,Budget Variantie Rapport
DocType: Salary Slip,Gross Pay,Brutoloon
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Rij {0}: Activiteit Type is verplicht.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Dividenden betaald
-apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Accounting Ledger
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Dividenden betaald
+apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Boekhoudboek
DocType: Stock Reconciliation,Difference Amount,Verschil Bedrag
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Ingehouden winsten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Ingehouden winsten
DocType: Vehicle Log,Service Detail,dienst Detail
DocType: BOM,Item Description,Artikelomschrijving
DocType: Student Sibling,Student Sibling,student Sibling
@@ -1273,11 +1280,11 @@
DocType: Opportunity Item,Opportunity Item,Opportuniteit artikel
,Student and Guardian Contact Details,Student and Guardian Contactgegevens
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Rij {0}: Voor leveranciers {0} e-mailadres is vereist om e-mail te sturen
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Tijdelijke Opening
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Tijdelijke Opening
,Employee Leave Balance,Werknemer Verlof Balans
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Saldo van rekening {0} moet altijd {1} zijn
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Valuation Rate vereist voor post in rij {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Voorbeeld: Masters in Computer Science
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Voorbeeld: Masters in Computer Science
DocType: Purchase Invoice,Rejected Warehouse,Afgewezen Magazijn
DocType: GL Entry,Against Voucher,Tegen Voucher
DocType: Item,Default Buying Cost Center,Standaard Inkoop kostenplaats
@@ -1290,31 +1297,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Get openstaande facturen
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Verkooporder {0} is niet geldig
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Inkooporders helpen bij het plannen en opvolgen van uw aankopen
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Sorry , bedrijven kunnen niet worden samengevoegd"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Sorry , bedrijven kunnen niet worden samengevoegd"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",De totale Issue / Transfer hoeveelheid {0} in Materiaal Request {1} \ kan niet groter zijn dan de gevraagde hoeveelheid {2} voor post zijn {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Klein
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Klein
DocType: Employee,Employee Number,Werknemer Nummer
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Zaak nr. ( s ) al in gebruik. Probeer uit Zaak nr. {0}
DocType: Project,% Completed,% Voltooid
,Invoiced Amount (Exculsive Tax),Factuurbedrag (excl BTW)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Punt 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Hoofdrekening {0} aangemaakt
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,training Event
DocType: Item,Auto re-order,Auto re-order
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Totaal Bereikt
DocType: Employee,Place of Issue,Plaats van uitgifte
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Contract
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Contract
DocType: Email Digest,Add Quote,Quote voegen
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},Eenheid Omrekeningsfactor is nodig voor eenheid: {0} in Artikel: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Indirecte Kosten
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Eenheid Omrekeningsfactor is nodig voor eenheid: {0} in Artikel: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Indirecte Kosten
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Rij {0}: Aantal is verplicht
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,landbouw
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sync Master Data
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Uw producten of diensten
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Uw producten of diensten
DocType: Mode of Payment,Mode of Payment,Wijze van betaling
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Website Afbeelding moet een openbaar bestand of website URL zijn
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Website Afbeelding moet een openbaar bestand of website URL zijn
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Dit is een basis artikelgroep en kan niet worden bewerkt .
@@ -1323,7 +1329,7 @@
DocType: Warehouse,Warehouse Contact Info,Magazijn Contact Info
DocType: Payment Entry,Write Off Difference Amount,Schrijf Off Verschil Bedrag
DocType: Purchase Invoice,Recurring Type,Terugkerende Type
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: Employee e-mail niet gevonden, dus geen e-mail verzonden"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: Employee e-mail niet gevonden, dus geen e-mail verzonden"
DocType: Item,Foreign Trade Details,Buitenlandse Handel Details
DocType: Email Digest,Annual Income,Jaarlijks inkomen
DocType: Serial No,Serial No Details,Serienummer Details
@@ -1331,10 +1337,10 @@
DocType: Student Group Student,Group Roll Number,Groepsrolnummer
DocType: Student Group Student,Group Roll Number,Groepsrolnummer
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Voor {0}, kan alleen credit accounts worden gekoppeld tegen een andere debetboeking"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Totaal van alle taak gewichten moeten 1. Pas gewichten van alle Project taken dienovereenkomstig
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Vrachtbrief {0} is niet ingediend
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Artikel {0} moet een uitbesteed artikel zijn
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Kapitaalgoederen
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Totaal van alle taak gewichten moeten 1. Pas gewichten van alle Project taken dienovereenkomstig
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Vrachtbrief {0} is niet ingediend
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Artikel {0} moet een uitbesteed artikel zijn
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Kapitaalgoederen
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Prijsbepalingsregel wordt eerst geselecteerd op basis van 'Toepassen op' veld, dat kan zijn artikel, artikelgroep of merk."
DocType: Hub Settings,Seller Website,Verkoper Website
DocType: Item,ITEM-,ITEM-
@@ -1352,7 +1358,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Er kan maar één Verzendregel Voorwaarde met 0 of blanco waarde zijn voor ""To Value """
DocType: Authorization Rule,Transaction,Transactie
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Opmerking: Deze kostenplaats is een groep. Kan geen boekingen aanmaken voor groepen.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,Child magazijn bestaat voor dit magazijn. U kunt dit magazijn niet verwijderen.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Child magazijn bestaat voor dit magazijn. U kunt dit magazijn niet verwijderen.
DocType: Item,Website Item Groups,Website Artikelgroepen
DocType: Purchase Invoice,Total (Company Currency),Totaal (Company valuta)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Serienummer {0} meer dan eens ingevoerd
@@ -1362,7 +1368,7 @@
DocType: Grading Scale Interval,Grade Code,Grade Code
DocType: POS Item Group,POS Item Group,POS Item Group
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-mail Digest:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},Stuklijst {0} behoort niet tot Artikel {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},Stuklijst {0} behoort niet tot Artikel {1}
DocType: Sales Partner,Target Distribution,Doel Distributie
DocType: Salary Slip,Bank Account No.,Bankrekeningnummer
DocType: Naming Series,This is the number of the last created transaction with this prefix,Dit is het nummer van de laatst gemaakte transactie met dit voorvoegsel
@@ -1372,12 +1378,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Automatische afschrijving van de activa van de boekwaarde
DocType: BOM Operation,Workstation,Werkstation
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Offerte Supplier
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,hardware
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,hardware
DocType: Sales Order,Recurring Upto,terugkerende Tot
DocType: Attendance,HR Manager,HR Manager
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Selecteer aub een andere vennootschap
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Bijzonder Verlof
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Selecteer aub een andere vennootschap
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Bijzonder Verlof
DocType: Purchase Invoice,Supplier Invoice Date,Factuurdatum Leverancier
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,per
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,U moet Winkelwagen activeren.
DocType: Payment Entry,Writeoff,Afschrijven
DocType: Appraisal Template Goal,Appraisal Template Goal,Beoordeling Sjabloon Doel
@@ -1388,10 +1395,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Overlappende voorwaarden gevonden tussen :
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Tegen Journal Entry {0} is al aangepast tegen enkele andere voucher
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Totale orderwaarde
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Voeding
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Voeding
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Vergrijzing Range 3
DocType: Maintenance Schedule Item,No of Visits,Aantal bezoeken
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Mark presentielijst
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Mark presentielijst
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Onderhoudsplan {0} bestaat tegen {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,student die zich inschrijft
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Valuta van de Closing rekening moet worden {0}
@@ -1405,6 +1412,7 @@
DocType: Rename Tool,Utilities,Utilities
DocType: Purchase Invoice Item,Accounting,Boekhouding
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Selecteer batches voor batched item
DocType: Asset,Depreciation Schedules,afschrijvingen Roosters
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Aanvraagperiode kan buiten verlof toewijzingsperiode niet
DocType: Activity Cost,Projects,Projecten
@@ -1418,6 +1426,7 @@
DocType: POS Profile,Campaign,Campagne
DocType: Supplier,Name and Type,Naam en Type
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Goedkeuring Status moet worden ' goedgekeurd ' of ' Afgewezen '
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,bootstrap
DocType: Purchase Invoice,Contact Person,Contactpersoon
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Verwacht Startdatum' kan niet groter zijn dan 'Verwachte Einddatum'
DocType: Course Scheduling Tool,Course End Date,Cursus Einddatum
@@ -1425,12 +1434,11 @@
DocType: Sales Order Item,Planned Quantity,Gepland Aantal
DocType: Purchase Invoice Item,Item Tax Amount,Artikel BTW-bedrag
DocType: Item,Maintain Stock,Handhaaf Stock
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Stock Entries al gemaakt voor de productieorder
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Stock Entries al gemaakt voor de productieorder
DocType: Employee,Prefered Email,Prefered Email
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Netto wijziging in vaste activa
DocType: Leave Control Panel,Leave blank if considered for all designations,Laat leeg indien overwogen voor alle aanduidingen
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Warehouse is verplicht voor niet-groep Accounts van het type Stock
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge van het type ' Actual ' in rij {0} kan niet worden opgenomen in Item Rate
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge van het type ' Actual ' in rij {0} kan niet worden opgenomen in Item Rate
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Van Datetime
DocType: Email Digest,For Company,Voor Bedrijf
@@ -1440,15 +1448,15 @@
DocType: Sales Invoice,Shipping Address Name,Verzenden Adres Naam
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Rekeningschema
DocType: Material Request,Terms and Conditions Content,Algemene Voorwaarden Inhoud
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,mag niet groter zijn dan 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Artikel {0} is geen voorraadartikel
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,mag niet groter zijn dan 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Artikel {0} is geen voorraadartikel
DocType: Maintenance Visit,Unscheduled,Ongeplande
DocType: Employee,Owned,Eigendom
DocType: Salary Detail,Depends on Leave Without Pay,Afhankelijk van onbetaald verlof
DocType: Pricing Rule,"Higher the number, higher the priority","Hoe hoger het getal, hoe hoger de prioriteit"
,Purchase Invoice Trends,Inkoopfactuur Trends
DocType: Employee,Better Prospects,Betere vooruitzichten
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Rij # {0}: De partij {1} heeft slechts {2} aantal. Selecteer alstublieft een andere partij die {3} beschikbaar heeft of verdeel de rij in meerdere rijen, om te leveren / uit te voeren vanuit meerdere batches"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Rij # {0}: De partij {1} heeft slechts {2} aantal. Selecteer alstublieft een andere partij die {3} beschikbaar heeft of verdeel de rij in meerdere rijen, om te leveren / uit te voeren vanuit meerdere batches"
DocType: Vehicle,License Plate,Nummerplaat
DocType: Appraisal,Goals,Doelen
DocType: Warranty Claim,Warranty / AMC Status,Garantie / AMC Status
@@ -1459,7 +1467,8 @@
,Batch-Wise Balance History,Batchgewijze balansgeschiedenis
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Print instellingen bijgewerkt in de respectievelijke gedrukte vorm
DocType: Package Code,Package Code,Package Code
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,leerling
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,leerling
+DocType: Purchase Invoice,Company GSTIN,Bedrijf GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Negatieve Hoeveelheid is niet toegestaan
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","Belasting detail tafel haalden van post meester als een string en opgeslagen in dit gebied.
@@ -1467,13 +1476,13 @@
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Werknemer kan niet rapporteren aan zichzelf.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Als de rekening is bevroren, kunnen boekingen alleen door daartoe bevoegde gebruikers gedaan worden."
DocType: Email Digest,Bank Balance,Banksaldo
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Post voor {0}: {1} kan alleen worden gedaan in valuta: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Rekening ingave voor {0}: {1} kan alleen worden gedaan in valuta: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Functieprofiel, benodigde kwalificaties enz."
DocType: Journal Entry Account,Account Balance,Rekeningbalans
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Fiscale Regel voor transacties.
DocType: Rename Tool,Type of document to rename.,Type document te hernoemen.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,We kopen dit artikel
-apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: de klant is vereist tegen Vordering account {2}
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,We kopen dit artikel
+apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: een klant is vereist voor Te Ontvangen rekening {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Totaal belastingen en toeslagen (Bedrijfsvaluta)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Toon ongesloten fiscale jaar P & L saldi
DocType: Shipping Rule,Shipping Account,Verzending Rekening
@@ -1483,29 +1492,30 @@
DocType: Stock Entry,Total Additional Costs,Totaal Bijkomende kosten
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Scrap Materiaal Kosten (Company Munt)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Uitbesteed werk
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Uitbesteed werk
DocType: Asset,Asset Name,Asset Naam
DocType: Project,Task Weight,Task Weight
DocType: Shipping Rule Condition,To Value,Tot Waarde
DocType: Asset Movement,Stock Manager,Stock Manager
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Bron magazijn is verplicht voor rij {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Pakbon
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Kantoorhuur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Bron magazijn is verplicht voor rij {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Pakbon
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Kantoorhuur
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Instellingen SMS gateway
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Importeren mislukt!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Nog geen adres toegevoegd.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Nog geen adres toegevoegd.
DocType: Workstation Working Hour,Workstation Working Hour,Werkstation Werkuur
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,analist
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,analist
DocType: Item,Inventory,Voorraad
DocType: Item,Sales Details,Verkoop Details
DocType: Quality Inspection,QI-,Qi-
DocType: Opportunity,With Items,Met Items
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,in Aantal
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,in Aantal
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Valideer ingeschreven cursus voor studenten in de studentengroep
DocType: Notification Control,Expense Claim Rejected,Kostendeclaratie afgewezen
DocType: Item,Item Attribute,Item Attribute
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Overheid
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Overheid
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Declaratie {0} bestaat al voor de Vehicle Log
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,naam van het instituut
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,naam van het instituut
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,Vul hier terug te betalen bedrag
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Item Varianten
DocType: Company,Services,Services
@@ -1515,18 +1525,18 @@
DocType: Sales Invoice,Source,Bron
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Toon gesloten
DocType: Leave Type,Is Leave Without Pay,Is onbetaald verlof
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Asset Categorie is verplicht voor post der vaste activa
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset Categorie is verplicht voor post der vaste activa
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Geen records gevonden in de betaling tabel
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Deze {0} in strijd is met {1} voor {2} {3}
DocType: Student Attendance Tool,Students HTML,studenten HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Boekjaar Startdatum
DocType: POS Profile,Apply Discount,Solliciteer Discount
+DocType: Purchase Invoice Item,GST HSN Code,GST HSN-code
DocType: Employee External Work History,Total Experience,Total Experience
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Open Projects
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Pakbon(nen) geannuleerd
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,De cashflow uit investeringsactiviteiten
DocType: Program Course,Program Course,programma Course
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Vracht-en verzendkosten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Vracht-en verzendkosten
DocType: Homepage,Company Tagline for website homepage,Company Tag voor website homepage
DocType: Item Group,Item Group Name,Artikel groepsnaam
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Ingenomen
@@ -1536,6 +1546,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Maak Leads
DocType: Maintenance Schedule,Schedules,Schema
DocType: Purchase Invoice Item,Net Amount,Netto Bedrag
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} is niet ingediend dus de actie kan niet voltooid worden
DocType: Purchase Order Item Supplied,BOM Detail No,Stuklijst Detail nr.
DocType: Landed Cost Voucher,Additional Charges,Extra kosten
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Extra korting Bedrag (Company valuta)
@@ -1551,6 +1562,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Maandelijks te betalen bedrag
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,Stel User ID veld in een Werknemer record Werknemer Rol stellen
DocType: UOM,UOM Name,Eenheid Naam
+DocType: GST HSN Code,HSN Code,HSN-code
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Bijdrage hoeveelheid
DocType: Purchase Invoice,Shipping Address,Verzendadres
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Deze tool helpt u om te werken of te repareren de hoeveelheid en de waardering van de voorraad in het systeem. Het wordt meestal gebruikt om het systeem waarden en wat in uw magazijnen werkelijk bestaat synchroniseren.
@@ -1561,18 +1573,17 @@
DocType: Program Enrollment Tool,Program Enrollments,programma Inschrijvingen
DocType: Sales Invoice Item,Brand Name,Merknaam
DocType: Purchase Receipt,Transporter Details,Transporter Details
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Standaard magazijn is nodig voor geselecteerde punt
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Doos
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Standaard magazijn is nodig voor geselecteerde punt
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Doos
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,mogelijke Leverancier
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,De Organisatie
DocType: Budget,Monthly Distribution,Maandelijkse Verdeling
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Ontvanger Lijst is leeg. Maak Ontvanger Lijst
DocType: Production Plan Sales Order,Production Plan Sales Order,Productie Plan Verkooporder
DocType: Sales Partner,Sales Partner Target,Verkoop Partner Doel
DocType: Loan Type,Maximum Loan Amount,Maximum Leningen
DocType: Pricing Rule,Pricing Rule,Prijsbepalingsregel
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Dubbele rolnummer voor student {0}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Dubbele rolnummer voor student {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Dubbele rolnummer voor student {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Dubbele rolnummer voor student {0}
DocType: Budget,Action if Annual Budget Exceeded,Actie als jaarlijkse begroting overschreden
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Materiaal aanvragen tot Purchase Order
DocType: Shopping Cart Settings,Payment Success URL,Betaling Succes URL
@@ -1585,11 +1596,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Het openen Stock Balance
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} mag slechts eenmaal voorkomen
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Niet toegestaan om meer tranfer {0} dan {1} tegen Purchase Order {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Niet toegestaan om meer tranfer {0} dan {1} tegen Purchase Order {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Verlof succesvol toegewezen aan {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Geen Artikelen om te verpakken
DocType: Shipping Rule Condition,From Value,Van Waarde
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Productie Aantal is verplicht
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Productie Aantal is verplicht
DocType: Employee Loan,Repayment Method,terugbetaling Method
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Indien aangevinkt, zal de startpagina de standaard Item Group voor de website"
DocType: Quality Inspection Reading,Reading 4,Meting 4
@@ -1599,7 +1610,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Rij # {0}: Clearance date {1} kan niet vóór Cheque Date {2}
DocType: Company,Default Holiday List,Standaard Vakantiedagen Lijst
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Rij {0}: Van tijd en de tijd van de {1} overlapt met {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Voorraad Verplichtingen
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Voorraad Verplichtingen
DocType: Purchase Invoice,Supplier Warehouse,Leverancier Magazijn
DocType: Opportunity,Contact Mobile No,Contact Mobiele nummer
,Material Requests for which Supplier Quotations are not created,Materiaal Aanvragen waarvoor Leverancier Offertes niet zijn gemaakt
@@ -1610,35 +1621,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Maak Offerte
apps/erpnext/erpnext/config/selling.py +216,Other Reports,andere rapporten
DocType: Dependent Task,Dependent Task,Afhankelijke taak
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Conversiefactor voor Standaard meeteenheid moet 1 zijn in rij {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Conversiefactor voor Standaard meeteenheid moet 1 zijn in rij {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Verlof van type {0} kan niet langer zijn dan {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Probeer plan operaties voor X dagen van tevoren.
DocType: HR Settings,Stop Birthday Reminders,Stop verjaardagsherinneringen
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Stel Default Payroll Payable account in Company {0}
DocType: SMS Center,Receiver List,Ontvanger Lijst
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Zoekitem
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Zoekitem
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Verbruikte hoeveelheid
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Netto wijziging in cash
DocType: Assessment Plan,Grading Scale,Grading Scale
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Eenheid {0} is meer dan eens ingevoerd in Conversie Factor Tabel
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Eenheid {0} is meer dan eens ingevoerd in Conversie Factor Tabel
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,Reeds voltooid
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Voorraad in de hand
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Betalingsverzoek bestaat al {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Kosten van Items Afgegeven
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Hoeveelheid mag niet meer zijn dan {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Vorig boekjaar is niet gesloten
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Leeftijd (dagen)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Leeftijd (dagen)
DocType: Quotation Item,Quotation Item,Offerte Artikel
+DocType: Customer,Customer POS Id,Klant POS-id
DocType: Account,Account Name,Rekening Naam
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Vanaf de datum kan niet groter zijn dan tot nu toe
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serienummer {0} hoeveelheid {1} moet een geheel getal zijn
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Leverancier Type stam.
DocType: Purchase Order Item,Supplier Part Number,Leverancier Onderdeelnummer
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Succespercentage kan niet 0 of 1 zijn
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Succespercentage kan niet 0 of 1 zijn
DocType: Sales Invoice,Reference Document,Referentie document
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} is geannuleerd of gestopt
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} is geannuleerd of gestopt
DocType: Accounts Settings,Credit Controller,Credit Controller
DocType: Delivery Note,Vehicle Dispatch Date,Voertuig Vertrekdatum
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Ontvangstbevestiging {0} is niet ingediend
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Ontvangstbevestiging {0} is niet ingediend
DocType: Company,Default Payable Account,Standaard Payable Account
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Instellingen voor online winkelwagentje zoals scheepvaart regels, prijslijst enz."
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% gefactureerd
@@ -1657,11 +1670,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Totaal bedrag terug!
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Dit is gebaseerd op stammen tegen dit voertuig. Zie tijdlijn hieronder voor meer informatie
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,Verzamelen
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Tegen Leverancier Factuur {0} gedateerd {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Tegen Leverancier Factuur {0} gedateerd {1}
DocType: Customer,Default Price List,Standaard Prijslijst
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Asset bewegingsartikel {0} aangemaakt
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Je kunt niet verwijderen boekjaar {0}. Boekjaar {0} is ingesteld als standaard in Global Settings
DocType: Journal Entry,Entry Type,Entry Type
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Geen beoordelingsplan gekoppeld aan deze beoordelingsgroep
,Customer Credit Balance,Klant Kredietsaldo
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Netto wijziging in Accounts Payable
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Klant nodig voor 'Klantgebaseerde Korting'
@@ -1670,7 +1684,7 @@
DocType: Quotation,Term Details,Voorwaarde Details
DocType: Project,Total Sales Cost (via Sales Order),Totale verkoopskosten (via verkooporder)
DocType: Project,Total Sales Cost (via Sales Order),Totale verkoopskosten (via verkooporder)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Kan niet meer dan {0} studenten voor deze groep studenten inschrijven.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Kan niet meer dan {0} studenten voor deze groep studenten inschrijven.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Loodtelling
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Loodtelling
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} moet groter zijn dan 0
@@ -1693,7 +1707,7 @@
DocType: Sales Invoice,Packed Items,Verpakt Items
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garantie Claim tegen Serienummer
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Vervang een bepaalde BOM alle andere BOM waar het wordt gebruikt. Het zal de oude BOM koppeling te vervangen, kosten bij te werken en te regenereren ""BOM Explosie Item"" tabel als per nieuwe BOM"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Totaal'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Totaal'
DocType: Shopping Cart Settings,Enable Shopping Cart,Inschakelen Winkelwagen
DocType: Employee,Permanent Address,Vast Adres
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1709,9 +1723,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,Specificeer ofwel Hoeveelheid of Waarderingstarief of beide
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,Vervulling
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Bekijk in winkelwagen
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Marketingkosten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Marketingkosten
,Item Shortage Report,Artikel Tekort Rapport
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Het gewicht wordt vermeld, \n Vermeld ""Gewicht UOM"" te"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Het gewicht wordt vermeld, \n Vermeld ""Gewicht UOM"" te"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Materiaal Aanvraag is gebruikt om deze Voorraad Entry te maken
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Volgende Afschrijvingen Date is verplicht voor nieuwe aanwinst
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Afzonderlijke cursusgroep voor elke partij
@@ -1721,17 +1735,18 @@
,Student Fee Collection,Student Fee Collection
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Maak boekhoudkundige afschrijving voor elke Stock Movement
DocType: Leave Allocation,Total Leaves Allocated,Totaal Verlofdagen Toegewezen
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Warehouse vereist bij Row Geen {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Voer geldige boekjaar begin- en einddatum
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Warehouse vereist bij Row Geen {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Voer geldige boekjaar begin- en einddatum
DocType: Employee,Date Of Retirement,Pensioneringsdatum
DocType: Upload Attendance,Get Template,Get Sjabloon
+DocType: Material Request,Transferred,overgedragen
DocType: Vehicle,Doors,deuren
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext Setup is voltooid!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup is voltooid!
DocType: Course Assessment Criteria,Weightage,Weging
DocType: Packing Slip,PS-,PS-
-apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: kostenplaats is nodig voor 'Winst- en verliesrekening' account {2}. Gelieve het opzetten van een standaard kostenplaats voor de onderneming.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Een Klantgroep met dezelfde naam bestaat. Gelieve de naam van de Klant of de Klantgroep wijzigen
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Nieuw contact
+apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: kostenplaats is nodig voor 'Winst- en verliesrekening' account {2}. Gelieve een standaard kostenplaats voor de onderneming op te zetten.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Een Klantgroep met dezelfde naam bestaat. Gelieve de naam van de Klant of de Klantgroep wijzigen
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Nieuw contact
DocType: Territory,Parent Territory,Bovenliggende Regio
DocType: Quality Inspection Reading,Reading 2,Meting 2
DocType: Stock Entry,Material Receipt,Materiaal ontvangst
@@ -1740,17 +1755,16 @@
DocType: Employee,AB+,AB+
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Als dit item heeft varianten, dan kan het niet worden geselecteerd in verkooporders etc."
DocType: Lead,Next Contact By,Volgende Contact Door
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Benodigde hoeveelheid voor item {0} in rij {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},Magazijn {0} kan niet worden verwijderd als er voorraad is voor artikel {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Benodigde hoeveelheid voor item {0} in rij {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Magazijn {0} kan niet worden verwijderd als er voorraad is voor artikel {1}
DocType: Quotation,Order Type,Order Type
DocType: Purchase Invoice,Notification Email Address,Notificatie e-mailadres
,Item-wise Sales Register,Artikelgebaseerde Verkoop Register
DocType: Asset,Gross Purchase Amount,Gross Aankoopbedrag
DocType: Asset,Depreciation Method,afschrijvingsmethode
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,offline
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,offline
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Is dit inbegrepen in de Basic Rate?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Totaal Doel
-DocType: Program Course,Required,nodig
DocType: Job Applicant,Applicant for a Job,Aanvrager van een baan
DocType: Production Plan Material Request,Production Plan Material Request,Productie Plan Materiaal aanvragen
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Geen productieorders aangemaakt
@@ -1760,17 +1774,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Kunnen meerdere verkooporders tegen een klant bestelling
DocType: Student Group Instructor,Student Group Instructor,Student Groep Instructeur
DocType: Student Group Instructor,Student Group Instructor,Student Groep Instructeur
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 Mobile No
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Hoofd
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile No
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Hoofd
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variant
DocType: Naming Series,Set prefix for numbering series on your transactions,Instellen voorvoegsel voor nummerreeksen voor uw transacties
DocType: Employee Attendance Tool,Employees HTML,medewerkers HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Default BOM ({0}) moet actief voor dit artikel of zijn template
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Default BOM ({0}) moet actief voor dit artikel of zijn template
DocType: Employee,Leave Encashed?,Verlof verzilverd?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,"""Opportuniteit Van"" veld is verplicht"
DocType: Email Digest,Annual Expenses,jaarlijkse kosten
DocType: Item,Variants,Varianten
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Maak inkooporder
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Maak inkooporder
DocType: SMS Center,Send To,Verzenden naar
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Er is niet genoeg verlofsaldo voor Verlof type {0}
DocType: Payment Reconciliation Payment,Allocated amount,Toegewezen bedrag
@@ -1786,26 +1800,25 @@
DocType: Item,Serial Nos and Batches,Serienummers en batches
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Studentengroep Sterkte
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Studentengroep Sterkte
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Tegen Journal Entry {0} heeft geen ongeëvenaarde {1} binnenkomst hebben
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Tegen Journal Entry {0} heeft geen ongeëvenaarde {1} binnenkomst hebben
apps/erpnext/erpnext/config/hr.py +137,Appraisals,taxaties
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Dubbel Serienummer ingevoerd voor Artikel {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Een voorwaarde voor een Verzendregel
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Kom binnen alstublieft
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Kan niet overbill voor post {0} in rij {1} meer dan {2}. Om over-facturering mogelijk te maken, stelt u in het kopen van Instellingen"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Stel filter op basis van artikel of Warehouse
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Kan niet overbill voor post {0} in rij {1} meer dan {2}. Om over-facturering mogelijk te maken, stelt u in het kopen van Instellingen"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Stel filter op basis van artikel of Warehouse
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Het nettogewicht van dit pakket. (Wordt automatisch berekend als de som van de netto-gewicht van de artikelen)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Maak een account aan voor deze Warehouse en koppelen. Dit kan niet automatisch worden gedaan als een account met de naam {0} bestaat al
DocType: Sales Order,To Deliver and Bill,Te leveren en Bill
DocType: Student Group,Instructors,instructeurs
DocType: GL Entry,Credit Amount in Account Currency,Credit Bedrag in account Valuta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,Stuklijst {0} moet worden ingediend
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,Stuklijst {0} moet worden ingediend
DocType: Authorization Control,Authorization Control,Autorisatie controle
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Rij # {0}: Afgekeurd Warehouse is verplicht tegen verworpen Item {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Rij # {0}: Afgekeurd Warehouse is verplicht tegen verworpen Item {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Betaling
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Magazijn {0} is niet gekoppeld aan een account, vermeld alstublieft het account in het magazijnrecord of stel de standaard inventaris rekening in bedrijf {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Beheer uw bestellingen
DocType: Production Order Operation,Actual Time and Cost,Werkelijke Tijd en kosten
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materiaal Aanvraag van maximaal {0} kan worden gemaakt voor Artikel {1} tegen Verkooporder {2}
-DocType: Employee,Salutation,Aanhef
DocType: Course,Course Abbreviation,cursus Afkorting
DocType: Student Leave Application,Student Leave Application,Student verlofaanvraag
DocType: Item,Will also apply for variants,Geldt ook voor varianten
@@ -1817,12 +1830,12 @@
DocType: Quotation Item,Actual Qty,Werkelijk aantal
DocType: Sales Invoice Item,References,Referenties
DocType: Quality Inspection Reading,Reading 10,Meting 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",Een lijst van uw producten of diensten die u koopt of verkoopt .
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",Een lijst van uw producten of diensten die u koopt of verkoopt .
DocType: Hub Settings,Hub Node,Hub Node
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,U hebt dubbele artikelen ingevoerd. Aub aanpassen en opnieuw proberen.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,associëren
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,associëren
DocType: Asset Movement,Asset Movement,Asset Movement
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,nieuwe winkelwagen
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,nieuwe winkelwagen
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Artikel {0} is geen seriegebonden artikel
DocType: SMS Center,Create Receiver List,Maak Ontvanger Lijst
DocType: Vehicle,Wheels,Wheels
@@ -1842,19 +1855,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Kan de rij enkel verwijzen bij het aanrekeningstype 'Hoeveelheid vorige rij' of 'Totaal vorige rij'
DocType: Sales Order Item,Delivery Warehouse,Levering magazijn
DocType: SMS Settings,Message Parameter,Bericht Parameter
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Boom van de financiële Cost Centers.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Boom van de financiële Cost Centers.
DocType: Serial No,Delivery Document No,Leveringsdocument nr.
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Stel 'winst / verliesrekening op de verkoop van activa in Company {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Krijg items uit Aankoopfacturen
DocType: Serial No,Creation Date,Aanmaakdatum
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Artikel {0} verschijnt meerdere keren in prijslijst {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Verkoop moet zijn aangevinkt, indien ""Van toepassing voor"" is geselecteerd als {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Verkoop moet zijn aangevinkt, indien ""Van toepassing voor"" is geselecteerd als {0}"
DocType: Production Plan Material Request,Material Request Date,Materiaal Aanvraagdatum
DocType: Purchase Order Item,Supplier Quotation Item,Leverancier Offerte Artikel
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Schakelt creatie uit van tijdlogs tegen productieorders. Operaties worden niet bijgehouden tegen productieorder
DocType: Student,Student Mobile Number,Student Mobile Number
DocType: Item,Has Variants,Heeft Varianten
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},U heeft reeds geselecteerde items uit {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},U heeft reeds geselecteerde items uit {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Naam van de verdeling per maand
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Batch ID is verplicht
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Batch ID is verplicht
@@ -1865,12 +1878,12 @@
DocType: Budget,Fiscal Year,Boekjaar
DocType: Vehicle Log,Fuel Price,Fuel Price
DocType: Budget,Budget,Begroting
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Fixed Asset punt moet een niet-voorraad artikel zijn.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Fixed Asset punt moet een niet-voorraad artikel zijn.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budget kan niet worden toegewezen tegen {0}, want het is geen baten of lasten rekening"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Bereikt
DocType: Student Admission,Application Form Route,Aanvraagformulier Route
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Regio / Klantenservice
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,bijv. 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,bijv. 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Laat Type {0} kan niet worden toegewezen omdat het te verlaten zonder te betalen
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Rij {0}: Toegewezen bedrag {1} moet kleiner zijn dan of gelijk aan openstaande bedrag te factureren {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,In Woorden zijn zichtbaar zodra u de Verkoopfactuur opslaat.
@@ -1879,7 +1892,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Artikel {0} is niet ingesteld voor serienummers. Controleer Artikelstam
DocType: Maintenance Visit,Maintenance Time,Onderhoud Tijd
,Amount to Deliver,Bedrag te leveren
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Een product of dienst
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Een product of dienst
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,De Term Start datum kan niet eerder dan het jaar startdatum van het studiejaar waarop de term wordt gekoppeld zijn (Academisch Jaar {}). Corrigeer de data en probeer het opnieuw.
DocType: Guardian,Guardian Interests,Guardian Interesses
DocType: Naming Series,Current Value,Huidige waarde
@@ -1894,12 +1907,12 @@
groter dan of gelijk aan {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Dit is gebaseerd op voorraad beweging. Zie {0} voor meer informatie
DocType: Pricing Rule,Selling,Verkoop
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Bedrag {0} {1} in mindering gebracht tegen {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Bedrag {0} {1} in mindering gebracht tegen {2}
DocType: Employee,Salary Information,Salaris Informatie
DocType: Sales Person,Name and Employee ID,Naam en Werknemer ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,Vervaldatum mag niet voor de boekingsdatum zijn
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,Vervaldatum mag niet voor de boekingsdatum zijn
DocType: Website Item Group,Website Item Group,Website Artikel Groep
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Invoerrechten en Belastingen
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Invoerrechten en Belastingen
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Vul Peildatum in
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} betaling items kunnen niet worden gefilterd door {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,Tafel voor post die in Web Site zal worden getoond
@@ -1916,9 +1929,9 @@
DocType: Payment Reconciliation Payment,Reference Row,Referentie Row
DocType: Installation Note,Installation Time,Installatie Tijd
DocType: Sales Invoice,Accounting Details,Boekhouding Details
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Verwijder alle transacties voor dit bedrijf
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Rij # {0}: Operation {1} is niet voltooid voor {2} aantal van afgewerkte goederen in productieorders # {3}. Gelieve operatie status bijwerken via Time Logs
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Investeringen
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Verwijder alle transacties voor dit bedrijf
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Rij # {0}: Operation {1} is niet voltooid voor {2} aantal van afgewerkte goederen in productieorders # {3}. Gelieve operatie status bijwerken via Time Logs
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Investeringen
DocType: Issue,Resolution Details,Oplossing Details
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,Toekenningen
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Acceptatiecriteria
@@ -1943,7 +1956,7 @@
DocType: Room,Room Name,Kamer naam
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Verlaat niet kan worden toegepast / geannuleerd voordat {0}, als verlof balans al-carry doorgestuurd in de toekomst toewijzing verlof record is {1}"
DocType: Activity Cost,Costing Rate,Costing Rate
-,Customer Addresses And Contacts,Klant adressen en contacten
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Klant adressen en contacten
,Campaign Efficiency,Campagne-efficiëntie
DocType: Discussion,Discussion,Discussie
DocType: Payment Entry,Transaction ID,Transactie ID
@@ -1954,14 +1967,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Totaal Billing Bedrag (via Urenregistratie)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Terugkerende klanten Opbrengsten
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) moet de rol 'Onkosten Goedkeurder' hebben
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,paar
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Selecteer BOM en Aantal voor productie
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,paar
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Selecteer BOM en Aantal voor productie
DocType: Asset,Depreciation Schedule,afschrijving Schedule
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Verkooppartneradressen en contactpersonen
DocType: Bank Reconciliation Detail,Against Account,Tegen Rekening
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Halve dag datum moet zijn tussen Van Datum en To Date
DocType: Maintenance Schedule Detail,Actual Date,Werkelijke Datum
DocType: Item,Has Batch No,Heeft Batch nr.
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Jaarlijkse Billing: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Jaarlijkse Billing: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Goederen en Diensten Belasting (GST India)
DocType: Delivery Note,Excise Page Number,Accijnzen Paginanummer
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Company, Van Datum en tot op heden is verplicht"
DocType: Asset,Purchase Date,aankoopdatum
@@ -1969,21 +1984,23 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Stel 'Asset Afschrijvingen Cost Center' in Company {0}
,Maintenance Schedules,Onderhoudsschema's
DocType: Task,Actual End Date (via Time Sheet),Werkelijke Einddatum (via Urenregistratie)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Bedrag {0} {1} tegen {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Bedrag {0} {1} tegen {2} {3}
,Quotation Trends,Offerte Trends
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Artikelgroep niet genoemd in Artikelstam voor Artikel {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Debet Om rekening moet een vordering-account
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Artikelgroep niet genoemd in Artikelstam voor Artikel {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Debet Om rekening moet een vordering-account
DocType: Shipping Rule Condition,Shipping Amount,Verzendbedrag
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Voeg klanten toe
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,In afwachting van Bedrag
DocType: Purchase Invoice Item,Conversion Factor,Conversiefactor
DocType: Purchase Order,Delivered,Geleverd
-,Vehicle Expenses,Vehicle Uitgaven
+,Vehicle Expenses,Voertuig kosten
DocType: Serial No,Invoice Details,Factuurgegevens
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +154,Expected value after useful life must be greater than or equal to {0},Verwachtingswaarde na levensduur groter dan of gelijk aan {0}
DocType: Purchase Receipt,Vehicle Number,Voertuig Aantal
DocType: Purchase Invoice,The date on which recurring invoice will be stop,De datum waarop terugkerende factuur stopt
DocType: Employee Loan,Loan Amount,Leenbedrag
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Rij {0}: Bill of Materials niet gevonden voor het artikel {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Zelfrijdend voertuig
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Rij {0}: Bill of Materials niet gevonden voor het artikel {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Totaal toegewezen bladeren {0} kan niet lager zijn dan die reeds zijn goedgekeurd bladeren {1} voor de periode
DocType: Journal Entry,Accounts Receivable,Debiteuren
,Supplier-Wise Sales Analytics,Leverancier-gebaseerde Verkoop Analyse
@@ -2001,22 +2018,21 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Kostendeclaratie is in afwachting van goedkeuring. Alleen de Kosten Goedkeurder kan status bijwerken.
DocType: Email Digest,New Expenses,nieuwe Uitgaven
DocType: Purchase Invoice,Additional Discount Amount,Extra korting Bedrag
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",Rij # {0}: Aantal moet 1 als item is een vaste activa. Gebruik aparte rij voor meerdere aantal.
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",Rij # {0}: Aantal moet 1 als item is een vaste activa. Gebruik aparte rij voor meerdere aantal.
DocType: Leave Block List Allow,Leave Block List Allow,Laat Block List Laat
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Abbr kan niet leeg of ruimte
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr kan niet leeg of ruimte
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Groep om Non-groep
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sport
DocType: Loan Type,Loan Name,lening Naam
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Totaal Werkelijke
DocType: Student Siblings,Student Siblings,student Broers en zussen
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,eenheid
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,Specificeer Bedrijf
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,eenheid
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Specificeer Bedrijf
,Customer Acquisition and Loyalty,Klantenwerving en behoud
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Magazijn waar u voorraad bijhoudt van afgewezen artikelen
DocType: Production Order,Skip Material Transfer,Materiaaloverdracht overslaan
DocType: Production Order,Skip Material Transfer,Materiaaloverdracht overslaan
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Kan wisselkoers voor {0} tot {1} niet vinden voor de sleuteldatum {2}. Creëer alsjeblieft een valuta-wisselrecord
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Uw financiële jaar eindigt op
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Kan wisselkoers voor {0} tot {1} niet vinden voor de sleuteldatum {2}. Creëer alsjeblieft een valuta-wisselrecord
DocType: POS Profile,Price List,Prijslijst
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} is nu het standaard Boekjaar. Ververs uw browser om de wijziging door te voeren .
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Declaraties
@@ -2029,14 +2045,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Voorraadbalans in Batch {0} zal negatief worden {1} voor Artikel {2} in Magazijn {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Volgende Material Aanvragen werden automatisch verhoogd op basis van re-order niveau-item
DocType: Email Digest,Pending Sales Orders,In afwachting van klantorders
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Account {0} is ongeldig. Account Valuta moet {1} zijn
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Account {0} is ongeldig. Account Valuta moet {1} zijn
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Eenheid Omrekeningsfactor is vereist in rij {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Rij # {0}: Reference document moet een van Sales Order, verkoopfactuur of Inboeken zijn"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Rij # {0}: Reference document moet een van Sales Order, verkoopfactuur of Inboeken zijn"
DocType: Salary Component,Deduction,Aftrek
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Rij {0}: Van tijd en binnen Tijd is verplicht.
DocType: Stock Reconciliation Item,Amount Difference,bedrag Verschil
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Item Prijs toegevoegd {0} in de prijslijst {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Item Prijs toegevoegd {0} in de prijslijst {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Vul Employee Id van deze verkoper
DocType: Territory,Classification of Customers by region,Indeling van de klanten per regio
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Verschil Bedrag moet nul zijn
@@ -2048,21 +2064,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Totaal Aftrek
,Production Analytics,Production Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Kosten Bijgewerkt
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Kosten Bijgewerkt
DocType: Employee,Date of Birth,Geboortedatum
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Artikel {0} is al geretourneerd
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Artikel {0} is al geretourneerd
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Boekjaar** staat voor een financieel jaar. Alle boekingen en andere belangrijke transacties worden bijgehouden in **boekjaar**.
DocType: Opportunity,Customer / Lead Address,Klant / Lead Adres
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Waarschuwing: Ongeldig SSL certificaat op attachment {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Waarschuwing: Ongeldig SSL certificaat op attachment {0}
DocType: Student Admission,Eligibility,verkiesbaarheid
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Leads u helpen om zaken, voeg al uw contacten en nog veel meer als uw leads"
DocType: Production Order Operation,Actual Operation Time,Werkelijke Operatie Duur
DocType: Authorization Rule,Applicable To (User),Van toepassing zijn op (Gebruiker)
DocType: Purchase Taxes and Charges,Deduct,Aftrekken
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Functiebeschrijving
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Functiebeschrijving
DocType: Student Applicant,Applied,Toegepast
DocType: Sales Invoice Item,Qty as per Stock UOM,Aantal per Voorraad eenheid
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2 Naam
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 Naam
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Speciale tekens behalve ""-"" ""."", ""#"", en ""/"" niet toegestaan in de reeks"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Blijf op de hoogte van Sales Campaigns. Blijf op de hoogte van Leads, Offertes, Sales Order etc van campagnes te meten Return on Investment."
DocType: Expense Claim,Approver,Goedkeurder
@@ -2073,8 +2089,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serienummer {0} is onder garantie tot {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Splits Vrachtbrief in pakketten.
apps/erpnext/erpnext/hooks.py +87,Shipments,Zendingen
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Accountbalans ({0}) voor {1} en voorraadwaarde ({2}) voor magazijn {3} moet hetzelfde zijn
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Accountbalans ({0}) voor {1} en voorraadwaarde ({2}) voor magazijn {3} moet hetzelfde zijn
DocType: Payment Entry,Total Allocated Amount (Company Currency),Totaal toegewezen bedrag (Company Munt)
DocType: Purchase Order Item,To be delivered to customer,Om de klant te leveren
DocType: BOM,Scrap Material Cost,Scrap Materiaal Cost
@@ -2082,20 +2096,21 @@
DocType: Purchase Invoice,In Words (Company Currency),In Woorden (Bedrijfsvaluta)
DocType: Asset,Supplier,Leverancier
DocType: C-Form,Quarter,Kwartaal
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Diverse Kosten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Diverse Kosten
DocType: Global Defaults,Default Company,Standaard Bedrijf
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Kosten- of verschillenrekening is verplicht voor artikel {0} omdat het invloed heeft op de totale voorraadwaarde
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Kosten- of verschillenrekening is verplicht voor artikel {0} omdat het invloed heeft op de totale voorraadwaarde
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Banknaam
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Boven
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Boven
DocType: Employee Loan,Employee Loan Account,Werknemer Leningsrekening
DocType: Leave Application,Total Leave Days,Totaal verlofdagen
DocType: Email Digest,Note: Email will not be sent to disabled users,Opmerking: E-mail wordt niet verzonden naar uitgeschakelde gebruikers
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Aantal interacties
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Artikelcode> Itemgroep> Merk
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Selecteer Bedrijf ...
DocType: Leave Control Panel,Leave blank if considered for all departments,Laat leeg indien dit voor alle afdelingen is
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Vormen van dienstverband (permanent, contract, stage, etc. ) ."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} is verplicht voor Artikel {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} is verplicht voor Artikel {1}
DocType: Process Payroll,Fortnightly,van twee weken
DocType: Currency Exchange,From Currency,Van Valuta
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Selecteer toegewezen bedrag, Factuur Type en factuurnummer in tenminste één rij"
@@ -2118,7 +2133,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,Klik op 'Genereer Planning' om planning te krijgen
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Er zijn fouten opgetreden tijdens het verwijderen van volgende schema:
DocType: Bin,Ordered Quantity,Bestelde hoeveelheid
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","bijv. ""Bouwgereedschap voor bouwers """
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","bijv. ""Bouwgereedschap voor bouwers """
DocType: Grading Scale,Grading Scale Intervals,Grading afleeseenheden
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Accounting Entry voor {2} kan alleen worden gemaakt in valuta: {3}
DocType: Production Order,In Process,In Process
@@ -2133,12 +2148,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Studentgroepen aangemaakt.
DocType: Sales Invoice,Total Billing Amount,Totaal factuurbedrag
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Er moet een standaard inkomende e-mail account nodig om dit te laten werken. Gelieve het inrichten van een standaard inkomende e-mail account (POP / IMAP) en probeer het opnieuw.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Vorderingen Account
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Rij # {0}: Asset {1} al {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Vorderingen Account
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Rij # {0}: Asset {1} al {2}
DocType: Quotation Item,Stock Balance,Voorraad Saldo
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Sales om de betaling
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stel namenreeks voor {0} in via Setup> Settings> Naming Series
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,Directeur
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,Directeur
DocType: Expense Claim Detail,Expense Claim Detail,Kostendeclaratie Detail
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Selecteer juiste account
DocType: Item,Weight UOM,Gewicht Eenheid
@@ -2147,12 +2161,12 @@
DocType: Production Order Operation,Pending,In afwachting van
DocType: Course,Course Name,Cursus naam
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Gebruikers die verlofaanvragen een bepaalde werknemer kan goedkeuren
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Kantoor Apparatuur
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Kantoor Apparatuur
DocType: Purchase Invoice Item,Qty,Aantal
DocType: Fiscal Year,Companies,Bedrijven
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,elektronica
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Maak Materiaal Aanvraag wanneer voorraad daalt tot onder het bestelniveau
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Full-time
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Full-time
DocType: Salary Structure,Employees,werknemers
DocType: Employee,Contact Details,Contactgegevens
DocType: C-Form,Received Date,Ontvangstdatum
@@ -2162,7 +2176,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,De prijzen zullen niet worden weergegeven als prijslijst niet is ingesteld
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Geef aub een land dat voor deze verzending Rule of kijk Wereldwijde verzending
DocType: Stock Entry,Total Incoming Value,Totaal Inkomende Waarde
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Debet Om vereist
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Debet Om vereist
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets helpen bijhouden van de tijd, kosten en facturering voor activiteiten gedaan door uw team"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Purchase Price List
DocType: Offer Letter Term,Offer Term,Aanbod Term
@@ -2171,17 +2185,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Afletteren
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,Selecteer de naam van de Verantwoordelijk Persoon
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,technologie
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Totaal Onbetaalde: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Totaal Onbetaalde: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM Website Operation
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Aanbod Letter
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Genereer Materiaal Aanvragen (MRP) en Productieorders.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Totale gefactureerde Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Totale gefactureerde Amt
DocType: BOM,Conversion Rate,Conversion Rate
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,product zoeken
DocType: Timesheet Detail,To Time,Tot Tijd
DocType: Authorization Rule,Approving Role (above authorized value),Goedkeuren Rol (boven de toegestane waarde)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Credit Om rekening moet een betalend account zijn
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},Stuklijst recursie: {0} mag niet ouder of kind zijn van {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Credit Om rekening moet een betalend account zijn
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},Stuklijst recursie: {0} mag niet ouder of kind zijn van {2}
DocType: Production Order Operation,Completed Qty,Voltooid aantal
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Voor {0}, kan alleen debet accounts worden gekoppeld tegen een andere creditering"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Prijslijst {0} is uitgeschakeld
@@ -2193,38 +2207,37 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} serienummers vereist voor post {1}. U hebt verstrekt {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Huidige Valuation Rate
DocType: Item,Customer Item Codes,Customer Item Codes
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Exchange winst / verlies
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange winst / verlies
DocType: Opportunity,Lost Reason,Reden van verlies
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Nieuw adres
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Nieuw adres
DocType: Quality Inspection,Sample Size,Monster grootte
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Vul Ontvangst Document
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Alle items zijn reeds gefactureerde
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Alle items zijn reeds gefactureerde
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',Geef een geldig 'Van Zaaknummer'
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,"Verdere kostenplaatsen kan in groepen worden gemaakt, maar items kunnen worden gemaakt tegen niet-Groepen"
DocType: Project,External,Extern
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Gebruikers en machtigingen
DocType: Vehicle Log,VLOG.,VLOG.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Productieorders Gemaakt: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Productieorders Gemaakt: {0}
DocType: Branch,Branch,Tak
DocType: Guardian,Mobile Number,Mobiel nummer
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Printen en Branding
DocType: Bin,Actual Quantity,Werkelijke hoeveelheid
DocType: Shipping Rule,example: Next Day Shipping,Bijvoorbeeld: Next Day Shipping
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serienummer {0} niet gevonden
-DocType: Scheduling Tool,Student Batch,student Batch
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Uw Klanten
+DocType: Program Enrollment,Student Batch,student Batch
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,maak Student
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},U bent uitgenodigd om mee te werken aan het project: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},U bent uitgenodigd om mee te werken aan het project: {0}
DocType: Leave Block List Date,Block Date,Blokeer Datum
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Nu toepassen
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Werkelijk Aantal {0} / Aantal Wachten {1}
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Werkelijk Aantal {0} / Aantal Wachten {1}
DocType: Sales Order,Not Delivered,Niet geleverd
-,Bank Clearance Summary,Bank Ontruiming Samenvatting
+,Bank Clearance Summary,Bankbewaring samenvatting
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Aanmaken en beheren van dagelijkse, wekelijkse en maandelijkse e-mail samenvattingen."
DocType: Appraisal Goal,Appraisal Goal,Beoordeling Doel
DocType: Stock Reconciliation Item,Current Amount,Huidige hoeveelheid
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,Gebouwen
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,Gebouwen
DocType: Fee Structure,Fee Structure,fee Structuur
DocType: Timesheet Detail,Costing Amount,Costing Bedrag
DocType: Student Admission,Application Fee,Aanvraagkosten
@@ -2236,10 +2249,10 @@
DocType: POS Profile,[Select],[Selecteer]
DocType: SMS Log,Sent To,Verzenden Naar
DocType: Payment Request,Make Sales Invoice,Maak verkoopfactuur
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,softwares
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,softwares
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Volgende Contact datum kan niet in het verleden
DocType: Company,For Reference Only.,Alleen voor referentie.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Selecteer batchnummer
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Selecteer batchnummer
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Ongeldige {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-terugwerkende
DocType: Sales Invoice Advance,Advance Amount,Voorschot Bedrag
@@ -2249,15 +2262,15 @@
DocType: Employee,Employment Details,Dienstverband Details
DocType: Employee,New Workplace,Nieuwe werkplek
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Instellen als Gesloten
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Geen Artikel met Barcode {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Geen Artikel met Barcode {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Zaak nr. mag geen 0
DocType: Item,Show a slideshow at the top of the page,Laat een diavoorstelling zien aan de bovenkant van de pagina
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Winkels
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Winkels
DocType: Serial No,Delivery Time,Levertijd
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Vergrijzing Based On
DocType: Item,End of Life,End of Life
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,reizen
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,reizen
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Geen actieve of default salarisstructuur gevonden voor werknemer {0} de uitgekozen datum
DocType: Leave Block List,Allow Users,Gebruikers toestaan
DocType: Purchase Order,Customer Mobile No,Klant Mobile Geen
@@ -2266,29 +2279,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Kosten bijwerken
DocType: Item Reorder,Item Reorder,Artikel opnieuw ordenen
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Show loonstrook
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Verplaats Materiaal
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Verplaats Materiaal
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Geef de operaties, operationele kosten en geef een unieke operatienummer aan uw activiteiten ."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Dit document is dan limiet van {0} {1} voor punt {4}. Bent u het maken van een andere {3} tegen dezelfde {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Stel terugkerende na het opslaan
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Selecteer verandering bedrag rekening
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Dit document is dan limiet van {0} {1} voor punt {4}. Bent u het maken van een andere {3} tegen dezelfde {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Stel terugkerende na het opslaan
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Selecteer verandering bedrag rekening
DocType: Purchase Invoice,Price List Currency,Prijslijst Valuta
DocType: Naming Series,User must always select,Gebruiker moet altijd kiezen
DocType: Stock Settings,Allow Negative Stock,Laat Negatieve voorraad
DocType: Installation Note,Installation Note,Installatie Opmerking
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Belastingen toevoegen
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Belastingen toevoegen
DocType: Topic,Topic,Onderwerp
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,De cashflow uit financiële activiteiten
DocType: Budget Account,Budget Account,budget account
DocType: Quality Inspection,Verified By,Geverifieerd door
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",Kan standaard valuta van het bedrijf niet veranderen want er zijn bestaande transacties. Transacties moeten worden geannuleerd om de standaard valuta te wijzigen.
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",Kan standaard valuta van het bedrijf niet veranderen want er zijn bestaande transacties. Transacties moeten worden geannuleerd om de standaard valuta te wijzigen.
DocType: Grading Scale Interval,Grade Description,Grade Beschrijving
DocType: Stock Entry,Purchase Receipt No,Ontvangstbevestiging nummer
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Onderpand
DocType: Process Payroll,Create Salary Slip,Maak loonstrook
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,traceerbaarheid
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Bron van Kapitaal (Passiva)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Hoeveelheid in rij {0} ({1}) moet hetzelfde zijn als geproduceerde hoeveelheid {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Bron van Kapitaal (Passiva)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Hoeveelheid in rij {0} ({1}) moet hetzelfde zijn als geproduceerde hoeveelheid {2}
DocType: Appraisal,Employee,Werknemer
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Selecteer batch
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} is volledig gefactureerd
DocType: Training Event,End Time,Eindtijd
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Actieve salarisstructuur {0} gevonden voor werknemer {1} de uitgekozen datum
@@ -2300,11 +2314,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Vereist op
DocType: Rename Tool,File to Rename,Bestand naar hernoemen
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Selecteer BOM voor post in rij {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Gespecificeerde Stuklijst {0} bestaat niet voor Artikel {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Rekening {0} komt niet overeen met Bedrijf {1} in Rekeningmodus: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Gespecificeerde Stuklijst {0} bestaat niet voor Artikel {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Onderhoudsschema {0} moet worden geannuleerd voordat het annuleren van deze verkooporder
DocType: Notification Control,Expense Claim Approved,Kostendeclaratie Goedgekeurd
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Loonstrook van de werknemer {0} al gemaakt voor deze periode
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Farmaceutisch
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmaceutisch
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Kosten van gekochte artikelen
DocType: Selling Settings,Sales Order Required,Verkooporder Vereist
DocType: Purchase Invoice,Credit To,Met dank aan
@@ -2321,42 +2336,42 @@
DocType: Payment Gateway Account,Payment Account,Betaalrekening
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,Specificeer Bedrijf om verder te gaan
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Netto wijziging in Debiteuren
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,compenserende Off
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,compenserende Off
DocType: Offer Letter,Accepted,Geaccepteerd
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,Organisatie
DocType: SG Creation Tool Course,Student Group Name,Student Group Name
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Zorg ervoor dat u echt wilt alle transacties voor dit bedrijf te verwijderen. Uw stamgegevens zal blijven zoals het is. Deze actie kan niet ongedaan gemaakt worden.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Zorg ervoor dat u echt wilt alle transacties voor dit bedrijf te verwijderen. Uw stamgegevens zal blijven zoals het is. Deze actie kan niet ongedaan gemaakt worden.
DocType: Room,Room Number,Kamernummer
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Ongeldige referentie {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kan niet groter zijn dan geplande hoeveelheid ({2}) in productieorders {3}
DocType: Shipping Rule,Shipping Rule Label,Verzendregel Label
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Gebruikers Forum
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Grondstoffen kan niet leeg zijn.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Kon niet bijwerken voorraad, factuur bevat daling van de scheepvaart punt."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Grondstoffen kan niet leeg zijn.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Kon niet bijwerken voorraad, factuur bevat daling van de scheepvaart punt."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Quick Journal Entry
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,U kunt het tarief niet veranderen als een artikel Stuklijst-gerelateerd is.
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,U kunt het tarief niet veranderen als een artikel Stuklijst-gerelateerd is.
DocType: Employee,Previous Work Experience,Vorige Werkervaring
DocType: Stock Entry,For Quantity,Voor Aantal
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Vul Gepland Aantal in voor artikel {0} op rij {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} is niet ingediend
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Artikelaanvragen
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Een aparte Productie Order zal worden aangemaakt voor elk gereed product artikel
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} moet negatief in ruil document
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} moet negatief zijn in teruggave document
,Minutes to First Response for Issues,Minuten naar First Response voor problemen
DocType: Purchase Invoice,Terms and Conditions1,Algemene Voorwaarden1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,De naam van het instituut waarvoor u het opzetten van dit systeem.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,De naam van het instituut waarvoor u het opzetten van dit systeem.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Boekingen bevroren tot deze datum, niemand kan / de boeking wijzigen behalve de hieronder gespecificeerde rol."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,Sla het document op voordat u het onderhoudsschema genereert
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Project Status
DocType: UOM,Check this to disallow fractions. (for Nos),Aanvinken om delingen te verbieden.
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,De volgende productieorders zijn gemaakt:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,De volgende productieorders zijn gemaakt:
DocType: Student Admission,Naming Series (for Student Applicant),Naming Series (voor Student Aanvrager)
DocType: Delivery Note,Transporter Name,Vervoerder Naam
DocType: Authorization Rule,Authorized Value,Authorized Value
DocType: BOM,Show Operations,Toon Operations
,Minutes to First Response for Opportunity,Minuten naar First Response voor Opportunity
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Totaal Afwezig
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Artikel of Magazijn voor rij {0} komt niet overeen met Materiaal Aanvraag
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Artikel of Magazijn voor rij {0} komt niet overeen met Materiaal Aanvraag
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Meeteenheid
DocType: Fiscal Year,Year End Date,Jaar Einddatum
DocType: Task Depends On,Task Depends On,Taak Hangt On
@@ -2369,7 +2384,7 @@
DocType: Email Digest,How frequently?,Hoe vaak?
DocType: Purchase Receipt,Get Current Stock,Get Huidige voorraad
apps/erpnext/erpnext/config/manufacturing.py +46,Tree of Bill of Materials,Boom van de Bill of Materials
-DocType: Student,Joining Date,Deelnemen Date
+DocType: Student,Joining Date,Datum indiensttreding
,Employees working on a holiday,Werknemers die op vakantie
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +152,Mark Present,Mark Present
DocType: Project,% Complete Method,% Voltooid Methode
@@ -2456,11 +2471,11 @@
DocType: Asset,Manual,handboek
DocType: Salary Component Account,Salary Component Account,Salaris Component Account
DocType: Global Defaults,Hide Currency Symbol,Verberg Valutasymbool
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","bijv. Bank, Kas, Credit Card"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","bijv. Bank, Kas, Credit Card"
DocType: Lead Source,Source Name,Bron naam
DocType: Journal Entry,Credit Note,Creditnota
DocType: Warranty Claim,Service Address,Service Adres
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Meubels en Wedstrijden
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Meubels en Wedstrijden
DocType: Item,Manufacture,Fabricage
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Gelieve Afleveringsbon eerste
DocType: Student Applicant,Application Date,Application Date
@@ -2470,7 +2485,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Ontruiming Datum niet vermeld
apps/erpnext/erpnext/config/manufacturing.py +7,Production,productie
DocType: Guardian,Occupation,Bezetting
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Installeer alsjeblieft het Systeem van de personeelsnaam in het menselijk hulpmiddel> HR-instellingen
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Rij {0} : Start Datum moet voor Einddatum zijn
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Totaal (Aantal)
DocType: Sales Invoice,This Document,Dit document
@@ -2482,19 +2496,19 @@
DocType: Purchase Receipt,Time at which materials were received,Tijdstip waarop materialen zijn ontvangen
DocType: Stock Ledger Entry,Outgoing Rate,Uitgaande Rate
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organisatie tak meester .
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,of
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,of
DocType: Sales Order,Billing Status,Factuurstatus
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Issue melden?
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Utiliteitskosten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Utiliteitskosten
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-Boven
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Rij # {0}: Journal Entry {1} heeft geen account {2} of al vergeleken met een ander voucher
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Rij # {0}: Journal Entry {1} heeft geen account {2} of al vergeleken met een ander voucher
DocType: Buying Settings,Default Buying Price List,Standaard Inkoop Prijslijst
DocType: Process Payroll,Salary Slip Based on Timesheet,Salarisstrook Op basis van Timesheet
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Geen enkele werknemer voor de hierboven geselecteerde criteria of salarisstrook al gemaakt
DocType: Notification Control,Sales Order Message,Verkooporder Bericht
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Instellen Standaardwaarden zoals Bedrijf , Valuta , huidige boekjaar , etc."
DocType: Payment Entry,Payment Type,Betaling Type
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Selecteer een partij voor item {0}. Kan geen enkele batch vinden die aan deze eis voldoet
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Selecteer een partij voor item {0}. Kan geen enkele batch vinden die aan deze eis voldoet
DocType: Process Payroll,Select Employees,Selecteer Medewerkers
DocType: Opportunity,Potential Sales Deal,Potentiële Sales Deal
DocType: Payment Entry,Cheque/Reference Date,Cheque / Reference Data
@@ -2514,7 +2528,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Ontvangst document moet worden ingediend
DocType: Purchase Invoice Item,Received Qty,Ontvangen Aantal
DocType: Stock Entry Detail,Serial No / Batch,Serienummer / Batch
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Niet betaald en niet geleverd
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Niet betaald en niet geleverd
DocType: Product Bundle,Parent Item,Bovenliggend Artikel
DocType: Account,Account Type,Rekening Type
DocType: Delivery Note,DN-RET-,DN-terugwerkende
@@ -2529,28 +2543,28 @@
DocType: Bin,Reserved Quantity,Gereserveerde Hoeveelheid
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Vul alstublieft een geldig e-mailadres in
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Vul alstublieft een geldig e-mailadres in
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Er is geen verplichte cursus voor het programma {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Ontvangstbevestiging Artikelen
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Aanpassen Formulieren
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,achterstand
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,achterstand
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Afschrijvingen bedrag gedurende de periode
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Gehandicapte template mag niet standaard template
DocType: Account,Income Account,Inkomstenrekening
DocType: Payment Request,Amount in customer's currency,Bedrag in de valuta van de klant
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Levering
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Levering
DocType: Stock Reconciliation Item,Current Qty,Huidige Aantal
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",Zie "Rate Of Materials Based On" in Costing Sectie
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Vorige
DocType: Appraisal Goal,Key Responsibility Area,Key verantwoordelijkheid Area
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Student Batches helpen bijhouden opkomst, evaluaties en kosten voor studenten"
DocType: Payment Entry,Total Allocated Amount,Totaal toegewezen bedrag
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Stel standaard inventaris rekening voor permanente inventaris
DocType: Item Reorder,Material Request Type,Materiaal Aanvraag Type
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Journal Entry voor de salarissen van {0} tot {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage vol is, niet te redden"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage vol is, niet te redden"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Rij {0}: Verpakking Conversie Factor is verplicht
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Ref
DocType: Budget,Cost Center,Kostenplaats
-apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Boekstuk nr
+apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Coupon #
DocType: Notification Control,Purchase Order Message,Inkooporder Bericht
DocType: Tax Rule,Shipping Country,Verzenden Land
DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Hide Klant het BTW-nummer van Verkooptransacties
@@ -2559,19 +2573,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Prijsbepalingsregel overschrijft de prijslijst / defininieer een kortingspercentage, gebaseerd op een aantal criteria."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Magazijn kan alleen via Voorraad Invoer / Vrachtbrief / Ontvangstbewijs worden veranderd
DocType: Employee Education,Class / Percentage,Klasse / Percentage
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Hoofd Marketing en Verkoop
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Inkomstenbelasting
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Hoofd Marketing en Verkoop
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Inkomstenbelasting
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Als geselecteerde Pricing Regel is gemaakt voor 'Prijs', zal het Prijslijst overschrijven. Prijsstelling Regel prijs is de uiteindelijke prijs, dus geen verdere korting moet worden toegepast. Vandaar dat in transacties zoals Sales Order, Purchase Order etc, het zal worden opgehaald in 'tarief' veld, in plaats van het veld 'prijslijst Rate'."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Houd Leads bij per de industrie type.
DocType: Item Supplier,Item Supplier,Artikel Leverancier
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,Vul de artikelcode in om batchnummer op te halen
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},Selecteer een waarde voor {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,Vul de artikelcode in om batchnummer op te halen
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Selecteer een waarde voor {0} quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Alle adressen.
DocType: Company,Stock Settings,Voorraad Instellingen
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Samenvoegen kan alleen als volgende eigenschappen in beide registers. Is Group, Root Type, Company"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Samenvoegen kan alleen als volgende eigenschappen in beide registers. Is Group, Root Type, Company"
DocType: Vehicle,Electric,elektrisch
-DocType: Task,% Progress,% Progress
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Winst / verlies op de verkoop van activa
+DocType: Task,% Progress,% Voortgang
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Winst / verlies op de verkoop van activa
DocType: Training Event,Will send an email about the event to employees with status 'Open',Zal een e-mail over het evenement aan de werknemers met de status 'Open'
DocType: Task,Depends on Tasks,Hangt af van Taken
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Beheer Customer Group Boom .
@@ -2580,7 +2594,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Nieuwe Kostenplaats Naam
DocType: Leave Control Panel,Leave Control Panel,Verlof Configuratiescherm
DocType: Project,Task Completion,Task Completion
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Niet op voorraad
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Niet op voorraad
DocType: Appraisal,HR User,HR Gebruiker
DocType: Purchase Invoice,Taxes and Charges Deducted,Belastingen en Toeslagen Afgetrokken
apps/erpnext/erpnext/hooks.py +116,Issues,Kwesties
@@ -2591,22 +2605,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Geen loonstrook gevonden tussen {0} en {1}
,Pending SO Items For Purchase Request,In afwachting van Verkoop Artikelen voor Inkoopaanvraag
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,studentenadministratie
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} is uitgeschakeld
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} is uitgeschakeld
DocType: Supplier,Billing Currency,Valuta
DocType: Sales Invoice,SINV-RET-,SINV-terugwerkende
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Extra Groot
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra Groot
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Totaal Leaves
,Profit and Loss Statement,Winst-en verliesrekening
DocType: Bank Reconciliation Detail,Cheque Number,Cheque nummer
,Sales Browser,Verkoop verkenner
DocType: Journal Entry,Total Credit,Totaal Krediet
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Waarschuwing: Een andere {0} # {1} bestaat tegen voorraad binnenkomst {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Lokaal
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Lokaal
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Leningen en voorschotten (Activa)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Debiteuren
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Groot
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Groot
DocType: Homepage Featured Product,Homepage Featured Product,Homepage Featured Product
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Alle Assessment Groepen
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Alle Assessment Groepen
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Nieuwe Warehouse Naam
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Totaal {0} ({1})
DocType: C-Form Invoice Detail,Territory,Regio
@@ -2616,12 +2630,12 @@
DocType: Production Order Operation,Planned Start Time,Geplande Starttijd
DocType: Course,Assessment,Beoordeling
DocType: Payment Entry Reference,Allocated,Toegewezen
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Sluiten Balans en boek Winst of verlies .
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Sluiten Balans en boek Winst of verlies .
DocType: Student Applicant,Application Status,Application Status
DocType: Fees,Fees,vergoedingen
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Specificeer Wisselkoers om een valuta om te zetten in een andere
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Offerte {0} is geannuleerd
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Totale uitstaande bedrag
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Totale uitstaande bedrag
DocType: Sales Partner,Targets,Doelen
DocType: Price List,Price List Master,Prijslijst Master
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Alle Verkoop Transacties kunnen worden gelabeld tegen meerdere ** Sales Personen **, zodat u kunt instellen en controleren doelen."
@@ -2665,12 +2679,12 @@
1. Adres en contactgegevens van uw bedrijf."
DocType: Attendance,Leave Type,Verlof Type
DocType: Purchase Invoice,Supplier Invoice Details,Leverancier Invoice Details
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Kosten- / Verschillenrekening ({0}) moet een 'Winst of Verlies' rekening zijn.
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Kosten- / Verschillenrekening ({0}) moet een 'Winst of Verlies' rekening zijn.
DocType: Project,Copied From,Gekopieerd van
DocType: Project,Copied From,Gekopieerd van
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Naam fout: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,Tekort
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} niet gekoppeld aan {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} niet gekoppeld aan {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Aanwezigheid voor werknemer {0} is al gemarkeerd
DocType: Packing Slip,If more than one package of the same type (for print),Als er meer dan een pakket van hetzelfde type (voor afdrukken)
,Salary Register,salaris Register
@@ -2688,22 +2702,23 @@
,Requested Qty,Aangevraagde Hoeveelheid
DocType: Tax Rule,Use for Shopping Cart,Gebruik voor de Winkelwagen
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Waarde {0} voor Attribute {1} bestaat niet in de lijst van geldige Punt Attribute Values voor post {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Selecteer serienummers
DocType: BOM Item,Scrap %,Scrap%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Kosten zullen worden proportioneel gedistribueerd op basis van punt aantal of de hoeveelheid, als per uw selectie"
DocType: Maintenance Visit,Purposes,Doeleinden
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Minstens één punt moet in ruil document worden ingevoerd met een negatieve hoeveelheid
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Minstens één punt moet in ruil document worden ingevoerd met een negatieve hoeveelheid
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operation {0} langer dan alle beschikbare werktijd in werkstation {1}, breken de operatie in meerdere operaties"
,Requested,Aangevraagd
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Geen Opmerkingen
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Geen Opmerkingen
DocType: Purchase Invoice,Overdue,Achterstallig
DocType: Account,Stock Received But Not Billed,Voorraad ontvangen maar nog niet gefactureerd
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Root account moet een groep
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Root account moet een groep
DocType: Fees,FEE.,FEE.
DocType: Employee Loan,Repaid/Closed,Afgelost / Gesloten
DocType: Item,Total Projected Qty,Totale geraamde Aantal
DocType: Monthly Distribution,Distribution Name,Distributie Naam
DocType: Course,Course Code,cursus Code
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Kwaliteitscontrole vereist voor Artikel {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Kwaliteitscontrole vereist voor Artikel {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Koers waarmee de Klant Valuta wordt omgerekend naar de basis bedrijfsvaluta
DocType: Purchase Invoice Item,Net Rate (Company Currency),Net Rate (Company Valuta)
DocType: Salary Detail,Condition and Formula Help,Toestand en Formula Help
@@ -2716,27 +2731,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Materiaal Verplaatsing voor Productie
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Kortingspercentage kan worden toegepast tegen een prijslijst of voor alle prijslijsten.
DocType: Purchase Invoice,Half-yearly,Halfjaarlijks
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Boekingen voor Voorraad
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Boekingen voor Voorraad
DocType: Vehicle Service,Engine Oil,Motorolie
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Installeer alsjeblieft het Systeem van de werknemersnaam in het menselijk hulpmiddel> HR-instellingen
DocType: Sales Invoice,Sales Team1,Verkoop Team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Artikel {0} bestaat niet
DocType: Sales Invoice,Customer Address,Klant Adres
DocType: Employee Loan,Loan Details,Loan Details
+DocType: Company,Default Inventory Account,Standaard Inventaris Account
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Rij {0}: Voltooid Aantal moet groter zijn dan nul.
DocType: Purchase Invoice,Apply Additional Discount On,Breng Extra Korting op
DocType: Account,Root Type,Root Type
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Rij # {0}: Kan niet meer dan terugkeren {1} voor post {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Rij # {0}: Kan niet meer dan terugkeren {1} voor post {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,plot
DocType: Item Group,Show this slideshow at the top of the page,Laat deze slideshow aan de bovenkant van de pagina
DocType: BOM,Item UOM,Artikel Eenheid
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Belasting Bedrag na korting Bedrag (Company valuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Doel magazijn is verplicht voor rij {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Doel magazijn is verplicht voor rij {0}
DocType: Cheque Print Template,Primary Settings,Primaire Instellingen
DocType: Purchase Invoice,Select Supplier Address,Select Leverancier Adres
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Werknemers toevoegen
DocType: Purchase Invoice Item,Quality Inspection,Kwaliteitscontrole
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Extra Small
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small
DocType: Company,Standard Template,Standard Template
DocType: Training Event,Theory,Theorie
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Waarschuwing: Materiaal Aanvraag Aantal is minder dan Minimum Bestelhoeveelheid
@@ -2744,7 +2761,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Rechtspersoon / Dochteronderneming met een aparte Rekeningschema behoren tot de Organisatie.
DocType: Payment Request,Mute Email,Mute-mail
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Voeding, Drank en Tabak"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Kan alleen betaling uitvoeren voor ongefactureerde {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Kan alleen betaling uitvoeren voor ongefactureerde {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Commissietarief kan niet groter zijn dan 100
DocType: Stock Entry,Subcontract,Subcontract
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Voer {0} eerste
@@ -2757,18 +2774,18 @@
DocType: SMS Log,No of Sent SMS,Aantal gestuurde SMS
DocType: Account,Expense Account,Kostenrekening
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,software
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Kleur
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Kleur
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Assessment Plan Criteria
DocType: Training Event,Scheduled,Geplande
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Aanvraag voor een offerte.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Selecteer Item, waar "Is Stock Item" is "Nee" en "Is Sales Item" is "Ja" en er is geen enkel ander product Bundle"
DocType: Student Log,Academic,Academisch
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Totaal vooraf ({0}) tegen Orde {1} kan niet groter zijn dan de Grand totaal zijn ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Totaal vooraf ({0}) tegen Orde {1} kan niet groter zijn dan de Grand totaal zijn ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Selecteer Maandelijkse Distribution om ongelijk te verdelen doelen in heel maanden.
DocType: Purchase Invoice Item,Valuation Rate,Waardering Tarief
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Prijslijst Valuta nog niet geselecteerd
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Prijslijst Valuta nog niet geselecteerd
,Student Monthly Attendance Sheet,Student Maandelijkse presentielijst
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Werknemer {0} heeft reeds gesolliciteerd voor {1} tussen {2} en {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Project Start Datum
@@ -2781,7 +2798,7 @@
DocType: BOM,Scrap,stukje
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Beheer Verkoop Partners.
DocType: Quality Inspection,Inspection Type,Inspectie Type
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Warehouses met bestaande transactie kan niet worden geconverteerd naar groep.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Warehouses met bestaande transactie kan niet worden geconverteerd naar groep.
DocType: Assessment Result Tool,Result HTML,resultaat HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Verloopt op
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Studenten toevoegen
@@ -2789,13 +2806,13 @@
DocType: C-Form,C-Form No,C-vorm nr.
DocType: BOM,Exploded_items,Uitgeklapte Artikelen
DocType: Employee Attendance Tool,Unmarked Attendance,Ongemerkte aanwezigheid
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,onderzoeker
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,onderzoeker
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Programma Inschrijving Tool Student
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Naam of E-mail is verplicht
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Inkomende kwaliteitscontrole.
DocType: Purchase Order Item,Returned Qty,Terug Aantal
DocType: Employee,Exit,Uitgang
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Root Type is verplicht
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root Type is verplicht
DocType: BOM,Total Cost(Company Currency),Total Cost (Company Munt)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serienummer {0} aangemaakt
DocType: Homepage,Company Description for website homepage,Omschrijving bedrijf voor website homepage
@@ -2804,7 +2821,7 @@
DocType: Sales Invoice,Time Sheet List,Urenregistratie List
DocType: Employee,You can enter any date manually,U kunt elke datum handmatig ingeven
DocType: Asset Category Account,Depreciation Expense Account,Afschrijvingen Account
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Proeftijd
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Proeftijd
DocType: Customer Group,Only leaf nodes are allowed in transaction,Alleen leaf nodes zijn toegestaan in transactie
DocType: Expense Claim,Expense Approver,Onkosten Goedkeurder
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Rij {0}: Advance tegen Klant moet krediet
@@ -2818,10 +2835,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Cursus Roosters geschrapt:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Logs voor het behoud van sms afleverstatus
DocType: Accounts Settings,Make Payment via Journal Entry,Betalen via Journal Entry
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Gedrukt op
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Gedrukt op
DocType: Item,Inspection Required before Delivery,Inspectie vereist voordat Delivery
DocType: Item,Inspection Required before Purchase,Inspectie vereist voordat Purchase
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Afwachting Activiteiten
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Uw organisatie
DocType: Fee Component,Fees Category,vergoedingen Categorie
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Vul het verlichten datum .
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
@@ -2831,9 +2849,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Bestelniveau
DocType: Company,Chart Of Accounts Template,Rekeningschema Template
DocType: Attendance,Attendance Date,Aanwezigheid Datum
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Item Prijs bijgewerkt voor {0} in prijslijst {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Item Prijs bijgewerkt voor {0} in prijslijst {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Salaris verbreken op basis Verdienen en Aftrek.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Rekening met onderliggende nodes kunnen niet worden omgezet naar grootboek
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Rekening met onderliggende nodes kunnen niet worden omgezet naar grootboek
DocType: Purchase Invoice Item,Accepted Warehouse,Geaccepteerd Magazijn
DocType: Bank Reconciliation Detail,Posting Date,Plaatsingsdatum
DocType: Item,Valuation Method,Waardering Methode
@@ -2842,14 +2860,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Dubbele invoer
DocType: Program Enrollment Tool,Get Students,krijg Studenten
DocType: Serial No,Under Warranty,Binnen Garantie
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Fout]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Fout]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,In Woorden zijn zichtbaar zodra u de Verkooporder opslaat.
,Employee Birthday,Werknemer Verjaardag
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Batch Attendance Tool
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,Limit Crossed
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Limit Crossed
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Venture Capital
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Een wetenschappelijke term met deze 'Academisch Jaar' {0} en 'Term Name' {1} bestaat al. Wijzig deze ingangen en probeer het opnieuw.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Als er bestaande transacties tegen punt {0}, kunt u de waarde van het niet veranderen {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Als er bestaande transacties tegen punt {0}, kunt u de waarde van het niet veranderen {1}"
DocType: UOM,Must be Whole Number,Moet heel getal zijn
DocType: Leave Control Panel,New Leaves Allocated (In Days),Nieuwe Verloven Toegewezen (in dagen)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serienummer {0} bestaat niet
@@ -2858,6 +2876,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Factuurnummer
DocType: Shopping Cart Settings,Orders,Bestellingen
DocType: Employee Leave Approver,Leave Approver,Verlof goedkeurder
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Selecteer een batch alsjeblieft
DocType: Assessment Group,Assessment Group Name,Assessment Group Name
DocType: Manufacturing Settings,Material Transferred for Manufacture,Overgedragen materiaal voor vervaardiging
DocType: Expense Claim,"A user with ""Expense Approver"" role","Een gebruiker met ""Onkosten Goedkeurder"" rol"
@@ -2867,9 +2886,10 @@
DocType: Target Detail,Target Detail,Doel Detail
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,alle vacatures
DocType: Sales Order,% of materials billed against this Sales Order,% van de materialen in rekening gebracht voor deze Verkooporder
+DocType: Program Enrollment,Mode of Transportation,Wijze van vervoer
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Periode sluitpost
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Kostenplaats met bestaande transacties kan niet worden omgezet in groep
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Bedrag {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Bedrag {0} {1} {2} {3}
DocType: Account,Depreciation,Afschrijvingskosten
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Leverancier(s)
DocType: Employee Attendance Tool,Employee Attendance Tool,Employee Attendance Tool
@@ -2877,7 +2897,7 @@
DocType: Supplier,Credit Limit,Kredietlimiet
DocType: Production Plan Sales Order,Salse Order Date,Salse Orderdatum
DocType: Salary Component,Salary Component,salaris Component
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Betaling Entries {0} zijn un-linked
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Betaling Entries {0} zijn un-linked
DocType: GL Entry,Voucher No,Voucher nr.
,Lead Owner Efficiency,Leideneigenaar Efficiency
,Lead Owner Efficiency,Leideneigenaar Efficiency
@@ -2889,49 +2909,49 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Sjabloon voor contractvoorwaarden
DocType: Purchase Invoice,Address and Contact,Adres en contactgegevens
DocType: Cheque Print Template,Is Account Payable,Is Account Payable
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Stock kan niet worden bijgewerkt tegen Kwitantie {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Stock kan niet worden bijgewerkt tegen Kwitantie {0}
DocType: Supplier,Last Day of the Next Month,Laatste dag van de volgende maand
DocType: Support Settings,Auto close Issue after 7 days,Auto dicht Issue na 7 dagen
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Verlof kan niet eerder worden toegewezen {0}, als verlof balans al-carry doorgestuurd in de toekomst toewijzing verlof record is {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Opmerking: Vanwege / Reference Data overschrijdt toegestaan klantenkrediet dagen door {0} dag (en)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Opmerking: Vanwege / Reference Data overschrijdt toegestaan klantenkrediet dagen door {0} dag (en)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,student Aanvrager
-DocType: Asset Category Account,Accumulated Depreciation Account,Cumulatieve afschrijvingen Account
+DocType: Asset Category Account,Accumulated Depreciation Account,Cumulatieve afschrijvingen Rekening
DocType: Stock Settings,Freeze Stock Entries,Freeze Stock Entries
DocType: Asset,Expected Value After Useful Life,Verwachte waarde Na Nuttig Life
DocType: Item,Reorder level based on Warehouse,Bestelniveau gebaseerd op Warehouse
DocType: Activity Cost,Billing Rate,Billing Rate
,Qty to Deliver,Aantal te leveren
,Stock Analytics,Voorraad Analyses
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Operations kan niet leeg zijn
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operations kan niet leeg zijn
DocType: Maintenance Visit Purpose,Against Document Detail No,Tegen Document Detail nr
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Party Type is verplicht
DocType: Quality Inspection,Outgoing,Uitgaande
DocType: Material Request,Requested For,Aangevraagd voor
DocType: Quotation Item,Against Doctype,Tegen Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} is geannuleerd of gesloten
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} is geannuleerd of gesloten
DocType: Delivery Note,Track this Delivery Note against any Project,Track this Delivery Note against any Project
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,De netto kasstroom uit investeringsactiviteiten
-,Is Primary Address,Is Primair Adres
DocType: Production Order,Work-in-Progress Warehouse,Onderhanden Werk Magazijn
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Asset {0} moet worden ingediend
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Attendance Record {0} bestaat tegen Student {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Attendance Record {0} bestaat tegen Student {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Referentie #{0} gedateerd {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Afschrijvingen Uitgeschakeld als gevolg van verkoop van activa
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Beheer Adressen
DocType: Asset,Item Code,Artikelcode
DocType: Production Planning Tool,Create Production Orders,Maak Productieorders
DocType: Serial No,Warranty / AMC Details,Garantie / AMC Details
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Selecteer studenten handmatig voor de activiteit gebaseerde groep
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Selecteer studenten handmatig voor de activiteit gebaseerde groep
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Selecteer studenten handmatig voor de activiteit gebaseerde groep
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Selecteer studenten handmatig voor de activiteit gebaseerde groep
DocType: Journal Entry,User Remark,Gebruiker Opmerking
DocType: Lead,Market Segment,Marktsegment
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Betaalde bedrag kan niet groter zijn dan de totale negatieve openstaande bedrag {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Betaalde bedrag kan niet groter zijn dan de totale negatieve openstaande bedrag {0}
DocType: Employee Internal Work History,Employee Internal Work History,Werknemer Interne Werk Geschiedenis
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Sluiten (Db)
DocType: Cheque Print Template,Cheque Size,Cheque Size
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serienummer {0} niet op voorraad
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Belasting sjabloon voor verkooptransacties.
DocType: Sales Invoice,Write Off Outstanding Amount,Afschrijving uitstaande bedrag
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Rekening {0} komt niet overeen met Bedrijf {1}
DocType: School Settings,Current Academic Year,Huidig Academisch Jaar
DocType: Stock Settings,Default Stock UOM,Standaard Voorraad Eenheid
DocType: Asset,Number of Depreciations Booked,Aantal Afschrijvingen Geboekt
@@ -2946,27 +2966,27 @@
DocType: Asset,Double Declining Balance,Double degressief
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Gesloten bestelling kan niet worden geannuleerd. Openmaken om te annuleren.
DocType: Student Guardian,Father,Vader
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'Bijwerken Stock' kan niet worden gecontroleerd op vaste activa te koop
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Bijwerken Stock' kan niet worden gecontroleerd op vaste activa te koop
DocType: Bank Reconciliation,Bank Reconciliation,Bank Aflettering
DocType: Attendance,On Leave,Met verlof
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Blijf op de hoogte
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} behoort niet tot Company {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Materiaal Aanvraag {0} is geannuleerd of gestopt
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Voeg een paar voorbeeld records toe
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Voeg een paar voorbeeld records toe
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Laat management
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Groeperen volgens Rekening
DocType: Sales Order,Fully Delivered,Volledig geleverd
DocType: Lead,Lower Income,Lager inkomen
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Bron- en doelmagazijn kan niet hetzelfde zijn voor de rij {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Bron- en doelmagazijn kan niet hetzelfde zijn voor de rij {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Verschil moet Account een type Asset / Liability rekening zijn, aangezien dit Stock Verzoening is een opening Entry"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Uitbetaalde bedrag kan niet groter zijn dan Leningen zijn {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Inkoopordernummer nodig voor Artikel {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Productieorder niet gemaakt
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Inkoopordernummer nodig voor Artikel {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Productieorder niet gemaakt
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Van Datum' moet na 'Tot Datum' zijn
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Kan niet status als student te veranderen {0} is gekoppeld aan student toepassing {1}
DocType: Asset,Fully Depreciated,volledig is afgeschreven
,Stock Projected Qty,Verwachte voorraad hoeveelheid
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Klant {0} behoort niet tot project {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Klant {0} behoort niet tot project {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Marked Attendance HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Offertes zijn voorstellen, biedingen u uw klanten hebben gestuurd"
DocType: Sales Order,Customer's Purchase Order,Klant Bestelling
@@ -2975,8 +2995,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Som van de scores van de beoordelingscriteria moet {0} te zijn.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Stel Aantal geboekte afschrijvingen
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Waarde of Aantal
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Productions Bestellingen kunnen niet worden verhoogd voor:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,minuut
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions Bestellingen kunnen niet worden verhoogd voor:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,minuut
DocType: Purchase Invoice,Purchase Taxes and Charges,Inkoop Belastingen en Toeslagen
,Qty to Receive,Aantal te ontvangen
DocType: Leave Block List,Leave Block List Allowed,Laat toegestaan Block List
@@ -2984,25 +3004,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Declaratie voor voertuig Inloggen {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Korting (%) op prijslijst tarief met marges
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Korting (%) op prijslijst tarief met marges
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,Alle magazijnen
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Alle magazijnen
DocType: Sales Partner,Retailer,Retailer
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Credit Om rekening moet een balansrekening zijn
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Credit Om rekening moet een balansrekening zijn
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Alle Leverancier Types
DocType: Global Defaults,Disable In Words,Uitschakelen In Woorden
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,Artikelcode is verplicht omdat Artikel niet automatisch is genummerd
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Artikelcode is verplicht omdat Artikel niet automatisch is genummerd
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Offerte {0} niet van het type {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Onderhoudsschema Item
DocType: Sales Order,% Delivered,% Geleverd
DocType: Production Order,PRO-,PRO-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Bank Kredietrekening
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Bank Kredietrekening
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Maak Salarisstrook
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Rij # {0}: Toegewezen bedrag mag niet groter zijn dan het uitstaande bedrag.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Bladeren BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Leningen met onderpand
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Leningen met onderpand
DocType: Purchase Invoice,Edit Posting Date and Time,Wijzig Posting Datum en tijd
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Stel afschrijvingen gerelateerd Accounts in Vermogensbeheer categorie {0} of Company {1}
DocType: Academic Term,Academic Year,Academisch jaar
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Opening Balance Equity
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Opening Balance Equity
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Beoordeling
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},E-mail verzonden naar leverancier {0}
@@ -3018,7 +3038,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Goedkeuring Rol kan niet hetzelfde zijn als de rol van de regel is van toepassing op
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Afmelden bij dit e-mailoverzicht
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,bericht verzonden
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Rekening met de onderliggende knooppunten kan niet worden ingesteld als grootboek
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Rekening met de onderliggende knooppunten kan niet worden ingesteld als grootboek
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Koers waarmee Prijslijst valuta wordt omgerekend naar de basisvaluta van de klant
DocType: Purchase Invoice Item,Net Amount (Company Currency),Nettobedrag (Company valuta)
@@ -3053,7 +3073,7 @@
DocType: Expense Claim,Approval Status,Goedkeuringsstatus
DocType: Hub Settings,Publish Items to Hub,Publiceer Artikelen toevoegen aan Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},Van waarde moet minder zijn dan waarde in rij {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,overboeking
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,overboeking
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Alles aanvinken
DocType: Vehicle Log,Invoice Ref,factuur Ref
DocType: Purchase Order,Recurring Order,Terugkerende Bestel
@@ -3066,52 +3086,55 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Bank en betalingen
,Welcome to ERPNext,Welkom bij ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Leiden tot Offerte
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Niets meer te zien.
DocType: Lead,From Customer,Van Klant
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Oproepen
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Oproepen
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,batches
DocType: Project,Total Costing Amount (via Time Logs),Totaal Costing bedrag (via Time Logs)
DocType: Purchase Order Item Supplied,Stock UOM,Voorraad Eenheid
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Inkooporder {0} is niet ingediend
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Inkooporder {0} is niet ingediend
DocType: Customs Tariff Number,Tariff Number,tarief Aantal
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,verwachte
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serienummer {0} behoort niet tot Magazijn {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Opmerking : Het systeem controleert niet over- levering en overboeking voor post {0} als hoeveelheid of bedrag 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Opmerking : Het systeem controleert niet over- levering en overboeking voor post {0} als hoeveelheid of bedrag 0
DocType: Notification Control,Quotation Message,Offerte Bericht
DocType: Employee Loan,Employee Loan Application,Werknemer lening aanvraag
DocType: Issue,Opening Date,Openingsdatum
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Aanwezigheid is met succes gemarkeerd.
+DocType: Program Enrollment,Public Transport,Openbaar vervoer
DocType: Journal Entry,Remark,Opmerking
DocType: Purchase Receipt Item,Rate and Amount,Tarief en Bedrag
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Account Type voor {0} moet {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Rekening Type voor {0} moet {1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,Bladeren en vakantie
DocType: School Settings,Current Academic Term,Huidige academische term
DocType: School Settings,Current Academic Term,Huidige academische term
DocType: Sales Order,Not Billed,Niet in rekening gebracht
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Beide magazijnen moeten tot hetzelfde bedrijf behoren
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Nog geen contacten toegevoegd.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Beide magazijnen moeten tot hetzelfde bedrijf behoren
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Nog geen contacten toegevoegd.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Vrachtkosten Voucher Bedrag
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Facturen van leveranciers.
DocType: POS Profile,Write Off Account,Afschrijvingsrekening
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Debietnota Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Korting Bedrag
DocType: Purchase Invoice,Return Against Purchase Invoice,Terug Tegen Purchase Invoice
DocType: Item,Warranty Period (in days),Garantieperiode (in dagen)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Relatie met Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Relatie met Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,De netto kasstroom uit operationele activiteiten
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,bijv. BTW
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,bijv. BTW
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Punt 4
DocType: Student Admission,Admission End Date,Toelating Einddatum
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Uitbesteding
-DocType: Journal Entry Account,Journal Entry Account,Inboeken Grootboekrekening
+DocType: Journal Entry Account,Journal Entry Account,Dagboek rekening
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,student Group
DocType: Shopping Cart Settings,Quotation Series,Offerte Series
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Een item bestaat met dezelfde naam ( {0} ) , wijzigt u de naam van het item groep of hernoem het item"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Maak een keuze van de klant
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Een item bestaat met dezelfde naam ( {0} ) , wijzigt u de naam van het item groep of hernoem het item"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Maak een keuze van de klant
DocType: C-Form,I,ik
DocType: Company,Asset Depreciation Cost Center,Asset Afschrijvingen kostenplaats
DocType: Sales Order Item,Sales Order Date,Verkooporder Datum
DocType: Sales Invoice Item,Delivered Qty,Geleverd Aantal
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Indien aangevinkt, zullen alle kinderen van elk artikel, worden opgenomen in de Material Verzoeken."
DocType: Assessment Plan,Assessment Plan,assessment Plan
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Magazijn {0}: Bedrijf is verplicht
DocType: Stock Settings,Limit Percent,Limit Procent
,Payment Period Based On Invoice Date,Betaling Periode gebaseerd op factuurdatum
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Ontbrekende Wisselkoersen voor {0}
@@ -3123,7 +3146,7 @@
DocType: Vehicle,Insurance Details,verzekering Details
DocType: Account,Payable,betaalbaar
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,Vul de aflossingsperiode
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Debiteuren ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Debiteuren ({0})
DocType: Pricing Rule,Margin,Marge
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Nieuwe klanten
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Brutowinst%
@@ -3134,16 +3157,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Party is verplicht
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,topic Naam
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Tenminste een van de verkopen of aankopen moeten worden gekozen
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Selecteer de aard van uw bedrijf.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Tenminste een van de verkopen of aankopen moeten worden gekozen
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Selecteer de aard van uw bedrijf.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Rij # {0}: Duplicate entry in Referenties {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Waar de productie-activiteiten worden uitgevoerd.
DocType: Asset Movement,Source Warehouse,Bron Magazijn
DocType: Installation Note,Installation Date,Installatie Datum
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Rij # {0}: Asset {1} hoort niet bij bedrijf {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Rij # {0}: Asset {1} hoort niet bij bedrijf {2}
DocType: Employee,Confirmation Date,Bevestigingsdatum
DocType: C-Form,Total Invoiced Amount,Totaal Gefactureerd bedrag
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Aantal kan niet groter zijn dan Max Aantal zijn
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Min Aantal kan niet groter zijn dan Max Aantal zijn
DocType: Account,Accumulated Depreciation,Cumulatieve afschrijvingen
DocType: Stock Entry,Customer or Supplier Details,Klant of leverancier Details
DocType: Employee Loan Application,Required by Date,Vereist door Date
@@ -3164,22 +3187,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Maandelijkse Verdeling Percentage
DocType: Territory,Territory Targets,Regio Doelen
DocType: Delivery Note,Transporter Info,Vervoerder Info
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Stel default {0} in Company {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Stel default {0} in Company {1}
DocType: Cheque Print Template,Starting position from top edge,Uitgangspositie van bovenrand
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Dezelfde leverancier is meerdere keren ingevoerd
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Bruto winst / verlies
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Inkooporder Artikel geleverd
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Bedrijfsnaam kan niet bedrijf zijn
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Bedrijfsnaam kan niet bedrijf zijn
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Briefhoofden voor print sjablonen.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Titels voor print sjablonen bijv. Proforma Factuur.
DocType: Student Guardian,Student Guardian,student Guardian
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Soort waardering kosten kunnen niet zo Inclusive gemarkeerd
DocType: POS Profile,Update Stock,Voorraad bijwerken
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Leverancier> Type leverancier
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Verschillende eenheden voor artikelen zal leiden tot een onjuiste (Totaal) Netto gewicht. Zorg ervoor dat Netto gewicht van elk artikel in dezelfde eenheid is.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Stuklijst tarief
-DocType: Asset,Journal Entry for Scrap,Inboeken voor afval
+DocType: Asset,Journal Entry for Scrap,Dagboek voor Productieverlies
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Haal aub artikelen uit de Vrachtbrief
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Journaalposten {0} zijn un-linked
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Journaalposten {0} zijn un-linked
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Record van alle communicatie van het type e-mail, telefoon, chat, bezoek, etc."
DocType: Manufacturer,Manufacturers used in Items,Fabrikanten gebruikt in Items
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Vermeld Ronde Off kostenplaats in Company
@@ -3228,34 +3252,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,Leverancier levert aan de Klant
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Vorm / Item / {0}) is niet op voorraad
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Volgende Date moet groter zijn dan Posting Date
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Toon tax break-up
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Verval- / Referentiedatum kan niet na {0} zijn
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Toon tax break-up
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Verval- / Referentiedatum kan niet na {0} zijn
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Gegevens importeren en exporteren
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","Stock inzendingen bestaan tegen Warehouse {0}, dus u kunt niet opnieuw toe te wijzen of aan te passen"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Geen studenten gevonden
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Geen studenten gevonden
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Factuur Boekingsdatum
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Verkopen
DocType: Sales Invoice,Rounded Total,Afgerond Totaal
DocType: Product Bundle,List items that form the package.,Lijst items die het pakket vormen.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Percentage toewijzing moet gelijk zijn aan 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,Selecteer Boekingsdatum voordat Party selecteren
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Selecteer Boekingsdatum voordat Party selecteren
DocType: Program Enrollment,School House,School House
DocType: Serial No,Out of AMC,Uit AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Selecteer alsjeblieft Offerte
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Selecteer alsjeblieft Offerte
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Selecteer alsjeblieft Offerte
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Selecteer alsjeblieft Offerte
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Aantal afschrijvingen geboekt kan niet groter zijn dan het totale aantal van de afschrijvingen zijn
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Maak Maintenance Visit
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,Neem dan contact op met de gebruiker die hebben Sales Master Manager {0} rol
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,Neem dan contact op met de gebruiker die hebben Sales Master Manager {0} rol
DocType: Company,Default Cash Account,Standaard Kasrekening
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Bedrijf ( geen klant of leverancier ) meester.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Dit is gebaseerd op de aanwezigheid van de Student
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Geen studenten in
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Geen studenten in
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Voeg meer items of geopend volledige vorm
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',Vul 'Verwachte leverdatum' in
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Vrachtbrief {0} moet worden geannuleerd voordat het annuleren van deze Verkooporder
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Betaald bedrag + Afgeschreven bedrag kan niet groter zijn dan Eindtotaal
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Betaald bedrag + Afgeschreven bedrag kan niet groter zijn dan Eindtotaal
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} is geen geldig batchnummer voor Artikel {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Opmerking: Er is niet genoeg verlofsaldo voor Verlof type {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,Ongeldige GSTIN of voer NA in voor niet-geregistreerde
DocType: Training Event,Seminar,congres
DocType: Program Enrollment Fee,Program Enrollment Fee,Programma inschrijvingsgeld
DocType: Item,Supplier Items,Leverancier Artikelen
@@ -3281,51 +3305,49 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Punt 3
DocType: Purchase Order,Customer Contact Email,E-mail Contactpersoon Klant
DocType: Warranty Claim,Item and Warranty Details,Item en garantie Details
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Artikelcode> Itemgroep> Merk
DocType: Sales Team,Contribution (%),Bijdrage (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Opmerking: De betaling wordt niet aangemaakt, aangezien de 'Kas- of Bankrekening' niet gespecificeerd is."
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Selecteer het programma om verplichte vakken te halen.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Selecteer het programma om verplichte vakken te halen.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Verantwoordelijkheden
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Verantwoordelijkheden
DocType: Expense Claim Account,Expense Claim Account,Declaratie Account
DocType: Sales Person,Sales Person Name,Verkoper Naam
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Vul tenminste 1 factuur in in de tabel
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Gebruikers toevoegen
DocType: POS Item Group,Item Group,Artikelgroep
DocType: Item,Safety Stock,Veiligheidsvoorraad
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Voortgang% voor een taak kan niet meer dan 100 zijn.
DocType: Stock Reconciliation Item,Before reconciliation,Voordat verzoening
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Naar {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Belastingen en Toeslagen toegevoegd (Bedrijfsvaluta)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Item Tax Rij {0} moet rekening houden met het type belasting of inkomsten of uitgaven of Chargeable
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Item Tax Rij {0} moet rekening houden met het type belasting of inkomsten of uitgaven of Chargeable
DocType: Sales Order,Partly Billed,Deels Gefactureerd
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Item {0} moet een post der vaste activa zijn
DocType: Item,Default BOM,Standaard Stuklijst
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,Gelieve re-type bedrijfsnaam te bevestigen
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Totale uitstaande Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Debietnota Bedrag
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Gelieve re-type bedrijfsnaam te bevestigen
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Totale uitstaande Amt
DocType: Journal Entry,Printing Settings,Instellingen afdrukken
DocType: Sales Invoice,Include Payment (POS),Inclusief Betaling (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Totaal Debet moet gelijk zijn aan Totaal Credit. Het verschil is {0}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Automotive
DocType: Vehicle,Insurance Company,Verzekeringsbedrijf
DocType: Asset Category Account,Fixed Asset Account,Fixed Asset Account
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,veranderlijk
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +389,Variable,Variabele
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.js +51,From Delivery Note,Van Vrachtbrief
DocType: Student,Student Email Address,Student e-mailadres
DocType: Timesheet Detail,From Time,Van Tijd
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Op voorraad:
DocType: Notification Control,Custom Message,Aangepast bericht
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investment Banking
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Kas- of Bankrekening is verplicht om een betaling aan te maken
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Studentenadres
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Studentenadres
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Kas- of Bankrekening is verplicht om een betaling aan te maken
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Gelieve op te stellen nummeringsreeks voor bijwonen via Setup> Nummerreeks
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentenadres
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentenadres
DocType: Purchase Invoice,Price List Exchange Rate,Prijslijst Wisselkoers
DocType: Purchase Invoice Item,Rate,Tarief
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,intern
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,Adres naam
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,intern
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,Adres naam
DocType: Stock Entry,From BOM,Van BOM
DocType: Assessment Code,Assessment Code,assessment Code
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Basis
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Basis
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Voorraadtransacties voor {0} zijn bevroren
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',Klik op 'Genereer Planning'
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","bijv. Kg, Stuks, Doos, Paar"
@@ -3335,11 +3357,11 @@
DocType: Salary Slip,Salary Structure,Salarisstructuur
DocType: Account,Bank,Bank
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,vliegmaatschappij
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Materiaal uitgeven
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Materiaal uitgeven
DocType: Material Request Item,For Warehouse,Voor Magazijn
DocType: Employee,Offer Date,Aanbieding datum
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Citaten
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Je bent in de offline modus. Je zult niet in staat om te herladen tot je netwerk.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,Je bent in de offline modus. Je zult niet in staat om te herladen tot je opnieuw verbonden bent met het netwerk.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Geen groepen studenten gecreëerd.
DocType: Purchase Invoice Item,Serial No,Serienummer
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Maandelijks te betalen bedrag kan niet groter zijn dan Leningen zijn
@@ -3347,8 +3369,8 @@
DocType: Purchase Invoice,Print Language,Print Taal
DocType: Salary Slip,Total Working Hours,Totaal aantal Werkuren
DocType: Stock Entry,Including items for sub assemblies,Inclusief items voor sub assemblies
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Voer waarde moet positief zijn
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Alle gebieden
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Voer waarde moet positief zijn
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Alle gebieden
DocType: Purchase Invoice,Items,Artikelen
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Student is reeds ingeschreven.
DocType: Fiscal Year,Year Name,Jaar Naam
@@ -3367,10 +3389,10 @@
DocType: Issue,Opening Time,Opening Tijd
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Van en naar data vereist
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Securities & Commodity Exchanges
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standaard maateenheid voor Variant '{0}' moet hetzelfde zijn als in zijn Template '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standaard maateenheid voor Variant '{0}' moet hetzelfde zijn als in zijn Template '{1}'
DocType: Shipping Rule,Calculate Based On,Berekenen gebaseerd op
DocType: Delivery Note Item,From Warehouse,Van Warehouse
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Geen Items met Bill of Materials voor fabricage
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Geen Items met Bill of Materials voor fabricage
DocType: Assessment Plan,Supervisor Name,supervisor Naam
DocType: Program Enrollment Course,Program Enrollment Course,Programma Inschrijvingscursus
DocType: Program Enrollment Course,Program Enrollment Course,Programma Inschrijvingscursus
@@ -3386,18 +3408,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Dagen sinds laatste opdracht' moet groter of gelijk zijn aan nul
DocType: Process Payroll,Payroll Frequency,payroll Frequency
DocType: Asset,Amended From,Gewijzigd Van
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,grondstof
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,grondstof
DocType: Leave Application,Follow via Email,Volg via e-mail
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Installaties en Machines
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Installaties en Machines
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Belasting bedrag na korting
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Dagelijks Werk Samenvatting Instellingen
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Munteenheid van de prijslijst {0} is niet vergelijkbaar met de geselecteerde valuta {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Munteenheid van de prijslijst {0} is niet vergelijkbaar met de geselecteerde valuta {1}
DocType: Payment Entry,Internal Transfer,Interne overplaatsing
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Onderliggende rekening bestaat voor deze rekening. U kunt deze niet verwijderen .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Onderliggende rekening bestaat voor deze rekening. U kunt deze niet verwijderen .
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Ofwel doelwit aantal of streefbedrag is verplicht
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Er bestaat geen standaard Stuklijst voor Artikel {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Er bestaat geen standaard Stuklijst voor Artikel {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Selecteer Boekingsdatum eerste
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Openingsdatum moeten vóór Sluitingsdatum
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Stel Naming Series in voor {0} via Setup> Settings> Naming Series
DocType: Leave Control Panel,Carry Forward,Carry Forward
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Kostenplaats met bestaande transacties kan niet worden omgezet naar grootboek
DocType: Department,Days for which Holidays are blocked for this department.,Dagen waarvoor feestdagen zijn geblokkeerd voor deze afdeling.
@@ -3407,11 +3430,10 @@
DocType: Issue,Raised By (Email),Opgevoerd door (E-mail)
DocType: Training Event,Trainer Name,trainer Naam
DocType: Mode of Payment,General,Algemeen
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Bevestig briefhoofd
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Laatste Communicatie
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Laatste Communicatie
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Kan niet aftrekken als categorie is voor ' Valuation ' of ' Valuation en Total '
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lijst uw fiscale koppen (bv BTW, douane etc, ze moeten unieke namen hebben) en hun standaard tarieven. Dit zal een standaard template, die u kunt bewerken en voeg later meer te creëren."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lijst uw fiscale koppen (bv BTW, douane etc, ze moeten unieke namen hebben) en hun standaard tarieven. Dit zal een standaard template, die u kunt bewerken en voeg later meer te creëren."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Volgnummers zijn vereist voor Seriegebonden Artikel {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Match Betalingen met Facturen
DocType: Journal Entry,Bank Entry,Bank Invoer
@@ -3420,16 +3442,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,In winkelwagen
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Groeperen volgens
DocType: Guardian,Interests,Interesses
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,In- / uitschakelen valuta .
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,In- / uitschakelen valuta .
DocType: Production Planning Tool,Get Material Request,Krijg Materiaal Request
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Portokosten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Portokosten
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Totaal (Amt)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Entertainment & Vrije Tijd
DocType: Quality Inspection,Item Serial No,Artikel Serienummer
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Maak Employee Records
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Totaal Present
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Boekhouding Jaarrekening
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,uur
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,uur
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nieuw Serienummer kan geen Magazijn krijgen. Magazijn moet via Voorraad Invoer of Ontvangst worden ingesteld.
DocType: Lead,Lead Type,Lead Type
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,U bent niet bevoegd om afwezigheid goed te keuren op Block Dates
@@ -3441,6 +3463,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,De nieuwe Stuklijst na vervanging
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Point of Sale
DocType: Payment Entry,Received Amount,ontvangen Bedrag
+DocType: GST Settings,GSTIN Email Sent On,GSTIN Email Sent On
+DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop door Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Maak voor de volledige hoeveelheid, het negeren van de hoeveelheid reeds bestelde"
DocType: Account,Tax,Belasting
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,ongemerkt
@@ -3454,7 +3478,7 @@
DocType: Batch,Source Document Name,Bron Document Naam
DocType: Job Opening,Job Title,Functietitel
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Gebruikers maken
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,Gram
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,Gram
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Hoeveelheid voor fabricage moet groter dan 0 zijn.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Bezoek rapport voor onderhoud gesprek.
DocType: Stock Entry,Update Rate and Availability,Update snelheid en beschikbaarheid
@@ -3462,7 +3486,7 @@
DocType: POS Customer Group,Customer Group,Klantengroep
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Nieuw batch-id (optioneel)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Nieuw batch-id (optioneel)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Kostenrekening is verplicht voor artikel {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Kostenrekening is verplicht voor artikel {0}
DocType: BOM,Website Description,Website Beschrijving
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Netto wijziging in het eigen vermogen
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Annuleer Purchase Invoice {0} eerste
@@ -3472,8 +3496,8 @@
,Sales Register,Verkoopregister
DocType: Daily Work Summary Settings Company,Send Emails At,Stuur e-mails
DocType: Quotation,Quotation Lost Reason,Reden verlies van Offerte
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Kies uw domeinnaam
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Transactiereferentie geen {0} van {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Kies uw domeinnaam
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Transactiereferentie geen {0} van {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Er is niets om te bewerken .
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Samenvatting voor deze maand en in afwachting van activiteiten
DocType: Customer Group,Customer Group Name,Klant Groepsnaam
@@ -3481,14 +3505,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Kasstroomoverzicht
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Geleende bedrag kan niet hoger zijn dan maximaal bedrag van de lening van {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licentie
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},Verwijder dit Invoice {0} van C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},Verwijder dit Invoice {0} van C-Form {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Selecteer Carry Forward als u ook wilt opnemen vorige boekjaar uit balans laat dit fiscale jaar
DocType: GL Entry,Against Voucher Type,Tegen Voucher Type
DocType: Item,Attributes,Attributen
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,Voer Afschrijvingenrekening in
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Voer Afschrijvingenrekening in
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Laatste Bestel Date
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Account {0} behoort niet tot bedrijf {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Serienummers in rij {0} komt niet overeen met bezorgingsnota
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Serienummers in rij {0} komt niet overeen met bezorgingsnota
DocType: Student,Guardian Details,Guardian Details
DocType: C-Form,C-Form,C-Form
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark Attendance voor meerdere medewerkers
@@ -3503,16 +3527,16 @@
DocType: Budget Account,Budget Amount,budget Bedrag
DocType: Appraisal Template,Appraisal Template Title,Beoordeling Template titel
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Van Date {0} Werknemersverzekeringen {1} kan niet vóór de toetreding tot Date werknemer {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,commercieel
-DocType: Payment Entry,Account Paid To,Rekening Paid To
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,commercieel
+DocType: Payment Entry,Account Paid To,Rekening betaald aan
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Ouder Item {0} moet een Stock Item niet
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Alle producten of diensten.
DocType: Expense Claim,More Details,Meer details
DocType: Supplier Quotation,Supplier Address,Adres Leverancier
-apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Budget voor Account {1} tegen {2} {3} is {4}. Het zal overschrijden {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Rij {0} # Account moet van het type zijn 'Vaste Activa'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,out Aantal
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Regels om verzendkosten te berekenen voor een verkooptransactie
+apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Budget voor Account {1} tegen {2} {3} is {4}. Het zal overschrijden tegen {5}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Rij {0} # Account moet van het type zijn 'Vaste Activa'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,out Aantal
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Regels om verzendkosten te berekenen voor een verkooptransactie
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Reeks is verplicht
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Financiële Dienstverlening
DocType: Student Sibling,Student ID,student ID
@@ -3520,13 +3544,13 @@
DocType: Tax Rule,Sales,Verkoop
DocType: Stock Entry Detail,Basic Amount,Basisbedrag
DocType: Training Event,Exam,tentamen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Magazijn nodig voor voorraad Artikel {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Magazijn nodig voor voorraad Artikel {0}
DocType: Leave Allocation,Unused leaves,Ongebruikte afwezigheden
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,Billing State
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Verplaatsen
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} niet geassocieerd met Party Account {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Haal uitgeklapte Stuklijst op (inclusief onderdelen)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} niet geassocieerd met Party Account {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Haal uitgeklapte Stuklijst op (inclusief onderdelen)
DocType: Authorization Rule,Applicable To (Employee),Van toepassing zijn op (Werknemer)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Vervaldatum is verplicht
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Toename voor Attribute {0} kan niet worden 0
@@ -3554,7 +3578,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Grondstof Artikelcode
DocType: Journal Entry,Write Off Based On,Afschrijving gebaseerd op
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,maak Lead
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Print en stationaire
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Print en stationaire
DocType: Stock Settings,Show Barcode Field,Show streepjescodeveld
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Stuur Leverancier Emails
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Salaris al verwerkt voor de periode tussen {0} en {1}, Laat aanvraagperiode kan niet tussen deze periode."
@@ -3562,14 +3586,16 @@
DocType: Guardian Interest,Guardian Interest,Guardian Interest
apps/erpnext/erpnext/config/hr.py +177,Training,Opleiding
DocType: Timesheet,Employee Detail,werknemer Detail
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 Email ID
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 Email ID
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,dag Volgende Date's en Herhalen op dag van de maand moet gelijk zijn
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Instellingen voor website homepage
DocType: Offer Letter,Awaiting Response,Wachten op antwoord
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Boven
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Boven
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},Ongeldige eigenschap {0} {1}
DocType: Supplier,Mention if non-standard payable account,Noem als niet-standaard betaalbaar account
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Hetzelfde item is meerdere keren ingevoerd. {lijst}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Selecteer de beoordelingsgroep anders dan 'Alle beoordelingsgroepen'
DocType: Salary Slip,Earning & Deduction,Verdienen & Aftrek
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Optioneel. Deze instelling wordt gebruikt om te filteren op diverse transacties .
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Negatieve Waarderingstarief is niet toegestaan
@@ -3583,9 +3609,9 @@
DocType: Sales Invoice,Product Bundle Help,Product Bundel Help
,Monthly Attendance Sheet,Maandelijkse Aanwezigheids Sheet
DocType: Production Order Item,Production Order Item,Productieorder Item
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Geen record gevonden
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Geen record gevonden
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Kosten van Gesloopt Asset
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: kostenplaats is verplicht voor Artikel {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: kostenplaats is verplicht voor Artikel {2}
DocType: Vehicle,Policy No,beleid Geen
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Krijg Items uit Product Bundle
DocType: Asset,Straight Line,Rechte lijn
@@ -3594,7 +3620,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,spleet
DocType: GL Entry,Is Advance,Is voorschot
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Aanwezigheid Van Datum en Aanwezigheid Tot Datum zijn verplicht.
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,Vul 'Is Uitbesteed' in als Ja of Nee
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,Vul 'Is Uitbesteed' in als Ja of Nee
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Laatste Communicatie Datum
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Laatste Communicatie Datum
DocType: Sales Team,Contact No.,Contact Nr
@@ -3623,63 +3649,64 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,opening Value
DocType: Salary Detail,Formula,Formule
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Commissie op de verkoop
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Commissie op de verkoop
DocType: Offer Letter Term,Value / Description,Waarde / Beschrijving
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rij # {0}: Asset {1} kan niet worden ingediend, is het al {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rij # {0}: Asset {1} kan niet worden ingediend, is het al {2}"
DocType: Tax Rule,Billing Country,Land
DocType: Purchase Order Item,Expected Delivery Date,Verwachte leverdatum
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debet en Credit niet gelijk voor {0} # {1}. Verschil {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Representatiekosten
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Maak Material Request
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Representatiekosten
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Maak Material Request
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Open Item {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Verkoopfactuur {0} moet worden geannuleerd voordat deze verkooporder kan worden geannuleerd.
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Leeftijd
DocType: Sales Invoice Timesheet,Billing Amount,Factuurbedrag
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Ongeldig aantal opgegeven voor artikel {0} . Hoeveelheid moet groter zijn dan 0 .
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Aanvragen voor verlof.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Rekening met bestaande transactie kan niet worden verwijderd
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Rekening met bestaande transactie kan niet worden verwijderd
DocType: Vehicle,Last Carbon Check,Laatste Carbon controleren
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Juridische Kosten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Juridische Kosten
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Selecteer alstublieft de hoeveelheid op rij
DocType: Purchase Invoice,Posting Time,Plaatsing Time
DocType: Timesheet,% Amount Billed,% Gefactureerd Bedrag
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Telefoonkosten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Telefoonkosten
DocType: Sales Partner,Logo,Logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Controleer dit als u wilt dwingen de gebruiker om een reeks voor het opslaan te selecteren. Er zal geen standaard zijn als je dit controleren.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Geen Artikel met Serienummer {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Geen Artikel met Serienummer {0}
DocType: Email Digest,Open Notifications,Open Meldingen
DocType: Payment Entry,Difference Amount (Company Currency),Verschil Bedrag (Company Munt)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Directe Kosten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Directe Kosten
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} is een ongeldig e-mailadres in 'Kennisgeving \ e-mailadres'
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Nieuwe klant Revenue
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Reiskosten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Reiskosten
DocType: Maintenance Visit,Breakdown,Storing
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Account: {0} met valuta: {1} kan niet worden geselecteerd
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Account: {0} met valuta: {1} kan niet worden geselecteerd
DocType: Bank Reconciliation Detail,Cheque Date,Cheque Datum
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Rekening {0}: Bovenliggende rekening {1} hoort niet bij bedrijf: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Rekening {0}: Bovenliggende rekening {1} hoort niet bij bedrijf: {2}
DocType: Program Enrollment Tool,Student Applicants,student Aanvragers
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Succesvol verwijderd alle transacties met betrekking tot dit bedrijf!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Succesvol verwijderd alle transacties met betrekking tot dit bedrijf!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Op Date
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,inschrijfdatum
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,proeftijd
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,proeftijd
apps/erpnext/erpnext/config/hr.py +115,Salary Components,salaris Components
DocType: Program Enrollment Tool,New Academic Year,New Academisch Jaar
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Return / Credit Note
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Return / Credit Note
DocType: Stock Settings,Auto insert Price List rate if missing,Auto insert Prijslijst tarief als vermist
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Totale betaalde bedrag
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Totale betaalde bedrag
DocType: Production Order Item,Transferred Qty,Verplaatst Aantal
apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigeren
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,planning
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Uitgegeven
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,planning
+DocType: Material Request,Issued,Uitgegeven
DocType: Project,Total Billing Amount (via Time Logs),Totaal factuurbedrag (via Time Logs)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Wij verkopen dit artikel
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Leverancier Id
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Wij verkopen dit artikel
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Leverancier Id
DocType: Payment Request,Payment Gateway Details,Payment Gateway Details
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Hoeveelheid moet groter zijn dan 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Hoeveelheid moet groter zijn dan 0
DocType: Journal Entry,Cash Entry,Cash Entry
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Child nodes kunnen alleen worden gemaakt op grond van het type nodes 'Groep'
-DocType: Leave Application,Half Day Date,Halve dag Date
+DocType: Leave Application,Half Day Date,Halve dag datum
DocType: Academic Year,Academic Year Name,Academisch jaar naam
DocType: Sales Partner,Contact Desc,Contact Omschr
apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Type verloven zoals, buitengewoon, ziekte, etc."
@@ -3688,14 +3715,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Stel standaard account aan Expense conclusie Type {0}
DocType: Assessment Result,Student Name,Studenten naam
DocType: Brand,Item Manager,Item Manager
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,payroll Payable
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,payroll Payable
DocType: Buying Settings,Default Supplier Type,Standaard Leverancier Type
DocType: Production Order,Total Operating Cost,Totale exploitatiekosten
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Opmerking : Artikel {0} meerdere keren ingevoerd
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Alle contactpersonen.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Bedrijf afkorting
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Bedrijf afkorting
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Gebruiker {0} bestaat niet
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,Grondstof kan niet hetzelfde zijn als hoofdartikel
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Grondstof kan niet hetzelfde zijn als hoofdartikel
DocType: Item Attribute Value,Abbreviation,Afkorting
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Betaling Entry bestaat al
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Niet toegestaan aangezien {0} grenzen overschrijdt
@@ -3704,35 +3731,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Stel Tax Regel voor winkelmandje
DocType: Purchase Invoice,Taxes and Charges Added,Belastingen en Toeslagen toegevoegd
,Sales Funnel,Verkoop Trechter
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Afkorting is verplicht
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Afkorting is verplicht
DocType: Project,Task Progress,Task Progress
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Kar
,Qty to Transfer,Aantal te verplaatsen
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Offertes naar leads of klanten.
DocType: Stock Settings,Role Allowed to edit frozen stock,Rol toegestaan om bevroren voorraden bewerken
,Territory Target Variance Item Group-Wise,Regio Doel Variance Artikel Groepsgewijs
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Alle Doelgroepen
-apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,verzameld Maandelijkse
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} is verplicht. Misschien is Valuta Koers record niet gemaakt voor {1} naar {2}.
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Alle Doelgroepen
+apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Maandelijks geaccumuleerd
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} is verplicht. Misschien is Valuta Koers record niet gemaakt voor {1} naar {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Belasting Template is verplicht.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Rekening {0}: Bovenliggende rekening {1} bestaat niet
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Rekening {0}: Bovenliggende rekening {1} bestaat niet
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Prijslijst Tarief (Bedrijfsvaluta)
DocType: Products Settings,Products Settings,producten Instellingen
DocType: Account,Temporary,Tijdelijk
DocType: Program,Courses,cursussen
DocType: Monthly Distribution Percentage,Percentage Allocation,Percentage Toewijzing
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,secretaresse
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,secretaresse
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Als uitschakelen, 'In de woorden' veld niet zichtbaar in elke transactie"
DocType: Serial No,Distinct unit of an Item,Aanwijsbare eenheid van een Artikel
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Stel alsjeblieft bedrijf in
DocType: Pricing Rule,Buying,Inkoop
DocType: HR Settings,Employee Records to be created by,Werknemer Records worden gecreëerd door
DocType: POS Profile,Apply Discount On,Breng Korting op
,Reqd By Date,Benodigd op datum
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Crediteuren
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Crediteuren
DocType: Assessment Plan,Assessment Name,assessment Naam
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Rij # {0}: Serienummer is verplicht
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Artikelgebaseerde BTW Details
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Instituut Afkorting
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Instituut Afkorting
,Item-wise Price List Rate,Artikelgebaseerde Prijslijst Tarief
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Leverancier Offerte
DocType: Quotation,In Words will be visible once you save the Quotation.,In Woorden zijn zichtbaar zodra u de Offerte opslaat.
@@ -3740,14 +3768,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Hoeveelheid ({0}) kan geen fractie in rij {1} zijn
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,Verzamel Vergoedingen
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Barcode {0} is al gebruikt in het Item {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barcode {0} is al gebruikt in het Item {1}
DocType: Lead,Add to calendar on this date,Toevoegen aan agenda op deze datum
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Regels voor het toevoegen van verzendkosten.
DocType: Item,Opening Stock,Opening Stock
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Klant is verplicht
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} is verplicht voor Return
DocType: Purchase Order,To Receive,Ontvangen
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Persoonlijke e-mail
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Total Variance
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Indien aangevinkt, zal het systeem voorraadboekingen automatisch plaatsen."
@@ -3759,13 +3786,14 @@
DocType: Customer,From Lead,Van Lead
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Orders vrijgegeven voor productie.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Selecteer boekjaar ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS profiel nodig om POS Entry maken
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS profiel nodig om POS Entry maken
DocType: Program Enrollment Tool,Enroll Students,inschrijven Studenten
DocType: Hub Settings,Name Token,Naam Token
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standaard Verkoop
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Tenminste een magazijn is verplicht
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Tenminste een magazijn is verplicht
DocType: Serial No,Out of Warranty,Uit de garantie
DocType: BOM Replace Tool,Replace,Vervang
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Geen producten gevonden.
DocType: Production Order,Unstopped,ontsloten
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} tegen verkoopfactuur {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3776,13 +3804,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Voorraad Waarde Verschil
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Human Resource
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Afletteren Betaling
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Belastingvorderingen
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Belastingvorderingen
DocType: BOM Item,BOM No,Stuklijst nr.
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Journal Entry {0} heeft geen rekening {1} of al vergeleken met andere voucher
DocType: Item,Moving Average,Moving Average
DocType: BOM Replace Tool,The BOM which will be replaced,De Stuklijst die zal worden vervangen
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,elektronische apparatuur
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,elektronische apparatuur
DocType: Account,Debit,Debet
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Verloven moeten in veelvouden van 0,5 worden toegewezen"
DocType: Production Order,Operation Cost,Operatie Cost
@@ -3790,7 +3818,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Openstaande Amt
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Set richt Item Group-wise voor deze verkoper.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Bevries Voorraden ouder dan [dagen]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Rij # {0}: Asset is verplicht voor vaste activa aankoop / verkoop
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Rij # {0}: Asset is verplicht voor vaste activa aankoop / verkoop
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Als twee of meer Pricing Regels zijn gevonden op basis van de bovenstaande voorwaarden, wordt prioriteit toegepast. Prioriteit is een getal tussen 0 en 20, terwijl standaardwaarde nul (blanco). Hoger aantal betekent dat het voorrang krijgen als er meerdere prijzen Regels met dezelfde voorwaarden."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Boekjaar: {0} bestaat niet
DocType: Currency Exchange,To Currency,Naar Valuta
@@ -3799,7 +3827,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Verkoopprijs voor item {0} is lager dan de {1}. Verkoopprijs moet ten minste {2} zijn
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Verkoopprijs voor item {0} is lager dan de {1}. Verkoopprijs moet ten minste {2} zijn
DocType: Item,Taxes,Belastingen
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Betaald en niet geleverd
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Betaald en niet geleverd
DocType: Project,Default Cost Center,Standaard Kostenplaats
DocType: Bank Guarantee,End Date,Einddatum
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Stock Transactions
@@ -3821,27 +3849,25 @@
DocType: Assessment Group,Parent Assessment Group,Parent Assessment Group
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,Jobs
,Sales Order Trends,Verkooporder Trends
-DocType: Employee,Held On,Held Op
+DocType: Employee,Held On,Heeft plaatsgevonden op
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Productie Item
,Employee Information,Werknemer Informatie
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Tarief (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Tarief (%)
DocType: Stock Entry Detail,Additional Cost,Bijkomende kosten
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Boekjaar Einddatum
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Kan niet filteren op basis van vouchernummer, indien gegroepeerd per voucher"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Maak Leverancier Offerte
DocType: Quality Inspection,Incoming,Inkomend
DocType: BOM,Materials Required (Exploded),Benodigde materialen (uitgeklapt)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Gebruikers toe te voegen aan uw organisatie, anders dan jezelf"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Posting datum kan niet de toekomst datum
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Rij # {0}: Serienummer {1} komt niet overeen met {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Casual Leave
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Casual Leave
DocType: Batch,Batch ID,Partij ID
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Opmerking : {0}
,Delivery Note Trends,Vrachtbrief Trends
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Samenvatting van deze week
-,In Stock Qty,Op voorraad Aantal
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Op voorraad Aantal
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Account: {0} kan alleen worden bijgewerkt via Voorraad Transacties
-DocType: Program Enrollment,Get Courses,krijg Cursussen
+DocType: Student Group Creation Tool,Get Courses,krijg Cursussen
DocType: GL Entry,Party,Partij
DocType: Sales Order,Delivery Date,Leveringsdatum
DocType: Opportunity,Opportunity Date,Datum opportuniteit
@@ -3849,14 +3875,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Offerte Item
DocType: Purchase Order,To Bill,Bill
DocType: Material Request,% Ordered,% Besteld
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",Voor cursusgerichte studentengroep wordt de cursus voor elke student gevalideerd van de ingeschreven cursussen in de inschrijving van het programma.
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","E-mailadres invoeren gescheiden door komma's, zal de factuur automatisch worden gemaild op bepaalde datum"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,stukwerk
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,stukwerk
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Gem. Buying Rate
DocType: Task,Actual Time (in Hours),Werkelijke tijd (in uren)
DocType: Employee,History In Company,Geschiedenis In Bedrijf
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Nieuwsbrieven
DocType: Stock Ledger Entry,Stock Ledger Entry,Voorraad Dagboek post
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klant> Klantengroep> Territorium
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Hetzelfde artikel is meerdere keren ingevoerd
DocType: Department,Leave Block List,Verlof bloklijst
DocType: Sales Invoice,Tax ID,BTW-nummer
@@ -3871,30 +3897,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} eenheden van {1} die nodig zijn in {2} om deze transactie te voltooien.
DocType: Loan Type,Rate of Interest (%) Yearly,Rate of Interest (%) Jaarlijkse
DocType: SMS Settings,SMS Settings,SMS-instellingen
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Tijdelijke Accounts
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Zwart
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Tijdelijke Accounts
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Zwart
DocType: BOM Explosion Item,BOM Explosion Item,Stuklijst Uitklap Artikel
DocType: Account,Auditor,Revisor
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} items geproduceerd
DocType: Cheque Print Template,Distance from top edge,Afstand van bovenrand
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Prijslijst {0} is uitgeschakeld of bestaat niet
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Prijslijst {0} is uitgeschakeld of bestaat niet
DocType: Purchase Invoice,Return,Terugkeer
DocType: Production Order Operation,Production Order Operation,Productie Order Operatie
DocType: Pricing Rule,Disable,Uitschakelen
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Wijze van betaling is vereist om een betaling te doen
DocType: Project Task,Pending Review,In afwachting van Beoordeling
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} is niet ingeschreven in de partij {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} kan niet worden gesloopt, want het is al {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Total Expense Claim (via Expense Claim)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Klantnummer
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Afwezig
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rij {0}: Munt van de BOM # {1} moet gelijk zijn aan de geselecteerde valuta zijn {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rij {0}: Munt van de BOM # {1} moet gelijk zijn aan de geselecteerde valuta zijn {2}
DocType: Journal Entry Account,Exchange Rate,Wisselkoers
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Verkooporder {0} is niet ingediend
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Verkooporder {0} is niet ingediend
DocType: Homepage,Tag Line,tag Line
DocType: Fee Component,Fee Component,fee Component
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Vloot beheer
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Items uit voegen
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Magazijn {0}: Bovenliggende rekening {1} behoort niet tot bedrijf {2}
DocType: Cheque Print Template,Regular,regelmatig
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Totaal weightage van alle beoordelingscriteria moet 100% zijn
DocType: BOM,Last Purchase Rate,Laatste inkooptarief
@@ -3903,11 +3928,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Voorraad kan niet bestaan voor Artikel {0} omdat het varianten heeft.
,Sales Person-wise Transaction Summary,Verkopergebaseerd Transactie Overzicht
DocType: Training Event,Contact Number,Contact nummer
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Magazijn {0} bestaat niet
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Magazijn {0} bestaat niet
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Inschrijven Voor ERPNext Hub
DocType: Monthly Distribution,Monthly Distribution Percentages,Maandelijkse Verdeling Percentages
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Het geselecteerde item kan niet Batch hebben
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Waardering tarief niet gevonden voor het artikel {0}, die nodig is om boekingen te doen {1} {2}. Als het item wordt transacties als een monster punt in de {1}, gelieve dat in de {1} Item tafel. Zo niet, maak dan een inkomend aandelen transactie voor het item of de vermelding waardering tarief in de Item record, en dan proberen submiting / annuleren van dit item"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Waardering tarief niet gevonden voor het artikel {0}, die nodig is om boekingen te doen {1} {2}. Als het item wordt transacties als een monster punt in de {1}, gelieve dat in de {1} Item tafel. Zo niet, maak dan een inkomend aandelen transactie voor het item of de vermelding waardering tarief in de Item record, en dan proberen submiting / annuleren van dit item"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% van de geleverde materialen voor deze Vrachtbrief
DocType: Project,Customer Details,Klant Details
DocType: Employee,Reports to,Rapporteert aan
@@ -3915,24 +3940,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Voer URL-parameter voor de ontvanger nos
DocType: Payment Entry,Paid Amount,Betaald Bedrag
DocType: Assessment Plan,Supervisor,opzichter
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Online
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,Online
,Available Stock for Packing Items,Beschikbaar voor Verpakking Items
DocType: Item Variant,Item Variant,Artikel Variant
DocType: Assessment Result Tool,Assessment Result Tool,Assessment Result Tool
DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Ingezonden bestellingen kunnen niet worden verwijderd
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Accountbalans reeds in Debet, 'Balans moet zijn' mag niet als 'Credit' worden ingesteld"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Quality Management
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Ingezonden bestellingen kunnen niet worden verwijderd
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Accountbalans reeds in Debet, 'Balans moet zijn' mag niet als 'Credit' worden ingesteld"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Quality Management
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Item {0} is uitgeschakeld
DocType: Employee Loan,Repay Fixed Amount per Period,Terugbetalen vast bedrag per periode
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Vul het aantal in voor artikel {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Credit Note Amt
DocType: Employee External Work History,Employee External Work History,Werknemer Externe Werk Geschiedenis
DocType: Tax Rule,Purchase,Inkopen
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Balans Aantal
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Balans Aantal
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Goals mag niet leeg zijn
DocType: Item Group,Parent Item Group,Bovenliggende Artikelgroep
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} voor {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Kostenplaatsen
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Kostenplaatsen
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Koers waarmee de leverancier valuta wordt omgerekend naar de basis bedrijfsvaluta
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Rij #{0}: Tijden conflicteren met rij {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Zero waarderingspercentage toestaan
@@ -3940,17 +3966,18 @@
DocType: Training Event Employee,Invited,Uitgenodigd
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Meerdere actieve Salaris Structuren gevonden voor werknemer {0} de uitgekozen datum
DocType: Opportunity,Next Contact,Volgende Contact
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Setup Gateway accounts.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Setup Gateway accounts.
DocType: Employee,Employment Type,Dienstverband Type
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Vaste Activa
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Vaste Activa
DocType: Payment Entry,Set Exchange Gain / Loss,Stel Exchange winst / verlies
+,GST Purchase Register,GST Aankoopregister
,Cash Flow,Cashflow
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Aanvraagperiode kan niet over twee alocation platen
DocType: Item Group,Default Expense Account,Standaard Kostenrekening
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Student Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student Email ID
DocType: Employee,Notice (days),Kennisgeving ( dagen )
DocType: Tax Rule,Sales Tax Template,Sales Tax Template
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Selecteer items om de factuur te slaan
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Selecteer items om de factuur te slaan
DocType: Employee,Encashment Date,Betalingsdatum
DocType: Training Event,Internet,internet
DocType: Account,Stock Adjustment,Voorraad aanpassing
@@ -3979,7 +4006,7 @@
DocType: Guardian,Guardian Of ,Beschermer van
DocType: Grading Scale Interval,Threshold,Drempel
DocType: BOM Replace Tool,Current BOM,Huidige Stuklijst
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Voeg Serienummer toe
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Voeg Serienummer toe
apps/erpnext/erpnext/config/support.py +22,Warranty,Garantie
DocType: Purchase Invoice,Debit Note Issued,Debetnota
DocType: Production Order,Warehouses,Magazijnen
@@ -3988,20 +4015,20 @@
DocType: Workstation,per hour,per uur
apps/erpnext/erpnext/config/buying.py +7,Purchasing,inkoop
DocType: Announcement,Announcement,Mededeling
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Rekening voor het magazijn wordt aangemaakt onder deze rekening.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Magazijn kan niet worden verwijderd omdat er voorraadboekingen zijn voor dit magazijn.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",Voor Batch-based Student Group wordt de Student Batch voor elke student gevalideerd van de Programma Inschrijving.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Magazijn kan niet worden verwijderd omdat er voorraadboekingen zijn voor dit magazijn.
DocType: Company,Distribution,Distributie
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Betaald bedrag
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Project Manager
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Project Manager
,Quoted Item Comparison,Geciteerd Item Vergelijking
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Dispatch
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Maximale korting toegestaan voor artikel: {0} is {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Dispatch
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Maximale korting toegestaan voor artikel: {0} is {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Intrinsieke waarde Op
DocType: Account,Receivable,Vordering
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Rij # {0}: Niet toegestaan om van leverancier te veranderen als bestelling al bestaat
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Rij # {0}: Niet toegestaan om van leverancier te veranderen als bestelling al bestaat
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rol welke is toegestaan om transacties in te dienen die gestelde kredietlimieten overschrijden .
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Selecteer Items voor fabricage
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master data synchronisatie, kan het enige tijd duren"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Selecteer Items voor fabricage
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master data synchronisatie, kan het enige tijd duren"
DocType: Item,Material Issue,Materiaal uitgifte
DocType: Hub Settings,Seller Description,Verkoper Beschrijving
DocType: Employee Education,Qualification,Kwalificatie
@@ -4021,7 +4048,6 @@
DocType: BOM,Rate Of Materials Based On,Prijs van materialen op basis van
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Support Analyse
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Verwijder het vinkje bij alle
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Bedrijf ontbreekt in magazijnen {0}
DocType: POS Profile,Terms and Conditions,Algemene Voorwaarden
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Tot Datum moet binnen het boekjaar vallenn. Ervan uitgaande dat Tot Datum = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Hier kunt u onderhouden lengte, gewicht, allergieën, medische zorgen, enz."
@@ -4036,18 +4062,17 @@
DocType: Sales Order Item,For Production,Voor Productie
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Bekijk Task
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Uw financiële jaar begint op
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Asset Afschrijvingen en Weegschalen
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Bedrag {0} {1} overgebracht van {2} naar {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Bedrag {0} {1} overgebracht van {2} naar {3}
DocType: Sales Invoice,Get Advances Received,Get ontvangen voorschotten
DocType: Email Digest,Add/Remove Recipients,Toevoegen / verwijderen Ontvangers
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Transactie niet toegestaan met gestopte productieorder {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Transactie niet toegestaan met gestopte productieorder {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Om dit boekjaar in te stellen als standaard, klik op 'Als standaard instellen'"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,toetreden
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Indiensttreding
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Tekort Aantal
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Artikel variant {0} bestaat met dezelfde kenmerken
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Artikel variant {0} bestaat met dezelfde kenmerken
DocType: Employee Loan,Repay from Salary,Terugbetalen van Loon
DocType: Leave Application,LAP/,RONDE/
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Betalingsverzoeken tegen {0} {1} van {2} bedrag
@@ -4058,34 +4083,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Genereren van pakbonnen voor pakketten te leveren. Gebruikt voor pakket nummer, inhoud van de verpakking en het gewicht te melden."
DocType: Sales Invoice Item,Sales Order Item,Verkooporder Artikel
DocType: Salary Slip,Payment Days,Betaling Dagen
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Warehouses met kind nodes kunnen niet worden geconverteerd naar grootboek
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Warehouses met kind nodes kunnen niet worden geconverteerd naar grootboek
DocType: BOM,Manage cost of operations,Beheer kosten van de operaties
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Als de aangevinkte transacties worden ""Ingediend"", wordt een e-mail pop-up automatisch geopend om een e-mail te sturen naar de bijbehorende ""Contact"" in deze transactie, met de transactie als bijlage. De gebruiker heeft vervolgens de optie om de e-mail wel of niet te verzenden."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Global Settings
DocType: Assessment Result Detail,Assessment Result Detail,Assessment Resultaat Detail
DocType: Employee Education,Employee Education,Werknemer Opleidingen
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Duplicate artikelgroep gevonden in de artikelgroep tafel
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,Het is nodig om Item Details halen.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,Het is nodig om Item Details halen.
DocType: Salary Slip,Net Pay,Nettoloon
DocType: Account,Account,Rekening
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Serienummer {0} is reeds ontvangen
,Requested Items To Be Transferred,Aangevraagde Artikelen te Verplaatsen
-DocType: Expense Claim,Vehicle Log,Vehicle Log
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Warehouse {0} is niet gekoppeld aan een rekening, maak / verbinden de overeenkomstige (Asset) zijn goed voor het magazijn."
+DocType: Expense Claim,Vehicle Log,Voertuig log
DocType: Purchase Invoice,Recurring Id,Terugkerende Id
DocType: Customer,Sales Team Details,Verkoop Team Details
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Permanent verwijderen?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Permanent verwijderen?
DocType: Expense Claim,Total Claimed Amount,Totaal gedeclareerd bedrag
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potentiële mogelijkheden voor verkoop.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Ongeldige {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Ziekteverlof
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Ongeldige {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Ziekteverlof
DocType: Email Digest,Email Digest,E-mail Digest
DocType: Delivery Note,Billing Address Name,Factuuradres Naam
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Warenhuizen
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Stel uw School in ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Base Change Bedrag (Company Munt)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Geen boekingen voor de volgende magazijnen
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Geen boekingen voor de volgende magazijnen
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Sla het document eerst.
DocType: Account,Chargeable,Aan te rekenen
DocType: Company,Change Abbreviation,Afkorting veranderen
@@ -4103,7 +4127,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Verwachte leverdatum kan niet voor de Inkooporder Datum
DocType: Appraisal,Appraisal Template,Beoordeling Sjabloon
DocType: Item Group,Item Classification,Item Classificatie
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Business Development Manager
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Doel van onderhouds bezoek
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,periode
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Grootboek
@@ -4113,8 +4137,8 @@
DocType: Item Attribute Value,Attribute Value,Eigenschap Waarde
,Itemwise Recommended Reorder Level,Artikelgebaseerde Aanbevolen Bestelniveau
DocType: Salary Detail,Salary Detail,salaris Detail
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,Selecteer eerst {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Batch {0} van Item {1} is verlopen.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Selecteer eerst {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Batch {0} van Item {1} is verlopen.
DocType: Sales Invoice,Commission,commissie
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Time Sheet voor de productie.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Subtotaal
@@ -4125,6 +4149,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,'Bevries Voorraden Ouder dan' moet minder dan %d dagen zijn.
DocType: Tax Rule,Purchase Tax Template,Kopen Tax Template
,Project wise Stock Tracking,Projectgebaseerde Aandelenhandel
+DocType: GST HSN Code,Regional,Regionaal
DocType: Stock Entry Detail,Actual Qty (at source/target),Werkelijke Aantal (bij de bron / doel)
DocType: Item Customer Detail,Ref Code,Ref Code
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Werknemer regel.
@@ -4135,13 +4160,13 @@
DocType: Email Digest,New Purchase Orders,Nieuwe Inkooporders
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Root kan niet een bovenliggende kostenplaats hebben
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Selecteer merk ...
-apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Cumulatieve afschrijvingen Op
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Trainingsgebeurtenissen / resultaten
+apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Cumulatieve afschrijvingen per
DocType: Sales Invoice,C-Form Applicable,C-Form Toepasselijk
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Operatie tijd moet groter zijn dan 0 voor de operatie zijn {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Magazijn is verplicht
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Magazijn is verplicht
DocType: Supplier,Address and Contacts,Adres en Contacten
DocType: UOM Conversion Detail,UOM Conversion Detail,Eenheid Omrekeningsfactor Detail
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Houd het web vriendelijk 900px (w) bij 100px (h)
DocType: Program,Program Abbreviation,programma Afkorting
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Productie bestelling kan niet tegen een Item Template worden verhoogd
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Kosten worden bijgewerkt in Kwitantie tegen elk item
@@ -4149,13 +4174,13 @@
DocType: Bank Guarantee,Start Date,Startdatum
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Toewijzen bladeren voor een periode .
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Cheques en Deposito verkeerd ontruimd
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Rekening {0}: U kunt niet de rekening zelf toewijzen als bovenliggende rekening
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Rekening {0}: U kunt niet de rekening zelf toewijzen als bovenliggende rekening
DocType: Purchase Invoice Item,Price List Rate,Prijslijst Tarief
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Maak een offerte voor de klant
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Toon "Op voorraad" of "Niet op voorraad" op basis van de beschikbare voorraad in dit magazijn.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Stuklijsten
DocType: Item,Average time taken by the supplier to deliver,De gemiddelde tijd die door de leverancier te leveren
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,assessment Resultaat
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,assessment Resultaat
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Uren
DocType: Project,Expected Start Date,Verwachte startdatum
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Artikel verwijderen als de kosten niet van toepassing zijn op dat artikel
@@ -4169,25 +4194,24 @@
DocType: Workstation,Operating Costs,Bedrijfskosten
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Actie als gezamenlijke maandelijkse budget overschreden
DocType: Purchase Invoice,Submit on creation,Toevoegen aan de creatie
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Munt voor {0} moet {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Munt voor {0} moet {1}
DocType: Asset,Disposal Date,verwijdering Date
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Emails worden meegedeeld aan alle actieve werknemers van het bedrijf worden verzonden op het opgegeven uur, als ze geen vakantie. Samenvatting van de reacties zal worden verzonden om middernacht."
DocType: Employee Leave Approver,Employee Leave Approver,Werknemer Verlof Fiatteur
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Rij {0}: Er bestaat al een nabestelling voor dit magazijn {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Rij {0}: Er bestaat al een nabestelling voor dit magazijn {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Kan niet als verloren instellen, omdat offerte is gemaakt."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,training Terugkoppeling
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Productie Order {0} moet worden ingediend
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Productie Order {0} moet worden ingediend
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Selecteer Start- en Einddatum voor Artikel {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Natuurlijk is verplicht in de rij {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Tot Datum kan niet eerder zijn dan Van Datum
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Toevoegen / bewerken Prijzen
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Toevoegen / bewerken Prijzen
DocType: Batch,Parent Batch,Ouderlijk Batch
DocType: Batch,Parent Batch,Ouderlijk Batch
DocType: Cheque Print Template,Cheque Print Template,Cheque Print Template
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Kostenplaatsenschema
,Requested Items To Be Ordered,Aangevraagde Artikelen in te kopen
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,Magazijn bedrijf moet hetzelfde zijn als Account onderneming
DocType: Price List,Price List Name,Prijslijst Naam
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Dagelijks werk Samenvatting van {0}
DocType: Employee Loan,Totals,Totalen
@@ -4209,65 +4233,67 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Voer geldige mobiele nummers in
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Vul bericht in alvorens te verzenden
DocType: Email Digest,Pending Quotations,In afwachting van Citaten
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Point-of-Sale Profile
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale Profile
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Werk SMS-instellingen bij
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Leningen zonder onderpand
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Leningen zonder onderpand
DocType: Cost Center,Cost Center Name,Kostenplaats Naam
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Max werkuren tegen Timesheet
DocType: Maintenance Schedule Detail,Scheduled Date,Geplande Datum
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Totale betaalde Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Totale betaalde Amt
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Bericht van meer dan 160 tekens worden opgesplitst in meerdere berichten
DocType: Purchase Receipt Item,Received and Accepted,Ontvangen en geaccepteerd
+,GST Itemised Sales Register,GST Itemized Sales Register
,Serial No Service Contract Expiry,Serienummer Service Contract Afloop
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,U kunt niet hetzelfde bedrag crediteren en debiteren op hetzelfde moment
DocType: Naming Series,Help HTML,Help HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Student Group Creation Tool
DocType: Item,Variant Based On,Variant gebaseerd op
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Totaal toegewezen gewicht moet 100% zijn. Het is {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Uw Leveranciers
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Uw Leveranciers
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,"Kan niet als verloren instellen, omdat er al een verkooporder is gemaakt."
DocType: Request for Quotation Item,Supplier Part No,Leverancier Part No
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Kan niet aftrekken als categorie is voor 'Valuation' of 'Vaulation en Total'
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Gekregen van
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Gekregen van
DocType: Lead,Converted,Omgezet
DocType: Item,Has Serial No,Heeft Serienummer
DocType: Employee,Date of Issue,Datum van afgifte
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Van {0} voor {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Conform de Aankoop Instellingen indien Aankoopbon Vereist == 'JA', dient de gebruiker eerst een Aankoopbon voor item {0} aan te maken om een Aankoop Factuur aan te kunnen maken"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Rij # {0}: Stel Leverancier voor punt {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Rij {0}: Aantal uren moet groter zijn dan nul.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Website Afbeelding {0} verbonden aan Item {1} kan niet worden gevonden
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Website Afbeelding {0} verbonden aan Item {1} kan niet worden gevonden
DocType: Issue,Content Type,Content Type
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Computer
DocType: Item,List this Item in multiple groups on the website.,Lijst deze post in meerdere groepen op de website.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Kijk Valuta optie om rekeningen met andere valuta toestaan
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Item: {0} bestaat niet in het systeem
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,U bent niet bevoegd om Bevroren waarde in te stellen
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Item: {0} bestaat niet in het systeem
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,U bent niet bevoegd om Bevroren waarde in te stellen
DocType: Payment Reconciliation,Get Unreconciled Entries,Haal onafgeletterde transacties op
DocType: Payment Reconciliation,From Invoice Date,Na factuurdatum
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,Billing munt moet gelijk zijn aan valuta of partij rekening valuta ofwel default comapany's zijn
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Laat Inning
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Wat doet het?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,Billing munt moet gelijk zijn aan valuta of partij rekening valuta ofwel default comapany's zijn
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Laat Inning
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Wat doet het?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Tot Magazijn
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Alle studentenadministratie
,Average Commission Rate,Gemiddelde Commissie Rate
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,'Heeft Serienummer' kan niet 'ja' zijn voor niet- voorraad artikel
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'Heeft Serienummer' kan niet 'ja' zijn voor niet- voorraad artikel
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Aanwezigheid kan niet aangemerkt worden voor toekomstige data
DocType: Pricing Rule,Pricing Rule Help,Prijsbepalingsregel Help
DocType: School House,House Name,Huis naam
DocType: Purchase Taxes and Charges,Account Head,Hoofdrekening
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Update de bijkomende kosten om de totaalkost te berekenen
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,elektrisch
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,elektrisch
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Voeg de rest van uw organisatie als uw gebruikers. U kunt ook toevoegen uitnodigen klanten naar uw portal door ze toe te voegen vanuit Contacten
DocType: Stock Entry,Total Value Difference (Out - In),Totale waarde Verschil (Out - In)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Rij {0}: Wisselkoers is verplicht
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},Gebruikers-ID niet ingesteld voor Werknemer {0}
-DocType: Vehicle,Vehicle Value,Vehicle Value
+DocType: Vehicle,Vehicle Value,Voertuig waarde
DocType: Stock Entry,Default Source Warehouse,Standaard Bronmagazijn
DocType: Item,Customer Code,Klantcode
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Verjaardagsherinnering voor {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dagen sinds laatste Order
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Debitering van rekening moet een balansrekening zijn
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Debitering van rekening moet een balansrekening zijn
DocType: Buying Settings,Naming Series,Benoemen Series
DocType: Leave Block List,Leave Block List Name,Laat Block List Name
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Insurance Startdatum moet kleiner zijn dan de verzekering einddatum
@@ -4282,27 +4308,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Loonstrook van de werknemer {0} al gemaakt voor urenregistratie {1}
DocType: Vehicle Log,Odometer,Kilometerteller
DocType: Sales Order Item,Ordered Qty,Besteld Aantal
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Punt {0} is uitgeschakeld
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Punt {0} is uitgeschakeld
DocType: Stock Settings,Stock Frozen Upto,Voorraad Bevroren Tot
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM geen voorraad artikel bevatten
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM geen voorraad artikel bevatten
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Periode Van en periode te data verplicht voor terugkerende {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Project activiteit / taak.
DocType: Vehicle Log,Refuelling Details,Tanken Details
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Genereer Salarisstroken
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Aankopen moeten worden gecontroleerd, indien ""VAN TOEPASSING VOOR"" is geselecteerd als {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Aankopen moeten worden gecontroleerd, indien ""VAN TOEPASSING VOOR"" is geselecteerd als {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Korting moet minder dan 100 zijn
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Laatste aankoop tarief niet gevonden
DocType: Purchase Invoice,Write Off Amount (Company Currency),Af te schrijven bedrag (Bedrijfsvaluta)
DocType: Sales Invoice Timesheet,Billing Hours,Billing Hours
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,Standaard BOM voor {0} niet gevonden
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Rij # {0}: Stel nabestelling hoeveelheid
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Rij # {0}: Stel nabestelling hoeveelheid
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Tik op items om ze hier toe te voegen
DocType: Fees,Program Enrollment,programma Inschrijving
DocType: Landed Cost Voucher,Landed Cost Voucher,Vrachtkosten Voucher
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Stel {0} in
DocType: Purchase Invoice,Repeat on Day of Month,Herhaal dit op dag van de maand
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} is inactieve student
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} is inactieve student
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} is inactieve student
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} is inactieve student
DocType: Employee,Health Details,Gezondheid Details
DocType: Offer Letter,Offer Letter Terms,Aanbod Letter Voorwaarden
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Om een betalingsaanvraag te maken is referentie document vereist
@@ -4323,8 +4349,8 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +156,Start date should be less than end date for Item {0},Startdatum moet kleiner zijn dan einddatum voor Artikel {0}
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Voorbeeld: ABCD.##### Als reeks is ingesteld en het serienummer is niet vermeld in een transactie, dan zal een serienummer automatisch worden aangemaakt, op basis van deze reeks. Als u altijd expliciet een serienummer wilt vemelden voor dit artikel bij een transatie, laat dan dit veld leeg."
-DocType: Upload Attendance,Upload Attendance,Upload Aanwezigheid
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM en Productie Hoeveelheid nodig
+DocType: Upload Attendance,Upload Attendance,Aanwezigheid uploaden
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM en Productie Hoeveelheid nodig
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Vergrijzing Range 2
DocType: SG Creation Tool Course,Max Strength,Max Strength
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,Stuklijst vervangen
@@ -4334,8 +4360,8 @@
,Prospects Engaged But Not Converted,Vooruitzichten betrokken maar niet omgezet
DocType: Manufacturing Settings,Manufacturing Settings,Productie Instellingen
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Het opzetten van e-mail
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Mobile No
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Vul de standaard valuta in in Bedrijfsstam
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile No
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Vul de standaard valuta in in Bedrijfsstam
DocType: Stock Entry Detail,Stock Entry Detail,Voorraadtransactie Detail
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Dagelijkse herinneringen
DocType: Products Settings,Home Page is Products,Startpagina is Producten
@@ -4344,7 +4370,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Nieuwe Rekening Naam
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Grondstoffen Leveringskosten
DocType: Selling Settings,Settings for Selling Module,Instellingen voor het verkopen van Module
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Klantenservice
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Klantenservice
DocType: BOM,Thumbnail,Miniatuur
DocType: Item Customer Detail,Item Customer Detail,Artikel Klant Details
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Aanbieding kandidaat een baan.
@@ -4353,7 +4379,7 @@
DocType: Pricing Rule,Percentage,Percentage
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Artikel {0} moet een voorraadartikel zijn
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Standaard Work In Progress Warehouse
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Standaardinstellingen voor boekhoudkundige transacties.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Standaardinstellingen voor boekhoudkundige transacties.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Verwachte datum kan niet voor de Material Aanvraagdatum
DocType: Purchase Invoice Item,Stock Qty,Aantal voorraad
@@ -4362,14 +4388,14 @@
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Fout: geen geldig id?
DocType: Naming Series,Update Series Number,Serienummer bijwerken
DocType: Account,Equity,Vermogen
-apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +78,{0} {1}: 'Profit and Loss' type account {2} not allowed in Opening Entry,{0} {1}: "winst- en verliesrekening" type account {2} niet toegestaan in vernissage
+apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +78,{0} {1}: 'Profit and Loss' type account {2} not allowed in Opening Entry,"{0} {1}: ""winst- en verliesrekening"" type account {2} niet toegestaan in Opening Ingave"
DocType: Sales Order,Printing Details,Afdrukken Details
DocType: Task,Closing Date,Afsluitingsdatum
DocType: Sales Order Item,Produced Quantity,Geproduceerd Aantal
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Ingenieur
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Ingenieur
DocType: Journal Entry,Total Amount Currency,Totaal bedrag Currency
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Zoeken Sub Assemblies
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Artikelcode vereist bij rijnummer {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Artikelcode vereist bij rijnummer {0}
DocType: Sales Partner,Partner Type,Partner Type
DocType: Purchase Taxes and Charges,Actual,Werkelijk
DocType: Authorization Rule,Customerwise Discount,Klantgebaseerde Korting
@@ -4386,11 +4412,11 @@
DocType: Item Reorder,Re-Order Level,Re-order Niveau
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Voer de artikelen en geplande aantallen in waarvoor u productieorders wilt aanmaken, of grondstoffen voor analyse wilt downloaden."
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt-diagram
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Deeltijds
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Deeltijds
DocType: Employee,Applicable Holiday List,Toepasselijk Holiday Lijst
DocType: Employee,Cheque,Cheque
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Reeks bijgewerkt
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Rapport type is verplicht
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Rapport type is verplicht
DocType: Item,Serial Number Series,Serienummer Reeksen
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Magazijn is verplicht voor voorraadartikel {0} in rij {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Retail & Groothandel
@@ -4412,7 +4438,7 @@
DocType: BOM,Materials,Materialen
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Indien niet gecontroleerd, wordt de lijst worden toegevoegd aan elk Department waar het moet worden toegepast."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Bron en Target Warehouse kan niet hetzelfde zijn
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Plaatsingsdatum en -tijd is verplicht
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Plaatsingsdatum en -tijd is verplicht
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Belasting sjabloon voor inkooptransacties .
,Item Prices,Artikelprijzen
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,In Woorden zijn zichtbaar zodra u de Inkooporder opslaat
@@ -4422,22 +4448,23 @@
DocType: Purchase Invoice,Advance Payments,Advance Payments
DocType: Purchase Taxes and Charges,On Net Total,Op Netto Totaal
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Waarde voor kenmerk {0} moet binnen het bereik van {1} tot {2} in de stappen van {3} voor post {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Doel magazijn in rij {0} moet hetzelfde zijn als productieorder
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Doel magazijn in rij {0} moet hetzelfde zijn als productieorder
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,'Notificatie E-mailadressen' niet gespecificeerd voor terugkerende %s
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,Valuta kan niet na het maken van data met behulp van een andere valuta worden veranderd
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Valuta kan niet na het maken van data met behulp van een andere valuta worden veranderd
DocType: Vehicle Service,Clutch Plate,clutch Plate
DocType: Company,Round Off Account,Afronden Account
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Administratie Kosten
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Administratie Kosten
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Consulting
DocType: Customer Group,Parent Customer Group,Bovenliggende klantgroep
DocType: Purchase Invoice,Contact Email,Contact E-mail
DocType: Appraisal Goal,Score Earned,Verdiende Score
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Opzegtermijn
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Opzegtermijn
DocType: Asset Category,Asset Category Name,Asset Categorie Naam
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Dit is een basis regio en kan niet worden bewerkt .
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Nieuwe Sales Person Naam
DocType: Packing Slip,Gross Weight UOM,Bruto Gewicht Eenheid
DocType: Delivery Note Item,Against Sales Invoice,Tegen Sales Invoice
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Voer alstublieft de serienummers in voor het serienummer
DocType: Bin,Reserved Qty for Production,Aantal voorbehouden voor productie
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Verlaat het vinkje als u geen batch wilt overwegen tijdens het maken van cursussen op basis van cursussen.
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Verlaat het vinkje als u geen batch wilt overwegen tijdens het maken van cursussen op basis van cursussen.
@@ -4446,42 +4473,43 @@
DocType: Landed Cost Item,Landed Cost Item,Vrachtkosten Artikel
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Toon nulwaarden
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Hoeveelheid product verkregen na productie / herverpakken van de gegeven hoeveelheden grondstoffen
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Setup een eenvoudige website voor mijn organisatie
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Setup een eenvoudige website voor mijn organisatie
DocType: Payment Reconciliation,Receivable / Payable Account,Vorderingen / Crediteuren Account
DocType: Delivery Note Item,Against Sales Order Item,Tegen Sales Order Item
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},Geef aub attribuut Waarde voor kenmerk {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},Geef aub attribuut Waarde voor kenmerk {0}
DocType: Item,Default Warehouse,Standaard Magazijn
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Budget kan niet tegen Group rekening worden toegewezen {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Vul bovenliggende kostenplaats in
DocType: Delivery Note,Print Without Amount,Printen zonder Bedrag
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,afschrijvingen Date
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,Belastingcategorie kan niet 'Waardering' of 'Waardering en Totaal' zijn als geen van de artikelen voorraadartikelen zijn
DocType: Issue,Support Team,Support Team
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Vervallen (in dagen)
DocType: Appraisal,Total Score (Out of 5),Totale Score (van de 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Partij
+DocType: Student Attendance Tool,Batch,Partij
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Balans
DocType: Room,Seating Capacity,zitplaatsen
DocType: Issue,ISS-,ISS
DocType: Project,Total Expense Claim (via Expense Claims),Total Expense Claim (via declaraties)
+DocType: GST Settings,GST Summary,GST Samenvatting
DocType: Assessment Result,Total Score,Totale score
DocType: Journal Entry,Debit Note,Debetnota
DocType: Stock Entry,As per Stock UOM,Per Stock Verpakking
apps/erpnext/erpnext/stock/doctype/batch/batch_list.js +7,Not Expired,Niet Verlopen
-DocType: Student Log,Achievement,prestatie
+DocType: Student Log,Achievement,Prestatie
DocType: Batch,Source Document Type,Bron Document Type
DocType: Batch,Source Document Type,Bron Document Type
DocType: Journal Entry,Total Debit,Totaal Debet
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Standaard Finished Goods Warehouse
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Verkoper
DocType: SMS Parameter,SMS Parameter,SMS Parameter
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Begroting en Cost Center
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Begroting en Cost Center
DocType: Vehicle Service,Half Yearly,Halfjaarlijkse
DocType: Lead,Blog Subscriber,Blog Abonnee
DocType: Guardian,Alternate Number,Alternate Number
DocType: Assessment Plan Criteria,Maximum Score,maximum Score
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Regels maken om transacties op basis van waarden te beperken.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Groepsrolnummer
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Verlaat leeg als u studentengroepen per jaar maakt
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Verlaat leeg als u studentengroepen per jaar maakt
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Indien aangevinkt, Totaal niet. van Werkdagen zal omvatten feestdagen, en dit zal de waarde van het salaris per dag te verminderen"
@@ -4501,6 +4529,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Dit is gebaseerd op transacties tegen deze klant. Zie tijdlijn hieronder voor meer informatie
DocType: Supplier,Credit Days Based On,Credit dagen op basis van
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Rij {0}: Toegewezen bedrag {1} moet kleiner zijn dan of gelijk aan Payment Entry bedrag {2}
+,Course wise Assessment Report,Cursusverstandig beoordelingsrapport
DocType: Tax Rule,Tax Rule,Belasting Regel
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Handhaaf zelfde tarief gedurende verkoopcyclus
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Plan tijd logs buiten Workstation Arbeidstijdenwet.
@@ -4509,7 +4538,7 @@
,Items To Be Requested,Aan te vragen artikelen
DocType: Purchase Order,Get Last Purchase Rate,Get Laatst Purchase Rate
DocType: Company,Company Info,Bedrijfsinformatie
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Selecteer of voeg nieuwe klant
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Selecteer of voeg nieuwe klant
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Kostenplaats nodig is om een declaratie te boeken
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Toepassing van kapitaal (Activa)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Dit is gebaseerd op de aanwezigheid van deze werknemer
@@ -4517,27 +4546,29 @@
DocType: Fiscal Year,Year Start Date,Jaar Startdatum
DocType: Attendance,Employee Name,Werknemer Naam
DocType: Sales Invoice,Rounded Total (Company Currency),Afgerond Totaal (Bedrijfsvaluta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,Kan niet omzetten naar groep omdat accounttype is geselecteerd.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Kan niet omzetten naar groep omdat accounttype is geselecteerd.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} is gewijzigd. Vernieuw aub.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Weerhoud gebruikers van het maken van verlofaanvragen op de volgende dagen.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Aankoopbedrag
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Leverancier Offerte {0} aangemaakt
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Eindjaar kan niet voor Start Jaar
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Employee Benefits
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Employee Benefits
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Verpakt hoeveelheid moet hoeveelheid die gelijk is voor post {0} in rij {1}
DocType: Production Order,Manufactured Qty,Geproduceerd Aantal
DocType: Purchase Receipt Item,Accepted Quantity,Geaccepteerd Aantal
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Stel een standaard Holiday-lijst voor Employee {0} of Company {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} bestaat niet
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} bestaat niet
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Selecteer batchnummers
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Factureren aan Klanten
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Project Id
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Rij Geen {0}: Bedrag kan niet groter zijn dan afwachting Bedrag tegen Expense conclusie {1} zijn. In afwachting van Bedrag is {2}
DocType: Maintenance Schedule,Schedule,Plan
DocType: Account,Parent Account,Bovenliggende rekening
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,beschikbaar
DocType: Quality Inspection Reading,Reading 3,Meting 3
,Hub,Naaf
DocType: GL Entry,Voucher Type,Voucher Type
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Prijslijst niet gevonden of uitgeschakeld
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Prijslijst niet gevonden of uitgeschakeld
DocType: Employee Loan Application,Approved,Aangenomen
DocType: Pricing Rule,Price,prijs
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Werknemer ontslagen op {0} moet worden ingesteld als 'Verlaten'
@@ -4548,7 +4579,8 @@
DocType: Selling Settings,Campaign Naming By,Campagnenaam gegeven door
DocType: Employee,Current Address Is,Huidige adres is
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,gemodificeerde
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Optioneel. Stelt bedrijf prijslijst, indien niet opgegeven."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Optioneel. Stelt bedrijf prijslijst, indien niet opgegeven."
+DocType: Sales Invoice,Customer GSTIN,Klant GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Journaalposten.
DocType: Delivery Note Item,Available Qty at From Warehouse,Aantal beschikbaar bij Van Warehouse
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,Selecteer eerst Werknemer Record.
@@ -4556,7 +4588,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Rij {0}: Party / Account komt niet overeen met {1} / {2} in {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Vul Kostenrekening in
DocType: Account,Stock,Voorraad
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Rij # {0}: Reference document moet een van Purchase Order, Purchase Invoice of Inboeken zijn"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Rij # {0}: Reference document moet een van Purchase Order, Purchase Invoice of Inboeken zijn"
DocType: Employee,Current Address,Huidige adres
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Als artikel is een variant van een ander item dan beschrijving, afbeelding, prijzen, belastingen etc zal worden ingesteld van de sjabloon, tenzij expliciet vermeld"
DocType: Serial No,Purchase / Manufacture Details,Inkoop / Productie Details
@@ -4569,8 +4601,8 @@
DocType: Pricing Rule,Min Qty,min Aantal
DocType: Asset Movement,Transaction Date,Transactie Datum
DocType: Production Plan Item,Planned Qty,Gepland Aantal
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Total Tax
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Voor Hoeveelheid (Geproduceerd Aantal) is verplicht
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Total Tax
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Voor Hoeveelheid (Geproduceerd Aantal) is verplicht
DocType: Stock Entry,Default Target Warehouse,Standaard Doelmagazijn
DocType: Purchase Invoice,Net Total (Company Currency),Netto Totaal (Bedrijfsvaluta)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Het Jaar Einddatum kan niet eerder dan het jaar startdatum. Corrigeer de data en probeer het opnieuw.
@@ -4584,15 +4616,12 @@
DocType: Hub Settings,Hub Settings,Hub Instellingen
DocType: Project,Gross Margin %,Bruto marge %
DocType: BOM,With Operations,Met Operations
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Boekingen zijn reeds geboekt in valuta {0} voor bedrijf {1}. Selecteer een vordering of te betalen rekening met valuta {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Boekingen zijn reeds geboekt in valuta {0} voor bedrijf {1}. Selecteer een vordering of te betalen rekening met valuta {0}.
DocType: Asset,Is Existing Asset,Is Bestaande Asset
DocType: Salary Detail,Statistical Component,Statistische Component
DocType: Salary Detail,Statistical Component,Statistische Component
-,Monthly Salary Register,Maandsalaris Register
DocType: Warranty Claim,If different than customer address,Indien anders dan klantadres
DocType: BOM Operation,BOM Operation,Stuklijst Operatie
-DocType: School Settings,Validate the Student Group from Program Enrollment,Valideer de studentengroep van de inschrijving van het programma
-DocType: School Settings,Validate the Student Group from Program Enrollment,Valideer de studentengroep van de inschrijving van het programma
DocType: Purchase Taxes and Charges,On Previous Row Amount,Aantal van vorige rij
DocType: Student,Home Address,Thuisadres
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Transfer Asset
@@ -4600,28 +4629,27 @@
DocType: Training Event,Event Name,Evenement naam
apps/erpnext/erpnext/config/schools.py +39,Admission,Toelating
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Opnames voor {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Seizoensgebondenheid voor het vaststellen van budgetten, doelstellingen etc."
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Item {0} is een sjabloon, selecteert u één van de varianten"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Seizoensgebondenheid voor het vaststellen van budgetten, doelstellingen etc."
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Item {0} is een sjabloon, selecteert u één van de varianten"
DocType: Asset,Asset Category,Asset Categorie
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Koper
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Nettoloon kan niet negatief zijn
DocType: SMS Settings,Static Parameters,Statische Parameters
DocType: Assessment Plan,Room,Kamer
DocType: Purchase Order,Advance Paid,Voorschot Betaald
DocType: Item,Item Tax,Artikel Belasting
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materiaal aan Leverancier
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Accijnzen Factuur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Accijnzen Factuur
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% meer dan eens
DocType: Expense Claim,Employees Email Id,Medewerkers E-mail ID
DocType: Employee Attendance Tool,Marked Attendance,Gemarkeerde Attendance
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Kortlopende Schulden
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Kortlopende Schulden
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Stuur massa SMS naar uw contacten
DocType: Program,Program Name,Programma naam
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Overweeg belasting of heffing voor
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Werkelijke aantal is verplicht
DocType: Employee Loan,Loan Type,Loan Type
DocType: Scheduling Tool,Scheduling Tool,scheduling Tool
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Kredietkaart
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Kredietkaart
DocType: BOM,Item to be manufactured or repacked,Artikel te vervaardigen of herverpakken
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Standaardinstellingen voor Voorraadtransacties .
DocType: Purchase Invoice,Next Date,Volgende datum
@@ -4637,10 +4665,10 @@
DocType: Stock Entry,Repack,Herverpakken
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,U moet het formulier opslaan voordat u verder gaat
DocType: Item Attribute,Numeric Values,Numerieke waarden
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Bevestig Logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Bevestig Logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Stock Levels
DocType: Customer,Commission Rate,Commissie Rate
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Maak Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Maak Variant
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Blokkeer verlofaanvragen per afdeling.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Betaling Type moet een van te ontvangen, betalen en Internal Transfer"
apps/erpnext/erpnext/config/selling.py +179,Analytics,analytics
@@ -4648,45 +4676,45 @@
DocType: Vehicle,Model,Model
DocType: Production Order,Actual Operating Cost,Werkelijke operationele kosten
DocType: Payment Entry,Cheque/Reference No,Cheque / Reference No
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Root kan niet worden bewerkt .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root kan niet worden bewerkt .
DocType: Item,Units of Measure,Meeteenheden
DocType: Manufacturing Settings,Allow Production on Holidays,Laat Productie op vakantie
DocType: Sales Order,Customer's Purchase Order Date,Inkooporder datum van Klant
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Kapitaal Stock
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Kapitaal Stock
DocType: Shopping Cart Settings,Show Public Attachments,Publieke bijlagen tonen
DocType: Packing Slip,Package Weight Details,Pakket gewicht details
DocType: Payment Gateway Account,Payment Gateway Account,Payment Gateway Account
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Na betaling voltooiing omleiden gebruiker geselecteerde pagina.
DocType: Company,Existing Company,bestaande Company
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Belastingcategorie is gewijzigd in "Totaal" omdat alle items niet-voorraad items zijn
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Selecteer een CSV-bestand
DocType: Student Leave Application,Mark as Present,Mark als Cadeau
DocType: Purchase Order,To Receive and Bill,Te ontvangen en Bill
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Aanbevolen producten
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Ontwerper
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Ontwerper
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Algemene voorwaarden Template
DocType: Serial No,Delivery Details,Levering Details
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Kostenplaats is vereist in regel {0} in Belastingen tabel voor type {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Kostenplaats is vereist in regel {0} in Belastingen tabel voor type {1}
DocType: Program,Program Code,programma Code
DocType: Terms and Conditions,Terms and Conditions Help,Voorwaarden Help
,Item-wise Purchase Register,Artikelgebaseerde Inkoop Register
DocType: Batch,Expiry Date,Vervaldatum
-,Supplier Addresses and Contacts,Leverancier Adressen en Contacten
,accounts-browser,accounts-browser
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,Selecteer eerst een Categorie
apps/erpnext/erpnext/config/projects.py +13,Project master.,Project stam.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Om ervoor te zorgen over-facturering of over-bestellen, "Allowance" actualiseren Stock Settings of het item."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Om ervoor te zorgen over-facturering of over-bestellen, "Allowance" actualiseren Stock Settings of het item."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,"Vertoon geen symbool zoals $, enz. naast valuta."
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Halve Dag)
DocType: Supplier,Credit Days,Credit Dagen
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Maak Student Batch
DocType: Leave Type,Is Carry Forward,Is Forward Carry
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Artikelen ophalen van Stuklijst
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Artikelen ophalen van Stuklijst
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Lead Time Dagen
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rij # {0}: Plaatsingsdatum moet hetzelfde zijn als aankoopdatum {1} van de activa {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rij # {0}: Plaatsingsdatum moet hetzelfde zijn als aankoopdatum {1} van de activa {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Vul verkooporders in de bovenstaande tabel
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Not Submitted loonbrieven
,Stock Summary,Stock Samenvatting
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Transfer een troef van het ene magazijn naar het andere
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Transfer een troef van het ene magazijn naar het andere
DocType: Vehicle,Petrol,Benzine
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Stuklijst
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Rij {0}: Party Type en Party is vereist voor Debiteuren / Crediteuren rekening {1}
@@ -4697,6 +4725,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Gesanctioneerde Bedrag
DocType: GL Entry,Is Opening,Opent
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Rij {0}: debitering niet kan worden verbonden met een {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Rekening {0} bestaat niet
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Rekening {0} bestaat niet
DocType: Account,Cash,Contant
DocType: Employee,Short biography for website and other publications.,Korte biografie voor website en andere publicaties.
diff --git a/erpnext/translations/no.csv b/erpnext/translations/no.csv
index b0ac73f..9ef26dd 100644
--- a/erpnext/translations/no.csv
+++ b/erpnext/translations/no.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Forbrukerprodukter
DocType: Item,Customer Items,Kunde Items
DocType: Project,Costing and Billing,Kalkulasjon og fakturering
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Konto {0}: Parent konto {1} kan ikke være en hovedbok
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Konto {0}: Parent konto {1} kan ikke være en hovedbok
DocType: Item,Publish Item to hub.erpnext.com,Publiser varen til hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,E-postvarsling
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,evaluering
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,evaluering
DocType: Item,Default Unit of Measure,Standard måleenhet
DocType: SMS Center,All Sales Partner Contact,All Sales Partner Kontakt
DocType: Employee,Leave Approvers,La godkjennere
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Exchange Rate må være samme som {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Kundenavn
DocType: Vehicle,Natural Gas,Naturgass
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Bankkonto kan ikke bli navngitt som {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Bankkonto kan ikke bli navngitt som {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Hoder (eller grupper) mot hvilke regnskapspostene er laget og balanserer opprettholdes.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Enestående for {0} kan ikke være mindre enn null ({1})
DocType: Manufacturing Settings,Default 10 mins,Standard 10 minutter
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,All Leverandør Kontakt
DocType: Support Settings,Support Settings,støtte~~POS=TRUNC Innstillinger
DocType: SMS Parameter,Parameter,Parameter
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Forventet Sluttdato kan ikke være mindre enn Tiltredelse
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Forventet Sluttdato kan ikke være mindre enn Tiltredelse
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Pris må være samme som {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,New La Application
,Batch Item Expiry Status,Batch Element Utløps Status
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Bank Draft
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Bank Draft
DocType: Mode of Payment Account,Mode of Payment Account,Modus for betaling konto
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Vis Varianter
DocType: Academic Term,Academic Term,semester
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Materiale
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Antall
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Regnskap bordet kan ikke være tomt.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Lån (gjeld)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Lån (gjeld)
DocType: Employee Education,Year of Passing,Year of Passing
DocType: Item,Country of Origin,Opprinnelsesland
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,På Lager
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,På Lager
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,åpne spørsmål
DocType: Production Plan Item,Production Plan Item,Produksjonsplan Sak
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Bruker {0} er allerede tildelt Employee {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Helsevesen
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Forsinket betaling (dager)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,tjenesten Expense
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} er allerede referert i salgsfaktura: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} er allerede referert i salgsfaktura: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Faktura
DocType: Maintenance Schedule Item,Periodicity,Periodisitet
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Regnskapsår {0} er nødvendig
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Row # {0}:
DocType: Timesheet,Total Costing Amount,Total koster Beløp
DocType: Delivery Note,Vehicle No,Vehicle Nei
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,Vennligst velg Prisliste
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Vennligst velg Prisliste
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: Betaling dokumentet er nødvendig for å fullføre trasaction
DocType: Production Order Operation,Work In Progress,Arbeid På Går
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Vennligst velg dato
DocType: Employee,Holiday List,Holiday List
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Accountant
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Accountant
DocType: Cost Center,Stock User,Stock User
DocType: Company,Phone No,Telefonnr
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Kursrutetider opprettet:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},New {0} # {1}
,Sales Partners Commission,Sales Partners Commission
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Forkortelse kan ikke ha mer enn fem tegn
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Forkortelse kan ikke ha mer enn fem tegn
DocType: Payment Request,Payment Request,Betaling Request
DocType: Asset,Value After Depreciation,Verdi etter avskrivninger
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,Oppmøte dato kan ikke være mindre enn ansattes bli dato
DocType: Grading Scale,Grading Scale Name,Grading Scale Name
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Dette er en rot konto og kan ikke redigeres.
+DocType: Sales Invoice,Company Address,Firma adresse
DocType: BOM,Operations,Operasjoner
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Kan ikke sette autorisasjon på grunnlag av Rabatt for {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Fest CSV-fil med to kolonner, en for det gamle navnet og en for det nye navnet"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ikke i noen aktiv regnskapsåret.
DocType: Packed Item,Parent Detail docname,Parent Detail docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Henvisning: {0}, Varenummer: {1} og kunde: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Kg
DocType: Student Log,Log,Logg
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Åpning for en jobb.
DocType: Item Attribute,Increment,Tilvekst
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Annonsering
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Samme firma er angitt mer enn én gang
DocType: Employee,Married,Gift
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Ikke tillatt for {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Ikke tillatt for {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Få elementer fra
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Stock kan ikke oppdateres mot følgeseddel {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Stock kan ikke oppdateres mot følgeseddel {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produkt {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Ingen elementer oppført
DocType: Payment Reconciliation,Reconcile,Forsone
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Neste Avskrivninger Datoen kan ikke være før Kjøpsdato
DocType: SMS Center,All Sales Person,All Sales Person
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Månedlig Distribusjon ** hjelper deg distribuere Budsjett / Target over måneder hvis du har sesongvariasjoner i din virksomhet.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Ikke elementer funnet
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Ikke elementer funnet
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Lønn Struktur Missing
DocType: Lead,Person Name,Person Name
DocType: Sales Invoice Item,Sales Invoice Item,Salg Faktura Element
DocType: Account,Credit,Credit
DocType: POS Profile,Write Off Cost Center,Skriv Av kostnadssted
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",for eksempel "Primary School" eller "University"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",for eksempel "Primary School" eller "University"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,lager rapporter
DocType: Warehouse,Warehouse Detail,Warehouse Detalj
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Kredittgrense er krysset for kunde {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Kredittgrense er krysset for kunde {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Begrepet Sluttdato kan ikke være senere enn året sluttdato av studieåret som begrepet er knyttet (studieåret {}). Korriger datoene, og prøv igjen."
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Er Fixed Asset" ikke kan være ukontrollert, som Asset post eksisterer mot elementet"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Er Fixed Asset" ikke kan være ukontrollert, som Asset post eksisterer mot elementet"
DocType: Vehicle Service,Brake Oil,bremse~~POS=TRUNC Oil
DocType: Tax Rule,Tax Type,Skatt Type
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Du er ikke autorisert til å legge til eller oppdatere bloggen før {0}
DocType: BOM,Item Image (if not slideshow),Sak Image (hvis ikke show)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,En Customer eksisterer med samme navn
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Timepris / 60) * Faktisk Operation Tid
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Velg BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Velg BOM
DocType: SMS Log,SMS Log,SMS Log
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Kostnad for leverte varer
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Ferien på {0} er ikke mellom Fra dato og Til dato
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Fra {0} til {1}
DocType: Item,Copy From Item Group,Kopier fra varegruppe
DocType: Journal Entry,Opening Entry,Åpning Entry
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Bare konto Pay
DocType: Employee Loan,Repay Over Number of Periods,Betale tilbake over antall perioder
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} er ikke påmeldt i gitt {2}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} er ikke påmeldt i gitt {2}
DocType: Stock Entry,Additional Costs,Tilleggskostnader
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Konto med eksisterende transaksjon kan ikke konverteres til gruppen.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Konto med eksisterende transaksjon kan ikke konverteres til gruppen.
DocType: Lead,Product Enquiry,Produkt Forespørsel
DocType: Academic Term,Schools,skoler
+DocType: School Settings,Validate Batch for Students in Student Group,Valider batch for studenter i studentgruppen
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Ingen forlater plate funnet for ansatt {0} og {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Skriv inn et selskap først
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Vennligst velg selskapet først
@@ -175,49 +176,49 @@
DocType: BOM,Total Cost,Totalkostnad
DocType: Journal Entry Account,Employee Loan,Medarbeider Loan
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Aktivitetsloggen:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,Element {0} finnes ikke i systemet eller er utløpt
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Element {0} finnes ikke i systemet eller er utløpt
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Eiendom
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Kontoutskrift
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Farmasi
DocType: Purchase Invoice Item,Is Fixed Asset,Er Fast Asset
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Tilgjengelig stk er {0}, må du {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Tilgjengelig stk er {0}, må du {1}"
DocType: Expense Claim Detail,Claim Amount,Krav Beløp
-DocType: Employee,Mr,Mr
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Duplicate kundegruppen funnet i cutomer gruppetabellen
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Leverandør Type / leverandør
DocType: Naming Series,Prefix,Prefix
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Konsum
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Konsum
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Import Logg
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Trekk Material Request av typen Produksjon basert på de ovennevnte kriteriene
DocType: Training Result Employee,Grade,grade
DocType: Sales Invoice Item,Delivered By Supplier,Levert av Leverandør
DocType: SMS Center,All Contact,All kontakt
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Produksjonsordre allerede opprettet for alle varer med BOM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Årslønn
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Produksjonsordre allerede opprettet for alle varer med BOM
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Årslønn
DocType: Daily Work Summary,Daily Work Summary,Daglig arbeid Oppsummering
DocType: Period Closing Voucher,Closing Fiscal Year,Lukke regnskapsår
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} er frosset
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Velg eksisterende selskap for å skape Konto
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Aksje Utgifter
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} er frosset
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Velg eksisterende selskap for å skape Konto
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Aksje Utgifter
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Velg Target Warehouse
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Velg Target Warehouse
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,Fyll inn foretrukne e-
+DocType: Program Enrollment,School Bus,Skolebuss
DocType: Journal Entry,Contra Entry,Contra Entry
DocType: Journal Entry Account,Credit in Company Currency,Kreditt i selskapet Valuta
DocType: Delivery Note,Installation Status,Installasjon Status
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Ønsker du å oppdatere oppmøte? <br> Present: {0} \ <br> Fraværende: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Akseptert + Avvist Antall må være lik mottatt kvantum for Element {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Akseptert + Avvist Antall må være lik mottatt kvantum for Element {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Leverer råvare til Purchase
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,I det minste én modus av betaling er nødvendig for POS faktura.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,I det minste én modus av betaling er nødvendig for POS faktura.
DocType: Products Settings,Show Products as a List,Vis produkter på en liste
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Last ned mal, fyll riktige data og fest den endrede filen. Alle datoer og ansatt kombinasjon i den valgte perioden vil komme i malen, med eksisterende møteprotokoller"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,Element {0} er ikke aktiv eller slutten av livet er nådd
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Eksempel: Grunnleggende matematikk
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","For å inkludere skatt i rad {0} i Element rente, skatt i rader {1} må også inkluderes"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Element {0} er ikke aktiv eller slutten av livet er nådd
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Eksempel: Grunnleggende matematikk
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","For å inkludere skatt i rad {0} i Element rente, skatt i rader {1} må også inkluderes"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Innstillinger for HR Module
DocType: SMS Center,SMS Center,SMS-senter
DocType: Sales Invoice,Change Amount,endring Beløp
@@ -227,7 +228,7 @@
DocType: Lead,Request Type,Forespørsel Type
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Gjør Employee
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Kringkasting
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Execution
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Execution
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Detaljene for operasjonen utføres.
DocType: Serial No,Maintenance Status,Vedlikehold Status
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Leverandør er nødvendig mot Betales konto {2}
@@ -255,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Anmodningen om sitatet kan nås ved å klikke på følgende link
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Bevilge blader for året.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,utilstrekkelig Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,utilstrekkelig Stock
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Deaktiver kapasitetsplanlegging og Time Tracking
DocType: Email Digest,New Sales Orders,Nye salgsordrer
DocType: Bank Guarantee,Bank Account,Bankkonto
@@ -266,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log',Oppdatert via 'Time Logg'
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Advance beløpet kan ikke være større enn {0} {1}
DocType: Naming Series,Series List for this Transaction,Serien Liste for denne transaksjonen
+DocType: Company,Enable Perpetual Inventory,Aktiver evigvarende beholdning
DocType: Company,Default Payroll Payable Account,Standard Lønn betales konto
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Oppdater E-postgruppe
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Oppdater E-postgruppe
DocType: Sales Invoice,Is Opening Entry,Åpner Entry
DocType: Customer Group,Mention if non-standard receivable account applicable,Nevn hvis ikke-standard fordring konto aktuelt
DocType: Course Schedule,Instructor Name,instruktør Name
@@ -279,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Mot Salg Faktura Element
,Production Orders in Progress,Produksjonsordrer i Progress
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Netto kontantstrøm fra finansierings
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","Localstorage er full, ikke spare"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","Localstorage er full, ikke spare"
DocType: Lead,Address & Contact,Adresse og kontakt
DocType: Leave Allocation,Add unused leaves from previous allocations,Legg ubrukte blader fra tidligere bevilgninger
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Neste Recurring {0} vil bli opprettet på {1}
DocType: Sales Partner,Partner website,partner nettstedet
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Legg til element
-,Contact Name,Kontakt Navn
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Kontakt Navn
DocType: Course Assessment Criteria,Course Assessment Criteria,Kursvurderingskriteriene
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Oppretter lønn slip for ovennevnte kriterier.
DocType: POS Customer Group,POS Customer Group,POS Kundegruppe
@@ -294,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Ingen beskrivelse gitt
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Be for kjøp.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Dette er basert på timelister som er opprettet mot dette prosjektet
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Nettolønn kan ikke være mindre enn 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Nettolønn kan ikke være mindre enn 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Bare den valgte La Godkjenner kan sende dette La Application
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Lindrende Dato må være større enn tidspunktet for inntreden
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Later per år
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Later per år
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Rad {0}: Vennligst sjekk 'Er Advance "mot Account {1} hvis dette er et forskudd oppføring.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Warehouse {0} ikke tilhører selskapet {1}
DocType: Email Digest,Profit & Loss,Profitt tap
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,liter
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,liter
DocType: Task,Total Costing Amount (via Time Sheet),Total Costing Beløp (via Timeregistrering)
DocType: Item Website Specification,Item Website Specification,Sak Nettsted Spesifikasjon
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,La Blokkert
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Element {0} har nådd slutten av livet på {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Element {0} har nådd slutten av livet på {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Bank Entries
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Årlig
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Avstemming Element
@@ -313,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,Min Bestill Antall
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Gruppe Creation Tool Course
DocType: Lead,Do Not Contact,Ikke kontakt
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,Folk som underviser i organisasjonen
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,Folk som underviser i organisasjonen
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Den unike id for sporing av alle løpende fakturaer. Det genereres på send.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Programvareutvikler
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Programvareutvikler
DocType: Item,Minimum Order Qty,Minimum Antall
DocType: Pricing Rule,Supplier Type,Leverandør Type
DocType: Course Scheduling Tool,Course Start Date,Kursstart
@@ -324,11 +326,11 @@
DocType: Item,Publish in Hub,Publisere i Hub
DocType: Student Admission,Student Admission,student Entre
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Element {0} er kansellert
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Element {0} er kansellert
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Materialet Request
DocType: Bank Reconciliation,Update Clearance Date,Oppdater Lagersalg Dato
DocType: Item,Purchase Details,Kjøps Detaljer
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Element {0} ble ikke funnet i 'Råvare Leveres' bord i innkjøpsordre {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Element {0} ble ikke funnet i 'Råvare Leveres' bord i innkjøpsordre {1}
DocType: Employee,Relation,Relasjon
DocType: Shipping Rule,Worldwide Shipping,Worldwide Shipping
DocType: Student Guardian,Mother,Mor
@@ -347,6 +349,7 @@
DocType: Student Group Student,Student Group Student,Student Gruppe Student
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Siste
DocType: Vehicle Service,Inspection,Undersøkelse
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Liste
DocType: Email Digest,New Quotations,Nye Sitater
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,E-poster lønn slip til ansatte basert på foretrukne e-post valgt i Employee
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,Den første La Godkjenner i listen vil bli definert som standard La Godkjenner
@@ -355,20 +358,20 @@
DocType: Asset,Next Depreciation Date,Neste Avskrivninger Dato
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Aktivitet Kostnad per Employee
DocType: Accounts Settings,Settings for Accounts,Innstillinger for kontoer
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Leverandør Faktura Ingen eksisterer i fakturaen {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Leverandør Faktura Ingen eksisterer i fakturaen {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Administrer Sales Person treet.
DocType: Job Applicant,Cover Letter,Cover Letter
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Utestående Sjekker og Innskudd å tømme
DocType: Item,Synced With Hub,Synkronisert Med Hub
DocType: Vehicle,Fleet Manager,Flåtesjef
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Rad # {0}: {1} ikke kan være negativ for elementet {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Feil Passord
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Feil Passord
DocType: Item,Variant Of,Variant av
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',Fullført Antall kan ikke være større enn "Antall å Manufacture '
DocType: Period Closing Voucher,Closing Account Head,Lukke konto Leder
DocType: Employee,External Work History,Ekstern Work History
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Rundskriv Reference Error
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1 Name
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 Name
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,I Words (eksport) vil være synlig når du lagrer følgeseddel.
DocType: Cheque Print Template,Distance from left edge,Avstand fra venstre kant
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} enheter av [{1}] (# Form / post / {1}) finnes i [{2}] (# Form / Lager / {2})
@@ -377,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Varsle på e-post om opprettelse av automatisk Material Request
DocType: Journal Entry,Multi Currency,Multi Valuta
DocType: Payment Reconciliation Invoice,Invoice Type,Faktura Type
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Levering Note
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Levering Note
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Sette opp skatter
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Cost of Selges Asset
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,Betaling Entry har blitt endret etter at du trakk den. Kan trekke det igjen.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} registrert to ganger i pkt Skatte
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Betaling Entry har blitt endret etter at du trakk den. Kan trekke det igjen.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} registrert to ganger i pkt Skatte
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Oppsummering for denne uken og ventende aktiviteter
DocType: Student Applicant,Admitted,innrømmet
DocType: Workstation,Rent Cost,Rent Cost
@@ -400,25 +403,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Skriv inn 'Gjenta på dag i måneden' feltverdi
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Hastigheten som Kunden Valuta omdannes til kundens basisvaluta
DocType: Course Scheduling Tool,Course Scheduling Tool,Kurs Planlegging Tool
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Kjøp Faktura kan ikke gjøres mot en eksisterende eiendel {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Kjøp Faktura kan ikke gjøres mot en eksisterende eiendel {1}
DocType: Item Tax,Tax Rate,Skattesats
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} allerede bevilget for Employee {1} for perioden {2} til {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Velg element
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Fakturaen {0} er allerede sendt
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Fakturaen {0} er allerede sendt
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Batch No må være samme som {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Konverter til ikke-konsernet
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Batch (mye) av et element.
DocType: C-Form Invoice Detail,Invoice Date,Fakturadato
DocType: GL Entry,Debit Amount,Debet Beløp
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Det kan bare være en konto per Company i {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,Vennligst se vedlegg
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Det kan bare være en konto per Company i {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,Vennligst se vedlegg
DocType: Purchase Order,% Received,% Mottatt
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Opprett studentgrupper
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Oppsett Allerede Komplett !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Kreditt Note Beløp
,Finished Goods,Ferdigvarer
DocType: Delivery Note,Instructions,Bruksanvisning
DocType: Quality Inspection,Inspected By,Inspisert av
DocType: Maintenance Visit,Maintenance Type,Vedlikehold Type
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} er ikke påmeldt kurset {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Serial No {0} tilhører ikke følgeseddel {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Legg varer
@@ -441,7 +446,7 @@
DocType: Request for Quotation,Request for Quotation,Forespørsel om kostnadsoverslag
DocType: Salary Slip Timesheet,Working Hours,Arbeidstid
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Endre start / strøm sekvensnummer av en eksisterende serie.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Opprett en ny kunde
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Opprett en ny kunde
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Hvis flere Pris Regler fortsette å råde, blir brukerne bedt om å sette Priority manuelt for å løse konflikten."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Opprette innkjøpsordrer
,Purchase Register,Kjøp Register
@@ -453,7 +458,7 @@
DocType: Student Log,Medical,Medisinsk
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Grunnen for å tape
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Bly Eier kan ikke være det samme som Lead
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,Avsatt beløp kan ikke større enn ujustert beløp
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,Avsatt beløp kan ikke større enn ujustert beløp
DocType: Announcement,Receiver,mottaker
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation er stengt på følgende datoer som per Holiday Liste: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Muligheter
@@ -467,8 +472,7 @@
DocType: Assessment Plan,Examiner Name,Examiner Name
DocType: Purchase Invoice Item,Quantity and Rate,Kvantitet og Rate
DocType: Delivery Note,% Installed,% Installert
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,Klasserom / Laboratorier etc hvor forelesningene kan planlegges.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Leverandør> Leverandør Type
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,Klasserom / Laboratorier etc hvor forelesningene kan planlegges.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Skriv inn firmanavn først
DocType: Purchase Invoice,Supplier Name,Leverandør Name
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Les ERPNext Manual
@@ -478,7 +482,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Sjekk Leverandør fakturanummer Unikhet
DocType: Vehicle Service,Oil Change,Oljeskift
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','Til sak nr' kan ikke være mindre enn "From sak nr '
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Non Profit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Non Profit
DocType: Production Order,Not Started,Ikke i gang
DocType: Lead,Channel Partner,Channel Partner
DocType: Account,Old Parent,Gammel Parent
@@ -489,20 +493,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globale innstillinger for alle produksjonsprosesser.
DocType: Accounts Settings,Accounts Frozen Upto,Regnskap Frozen Opp
DocType: SMS Log,Sent On,Sendte På
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Attributtet {0} valgt flere ganger i attributter Table
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Attributtet {0} valgt flere ganger i attributter Table
DocType: HR Settings,Employee record is created using selected field. ,Ansatt posten er opprettet ved hjelp av valgte feltet.
DocType: Sales Order,Not Applicable,Gjelder ikke
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Holiday mester.
DocType: Request for Quotation Item,Required Date,Nødvendig Dato
DocType: Delivery Note,Billing Address,Fakturaadresse
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Skriv inn Element Code.
DocType: BOM,Costing,Costing
DocType: Tax Rule,Billing County,Billings County
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Hvis det er merket, vil skattebeløpet betraktes som allerede er inkludert i Print Rate / Print Beløp"
DocType: Request for Quotation,Message for Supplier,Beskjed til Leverandør
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Total Antall
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 Email ID
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 Email ID
DocType: Item,Show in Website (Variant),Vis i Website (Variant)
DocType: Employee,Health Concerns,Helse Bekymringer
DocType: Process Payroll,Select Payroll Period,Velg Lønn Periode
@@ -520,26 +523,28 @@
DocType: Sales Order Item,Used for Production Plan,Brukes for Produksjonsplan
DocType: Employee Loan,Total Payment,totalt betaling
DocType: Manufacturing Settings,Time Between Operations (in mins),Time Between Operations (i minutter)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} er kansellert, slik at handlingen ikke kan fullføres"
DocType: Customer,Buyer of Goods and Services.,Kjøper av varer og tjenester.
DocType: Journal Entry,Accounts Payable,Leverandørgjeld
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,De valgte stykklister er ikke for den samme varen
DocType: Pricing Rule,Valid Upto,Gyldig Opp
DocType: Training Event,Workshop,Verksted
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Liste noen av kundene dine. De kan være organisasjoner eller enkeltpersoner.
-,Enough Parts to Build,Nok Deler bygge
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Direkte Inntekt
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Liste noen av kundene dine. De kan være organisasjoner eller enkeltpersoner.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Nok Deler bygge
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Direkte Inntekt
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Kan ikke filtrere basert på konto, hvis gruppert etter konto"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Administrative Officer
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Vennligst velg Kurs
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Vennligst velg Kurs
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Administrative Officer
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Vennligst velg Kurs
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Vennligst velg Kurs
DocType: Timesheet Detail,Hrs,timer
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Vennligst velg selskapet
DocType: Stock Entry Detail,Difference Account,Forskjellen konto
+DocType: Purchase Invoice,Supplier GSTIN,Leverandør GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Kan ikke lukke oppgaven som sin avhengige oppgave {0} er ikke lukket.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Skriv inn Warehouse hvor Material Request vil bli hevet
DocType: Production Order,Additional Operating Cost,Ekstra driftskostnader
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kosmetikk
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Å fusjonere, må følgende egenskaper være lik for begge elementene"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Å fusjonere, må følgende egenskaper være lik for begge elementene"
DocType: Shipping Rule,Net Weight,Netto Vekt
DocType: Employee,Emergency Phone,Emergency Phone
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Kjøpe
@@ -549,14 +554,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Vennligst definer karakter for Terskel 0%
DocType: Sales Order,To Deliver,Å Levere
DocType: Purchase Invoice Item,Item,Sak
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Serie ingen element kan ikke være en brøkdel
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Serie ingen element kan ikke være en brøkdel
DocType: Journal Entry,Difference (Dr - Cr),Forskjellen (Dr - Cr)
DocType: Account,Profit and Loss,Gevinst og tap
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Administrerende Underleverandører
DocType: Project,Project will be accessible on the website to these users,Prosjektet vil være tilgjengelig på nettstedet til disse brukerne
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Hastigheten som Prisliste valuta er konvertert til selskapets hovedvaluta
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Konto {0} tilhører ikke selskapet: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Forkortelse allerede brukt for et annet selskap
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Konto {0} tilhører ikke selskapet: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Forkortelse allerede brukt for et annet selskap
DocType: Selling Settings,Default Customer Group,Standard Kundegruppe
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Hvis deaktivere, 'Rounded Total-feltet ikke vil være synlig i enhver transaksjon"
DocType: BOM,Operating Cost,Driftskostnader
@@ -564,7 +569,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Tilveksten kan ikke være 0
DocType: Production Planning Tool,Material Requirement,Material Requirement
DocType: Company,Delete Company Transactions,Slett transaksjoner
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Referansenummer og Reference Date er obligatorisk for Bank transaksjon
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Referansenummer og Reference Date er obligatorisk for Bank transaksjon
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Legg til / Rediger skatter og avgifter
DocType: Purchase Invoice,Supplier Invoice No,Leverandør Faktura Nei
DocType: Territory,For reference,For referanse
@@ -575,22 +580,22 @@
DocType: Installation Note Item,Installation Note Item,Installasjon Merk Element
DocType: Production Plan Item,Pending Qty,Venter Stk
DocType: Budget,Ignore,Ignorer
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} er ikke aktiv
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} er ikke aktiv
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS sendt til følgende nummer: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,Oppsett sjekk dimensjoner for utskrift
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Oppsett sjekk dimensjoner for utskrift
DocType: Salary Slip,Salary Slip Timesheet,Lønn Slip Timeregistrering
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Leverandør Warehouse obligatorisk for underleverandør Kjøpskvittering
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Leverandør Warehouse obligatorisk for underleverandør Kjøpskvittering
DocType: Pricing Rule,Valid From,Gyldig Fra
DocType: Sales Invoice,Total Commission,Total Commission
DocType: Pricing Rule,Sales Partner,Sales Partner
DocType: Buying Settings,Purchase Receipt Required,Kvitteringen Påkrevd
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,Verdsettelse Rate er obligatorisk hvis Åpning Stock oppgitt
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,Verdsettelse Rate er obligatorisk hvis Åpning Stock oppgitt
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Ingen poster ble funnet i Faktura tabellen
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Vennligst velg først selskapet og Party Type
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Finansiell / regnskap år.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Finansiell / regnskap år.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,akkumulerte verdier
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Sorry, kan Serial Nos ikke bli slått sammen"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Gjør Salgsordre
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Gjør Salgsordre
DocType: Project Task,Project Task,Prosjektet Task
,Lead Id,Lead Id
DocType: C-Form Invoice Detail,Grand Total,Grand Total
@@ -607,7 +612,7 @@
DocType: Job Applicant,Resume Attachment,Fortsett Vedlegg
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Gjenta kunder
DocType: Leave Control Panel,Allocate,Bevilge
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Sales Return
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Sales Return
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Merk: Totalt tildelte blader {0} bør ikke være mindre enn allerede innvilgede permisjoner {1} for perioden
DocType: Announcement,Posted By,Postet av
DocType: Item,Delivered by Supplier (Drop Ship),Levert av Leverandør (Drop Ship)
@@ -617,8 +622,8 @@
DocType: Quotation,Quotation To,Sitat Å
DocType: Lead,Middle Income,Middle Income
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Åpning (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Standard Enhet for Element {0} kan ikke endres direkte fordi du allerede har gjort noen transaksjon (er) med en annen målenheter. Du må opprette et nytt element for å bruke et annet standardmålenheter.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Bevilget beløpet kan ikke være negativ
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Standard Enhet for Element {0} kan ikke endres direkte fordi du allerede har gjort noen transaksjon (er) med en annen målenheter. Du må opprette et nytt element for å bruke et annet standardmålenheter.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Bevilget beløpet kan ikke være negativ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Vennligst sett selskapet
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Vennligst sett selskapet
DocType: Purchase Order Item,Billed Amt,Billed Amt
@@ -631,7 +636,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Velg betalingskonto å lage Bank Entry
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Lag personalregistre for å håndtere blader, refusjonskrav og lønn"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Legg til Knowledge Base
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Forslaget Writing
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Forslaget Writing
DocType: Payment Entry Deduction,Payment Entry Deduction,Betaling Entry Fradrag
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,En annen Sales Person {0} finnes med samme Employee id
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Hvis det er merket, råvarer for elementer som er underleverandør vil bli inkludert i materialet Forespørsler"
@@ -646,7 +651,7 @@
DocType: Batch,Batch Description,Batch Beskrivelse
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Opprette studentgrupper
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Opprette studentgrupper
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Betaling Gateway konto ikke opprettet, kan du opprette en manuelt."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Betaling Gateway konto ikke opprettet, kan du opprette en manuelt."
DocType: Sales Invoice,Sales Taxes and Charges,Salgs Skatter og avgifter
DocType: Employee,Organization Profile,Organisasjonsprofil
DocType: Student,Sibling Details,søsken Detaljer
@@ -668,11 +673,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Netto endring i varelager
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Ansattes lån Ledelse
DocType: Employee,Passport Number,Passnummer
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Relasjon med Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Manager
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Relasjon med Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Manager
DocType: Payment Entry,Payment From / To,Betaling fra / til
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Ny kredittgrensen er mindre enn dagens utestående beløp for kunden. Kredittgrense må være atleast {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Samme elementet er angitt flere ganger.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Ny kredittgrensen er mindre enn dagens utestående beløp for kunden. Kredittgrense må være atleast {0}
DocType: SMS Settings,Receiver Parameter,Mottaker Parameter
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"Based On" og "Grupper etter" ikke kan være det samme
DocType: Sales Person,Sales Person Targets,Sales Person Targets
@@ -681,8 +685,9 @@
DocType: Issue,Resolution Date,Oppløsning Dato
DocType: Student Batch Name,Batch Name,batch Name
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timeregistrering opprettet:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},Vennligst angi standard kontanter eller bankkontoen i modus for betaling {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Vennligst angi standard kontanter eller bankkontoen i modus for betaling {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Registrere
+DocType: GST Settings,GST Settings,GST-innstillinger
DocType: Selling Settings,Customer Naming By,Kunden Naming Av
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Vil vise studenten som Tilstede i Student Månedlig fremmøterapport
DocType: Depreciation Schedule,Depreciation Amount,avskrivninger Beløp
@@ -704,6 +709,7 @@
DocType: Item,Material Transfer,Material Transfer
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Åpning (Dr)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Oppslaget tidsstempel må være etter {0}
+,GST Itemised Purchase Register,GST Artized Purchase Register
DocType: Employee Loan,Total Interest Payable,Total rentekostnader
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Landed Cost skatter og avgifter
DocType: Production Order Operation,Actual Start Time,Faktisk Starttid
@@ -732,10 +738,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
DocType: Account,Accounts,Kontoer
DocType: Vehicle,Odometer Value (Last),Kilometerstand (Siste)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Markedsføring
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Markedsføring
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Betaling Entry er allerede opprettet
DocType: Purchase Receipt Item Supplied,Current Stock,Nåværende Stock
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} ikke knyttet til Element {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} ikke knyttet til Element {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Forhåndsvisning Lønn Slip
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Konto {0} er angitt flere ganger
DocType: Account,Expenses Included In Valuation,Kostnader som inngår i verdivurderings
@@ -743,7 +749,7 @@
,Absent Student Report,Fraværende Student Rapporter
DocType: Email Digest,Next email will be sent on:,Neste post vil bli sendt på:
DocType: Offer Letter Term,Offer Letter Term,Tilby Letter Term
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Elementet har varianter.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Elementet har varianter.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Element {0} ikke funnet
DocType: Bin,Stock Value,Stock Verdi
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Selskapet {0} finnes ikke
@@ -752,8 +758,8 @@
DocType: Serial No,Warranty Expiry Date,Garantiutløpsdato
DocType: Material Request Item,Quantity and Warehouse,Kvantitet og Warehouse
DocType: Sales Invoice,Commission Rate (%),Kommisjonen Rate (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Vennligst velg Program
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Vennligst velg Program
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Vennligst velg Program
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Vennligst velg Program
DocType: Project,Estimated Cost,anslått pris
DocType: Purchase Order,Link to material requests,Lenke til materiale forespørsler
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aerospace
@@ -767,14 +773,14 @@
DocType: Purchase Order,Supply Raw Materials,Leverer råvare
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,Datoen da neste faktura vil bli generert. Det genereres på send.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Omløpsmidler
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} er ikke en lagervare
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} er ikke en lagervare
DocType: Mode of Payment Account,Default Account,Standard konto
DocType: Payment Entry,Received Amount (Company Currency),Mottatt beløp (Selskap Valuta)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,Lead må stilles inn hvis Opportunity er laget av Lead
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,Vennligst velg ukentlig off dag
DocType: Production Order Operation,Planned End Time,Planlagt Sluttid
,Sales Person Target Variance Item Group-Wise,Sales Person Target Avviks varegruppe-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Konto med eksisterende transaksjon kan ikke konverteres til Ledger
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Konto med eksisterende transaksjon kan ikke konverteres til Ledger
DocType: Delivery Note,Customer's Purchase Order No,Kundens innkjøpsordre Nei
DocType: Budget,Budget Against,budsjett Against
DocType: Employee,Cell Number,Cell Number
@@ -786,15 +792,13 @@
DocType: Opportunity,Opportunity From,Opportunity Fra
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Månedslønn uttalelse.
DocType: BOM,Website Specifications,Nettstedet Spesifikasjoner
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Vennligst oppsett nummereringsserie for Deltakelse via Oppsett> Nummereringsserie
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Fra {0} av typen {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Rad {0}: Omregningsfaktor er obligatorisk
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Rad {0}: Omregningsfaktor er obligatorisk
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Flere Pris regler eksisterer med samme kriteriene, kan du løse konflikten ved å prioritere. Pris Regler: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,Kan ikke deaktivere eller kansellere BOM som det er forbundet med andre stykklister
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Flere Pris regler eksisterer med samme kriteriene, kan du løse konflikten ved å prioritere. Pris Regler: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Kan ikke deaktivere eller kansellere BOM som det er forbundet med andre stykklister
DocType: Opportunity,Maintenance,Vedlikehold
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Kvitteringen antall som kreves for Element {0}
DocType: Item Attribute Value,Item Attribute Value,Sak data Verdi
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Salgskampanjer.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Gjør Timeregistrering
@@ -827,30 +831,30 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Asset kasserte via bilagsregistrering {0}
DocType: Employee Loan,Interest Income Account,Renteinntekter konto
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Bioteknologi
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Kontor Vedlikehold Utgifter
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Kontor Vedlikehold Utgifter
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Sette opp e-postkonto
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Skriv inn Sak først
DocType: Account,Liability,Ansvar
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,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}.
DocType: Company,Default Cost of Goods Sold Account,Standard varekostnader konto
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Prisliste ikke valgt
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Prisliste ikke valgt
DocType: Employee,Family Background,Familiebakgrunn
DocType: Request for Quotation Supplier,Send Email,Send E-Post
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Advarsel: Ugyldig Vedlegg {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Advarsel: Ugyldig Vedlegg {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Ingen tillatelse
DocType: Company,Default Bank Account,Standard Bank Account
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Hvis du vil filtrere basert på partiet, velger partiet Skriv inn først"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'Oppdater Stock' kan ikke kontrolleres fordi elementene ikke er levert via {0}
DocType: Vehicle,Acquisition Date,Innkjøpsdato
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Nos
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Nos
DocType: Item,Items with higher weightage will be shown higher,Elementer med høyere weightage vil bli vist høyere
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bankavstemming Detalj
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} må fremlegges
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} må fremlegges
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Ingen ansatte funnet
DocType: Supplier Quotation,Stopped,Stoppet
DocType: Item,If subcontracted to a vendor,Dersom underleverandør til en leverandør
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Studentgruppen er allerede oppdatert.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Studentgruppen er allerede oppdatert.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Studentgruppen er allerede oppdatert.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Studentgruppen er allerede oppdatert.
DocType: SMS Center,All Customer Contact,All Kundekontakt
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Last opp lagersaldo via csv.
DocType: Warehouse,Tree Details,Tree Informasjon
@@ -862,13 +866,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Kostnadssted {2} ikke tilhører selskapet {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Account {2} kan ikke være en gruppe
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Sak Row {idx}: {doctype} {DOCNAME} finnes ikke i oven {doctype} tabellen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Timeregistrering {0} er allerede gjennomført eller kansellert
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timeregistrering {0} er allerede gjennomført eller kansellert
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ingen oppgaver
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Dagen i måneden som auto faktura vil bli generert for eksempel 05, 28 osv"
DocType: Asset,Opening Accumulated Depreciation,Åpning akkumulerte avskrivninger
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Score må være mindre enn eller lik 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Program Påmelding Tool
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,C-Form poster
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C-Form poster
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Kunde og leverandør
DocType: Email Digest,Email Digest Settings,E-post Digest Innstillinger
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Takk for handelen!
@@ -878,17 +882,19 @@
DocType: Bin,Moving Average Rate,Moving Gjennomsnittlig pris
DocType: Production Planning Tool,Select Items,Velg Items
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} mot Bill {1} datert {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Kjøretøy / bussnummer
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Kursplan
DocType: Maintenance Visit,Completion Status,Completion Status
DocType: HR Settings,Enter retirement age in years,Skriv inn pensjonsalder i år
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Target Warehouse
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Vennligst velg et lager
DocType: Cheque Print Template,Starting location from left edge,Starter plassering fra venstre kant
DocType: Item,Allow over delivery or receipt upto this percent,Tillat løpet levering eller mottak opp denne prosent
DocType: Stock Entry,STE-,an- drogene
DocType: Upload Attendance,Import Attendance,Import Oppmøte
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Alle varegrupper
DocType: Process Payroll,Activity Log,Aktivitetsloggen
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Netto gevinst / tap
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Netto gevinst / tap
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Skriv melding automatisk ved innlevering av transaksjoner.
DocType: Production Order,Item To Manufacture,Element for å produsere
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} status er {2}
@@ -897,16 +903,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Bestilling til betaling
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Anslått Antall
DocType: Sales Invoice,Payment Due Date,Betalingsfrist
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Sak Variant {0} finnes allerede med samme attributtene
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Sak Variant {0} finnes allerede med samme attributtene
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',"Opening"
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Åpne for å gjøre
DocType: Notification Control,Delivery Note Message,Levering Note Message
DocType: Expense Claim,Expenses,Utgifter
+,Support Hours,Støtte timer
DocType: Item Variant Attribute,Item Variant Attribute,Sak Variant Egenskap
,Purchase Receipt Trends,Kvitteringen Trender
DocType: Process Payroll,Bimonthly,annenhver måned
DocType: Vehicle Service,Brake Pad,Bremsekloss
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Forskning Og Utvikling
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Forskning Og Utvikling
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Beløp til Bill
DocType: Company,Registration Details,Registrering Detaljer
DocType: Timesheet,Total Billed Amount,Total Fakturert beløp
@@ -919,12 +926,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Bare Skaffe råstoffer
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Medarbeidersamtaler.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Aktivering av «Bruk for handlekurven", som Handlevogn er aktivert, og det bør være minst en skatteregel for Handlekurv"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Betaling Entry {0} er knyttet mot Bestill {1}, sjekk om det bør trekkes som forskudd i denne fakturaen."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Betaling Entry {0} er knyttet mot Bestill {1}, sjekk om det bør trekkes som forskudd i denne fakturaen."
DocType: Sales Invoice Item,Stock Details,Stock Detaljer
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Prosjektet Verdi
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Utsalgssted
DocType: Vehicle Log,Odometer Reading,Kilometerteller Reading
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Saldo allerede i Credit, har du ikke lov til å sette "Balance må være 'som' debet '"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Saldo allerede i Credit, har du ikke lov til å sette "Balance må være 'som' debet '"
DocType: Account,Balance must be,Balansen må være
DocType: Hub Settings,Publish Pricing,Publiser Priser
DocType: Notification Control,Expense Claim Rejected Message,Expense krav Avvist Message
@@ -934,7 +941,7 @@
DocType: Salary Slip,Working Days,Arbeidsdager
DocType: Serial No,Incoming Rate,Innkommende Rate
DocType: Packing Slip,Gross Weight,Bruttovekt
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,Navnet på firmaet som du setter opp dette systemet.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,Navnet på firmaet som du setter opp dette systemet.
DocType: HR Settings,Include holidays in Total no. of Working Days,Inkluder ferier i Total no. arbeidsdager
DocType: Job Applicant,Hold,Hold
DocType: Employee,Date of Joining,Dato for Delta
@@ -945,20 +952,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Kvitteringen
,Received Items To Be Billed,Mottatte elementer å bli fakturert
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Innsendte lønnsslipper
-DocType: Employee,Ms,Ms
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Valutakursen mester.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Referanse DOCTYPE må være en av {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Valutakursen mester.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referanse DOCTYPE må være en av {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Å finne tidsluke i de neste {0} dager for Operation klarer {1}
DocType: Production Order,Plan material for sub-assemblies,Plan materiale for sub-assemblies
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Salgs Partnere og Territory
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,Kan ikke automatisk opprette konto som det er allerede lagersaldo på kontoen. Du må opprette en matchende konto før du kan lage en oppføring på dette lageret
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} må være aktiv
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} må være aktiv
DocType: Journal Entry,Depreciation Entry,avskrivninger Entry
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Velg dokumenttypen først
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Avbryt Material Besøk {0} før den sletter denne Maintenance Visit
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serial No {0} tilhører ikke Element {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Påkrevd antall
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Næringslokaler med eksisterende transaksjon kan ikke konverteres til hovedbok.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Næringslokaler med eksisterende transaksjon kan ikke konverteres til hovedbok.
DocType: Bank Reconciliation,Total Amount,Totalbeløp
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Internett Publisering
DocType: Production Planning Tool,Production Orders,Produksjonsordrer
@@ -973,25 +978,26 @@
DocType: Fee Structure,Components,komponenter
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Fyll inn Asset kategori i Element {0}
DocType: Quality Inspection Reading,Reading 6,Reading 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Kan ikke {0} {1} {2} uten noen negativ utestående faktura
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Kan ikke {0} {1} {2} uten noen negativ utestående faktura
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Fakturaen Advance
DocType: Hub Settings,Sync Now,Synkroniser nå
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Rad {0}: Credit oppføring kan ikke være knyttet til en {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Definer budsjett for et regnskapsår.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Definer budsjett for et regnskapsår.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Standard Bank / minibank konto vil automatisk bli oppdatert i POS faktura når denne modusen er valgt.
DocType: Lead,LEAD-,LEDE-
DocType: Employee,Permanent Address Is,Permanent Adresse Er
DocType: Production Order Operation,Operation completed for how many finished goods?,Operasjonen gjennomført for hvor mange ferdigvarer?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,The Brand
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,The Brand
DocType: Employee,Exit Interview Details,Exit Intervju Detaljer
DocType: Item,Is Purchase Item,Er Purchase Element
DocType: Asset,Purchase Invoice,Fakturaen
DocType: Stock Ledger Entry,Voucher Detail No,Kupong Detail Ingen
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Ny salgsfaktura
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Ny salgsfaktura
DocType: Stock Entry,Total Outgoing Value,Total Utgående verdi
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Åpningsdato og sluttdato skal være innenfor samme regnskapsår
DocType: Lead,Request for Information,Spør etter informasjon
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Synkroniser Offline Fakturaer
+,LeaderBoard,Leaderboard
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Synkroniser Offline Fakturaer
DocType: Payment Request,Paid,Betalt
DocType: Program Fee,Program Fee,program Fee
DocType: Salary Slip,Total in words,Totalt i ord
@@ -1000,13 +1006,13 @@
DocType: Cheque Print Template,Has Print Format,Har Print Format
DocType: Employee Loan,Sanctioned,sanksjonert
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,er obligatorisk. Kanskje Valutaveksling posten ikke er skapt for
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Vennligst oppgi serienummer for varen {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","For 'Produkt Bundle' elementer, Warehouse, serienummer og Batch Ingen vil bli vurdert fra "Pakkeliste" bord. Hvis Warehouse og Batch Ingen er lik for alle pakking elementer for noen "Product Bundle 'elementet, kan disse verdiene legges inn i hoved Sak bordet, vil verdiene bli kopiert til" Pakkeliste "bord."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Vennligst oppgi serienummer for varen {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","For 'Produkt Bundle' elementer, Warehouse, serienummer og Batch Ingen vil bli vurdert fra "Pakkeliste" bord. Hvis Warehouse og Batch Ingen er lik for alle pakking elementer for noen "Product Bundle 'elementet, kan disse verdiene legges inn i hoved Sak bordet, vil verdiene bli kopiert til" Pakkeliste "bord."
DocType: Job Opening,Publish on website,Publiser på nettstedet
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Forsendelser til kunder.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Leverandør Fakturadato kan ikke være større enn konteringsdato
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Leverandør Fakturadato kan ikke være større enn konteringsdato
DocType: Purchase Invoice Item,Purchase Order Item,Innkjøpsordre Element
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Indirekte inntekt
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Indirekte inntekt
DocType: Student Attendance Tool,Student Attendance Tool,Student Oppmøte Tool
DocType: Cheque Print Template,Date Settings,Dato Innstillinger
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Varians
@@ -1024,21 +1030,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Kjemisk
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Standard Bank / minibank konto vil bli automatisk oppdatert i Lønn bilagsregistrering når denne modusen er valgt.
DocType: BOM,Raw Material Cost(Company Currency),Raw Material Cost (Selskap Valuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Alle elementene er allerede blitt overført til denne produksjonsordre.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Alle elementene er allerede blitt overført til denne produksjonsordre.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Prisen kan ikke være større enn frekvensen som brukes i {1} {2}
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Prisen kan ikke være større enn frekvensen som brukes i {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,Måler
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,Måler
DocType: Workstation,Electricity Cost,Elektrisitet Cost
DocType: HR Settings,Don't send Employee Birthday Reminders,Ikke send Employee bursdagspåminnelser
DocType: Item,Inspection Criteria,Inspeksjon Kriterier
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Overført
DocType: BOM Website Item,BOM Website Item,BOM Nettstedet Element
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Last opp din brevhode og logo. (Du kan redigere dem senere).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Last opp din brevhode og logo. (Du kan redigere dem senere).
DocType: Timesheet Detail,Bill,Regning
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Neste avskrivningsdato legges inn som siste dato
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Hvit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Hvit
DocType: SMS Center,All Lead (Open),All Lead (Open)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rad {0}: Antall ikke tilgjengelig for {4} i lageret {1} ved å legge tidspunktet for innreise ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rad {0}: Antall ikke tilgjengelig for {4} i lageret {1} ved å legge tidspunktet for innreise ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Få utbetalt forskudd
DocType: Item,Automatically Create New Batch,Opprett automatisk ny batch automatisk
DocType: Item,Automatically Create New Batch,Opprett automatisk ny batch automatisk
@@ -1049,13 +1055,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Handlekurv
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Ordretype må være en av {0}
DocType: Lead,Next Contact Date,Neste Kontakt Dato
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Antall åpne
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,Vennligst oppgi konto for Change Beløp
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Antall åpne
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,Vennligst oppgi konto for Change Beløp
DocType: Student Batch Name,Student Batch Name,Student Batch Name
DocType: Holiday List,Holiday List Name,Holiday Listenavn
DocType: Repayment Schedule,Balance Loan Amount,Balanse Lånebeløp
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Schedule Course
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Aksjeopsjoner
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Aksjeopsjoner
DocType: Journal Entry Account,Expense Claim,Expense krav
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Har du virkelig ønsker å gjenopprette dette skrotet ressurs?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Antall for {0}
@@ -1067,12 +1073,12 @@
DocType: Company,Default Terms,Standard Terms
DocType: Packing Slip Item,Packing Slip Item,Pakking Slip Element
DocType: Purchase Invoice,Cash/Bank Account,Cash / Bank Account
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Vennligst oppgi en {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Vennligst oppgi en {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Fjernet elementer med ingen endring i mengde eller verdi.
DocType: Delivery Note,Delivery To,Levering Å
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Attributt tabellen er obligatorisk
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Attributt tabellen er obligatorisk
DocType: Production Planning Tool,Get Sales Orders,Få salgsordrer
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} kan ikke være negativ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} kan ikke være negativ
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Rabatt
DocType: Asset,Total Number of Depreciations,Totalt antall Avskrivninger
DocType: Sales Invoice Item,Rate With Margin,Vurder med margin
@@ -1093,7 +1099,6 @@
DocType: Serial No,Creation Document No,Creation Dokument nr
DocType: Issue,Issue,Problem
DocType: Asset,Scrapped,skrotet
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Kontoen samsvarer ikke med selskapet
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Attributter for varen Varianter. f.eks størrelse, farge etc."
DocType: Purchase Invoice,Returns,returer
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP Warehouse
@@ -1105,12 +1110,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,Elementet må legges til med "Get Elementer fra innkjøps Receipts 'knappen
DocType: Employee,A-,EN-
DocType: Production Planning Tool,Include non-stock items,Inkluder ikke-lager
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Salgs Utgifter
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Salgs Utgifter
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Standard Kjøpe
DocType: GL Entry,Against,Against
DocType: Item,Default Selling Cost Center,Standard Selling kostnadssted
DocType: Sales Partner,Implementation Partner,Gjennomføring Partner
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Post kode
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Post kode
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Salgsordre {0} er {1}
DocType: Opportunity,Contact Info,Kontaktinfo
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Making Stock Entries
@@ -1123,33 +1128,33 @@
DocType: Holiday List,Get Weekly Off Dates,Få Ukentlig Off Datoer
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,Sluttdato kan ikke være mindre enn startdato
DocType: Sales Person,Select company name first.,Velg firmanavn først.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Dr
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Sitater mottatt fra leverandører.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Til {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Gjennomsnittsalder
DocType: School Settings,Attendance Freeze Date,Deltagelsesfrysedato
DocType: School Settings,Attendance Freeze Date,Deltagelsesfrysedato
DocType: Opportunity,Your sales person who will contact the customer in future,Din selger som vil ta kontakt med kunden i fremtiden
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Liste noen av dine leverandører. De kan være organisasjoner eller enkeltpersoner.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Liste noen av dine leverandører. De kan være organisasjoner eller enkeltpersoner.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Se alle produkter
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimum levealder (dager)
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimum levealder (dager)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,alle stykklister
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,alle stykklister
DocType: Company,Default Currency,Standard Valuta
DocType: Expense Claim,From Employee,Fra Employee
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Advarsel: System vil ikke sjekke billing siden beløpet for varen {0} i {1} er null
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Advarsel: System vil ikke sjekke billing siden beløpet for varen {0} i {1} er null
DocType: Journal Entry,Make Difference Entry,Gjør forskjell Entry
DocType: Upload Attendance,Attendance From Date,Oppmøte Fra dato
DocType: Appraisal Template Goal,Key Performance Area,Key Performance-området
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Transport
+DocType: Program Enrollment,Transportation,Transport
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Ugyldig Egenskap
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} må sendes
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} må sendes
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Antall må være mindre enn eller lik {0}
DocType: SMS Center,Total Characters,Totalt tegn
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Vennligst velg BOM i BOM felt for Element {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Vennligst velg BOM i BOM felt for Element {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Faktura Detalj
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Betaling Avstemming Faktura
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Bidrag%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","I henhold til kjøpsinnstillingene hvis innkjøpsordre er påkrevd == 'JA' og deretter for å opprette Kjøpfaktura, må brukeren opprette innkjøpsordre først for element {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Firmaregistreringsnumre som referanse. Skatte tall osv
DocType: Sales Partner,Distributor,Distributør
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Handlevogn Shipping Rule
@@ -1158,23 +1163,25 @@
,Ordered Items To Be Billed,Bestilte varer til å bli fakturert
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Fra Range må være mindre enn til kolleksjonen
DocType: Global Defaults,Global Defaults,Global Defaults
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Prosjekt Samarbeid Invitasjon
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Prosjekt Samarbeid Invitasjon
DocType: Salary Slip,Deductions,Fradrag
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,start-år
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},De to første sifrene i GSTIN skal samsvare med statens nummer {0}
DocType: Purchase Invoice,Start date of current invoice's period,Startdato for nåværende fakturaperiode
DocType: Salary Slip,Leave Without Pay,La Uten Pay
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Kapasitetsplanlegging Error
,Trial Balance for Party,Trial Balance for partiet
DocType: Lead,Consultant,Konsulent
DocType: Salary Slip,Earnings,Inntjeningen
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Ferdig Element {0} må angis for Produksjon typen oppføring
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Ferdig Element {0} må angis for Produksjon typen oppføring
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Åpning Regnskap Balanse
+,GST Sales Register,GST salgsregistrering
DocType: Sales Invoice Advance,Sales Invoice Advance,Salg Faktura Advance
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Ingenting å be om
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},En annen Budsjett record '{0} finnes allerede mot {1} {2} for regnskapsåret {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date','Faktisk startdato' ikke kan være større enn "Actual End Date '
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Ledelse
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Ledelse
DocType: Cheque Print Template,Payer Settings,Payer Innstillinger
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Dette vil bli lagt til Element Code of varianten. For eksempel, hvis din forkortelsen er "SM", og elementet kode er "T-SHIRT", elementet koden til variant vil være "T-SHIRT-SM""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Nettolønn (i ord) vil være synlig når du lagrer Lønn Slip.
@@ -1191,8 +1198,8 @@
DocType: Employee Loan,Partially Disbursed,delvis Utbetalt
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Leverandør database.
DocType: Account,Balance Sheet,Balanse
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Koste Center For Element med Element kode '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Betaling Mode er ikke konfigurert. Kontroller, om kontoen er satt på modus for betalinger eller på POS-profil."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Koste Center For Element med Element kode '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Betaling Mode er ikke konfigurert. Kontroller, om kontoen er satt på modus for betalinger eller på POS-profil."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Din selger vil få en påminnelse på denne datoen for å kontakte kunden
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Samme elementet kan ikke legges inn flere ganger.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Ytterligere kontoer kan gjøres under grupper, men oppføringene kan gjøres mot ikke-grupper"
@@ -1200,7 +1207,7 @@
DocType: Email Digest,Payables,Gjeld
DocType: Course,Course Intro,kurs Intro
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Stock Entry {0} er opprettet
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Avvist Antall kan ikke legges inn i innkjøpsliste
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Avvist Antall kan ikke legges inn i innkjøpsliste
,Purchase Order Items To Be Billed,Purchase Order Elementer som skal faktureres
DocType: Purchase Invoice Item,Net Rate,Net Rate
DocType: Purchase Invoice Item,Purchase Invoice Item,Fakturaen Element
@@ -1227,7 +1234,7 @@
DocType: Sales Order,SO-,SÅ-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Vennligst velg først prefiks
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Forskning
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Forskning
DocType: Maintenance Visit Purpose,Work Done,Arbeidet Som Er Gjort
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Vennligst oppgi minst ett attributt i Attributter tabellen
DocType: Announcement,All Students,alle studenter
@@ -1235,17 +1242,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Vis Ledger
DocType: Grading Scale,Intervals,intervaller
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Tidligste
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","En varegruppe eksisterer med samme navn, må du endre elementnavnet eller endre navn varegruppen"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Student Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Resten Av Verden
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","En varegruppe eksisterer med samme navn, må du endre elementnavnet eller endre navn varegruppen"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No.
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Resten Av Verden
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Element {0} kan ikke ha Batch
,Budget Variance Report,Budsjett Avvik Rapporter
DocType: Salary Slip,Gross Pay,Brutto Lønn
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Rad {0}: Aktivitetstype er obligatorisk.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Utbytte betalt
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Utbytte betalt
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Regnskap Ledger
DocType: Stock Reconciliation,Difference Amount,Forskjellen Beløp
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Opptjent egenkapital
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Opptjent egenkapital
DocType: Vehicle Log,Service Detail,tjenesten Detalj
DocType: BOM,Item Description,Element Beskrivelse
DocType: Student Sibling,Student Sibling,student Søsken
@@ -1260,11 +1267,11 @@
DocType: Opportunity Item,Opportunity Item,Opportunity Element
,Student and Guardian Contact Details,Student og Guardian Kontaktdetaljer
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Rad {0}: For Leverandøren pålegges {0} e-postadresse for å sende e-post
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Midlertidig Åpning
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Midlertidig Åpning
,Employee Leave Balance,Ansatt La Balance
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Balanse for konto {0} må alltid være {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Verdsettelse Rate kreves for varen i rad {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Eksempel: Masters i informatikk
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Eksempel: Masters i informatikk
DocType: Purchase Invoice,Rejected Warehouse,Avvist Warehouse
DocType: GL Entry,Against Voucher,Mot Voucher
DocType: Item,Default Buying Cost Center,Standard Kjøpe kostnadssted
@@ -1277,31 +1284,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Få utestående fakturaer
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Salgsordre {0} er ikke gyldig
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Innkjøpsordrer hjelpe deg å planlegge og følge opp kjøpene
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Sorry, kan selskapene ikke fusjoneres"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Sorry, kan selskapene ikke fusjoneres"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",Den totale Issue / Transfer mengde {0} i Material Request {1} \ kan ikke være større enn ønsket antall {2} for Element {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Liten
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Liten
DocType: Employee,Employee Number,Ansatt Number
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Tilfellet Nei (e) allerede er i bruk. Prøv fra sak nr {0}
DocType: Project,% Completed,% Fullført
,Invoiced Amount (Exculsive Tax),Fakturert beløp (exculsive Tax)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Sak 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Konto hodet {0} opprettet
DocType: Supplier,SUPP-,leve-
DocType: Training Event,Training Event,trening Hendelses
DocType: Item,Auto re-order,Auto re-order
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Oppnådd Total
DocType: Employee,Place of Issue,Utstedelsessted
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Kontrakts
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Kontrakts
DocType: Email Digest,Add Quote,Legg Sitat
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},Målenheter coversion faktor nødvendig for målenheter: {0} i Sak: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Indirekte kostnader
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Målenheter coversion faktor nødvendig for målenheter: {0} i Sak: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Indirekte kostnader
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Rad {0}: Antall er obligatorisk
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Landbruk
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sync Master Data
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Dine produkter eller tjenester
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Dine produkter eller tjenester
DocType: Mode of Payment,Mode of Payment,Modus for betaling
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Website Bilde bør være en offentlig fil eller nettside URL
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Website Bilde bør være en offentlig fil eller nettside URL
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Dette er en rot varegruppe og kan ikke redigeres.
@@ -1310,7 +1316,7 @@
DocType: Warehouse,Warehouse Contact Info,Warehouse Kontaktinfo
DocType: Payment Entry,Write Off Difference Amount,Skriv Off differansebeløpet
DocType: Purchase Invoice,Recurring Type,Gjentakende Type
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: Ansattes e-post ikke funnet, derav e-posten ikke sendt"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: Ansattes e-post ikke funnet, derav e-posten ikke sendt"
DocType: Item,Foreign Trade Details,Foreign Trade Detaljer
DocType: Email Digest,Annual Income,Årsinntekt
DocType: Serial No,Serial No Details,Serie ingen opplysninger
@@ -1318,10 +1324,10 @@
DocType: Student Group Student,Group Roll Number,Gruppe-nummer
DocType: Student Group Student,Group Roll Number,Gruppe-nummer
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",For {0} kan bare kredittkontoer kobles mot en annen belastning oppføring
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Summen av alle oppgave vekter bør være 1. Juster vekter av alle prosjektoppgaver tilsvar
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Levering Note {0} er ikke innsendt
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Elementet {0} må være en underleverandør Element
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Capital Equipments
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Summen av alle oppgave vekter bør være 1. Juster vekter av alle prosjektoppgaver tilsvar
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Levering Note {0} er ikke innsendt
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Elementet {0} må være en underleverandør Element
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Capital Equipments
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Prising Rule først valgt basert på "Apply On-feltet, som kan være varen, varegruppe eller Brand."
DocType: Hub Settings,Seller Website,Selger Hjemmeside
DocType: Item,ITEM-,PUNKT-
@@ -1339,7 +1345,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Det kan bare være én Shipping Rule Forhold med 0 eller blank verdi for "å verd"
DocType: Authorization Rule,Transaction,Transaksjons
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Merk: Denne Cost Center er en gruppe. Kan ikke gjøre regnskapspostene mot grupper.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,Barn lager finnes for dette lageret. Du kan ikke slette dette lageret.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Barn lager finnes for dette lageret. Du kan ikke slette dette lageret.
DocType: Item,Website Item Groups,Website varegrupper
DocType: Purchase Invoice,Total (Company Currency),Total (Company Valuta)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Serienummer {0} angitt mer enn én gang
@@ -1349,7 +1355,7 @@
DocType: Grading Scale Interval,Grade Code,grade Kode
DocType: POS Item Group,POS Item Group,POS Varegruppe
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-post Digest:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} tilhører ikke Element {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} tilhører ikke Element {1}
DocType: Sales Partner,Target Distribution,Target Distribution
DocType: Salary Slip,Bank Account No.,Bank Account No.
DocType: Naming Series,This is the number of the last created transaction with this prefix,Dette er nummeret på den siste laget transaksjonen med dette prefikset
@@ -1360,12 +1366,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Bokføring av aktivavskrivninger automatisk
DocType: BOM Operation,Workstation,Arbeidsstasjon
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Forespørsel om prisanslag Leverandør
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Hardware
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Hardware
DocType: Sales Order,Recurring Upto,Tilbakevendende Opp
DocType: Attendance,HR Manager,HR Manager
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Vennligst velg et selskap
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Privilege La
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Vennligst velg et selskap
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Privilege La
DocType: Purchase Invoice,Supplier Invoice Date,Leverandør Fakturadato
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,per
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Du må aktivere Handlevogn
DocType: Payment Entry,Writeoff,writeoff
DocType: Appraisal Template Goal,Appraisal Template Goal,Appraisal Mal Goal
@@ -1376,10 +1383,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Overlappende vilkår funnet mellom:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Mot Journal Entry {0} er allerede justert mot en annen kupong
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Total ordreverdi
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Mat
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Mat
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Aldring Range 3
DocType: Maintenance Schedule Item,No of Visits,Ingen av besøk
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Mark frammøte
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Mark frammøte
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Vedlikeholdsplan {0} eksisterer mot {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,påmelding student
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Valuta ifølge kursen konto må være {0}
@@ -1393,6 +1400,7 @@
DocType: Rename Tool,Utilities,Verktøy
DocType: Purchase Invoice Item,Accounting,Regnskap
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Vennligst velg batch for batched item
DocType: Asset,Depreciation Schedules,avskrivninger tidsplaner
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Tegningsperioden kan ikke være utenfor permisjon tildeling periode
DocType: Activity Cost,Projects,Prosjekter
@@ -1406,6 +1414,7 @@
DocType: POS Profile,Campaign,Kampanje
DocType: Supplier,Name and Type,Navn og Type
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Godkjenningsstatus må være "Godkjent" eller "Avvist"
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,Bootstrap
DocType: Purchase Invoice,Contact Person,Kontaktperson
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Tiltredelse' ikke kan være større enn "Forventet sluttdato
DocType: Course Scheduling Tool,Course End Date,Kurs Sluttdato
@@ -1413,12 +1422,11 @@
DocType: Sales Order Item,Planned Quantity,Planlagt Antall
DocType: Purchase Invoice Item,Item Tax Amount,Sak Skattebeløp
DocType: Item,Maintain Stock,Oppretthold Stock
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Arkiv Innlegg allerede opprettet for produksjonsordre
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Arkiv Innlegg allerede opprettet for produksjonsordre
DocType: Employee,Prefered Email,foretrukne e-post
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Netto endring i Fixed Asset
DocType: Leave Control Panel,Leave blank if considered for all designations,La stå tom hvis vurderes for alle betegnelser
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Warehouse er obligatorisk for ikke konsernregnskapet av typen lager
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge of type 'Actual' i rad {0} kan ikke inkluderes i Element Ranger
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge of type 'Actual' i rad {0} kan ikke inkluderes i Element Ranger
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Fra Datetime
DocType: Email Digest,For Company,For selskapet
@@ -1428,15 +1436,15 @@
DocType: Sales Invoice,Shipping Address Name,Leveringsadresse Navn
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Konto
DocType: Material Request,Terms and Conditions Content,Betingelser innhold
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,kan ikke være større enn 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Element {0} er ikke en lagervare
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,kan ikke være større enn 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Element {0} er ikke en lagervare
DocType: Maintenance Visit,Unscheduled,Ikke planlagt
DocType: Employee,Owned,Eies
DocType: Salary Detail,Depends on Leave Without Pay,Avhenger La Uten Pay
DocType: Pricing Rule,"Higher the number, higher the priority","Høyere tallet er, høyere prioritet"
,Purchase Invoice Trends,Fakturaen Trender
DocType: Employee,Better Prospects,Bedre utsikter
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",Row # {0}: Batch {1} har bare {2} antall. Vennligst velg en annen batch som har {3} antall tilgjengelig eller del opp raden i flere rader for å levere / utføre fra flere batcher
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",Row # {0}: Batch {1} har bare {2} antall. Vennligst velg en annen batch som har {3} antall tilgjengelig eller del opp raden i flere rader for å levere / utføre fra flere batcher
DocType: Vehicle,License Plate,Bilskilt
DocType: Appraisal,Goals,Mål
DocType: Warranty Claim,Warranty / AMC Status,Garanti / AMC Status
@@ -1447,19 +1455,20 @@
,Batch-Wise Balance History,Batch-Wise Balance Historie
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Utskriftsinnstillingene oppdatert i respektive utskriftsformat
DocType: Package Code,Package Code,pakke kode
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Lærling
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Lærling
+DocType: Purchase Invoice,Company GSTIN,Firma GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Negative Antall er ikke tillatt
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","Tax detalj tabell hentet fra elementet Hoved som en streng, og som er lagret på dette feltet. Brukes for skatter og avgifter"
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Arbeidstaker kan ikke rapportere til seg selv.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Hvis kontoen er fryst, er oppføringer lov til begrensede brukere."
DocType: Email Digest,Bank Balance,Bank Balanse
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Regnskap Entry for {0}: {1} kan bare gjøres i valuta: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Regnskap Entry for {0}: {1} kan bare gjøres i valuta: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Jobb profil, kvalifikasjoner som kreves etc."
DocType: Journal Entry Account,Account Balance,Saldo
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Skatteregel for transaksjoner.
DocType: Rename Tool,Type of document to rename.,Type dokument for å endre navn.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Vi kjøper denne varen
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Vi kjøper denne varen
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Kunden er nødvendig mot fordringer kontoen {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Totale skatter og avgifter (Selskapet valuta)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Vis unclosed regnskapsårets P & L balanserer
@@ -1470,29 +1479,30 @@
DocType: Stock Entry,Total Additional Costs,Samlede merkostnader
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Skrap Material Cost (Selskap Valuta)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Sub Assemblies
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Sub Assemblies
DocType: Asset,Asset Name,Asset Name
DocType: Project,Task Weight,Task Vekt
DocType: Shipping Rule Condition,To Value,I Value
DocType: Asset Movement,Stock Manager,Stock manager
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Kilde lageret er obligatorisk for rad {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Pakkseddel
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Kontor Leie
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Kilde lageret er obligatorisk for rad {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Pakkseddel
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Kontor Leie
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Oppsett SMS gateway-innstillinger
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Import mislyktes!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Ingen adresse er lagt til ennå.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Ingen adresse er lagt til ennå.
DocType: Workstation Working Hour,Workstation Working Hour,Arbeidsstasjon Working Hour
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Analytiker
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Analytiker
DocType: Item,Inventory,Inventar
DocType: Item,Sales Details,Salgs Detaljer
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,Med Items
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,I Antall
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,I Antall
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Bekreft innmeldt kurs for studenter i studentgruppen
DocType: Notification Control,Expense Claim Rejected,Expense krav Avvist
DocType: Item,Item Attribute,Sak Egenskap
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Regjeringen
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Regjeringen
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Expense krav {0} finnes allerede for Vehicle Log
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Institute Name
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Institute Name
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,Fyll inn gjenværende beløpet
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Element Varianter
DocType: Company,Services,Tjenester
@@ -1502,18 +1512,18 @@
DocType: Sales Invoice,Source,Source
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Vis stengt
DocType: Leave Type,Is Leave Without Pay,Er permisjon uten Pay
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Asset Kategori er obligatorisk for Fixed Asset element
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset Kategori er obligatorisk for Fixed Asset element
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Ingen poster ble funnet i Payment tabellen
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Denne {0} konflikter med {1} for {2} {3}
DocType: Student Attendance Tool,Students HTML,studenter HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Regnskapsår Startdato
DocType: POS Profile,Apply Discount,Bruk rabatt
+DocType: Purchase Invoice Item,GST HSN Code,GST HSN-kode
DocType: Employee External Work History,Total Experience,Total Experience
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,åpne Prosjekter
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Pakking Slip (s) kansellert
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Kontantstrøm fra investerings
DocType: Program Course,Program Course,program Course
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Spedisjons- og Kostnader
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Spedisjons- og Kostnader
DocType: Homepage,Company Tagline for website homepage,Selskapet Undertittel for nettstedet hjemmeside
DocType: Item Group,Item Group Name,Sak Gruppenavn
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Tatt
@@ -1523,6 +1533,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Lag Leads
DocType: Maintenance Schedule,Schedules,Rutetider
DocType: Purchase Invoice Item,Net Amount,Nettobeløp
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} er ikke sendt, så handlingen kan ikke fullføres"
DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detail Nei
DocType: Landed Cost Voucher,Additional Charges,Ekstra kostnader
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Ekstra rabatt Beløp (Selskap Valuta)
@@ -1538,6 +1549,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Månedlig nedbetaling beløpet
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,Vennligst angi bruker-ID-feltet i en Employee rekord å sette Employee Rolle
DocType: UOM,UOM Name,Målenheter Name
+DocType: GST HSN Code,HSN Code,HSN kode
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Bidrag Beløp
DocType: Purchase Invoice,Shipping Address,Sendingsadresse
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Dette verktøyet hjelper deg til å oppdatere eller fikse mengde og verdsetting av aksjer i systemet. Det er vanligvis brukes til å synkronisere systemverdier og hva som faktisk eksisterer i ditt varehus.
@@ -1548,18 +1560,17 @@
DocType: Program Enrollment Tool,Program Enrollments,program~~POS=TRUNC påmeldinger
DocType: Sales Invoice Item,Brand Name,Merkenavn
DocType: Purchase Receipt,Transporter Details,Transporter Detaljer
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Standardlager er nødvendig til den valgte artikkelen
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Eske
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Standardlager er nødvendig til den valgte artikkelen
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Eske
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,mulig Leverandør
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Organisasjonen
DocType: Budget,Monthly Distribution,Månedlig Distribution
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Mottaker-listen er tom. Opprett Receiver Liste
DocType: Production Plan Sales Order,Production Plan Sales Order,Produksjonsplan Salgsordre
DocType: Sales Partner,Sales Partner Target,Sales Partner Target
DocType: Loan Type,Maximum Loan Amount,Maksimal Lånebeløp
DocType: Pricing Rule,Pricing Rule,Prising Rule
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Dupliseringsnummer for student {0}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Dupliseringsnummer for student {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Dupliseringsnummer for student {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Dupliseringsnummer for student {0}
DocType: Budget,Action if Annual Budget Exceeded,Tiltak hvis Årlig budsjett Skredet
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Materialet Request til innkjøpsordre
DocType: Shopping Cart Settings,Payment Success URL,Betaling Suksess URL
@@ -1572,11 +1583,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Åpning Stock Balance
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} må vises bare en gang
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Ikke lov til å overfør mer {0} enn {1} mot innkjøpsordre {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Ikke lov til å overfør mer {0} enn {1} mot innkjøpsordre {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Etterlater Avsatt Vellykket for {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Ingenting å pakke
DocType: Shipping Rule Condition,From Value,Fra Verdi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Manufacturing Antall er obligatorisk
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Manufacturing Antall er obligatorisk
DocType: Employee Loan,Repayment Method,tilbakebetaling Method
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Hvis det er merket, vil hjemmesiden være standard Varegruppe for nettstedet"
DocType: Quality Inspection Reading,Reading 4,Reading 4
@@ -1586,7 +1597,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Row # {0}: Clearance date {1} kan ikke være før Cheque Dato {2}
DocType: Company,Default Holiday List,Standard Holiday List
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Rad {0}: Fra tid og klokkeslett {1} er overlappende med {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Aksje Gjeld
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Aksje Gjeld
DocType: Purchase Invoice,Supplier Warehouse,Leverandør Warehouse
DocType: Opportunity,Contact Mobile No,Kontakt Mobile No
,Material Requests for which Supplier Quotations are not created,Materielle Forespørsler som Leverandør Sitater ikke er opprettet
@@ -1597,35 +1608,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Gjør sitat
apps/erpnext/erpnext/config/selling.py +216,Other Reports,andre rapporter
DocType: Dependent Task,Dependent Task,Avhengig Task
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Omregningsfaktor for standard Enhet må være en i rad {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Omregningsfaktor for standard Enhet må være en i rad {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Permisjon av typen {0} kan ikke være lengre enn {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Prøv å planlegge operasjoner for X dager i forveien.
DocType: HR Settings,Stop Birthday Reminders,Stop bursdagspåminnelser
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Vennligst sette Standard Lønn betales konto i selskapet {0}
DocType: SMS Center,Receiver List,Mottaker List
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Søk Element
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Søk Element
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Forbrukes Beløp
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Netto endring i kontanter
DocType: Assessment Plan,Grading Scale,Grading Scale
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Enhet {0} har blitt lagt inn mer enn én gang i omregningsfaktor tabell
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Enhet {0} har blitt lagt inn mer enn én gang i omregningsfaktor tabell
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,allerede fullført
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Lager i hånd
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Betaling Request allerede eksisterer {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Cost of Utstedte Items
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Antall må ikke være mer enn {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Foregående regnskapsår er ikke stengt
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Alder (dager)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Alder (dager)
DocType: Quotation Item,Quotation Item,Sitat Element
+DocType: Customer,Customer POS Id,Kundens POS-ID
DocType: Account,Account Name,Brukernavn
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Fra dato ikke kan være større enn To Date
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} mengde {1} kan ikke være en brøkdel
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Leverandør Type mester.
DocType: Purchase Order Item,Supplier Part Number,Leverandør delenummer
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Konverteringsfrekvens kan ikke være 0 eller 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Konverteringsfrekvens kan ikke være 0 eller 1
DocType: Sales Invoice,Reference Document,Reference Document
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} avbrytes eller stoppes
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} avbrytes eller stoppes
DocType: Accounts Settings,Credit Controller,Credit Controller
DocType: Delivery Note,Vehicle Dispatch Date,Vehicle Publiseringsdato
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Kvitteringen {0} er ikke innsendt
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Kvitteringen {0} er ikke innsendt
DocType: Company,Default Payable Account,Standard Betales konto
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Innstillinger for online shopping cart som skipsregler, prisliste etc."
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% Fakturert
@@ -1644,11 +1657,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Totalbeløp Refusjon
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Dette er basert på loggene mot denne bilen. Se tidslinjen nedenfor for detaljer
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,Samle inn
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Mot Leverandør Faktura {0} datert {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Mot Leverandør Faktura {0} datert {1}
DocType: Customer,Default Price List,Standard Prisliste
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Asset Movement rekord {0} er opprettet
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Du kan ikke slette regnskapsår {0}. Regnskapsåret {0} er satt som standard i Globale innstillinger
DocType: Journal Entry,Entry Type,Entry Type
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Ingen vurderingsplan knyttet til denne vurderingsgruppen
,Customer Credit Balance,Customer Credit Balance
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Netto endring i leverandørgjeld
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Kunden nødvendig for 'Customerwise Discount'
@@ -1656,7 +1670,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Priser
DocType: Quotation,Term Details,Term Detaljer
DocType: Project,Total Sales Cost (via Sales Order),Total salgspris (via salgsordre)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Kan ikke registrere mer enn {0} studentene på denne studentgruppen.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Kan ikke registrere mer enn {0} studentene på denne studentgruppen.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Lead Count
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Lead Count
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} må være større enn 0
@@ -1678,7 +1692,7 @@
DocType: Sales Invoice,Packed Items,Lunsj Items
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garantikrav mot Serial No.
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Erstatte en bestemt BOM i alle andre stykklister der det brukes. Det vil erstatte den gamle BOM link, oppdatere kostnader og regenerere "BOM Explosion Item" bord som per ny BOM"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Total'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Total'
DocType: Shopping Cart Settings,Enable Shopping Cart,Aktiver Handlevogn
DocType: Employee,Permanent Address,Permanent Adresse
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1694,9 +1708,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,Vennligst oppgi enten Mengde eller Verdivurdering Rate eller begge deler
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,Oppfyllelse
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Vis i handlekurven
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Markedsføringskostnader
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Markedsføringskostnader
,Item Shortage Report,Sak Mangel Rapporter
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Vekt er nevnt, \ nVennligst nevne "Weight målenheter" også"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Vekt er nevnt, \ nVennligst nevne "Weight målenheter" også"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Materialet Request brukes til å gjøre dette lager Entry
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Neste Avskrivninger dato er obligatorisk for ny aktiva
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Separat kursbasert gruppe for hver batch
@@ -1706,17 +1720,18 @@
,Student Fee Collection,Student Fee Collection
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Gjør regnskap Entry For Hver Stock Movement
DocType: Leave Allocation,Total Leaves Allocated,Totalt Leaves Avsatt
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Warehouse kreves ved Row Nei {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Fyll inn gyldig Regnskapsår start- og sluttdato
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Warehouse kreves ved Row Nei {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Fyll inn gyldig Regnskapsår start- og sluttdato
DocType: Employee,Date Of Retirement,Pensjoneringstidspunktet
DocType: Upload Attendance,Get Template,Få Mal
+DocType: Material Request,Transferred,overført
DocType: Vehicle,Doors,dører
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext Setup Complete!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup Complete!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,PS
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Det kreves kostnadssted for 'resultat' konto {2}. Sett opp en standardkostnadssted for selskapet.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,En kundegruppe eksisterer med samme navn kan du endre Kundens navn eller endre navn på Kundegruppe
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Ny kontakt
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,En kundegruppe eksisterer med samme navn kan du endre Kundens navn eller endre navn på Kundegruppe
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Ny kontakt
DocType: Territory,Parent Territory,Parent Territory
DocType: Quality Inspection Reading,Reading 2,Reading 2
DocType: Stock Entry,Material Receipt,Materialet Kvittering
@@ -1725,17 +1740,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Hvis dette elementet har varianter, så det kan ikke velges i salgsordrer etc."
DocType: Lead,Next Contact By,Neste Kontakt Av
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Mengden som kreves for Element {0} i rad {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},Warehouse {0} kan ikke slettes som kvantitet finnes for Element {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Mengden som kreves for Element {0} i rad {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Warehouse {0} kan ikke slettes som kvantitet finnes for Element {1}
DocType: Quotation,Order Type,Ordretype
DocType: Purchase Invoice,Notification Email Address,Varsling e-postadresse
,Item-wise Sales Register,Element-messig Sales Register
DocType: Asset,Gross Purchase Amount,Bruttobeløpet
DocType: Asset,Depreciation Method,avskrivningsmetode
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,offline
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,offline
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Er dette inklusiv i Basic Rate?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Total Target
-DocType: Program Course,Required,Må
DocType: Job Applicant,Applicant for a Job,Kandidat til en jobb
DocType: Production Plan Material Request,Production Plan Material Request,Produksjonsplan Material Request
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Ingen produksjonsordrer som er opprettet
@@ -1744,17 +1758,17 @@
DocType: Purchase Invoice Item,Batch No,Batch No
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Tillat flere salgsordrer mot kundens innkjøpsordre
DocType: Student Group Instructor,Student Group Instructor,Studentgruppeinstruktør
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 Mobile No
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Hoved
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile No
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Hoved
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variant
DocType: Naming Series,Set prefix for numbering series on your transactions,Still prefiks for nummerering serien på dine transaksjoner
DocType: Employee Attendance Tool,Employees HTML,ansatte HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Standard BOM ({0}) må være aktiv for denne varen eller dens mal
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Standard BOM ({0}) må være aktiv for denne varen eller dens mal
DocType: Employee,Leave Encashed?,Permisjon encashed?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Opportunity Fra-feltet er obligatorisk
DocType: Email Digest,Annual Expenses,årlige utgifter
DocType: Item,Variants,Varianter
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Gjør innkjøpsordre
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Gjør innkjøpsordre
DocType: SMS Center,Send To,Send Til
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Det er ikke nok permisjon balanse for La Type {0}
DocType: Payment Reconciliation Payment,Allocated amount,Bevilget beløp
@@ -1768,26 +1782,25 @@
DocType: Supplier,Statutory info and other general information about your Supplier,Lovfestet info og annen generell informasjon om din Leverandør
DocType: Item,Serial Nos and Batches,Serienummer og partier
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Studentgruppestyrke
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Mot Journal Entry {0} har ikke noen enestående {1} oppføring
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Mot Journal Entry {0} har ikke noen enestående {1} oppføring
apps/erpnext/erpnext/config/hr.py +137,Appraisals,medarbeidersamtaler
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Duplisere serie Ingen kom inn for Element {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,En forutsetning for en Shipping Rule
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Vennligst skriv inn
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Kan ikke bill for Element {0} i rad {1} mer enn {2}. For å tillate overfakturering, kan du sette i å kjøpe Innstillinger"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Vennligst sette filter basert på varen eller Warehouse
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Kan ikke bill for Element {0} i rad {1} mer enn {2}. For å tillate overfakturering, kan du sette i å kjøpe Innstillinger"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Vennligst sette filter basert på varen eller Warehouse
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Nettovekten av denne pakken. (Automatisk beregnet som summen av nettovekt elementer)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Opprett en konto for Warehouse og koble den. Dette kan ikke gjøres automatisk som en konto med navnet {0} finnes allerede
DocType: Sales Order,To Deliver and Bill,Å levere og Bill
DocType: Student Group,Instructors,instruktører
DocType: GL Entry,Credit Amount in Account Currency,Credit beløp på kontoen Valuta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} må sendes
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} må sendes
DocType: Authorization Control,Authorization Control,Autorisasjon kontroll
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Avvist Warehouse er obligatorisk mot avvist Element {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Avvist Warehouse er obligatorisk mot avvist Element {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Betaling
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Lager {0} er ikke knyttet til noen konto, vennligst oppgi kontoen i lagerregisteret eller sett inn standardbeholdningskonto i selskap {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Administrere dine bestillinger
DocType: Production Order Operation,Actual Time and Cost,Faktisk leveringstid og pris
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materialet Request av maksimal {0} kan gjøres for Element {1} mot Salgsordre {2}
-DocType: Employee,Salutation,Hilsen
DocType: Course,Course Abbreviation,Kurs forkortelse
DocType: Student Leave Application,Student Leave Application,Student La Application
DocType: Item,Will also apply for variants,Vil også gjelde for varianter
@@ -1799,12 +1812,12 @@
DocType: Quotation Item,Actual Qty,Selve Antall
DocType: Sales Invoice Item,References,Referanser
DocType: Quality Inspection Reading,Reading 10,Lese 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Vise dine produkter eller tjenester som du kjøper eller selger. Sørg for å sjekke varegruppen, Enhet og andre egenskaper når du starter."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Vise dine produkter eller tjenester som du kjøper eller selger. Sørg for å sjekke varegruppen, Enhet og andre egenskaper når du starter."
DocType: Hub Settings,Hub Node,Hub Node
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Du har skrevet inn like elementer. Vennligst utbedre og prøv igjen.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Forbinder
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Forbinder
DocType: Asset Movement,Asset Movement,Asset Movement
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,New Handlekurv
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,New Handlekurv
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Element {0} er ikke en serie Element
DocType: SMS Center,Create Receiver List,Lag Receiver List
DocType: Vehicle,Wheels,hjul
@@ -1824,19 +1837,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Kan referere rad bare hvis belastningen typen er 'On Forrige Row beløp "eller" Forrige Row Totals
DocType: Sales Order Item,Delivery Warehouse,Levering Warehouse
DocType: SMS Settings,Message Parameter,Melding Parameter
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Tre av finansielle kostnadssteder.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Tre av finansielle kostnadssteder.
DocType: Serial No,Delivery Document No,Levering Dokument nr
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Vennligst sett 'Gevinst / tap-konto på Asset Deponering "i selskapet {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Få elementer fra innkjøps Receipts
DocType: Serial No,Creation Date,Dato opprettet
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Element {0} forekommer flere ganger i Prisliste {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Selling må sjekkes, hvis dette gjelder for er valgt som {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Selling må sjekkes, hvis dette gjelder for er valgt som {0}"
DocType: Production Plan Material Request,Material Request Date,Materiale Request Dato
DocType: Purchase Order Item,Supplier Quotation Item,Leverandør sitat Element
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Deaktiverer etableringen av tids logger mot produksjonsordrer. Driften skal ikke spores mot produksjonsordre
DocType: Student,Student Mobile Number,Student Mobilnummer
DocType: Item,Has Variants,Har Varianter
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Du har allerede valgt elementer fra {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Du har allerede valgt elementer fra {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Navn på Monthly Distribution
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Batch-ID er obligatorisk
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Batch-ID er obligatorisk
@@ -1847,12 +1860,12 @@
DocType: Budget,Fiscal Year,Regnskapsår
DocType: Vehicle Log,Fuel Price,Fuel Pris
DocType: Budget,Budget,Budsjett
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Fast Asset varen må være et ikke-lagervare.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Fast Asset varen må være et ikke-lagervare.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budsjettet kan ikke overdras mot {0}, som det er ikke en inntekt eller kostnad konto"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Oppnås
DocType: Student Admission,Application Form Route,Søknadsskjema Rute
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Territorium / Customer
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,f.eks 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,f.eks 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,La Type {0} kan ikke tildeles siden det er permisjon uten lønn
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Rad {0}: Nummerert mengden {1} må være mindre enn eller lik fakturere utestående beløp {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,I Ord vil være synlig når du lagrer salgsfaktura.
@@ -1861,7 +1874,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Element {0} er ikke oppsett for Serial Nos. Sjekk Element mester
DocType: Maintenance Visit,Maintenance Time,Vedlikehold Tid
,Amount to Deliver,Beløp å levere
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Et produkt eller tjeneste
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Et produkt eller tjeneste
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Begrepet Startdato kan ikke være tidligere enn året startdato av studieåret som begrepet er knyttet (studieåret {}). Korriger datoene, og prøv igjen."
DocType: Guardian,Guardian Interests,Guardian Interesser
DocType: Naming Series,Current Value,Nåværende Verdi
@@ -1875,12 +1888,12 @@
must be greater than or equal to {2}","Rad {0}: Slik stiller {1} periodisitet, forskjellen mellom fra og til dato \ må være større enn eller lik {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Dette er basert på lagerbevegelse. Se {0} for detaljer
DocType: Pricing Rule,Selling,Selling
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Mengden {0} {1} trukket mot {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Mengden {0} {1} trukket mot {2}
DocType: Employee,Salary Information,Lønn Informasjon
DocType: Sales Person,Name and Employee ID,Navn og Employee ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,Due Date kan ikke være før konteringsdato
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,Due Date kan ikke være før konteringsdato
DocType: Website Item Group,Website Item Group,Website varegruppe
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Skatter og avgifter
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Skatter og avgifter
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Skriv inn Reference dato
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} oppføringer betalings kan ikke bli filtrert av {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,Tabell for element som vil bli vist på nettsiden
@@ -1897,9 +1910,9 @@
DocType: Payment Reconciliation Payment,Reference Row,Referanse Row
DocType: Installation Note,Installation Time,Installasjon Tid
DocType: Sales Invoice,Accounting Details,Regnskap Detaljer
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Slett alle transaksjoner for dette selskapet
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: Operation {1} er ikke fullført for {2} qty av ferdigvarer i Produksjonsordre # {3}. Vennligst oppdater driftsstatus via Tid Logger
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Investeringer
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Slett alle transaksjoner for dette selskapet
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: Operation {1} er ikke fullført for {2} qty av ferdigvarer i Produksjonsordre # {3}. Vennligst oppdater driftsstatus via Tid Logger
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Investeringer
DocType: Issue,Resolution Details,Oppløsning Detaljer
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,Avsetninger
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Akseptkriterier
@@ -1924,7 +1937,7 @@
DocType: Room,Room Name,Room Name
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","La ikke kan brukes / kansellert før {0}, som permisjon balanse har allerede vært carry-sendt i fremtiden permisjon tildeling posten {1}"
DocType: Activity Cost,Costing Rate,Costing Rate
-,Customer Addresses And Contacts,Kunde Adresser og kontakter
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Kunde Adresser og kontakter
,Campaign Efficiency,Kampanjeeffektivitet
,Campaign Efficiency,Kampanjeeffektivitet
DocType: Discussion,Discussion,Diskusjon
@@ -1936,14 +1949,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Total Billing Beløp (via Timeregistrering)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Gjenta kunden Revenue
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) må ha rollen 'Expense Godkjenner'
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Par
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Velg BOM og Stk for produksjon
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Par
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Velg BOM og Stk for produksjon
DocType: Asset,Depreciation Schedule,avskrivninger Schedule
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Salgspartneradresser og kontakter
DocType: Bank Reconciliation Detail,Against Account,Mot konto
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Half Day Date bør være mellom Fra dato og Til dato
DocType: Maintenance Schedule Detail,Actual Date,Selve Dato
DocType: Item,Has Batch No,Har Batch No
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Årlig Billing: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Årlig Billing: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Varer og tjenester skatt (GST India)
DocType: Delivery Note,Excise Page Number,Vesenet Page Number
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Company, Fra dato og Til dato er obligatorisk"
DocType: Asset,Purchase Date,Kjøpsdato
@@ -1951,11 +1966,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Vennligst sett 'Asset Avskrivninger kostnadssted "i selskapet {0}
,Maintenance Schedules,Vedlikeholdsplaner
DocType: Task,Actual End Date (via Time Sheet),Faktisk Sluttdato (via Timeregistrering)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Mengden {0} {1} mot {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Mengden {0} {1} mot {2} {3}
,Quotation Trends,Anførsels Trender
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Varegruppe ikke nevnt i punkt master for elementet {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Uttak fra kontoen må være en fordring konto
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Varegruppe ikke nevnt i punkt master for elementet {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Uttak fra kontoen må være en fordring konto
DocType: Shipping Rule Condition,Shipping Amount,Fraktbeløp
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Legg til kunder
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Avventer Beløp
DocType: Purchase Invoice Item,Conversion Factor,Omregningsfaktor
DocType: Purchase Order,Delivered,Levert
@@ -1965,7 +1981,8 @@
DocType: Purchase Receipt,Vehicle Number,Vehicle Number
DocType: Purchase Invoice,The date on which recurring invoice will be stop,Datoen som tilbakevendende faktura vil bli stoppe
DocType: Employee Loan,Loan Amount,Lånebeløp
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},P {0}: stykk ikke funnet med Element {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Selvkjørende kjøretøy
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},P {0}: stykk ikke funnet med Element {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Totalt bevilget blader {0} kan ikke være mindre enn allerede godkjente blader {1} for perioden
DocType: Journal Entry,Accounts Receivable,Kundefordringer
,Supplier-Wise Sales Analytics,Leverandør-Wise Salgs Analytics
@@ -1983,22 +2000,21 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Expense krav venter på godkjenning. Bare den Expense Godkjenner kan oppdatere status.
DocType: Email Digest,New Expenses,nye Utgifter
DocType: Purchase Invoice,Additional Discount Amount,Ekstra rabatt Beløp
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",Row # {0}: Antall må være en som elementet er et anleggsmiddel. Bruk egen rad for flere stk.
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",Row # {0}: Antall må være en som elementet er et anleggsmiddel. Bruk egen rad for flere stk.
DocType: Leave Block List Allow,Leave Block List Allow,La Block List Tillat
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Abbr kan ikke være tomt eller plass
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr kan ikke være tomt eller plass
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Gruppe til Non-gruppe
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sport
DocType: Loan Type,Loan Name,lån Name
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Total Actual
DocType: Student Siblings,Student Siblings,student Søsken
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Enhet
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,Vennligst oppgi selskapet
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Enhet
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Vennligst oppgi selskapet
,Customer Acquisition and Loyalty,Kunden Oppkjøp og Loyalty
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Warehouse hvor du opprettholder lager avviste elementer
DocType: Production Order,Skip Material Transfer,Hopp over materialoverføring
DocType: Production Order,Skip Material Transfer,Hopp over materialoverføring
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Kan ikke finne valutakurs for {0} til {1} for nøkkeldato {2}. Vennligst opprett en valutautvekslingsrekord manuelt
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Din regnskapsår avsluttes på
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Kan ikke finne valutakurs for {0} til {1} for nøkkeldato {2}. Vennligst opprett en valutautvekslingsrekord manuelt
DocType: POS Profile,Price List,Pris Liste
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} er nå standard regnskapsåret. Vennligst oppdater nettleser for at endringen skal tre i kraft.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Regninger
@@ -2011,14 +2027,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock balanse i Batch {0} vil bli negativ {1} for Element {2} på Warehouse {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Følgende materiale Requests har vært reist automatisk basert på element re-order nivå
DocType: Email Digest,Pending Sales Orders,Avventer salgsordrer
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Konto {0} er ugyldig. Account Valuta må være {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Konto {0} er ugyldig. Account Valuta må være {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Målenheter Omregningsfaktor er nødvendig i rad {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Reference Document Type må være en av salgsordre, salgsfaktura eller bilagsregistrering"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Reference Document Type må være en av salgsordre, salgsfaktura eller bilagsregistrering"
DocType: Salary Component,Deduction,Fradrag
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Rad {0}: Fra tid og Tid er obligatorisk.
DocType: Stock Reconciliation Item,Amount Difference,beløp Difference
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Varen Pris lagt for {0} i Prisliste {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Varen Pris lagt for {0} i Prisliste {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Skriv inn Employee Id av denne salgs person
DocType: Territory,Classification of Customers by region,Klassifisering av kunder etter region
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Forskjellen Beløpet må være null
@@ -2030,21 +2046,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Total Fradrag
,Production Analytics,produksjons~~POS=TRUNC Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Kostnad Oppdatert
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Kostnad Oppdatert
DocType: Employee,Date of Birth,Fødselsdato
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Element {0} er allerede returnert
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Element {0} er allerede returnert
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Regnskapsår ** representerer et regnskapsår. Alle regnskapspostene og andre store transaksjoner spores mot ** regnskapsår **.
DocType: Opportunity,Customer / Lead Address,Kunde / Lead Adresse
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Advarsel: Ugyldig SSL-sertifikat på vedlegg {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Advarsel: Ugyldig SSL-sertifikat på vedlegg {0}
DocType: Student Admission,Eligibility,kvalifikasjon
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Leads hjelpe deg å få virksomheten, legge til alle dine kontakter og mer som dine potensielle kunder"
DocType: Production Order Operation,Actual Operation Time,Selve Operasjon Tid
DocType: Authorization Rule,Applicable To (User),Gjelder til (User)
DocType: Purchase Taxes and Charges,Deduct,Trekke
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Stillingsbeskrivelse
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Stillingsbeskrivelse
DocType: Student Applicant,Applied,Tatt i bruk
DocType: Sales Invoice Item,Qty as per Stock UOM,Antall pr Stock målenheter
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2 Name
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 Name
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Spesialtegn unntatt "-" ".", "#", og "/" ikke tillatt i navngi serie"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Hold orden på salgskampanjer. Hold styr på Leads, Sitater, Salgsordre etc fra kampanjer for å måle avkastning på investeringen."
DocType: Expense Claim,Approver,Godkjenner
@@ -2055,8 +2071,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial No {0} er under garanti opptil {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Split følgeseddel i pakker.
apps/erpnext/erpnext/hooks.py +87,Shipments,Forsendelser
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Kontosaldo ({0}) for {1} og lagerverdi ({2}) for lager {3} må være den samme
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Kontosaldo ({0}) for {1} og lagerverdi ({2}) for lager {3} må være den samme
DocType: Payment Entry,Total Allocated Amount (Company Currency),Totalt tildelte beløp (Selskap Valuta)
DocType: Purchase Order Item,To be delivered to customer,Som skal leveres til kunde
DocType: BOM,Scrap Material Cost,Skrap Material Cost
@@ -2064,21 +2078,22 @@
DocType: Purchase Invoice,In Words (Company Currency),I Words (Company Valuta)
DocType: Asset,Supplier,Leverandør
DocType: C-Form,Quarter,Quarter
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Diverse utgifter
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Diverse utgifter
DocType: Global Defaults,Default Company,Standard selskapet
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Kostnad eller Difference konto er obligatorisk for Element {0} som det påvirker samlede børsverdi
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Kostnad eller Difference konto er obligatorisk for Element {0} som det påvirker samlede børsverdi
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Bank Name
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Above
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Above
DocType: Employee Loan,Employee Loan Account,Medarbeider Loan konto
DocType: Leave Application,Total Leave Days,Totalt La Days
DocType: Email Digest,Note: Email will not be sent to disabled users,Merk: E-post vil ikke bli sendt til funksjonshemmede brukere
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Antall interaksjoner
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Antall interaksjoner
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Varenummer> Varegruppe> Varemerke
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Velg Company ...
DocType: Leave Control Panel,Leave blank if considered for all departments,La stå tom hvis vurderes for alle avdelinger
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Typer arbeid (fast, kontrakt, lærling etc.)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} er obligatorisk for Element {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} er obligatorisk for Element {1}
DocType: Process Payroll,Fortnightly,hver fjortende dag
DocType: Currency Exchange,From Currency,Fra Valuta
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Vennligst velg avsatt beløp, fakturatype og fakturanummer i minst én rad"
@@ -2101,7 +2116,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,Vennligst klikk på "Generer Schedule 'for å få timeplanen
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Det var feil under sletting av følgende planer:
DocType: Bin,Ordered Quantity,Bestilte Antall
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",f.eks "Bygg verktøy for utbyggere"
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",f.eks "Bygg verktøy for utbyggere"
DocType: Grading Scale,Grading Scale Intervals,Karakterskalaen Intervaller
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Regnskap Entry for {2} kan bare gjøres i valuta: {3}
DocType: Production Order,In Process,Igang
@@ -2116,12 +2131,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Studentgrupper opprettet.
DocType: Sales Invoice,Total Billing Amount,Total Billing Beløp
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Det må være en standard innkommende e-postkonto aktivert for at dette skal fungere. Vennligst sette opp en standard innkommende e-postkonto (POP / IMAP) og prøv igjen.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Fordring konto
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} er allerede {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Fordring konto
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} er allerede {2}
DocType: Quotation Item,Stock Balance,Stock Balance
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Salgsordre til betaling
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vennligst still inn navngivningsserien for {0} via Setup> Settings> Naming Series
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,administrerende direktør
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,administrerende direktør
DocType: Expense Claim Detail,Expense Claim Detail,Expense krav Detalj
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Velg riktig konto
DocType: Item,Weight UOM,Vekt målenheter
@@ -2130,12 +2144,12 @@
DocType: Production Order Operation,Pending,Avventer
DocType: Course,Course Name,Course Name
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Brukere som kan godkjenne en bestemt ansattes permisjon applikasjoner
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Kontor utstyr
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Kontor utstyr
DocType: Purchase Invoice Item,Qty,Antall
DocType: Fiscal Year,Companies,Selskaper
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Elektronikk
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Hev Material Request når aksjen når re-order nivå
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Fulltid
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Fulltid
DocType: Salary Structure,Employees,medarbeidere
DocType: Employee,Contact Details,Kontaktinformasjon
DocType: C-Form,Received Date,Mottatt dato
@@ -2145,7 +2159,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Prisene vil ikke bli vist hvis prislisten er ikke satt
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Vennligst oppgi et land for denne Shipping Regel eller sjekk Worldwide Shipping
DocType: Stock Entry,Total Incoming Value,Total Innkommende Verdi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Debet Å kreves
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Debet Å kreves
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timelister bidra til å holde styr på tid, kostnader og fakturering for aktiviteter gjort av teamet ditt"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Kjøp Prisliste
DocType: Offer Letter Term,Offer Term,Tilbudet Term
@@ -2154,17 +2168,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Betaling Avstemming
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,Vennligst velg Incharge persons navn
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Teknologi
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Total Ubetalte: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Total Ubetalte: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM Nettstedet Operasjon
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Tilbudsbrev
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Generere Material Requests (MRP) og produksjonsordrer.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Total Fakturert Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Total Fakturert Amt
DocType: BOM,Conversion Rate,konverterings~~POS=TRUNC
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Produktsøk
DocType: Timesheet Detail,To Time,Til Time
DocType: Authorization Rule,Approving Role (above authorized value),Godkjenne Role (ovenfor autorisert verdi)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Kreditt til kontoen må være en Betales konto
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM rekursjon: {0} kan ikke være forelder eller barn av {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Kreditt til kontoen må være en Betales konto
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM rekursjon: {0} kan ikke være forelder eller barn av {2}
DocType: Production Order Operation,Completed Qty,Fullført Antall
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",For {0} kan bare belastning kontoer knyttes opp mot en annen kreditt oppføring
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Prisliste {0} er deaktivert
@@ -2176,28 +2190,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} serienumre som kreves for Element {1}. Du har gitt {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Nåværende Verdivurdering Rate
DocType: Item,Customer Item Codes,Kunden element Codes
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Valutagevinst / tap
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Valutagevinst / tap
DocType: Opportunity,Lost Reason,Mistet Reason
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Ny adresse
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Ny adresse
DocType: Quality Inspection,Sample Size,Sample Size
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Fyll inn Kvittering Document
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Alle elementene er allerede blitt fakturert
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Alle elementene er allerede blitt fakturert
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',Vennligst oppgi en gyldig "Fra sak nr '
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,Ytterligere kostnadsbærere kan gjøres under Grupper men oppføringene kan gjøres mot ikke-grupper
DocType: Project,External,Ekstern
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Brukere og tillatelser
DocType: Vehicle Log,VLOG.,Vlog.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Produksjonsordrer Laget: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Produksjonsordrer Laget: {0}
DocType: Branch,Branch,Branch
DocType: Guardian,Mobile Number,Mobilnummer
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Trykking og merkevarebygging
DocType: Bin,Actual Quantity,Selve Antall
DocType: Shipping Rule,example: Next Day Shipping,Eksempel: Neste Day Shipping
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} ikke funnet
-DocType: Scheduling Tool,Student Batch,student Batch
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Dine kunder
+DocType: Program Enrollment,Student Batch,student Batch
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Gjør Student
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Du har blitt invitert til å samarbeide om prosjektet: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Du har blitt invitert til å samarbeide om prosjektet: {0}
DocType: Leave Block List Date,Block Date,Block Dato
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Søk nå
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Faktisk antall {0} / Venter antall {1}
@@ -2207,7 +2220,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Opprette og administrere daglige, ukentlige og månedlige e-postfordøyer."
DocType: Appraisal Goal,Appraisal Goal,Appraisal Goal
DocType: Stock Reconciliation Item,Current Amount,Gjeldende Beløp
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,bygninger
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,bygninger
DocType: Fee Structure,Fee Structure,Avgiftsstruktur struktur~~POS=HEADCOMP
DocType: Timesheet Detail,Costing Amount,Costing Beløp
DocType: Student Admission,Application Fee,Påmeldingsavgift
@@ -2219,10 +2232,10 @@
DocType: POS Profile,[Select],[Velg]
DocType: SMS Log,Sent To,Sendt til
DocType: Payment Request,Make Sales Invoice,Gjør Sales Faktura
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,programvare
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,programvare
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Neste Kontakt Datoen kan ikke være i fortiden
DocType: Company,For Reference Only.,For referanse.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Velg batchnummer
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Velg batchnummer
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Ugyldig {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,Forskuddsbeløp
@@ -2232,15 +2245,15 @@
DocType: Employee,Employment Details,Sysselsetting Detaljer
DocType: Employee,New Workplace,Nye arbeidsplassen
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Sett som Stengt
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Ingen Element med Barcode {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Ingen Element med Barcode {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Sak nr kan ikke være 0
DocType: Item,Show a slideshow at the top of the page,Vis en lysbildeserie på toppen av siden
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Butikker
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Butikker
DocType: Serial No,Delivery Time,Leveringstid
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Aldring Based On
DocType: Item,End of Life,Slutten av livet
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Reise
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Reise
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Ingen aktive eller standard Lønn Struktur funnet for arbeidstaker {0} for den gitte datoer
DocType: Leave Block List,Allow Users,Gi brukere
DocType: Purchase Order,Customer Mobile No,Kunden Mobile No
@@ -2249,29 +2262,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Oppdater Cost
DocType: Item Reorder,Item Reorder,Sak Omgjøre
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Vis Lønn Slip
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Transfer Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Transfer Material
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Spesifiser drift, driftskostnadene og gi en unik Operation nei til driften."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Dette dokumentet er over grensen av {0} {1} for elementet {4}. Er du gjør en annen {3} mot samme {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Vennligst sett gjentakende etter lagring
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Velg endring mengde konto
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Dette dokumentet er over grensen av {0} {1} for elementet {4}. Er du gjør en annen {3} mot samme {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Vennligst sett gjentakende etter lagring
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Velg endring mengde konto
DocType: Purchase Invoice,Price List Currency,Prisliste Valuta
DocType: Naming Series,User must always select,Brukeren må alltid velge
DocType: Stock Settings,Allow Negative Stock,Tillat Negative Stock
DocType: Installation Note,Installation Note,Installasjon Merk
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Legg Skatter
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Legg Skatter
DocType: Topic,Topic,Emne
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Kontantstrøm fra finansierings
DocType: Budget Account,Budget Account,budsjett konto
DocType: Quality Inspection,Verified By,Verified by
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Kan ikke endre selskapets standardvaluta, fordi det er eksisterende transaksjoner. Transaksjoner må avbestilles å endre valgt valuta."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Kan ikke endre selskapets standardvaluta, fordi det er eksisterende transaksjoner. Transaksjoner må avbestilles å endre valgt valuta."
DocType: Grading Scale Interval,Grade Description,grade Beskrivelse
DocType: Stock Entry,Purchase Receipt No,Kvitteringen Nei
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Earnest Penger
DocType: Process Payroll,Create Salary Slip,Lag Lønn Slip
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Sporbarhet
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Source of Funds (Gjeld)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Antall på rad {0} ({1}) må være det samme som produsert mengde {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Source of Funds (Gjeld)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Antall på rad {0} ({1}) må være det samme som produsert mengde {2}
DocType: Appraisal,Employee,Ansatt
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Velg Batch
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} er fullt fakturert
DocType: Training Event,End Time,Sluttid
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktiv Lønn Struktur {0} funnet for ansatt {1} for de gitte datoer
@@ -2283,11 +2297,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Nødvendig På
DocType: Rename Tool,File to Rename,Filen til Rename
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Vennligst velg BOM for Element i Rad {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Spesifisert BOM {0} finnes ikke for Element {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Konto {0} stemmer ikke overens med Selskapet {1} i Konto modus: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Spesifisert BOM {0} finnes ikke for Element {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Vedlikeholdsplan {0} må avbestilles før den avbryter denne salgsordre
DocType: Notification Control,Expense Claim Approved,Expense krav Godkjent
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Lønn Slip av ansattes {0} som allerede er opprettet for denne perioden
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Pharmaceutical
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Pharmaceutical
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Kostnad for kjøpte varer
DocType: Selling Settings,Sales Order Required,Salgsordre Påkrevd
DocType: Purchase Invoice,Credit To,Kreditt til
@@ -2304,42 +2319,42 @@
DocType: Payment Gateway Account,Payment Account,Betaling konto
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,Vennligst oppgi selskapet å fortsette
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Netto endring i kundefordringer
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Kompenserende Off
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Kompenserende Off
DocType: Offer Letter,Accepted,Akseptert
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,Organisasjon
DocType: SG Creation Tool Course,Student Group Name,Student Gruppenavn
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Sørg for at du virkelig ønsker å slette alle transaksjoner for dette selskapet. Dine stamdata vil forbli som det er. Denne handlingen kan ikke angres.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Sørg for at du virkelig ønsker å slette alle transaksjoner for dette selskapet. Dine stamdata vil forbli som det er. Denne handlingen kan ikke angres.
DocType: Room,Room Number,Romnummer
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Ugyldig referanse {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kan ikke være større enn planlagt quanitity ({2}) i produksjonsordre {3}
DocType: Shipping Rule,Shipping Rule Label,Shipping Rule Etikett
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,bruker~~POS=TRUNC
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Råvare kan ikke være blank.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Kunne ikke oppdatere lager, inneholder faktura slippe frakt element."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Råvare kan ikke være blank.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Kunne ikke oppdatere lager, inneholder faktura slippe frakt element."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Hurtig Journal Entry
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,Du kan ikke endre prisen dersom BOM nevnt agianst ethvert element
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,Du kan ikke endre prisen dersom BOM nevnt agianst ethvert element
DocType: Employee,Previous Work Experience,Tidligere arbeidserfaring
DocType: Stock Entry,For Quantity,For Antall
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Skriv inn Planned Antall for Element {0} på rad {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} ikke er sendt
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Forespørsler om elementer.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Separat produksjonsordre vil bli opprettet for hvert ferdige godt element.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} må være negativ i retur dokument
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} må være negativ i retur dokument
,Minutes to First Response for Issues,Minutter til First Response for Issues
DocType: Purchase Invoice,Terms and Conditions1,Vilkår og forhold 1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,Navnet på institutt for som du setter opp dette systemet.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,Navnet på institutt for som du setter opp dette systemet.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Regnskap oppføring frosset opp til denne datoen, kan ingen gjøre / endre oppføring unntatt rolle angitt nedenfor."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,Vennligst lagre dokumentet før du genererer vedlikeholdsplan
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Prosjekt Status
DocType: UOM,Check this to disallow fractions. (for Nos),Sjekk dette for å forby fraksjoner. (For Nos)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Følgende produksjonsordrer ble opprettet:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Følgende produksjonsordrer ble opprettet:
DocType: Student Admission,Naming Series (for Student Applicant),Naming Series (Student søkeren)
DocType: Delivery Note,Transporter Name,Transporter Name
DocType: Authorization Rule,Authorized Value,Autorisert Verdi
DocType: BOM,Show Operations,Vis Operations
,Minutes to First Response for Opportunity,Minutter til First Response for Opportunity
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Total Fraværende
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Element eller Warehouse for rad {0} samsvarer ikke Material Request
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Element eller Warehouse for rad {0} samsvarer ikke Material Request
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Måleenhet
DocType: Fiscal Year,Year End Date,År Sluttdato
DocType: Task Depends On,Task Depends On,Task Avhenger
@@ -2419,11 +2434,11 @@
DocType: Asset,Manual,Håndbok
DocType: Salary Component Account,Salary Component Account,Lønn Component konto
DocType: Global Defaults,Hide Currency Symbol,Skjule Valutasymbol
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","f.eks Bank, Cash, Kredittkort"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","f.eks Bank, Cash, Kredittkort"
DocType: Lead Source,Source Name,Source Name
DocType: Journal Entry,Credit Note,Kreditnota
DocType: Warranty Claim,Service Address,Tjenesten Adresse
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Møbler og inventar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Møbler og inventar
DocType: Item,Manufacture,Produksjon
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Vennligst følgeseddel først
DocType: Student Applicant,Application Date,Søknadsdato
@@ -2433,7 +2448,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Klaring Dato ikke nevnt
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Produksjon
DocType: Guardian,Occupation,Okkupasjon
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Vennligst oppsett Ansattes navngivningssystem i menneskelig ressurs> HR-innstillinger
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Rad {0}: Startdato må være før sluttdato
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Total (Stk)
DocType: Sales Invoice,This Document,dette dokumentet
@@ -2445,20 +2459,20 @@
DocType: Purchase Receipt,Time at which materials were received,Tidspunktet for når materialene ble mottatt
DocType: Stock Ledger Entry,Outgoing Rate,Utgående Rate
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organisering gren mester.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,eller
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,eller
DocType: Sales Order,Billing Status,Billing Status
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Melde om et problem
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Utility Utgifter
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Utility Utgifter
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-Above
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Bilagsregistrering {1} har ikke konto {2} eller allerede matchet mot en annen kupong
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Bilagsregistrering {1} har ikke konto {2} eller allerede matchet mot en annen kupong
DocType: Buying Settings,Default Buying Price List,Standard Kjøpe Prisliste
DocType: Process Payroll,Salary Slip Based on Timesheet,Lønn Slip Basert på Timeregistrering
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Ingen ansatte for de oven valgte kriterier ELLER lønn slip allerede opprettet
DocType: Notification Control,Sales Order Message,Salgsordre Message
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Sett standardverdier som Company, Valuta, værende regnskapsår, etc."
DocType: Payment Entry,Payment Type,Betalings Type
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Vennligst velg en batch for element {0}. Kunne ikke finne en enkelt batch som oppfyller dette kravet
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Vennligst velg en batch for element {0}. Kunne ikke finne en enkelt batch som oppfyller dette kravet
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Vennligst velg en batch for element {0}. Kunne ikke finne en enkelt batch som oppfyller dette kravet
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Vennligst velg en batch for element {0}. Kunne ikke finne en enkelt batch som oppfyller dette kravet
DocType: Process Payroll,Select Employees,Velg Medarbeidere
DocType: Opportunity,Potential Sales Deal,Potensielle Sales Deal
DocType: Payment Entry,Cheque/Reference Date,Sjekk / Reference Date
@@ -2478,7 +2492,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Kvittering dokumentet må sendes
DocType: Purchase Invoice Item,Received Qty,Mottatt Antall
DocType: Stock Entry Detail,Serial No / Batch,Serial No / Batch
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Ikke betalt og ikke levert
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Ikke betalt og ikke levert
DocType: Product Bundle,Parent Item,Parent Element
DocType: Account,Account Type,Kontotype
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2493,25 +2507,24 @@
DocType: Bin,Reserved Quantity,Reservert Antall
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Vennligst skriv inn gyldig e-postadresse
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Vennligst skriv inn gyldig e-postadresse
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Det er ingen obligatorisk kurs for programmet {0}
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Det er ingen obligatorisk kurs for programmet {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Kvitteringen Items
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Tilpasse Forms
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,etterskudd
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,etterskudd
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Avskrivningsbeløpet i perioden
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Funksjonshemmede malen må ikke være standardmal
DocType: Account,Income Account,Inntekt konto
DocType: Payment Request,Amount in customer's currency,Beløp i kundens valuta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Levering
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Levering
DocType: Stock Reconciliation Item,Current Qty,Nåværende Antall
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",Se "Rate Of materialer basert på" i Costing Seksjon
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,prev
DocType: Appraisal Goal,Key Responsibility Area,Key Ansvar Område
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Student batcher hjelpe deg med å spore oppmøte, vurderinger og avgifter for studenter"
DocType: Payment Entry,Total Allocated Amount,Totalt tildelte beløp
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Angi standard beholdningskonto for evigvarende beholdning
DocType: Item Reorder,Material Request Type,Materialet Request Type
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural dagboken til lønninger fra {0} i {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","Localstorage er full, ikke redde"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","Localstorage er full, ikke redde"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Rad {0}: målenheter omregningsfaktor er obligatorisk
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Ref
DocType: Budget,Cost Center,Kostnadssted
@@ -2524,19 +2537,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Prising Rule er laget for å overskrive Prisliste / definere rabattprosenten, basert på noen kriterier."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Lageret kan bare endres via Stock Entry / følgeseddel / Kjøpskvittering
DocType: Employee Education,Class / Percentage,Klasse / Prosent
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Head of Marketing and Sales
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Inntektsskatt
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Head of Marketing and Sales
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Inntektsskatt
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Hvis valgt Pricing Rule er laget for 'Pris', det vil overskrive Prisliste. Priser Rule prisen er den endelige prisen, så ingen ytterligere rabatt bør påføres. Derfor, i transaksjoner som Salgsordre, innkjøpsordre osv, det vil bli hentet i "Valuta-feltet, heller enn" Prisliste Valuta-feltet."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Spor Leads etter bransje Type.
DocType: Item Supplier,Item Supplier,Sak Leverandør
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,Skriv inn Element kode for å få batch no
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},Velg en verdi for {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,Skriv inn Element kode for å få batch no
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Velg en verdi for {0} quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Alle adresser.
DocType: Company,Stock Settings,Aksje Innstillinger
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Sammenslåing er bare mulig hvis følgende egenskaper er samme i begge postene. Er Group, Root Type, Company"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Sammenslåing er bare mulig hvis følgende egenskaper er samme i begge postene. Er Group, Root Type, Company"
DocType: Vehicle,Electric,Elektrisk
DocType: Task,% Progress,% Progress
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Gevinst / Tap på Asset Avhending
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Gevinst / Tap på Asset Avhending
DocType: Training Event,Will send an email about the event to employees with status 'Open',Vil sende en e-post om hendelsen til ansatte med status 'Open'
DocType: Task,Depends on Tasks,Avhenger Oppgaver
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Administrere kunde Gruppe treet.
@@ -2545,7 +2558,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,New kostnadssted Navn
DocType: Leave Control Panel,Leave Control Panel,La Kontrollpanel
DocType: Project,Task Completion,Task Fullføring
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Ikke på lager
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Ikke på lager
DocType: Appraisal,HR User,HR User
DocType: Purchase Invoice,Taxes and Charges Deducted,Skatter og avgifter fratrukket
apps/erpnext/erpnext/hooks.py +116,Issues,Problemer
@@ -2556,22 +2569,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Ingen lønn slip funnet mellom {0} og {1}
,Pending SO Items For Purchase Request,Avventer SO varer for kjøp Request
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,student Opptak
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} er deaktivert
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} er deaktivert
DocType: Supplier,Billing Currency,Faktureringsvaluta
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Extra large
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra large
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Totalt Leaves
,Profit and Loss Statement,Resultatregnskap
DocType: Bank Reconciliation Detail,Cheque Number,Sjekk Antall
,Sales Browser,Salg Browser
DocType: Journal Entry,Total Credit,Total Credit
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Advarsel: Another {0} # {1} finnes mot aksje oppføring {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Lokal
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Lokal
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Utlån (Eiendeler)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Skyldnere
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Stor
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Stor
DocType: Homepage Featured Product,Homepage Featured Product,Hjemmeside Aktuelle produkter
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Alle Assessment grupper
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Alle Assessment grupper
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,New Warehouse navn
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Totalt {0} ({1})
DocType: C-Form Invoice Detail,Territory,Territorium
@@ -2581,12 +2594,12 @@
DocType: Production Order Operation,Planned Start Time,Planlagt Starttid
DocType: Course,Assessment,Assessment
DocType: Payment Entry Reference,Allocated,Avsatt
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Lukk Balanse og bok resultatet.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Lukk Balanse og bok resultatet.
DocType: Student Applicant,Application Status,søknad Status
DocType: Fees,Fees,avgifter
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Spesifiser Exchange Rate å konvertere en valuta til en annen
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Sitat {0} er kansellert
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Totalt utestående beløp
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Totalt utestående beløp
DocType: Sales Partner,Targets,Targets
DocType: Price List,Price List Master,Prisliste Master
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Alle salgstransaksjoner kan være merket mot flere ** Salgs Personer ** slik at du kan stille inn og overvåke mål.
@@ -2618,12 +2631,12 @@
1. Address and Contact of your Company.","Standardvilkårene som kan legges til salg og kjøp. Eksempler: 1. Gyldighet av tilbudet. 1. Betalingsvilkår (på forhånd, på kreditt, del forhånd etc). 1. Hva er ekstra (eller skal betales av kunden). 1. Sikkerhet / bruk advarsel. 1. Garanti om noen. 1. Returrett. 1. Vilkår for frakt, hvis aktuelt. 1. Måter adressering tvister, erstatning, ansvar, etc. 1. Adresse og kontakt med din bedrift."
DocType: Attendance,Leave Type,La Type
DocType: Purchase Invoice,Supplier Invoice Details,Leverandør Fakturadetaljer
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Expense / Difference konto ({0}) må være en "resultatet" konto
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Expense / Difference konto ({0}) må være en "resultatet" konto
DocType: Project,Copied From,Kopiert fra
DocType: Project,Copied From,Kopiert fra
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Navn feil: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,Mangel
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} ikke er knyttet til {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} ikke er knyttet til {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Oppmøte for arbeidstaker {0} er allerede merket
DocType: Packing Slip,If more than one package of the same type (for print),Hvis mer enn en pakke av samme type (for print)
,Salary Register,lønn Register
@@ -2641,22 +2654,23 @@
,Requested Qty,Spurt Antall
DocType: Tax Rule,Use for Shopping Cart,Brukes til handlekurv
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Verdi {0} for Egenskap {1} finnes ikke i listen over gyldige elementattributtet Verdier for Element {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Velg serienummer
DocType: BOM Item,Scrap %,Skrap%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Kostnader vil bli fordelt forholdsmessig basert på element stk eller beløp, som per ditt valg"
DocType: Maintenance Visit,Purposes,Formål
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Atleast ett element bør legges inn med negativt antall i retur dokument
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Atleast ett element bør legges inn med negativt antall i retur dokument
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operation {0} lenger enn noen tilgjengelige arbeidstimer i arbeidsstasjonen {1}, bryte ned driften i flere operasjoner"
,Requested,Spurt
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Nei Anmerkninger
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Nei Anmerkninger
DocType: Purchase Invoice,Overdue,Forfalt
DocType: Account,Stock Received But Not Billed,"Stock mottatt, men ikke fakturert"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Root-kontoen må være en gruppe
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Root-kontoen må være en gruppe
DocType: Fees,FEE.,AVGIFT.
DocType: Employee Loan,Repaid/Closed,Tilbakebetalt / Stengt
DocType: Item,Total Projected Qty,Samlet forventet Antall
DocType: Monthly Distribution,Distribution Name,Distribusjon Name
DocType: Course,Course Code,Kurskode
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Quality Inspection nødvendig for Element {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Quality Inspection nødvendig for Element {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Hastigheten som kundens valuta er konvertert til selskapets hovedvaluta
DocType: Purchase Invoice Item,Net Rate (Company Currency),Netto Rate (Selskap Valuta)
DocType: Salary Detail,Condition and Formula Help,Tilstand og Formula Hjelp
@@ -2669,27 +2683,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Material Transfer for Produksjon
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Rabattprosenten kan brukes enten mot en prisliste eller for alle Prisliste.
DocType: Purchase Invoice,Half-yearly,Halvårs
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Regnskap Entry for Stock
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Regnskap Entry for Stock
DocType: Vehicle Service,Engine Oil,Motorolje
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Vennligst oppsett Medarbeiders navngivningssystem i menneskelig ressurs> HR-innstillinger
DocType: Sales Invoice,Sales Team1,Salg TEAM1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Element {0} finnes ikke
DocType: Sales Invoice,Customer Address,Kunde Adresse
DocType: Employee Loan,Loan Details,lån Detaljer
+DocType: Company,Default Inventory Account,Standard lagerkonto
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Rad {0}: Fullført Antall må være større enn null.
DocType: Purchase Invoice,Apply Additional Discount On,Påfør Ytterligere rabatt på
DocType: Account,Root Type,Root Type
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Kan ikke returnere mer enn {1} for Element {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Kan ikke returnere mer enn {1} for Element {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Plott
DocType: Item Group,Show this slideshow at the top of the page,Vis lysbildefremvisning på toppen av siden
DocType: BOM,Item UOM,Sak målenheter
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Skattebeløp Etter Rabattbeløp (Company Valuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Target lageret er obligatorisk for rad {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Target lageret er obligatorisk for rad {0}
DocType: Cheque Print Template,Primary Settings,primære Innstillinger
DocType: Purchase Invoice,Select Supplier Address,Velg Leverandør Adresse
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Legg Medarbeidere
DocType: Purchase Invoice Item,Quality Inspection,Quality Inspection
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Extra Small
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small
DocType: Company,Standard Template,standard Template
DocType: Training Event,Theory,Teori
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Advarsel: Material Requested Antall er mindre enn Minimum Antall
@@ -2697,7 +2713,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Legal Entity / Datterselskap med en egen konto tilhørighet til organisasjonen.
DocType: Payment Request,Mute Email,Demp Email
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Mat, drikke og tobakk"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Kan bare gjøre betaling mot fakturert {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Kan bare gjøre betaling mot fakturert {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Kommisjon kan ikke være større enn 100
DocType: Stock Entry,Subcontract,Underentrepriser
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Fyll inn {0} først
@@ -2710,18 +2726,18 @@
DocType: SMS Log,No of Sent SMS,Ingen av Sendte SMS
DocType: Account,Expense Account,Expense konto
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Programvare
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Farge
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Farge
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Assessment Plan Kriterier
DocType: Training Event,Scheduled,Planlagt
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Forespørsel om kostnadsoverslag.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Vennligst velg Element der "Er Stock Item" er "Nei" og "Er Sales Item" er "Ja", og det er ingen andre Product Bundle"
DocType: Student Log,Academic,akademisk
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Total forhånd ({0}) mot Bestill {1} kan ikke være større enn totalsummen ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Total forhånd ({0}) mot Bestill {1} kan ikke være større enn totalsummen ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Velg Månedlig Distribusjon til ujevnt fordele målene gjennom måneder.
DocType: Purchase Invoice Item,Valuation Rate,Verdivurdering Rate
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,diesel
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Prisliste Valuta ikke valgt
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Prisliste Valuta ikke valgt
,Student Monthly Attendance Sheet,Student Månedlig Oppmøte Sheet
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Ansatt {0} har allerede søkt om {1} mellom {2} og {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Prosjekt startdato
@@ -2734,7 +2750,7 @@
DocType: BOM,Scrap,skrap
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Administrer Salgs Partners.
DocType: Quality Inspection,Inspection Type,Inspeksjon Type
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Næringslokaler med eksisterende transaksjon kan ikke konverteres til gruppen.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Næringslokaler med eksisterende transaksjon kan ikke konverteres til gruppen.
DocType: Assessment Result Tool,Result HTML,resultat HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Går ut på dato den
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Legg Studenter
@@ -2742,13 +2758,13 @@
DocType: C-Form,C-Form No,C-Form Nei
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,Umerket Oppmøte
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Forsker
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Forsker
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Program Påmelding Tool Student
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Navn eller E-post er obligatorisk
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Innkommende kvalitetskontroll.
DocType: Purchase Order Item,Returned Qty,Returnerte Stk
DocType: Employee,Exit,Utgang
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Root Type er obligatorisk
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root Type er obligatorisk
DocType: BOM,Total Cost(Company Currency),Totalkostnad (Selskap Valuta)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serial No {0} opprettet
DocType: Homepage,Company Description for website homepage,Selskapet beskrivelse for nettstedet hjemmeside
@@ -2757,7 +2773,7 @@
DocType: Sales Invoice,Time Sheet List,Timeregistrering List
DocType: Employee,You can enter any date manually,Du kan legge inn noen dato manuelt
DocType: Asset Category Account,Depreciation Expense Account,Avskrivninger konto
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Prøvetid
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Prøvetid
DocType: Customer Group,Only leaf nodes are allowed in transaction,Bare bladnoder er tillatt i transaksjonen
DocType: Expense Claim,Expense Approver,Expense Godkjenner
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Rad {0}: Advance mot Kunden må være kreditt
@@ -2771,10 +2787,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Kurstider slettet:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Logger for å opprettholde sms leveringsstatus
DocType: Accounts Settings,Make Payment via Journal Entry,Utfør betaling via bilagsregistrering
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Trykt på
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Trykt på
DocType: Item,Inspection Required before Delivery,Inspeksjon Påkrevd før Levering
DocType: Item,Inspection Required before Purchase,Inspeksjon Påkrevd før kjøp
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Ventende Aktiviteter
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Din organisasjon
DocType: Fee Component,Fees Category,avgifter Kategori
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Skriv inn lindrende dato.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
@@ -2784,9 +2801,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Omgjøre nivå
DocType: Company,Chart Of Accounts Template,Konto Mal
DocType: Attendance,Attendance Date,Oppmøte Dato
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Sak Pris oppdateres for {0} i prislisten {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Sak Pris oppdateres for {0} i prislisten {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Lønn breakup basert på opptjening og fradrag.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Konto med barnet noder kan ikke konverteres til Ledger
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Konto med barnet noder kan ikke konverteres til Ledger
DocType: Purchase Invoice Item,Accepted Warehouse,Akseptert Warehouse
DocType: Bank Reconciliation Detail,Posting Date,Publiseringsdato
DocType: Item,Valuation Method,Verdsettelsesmetode
@@ -2795,14 +2812,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Duplicate entry
DocType: Program Enrollment Tool,Get Students,Få Studenter
DocType: Serial No,Under Warranty,Under Garanti
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Error]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Error]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,I Ord vil være synlig når du lagrer kundeordre.
,Employee Birthday,Ansatt Bursdag
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Batch Oppmøte Tool
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,Limit Krysset
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Limit Krysset
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Venture Capital
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Et semester med denne 'Academic Year' {0} og "Term Name {1} finnes allerede. Vennligst endre disse oppføringene og prøv igjen.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Ettersom det er eksisterende transaksjoner mot item {0}, kan du ikke endre verdien av {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Ettersom det er eksisterende transaksjoner mot item {0}, kan du ikke endre verdien av {1}"
DocType: UOM,Must be Whole Number,Må være hele tall
DocType: Leave Control Panel,New Leaves Allocated (In Days),Nye Løv Tildelte (i dager)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serial No {0} finnes ikke
@@ -2811,6 +2828,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Fakturanummer
DocType: Shopping Cart Settings,Orders,Bestillinger
DocType: Employee Leave Approver,Leave Approver,La Godkjenner
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Vennligst velg en batch
DocType: Assessment Group,Assessment Group Name,Assessment Gruppenavn
DocType: Manufacturing Settings,Material Transferred for Manufacture,Materialet Overført for Produksjon
DocType: Expense Claim,"A user with ""Expense Approver"" role",En bruker med "Expense Godkjenner" rolle
@@ -2820,9 +2838,10 @@
DocType: Target Detail,Target Detail,Target Detalj
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,alle jobber
DocType: Sales Order,% of materials billed against this Sales Order,% Av materialer fakturert mot denne kundeordre
+DocType: Program Enrollment,Mode of Transportation,Transportform
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Periode Closing Entry
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Kostnadssted med eksisterende transaksjoner kan ikke konverteres til gruppen
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Mengden {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Mengden {0} {1} {2} {3}
DocType: Account,Depreciation,Avskrivninger
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Leverandør (er)
DocType: Employee Attendance Tool,Employee Attendance Tool,Employee Oppmøte Tool
@@ -2830,7 +2849,7 @@
DocType: Supplier,Credit Limit,Kredittgrense
DocType: Production Plan Sales Order,Salse Order Date,Salse Ordredato
DocType: Salary Component,Salary Component,lønn Component
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Betalings Innlegg {0} er un-linked
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Betalings Innlegg {0} er un-linked
DocType: GL Entry,Voucher No,Kupong Ingen
,Lead Owner Efficiency,Leder Eier Effektivitet
,Lead Owner Efficiency,Leder Eier Effektivitet
@@ -2842,11 +2861,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Mal av begreper eller kontrakt.
DocType: Purchase Invoice,Address and Contact,Adresse og Kontakt
DocType: Cheque Print Template,Is Account Payable,Er konto Betales
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Stock kan ikke oppdateres mot Kjøpskvittering {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Stock kan ikke oppdateres mot Kjøpskvittering {0}
DocType: Supplier,Last Day of the Next Month,Siste dag av neste måned
DocType: Support Settings,Auto close Issue after 7 days,Auto nær Issue etter 7 dager
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Permisjon kan ikke tildeles før {0}, som permisjon balanse har allerede vært carry-sendt i fremtiden permisjon tildeling posten {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Merk: På grunn / Reference Date stiger tillatt kunde kreditt dager med {0} dag (er)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Merk: På grunn / Reference Date stiger tillatt kunde kreditt dager med {0} dag (er)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,student Søker
DocType: Asset Category Account,Accumulated Depreciation Account,Akkumulerte avskrivninger konto
DocType: Stock Settings,Freeze Stock Entries,Freeze Stock Entries
@@ -2855,35 +2874,35 @@
DocType: Activity Cost,Billing Rate,Billing Rate
,Qty to Deliver,Antall å levere
,Stock Analytics,Aksje Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Operasjoner kan ikke være tomt
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operasjoner kan ikke være tomt
DocType: Maintenance Visit Purpose,Against Document Detail No,Mot Document Detail Nei
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Partiet Type er obligatorisk
DocType: Quality Inspection,Outgoing,Utgående
DocType: Material Request,Requested For,Spurt For
DocType: Quotation Item,Against Doctype,Mot Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} er kansellert eller lukket
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} er kansellert eller lukket
DocType: Delivery Note,Track this Delivery Note against any Project,Spor dette følgeseddel mot ethvert prosjekt
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Netto kontantstrøm fra investerings
-,Is Primary Address,Er Hovedadresse
DocType: Production Order,Work-in-Progress Warehouse,Work-in-progress Warehouse
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Asset {0} må fremlegges
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Oppmøte Record {0} finnes mot Student {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Oppmøte Record {0} finnes mot Student {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Reference # {0} datert {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Avskrivninger Slått på grunn av salg av eiendeler
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Administrer Adresser
DocType: Asset,Item Code,Sak Kode
DocType: Production Planning Tool,Create Production Orders,Opprett produksjonsordrer
DocType: Serial No,Warranty / AMC Details,Garanti / AMC Detaljer
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Velg studenter manuelt for aktivitetsbasert gruppe
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Velg studenter manuelt for aktivitetsbasert gruppe
DocType: Journal Entry,User Remark,Bruker Remark
DocType: Lead,Market Segment,Markedssegment
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Betalt Beløpet kan ikke være større enn total negativ utestående beløp {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Betalt Beløpet kan ikke være større enn total negativ utestående beløp {0}
DocType: Employee Internal Work History,Employee Internal Work History,Ansatt Intern Work History
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Lukking (Dr)
DocType: Cheque Print Template,Cheque Size,sjekk Size
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serial No {0} ikke på lager
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Skatt mal for å selge transaksjoner.
DocType: Sales Invoice,Write Off Outstanding Amount,Skriv Av utestående beløp
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Konto {0} stemmer ikke overens med selskapets {1}
DocType: School Settings,Current Academic Year,Nåværende akademisk år
DocType: School Settings,Current Academic Year,Nåværende akademisk år
DocType: Stock Settings,Default Stock UOM,Standard Stock målenheter
@@ -2899,27 +2918,27 @@
DocType: Asset,Double Declining Balance,Dobbel degressiv
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Stengt for kan ikke avbestilles. Unclose å avbryte.
DocType: Student Guardian,Father,Far
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'Oppdater Stock "kan ikke kontrolleres for driftsmiddel salg
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Oppdater Stock "kan ikke kontrolleres for driftsmiddel salg
DocType: Bank Reconciliation,Bank Reconciliation,Bankavstemming
DocType: Attendance,On Leave,På ferie
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Få oppdateringer
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} ikke tilhører selskapet {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Materialet Request {0} blir kansellert eller stoppet
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Legg et par eksempler på poster
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Legg et par eksempler på poster
apps/erpnext/erpnext/config/hr.py +301,Leave Management,La Ledelse
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Grupper etter Account
DocType: Sales Order,Fully Delivered,Fullt Leveres
DocType: Lead,Lower Income,Lavere inntekt
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Kilden og målet lageret kan ikke være det samme for rad {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Kilden og målet lageret kan ikke være det samme for rad {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Forskjellen konto må være en eiendel / forpliktelse type konto, siden dette Stock Forsoning er en åpning Entry"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Utbetalt Mengde kan ikke være større enn låne beløpet {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Innkjøpsordrenummeret som kreves for Element {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Produksjonsordre ikke opprettet
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Innkjøpsordrenummeret som kreves for Element {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Produksjonsordre ikke opprettet
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"Fra dato" må være etter 'To Date'
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Kan ikke endre status som student {0} er knyttet til studentens søknad {1}
DocType: Asset,Fully Depreciated,fullt avskrevet
,Stock Projected Qty,Lager Antall projiserte
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Kunden {0} ikke hører til prosjektet {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Kunden {0} ikke hører til prosjektet {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Merket Oppmøte HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Sitater er forslag, bud du har sendt til dine kunder"
DocType: Sales Order,Customer's Purchase Order,Kundens innkjøpsordre
@@ -2928,33 +2947,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Summen av Resultater av vurderingskriterier må være {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Vennligst sett Antall Avskrivninger bestilt
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Verdi eller Stk
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Productions Bestillinger kan ikke heves for:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Minutt
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions Bestillinger kan ikke heves for:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Minutt
DocType: Purchase Invoice,Purchase Taxes and Charges,Kjøpe skatter og avgifter
,Qty to Receive,Antall å motta
DocType: Leave Block List,Leave Block List Allowed,La Block List tillatt
DocType: Grading Scale Interval,Grading Scale Interval,Grading Scale Intervall
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Expense krav for Vehicle Logg {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Rabatt (%) på prisliste med margin
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,alle Næringslokaler
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,alle Næringslokaler
DocType: Sales Partner,Retailer,Forhandler
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Kreditt til kontoen må være en balansekonto
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Kreditt til kontoen må være en balansekonto
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Alle Leverandør Typer
DocType: Global Defaults,Disable In Words,Deaktiver I Ord
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,Elementkode er obligatorisk fordi varen ikke blir automatisk nummerert
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Elementkode er obligatorisk fordi varen ikke blir automatisk nummerert
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Sitat {0} ikke av typen {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Vedlikeholdsplan Sak
DocType: Sales Order,% Delivered,% Leveres
DocType: Production Order,PRO-,PRO-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Kassekreditt konto
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Kassekreditt konto
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Gjør Lønn Slip
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Rad # {0}: Tilordnet beløp kan ikke være større enn utestående beløp.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Bla BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Sikret lån
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Sikret lån
DocType: Purchase Invoice,Edit Posting Date and Time,Rediger konteringsdato og klokkeslett
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Vennligst sett Avskrivninger relatert kontoer i Asset Kategori {0} eller selskapet {1}
DocType: Academic Term,Academic Year,Studieår
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Åpningsbalanse Equity
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Åpningsbalanse Equity
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Appraisal
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},E-post sendt til leverandøren {0}
@@ -2970,7 +2989,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Godkjenne Role kan ikke være det samme som rollen regelen gjelder for
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Melde deg ut av denne e-post Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Melding Sendt
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Konto med barnet noder kan ikke settes som hovedbok
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Konto med barnet noder kan ikke settes som hovedbok
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Hastigheten som Prisliste valuta er konvertert til kundens basisvaluta
DocType: Purchase Invoice Item,Net Amount (Company Currency),Nettobeløp (Company Valuta)
@@ -3005,7 +3024,7 @@
DocType: Expense Claim,Approval Status,Godkjenningsstatus
DocType: Hub Settings,Publish Items to Hub,Publiser varer i Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},Fra verdien må være mindre enn til verdien i rad {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Wire Transfer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Wire Transfer
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Sjekk alt
DocType: Vehicle Log,Invoice Ref,faktura~~POS=TRUNC Ref
DocType: Purchase Order,Recurring Order,Gjentakende Bestill
@@ -3018,19 +3037,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Bank og Betalinger
,Welcome to ERPNext,Velkommen til ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Føre til prisanslag
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Ingenting mer å vise.
DocType: Lead,From Customer,Fra Customer
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Samtaler
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Samtaler
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,batcher
DocType: Project,Total Costing Amount (via Time Logs),Total koster Beløp (via Time Logger)
DocType: Purchase Order Item Supplied,Stock UOM,Stock målenheter
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Purchase Order {0} ikke er sendt
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Purchase Order {0} ikke er sendt
DocType: Customs Tariff Number,Tariff Number,tariff Antall
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Prosjekterte
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serial No {0} tilhører ikke Warehouse {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Merk: Systemet vil ikke sjekke over-levering og over-booking for Element {0} som mengde eller beløpet er 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Merk: Systemet vil ikke sjekke over-levering og over-booking for Element {0} som mengde eller beløpet er 0
DocType: Notification Control,Quotation Message,Sitat Message
DocType: Employee Loan,Employee Loan Application,Medarbeider lånesøknad
DocType: Issue,Opening Date,Åpningsdato
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Oppmøte er merket med hell.
+DocType: Program Enrollment,Public Transport,Offentlig transport
DocType: Journal Entry,Remark,Bemerkning
DocType: Purchase Receipt Item,Rate and Amount,Rate og Beløp
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Kontotype for {0} må være {1}
@@ -3038,32 +3060,32 @@
DocType: School Settings,Current Academic Term,Nåværende faglig term
DocType: School Settings,Current Academic Term,Nåværende faglig term
DocType: Sales Order,Not Billed,Ikke Fakturert
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Både Warehouse må tilhøre samme selskapet
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Ingen kontakter er lagt til ennå.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Både Warehouse må tilhøre samme selskapet
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Ingen kontakter er lagt til ennå.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landed Cost Voucher Beløp
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Regninger oppdratt av leverandører.
DocType: POS Profile,Write Off Account,Skriv Off konto
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Debet notat Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Rabattbeløp
DocType: Purchase Invoice,Return Against Purchase Invoice,Tilbake mot fakturaen
DocType: Item,Warranty Period (in days),Garantiperioden (i dager)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Relasjon med Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Relasjon med Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Netto kontantstrøm fra driften
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,reskontroførsel
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,reskontroførsel
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Sak 4
DocType: Student Admission,Admission End Date,Opptak Sluttdato
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Underleverandører
DocType: Journal Entry Account,Journal Entry Account,Journal Entry konto
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,student Gruppe
DocType: Shopping Cart Settings,Quotation Series,Sitat Series
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Et element eksisterer med samme navn ({0}), må du endre navn varegruppen eller endre navn på elementet"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Velg kunde
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Et element eksisterer med samme navn ({0}), må du endre navn varegruppen eller endre navn på elementet"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Velg kunde
DocType: C-Form,I,Jeg
DocType: Company,Asset Depreciation Cost Center,Asset Avskrivninger kostnadssted
DocType: Sales Order Item,Sales Order Date,Salgsordre Dato
DocType: Sales Invoice Item,Delivered Qty,Leveres Antall
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Hvis det er merket, vil alle barn i hver produksjon element inkluderes i materialet forespørsler."
DocType: Assessment Plan,Assessment Plan,Assessment Plan
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Warehouse {0}: Selskapet er obligatorisk
DocType: Stock Settings,Limit Percent,grense Prosent
,Payment Period Based On Invoice Date,Betaling perioden basert på Fakturadato
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Mangler valutakurser for {0}
@@ -3075,7 +3097,7 @@
DocType: Vehicle,Insurance Details,forsikring Detaljer
DocType: Account,Payable,Betales
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,Fyll inn nedbetalingstid
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Skyldnere ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Skyldnere ({0})
DocType: Pricing Rule,Margin,Margin
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Nye kunder
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Bruttofortjeneste%
@@ -3086,16 +3108,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Party er obligatorisk
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,emne Name
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Minst én av de selge eller kjøpe må velges
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Velg formålet med virksomheten.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Minst én av de selge eller kjøpe må velges
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Velg formålet med virksomheten.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Row # {0}: Dupliseringsoppføring i Referanser {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Hvor fabrikasjonsvirksomhet gjennomføres.
DocType: Asset Movement,Source Warehouse,Kilde Warehouse
DocType: Installation Note,Installation Date,Installasjonsdato
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} ikke tilhører selskapet {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} ikke tilhører selskapet {2}
DocType: Employee,Confirmation Date,Bekreftelse Dato
DocType: C-Form,Total Invoiced Amount,Total Fakturert beløp
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Antall kan ikke være større enn Max Antall
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Min Antall kan ikke være større enn Max Antall
DocType: Account,Accumulated Depreciation,akkumulerte avskrivninger
DocType: Stock Entry,Customer or Supplier Details,Kunde eller leverandør Detaljer
DocType: Employee Loan Application,Required by Date,Kreves av Dato
@@ -3116,22 +3138,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Månedlig Distribution Prosent
DocType: Territory,Territory Targets,Terri Targets
DocType: Delivery Note,Transporter Info,Transporter Info
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Vennligst sett standard {0} i selskapet {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Vennligst sett standard {0} i selskapet {1}
DocType: Cheque Print Template,Starting position from top edge,Startposisjon fra øverste kant
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Samme leverandør er angitt flere ganger
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Brutto gevinst / tap
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Innkjøpsordre Sak Leveres
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Firmanavn kan ikke være selskap
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Firmanavn kan ikke være selskap
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Brevark for utskriftsmaler.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Titler for utskriftsmaler f.eks Proforma Faktura.
DocType: Student Guardian,Student Guardian,student Guardian
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Verdsettelse typen kostnader kan ikke merket som Inclusive
DocType: POS Profile,Update Stock,Oppdater Stock
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Leverandør> Leverandør Type
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Ulik målenheter for elementer vil føre til feil (Total) Netto vekt verdi. Sørg for at nettovekt av hvert element er i samme målenheter.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Rate
DocType: Asset,Journal Entry for Scrap,Bilagsregistrering for Scrap
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Kan trekke elementer fra følgeseddel
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Journal Entries {0} er un-linked
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Journal Entries {0} er un-linked
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Registrering av all kommunikasjon av typen e-post, telefon, chat, besøk, etc."
DocType: Manufacturer,Manufacturers used in Items,Produsenter som brukes i Items
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Vennligst oppgi Round Off Cost Center i selskapet
@@ -3180,33 +3203,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,Leverandør leverer til kunden
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / post / {0}) er utsolgt
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Neste dato må være større enn konteringsdato
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Vis skatt break-up
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Due / Reference Datoen kan ikke være etter {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Vis skatt break-up
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Due / Reference Datoen kan ikke være etter {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Data import og eksport
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","Aksjeoppføringer finnes mot Warehouse {0}, dermed kan du ikke re-tildele eller endre den"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Ingen studenter Funnet
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Ingen studenter Funnet
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Faktura Publiseringsdato
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Selge
DocType: Sales Invoice,Rounded Total,Avrundet Total
DocType: Product Bundle,List items that form the package.,Listeelementer som danner pakken.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Prosentvis Tildeling skal være lik 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,Vennligst velg Publiseringsdato før du velger Partiet
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Vennligst velg Publiseringsdato før du velger Partiet
DocType: Program Enrollment,School House,school House
DocType: Serial No,Out of AMC,Ut av AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Vennligst velg tilbud
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Vennligst velg tilbud
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Antall Avskrivninger reservert kan ikke være større enn Totalt antall Avskrivninger
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Gjør Vedlikehold Visit
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,Ta kontakt for brukeren som har salgs Master manager {0} rolle
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,Ta kontakt for brukeren som har salgs Master manager {0} rolle
DocType: Company,Default Cash Account,Standard Cash konto
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Company (ikke kunde eller leverandør) mester.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Dette er basert på tilstedeværelse av denne Student
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Ingen studenter i
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Ingen studenter i
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Legg til flere elementer eller åpne full form
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',Skriv inn "Forventet Leveringsdato '
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Levering Merknader {0} må avbestilles før den avbryter denne salgsordre
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Innbetalt beløp + avskrive Beløpet kan ikke være større enn Totalsum
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Innbetalt beløp + avskrive Beløpet kan ikke være større enn Totalsum
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} er ikke en gyldig batchnummer for varen {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Merk: Det er ikke nok permisjon balanse for La Type {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,Ugyldig GSTIN eller Skriv inn NA for Uregistrert
DocType: Training Event,Seminar,Seminar
DocType: Program Enrollment Fee,Program Enrollment Fee,Program innmeldingsavgift
DocType: Item,Supplier Items,Leverandør Items
@@ -3232,28 +3255,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Sak 3
DocType: Purchase Order,Customer Contact Email,Kundekontakt E-post
DocType: Warranty Claim,Item and Warranty Details,Element og Garanti Detaljer
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Varenummer> Varegruppe> Varemerke
DocType: Sales Team,Contribution (%),Bidrag (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Merk: Betaling Entry vil ikke bli laget siden "Cash eller bankkontoen ble ikke spesifisert
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Velg Programmet for å hente obligatoriske kurs.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Velg Programmet for å hente obligatoriske kurs.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Ansvarsområder
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Ansvarsområder
DocType: Expense Claim Account,Expense Claim Account,Expense krav konto
DocType: Sales Person,Sales Person Name,Sales Person Name
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Skriv inn atleast en faktura i tabellen
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Legg til brukere
DocType: POS Item Group,Item Group,Varegruppe
DocType: Item,Safety Stock,Safety Stock
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Progress% for en oppgave kan ikke være mer enn 100.
DocType: Stock Reconciliation Item,Before reconciliation,Før avstemming
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Til {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Skatter og avgifter legges (Company Valuta)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Sak Skatte Rad {0} må ha konto for type skatt eller inntekt eller kostnad eller Charge
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Sak Skatte Rad {0} må ha konto for type skatt eller inntekt eller kostnad eller Charge
DocType: Sales Order,Partly Billed,Delvis Fakturert
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Element {0} må være et driftsmiddel element
DocType: Item,Default BOM,Standard BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,Vennligst re-type firmanavn for å bekrefte
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Total Outstanding Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Debet Note Beløp
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Vennligst re-type firmanavn for å bekrefte
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Total Outstanding Amt
DocType: Journal Entry,Printing Settings,Utskriftsinnstillinger
DocType: Sales Invoice,Include Payment (POS),Inkluder Payment (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Total debet må være lik samlet kreditt. Forskjellen er {0}
@@ -3267,16 +3287,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,På lager:
DocType: Notification Control,Custom Message,Standard melding
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investment Banking
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Kontanter eller bankkontoen er obligatorisk for å gjøre betaling oppføring
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Studentadresse
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Studentadresse
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Kontanter eller bankkontoen er obligatorisk for å gjøre betaling oppføring
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Vennligst oppsett nummereringsserie for Tilstedeværelse via Oppsett> Nummereringsserie
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentadresse
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentadresse
DocType: Purchase Invoice,Price List Exchange Rate,Prisliste Exchange Rate
DocType: Purchase Invoice Item,Rate,Rate
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Intern
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,Adressenavn
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Intern
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,Adressenavn
DocType: Stock Entry,From BOM,Fra BOM
DocType: Assessment Code,Assessment Code,Assessment Kode
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Grunnleggende
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Grunnleggende
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Lagertransaksjoner før {0} er frosset
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',Vennligst klikk på "Generer Schedule '
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","f.eks Kg, Unit, Nos, m"
@@ -3286,11 +3307,11 @@
DocType: Salary Slip,Salary Structure,Lønn Struktur
DocType: Account,Bank,Bank
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Flyselskap
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Issue Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Issue Material
DocType: Material Request Item,For Warehouse,For Warehouse
DocType: Employee,Offer Date,Tilbudet Dato
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Sitater
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Du er i frakoblet modus. Du vil ikke være i stand til å laste før du har nettverk.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,Du er i frakoblet modus. Du vil ikke være i stand til å laste før du har nettverk.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Ingen studentgrupper opprettet.
DocType: Purchase Invoice Item,Serial No,Serial No
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Månedlig nedbetaling beløpet kan ikke være større enn Lånebeløp
@@ -3298,8 +3319,8 @@
DocType: Purchase Invoice,Print Language,Print Språk
DocType: Salary Slip,Total Working Hours,Samlet arbeidstid
DocType: Stock Entry,Including items for sub assemblies,Inkludert elementer for sub samlinger
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Oppgi verdien skal være positiv
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Alle Territories
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Oppgi verdien skal være positiv
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Alle Territories
DocType: Purchase Invoice,Items,Elementer
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Student er allerede registrert.
DocType: Fiscal Year,Year Name,År Navn
@@ -3318,10 +3339,10 @@
DocType: Issue,Opening Time,Åpning Tid
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Fra og Til dato kreves
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Verdipapirer og råvarebørser
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standard Enhet for Variant {0} må være samme som i malen {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standard Enhet for Variant {0} må være samme som i malen {1}
DocType: Shipping Rule,Calculate Based On,Beregn basert på
DocType: Delivery Note Item,From Warehouse,Fra Warehouse
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Ingen elementer med Bill of Materials til Manufacture
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Ingen elementer med Bill of Materials til Manufacture
DocType: Assessment Plan,Supervisor Name,Supervisor Name
DocType: Program Enrollment Course,Program Enrollment Course,Programopptakskurs
DocType: Program Enrollment Course,Program Enrollment Course,Programopptakskurs
@@ -3337,18 +3358,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Dager siden siste Bestill "må være større enn eller lik null
DocType: Process Payroll,Payroll Frequency,lønn Frequency
DocType: Asset,Amended From,Endret Fra
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Råmateriale
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Råmateriale
DocType: Leave Application,Follow via Email,Følg via e-post
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Planter og Machineries
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Planter og Machineries
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Skattebeløp Etter Rabattbeløp
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Daglige arbeid Oppsummering Innstillinger
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Valuta av prislisten {0} er ikke lik med den valgte valutaen {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Valuta av prislisten {0} er ikke lik med den valgte valutaen {1}
DocType: Payment Entry,Internal Transfer,Internal Transfer
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Barnekonto som finnes for denne kontoen. Du kan ikke slette denne kontoen.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Barnekonto som finnes for denne kontoen. Du kan ikke slette denne kontoen.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Enten målet stk eller mål beløpet er obligatorisk
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Ingen standard BOM finnes for Element {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Ingen standard BOM finnes for Element {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Vennligst velg Publiseringsdato først
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Åpningsdato bør være før påmeldingsfristens utløp
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vennligst still inn navngivningsserien for {0} via Setup> Settings> Naming Series
DocType: Leave Control Panel,Carry Forward,Fremføring
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Kostnadssted med eksisterende transaksjoner kan ikke konverteres til Ledger
DocType: Department,Days for which Holidays are blocked for this department.,Dager som Holidays er blokkert for denne avdelingen.
@@ -3358,11 +3380,10 @@
DocType: Issue,Raised By (Email),Raised By (e-post)
DocType: Training Event,Trainer Name,trener Name
DocType: Mode of Payment,General,Generelt
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Fest Brev
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Siste kommunikasjon
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Siste kommunikasjon
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Kan ikke trekke når kategorien er for verdsetting "eller" Verdsettelse og Totals
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","List dine skatte hoder (f.eks merverdiavgift, toll etc, de bør ha unike navn) og deres standardsatser. Dette vil skape en standard mal, som du kan redigere og legge til mer senere."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","List dine skatte hoder (f.eks merverdiavgift, toll etc, de bør ha unike navn) og deres standardsatser. Dette vil skape en standard mal, som du kan redigere og legge til mer senere."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Serial Nos Nødvendig for Serialisert Element {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Match Betalinger med Fakturaer
DocType: Journal Entry,Bank Entry,Bank Entry
@@ -3371,16 +3392,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Legg til i handlevogn
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Grupper etter
DocType: Guardian,Interests,Interesser
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Aktivere / deaktivere valutaer.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Aktivere / deaktivere valutaer.
DocType: Production Planning Tool,Get Material Request,Få Material Request
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Post Utgifter
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Post Utgifter
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Total (Amt)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Entertainment & Leisure
DocType: Quality Inspection,Item Serial No,Sak Serial No
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Lag Medarbeider Records
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Total Present
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,regnskaps~~POS=TRUNC Uttalelser
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Time
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Time
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,New Serial No kan ikke ha Warehouse. Warehouse må settes av Stock Entry eller Kjøpskvittering
DocType: Lead,Lead Type,Lead Type
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Du er ikke autorisert til å godkjenne blader på Block Datoer
@@ -3392,6 +3413,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,Den nye BOM etter utskiftning
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Utsalgssted
DocType: Payment Entry,Received Amount,mottatt beløp
+DocType: GST Settings,GSTIN Email Sent On,GSTIN Email Sent On
+DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop av Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Lag full mengde, ignorerer mengde allerede er i ordre"
DocType: Account,Tax,Skatte
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,ikke Merket
@@ -3405,7 +3428,7 @@
DocType: Batch,Source Document Name,Kilde dokumentnavn
DocType: Job Opening,Job Title,Jobbtittel
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Lag brukere
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,Gram
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,Gram
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Antall å Manufacture må være større enn 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Besøk rapport for vedlikehold samtale.
DocType: Stock Entry,Update Rate and Availability,Oppdateringsfrekvens og tilgjengelighet
@@ -3413,7 +3436,7 @@
DocType: POS Customer Group,Customer Group,Kundegruppe
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Ny batch-ID (valgfritt)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Ny batch-ID (valgfritt)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Utgiftskonto er obligatorisk for elementet {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Utgiftskonto er obligatorisk for elementet {0}
DocType: BOM,Website Description,Website Beskrivelse
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Netto endring i egenkapital
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Vennligst avbryte fakturaen {0} først
@@ -3423,8 +3446,8 @@
,Sales Register,Salg Register
DocType: Daily Work Summary Settings Company,Send Emails At,Send e-post til
DocType: Quotation,Quotation Lost Reason,Sitat av Lost Reason
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Velg Domene
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Transaksjonsreferanse ikke {0} datert {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Velg Domene
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Transaksjonsreferanse ikke {0} datert {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Det er ingenting å redigere.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Oppsummering for denne måneden og ventende aktiviteter
DocType: Customer Group,Customer Group Name,Kundegruppenavn
@@ -3432,14 +3455,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Kontantstrømoppstilling
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Lånebeløp kan ikke overstige maksimalt lånebeløp på {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Tillatelse
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},Vennligst fjern denne Faktura {0} fra C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},Vennligst fjern denne Faktura {0} fra C-Form {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Vennligst velg bære frem hvis du også vil ha med forrige regnskapsår balanse later til dette regnskapsåret
DocType: GL Entry,Against Voucher Type,Mot Voucher Type
DocType: Item,Attributes,Egenskaper
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,Skriv inn avskrive konto
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Skriv inn avskrive konto
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Siste Order Date
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Konto {0} ikke tilhører selskapet {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Serienumre i rad {0} stemmer ikke overens med leveringsnotat
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Serienumre i rad {0} stemmer ikke overens med leveringsnotat
DocType: Student,Guardian Details,Guardian Detaljer
DocType: C-Form,C-Form,C-Form
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark Oppmøte for flere ansatte
@@ -3454,16 +3477,16 @@
DocType: Budget Account,Budget Amount,budsjett~~POS=TRUNC
DocType: Appraisal Template,Appraisal Template Title,Appraisal Mal Tittel
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Fra Dato {0} for Employee {1} kan ikke være før arbeidstakers begynte Dato {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Commercial
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Commercial
DocType: Payment Entry,Account Paid To,Konto Betalt for å
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Parent Element {0} må ikke være en lagervare
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Alle produkter eller tjenester.
DocType: Expense Claim,More Details,Mer informasjon
DocType: Supplier Quotation,Supplier Address,Leverandør Adresse
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} budsjettet for kontoen {1} mot {2} {3} er {4}. Det vil overstige ved {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Rad {0} # konto må være av typen "Fixed Asset '
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Ut Antall
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Regler for å beregne frakt beløp for et salg
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Rad {0} # konto må være av typen "Fixed Asset '
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Ut Antall
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Regler for å beregne frakt beløp for et salg
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Serien er obligatorisk
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Finansielle Tjenester
DocType: Student Sibling,Student ID,Student ID
@@ -3471,13 +3494,13 @@
DocType: Tax Rule,Sales,Salgs
DocType: Stock Entry Detail,Basic Amount,Grunnbeløp
DocType: Training Event,Exam,Eksamen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Warehouse nødvendig for lager Element {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Warehouse nødvendig for lager Element {0}
DocType: Leave Allocation,Unused leaves,Ubrukte blader
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,Billing State
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Transfer
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} ikke forbundet med Party-konto {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Hente eksploderte BOM (inkludert underenheter)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} ikke forbundet med Party-konto {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Hente eksploderte BOM (inkludert underenheter)
DocType: Authorization Rule,Applicable To (Employee),Gjelder til (Employee)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Due Date er obligatorisk
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Økning for Egenskap {0} kan ikke være 0
@@ -3505,7 +3528,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Raw Material Elementkode
DocType: Journal Entry,Write Off Based On,Skriv Off basert på
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Gjør Lead
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Skriv ut og Saker
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Skriv ut og Saker
DocType: Stock Settings,Show Barcode Field,Vis strekkodefelt
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Send Leverandør e-post
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Lønn allerede behandlet for perioden mellom {0} og {1}, La søknadsperioden kan ikke være mellom denne datoperioden."
@@ -3513,14 +3536,16 @@
DocType: Guardian Interest,Guardian Interest,Guardian Rente
apps/erpnext/erpnext/config/hr.py +177,Training,Opplæring
DocType: Timesheet,Employee Detail,Medarbeider Detalj
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 Email ID
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 Email ID
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,Neste Date dag og gjenta på dag i måneden må være lik
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Innstillinger for nettstedet hjemmeside
DocType: Offer Letter,Awaiting Response,Venter på svar
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Fremfor
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Fremfor
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},Ugyldig egenskap {0} {1}
DocType: Supplier,Mention if non-standard payable account,Nevn hvis ikke-standard betalingskonto
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Samme gjenstand er oppgitt flere ganger. {liste}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Vennligst velg vurderingsgruppen annet enn 'Alle vurderingsgrupper'
DocType: Salary Slip,Earning & Deduction,Tjene & Fradrag
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Valgfritt. Denne innstillingen vil bli brukt for å filtrere i forskjellige transaksjoner.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Negative Verdivurdering Rate er ikke tillatt
@@ -3534,9 +3559,9 @@
DocType: Sales Invoice,Product Bundle Help,Produktet Bundle Hjelp
,Monthly Attendance Sheet,Månedlig Oppmøte Sheet
DocType: Production Order Item,Production Order Item,Produksjonsordre Element
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Ingen rekord funnet
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Ingen rekord funnet
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Kostnad for kasserte Asset
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Kostnadssted er obligatorisk for Element {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Kostnadssted er obligatorisk for Element {2}
DocType: Vehicle,Policy No,Regler Nei
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Få Elementer fra Produkt Bundle
DocType: Asset,Straight Line,Rett linje
@@ -3545,7 +3570,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Dele
DocType: GL Entry,Is Advance,Er Advance
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Oppmøte Fra Dato og oppmøte To Date er obligatorisk
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,Skriv inn 'Er underleverandør' som Ja eller Nei
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,Skriv inn 'Er underleverandør' som Ja eller Nei
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Siste kommunikasjonsdato
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Siste kommunikasjonsdato
DocType: Sales Team,Contact No.,Kontaktnummer.
@@ -3574,60 +3599,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,åpning Verdi
DocType: Salary Detail,Formula,Formel
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Provisjon på salg
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Provisjon på salg
DocType: Offer Letter Term,Value / Description,Verdi / beskrivelse
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} kan ikke sendes inn, er det allerede {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} kan ikke sendes inn, er det allerede {2}"
DocType: Tax Rule,Billing Country,Fakturering Land
DocType: Purchase Order Item,Expected Delivery Date,Forventet Leveringsdato
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debet- og kredittkort ikke lik for {0} # {1}. Forskjellen er {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Underholdning Utgifter
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Gjør Material Request
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Underholdning Utgifter
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Gjør Material Request
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Åpen Element {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Salg Faktura {0} må slettes før den sletter denne salgsordre
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Alder
DocType: Sales Invoice Timesheet,Billing Amount,Faktureringsbeløp
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Ugyldig kvantum spesifisert for elementet {0}. Antall må være større enn 0.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Søknader om permisjon.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Konto med eksisterende transaksjon kan ikke slettes
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Konto med eksisterende transaksjon kan ikke slettes
DocType: Vehicle,Last Carbon Check,Siste Carbon Sjekk
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Rettshjelp
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Rettshjelp
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Vennligst velg antall på rad
DocType: Purchase Invoice,Posting Time,Postering Tid
DocType: Timesheet,% Amount Billed,% Mengde Fakturert
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Telefon Utgifter
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Telefon Utgifter
DocType: Sales Partner,Logo,Logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Sjekk dette hvis du vil tvinge brukeren til å velge en serie før du lagrer. Det blir ingen standard hvis du sjekke dette.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Ingen Element med Serial No {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Ingen Element med Serial No {0}
DocType: Email Digest,Open Notifications,Åpne Påminnelser
DocType: Payment Entry,Difference Amount (Company Currency),Forskjell Beløp (Selskap Valuta)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Direkte kostnader
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Direkte kostnader
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} er en ugyldig e-postadresse i "Melding om \ e-postadresse '
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Ny kunde Revenue
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Reiseutgifter
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Reiseutgifter
DocType: Maintenance Visit,Breakdown,Sammenbrudd
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Konto: {0} med valuta: {1} kan ikke velges
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Konto: {0} med valuta: {1} kan ikke velges
DocType: Bank Reconciliation Detail,Cheque Date,Sjekk Dato
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Parent konto {1} ikke tilhører selskapet: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Parent konto {1} ikke tilhører selskapet: {2}
DocType: Program Enrollment Tool,Student Applicants,student Søkere
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Slettet alle transaksjoner knyttet til dette selskapet!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Slettet alle transaksjoner knyttet til dette selskapet!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Som på dato
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,påmelding Dato
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Prøvetid
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Prøvetid
apps/erpnext/erpnext/config/hr.py +115,Salary Components,lønn Components
DocType: Program Enrollment Tool,New Academic Year,Nytt studieår
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Retur / kreditnota
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Retur / kreditnota
DocType: Stock Settings,Auto insert Price List rate if missing,Auto innsats Prisliste rente hvis mangler
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Totalt innbetalt beløp
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Totalt innbetalt beløp
DocType: Production Order Item,Transferred Qty,Overført Antall
apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigere
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Planlegging
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Utstedt
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planlegging
+DocType: Material Request,Issued,Utstedt
DocType: Project,Total Billing Amount (via Time Logs),Total Billing Beløp (via Time Logger)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Vi selger denne vare
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Leverandør Id
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Vi selger denne vare
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Leverandør Id
DocType: Payment Request,Payment Gateway Details,Betaling Gateway Detaljer
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Mengden skal være større enn 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Mengden skal være større enn 0
DocType: Journal Entry,Cash Entry,Cash Entry
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Ordnede noder kan bare opprettes under 'Gruppe' type noder
DocType: Leave Application,Half Day Date,Half Day Date
@@ -3639,14 +3665,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Vennligst angi standardkonto i Expense krav Type {0}
DocType: Assessment Result,Student Name,Student navn
DocType: Brand,Item Manager,Sak manager
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,lønn Betales
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,lønn Betales
DocType: Buying Settings,Default Supplier Type,Standard Leverandør Type
DocType: Production Order,Total Operating Cost,Total driftskostnader
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Merk: Element {0} inngått flere ganger
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Alle kontakter.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Firma Forkortelse
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Firma Forkortelse
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Bruker {0} finnes ikke
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,Råstoff kan ikke være det samme som hoved Element
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Råstoff kan ikke være det samme som hoved Element
DocType: Item Attribute Value,Abbreviation,Forkortelse
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Betaling Entry finnes allerede
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Ikke authroized siden {0} overskrider grensene
@@ -3655,35 +3681,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Still skatteregel for shopping cart
DocType: Purchase Invoice,Taxes and Charges Added,Skatter og avgifter legges
,Sales Funnel,Sales trakt
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Forkortelsen er obligatorisk
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Forkortelsen er obligatorisk
DocType: Project,Task Progress,Task Progress
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Kurven
,Qty to Transfer,Antall overføre
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Sitater for å Leads eller kunder.
DocType: Stock Settings,Role Allowed to edit frozen stock,Rolle tillatt å redigere frossen lager
,Territory Target Variance Item Group-Wise,Territorium Target Avviks varegruppe-Wise
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Alle kundegrupper
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Alle kundegrupper
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,akkumulert pr måned
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} er obligatorisk. Kanskje Valutaveksling posten ikke er skapt for {1} til {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} er obligatorisk. Kanskje Valutaveksling posten ikke er skapt for {1} til {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Skatt Mal er obligatorisk.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Konto {0}: Parent konto {1} finnes ikke
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Konto {0}: Parent konto {1} finnes ikke
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Prisliste Rate (Selskap Valuta)
DocType: Products Settings,Products Settings,Produkter Innstillinger
DocType: Account,Temporary,Midlertidig
DocType: Program,Courses,kurs
DocType: Monthly Distribution Percentage,Percentage Allocation,Prosentvis Allocation
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Sekretær
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekretær
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Hvis deaktivere, 'I Ord-feltet ikke vil være synlig i enhver transaksjon"
DocType: Serial No,Distinct unit of an Item,Distinkt enhet av et element
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Vennligst sett selskap
DocType: Pricing Rule,Buying,Kjøpe
DocType: HR Settings,Employee Records to be created by,Medarbeider Records å være skapt av
DocType: POS Profile,Apply Discount On,Påfør rabatt på
,Reqd By Date,Reqd etter dato
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Kreditorer
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Kreditorer
DocType: Assessment Plan,Assessment Name,Assessment Name
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Row # {0}: Serial No er obligatorisk
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Sak Wise Skatt Detalj
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Institute forkortelse
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Institute forkortelse
,Item-wise Price List Rate,Element-messig Prisliste Ranger
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Leverandør sitat
DocType: Quotation,In Words will be visible once you save the Quotation.,I Ord vil være synlig når du lagrer Tilbud.
@@ -3691,14 +3718,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Antall ({0}) kan ikke være en brøkdel i rad {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,samle gebyrer
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Barcode {0} allerede brukt i Element {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barcode {0} allerede brukt i Element {1}
DocType: Lead,Add to calendar on this date,Legg til i kalender på denne datoen
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Regler for å legge til fraktkostnader.
DocType: Item,Opening Stock,åpning Stock
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Kunden må
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} er obligatorisk for Return
DocType: Purchase Order,To Receive,Å Motta
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Personlig e-post
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Total Variance
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Hvis aktivert, vil systemet starte regnskapspostene for inventar automatisk."
@@ -3709,13 +3735,14 @@
DocType: Customer,From Lead,Fra Lead
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Bestillinger frigitt for produksjon.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Velg regnskapsår ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS Profile nødvendig å foreta POS Entry
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS Profile nødvendig å foreta POS Entry
DocType: Program Enrollment Tool,Enroll Students,Meld Studenter
DocType: Hub Settings,Name Token,Navn Token
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard Selling
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Minst én lageret er obligatorisk
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Minst én lageret er obligatorisk
DocType: Serial No,Out of Warranty,Ut av Garanti
DocType: BOM Replace Tool,Replace,Erstatt
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Ingen produkter funnet.
DocType: Production Order,Unstopped,lukkes
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} mot Sales Faktura {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3726,13 +3753,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Stock Verdi Difference
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Menneskelig Resurs
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Betaling Avstemming Betaling
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Skattefordel
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Skattefordel
DocType: BOM Item,BOM No,BOM Nei
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Journal Entry {0} ikke har konto {1} eller allerede matchet mot andre verdikupong
DocType: Item,Moving Average,Glidende gjennomsnitt
DocType: BOM Replace Tool,The BOM which will be replaced,BOM som vil bli erstattet
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,elektronisk utstyr
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,elektronisk utstyr
DocType: Account,Debit,Debet
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Bladene skal avsettes i multipler av 0,5"
DocType: Production Order,Operation Cost,Operation Cost
@@ -3740,7 +3767,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Enestående Amt
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Sette mål varegruppe-messig for Sales Person.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Aksjer Eldre enn [dager]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Asset er obligatorisk for anleggsmiddel kjøp / salg
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Asset er obligatorisk for anleggsmiddel kjøp / salg
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Hvis to eller flere Prising Reglene er funnet basert på de ovennevnte forhold, er Priority brukt. Prioritet er et tall mellom 0 og 20, mens standardverdi er null (blank). Høyere tall betyr at det vil ha forrang dersom det er flere Prising regler med samme betingelser."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Fiscal Year: {0} ikke eksisterer
DocType: Currency Exchange,To Currency,Å Valuta
@@ -3748,7 +3775,7 @@
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Typer av Expense krav.
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Selgingsfrekvensen for elementet {0} er lavere enn dens {1}. Salgsprisen bør være minst {2}
DocType: Item,Taxes,Skatter
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Betalt og ikke levert
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Betalt og ikke levert
DocType: Project,Default Cost Center,Standard kostnadssted
DocType: Bank Guarantee,End Date,Sluttdato
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,aksje~~POS=TRUNC
@@ -3773,24 +3800,22 @@
DocType: Employee,Held On,Avholdt
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Produksjon Element
,Employee Information,Informasjon ansatt
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Rate (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Rate (%)
DocType: Stock Entry Detail,Additional Cost,Tilleggs Cost
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Regnskapsårets slutt Dato
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Kan ikke filtrere basert på Voucher Nei, hvis gruppert etter Voucher"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Gjør Leverandør sitat
DocType: Quality Inspection,Incoming,Innkommende
DocType: BOM,Materials Required (Exploded),Materialer som er nødvendige (Exploded)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Legge til brukere i organisasjonen, annet enn deg selv"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Publiseringsdato kan ikke være fremtidig dato
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} samsvarer ikke med {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Casual La
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Casual La
DocType: Batch,Batch ID,Batch ID
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Merk: {0}
,Delivery Note Trends,Levering Note Trender
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Denne ukens oppsummering
-,In Stock Qty,På lager Antall
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,På lager Antall
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Konto: {0} kan bare oppdateres via lagertransaksjoner
-DocType: Program Enrollment,Get Courses,Få Kurs
+DocType: Student Group Creation Tool,Get Courses,Få Kurs
DocType: GL Entry,Party,Selskap
DocType: Sales Order,Delivery Date,Leveringsdato
DocType: Opportunity,Opportunity Date,Opportunity Dato
@@ -3798,14 +3823,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Forespørsel om prisanslag Element
DocType: Purchase Order,To Bill,Til Bill
DocType: Material Request,% Ordered,% Bestilt
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",For kursbasert studentgruppe vil kurset bli validert for hver student fra de innmeldte kursene i programopptaket.
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Skriv inn e-postadresse atskilt med komma, vil fakturaen bli sendt automatisk på bestemt dato"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Akkord
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Akkord
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Avg. Kjøpe Rate
DocType: Task,Actual Time (in Hours),Virkelig tid (i timer)
DocType: Employee,History In Company,Historie I selskapet
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Nyhetsbrev
DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Entry
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kunde> Kundegruppe> Territorium
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Samme element er angitt flere ganger
DocType: Department,Leave Block List,La Block List
DocType: Sales Invoice,Tax ID,Skatt ID
@@ -3820,30 +3845,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} enheter av {1} trengs i {2} for å fullføre denne transaksjonen.
DocType: Loan Type,Rate of Interest (%) Yearly,Rente (%) Årlig
DocType: SMS Settings,SMS Settings,SMS-innstillinger
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Midlertidige kontoer
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Svart
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Midlertidige kontoer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Svart
DocType: BOM Explosion Item,BOM Explosion Item,BOM Explosion Element
DocType: Account,Auditor,Revisor
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} elementer produsert
DocType: Cheque Print Template,Distance from top edge,Avstand fra øvre kant
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Prisliste {0} er deaktivert eller eksisterer ikke
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Prisliste {0} er deaktivert eller eksisterer ikke
DocType: Purchase Invoice,Return,Return
DocType: Production Order Operation,Production Order Operation,Produksjon Bestill Operation
DocType: Pricing Rule,Disable,Deaktiver
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Modus for betaling er nødvendig å foreta en betaling
DocType: Project Task,Pending Review,Avventer omtale
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} er ikke påmeldt i batch {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} kan ikke bli vraket, som det er allerede {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Total Expense krav (via Expense krav)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Kunde-ID
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Fraværende
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rad {0}: valuta BOM # {1} bør være lik den valgte valutaen {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rad {0}: valuta BOM # {1} bør være lik den valgte valutaen {2}
DocType: Journal Entry Account,Exchange Rate,Vekslingskurs
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Salgsordre {0} er ikke innsendt
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Salgsordre {0} er ikke innsendt
DocType: Homepage,Tag Line,tag Linje
DocType: Fee Component,Fee Component,Fee Component
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Flåtestyring
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Legg elementer fra
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Warehouse {0}: Parent konto {1} ikke BOLONG til selskapet {2}
DocType: Cheque Print Template,Regular,Regelmessig
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Totalt weightage av alle vurderingskriteriene må være 100%
DocType: BOM,Last Purchase Rate,Siste Purchase Rate
@@ -3852,11 +3876,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Stock kan ikke eksistere for Element {0} siden har varianter
,Sales Person-wise Transaction Summary,Transaksjons Oppsummering Sales Person-messig
DocType: Training Event,Contact Number,Kontakt nummer
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Warehouse {0} finnes ikke
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Warehouse {0} finnes ikke
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Registrer For ERPNext Hub
DocType: Monthly Distribution,Monthly Distribution Percentages,Månedlig Distribusjonsprosent
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Den valgte elementet kan ikke ha Batch
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Verdsettelse hastighet ikke funnet med Element {0}, som er nødvendig for å gjøre regnskap oppføringer for {1} {2}. Hvis elementet er transacting som en prøve element i {1}, kan nevnes at i {1} Element tabell. Ellers må du opprette en innkommende lager transaksjon for varen eller omtale verdivurdering hastighet i element posten, og deretter prøve submiting / avbryter denne oppføringen"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Verdsettelse hastighet ikke funnet med Element {0}, som er nødvendig for å gjøre regnskap oppføringer for {1} {2}. Hvis elementet er transacting som en prøve element i {1}, kan nevnes at i {1} Element tabell. Ellers må du opprette en innkommende lager transaksjon for varen eller omtale verdivurdering hastighet i element posten, og deretter prøve submiting / avbryter denne oppføringen"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% Av materialer leveres mot denne følgeseddel
DocType: Project,Customer Details,Kunde Detaljer
DocType: Employee,Reports to,Rapporter til
@@ -3864,41 +3888,43 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Skriv inn url parameter for mottaker nos
DocType: Payment Entry,Paid Amount,Innbetalt beløp
DocType: Assessment Plan,Supervisor,Supervisor
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,på nett
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,på nett
,Available Stock for Packing Items,Tilgjengelig på lager for pakk gjenstander
DocType: Item Variant,Item Variant,Sak Variant
DocType: Assessment Result Tool,Assessment Result Tool,Assessment Resultat Tool
DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Element
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Innsendte bestillinger kan ikke slettes
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo allerede i debet, har du ikke lov til å sette "Balance må være 'som' Credit '"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Kvalitetsstyring
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Innsendte bestillinger kan ikke slettes
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Saldo allerede i debet, har du ikke lov til å sette "Balance må være 'som' Credit '"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Kvalitetsstyring
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Element {0} har blitt deaktivert
DocType: Employee Loan,Repay Fixed Amount per Period,Smelle fast beløp per periode
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Skriv inn antall for Element {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Kreditt notat Amt
DocType: Employee External Work History,Employee External Work History,Ansatt Ekstern Work History
DocType: Tax Rule,Purchase,Kjøp
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Balanse Antall
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Balanse Antall
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Mål kan ikke være tomt
DocType: Item Group,Parent Item Group,Parent varegruppe
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} for {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Kostnadssteder
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Kostnadssteder
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Hastigheten som leverandørens valuta er konvertert til selskapets hovedvaluta
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: timings konflikter med rad {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Tillat null verdivurdering
DocType: Training Event Employee,Invited,invitert
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Flere aktive Lønn Structures funnet for arbeidstaker {0} for den gitte datoer
DocType: Opportunity,Next Contact,Neste Kontakt
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Oppsett Gateway kontoer.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Oppsett Gateway kontoer.
DocType: Employee,Employment Type,Type stilling
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Anleggsmidler
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Anleggsmidler
DocType: Payment Entry,Set Exchange Gain / Loss,Sett valutagevinst / tap
+,GST Purchase Register,GST Innkjøpsregister
,Cash Flow,Cash Flow
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Tegningsperioden kan ikke være over to alocation poster
DocType: Item Group,Default Expense Account,Standard kostnadskonto
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Student Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student Email ID
DocType: Employee,Notice (days),Varsel (dager)
DocType: Tax Rule,Sales Tax Template,Merverdiavgift Mal
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Velg elementer for å lagre fakturaen
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Velg elementer for å lagre fakturaen
DocType: Employee,Encashment Date,Encashment Dato
DocType: Training Event,Internet,Internett
DocType: Account,Stock Adjustment,Stock Adjustment
@@ -3926,7 +3952,7 @@
DocType: Guardian,Guardian Of ,Guardian Av
DocType: Grading Scale Interval,Threshold,Terskel
DocType: BOM Replace Tool,Current BOM,Nåværende BOM
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Legg Serial No
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Legg Serial No
apps/erpnext/erpnext/config/support.py +22,Warranty,Garanti
DocType: Purchase Invoice,Debit Note Issued,Debitnota Utstedt
DocType: Production Order,Warehouses,Næringslokaler
@@ -3935,20 +3961,20 @@
DocType: Workstation,per hour,per time
apps/erpnext/erpnext/config/buying.py +7,Purchasing,innkjøp
DocType: Announcement,Announcement,Kunngjøring
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Konto for lageret (Perpetual inventar) vil bli opprettet under denne kontoen.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Warehouse kan ikke slettes som finnes lager hovedbok oppføring for dette lageret.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","For Batch-baserte Studentgruppen, vil studentenes batch bli validert for hver student fra programopptaket."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Warehouse kan ikke slettes som finnes lager hovedbok oppføring for dette lageret.
DocType: Company,Distribution,Distribusjon
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Beløpet Betalt
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Prosjektleder
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Prosjektleder
,Quoted Item Comparison,Sitert Element Sammenligning
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Dispatch
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Maks rabatt tillatt for element: {0} er {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Dispatch
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Maks rabatt tillatt for element: {0} er {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Net Asset verdi som på
DocType: Account,Receivable,Fordring
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Ikke lov til å endre Leverandør som innkjøpsordre allerede eksisterer
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Ikke lov til å endre Leverandør som innkjøpsordre allerede eksisterer
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rollen som får lov til å sende transaksjoner som overstiger kredittgrenser fastsatt.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Velg delbetaling Produksjon
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master data synkronisering, kan det ta litt tid"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Velg delbetaling Produksjon
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master data synkronisering, kan det ta litt tid"
DocType: Item,Material Issue,Material Issue
DocType: Hub Settings,Seller Description,Selger Beskrivelse
DocType: Employee Education,Qualification,Kvalifisering
@@ -3968,7 +3994,6 @@
DocType: BOM,Rate Of Materials Based On,Valuta materialer basert på
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Støtte Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Fjern haken ved alle
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Selskapet er mangler i varehus {0}
DocType: POS Profile,Terms and Conditions,Vilkår og betingelser
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},To Date bør være innenfor regnskapsåret. Antar To Date = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Her kan du opprettholde høyde, vekt, allergier, medisinske bekymringer etc"
@@ -3983,18 +4008,17 @@
DocType: Sales Order Item,For Production,For Production
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Vis Task
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Din regnskapsår begynner på
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Asset Avskrivninger og Balanserer
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Mengden {0} {1} overført fra {2} til {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Mengden {0} {1} overført fra {2} til {3}
DocType: Sales Invoice,Get Advances Received,Få Fremskritt mottatt
DocType: Email Digest,Add/Remove Recipients,Legg til / fjern Mottakere
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Transaksjonen ikke lov mot stoppet Produksjonsordre {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Transaksjonen ikke lov mot stoppet Produksjonsordre {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","For å sette dette regnskapsåret som standard, klikk på "Angi som standard '"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,Bli med
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Bli med
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Mangel Antall
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Sak variant {0} finnes med samme attributtene
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Sak variant {0} finnes med samme attributtene
DocType: Employee Loan,Repay from Salary,Smelle fra Lønn
DocType: Leave Application,LAP/,RUNDE/
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Ber om betaling mot {0} {1} for mengden {2}
@@ -4005,34 +4029,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Generere pakksedler for pakker som skal leveres. Brukes til å varsle pakke nummer, innholdet i pakken og vekten."
DocType: Sales Invoice Item,Sales Order Item,Salgsordre Element
DocType: Salary Slip,Payment Days,Betalings Days
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Næringslokaler med barn noder kan ikke konverteres til Ledger
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Næringslokaler med barn noder kan ikke konverteres til Ledger
DocType: BOM,Manage cost of operations,Administrer driftskostnader
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Når noen av de merkede transaksjonene "Skrevet", en e-pop-up automatisk åpnet for å sende en e-post til den tilhørende "Kontakt" i at transaksjonen med transaksjonen som et vedlegg. Brukeren kan eller ikke kan sende e-posten."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Globale innstillinger
DocType: Assessment Result Detail,Assessment Result Detail,Assessment Resultat Detalj
DocType: Employee Education,Employee Education,Ansatt Utdanning
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Duplicate varegruppe funnet i varegruppen bordet
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,Det er nødvendig å hente Element detaljer.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,Det er nødvendig å hente Element detaljer.
DocType: Salary Slip,Net Pay,Netto Lønn
DocType: Account,Account,Konto
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Serial No {0} er allerede mottatt
,Requested Items To Be Transferred,Etterspør elementene som skal overføres
DocType: Expense Claim,Vehicle Log,Vehicle Log
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Warehouse {0} er ikke knyttet til noen konto, kan du opprette / knytte tilsvarende (Asset) står for lageret."
DocType: Purchase Invoice,Recurring Id,Gjentakende Id
DocType: Customer,Sales Team Details,Salgsteam Detaljer
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Slett permanent?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Slett permanent?
DocType: Expense Claim,Total Claimed Amount,Total Hevdet Beløp
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potensielle muligheter for å selge.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Ugyldig {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Sykefravær
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Ugyldig {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Sykefravær
DocType: Email Digest,Email Digest,E-post Digest
DocType: Delivery Note,Billing Address Name,Billing Address Navn
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Varehus
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Oppsettet ditt School i ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Base Endre Beløp (Selskap Valuta)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Ingen regnskapspostene for følgende varehus
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Ingen regnskapspostene for følgende varehus
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Lagre dokumentet først.
DocType: Account,Chargeable,Avgift
DocType: Company,Change Abbreviation,Endre Forkortelse
@@ -4050,7 +4073,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Forventet Leveringsdato kan ikke være før Purchase Order Date
DocType: Appraisal,Appraisal Template,Appraisal Mal
DocType: Item Group,Item Classification,Sak Klassifisering
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Business Development Manager
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Vedlikehold Besøk Formål
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Periode
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,General Ledger
@@ -4060,8 +4083,8 @@
DocType: Item Attribute Value,Attribute Value,Attributtverdi
,Itemwise Recommended Reorder Level,Itemwise Anbefalt Omgjøre nivå
DocType: Salary Detail,Salary Detail,lønn Detalj
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,Vennligst velg {0} først
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Batch {0} av Element {1} er utløpt.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Vennligst velg {0} først
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Batch {0} av Element {1} er utløpt.
DocType: Sales Invoice,Commission,Kommisjon
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Timeregistrering for produksjon.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,delsum
@@ -4072,6 +4095,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`Freeze Aksjer Eldre Than` bør være mindre enn% d dager.
DocType: Tax Rule,Purchase Tax Template,Kjøpe Tax Mal
,Project wise Stock Tracking,Prosjektet klok Stock Tracking
+DocType: GST HSN Code,Regional,Regional
DocType: Stock Entry Detail,Actual Qty (at source/target),Faktiske antall (ved kilden / target)
DocType: Item Customer Detail,Ref Code,Ref Kode
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Medarbeider poster.
@@ -4082,13 +4106,13 @@
DocType: Email Digest,New Purchase Orders,Nye innkjøpsordrer
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Root kan ikke ha en forelder kostnadssted
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Velg merke ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Treningsarrangementer / resultater
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Akkumulerte avskrivninger som på
DocType: Sales Invoice,C-Form Applicable,C-Form Gjelder
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Operation Tid må være større enn 0 for operasjon {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Warehouse er obligatorisk
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Warehouse er obligatorisk
DocType: Supplier,Address and Contacts,Adresse og Kontakt
DocType: UOM Conversion Detail,UOM Conversion Detail,Målenheter Conversion Detalj
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Hold det web vennlig 900px (w) ved 100px (h)
DocType: Program,Program Abbreviation,program forkortelse
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Produksjonsordre kan ikke heves mot et elementmal
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Kostnader er oppdatert i Purchase Mottak mot hvert element
@@ -4096,13 +4120,13 @@
DocType: Bank Guarantee,Start Date,Startdato
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Bevilge blader for en periode.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Sjekker og Innskudd feil ryddet
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Konto {0}: Du kan ikke tildele seg selv som forelder konto
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Konto {0}: Du kan ikke tildele seg selv som forelder konto
DocType: Purchase Invoice Item,Price List Rate,Prisliste Rate
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Opprett kunde sitater
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Vis "på lager" eller "Not in Stock" basert på lager tilgjengelig i dette lageret.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Bill of Materials (BOM)
DocType: Item,Average time taken by the supplier to deliver,Gjennomsnittlig tid tatt av leverandøren til å levere
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,Assessment Resultat
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,Assessment Resultat
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Timer
DocType: Project,Expected Start Date,Tiltredelse
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Fjern artikkel om avgifter er ikke aktuelt til dette elementet
@@ -4116,24 +4140,23 @@
DocType: Workstation,Operating Costs,Driftskostnader
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Tiltak hvis Snø Månedlig budsjett Skredet
DocType: Purchase Invoice,Submit on creation,Send inn på skapelse
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Valuta for {0} må være {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Valuta for {0} må være {1}
DocType: Asset,Disposal Date,Deponering Dato
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-post vil bli sendt til alle aktive ansatte i selskapet ved den gitte timen, hvis de ikke har ferie. Oppsummering av svarene vil bli sendt ved midnatt."
DocType: Employee Leave Approver,Employee Leave Approver,Ansatt La Godkjenner
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Rad {0}: En Omgjøre oppføring finnes allerede for dette lageret {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Rad {0}: En Omgjøre oppføring finnes allerede for dette lageret {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Kan ikke erklære som tapt, fordi tilbudet er gjort."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,trening Tilbakemelding
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Produksjonsordre {0} må sendes
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Produksjonsordre {0} må sendes
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Vennligst velg startdato og sluttdato for Element {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Kurset er obligatorisk i rad {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Til dags dato kan ikke være før fra dato
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Legg til / Rediger priser
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Legg til / Rediger priser
DocType: Batch,Parent Batch,Parent Batch
DocType: Cheque Print Template,Cheque Print Template,Sjekk ut Mal
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Plan Kostnadssteder
,Requested Items To Be Ordered,Etterspør Elementer bestilles
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,Warehouse selskapet skal være samme som konto selskap
DocType: Price List,Price List Name,Prisliste Name
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Daglig arbeid Summary for {0}
DocType: Employee Loan,Totals,Totals
@@ -4155,55 +4178,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Skriv inn et gyldig mobil nos
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Skriv inn meldingen før du sender
DocType: Email Digest,Pending Quotations,Avventer Sitater
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Point-of-Sale Profile
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale Profile
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Oppdater SMS-innstillinger
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Usikret lån
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Usikret lån
DocType: Cost Center,Cost Center Name,Kostnadssteds Name
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Max arbeidstid mot Timeregistrering
DocType: Maintenance Schedule Detail,Scheduled Date,Planlagt dato
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Sum innskutt Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Sum innskutt Amt
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Meldinger som er større enn 160 tegn vil bli delt inn i flere meldinger
DocType: Purchase Receipt Item,Received and Accepted,Mottatt og akseptert
+,GST Itemised Sales Register,GST Artized Sales Register
,Serial No Service Contract Expiry,Serial No Service kontraktsutløp
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Du kan ikke kreditt- og debet samme konto samtidig
DocType: Naming Series,Help HTML,Hjelp HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Student Gruppe Creation Tool
DocType: Item,Variant Based On,Variant basert på
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Total weightage tilordnet skal være 100%. Det er {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Dine Leverandører
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Dine Leverandører
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Kan ikke settes som tapt som Salgsordre er gjort.
DocType: Request for Quotation Item,Supplier Part No,Leverandør varenummer
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Kan ikke trekke når kategorien er for verdsetting 'eller' Vaulation og Total '
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Mottatt fra
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Mottatt fra
DocType: Lead,Converted,Omregnet
DocType: Item,Has Serial No,Har Serial No
DocType: Employee,Date of Issue,Utstedelsesdato
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Fra {0} for {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","I henhold til kjøpsinnstillingene hvis kjøp tilbakekjøpt er nødvendig == 'JA' og deretter for å opprette kjøpfaktura, må brukeren opprette kjøpsmottak først for element {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Row # {0}: Sett Leverandør for elementet {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Rad {0}: Timer verdien må være større enn null.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Website Bilde {0} festet til Element {1} kan ikke finnes
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Website Bilde {0} festet til Element {1} kan ikke finnes
DocType: Issue,Content Type,Innholdstype
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Datamaskin
DocType: Item,List this Item in multiple groups on the website.,Liste denne vare i flere grupper på nettstedet.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Vennligst sjekk Multi Valuta alternativet for å tillate kontoer med andre valuta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Sak: {0} finnes ikke i systemet
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Du er ikke autorisert til å sette Frozen verdi
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Sak: {0} finnes ikke i systemet
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Du er ikke autorisert til å sette Frozen verdi
DocType: Payment Reconciliation,Get Unreconciled Entries,Få avstemte Entries
DocType: Payment Reconciliation,From Invoice Date,Fra Fakturadato
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,Fakturering valuta må være lik enten standard comapany valuta eller fremmed regning av valuta
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,La Encashment
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Hva gjør det?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,Fakturering valuta må være lik enten standard comapany valuta eller fremmed regning av valuta
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,La Encashment
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Hva gjør det?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Til Warehouse
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Alle Student Opptak
,Average Commission Rate,Gjennomsnittlig kommisjon
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,«Har Serial No 'kan ikke være' Ja 'for ikke-lagervare
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,«Har Serial No 'kan ikke være' Ja 'for ikke-lagervare
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Oppmøte kan ikke merkes for fremtidige datoer
DocType: Pricing Rule,Pricing Rule Help,Prising Rule Hjelp
DocType: School House,House Name,Husnavn
DocType: Purchase Taxes and Charges,Account Head,Account Leder
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Oppdater ekstra kostnader for å beregne inntakskost annonser
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Elektrisk
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Elektrisk
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Tilsett resten av organisasjonen som brukerne. Du kan også legge invitere kunder til portalen ved å legge dem fra Kontakter
DocType: Stock Entry,Total Value Difference (Out - In),Total verdi Difference (ut -)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Rad {0}: Exchange Rate er obligatorisk
@@ -4213,7 +4238,7 @@
DocType: Item,Customer Code,Kunden Kode
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Bursdag Påminnelse for {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dager siden siste Bestill
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Uttak fra kontoen må være en balansekonto
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Uttak fra kontoen må være en balansekonto
DocType: Buying Settings,Naming Series,Navngi Series
DocType: Leave Block List,Leave Block List Name,La Block List Name
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Forsikring Startdatoen må være mindre enn Forsikring Sluttdato
@@ -4228,27 +4253,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Lønn Slip av ansattes {0} allerede opprettet for timeregistrering {1}
DocType: Vehicle Log,Odometer,Kilometerteller
DocType: Sales Order Item,Ordered Qty,Bestilte Antall
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Element {0} er deaktivert
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Element {0} er deaktivert
DocType: Stock Settings,Stock Frozen Upto,Stock Frozen Opp
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM inneholder ikke lagervare
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM inneholder ikke lagervare
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Periode Fra og perioden Til dato obligatoriske for gjentakende {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Prosjektet aktivitet / oppgave.
DocType: Vehicle Log,Refuelling Details,Fylle drivstoff Detaljer
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Generere lønnsslipper
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Kjøper må sjekkes, hvis dette gjelder for er valgt som {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Kjøper må sjekkes, hvis dette gjelder for er valgt som {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Rabatt må være mindre enn 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Siste kjøp sats ikke funnet
DocType: Purchase Invoice,Write Off Amount (Company Currency),Skriv Off Beløp (Selskap Valuta)
DocType: Sales Invoice Timesheet,Billing Hours,fakturerings~~POS=TRUNC Timer
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,Standard BOM for {0} ikke funnet
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Row # {0}: Vennligst sett omgjøring kvantitet
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Row # {0}: Vennligst sett omgjøring kvantitet
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Trykk på elementer for å legge dem til her
DocType: Fees,Program Enrollment,program Påmelding
DocType: Landed Cost Voucher,Landed Cost Voucher,Landed Cost Voucher
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Vennligst sett {0}
DocType: Purchase Invoice,Repeat on Day of Month,Gjenta på dag i måneden
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} er inaktiv student
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} er inaktiv student
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} er inaktiv student
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} er inaktiv student
DocType: Employee,Health Details,Helse Detaljer
DocType: Offer Letter,Offer Letter Terms,Tilby Letter Vilkår
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,For å opprette en betalingsforespørsel kreves referansedokument
@@ -4270,7 +4295,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Eksempel:. ABCD ##### Hvis serien er satt og serienummer er ikke nevnt i transaksjoner, og deretter automatisk serienummer vil bli opprettet basert på denne serien. Hvis du alltid vil eksplisitt nevne Serial Nos for dette elementet. la dette stå tomt."
DocType: Upload Attendance,Upload Attendance,Last opp Oppmøte
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM og Industri Antall kreves
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM og Industri Antall kreves
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Aldring Range 2
DocType: SG Creation Tool Course,Max Strength,Max Strength
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM erstattet
@@ -4280,8 +4305,8 @@
,Prospects Engaged But Not Converted,"Utsikter engasjert, men ikke konvertert"
DocType: Manufacturing Settings,Manufacturing Settings,Produksjons Innstillinger
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Sette opp e-post
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Mobile No
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Skriv inn standardvaluta i selskapet Master
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile No
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Skriv inn standardvaluta i selskapet Master
DocType: Stock Entry Detail,Stock Entry Detail,Stock Entry Detail
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Daglige påminnelser
DocType: Products Settings,Home Page is Products,Hjemme side er produkter
@@ -4290,7 +4315,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,New Account Name
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Råvare Leveres Cost
DocType: Selling Settings,Settings for Selling Module,Innstillinger for å selge Module
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Kundeservice
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Kundeservice
DocType: BOM,Thumbnail,Thumbnail
DocType: Item Customer Detail,Item Customer Detail,Sak Customer Detalj
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Tilbudet kandidat en jobb.
@@ -4299,7 +4324,7 @@
DocType: Pricing Rule,Percentage,Prosentdel
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Elementet {0} må være en lagervare
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Standard Work In Progress Warehouse
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Standardinnstillingene for regnskapsmessige transaksjoner.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Standardinnstillingene for regnskapsmessige transaksjoner.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Forventet Datoen kan ikke være før Material Request Dato
DocType: Purchase Invoice Item,Stock Qty,Varenummer
@@ -4312,10 +4337,10 @@
DocType: Sales Order,Printing Details,Utskrift Detaljer
DocType: Task,Closing Date,Avslutningsdato
DocType: Sales Order Item,Produced Quantity,Produsert Antall
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Ingeniør
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Ingeniør
DocType: Journal Entry,Total Amount Currency,Totalbeløp Valuta
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Søk Sub Assemblies
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Elementkode kreves ved Row Nei {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Elementkode kreves ved Row Nei {0}
DocType: Sales Partner,Partner Type,Partner Type
DocType: Purchase Taxes and Charges,Actual,Faktiske
DocType: Authorization Rule,Customerwise Discount,Customerwise Rabatt
@@ -4332,11 +4357,11 @@
DocType: Item Reorder,Re-Order Level,Re-Order nivå
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Skriv inn elementer og planlagt stk som du ønsker å heve produksjonsordrer eller laste råvarer for analyse.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Deltid
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Deltid
DocType: Employee,Applicable Holiday List,Gjelder Holiday List
DocType: Employee,Cheque,Cheque
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Serien Oppdatert
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Rapporter Type er obligatorisk
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Rapporter Type er obligatorisk
DocType: Item,Serial Number Series,Serienummer Series
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Warehouse er obligatorisk for lager Element {0} i rad {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Retail & Wholesale
@@ -4358,7 +4383,7 @@
DocType: BOM,Materials,Materialer
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Hvis ikke sjekket, vil listen må legges til hver avdeling hvor det må brukes."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Kilde og Target Warehouse kan ikke være det samme
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Konteringsdato og legger tid er obligatorisk
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Konteringsdato og legger tid er obligatorisk
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Skatt mal for å kjøpe transaksjoner.
,Item Prices,Varepriser
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,I Ord vil være synlig når du lagrer innkjøpsordre.
@@ -4368,22 +4393,23 @@
DocType: Purchase Invoice,Advance Payments,Forskudd
DocType: Purchase Taxes and Charges,On Net Total,On Net Total
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Verdi for Egenskap {0} må være innenfor området {1} til {2} i trinn på {3} for Element {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Target lager i rad {0} må være samme som produksjonsordre
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Target lager i rad {0} må være samme som produksjonsordre
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,Varslings E-postadresser som ikke er spesifisert for gjentakende% s
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,Valuta kan ikke endres etter at oppføringer ved hjelp av en annen valuta
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Valuta kan ikke endres etter at oppføringer ved hjelp av en annen valuta
DocType: Vehicle Service,Clutch Plate,clutch Plate
DocType: Company,Round Off Account,Rund av konto
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Administrative utgifter
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Administrative utgifter
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Consulting
DocType: Customer Group,Parent Customer Group,Parent Kundegruppe
DocType: Purchase Invoice,Contact Email,Kontakt Epost
DocType: Appraisal Goal,Score Earned,Resultat tjent
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Oppsigelsestid
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Oppsigelsestid
DocType: Asset Category,Asset Category Name,Asset Category Name
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Dette er en rot territorium og kan ikke redigeres.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,New Sales Person navn
DocType: Packing Slip,Gross Weight UOM,Bruttovekt målenheter
DocType: Delivery Note Item,Against Sales Invoice,Mot Salg Faktura
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Vennligst skriv inn serienumre for serialisert element
DocType: Bin,Reserved Qty for Production,Reservert Antall for produksjon
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,La være ukontrollert hvis du ikke vil vurdere batch mens du lager kursbaserte grupper.
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,La være ukontrollert hvis du ikke vil vurdere batch mens du lager kursbaserte grupper.
@@ -4392,25 +4418,25 @@
DocType: Landed Cost Item,Landed Cost Item,Landed Cost Element
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Vis nullverdier
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Antall element oppnådd etter produksjon / nedpakking fra gitte mengder råvarer
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Oppsett en enkel nettside for min organisasjon
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Oppsett en enkel nettside for min organisasjon
DocType: Payment Reconciliation,Receivable / Payable Account,Fordringer / gjeld konto
DocType: Delivery Note Item,Against Sales Order Item,Mot kundeordreposisjon
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},Vennligst oppgi data Verdi for attributtet {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},Vennligst oppgi data Verdi for attributtet {0}
DocType: Item,Default Warehouse,Standard Warehouse
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Budsjettet kan ikke overdras mot gruppekonto {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Skriv inn forelder kostnadssted
DocType: Delivery Note,Print Without Amount,Skriv ut Uten Beløp
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,avskrivninger Dato
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,Avgiftskategori kan ikke være "Verdsettelse" eller "Verdsettelse og Total" som alle elementene er ikke-lager
DocType: Issue,Support Team,Support Team
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Utløps (i dager)
DocType: Appraisal,Total Score (Out of 5),Total poengsum (av 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Parti
+DocType: Student Attendance Tool,Batch,Parti
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Balanse
DocType: Room,Seating Capacity,Antall seter
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Total Expense krav (via Utgifts Krav)
+DocType: GST Settings,GST Summary,GST Sammendrag
DocType: Assessment Result,Total Score,Total poengsum
DocType: Journal Entry,Debit Note,Debitnota
DocType: Stock Entry,As per Stock UOM,Pr Stock målenheter
@@ -4422,12 +4448,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Standardferdigvarelageret
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Sales Person
DocType: SMS Parameter,SMS Parameter,SMS Parameter
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Budsjett og kostnadssted
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Budsjett og kostnadssted
DocType: Vehicle Service,Half Yearly,Halvårlig
DocType: Lead,Blog Subscriber,Blogg Subscriber
DocType: Guardian,Alternate Number,Alternativ nummer
DocType: Assessment Plan Criteria,Maximum Score,maksimal score
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Lage regler for å begrense transaksjoner basert på verdier.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Grupperulle nr
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,La være tom hvis du lager studentgrupper hvert år
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,La være tom hvis du lager studentgrupper hvert år
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Hvis det er merket, Total nei. arbeidsdager vil omfatte helligdager, og dette vil redusere verdien av Lønn per dag"
@@ -4447,6 +4474,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Dette er basert på transaksjoner mot denne kunden. Se tidslinjen nedenfor for detaljer
DocType: Supplier,Credit Days Based On,Kreditt Days Based On
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Rad {0}: Avsatt beløp {1} må være mindre enn eller lik Betaling Entry mengden {2}
+,Course wise Assessment Report,Kursbasert vurderingsrapport
DocType: Tax Rule,Tax Rule,Skatt Rule
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Opprettholde samme hastighet Gjennom Salgssyklus
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planlegg tids logger utenfor arbeidsstasjon arbeidstid.
@@ -4455,7 +4483,7 @@
,Items To Be Requested,Elementer å bli forespurt
DocType: Purchase Order,Get Last Purchase Rate,Få siste kjøp Ranger
DocType: Company,Company Info,Selskap Info
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Velg eller legg til ny kunde
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Velg eller legg til ny kunde
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Kostnadssted er nødvendig å bestille en utgift krav
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Anvendelse av midler (aktiva)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Dette er basert på tilstedeværelse av denne Employee
@@ -4463,27 +4491,29 @@
DocType: Fiscal Year,Year Start Date,År Startdato
DocType: Attendance,Employee Name,Ansattes Navn
DocType: Sales Invoice,Rounded Total (Company Currency),Avrundet Total (Selskap Valuta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,Kan ikke covert til konsernet fordi Kontotype er valgt.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Kan ikke covert til konsernet fordi Kontotype er valgt.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} har blitt endret. Vennligst oppdater.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Stoppe brukere fra å gjøre La Applications på følgende dager.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,kjøpesummen
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Leverandør sitat {0} er opprettet
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Slutt År kan ikke være før start År
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Ytelser til ansatte
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Ytelser til ansatte
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Pakket mengde må være lik mengde for Element {0} i rad {1}
DocType: Production Order,Manufactured Qty,Produsert Antall
DocType: Purchase Receipt Item,Accepted Quantity,Akseptert Antall
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Vennligst angi en standard Holiday Liste for Employee {0} eller selskapet {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} ikke eksisterer
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} ikke eksisterer
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Velg batchnumre
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Regninger hevet til kundene.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Prosjekt Id
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Row Nei {0}: Beløpet kan ikke være større enn utestående beløpet mot Expense krav {1}. Avventer Beløp er {2}
DocType: Maintenance Schedule,Schedule,Tidsplan
DocType: Account,Parent Account,Parent konto
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Tilgjengelig
DocType: Quality Inspection Reading,Reading 3,Reading 3
,Hub,Hub
DocType: GL Entry,Voucher Type,Kupong Type
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Prisliste ikke funnet eller deaktivert
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Prisliste ikke funnet eller deaktivert
DocType: Employee Loan Application,Approved,Godkjent
DocType: Pricing Rule,Price,Pris
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Ansatt lettet på {0} må være angitt som "venstre"
@@ -4494,7 +4524,8 @@
DocType: Selling Settings,Campaign Naming By,Kampanje Naming Av
DocType: Employee,Current Address Is,Gjeldende adresse Er
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,modifisert
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Valgfritt. Setter selskapets standardvaluta, hvis ikke spesifisert."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Valgfritt. Setter selskapets standardvaluta, hvis ikke spesifisert."
+DocType: Sales Invoice,Customer GSTIN,Kunde GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Regnskap posteringer.
DocType: Delivery Note Item,Available Qty at From Warehouse,Tilgjengelig Antall på From Warehouse
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,Vennligst velg Employee Record først.
@@ -4502,7 +4533,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Rad {0}: Party / Account samsvarer ikke med {1} / {2} i {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Skriv inn Expense konto
DocType: Account,Stock,Lager
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Reference Document Type må være en av innkjøpsordre, faktura eller bilagsregistrering"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Reference Document Type må være en av innkjøpsordre, faktura eller bilagsregistrering"
DocType: Employee,Current Address,Nåværende Adresse
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Hvis elementet er en variant av et annet element da beskrivelse, image, priser, avgifter osv vil bli satt fra malen uten eksplisitt spesifisert"
DocType: Serial No,Purchase / Manufacture Details,Kjøp / Produksjon Detaljer
@@ -4515,8 +4546,8 @@
DocType: Pricing Rule,Min Qty,Min Antall
DocType: Asset Movement,Transaction Date,Transaksjonsdato
DocType: Production Plan Item,Planned Qty,Planlagt Antall
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Total Skatte
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,For Mengde (Produsert Stk) er obligatorisk
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Total Skatte
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,For Mengde (Produsert Stk) er obligatorisk
DocType: Stock Entry,Default Target Warehouse,Standard Target Warehouse
DocType: Purchase Invoice,Net Total (Company Currency),Net Total (Selskap Valuta)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,"Året Sluttdatoen kan ikke være tidligere enn året startdato. Korriger datoene, og prøv igjen."
@@ -4530,15 +4561,12 @@
DocType: Hub Settings,Hub Settings,Hub-innstillinger
DocType: Project,Gross Margin %,Bruttomargin%
DocType: BOM,With Operations,Med Operations
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Regnskapspostene har allerede blitt gjort i valuta {0} for selskap {1}. Vennligst velg en fordring eller betales konto med valuta {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Regnskapspostene har allerede blitt gjort i valuta {0} for selskap {1}. Vennligst velg en fordring eller betales konto med valuta {0}.
DocType: Asset,Is Existing Asset,Er Eksisterende Asset
DocType: Salary Detail,Statistical Component,Statistisk komponent
DocType: Salary Detail,Statistical Component,Statistisk komponent
-,Monthly Salary Register,Månedlig Lønn Register
DocType: Warranty Claim,If different than customer address,Hvis annerledes enn kunden adresse
DocType: BOM Operation,BOM Operation,BOM Operation
-DocType: School Settings,Validate the Student Group from Program Enrollment,Valider Studentgruppen fra Programopptak
-DocType: School Settings,Validate the Student Group from Program Enrollment,Valider Studentgruppen fra Programopptak
DocType: Purchase Taxes and Charges,On Previous Row Amount,På Forrige Row Beløp
DocType: Student,Home Address,Hjemmeadresse
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Transfer Asset
@@ -4546,28 +4574,27 @@
DocType: Training Event,Event Name,Aktivitetsnavn
apps/erpnext/erpnext/config/schools.py +39,Admission,Adgang
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Innleggelser for {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Sesong for å sette budsjetter, mål etc."
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Element {0} er en mal, kan du velge en av variantene"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Sesong for å sette budsjetter, mål etc."
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Element {0} er en mal, kan du velge en av variantene"
DocType: Asset,Asset Category,Asset Kategori
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Kjøper
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Nettolønn kan ikke være negativ
DocType: SMS Settings,Static Parameters,Statiske Parametere
DocType: Assessment Plan,Room,Rom
DocType: Purchase Order,Advance Paid,Advance Betalt
DocType: Item,Item Tax,Sak Skatte
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materiale til Leverandør
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Vesenet Faktura
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Vesenet Faktura
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% kommer mer enn én gang
DocType: Expense Claim,Employees Email Id,Ansatte Email Id
DocType: Employee Attendance Tool,Marked Attendance,merket Oppmøte
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Kortsiktig gjeld
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Kortsiktig gjeld
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Sende masse SMS til kontaktene dine
DocType: Program,Program Name,Programnavn
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Tenk Skatte eller Charge for
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Selve Antall er obligatorisk
DocType: Employee Loan,Loan Type,låne~~POS=TRUNC
DocType: Scheduling Tool,Scheduling Tool,planlegging Tool
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Kredittkort
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Kredittkort
DocType: BOM,Item to be manufactured or repacked,Elementet som skal produseres eller pakkes
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Standardinnstillingene for aksjetransaksjoner.
DocType: Purchase Invoice,Next Date,Neste dato
@@ -4583,10 +4610,10 @@
DocType: Stock Entry,Repack,Pakk
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Du må Lagre skjemaet før du fortsetter
DocType: Item Attribute,Numeric Values,Numeriske verdier
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Fest Logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Fest Logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,lagernivåer
DocType: Customer,Commission Rate,Kommisjon
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Gjør Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Gjør Variant
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Block permisjon applikasjoner ved avdelingen.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Betalingstype må være en av Motta, Lønn og Internal Transfer"
apps/erpnext/erpnext/config/selling.py +179,Analytics,Analytics
@@ -4594,45 +4621,45 @@
DocType: Vehicle,Model,Modell
DocType: Production Order,Actual Operating Cost,Faktiske driftskostnader
DocType: Payment Entry,Cheque/Reference No,Sjekk / referansenummer
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Root kan ikke redigeres.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root kan ikke redigeres.
DocType: Item,Units of Measure,Måleenheter
DocType: Manufacturing Settings,Allow Production on Holidays,Tillat Produksjonen på helligdager
DocType: Sales Order,Customer's Purchase Order Date,Kundens Purchase Order Date
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Kapitalbeholdningen
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Kapitalbeholdningen
DocType: Shopping Cart Settings,Show Public Attachments,Vis offentlige vedlegg
DocType: Packing Slip,Package Weight Details,Pakken vektdetaljer
DocType: Payment Gateway Account,Payment Gateway Account,Betaling Gateway konto
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Etter betaling ferdigstillelse omdirigere brukeren til valgt side.
DocType: Company,Existing Company,eksisterende selskapet
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Skattekategori har blitt endret til "Totalt" fordi alle elementene er ikke-varelager
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Vennligst velg en csv-fil
DocType: Student Leave Application,Mark as Present,Merk som Present
DocType: Purchase Order,To Receive and Bill,Å motta og Bill
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Utvalgte produkter
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Designer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Designer
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Betingelser Mal
DocType: Serial No,Delivery Details,Levering Detaljer
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Kostnadssted er nødvendig i rad {0} i skatter tabell for typen {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Kostnadssted er nødvendig i rad {0} i skatter tabell for typen {1}
DocType: Program,Program Code,programkode
DocType: Terms and Conditions,Terms and Conditions Help,Betingelser Hjelp
,Item-wise Purchase Register,Element-messig Purchase Register
DocType: Batch,Expiry Date,Utløpsdato
-,Supplier Addresses and Contacts,Leverandør Adresser og kontakter
,accounts-browser,kontoer-browser
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,Vennligst første velg kategori
apps/erpnext/erpnext/config/projects.py +13,Project master.,Prosjektet mester.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Å tillate overfakturering eller over-bestilling, oppdatere "Fradrag" på lager Innstillinger eller elementet."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Å tillate overfakturering eller over-bestilling, oppdatere "Fradrag" på lager Innstillinger eller elementet."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Ikke viser noen symbol som $ etc ved siden av valutaer.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Halv Dag)
DocType: Supplier,Credit Days,Kreditt Days
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Gjør Student Batch
DocType: Leave Type,Is Carry Forward,Er fremføring
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Få Elementer fra BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Få Elementer fra BOM
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Ledetid Days
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: konteringsdato må være det samme som kjøpsdato {1} av eiendelen {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: konteringsdato må være det samme som kjøpsdato {1} av eiendelen {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Fyll inn salgsordrer i tabellen ovenfor
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Ikke Sendt inn lønnsslipper
,Stock Summary,Stock oppsummering
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Overfør en eiendel fra en lagerbygning til en annen
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Overfør en eiendel fra en lagerbygning til en annen
DocType: Vehicle,Petrol,Bensin
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Bill of Materials
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Rad {0}: Party Type og Party er nødvendig for fordringer / gjeld kontoen {1}
@@ -4643,6 +4670,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Sanksjonert Beløp
DocType: GL Entry,Is Opening,Er Åpnings
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Rad {0}: Debet oppføring kan ikke være knyttet til en {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Konto {0} finnes ikke
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Konto {0} finnes ikke
DocType: Account,Cash,Kontanter
DocType: Employee,Short biography for website and other publications.,Kort biografi for hjemmeside og andre publikasjoner.
diff --git a/erpnext/translations/pl.csv b/erpnext/translations/pl.csv
index e84a338..c5e6eb7 100644
--- a/erpnext/translations/pl.csv
+++ b/erpnext/translations/pl.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Produkty konsumenckie
DocType: Item,Customer Items,Pozycje klientów
DocType: Project,Costing and Billing,Kalkulacja kosztów i fakturowanie
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Konto {0}: Nadrzędne konto {1} nie może być zwykłym
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Konto {0}: Nadrzędne konto {1} nie może być zwykłym
DocType: Item,Publish Item to hub.erpnext.com,Publikacja na hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,Powiadomienia na e-mail
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Ocena
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,Ocena
DocType: Item,Default Unit of Measure,Domyślna jednostka miary
DocType: SMS Center,All Sales Partner Contact,Wszystkie dane kontaktowe Partnera Sprzedaży
DocType: Employee,Leave Approvers,Osoby Zatwierdzające Urlop
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),"Kurs wymiany muszą być takie same, jak {0} {1} ({2})"
DocType: Sales Invoice,Customer Name,Nazwa klienta
DocType: Vehicle,Natural Gas,Gazu ziemnego
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Rachunku bankowego nie może być uznany za {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Rachunku bankowego nie może być uznany za {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Heads (lub grupy), przeciwko którym zapisy księgowe są i sald są utrzymywane."
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Zaległość za {0} nie może być mniejsza niż ({1})
DocType: Manufacturing Settings,Default 10 mins,Domyślnie 10 minut
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Dane wszystkich dostawców
DocType: Support Settings,Support Settings,Ustawienia wsparcia
DocType: SMS Parameter,Parameter,Parametr
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Spodziewana data końcowa nie może być mniejsza od spodziewanej daty startowej
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Spodziewana data końcowa nie może być mniejsza od spodziewanej daty startowej
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"Wiersz # {0}: Cena musi być taki sam, jak {1}: {2} ({3} / {4})"
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Druk Nowego Zwolnienia
,Batch Item Expiry Status,Batch Przedmiot status ważności
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Przekaz bankowy
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Przekaz bankowy
DocType: Mode of Payment Account,Mode of Payment Account,Konto księgowe dla tego rodzaju płatności
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Pokaż Warianty
DocType: Academic Term,Academic Term,semestr
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Materiał
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Ilość
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Konta tabeli nie może być puste.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Kredyty (zobowiązania)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Kredyty (zobowiązania)
DocType: Employee Education,Year of Passing,Mijający rok
DocType: Item,Country of Origin,Kraj pochodzenia
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,W magazynie
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,W magazynie
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Otwarte kwestie
DocType: Production Plan Item,Production Plan Item,Przedmiot planu produkcji
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Użytkownik {0} jest już przyporządkowany do Pracownika {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Opieka zdrowotna
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Opóźnienie w płatności (dni)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Koszty usługi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Numer seryjny: {0} znajduje się już w fakturze sprzedaży: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Numer seryjny: {0} znajduje się już w fakturze sprzedaży: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Faktura
DocType: Maintenance Schedule Item,Periodicity,Okresowość
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Rok fiskalny {0} jest wymagane
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Wiersz # {0}:
DocType: Timesheet,Total Costing Amount,Łączna kwota Costing
DocType: Delivery Note,Vehicle No,Nr pojazdu
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,Wybierz Cennik
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Wybierz Cennik
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Wiersz # {0}: dokument płatności jest wymagane do ukończenia trasaction
DocType: Production Order Operation,Work In Progress,Produkty w toku
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Proszę wybrać datę
DocType: Employee,Holiday List,Lista świąt
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Księgowy
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Księgowy
DocType: Cost Center,Stock User,Użytkownik magazynu
DocType: Company,Phone No,Nr telefonu
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,tworzone harmonogramy zajęć:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Nowy {0}: # {1}
,Sales Partners Commission,Prowizja Partnera Sprzedaży
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Skrót nie może posiadać więcej niż 5 znaków
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Skrót nie może posiadać więcej niż 5 znaków
DocType: Payment Request,Payment Request,Żądanie zapłaty
DocType: Asset,Value After Depreciation,Wartość po amortyzacji
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,data frekwencja nie może być mniejsza niż data łączącej pracownika
DocType: Grading Scale,Grading Scale Name,Skala ocen Nazwa
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,To jest konto root i nie może być edytowane.
+DocType: Sales Invoice,Company Address,adres spółki
DocType: BOM,Operations,Działania
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Nie można ustawić autoryzacji na podstawie Zniżki dla {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Dołączyć plik .csv z dwoma kolumnami, po jednym dla starej nazwy i jeden dla nowej nazwy"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} nie w każdej aktywnej roku obrotowego.
DocType: Packed Item,Parent Detail docname,Nazwa dokumentu ze szczegółami nadrzędnego rodzica
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Odniesienie: {0}, Kod pozycji: {1} i klient: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,kg
DocType: Student Log,Log,Log
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Ogłoszenie o pracę
DocType: Item Attribute,Increment,Przyrost
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Reklamowanie
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Ta sama Spółka wpisana jest więcej niż jeden raz
DocType: Employee,Married,Żonaty / Zamężna
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Nie dopuszczony do {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Nie dopuszczony do {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Pobierz zawartość z
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produkt {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Brak elementów na liście
DocType: Payment Reconciliation,Reconcile,Wyrównywać
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Następny Amortyzacja Data nie może być wcześniejsza Data zakupu
DocType: SMS Center,All Sales Person,Wszyscy Sprzedawcy
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Miesięczny Dystrybucja ** pomaga rozprowadzić Budget / target całej miesięcy, jeśli masz sezonowości w firmie."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Nie znaleziono przedmiotów
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Nie znaleziono przedmiotów
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Struktura Wynagrodzenie Brakujący
DocType: Lead,Person Name,Imię i nazwisko osoby
DocType: Sales Invoice Item,Sales Invoice Item,Przedmiot Faktury Sprzedaży
DocType: Account,Credit,
DocType: POS Profile,Write Off Cost Center,Centrum Kosztów Odpisu
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",np "Szkoła Podstawowa" lub "Uniwersytet"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",np "Szkoła Podstawowa" lub "Uniwersytet"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Raporty seryjne
DocType: Warehouse,Warehouse Detail,Szczegóły magazynu
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Limit kredytowy został przekroczony dla klienta {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Limit kredytowy został przekroczony dla klienta {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Termin Data zakończenia nie może być późniejsza niż data zakończenia roku na rok akademicki, którego termin jest związany (Academic Year {}). Popraw daty i spróbuj ponownie."
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Jest Środkiem Trwałym"" nie może być odznaczone, jeśli istnieją pozycje z takim ustawieniem"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Jest Środkiem Trwałym"" nie może być odznaczone, jeśli istnieją pozycje z takim ustawieniem"
DocType: Vehicle Service,Brake Oil,Olej hamulcowy
DocType: Tax Rule,Tax Type,Rodzaj podatku
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Nie masz uprawnień aby zmieniać lub dodawać elementy przed {0}
DocType: BOM,Item Image (if not slideshow),Element Obrazek (jeśli nie slideshow)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Istnieje Klient o tej samej nazwie
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Godzina Kursy / 60) * Rzeczywista Czas pracy
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Wybierz BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Wybierz BOM
DocType: SMS Log,SMS Log,Dziennik zdarzeń SMS
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Koszt dostarczonych przedmiotów
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Święto w dniu {0} nie jest pomiędzy Od Data i do tej pory
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Od {0} do {1}
DocType: Item,Copy From Item Group,Skopiuj z Grupy Przedmiotów
DocType: Journal Entry,Opening Entry,Wpis początkowy
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klient> Grupa klienta> Terytorium
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Konto płaci tylko
DocType: Employee Loan,Repay Over Number of Periods,Spłaty przez liczbę okresów
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} nie jest zapisany w danym {2}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} nie jest zapisany w danym {2}
DocType: Stock Entry,Additional Costs,Dodatkowe koszty
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Konto z istniejącymi zapisami nie może być konwertowane na Grupę (konto dzielone).
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Konto z istniejącymi zapisami nie może być konwertowane na Grupę (konto dzielone).
DocType: Lead,Product Enquiry,Zapytanie o produkt
DocType: Academic Term,Schools,Szkoły
+DocType: School Settings,Validate Batch for Students in Student Group,Sprawdź partię dla studentów w grupie studentów
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Nie znaleziono rekordu urlopu pracownika {0} dla {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Proszę najpierw wpisać Firmę
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Najpierw wybierz firmę
@@ -175,50 +176,50 @@
DocType: BOM,Total Cost,Koszt całkowity
DocType: Journal Entry Account,Employee Loan,pracownik Kredyt
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Dziennik aktywności:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,Element {0} nie istnieje w systemie lub wygasł
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Element {0} nie istnieje w systemie lub wygasł
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Nieruchomości
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Wyciąg z rachunku
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Farmaceutyczne
DocType: Purchase Invoice Item,Is Fixed Asset,Czy trwałego
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Ilość dostępnych jest {0}, musisz {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Ilość dostępnych jest {0}, musisz {1}"
DocType: Expense Claim Detail,Claim Amount,Kwota roszczenia
-DocType: Employee,Mr,Pan
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Duplikat grupa klientów znajduje się w tabeli grupy cutomer
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Typ dostawy / dostawca
DocType: Naming Series,Prefix,Prefix
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Konsumpcyjny
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Konsumpcyjny
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Log operacji importu
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Pull Tworzywo żądanie typu produktu na podstawie powyższych kryteriów
DocType: Training Result Employee,Grade,Stopień
DocType: Sales Invoice Item,Delivered By Supplier,Dostarczane przez Dostawcę
DocType: SMS Center,All Contact,Wszystkie dane Kontaktu
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Produkcja Zamów już stworzony dla wszystkich elementów z BOM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Roczne Wynagrodzenie
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Produkcja Zamów już stworzony dla wszystkich elementów z BOM
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Roczne Wynagrodzenie
DocType: Daily Work Summary,Daily Work Summary,Dziennie Podsumowanie zawodowe
DocType: Period Closing Voucher,Closing Fiscal Year,Zamknięcie roku fiskalnego
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} jest zamrożone
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Wybierz istniejącą spółkę do tworzenia planu kont
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Wydatki magazynowe
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} jest zamrożone
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Wybierz istniejącą spółkę do tworzenia planu kont
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Wydatki magazynowe
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Wybierz Magazyn docelowy
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Wybierz Magazyn docelowy
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,Proszę wpisać Preferowany Kontakt Email
+DocType: Program Enrollment,School Bus,Autobus szkolny
DocType: Journal Entry,Contra Entry,Contra Entry (Zapis przeciwstawny)
DocType: Journal Entry Account,Credit in Company Currency,Kredyt w walucie Spółki
DocType: Delivery Note,Installation Status,Status instalacji
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Czy chcesz zaktualizować frekwencję? <br> Obecni: {0} \ <br> Nieobecne {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Ilość Przyjętych + Odrzuconych musi odpowiadać ilości Odebranych (Element {0})
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Ilość Przyjętych + Odrzuconych musi odpowiadać ilości Odebranych (Element {0})
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Dostawa surowce Skupu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,Co najmniej jeden tryb płatności POS jest wymagane dla faktury.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,Co najmniej jeden tryb płatności POS jest wymagane dla faktury.
DocType: Products Settings,Show Products as a List,Wyświetl produkty w układzie listy
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Pobierz szablon, wypełnić odpowiednie dane i dołączyć zmodyfikowanego pliku.
Wszystko daty i pracownik połączenie w wybranym okresie przyjdzie w szablonie, z istniejącymi rekordy frekwencji"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,"Element {0} nie jest aktywny, lub osiągnął datę przydatności"
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Przykład: Podstawowe Matematyka
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,"Element {0} nie jest aktywny, lub osiągnął datę przydatności"
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Przykład: Podstawowe Matematyka
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Ustawienia dla modułu HR
DocType: SMS Center,SMS Center,Centrum SMS
DocType: Sales Invoice,Change Amount,Zmień Kwota
@@ -228,7 +229,7 @@
DocType: Lead,Request Type,Typ zapytania
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Bądź pracownika
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Transmitowanie
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Wykonanie
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Wykonanie
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Szczegóły dotyczące przeprowadzonych operacji.
DocType: Serial No,Maintenance Status,Status Konserwacji
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Dostawca jest zobowiązany wobec Płatne konta {2}
@@ -256,7 +257,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Wniosek o cytat można uzyskać klikając na poniższy link
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Przydziel zwolnienia dla roku.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG Stworzenie narzędzia golfowe
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,Niewystarczający zapas
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,Niewystarczający zapas
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Wyłącz Planowanie Pojemność i Time Tracking
DocType: Email Digest,New Sales Orders,
DocType: Bank Guarantee,Bank Account,Konto bankowe
@@ -267,8 +268,9 @@
DocType: Production Order Operation,Updated via 'Time Log',"Aktualizowana przez ""Czas Zaloguj"""
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Ilość wyprzedzeniem nie może być większa niż {0} {1}
DocType: Naming Series,Series List for this Transaction,Lista serii dla tej transakcji
+DocType: Company,Enable Perpetual Inventory,Włącz wieczne zapasy
DocType: Company,Default Payroll Payable Account,Domyślny Płace Płatne konta
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Aktualizacja Grupa E
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Aktualizacja Grupa E
DocType: Sales Invoice,Is Opening Entry,
DocType: Customer Group,Mention if non-standard receivable account applicable,"Wspomnieć, jeśli nie standardowe konto należności dotyczy"
DocType: Course Schedule,Instructor Name,Instruktor Nazwa
@@ -280,13 +282,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Na podstawie pozycji faktury sprzedaży
,Production Orders in Progress,Zamówienia Produkcji w toku
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Przepływy pieniężne netto z finansowania
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage jest pełna, nie zapisać"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage jest pełna, nie zapisać"
DocType: Lead,Address & Contact,Adres i kontakt
DocType: Leave Allocation,Add unused leaves from previous allocations,Dodaj niewykorzystane urlopy z poprzednich alokacji
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Następny cykliczne {0} zostanie utworzony w dniu {1}
DocType: Sales Partner,Partner website,strona Partner
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Dodaj Przedmiot
-,Contact Name,Nazwa kontaktu
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Nazwa kontaktu
DocType: Course Assessment Criteria,Course Assessment Criteria,Kryteria oceny kursu
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Tworzy Pasek Wypłaty dla wskazanych wyżej kryteriów.
DocType: POS Customer Group,POS Customer Group,POS Grupa klientów
@@ -295,18 +297,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Prośba o zakup
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Jest to oparte na kartach czasu pracy stworzonych wobec tego projektu
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Wynagrodzenie netto nie może być mniejsza niż 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Wynagrodzenie netto nie może być mniejsza niż 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Tylko wybrana osoba zatwierdzająca nieobecności może wprowadzić wniosek o urlop
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Data zwolnienia musi być większa od Daty Wstąpienia
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Urlopy na Rok
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Urlopy na Rok
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Wiersz {0}: Proszę sprawdzić ""Czy Advance"" przeciw konta {1}, jeśli jest to zaliczka wpis."
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Magazyn {0} nie należy do firmy {1}
DocType: Email Digest,Profit & Loss,Rachunek zysków i strat
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Litr
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Litr
DocType: Task,Total Costing Amount (via Time Sheet),Całkowita kwota Costing (przez czas arkuszu)
DocType: Item Website Specification,Item Website Specification,Element Specyfikacja Strony
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Urlop Zablokowany
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Element {0} osiągnął kres przydatności {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Element {0} osiągnął kres przydatności {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Operacje bankowe
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Roczny
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Uzgodnienia Stanu Pozycja
@@ -314,9 +316,9 @@
DocType: Material Request Item,Min Order Qty,Min. wartość zamówienia
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Kurs grupy studentów Stworzenie narzędzia
DocType: Lead,Do Not Contact,Nie Kontaktuj
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,"Ludzie, którzy uczą w organizacji"
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,"Ludzie, którzy uczą w organizacji"
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Unikalny identyfikator do śledzenia wszystkich powtarzających się faktur. Jest on generowany przy potwierdzeniu.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Programista
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Programista
DocType: Item,Minimum Order Qty,Minimalna wartość zamówienia
DocType: Pricing Rule,Supplier Type,Typ dostawcy
DocType: Course Scheduling Tool,Course Start Date,Data rozpoczęcia kursu
@@ -325,11 +327,11 @@
DocType: Item,Publish in Hub,Publikowanie w Hub
DocType: Student Admission,Student Admission,Wstęp Student
,Terretory,Obszar
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Element {0} jest anulowany
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Element {0} jest anulowany
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Zamówienie produktu
DocType: Bank Reconciliation,Update Clearance Date,Aktualizacja daty rozliczenia
DocType: Item,Purchase Details,Szczegóły zakupu
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Element {0} nie znajdują się w "materiały dostarczane" tabeli w Zamówieniu {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Element {0} nie znajdują się w "materiały dostarczane" tabeli w Zamówieniu {1}
DocType: Employee,Relation,Relacja
DocType: Shipping Rule,Worldwide Shipping,Wysyłka na całym świecie
DocType: Student Guardian,Mother,Mama
@@ -348,6 +350,7 @@
DocType: Student Group Student,Student Group Student,Student Grupa Student
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Ostatnie
DocType: Vehicle Service,Inspection,Kontrola
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Lista
DocType: Email Digest,New Quotations,Nowe Cytaty
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Emaile wynagrodzenia poślizgu pracownikowi na podstawie wybranego w korzystnej email Pracownika
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,
@@ -356,20 +359,20 @@
DocType: Asset,Next Depreciation Date,Następny Amortyzacja Data
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Koszt aktywność na pracownika
DocType: Accounts Settings,Settings for Accounts,Ustawienia Konta
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Dostawca Faktura Nie istnieje faktura zakupu {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Dostawca Faktura Nie istnieje faktura zakupu {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Zarządzaj Drzewem Sprzedawców
DocType: Job Applicant,Cover Letter,List motywacyjny
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,"Wybitni Czeki i depozytów, aby usunąć"
DocType: Item,Synced With Hub,Synchronizowane z Hub
DocType: Vehicle,Fleet Manager,Menadżer floty
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Wiersz # {0}: {1} nie może być negatywne dla pozycji {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Niepoprawne hasło
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Niepoprawne hasło
DocType: Item,Variant Of,Wariant
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',"Zakończono Ilość nie może być większa niż ""Ilość w produkcji"""
DocType: Period Closing Voucher,Closing Account Head,
DocType: Employee,External Work History,Historia Zewnętrzna Pracy
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Circular Error Referencje
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Nazwa Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Nazwa Guardian1
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,
DocType: Cheque Print Template,Distance from left edge,Odległość od lewej krawędzi
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} jednostki [{1}] (# Kształt / szt / {1}) znajduje się w [{2}] (# Kształt / Warehouse / {2})
@@ -378,11 +381,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Informuj za pomocą Maila (automatyczne)
DocType: Journal Entry,Multi Currency,Wielowalutowy
DocType: Payment Reconciliation Invoice,Invoice Type,Typ faktury
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Dowód dostawy
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Dowód dostawy
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Konfigurowanie podatki
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Koszt sprzedanych aktywów
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,Wpis płatności został zmodyfikowany po ściągnięciu. Proszę ściągnąć ponownie.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} dwa razy wprowadzone w podatku produktu
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Wpis płatności został zmodyfikowany po ściągnięciu. Proszę ściągnąć ponownie.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} dwa razy wprowadzone w podatku produktu
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Podsumowanie na ten tydzień i działań toczących
DocType: Student Applicant,Admitted,Przyznał
DocType: Workstation,Rent Cost,Koszt Wynajmu
@@ -401,25 +404,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Proszę wpisz wartości w pola ""Powtórz w dni miesiąca"""
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Stawka przy użyciu której Waluta Klienta jest konwertowana do podstawowej waluty klienta
DocType: Course Scheduling Tool,Course Scheduling Tool,Oczywiście Narzędzie Scheduling
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Wiersz # {0}: Zakup Faktura nie może być dokonywane wobec istniejącego zasobu {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Wiersz # {0}: Zakup Faktura nie może być dokonywane wobec istniejącego zasobu {1}
DocType: Item Tax,Tax Rate,Stawka podatku
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} już przydzielone Pracodawcy {1} dla okresu {2} do {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Wybierz produkt
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Faktura zakupu {0} została już wysłana
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Faktura zakupu {0} została już wysłana
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},"Wiersz # {0}: Batch Nie musi być taki sam, jak {1} {2}"
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Przekształć w nie-Grupę
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Partia (pakiet) produktu.
DocType: C-Form Invoice Detail,Invoice Date,Data faktury
DocType: GL Entry,Debit Amount,Kwota Debit
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Nie może być tylko jedno konto na Spółkę w {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,Proszę przejrzeć załącznik
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Nie może być tylko jedno konto na Spółkę w {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,Proszę przejrzeć załącznik
DocType: Purchase Order,% Received,% Otrzymanych
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Tworzenie grup studenckich
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Konfiguracja właśnie zakończyła się!!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Kwota kredytu
,Finished Goods,Ukończone dobra
DocType: Delivery Note,Instructions,Instrukcje
DocType: Quality Inspection,Inspected By,Skontrolowane przez
DocType: Maintenance Visit,Maintenance Type,Typ Konserwacji
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} nie jest zapisany do kursu {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Nr seryjny {0} nie należy do żadnego potwierdzenia dostawy {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Dodaj produkty
@@ -442,7 +447,7 @@
DocType: Request for Quotation,Request for Quotation,Zapytanie ofertowe
DocType: Salary Slip Timesheet,Working Hours,Godziny pracy
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Zmień początkowy / obecny numer seryjny istniejącej serii.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Tworzenie nowego klienta
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Tworzenie nowego klienta
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Jeśli wiele Zasady ustalania cen nadal dominować, użytkownicy proszeni są o ustawienie Priorytet ręcznie rozwiązać konflikt."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Stwórz zamówienie zakupu
,Purchase Register,Rejestracja Zakupu
@@ -454,7 +459,7 @@
DocType: Student Log,Medical,Medyczny
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Powód straty
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Ołów Właściciel nie może być taka sama jak Lead
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,Przyznana kwota nie może większa niż ilość niewyrównanej
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,Przyznana kwota nie może większa niż ilość niewyrównanej
DocType: Announcement,Receiver,Odbiorca
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Stacja robocza jest zamknięta w następujących terminach wg listy wakacje: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Możliwości
@@ -468,8 +473,7 @@
DocType: Assessment Plan,Examiner Name,Nazwa Examiner
DocType: Purchase Invoice Item,Quantity and Rate,Ilość i Wskaźnik
DocType: Delivery Note,% Installed,% Zainstalowanych
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,Sale / laboratoria etc gdzie zajęcia mogą być planowane.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dostawca> Typ dostawcy
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,Sale / laboratoria etc gdzie zajęcia mogą być planowane.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Proszę najpierw wpisać nazwę Firmy
DocType: Purchase Invoice,Supplier Name,Nazwa dostawcy
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Przeczytać instrukcję ERPNext
@@ -479,7 +483,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Sprawdź Dostawca numer faktury Wyjątkowość
DocType: Vehicle Service,Oil Change,Wymiana oleju
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','To Case No.' nie powinno być mniejsze niż 'From Case No.'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Brak Zysków
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Brak Zysków
DocType: Production Order,Not Started,Nie Rozpoczęte
DocType: Lead,Channel Partner,
DocType: Account,Old Parent,Stary obiekt nadrzędny
@@ -490,20 +494,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globalne ustawienia dla wszystkich procesów produkcyjnych.
DocType: Accounts Settings,Accounts Frozen Upto,Konta zamrożone do
DocType: SMS Log,Sent On,Wysłano w
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Atrybut {0} wybrane atrybuty kilka razy w tabeli
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Atrybut {0} wybrane atrybuty kilka razy w tabeli
DocType: HR Settings,Employee record is created using selected field. ,Rekord pracownika tworzony jest przy użyciu zaznaczonego pola.
DocType: Sales Order,Not Applicable,Nie dotyczy
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,
DocType: Request for Quotation Item,Required Date,Data wymagana
DocType: Delivery Note,Billing Address,Adres Faktury
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Proszę wpisać Kod Produktu
DocType: BOM,Costing,Zestawienie kosztów
DocType: Tax Rule,Billing County,Hrabstwo Billings
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Jeśli zaznaczone, kwota podatku zostanie wliczona w cenie Drukuj Cenę / Drukuj Podsumowanie"
DocType: Request for Quotation,Message for Supplier,Wiadomość dla dostawcy
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Razem szt
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Identyfikator e-mail Guardian2
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Identyfikator e-mail Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Identyfikator e-mail Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Identyfikator e-mail Guardian2
DocType: Item,Show in Website (Variant),Pokaż w Serwisie (Variant)
DocType: Employee,Health Concerns,Problemy Zdrowotne
DocType: Process Payroll,Select Payroll Period,Wybierz Okres Payroll
@@ -521,26 +524,28 @@
DocType: Sales Order Item,Used for Production Plan,Używane do Planu Produkcji
DocType: Employee Loan,Total Payment,Całkowita płatność
DocType: Manufacturing Settings,Time Between Operations (in mins),Czas między operacjami (w min)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} jest anulowany, więc działanie nie może zostać zakończone"
DocType: Customer,Buyer of Goods and Services.,Nabywca towarów i usług.
DocType: Journal Entry,Accounts Payable,Zobowiązania
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Wybrane LM nie są na tej samej pozycji
DocType: Pricing Rule,Valid Upto,Ważny do
DocType: Training Event,Workshop,Warsztat
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Krótka lista Twoich klientów. Mogą to być firmy lub osoby fizyczne.
-,Enough Parts to Build,Wystarczające elementy do budowy
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Przychody bezpośrednie
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Krótka lista Twoich klientów. Mogą to być firmy lub osoby fizyczne.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Wystarczające elementy do budowy
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Przychody bezpośrednie
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Nie można przefiltrować na podstawie Konta, jeśli pogrupowano z użuciem konta"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Urzędnik administracyjny
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Proszę wybrać Kurs
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Proszę wybrać Kurs
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Urzędnik administracyjny
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Proszę wybrać Kurs
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Proszę wybrać Kurs
DocType: Timesheet Detail,Hrs,godziny
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Proszę wybrać firmę
DocType: Stock Entry Detail,Difference Account,Konto Różnic
+DocType: Purchase Invoice,Supplier GSTIN,Dostawca GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,"Nie można zamknąć zadanie, jak jego zależne zadaniem {0} nie jest zamknięta."
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,
DocType: Production Order,Additional Operating Cost,Dodatkowy koszt operacyjny
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kosmetyki
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Aby scalić, poniższe właściwości muszą być takie same dla obu przedmiotów"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Aby scalić, poniższe właściwości muszą być takie same dla obu przedmiotów"
DocType: Shipping Rule,Net Weight,Waga netto
DocType: Employee,Emergency Phone,Telefon bezpieczeństwa
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Kupować
@@ -550,14 +555,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Proszę określić stopień dla progu 0%
DocType: Sales Order,To Deliver,Dostarczyć
DocType: Purchase Invoice Item,Item,Asortyment
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Nr seryjny element nie może być ułamkiem
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Nr seryjny element nie może być ułamkiem
DocType: Journal Entry,Difference (Dr - Cr),Różnica (Dr - Cr)
DocType: Account,Profit and Loss,Zyski i Straty
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Zarządzanie Podwykonawstwo
DocType: Project,Project will be accessible on the website to these users,Projekt będzie dostępny na stronie internetowej dla tych użytkowników
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Stawka przy użyciu której waluta Listy Cen jest konwertowana do podstawowej waluty firmy
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Konto {0} nie należy do firmy: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Skrót już używany przez inną firmę
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Konto {0} nie należy do firmy: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Skrót już używany przez inną firmę
DocType: Selling Settings,Default Customer Group,Domyślna grupa klientów
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Jeśli wyłączone, pozycja 'Końcowa zaokrąglona suma' nie będzie widoczna w żadnej transakcji"
DocType: BOM,Operating Cost,Koszty Operacyjne
@@ -565,7 +570,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Przyrost nie może być 0
DocType: Production Planning Tool,Material Requirement,Wymagania odnośnie materiału
DocType: Company,Delete Company Transactions,Usuń Transakcje Spółki
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Numer referencyjny i data jest obowiązkowe dla transakcji Banku
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Numer referencyjny i data jest obowiązkowe dla transakcji Banku
DocType: Purchase Receipt,Add / Edit Taxes and Charges,
DocType: Purchase Invoice,Supplier Invoice No,Nr faktury dostawcy
DocType: Territory,For reference,Dla referencji
@@ -576,22 +581,22 @@
DocType: Installation Note Item,Installation Note Item,
DocType: Production Plan Item,Pending Qty,Oczekuje szt
DocType: Budget,Ignore,Ignoruj
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} jest nieaktywny
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} jest nieaktywny
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS wysłany do następujących numerów: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,Wymiary Sprawdź konfigurację do druku
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Wymiary Sprawdź konfigurację do druku
DocType: Salary Slip,Salary Slip Timesheet,Slip Wynagrodzenie grafiku
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,
DocType: Pricing Rule,Valid From,Ważny od
DocType: Sales Invoice,Total Commission,Całkowita kwota prowizji
DocType: Pricing Rule,Sales Partner,Partner Sprzedaży
DocType: Buying Settings,Purchase Receipt Required,Wymagane Potwierdzenie Zakupu
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,"Wycena Cena jest obowiązkowe, jeżeli wprowadzone Otwarcie Zdjęcie"
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,"Wycena Cena jest obowiązkowe, jeżeli wprowadzone Otwarcie Zdjęcie"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Nie znaleziono w tabeli faktury rekordy
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,"Najpierw wybierz typ firmy, a Party"
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Rok finansowy / księgowy.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Rok finansowy / księgowy.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,skumulowane wartości
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Niestety, numery seryjne nie mogą zostać połączone"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Stwórz Zamówienie Sprzedaży
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Stwórz Zamówienie Sprzedaży
DocType: Project Task,Project Task,Zadanie projektu
,Lead Id,ID Tropu
DocType: C-Form Invoice Detail,Grand Total,Suma Całkowita
@@ -608,7 +613,7 @@
DocType: Job Applicant,Resume Attachment,W skrócie Załącznik
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Powtarzający się klient
DocType: Leave Control Panel,Allocate,Przydziel
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Zwrot sprzedaży
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Zwrot sprzedaży
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Uwaga: Wszystkie przydzielone liście {0} nie powinna być mniejsza niż już zatwierdzonych liści {1} dla okresu
DocType: Announcement,Posted By,Wysłane przez
DocType: Item,Delivered by Supplier (Drop Ship),Dostarczane przez Dostawcę (Drop Ship)
@@ -618,8 +623,8 @@
DocType: Quotation,Quotation To,Wycena dla
DocType: Lead,Middle Income,Średni Dochód
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Otwarcie (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Domyślnie Jednostka miary dla pozycji {0} nie może być zmieniana bezpośrednio, ponieważ masz już jakąś transakcję (y) z innym UOM. Musisz utworzyć nowy obiekt, aby użyć innego domyślnego UOM."
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Przydzielona kwota nie może być ujemna
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Domyślnie Jednostka miary dla pozycji {0} nie może być zmieniana bezpośrednio, ponieważ masz już jakąś transakcję (y) z innym UOM. Musisz utworzyć nowy obiekt, aby użyć innego domyślnego UOM."
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Przydzielona kwota nie może być ujemna
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Proszę ustawić firmę
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Proszę ustawić firmę
DocType: Purchase Order Item,Billed Amt,Rozliczona Ilość
@@ -632,7 +637,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Wybierz Konto Płatność aby bankowego Entry
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Tworzenie rekordów pracownika do zarządzania liście, roszczenia o wydatkach i płac"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Dodaj do Knowledge Base
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Pisanie Wniosku
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Pisanie Wniosku
DocType: Payment Entry Deduction,Payment Entry Deduction,Płatność Wejście Odliczenie
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Inna osoba Sprzedaż {0} istnieje w tym samym identyfikator pracownika
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Jeśli zaznaczone, surowce do produkcji przedmiotów, które są zlecone zostaną zawarte w materiale Requests"
@@ -647,7 +652,7 @@
DocType: Batch,Batch Description,Opis partii
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Tworzenie grup studentów
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Tworzenie grup studentów
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Payment Gateway konta nie jest tworzony, należy utworzyć ręcznie."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Payment Gateway konta nie jest tworzony, należy utworzyć ręcznie."
DocType: Sales Invoice,Sales Taxes and Charges,Podatki i Opłaty od Sprzedaży
DocType: Employee,Organization Profile,Profil organizacji
DocType: Student,Sibling Details,rodzeństwo Szczegóły
@@ -669,11 +674,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Zmiana netto stanu zapasów
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Zarząd Kredyt pracownik
DocType: Employee,Passport Number,Numer Paszportu
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Relacja z Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Menager
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Relacja z Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Menager
DocType: Payment Entry,Payment From / To,Płatność Od / Do
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nowy limit kredytowy wynosi poniżej aktualnej kwoty należności dla klienta. Limit kredytowy musi być conajmniej {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Ta sama pozycja została wprowadzona wielokrotnie.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nowy limit kredytowy wynosi poniżej aktualnej kwoty należności dla klienta. Limit kredytowy musi być conajmniej {0}
DocType: SMS Settings,Receiver Parameter,Parametr Odbiorcy
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"Pola ""Bazuje na"" i ""Grupuj wg."" nie mogą być takie same"
DocType: Sales Person,Sales Person Targets,Cele Sprzedawcy
@@ -682,8 +686,9 @@
DocType: Issue,Resolution Date,Data Rozstrzygnięcia
DocType: Student Batch Name,Batch Name,Batch Nazwa
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Grafiku stworzył:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},Proszę ustawić domyślne konto Gotówka lub Bank dla płatności typu {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Proszę ustawić domyślne konto Gotówka lub Bank dla płatności typu {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Zapisać
+DocType: GST Settings,GST Settings,Ustawienia GST
DocType: Selling Settings,Customer Naming By,
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Pokaże studenta jako obecny w Student Monthly Uczestnictwo Raporcie
DocType: Depreciation Schedule,Depreciation Amount,Kwota amortyzacji
@@ -705,6 +710,7 @@
DocType: Item,Material Transfer,Transfer materiałów
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Otwarcie (Dr)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Datownik musi byś ustawiony przed {0}
+,GST Itemised Purchase Register,GST Wykaz zamówień zakupu
DocType: Employee Loan,Total Interest Payable,Razem odsetki płatne
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Koszt podatków i opłat
DocType: Production Order Operation,Actual Start Time,Rzeczywisty Czas Rozpoczęcia
@@ -733,10 +739,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
DocType: Account,Accounts,Księgowość
DocType: Vehicle,Odometer Value (Last),Drogomierz Wartość (Ostatni)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Zapis takiej Płatności już został utworzony
DocType: Purchase Receipt Item Supplied,Current Stock,Bieżący asortyment
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Wiersz # {0}: {1} aktywami nie związane w pozycji {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Wiersz # {0}: {1} aktywami nie związane w pozycji {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Podgląd Zarobki Slip
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Konto {0} została wprowadzona wielokrotnie
DocType: Account,Expenses Included In Valuation,Zaksięgowane wydatki w wycenie
@@ -744,7 +750,7 @@
,Absent Student Report,Nieobecny Raport Student
DocType: Email Digest,Next email will be sent on:,Kolejny e-mali zostanie wysłany w dniu:
DocType: Offer Letter Term,Offer Letter Term,Oferta List Term
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Pozycja ma warianty.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Pozycja ma warianty.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Element {0} nie został znaleziony
DocType: Bin,Stock Value,Wartość zapasów
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Firma {0} nie istnieje
@@ -753,8 +759,8 @@
DocType: Serial No,Warranty Expiry Date,Data upływu gwarancji
DocType: Material Request Item,Quantity and Warehouse,Ilość i magazyn
DocType: Sales Invoice,Commission Rate (%),Wartość prowizji (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Proszę wybrać Program
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Proszę wybrać Program
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Proszę wybrać Program
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Proszę wybrać Program
DocType: Project,Estimated Cost,Szacowany koszt
DocType: Purchase Order,Link to material requests,Link do żądań materialnych
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Lotnictwo
@@ -768,14 +774,14 @@
DocType: Purchase Order,Supply Raw Materials,Zaopatrzenia w surowce
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,"Dzień, w którym będą generowane następne faktury. Generowanie wykonywane jest na żądanie."
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Aktywa finansowe
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} nie jest przechowywany na magazynie
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} nie jest przechowywany na magazynie
DocType: Mode of Payment Account,Default Account,Domyślne konto
DocType: Payment Entry,Received Amount (Company Currency),Otrzymaną kwotą (Spółka waluty)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,Wybierz tygodniowe dni wolne
DocType: Production Order Operation,Planned End Time,Planowany czas zakończenia
,Sales Person Target Variance Item Group-Wise,
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Konto z istniejącymi zapisami nie może być konwertowane
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Konto z istniejącymi zapisami nie może być konwertowane
DocType: Delivery Note,Customer's Purchase Order No,Numer Zamówienia Zakupu Klienta
DocType: Budget,Budget Against,budżet Against
DocType: Employee,Cell Number,Numer komórki
@@ -787,15 +793,13 @@
DocType: Opportunity,Opportunity From,Szansa od
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Miesięczny wyciąg do wynagrodzeń.
DocType: BOM,Website Specifications,Specyfikacja strony WWW
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Proszę skonfigurować serie numeracyjne dla uczestnictwa w programie Setup> Numbering Series
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: od {0} typu {1}
DocType: Warranty Claim,CI-,CI
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Wiersz {0}: Współczynnik konwersji jest obowiązkowe
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Wiersz {0}: Współczynnik konwersji jest obowiązkowe
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",Wiele Zasad Cen istnieje w tych samych kryteriach proszę rozwiązywania konflikty poprzez przypisanie priorytetu. Zasady Cen: {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,Nie można wyłączyć lub anulować LM jak to jest połączone z innymi LM
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",Wiele Zasad Cen istnieje w tych samych kryteriach proszę rozwiązywania konflikty poprzez przypisanie priorytetu. Zasady Cen: {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Nie można wyłączyć lub anulować LM jak to jest połączone z innymi LM
DocType: Opportunity,Maintenance,Konserwacja
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Numer Potwierdzenie Zakupu wymagany dla przedmiotu {0}
DocType: Item Attribute Value,Item Attribute Value,Pozycja wartość atrybutu
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Kampanie sprzedażowe
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Bądź grafiku
@@ -847,30 +851,30 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Zaleta złomowany poprzez Journal Entry {0}
DocType: Employee Loan,Interest Income Account,Konto przychodów odsetkowych
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Technologia Bio
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Wydatki na obsługę biura
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Wydatki na obsługę biura
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Konfigurowanie konta e-mail
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Proszę najpierw wprowadzić Przedmiot
DocType: Account,Liability,Zobowiązania
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,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}.
DocType: Company,Default Cost of Goods Sold Account,Domyślne Konto Wartości Dóbr Sprzedanych
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Cennik nie wybrany
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Cennik nie wybrany
DocType: Employee,Family Background,Tło rodzinne
DocType: Request for Quotation Supplier,Send Email,Wyślij E-mail
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Warning: Invalid Załącznik {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Warning: Invalid Załącznik {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Brak uprawnień
DocType: Company,Default Bank Account,Domyślne konto bankowe
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Aby filtrować na podstawie partii, wybierz Party Wpisz pierwsze"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"'Aktualizuj Stan' nie może być zaznaczone, ponieważ elementy nie są dostarczane przez {0}"
DocType: Vehicle,Acquisition Date,Data nabycia
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Numery
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Numery
DocType: Item,Items with higher weightage will be shown higher,Produkty z wyższym weightage zostaną pokazane wyższe
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Uzgodnienia z wyciągiem bankowym - szczegóły
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Wiersz # {0}: {1} aktywami muszą być złożone
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Wiersz # {0}: {1} aktywami muszą być złożone
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Nie znaleziono pracowników
DocType: Supplier Quotation,Stopped,Zatrzymany
DocType: Item,If subcontracted to a vendor,Jeśli zlecona dostawcy
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Grupa studentów jest już aktualizowana.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Grupa studentów jest już aktualizowana.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Grupa studentów jest już aktualizowana.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Grupa studentów jest już aktualizowana.
DocType: SMS Center,All Customer Contact,Wszystkie dane kontaktowe klienta
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Wyślij bilans asortymentu używając csv.
DocType: Warehouse,Tree Details,drzewo Szczegóły
@@ -882,13 +886,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: MPK {2} nie należy do Spółki {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1} {2} Konto nie może być grupą
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Przedmiot Row {idx} {} {doctype DOCNAME} nie istnieje w wyżej '{doctype}' Stół
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Grafiku {0} jest już zakończone lub anulowane
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Grafiku {0} jest już zakończone lub anulowane
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Brak zadań
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Dzień miesiąca, w którym auto faktury będą generowane na przykład 05, 28 itd"
DocType: Asset,Opening Accumulated Depreciation,Otwarcie Skumulowana amortyzacja
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Wynik musi być niższy lub równy 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Rejestracja w programie Narzędzie
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Klient i Dostawca
DocType: Email Digest,Email Digest Settings,ustawienia przetwarzania maila
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Dziękuję dla Twojej firmy!
@@ -898,17 +902,19 @@
DocType: Bin,Moving Average Rate,Cena Średnia Ruchoma
DocType: Production Planning Tool,Select Items,Wybierz Elementy
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} przed rachunkiem {1} z dnia {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Numer pojazdu / autobusu
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Plan zajęć
DocType: Maintenance Visit,Completion Status,Status ukończenia
DocType: HR Settings,Enter retirement age in years,Podaj wiek emerytalny w latach
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Magazyn docelowy
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Proszę wybrać magazyn
DocType: Cheque Print Template,Starting location from left edge,Zaczynając od lewej krawędzi lokalizację
DocType: Item,Allow over delivery or receipt upto this percent,Pozostawić na dostawę lub odbiór zapisu do tego procent
DocType: Stock Entry,STE-,STEMI
DocType: Upload Attendance,Import Attendance,Importuj Frekwencję
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Wszystkie grupy produktów
DocType: Process Payroll,Activity Log,Dziennik aktywności
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Zysk / strata netto
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Zysk / strata netto
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Automatyczna wiadomość o założeniu transakcji
DocType: Production Order,Item To Manufacture,Rzecz do wyprodukowania
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} Stan jest {2}
@@ -917,16 +923,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Zamówienie zakupu do płatności
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Prognozowana ilość
DocType: Sales Invoice,Payment Due Date,Termin Płatności
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Pozycja Wersja {0} istnieje już z samymi atrybutami
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Pozycja Wersja {0} istnieje już z samymi atrybutami
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',"Otwarcie"
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Otwarty na uwagi
DocType: Notification Control,Delivery Note Message,Wiadomość z Dowodu Dostawy
DocType: Expense Claim,Expenses,Wydatki
+,Support Hours,Godziny Wsparcia
DocType: Item Variant Attribute,Item Variant Attribute,Pozycja Wersja Atrybut
,Purchase Receipt Trends,Trendy Potwierdzenia Zakupu
DocType: Process Payroll,Bimonthly,Dwumiesięczny
DocType: Vehicle Service,Brake Pad,Klocek hamulcowy
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Badania i rozwój
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Badania i rozwój
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Kwota rachunku
DocType: Company,Registration Details,Szczegóły Rejestracji
DocType: Timesheet,Total Billed Amount,Kwota całkowita Zapowiadane
@@ -939,12 +946,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Uzyskanie wyłącznie materiały
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Szacowanie osiągów
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Włączenie "użycie do koszyka", ponieważ koszyk jest włączony i nie powinno być co najmniej jedna zasada podatkowa w koszyku"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Płatność Wejście {0} jest związana na zamówienie {1}, sprawdź, czy powinien on być wyciągnięty jak wcześniej w tej fakturze."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Płatność Wejście {0} jest związana na zamówienie {1}, sprawdź, czy powinien on być wyciągnięty jak wcześniej w tej fakturze."
DocType: Sales Invoice Item,Stock Details,Zdjęcie Szczegóły
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Wartość projektu
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Punkt sprzedaży
DocType: Vehicle Log,Odometer Reading,Stan licznika
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Konto jest na minusie, nie możesz ustawić wymagań jako kredyt."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Konto jest na minusie, nie możesz ustawić wymagań jako kredyt."
DocType: Account,Balance must be,Bilans powinien wynosić
DocType: Hub Settings,Publish Pricing,Opublikuj Ceny
DocType: Notification Control,Expense Claim Rejected Message,Wiadomość o odrzuconym zwrocie wydatków
@@ -954,7 +961,7 @@
DocType: Salary Slip,Working Days,Dni robocze
DocType: Serial No,Incoming Rate,
DocType: Packing Slip,Gross Weight,Waga brutto
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,Nazwa firmy / organizacji dla której uruchamiasz niniejszy system.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,Nazwa firmy / organizacji dla której uruchamiasz niniejszy system.
DocType: HR Settings,Include holidays in Total no. of Working Days,Dolicz święta do całkowitej liczby dni pracujących
DocType: Job Applicant,Hold,Trzymaj
DocType: Employee,Date of Joining,Data Wstąpienia
@@ -965,20 +972,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Potwierdzenia Zakupu
,Received Items To Be Billed,Otrzymane przedmioty czekające na zaksięgowanie
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Zgłoszony Zarobki Poślizgnięcia
-DocType: Employee,Ms,Pani
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Główna wartość Wymiany walut
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Doctype referencyjny musi być jednym z {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Główna wartość Wymiany walut
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Doctype referencyjny musi być jednym z {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Nie udało się znaleźć wolnego przedziału czasu w najbliższych {0} dniach do pracy {1}
DocType: Production Order,Plan material for sub-assemblies,Materiał plan podzespołów
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Partnerzy handlowi i terytorium
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,"Nie może automatycznie utworzyć konto, ponieważ nie jest już równowaga Zdjęcie na Rachunku. Musisz utworzyć konto dopasowanie zanim będzie można dokonać wpisu w tym hurtowni"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} musi być aktywny
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} musi być aktywny
DocType: Journal Entry,Depreciation Entry,Amortyzacja
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Najpierw wybierz typ dokumentu
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Anuluj Fizyczne Wizyty {0} zanim anulujesz Wizytę Pośrednią
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Nr seryjny {0} nie należy do żadnej rzeczy {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Wymagana ilość
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Magazyny z istniejącymi transakcji nie mogą być konwertowane do księgi głównej.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Magazyny z istniejącymi transakcji nie mogą być konwertowane do księgi głównej.
DocType: Bank Reconciliation,Total Amount,Wartość całkowita
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Wydawnictwa internetowe
DocType: Production Planning Tool,Production Orders,Zamówienia Produkcji
@@ -993,25 +998,26 @@
DocType: Fee Structure,Components,składniki
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Proszę podać kategorię aktywów w pozycji {0}
DocType: Quality Inspection Reading,Reading 6,Odczyt 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Nie można {0} {1} {2} bez negatywnego wybitne faktury
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Nie można {0} {1} {2} bez negatywnego wybitne faktury
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Wyślij Fakturę Zaliczkową / Proformę
DocType: Hub Settings,Sync Now,Synchronizuj teraz
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Wiersz {0}: wejście kredytowe nie mogą być powiązane z {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Definiowanie budżetu za dany rok budżetowy.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Definiowanie budżetu za dany rok budżetowy.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"Domyślne Konto Bank / Gotówka będzie automatycznie aktualizowane za fakturą POS, gdy ten tryb zostanie wybrany."
DocType: Lead,LEAD-,LEAD-
DocType: Employee,Permanent Address Is,Stały adres to
DocType: Production Order Operation,Operation completed for how many finished goods?,Operacja zakończona na jak wiele wyrobów gotowych?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,Marka
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Marka
DocType: Employee,Exit Interview Details,Wyjdź z szczegółów wywiadu
DocType: Item,Is Purchase Item,Jest pozycją kupowalną
DocType: Asset,Purchase Invoice,Faktura zakupu
DocType: Stock Ledger Entry,Voucher Detail No,Nr Szczegółu Bonu
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Nowa faktura sprzedaży
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Nowa faktura sprzedaży
DocType: Stock Entry,Total Outgoing Value,Całkowita wartość wychodząca
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Otwarcie Data i termin powinien być w obrębie samego roku podatkowego
DocType: Lead,Request for Information,Prośba o informację
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Synchronizacja Offline Faktury
+,LeaderBoard,Leaderboard
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Synchronizacja Offline Faktury
DocType: Payment Request,Paid,Zapłacono
DocType: Program Fee,Program Fee,Opłata Program
DocType: Salary Slip,Total in words,Ogółem słownie
@@ -1020,13 +1026,13 @@
DocType: Cheque Print Template,Has Print Format,Ma format wydruku
DocType: Employee Loan,Sanctioned,usankcjonowane
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,jest obowiązkowe. Może rekord Wymiana walut nie jest stworzony dla
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Wiersz # {0}: Proszę podać nr seryjny dla pozycji {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Dla pozycji "Produkt Bundle", magazyn, nr seryjny i numer partii będą rozpatrywane z "packing list" tabeli. Jeśli magazynowe oraz Batch Nie są takie same dla wszystkich elementów Opakowanie do pozycji każdego "produkt Bundle", wartości te mogą zostać wpisane do tabeli głównej pozycji, wartości zostaną skopiowane do "packing list" tabeli."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Wiersz # {0}: Proszę podać nr seryjny dla pozycji {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Dla pozycji "Produkt Bundle", magazyn, nr seryjny i numer partii będą rozpatrywane z "packing list" tabeli. Jeśli magazynowe oraz Batch Nie są takie same dla wszystkich elementów Opakowanie do pozycji każdego "produkt Bundle", wartości te mogą zostać wpisane do tabeli głównej pozycji, wartości zostaną skopiowane do "packing list" tabeli."
DocType: Job Opening,Publish on website,Publikuje na stronie internetowej
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Dostawy do klientów.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Faktura dostawca Data nie może być większe niż Data publikacji
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Faktura dostawca Data nie może być większe niż Data publikacji
DocType: Purchase Invoice Item,Purchase Order Item,Przedmiot Zamówienia Kupna
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Przychody pośrednie
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Przychody pośrednie
DocType: Student Attendance Tool,Student Attendance Tool,Obecność Student Narzędzie
DocType: Cheque Print Template,Date Settings,Data Ustawienia
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Zmienność
@@ -1044,21 +1050,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Chemiczny
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Domyślne konto bank / bankomat zostanie automatycznie zaktualizowana wynagrodzenia Journal Entry po wybraniu tego trybu.
DocType: BOM,Raw Material Cost(Company Currency),Koszt surowca (Spółka waluty)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Dla tego zamówienia produkcji wszystkie pozycje zostały już przeniesione.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Dla tego zamówienia produkcji wszystkie pozycje zostały już przeniesione.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Wiersz {0}: stawka nie może być większa niż stawka stosowana w {1} {2}
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Wiersz {0}: stawka nie może być większa niż stawka stosowana w {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,Metr
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,Metr
DocType: Workstation,Electricity Cost,Koszt energii elekrycznej
DocType: HR Settings,Don't send Employee Birthday Reminders,Nie wysyłaj przypomnień o urodzinach Pracowników
DocType: Item,Inspection Criteria,Kryteria kontrolne
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Przeniesione
DocType: BOM Website Item,BOM Website Item,BOM Website Element
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Prześlij nagłówek firmowy i logo. (Można je edytować później).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Prześlij nagłówek firmowy i logo. (Można je edytować później).
DocType: Timesheet Detail,Bill,Rachunek
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Następny Amortyzacja Data jest wpisana w minionym dniem
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Biały
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Biały
DocType: SMS Center,All Lead (Open),Wszystkie Leady (Otwarte)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Wiersz {0}: Ilość nie jest dostępny dla {4} w magazynie {1} w delegowania chwili wejścia ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Wiersz {0}: Ilość nie jest dostępny dla {4} w magazynie {1} w delegowania chwili wejścia ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Uzyskaj opłacone zaliczki
DocType: Item,Automatically Create New Batch,Automatyczne tworzenie nowych partii
DocType: Item,Automatically Create New Batch,Automatyczne tworzenie nowych partii
@@ -1069,13 +1075,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Mój koszyk
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Rodzaj zlecenia musi być jednym z {0}
DocType: Lead,Next Contact Date,Data Następnego Kontaktu
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Ilość Otwarcia
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,Proszę wpisać uwagę do zmiany kwoty
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Ilość Otwarcia
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,Proszę wpisać uwagę do zmiany kwoty
DocType: Student Batch Name,Student Batch Name,Student Batch Nazwa
DocType: Holiday List,Holiday List Name,Lista imion na wakacje
DocType: Repayment Schedule,Balance Loan Amount,Kwota salda kredytu
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Plan zajęć
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Opcje magazynu
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Opcje magazynu
DocType: Journal Entry Account,Expense Claim,Zwrot Kosztów
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Czy na pewno chcesz przywrócić złomowane atut?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Ilość dla {0}
@@ -1087,12 +1093,12 @@
DocType: Company,Default Terms,Regulamin domyślne
DocType: Packing Slip Item,Packing Slip Item,Pozycja listu przewozowego
DocType: Purchase Invoice,Cash/Bank Account,Konto Gotówka / Bank
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Proszę podać {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Proszę podać {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Usunięte pozycje bez zmian w ilości lub wartości.
DocType: Delivery Note,Delivery To,Dostawa do
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Stół atrybut jest obowiązkowy
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Stół atrybut jest obowiązkowy
DocType: Production Planning Tool,Get Sales Orders,Pobierz zamówienia sprzedaży
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} nie może być ujemna
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} nie może być ujemna
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Zniżka (rabat)
DocType: Asset,Total Number of Depreciations,Całkowita liczba amortyzacją
DocType: Sales Invoice Item,Rate With Margin,Rate With Margin
@@ -1113,7 +1119,6 @@
DocType: Serial No,Creation Document No,
DocType: Issue,Issue,Zdarzenie
DocType: Asset,Scrapped,złomowany
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Konto nie pasuje do firmy.
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Atrybuty Element wariantów. np rozmiar, kolor itd."
DocType: Purchase Invoice,Returns,zwroty
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP Magazyn
@@ -1125,12 +1130,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,"Rzecz musi być dodane za ""elementy z zakupu wpływy"" przycisk"
DocType: Employee,A-,ZA-
DocType: Production Planning Tool,Include non-stock items,Zawierać elementy non-stock
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Koszty Sprzedaży
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Koszty Sprzedaży
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Standardowe zakupy
DocType: GL Entry,Against,Wyklucza
DocType: Item,Default Selling Cost Center,Domyśle Centrum Kosztów Sprzedaży
DocType: Sales Partner,Implementation Partner,Partner Wdrożeniowy
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Kod pocztowy
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Kod pocztowy
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Zamówienie sprzedaży jest {0} {1}
DocType: Opportunity,Contact Info,Dane kontaktowe
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Dokonywanie stockowe Wpisy
@@ -1143,32 +1148,32 @@
DocType: Holiday List,Get Weekly Off Dates,Pobierz Tygodniowe zestawienie dat
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,"Data zakończenia nie może być wcześniejsza, niż data rozpoczęcia"
DocType: Sales Person,Select company name first.,Wybierz najpierw nazwę firmy
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Dr
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Wyceny otrzymane od dostawców
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Do {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Średni wiek
DocType: School Settings,Attendance Freeze Date,Data zamrożenia obecności
DocType: School Settings,Attendance Freeze Date,Data zamrożenia obecności
DocType: Opportunity,Your sales person who will contact the customer in future,"Sprzedawca, który będzie kontaktował się z klientem w przyszłości"
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Krótka lista Twoich dostawców. Mogą to być firmy lub osoby fizyczne.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Krótka lista Twoich dostawców. Mogą to być firmy lub osoby fizyczne.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Pokaż wszystke
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimalny wiek ołowiu (dni)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,Wszystkie LM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Wszystkie LM
DocType: Company,Default Currency,Domyślna waluta
DocType: Expense Claim,From Employee,Od pracownika
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,
DocType: Journal Entry,Make Difference Entry,Wprowadź różnicę
DocType: Upload Attendance,Attendance From Date,Obecność od Daty
DocType: Appraisal Template Goal,Key Performance Area,Kluczowy obszar wyników
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Transport
+DocType: Program Enrollment,Transportation,Transport
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Nieprawidłowy Atrybut
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} musi zostać dodane
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} musi zostać dodane
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Ilość musi być mniejsze niż lub równe {0}
DocType: SMS Center,Total Characters,Wszystkich Postacie
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Proszę wybrać LM w dziedzinie BOM dla pozycji {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Proszę wybrać LM w dziedzinie BOM dla pozycji {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Płatność Wyrównawcza Faktury
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Udział %
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Zgodnie z ustawieniami zakupu, jeśli wymagane jest zamówienie zakupu == "YES", a następnie do utworzenia faktury zakupu użytkownik musi najpierw utworzyć zamówienie kupna dla pozycji {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,
DocType: Sales Partner,Distributor,Dystrybutor
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Koszyk Wysyłka Reguła
@@ -1177,23 +1182,25 @@
,Ordered Items To Be Billed,Zamówione produkty do rozliczenia
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Od Zakres musi być mniejsza niż do zakresu
DocType: Global Defaults,Global Defaults,Globalne wartości domyślne
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Projekt zaproszenie Współpraca
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Projekt zaproszenie Współpraca
DocType: Salary Slip,Deductions,Odliczenia
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Rok rozpoczęcia
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},Pierwsze 2 cyfry GSTIN powinny odpowiadać numerowi państwa {0}
DocType: Purchase Invoice,Start date of current invoice's period,Początek okresu rozliczeniowego dla faktury
DocType: Salary Slip,Leave Without Pay,Urlop bezpłatny
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Planowanie zdolności błąd
,Trial Balance for Party,Trial Balance for Party
DocType: Lead,Consultant,Konsultant
DocType: Salary Slip,Earnings,Dochody
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Zakończone Pozycja {0} musi być wprowadzony do wejścia typu Produkcja
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Zakończone Pozycja {0} musi być wprowadzony do wejścia typu Produkcja
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Stan z bilansu otwarcia
+,GST Sales Register,Rejestr sprzedaży GST
DocType: Sales Invoice Advance,Sales Invoice Advance,Faktura Zaliczkowa
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Brak żądań
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Kolejny rekord budżetu '{0}' już istnieje przeciwko {1} {2} 'za rok obrotowy {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Zarząd
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Zarząd
DocType: Cheque Print Template,Payer Settings,Ustawienia płatnik
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","To będzie dołączany do Kodeksu poz wariantu. Na przykład, jeśli skrót to ""SM"", a kod element jest ""T-SHIRT"" Kod poz wariantu będzie ""T-SHIRT-SM"""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Wynagrodzenie netto (słownie) będzie widoczna po zapisaniu na Liście Płac.
@@ -1210,8 +1217,8 @@
DocType: Employee Loan,Partially Disbursed,częściowo wypłacona
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Baza dostawców
DocType: Account,Balance Sheet,Arkusz Bilansu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Centrum kosztów dla Przedmiotu z Kodem Przedmiotu '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Tryb płatność nie jest skonfigurowana. Proszę sprawdzić, czy konto zostało ustawione na tryb płatności lub na POS Profilu."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Centrum kosztów dla Przedmiotu z Kodem Przedmiotu '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Tryb płatność nie jest skonfigurowana. Proszę sprawdzić, czy konto zostało ustawione na tryb płatności lub na POS Profilu."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,"Sprzedawca otrzyma w tym dniu przypomnienie, aby skontaktować się z klientem"
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Sama pozycja nie może być wprowadzone wiele razy.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Dalsze relacje mogą być wykonane w ramach grup, ale wpisy mogą być wykonane przed spoza grup"
@@ -1219,7 +1226,7 @@
DocType: Email Digest,Payables,Zobowiązania
DocType: Course,Course Intro,Kurs Intro
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Wpis {0} w Magazynie został utworzony
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Wiersz # {0}: Odrzucone Ilość nie może być wprowadzone w Purchase Powrót
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Wiersz # {0}: Odrzucone Ilość nie może być wprowadzone w Purchase Powrót
,Purchase Order Items To Be Billed,Przedmioty oczekujące na rachunkowość Zamówienia Kupna
DocType: Purchase Invoice Item,Net Rate,Cena netto
DocType: Purchase Invoice Item,Purchase Invoice Item,Przedmiot Faktury Zakupu
@@ -1246,7 +1253,7 @@
DocType: Sales Order,SO-,WIĘC-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Wybierz prefix
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Badania
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Badania
DocType: Maintenance Visit Purpose,Work Done,Praca wykonana
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Proszę zaznaczyć co najmniej jeden atrybut w tabeli atrybutów
DocType: Announcement,All Students,Wszyscy uczniowie
@@ -1254,17 +1261,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Podgląd księgi
DocType: Grading Scale,Intervals,przedziały
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Najwcześniejszy
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group",Istnieje element Grupy o takiej nazwie. Zmień nazwę elementu lub tamtej Grupy.
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Nie Student Komórka
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Reszta świata
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group",Istnieje element Grupy o takiej nazwie. Zmień nazwę elementu lub tamtej Grupy.
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Nie Student Komórka
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Reszta świata
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Element {0} nie może mieć Batch
,Budget Variance Report,Raport z weryfikacji budżetu
DocType: Salary Slip,Gross Pay,Płaca brutto
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Wiersz {0}: Typ aktywny jest obowiązkowe.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Dywidendy wypłacone
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Dywidendy wypłacone
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Księgi rachunkowe
DocType: Stock Reconciliation,Difference Amount,Kwota różnicy
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Zyski zatrzymane
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Zyski zatrzymane
DocType: Vehicle Log,Service Detail,Szczegóły usługi
DocType: BOM,Item Description,Opis produktu
DocType: Student Sibling,Student Sibling,Student Rodzeństwo
@@ -1279,11 +1286,11 @@
DocType: Opportunity Item,Opportunity Item,Przedmiot Szansy
,Student and Guardian Contact Details,Uczeń i opiekun Dane kontaktowe
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Wiersz {0}: Dla dostawcy {0} adres email jest wymagany do wysyłania wiadomości e-mail
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Tymczasowe otwarcia
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Tymczasowe otwarcia
,Employee Leave Balance,Bilans zwolnień pracownika
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Bilans dla Konta {0} zawsze powinien wynosić {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Wycena Oceń wymagane dla pozycji w wierszu {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Przykład: Masters w dziedzinie informatyki
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Przykład: Masters w dziedzinie informatyki
DocType: Purchase Invoice,Rejected Warehouse,Odrzucony Magazyn
DocType: GL Entry,Against Voucher,Dowód księgowy
DocType: Item,Default Buying Cost Center,Domyślne Centrum Kosztów Kupowania
@@ -1296,31 +1303,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Uzyskaj zaległą fakturę
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Zlecenie Sprzedaży {0} jest niepoprawne
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Zamówienia pomoże Ci zaplanować i śledzić na zakupy
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged",Przepraszamy ale firmy nie mogą zostać połaczone
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged",Przepraszamy ale firmy nie mogą zostać połaczone
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",Całkowita ilość Issue / Przelew {0} w dziale Zamówienie {1} \ nie może być większa od ilości wnioskowanej dla {2} {3} Przedmiot
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Mały
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Mały
DocType: Employee,Employee Number,Numer pracownika
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Numer(y) sprawy w użytku. Proszę spróbować Numer Sprawy {0}
DocType: Project,% Completed,% ukończonych
,Invoiced Amount (Exculsive Tax),Zafakturowana kwota netto
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Pozycja 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Stworzono konto główne {0}
DocType: Supplier,SUPP-,CO TAM-
DocType: Training Event,Training Event,Training Event
DocType: Item,Auto re-order,Automatyczne ponowne zamówienie
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Razem Osiągnięte
DocType: Employee,Place of Issue,Miejsce wydania
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Kontrakt
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Kontrakt
DocType: Email Digest,Add Quote,Dodaj Cytat
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},Współczynnik konwersji jednostki miary jest wymagany dla jednostki miary: {0} w Przedmiocie: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Wydatki pośrednie
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Współczynnik konwersji jednostki miary jest wymagany dla jednostki miary: {0} w Przedmiocie: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Wydatki pośrednie
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Wiersz {0}: Ilość jest obowiązkowe
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Rolnictwo
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sync Master Data
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Twoje Produkty lub Usługi
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Twoje Produkty lub Usługi
DocType: Mode of Payment,Mode of Payment,Rodzaj płatności
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Strona Obraz powinien być plik publiczny lub adres witryny
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Strona Obraz powinien być plik publiczny lub adres witryny
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,To jest grupa przedmiotów root i nie mogą być edytowane.
@@ -1329,7 +1335,7 @@
DocType: Warehouse,Warehouse Contact Info,Dane kontaktowe dla magazynu
DocType: Payment Entry,Write Off Difference Amount,Różnica Kwota odpisuje
DocType: Purchase Invoice,Recurring Type,Powtarzający się typ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: Email pracownika nie został znaleziony, dlatego wiadomość nie będzie wysłana"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: Email pracownika nie został znaleziony, dlatego wiadomość nie będzie wysłana"
DocType: Item,Foreign Trade Details,Handlu Zagranicznego Szczegóły
DocType: Email Digest,Annual Income,Roczny dochód
DocType: Serial No,Serial No Details,Szczegóły numeru seryjnego
@@ -1337,10 +1343,10 @@
DocType: Student Group Student,Group Roll Number,Numer grupy
DocType: Student Group Student,Group Roll Number,Numer grupy
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Dla {0}, tylko Kredytowane konta mogą być połączone z innym zapisem po stronie debetowej"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Suma wszystkich wagach zadanie powinno być 1. Proszę ustawić wagi wszystkich zadań projektowych odpowiednio
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Dowód dostawy {0} nie został wysłany
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Suma wszystkich wagach zadanie powinno być 1. Proszę ustawić wagi wszystkich zadań projektowych odpowiednio
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Dowód dostawy {0} nie został wysłany
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Wycena Zasada jest najpierw wybiera się na podstawie ""Zastosuj Na"" polu, które może być pozycja, poz Grupa lub Marka."
DocType: Hub Settings,Seller Website,Sprzedawca WWW
DocType: Item,ITEM-,POZYCJA-
@@ -1358,7 +1364,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Może być tylko jedna Zasada dostawy z wartością 0 lub pustą wartością w polu ""Wartość"""
DocType: Authorization Rule,Transaction,Transakcja
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Informacja: To Centrum Kosztów jest grupą. Nie mogę wykonać operacji rachunkowych na grupach.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,Magazyn Dziecko nie istnieje dla tego magazynu. Nie można usunąć tego magazynu.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Magazyn Dziecko nie istnieje dla tego magazynu. Nie można usunąć tego magazynu.
DocType: Item,Website Item Groups,Grupy przedmiotów strony WWW
DocType: Purchase Invoice,Total (Company Currency),Razem (Spółka Waluta)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Nr seryjny {0} wprowadzony jest więcej niż jeden raz
@@ -1368,7 +1374,7 @@
DocType: Grading Scale Interval,Grade Code,Kod klasy
DocType: POS Item Group,POS Item Group,POS Pozycja Grupy
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,przetwarzanie maila
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} nie należy do pozycji {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} nie należy do pozycji {1}
DocType: Sales Partner,Target Distribution,Dystrybucja docelowa
DocType: Salary Slip,Bank Account No.,Nr konta bankowego
DocType: Naming Series,This is the number of the last created transaction with this prefix,Jest to numer ostatniej transakcji utworzonego z tym prefix
@@ -1379,12 +1385,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Automatycznie wprowadź wartość księgowania depozytu księgowego aktywów
DocType: BOM Operation,Workstation,Stacja robocza
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Zapytanie ofertowe Dostawcę
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Sprzęt komputerowy
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Sprzęt komputerowy
DocType: Sales Order,Recurring Upto,Cyklicznie upto
DocType: Attendance,HR Manager,
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Wybierz firmę
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Wybierz firmę
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,
DocType: Purchase Invoice,Supplier Invoice Date,Data faktury dostawcy
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,za
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Musisz włączyć Koszyk
DocType: Payment Entry,Writeoff,Writeoff
DocType: Appraisal Template Goal,Appraisal Template Goal,Cel szablonu oceny
@@ -1395,10 +1402,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Nakładające warunki pomiędzy:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Zapis {0} jest już powiązany z innym dowodem księgowym
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Łączna wartość zamówienia
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Żywność
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Żywność
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Starzenie Zakres 3
DocType: Maintenance Schedule Item,No of Visits,Numer wizyt
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Mark Attendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Mark Attendence
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Harmonogram konserwacji {0} istnieje przeciwko {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,Zapis uczeń
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Waluta Rachunku Zamknięcie musi być {0}
@@ -1412,6 +1419,7 @@
DocType: Rename Tool,Utilities,Usługi komunalne
DocType: Purchase Invoice Item,Accounting,Księgowość
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Wybierz partie dla partii
DocType: Asset,Depreciation Schedules,Rozkłady amortyzacyjne
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Okres aplikacja nie może być okres alokacji urlopu poza
DocType: Activity Cost,Projects,Projekty
@@ -1425,6 +1433,7 @@
DocType: POS Profile,Campaign,Kampania
DocType: Supplier,Name and Type,Nazwa i typ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Status Zatwierdzenia musi być 'Zatwierdzono' albo 'Odrzucono'
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,Bootstrap
DocType: Purchase Invoice,Contact Person,Osoba kontaktowa
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Przewidywana data rozpoczęcia' nie może nastąpić później niż 'Przewidywana data zakończenia'
DocType: Course Scheduling Tool,Course End Date,Data zakończenia kursu
@@ -1432,12 +1441,11 @@
DocType: Sales Order Item,Planned Quantity,Planowana ilość
DocType: Purchase Invoice Item,Item Tax Amount,Wysokość podatku dla tej pozycji
DocType: Item,Maintain Stock,Utrzymanie Zapasów
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Wpisy dla zasobów już utworzone na podst. Zlecenia Produkcji
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Wpisy dla zasobów już utworzone na podst. Zlecenia Produkcji
DocType: Employee,Prefered Email,Zalecany email
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Zmiana netto stanu trwałego
DocType: Leave Control Panel,Leave blank if considered for all designations,Zostaw puste jeśli jest to rozważane dla wszystkich nominacji
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Magazyn jest obowiązkowe dla niezarejestrowanych kont grupowych rodzaju zapasów
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Od DateTime
DocType: Email Digest,For Company,Dla firmy
@@ -1447,15 +1455,15 @@
DocType: Sales Invoice,Shipping Address Name,Adres do wysyłki Nazwa
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Plan Kont
DocType: Material Request,Terms and Conditions Content,Zawartość regulaminu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,nie może być większa niż 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Element {0} nie jest w magazynie
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,nie może być większa niż 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Element {0} nie jest w magazynie
DocType: Maintenance Visit,Unscheduled,Nieplanowany
DocType: Employee,Owned,Zawłaszczony
DocType: Salary Detail,Depends on Leave Without Pay,Zależy od urlopu bezpłatnego
DocType: Pricing Rule,"Higher the number, higher the priority","Im wyższa liczba, wyższy priorytet"
,Purchase Invoice Trends,Trendy Faktur Zakupów
DocType: Employee,Better Prospects,Lepsze Alternatywy
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Wiersz # {0}: partia {1} ma tylko {2} qty. Wybierz inną partię, która ma {3} qty dostępną lub podzielisz wiersz na wiele wierszy, aby dostarczyć / wydać z wielu partii"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Wiersz # {0}: partia {1} ma tylko {2} qty. Wybierz inną partię, która ma {3} qty dostępną lub podzielisz wiersz na wiele wierszy, aby dostarczyć / wydać z wielu partii"
DocType: Vehicle,License Plate,Tablica rejestracyjna
DocType: Appraisal,Goals,Cele
DocType: Warranty Claim,Warranty / AMC Status,Gwarancja / AMC Status
@@ -1466,7 +1474,8 @@
,Batch-Wise Balance History,
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Ustawienia drukowania zaktualizowane w odpowiednim formacie druku
DocType: Package Code,Package Code,Kod pakietu
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Uczeń
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Uczeń
+DocType: Purchase Invoice,Company GSTIN,Firma GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Ilość nie może być wyrażana na minusie
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","Podatki pobierane z tabeli szczegółów mistrza poz jako ciąg znaków i przechowywane w tej dziedzinie.
@@ -1474,12 +1483,12 @@
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Pracownik nie może odpowiadać do samego siebie.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Jeśli konto jest zamrożone, zapisy mogą wykonywać tylko wyznaczone osoby."
DocType: Email Digest,Bank Balance,Saldo bankowe
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Wprowadzenia danych księgowych dla {0}: {1} może być dokonywane wyłącznie w walucie: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Wprowadzenia danych księgowych dla {0}: {1} może być dokonywane wyłącznie w walucie: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Profil stanowiska pracy, wymagane kwalifikacje itp."
DocType: Journal Entry Account,Account Balance,Bilans konta
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Reguła podatkowa dla transakcji.
DocType: Rename Tool,Type of document to rename.,"Typ dokumentu, którego zmieniasz nazwę"
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Kupujemy ten przedmiot/usługę
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Kupujemy ten przedmiot/usługę
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Klient zobowiązany jest przed należność {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Łączna kwota podatków i opłat (wg Firmy)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Pokaż niezamkniętych rok obrotowy za P & L sald
@@ -1490,29 +1499,30 @@
DocType: Stock Entry,Total Additional Costs,Wszystkich Dodatkowe koszty
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Złom koszt materiału (Spółka waluty)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Komponenty
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Komponenty
DocType: Asset,Asset Name,Zaleta Nazwa
DocType: Project,Task Weight,zadanie Waga
DocType: Shipping Rule Condition,To Value,Określ wartość
DocType: Asset Movement,Stock Manager,Kierownik magazynu
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Magazyn źródłowy jest obowiązkowy dla wiersza {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,List przewozowy
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Wydatki na wynajem
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Magazyn źródłowy jest obowiązkowy dla wiersza {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,List przewozowy
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Wydatki na wynajem
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Konfiguracja ustawień bramki SMS
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Import nie powiódł się!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Nie dodano jeszcze adresu.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Nie dodano jeszcze adresu.
DocType: Workstation Working Hour,Workstation Working Hour,Godziny robocze Stacji Roboczej
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Analityk
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Analityk
DocType: Item,Inventory,Inwentarz
DocType: Item,Sales Details,Szczegóły sprzedaży
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,Z przedmiotami
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,W ilości
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,W ilości
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Zatwierdzić zapisany kurs dla studentów w grupie studentów
DocType: Notification Control,Expense Claim Rejected,Zwrot wydatku odrzucony
DocType: Item,Item Attribute,Atrybut elementu
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Rząd
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Rząd
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Koszty roszczenie {0} już istnieje dla Zaloguj Pojazdów
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Nazwa Instytutu
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Nazwa Instytutu
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,Wpisz Kwota spłaty
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Warianty artykuł
DocType: Company,Services,Usługi
@@ -1522,18 +1532,18 @@
DocType: Sales Invoice,Source,Źródło
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Pokaż closed
DocType: Leave Type,Is Leave Without Pay,Czy urlopu bezpłatnego
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Kategoria atutem jest obowiązkowe dla Fixed pozycja aktywów
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Kategoria atutem jest obowiązkowe dla Fixed pozycja aktywów
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Nie znaleziono rekordów w tabeli płatności
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Ten {0} konflikty z {1} do {2} {3}
DocType: Student Attendance Tool,Students HTML,studenci HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Data początku roku finansowego
DocType: POS Profile,Apply Discount,Zastosuj zniżkę
+DocType: Purchase Invoice Item,GST HSN Code,Kod GST HSN
DocType: Employee External Work History,Total Experience,Całkowita kwota wydatków
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,otwarte Projekty
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,List(y) przewozowe anulowane
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Przepływy środków pieniężnych z Inwestowanie
DocType: Program Course,Program Course,Program kursu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Koszty dostaw i przesyłek
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Koszty dostaw i przesyłek
DocType: Homepage,Company Tagline for website homepage,Firma Tagline do strony głównej
DocType: Item Group,Item Group Name,Element Nazwa grupy
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Wzięty
@@ -1543,6 +1553,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Tworzenie Leads
DocType: Maintenance Schedule,Schedules,Harmonogramy
DocType: Purchase Invoice Item,Net Amount,Kwota netto
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nie został złożony, więc działanie nie może zostać zakończone"
DocType: Purchase Order Item Supplied,BOM Detail No,BOM Numer
DocType: Landed Cost Voucher,Additional Charges,Dodatkowe koszty
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Dodatkowa kwota rabatu (waluta firmy)
@@ -1558,6 +1569,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Miesięczna kwota spłaty
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,Proszę ustawić pole ID użytkownika w rekordzie pracownika do roli pracownika zestawu
DocType: UOM,UOM Name,Nazwa Jednostki Miary
+DocType: GST HSN Code,HSN Code,Kod HSN
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Kwota udziału
DocType: Purchase Invoice,Shipping Address,Adres dostawy
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,To narzędzie pomaga uaktualnić lub ustalić ilość i wycenę akcji w systemie. To jest zwykle używany do synchronizacji wartości systemowych i co rzeczywiście istnieje w magazynach.
@@ -1568,18 +1580,17 @@
DocType: Program Enrollment Tool,Program Enrollments,Program Zgłoszenia
DocType: Sales Invoice Item,Brand Name,Nazwa marki
DocType: Purchase Receipt,Transporter Details,Szczegóły transportu
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Domyślny magazyn jest wymagana dla wybranego elementu
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Pudło
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Domyślny magazyn jest wymagana dla wybranego elementu
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Pudło
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,Dostawca możliwe
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Organizacja
DocType: Budget,Monthly Distribution,Miesięczny Dystrybucja
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Lista odbiorców jest pusta. Proszę stworzyć Listę Odbiorców
DocType: Production Plan Sales Order,Production Plan Sales Order,Zamówienie sprzedaży plany produkcji
DocType: Sales Partner,Sales Partner Target,Cel Partnera Sprzedaży
DocType: Loan Type,Maximum Loan Amount,Maksymalna kwota kredytu
DocType: Pricing Rule,Pricing Rule,Reguła cenowa
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Duplikat numeru rolki dla ucznia {0}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Duplikat numeru rolki dla ucznia {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Duplikat numeru rolki dla ucznia {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Duplikat numeru rolki dla ucznia {0}
DocType: Budget,Action if Annual Budget Exceeded,"Akcja, jeśli roczny budżet Przekroczono"
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Twoje zamówienie jest w realizacji
DocType: Shopping Cart Settings,Payment Success URL,Płatność Sukces URL
@@ -1592,11 +1603,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Saldo otwierające zapasy
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} musi pojawić się tylko raz
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Nie wolno przesyłaj więcej niż {0} {1} przeciwko Zamówienia {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Nie wolno przesyłaj więcej niż {0} {1} przeciwko Zamówienia {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Urlop przedzielony z powodzeniem dla {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Brak Przedmiotów do pakowania
DocType: Shipping Rule Condition,From Value,Od wartości
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Ilość wyprodukowanych jest obowiązkowa
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Ilość wyprodukowanych jest obowiązkowa
DocType: Employee Loan,Repayment Method,Sposób spłaty
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Jeśli zaznaczone, strona główna będzie Grupa domyślna pozycja na stronie"
DocType: Quality Inspection Reading,Reading 4,Odczyt 4
@@ -1606,7 +1617,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Wiersz # {0}: Data Rozliczenie {1} nie może być wcześniejsza niż data Czek {2}
DocType: Company,Default Holiday List,Domyślnie lista urlopowa
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Wiersz {0}: od czasu do czasu i od {1} pokrywa się z {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Zadłużenie zapasów
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Zadłużenie zapasów
DocType: Purchase Invoice,Supplier Warehouse,Magazyn dostawcy
DocType: Opportunity,Contact Mobile No,Numer komórkowy kontaktu
,Material Requests for which Supplier Quotations are not created,
@@ -1617,35 +1628,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Dodać Oferta
apps/erpnext/erpnext/config/selling.py +216,Other Reports,Inne raporty
DocType: Dependent Task,Dependent Task,Zadanie zależne
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Współczynnikiem konwersji dla domyślnej Jednostki Pomiaru musi być 1 w rzędzie {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Współczynnikiem konwersji dla domyślnej Jednostki Pomiaru musi być 1 w rzędzie {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Urlop typu {0} nie może być dłuższy niż {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Spróbuj planowania operacji dla X dni wcześniej.
DocType: HR Settings,Stop Birthday Reminders,Zatrzymaj przypomnienia o urodzinach
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Proszę ustawić domyślny Payroll konto płatne w Spółce {0}
DocType: SMS Center,Receiver List,Lista odbiorców
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Szukaj przedmiotu
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Szukaj przedmiotu
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Skonsumowana wartość
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Zmiana netto stanu środków pieniężnych
DocType: Assessment Plan,Grading Scale,Skala ocen
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Jednostka miary {0} została wprowadzona więcej niż raz w Tabelce Współczynnika Konwersji
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Jednostka miary {0} została wprowadzona więcej niż raz w Tabelce Współczynnika Konwersji
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,Zakończone
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,W Parze
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Płatność Zapytanie już istnieje {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Koszt Emitowanych Przedmiotów
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Ilość nie może być większa niż {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Poprzedni rok finansowy nie jest zamknięta
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Wiek (dni)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Wiek (dni)
DocType: Quotation Item,Quotation Item,Przedmiot Wyceny
+DocType: Customer,Customer POS Id,Identyfikator klienta klienta
DocType: Account,Account Name,Nazwa konta
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Data od - nie może być późniejsza niż Data do
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Nr seryjny {0} dla ilości {1} nie może być ułamkiem
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,
DocType: Purchase Order Item,Supplier Part Number,Numer katalogowy dostawcy
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Wartością konwersji nie może być 0 ani 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Wartością konwersji nie może być 0 ani 1
DocType: Sales Invoice,Reference Document,Dokument referencyjny
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} jest anulowane lub wstrzymane
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} jest anulowane lub wstrzymane
DocType: Accounts Settings,Credit Controller,
DocType: Delivery Note,Vehicle Dispatch Date,Data wysłania pojazdu
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Potwierdzenie Zakupu {0} nie zostało wysłane
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Potwierdzenie Zakupu {0} nie zostało wysłane
DocType: Company,Default Payable Account,Domyślne konto Rozrachunki z dostawcami
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Ustawienia dla internetowego koszyka, takie jak zasady żeglugi, cennika itp"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% rozliczono
@@ -1664,11 +1677,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Całkowitej kwoty zwrotów
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Opiera się to na dzienniki przeciwko tego pojazdu. Zobacz harmonogram poniżej w szczegółach
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,Zebrać
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Przeciwko Dostawcę faktury {0} {1} dnia
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Przeciwko Dostawcę faktury {0} {1} dnia
DocType: Customer,Default Price List,Domyślna List Cen
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Rekord Ruch atutem {0} tworzone
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Nie można usunąć Fiscal Year {0}. Rok fiskalny {0} jest ustawiona jako domyślna w Ustawienia globalne
DocType: Journal Entry,Entry Type,Rodzaj wpisu
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Brak planu oceny związanego z tą grupą oceny
,Customer Credit Balance,Saldo kredytowe klienta
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Zmiana netto stanu zobowiązań
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',
@@ -1676,7 +1690,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,cennik
DocType: Quotation,Term Details,Szczegóły warunków
DocType: Project,Total Sales Cost (via Sales Order),Całkowite koszty sprzedaży (poprzez zlecenie sprzedaży)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Nie można zapisać więcej niż {0} studentów dla tej grupy studentów.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Nie można zapisać więcej niż {0} studentów dla tej grupy studentów.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Liczba potencjalnych klientów
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} musi być większy niż 0
DocType: Manufacturing Settings,Capacity Planning For (Days),Planowanie zdolności Do (dni)
@@ -1698,7 +1712,7 @@
DocType: Sales Invoice,Packed Items,Przedmioty pakowane
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Roszczenie gwarancyjne z numerem seryjnym
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Wymień szczególną LM w innych LM, gdzie jest wykorzystywana. Będzie on zastąpić stary związek BOM, aktualizować koszty i zregenerować ""Item"" eksplozją BOM tabeli jak na nowym BOM"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Całkowity'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Całkowity'
DocType: Shopping Cart Settings,Enable Shopping Cart,Włącz Koszyk
DocType: Employee,Permanent Address,Stały adres
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1714,9 +1728,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,Podaj dokładnie Ilość lub Stawkę lub obie
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,Spełnienie
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Zobacz Koszyk
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Wydatki marketingowe
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Wydatki marketingowe
,Item Shortage Report,Element Zgłoś Niedobór
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Waga jest określona, \n Ustaw także ""Wagę jednostkową"""
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Waga jest określona, \n Ustaw także ""Wagę jednostkową"""
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Następny Amortyzacja Data jest obowiązkowe dla nowych aktywów
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Oddzielna grupa kursów dla każdej partii
@@ -1726,17 +1740,18 @@
,Student Fee Collection,Student Opłata Collection
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Tworzenie Zapisów Księgowych dla każdej zmiany stanu Magazynu
DocType: Leave Allocation,Total Leaves Allocated,Całkowita ilość przyznanych dni zwolnienia od pracy
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Magazyn wymagany w wierszu nr {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Proszę wpisać poprawny rok obrotowy od daty rozpoczęcia i zakończenia
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Magazyn wymagany w wierszu nr {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Proszę wpisać poprawny rok obrotowy od daty rozpoczęcia i zakończenia
DocType: Employee,Date Of Retirement,Data przejścia na emeryturę
DocType: Upload Attendance,Get Template,Pobierz szablon
+DocType: Material Request,Transferred,Przeniesiony
DocType: Vehicle,Doors,drzwi
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,Konfiguracja ERPNext zakończona!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Konfiguracja ERPNext zakończona!
DocType: Course Assessment Criteria,Weightage,Waga/wiek
DocType: Packing Slip,PS-,PS
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: MPK jest wymagane dla "zysków i strat" konta {2}. Proszę ustawić domyślny centrum kosztów dla firmy.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Grupa Odbiorców posiada taką nazwę - wprowadź inną nazwę Odbiorcy lub zmień nazwę Grupy
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Nowy kontakt
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Grupa Odbiorców posiada taką nazwę - wprowadź inną nazwę Odbiorcy lub zmień nazwę Grupy
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Nowy kontakt
DocType: Territory,Parent Territory,Nadrzędne terytorium
DocType: Quality Inspection Reading,Reading 2,Odczyt 2
DocType: Stock Entry,Material Receipt,Przyjęcie materiałów
@@ -1745,17 +1760,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Jeśli ten element ma warianty, to nie może być wybrany w zleceniach sprzedaży itp"
DocType: Lead,Next Contact By,Następny Kontakt Po
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Ilość wymagana dla Przedmiotu {0} w rzędzie {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},Magazyn {0} nie może zostać usunięty ponieważ istnieje wartość dla przedmiotu {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Ilość wymagana dla Przedmiotu {0} w rzędzie {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Magazyn {0} nie może zostać usunięty ponieważ istnieje wartość dla przedmiotu {1}
DocType: Quotation,Order Type,Typ zamówienia
DocType: Purchase Invoice,Notification Email Address,Powiadomienie adres e-mail
,Item-wise Sales Register,
DocType: Asset,Gross Purchase Amount,Zakup Kwota brutto
DocType: Asset,Depreciation Method,Metoda amortyzacji
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Offline
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,Offline
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Czy podatek wliczony jest w opłaty?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Łączna docelowa
-DocType: Program Course,Required,wymagany
DocType: Job Applicant,Applicant for a Job,Aplikant do Pracy
DocType: Production Plan Material Request,Production Plan Material Request,Produkcja Plan Materiał Zapytanie
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Nie ma Zamówienia Produkcji
@@ -1765,17 +1779,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Zezwalaj na wiele zleceń sprzedaży wobec Klienta Zamówienia
DocType: Student Group Instructor,Student Group Instructor,Instruktor grupy studentów
DocType: Student Group Instructor,Student Group Instructor,Instruktor grupy studentów
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 Komórka Nie
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Główny
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Komórka Nie
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Główny
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Wariant
DocType: Naming Series,Set prefix for numbering series on your transactions,Ustaw prefiks dla numeracji serii na swoich transakcji
DocType: Employee Attendance Tool,Employees HTML,Pracownicy HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Domyślnie Wykaz Materiałów ({0}) musi być aktywny dla tej pozycji lub jej szablonu
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Domyślnie Wykaz Materiałów ({0}) musi być aktywny dla tej pozycji lub jej szablonu
DocType: Employee,Leave Encashed?,"Jesteś pewien, że chcesz wyjść z Wykupinych?"
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Szansa Od pola jest obowiązkowe
DocType: Email Digest,Annual Expenses,roczne koszty
DocType: Item,Variants,Warianty
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Wprowadź Zamówienie
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Wprowadź Zamówienie
DocType: SMS Center,Send To,Wyślij do
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},
DocType: Payment Reconciliation Payment,Allocated amount,Przyznana kwota
@@ -1791,26 +1805,25 @@
DocType: Item,Serial Nos and Batches,Numery seryjne i partie
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Siła grupy studentów
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Siła grupy studentów
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Przeciwko Urzędowym Wejście {0} nie ma niezrównaną pozycję {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Przeciwko Urzędowym Wejście {0} nie ma niezrównaną pozycję {1}
apps/erpnext/erpnext/config/hr.py +137,Appraisals,wyceny
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Zduplikowany Nr Seryjny wprowadzony dla przedmiotu {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Warunki wysyłki
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Podaj
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Nie można overbill do pozycji {0} w wierszu {1} więcej niż {2}. Aby umożliwić nad-billing, należy ustawić w Ustawienia zakupów"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Proszę ustawić filtr na podstawie pkt lub magazynie
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Nie można overbill do pozycji {0} w wierszu {1} więcej niż {2}. Aby umożliwić nad-billing, należy ustawić w Ustawienia zakupów"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Proszę ustawić filtr na podstawie pkt lub magazynie
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Masa netto tego pakietu. (Obliczone automatycznie jako suma masy netto poszczególnych pozycji)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Proszę utworzyć konto dla tego magazynu i połączyć je. To nie może być wykonywane automatycznie jako konto z nazwą {0} już istnieje
DocType: Sales Order,To Deliver and Bill,Do dostarczenia i Bill
DocType: Student Group,Instructors,instruktorzy
DocType: GL Entry,Credit Amount in Account Currency,Kwota kredytu w walucie rachunku
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} musi być złożony
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} musi być złożony
DocType: Authorization Control,Authorization Control,Kontrola Autoryzacji
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Wiersz # {0}: Odrzucone Magazyn jest obowiązkowe przed odrzucony poz {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Wiersz # {0}: Odrzucone Magazyn jest obowiązkowe przed odrzucony poz {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Płatność
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Magazyn {0} nie jest powiązany z jakimikolwiek kontem, wspomnij o tym w raporcie magazynu lub ustaw domyślnego konta zapasowego w firmie {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Zarządzanie zamówień
DocType: Production Order Operation,Actual Time and Cost,Rzeczywisty Czas i Koszt
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Zamówienie produktu o maksymalnej ilości {0} może być zrealizowane dla przedmiotu {1} w zamówieniu {2}
-DocType: Employee,Salutation,Forma grzecznościowa
DocType: Course,Course Abbreviation,Skrót golfowe
DocType: Student Leave Application,Student Leave Application,Student Application Leave
DocType: Item,Will also apply for variants,Również zastosowanie do wariantów
@@ -1822,12 +1835,12 @@
DocType: Quotation Item,Actual Qty,Rzeczywista Ilość
DocType: Sales Invoice Item,References,Referencje
DocType: Quality Inspection Reading,Reading 10,Odczyt 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Wypełnij listę produktów lub usług, które kupujesz lub sprzedajesz. Upewnij się, czy poprawnie wybierasz kategorię oraz jednostkę miary."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Wypełnij listę produktów lub usług, które kupujesz lub sprzedajesz. Upewnij się, czy poprawnie wybierasz kategorię oraz jednostkę miary."
DocType: Hub Settings,Hub Node,Hub Węzeł
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Wprowadziłeś duplikat istniejących rzeczy. Sprawdź i spróbuj ponownie
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Współpracownik
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Współpracownik
DocType: Asset Movement,Asset Movement,Zaleta Ruch
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,Nowy Koszyk
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Nowy Koszyk
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,
DocType: SMS Center,Create Receiver List,Stwórz listę odbiorców
DocType: Vehicle,Wheels,Koła
@@ -1847,19 +1860,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Może odnosić się do wierdza tylko wtedy, gdy typ opłata jest ""Poprzedniej Wartości Wiersza Suma"" lub ""poprzedniego wiersza Razem"""
DocType: Sales Order Item,Delivery Warehouse,Magazyn Dostawa
DocType: SMS Settings,Message Parameter,Parametr Wiadomości
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Drzewo MPK finansowych.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Drzewo MPK finansowych.
DocType: Serial No,Delivery Document No,Nr dokumentu dostawy
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Proszę ustaw 'wpływ konto / strata na aktywach Spółki w unieszkodliwianie "{0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Uzyskaj pozycje z potwierdzeń zakupu.
DocType: Serial No,Creation Date,Data utworzenia
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Element {0} pojawia się wielokrotnie w Cenniku {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Sprzedaż musi być sprawdzona, jeśli dotyczy wybrano jako {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Sprzedaż musi być sprawdzona, jeśli dotyczy wybrano jako {0}"
DocType: Production Plan Material Request,Material Request Date,Materiał Zapytanie Data
DocType: Purchase Order Item,Supplier Quotation Item,
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Wyłącza tworzenie dzienników razem przeciwko zleceń produkcyjnych. Operacje nie będą śledzone przed produkcja na zamówienie
DocType: Student,Student Mobile Number,Student Mobile Number
DocType: Item,Has Variants,Ma Warianty
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Już wybrane pozycje z {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Już wybrane pozycje z {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Nazwa dystrybucji miesięcznej
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Identyfikator zbiorczy jest obowiązkowy
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Identyfikator zbiorczy jest obowiązkowy
@@ -1870,12 +1883,12 @@
DocType: Budget,Fiscal Year,Rok Podatkowy
DocType: Vehicle Log,Fuel Price,Cena paliwa
DocType: Budget,Budget,Budżet
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Trwałego Rzecz musi być element non-stock.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Trwałego Rzecz musi być element non-stock.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budżet nie może być przypisany przed {0}, ponieważ nie jest to konto przychodów lub kosztów"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Osiągnięte
DocType: Student Admission,Application Form Route,Formularz zgłoszeniowy Route
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Regin / Klient
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Zostaw Type {0} nie może być przyznane, ponieważ jest pozostawić bez wynagrodzenia"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Wiersz {0}: Przyznana kwota {1} musi być mniejsza lub równa pozostałej kwoty faktury {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"Słownie, będzie widoczne w fakturze sprzedaży, po zapisaniu"
@@ -1884,7 +1897,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Element {0} nie jest ustawiony na nr seryjny. Sprawdź mastera tego elementu
DocType: Maintenance Visit,Maintenance Time,Czas Konserwacji
,Amount to Deliver,Kwota do Deliver
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Produkt lub usługa
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Produkt lub usługa
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Termin Data rozpoczęcia nie może być krótszy niż rok od daty rozpoczęcia roku akademickiego, w jakim termin ten jest powiązany (Academic Year {}). Popraw daty i spróbuj ponownie."
DocType: Guardian,Guardian Interests,opiekun Zainteresowania
DocType: Naming Series,Current Value,Bieżąca Wartość
@@ -1899,12 +1912,12 @@
musi być większa niż lub równe {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Jest to oparte na ruchu zapasów. Zobacz {0} o szczegóły
DocType: Pricing Rule,Selling,Sprzedaż
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Kwota {0} {1} odliczone przed {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Kwota {0} {1} odliczone przed {2}
DocType: Employee,Salary Information,Informacja na temat wynagrodzenia
DocType: Sales Person,Name and Employee ID,Imię i Identyfikator Pracownika
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,Termin nie może być po Dacie Umieszczenia
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,Termin nie może być po Dacie Umieszczenia
DocType: Website Item Group,Website Item Group,Grupa przedmiotów strony WWW
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Podatki i cła
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Podatki i cła
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} wpisy płatności nie mogą być filtrowane przez {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Tabela dla pozycji, które zostaną pokazane w Witrynie"
@@ -1921,9 +1934,9 @@
DocType: Payment Reconciliation Payment,Reference Row,Odniesienie Row
DocType: Installation Note,Installation Time,Czas instalacji
DocType: Sales Invoice,Accounting Details,Dane księgowe
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,"Usuń wszystkie transakcje, dla tej firmy"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Wiersz # {0}: {1} operacja nie zostanie zakończona do {2} Ilość wyrobów gotowych w produkcji Zamówienie # {3}. Proszę zaktualizować stan pracy za pomocą Time Logs
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Inwestycje
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,"Usuń wszystkie transakcje, dla tej firmy"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Wiersz # {0}: {1} operacja nie zostanie zakończona do {2} Ilość wyrobów gotowych w produkcji Zamówienie # {3}. Proszę zaktualizować stan pracy za pomocą Time Logs
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Inwestycje
DocType: Issue,Resolution Details,Szczegóły Rozstrzygnięcia
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,przydziały
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kryteria akceptacji
@@ -1948,7 +1961,7 @@
DocType: Room,Room Name,Nazwa pokoju
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Zostaw nie mogą być stosowane / anulowana przed {0}, a bilans urlopu zostało już przeniesionych przekazywane w przyszłości rekordu alokacji urlopu {1}"
DocType: Activity Cost,Costing Rate,Wskaźnik zestawienia kosztów
-,Customer Addresses And Contacts,
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,
,Campaign Efficiency,Skuteczność kampanii
,Campaign Efficiency,Skuteczność kampanii
DocType: Discussion,Discussion,Dyskusja
@@ -1960,14 +1973,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Całkowita kwota płatności (poprzez Czas Sheet)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Powtórz Przychody klienta
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) musi mieć rolę 'Zatwierdzający Koszty
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Para
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Wybierz BOM i ilosc Produkcji
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Para
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Wybierz BOM i ilosc Produkcji
DocType: Asset,Depreciation Schedule,amortyzacja Harmonogram
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Adresy partnerów handlowych i kontakty
DocType: Bank Reconciliation Detail,Against Account,Konto korespondujące
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Pół Dzień Data powinna być pomiędzy Od Data i do tej pory
DocType: Maintenance Schedule Detail,Actual Date,Rzeczywista Data
DocType: Item,Has Batch No,Posada numer partii (batch)
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Roczne rozliczeniowy: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Roczne rozliczeniowy: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Podatek od towarów i usług (GST India)
DocType: Delivery Note,Excise Page Number,Akcyza numeru strony
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory",Spółka Od Data i do tej pory jest obowiązkowe
DocType: Asset,Purchase Date,Data zakupu
@@ -1975,11 +1990,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Proszę ustawić "aktywa Amortyzacja Cost Center" w towarzystwie {0}
,Maintenance Schedules,Plany Konserwacji
DocType: Task,Actual End Date (via Time Sheet),Faktyczna data zakończenia (przez czas arkuszu)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Kwota {0} {1} przeciwko {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Kwota {0} {1} przeciwko {2} {3}
,Quotation Trends,Trendy Wyceny
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Pozycja Grupa nie wymienione w pozycji do pozycji mistrza {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Debetowane Konto musi być kontem typu Należności
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Pozycja Grupa nie wymienione w pozycji do pozycji mistrza {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Debetowane Konto musi być kontem typu Należności
DocType: Shipping Rule Condition,Shipping Amount,Ilość dostawy
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Dodaj klientów
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Kwota Oczekiwana
DocType: Purchase Invoice Item,Conversion Factor,Współczynnik konwersji
DocType: Purchase Order,Delivered,Dostarczono
@@ -1989,7 +2005,8 @@
DocType: Purchase Receipt,Vehicle Number,Numer pojazdu
DocType: Purchase Invoice,The date on which recurring invoice will be stop,
DocType: Employee Loan,Loan Amount,Kwota kredytu
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Wiersz {0}: Bill of Materials nie znaleziono Item {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Samochód osobowy
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Wiersz {0}: Bill of Materials nie znaleziono Item {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Liczba przyznanych zwolnień od pracy {0} nie może być mniejsza niż już zatwierdzonych zwolnień{1} w okresie
DocType: Journal Entry,Accounts Receivable,Należności
,Supplier-Wise Sales Analytics,
@@ -2006,21 +2023,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Zwrot Kosztów jest w oczekiwaniu na potwierdzenie. Tylko osoba zatwierdzająca wydatki może uaktualnić status.
DocType: Email Digest,New Expenses,Nowe wydatki
DocType: Purchase Invoice,Additional Discount Amount,Kwota dodatkowego rabatu
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Wiersz # {0}: Ilość musi być jeden, a element jest trwałego. Proszę używać osobny wiersz dla stwardnienia st."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Wiersz # {0}: Ilość musi być jeden, a element jest trwałego. Proszę używać osobny wiersz dla stwardnienia st."
DocType: Leave Block List Allow,Leave Block List Allow,Możesz opuścić Blok Zablokowanych List
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Skrót nie może być pusty lub być spacją
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Skrót nie może być pusty lub być spacją
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Grupa do Non-Group
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sporty
DocType: Loan Type,Loan Name,pożyczka Nazwa
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Razem Rzeczywisty
DocType: Student Siblings,Student Siblings,Rodzeństwo studenckie
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,szt.
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,Sprecyzuj Firmę
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,szt.
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Sprecyzuj Firmę
,Customer Acquisition and Loyalty,
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Magazyn w którym zarządzasz odrzuconymi przedmiotami
DocType: Production Order,Skip Material Transfer,Pomiń Przesył materiału
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Nie można znaleźć kursu wymiany dla {0} do {1} dla daty klucza {2}. Proszę utworzyć ręcznie rekord wymiany walut
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Zakończenie roku podatkowego
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Nie można znaleźć kursu wymiany dla {0} do {1} dla daty klucza {2}. Proszę utworzyć ręcznie rekord wymiany walut
DocType: POS Profile,Price List,Cennik
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} jest teraz domyślnym rokiem finansowym. Odśwież swoją przeglądarkę aby zmiana weszła w życie
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Roszczenia wydatków
@@ -2033,14 +2049,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Saldo Zdjęcie w serii {0} będzie negatywna {1} dla pozycji {2} w hurtowni {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Niniejszy materiał Wnioski zostały podniesione automatycznie na podstawie poziomu ponownego zamówienia elementu
DocType: Email Digest,Pending Sales Orders,W oczekiwaniu zleceń sprzedaży
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Konto {0} jest nieprawidłowe. Walutą konta musi być {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Konto {0} jest nieprawidłowe. Walutą konta musi być {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Współczynnik konwersji jednostki miary jest wymagany w rzędzie {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Wiersz # {0}: Reference Document Type musi być jednym zlecenia sprzedaży, sprzedaży lub faktury Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Wiersz # {0}: Reference Document Type musi być jednym zlecenia sprzedaży, sprzedaży lub faktury Journal Entry"
DocType: Salary Component,Deduction,Odliczenie
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Wiersz {0}: od czasu do czasu i jest obowiązkowe.
DocType: Stock Reconciliation Item,Amount Difference,kwota różnicy
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Pozycja Cena dodany do {0} w Cenniku {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Pozycja Cena dodany do {0} w Cenniku {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Proszę podać ID pracownika tej osoby ze sprzedaży
DocType: Territory,Classification of Customers by region,Klasyfikacja Klientów od regionu
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Różnica Kwota musi wynosić zero
@@ -2052,21 +2068,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Całkowita kwota odliczenia
,Production Analytics,Analizy produkcyjne
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Koszt Zaktualizowano
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Koszt Zaktualizowano
DocType: Employee,Date of Birth,Data urodzenia
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Element {0} został zwrócony
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Element {0} został zwrócony
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Rok finansowy** reprezentuje rok finansowy. Wszystkie zapisy księgowe oraz inne znaczące transakcje są śledzone przed ** roku podatkowego **.
DocType: Opportunity,Customer / Lead Address,Adres Klienta / Tropu
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Ostrzeżenie: Nieprawidłowy certyfikat SSL w załączniku {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Ostrzeżenie: Nieprawidłowy certyfikat SSL w załączniku {0}
DocType: Student Admission,Eligibility,Wybieralność
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Przewody pomóc biznesu, dodać wszystkie kontakty i więcej jak swoich klientów"
DocType: Production Order Operation,Actual Operation Time,Rzeczywisty Czas pracy
DocType: Authorization Rule,Applicable To (User),Stosowne dla (Użytkownik)
DocType: Purchase Taxes and Charges,Deduct,Odlicz
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Opis stanowiska Pracy
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Opis stanowiska Pracy
DocType: Student Applicant,Applied,Stosowany
DocType: Sales Invoice Item,Qty as per Stock UOM,Ilość wg. Jednostki Miary
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Nazwa Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Nazwa Guardian2
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Znaki specjalne z wyjątkiem ""-"", ""."", ""#"", i ""/"" nie jest dozwolona w serii nazywania"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Śledź kampanię sprzedażową. Śledź Tropy, Wyceny, Zamówienia Sprzedaży etc. z kampanii by zmierzyć zwrot z inwestycji."
DocType: Expense Claim,Approver,Osoba zatwierdzająca
@@ -2077,8 +2093,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Nr seryjny {0} w ramach gwarancji do {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Przypisz dokumenty dostawy do paczek.
apps/erpnext/erpnext/hooks.py +87,Shipments,Przesyłki
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Saldo konta ({0}) dla {1} i wartości zapasów ({2}) dla magazynu {3} muszą być takie same
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Saldo konta ({0}) dla {1} i wartości zapasów ({2}) dla magazynu {3} muszą być takie same
DocType: Payment Entry,Total Allocated Amount (Company Currency),Łączna kwota przyznanego wsparcia (Spółka waluty)
DocType: Purchase Order Item,To be delivered to customer,Być dostarczone do klienta
DocType: BOM,Scrap Material Cost,Złom Materiał Koszt
@@ -2086,21 +2100,22 @@
DocType: Purchase Invoice,In Words (Company Currency),Słownie
DocType: Asset,Supplier,Dostawca
DocType: C-Form,Quarter,Kwartał
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Pozostałe drobne wydatki
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Pozostałe drobne wydatki
DocType: Global Defaults,Default Company,Domyślna Firma
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Wydatek albo różnica w koncie jest obowiązkowa dla przedmiotu {0} jako że ma wpływ na końcową wartość zapasów
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Wydatek albo różnica w koncie jest obowiązkowa dla przedmiotu {0} jako że ma wpływ na końcową wartość zapasów
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Nazwa banku
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Powyżej
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Powyżej
DocType: Employee Loan,Employee Loan Account,Pracownik rachunku kredytowym
DocType: Leave Application,Total Leave Days,Całkowita ilość dni zwolnienia od pracy
DocType: Email Digest,Note: Email will not be sent to disabled users,Uwaga: E-mail nie zostanie wysłany do nieaktywnych użytkowników
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Liczba interakcji
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Liczba interakcji
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kod pozycji> Grupa pozycji> Marka
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Wybierz firmą ...
DocType: Leave Control Panel,Leave blank if considered for all departments,Zostaw puste jeśli jest to rozważane dla wszystkich departamentów
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Rodzaje zatrudnienia (umowa o pracę, zlecenie, praktyka zawodowa itd.)"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} jest obowiązkowe dla elementu {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} jest obowiązkowe dla elementu {1}
DocType: Process Payroll,Fortnightly,Dwutygodniowy
DocType: Currency Exchange,From Currency,Od Waluty
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Proszę wybrać Przyznana kwota, faktury i faktury Rodzaj numer w conajmniej jednym rzędzie"
@@ -2123,7 +2138,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,"Kliknij na ""Generuj Harmonogram"" aby otrzymać harmonogram"
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Wystąpiły błędy podczas usuwania następujących harmonogramów:
DocType: Bin,Ordered Quantity,Zamówiona Ilość
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","np. ""Buduj narzędzia dla budowniczych"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","np. ""Buduj narzędzia dla budowniczych"""
DocType: Grading Scale,Grading Scale Intervals,Odstępy Skala ocen
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Wejście księgowe dla {2} mogą być dokonywane wyłącznie w walucie: {3}
DocType: Production Order,In Process,W trakcie
@@ -2138,12 +2153,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Utworzono grupy studentów.
DocType: Sales Invoice,Total Billing Amount,Łączna kwota płatności
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Musi istnieć domyślny przychodzącego konta e-mail włączone dla tej pracy. Proszę konfiguracja domyślna przychodzącego konta e-mail (POP / IMAP) i spróbuj ponownie.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Konto Należności
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Wiersz # {0}: {1} aktywami jest już {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Konto Należności
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Wiersz # {0}: {1} aktywami jest już {2}
DocType: Quotation Item,Stock Balance,Bilans zapasów
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Płatności do zamówienia sprzedaży
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Proszę ustawić Serie nazw dla {0} przez Konfiguracja> Ustawienia> Serie nazw
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,CEO
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO
DocType: Expense Claim Detail,Expense Claim Detail,Szczegóły o zwrotach kosztów
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Proszę wybrać prawidłową konto
DocType: Item,Weight UOM,Waga jednostkowa
@@ -2152,12 +2166,12 @@
DocType: Production Order Operation,Pending,W toku
DocType: Course,Course Name,Nazwa przedmiotu
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Użytkownicy którzy mogą zatwierdzić wnioski o urlop konkretnych użytkowników
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Urządzenie Biura
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Urządzenie Biura
DocType: Purchase Invoice Item,Qty,Ilość
DocType: Fiscal Year,Companies,Firmy
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Elektronika
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,"Wywołaj Prośbę Materiałową, gdy stan osiągnie próg ponowienia zlecenia"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Na cały etet
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Na cały etet
DocType: Salary Structure,Employees,Pracowników
DocType: Employee,Contact Details,Szczegóły kontaktu
DocType: C-Form,Received Date,Data Otrzymania
@@ -2167,7 +2181,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Ceny nie będą wyświetlane, jeśli Cennik nie jest ustawiony"
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Proszę podać kraj, w tym wysyłka Reguły lub sprawdź wysyłka na cały świat"
DocType: Stock Entry,Total Incoming Value,Całkowita wartość przychodów
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Debetowane Konto jest wymagane
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Debetowane Konto jest wymagane
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Ewidencja czasu pomaga śledzić czasu, kosztów i rozliczeń dla aktywnosci przeprowadzonych przez zespół"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Cennik zakupowy
DocType: Offer Letter Term,Offer Term,Oferta Term
@@ -2176,17 +2190,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Uzgodnienie płatności
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,Wybierz nazwisko Osoby Zarządzającej
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Technologia
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Razem Niepłatny: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Razem Niepłatny: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM Operacja WWW
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Oferta List
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Utwórz Zamówienia Materiałowe (MRP) i Zamówienia Produkcji.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Razem zafakturowane Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Razem zafakturowane Amt
DocType: BOM,Conversion Rate,Współczynnik konwersji
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Wyszukiwarka produktów
DocType: Timesheet Detail,To Time,Do czasu
DocType: Authorization Rule,Approving Role (above authorized value),Zatwierdzanie rolę (powyżej dopuszczonego wartości)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Kredytowane Konto powinno być kontem typu Zobowiązania
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Kredytowane Konto powinno być kontem typu Zobowiązania
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},
DocType: Production Order Operation,Completed Qty,Ukończona wartość
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Dla {0}, tylko rachunki płatnicze mogą być połączone z innym wejściem kredytową"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Cennik {0} jest wyłączony
@@ -2198,28 +2212,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Numery seryjne wymagane dla pozycji {1}. Podałeś {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Aktualny Wycena Cena
DocType: Item,Customer Item Codes,Kody Pozycja klienta
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Wymiana Zysk / Strata
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Wymiana Zysk / Strata
DocType: Opportunity,Lost Reason,Powód straty
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Nowy adres
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Nowy adres
DocType: Quality Inspection,Sample Size,Wielkość próby
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Proszę podać Otrzymanie dokumentu
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Wszystkie pozycje zostały już zafakturowane
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Wszystkie pozycje zostały już zafakturowane
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,"Kolejne centra kosztów mogą być wykonane w ramach grup, ale wpisy mogą być wykonane przed spoza grup"
DocType: Project,External,Zewnętrzny
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Użytkownicy i uprawnienia
DocType: Vehicle Log,VLOG.,VLOG.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Zlecenia produkcyjne Utworzono: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Zlecenia produkcyjne Utworzono: {0}
DocType: Branch,Branch,Odddział
DocType: Guardian,Mobile Number,Numer telefonu komórkowego
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Drukowanie i firmowanie
DocType: Bin,Actual Quantity,Rzeczywista Ilość
DocType: Shipping Rule,example: Next Day Shipping,przykład: Wysyłka następnego dnia
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Nr seryjny {0} nie znaleziono
-DocType: Scheduling Tool,Student Batch,Batch Student
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Twoi Klienci
+DocType: Program Enrollment,Student Batch,Batch Student
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Dokonaj Studenta
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Zostałeś zaproszony do współpracy przy projekcie: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Zostałeś zaproszony do współpracy przy projekcie: {0}
DocType: Leave Block List Date,Block Date,Zablokowana Data
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Aplikuj teraz
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Rzeczywista ilość {0} / liczba oczekujących {1}
@@ -2229,7 +2242,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.",
DocType: Appraisal Goal,Appraisal Goal,Cel oceny
DocType: Stock Reconciliation Item,Current Amount,Aktualny Kwota
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,Budynki
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,Budynki
DocType: Fee Structure,Fee Structure,Struktura opłat
DocType: Timesheet Detail,Costing Amount,Kwota zestawienia kosztów
DocType: Student Admission,Application Fee,Opłata za zgłoszenie
@@ -2241,10 +2254,10 @@
DocType: POS Profile,[Select],[Wybierz]
DocType: SMS Log,Sent To,Wysłane Do
DocType: Payment Request,Make Sales Invoice,Nowa faktura sprzedaży
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,Oprogramowania
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Oprogramowania
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Następnie Kontakt Data nie może być w przeszłości
DocType: Company,For Reference Only.,Wyłącznie w celach informacyjnych.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Wybierz numer partii
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Wybierz numer partii
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Nieprawidłowy {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET
DocType: Sales Invoice Advance,Advance Amount,Kwota Zaliczki
@@ -2254,15 +2267,15 @@
DocType: Employee,Employment Details,Szczegóły zatrudnienia
DocType: Employee,New Workplace,Nowe Miejsce Pracy
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Ustaw jako Zamknięty
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Nie istnieje Przedmiot o kodzie kreskowym {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Nie istnieje Przedmiot o kodzie kreskowym {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Numer sprawy nie może wynosić 0
DocType: Item,Show a slideshow at the top of the page,Pokazuj slideshow na górze strony
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,LM
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Sklepy
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,LM
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Sklepy
DocType: Serial No,Delivery Time,Czas dostawy
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,
DocType: Item,End of Life,Zakończenie okresu eksploatacji
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Podróż
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Podróż
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Brak aktywnego czy ustawiona Wynagrodzenie Struktura znalezionych dla pracownika {0} dla podanych dat
DocType: Leave Block List,Allow Users,Zezwól Użytkownikom
DocType: Purchase Order,Customer Mobile No,Komórka klienta Nie
@@ -2271,29 +2284,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Zaktualizuj Koszt
DocType: Item Reorder,Item Reorder,Element Zamów ponownie
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Slip Pokaż Wynagrodzenie
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Transfer materiału
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Transfer materiału
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Niniejszy dokument ma na granicy przez {0} {1} dla pozycji {4}. Robisz kolejny {3} przeciwko samo {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Proszę ustawić cykliczne po zapisaniu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Wybierz opcję Zmień konto kwotę
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Niniejszy dokument ma na granicy przez {0} {1} dla pozycji {4}. Robisz kolejny {3} przeciwko samo {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Proszę ustawić cykliczne po zapisaniu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Wybierz opcję Zmień konto kwotę
DocType: Purchase Invoice,Price List Currency,Waluta cennika
DocType: Naming Series,User must always select,Użytkownik musi zawsze zaznaczyć
DocType: Stock Settings,Allow Negative Stock,Dozwolony ujemny stan
DocType: Installation Note,Installation Note,Notka instalacyjna
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Definiowanie podatków
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Definiowanie podatków
DocType: Topic,Topic,Temat
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Cash Flow z finansowania
DocType: Budget Account,Budget Account,budżet konta
DocType: Quality Inspection,Verified By,Zweryfikowane przez
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nie można zmienić domyślnej waluty firmy, ponieważ istnieją przypisane do niej transakcje. Anuluj transakcje, aby zmienić domyślną walutę"
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nie można zmienić domyślnej waluty firmy, ponieważ istnieją przypisane do niej transakcje. Anuluj transakcje, aby zmienić domyślną walutę"
DocType: Grading Scale Interval,Grade Description,Stopień Opis
DocType: Stock Entry,Purchase Receipt No,Nr Potwierdzenia Zakupu
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Pieniądze zaliczkowe
DocType: Process Payroll,Create Salary Slip,Utwórz pasek wynagrodzenia
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Śledzenie
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Pasywa
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Ilość w rzędzie {0} ({1}) musi być taka sama jak wyprodukowana ilość {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Pasywa
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Ilość w rzędzie {0} ({1}) musi być taka sama jak wyprodukowana ilość {2}
DocType: Appraisal,Employee,Pracownik
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Wybierz opcję Batch
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} jest w pełni rozliczone
DocType: Training Event,End Time,Czas zakończenia
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktywny Wynagrodzenie Struktura {0} znalezionych dla pracownika {1} dla podanych dat
@@ -2305,11 +2319,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Wymagane na
DocType: Rename Tool,File to Rename,Plik to zmiany nazwy
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Proszę wybrać LM dla pozycji w wierszu {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Określone BOM {0} nie istnieje dla pozycji {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Konto {0} nie jest zgodne z firmą {1} w trybie konta: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Określone BOM {0} nie istnieje dla pozycji {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Plan Konserwacji {0} musi być anulowany przed usunięciem tego zamówienia
DocType: Notification Control,Expense Claim Approved,Zwrot Kosztów zatwierdzony
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Wynagrodzenie Slip pracownika {0} już stworzony dla tego okresu
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Farmaceutyczny
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmaceutyczny
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Koszt zakupionych towarów
DocType: Selling Settings,Sales Order Required,Wymagane Zamówienie Sprzedaży
DocType: Purchase Invoice,Credit To,Kredytowane konto (Ma)
@@ -2326,43 +2341,43 @@
DocType: Payment Gateway Account,Payment Account,Konto Płatność
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,Sprecyzuj firmę aby przejść dalej
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Zmiana netto stanu należności
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,
DocType: Offer Letter,Accepted,Przyjęte
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,Organizacja
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,Organizacja
DocType: SG Creation Tool Course,Student Group Name,Nazwa grupy studentów
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Upewnij się, że na pewno chcesz usunąć wszystkie transakcje dla tej firmy. Twoje dane podstawowe pozostanie tak jak jest. Ta akcja nie można cofnąć."
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Upewnij się, że na pewno chcesz usunąć wszystkie transakcje dla tej firmy. Twoje dane podstawowe pozostanie tak jak jest. Ta akcja nie można cofnąć."
DocType: Room,Room Number,Numer pokoju
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Nieprawidłowy odniesienia {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) nie może być większa niż zaplanowana ilość ({2}) w Zleceniu Produkcyjnym {3}
DocType: Shipping Rule,Shipping Rule Label,Etykieta z zasadami wysyłki i transportu
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forum użytkowników
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Surowce nie może być puste.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Nie można zaktualizować stanu - faktura zawiera pozycję, której proces wysyłki scedowano na dostawcę."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Surowce nie może być puste.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Nie można zaktualizować stanu - faktura zawiera pozycję, której proces wysyłki scedowano na dostawcę."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Szybkie Księgowanie
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,Nie możesz zmienić danych jeśli BOM jest przeciw jakiejkolwiek rzeczy
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,Nie możesz zmienić danych jeśli BOM jest przeciw jakiejkolwiek rzeczy
DocType: Employee,Previous Work Experience,Poprzednie doświadczenie zawodowe
DocType: Stock Entry,For Quantity,Dla Ilości
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Proszę podać Planowane Ilości dla pozycji {0} w wierszu {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} nie zostało dodane
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Zamówienia produktów.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,"Oddzielne zamówienie produkcji będzie tworzone dla każdej ukończonej, dobrej rzeczy"
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} musi być ujemna w dokumencie zwrotnym
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} musi być ujemna w dokumencie zwrotnym
,Minutes to First Response for Issues,Minutes to pierwsza odpowiedź do Spraw
DocType: Purchase Invoice,Terms and Conditions1,Warunki1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,"Nazwa instytutu, dla którego jest utworzenie tego systemu."
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,"Nazwa instytutu, dla którego jest utworzenie tego systemu."
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Zapisywanie kont zostało zamrożone do tej daty, nikt nie może tworzyć / modyfikować zapisów poza uprawnionymi użytkownikami wymienionymi poniżej."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,Zapisz dokument przed wygenerowaniem harmonogram konserwacji
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Status projektu
DocType: UOM,Check this to disallow fractions. (for Nos),Zaznacz to by zakazać ułamków (dla liczby jednostek)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Poniższe Zlecenia produkcyjne powstały:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Poniższe Zlecenia produkcyjne powstały:
DocType: Student Admission,Naming Series (for Student Applicant),Naming Series (dla Studenta Wnioskodawcy)
DocType: Delivery Note,Transporter Name,Nazwa przewoźnika
DocType: Authorization Rule,Authorized Value,Autoryzowany Wartość
DocType: BOM,Show Operations,Pokaż Operations
,Minutes to First Response for Opportunity,Minutes to pierwsza odpowiedź na szansy
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Razem Nieobecny
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Jednostka miary
DocType: Fiscal Year,Year End Date,Data końca roku
DocType: Task Depends On,Task Depends On,Zadanie Zależy od
@@ -2462,11 +2477,11 @@
DocType: Asset,Manual,podręcznik
DocType: Salary Component Account,Salary Component Account,Konto Wynagrodzenie Komponent
DocType: Global Defaults,Hide Currency Symbol,Ukryj symbol walutowy
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","np. Bank, Gotówka, Karta kredytowa"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","np. Bank, Gotówka, Karta kredytowa"
DocType: Lead Source,Source Name,Źródło Nazwa
DocType: Journal Entry,Credit Note,
DocType: Warranty Claim,Service Address,Adres usługi
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Meble i wyposażenie
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Meble i wyposażenie
DocType: Item,Manufacture,Produkcja
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Proszę dostawy Uwaga pierwsza
DocType: Student Applicant,Application Date,Data złożenia wniosku
@@ -2476,7 +2491,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Produkcja
DocType: Guardian,Occupation,Zawód
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Proszę skonfigurować system nazwisk pracowników w zasobach ludzkich> ustawienia HR
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Wiersz {0}: Data Początku musi być przed Datą Końca
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Razem (szt)
DocType: Sales Invoice,This Document,Ten dokument
@@ -2488,20 +2502,20 @@
DocType: Purchase Receipt,Time at which materials were received,Czas doręczenia materiałów
DocType: Stock Ledger Entry,Outgoing Rate,Wychodzące Cena
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Szef oddziału Organizacji
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,lub
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,lub
DocType: Sales Order,Billing Status,Status Faktury
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Zgłoś problem
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Wydatki na usługi komunalne
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Wydatki na usługi komunalne
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-Ponad
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Wiersz # {0}: Journal Entry {1} nie masz konta {2} lub już porównywana z innym kuponie
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Wiersz # {0}: Journal Entry {1} nie masz konta {2} lub już porównywana z innym kuponie
DocType: Buying Settings,Default Buying Price List,Domyślna Lista Cen Kupowania
DocType: Process Payroll,Salary Slip Based on Timesheet,Slip Wynagrodzenie podstawie grafiku
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Żaden pracownik nie dla wyżej wybranych kryteriów lub specyfikacji wynagrodzenia już utworzony
DocType: Notification Control,Sales Order Message,Informacje Zlecenia Sprzedaży
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Ustaw wartości domyślne jak firma, waluta, bieżący rok rozliczeniowy, itd."
DocType: Payment Entry,Payment Type,Typ płatności
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Wybierz partię dla elementu {0}. Nie można znaleźć pojedynczej partii, która spełnia ten wymóg"
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Wybierz partię dla elementu {0}. Nie można znaleźć pojedynczej partii, która spełnia ten wymóg"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Wybierz partię dla elementu {0}. Nie można znaleźć pojedynczej partii, która spełnia ten wymóg"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Wybierz partię dla elementu {0}. Nie można znaleźć pojedynczej partii, która spełnia ten wymóg"
DocType: Process Payroll,Select Employees,Wybierz Pracownicy
DocType: Opportunity,Potential Sales Deal,Szczegóły potencjalnych sprzedaży
DocType: Payment Entry,Cheque/Reference Date,Czek / Reference Data
@@ -2521,7 +2535,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Otrzymanie dokumentu należy składać
DocType: Purchase Invoice Item,Received Qty,Otrzymana ilość
DocType: Stock Entry Detail,Serial No / Batch,Nr seryjny / partia
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Nie Płatny i nie Dostarczany
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Nie Płatny i nie Dostarczany
DocType: Product Bundle,Parent Item,Element nadrzędny
DocType: Account,Account Type,Typ konta
DocType: Delivery Note,DN-RET-,DN-RET
@@ -2536,25 +2550,24 @@
DocType: Bin,Reserved Quantity,Zarezerwowana ilość
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Proszę wprowadzić poprawny adres email
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Proszę wprowadzić poprawny adres email
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Nie ma obowiĘ ... zkowego kursu dla programu {0}
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Nie ma obowiĘ ... zkowego kursu dla programu {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Przedmioty Potwierdzenia Zakupu
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Dostosowywanie formularzy
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,Zaległość
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,Zaległość
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Kwota amortyzacji w okresie
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Szablon niepełnosprawnych nie może być domyślny szablon
DocType: Account,Income Account,Konto przychodów
DocType: Payment Request,Amount in customer's currency,Kwota w walucie klienta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Dostarczanie
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Dostarczanie
DocType: Stock Reconciliation Item,Current Qty,Obecna ilość
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section","Patrz ""Oceń Materiały w oparciu o"" w sekcji Kalkulacji kosztów"
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Poprzedni
DocType: Appraisal Goal,Key Responsibility Area,Kluczowy obszar obowiązków
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Partie studenckich pomóc śledzenie obecności, oceny i opłat dla studentów"
DocType: Payment Entry,Total Allocated Amount,Łączna kwota przyznanego wsparcia
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Ustaw domyślne konto zapasów dla zasobów reklamowych wieczystych
DocType: Item Reorder,Material Request Type,Typ zamówienia produktu
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Journal Entry na wynagrodzenia z {0} {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage jest pełna, nie oszczędzać"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage jest pełna, nie oszczędzać"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Wiersz {0}: JM Współczynnik konwersji jest obowiązkowe
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Ref
DocType: Budget,Cost Center,Centrum kosztów
@@ -2567,19 +2580,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Wycena Zasada jest nadpisanie cennik / określenie procentowego rabatu, w oparciu o pewne kryteria."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Magazyn może być tylko zmieniony poprzez Wpis Asortymentu / Notę Dostawy / Potwierdzenie zakupu
DocType: Employee Education,Class / Percentage,
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Kierownik Marketingu i Sprzedaży
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Podatek dochodowy
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Kierownik Marketingu i Sprzedaży
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Podatek dochodowy
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Jeśli wybrana reguła Wycena jest dla 'Cena' spowoduje zastąpienie cennik. Zasada jest cena Wycena ostateczna cena, więc dalsze zniżki powinny być stosowane. W związku z tym, w transakcjach takich jak zlecenia sprzedaży, zamówienia itp, będzie pobrana w polu ""stopa"", a nie polu ""Cennik stopa""."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Śledź leady przez typy przedsiębiorstw
DocType: Item Supplier,Item Supplier,Dostawca
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,Proszę wprowadzić Kod Produktu w celu przyporządkowania serii
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},Proszę wprowadzić wartość dla wyceny {0} {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,Proszę wprowadzić Kod Produktu w celu przyporządkowania serii
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Proszę wprowadzić wartość dla wyceny {0} {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Wszystkie adresy
DocType: Company,Stock Settings,Ustawienia magazynu
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Połączenie jest możliwe tylko wtedy, gdy następujące właściwości są takie same w obu płyt. Czy Grupa Root Typ, Firma"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Połączenie jest możliwe tylko wtedy, gdy następujące właściwości są takie same w obu płyt. Czy Grupa Root Typ, Firma"
DocType: Vehicle,Electric,Elektryczny
DocType: Task,% Progress,Postęp%
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Zysk / Strata na Aktywów pozbywaniu
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Zysk / Strata na Aktywów pozbywaniu
DocType: Training Event,Will send an email about the event to employees with status 'Open',Wyśle wiadomość e-mail o zdarzeniu pracowników ze statusem "Otwórz"
DocType: Task,Depends on Tasks,Zależy Zadania
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Zarządzaj drzewem grupy klientów
@@ -2588,7 +2601,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Nazwa nowego Centrum Kosztów
DocType: Leave Control Panel,Leave Control Panel,Panel do obsługi Urlopów
DocType: Project,Task Completion,zadanie Zakończenie
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Brak na stanie
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Brak na stanie
DocType: Appraisal,HR User,Kadry - użytkownik
DocType: Purchase Invoice,Taxes and Charges Deducted,Podatki i opłaty potrącenia
apps/erpnext/erpnext/hooks.py +116,Issues,Zagadnienia
@@ -2599,22 +2612,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Nie znaleziono wynagrodzenie poślizg między {0} i {1}
,Pending SO Items For Purchase Request,Oczekiwane elementy Zamówień Sprzedaży na Prośbę Zakupu
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Rekrutacja dla studentów
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} jest wyłączony
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} jest wyłączony
DocType: Supplier,Billing Currency,Waluta Rozliczenia
DocType: Sales Invoice,SINV-RET-,SINV-RET
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Bardzo Duży
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Bardzo Duży
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Wszystkich Liście
,Profit and Loss Statement,Rachunek zysków i strat
DocType: Bank Reconciliation Detail,Cheque Number,Numer czeku
,Sales Browser,Przeglądarka Sprzedaży
DocType: Journal Entry,Total Credit,Całkowita kwota kredytu
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Ostrzeżenie: Inny {0} # {1} istnieje we wpisie asortymentu {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Lokalne
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Lokalne
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Inwestycje finansowe i udzielone pożyczki (aktywa)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Dłużnicy
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Duży
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Duży
DocType: Homepage Featured Product,Homepage Featured Product,Ciekawa Strona produktu
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Wszystkie grupy oceny
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Wszystkie grupy oceny
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Nowy magazyn Nazwa
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Razem {0} ({1})
DocType: C-Form Invoice Detail,Territory,Region
@@ -2624,12 +2637,12 @@
DocType: Production Order Operation,Planned Start Time,Planowany czas rozpoczęcia
DocType: Course,Assessment,Oszacowanie
DocType: Payment Entry Reference,Allocated,Przydzielone
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Sporządzenie Bilansu oraz Rachunku zysków i strat.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Sporządzenie Bilansu oraz Rachunku zysków i strat.
DocType: Student Applicant,Application Status,Status aplikacji
DocType: Fees,Fees,Opłaty
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Określ Kursy walut konwersji jednej waluty w drugą
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Wycena {0} jest anulowana
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Łączna kwota
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Łączna kwota
DocType: Sales Partner,Targets,Cele
DocType: Price List,Price List Master,Ustawienia Cennika
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Wszystkie transakcje sprzedaży mogą być oznaczone przed wieloma ** Osoby sprzedaży **, dzięki czemu można ustawić i monitorować cele."
@@ -2673,12 +2686,12 @@
1. Adres i kontakt z Twojej firmy."
DocType: Attendance,Leave Type,Typ urlopu
DocType: Purchase Invoice,Supplier Invoice Details,Dostawca Szczegóły faktury
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Konto koszty / Różnica ({0}) musi być kontem ""rachunek zysków i strat"""
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Konto koszty / Różnica ({0}) musi być kontem ""rachunek zysków i strat"""
DocType: Project,Copied From,Skopiowano z
DocType: Project,Copied From,Skopiowano z
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Błąd Nazwa: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,Niedobór
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} nie jest skojarzony z {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} nie jest skojarzony z {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Frekwencja pracownika {0} jest już zaznaczona
DocType: Packing Slip,If more than one package of the same type (for print),Jeśli więcej niż jedna paczka tego samego typu (do druku)
,Salary Register,wynagrodzenie Rejestracja
@@ -2696,22 +2709,23 @@
,Requested Qty,
DocType: Tax Rule,Use for Shopping Cart,Służy do koszyka
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Wartość {0} atrybutu {1} nie istnieje w liście ważnej pozycji wartości atrybutów dla pozycji {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Wybierz numery seryjne
DocType: BOM Item,Scrap %,
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Koszty zostaną rozdzielone proporcjonalnie na podstawie Ilość pozycji lub kwoty, jak na swój wybór"
DocType: Maintenance Visit,Purposes,Cele
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Conajmniej jedna pozycja powinna być wpisana w ilości negatywnej w dokumencie powrotnej
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Conajmniej jedna pozycja powinna być wpisana w ilości negatywnej w dokumencie powrotnej
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operacja {0} dłużej niż wszelkie dostępne w godzinach pracy stacji roboczej {1}, rozbić na kilka operacji operacji"
,Requested,Zamówiony
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Brak Uwag
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Brak Uwag
DocType: Purchase Invoice,Overdue,Zaległy
DocType: Account,Stock Received But Not Billed,"Przyjęte na stan, nie zapłacone (zobowiązanie)"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Konto root musi być grupą
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Konto root musi być grupą
DocType: Fees,FEE.,OPŁATA.
DocType: Employee Loan,Repaid/Closed,Spłacone / Zamknięte
DocType: Item,Total Projected Qty,Łącznej prognozowanej szt
DocType: Monthly Distribution,Distribution Name,Nazwa Dystrybucji
DocType: Course,Course Code,Kod kursu
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Kontrola jakości wymagana dla przedmiotu {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Kontrola jakości wymagana dla przedmiotu {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Stawka przy użyciu której Waluta Klienta jest konwertowana do podstawowej waluty firmy
DocType: Purchase Invoice Item,Net Rate (Company Currency),Cena netto (Spółka Waluta)
DocType: Salary Detail,Condition and Formula Help,Stan i Formula Pomoc
@@ -2724,27 +2738,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Materiał transferu dla Produkcja
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Rabat procentowy może być stosowany zarówno przed cenniku dla wszystkich Cenniku.
DocType: Purchase Invoice,Half-yearly,Półroczny
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Zapis księgowy dla zapasów
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Zapis księgowy dla zapasów
DocType: Vehicle Service,Engine Oil,Olej silnikowy
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Proszę skonfigurować system nazwisk pracowników w zasobach ludzkich> ustawienia HR
DocType: Sales Invoice,Sales Team1,Team Sprzedażowy1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Element {0} nie istnieje
DocType: Sales Invoice,Customer Address,Adres klienta
DocType: Employee Loan,Loan Details,pożyczka Szczegóły
+DocType: Company,Default Inventory Account,Domyślne konto zasobów reklamowych
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Wiersz {0}: Zakończony Ilość musi być większa od zera.
DocType: Purchase Invoice,Apply Additional Discount On,Zastosuj dodatkowe zniżki na
DocType: Account,Root Type,Typ Root
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Wiersz # {0}: Nie można wrócić więcej niż {1} dla pozycji {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Wiersz # {0}: Nie można wrócić więcej niż {1} dla pozycji {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Wątek
DocType: Item Group,Show this slideshow at the top of the page,Pokaż slideshow na górze strony
DocType: BOM,Item UOM,Jednostka miary produktu
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Kwota podatku po uwzględnieniu rabatu (waluta firmy)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Magazyn docelowy jest obowiązkowy dla wiersza {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Magazyn docelowy jest obowiązkowy dla wiersza {0}
DocType: Cheque Print Template,Primary Settings,Ustawienia podstawowe
DocType: Purchase Invoice,Select Supplier Address,Wybierz Dostawca Adres
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Dodaj Pracownikom
DocType: Purchase Invoice Item,Quality Inspection,Kontrola jakości
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Extra Small
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small
DocType: Company,Standard Template,Szablon Standardowy
DocType: Training Event,Theory,Teoria
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Ostrzeżenie: Ilość Zapotrzebowanego Materiału jest mniejsza niż minimalna ilość na zamówieniu
@@ -2752,7 +2768,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Osobowość prawna / Filia w oddzielny planu kont należących do Organizacji.
DocType: Payment Request,Mute Email,Wyciszenie email
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Żywność, Trunki i Tytoń"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Mogą jedynie wpłaty przed Unbilled {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Mogą jedynie wpłaty przed Unbilled {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Wartość prowizji nie może być większa niż 100
DocType: Stock Entry,Subcontract,Zlecenie
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Podaj {0} pierwszy
@@ -2765,18 +2781,18 @@
DocType: SMS Log,No of Sent SMS,Numer wysłanego Sms
DocType: Account,Expense Account,Konto Wydatków
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Oprogramowanie
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Kolor
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Kolor
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Kryteria oceny planu
DocType: Training Event,Scheduled,Zaplanowane
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Zapytanie ofertowe.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Proszę wybrać produkt, gdzie "Czy Pozycja Zdjęcie" brzmi "Nie" i "Czy Sales Item" brzmi "Tak", a nie ma innego Bundle wyrobów"
DocType: Student Log,Academic,Akademicki
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Suma zaliczki ({0}) przed zamówieniem {1} nie może być większa od ogólnej sumy ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Suma zaliczki ({0}) przed zamówieniem {1} nie może być większa od ogólnej sumy ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Wybierz dystrybucji miesięcznej się nierównomiernie rozprowadzić cele całej miesięcy.
DocType: Purchase Invoice Item,Valuation Rate,Wskaźnik wyceny
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Nie wybrano Cennika w Walucie
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Nie wybrano Cennika w Walucie
,Student Monthly Attendance Sheet,Student miesięczny Obecność Sheet
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Pracownik {0} już się ubiegał o {1} między {2} a {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Data startu projektu
@@ -2789,7 +2805,7 @@
DocType: BOM,Scrap,Skrawek
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Zarządzaj Partnerami Sprzedaży.
DocType: Quality Inspection,Inspection Type,Typ kontroli
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Magazyny z istniejącymi transakcji nie mogą być zamieniane na grupy.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Magazyny z istniejącymi transakcji nie mogą być zamieniane na grupy.
DocType: Assessment Result Tool,Result HTML,wynik HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Upływa w dniu
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Dodaj uczniów
@@ -2797,13 +2813,13 @@
DocType: C-Form,C-Form No,
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,Obecność nieoznaczona
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Researcher
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Researcher
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Rejestracja w programie Narzędzie Student
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Imię lub E-mail jest obowiązkowe
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Kontrola jakości przychodzących.
DocType: Purchase Order Item,Returned Qty,Wrócił szt
DocType: Employee,Exit,Wyjście
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Typ Root jest obowiązkowy
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Typ Root jest obowiązkowy
DocType: BOM,Total Cost(Company Currency),Całkowity koszt (Spółka waluty)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Stworzono nr seryjny {0}
DocType: Homepage,Company Description for website homepage,Opis firmy na stronie głównej
@@ -2812,7 +2828,7 @@
DocType: Sales Invoice,Time Sheet List,Czas Lista Sheet
DocType: Employee,You can enter any date manually,Możesz wprowadzić jakąkolwiek datę ręcznie
DocType: Asset Category Account,Depreciation Expense Account,Konto amortyzacji wydatków
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Okres próbny
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Okres próbny
DocType: Customer Group,Only leaf nodes are allowed in transaction,
DocType: Expense Claim,Expense Approver,Osoba zatwierdzająca wydatki
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Wiersz {0}: Advance wobec Klienta musi być kredytowej
@@ -2826,10 +2842,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Rozkłady zajęć usunięte:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Logi do utrzymania sms stan przesyłki
DocType: Accounts Settings,Make Payment via Journal Entry,Wykonywanie płatności za pośrednictwem Zapisów Księgowych dziennika
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,wydrukowane na
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,wydrukowane na
DocType: Item,Inspection Required before Delivery,Wymagane Kontrola przed dostawą
DocType: Item,Inspection Required before Purchase,Wymagane Kontrola przed zakupem
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Oczekujące Inne
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Twoja organizacja
DocType: Fee Component,Fees Category,Opłaty Kategoria
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
@@ -2839,9 +2856,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Poziom Uporządkowania
DocType: Company,Chart Of Accounts Template,Szablon planu kont
DocType: Attendance,Attendance Date,Data usługi
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Pozycja Cena aktualizowana {0} w Cenniku {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Pozycja Cena aktualizowana {0} w Cenniku {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Średnie wynagrodzenie w oparciu o zarobki i odliczenia
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Konto grupujące inne konta nie może być konwertowane
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Konto grupujące inne konta nie może być konwertowane
DocType: Purchase Invoice Item,Accepted Warehouse,Przyjęty magazyn
DocType: Bank Reconciliation Detail,Posting Date,Data publikacji
DocType: Item,Valuation Method,Metoda wyceny
@@ -2850,14 +2867,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Wpis zduplikowany
DocType: Program Enrollment Tool,Get Students,Uzyskaj Studentów
DocType: Serial No,Under Warranty,Pod Gwarancją
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Błąd]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Błąd]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,"Słownie, będzie widoczne w Zamówieniu Sprzedaży, po zapisaniu"
,Employee Birthday,Data urodzenia pracownika
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Batch Obecność narzędzia
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,Limit Crossed
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Limit Crossed
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Kapitał wysokiego ryzyka
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Semestr z tym "Roku Akademickiego" {0} i 'Nazwa Termin' {1} już istnieje. Proszę zmodyfikować te dane i spróbuj jeszcze raz.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Ponieważ istnieje istniejące transakcje przeciwko elementu {0}, nie można zmienić wartość {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Ponieważ istnieje istniejące transakcje przeciwko elementu {0}, nie można zmienić wartość {1}"
DocType: UOM,Must be Whole Number,Musi być liczbą całkowitą
DocType: Leave Control Panel,New Leaves Allocated (In Days),Nowe Zwolnienie Przypisano (W Dniach)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Nr seryjny {0} nie istnieje
@@ -2866,6 +2883,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Numer faktury
DocType: Shopping Cart Settings,Orders,Zamówienia
DocType: Employee Leave Approver,Leave Approver,Zatwierdzający Urlop
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Wybierz partię
DocType: Assessment Group,Assessment Group Name,Nazwa grupy Assessment
DocType: Manufacturing Settings,Material Transferred for Manufacture,Materiał Przeniesiony do Produkcji
DocType: Expense Claim,"A user with ""Expense Approver"" role","Użytkownik z ""Koszty zatwierdzająca"" rolą"
@@ -2875,9 +2893,10 @@
DocType: Target Detail,Target Detail,Szczegóły celu
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,Wszystkie Oferty pracy
DocType: Sales Order,% of materials billed against this Sales Order,% materiałów rozliczonych w ramach tego zlecenia sprzedaży
+DocType: Program Enrollment,Mode of Transportation,Środek transportu
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Wpis Kończący Okres
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Centrum Kosztów z istniejącą transakcją nie może być przekształcone w grupę
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Kwota {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Kwota {0} {1} {2} {3}
DocType: Account,Depreciation,Amortyzacja
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Dostawca(y)
DocType: Employee Attendance Tool,Employee Attendance Tool,Narzędzie Frekwencji
@@ -2885,7 +2904,7 @@
DocType: Supplier,Credit Limit,
DocType: Production Plan Sales Order,Salse Order Date,Salse Data zamówienia
DocType: Salary Component,Salary Component,Wynagrodzenie Komponent
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Wpisy płatności {0} są un-linked
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Wpisy płatności {0} są un-linked
DocType: GL Entry,Voucher No,Nr Podstawy księgowania
,Lead Owner Efficiency,Skuteczność właściciela wiodącego
,Lead Owner Efficiency,Skuteczność właściciela wiodącego
@@ -2897,11 +2916,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Szablon z warunkami lub umową.
DocType: Purchase Invoice,Address and Contact,Adres i Kontakt
DocType: Cheque Print Template,Is Account Payable,Czy Account Payable
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Zdjęcie nie może zostać zaktualizowany przed ZAKUPU {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Zdjęcie nie może zostać zaktualizowany przed ZAKUPU {0}
DocType: Supplier,Last Day of the Next Month,Ostatni dzień następnego miesiąca
DocType: Support Settings,Auto close Issue after 7 days,Auto blisko Issue po 7 dniach
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Urlopu nie może być przyznane przed {0}, a bilans urlopu zostało już przeniesionych przekazywane w przyszłości rekordu alokacji urlopu {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Uwaga: Ze względu / Data odniesienia przekracza dozwolony dzień kredytowej klienta przez {0} dni (s)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Uwaga: Ze względu / Data odniesienia przekracza dozwolony dzień kredytowej klienta przez {0} dni (s)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Student Wnioskodawca
DocType: Asset Category Account,Accumulated Depreciation Account,Skumulowana konta Amortyzacja
DocType: Stock Settings,Freeze Stock Entries,Zamroź Wpisy do Asortymentu
@@ -2910,36 +2929,36 @@
DocType: Activity Cost,Billing Rate,Kursy rozliczeniowe
,Qty to Deliver,Ilość do dostarczenia
,Stock Analytics,Analityka magazynu
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Operacje nie może być puste
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operacje nie może być puste
DocType: Maintenance Visit Purpose,Against Document Detail No,
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Rodzaj Partia jest obowiązkowe
DocType: Quality Inspection,Outgoing,Wychodzący
DocType: Material Request,Requested For,Prośba o
DocType: Quotation Item,Against Doctype,
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} zostanie anulowane lub zamknięte
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} zostanie anulowane lub zamknięte
DocType: Delivery Note,Track this Delivery Note against any Project,Śledź potwierdzenie dostawy w każdym projekcie
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Przepływy pieniężne netto z inwestycji
-,Is Primary Address,Czy Podstawowy Adres
DocType: Production Order,Work-in-Progress Warehouse,Magazyn z produkcją w toku
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Zaleta {0} należy składać
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Obecność Record {0} istnieje przeciwko Student {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Obecność Record {0} istnieje przeciwko Student {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Odnośnik #{0} z datą {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Amortyzacja Wyeliminowany z tytułu zbycia aktywów
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Zarządzaj adresy
DocType: Asset,Item Code,Kod identyfikacyjny
DocType: Production Planning Tool,Create Production Orders,Utwórz Zamówienie produkcji
DocType: Serial No,Warranty / AMC Details,Gwarancja / AMC Szczegóły
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Wybierz uczniów ręcznie dla grupy działań
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Wybierz uczniów ręcznie dla grupy działań
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Wybierz uczniów ręcznie dla grupy działań
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Wybierz uczniów ręcznie dla grupy działań
DocType: Journal Entry,User Remark,Nota Użytkownika
DocType: Lead,Market Segment,Segment rynku
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Wpłaconej kwoty nie może być większa od całkowitej ujemnej kwoty należności {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Wpłaconej kwoty nie może być większa od całkowitej ujemnej kwoty należności {0}
DocType: Employee Internal Work History,Employee Internal Work History,Historia zatrudnienia pracownika w firmie
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Zamknięcie (Dr)
DocType: Cheque Print Template,Cheque Size,Czek Rozmiar
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Szablon podatkowy dla transakcji sprzedaży.
DocType: Sales Invoice,Write Off Outstanding Amount,Nieuregulowana Wartość Odpisu
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Konto {0} nie pasuje do firmy {1}
DocType: School Settings,Current Academic Year,Obecny Rok Akademicki
DocType: School Settings,Current Academic Year,Obecny Rok Akademicki
DocType: Stock Settings,Default Stock UOM,Domyślna jednostka miary Asortymentu
@@ -2955,27 +2974,27 @@
DocType: Asset,Double Declining Balance,Podwójne Bilans Spadek
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Kolejność Zamknięty nie mogą być anulowane. Unclose aby anulować.
DocType: Student Guardian,Father,Ojciec
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,Opcja 'Aktualizuj Stan' nie może być zaznaczona dla sprzedaży środka trwałego
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,Opcja 'Aktualizuj Stan' nie może być zaznaczona dla sprzedaży środka trwałego
DocType: Bank Reconciliation,Bank Reconciliation,Uzgodnienia z wyciągiem bankowym
DocType: Attendance,On Leave,Na urlopie
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Informuj o aktualizacjach
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1} {2} konta nie należy do Spółki {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Zamówienie produktu {0} jest anulowane lub wstrzymane
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Dodaj kilka rekordów przykładowe
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Dodaj kilka rekordów przykładowe
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Zarządzanie urlopami
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Grupuj według konta
DocType: Sales Order,Fully Delivered,Całkowicie dostarczono
DocType: Lead,Lower Income,Niższy przychód
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Źródło i magazyn docelowy nie mogą być takie sama dla wiersza {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Źródło i magazyn docelowy nie mogą być takie sama dla wiersza {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Konto różnica musi być kontem typu aktywami / pasywami, ponieważ Zdjęcie Pojednanie jest Wejście otwarcia"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Wypłacona kwota nie może być wyższa niż Kwota kredytu {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Numer Zamówienia Kupna wymagany do {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Produkcja Zamówienie nie stworzył
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Numer Zamówienia Kupna wymagany do {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Produkcja Zamówienie nie stworzył
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',Pole 'Od daty' musi następować później niż 'Do daty'
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Nie można zmienić status studenta {0} jest powiązany z aplikacją studentów {1}
DocType: Asset,Fully Depreciated,pełni zamortyzowanych
,Stock Projected Qty,Przewidywana ilość zapasów
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Klient {0} nie należy do projektu {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Klient {0} nie należy do projektu {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Zaznaczona Obecność HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Notowania są propozycje, oferty Wysłane do klientów"
DocType: Sales Order,Customer's Purchase Order,Klienta Zamówienia
@@ -2984,8 +3003,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Suma punktów kryteriów oceny musi być {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Proszę ustawić ilość amortyzacji zarezerwowano
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Wartość albo Ilość
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Produkcje Zamówienia nie mogą być podnoszone przez:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Minuta
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Produkcje Zamówienia nie mogą być podnoszone przez:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Minuta
DocType: Purchase Invoice,Purchase Taxes and Charges,Podatki i opłaty kupna
,Qty to Receive,Ilość do otrzymania
DocType: Leave Block List,Leave Block List Allowed,Możesz opuścić Blok Zablokowanych List
@@ -2993,25 +3012,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Koszty Żądanie Vehicle Zaloguj {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Zniżka (%) w Tabeli Cen Ceny z Marginesem
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Zniżka (%) w Tabeli Cen Ceny z Marginesem
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,Wszystkie Magazyny
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Wszystkie Magazyny
DocType: Sales Partner,Retailer,Detalista
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Kredytowane konto powinno być kontem bilansowym
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Kredytowane konto powinno być kontem bilansowym
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Typy wszystkich dostawców
DocType: Global Defaults,Disable In Words,Wyłącz w słowach
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,"Kod elementu jest obowiązkowy, ponieważ pozycja ta nie jest automatycznie numerowana"
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Kod elementu jest obowiązkowy, ponieważ pozycja ta nie jest automatycznie numerowana"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Wycena {0} nie jest typem {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Przedmiot Planu Konserwacji
DocType: Sales Order,% Delivered,% dostarczono
DocType: Production Order,PRO-,ZAWODOWIEC-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Konto z kredytem w rachunku bankowym
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Konto z kredytem w rachunku bankowym
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Wiersz {0}: alokowana kwota nie może być większa niż kwota pozostająca do spłaty.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Przeglądaj BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Kredyty Hipoteczne
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Kredyty Hipoteczne
DocType: Purchase Invoice,Edit Posting Date and Time,Edit data księgowania i czas
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Proszę ustawić amortyzacyjny dotyczący Konta aktywów z kategorii {0} lub {1} Spółki
DocType: Academic Term,Academic Year,Rok akademicki
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Bilans otwarcia Kapitału własnego
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Bilans otwarcia Kapitału własnego
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Ocena
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},E-mail wysłany do dostawcy {0}
@@ -3027,7 +3046,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Rola Zatwierdzająca nie może być taka sama jak rola którą zatwierdza
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Wypisać się z tej Email Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Wiadomość wysłana
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Konto z węzłów podrzędnych nie może być ustawiony jako księgi
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Konto z węzłów podrzędnych nie może być ustawiony jako księgi
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Stawka przy użyciu której waluta Listy Cen jest konwertowana do podstawowej waluty klienta
DocType: Purchase Invoice Item,Net Amount (Company Currency),Kwota netto (Waluta Spółki)
@@ -3061,7 +3080,7 @@
DocType: Expense Claim,Approval Status,Status Zatwierdzenia
DocType: Hub Settings,Publish Items to Hub,Publikowanie produkty do Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},"Wartość ""od"" musi być mniejsza niż wartość w rzędzie {0}"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Przelew
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Przelew
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Zaznacz wszystkie
DocType: Vehicle Log,Invoice Ref,faktura Ref
DocType: Purchase Order,Recurring Order,Powtarzające się Zamówienie
@@ -3074,19 +3093,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Operacje bankowe i płatności
,Welcome to ERPNext,Zapraszamy do ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Trop do Wyceny
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nic więcej do pokazania.
DocType: Lead,From Customer,Od klienta
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Połączenia
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Połączenia
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,Partie
DocType: Project,Total Costing Amount (via Time Logs),Całkowita ilość Costing (przez Time Logs)
DocType: Purchase Order Item Supplied,Stock UOM,Jednostka
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Zamówienia Kupna {0} nie zostało wysłane
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Zamówienia Kupna {0} nie zostało wysłane
DocType: Customs Tariff Number,Tariff Number,Numer taryfy
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Prognozowany
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Nr seryjny {0} nie należy do magazynu {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Uwaga: System nie sprawdza nad-dostawy oraz nadmiernej rezerwacji dla pozycji {0} jej wartość lub kwota wynosi 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Uwaga: System nie sprawdza nad-dostawy oraz nadmiernej rezerwacji dla pozycji {0} jej wartość lub kwota wynosi 0
DocType: Notification Control,Quotation Message,Wiadomość Wyceny
DocType: Employee Loan,Employee Loan Application,Pracownik Loan Application
DocType: Issue,Opening Date,Data Otwarcia
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Obecność została oznaczona pomyślnie.
+DocType: Program Enrollment,Public Transport,Transport publiczny
DocType: Journal Entry,Remark,Uwaga
DocType: Purchase Receipt Item,Rate and Amount,Stawka i Ilość
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Typ konta dla {0} musi być {1}
@@ -3094,32 +3116,32 @@
DocType: School Settings,Current Academic Term,Obecny termin akademicki
DocType: School Settings,Current Academic Term,Obecny termin akademicki
DocType: Sales Order,Not Billed,Nie zaksięgowany
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Obydwa Magazyny muszą należeć do tej samej firmy
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Nie dodano jeszcze żadnego kontaktu.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Obydwa Magazyny muszą należeć do tej samej firmy
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Nie dodano jeszcze żadnego kontaktu.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Kwota Kosztu Voucheru
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Rachunki od dostawców.
DocType: POS Profile,Write Off Account,Konto Odpisu
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Nota debetowa Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Wartość zniżki
DocType: Purchase Invoice,Return Against Purchase Invoice,Powrót Against dowodu zakupu
DocType: Item,Warranty Period (in days),Okres gwarancji (w dniach)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Relacja z Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Relacja z Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Środki pieniężne netto z działalności operacyjnej
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,np. VAT
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,np. VAT
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Pozycja 4
DocType: Student Admission,Admission End Date,Wstęp Data zakończenia
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Podwykonawstwo
DocType: Journal Entry Account,Journal Entry Account,Konto zapisu
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Grupa Student
DocType: Shopping Cart Settings,Quotation Series,Serie Wyeceny
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item",Istnieje element o takiej nazwie. Zmień nazwę Grupy lub tego elementu.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Wybierz klienta
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item",Istnieje element o takiej nazwie. Zmień nazwę Grupy lub tego elementu.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Wybierz klienta
DocType: C-Form,I,ja
DocType: Company,Asset Depreciation Cost Center,Zaleta Centrum Amortyzacja kosztów
DocType: Sales Order Item,Sales Order Date,Data Zlecenia
DocType: Sales Invoice Item,Delivered Qty,Dostarczona Liczba jednostek
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Jeśli zaznaczone, wszystkie dzieci z każdej pozycji produkcyjnej zostaną zawarte w materiale żądań."
DocType: Assessment Plan,Assessment Plan,Plan oceny
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Magazyn {0}: Firma jest obowiązkowa
DocType: Stock Settings,Limit Percent,Limit Procent
,Payment Period Based On Invoice Date,Termin Płatności oparty na dacie faktury
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Brakujące Wymiana walut stawki dla {0}
@@ -3131,7 +3153,7 @@
DocType: Vehicle,Insurance Details,Szczegóły ubezpieczenia
DocType: Account,Payable,Płatność
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,Proszę wprowadzić okresy spłaty
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Dłużnicy ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Dłużnicy ({0})
DocType: Pricing Rule,Margin,
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Nowi klienci
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Zysk brutto%
@@ -3142,16 +3164,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Partia jest obowiązkowe
DocType: Journal Entry,JV-,V-
DocType: Topic,Topic Name,Nazwa tematu
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Conajmniej jeden sprzedaż lub zakup musi być wybrany
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Wybierz charakteru swojej działalności.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Conajmniej jeden sprzedaż lub zakup musi być wybrany
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Wybierz charakteru swojej działalności.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Wiersz # {0}: Duplikuj wpis w odsyłaczach {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,"W przypadku, gdy czynności wytwórcze są prowadzone."
DocType: Asset Movement,Source Warehouse,Magazyn źródłowy
DocType: Installation Note,Installation Date,Data instalacji
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Wiersz # {0}: {1} aktywami nie należy do firmy {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Wiersz # {0}: {1} aktywami nie należy do firmy {2}
DocType: Employee,Confirmation Date,Data potwierdzenia
DocType: C-Form,Total Invoiced Amount,Całkowita zafakturowana kwota
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Minimalna ilość nie może być większa niż maksymalna Ilość
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Minimalna ilość nie może być większa niż maksymalna Ilość
DocType: Account,Accumulated Depreciation,Umorzenia (skumulowana amortyzacja)
DocType: Stock Entry,Customer or Supplier Details,Klienta lub dostawcy Szczegóły
DocType: Employee Loan Application,Required by Date,Wymagane przez Data
@@ -3172,22 +3194,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Miesięczny rozkład procentowy
DocType: Territory,Territory Targets,Cele Regionalne
DocType: Delivery Note,Transporter Info,Informacje dotyczące przewoźnika
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Proszę ustawić domyślny {0} w towarzystwie {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Proszę ustawić domyślny {0} w towarzystwie {1}
DocType: Cheque Print Template,Starting position from top edge,stanowisko od górnej krawędzi Zaczynając
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,"Tego samego dostawcy, który został wpisany wielokrotnie"
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Zysk / Strata
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Zamówienie Kupna Zaopatrzenia
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Nazwa firmy nie może być firma
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Nazwa firmy nie może być firma
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Nagłówki to wzorów druku
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Tytuł szablonu wydruku np.: Faktura Proforma
DocType: Student Guardian,Student Guardian,Student Stróża
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Opłaty typu Wycena nie oznaczone jako Inclusive
DocType: POS Profile,Update Stock,Aktualizuj Stan
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dostawca> Typ dostawcy
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Kursy
DocType: Asset,Journal Entry for Scrap,Księgowanie na złom
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Wyciągnij elementy z dowodu dostawy
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Zapisy księgowe {0} są un-linked
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Zapisy księgowe {0} są un-linked
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Zapis wszystkich komunikatów typu e-mail, telefon, czat, wizyty, itd"
DocType: Manufacturer,Manufacturers used in Items,Producenci używane w pozycji
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Powołaj zaokrąglić centrum kosztów w Spółce
@@ -3236,34 +3259,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,Dostawca dostarcza Klientowi
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Postać / poz / {0}) jest niedostępne
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Następna data musi być większe niż Data publikacji
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Pokaż Podatek rozpad
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Data referencyjne / Termin nie może być po {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Pokaż Podatek rozpad
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Data referencyjne / Termin nie może być po {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Import i eksport danych
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","Zbiory wpisy istnieją wobec hurtowni {0}, a więc nie można ponownie przydzielić lub modyfikować"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Nie znaleziono studentów
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Nie znaleziono studentów
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Faktura Data zamieszczenia
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Sprzedać
DocType: Sales Invoice,Rounded Total,Końcowa zaokrąglona kwota
DocType: Product Bundle,List items that form the package.,Lista elementów w pakiecie
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Przydział Procentowy powinien wynosić 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,Proszę wybrać Data księgowania przed wybraniem Stronę
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Proszę wybrać Data księgowania przed wybraniem Stronę
DocType: Program Enrollment,School House,school House
DocType: Serial No,Out of AMC,
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Proszę wybrać cytaty
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Proszę wybrać cytaty
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Proszę wybrać cytaty
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Proszę wybrać cytaty
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Ilość amortyzacją Zarezerwowane nie może być większa od ogólnej liczby amortyzacją
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Stwórz Wizytę Konserwacji
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,Proszę się skontaktować z użytkownikiem pełniącym rolę Główny Menadżer Sprzedaży {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,Proszę się skontaktować z użytkownikiem pełniącym rolę Główny Menadżer Sprzedaży {0}
DocType: Company,Default Cash Account,Domyślne Konto Gotówkowe
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Informacje o własnej firmie.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Jest to oparte na obecności tego Studenta
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Brak uczniów w Poznaniu
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Brak uczniów w Poznaniu
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Dodać więcej rzeczy lub otworzyć pełną formę
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',Proszę wprowadź 'Spodziewaną Datę Dstawy'
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Dowody Dostawy {0} muszą być anulowane przed anulowanie Zamówienia Sprzedaży
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Wartość zapłaty + Wartość odliczenia nie może być większa niż Cała Kwota
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Wartość zapłaty + Wartość odliczenia nie może być większa niż Cała Kwota
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Uwaga: Nie ma wystarczającej ilości urlopu aby ustalić typ zwolnienia {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,Nieprawidłowe GSTIN lub Wpisz NA dla niezarejestrowanych
DocType: Training Event,Seminar,Seminarium
DocType: Program Enrollment Fee,Program Enrollment Fee,Program Rejestracji Opłata
DocType: Item,Supplier Items,Dostawca przedmioty
@@ -3289,28 +3312,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Pozycja 3
DocType: Purchase Order,Customer Contact Email,Kontakt z klientem e-mail
DocType: Warranty Claim,Item and Warranty Details,Przedmiot i gwarancji Szczegóły
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kod pozycji> Grupa towarów> Marka
DocType: Sales Team,Contribution (%),Udział (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Uwaga: Płatność nie zostanie utworzona, gdyż nie określono konta 'Gotówka lub Bank'"
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,"Wybierz Program, aby pobrać obowiązkowe kursy."
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,"Wybierz Program, aby pobrać obowiązkowe kursy."
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Obowiązki
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Obowiązki
DocType: Expense Claim Account,Expense Claim Account,Konto Koszty Roszczenie
DocType: Sales Person,Sales Person Name,Imię Sprzedawcy
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Wprowadź co najmniej jedną fakturę do tabelki
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Dodaj użytkowników
DocType: POS Item Group,Item Group,Kategoria
DocType: Item,Safety Stock,Bezpieczeństwo Zdjęcie
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Postęp% dla zadania nie może zawierać więcej niż 100.
DocType: Stock Reconciliation Item,Before reconciliation,Przed pojednania
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Do {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Dodano podatki i opłaty (Firmowe)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,
DocType: Sales Order,Partly Billed,Częściowo Zapłacono
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Element {0} musi być trwałego przedmiotu
DocType: Item,Default BOM,Domyślne Zestawienie Materiałów
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,"Proszę ponownie wpisz nazwę firmy, aby potwierdzić"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Razem Najlepszy Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Kwota debetowa Kwota
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,"Proszę ponownie wpisz nazwę firmy, aby potwierdzić"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Razem Najlepszy Amt
DocType: Journal Entry,Printing Settings,Ustawienia drukowania
DocType: Sales Invoice,Include Payment (POS),Obejmują płatności (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Całkowita kwota po stronie debetowej powinna być równa całkowitej kwocie po stronie kretytowej. Różnica wynosi {0}
@@ -3324,16 +3344,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,W magazynie:
DocType: Notification Control,Custom Message,Niestandardowa wiadomość
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Bankowość inwestycyjna
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Konto Gotówka lub Bank jest wymagane dla tworzenia zapisów Płatności
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Adres studenta
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Adres studenta
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Konto Gotówka lub Bank jest wymagane dla tworzenia zapisów Płatności
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Proszę skonfigurować numeryczną serię dla uczestnictwa w programie Setup> Numbering Series
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Adres studenta
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Adres studenta
DocType: Purchase Invoice,Price List Exchange Rate,Cennik Kursowy
DocType: Purchase Invoice Item,Rate,Stawka
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Stażysta
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,Adres
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Stażysta
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,Adres
DocType: Stock Entry,From BOM,Od BOM
DocType: Assessment Code,Assessment Code,Kod Assessment
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Podstawowy
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Podstawowy
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Operacje magazynowe przed {0} są zamrożone
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"Proszę kliknąć na ""Wygeneruj Harmonogram"""
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","np. Kg, Jednostka, m"
@@ -3343,11 +3364,11 @@
DocType: Salary Slip,Salary Structure,Struktura Wynagrodzenia
DocType: Account,Bank,Bank
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Linia lotnicza
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Wydanie Materiał
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Wydanie Materiał
DocType: Material Request Item,For Warehouse,Dla magazynu
DocType: Employee,Offer Date,Data oferty
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Notowania
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Jesteś w trybie offline. Nie będzie mógł przeładować dopóki masz sieć.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,Jesteś w trybie offline. Nie będzie mógł przeładować dopóki masz sieć.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Brak grup studenckich utworzony.
DocType: Purchase Invoice Item,Serial No,Nr seryjny
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Miesięczna kwota spłaty nie może być większa niż Kwota kredytu
@@ -3355,8 +3376,8 @@
DocType: Purchase Invoice,Print Language,Język drukowania
DocType: Salary Slip,Total Working Hours,Całkowita liczba godzin pracy
DocType: Stock Entry,Including items for sub assemblies,W tym elementów dla zespołów sub
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Wprowadź wartość musi być dodatnia
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Wszystkie obszary
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Wprowadź wartość musi być dodatnia
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Wszystkie obszary
DocType: Purchase Invoice,Items,Produkty
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Student jest już zarejestrowany.
DocType: Fiscal Year,Year Name,Nazwa roku
@@ -3375,10 +3396,10 @@
DocType: Issue,Opening Time,Czas Otwarcia
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Daty Od i Do są wymagane
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Papiery i Notowania Giełdowe
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Domyślne jednostki miary dla wariantu "{0}" musi być taki sam, jak w szablonie '{1}'"
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"Domyślne jednostki miary dla wariantu "{0}" musi być taki sam, jak w szablonie '{1}'"
DocType: Shipping Rule,Calculate Based On,Obliczone na podstawie
DocType: Delivery Note Item,From Warehouse,Z magazynu
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Brak przedmioty z Bill of Materials do produkcji
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Brak przedmioty z Bill of Materials do produkcji
DocType: Assessment Plan,Supervisor Name,Nazwa Supervisor
DocType: Program Enrollment Course,Program Enrollment Course,Kurs rejestracyjny programu
DocType: Program Enrollment Course,Program Enrollment Course,Kurs rekrutacji
@@ -3394,18 +3415,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,Pole 'Dni od ostatniego zamówienia' musi być większe bądź równe zero
DocType: Process Payroll,Payroll Frequency,Częstotliwość Płace
DocType: Asset,Amended From,Zmodyfikowany od
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Surowiec
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Surowiec
DocType: Leave Application,Follow via Email,Odpowiedz za pomocą E-maila
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Rośliny i maszyn
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Rośliny i maszyn
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Kwota podatku po odliczeniu wysokości rabatu
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Codzienne podsumowanie Ustawienia Pracuj
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Waluta cenniku {0} nie jest podobna w wybranej walucie {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Waluta cenniku {0} nie jest podobna w wybranej walucie {1}
DocType: Payment Entry,Internal Transfer,Transfer wewnętrzny
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,To konto zawiera konta podrzędne. Nie można usunąć takiego konta.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,To konto zawiera konta podrzędne. Nie można usunąć takiego konta.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Wymagana jest ilość lub kwota docelowa
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Brak standardowego BOM dla produktu {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Brak standardowego BOM dla produktu {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Najpierw wybierz zamieszczenia Data
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Data otwarcia powinien być przed Dniem Zamknięcia
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Proszę ustawić Serie nazw dla {0} za pomocą Konfiguracja> Ustawienia> Serie nazw
DocType: Leave Control Panel,Carry Forward,Przeniesienie
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Centrum Kosztów z istniejącą transakcją nie może być przekształcone w rejestr
DocType: Department,Days for which Holidays are blocked for this department.,Dni kiedy urlop jest zablokowany dla tego departamentu
@@ -3415,11 +3437,10 @@
DocType: Issue,Raised By (Email),Wywołany przez (Email)
DocType: Training Event,Trainer Name,Nazwa Trainer
DocType: Mode of Payment,General,Ogólne
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Załącz blankiet firmowy
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Ostatnia komunikacja
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Ostatnia komunikacja
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nie można wywnioskować, kiedy kategoria dotyczy ""Ocena"" a kiedy ""Oceny i Total"""
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lista podatków (np. VAT, cło, itp. - powinny mieć unikatowe nazwy) i ich standardowe stawki. Spowoduje to utworzenie standardowego szablonu, który można edytować później lub posłuży za wzór do dodania kolejnych podatków."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lista podatków (np. VAT, cło, itp. - powinny mieć unikatowe nazwy) i ich standardowe stawki. Spowoduje to utworzenie standardowego szablonu, który można edytować później lub posłuży za wzór do dodania kolejnych podatków."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Nr-y seryjne Wymagane do szeregowania pozycji {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Płatności mecz fakturami
DocType: Journal Entry,Bank Entry,Operacja bankowa
@@ -3428,16 +3449,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Dodaj do Koszyka
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Grupuj według
DocType: Guardian,Interests,Zainteresowania
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Włącz/wyłącz waluty.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Włącz/wyłącz waluty.
DocType: Production Planning Tool,Get Material Request,Uzyskaj Materiał Zamówienie
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Wydatki pocztowe
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Wydatki pocztowe
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Razem (Amt)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Rozrywka i relaks
DocType: Quality Inspection,Item Serial No,Nr seryjny
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Tworzenie pracownicze Records
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Razem Present
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Raporty księgowe
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Godzina
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Godzina
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nowy nr seryjny nie może mieć Magazynu. Magazyn musi być ustawiona przez Zasoby lub na podstawie Paragonu Zakupu
DocType: Lead,Lead Type,Typ Tropu
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Nie masz uprawnień do zatwierdzania tych urlopów
@@ -3449,6 +3470,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,Nowy BOM po wymianie
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Punkt Sprzedaży (POS)
DocType: Payment Entry,Received Amount,Kwota otrzymana
+DocType: GST Settings,GSTIN Email Sent On,Wysłano pocztę GSTIN
+DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop przez Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Tworzenie pełnej ilości, ignorując ilości już zamówionych"
DocType: Account,Tax,Podatek
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,nieoznaczone
@@ -3462,7 +3485,7 @@
DocType: Batch,Source Document Name,Nazwa dokumentu źródłowego
DocType: Job Opening,Job Title,Nazwa stanowiska pracy
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Tworzenie użytkowników
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,Gram
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,Gram
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Ilość do produkcji musi być większy niż 0 ° C.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Raport wizyty dla wezwania konserwacji.
DocType: Stock Entry,Update Rate and Availability,Aktualizuj cenę i dostępność
@@ -3470,7 +3493,7 @@
DocType: POS Customer Group,Customer Group,Grupa Klientów
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Nowy identyfikator partii (opcjonalnie)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Nowy identyfikator partii (opcjonalnie)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Konto wydatków jest obowiązkowe dla przedmiotu {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Konto wydatków jest obowiązkowe dla przedmiotu {0}
DocType: BOM,Website Description,Opis strony WWW
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Zmiana netto w kapitale własnym
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Anuluj faktura zakupu {0} Pierwszy
@@ -3480,8 +3503,8 @@
,Sales Register,Rejestracja Sprzedaży
DocType: Daily Work Summary Settings Company,Send Emails At,Wyślij pocztę elektroniczną w
DocType: Quotation,Quotation Lost Reason,Utracony Powód Wyceny
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Wybierz swoją domenę
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Transakcja ma odniesienia {0} z {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Wybierz swoją domenę
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Transakcja ma odniesienia {0} z {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Nie ma nic do edycji
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Podsumowanie dla tego miesiąca i działań toczących
DocType: Customer Group,Customer Group Name,Nazwa Grupy Klientów
@@ -3489,14 +3512,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Raport kasowy
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Kwota kredytu nie może przekroczyć maksymalna kwota kredytu o {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licencja
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},Proszę usunąć tę fakturę {0} z C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},Proszę usunąć tę fakturę {0} z C-Form {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Proszę wybrać Przeniesienie jeżeli chcesz uwzględnić balans poprzedniego roku rozliczeniowego do tego roku rozliczeniowego
DocType: GL Entry,Against Voucher Type,Rodzaj dowodu
DocType: Item,Attributes,Atrybuty
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,Proszę zdefiniować konto odpisów
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Proszę zdefiniować konto odpisów
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Data Ostatniego Zamówienia
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Konto {0} nie należy do firmy {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Numery seryjne w wierszu {0} nie pasują do opisu dostawy
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Numery seryjne w wierszu {0} nie pasują do opisu dostawy
DocType: Student,Guardian Details,Szczegóły Stróża
DocType: C-Form,C-Form,
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Zaznacz Obecność dla wielu pracowników
@@ -3511,16 +3534,16 @@
DocType: Budget Account,Budget Amount,budżet Kwota
DocType: Appraisal Template,Appraisal Template Title,Tytuł szablonu oceny
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Od Data {0} dla Employee {1} nie może być wcześniejsza niż data łączącej pracownika {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Komercyjny
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Komercyjny
DocType: Payment Entry,Account Paid To,Rachunek na rzecz
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Dominująca pozycja {0} nie może być pozycja Zdjęcie
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Wszystkie produkty i usługi.
DocType: Expense Claim,More Details,Więcej szczegółów
DocType: Supplier Quotation,Supplier Address,Adres dostawcy
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Budżet na koncie {1} przeciwko {2} {3} jest {4}. Będzie ona przekraczać o {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Wiersz {0} # Konto musi być typu "trwałego"
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Brak Ilości
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Zasady obliczeń kwot przesyłki przy sprzedaży
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Wiersz {0} # Konto musi być typu "trwałego"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Brak Ilości
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Zasady obliczeń kwot przesyłki przy sprzedaży
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Serie jest obowiązkowa
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Usługi finansowe
DocType: Student Sibling,Student ID,legitymacja studencka
@@ -3528,13 +3551,13 @@
DocType: Tax Rule,Sales,Sprzedaż
DocType: Stock Entry Detail,Basic Amount,Kwota podstawowa
DocType: Training Event,Exam,Egzamin
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Magazyn wymagany dla przedmiotu {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Magazyn wymagany dla przedmiotu {0}
DocType: Leave Allocation,Unused leaves,Niewykorzystane urlopy
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Kr
DocType: Tax Rule,Billing State,Stan Billing
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Transfer
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} nie jest skojarzony z kontem odbiorcy {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} nie jest skojarzony z kontem odbiorcy {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),
DocType: Authorization Rule,Applicable To (Employee),Stosowne dla (Pracownik)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Due Date jest obowiązkowe
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Przyrost dla atrybutu {0} nie może być 0
@@ -3562,7 +3585,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Kod surowca
DocType: Journal Entry,Write Off Based On,Odpis bazowano na
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Dokonaj Lead
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Druk i papiernicze
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Druk i papiernicze
DocType: Stock Settings,Show Barcode Field,Pokaż pole kodu kreskowego
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Wyślij e-maile Dostawca
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",Wynagrodzenie już przetwarzane w okresie od {0} i {1} Zostaw okresu stosowania nie może być pomiędzy tym zakresie dat.
@@ -3570,14 +3593,16 @@
DocType: Guardian Interest,Guardian Interest,Strażnik Odsetki
apps/erpnext/erpnext/config/hr.py +177,Training,Trening
DocType: Timesheet,Employee Detail,Szczegóły urzędnik
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Identyfikator e-maila Guardian1
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Identyfikator e-maila Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Identyfikator e-maila Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Identyfikator e-maila Guardian1
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,dnia następnego terminu i powtórzyć na dzień miesiąca musi być równa
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Ustawienia strony głównej
DocType: Offer Letter,Awaiting Response,Oczekuje na Odpowiedź
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Powyżej
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Powyżej
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},Nieprawidłowy atrybut {0} {1}
DocType: Supplier,Mention if non-standard payable account,"Wspomnij, jeśli nietypowe konto płatne"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Ten sam element został wprowadzony wielokrotnie. {lista}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Proszę wybrać grupę oceniającą inną niż "Wszystkie grupy oceny"
DocType: Salary Slip,Earning & Deduction,Dochód i Odliczenie
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Opcjonalne. Te Ustawienie będzie użyte w filtrze dla różnych transacji.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Błąd Szacowania Wartość nie jest dozwolona
@@ -3591,9 +3616,9 @@
DocType: Sales Invoice,Product Bundle Help,Produkt Bundle Pomoc
,Monthly Attendance Sheet,Miesięczna karta obecności
DocType: Production Order Item,Production Order Item,Produkcja Zamówienie Pozycja
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Nie znaleziono wyników
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Nie znaleziono wyników
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Koszt złomowany aktywach
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: MPK jest obowiązkowe dla pozycji {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: MPK jest obowiązkowe dla pozycji {2}
DocType: Vehicle,Policy No,Polityka nr
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Elementy z Bundle produktu
DocType: Asset,Straight Line,Linia prosta
@@ -3602,7 +3627,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Rozdzielać
DocType: GL Entry,Is Advance,Zaawansowany proces
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Obecnośc od i do Daty są obowiązkowe
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,"Proszę wprowadź ""Zlecona"" jako Tak lub Nie"
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,"Proszę wprowadź ""Zlecona"" jako Tak lub Nie"
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Ostatni dzień komunikacji
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Ostatni dzień komunikacji
DocType: Sales Team,Contact No.,Numer Kontaktu
@@ -3631,60 +3656,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Wartość otwarcia
DocType: Salary Detail,Formula,Formuła
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Seryjny #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Prowizja od sprzedaży
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Prowizja od sprzedaży
DocType: Offer Letter Term,Value / Description,Wartość / Opis
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Wiersz # {0}: {1} aktywami nie mogą być składane, jest już {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Wiersz # {0}: {1} aktywami nie mogą być składane, jest już {2}"
DocType: Tax Rule,Billing Country,Kraj fakturowania
DocType: Purchase Order Item,Expected Delivery Date,Spodziewana data odbioru przesyłki
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debetowe i kredytowe nie równe dla {0} # {1}. Różnica jest {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Wydatki na reprezentację
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Materiał uczynić żądanie
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Wydatki na reprezentację
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Materiał uczynić żądanie
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Pozycja otwarta {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Faktura Sprzedaży {0} powinna być anulowana przed anulowaniem samego Zlecenia Sprzedaży
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Wiek
DocType: Sales Invoice Timesheet,Billing Amount,Kwota Rozliczenia
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Nieprawidłowa ilość określona dla elementu {0}. Ilość powinna być większa niż 0.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Wnioski o rezygnację
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Konto z istniejącymi zapisami nie może być usunięte
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Konto z istniejącymi zapisami nie może być usunięte
DocType: Vehicle,Last Carbon Check,Ostatni Carbon Sprawdź
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Wydatki na obsługę prawną
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Wydatki na obsługę prawną
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Wybierz ilość w wierszu
DocType: Purchase Invoice,Posting Time,Czas publikacji
DocType: Timesheet,% Amount Billed,% wartości rozliczonej
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Wydatki telefoniczne
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Wydatki telefoniczne
DocType: Sales Partner,Logo,Logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Brak przedmiotu o podanym numerze seryjnym {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Brak przedmiotu o podanym numerze seryjnym {0}
DocType: Email Digest,Open Notifications,Otwarte Powiadomienia
DocType: Payment Entry,Difference Amount (Company Currency),Różnica Kwota (waluta firmy)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Wydatki bezpośrednie
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Wydatki bezpośrednie
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} nie jest prawidłowym adresem e-mail w '\' Notification
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Nowy Przychody klienta
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Wydatki na podróże
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Wydatki na podróże
DocType: Maintenance Visit,Breakdown,Rozkład
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Konto: {0} z waluty: nie można wybrać {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Konto: {0} z waluty: nie można wybrać {1}
DocType: Bank Reconciliation Detail,Cheque Date,Data czeku
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Konto nadrzędne {1} nie należy do firmy: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Konto nadrzędne {1} nie należy do firmy: {2}
DocType: Program Enrollment Tool,Student Applicants,Wnioskodawcy studenckie
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Pomyślnie usunięte wszystkie transakcje związane z tą firmą!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Pomyślnie usunięte wszystkie transakcje związane z tą firmą!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,W sprawie daty
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,Data rejestracji
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Wyrok lub staż
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Wyrok lub staż
apps/erpnext/erpnext/config/hr.py +115,Salary Components,składników wynagrodzenia
DocType: Program Enrollment Tool,New Academic Year,Nowy rok akademicki
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Powrót / Credit Note
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Powrót / Credit Note
DocType: Stock Settings,Auto insert Price List rate if missing,Automatycznie wstaw wartość z cennika jeśli jej brakuje
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Kwota całkowita Płatny
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Kwota całkowita Płatny
DocType: Production Order Item,Transferred Qty,Przeniesione ilości
apps/erpnext/erpnext/config/learn.py +11,Navigating,Nawigacja
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Planowanie
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Wydany
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planowanie
+DocType: Material Request,Issued,Wydany
DocType: Project,Total Billing Amount (via Time Logs),Łączna kwota płatności (przez Time Logs)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Sprzedajemy ten przedmiot/usługę
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,ID Dostawcy
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Sprzedajemy ten przedmiot/usługę
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,ID Dostawcy
DocType: Payment Request,Payment Gateway Details,Payment Gateway Szczegóły
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Ilość powinna być większa niż 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Ilość powinna być większa niż 0
DocType: Journal Entry,Cash Entry,Wpis gotówkowy
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,węzły potomne mogą być tworzone tylko w węzłach typu "grupa"
DocType: Leave Application,Half Day Date,Pół Dzień Data
@@ -3696,14 +3722,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Proszę ustawić domyślne konto w Expense Claim typu {0}
DocType: Assessment Result,Student Name,Nazwa Student
DocType: Brand,Item Manager,Pozycja menedżera
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,Płace Płatne
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Płace Płatne
DocType: Buying Settings,Default Supplier Type,Domyślny Typ Dostawcy
DocType: Production Order,Total Operating Cost,Całkowity koszt operacyjny
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Uwaga: Element {0} wpisano kilka razy
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Wszystkie kontakty.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Nazwa skrótowa firmy
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Nazwa skrótowa firmy
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Użytkownik {0} nie istnieje
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,Surowiec nie może być taki sam jak główny Przedmiot
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Surowiec nie może być taki sam jak główny Przedmiot
DocType: Item Attribute Value,Abbreviation,Skrót
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Zapis takiej Płatności już istnieje
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Brak autoryzacji od {0} przekroczono granice
@@ -3712,35 +3738,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Ustaw regułę podatkowa do koszyka
DocType: Purchase Invoice,Taxes and Charges Added,Dodano podatki i opłaty
,Sales Funnel,Lejek Sprzedaży
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Skrót jest obowiązkowy
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Skrót jest obowiązkowy
DocType: Project,Task Progress,Postęp wykonywania zadania
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Koszyk
,Qty to Transfer,Ilość do transferu
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Wycena dla Tropów albo Klientów
DocType: Stock Settings,Role Allowed to edit frozen stock,Rola Zezwala na edycję zamrożonych zasobów
,Territory Target Variance Item Group-Wise,
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Wszystkie grupy klientów
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Wszystkie grupy klientów
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,skumulowana miesięczna
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,"{0} jest obowiązkowe. Możliwe, że rekord Wymiana walut nie jest utworzony dla {1} do {2}."
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,"{0} jest obowiązkowe. Możliwe, że rekord Wymiana walut nie jest utworzony dla {1} do {2}."
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Szablon podatkowa jest obowiązkowe.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Konto {0}: Konto nadrzędne {1} nie istnieje
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Konto {0}: Konto nadrzędne {1} nie istnieje
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Wartość w cenniku (waluta firmy)
DocType: Products Settings,Products Settings,produkty Ustawienia
DocType: Account,Temporary,Tymczasowy
DocType: Program,Courses,Pola
DocType: Monthly Distribution Percentage,Percentage Allocation,Przydział Procentowy
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Sekretarka
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekretarka
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",Jeśli wyłączyć "w słowach" pole nie będzie widoczne w każdej transakcji
DocType: Serial No,Distinct unit of an Item,Odrębna jednostka przedmiotu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Proszę ustawić firmę
DocType: Pricing Rule,Buying,Zakupy
DocType: HR Settings,Employee Records to be created by,Rekordy pracownika do utworzenia przez
DocType: POS Profile,Apply Discount On,Zastosuj RABAT
,Reqd By Date,
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Wierzyciele
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Wierzyciele
DocType: Assessment Plan,Assessment Name,Nazwa ocena
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Wiersz # {0}: Numer seryjny jest obowiązkowe
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Instytut Skrót
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Instytut Skrót
,Item-wise Price List Rate,
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Wyznaczony dostawca
DocType: Quotation,In Words will be visible once you save the Quotation.,
@@ -3748,14 +3775,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Liczba ({0}) nie może być ułamkiem w rzędzie {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,pobierania opłat
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Kod kreskowy {0} jest już używana dla przedmiotu {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Kod kreskowy {0} jest już używana dla przedmiotu {1}
DocType: Lead,Add to calendar on this date,Dodaj do kalendarza pod tą datą
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Zasady naliczania kosztów transportu.
DocType: Item,Opening Stock,Otwarcie Zdjęcie
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Klient jest wymagany
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} jest obowiązkowe Powrót
DocType: Purchase Order,To Receive,Otrzymać
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Osobisty E-mail
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Całkowitej wariancji
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Jeśli opcja jest włączona, system będzie zamieszczać wpisy księgowe dla inwentarza automatycznie."
@@ -3767,13 +3793,14 @@
DocType: Customer,From Lead,Od śladu
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Zamówienia puszczone do produkcji.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Wybierz rok finansowy ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,Profil POS wymagany do tworzenia wpisu z POS
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,Profil POS wymagany do tworzenia wpisu z POS
DocType: Program Enrollment Tool,Enroll Students,zapisać studentów
DocType: Hub Settings,Name Token,Nazwa jest już w użyciu
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standard sprzedaży
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Co najmniej jeden magazyn jest wymagany
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Co najmniej jeden magazyn jest wymagany
DocType: Serial No,Out of Warranty,Brak Gwarancji
DocType: BOM Replace Tool,Replace,Zamień
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Nie znaleziono produktów.
DocType: Production Order,Unstopped,otworzone
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} na fakturę sprzedaży {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3784,13 +3811,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Różnica wartości zapasów
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Zasoby Ludzkie
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Płatność Wyrównawcza Płatności
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Podatek należny (zwrot)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Podatek należny (zwrot)
DocType: BOM Item,BOM No,Nr zestawienia materiałowego
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Księgowanie {0} nie masz konta {1} lub już porównywane inne bon
DocType: Item,Moving Average,Średnia Ruchoma
DocType: BOM Replace Tool,The BOM which will be replaced,BOM zostanie zastąpiony
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,Urządzenia elektroniczne
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,Urządzenia elektroniczne
DocType: Account,Debit,Debet
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,Urlop musi by przyporządkowany w mnożniku 0.5
DocType: Production Order,Operation Cost,Koszt operacji
@@ -3798,7 +3825,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Zaległa wartość
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,
DocType: Stock Settings,Freeze Stocks Older Than [Days],Zamroź asortyment starszy niż [dni]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Wiersz # {0}: atutem jest obowiązkowe w przypadku środków trwałych kupna / sprzedaży
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Wiersz # {0}: atutem jest obowiązkowe w przypadku środków trwałych kupna / sprzedaży
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Jeśli dwóch lub więcej Zasady ustalania cen na podstawie powyższych warunków, jest stosowana Priorytet. Priorytetem jest liczba z zakresu od 0 do 20, podczas gdy wartość domyślna wynosi zero (puste). Wyższa liczba oznacza, że będzie mieć pierwszeństwo, jeśli istnieje wiele przepisów dotyczących cen z samych warunkach."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Rok fiskalny: {0} nie istnieje
DocType: Currency Exchange,To Currency,Do przewalutowania
@@ -3807,7 +3834,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Współczynnik sprzedaży dla elementu {0} jest niższy niż {1}. Procent sprzedaży powinien wynosić co najmniej {2}
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Współczynnik sprzedaży dla elementu {0} jest niższy niż {1}. Prędkość sprzedaży powinna wynosić co najmniej {2}
DocType: Item,Taxes,Podatki
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Płatny i niedostarczone
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Płatny i niedostarczone
DocType: Project,Default Cost Center,Domyślne Centrum Kosztów
DocType: Bank Guarantee,End Date,Data zakończenia
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Operacje magazynowe
@@ -3832,24 +3859,22 @@
DocType: Employee,Held On,W dniach
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Pozycja Produkcja
,Employee Information,Informacja o pracowniku
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Stawka (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Stawka (%)
DocType: Stock Entry Detail,Additional Cost,Dodatkowy koszt
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Data końca roku finansowego
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Nie można przefiltrować wg Podstawy, jeśli pogrupowano z użyciem Podstawy"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,
DocType: Quality Inspection,Incoming,Przychodzące
DocType: BOM,Materials Required (Exploded),Materiał Wymaga (Rozdzielony)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Dodaj użytkowników do swojej organizacji, innych niż siebie"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Data publikacji nie może być datą przyszłą
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Wiersz # {0}: Numer seryjny: {1} nie jest zgodny z {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Urlop okolicznościowy
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Urlop okolicznościowy
DocType: Batch,Batch ID,Identyfikator Partii
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Uwaga: {0}
,Delivery Note Trends,Trendy Dowodów Dostawy
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Podsumowanie W tym tygodniu
-,In Stock Qty,Ilość w magazynie
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Ilość w magazynie
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Konto: {0} może być aktualizowana tylko przez operacje magazynowe
-DocType: Program Enrollment,Get Courses,Uzyskaj kursy
+DocType: Student Group Creation Tool,Get Courses,Uzyskaj kursy
DocType: GL Entry,Party,Grupa
DocType: Sales Order,Delivery Date,Data dostawy
DocType: Opportunity,Opportunity Date,Data szansy
@@ -3857,14 +3882,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Przedmiot zapytania ofertowego
DocType: Purchase Order,To Bill,Wystaw rachunek
DocType: Material Request,% Ordered,% Zamówione
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",Dla Grupy Studenckiej na Kursie kurs zostanie sprawdzony dla każdego Uczestnika z zapisanych kursów w ramach Rejestracji Programu.
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Wpisz adres e-mail oddzielone przecinkami, faktura zostanie wysłany automatycznie na określonym dniu"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Praca akordowa
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Praca akordowa
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Średnia. Kupno Cena
DocType: Task,Actual Time (in Hours),Rzeczywisty czas (w godzinach)
DocType: Employee,History In Company,Historia Firmy
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Biuletyny
DocType: Stock Ledger Entry,Stock Ledger Entry,Zapis w księdze zapasów
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Klient> Grupa klienta> Terytorium
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Sama pozycja została wprowadzona wielokrotnie
DocType: Department,Leave Block List,Lista Blokowanych Urlopów
DocType: Sales Invoice,Tax ID,Identyfikator podatkowy (NIP)
@@ -3879,30 +3904,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,"{0} jednostki {1} potrzebne w {2}, aby zakończyć tę transakcję."
DocType: Loan Type,Rate of Interest (%) Yearly,Stopa procentowa (%) Roczne
DocType: SMS Settings,SMS Settings,Ustawienia SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Rachunki tymczasowe
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Czarny
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Rachunki tymczasowe
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Czarny
DocType: BOM Explosion Item,BOM Explosion Item,
DocType: Account,Auditor,Audytor
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} pozycji wyprodukowanych
DocType: Cheque Print Template,Distance from top edge,Odległość od górnej krawędzi
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Cennik {0} jest wyłączona lub nie istnieje
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Cennik {0} jest wyłączona lub nie istnieje
DocType: Purchase Invoice,Return,Powrót
DocType: Production Order Operation,Production Order Operation,Produkcja Zamówienie Praca
DocType: Pricing Rule,Disable,Wyłącz
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,"Sposób płatności jest wymagane, aby dokonać płatności"
DocType: Project Task,Pending Review,Czekający na rewizję
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nie jest zapisany do partii {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Składnik {0} nie może zostać wycofane, jak to jest już {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Razem zwrot kosztów (przez zwrot kosztów)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,ID klienta
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Oznacz Nieobecna
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Wiersz {0}: Waluta BOM # {1} powinna być równa wybranej walucie {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Wiersz {0}: Waluta BOM # {1} powinna być równa wybranej walucie {2}
DocType: Journal Entry Account,Exchange Rate,Kurs wymiany
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Zlecenie Sprzedaży {0} nie jest jeszcze złożone
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Zlecenie Sprzedaży {0} nie jest jeszcze złożone
DocType: Homepage,Tag Line,tag Linia
DocType: Fee Component,Fee Component,opłata Komponent
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Fleet Management
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Dodaj elementy z
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Magazyn {0}: Konto nadrzędne {1} nie należy do firmy {2}
DocType: Cheque Print Template,Regular,Regularny
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Razem weightage wszystkich kryteriów oceny muszą być w 100%
DocType: BOM,Last Purchase Rate,Data Ostatniego Zakupu
@@ -3911,11 +3935,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,"Zdjęcie nie może istnieć dla pozycji {0}, ponieważ ma warianty"
,Sales Person-wise Transaction Summary,
DocType: Training Event,Contact Number,Numer kontaktowy
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Magazyn {0} nie istnieje
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Magazyn {0} nie istnieje
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Zarejestruj Dla Hubu ERPNext
DocType: Monthly Distribution,Monthly Distribution Percentages,Miesięczne Procenty Dystrybucja
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Wybrany element nie może mieć Batch
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Stopa wycena nie znaleziono Item {0}, który jest zobowiązany do zapisów księgowych dla {1} {2}. Jeśli pozycja jest transakcje jako elementu próbki w {1}, należy wspomnieć, że w {1} tabeli poz. W przeciwnym razie, należy utworzyć połączenie przychodzące transakcję akcji na artykuł lub wzmianka kursu wyceny w rekordzie element, a następnie spróbuj wysłaniem / anulowanie tego wpisu"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Stopa wycena nie znaleziono Item {0}, który jest zobowiązany do zapisów księgowych dla {1} {2}. Jeśli pozycja jest transakcje jako elementu próbki w {1}, należy wspomnieć, że w {1} tabeli poz. W przeciwnym razie, należy utworzyć połączenie przychodzące transakcję akcji na artykuł lub wzmianka kursu wyceny w rekordzie element, a następnie spróbuj wysłaniem / anulowanie tego wpisu"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% materiałów dostarczonych w stosunku do dowodu dostawy
DocType: Project,Customer Details,Dane Klienta
DocType: Employee,Reports to,Raporty do
@@ -3923,24 +3947,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Wpisz URL dla odbiorcy numeru
DocType: Payment Entry,Paid Amount,Zapłacona kwota
DocType: Assessment Plan,Supervisor,Kierownik
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,online
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,online
,Available Stock for Packing Items,Dostępne ilości dla materiałów opakunkowych
DocType: Item Variant,Item Variant,Pozycja Wersja
DocType: Assessment Result Tool,Assessment Result Tool,Wynik oceny Narzędzie
DocType: BOM Scrap Item,BOM Scrap Item,BOM Złom Item
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Złożone zlecenia nie mogą zostać usunięte
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Konto jest na minusie, nie możesz ustawić wymagań jako kredyt."
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Zarządzanie jakością
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Złożone zlecenia nie mogą zostać usunięte
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Konto jest na minusie, nie możesz ustawić wymagań jako kredyt."
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Zarządzanie jakością
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Element {0} została wyłączona
DocType: Employee Loan,Repay Fixed Amount per Period,Spłacić ustaloną kwotę za okres
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Wprowadź ilość dla przedmiotu {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Uwaga kredytowa Amt
DocType: Employee External Work History,Employee External Work History,Historia zatrudnienia pracownika poza firmą
DocType: Tax Rule,Purchase,Zakup
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Ilość bilansu
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Ilość bilansu
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Cele nie mogą być puste
DocType: Item Group,Parent Item Group,Grupa Elementu nadrzędnego
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} do {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Centra Kosztów
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Centra Kosztów
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Stawka przy użyciu której waluta dostawcy jest konwertowana do podstawowej waluty firmy
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Wiersz # {0}: taktowania konflikty z rzędu {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Zezwalaj na zerową wartość wyceny
@@ -3948,17 +3973,18 @@
DocType: Training Event Employee,Invited,Zaproszony
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Wiele aktywnych Struktury wynagrodzeń znalezionych dla pracownika {0} dla podanych dat
DocType: Opportunity,Next Contact,Następny Kontakt
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Rachunki konfiguracji bramy.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Rachunki konfiguracji bramy.
DocType: Employee,Employment Type,Typ zatrudnienia
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Środki trwałe
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Środki trwałe
DocType: Payment Entry,Set Exchange Gain / Loss,Ustaw Exchange Zysk / strata
+,GST Purchase Register,Rejestr zakupów GST
,Cash Flow,Cash Flow
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Okres aplikacja nie może być w dwóch zapisów alocation
DocType: Item Group,Default Expense Account,Domyślne konto rozchodów
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Student ID email
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student ID email
DocType: Employee,Notice (days),Wymówienie (dni)
DocType: Tax Rule,Sales Tax Template,Szablon Podatek od sprzedaży
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,"Wybierz elementy, aby zapisać fakturę"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,"Wybierz elementy, aby zapisać fakturę"
DocType: Employee,Encashment Date,Data Inkaso
DocType: Training Event,Internet,Internet
DocType: Account,Stock Adjustment,Korekta
@@ -3987,7 +4013,7 @@
DocType: Guardian,Guardian Of ,Strażnik
DocType: Grading Scale Interval,Threshold,Próg
DocType: BOM Replace Tool,Current BOM,Obecny BOM
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Dodaj nr seryjny
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Dodaj nr seryjny
apps/erpnext/erpnext/config/support.py +22,Warranty,Gwarancja
DocType: Purchase Invoice,Debit Note Issued,Nocie debetowej
DocType: Production Order,Warehouses,Magazyny
@@ -3996,20 +4022,20 @@
DocType: Workstation,per hour,na godzinę
apps/erpnext/erpnext/config/buying.py +7,Purchasing,Nabywczy
DocType: Announcement,Announcement,Ogłoszenie
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Konto dla magazynu (Ciągła Inwentaryzacja) zostanie utworzone w ramach tego konta.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Magazyn nie może być skasowany tak długo jak długo istnieją zapisy w księdze stanu dla tego magazynu.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Dla grupy studentów opartej na partiach, partia ucznia zostanie zatwierdzona dla każdego ucznia z wpisu do programu."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Magazyn nie może być skasowany tak długo jak długo istnieją zapisy w księdze stanu dla tego magazynu.
DocType: Company,Distribution,Dystrybucja
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Kwota zapłacona
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Menadżer Projektu
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Menadżer Projektu
,Quoted Item Comparison,Porównanie cytowany Item
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Wyślij
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Maksymalna zniżka pozwoliło na pozycji: {0} jest {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Wyślij
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Maksymalna zniżka pozwoliło na pozycji: {0} jest {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Wartość aktywów netto na
DocType: Account,Receivable,Należności
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Wiersz # {0}: Nie wolno zmienić dostawcę, jak już istnieje Zamówienie"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Wiersz # {0}: Nie wolno zmienić dostawcę, jak już istnieje Zamówienie"
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Rola pozwala na zatwierdzenie transakcji, których kwoty przekraczają ustalone limity kredytowe."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Wybierz produkty do Manufacture
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Mistrz synchronizacja danych, może to zająć trochę czasu"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Wybierz produkty do Manufacture
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Mistrz synchronizacja danych, może to zająć trochę czasu"
DocType: Item,Material Issue,Wydanie materiałów
DocType: Hub Settings,Seller Description,Sprzedawca Opis
DocType: Employee Education,Qualification,Kwalifikacja
@@ -4029,7 +4055,6 @@
DocType: BOM,Rate Of Materials Based On,Stawka Materiałów Wzorowana na
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Wsparcie techniczne
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Odznacz wszystkie
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Brakująca firma w magazynach {0}
DocType: POS Profile,Terms and Conditions,Regulamin
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Aby Data powinna być w tym roku podatkowym. Zakładając To Date = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Tutaj wypełnij i przechowaj dane takie jak wzrost, waga, alergie, problemy medyczne itd"
@@ -4044,19 +4069,18 @@
DocType: Sales Order Item,For Production,Dla Produkcji
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Zobacz Zadanie
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Rozpoczęcie roku podatkowego
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / ołów%
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / ołów%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Aktywów Amortyzacja i salda
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},"Kwota {0} {1} przeniesione z {2} {3}, aby"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},"Kwota {0} {1} przeniesione z {2} {3}, aby"
DocType: Sales Invoice,Get Advances Received,Uzyskaj otrzymane zaliczki
DocType: Email Digest,Add/Remove Recipients,Dodaj / Usuń odbiorców
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Aby ustawić ten rok finansowy jako domyślny, kliknij przycisk ""Ustaw jako domyślne"""
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,łączyć
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,łączyć
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Niedobór szt
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Pozycja wariant {0} istnieje z samymi atrybutami
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Pozycja wariant {0} istnieje z samymi atrybutami
DocType: Employee Loan,Repay from Salary,Spłaty z pensji
DocType: Leave Application,LAP/,LAP/
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Żądanie zapłatę przed {0} {1} w ilości {2}
@@ -4067,34 +4091,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Utwórz paski na opakowania do dostawy. Używane do informacji o numerze opakowania, zawartości i wadze."
DocType: Sales Invoice Item,Sales Order Item,Pozycja Zlecenia Sprzedaży
DocType: Salary Slip,Payment Days,Dni Płatności
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Magazyny z węzłów potomnych nie mogą być zamieniane na Ledger
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Magazyny z węzłów potomnych nie mogą być zamieniane na Ledger
DocType: BOM,Manage cost of operations,Zarządzaj kosztami działań
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Jeżeli którakolwiek z zaznaczonych transakcji ""Wysłane"", e-mail pop-up otwierany automatycznie, aby wysłać e-mail do powiązanego ""Kontakt"" w tej transakcji z transakcją jako załącznik. Użytkownik może lub nie może wysłać e-mail."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Ustawienia globalne
DocType: Assessment Result Detail,Assessment Result Detail,Wynik oceny Szczegóły
DocType: Employee Education,Employee Education,Wykształcenie pracownika
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Duplikat grupę pozycji w tabeli grupy produktów
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,"Jest to niezbędne, aby pobrać szczegółowe dotyczące pozycji."
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,"Jest to niezbędne, aby pobrać szczegółowe dotyczące pozycji."
DocType: Salary Slip,Net Pay,Stawka Netto
DocType: Account,Account,Konto
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Nr seryjny {0} otrzymano
,Requested Items To Be Transferred,Proszę o Przetranferowanie Przedmiotów
DocType: Expense Claim,Vehicle Log,pojazd Log
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Magazyn {0} nie jest powiązany z żadnym kontem, tworzyć / odwołuje się odpowiedni (aktywo) konto na magazynie."
DocType: Purchase Invoice,Recurring Id,Powtarzające się ID
DocType: Customer,Sales Team Details,Szczegóły dotyczące Teamu Sprzedażowego
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Usuń na stałe?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Usuń na stałe?
DocType: Expense Claim,Total Claimed Amount,Całkowita kwota roszczeń
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potencjalne szanse na sprzedaż.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Nieprawidłowy {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Urlop chorobowy
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Nieprawidłowy {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Urlop chorobowy
DocType: Email Digest,Email Digest,przetwarzanie emaila
DocType: Delivery Note,Billing Address Name,Nazwa Adresu do Faktury
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,
DocType: Warehouse,PIN,KOŁEK
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Konfiguracja swoją szkołę w ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Kwota bazowa Change (Spółka waluty)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Brak zapisów księgowych dla następujących magazynów
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Brak zapisów księgowych dla następujących magazynów
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Zapisz dokument jako pierwszy.
DocType: Account,Chargeable,Odpowedni do pobierania opłaty.
DocType: Company,Change Abbreviation,Zmień Skrót
@@ -4112,7 +4135,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Spodziewana data odbioru przesyłki nie może być wcześniejsza od daty jej kupna
DocType: Appraisal,Appraisal Template,Szablon oceny
DocType: Item Group,Item Classification,Pozycja Klasyfikacja
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Business Development Manager
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Cel Wizyty Konserwacji
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Okres
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Księga główna
@@ -4122,8 +4145,8 @@
DocType: Item Attribute Value,Attribute Value,Wartość atrybutu
,Itemwise Recommended Reorder Level,Pozycja Zalecany poziom powtórnego zamówienia
DocType: Salary Detail,Salary Detail,Wynagrodzenie Szczegóły
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,Proszę najpierw wybrać {0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Batch {0} pozycji {1} wygasł.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Proszę najpierw wybrać {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Batch {0} pozycji {1} wygasł.
DocType: Sales Invoice,Commission,Prowizja
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Arkusz Czas produkcji.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Razem
@@ -4134,6 +4157,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,Zapasy starsze niż' powinny być starczyć na %d dni
DocType: Tax Rule,Purchase Tax Template,Szablon podatkowy zakupów
,Project wise Stock Tracking,
+DocType: GST HSN Code,Regional,Regionalny
DocType: Stock Entry Detail,Actual Qty (at source/target),Rzeczywista Ilość (u źródła/celu)
DocType: Item Customer Detail,Ref Code,Ref kod
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Rekordy pracownika.
@@ -4144,13 +4168,13 @@
DocType: Email Digest,New Purchase Orders,
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Root nie może mieć rodzica w centrum kosztów
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Wybierz markę ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Szkolenia Wydarzenia / Wyniki
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Skumulowana amortyzacja jak na
DocType: Sales Invoice,C-Form Applicable,
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Czas działania musi być większy niż 0 do operacji {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Magazyn jest obowiązkowe
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Magazyn jest obowiązkowe
DocType: Supplier,Address and Contacts,Adres i Kontakt
DocType: UOM Conversion Detail,UOM Conversion Detail,Szczegóły konwersji jednostki miary
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Staraj się być przyjazny dla WWW 900px (szerokość) na 100px (wysokość)
DocType: Program,Program Abbreviation,Skrót programu
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Produkcja Zamówienie nie może zostać podniesiona przed Szablon Element
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Opłaty są aktualizowane w ZAKUPU każdej pozycji
@@ -4158,13 +4182,13 @@
DocType: Bank Guarantee,Start Date,Data startu
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Przydziel zwolnienia dla tego okresu.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Czeki i Depozyty nieprawidłowo rozliczone
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Konto {0}: Nie można przypisać siebie jako konta nadrzędnego
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Konto {0}: Nie można przypisać siebie jako konta nadrzędnego
DocType: Purchase Invoice Item,Price List Rate,Wartość w cenniku
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Tworzenie cytaty z klientami
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Pokazuj ""W magazynie"" lub ""Brak w magazynie"" bazując na ilości dostępnej w tym magazynie."
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Zestawienie materiałowe (BOM)
DocType: Item,Average time taken by the supplier to deliver,Średni czas podjęte przez dostawcę do dostarczenia
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,Wynik oceny
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,Wynik oceny
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Godziny
DocType: Project,Expected Start Date,Spodziewana data startowa
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,"Usuń element, jeśli opłata nie ma zastosowania do tej pozycji"
@@ -4178,25 +4202,24 @@
DocType: Workstation,Operating Costs,Koszty operacyjne
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Działanie w przypadku nagromadzonych miesięcznego budżetu Przekroczono
DocType: Purchase Invoice,Submit on creation,Prześlij na tworzeniu
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Waluta dla {0} musi być {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Waluta dla {0} musi być {1}
DocType: Asset,Disposal Date,Utylizacja Data
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Emaile zostaną wysłane do wszystkich aktywnych pracowników Spółki w danej godzinie, jeśli nie mają wakacji. Streszczenie odpowiedzi będą wysyłane na północy."
DocType: Employee Leave Approver,Employee Leave Approver,Zgoda na zwolnienie dla pracownika
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},"Wiersz {0}: Zapis ponownego zamawiania dla tego magazynu, {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},"Wiersz {0}: Zapis ponownego zamawiania dla tego magazynu, {1}"
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.",Nie można zadeklarować jako zagubiony z powodu utworzenia kwotacji
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Szkolenie Zgłoszenie
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Zamówienie Produkcji {0} musi być zgłoszone
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Zamówienie Produkcji {0} musi być zgłoszone
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Wybierz Datę Startu i Zakończenia dla elementu {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Kurs jest obowiązkowy w wierszu {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,"""Do daty"" nie może być terminem przed ""od daty"""
DocType: Supplier Quotation Item,Prevdoc DocType,Typ dokumentu dla poprzedniego dokumentu
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Dodaj / Edytuj ceny
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Dodaj / Edytuj ceny
DocType: Batch,Parent Batch,Nadrzędna partia
DocType: Batch,Parent Batch,Nadrzędna partia
DocType: Cheque Print Template,Cheque Print Template,Czek Szablon Drukuj
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Struktura kosztów (MPK)
,Requested Items To Be Ordered,Proszę o Zamówienie Przedmiotów
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,"Firma magazyn musi być taki sam, jak firmy Konta"
DocType: Price List,Price List Name,Nazwa cennika
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Dziennie Podsumowanie Praca dla {0}
DocType: Employee Loan,Totals,Sumy całkowite
@@ -4218,55 +4241,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Wprowadź poprawny numer telefonu kom
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Proszę wpisać wiadomość przed wysłaniem
DocType: Email Digest,Pending Quotations,W oczekiwaniu Notowania
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Point-of-Sale profil
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale profil
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Zaktualizuj Ustawienia SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Pożyczki bez pokrycia
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Pożyczki bez pokrycia
DocType: Cost Center,Cost Center Name,Nazwa Centrum Kosztów
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Maksymalny czas pracy przed grafiku
DocType: Maintenance Schedule Detail,Scheduled Date,Zaplanowana Data
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Łączna wypłacona Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Łączna wypłacona Amt
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Wiadomości dłuższe niż 160 znaków zostaną podzielone na kilka wiadomości
DocType: Purchase Receipt Item,Received and Accepted,Otrzymano i zaakceptowano
+,GST Itemised Sales Register,Wykaz numerów sprzedaży produktów GST
,Serial No Service Contract Expiry,Umowa serwisowa o nr seryjnym wygasa
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Nie można wykonywać zapisów po stronie debetowej oraz kredytowej tego samego konta w jednym czasie
DocType: Naming Series,Help HTML,Pomoc HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Narzędzie tworzenia grupy studenta
DocType: Item,Variant Based On,Wariant na podstawie
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Całkowita przypisana waga powinna wynosić 100%. Jest {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Twoi Dostawcy
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Twoi Dostawcy
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Nie można ustawić jako Utracone Zamówienia Sprzedaży
DocType: Request for Quotation Item,Supplier Part No,Dostawca Część nr
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Nie można odliczyć, gdy kategoria jest dla 'Wycena' lub 'Vaulation i Total'"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Otrzymane od
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Otrzymane od
DocType: Lead,Converted,Przekształcono
DocType: Item,Has Serial No,Posiada numer seryjny
DocType: Employee,Date of Issue,Data wydania
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: od {0} do {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Zgodnie z ustawieniami zakupów, jeśli wymagany jest zakup recieptu == 'YES', to w celu utworzenia faktury zakupu użytkownik musi najpierw utworzyć pokwitowanie zakupu dla elementu {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Wiersz # {0}: Ustaw Dostawca dla pozycji {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Wiersz {0}: Godziny wartość musi być większa od zera.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Strona Obraz {0} dołączone do pozycji {1} nie można znaleźć
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Strona Obraz {0} dołączone do pozycji {1} nie można znaleźć
DocType: Issue,Content Type,Typ zawartości
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Komputer
DocType: Item,List this Item in multiple groups on the website.,Pokaż ten produkt w wielu grupach na stronie internetowej.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Proszę sprawdzić multi opcji walutowych, aby umożliwić rachunki w innych walutach"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Pozycja: {0} nie istnieje w systemie
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Nie masz uprawnień do ustawienia zamrożenej wartości
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Pozycja: {0} nie istnieje w systemie
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Nie masz uprawnień do ustawienia zamrożenej wartości
DocType: Payment Reconciliation,Get Unreconciled Entries,Pobierz Wpisy nieuzgodnione
DocType: Payment Reconciliation,From Invoice Date,Od daty faktury
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,Walutą Rozliczenia musi być równa lub rachunku walutowego waluty dowolnej ze stron domyślnego comapany za
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Zostawić Inkaso
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Czym się zajmuje?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,Walutą Rozliczenia musi być równa lub rachunku walutowego waluty dowolnej ze stron domyślnego comapany za
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Zostawić Inkaso
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Czym się zajmuje?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Do magazynu
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Wszystkie Przyjęć studenckie
,Average Commission Rate,Średnia prowizja
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,Numer seryjny nie jest dostępny dla pozycji niemagazynowych
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,Numer seryjny nie jest dostępny dla pozycji niemagazynowych
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Obecność nie może być oznaczana na przyszłość
DocType: Pricing Rule,Pricing Rule Help,Wycena Zasada Pomoc
DocType: School House,House Name,Nazwa domu
DocType: Purchase Taxes and Charges,Account Head,Konto główne
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Zaktualizuj dodatkowe koszty do obliczenia całkowitego kosztu operacji
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Elektryczne
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Elektryczne
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Dodać resztę organizacji jako użytkowników. Można również dodać zaprosić klientów do portalu dodając je z Kontaktów
DocType: Stock Entry,Total Value Difference (Out - In),Całkowita Wartość Różnica (Out - In)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Wiersz {0}: Kurs wymiany jest obowiązkowe
@@ -4276,7 +4301,7 @@
DocType: Item,Customer Code,Kod Klienta
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Przypomnienie o Urodzinach dla {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dni od ostatniego zamówienia
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Debetowane konto musi być kontem bilansowym
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Debetowane konto musi być kontem bilansowym
DocType: Buying Settings,Naming Series,Seria nazw
DocType: Leave Block List,Leave Block List Name,Opuść Zablokowaną Listę Nazw
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Data rozpoczęcia ubezpieczenia powinna być mniejsza niż data zakończenia ubezpieczenia
@@ -4291,27 +4316,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Slip Wynagrodzenie pracownika {0} już stworzony dla arkusza czasu {1}
DocType: Vehicle Log,Odometer,Drogomierz
DocType: Sales Order Item,Ordered Qty,Ilość Zamówiona
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Element {0} jest wyłączony
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Element {0} jest wyłączony
DocType: Stock Settings,Stock Frozen Upto,Zamroź zapasy do
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM nie zawiera żadnego elementu akcji
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM nie zawiera żadnego elementu akcji
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Okres Okres Od i Do dat obowiązkowych dla powtarzających {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Czynność / zadanie projektu
DocType: Vehicle Log,Refuelling Details,Szczegóły tankowania
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Utwórz Paski Wypłaty
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Zakup musi być sprawdzona, jeśli dotyczy wybrano jako {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Zakup musi być sprawdzona, jeśli dotyczy wybrano jako {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Zniżka musi wynosić mniej niż 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Ostatni kurs kupna nie został znaleziony
DocType: Purchase Invoice,Write Off Amount (Company Currency),Kwota Odpisu (Waluta Firmy)
DocType: Sales Invoice Timesheet,Billing Hours,Godziny billingowe
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,Domyślnie BOM dla {0} Nie znaleziono
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Wiersz # {0}: Proszę ustawić ilość zmienić kolejność
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Wiersz # {0}: Proszę ustawić ilość zmienić kolejność
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,"Dotknij elementów, aby je dodać tutaj"
DocType: Fees,Program Enrollment,Rejestracja w programie
DocType: Landed Cost Voucher,Landed Cost Voucher,Koszt kuponu
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Ustaw {0}
DocType: Purchase Invoice,Repeat on Day of Month,Powtórz w Dniu Miesiąca
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} to nieaktywny student
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} to nieaktywny student
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} to nieaktywny student
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} to nieaktywny student
DocType: Employee,Health Details,Szczegóły Zdrowia
DocType: Offer Letter,Offer Letter Terms,Oferta Letter Warunki
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,"Aby utworzyć dokument referencyjny żądania zapłaty, wymagane jest"
@@ -4334,7 +4359,7 @@
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Przykład:. ABCD #####
Jeśli seria jest ustawiona i nr seryjny nie jest wymieniony w transakcjach, automatyczny numer seryjny zostanie utworzony na podstawie tej serii. Jeśli chcesz zawsze jednoznacznie ustawiać numery seryjne dla tej pozycji, pozostaw to pole puste."
DocType: Upload Attendance,Upload Attendance,Wyślij obecność
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM i ilości są wymagane Manufacturing
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM i ilości są wymagane Manufacturing
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Starzenie Zakres 2
DocType: SG Creation Tool Course,Max Strength,Maksymalna siła
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,
@@ -4344,8 +4369,8 @@
,Prospects Engaged But Not Converted,"Perspektywy zaręczone, ale nie przekształcone"
DocType: Manufacturing Settings,Manufacturing Settings,Ustawienia produkcyjne
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Konfiguracja e-mail
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Komórka Nie
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Proszę dodać domyślną walutę w Głównych Ustawieniach Firmy
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Komórka Nie
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Proszę dodać domyślną walutę w Głównych Ustawieniach Firmy
DocType: Stock Entry Detail,Stock Entry Detail,Szczególy zapisu magazynowego
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Codzienne Przypomnienia
DocType: Products Settings,Home Page is Products,Strona internetowa firmy jest produktem
@@ -4354,7 +4379,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Nowa nazwa konta
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Koszt dostarczonych surowców
DocType: Selling Settings,Settings for Selling Module,Ustawienia modułu sprzedaży
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Obsługa Klienta
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Obsługa Klienta
DocType: BOM,Thumbnail,Miniaturka
DocType: Item Customer Detail,Item Customer Detail,Element Szczegóły klienta
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Zaproponuj kandydatowi pracę
@@ -4363,7 +4388,7 @@
DocType: Pricing Rule,Percentage,Odsetek
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Item {0} musi być dostępna w magazynie
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Domyślnie Work In Progress Warehouse
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Domyślne ustawienia dla transakcji księgowych
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Domyślne ustawienia dla transakcji księgowych
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Spodziewana data nie może być wcześniejsza od daty prośby o materiał
DocType: Purchase Invoice Item,Stock Qty,Ilość zapasów
@@ -4377,10 +4402,10 @@
DocType: Sales Order,Printing Details,Szczegóły Wydruku
DocType: Task,Closing Date,Data zamknięcia
DocType: Sales Order Item,Produced Quantity,Wyprodukowana ilość
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Inżynier
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Inżynier
DocType: Journal Entry,Total Amount Currency,Suma Waluta Kwota
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Zespoły Szukaj Sub
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Wymagany jest kod elementu w wierszu nr {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Wymagany jest kod elementu w wierszu nr {0}
DocType: Sales Partner,Partner Type,Typ Partnera
DocType: Purchase Taxes and Charges,Actual,Właściwy
DocType: Authorization Rule,Customerwise Discount,Zniżka dla klienta
@@ -4397,11 +4422,11 @@
DocType: Item Reorder,Re-Order Level,Próg ponowienia zamówienia
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Wpisz nazwy przedmiotów i planowaną ilość dla której chcesz zwiększyć produkcję zamówień lub ściągnąć surowe elementy dla analizy.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Wykres Gantta
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Niepełnoetatowy
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Niepełnoetatowy
DocType: Employee,Applicable Holiday List,Stosowna Lista Urlopów
DocType: Employee,Cheque,Czek
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Aktualizacja serii
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Typ raportu jest wymagany
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Typ raportu jest wymagany
DocType: Item,Serial Number Series,Seria nr seryjnego
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Magazyn jest obowiązkowy dla Przedmiotu {0} w rzędzie {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Hurt i Detal
@@ -4423,7 +4448,7 @@
DocType: BOM,Materials,Materiały
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Jeśli nie jest zaznaczone, lista będzie musiała być dodana do każdego działu, w którym ma zostać zastosowany."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Źródło i Cel Magazyn nie może być taki sam
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Delegowanie datę i czas delegowania jest obowiązkowe
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Delegowanie datę i czas delegowania jest obowiązkowe
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Szablon podatkowy dla transakcji zakupu.
,Item Prices,Ceny
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Słownie będzie widoczna w Zamówieniu po zapisaniu
@@ -4433,22 +4458,23 @@
DocType: Purchase Invoice,Advance Payments,Zaliczki
DocType: Purchase Taxes and Charges,On Net Total,Na podstawie Kwoty Netto
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Wartość atrybutu {0} musi mieścić się w przedziale {1} z {2} w przyrostach {3} {4} Przedmiot
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Cel dla magazynu w wierszu {0} musi być taki sam jak produkcja na zamówienie
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Cel dla magazynu w wierszu {0} musi być taki sam jak produkcja na zamówienie
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,Adres e-mail dla 'Powiadomień' nie został podany dla powracających %s
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,Waluta nie może być zmieniony po dokonaniu wpisów używając innej walucie
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Waluta nie może być zmieniony po dokonaniu wpisów używając innej walucie
DocType: Vehicle Service,Clutch Plate,sprzęgło
DocType: Company,Round Off Account,Konto kwot zaokrągleń
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Wydatki na podstawową działalność
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Wydatki na podstawową działalność
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Konsulting
DocType: Customer Group,Parent Customer Group,Nadrzędna Grupa Klientów
DocType: Purchase Invoice,Contact Email,E-mail kontaktu
DocType: Appraisal Goal,Score Earned,Ilość zdobytych punktów
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Okres wypowiedzenia
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Okres wypowiedzenia
DocType: Asset Category,Asset Category Name,Zaleta Nazwa kategorii
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,To jest obszar root i nie może być edytowany.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Nazwa nowej osoby Sprzedaży
DocType: Packing Slip,Gross Weight UOM,Waga brutto Jednostka miary
DocType: Delivery Note Item,Against Sales Invoice,Na podstawie faktury sprzedaży
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Wprowadź numery seryjne dla kolejnego elementu
DocType: Bin,Reserved Qty for Production,Reserved Ilość Produkcji
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Opuść zaznaczenie, jeśli nie chcesz rozważyć partii przy jednoczesnym tworzeniu grup kursów."
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Opuść zaznaczenie, jeśli nie chcesz rozważyć partii przy jednoczesnym tworzeniu grup kursów."
@@ -4457,25 +4483,25 @@
DocType: Landed Cost Item,Landed Cost Item,Koszt Przedmiotu
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Pokaż wartości zerowe
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Ilość produktu otrzymanego po produkcji / przepakowaniu z podanych ilości surowców
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Konfiguracja prosta strona mojej organizacji
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Konfiguracja prosta strona mojej organizacji
DocType: Payment Reconciliation,Receivable / Payable Account,Konto Należności / Zobowiązań
DocType: Delivery Note Item,Against Sales Order Item,Na podstawie pozycji zamówienia sprzedaży
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},Proszę podać wartość atrybutu dla atrybutu {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},Proszę podać wartość atrybutu dla atrybutu {0}
DocType: Item,Default Warehouse,Domyślny magazyn
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Budżet nie może być przypisany do rachunku grupy {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Proszę podać nadrzędne centrum kosztów
DocType: Delivery Note,Print Without Amount,Drukuj bez wartości
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,amortyzacja Data
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Kategorią podatku nie może być ""Wycena"" lub ""Wycena i Total"", ponieważ wszystkie elementy są elementy nie umieszczanymi w magazynie"
DocType: Issue,Support Team,Support Team
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Wygaśnięcie (w dniach)
DocType: Appraisal,Total Score (Out of 5),Łączny wynik (w skali do 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Partia
+DocType: Student Attendance Tool,Batch,Partia
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Bilans
DocType: Room,Seating Capacity,Liczba miejsc
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Łączny koszt roszczenie (przez zwrot kosztów)
+DocType: GST Settings,GST Summary,Podsumowanie GST
DocType: Assessment Result,Total Score,Całkowity wynik
DocType: Journal Entry,Debit Note,Nota debetowa
DocType: Stock Entry,As per Stock UOM,
@@ -4487,12 +4513,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Magazyn wyrobów gotowych domyślne
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Sprzedawca
DocType: SMS Parameter,SMS Parameter,Parametr SMS
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Budżet i MPK
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Budżet i MPK
DocType: Vehicle Service,Half Yearly,Pół Roku
DocType: Lead,Blog Subscriber,Subskrybent Bloga
DocType: Guardian,Alternate Number,Alternatywny numer
DocType: Assessment Plan Criteria,Maximum Score,Maksymalna liczba punktów
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Grupa Roll No
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Zostaw puste, jeśli uczysz grupy studentów rocznie"
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Zostaw puste, jeśli uczysz grupy studentów rocznie"
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Jeśli zaznaczone, Całkowita liczba Dni Roboczych obejmie święta, a to zmniejsza wartość Wynagrodzenie za dzień"
@@ -4512,6 +4539,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Jest to oparte na operacjach przeciwko tym Klienta. Zobacz harmonogram poniżej w szczegółach
DocType: Supplier,Credit Days Based On,Dni kredytowe w oparciu o
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Wiersz {0}: Przyznana kwota {1} musi być mniejsza lub równa kwocie Entry Płatność {2}
+,Course wise Assessment Report,Szeregowy raport oceny
DocType: Tax Rule,Tax Rule,Reguła podatkowa
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Utrzymanie tej samej stawki przez cały cykl sprzedaży
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Zaplanuj dzienniki poza godzinami Pracy Workstation.
@@ -4520,7 +4548,7 @@
,Items To Be Requested,
DocType: Purchase Order,Get Last Purchase Rate,Uzyskaj stawkę z ostatniego zakupu
DocType: Company,Company Info,Informacje o firmie
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Wybierz lub dodaj nowego klienta
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Wybierz lub dodaj nowego klienta
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,centrum kosztów jest zobowiązany do zwrotu kosztów rezerwacji
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aktywa
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Jest to oparte na obecności pracownika
@@ -4528,27 +4556,29 @@
DocType: Fiscal Year,Year Start Date,Data początku roku
DocType: Attendance,Employee Name,Nazwisko pracownika
DocType: Sales Invoice,Rounded Total (Company Currency),Końcowa zaokrąglona kwota (waluta firmy)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,"Nie można konwertowanie do grupy, ponieważ jest wybrany rodzaj konta."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Nie można konwertowanie do grupy, ponieważ jest wybrany rodzaj konta."
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} został zmodyfikowany. Proszę odświeżyć.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Zatrzymaj możliwość składania zwolnienia chorobowego użytkownikom w następujące dni.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Kwota zakupu
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Dostawca notowań {0} tworzone
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Koniec roku nie może być przed rozpoczęciem Roku
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Świadczenia pracownicze
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Świadczenia pracownicze
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Wartość spakowana musi równać się ilości dla przedmiotu {0} w rzędzie {1}
DocType: Production Order,Manufactured Qty,Ilość wyprodukowanych
DocType: Purchase Receipt Item,Accepted Quantity,Przyjęta Ilość
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Proszę ustawić domyślnej listy wypoczynkowe dla pracowników {0} lub {1} firmy
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} nie istnieje
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} nie istnieje
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Wybierz numery partii
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Rachunki dla klientów.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Projekt Id
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Wiersz nr {0}: Kwota nie może być większa niż oczekiwaniu Kwota wobec Kosztów zastrzeżenia {1}. W oczekiwaniu Kwota jest {2}
DocType: Maintenance Schedule,Schedule,Harmonogram
DocType: Account,Parent Account,Nadrzędne konto
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Dostępny
DocType: Quality Inspection Reading,Reading 3,Odczyt 3
,Hub,Piasta
DocType: GL Entry,Voucher Type,Typ Podstawy
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Cennik nie został znaleziony lub wyłączone
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Cennik nie został znaleziony lub wyłączone
DocType: Employee Loan Application,Approved,Zatwierdzono
DocType: Pricing Rule,Price,Cena
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',pracownik zwalnia się na {0} musi być ustawiony jako 'opuścił'
@@ -4559,7 +4589,8 @@
DocType: Selling Settings,Campaign Naming By,Nazwa Kampanii Przez
DocType: Employee,Current Address Is,Obecny adres to
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,Zmodyfikowano
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Opcjonalny. Ustawia domyślną walutę firmy, jeśli nie podano."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Opcjonalny. Ustawia domyślną walutę firmy, jeśli nie podano."
+DocType: Sales Invoice,Customer GSTIN,Klient GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Dziennik zapisów księgowych.
DocType: Delivery Note Item,Available Qty at From Warehouse,Dostępne szt co z magazynu
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,Proszę wybrać pierwszego pracownika
@@ -4567,7 +4598,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Wiersz {0}: Party / konto nie jest zgodny z {1} / {2} w {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Wprowadź konto Wydatków
DocType: Account,Stock,Magazyn
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Wiersz # {0}: Reference Document Type musi być jednym z Zamówieniem, faktura zakupu lub Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Wiersz # {0}: Reference Document Type musi być jednym z Zamówieniem, faktura zakupu lub Journal Entry"
DocType: Employee,Current Address,Obecny adres
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Jeśli pozycja jest wariant innego elementu, a następnie opis, zdjęcia, ceny, podatki itp zostanie ustalony z szablonu, o ile nie określono wyraźnie"
DocType: Serial No,Purchase / Manufacture Details,Szczegóły Zakupu / Produkcji
@@ -4580,8 +4611,8 @@
DocType: Pricing Rule,Min Qty,Min. ilość
DocType: Asset Movement,Transaction Date,Data transakcji
DocType: Production Plan Item,Planned Qty,Planowana ilość
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Razem podatkowa
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Do Ilość (Wyprodukowano kopie) są obowiązkowe
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Razem podatkowa
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Do Ilość (Wyprodukowano kopie) są obowiązkowe
DocType: Stock Entry,Default Target Warehouse,Domyślny magazyn docelowy
DocType: Purchase Invoice,Net Total (Company Currency),Łączna wartość netto (waluta firmy)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Rok Data zakończenia nie może być wcześniejsza niż data początkowa rok. Popraw daty i spróbuj ponownie.
@@ -4595,15 +4626,12 @@
DocType: Hub Settings,Hub Settings,Ustawienia Hub
DocType: Project,Gross Margin %,Marża brutto %
DocType: BOM,With Operations,Wraz z działaniami
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Zapisy księgowe zostały już dokonane w walucie {0} dla firmy {1}. Proszę wybrać należności lub zobowiązania konto w walucie {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Zapisy księgowe zostały już dokonane w walucie {0} dla firmy {1}. Proszę wybrać należności lub zobowiązania konto w walucie {0}.
DocType: Asset,Is Existing Asset,Czy istniejącego środka trwałego
DocType: Salary Detail,Statistical Component,Składnik statystyczny
DocType: Salary Detail,Statistical Component,Składnik statystyczny
-,Monthly Salary Register,Rejestr Miesięcznego Wynagrodzenia
DocType: Warranty Claim,If different than customer address,Jeśli jest inny niż adres klienta
DocType: BOM Operation,BOM Operation,
-DocType: School Settings,Validate the Student Group from Program Enrollment,Sprawdź grupę studentów przed zapisaniem się do programu
-DocType: School Settings,Validate the Student Group from Program Enrollment,Sprawdź grupę studentów przed zapisaniem się do programu
DocType: Purchase Taxes and Charges,On Previous Row Amount,
DocType: Student,Home Address,Adres domowy
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Przeniesienie aktywów
@@ -4611,28 +4639,27 @@
DocType: Training Event,Event Name,Nazwa wydarzenia
apps/erpnext/erpnext/config/schools.py +39,Admission,Wstęp
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Rekrutacja dla {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Sezonowość ustalania budżetów, cele itd."
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Element {0} jest szablon, należy wybrać jedną z jego odmian"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Sezonowość ustalania budżetów, cele itd."
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Element {0} jest szablon, należy wybrać jedną z jego odmian"
DocType: Asset,Asset Category,Aktywa Kategoria
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Kupujący
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Stawka Netto nie może być na minusie
DocType: SMS Settings,Static Parameters,Parametry statyczne
DocType: Assessment Plan,Room,Pokój
DocType: Purchase Order,Advance Paid,Zaliczka
DocType: Item,Item Tax,Podatek dla tej pozycji
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materiał do Dostawcy
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Akcyza Faktura
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Akcyza Faktura
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Próg {0}% występuje więcej niż jeden raz
DocType: Expense Claim,Employees Email Id,Email ID pracownika
DocType: Employee Attendance Tool,Marked Attendance,Zaznaczona Obecność
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Bieżące Zobowiązania
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Bieżące Zobowiązania
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Wyślij zbiorczo sms do swoich kontaktów
DocType: Program,Program Name,Nazwa programu
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Rozwać Podatek albo Opłatę za
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Rzeczywista Ilość jest obowiązkowa
DocType: Employee Loan,Loan Type,Rodzaj kredytu
DocType: Scheduling Tool,Scheduling Tool,Narzędzie Scheduling
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,
DocType: BOM,Item to be manufactured or repacked,"Produkt, który ma zostać wyprodukowany lub przepakowany"
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Domyślne ustawienia dla transakcji asortymentu
DocType: Purchase Invoice,Next Date,Następna Data
@@ -4648,10 +4675,10 @@
DocType: Stock Entry,Repack,Przepakowanie
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Zapisz formularz aby kontynuować
DocType: Item Attribute,Numeric Values,Wartości liczbowe
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Załącz Logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Załącz Logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Poziom zapasów
DocType: Customer,Commission Rate,Wartość prowizji
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Bądź Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Bądź Variant
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Zablokuj wnioski urlopowe według departamentów
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer",Typ płatności musi być jednym z Odbierz Pay and przelew wewnętrzny
apps/erpnext/erpnext/config/selling.py +179,Analytics,Analityka
@@ -4659,45 +4686,45 @@
DocType: Vehicle,Model,Model
DocType: Production Order,Actual Operating Cost,Rzeczywisty koszt operacyjny
DocType: Payment Entry,Cheque/Reference No,Czek / numer
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Root nie może być edytowany
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root nie może być edytowany
DocType: Item,Units of Measure,Jednostki miary
DocType: Manufacturing Settings,Allow Production on Holidays,Pozwól Produkcja na święta
DocType: Sales Order,Customer's Purchase Order Date,Data Zamówienia Zakupu Klienta
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Kapitał zakładowy
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Kapitał zakładowy
DocType: Shopping Cart Settings,Show Public Attachments,Pokaż załączniki publiczne
DocType: Packing Slip,Package Weight Details,Informacje o wadze paczki
DocType: Payment Gateway Account,Payment Gateway Account,Płatność konto Brama
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Po dokonaniu płatności przekierować użytkownika do wybranej strony.
DocType: Company,Existing Company,istniejące firmy
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Kategoria podatkowa została zmieniona na "Razem", ponieważ wszystkie elementy są towarami nieruchoma"
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Proszę wybrać plik .csv
DocType: Student Leave Application,Mark as Present,Oznacz jako Present
DocType: Purchase Order,To Receive and Bill,Do odbierania i Bill
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Polecane produkty
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Projektant
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Projektant
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Szablony warunków i regulaminów
DocType: Serial No,Delivery Details,Szczegóły dostawy
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},
DocType: Program,Program Code,Kod programu
DocType: Terms and Conditions,Terms and Conditions Help,Warunki Pomoc
,Item-wise Purchase Register,
DocType: Batch,Expiry Date,Data ważności
-,Supplier Addresses and Contacts,Adresy i kontakty dostawcy
,accounts-browser,Rachunki przeglądarkami
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,Proszę najpierw wybrać kategorię
apps/erpnext/erpnext/config/projects.py +13,Project master.,Dyrektor projektu
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Aby umożliwić over-fakturowania lub zbyt zamawiającego, update "dodatek" w ustawieniach zasobu lub elementu."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Aby umożliwić over-fakturowania lub zbyt zamawiającego, update "dodatek" w ustawieniach zasobu lub elementu."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,"Nie pokazuj żadnych symboli przy walutach, takich jak $"
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Pół dnia)
DocType: Supplier,Credit Days,
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Bądź Batch Studenta
DocType: Leave Type,Is Carry Forward,
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Weź produkty z zestawienia materiałowego
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Weź produkty z zestawienia materiałowego
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Czas realizacji (dni)
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Wiersz # {0}: Data księgowania musi być taka sama jak data zakupu {1} z {2} aktywów
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Wiersz # {0}: Data księgowania musi być taka sama jak data zakupu {1} z {2} aktywów
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Proszę podać zleceń sprzedaży w powyższej tabeli
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Krótkometrażowy Zarobki Poślizgnięcia
,Stock Summary,Podsumowanie Zdjęcie
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Przeniesienie aktywów z jednego magazynu do drugiego
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Przeniesienie aktywów z jednego magazynu do drugiego
DocType: Vehicle,Petrol,Benzyna
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Zestawienie materiałów
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Wiersz {0}: Typ i Partia Partia jest wymagane w przypadku otrzymania / rachunku Płatne {1}
@@ -4708,6 +4735,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Zatwierdzona Kwota
DocType: GL Entry,Is Opening,Otwiera się
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Wiersz {0}: Debit wpis nie może być związana z {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Konto {0} nie istnieje
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Konto {0} nie istnieje
DocType: Account,Cash,Gotówka
DocType: Employee,Short biography for website and other publications.,Krótka notka na stronę i do innych publikacji
diff --git a/erpnext/translations/ps.csv b/erpnext/translations/ps.csv
index 05f9504..543b463 100644
--- a/erpnext/translations/ps.csv
+++ b/erpnext/translations/ps.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,د استهلاکي تولیداتو
DocType: Item,Customer Items,پيرودونکو لپاره توکي
DocType: Project,Costing and Billing,لګښت او اولګښت
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,ګڼون {0}: Parent حساب {1} نه شي د پنډو وي
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,ګڼون {0}: Parent حساب {1} نه شي د پنډو وي
DocType: Item,Publish Item to hub.erpnext.com,ته hub.erpnext.com د قالب د خپرېدو
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,ليک د خبرتیا
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,ارزونې
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,ارزونې
DocType: Item,Default Unit of Measure,د اندازه کولو واحد (Default)
DocType: SMS Center,All Sales Partner Contact,ټول خرڅلاو همکار سره اړيکي
DocType: Employee,Leave Approvers,تصویبونکي ووځي
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),د بدلولو نرخ باید په توګه ورته وي {0} د {1} ({2})
DocType: Sales Invoice,Customer Name,پیریدونکي نوم
DocType: Vehicle,Natural Gas,طبیعی ګاز
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},بانکي حساب په توګه نه ونومول شي کولای {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},بانکي حساب په توګه نه ونومول شي کولای {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,سرونه (یا ډلو) په وړاندې چې د محاسبې توکي دي او انډول وساتل شي.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),بيالنس د {0} کولای شي او نه د صفر څخه کم ({1})
DocType: Manufacturing Settings,Default 10 mins,افتراضي 10 دقیقه
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,ټول عرضه سره اړيکي
DocType: Support Settings,Support Settings,د ملاتړ امستنې
DocType: SMS Parameter,Parameter,د پاراميټر
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,د تمی د پای نیټه نه شي کولای په پرتله د تمی د پیل نیټه کمه وي
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,د تمی د پای نیټه نه شي کولای په پرتله د تمی د پیل نیټه کمه وي
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,د کتارونو تر # {0}: کچه باید په توګه ورته وي {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,نوي اجازه کاریال
,Batch Item Expiry Status,دسته شمیره د پای حالت
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,بانک مسوده
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,بانک مسوده
DocType: Mode of Payment Account,Mode of Payment Account,د تادیاتو حساب اکر
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,انکړپټه ښودل تانبه
DocType: Academic Term,Academic Term,علمي مهاله
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,د مادي
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,کمیت
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,جوړوي جدول نه خالي وي.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),پورونه (مسؤلیتونه)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),پورونه (مسؤلیتونه)
DocType: Employee Education,Year of Passing,د تصویب کال
DocType: Item,Country of Origin,د استوګنی اصلی ځای
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,په ګدام کښي
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,په ګدام کښي
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,د پرانیستې مسایل
DocType: Production Plan Item,Production Plan Item,تولید پلان د قالب
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},کارن {0} لا د مخه د کارکونکو ګمارل {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,روغتیایی پاملرنه
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),د ځنډ په پیسو (ورځې)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,خدمتونو د اخراجاتو
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},مسلسله شمېره: {0} د مخکې نه په خرڅلاو صورتحساب ماخذ: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},مسلسله شمېره: {0} د مخکې نه په خرڅلاو صورتحساب ماخذ: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,صورتحساب
DocType: Maintenance Schedule Item,Periodicity,Periodicity
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,مالي کال د {0} ته اړتیا لیدل کیږي
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,د کتارونو تر # {0}:
DocType: Timesheet,Total Costing Amount,Total لګښت مقدار
DocType: Delivery Note,Vehicle No,موټر نه
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,مهرباني غوره بیې لېست
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,مهرباني غوره بیې لېست
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,د کتارونو تر # {0}: د تادیاتو سند ته اړتيا ده چې د trasaction بشپړ
DocType: Production Order Operation,Work In Progress,کار په جریان کښی
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,مهرباني غوره نیټه
DocType: Employee,Holiday List,رخصتي بشپړفهرست
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,محاسب
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,محاسب
DocType: Cost Center,Stock User,دحمل کارن
DocType: Company,Phone No,تيليفون نه
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,کورس ویش جوړ:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},نوي {0}: # {1}
,Sales Partners Commission,خرڅلاو همکاران کمیسیون
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,اختصاري نه شي کولای 5 څخه زیات وي
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,اختصاري نه شي کولای 5 څخه زیات وي
DocType: Payment Request,Payment Request,د پیسو غوښتنه
DocType: Asset,Value After Depreciation,ارزښت د استهالک وروسته
DocType: Employee,O+,اې +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,د حاضرۍ نېټه نه شي کولای د کارکوونکي د یوځای نېټې څخه کم وي
DocType: Grading Scale,Grading Scale Name,د رتبو او مقياس نوم
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,دا یو د ريښو په حساب او د نه تصحيح شي.
+DocType: Sales Invoice,Company Address,شرکت پته
DocType: BOM,Operations,عملیاتو په
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},لپاره د کمښت په اساس اجازه نه شي {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name",سره دوه ستنې، یو زوړ نوم لپاره او يوه د نوي نوم لپاره .csv دوتنې سره ضمیمه
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} د {1} په هر فعال مالي کال نه.
DocType: Packed Item,Parent Detail docname,Parent تفصیلي docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",ماخذ: {0}، شمیره کوډ: {1} او پيرودونکو: {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,کيلوګرام
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,کيلوګرام
DocType: Student Log,Log,يادښت
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,د دنده پرانيستل.
DocType: Item Attribute,Increment,بهرمن
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,د اعلاناتو
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,همدې شرکت څخه یو ځل بیا ننوتل
DocType: Employee,Married,واده
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},لپاره نه اجازه {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},لپاره نه اجازه {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,له توکي ترلاسه کړئ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},دحمل د سپارنې يادونه په وړاندې د تازه نه شي {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},دحمل د سپارنې يادونه په وړاندې د تازه نه شي {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},د محصول د {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,هیڅ توکي لست
DocType: Payment Reconciliation,Reconcile,پخلا
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,بل د استهالک نېټه مخکې رانيول نېټه نه شي
DocType: SMS Center,All Sales Person,ټول خرڅلاو شخص
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** میاشتنی ویش ** تاسو سره مرسته کوي که تاسو د خپل کاروبار د موسمي لري د بودجې د / د هدف په ټول مياشتو وویشي.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,نه توکي موندل
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,نه توکي موندل
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,معاش جوړښت ورک
DocType: Lead,Person Name,کس نوم
DocType: Sales Invoice Item,Sales Invoice Item,خرڅلاو صورتحساب د قالب
DocType: Account,Credit,د اعتبار
DocType: POS Profile,Write Off Cost Center,ولیکئ پړاو لګښت مرکز
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",د بيلګې په توګه: "لومړنی ښوونځی" یا "پوهنتون"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",د بيلګې په توګه: "لومړنی ښوونځی" یا "پوهنتون"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,دحمل راپورونه
DocType: Warehouse,Warehouse Detail,ګدام تفصیلي
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},پورونو د حد لپاره د مشتريانو د اوښتي دي {0} د {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},پورونو د حد لپاره د مشتريانو د اوښتي دي {0} د {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,د دورې د پای نیټه نه وروسته د کال د پای د تعليمي کال د نېټه چې د اصطلاح ده سره تړاو لري په پرتله وي (تعليمي کال د {}). لطفا د خرما د اصلاح او بیا کوښښ وکړه.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","آیا ثابته شتمني" کولای وناکتل نه وي، ځکه چې د توکي په وړاندې د شتمنیو د ثبت شتون لري
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","آیا ثابته شتمني" کولای وناکتل نه وي، ځکه چې د توکي په وړاندې د شتمنیو د ثبت شتون لري
DocType: Vehicle Service,Brake Oil,لنت ترمز د تیلو
DocType: Tax Rule,Tax Type,د مالياتو ډول
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},تاسو اختيار نه لري چې مخکې ثبت کرښې زیاتولی او یا تازه {0}
DocType: BOM,Item Image (if not slideshow),د قالب د انځور (که سلاید نه)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,د پيرودونکو سره په همدې نوم شتون لري
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(قيامت Rate / 60) * د عملیاتو د وخت
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,انتخاب هیښ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,انتخاب هیښ
DocType: SMS Log,SMS Log,SMS ننوتنه
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,د تحویلوونکی سامان لګښت
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,د {0} د رخصتۍ له تاريخ او د تاريخ تر منځ نه ده
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},څخه د {0} د {1}
DocType: Item,Copy From Item Group,کاپي له قالب ګروپ
DocType: Journal Entry,Opening Entry,د پرانستلو په انفاذ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,پيرودونکو> پيرودونکو ګروپ> خاوره
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,حساب د معاشونو يوازې
DocType: Employee Loan,Repay Over Number of Periods,بيرته د د پړاوونه شمیره
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} په دی کې شامل نه د ورکړل {2}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} په دی کې شامل نه د ورکړل {2}
DocType: Stock Entry,Additional Costs,اضافي لګښتونو
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,د موجوده د راکړې ورکړې حساب ته ډلې بدل نه شي.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,د موجوده د راکړې ورکړې حساب ته ډلې بدل نه شي.
DocType: Lead,Product Enquiry,د محصول د ږنو
DocType: Academic Term,Schools,د ښوونځيو
+DocType: School Settings,Validate Batch for Students in Student Group,لپاره د زده کونکو د زده ګروپ دسته اعتباري
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},نه رخصت شی پيدا نشول لپاره کارکوونکي {0} د {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,مهرباني وکړئ لومړی شرکت ته ننوځي
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,مهرباني غوره شرکت لومړۍ
@@ -175,49 +176,49 @@
DocType: BOM,Total Cost,ټولیز لګښت،
DocType: Journal Entry Account,Employee Loan,د کارګر د پور
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,فعالیت ننوتنه:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,{0} د قالب په سيستم شتون نه لري يا وخت تېر شوی دی
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,{0} د قالب په سيستم شتون نه لري يا وخت تېر شوی دی
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,املاک
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,د حساب اعلامیه
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,د درملو د
DocType: Purchase Invoice Item,Is Fixed Asset,ده ثابته شتمني
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}",موجود qty دی {0}، تاسو بايد د {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}",موجود qty دی {0}، تاسو بايد د {1}
DocType: Expense Claim Detail,Claim Amount,ادعا مقدار
-DocType: Employee,Mr,ښاغلی
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,دوه ګونو مشتريانو د ډلې په cutomer ډلې جدول کې وموندل
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,عرضه ډول / عرضه
DocType: Naming Series,Prefix,هغه مختاړی
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,د مصرف
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,د مصرف
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,د وارداتو ننوتنه
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,د ډول د جوړون توکو غوښتنه پر بنسټ د پورته معیارونو پر وباسي
DocType: Training Result Employee,Grade,ټولګي
DocType: Sales Invoice Item,Delivered By Supplier,تحویلوونکی By عرضه
DocType: SMS Center,All Contact,ټول سره اړيکي
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,تولید نظم لا سره د هیښ ټول توکي جوړ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,کلنی معاش
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,تولید نظم لا سره د هیښ ټول توکي جوړ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,کلنی معاش
DocType: Daily Work Summary,Daily Work Summary,هره ورځ د کار لنډیز
DocType: Period Closing Voucher,Closing Fiscal Year,مالي کال تړل
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} د {1} ده کنګل
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,لورينه وکړئ د د حسابونو چارټ جوړولو موجوده شرکت وټاکئ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,دحمل داخراجاتو
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} د {1} ده کنګل
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,لورينه وکړئ د د حسابونو چارټ جوړولو موجوده شرکت وټاکئ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,دحمل داخراجاتو
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,وټاکئ هدف ګدام
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,وټاکئ هدف ګدام
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,لطفا غوره تماس بريښناليک
+DocType: Program Enrollment,School Bus,د ښوونځي بس
DocType: Journal Entry,Contra Entry,Contra انفاذ
DocType: Journal Entry Account,Credit in Company Currency,په شرکت د پیسو د اعتبار
DocType: Delivery Note,Installation Status,نصب او وضعیت
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",تاسو غواړئ چې د حاضرۍ د اوسمهالولو؟ <br> اوسنی: {0} \ <br> حاضر: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},منل + رد Qty باید د قالب برابر رارسيدلي مقدار وي {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},منل + رد Qty باید د قالب برابر رارسيدلي مقدار وي {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,رسولو لپاره خام توکي د رانيول
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,د پیسو تر لږه یوه اکر لپاره POS صورتحساب ته اړتيا لري.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,د پیسو تر لږه یوه اکر لپاره POS صورتحساب ته اړتيا لري.
DocType: Products Settings,Show Products as a List,انکړپټه ښودل محصوالت په توګه بشپړفهرست
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records",دانلود د کينډۍ، د مناسبو معلوماتو د ډکولو او د دوتنه کې ضمیمه کړي. د ټاکل شوې مودې په ټولو نیټې او کارمند ترکیب به په کېنډۍ کې راغلي، د موجوده حاضري سوابق
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,{0} د قالب فعاله نه وي او يا د ژوند د پای ته رسیدلی دی شوی
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,بېلګه: د اساسي ریاضیاتو
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",په قطار {0} په قالب کچه د ماليې شامل دي، چې په قطارونو ماليه {1} هم باید شامل شي
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,{0} د قالب فعاله نه وي او يا د ژوند د پای ته رسیدلی دی شوی
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,بېلګه: د اساسي ریاضیاتو
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",په قطار {0} په قالب کچه د ماليې شامل دي، چې په قطارونو ماليه {1} هم باید شامل شي
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,د بشري حقونو د څانګې ماډل امستنې
DocType: SMS Center,SMS Center,SMS مرکز
DocType: Sales Invoice,Change Amount,د بدلون لپاره د مقدار
@@ -227,7 +228,7 @@
DocType: Lead,Request Type,غوښتنه ډول
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,د کارګر د کمکیانو لپاره
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,broadcasting
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,د اجرا
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,د اجرا
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,د عملیاتو په بشپړه توګه کتل ترسره.
DocType: Serial No,Maintenance Status,د ساتنې حالت
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} د {1}: عرضه ده د راتلوونکې ګڼون په وړاندې د اړتيا {2}
@@ -255,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,د مادیاتو په غوښتنه په کېکاږلو سره په لاندې لینک رسی شي
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,د کال لپاره د پاڼي تخصيص.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG خلقت اسباب کورس
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,ناکافي دحمل
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,ناکافي دحمل
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ناتوانې ظرفیت د پلان او د وخت د معلومولو
DocType: Email Digest,New Sales Orders,نوي خرڅلاو امر
DocType: Bank Guarantee,Bank Account,د بانک ګڼوڼ
@@ -266,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log',روز 'د وخت څېره' له لارې
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},پرمختللی اندازه نه شي کولای څخه ډيره وي {0} د {1}
DocType: Naming Series,Series List for this Transaction,د دې پیسو د انتقال د لړۍ بشپړفهرست
+DocType: Company,Enable Perpetual Inventory,دايمي موجودي فعال
DocType: Company,Default Payroll Payable Account,Default د معاشاتو د راتلوونکې حساب
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,تازه بريښناليک ګروپ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,تازه بريښناليک ګروپ
DocType: Sales Invoice,Is Opening Entry,ده انفاذ پرانيستل
DocType: Customer Group,Mention if non-standard receivable account applicable,یادونه که غیر معیاري ترلاسه حساب د تطبيق وړ
DocType: Course Schedule,Instructor Name,د لارښوونکي نوم
@@ -279,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,په وړاندې د خرڅلاو صورتحساب د قالب
,Production Orders in Progress,په پرمختګ تولید امر
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,له مالي خالص د نغدو
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save",LocalStorage ډک شي، نه د ژغورلو نه
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save",LocalStorage ډک شي، نه د ژغورلو نه
DocType: Lead,Address & Contact,پته تماس
DocType: Leave Allocation,Add unused leaves from previous allocations,د تیرو تخصیص ناکارول پاڼي ورزیات کړئ
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},بل د راګرځېدل {0} به جوړ شي {1}
DocType: Sales Partner,Partner website,همکار ویب پاڼه
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Add د قالب
-,Contact Name,تماس نوم
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,تماس نوم
DocType: Course Assessment Criteria,Course Assessment Criteria,کورس د ارزونې معیارونه
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,لپاره د پورته ذکر معیارونو معاش ټوټه.
DocType: POS Customer Group,POS Customer Group,POS پيرودونکو ګروپ
@@ -294,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,نه توضيحات ورکړل
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,لپاره د اخیستلو غوښتنه وکړي.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,دا کار د وخت د سکيچ جوړ د دې پروژې پر وړاندې پر بنسټ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,خالص د معاشونو نه شي کولای 0 څخه کم وي
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,خالص د معاشونو نه شي کولای 0 څخه کم وي
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,یوازې د ټاکل اجازه Approver دا اجازه او د غوښتنليک وسپاري
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,کرارولو نېټه بايد په پرتله په یوځای کېدو نېټه ډيره وي
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,روان شو هر کال
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,روان شو هر کال
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,د کتارونو تر {0}: مهرباني وکړئ وګورئ 'آیا پرمختللی' حساب په وړاندې د {1} که دا د يو داسې پرمختللي ننوتلو ده.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},ګدام {0} نه شرکت سره تړاو نه لري {1}
DocType: Email Digest,Profit & Loss,ګټه او زیان
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,ني
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,ني
DocType: Task,Total Costing Amount (via Time Sheet),Total لګښت مقدار (د وخت پاڼه له لارې)
DocType: Item Website Specification,Item Website Specification,د قالب د ځانګړتیاوو وېب پاڼه
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,د وتو بنديز لګېدلی
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},{0} د قالب په خپلو د ژوند پای ته ورسېدئ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},{0} د قالب په خپلو د ژوند پای ته ورسېدئ {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,بانک توکي
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,کلنی
DocType: Stock Reconciliation Item,Stock Reconciliation Item,دحمل پخلاينې د قالب
@@ -313,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,Min نظم Qty
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,د زده کونکو د ګروپ خلقت اسباب کورس
DocType: Lead,Do Not Contact,نه د اړيکې
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,هغه خلک چې په خپل سازمان د درس
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,هغه خلک چې په خپل سازمان د درس
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,د ټولو تکراري رسیدونه تعقیب بې سارې پېژند. دا کار په وړاندې تولید دی.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,د پوستکالي د پراختیا
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,د پوستکالي د پراختیا
DocType: Item,Minimum Order Qty,لږ تر لږه نظم Qty
DocType: Pricing Rule,Supplier Type,عرضه ډول
DocType: Course Scheduling Tool,Course Start Date,د کورس د پیل نیټه
@@ -324,11 +326,11 @@
DocType: Item,Publish in Hub,په مرکز د خپرېدو
DocType: Student Admission,Student Admission,د زده کونکو د شاملیدو
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,{0} د قالب دی لغوه
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,{0} د قالب دی لغوه
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,د موادو غوښتنه
DocType: Bank Reconciliation,Update Clearance Date,تازه چاڼېزو نېټه
DocType: Item,Purchase Details,رانيول نورولوله
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},د قالب {0} په خام مواد 'جدول په اخستلو امر ونه موندل {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},د قالب {0} په خام مواد 'جدول په اخستلو امر ونه موندل {1}
DocType: Employee,Relation,د خپلوي
DocType: Shipping Rule,Worldwide Shipping,د نړۍ په نقل
DocType: Student Guardian,Mother,مور
@@ -347,6 +349,7 @@
DocType: Student Group Student,Student Group Student,د زده کونکو د ګروپ د زده کوونکو
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,تازه
DocType: Vehicle Service,Inspection,تفتیش
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,بشپړفهرست
DocType: Email Digest,New Quotations,نوي Quotations
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,د کارکوونکو د برېښناليک معاش ټوټه پر بنسټ د خوښې ایمیل کې د کارګر ټاکل
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,په لست کې د اجازه لومړی Approver به د تلواله اجازه Approver په توګه جوړ شي
@@ -355,20 +358,20 @@
DocType: Asset,Next Depreciation Date,بل د استهالک نېټه
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,فعالیت لګښت په سلو کې د کارګر
DocType: Accounts Settings,Settings for Accounts,لپاره حسابونه امستنې
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},په رانيول صورتحساب عرضه صورتحساب شتون نه لري {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},په رانيول صورتحساب عرضه صورتحساب شتون نه لري {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Manage خرڅلاو شخص د ونو.
DocType: Job Applicant,Cover Letter,د خط کور
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,بيالنس Cheques او سپما او پاکول
DocType: Item,Synced With Hub,دفارسی د مرکزي
DocType: Vehicle,Fleet Manager,د بیړیو د مدير
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},د کتارونو تر # {0}: {1} نه شي لپاره توکی منفي وي {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,غلط شفر
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,غلط شفر
DocType: Item,Variant Of,د variant
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',بشپړ Qty نه شي کولای په پرتله 'Qty تولید' وي
DocType: Period Closing Voucher,Closing Account Head,حساب مشر تړل
DocType: Employee,External Work History,بهرني کار تاریخ
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,متحدالمال ماخذ کې تېروتنه
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1 نوم
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 نوم
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,په وييکي (صادراتو) به د لیدو وړ وي يو ځل تاسو تسلیمی يادونه وژغوري.
DocType: Cheque Print Template,Distance from left edge,کيڼې څنډې څخه فاصله
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} د [{1}] واحدونه (# فورمه / د قالب / {1}) په [{2}] وموندل (# فورمه / تون / د {2})
@@ -377,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,د اتومات د موادو غوښتنه رامنځته کېدو له امله دبرېښنا ليک خبر
DocType: Journal Entry,Multi Currency,څو د اسعارو
DocType: Payment Reconciliation Invoice,Invoice Type,صورتحساب ډول
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,د سپارنې پرمهال یادونه
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,د سپارنې پرمهال یادونه
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,مالیات ترتیبول
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,د شتمنيو د دلال لګښت
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,د پیسو د داخلولو بدل شوی دی وروسته کش تاسو دا. دا بیا لطفا وباسي.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} په قالب د مالياتو د دوه ځله ننوتل
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,د پیسو د داخلولو بدل شوی دی وروسته کش تاسو دا. دا بیا لطفا وباسي.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} په قالب د مالياتو د دوه ځله ننوتل
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,لنډيز دې اوونۍ او په تمه د فعالیتونو لپاره
DocType: Student Applicant,Admitted,اعتراف وکړ
DocType: Workstation,Rent Cost,د کرايې لګښت
@@ -400,25 +403,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,لطفا ډګر ارزښت 'د مياشتې په ورځ تکرار'
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,په ميزان کي پيرودونکو د اسعارو له دی چې د مشتريانو د اډې اسعارو بدل
DocType: Course Scheduling Tool,Course Scheduling Tool,کورس اوقات اوزار
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},د کتارونو تر # {0}: رانيول صورتحساب د شته شتمنیو په وړاندې نه شي کولای شي د {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},د کتارونو تر # {0}: رانيول صورتحساب د شته شتمنیو په وړاندې نه شي کولای شي د {1}
DocType: Item Tax,Tax Rate,د مالياتو د Rate
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} لپاره د کارګر لا ځانګړې {1} لپاره موده {2} د {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,انتخاب د قالب
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,پیري صورتحساب {0} لا وسپارل
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,پیري صورتحساب {0} لا وسپارل
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},د کتارونو تر # {0}: دسته نه باید ورته وي {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,د غیر ګروپ ته واړوئ
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,دسته (ډېر) د یو قالب.
DocType: C-Form Invoice Detail,Invoice Date,صورتحساب نېټه
DocType: GL Entry,Debit Amount,ډیبیټ مقدار
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},هلته يوازې کولای شي په هر شرکت 1 حساب وي {0} د {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,مهرباني مل وګورئ
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},هلته يوازې کولای شي په هر شرکت 1 حساب وي {0} د {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,مهرباني مل وګورئ
DocType: Purchase Order,% Received,٪ د ترلاسه
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,د زده کونکو د ډلو جوړول
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Setup د مخه بشپړ !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,اعتبار يادونه مقدار
,Finished Goods,پای ته سامانونه
DocType: Delivery Note,Instructions,لارښوونه:
DocType: Quality Inspection,Inspected By,تفتیش By
DocType: Maintenance Visit,Maintenance Type,د ساتنې ډول
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} په کورس کې شامل نه {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},شعبه {0} نه د سپارنې يادونه سره تړاو نه لري {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext قالب
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,سامان ورزیات کړئ
@@ -441,7 +446,7 @@
DocType: Request for Quotation,Request for Quotation,لپاره د داوطلبۍ غوښتنه
DocType: Salary Slip Timesheet,Working Hours,کار ساعتونه
DocType: Naming Series,Change the starting / current sequence number of an existing series.,د پیل / اوسني تسلسل کې د شته لړ شمېر کې بدلون راولي.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,یو نوی پيرودونکو جوړول
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,یو نوی پيرودونکو جوړول
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",که څو د بیو د اصولو دوام پراخیدل، د کاروونکو څخه پوښتنه کيږي چي د لومړیتوب ټاکل لاسي د شخړې حل کړي.
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,رانيول امر جوړول
,Purchase Register,رانيول د نوم ثبتول
@@ -453,7 +458,7 @@
DocType: Student Log,Medical,د طب
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,د له لاسه ورکولو لامل
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,سرب د خاوند نه شي کولی چې په غاړه په توګه ورته وي
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,ځانګړې اندازه کولای بوختوکارګرانو مقدار څخه زياته نه
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,ځانګړې اندازه کولای بوختوکارګرانو مقدار څخه زياته نه
DocType: Announcement,Receiver,د اخيستونکي
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation په لاندې نېټو بند دی هر رخصتي بشپړفهرست په توګه: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,فرصتونه
@@ -467,8 +472,7 @@
DocType: Assessment Plan,Examiner Name,Examiner نوم
DocType: Purchase Invoice Item,Quantity and Rate,کمیت او Rate
DocType: Delivery Note,% Installed,٪ ولګول شو
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,درسي / لابراتوارونو او نور هلته د لکچر کولای ټاکل شي.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,عرضه> عرضه ډول
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,درسي / لابراتوارونو او نور هلته د لکچر کولای ټاکل شي.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,مهرباني وکړئ د شرکت نوم د لومړي ننوځي
DocType: Purchase Invoice,Supplier Name,عرضه کوونکي نوم
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,د ERPNext لارښود ادامه
@@ -478,7 +482,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,چيک عرضه صورتحساب شمېر لوړوالی
DocType: Vehicle Service,Oil Change,د تیلو د بدلون
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','د Case شمیره' کولای 'له Case شمیره' لږ نه وي
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,غیر ګټه
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,غیر ګټه
DocType: Production Order,Not Started,پیل نه دی
DocType: Lead,Channel Partner,چینل همکار
DocType: Account,Old Parent,زاړه Parent
@@ -489,19 +493,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,د ټولو د توليد د پروسې Global امستنې.
DocType: Accounts Settings,Accounts Frozen Upto,جوړوي ګنګل ترمړوندونو پورې
DocType: SMS Log,Sent On,ته وليږدول د
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,ځانتیا د {0} په صفات جدول څو ځلې غوره
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,ځانتیا د {0} په صفات جدول څو ځلې غوره
DocType: HR Settings,Employee record is created using selected field. ,د کارګر ریکارډ انتخاب ډګر په کارولو سره جوړ.
DocType: Sales Order,Not Applicable,کاروړی نه دی
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,د رخصتۍ د بادار.
DocType: Request for Quotation Item,Required Date,د اړتیا نېټه
DocType: Delivery Note,Billing Address,دبیل پته
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,لطفا د قالب کود داخل کړي.
DocType: BOM,Costing,لګښت
DocType: Tax Rule,Billing County,د بیلونو په County
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount",که وکتل، د مالیې د مقدار په پام کې به شي ځکه چې لا له وړاندې په د چاپ Rate / چاپ مقدار شامل
DocType: Request for Quotation,Message for Supplier,د عرضه پيغام
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Total Qty
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 بريښناليک ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 بريښناليک ID
DocType: Item,Show in Website (Variant),په ویب پاڼه ښودل (متحول)
DocType: Employee,Health Concerns,روغتیا اندیښنې
DocType: Process Payroll,Select Payroll Period,انتخاب د معاشاتو د دورې
@@ -519,26 +522,28 @@
DocType: Sales Order Item,Used for Production Plan,د تولید پلان لپاره کارول کيږي
DocType: Employee Loan,Total Payment,ټول تاديه
DocType: Manufacturing Settings,Time Between Operations (in mins),د وخت عملیاتو تر منځ (په دقیقه)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} د {1} ده لغوه نو د عمل نه بشپړ شي
DocType: Customer,Buyer of Goods and Services.,د توکو او خدماتو د اخستونکو لپاره.
DocType: Journal Entry,Accounts Payable,ورکړې وړ حسابونه
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,د ټاکل شوي BOMs د همدغه توکي نه دي
DocType: Pricing Rule,Valid Upto,د اعتبار وړ ترمړوندونو پورې
DocType: Training Event,Workshop,د ورکشاپ
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,لست د خپل پېرېدونکي يو څو. هغوی کولی شي، سازمانونو یا وګړو.
-,Enough Parts to Build,بس برخي د جوړولو
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,مستقيم عايداتو
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,لست د خپل پېرېدونکي يو څو. هغوی کولی شي، سازمانونو یا وګړو.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,بس برخي د جوړولو
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,مستقيم عايداتو
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account",نه په حساب پر بنسټ کولای شي Filter، که د حساب ګروپ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,اداري مامور
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,لطفا کورس انتخاب
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,لطفا کورس انتخاب
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,اداري مامور
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,لطفا کورس انتخاب
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,لطفا کورس انتخاب
DocType: Timesheet Detail,Hrs,بجو
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,مهرباني وکړئ د شرکت وټاکئ
DocType: Stock Entry Detail,Difference Account,توپير اکانټ
+DocType: Purchase Invoice,Supplier GSTIN,عرضه GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,نږدې دنده په توګه خپل دنده پورې تړلې {0} تړلي نه ده نه شي کولای.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,لطفا د ګدام د کوم لپاره چې د موادو غوښتنه به راپورته شي ننوځي
DocType: Production Order,Additional Operating Cost,اضافي عملياتي لګښت
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,د سينګار
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items",ته لېږدونه، لاندې شتمنۍ باید د دواړو توکي ورته وي
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items",ته لېږدونه، لاندې شتمنۍ باید د دواړو توکي ورته وي
DocType: Shipping Rule,Net Weight,خالص وزن
DocType: Employee,Emergency Phone,بيړنۍ تيليفون
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,کشاورزی
@@ -548,14 +553,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,لطفا لپاره قدمه 0٪ ټولګي تعریف
DocType: Sales Order,To Deliver,ته تحویل
DocType: Purchase Invoice Item,Item,د قالب
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,سریال نه توکی نه شي کولای یوه برخه وي
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,سریال نه توکی نه شي کولای یوه برخه وي
DocType: Journal Entry,Difference (Dr - Cr),توپير (ډاکټر - CR)
DocType: Account,Profit and Loss,ګټه او زیان
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,د اداره کولو په ټیکه
DocType: Project,Project will be accessible on the website to these users,پروژه به د دغو کاروونکو په ویب پاڼه د السرسي وړ وي
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,په ميزان کي د بیو د لست د اسعارو دی چې د شرکت د اډې اسعارو بدل
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},ګڼون {0} نه پورې شرکت نه لري چې: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Abbreviation لا د بل شرکت لپاره کارول
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},ګڼون {0} نه پورې شرکت نه لري چې: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Abbreviation لا د بل شرکت لپاره کارول
DocType: Selling Settings,Default Customer Group,Default پيرودونکو ګروپ
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction",که ناتوان، 'غونډ مونډ Total' ډګر به په هيڅ معامله د لیدو وړ وي
DocType: BOM,Operating Cost,عادي لګښت
@@ -563,7 +568,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,بهرمن نه شي کولای 0 وي
DocType: Production Planning Tool,Material Requirement,مادي غوښتنې
DocType: Company,Delete Company Transactions,شرکت معاملې ړنګول
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,ماخذ نه او ماخذ نېټه د بانک د راکړې ورکړې الزامی دی
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,ماخذ نه او ماخذ نېټه د بانک د راکړې ورکړې الزامی دی
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Add / سمول مالیات او په تور
DocType: Purchase Invoice,Supplier Invoice No,عرضه صورتحساب نه
DocType: Territory,For reference,د ماخذ
@@ -574,22 +579,22 @@
DocType: Installation Note Item,Installation Note Item,نصب او يادونه د قالب
DocType: Production Plan Item,Pending Qty,تصویبه Qty
DocType: Budget,Ignore,له پامه
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} د {1} فعاله نه وي
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} د {1} فعاله نه وي
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},پیغامونه د دې لاندې شمېرې ته استول: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,د چاپ Setup چک ابعادو
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,د چاپ Setup چک ابعادو
DocType: Salary Slip,Salary Slip Timesheet,معاش ټوټه Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,عرضه ګدام د فرعي قرارداد رانيول رسيد اجباري
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,عرضه ګدام د فرعي قرارداد رانيول رسيد اجباري
DocType: Pricing Rule,Valid From,د اعتبار له
DocType: Sales Invoice,Total Commission,Total کمیسیون
DocType: Pricing Rule,Sales Partner,خرڅلاو همکار
DocType: Buying Settings,Purchase Receipt Required,رانيول رسيد اړین
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,سنجي Rate فرض ده که پرانيستل دحمل ته ننوتل
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,سنجي Rate فرض ده که پرانيستل دحمل ته ننوتل
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,هیڅ ډول ثبتونې په صورتحساب جدول کې وموندل
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,لطفا د شرکت او د ګوند ډول لومړی انتخاب
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,د مالي / جوړوي کال.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,د مالي / جوړوي کال.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,جمع ارزښتونه
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged",بښنه غواړو، سریال وځيري نه مدغم شي
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,د کمکیانو لپاره د خرڅلاو د ترتیب پر اساس
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,د کمکیانو لپاره د خرڅلاو د ترتیب پر اساس
DocType: Project Task,Project Task,د پروژې د کاري
,Lead Id,سرب د Id
DocType: C-Form Invoice Detail,Grand Total,ستره مجموعه
@@ -606,7 +611,7 @@
DocType: Job Applicant,Resume Attachment,سوانح ضميمه
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,تکرار پېرودونکي
DocType: Leave Control Panel,Allocate,تخصيص
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,خرڅلاو Return
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,خرڅلاو Return
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,نوټ: ټولې اختصاص پاڼي {0} بايد نه مخکې تصویب پاڼو څخه کم وي {1} د مودې لپاره
DocType: Announcement,Posted By,خپرندوی
DocType: Item,Delivered by Supplier (Drop Ship),تحویلوونکی له خوا عرضه (لاسرسئ کښتۍ)
@@ -616,8 +621,8 @@
DocType: Quotation,Quotation To,د داوطلبۍ
DocType: Lead,Middle Income,د منځني عايداتو
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),د پرانستلو په (آر)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,د قالب اندازه Default اداره {0} نه شي په مستقيمه شي ځکه بدل مو چې ځينې راکړې ورکړې (ص) سره د یو بل UOM لا کړې. تاسو به اړ یو نوی د قالب د بل Default UOM ګټه رامنځ ته کړي.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,ځانګړې اندازه نه کېدای شي منفي وي
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,د قالب اندازه Default اداره {0} نه شي په مستقيمه شي ځکه بدل مو چې ځينې راکړې ورکړې (ص) سره د یو بل UOM لا کړې. تاسو به اړ یو نوی د قالب د بل Default UOM ګټه رامنځ ته کړي.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,ځانګړې اندازه نه کېدای شي منفي وي
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,مهرباني وکړئ د شرکت جوړ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,مهرباني وکړئ د شرکت جوړ
DocType: Purchase Order Item,Billed Amt,د بلونو د نننیو
@@ -630,7 +635,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,انتخاب د پیسو حساب ته د بانک د داخلولو لپاره
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll",د پاڼو، لګښت د ادعاوو او د معاشونو د اداره کارکوونکی د اسنادو جوړول
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,د علم ورزیات کړئ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,د پروپوزل ليکلو
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,د پروپوزل ليکلو
DocType: Payment Entry Deduction,Payment Entry Deduction,د پیسو د داخلولو Deduction
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,بل خرڅلاو کس {0} د همدې کارکوونکی پېژند شتون لري
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests",که لپاره شیان دي چې فرعي قرارداد به په مادي غوښتنې شامل شي چک، خام مواد
@@ -645,7 +650,7 @@
DocType: Batch,Batch Description,دسته Description
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,د زده کوونکو د ډلو جوړول
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,د زده کوونکو د ډلو جوړول
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.",د پیسو ليدونکی حساب نه جوړ، لطفا په لاسي يوه د جوړولو.
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.",د پیسو ليدونکی حساب نه جوړ، لطفا په لاسي يوه د جوړولو.
DocType: Sales Invoice,Sales Taxes and Charges,خرڅلاو مالیات او په تور
DocType: Employee,Organization Profile,اداره پېژندنه
DocType: Student,Sibling Details,ورونړه نورولوله
@@ -667,11 +672,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,په موجودي خالص د بدلون
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,د کارګر د پور د مدیریت
DocType: Employee,Passport Number,د پاسپورټ ګڼه
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,سره د اړیکو Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,مدير
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,سره د اړیکو Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,مدير
DocType: Payment Entry,Payment From / To,د پیسو له / د
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},د پورونو د نوي محدودیت دی لپاره د پیریدونکو د اوسني بيالنس مقدار څخه لږ. پورونو د حد لري تيروخت وي {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,ورته توکی دی څو ځلې داخل شوي دي.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},د پورونو د نوي محدودیت دی لپاره د پیریدونکو د اوسني بيالنس مقدار څخه لږ. پورونو د حد لري تيروخت وي {0}
DocType: SMS Settings,Receiver Parameter,د اخيستونکي د پاراميټر
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'پر بنسټ' او 'ډله په' کولای شي په څېر نه وي
DocType: Sales Person,Sales Person Targets,خرڅلاو شخص موخې
@@ -680,8 +684,9 @@
DocType: Issue,Resolution Date,لیک نیټه
DocType: Student Batch Name,Batch Name,دسته نوم
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timesheet جوړ:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},لطفا د تادیاتو په اکر کې default د نغدي او يا بانک حساب جوړ {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},لطفا د تادیاتو په اکر کې default د نغدي او يا بانک حساب جوړ {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,کې شامل کړي
+DocType: GST Settings,GST Settings,GST امستنې
DocType: Selling Settings,Customer Naming By,پيرودونکو نوم By
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,به د زده کوونکو په توګه د زده کوونکو د حاضرۍ میاشتنی رپوټ وړاندې ښيي
DocType: Depreciation Schedule,Depreciation Amount,د استهالک مقدار
@@ -703,6 +708,7 @@
DocType: Item,Material Transfer,د توکو لېږدونه د
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),د پرانستلو په (ډاکټر)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},نوکرې timestamp باید وروسته وي {0}
+,GST Itemised Purchase Register,GST مشخص کړل رانيول د نوم ثبتول
DocType: Employee Loan,Total Interest Payable,ټولې ګټې د راتلوونکې
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,تيرماښام لګښت مالیات او په تور
DocType: Production Order Operation,Actual Start Time,واقعي د پیل وخت
@@ -731,10 +737,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
DocType: Account,Accounts,حسابونه
DocType: Vehicle,Odometer Value (Last),Odometer ارزښت (په تېره)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,بازار موندنه
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,بازار موندنه
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,د پیسو د داخلولو د مخکې نه جوړ
DocType: Purchase Receipt Item Supplied,Current Stock,اوسني دحمل
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},د کتارونو تر # {0}: د شتمنیو د {1} نه د قالب تړاو نه {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},د کتارونو تر # {0}: د شتمنیو د {1} نه د قالب تړاو نه {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,د مخکتنې معاش ټوټه
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,ګڼون {0} په څو ځله داخل شوي دي
DocType: Account,Expenses Included In Valuation,لګښتونه شامل په ارزښت
@@ -742,7 +748,7 @@
,Absent Student Report,غیر حاضر زده کوونکو راپور
DocType: Email Digest,Next email will be sent on:,بل برېښليک به واستول شي په:
DocType: Offer Letter Term,Offer Letter Term,وړاندې لیک مهاله
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,د قالب د بېرغونو لري.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,د قالب د بېرغونو لري.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,د قالب {0} ونه موندل شو
DocType: Bin,Stock Value,دحمل ارزښت
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,شرکت {0} نه شته
@@ -751,8 +757,8 @@
DocType: Serial No,Warranty Expiry Date,ګرنټی د پای نېټه
DocType: Material Request Item,Quantity and Warehouse,کمیت او ګدام
DocType: Sales Invoice,Commission Rate (%),کمیسیون کچه)٪ (
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,مهرباني غوره پروګرام
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,مهرباني غوره پروګرام
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,مهرباني غوره پروګرام
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,مهرباني غوره پروګرام
DocType: Project,Estimated Cost,اټکل شوی لګښت
DocType: Purchase Order,Link to material requests,مخونه چې د مادي غوښتنو
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,فضایي
@@ -766,14 +772,14 @@
DocType: Purchase Order,Supply Raw Materials,رسولو لپاره خام مواد
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,د نېټې په اړه چې د راتلونکو صورتحساب به تولید شي. دا کار په وړاندې تولید دی.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,اوسني شتمني
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} يو سټاک د قالب نه دی
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} يو سټاک د قالب نه دی
DocType: Mode of Payment Account,Default Account,default اکانټ
DocType: Payment Entry,Received Amount (Company Currency),د مبلغ (شرکت د اسعارو)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,اداره کوونکۍ باید جوړ شي که فرصت څخه په غاړه کړې
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,لطفا اونیز پړاو ورځ وټاکئ
DocType: Production Order Operation,Planned End Time,پلان د پاي وخت
,Sales Person Target Variance Item Group-Wise,خرڅلاو شخص د هدف وړ توپیر د قالب ګروپ تدبيراومصلحت
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,سره د موجوده د راکړې ورکړې په پام بدل نه شي چې د پنډو
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,سره د موجوده د راکړې ورکړې په پام بدل نه شي چې د پنډو
DocType: Delivery Note,Customer's Purchase Order No,پيرودونکو د اخستلو امر نه
DocType: Budget,Budget Against,د بودجې پر وړاندې د
DocType: Employee,Cell Number,ګرځنده شمیره
@@ -785,15 +791,13 @@
DocType: Opportunity,Opportunity From,فرصت له
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,میاشتنی معاش خبرپاڼه.
DocType: BOM,Website Specifications,وېب پاڼه ځانګړتیاو
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,لطفا د تشکیلاتو Setup له لارې د حاضرۍ لړۍ شمېر> شمیرې لړۍ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: د {0} د ډول {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,د کتارونو تر {0}: د تغیر فکتور الزامی دی
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,د کتارونو تر {0}: د تغیر فکتور الزامی دی
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",څو د بیو د اصول سره ورته معیارونه شتون، لطفا له خوا لومړیتوب وګومارل شخړې حل کړي. بيه اصول: {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,نه خنثی کولای شي او یا هیښ لغوه په توګه دا ده چې له نورو BOMs سره تړاو لري
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",څو د بیو د اصول سره ورته معیارونه شتون، لطفا له خوا لومړیتوب وګومارل شخړې حل کړي. بيه اصول: {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,نه خنثی کولای شي او یا هیښ لغوه په توګه دا ده چې له نورو BOMs سره تړاو لري
DocType: Opportunity,Maintenance,د ساتنې او
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},رانيول رسيد شمېر لپاره د قالب اړتیا {0}
DocType: Item Attribute Value,Item Attribute Value,د قالب ځانتیا ارزښت
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,خرڅلاو مبارزو.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Timesheet د کمکیانو لپاره
@@ -826,30 +830,30 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},د شتمنیو د پرزه ژورنال انفاذ له لارې د {0}
DocType: Employee Loan,Interest Income Account,په زړه د عوايدو د حساب
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,د ټېکنالوجۍ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,دفتر د ترمیم لګښتونه
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,دفتر د ترمیم لګښتونه
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ترتیبول بريښناليک حساب
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,مهرباني وکړئ لومړی د قالب ته ننوځي
DocType: Account,Liability,Liability
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,تحریم مقدار نه شي کولای په کتارونو ادعا مقدار څخه ډيره وي {0}.
DocType: Company,Default Cost of Goods Sold Account,د حساب د پلورل شوو اجناسو Default لګښت
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,بیې په لېست کې نه ټاکل
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,بیې په لېست کې نه ټاکل
DocType: Employee,Family Background,د کورنۍ مخينه
DocType: Request for Quotation Supplier,Send Email,برېښنا لیک ولېږه
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},خبرداری: ناسم ضميمه {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},خبرداری: ناسم ضميمه {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,نه د اجازې د
DocType: Company,Default Bank Account,Default بانک حساب
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",پر بنسټ د ګوند چاڼ، غوره ګوند د لومړي ډول
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'تازه دحمل' چک نه شي ځکه چې توکي له لارې ونه وېشل {0}
DocType: Vehicle,Acquisition Date,د استملاک نېټه
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,وځيري
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,وځيري
DocType: Item,Items with higher weightage will be shown higher,سره د لوړو weightage توکي به د لوړو ښودل شي
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,بانک پخلاينې تفصیلي
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,د کتارونو تر # {0}: د شتمنیو د {1} بايد وسپارل شي
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,د کتارونو تر # {0}: د شتمنیو د {1} بايد وسپارل شي
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,هیڅ یو کارمند وموندل شول
DocType: Supplier Quotation,Stopped,ودرول
DocType: Item,If subcontracted to a vendor,که قرارداد ته د يو خرڅوونکي په
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,د زده کوونکو د ډلې لا تازه.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,د زده کوونکو د ډلې لا تازه.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,د زده کوونکو د ډلې لا تازه.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,د زده کوونکو د ډلې لا تازه.
DocType: SMS Center,All Customer Contact,ټول پيرودونکو سره اړيکي
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,پورته سټاک csv له لارې د توازن.
DocType: Warehouse,Tree Details,د ونو په بشپړه توګه کتل
@@ -861,13 +865,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} د {1}: لګښت مرکز {2} کوي چې د دې شرکت سره تړاو نه لري {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} د {1}: Account {2} نه شي کولای د يو ګروپ وي
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,د قالب د کتارونو تر {idx}: {doctype} {docname} په پورته نه شته '{doctype}' جدول
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Timesheet {0} لا د مخه د بشپړې او يا لغوه
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} لا د مخه د بشپړې او يا لغوه
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,نه دندو
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc",د مياشتې په ورځ چې د موټرو د صورتحساب به د مثال په 05، 28 او نور تولید شي
DocType: Asset,Opening Accumulated Depreciation,د استهلاک د پرانيستلو
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,نمره باید لږ تر لږه 5 يا ور سره برابر وي
DocType: Program Enrollment Tool,Program Enrollment Tool,پروګرام شمولیت اوزار
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,C-فورمه سوابق
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C-فورمه سوابق
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,پيرودونکو او عرضه
DocType: Email Digest,Email Digest Settings,Email Digest امستنې
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,تاسو د خپلې سوداګرۍ لپاره مننه!
@@ -877,17 +881,19 @@
DocType: Bin,Moving Average Rate,حرکت اوسط نرخ
DocType: Production Planning Tool,Select Items,انتخاب سامان
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} بیل په وړاندې د {1} مورخ {2}
+DocType: Program Enrollment,Vehicle/Bus Number,په موټر کې / بس نمبر
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,کورس د مهال ويش
DocType: Maintenance Visit,Completion Status,تکميل حالت
DocType: HR Settings,Enter retirement age in years,په کلونو کې د تقاعد د عمر وليکئ
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,هدف ګدام
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,لطفا یو ګودام انتخاب
DocType: Cheque Print Template,Starting location from left edge,کيڼې څنډې څخه پیل ځای
DocType: Item,Allow over delivery or receipt upto this percent,د وړاندې کولو یا رسید ترمړوندونو پورې دې په سلو کې اجازه باندې
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,د وارداتو د حاضرۍ
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,ټول د قالب ډلې
DocType: Process Payroll,Activity Log,فعالیت ننوتنه
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,خالصه ګټه / له لاسه ورکول
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,خالصه ګټه / له لاسه ورکول
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,په اتوماتيک ډول د معاملو د سپارلو پېغام کمپوز.
DocType: Production Order,Item To Manufacture,د قالب تولید
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} د {1} حالت دی {2}
@@ -896,16 +902,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,نظم ته د پیسو پیري
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,وړاندوینی Qty
DocType: Sales Invoice,Payment Due Date,د پیسو له امله نېټه
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,د قالب variant {0} لا د همدې صفتونو شتون لري
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,د قالب variant {0} لا د همدې صفتونو شتون لري
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','پرانیستل'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,د پرانستې ته ایا
DocType: Notification Control,Delivery Note Message,د سپارنې پرمهال يادونه پيغام
DocType: Expense Claim,Expenses,لګښتونه
+,Support Hours,د ملاتړ ساعتونه
DocType: Item Variant Attribute,Item Variant Attribute,د قالب variant ځانتیا
,Purchase Receipt Trends,رانيول رسيد رجحانات
DocType: Process Payroll,Bimonthly,د جلسو
DocType: Vehicle Service,Brake Pad,لنت ترمز Pad
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,د څیړنې او پراختیا
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,د څیړنې او پراختیا
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,ته بیل اندازه
DocType: Company,Registration Details,د نوم ليکنې په بشپړه توګه کتل
DocType: Timesheet,Total Billed Amount,Total محاسبې ته مقدار
@@ -918,12 +925,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,یوازې خام مواد په لاس راوړئ
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,د اجرآتو ارزونه.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",توانمنوونکې 'کولر په ګاډۍ څخه استفاده وکړئ، په توګه، کولر په ګاډۍ دی فعال شوی او هلته بايد کولر په ګاډۍ لږ تر لږه يو د مالياتو د حاکمیت وي
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",د پیسو د داخلولو {0} دی تړاو نظم {1}، وګورئ که دا بايد په توګه په دې صورتحساب مخکې کش شي په وړاندې.
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",د پیسو د داخلولو {0} دی تړاو نظم {1}، وګورئ که دا بايد په توګه په دې صورتحساب مخکې کش شي په وړاندې.
DocType: Sales Invoice Item,Stock Details,دحمل په بشپړه توګه کتل
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,د پروژې د ارزښت
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Point-of-خرڅول
DocType: Vehicle Log,Odometer Reading,Odometer لوستلو
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",ګڼون بیلانس د مخه په پور، تاسو ته د ټاکل 'بیلانس باید' په توګه 'ګزارې' اجازه نه
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",ګڼون بیلانس د مخه په پور، تاسو ته د ټاکل 'بیلانس باید' په توګه 'ګزارې' اجازه نه
DocType: Account,Balance must be,توازن باید
DocType: Hub Settings,Publish Pricing,د بیې د خپرېدو
DocType: Notification Control,Expense Claim Rejected Message,اخراجاتو ادعا رد پيغام
@@ -933,7 +940,7 @@
DocType: Salary Slip,Working Days,کاري ورځې
DocType: Serial No,Incoming Rate,راتلونکي Rate
DocType: Packing Slip,Gross Weight,ناخالصه وزن
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,د خپل شرکت نوم د کوم لپاره چې تاسو دا سيستم د جوړولو.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,د خپل شرکت نوم د کوم لپاره چې تاسو دا سيستم د جوړولو.
DocType: HR Settings,Include holidays in Total no. of Working Days,په Total رخصتي شامل نه. د کاري ورځې
DocType: Job Applicant,Hold,ونیسئ
DocType: Employee,Date of Joining,د داخلیدل نېټه
@@ -944,20 +951,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,رانيول رسيد
,Received Items To Be Billed,ترلاسه توکي چې د محاسبې ته شي
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,ته وسپارل معاش رسید
-DocType: Employee,Ms,اغلی
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,د اسعارو د تبادلې نرخ د بادار.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},ماخذ Doctype بايد د يو شي {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,د اسعارو د تبادلې نرخ د بادار.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},ماخذ Doctype بايد د يو شي {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},ته د وخت د عملياتو په راتلونکو {0} ورځو کې د څوکۍ د موندلو توان نلري {1}
DocType: Production Order,Plan material for sub-assemblies,فرعي شوراګانو لپاره پلان مواد
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,خرڅلاو همکارانو او خاوره
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,آيا نه په اتوماتيک ډول ګڼون جوړول په توګه هلته لا د ده سټاک په ګڼون بیلانس. تاسو باید د یو تطابق ګڼون جوړ مخکې تاسو کولای شي په دې ګودام یو د ننوتلو لپاره
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,هیښ {0} بايد فعال وي
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,هیښ {0} بايد فعال وي
DocType: Journal Entry,Depreciation Entry,د استهالک د داخلولو
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,مهرباني وکړئ لومړی انتخاب سند ډول
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,لغوه مواد ليدنه {0} بندول د دې د ساتنې سفر مخکې
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},شعبه {0} نه د قالب سره تړاو نه لري {1}
DocType: Purchase Receipt Item Supplied,Required Qty,مطلوب Qty
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,د موجوده معامله ګودامونو ته د پنډو بدل نه شي.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,د موجوده معامله ګودامونو ته د پنډو بدل نه شي.
DocType: Bank Reconciliation,Total Amount,جمله پیسی
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,د انټرنېټ Publishing
DocType: Production Planning Tool,Production Orders,تولید امر
@@ -972,25 +977,26 @@
DocType: Fee Structure,Components,د اجزاو
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},لطفا په قالب د شتمنیو کټه ګورۍ ته ننوځي {0}
DocType: Quality Inspection Reading,Reading 6,لوستلو 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,نه شی کولای د {0} د {1} {2} کومه منفي بيالنس صورتحساب پرته
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,نه شی کولای د {0} د {1} {2} کومه منفي بيالنس صورتحساب پرته
DocType: Purchase Invoice Advance,Purchase Invoice Advance,پیري صورتحساب پرمختللی
DocType: Hub Settings,Sync Now,پرانیځئ اوس
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},د کتارونو تر {0}: پورونو د ننوتلو سره د نه تړاو شي کولای {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,لپاره د مالي کال د بودجې تعریف کړي.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,لپاره د مالي کال د بودجې تعریف کړي.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Default بانک / د نقدو پیسو حساب به په POS صورتحساب په اتوماتيک ډول پرلیکه شي کله چې دا اکر انتخاب.
DocType: Lead,LEAD-,په پرلپسې ډول
DocType: Employee,Permanent Address Is,دايمي پته ده
DocType: Production Order Operation,Operation completed for how many finished goods?,لپاره څومره توکو د عملیاتو د بشپړه شوې؟
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,د دتوليد
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,د دتوليد
DocType: Employee,Exit Interview Details,د وتلو سره مرکه په بشپړه توګه کتل
DocType: Item,Is Purchase Item,آیا د رانيول د قالب
DocType: Asset,Purchase Invoice,رانيول صورتحساب
DocType: Stock Ledger Entry,Voucher Detail No,ګټمنو تفصیلي نه
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,نوي خرڅلاو صورتحساب
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,نوي خرڅلاو صورتحساب
DocType: Stock Entry,Total Outgoing Value,Total باورلیک ارزښت
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,پرانيستل نېټه او د بندولو نېټه باید ورته مالي کال په چوکاټ کې وي
DocType: Lead,Request for Information,معلومات د غوښتنې لپاره
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,پرانیځئ نالیکی صورتحساب
+,LeaderBoard,LeaderBoard
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,پرانیځئ نالیکی صورتحساب
DocType: Payment Request,Paid,ورکړل
DocType: Program Fee,Program Fee,پروګرام فیس
DocType: Salary Slip,Total in words,په لفظ Total
@@ -999,13 +1005,13 @@
DocType: Cheque Print Template,Has Print Format,لري چاپ شکل
DocType: Employee Loan,Sanctioned,تحریم
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,الزامی دی. ښايي د پیسو د بدلولو ریکارډ نه ده لپاره جوړ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},د کتارونو تر # {0}: مهرباني وکړئ سریال لپاره د قالب نه مشخص {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",لپاره 'د محصول د بنډل په' توکي، ګدام، شعبه او دسته نه به د 'پروپیلن لیست جدول کې له پام کې ونیول شي. که ګدام او دسته هيڅ لپاره د هر 'د محصول د بنډل په' توکی د ټولو بسته بنديو توکو يو شان دي، د هغو ارزښتونو په اصلي شمیره جدول داخل شي، ارزښتونو به کاپي شي چې د 'پروپیلن لیست جدول.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},د کتارونو تر # {0}: مهرباني وکړئ سریال لپاره د قالب نه مشخص {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",لپاره 'د محصول د بنډل په' توکي، ګدام، شعبه او دسته نه به د 'پروپیلن لیست جدول کې له پام کې ونیول شي. که ګدام او دسته هيڅ لپاره د هر 'د محصول د بنډل په' توکی د ټولو بسته بنديو توکو يو شان دي، د هغو ارزښتونو په اصلي شمیره جدول داخل شي، ارزښتونو به کاپي شي چې د 'پروپیلن لیست جدول.
DocType: Job Opening,Publish on website,په ويب پاڼه د خپرېدو
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,مشتریانو ته د مالونو.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,عرضه صورتحساب نېټه نه شي کولای پست کوي نېټه څخه ډيره وي
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,عرضه صورتحساب نېټه نه شي کولای پست کوي نېټه څخه ډيره وي
DocType: Purchase Invoice Item,Purchase Order Item,نظم د قالب پیري
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,نامستقیم عايداتو
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,نامستقیم عايداتو
DocType: Student Attendance Tool,Student Attendance Tool,د زده کوونکو د حاضرۍ اوزار
DocType: Cheque Print Template,Date Settings,نېټه امستنې
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,متفرقه
@@ -1023,21 +1029,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,کيمياوي
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Default بانک / د نقدو پیسو حساب به په معاش ژورنال انفاذ په اتوماتيک ډول پرلیکه شي کله چې دا اکر انتخاب.
DocType: BOM,Raw Material Cost(Company Currency),لومړنیو توکو لګښت (شرکت د اسعارو)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,ټول توکي لا له وړاندې د دې تولید نظم ته انتقال شوي دي.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,ټول توکي لا له وړاندې د دې تولید نظم ته انتقال شوي دي.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},د کتارونو تر # {0}: اندازه کېدای شي نه په ميزان کې کارول په پرتله زیات وي {1} {2}
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},د کتارونو تر # {0}: اندازه کېدای شي نه په ميزان کې کارول په پرتله زیات وي {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,متره
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,متره
DocType: Workstation,Electricity Cost,د بريښنا د لګښت
DocType: HR Settings,Don't send Employee Birthday Reminders,آيا د کارګر کالیزې په دوراني ډول نه استوي
DocType: Item,Inspection Criteria,تفتیش معیارونه
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,وليږدول
DocType: BOM Website Item,BOM Website Item,هیښ وېب پاڼه شمیره
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,پورته ستاسو لیک مشر او لوګو. (کولی شئ چې وروسته د سمولو لپاره).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,پورته ستاسو لیک مشر او لوګو. (کولی شئ چې وروسته د سمولو لپاره).
DocType: Timesheet Detail,Bill,بیل
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,بل د استهالک نېټه ده ته ننوتل په توګه په تېرو نیټه
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,سپین
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,سپین
DocType: SMS Center,All Lead (Open),ټول کوونکۍ (خلاص)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),د کتارونو تر {0}: Qty لپاره نه {4} په ګودام {1} د ننوتلو وخت امخ د ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),د کتارونو تر {0}: Qty لپاره نه {4} په ګودام {1} د ننوتلو وخت امخ د ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,ترلاسه کړئ پرمختګونه ورکړل
DocType: Item,Automatically Create New Batch,په خپلکارې توګه د نوي دسته جوړول
DocType: Item,Automatically Create New Batch,په خپلکارې توګه د نوي دسته جوړول
@@ -1048,13 +1054,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,زما په ګاډۍ
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},نظم ډول باید د یو وي {0}
DocType: Lead,Next Contact Date,بل د تماس نېټه
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,پرانيستل Qty
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,مهرباني وکړئ د بدلون لپاره د مقدار حساب ته ننوځي
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,پرانيستل Qty
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,مهرباني وکړئ د بدلون لپاره د مقدار حساب ته ننوځي
DocType: Student Batch Name,Student Batch Name,د زده کونکو د دسته نوم
DocType: Holiday List,Holiday List Name,رخصتي بشپړفهرست نوم
DocType: Repayment Schedule,Balance Loan Amount,د توازن د پور مقدار
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,مهال ويش کورس
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,دحمل غوراوي
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,دحمل غوراوي
DocType: Journal Entry Account,Expense Claim,اخراجاتو ادعا
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,آيا تاسو په رښتيا غواړئ چې د دې پرزه د شتمنیو بيازېرمل؟
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},د Qty {0}
@@ -1066,12 +1072,12 @@
DocType: Company,Default Terms,default اصطلاح
DocType: Packing Slip Item,Packing Slip Item,بسته بنديو ټوټه د قالب
DocType: Purchase Invoice,Cash/Bank Account,د نغدو پيسو / بانک حساب
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},مهرباني وکړئ مشخص یو {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},مهرباني وکړئ مشخص یو {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,په اندازه او ارزښت نه بدلون لرې توکي.
DocType: Delivery Note,Delivery To,ته د وړاندې کولو
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,ځانتیا جدول الزامی دی
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,ځانتیا جدول الزامی دی
DocType: Production Planning Tool,Get Sales Orders,خرڅلاو امر ترلاسه کړئ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} کېدای شي منفي نه وي
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} کېدای شي منفي نه وي
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,تخفیف
DocType: Asset,Total Number of Depreciations,Total د Depreciations شمېر
DocType: Sales Invoice Item,Rate With Margin,کچه د څنډی څخه
@@ -1092,7 +1098,6 @@
DocType: Serial No,Creation Document No,خلقت Document No
DocType: Issue,Issue,Issue
DocType: Asset,Scrapped,پرزه
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,حساب سره شرکت سره سمون نه خوري
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.",لپاره د قالب تانبه خصوصیتونه. د مثال په اندازه، رنګ او نور
DocType: Purchase Invoice,Returns,په راستنېدو
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP ګدام
@@ -1104,12 +1109,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,د قالب بايد د کارولو تڼی څخه رانيول معاملو لپاره توکي ترلاسه کړئ 'زياته شي
DocType: Employee,A-,خبرتیاوي
DocType: Production Planning Tool,Include non-stock items,غیر سټاک توکي شامل دي
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,خرڅلاو داخراجاتو
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,خرڅلاو داخراجاتو
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,معياري خريداري
DocType: GL Entry,Against,په وړاندې
DocType: Item,Default Selling Cost Center,Default پلورل لګښت مرکز
DocType: Sales Partner,Implementation Partner,د تطبیق همکار
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,زیپ کوډ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,زیپ کوډ
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},خرڅلاو نظم {0} دی {1}
DocType: Opportunity,Contact Info,تماس پيژندنه
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,جوړول دحمل توکي
@@ -1122,33 +1127,33 @@
DocType: Holiday List,Get Weekly Off Dates,د اونۍ پړاو نیټی ترلاسه کړئ
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,د پای نیټه نه شي کولای په پرتله د پیل نیټه کمه وي
DocType: Sales Person,Select company name first.,انتخاب شرکت نوم د لومړي.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,ډاکټر
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,د داوطلبۍ څخه عرضه ترلاسه کړ.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},د {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,منځنی عمر
DocType: School Settings,Attendance Freeze Date,د حاضرۍ کنګل نېټه
DocType: School Settings,Attendance Freeze Date,د حاضرۍ کنګل نېټه
DocType: Opportunity,Your sales person who will contact the customer in future,ستاسې د پلورنې شخص چې په راتلونکي کې به د مشتريانو سره اړیکه
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,لست ستاسو د عرضه کوونکو د څو. هغوی کولی شي، سازمانونو یا وګړو.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,لست ستاسو د عرضه کوونکو د څو. هغوی کولی شي، سازمانونو یا وګړو.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,ښکاره ټول محصولات د
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),لږ تر لږه مشري عمر (ورځې)
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),لږ تر لږه مشري عمر (ورځې)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,ټول BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,ټول BOMs
DocType: Company,Default Currency,default د اسعارو
DocType: Expense Claim,From Employee,له کارګر
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,خبرداری: د سیستم به راهیسې لپاره د قالب اندازه overbilling وګورئ نه {0} د {1} صفر ده
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,خبرداری: د سیستم به راهیسې لپاره د قالب اندازه overbilling وګورئ نه {0} د {1} صفر ده
DocType: Journal Entry,Make Difference Entry,بدلون د داخلولو د کمکیانو لپاره
DocType: Upload Attendance,Attendance From Date,د حاضرۍ له نېټه
DocType: Appraisal Template Goal,Key Performance Area,د اجراآتو مهم Area
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,د ترانسپورت
+DocType: Program Enrollment,Transportation,د ترانسپورت
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,ناباوره ځانتیا
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} د {1} بايد وسپارل شي
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} د {1} بايد وسپارل شي
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},مقدار باید د لږ-تر یا مساوي وي {0}
DocType: SMS Center,Total Characters,Total خویونه
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},لطفا هیښ لپاره د قالب په هیښ برخه کې غوره {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},لطفا هیښ لپاره د قالب په هیښ برخه کې غوره {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-فورمه صورتحساب تفصیلي
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,قطعا د پخلاينې د صورتحساب
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,بسپنه٪
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",لکه څنګه چې هر د خريداري امستنې که د اخستلو امر مطلوب ==: هو، بیا د رانيول صورتحساب د رامنځته کولو، د کارونکي باید د اخستلو امر لومړي لپاره توکی جوړ {0}
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,ستاسو د مرجع شرکت ليکنې د کارت شمېرې. د مالياتو د شمېر او نور
DocType: Sales Partner,Distributor,ویشونکی-
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,خرید په ګاډۍ نقل حاکمیت
@@ -1157,23 +1162,25 @@
,Ordered Items To Be Billed,امر توکي چې د محاسبې ته شي
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,له Range لري چې کم وي په پرتله د Range
DocType: Global Defaults,Global Defaults,Global افتراضیو
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,د پروژې د مرستې په جلب
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,د پروژې د مرستې په جلب
DocType: Salary Slip,Deductions,د مجرايي
DocType: Leave Allocation,LAL/,لعل /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,بیا کال
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},د GSTIN لومړی 2 ګڼې باید سره د بهرنیو چارو شمېر سمون {0}
DocType: Purchase Invoice,Start date of current invoice's period,بیا د روان صورتحساب د مودې نېټه
DocType: Salary Slip,Leave Without Pay,پرته له معاشونو څخه ووځي
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,د ظرفیت د پلان کې تېروتنه
,Trial Balance for Party,د محاکمې بیلانس د ګوندونو
DocType: Lead,Consultant,مشاور
DocType: Salary Slip,Earnings,عوايد
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,{0} پای ته قالب بايد د جوړون ډول د ننوتلو لپاره د داخل شي
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,{0} پای ته قالب بايد د جوړون ډول د ننوتلو لپاره د داخل شي
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,پرانيستل محاسبې بیلانس
+,GST Sales Register,GST خرڅلاو د نوم ثبتول
DocType: Sales Invoice Advance,Sales Invoice Advance,خرڅلاو صورتحساب پرمختللی
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,هېڅ غوښتنه
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},بل د بودجې د ریکارډ '{0}' لا د وړاندې موجود {1} '{2}' مالي کال لپاره د {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date','واقعي د پیل نیټه ' نه شي پورته له 'واقعي د پای نیټه' څخه
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,مدیریت
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,مدیریت
DocType: Cheque Print Template,Payer Settings,د ورکوونکي امستنې
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""",دا به د د variant د قالب کوډ appended شي. د بیلګې په توګه، که ستا اختصاري دی "SM"، او د توکي کوډ دی "T-کميس"، د variant توکی کوډ به "T-کميس-SM"
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,خالص د معاشونو (په لفظ) به د ليدو وړ وي. هر کله چې تاسو د معاش ټوټه وژغوري.
@@ -1190,8 +1197,8 @@
DocType: Employee Loan,Partially Disbursed,په نسبی ډول مصرف
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,عرضه ډیټابیس.
DocType: Account,Balance Sheet,توازن پاڼه
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',لګښت لپاره مرکز سره د قالب کوډ 'د قالب
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",د پیسو په اکر کې نده شکل بندي شوې ده. مهرباني وکړئ وګورئ، چې آيا حساب په د تادياتو د اکر یا د POS پېژندنه ټاکل شوي دي.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',لګښت لپاره مرکز سره د قالب کوډ 'د قالب
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",د پیسو په اکر کې نده شکل بندي شوې ده. مهرباني وکړئ وګورئ، چې آيا حساب په د تادياتو د اکر یا د POS پېژندنه ټاکل شوي دي.
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,ستاسې د پلورنې کس به د پند په دې نېټې ته د مشتريانو د تماس ترلاسه
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,ورته توکی نه شي کولای شي د څو ځله ننوتل.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups",لا حسابونو شي ډلو لاندې کړې، خو د زياتونې شي غیر ډلو په وړاندې د
@@ -1199,7 +1206,7 @@
DocType: Email Digest,Payables,Payables
DocType: Course,Course Intro,کورس سریزه
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,دحمل انفاذ {0} جوړ
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,د کتارونو تر # {0}: رد Qty په رانيول بیرته نه داخل شي
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,د کتارونو تر # {0}: رد Qty په رانيول بیرته نه داخل شي
,Purchase Order Items To Be Billed,د اخستلو امر توکي چې د محاسبې ته شي
DocType: Purchase Invoice Item,Net Rate,خالص Rate
DocType: Purchase Invoice Item,Purchase Invoice Item,صورتحساب د قالب پیري
@@ -1225,7 +1232,7 @@
DocType: Sales Order,SO-,اصطالح
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,مهرباني وکړئ لومړی مختاړی وټاکئ
DocType: Employee,O-,فرنګ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,د څیړنې
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,د څیړنې
DocType: Maintenance Visit Purpose,Work Done,کار وشو
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,مهرباني وکړی په صفات جدول کې لږ تر لږه يو د خاصه مشخص
DocType: Announcement,All Students,ټول زده کوونکي
@@ -1233,17 +1240,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,محتویات پنډو
DocType: Grading Scale,Intervals,انټروال
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,ژر
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group",د قالب ګروپ سره په همدې نوم شتون لري، لطفا توکی نوم بدل کړي او يا د توکي ډلې نوم
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,د زده کوونکو د موبايل په شمیره
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,د نړۍ پاتې
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group",د قالب ګروپ سره په همدې نوم شتون لري، لطفا توکی نوم بدل کړي او يا د توکي ډلې نوم
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,د زده کوونکو د موبايل په شمیره
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,د نړۍ پاتې
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,د قالب {0} نه شي کولای دسته لري
,Budget Variance Report,د بودجې د توپیر راپور
DocType: Salary Slip,Gross Pay,Gross د معاشونو
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,د کتارونو تر {0}: فعالیت ډول فرض ده.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,د سهم ورکړل
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,د سهم ورکړل
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,د محاسبې د پنډو
DocType: Stock Reconciliation,Difference Amount,توپیر رقم
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,ساتل شوې ګټه
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,ساتل شوې ګټه
DocType: Vehicle Log,Service Detail,د خدماتو تفصیلي
DocType: BOM,Item Description,د قالب Description
DocType: Student Sibling,Student Sibling,د زده کونکو د ورونړه
@@ -1258,11 +1265,11 @@
DocType: Opportunity Item,Opportunity Item,فرصت د قالب
,Student and Guardian Contact Details,د زده کوونکو او د ګارډین د اړیکې جزئیات
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,د کتارونو تر {0}: د عرضه {0} دبرېښنا ليک پته ته اړتيا ده چې د برېښناليک واستوي
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,لنډمهاله پرانیستل
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,لنډمهاله پرانیستل
,Employee Leave Balance,د کارګر اجازه بیلانس
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},د حساب انډول {0} بايد تل وي {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},سنجي Rate په قطار لپاره د قالب اړتیا {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,مثال په توګه: په کمپیوټر ساینس د ماسټرۍ
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,مثال په توګه: په کمپیوټر ساینس د ماسټرۍ
DocType: Purchase Invoice,Rejected Warehouse,رد ګدام
DocType: GL Entry,Against Voucher,په وړاندې د ګټمنو
DocType: Item,Default Buying Cost Center,Default د خريداري لګښت مرکز
@@ -1275,31 +1282,30 @@
DocType: Journal Entry,Get Outstanding Invoices,يو وتلي صورتحساب ترلاسه کړئ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,خرڅلاو نظم {0} د اعتبار وړ نه دی
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,رانيول امر تاسو سره مرسته پلان او ستاسو د اخیستلو تعقيب
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged",بښنه غواړو، شرکتونو نه مدغم شي
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged",بښنه غواړو، شرکتونو نه مدغم شي
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",په مادي غوښتنه د Issue / انتقال مجموعي مقدار {0} د {1} \ نه غوښتنه کمیت لپاره د قالب {2} څخه ډيره وي {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,د کوچنیو
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,د کوچنیو
DocType: Employee,Employee Number,د کارګر شمېر
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Case (ونه) نشته د مخه په استعمال. له Case هیڅ هڅه {0}
DocType: Project,% Completed,٪ بشپړ شوي
,Invoiced Amount (Exculsive Tax),د رسیدونو مقدار (Exculsive د مالياتو)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,د قالب 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,ګڼون مشر {0} جوړ
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,د روزنې دکمپاینونو
DocType: Item,Auto re-order,د موټرونو د بيا نظم
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Total السته
DocType: Employee,Place of Issue,د صادریدو ځای
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,د قرارداد د
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,د قرارداد د
DocType: Email Digest,Add Quote,Add بیه
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion عامل لپاره UOM ضروري دي: {0} په شمیره: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,غیر مستقیم مصارف
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM coversion عامل لپاره UOM ضروري دي: {0} په شمیره: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,غیر مستقیم مصارف
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,د کتارونو تر {0}: Qty الزامی دی
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,د کرنې
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,پرانیځئ ماسټر معلوماتو
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,ستاسو د تولیداتو يا خدمتونو
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,پرانیځئ ماسټر معلوماتو
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,ستاسو د تولیداتو يا خدمتونو
DocType: Mode of Payment,Mode of Payment,د تادیاتو اکر
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,وېب پاڼه د انځور بايد د عامه دوتنه يا ويب URL وي
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,وېب پاڼه د انځور بايد د عامه دوتنه يا ويب URL وي
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,هیښ
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,دا یو د ريښي توکی ډلې او نه تصحيح شي.
@@ -1308,7 +1314,7 @@
DocType: Warehouse,Warehouse Contact Info,ګدام تماس پيژندنه
DocType: Payment Entry,Write Off Difference Amount,ولیکئ پړاو بدلون مقدار
DocType: Purchase Invoice,Recurring Type,راګرځېدل ډول
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent",{0}: د کارګر ایمیل ونه موندل، نو برېښناليک نه استول
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent",{0}: د کارګر ایمیل ونه موندل، نو برېښناليک نه استول
DocType: Item,Foreign Trade Details,د بهرنیو چارو د سوداګرۍ نورولوله
DocType: Email Digest,Annual Income,د کلني عايداتو
DocType: Serial No,Serial No Details,شعبه نورولوله
@@ -1316,10 +1322,10 @@
DocType: Student Group Student,Group Roll Number,ګروپ رول شمیره
DocType: Student Group Student,Group Roll Number,ګروپ رول شمیره
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",د {0}، يوازې د پور حسابونو بل ډیبیټ د ننوتلو په وړاندې سره وتړل شي
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,د ټولو دنده وزن Total باید 1. مهرباني وکړی د ټولو د پروژې د دندو وزن سره سم عیار
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,د سپارنې پرمهال يادونه {0} نه سپارل
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,د قالب {0} باید یو فرعي قرارداد د قالب وي
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,پلازمیینه تجهیزاتو
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,د ټولو دنده وزن Total باید 1. مهرباني وکړی د ټولو د پروژې د دندو وزن سره سم عیار
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,د سپارنې پرمهال يادونه {0} نه سپارل
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,د قالب {0} باید یو فرعي قرارداد د قالب وي
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,پلازمیینه تجهیزاتو
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",د بیې د حاکمیت لومړی پر بنسټ ټاکل 'Apply د' ډګر، چې کولای شي د قالب، د قالب ګروپ یا نښې وي.
DocType: Hub Settings,Seller Website,پلورونکی وېب پاڼه
DocType: Item,ITEM-,ITEM-
@@ -1337,7 +1343,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",هلته يوازې کولای 0 یا د خالي ارزښت له مخې يو نقل حاکمیت حالت وي. "ارزښت"
DocType: Authorization Rule,Transaction,د راکړې ورکړې
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,یادونه: دا لګښت د مرکز یو ګروپ دی. آیا ډلو په وړاندې د محاسبې زياتونې نه.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,د ماشومانو د ګدام د دې ګودام موجود دی. تاسو نه شي کولای د دې ګودام ړنګول.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,د ماشومانو د ګدام د دې ګودام موجود دی. تاسو نه شي کولای د دې ګودام ړنګول.
DocType: Item,Website Item Groups,وېب پاڼه د قالب ډلې
DocType: Purchase Invoice,Total (Company Currency),Total (شرکت د اسعارو)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,سریال {0} ننوتل څخه یو ځل بیا
@@ -1347,7 +1353,7 @@
DocType: Grading Scale Interval,Grade Code,ټولګي کوډ
DocType: POS Item Group,POS Item Group,POS د قالب ګروپ
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ولېږئ Digest:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},هیښ {0} نه د قالب سره تړاو نه لري {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},هیښ {0} نه د قالب سره تړاو نه لري {1}
DocType: Sales Partner,Target Distribution,د هدف د ویش
DocType: Salary Slip,Bank Account No.,بانکي حساب شمیره
DocType: Naming Series,This is the number of the last created transaction with this prefix,دا په دې مختاړی د تېرو جوړ معامله شمیر
@@ -1358,12 +1364,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,کتاب د شتمنیو د استهالک د داخلولو په خپلکارې
DocType: BOM Operation,Workstation,Workstation
DocType: Request for Quotation Supplier,Request for Quotation Supplier,لپاره د داوطلبۍ عرضه غوښتنه
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,هډوتري
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,هډوتري
DocType: Sales Order,Recurring Upto,راګرځېدل ترمړوندونو پورې
DocType: Attendance,HR Manager,د بشري حقونو څانګې د مدير
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,لطفا یو شرکت غوره
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,امتیاز څخه ځي
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,لطفا یو شرکت غوره
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,امتیاز څخه ځي
DocType: Purchase Invoice,Supplier Invoice Date,عرضه صورتحساب نېټه
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,په هر
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,تاسو باید د خرید په ګاډۍ وتوانوي
DocType: Payment Entry,Writeoff,Writeoff
DocType: Appraisal Template Goal,Appraisal Template Goal,ارزونې کينډۍ موخه
@@ -1374,10 +1381,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,د تداخل حالاتو تر منځ وموندل:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,ژورنال په وړاندې د انفاذ {0} لا د مخه د يو شمېر نورو کوپون په وړاندې د تعدیل
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Total نظم ارزښت
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,د خوړو د
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,د خوړو د
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Ageing Range 3
DocType: Maintenance Schedule Item,No of Visits,نه د ليدنې
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,مارک Attendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,مارک Attendence
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},د ساتنې او ویش {0} په وړاندې د شته {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,شمولیت محصل
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},د تړل د حساب اسعارو باید د {0}
@@ -1391,6 +1398,7 @@
DocType: Rename Tool,Utilities,ګټورتوب
DocType: Purchase Invoice Item,Accounting,د محاسبې
DocType: Employee,EMP/,د چاپېريال د /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,لطفا د يووړل توکی دستو انتخاب
DocType: Asset,Depreciation Schedules,د استهالک ویش
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,کاریال موده نه شي بهر رخصت تخصيص موده وي
DocType: Activity Cost,Projects,د پروژو
@@ -1404,6 +1412,7 @@
DocType: POS Profile,Campaign,د کمپاین
DocType: Supplier,Name and Type,نوم او ډول
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',تصویب حالت بايد د تصویب 'يا' رد '
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,Bootstrap
DocType: Purchase Invoice,Contact Person,د اړیکې نفر
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','د تمی د پیل نیټه د' نه وي زیات 'د تمی د پای نیټه'
DocType: Course Scheduling Tool,Course End Date,د کورس د پای نیټه
@@ -1411,12 +1420,11 @@
DocType: Sales Order Item,Planned Quantity,پلان شوي مقدار
DocType: Purchase Invoice Item,Item Tax Amount,د قالب د مالیې د مقدار
DocType: Item,Maintain Stock,دحمل ساتل
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,دحمل توکي لا د تولید لپاره د نظم رامنځته
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,دحمل توکي لا د تولید لپاره د نظم رامنځته
DocType: Employee,Prefered Email,prefered دبرېښنا ليک
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,په ثابته شتمني خالص د بدلون
DocType: Leave Control Panel,Leave blank if considered for all designations,خالي پريږدئ که د ټولو هغو کارونو په پام کې
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,ګدام د ډول سټاک غیر ډلې حسابونه الزامی دی
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,د ډول 'واقعي په قطار چارج په قالب Rate نه {0} شامل شي
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,د ډول 'واقعي په قطار چارج په قالب Rate نه {0} شامل شي
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},اعظمي: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,له Datetime
DocType: Email Digest,For Company,د شرکت
@@ -1426,15 +1434,15 @@
DocType: Sales Invoice,Shipping Address Name,استونې پته نوم
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,د حسابونو چارټ
DocType: Material Request,Terms and Conditions Content,د قرارداد شرايط منځپانګه
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,نه شي کولای په پرتله 100 وي
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,{0} د قالب يو سټاک د قالب نه دی
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,نه شي کولای په پرتله 100 وي
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,{0} د قالب يو سټاک د قالب نه دی
DocType: Maintenance Visit,Unscheduled,ناپلان شوې
DocType: Employee,Owned,د دولتي
DocType: Salary Detail,Depends on Leave Without Pay,په پرته د معاشونو اذن سره تړلی دی
DocType: Pricing Rule,"Higher the number, higher the priority",د شمېر د لوړو، لوړو لومړیتوب
,Purchase Invoice Trends,پیري صورتحساب رجحانات
DocType: Employee,Better Prospects,ته ښه زمينه
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",د کتارونو تر # {0}: د د ستې {1} لري یوازې {2} qty. لطفا بل batch چې {3} qty موجود ټاکلو او یا د څو کتارونو د قطار ویشل، د موضوع له څو دستو ورسوي /
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",د کتارونو تر # {0}: د د ستې {1} لري یوازې {2} qty. لطفا بل batch چې {3} qty موجود ټاکلو او یا د څو کتارونو د قطار ویشل، د موضوع له څو دستو ورسوي /
DocType: Vehicle,License Plate,منښتليک ذريعه
DocType: Appraisal,Goals,موخې
DocType: Warranty Claim,Warranty / AMC Status,ګرنټی / AMC حالت
@@ -1445,19 +1453,20 @@
,Batch-Wise Balance History,دسته تدبيراومصلحت سره انډول تاریخ
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,چاپ امستنې او په اړونده چاپي بڼه تازه
DocType: Package Code,Package Code,بستې کوډ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,شاګرد
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,شاګرد
+DocType: Purchase Invoice,Company GSTIN,شرکت GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,منفي مقدار اجازه نه وي
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",د مالياتو د تفصیل جدول توکی په توګه یو تار د بادار څخه راوړل شوی او په دې برخه کې ساتل کيږي. د مالیات او په تور لپاره کارول کيږي
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,کارکوونکی کولای شي چې د ځان راپور نه ورکوي.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.",که په پام کې ده کنګل، زياتونې پورې محدود کاروونکو اجازه لري.
DocType: Email Digest,Bank Balance,بانک دبیلانس
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},د محاسبې د داخلولو لپاره د {0}: {1} ولري يوازې په اسعارو کړې: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},د محاسبې د داخلولو لپاره د {0}: {1} ولري يوازې په اسعارو کړې: {2}
DocType: Job Opening,"Job profile, qualifications required etc.",دنده پېژنڅېر، وړتوبونه اړتیا او داسې نور
DocType: Journal Entry Account,Account Balance,موجوده حساب
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,د معاملو د ماليې حاکمیت.
DocType: Rename Tool,Type of document to rename.,د سند ډول نوم بدلولی شی.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,موږ د دې توکي پېري
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,موږ د دې توکي پېري
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} د {1}: پيرودونکو ده ترلاسه ګڼون په وړاندې د اړتيا {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Total مالیات او په تور (شرکت د اسعارو)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,وښایاست ناتړل مالي کال د P & L توازن
@@ -1468,29 +1477,30 @@
DocType: Stock Entry,Total Additional Costs,Total اضافي لګښتونو
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),د اوسپنې د موادو لګښت (شرکت د اسعارو)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,فرعي شورا
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,فرعي شورا
DocType: Asset,Asset Name,د شتمنیو نوم
DocType: Project,Task Weight,کاري وزن
DocType: Shipping Rule Condition,To Value,ته ارزښت
DocType: Asset Movement,Stock Manager,دحمل مدير
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},سرچینه ګودام لپاره چي په کتارونو الزامی دی {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,بسته بنديو ټوټه
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,دفتر کرایې
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},سرچینه ګودام لپاره چي په کتارونو الزامی دی {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,بسته بنديو ټوټه
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,دفتر کرایې
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Setup SMS ورننوتلو امستنې
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,د وارداتو کې ناکام شو!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,کومه پته نه زياته کړه تر اوسه.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,کومه پته نه زياته کړه تر اوسه.
DocType: Workstation Working Hour,Workstation Working Hour,Workstation کاري قيامت
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,شنونکي
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,شنونکي
DocType: Item,Inventory,موجودي
DocType: Item,Sales Details,د پلورنې په بشپړه توګه کتل
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,د هغو اقلامو
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,په Qty
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,په Qty
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,لپاره د زده کونکو د زده ګروپ اعتباري زده کورس
DocType: Notification Control,Expense Claim Rejected,اخراجاتو ادعا رد کړه
DocType: Item,Item Attribute,د قالب ځانتیا
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,د دولت
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,د دولت
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,اخراجاتو ادعا {0} لپاره د وسایطو د ننوتنه مخکې نه شتون لري
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,د انستیتوت نوم
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,د انستیتوت نوم
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,لطفا د قسط اندازه ولیکۍ
apps/erpnext/erpnext/config/stock.py +300,Item Variants,د قالب تانبه
DocType: Company,Services,خدمتونه
@@ -1500,18 +1510,18 @@
DocType: Sales Invoice,Source,سرچینه
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,انکړپټه ښودل تړل
DocType: Leave Type,Is Leave Without Pay,ده پرته د معاشونو د وتو
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,د شتمنیو کټه ګورۍ لپاره شتمن توکی الزامی دی
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,د شتمنیو کټه ګورۍ لپاره شتمن توکی الزامی دی
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,هیڅ ډول ثبتونې په قطعا د جدول کې وموندل
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},دا {0} د شخړو د {1} د {2} {3}
DocType: Student Attendance Tool,Students HTML,زده کوونکو د HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,د مالي کال د پیل نیټه
DocType: POS Profile,Apply Discount,Apply کمښت
+DocType: Purchase Invoice Item,GST HSN Code,GST HSN کوډ
DocType: Employee External Work History,Total Experience,Total تجربې
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,د پرانیستې پروژو
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,بسته بنديو ټوټه (s) لغوه
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,له پانګه اچونه نقدو پیسو د جریان
DocType: Program Course,Program Course,د پروګرام د کورس
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,بار او استول په تور
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,بار او استول په تور
DocType: Homepage,Company Tagline for website homepage,د ویب پاڼه شرکت Tagline
DocType: Item Group,Item Group Name,د قالب ډلې نوم
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,وړل
@@ -1521,6 +1531,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,لامل جوړول
DocType: Maintenance Schedule,Schedules,مهال ويش
DocType: Purchase Invoice Item,Net Amount,خالص مقدار
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} د {1} شوی نه دی سپارل نو د عمل نه بشپړ شي
DocType: Purchase Order Item Supplied,BOM Detail No,هیښ تفصیلي نه
DocType: Landed Cost Voucher,Additional Charges,اضافي تور
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),اضافي کمښت مقدار (شرکت د اسعارو)
@@ -1536,6 +1547,7 @@
DocType: Employee Loan,Monthly Repayment Amount,میاشتنی پور بيرته مقدار
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,مهرباني وکړئ د کار کوونکو د اسنادو د کارکونکو رول جوړ جوړ کارن تذکرو برخه
DocType: UOM,UOM Name,UOM نوم
+DocType: GST HSN Code,HSN Code,HSN کوډ
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,مرستې مقدار
DocType: Purchase Invoice,Shipping Address,د وړلو او راوړلو پته
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,دا وسیله تاسو سره مرسته کوي د اوسمهالولو لپاره او يا د ونډې د کمیت او د ارزښت په سيستم ورکوی. دا په خاصه توګه کارول سيستم ارزښتونو او هغه څه چې په حقیقت کې په خپل ګودامونه شتون همغږې ته.
@@ -1546,18 +1558,17 @@
DocType: Program Enrollment Tool,Program Enrollments,د پروګرام د شموليت
DocType: Sales Invoice Item,Brand Name,دتوليد نوم
DocType: Purchase Receipt,Transporter Details,ته لېږدول، په بشپړه توګه کتل
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Default ګودام لپاره غوره توکی اړتیا
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,بکس
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Default ګودام لپاره غوره توکی اړتیا
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,بکس
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,ممکنه عرضه
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,د سازمان
DocType: Budget,Monthly Distribution,میاشتنی ویش
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,د اخيستونکي بشپړفهرست تش دی. لطفا رامنځته اخيستونکي بشپړفهرست
DocType: Production Plan Sales Order,Production Plan Sales Order,تولید پلان خرڅلاو نظم
DocType: Sales Partner,Sales Partner Target,خرڅلاو همکار هدف
DocType: Loan Type,Maximum Loan Amount,اعظمي پور مقدار
DocType: Pricing Rule,Pricing Rule,د بیې د حاکمیت
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},د زده کوونکو د دوه ګونو رول شمېر {0}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},د زده کوونکو د دوه ګونو رول شمېر {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},د زده کوونکو د دوه ګونو رول شمېر {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},د زده کوونکو د دوه ګونو رول شمېر {0}
DocType: Budget,Action if Annual Budget Exceeded,که کړنه کلنۍ بودیجه زیات شو
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,د نظم پیري موادو غوښتنه
DocType: Shopping Cart Settings,Payment Success URL,د پیسو د برياليتوب په حافظی
@@ -1570,11 +1581,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,پرانيستل دحمل بیلانس
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} بايد يوازې يو ځل داسې ښکاري
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},نه ډیر اجازه tranfer {0} په پرتله {1} د اخستلو د امر په وړاندې د {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},نه ډیر اجازه tranfer {0} په پرتله {1} د اخستلو د امر په وړاندې د {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},د پاڼو په بریالیتوب سره ځانګړې {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,نه سامان ته واچوئ
DocType: Shipping Rule Condition,From Value,له ارزښت
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,دفابريکي مقدار الزامی دی
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,دفابريکي مقدار الزامی دی
DocType: Employee Loan,Repayment Method,دبيرته طريقه
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",که وکتل، د کور مخ کې به د دغې ویب پاڼې د تلواله د قالب ګروپ وي
DocType: Quality Inspection Reading,Reading 4,لوستلو 4
@@ -1584,7 +1595,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},د کتارونو تر # {0}: چاڼېزو نېټې {1} نه مخکې آرډر نېټه وي {2}
DocType: Company,Default Holiday List,افتراضي رخصتي بشپړفهرست
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},د کتارونو تر {0}: د وخت او د وخت د {1} له ده سره د تداخل {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,دحمل مسؤلیتونه
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,دحمل مسؤلیتونه
DocType: Purchase Invoice,Supplier Warehouse,عرضه ګدام
DocType: Opportunity,Contact Mobile No,د تماس د موبايل په هيڅ
,Material Requests for which Supplier Quotations are not created,مادي غوښتنې د کوم لپاره چې عرضه Quotations دي جوړ نه
@@ -1595,35 +1606,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,د داوطلبۍ د کمکیانو لپاره د
apps/erpnext/erpnext/config/selling.py +216,Other Reports,نور راپورونه
DocType: Dependent Task,Dependent Task,اتکا کاري
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},لپاره د اندازه کولو واحد default تغیر فکتور باید 1 په قطار وي {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},لپاره د اندازه کولو واحد default تغیر فکتور باید 1 په قطار وي {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},د ډول رخصت {0} په پرتله نور نه شي {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,له مخکې پلان لپاره د X ورځو عملیاتو کوښښ وکړئ.
DocType: HR Settings,Stop Birthday Reminders,Stop کالیزې په دوراني ډول
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},لطفا په شرکت Default د معاشاتو د راتلوونکې حساب جوړ {0}
DocType: SMS Center,Receiver List,د اخيستونکي بشپړفهرست
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,د لټون د قالب
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,د لټون د قالب
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,په مصرف مقدار
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,په نغدو خالص د بدلون
DocType: Assessment Plan,Grading Scale,د رتبو او مقياس
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,د {0} اندازه واحد په د تغیر فکتور جدول څخه يو ځل داخل شوي دي
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,د {0} اندازه واحد په د تغیر فکتور جدول څخه يو ځل داخل شوي دي
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,لا د بشپړ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,دحمل په لاس کې
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},د پیسو غوښتنه د مخکې نه شتون {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,د خپریدلو سامان لګښت
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},اندازه بايد زيات نه وي {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,مخکینی مالي کال تړل نه دی
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),عمر (ورځې)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),عمر (ورځې)
DocType: Quotation Item,Quotation Item,د داوطلبۍ د قالب
+DocType: Customer,Customer POS Id,پيرودونکو POS Id
DocType: Account,Account Name,دحساب نوم
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,له نېټه نه شي ته د نېټه څخه ډيره وي
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,شعبه {0} کمیت {1} نه شي کولای یوه برخه وي
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,عرضه ډول بادار.
DocType: Purchase Order Item,Supplier Part Number,عرضه برخه شمېر
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,conversion کچه نه شي کولای 0 يا 1 وي
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,conversion کچه نه شي کولای 0 يا 1 وي
DocType: Sales Invoice,Reference Document,ماخذ لاسوند
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} د {1} ده لغوه یا ودرول
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} د {1} ده لغوه یا ودرول
DocType: Accounts Settings,Credit Controller,اعتبار کنټرولر
DocType: Delivery Note,Vehicle Dispatch Date,چلاونه د موټرو نېټه
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,رانيول رسيد {0} نه سپارل
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,رانيول رسيد {0} نه سپارل
DocType: Company,Default Payable Account,Default د راتلوونکې اکانټ
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.",د انلاین سودا کراچۍ امستنې لکه د لېږد د اصولو، د نرخونو لست نور
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}٪ محاسبې ته
@@ -1642,11 +1655,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Total مقدار بیرته
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,دا په دې د موټرو پر وړاندې د يادښتونه پر بنسټ. د تفصیلاتو لپاره په لاندی مهال ویش وګورئ
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,راټول
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},په وړاندې د عرضه صورتحساب {0} د میاشتې په {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},په وړاندې د عرضه صورتحساب {0} د میاشتې په {1}
DocType: Customer,Default Price List,Default د بیې په لېست
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,د شتمنیو د غورځنګ ریکارډ {0} جوړ
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,تاسې کولای شی نه ړنګول مالي کال {0}. مالي {0} کال په توګه په نړیوال امستنې default ټاکل
DocType: Journal Entry,Entry Type,د ننوتلو ډول
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,نه د ارزونې پلان سره تړاو لري له دې ارزونې ډله
,Customer Credit Balance,پيرودونکو پور بیلانس
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,په حسابونه د راتلوونکې خالص د بدلون
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',لپاره د پیریدونکو د 'Customerwise کمښت' ته اړتيا
@@ -1655,7 +1669,7 @@
DocType: Quotation,Term Details,اصطلاح په بشپړه توګه کتل
DocType: Project,Total Sales Cost (via Sales Order),د پلورنې مجموعه لګښت (له لارې د خرڅلاو نظم)
DocType: Project,Total Sales Cost (via Sales Order),د پلورنې مجموعه لګښت (له لارې د خرڅلاو نظم)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,په پرتله {0} د زده کوونکو لپاره له دغه زده ډلې نور شامل نه شي.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,په پرتله {0} د زده کوونکو لپاره له دغه زده ډلې نور شامل نه شي.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,اداره کوونکۍ سازمان د شمېرنې
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,اداره کوونکۍ سازمان د شمېرنې
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} بايد په پرتله ډيره وي 0
@@ -1678,7 +1692,7 @@
DocType: Sales Invoice,Packed Items,ډک توکی
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,سریال نمبر په وړاندې تضمین ادعا
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM",په نورو ټولو BOMs چیرته چې کارول یو ځانګړي هیښ ځاېناستول. دا به د زاړه هیښ تړنه ځای، د لګښت د نوي کولو او د هر نوي هیښ د "هیښ چاودنه د قالب" جدول احيا کړي
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','ټول'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','ټول'
DocType: Shopping Cart Settings,Enable Shopping Cart,خرید په ګاډۍ فعال کړه
DocType: Employee,Permanent Address,دایمی استو ګنځی
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1694,9 +1708,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,لطفا يا مقدار يا ارزښت Rate یا دواړه مشخص
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,تحقق
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,محتویات یی په ګاډۍ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,بازار موندنه داخراجاتو
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,بازار موندنه داخراجاتو
,Item Shortage Report,د قالب په کمښت کې راپور
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",د وزن دی، \ n لطفا ذکر "وزن UOM" هم
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",د وزن دی، \ n لطفا ذکر "وزن UOM" هم
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,د موادو غوښتنه د دې دحمل د داخلولو لپاره په کار وړل
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,بل د استهالک نېټه د نوي شتمنیو الزامی دی
DocType: Student Group Creation Tool,Separate course based Group for every Batch,جلا کورس د هر دسته بنسټ ګروپ
@@ -1706,17 +1720,18 @@
,Student Fee Collection,د زده کونکو د فیس کلکسیون
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,د هر دحمل ونقل د محاسبې د داخلولو د کمکیانو لپاره
DocType: Leave Allocation,Total Leaves Allocated,ټولې پاڼې د تخصيص
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},ګدام په کتارونو هیڅ اړتیا {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,لطفا د اعتبار وړ مالي کال د پیل او پای نیټی
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},ګدام په کتارونو هیڅ اړتیا {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,لطفا د اعتبار وړ مالي کال د پیل او پای نیټی
DocType: Employee,Date Of Retirement,نېټه د تقاعد
DocType: Upload Attendance,Get Template,ترلاسه کينډۍ
+DocType: Material Request,Transferred,سپارل
DocType: Vehicle,Doors,دروازو
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext Setup بشپړ!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup بشپړ!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} د {1}: لګښت مرکز د 'ګټه او زیان' ګڼون اړتیا {2}. لطفا يو default لپاره د دې شرکت د لګښت مرکز جوړ.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,A پيرودونکو ګروپ سره په همدې نوم موجود دی لطفا د پيرودونکو نوم بدل کړي او يا د مراجعينو د ګروپ نوم بدلولی شی
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,نوي سره اړيکي
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,A پيرودونکو ګروپ سره په همدې نوم موجود دی لطفا د پيرودونکو نوم بدل کړي او يا د مراجعينو د ګروپ نوم بدلولی شی
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,نوي سره اړيکي
DocType: Territory,Parent Territory,Parent خاوره
DocType: Quality Inspection Reading,Reading 2,لوستلو 2
DocType: Stock Entry,Material Receipt,د موادو د رسيد
@@ -1725,17 +1740,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",که د دې توکي د بېرغونو لري، نو دا په خرڅلاو امر او نور نه ټاکل شي
DocType: Lead,Next Contact By,بل د تماس By
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},مقدار په قطار د {0} د قالب اړتیا {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},ګدام {0} په توګه د قالب اندازه موجود نه ړنګ شي {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},مقدار په قطار د {0} د قالب اړتیا {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},ګدام {0} په توګه د قالب اندازه موجود نه ړنګ شي {1}
DocType: Quotation,Order Type,نظم ډول
DocType: Purchase Invoice,Notification Email Address,خبرتیا دبرېښنا ليک پته
,Item-wise Sales Register,د قالب-هوښيار خرڅلاو د نوم ثبتول
DocType: Asset,Gross Purchase Amount,Gross رانيول مقدار
DocType: Asset,Depreciation Method,د استهالک Method
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,د نالیکي
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,د نالیکي
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,آیا دا د مالياتو په اساسي Rate شامل دي؟
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Total هدف
-DocType: Program Course,Required,د غوښتل شوي
DocType: Job Applicant,Applicant for a Job,د دنده متقاضي
DocType: Production Plan Material Request,Production Plan Material Request,تولید پلان د موادو غوښتنه
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,نه تولید امر جوړ
@@ -1744,17 +1758,17 @@
DocType: Purchase Invoice Item,Batch No,دسته نه
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,د مراجعينو د اخستلو امر په وړاندې د څو خرڅلاو فرمانونو په اجازه
DocType: Student Group Instructor,Student Group Instructor,د زده کوونکو د ډلې د لارښوونکي
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 د موبايل په هيڅ
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,اصلي
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 د موبايل په هيڅ
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,اصلي
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,variant
DocType: Naming Series,Set prefix for numbering series on your transactions,چې د خپلې راکړې ورکړې شمیر لړ جوړ مختاړی
DocType: Employee Attendance Tool,Employees HTML,د کارکوونکو د HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Default هیښ ({0}) باید د دې توکي او يا د هغې کېنډۍ فعاله وي
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Default هیښ ({0}) باید د دې توکي او يا د هغې کېنډۍ فعاله وي
DocType: Employee,Leave Encashed?,ووځي Encashed؟
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,فرصت له ډګر الزامی دی
DocType: Email Digest,Annual Expenses,د کلني لګښتونو
DocType: Item,Variants,تانبه
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,د کمکیانو لپاره د اخستلو امر
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,د کمکیانو لپاره د اخستلو امر
DocType: SMS Center,Send To,لېږل
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},لپاره اجازه او ډول په کافي اندازه رخصت توازن نه شته {0}
DocType: Payment Reconciliation Payment,Allocated amount,ځانګړې اندازه
@@ -1770,26 +1784,25 @@
DocType: Item,Serial Nos and Batches,سریال وځيري او دستو
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,د زده کوونکو د ډلې پياوړتيا
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,د زده کوونکو د ډلې پياوړتيا
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,ژورنال په وړاندې د انفاذ {0} نه کوم السوري {1} د ننوتلو لري
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,ژورنال په وړاندې د انفاذ {0} نه کوم السوري {1} د ننوتلو لري
apps/erpnext/erpnext/config/hr.py +137,Appraisals,ارزونه
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},دوه شعبه لپاره د قالب ته ننوتل {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,لپاره يو نقل د حاکمیت شرط
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,ولیکۍ
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",په قطار د {0} شمیره overbill نه شي کولای {1} څخه زيات {2}. ته-د بیلونو په اجازه، لطفا په اخیستلو ته امستنې جوړ
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,لطفا چاڼګر جوړ پر بنسټ د قالب یا ګدام
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",په قطار د {0} شمیره overbill نه شي کولای {1} څخه زيات {2}. ته-د بیلونو په اجازه، لطفا په اخیستلو ته امستنې جوړ
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,لطفا چاڼګر جوړ پر بنسټ د قالب یا ګدام
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),د دې بسته خالص وزن. (په توګه د توکو خالص وزن مبلغ په اتوماتيک ډول محاسبه)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,لطفا د دې ګدام يو ګڼون جوړ کړۍ او سره تړنې لري دا. دا په اتوماتيک ډول تر سره نه شي سره نوم يو ګڼون په توګه {0} د مخکې نه شتون
DocType: Sales Order,To Deliver and Bill,ته کول او د بیل
DocType: Student Group,Instructors,د ښوونکو
DocType: GL Entry,Credit Amount in Account Currency,په حساب د اسعارو د پورونو مقدار
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,هیښ {0} بايد وسپارل شي
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,هیښ {0} بايد وسپارل شي
DocType: Authorization Control,Authorization Control,د واک ورکولو د کنټرول
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},د کتارونو تر # {0}: رد ګدام رد د قالب په وړاندې د الزامی دی {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},د کتارونو تر # {0}: رد ګدام رد د قالب په وړاندې د الزامی دی {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,د پیسو
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.",ګدام {0} دی چې هر ډول حساب سره تړاو نه، مهرباني وکړئ په شرکت کې د ګدام ریکارډ د حساب يا جوړ تلوالیزه انبار حساب ذکر {1}.
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,ستاسو د امر اداره
DocType: Production Order Operation,Actual Time and Cost,واقعي وخت او لګښت
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},د اعظمي {0} د موادو غوښتنه کولای {1} په وړاندې د خرڅلاو نظم شي لپاره د قالب جوړ {2}
-DocType: Employee,Salutation,سلام
DocType: Course,Course Abbreviation,کورس Abbreviation
DocType: Student Leave Application,Student Leave Application,د زده کوونکو ته لاړل کاریال
DocType: Item,Will also apply for variants,به هم د بېرغونو درخواست
@@ -1801,12 +1814,12 @@
DocType: Quotation Item,Actual Qty,واقعي Qty
DocType: Sales Invoice Item,References,ماخذونه
DocType: Quality Inspection Reading,Reading 10,لوستلو 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",ستاسو د تولیداتو يا خدمتونو چې تاسو واخلي او يا خرڅ لست کړئ. د کمکیانو لپاره د ډاډ تر لاسه کله چې تاسو د پيل د قالب ګروپ، د اندازه کولو او نورو ملکیتونو واحد وګورئ.
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",ستاسو د تولیداتو يا خدمتونو چې تاسو واخلي او يا خرڅ لست کړئ. د کمکیانو لپاره د ډاډ تر لاسه کله چې تاسو د پيل د قالب ګروپ، د اندازه کولو او نورو ملکیتونو واحد وګورئ.
DocType: Hub Settings,Hub Node,مرکزي غوټه
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,تا د دوه ګونو توکو ته ننوتل. لطفا د سمولو او بیا کوښښ وکړه.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,ملګري
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,ملګري
DocType: Asset Movement,Asset Movement,د شتمنیو غورځنګ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,د نوي په ګاډۍ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,د نوي په ګاډۍ
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,{0} د قالب يو serialized توکی نه دی
DocType: SMS Center,Create Receiver List,جوړول د اخيستونکي بشپړفهرست
DocType: Vehicle,Wheels,په عرابو
@@ -1826,19 +1839,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',آيا د قطار ته مراجعه يوازې که د تور د ډول دی په تیره د کتارونو تر مقدار 'یا د' مخکینی کتارونو تر Total '
DocType: Sales Order Item,Delivery Warehouse,د سپارنې پرمهال ګدام
DocType: SMS Settings,Message Parameter,پيغام د پاراميټر
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,د مالي لګښت په مرکزونو کې ونه ده.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,د مالي لګښت په مرکزونو کې ونه ده.
DocType: Serial No,Delivery Document No,د سپارنې سند نه
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},لطفا په شرکت لاسته راغلې ګټه پر شتمنیو برطرف / زیان حساب 'جوړ {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,سامان له معاملو رانيول ترلاسه کړئ
DocType: Serial No,Creation Date,جوړېدنې نېټه
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},{0} د قالب کې د بیې په لېست کې څو ځلې ښکاري {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}",پلورل باید وکتل شي، که د تطبیق لپاره د ده په توګه وټاکل {0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}",پلورل باید وکتل شي، که د تطبیق لپاره د ده په توګه وټاکل {0}
DocType: Production Plan Material Request,Material Request Date,د موادو غوښتنه نېټه
DocType: Purchase Order Item,Supplier Quotation Item,عرضه کوونکي د داوطلبۍ د قالب
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,معلولينو د تولید امر په وړاندې د وخت يادښتونه رامنځته. عملیاتو بايد د تولید نظم په وړاندې له پښو نه شي
DocType: Student,Student Mobile Number,د زده کوونکو د موبايل په شمېر
DocType: Item,Has Variants,لري تانبه
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},تاسو وخته ټاکل څخه توکي {0} د {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},تاسو وخته ټاکل څخه توکي {0} د {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,د میاشتنی ویش نوم
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,دسته تذکرو الزامی دی
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,دسته تذکرو الزامی دی
@@ -1849,12 +1862,12 @@
DocType: Budget,Fiscal Year,پولي کال، مالي کال
DocType: Vehicle Log,Fuel Price,د ګازو د بیو
DocType: Budget,Budget,د بودجې د
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,د ثابت د شتمنیو د قالب باید یو غیر سټاک وي.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,د ثابت د شتمنیو د قالب باید یو غیر سټاک وي.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",د بودجې د {0} په وړاندې د ګمارل نه شي، ځکه چې نه يو عايد يا اخراجاتو حساب
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,السته
DocType: Student Admission,Application Form Route,د غوښتنليک فورمه لار
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,خاوره / پيرودونکو
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,د مثال په 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,د مثال په 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,پريږدئ ډول {0} نه شي ځانګړي شي ځکه چې دی پرته له معاش څخه ووځي
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},د کتارونو تر {0}: ځانګړې اندازه {1} بايد په پرتله لږ وي او یا مساوي له بيالنس اندازه صورتحساب {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,په کلیمو کې به د ليدو وړ وي. هر کله چې تاسو د خرڅلاو صورتحساب وژغوري.
@@ -1863,7 +1876,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,{0} د قالب د سریال ترانسفارمرونو د تشکیلاتو نه ده. د قالب د بادار د وګورئ
DocType: Maintenance Visit,Maintenance Time,د ساتنې او د وخت
,Amount to Deliver,اندازه کول
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,تولید یا د خدمت
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,تولید یا د خدمت
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,د دورې د پیل نیټه نه شي کولای د کال د پیل د تعليمي کال د نېټه چې د اصطلاح ده سره تړاو لري په پرتله مخکې وي (تعليمي کال د {}). لطفا د خرما د اصلاح او بیا کوښښ وکړه.
DocType: Guardian,Guardian Interests,ګارډین علاقه
DocType: Naming Series,Current Value,اوسنی ارزښت
@@ -1877,12 +1890,12 @@
must be greater than or equal to {2}",د کتارونو تر {0}: د ټاکل {1} Periodicity، له او تر اوسه پورې \ تر منځ توپیر باید په پرتله لویه یا د مساوي وي {2}
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,دا په دحمل پر بنسټ. وګورئ: {0} تفصيل لپاره د
DocType: Pricing Rule,Selling,پلورل
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},مقدار د {0} د {1} مجرايي په وړاندې د {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},مقدار د {0} د {1} مجرايي په وړاندې د {2}
DocType: Employee,Salary Information,معاش معلومات
DocType: Sales Person,Name and Employee ID,نوم او د کارګر ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,له امله نېټه پست کوي نېټه مخکې نه شي
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,له امله نېټه پست کوي نېټه مخکې نه شي
DocType: Website Item Group,Website Item Group,وېب پاڼه د قالب ګروپ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,دندې او مالیات
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,دندې او مالیات
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,لطفا ماخذ نېټې ته ننوځي
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} د پیسو زياتونې له خوا فلتر نه شي {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,د قالب شمیره جدول کې چې به وېبپاڼه کې ښودل شي
@@ -1899,9 +1912,9 @@
DocType: Payment Reconciliation Payment,Reference Row,ماخذ د کتارونو
DocType: Installation Note,Installation Time,نصب او د وخت
DocType: Sales Invoice,Accounting Details,د محاسبې په بشپړه توګه کتل
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,دا د شرکت د ټولو معاملې ړنګول
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,د کتارونو تر # {0}: عملیات {1} نه د {2} په تولید د پای ته د مالونو qty بشپړ نظم # {3}. لطفا د وخت کندي له لارې د عملیاتو د حالت د اوسمهالولو
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,پانګه اچونه
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,دا د شرکت د ټولو معاملې ړنګول
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,د کتارونو تر # {0}: عملیات {1} نه د {2} په تولید د پای ته د مالونو qty بشپړ نظم # {3}. لطفا د وخت کندي له لارې د عملیاتو د حالت د اوسمهالولو
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,پانګه اچونه
DocType: Issue,Resolution Details,د حل په بشپړه توګه کتل
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,تخصیصونه
DocType: Item Quality Inspection Parameter,Acceptance Criteria,د منلو وړ ټکي
@@ -1926,7 +1939,7 @@
DocType: Room,Room Name,کوټه نوم
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",د وتو نه شي استعمال شي / {0} مخکې لغوه، په توګه رخصت انډول لا شوي دي انتقال-استولې چې په راتلونکي کې رخصت تخصيص ریکارډ {1}
DocType: Activity Cost,Costing Rate,لګښت کچه
-,Customer Addresses And Contacts,پيرودونکو Addresses او د اړيکې
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,پيرودونکو Addresses او د اړيکې
,Campaign Efficiency,د کمپاین موثريت
,Campaign Efficiency,د کمپاین موثريت
DocType: Discussion,Discussion,د بحث
@@ -1938,14 +1951,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Total اولګښت مقدار (د وخت پاڼه له لارې)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,تکرار پيرودونکو د عوایدو
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) باید رول 'اخراجاتو Approver' لري
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,جوړه
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,د تولید لپاره د هیښ او Qty وټاکئ
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,جوړه
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,د تولید لپاره د هیښ او Qty وټاکئ
DocType: Asset,Depreciation Schedule,د استهالک ويش
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,خرڅلاو همکار پتې او د اړيکو
DocType: Bank Reconciliation Detail,Against Account,په وړاندې حساب
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,نيمه ورځ نېټه بايد د تاريخ او تر اوسه پورې تر منځ وي
DocType: Maintenance Schedule Detail,Actual Date,واقعي نېټه
DocType: Item,Has Batch No,لري دسته نه
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},کلنی اولګښت: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},کلنی اولګښت: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),اجناسو او خدماتو د مالياتو د (GST هند)
DocType: Delivery Note,Excise Page Number,وسیله Page شمېر
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory",شرکت، له تاريخ او د نېټه الزامی دی
DocType: Asset,Purchase Date,رانيول نېټه
@@ -1953,11 +1968,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},مهرباني وکړئ ټاکل په شرکت د شتمنيو د استهالک لګښت مرکز '{0}
,Maintenance Schedules,د ساتنې او ویش
DocType: Task,Actual End Date (via Time Sheet),واقعي د پای نیټه (د وخت پاڼه له لارې)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},مقدار د {0} د {1} په وړاندې د {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},مقدار د {0} د {1} په وړاندې د {2} {3}
,Quotation Trends,د داوطلبۍ رجحانات
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},د قالب ګروپ نه د توکی په توکی بادار ذکر {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,د حساب ډیبیټ باید یو ترلاسه حساب وي
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},د قالب ګروپ نه د توکی په توکی بادار ذکر {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,د حساب ډیبیټ باید یو ترلاسه حساب وي
DocType: Shipping Rule Condition,Shipping Amount,انتقال مقدار
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,پېرېدونکي ورزیات کړئ
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,انتظار مقدار
DocType: Purchase Invoice Item,Conversion Factor,د تغیر فکتور
DocType: Purchase Order,Delivered,تحویلوونکی
@@ -1967,7 +1983,8 @@
DocType: Purchase Receipt,Vehicle Number,موټر شمېر
DocType: Purchase Invoice,The date on which recurring invoice will be stop,د نېټې په اړه چې د تکراري صورتحساب به بند شي
DocType: Employee Loan,Loan Amount,د پور مقدار
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},د کتارونو تر {0}: د مواد بیل نه د سامان موندل {1}
+DocType: Program Enrollment,Self-Driving Vehicle,د ځان د چلونې د وسایطو د
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},د کتارونو تر {0}: د مواد بیل نه د سامان موندل {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,ټولې پاڼي {0} نه لږ وي لا تصویب پاڼي {1} مودې لپاره په پرتله
DocType: Journal Entry,Accounts Receivable,حسابونه ترلاسه
,Supplier-Wise Sales Analytics,عرضه تدبيراومصلحت خرڅلاو Analytics
@@ -1985,22 +2002,21 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,اخراجاتو ادعا ده د تصویب په تمه ده. يوازې د اخراجاتو Approver کولای حالت د اوسمهالولو.
DocType: Email Digest,New Expenses,نوي داخراجاتو
DocType: Purchase Invoice,Additional Discount Amount,اضافي کمښت مقدار
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",د کتارونو تر # {0}: Qty باید 1، لکه توکی يوه ثابته شتمني ده. لورينه وکړئ د څو qty جلا قطار وکاروي.
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",د کتارونو تر # {0}: Qty باید 1، لکه توکی يوه ثابته شتمني ده. لورينه وکړئ د څو qty جلا قطار وکاروي.
DocType: Leave Block List Allow,Leave Block List Allow,پريږدئ بالک بشپړفهرست اجازه
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Abbr نه شي خالي يا ځای وي
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr نه شي خالي يا ځای وي
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,د غیر ګروپ ګروپ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,لوبې
DocType: Loan Type,Loan Name,د پور نوم
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Total واقعي
DocType: Student Siblings,Student Siblings,د زده کونکو د ورور
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,د واحد
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,مهرباني وکړئ د شرکت مشخص
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,د واحد
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,مهرباني وکړئ د شرکت مشخص
,Customer Acquisition and Loyalty,پيرودونکو د استملاک او داری
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,ګدام ځای کې چې تاسو د رد په پېژندتورو سټاک ساتلو
DocType: Production Order,Skip Material Transfer,ته وګرځه توکو لېږدونه د
DocType: Production Order,Skip Material Transfer,ته وګرځه توکو لېږدونه د
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,لپاره د تبادلې نرخ د موندلو توان نلري {0} د {1} د مهمو نېټه {2}. مهرباني وکړئ د پیسو د بدلولو ریکارډ په لاسي جوړ کړي
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,ستاسو د مالي کال د پای رسیدو په
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,لپاره د تبادلې نرخ د موندلو توان نلري {0} د {1} د مهمو نېټه {2}. مهرباني وکړئ د پیسو د بدلولو ریکارډ په لاسي جوړ کړي
DocType: POS Profile,Price List,د بیې په لېست
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} اوس د مالي کال تلواله. لطفا خپل د کتنمل تازه لپاره د بدلون د اغېز لپاره.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,اخراجاتو د ادعا
@@ -2013,14 +2029,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},دحمل په دسته توازن {0} به منفي {1} لپاره د قالب {2} په ګدام {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,مادي غوښتنې لاندې پر بنسټ د قالب د بيا نظم په کچه دي په اتوماتيک ډول راپورته شوې
DocType: Email Digest,Pending Sales Orders,انتظار خرڅلاو امر
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},ګڼون {0} ناباوره دی. حساب د اسعارو باید د {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},ګڼون {0} ناباوره دی. حساب د اسعارو باید د {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},په قطار UOM تغیر فکتور ته اړتيا ده {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",د کتارونو تر # {0}: ماخذ لاسوند ډول باید د خرڅلاو نظم یو، خرڅلاو صورتحساب یا ژورنال انفاذ وي
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",د کتارونو تر # {0}: ماخذ لاسوند ډول باید د خرڅلاو نظم یو، خرڅلاو صورتحساب یا ژورنال انفاذ وي
DocType: Salary Component,Deduction,مجرايي
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,د کتارونو تر {0}: له وخت او د وخت فرض ده.
DocType: Stock Reconciliation Item,Amount Difference,اندازه بدلون
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},د قالب بیه لپاره زياته کړه {0} په بیې په لېست کې د {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},د قالب بیه لپاره زياته کړه {0} په بیې په لېست کې د {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,مهرباني وکړئ او دې د پلورنې کس ته ننوځي د کارګر Id
DocType: Territory,Classification of Customers by region,له خوا د سيمې د پېرېدونکي طبقه
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,توپیر رقم بايد صفر وي
@@ -2032,21 +2048,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Total Deduction
,Production Analytics,تولید کړي.
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,لګښت Updated
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,لګښت Updated
DocType: Employee,Date of Birth,د زیږون نیټه
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,{0} د قالب لا ته راوړل شوي دي
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,{0} د قالب لا ته راوړل شوي دي
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** مالي کال ** د مالي کال استازيتوب کوي. ټول د محاسبې زياتونې او نورو لويو معاملو ** مالي کال په وړاندې تعقیبیږي **.
DocType: Opportunity,Customer / Lead Address,پيرودونکو / سوق پته
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},خبرداری: په ضمیمه کی ناسم ایس ایس د سند د {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},خبرداری: په ضمیمه کی ناسم ایس ایس د سند د {0}
DocType: Student Admission,Eligibility,وړتيا
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads",لامل تاسو سره مرسته ترلاسه سوداګرۍ، ټولې خپلې اړيکې او نور ستاسو د لامل اضافه
DocType: Production Order Operation,Actual Operation Time,واقعي عملياتو د وخت
DocType: Authorization Rule,Applicable To (User),د تطبیق وړ د (کارن)
DocType: Purchase Taxes and Charges,Deduct,وضع
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Job Description
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Job Description
DocType: Student Applicant,Applied,تطبیقی
DocType: Sales Invoice Item,Qty as per Stock UOM,Qty هر دحمل UOM په توګه
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2 نوم
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 نوم
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series",ځانګړي خویونه پرته "-" "."، "#"، او "/" نه په نوم لړ اجازه
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.",وساتئ د خرڅلاو د کمپاینونو Track. د ياه، قیمت د روان وساتئ، خرڅلاو نظم او نور له مبارزو ته ورستون د پانګونې کچه معلومه کړي.
DocType: Expense Claim,Approver,Approver
@@ -2057,8 +2073,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},شعبه {0} لاندې ترمړوندونو تضمین دی {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,بیلتون د سپارنې يادونه په چمدان.
apps/erpnext/erpnext/hooks.py +87,Shipments,مالونو
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,ګڼون بیلانس ({0}) د {1} او سټاک ارزښت ({2}) لپاره ګدام {3} بايد ورته وي
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,ګڼون بیلانس ({0}) د {1} او سټاک ارزښت ({2}) لپاره ګدام {3} بايد ورته وي
DocType: Payment Entry,Total Allocated Amount (Company Currency),ټولې مقدار (شرکت د اسعارو)
DocType: Purchase Order Item,To be delivered to customer,د دې لپاره چې د پېرېدونکو ته وسپارل شي
DocType: BOM,Scrap Material Cost,د اوسپنې د موادو لګښت
@@ -2066,21 +2080,22 @@
DocType: Purchase Invoice,In Words (Company Currency),په وييکي (شرکت د اسعارو)
DocType: Asset,Supplier,عرضه
DocType: C-Form,Quarter,پدې ربع کې
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,متفرقه لګښتونو
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,متفرقه لګښتونو
DocType: Global Defaults,Default Company,default شرکت
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,اخراجاتو او يا بدلون حساب لپاره د قالب {0} په توګه دا اغیزې په ټولیزه توګه د ونډې ارزښت الزامی دی
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,اخراجاتو او يا بدلون حساب لپاره د قالب {0} په توګه دا اغیزې په ټولیزه توګه د ونډې ارزښت الزامی دی
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,بانک نوم
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Above
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Above
DocType: Employee Loan,Employee Loan Account,د کارګر د پور حساب
DocType: Leave Application,Total Leave Days,Total اجازه ورځې
DocType: Email Digest,Note: Email will not be sent to disabled users,يادونه: دبرېښنا ليک به د معلولينو کارنان نه واستول شي
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,د عمل له شمیره
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,د عمل له شمیره
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,شمیره code> توکی ګروپ> نښې
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,وټاکئ شرکت ...
DocType: Leave Control Panel,Leave blank if considered for all departments,خالي پريږدئ که د ټولو څانګو په پام کې
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).",د کار ډولونه (د دایمي، قرارداد، intern او داسې نور).
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} لپاره د قالب الزامی دی {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} لپاره د قالب الزامی دی {1}
DocType: Process Payroll,Fortnightly,جلالت
DocType: Currency Exchange,From Currency,څخه د پیسو د
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",لطفا په تيروخت کي يو قطار تخصيص مقدار، صورتحساب ډول او صورتحساب شمېر غوره
@@ -2103,7 +2118,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,لطفا د مهال ویش به په 'تولید مهال ویش' کیکاږۍ
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,غلطيو په داسې حال کې دا الندې جدول ړنګول وو:
DocType: Bin,Ordered Quantity,امر مقدار
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",د بیلګې په توګه "د جوړوونکي وسایلو جوړولو"
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",د بیلګې په توګه "د جوړوونکي وسایلو جوړولو"
DocType: Grading Scale,Grading Scale Intervals,د رتبو مقیاس انټروالونه
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} د {1}: د {2} د محاسبې انفاذ کولای شي يوازې په اسعارو کړې: {3}
DocType: Production Order,In Process,په بهیر کې
@@ -2118,12 +2133,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} د زده کوونکو ډلو جوړ.
DocType: Sales Invoice,Total Billing Amount,Total اولګښت مقدار
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,هلته باید یو default راتلونکي ليک حساب د دې کار چارن وي. لطفا د تشکیلاتو د اصلي راتلونکي ليک حساب (POP / IMAP) او بیا کوښښ وکړه.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,ترلاسه اکانټ
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},د کتارونو تر # {0}: د شتمنیو د {1} ده لا د {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,ترلاسه اکانټ
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},د کتارونو تر # {0}: د شتمنیو د {1} ده لا د {2}
DocType: Quotation Item,Stock Balance,دحمل بیلانس
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,ته قطعا د خرڅلاو د ترتیب پر اساس
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,لطفا جوړ د {0} Setup> امستنې له لارې> نومول لړۍ لړۍ نوم
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,اجرايوي ريس
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,اجرايوي ريس
DocType: Expense Claim Detail,Expense Claim Detail,اخراجاتو ادعا تفصیلي
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,لطفا صحيح حساب وټاکئ
DocType: Item,Weight UOM,وزن UOM
@@ -2132,12 +2146,12 @@
DocType: Production Order Operation,Pending,په تمه
DocType: Course,Course Name,کورس نوم
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,هغه کارنان چې کولای شي یو ځانګړي کارکوونکي د رخصتۍ غوښتنلیکونه تصویب
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,دفتر او تجهیزاتو
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,دفتر او تجهیزاتو
DocType: Purchase Invoice Item,Qty,Qty
DocType: Fiscal Year,Companies,د شرکتونو
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,برقی سامانونه
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,د موادو غوښتنه راپورته کړي کله سټاک بیا نظم درجی ته ورسیږي
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,پوره وخت
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,پوره وخت
DocType: Salary Structure,Employees,د کارکوونکو
DocType: Employee,Contact Details,د اړیکو نیولو معلومات
DocType: C-Form,Received Date,ترلاسه نېټه
@@ -2147,7 +2161,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,بيې به که بیې په لېست کې نه دی جوړ نه ښودل شي
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,لطفا د دې نقل حاکمیت يو هېواد مشخص او يا د نړۍ په نقل وګورئ
DocType: Stock Entry,Total Incoming Value,Total راتلونکي ارزښت
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,ډیبیټ ته اړتيا ده
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,ډیبیټ ته اړتيا ده
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team",ویشونو لپاره activites ستاسو د ډلې له خوا تر سره د وخت، لګښت او د بلونو د تګلورې کې مرسته وکړي
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,رانيول بیې لېست
DocType: Offer Letter Term,Offer Term,وړاندیز مهاله
@@ -2156,17 +2170,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,قطعا د پخلاينې
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,مهرباني غوره قی کس نوم
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,تکنالوژي
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Total معاش: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Total معاش: {0}
DocType: BOM Website Operation,BOM Website Operation,هیښ وېب پاڼه د عملياتو
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,وړاندیزلیک
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,مادي غوښتنې (MRP) او د تولید امر کړي.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Total رسیدونو د نننیو
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Total رسیدونو د نننیو
DocType: BOM,Conversion Rate,conversion Rate
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,د محصول د لټون
DocType: Timesheet Detail,To Time,ته د وخت
DocType: Authorization Rule,Approving Role (above authorized value),رول (اجازه ارزښت پورته) تصویب
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,د حساب د پور باید یو د راتلوونکې حساب وي
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},هیښ مخنیوی دی: {0} نه شي مور او يا ماشوم وي {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,د حساب د پور باید یو د راتلوونکې حساب وي
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},هیښ مخنیوی دی: {0} نه شي مور او يا ماشوم وي {2}
DocType: Production Order Operation,Completed Qty,بشپړ Qty
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",د {0}، يوازې ډیبیټ حسابونو کولای شي د پور بل د ننوتلو په وړاندې سره وتړل شي
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,د بیې په لېست {0} معلول دی
@@ -2178,28 +2192,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} پرلپسې لپاره د قالب اړتیا {1}. تاسي چمتو {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,اوسنی ارزښت Rate
DocType: Item,Customer Item Codes,پيرودونکو د قالب کودونه
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,په بدل کې لاسته راغلې ګټه / له لاسه ورکول
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,په بدل کې لاسته راغلې ګټه / له لاسه ورکول
DocType: Opportunity,Lost Reason,له لاسه دلیل
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,نوې پته
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,نوې پته
DocType: Quality Inspection,Sample Size,نمونه اندازه
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,لطفا د رسيد سند ته ننوځي
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,ټول توکي لا له وړاندې د رسیدونو شوي
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,ټول توکي لا له وړاندې د رسیدونو شوي
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',لطفا 'له Case شمیره' مشخص معتبر
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,لا لګښت مرکزونه کولای شي ډلو لاندې کړې خو زياتونې شي غیر ډلو په وړاندې د
DocType: Project,External,د بهرنيو
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,کارنان او حلال
DocType: Vehicle Log,VLOG.,VLOG.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},تولید امر ايجاد شده: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},تولید امر ايجاد شده: {0}
DocType: Branch,Branch,څانګه
DocType: Guardian,Mobile Number,ګرځنده شمیره
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,د چاپونې او د عالمه
DocType: Bin,Actual Quantity,واقعي اندازه
DocType: Shipping Rule,example: Next Day Shipping,مثال په توګه: بل د ورځې په نقل
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,شعبه {0} ونه موندل شو
-DocType: Scheduling Tool,Student Batch,د زده کونکو د دسته
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,ستاسو پېرودونکي
+DocType: Program Enrollment,Student Batch,د زده کونکو د دسته
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,د زده کوونکو د کمکیانو لپاره د
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},تاسو ته په دغه پروژه کې همکاري بلل شوي دي: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},تاسو ته په دغه پروژه کې همکاري بلل شوي دي: {0}
DocType: Leave Block List Date,Block Date,د بنديز نېټه
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,اوس غوښتنه وکړه
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},واقعي Qty {0} / انتظار Qty {1}
@@ -2209,7 +2222,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.",جوړول او هره ورځ، هفته وار او ماهوار ایمیل digests اداره کړي.
DocType: Appraisal Goal,Appraisal Goal,د ارزونې موخه
DocType: Stock Reconciliation Item,Current Amount,اوسني مقدار
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,ودانۍ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,ودانۍ
DocType: Fee Structure,Fee Structure,د فیس جوړښت
DocType: Timesheet Detail,Costing Amount,لګښت مقدار
DocType: Student Admission,Application Fee,د غوښتنلیک فیس
@@ -2221,10 +2234,10 @@
DocType: POS Profile,[Select],[انتخاب]
DocType: SMS Log,Sent To,لیږل شوی ورته
DocType: Payment Request,Make Sales Invoice,د کمکیانو لپاره د خرڅلاو صورتحساب
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,دکمپیوتر
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,دکمپیوتر
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,بل د تماس نېټه نه شي کولای د پخوا په وي
DocType: Company,For Reference Only.,د ماخذ یوازې.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,انتخاب دسته نه
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,انتخاب دسته نه
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},باطلې {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,پرمختللی مقدار
@@ -2234,15 +2247,15 @@
DocType: Employee,Employment Details,د کار په بشپړه توګه کتل
DocType: Employee,New Workplace,نوی کارځای
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,د ټاکلو په توګه تړل شوي
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},سره Barcode نه د قالب {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},سره Barcode نه د قالب {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Case شمیره نه شي کولای 0 وي
DocType: Item,Show a slideshow at the top of the page,د پاڼې په سر کې یو سلاید وښایاست
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,دوکانونه
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,دوکانونه
DocType: Serial No,Delivery Time,د لېږدون وخت
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Ageing پر بنسټ
DocType: Item,End of Life,د ژوند تر پايه
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,travel
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,travel
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,نه د فعال یا default معاش جوړښت وموندل لپاره کارمند {0} د ورکړل شوې خرما
DocType: Leave Block List,Allow Users,کارنان پرېښودل
DocType: Purchase Order,Customer Mobile No,پيرودونکو د موبايل په هيڅ
@@ -2251,29 +2264,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,تازه لګښت
DocType: Item Reorder,Item Reorder,د قالب ترمیمي
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,انکړپټه ښودل معاش ټوټه
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,د انتقال د موادو
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,د انتقال د موادو
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",د عملیاتو، د عملیاتي مصارفو ليکئ او نه ستاسو په عملیاتو یو بې ساری عملياتو ورکړي.
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,دغه سند له خوا حد دی {0} د {1} لپاره توکی {4}. آیا تاسو د ورته په وړاندې د بل {3} {2}؟
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,لطفا جوړ ژغورلو وروسته تکراري
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,انتخاب بدلون اندازه حساب
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,دغه سند له خوا حد دی {0} د {1} لپاره توکی {4}. آیا تاسو د ورته په وړاندې د بل {3} {2}؟
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,لطفا جوړ ژغورلو وروسته تکراري
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,انتخاب بدلون اندازه حساب
DocType: Purchase Invoice,Price List Currency,د اسعارو بیې لېست
DocType: Naming Series,User must always select,کارن بايد تل انتخاب
DocType: Stock Settings,Allow Negative Stock,د منفی دحمل اجازه
DocType: Installation Note,Installation Note,نصب او یادونه
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,مالیات ورزیات کړئ
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,مالیات ورزیات کړئ
DocType: Topic,Topic,موضوع
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,له مالي نقدو پیسو د جریان
DocType: Budget Account,Budget Account,د بودجې د حساب
DocType: Quality Inspection,Verified By,تایید شوي By
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",شرکت د تلواله اسعارو بدل نشي کولای، ځکه هلته موجوده معاملو دي. انتقال باید لغوه شي چې د تلواله د اسعارو بدلون.
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",شرکت د تلواله اسعارو بدل نشي کولای، ځکه هلته موجوده معاملو دي. انتقال باید لغوه شي چې د تلواله د اسعارو بدلون.
DocType: Grading Scale Interval,Grade Description,ټولګي Description
DocType: Stock Entry,Purchase Receipt No,رانيول رسيد نه
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,ارنست د پیسو
DocType: Process Payroll,Create Salary Slip,معاش ټوټه جوړول
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,د واردکوونکو
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),د بودیجو سرچینه (مسؤلیتونه)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},په قطار مقدار {0} ({1}) بايد په توګه جوړيږي اندازه ورته وي {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),د بودیجو سرچینه (مسؤلیتونه)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},په قطار مقدار {0} ({1}) بايد په توګه جوړيږي اندازه ورته وي {2}
DocType: Appraisal,Employee,د کارګر
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,انتخاب دسته
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} د {1} په بشپړه توګه بیل
DocType: Training Event,End Time,د پاي وخت
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,د فعالو معاش جوړښت {0} لپاره د ورکړل شوي نیټی لپاره کارکوونکي {1} موندل
@@ -2285,11 +2299,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,اړتیا ده
DocType: Rename Tool,File to Rename,د نوم بدلول د دوتنې
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},لطفا په کتارونو لپاره د قالب هیښ غوره {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},مشخص هیښ {0} لپاره د قالب نه شته {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},حساب {0} سره د شرکت د {1} کې د حساب اکر سره سمون نه خوري: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},مشخص هیښ {0} لپاره د قالب نه شته {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,د ساتنې او ویش {0} بايد بندول د دې خرڅلاو نظم مخکې لغوه شي
DocType: Notification Control,Expense Claim Approved,اخراجاتو ادعا تصویب
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,د کارکوونکي معاش ټوټه {0} لا په دې موده کې جوړ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Pharmaceutical
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Pharmaceutical
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,د رانیولې سامان لګښت
DocType: Selling Settings,Sales Order Required,خرڅلاو نظم مطلوب
DocType: Purchase Invoice,Credit To,د اعتبار
@@ -2306,43 +2321,43 @@
DocType: Payment Gateway Account,Payment Account,د پیسو حساب
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,مهرباني وکړئ د شرکت مشخص چې مخکې لاړ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,په حسابونه ترلاسه خالص د بدلون
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,د معاوضې پړاو
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,د معاوضې پړاو
DocType: Offer Letter,Accepted,منل
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,سازمان د
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,سازمان د
DocType: SG Creation Tool Course,Student Group Name,د زده کونکو د ډلې نوم
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,لطفا باوري تاسو په رښتيا غواړئ چې د دې شرکت د ټولو معاملو کې د ړنګولو. ستاسو بادار ارقام به پاتې شي دا. دا عمل ناکړل نه شي.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,لطفا باوري تاسو په رښتيا غواړئ چې د دې شرکت د ټولو معاملو کې د ړنګولو. ستاسو بادار ارقام به پاتې شي دا. دا عمل ناکړل نه شي.
DocType: Room,Room Number,کوټه شمېر
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},باطلې مرجع {0} د {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) د نه په پام کې quanitity څخه ډيره وي ({2}) په تولید نظم {3}
DocType: Shipping Rule,Shipping Rule Label,انتقال حاکمیت نښه د
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,کارن فورم
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,خام مواد نه شي خالي وي.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.",کیدای شي سټاک د اوسمهالولو لپاره نه، صورتحساب لرونکی د څاڅکی انتقال توکی.
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,خام مواد نه شي خالي وي.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.",کیدای شي سټاک د اوسمهالولو لپاره نه، صورتحساب لرونکی د څاڅکی انتقال توکی.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,د چټک ژورنال انفاذ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,تاسو نه شي کولای کچه بدلون که هیښ agianst مواد یاد
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,تاسو نه شي کولای کچه بدلون که هیښ agianst مواد یاد
DocType: Employee,Previous Work Experience,مخکینی کاری تجربه
DocType: Stock Entry,For Quantity,د مقدار
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},لطفا د قطار د {0} د قالب ته ننوځي پلان Qty {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} د {1} نه سپارل
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,لپاره شیان غوښتنې.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,جلا د توليد په موخه به د هر بشپړ ښه توکی جوړ شي.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} بايد په بدل کې سند منفي وي
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} بايد په بدل کې سند منفي وي
,Minutes to First Response for Issues,د مسایل لومړی غبرګون دقيقو
DocType: Purchase Invoice,Terms and Conditions1,اصطلاحات او Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,د انستیتوت نوم د کوم لپاره چې تاسو دا سيستم د جوړولو.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,د انستیتوت نوم د کوم لپاره چې تاسو دا سيستم د جوړولو.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",د محاسبې د ننوتلو د دې نېټې کنګل کړي، څوک کولای شي / رول د لاندې ټاکل شوي پرته د ننوتلو لپاره تعديلوي.
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,لطفا د توليد ساتنې مهال ویش مخکې د سند د ژغورلو
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,د پروژې د حالت
DocType: UOM,Check this to disallow fractions. (for Nos),وګورئ دا ښیی disallow. (د وځيري)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,دغه لانديني تولید امر جوړ شو:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,دغه لانديني تولید امر جوړ شو:
DocType: Student Admission,Naming Series (for Student Applicant),نوم لړۍ (لپاره د زده کونکو د متقاضي)
DocType: Delivery Note,Transporter Name,لېږدول نوم
DocType: Authorization Rule,Authorized Value,اجازه ارزښت
DocType: BOM,Show Operations,خپرونه عملیاتو په
,Minutes to First Response for Opportunity,لپاره د فرصت د لومړی غبرګون دقيقو
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Total حاضر
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,د قالب یا ګدام لپاره چي په کتارونو {0} سمون نه خوري د موادو غوښتنه
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,د قالب یا ګدام لپاره چي په کتارونو {0} سمون نه خوري د موادو غوښتنه
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,د اندازه کولو واحد
DocType: Fiscal Year,Year End Date,کال د پای نیټه
DocType: Task Depends On,Task Depends On,کاري پورې تړلی دی د
@@ -2422,11 +2437,11 @@
DocType: Asset,Manual,لارښود
DocType: Salary Component Account,Salary Component Account,معاش برخه اکانټ
DocType: Global Defaults,Hide Currency Symbol,پټول د اسعارو سمبول
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card",د بيلګې په توګه بانک، د نقدو پیسو، کریډیټ کارټ
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card",د بيلګې په توګه بانک، د نقدو پیسو، کریډیټ کارټ
DocType: Lead Source,Source Name,سرچینه نوم
DocType: Journal Entry,Credit Note,اعتبار يادونه
DocType: Warranty Claim,Service Address,خدمتونو پته
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Furnitures او لامپ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Furnitures او لامپ
DocType: Item,Manufacture,د جوړون
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,لطفا د سپارنې يادونه لومړي
DocType: Student Applicant,Application Date,کاریال نېټه
@@ -2436,7 +2451,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,بېلوګډو چاڼېزو نېټه نه ذکر
apps/erpnext/erpnext/config/manufacturing.py +7,Production,تولید
DocType: Guardian,Occupation,وظيفه
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,لطفا د تشکیلاتو کارکوونکی کې د بشري منابعو د سیستم نوم> د بشري حقونو څانګې امستنې
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,د کتارونو تر {0}: بیا نېټه دمخه بايد د پای نیټه وي
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Total (Qty)
DocType: Sales Invoice,This Document,دا لاسوند
@@ -2448,20 +2462,20 @@
DocType: Purchase Receipt,Time at which materials were received,د وخت په کوم توکي ترلاسه کړ
DocType: Stock Ledger Entry,Outgoing Rate,د تېرې Rate
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,سازمان د څانګې د بادار.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,او یا
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,او یا
DocType: Sales Order,Billing Status,د بیلونو په حالت
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,یو Issue راپور
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,ټولګټې داخراجاتو
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,ټولګټې داخراجاتو
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-پورته
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,د کتارونو تر # {0}: ژورنال انفاذ {1} نه ګڼون لری {2} يا لا نه خوری بل کوپون پر وړاندې د
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,د کتارونو تر # {0}: ژورنال انفاذ {1} نه ګڼون لری {2} يا لا نه خوری بل کوپون پر وړاندې د
DocType: Buying Settings,Default Buying Price List,Default د خريداري د بیې په لېست
DocType: Process Payroll,Salary Slip Based on Timesheet,معاش ټوټه پر بنسټ Timesheet
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,د پورته انتخاب معیارونه یا معاش ټوټه هیڅ یو کارمند د مخه جوړ
DocType: Notification Control,Sales Order Message,خرڅلاو نظم پيغام
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",د ټاکلو په تلواله ارزښتونو شرکت، د اسعارو، روان مالي کال، او داسې نور په شان
DocType: Payment Entry,Payment Type,د پیسو ډول
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,لطفا لپاره توکي داځکه غوره {0}. ته د یو واحد داځکه چې دا اړتیا پوره کوي د موندلو توان نلري
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,لطفا لپاره توکي داځکه غوره {0}. ته د یو واحد داځکه چې دا اړتیا پوره کوي د موندلو توان نلري
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,لطفا لپاره توکي داځکه غوره {0}. ته د یو واحد داځکه چې دا اړتیا پوره کوي د موندلو توان نلري
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,لطفا لپاره توکي داځکه غوره {0}. ته د یو واحد داځکه چې دا اړتیا پوره کوي د موندلو توان نلري
DocType: Process Payroll,Select Employees,انتخاب مامورین
DocType: Opportunity,Potential Sales Deal,احتمالي خرڅلاو تړون
DocType: Payment Entry,Cheque/Reference Date,آرډر / ماخذ نېټه
@@ -2481,7 +2495,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,د رسيد سند بايد وسپارل شي
DocType: Purchase Invoice Item,Received Qty,ترلاسه Qty
DocType: Stock Entry Detail,Serial No / Batch,شعبه / دسته
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,نه ورکړل او نه تحویلوونکی
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,نه ورکړل او نه تحویلوونکی
DocType: Product Bundle,Parent Item,د موروپلار د قالب
DocType: Account,Account Type,د حساب ډول
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2496,25 +2510,24 @@
DocType: Bin,Reserved Quantity,خوندي دي مقدار
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,لطفا د اعتبار وړ ایمیل ادرس ولیکۍ
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,لطفا د اعتبار وړ ایمیل ادرس ولیکۍ
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},د دې پروګرام لپاره د اجباري کورس نه شته {0}
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},د دې پروګرام لپاره د اجباري کورس نه شته {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,رانيول رسيد سامان
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Customizing فورمې
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,Arrear
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,Arrear
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,په دغه موده کې د استهالک مقدار
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,معلولینو کېنډۍ باید default کېنډۍ نه وي
DocType: Account,Income Account,پر عايداتو باندې حساب
DocType: Payment Request,Amount in customer's currency,په مشتري د پيسو اندازه
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,د سپارنې پرمهال
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,د سپارنې پرمهال
DocType: Stock Reconciliation Item,Current Qty,اوسني Qty
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",وګورئ: په لګښت برخه کې د "د موادو پر بنسټ Rate"
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,قبلی
DocType: Appraisal Goal,Key Responsibility Area,مهم مسوولیت په سیمه
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students",د زده کوونکو دستو مرسته وکړي چې تاسو د زده کوونکو لپاره د حاضرۍ، د ارزونو او د فيس تعقیب کړي
DocType: Payment Entry,Total Allocated Amount,ټولې پیسې د
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,جوړ تلوالیزه لپاره د دايمي انبار انبار حساب
DocType: Item Reorder,Material Request Type,د موادو غوښتنه ډول
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},څخه د {0} ته د معاشونو Accural ژورنال دکانکورازموينه {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save",LocalStorage دی پوره، خو د ژغورلو نه
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save",LocalStorage دی پوره، خو د ژغورلو نه
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,د کتارونو تر {0}: UOM د تغیر فکتور الزامی دی
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,دسرچینی یادونه
DocType: Budget,Cost Center,لګښت مرکز
@@ -2527,19 +2540,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",د بیې د حاکمیت دی ځاېناستول د بیې په لېست / تعريف تخفیف سلنه، پر بنسټ د ځینو معیارونو.
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,ګدام يوازې دحمل د ننوتلو لارې بدليدای شي / د سپارنې پرمهال یادونه / رانيول رسيد
DocType: Employee Education,Class / Percentage,ټولګی / سلنه
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,د بازار موندنې او خرڅلاو مشر
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,عايداتو باندې د مالياتو
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,د بازار موندنې او خرڅلاو مشر
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,عايداتو باندې د مالياتو
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.",که ټاکل د بیې د حاکمیت لپاره 'د بیو د' کړې، نو دا به د بیې په لېست ليکلی. د بیې د حاکمیت بيه وروستۍ بيه، له دې امله د لا تخفیف نه بايد پلی شي. نو له دې کبله، لکه د خرڅلاو د ترتیب پر اساس، د اخستلو امر او نور معاملو، نو دا به په کچه د ساحوي پايلي شي، پر ځای 'د بیې په لېست Rate' ډګر.
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Track له خوا د صنعت ډول ځای شوی.
DocType: Item Supplier,Item Supplier,د قالب عرضه
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,لطفا د قالب کوډ داخل ته داځکه تر لاسه نه
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},لورينه وکړئ د {0} quotation_to د ارزښت ټاکلو {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,لطفا د قالب کوډ داخل ته داځکه تر لاسه نه
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},لورينه وکړئ د {0} quotation_to د ارزښت ټاکلو {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,ټول Addresses.
DocType: Company,Stock Settings,دحمل امستنې
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",آژانسونو هغه مهال ممکنه ده که لاندې شتمنۍ په دواړو اسنادو يو شان دي. دی ګروپ، د ریښی ډول، د شرکت
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",آژانسونو هغه مهال ممکنه ده که لاندې شتمنۍ په دواړو اسنادو يو شان دي. دی ګروپ، د ریښی ډول، د شرکت
DocType: Vehicle,Electric,Electric
DocType: Task,% Progress,٪ پرمختګ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,ګټې / له لاسه ورکول د شتمنيو د برطرف
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,ګټې / له لاسه ورکول د شتمنيو د برطرف
DocType: Training Event,Will send an email about the event to employees with status 'Open',به د غونډې په اړه يو بريښناليک چي حالت کارمندانو ته واستوي 'پرانيستلی'
DocType: Task,Depends on Tasks,په دندې پورې تړاو لري
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Manage پيرودونکو ګروپ د ونو.
@@ -2548,7 +2561,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,نوي لګښت مرکز نوم
DocType: Leave Control Panel,Leave Control Panel,پريږدئ Control Panel
DocType: Project,Task Completion,کاري پوره کول
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,نه په سټاک
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,نه په سټاک
DocType: Appraisal,HR User,د بشري حقونو څانګې د کارن
DocType: Purchase Invoice,Taxes and Charges Deducted,مالیه او په تور مجرايي
apps/erpnext/erpnext/hooks.py +116,Issues,مسایل
@@ -2559,22 +2572,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},نه معاش ټوټه تر منځ موندل {0} او {1}
,Pending SO Items For Purchase Request,SO سامان د اخستلو غوښتنه په تمه
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,د زده کوونکو د شمولیت
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} د {1} معلول دی
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} د {1} معلول دی
DocType: Supplier,Billing Currency,د بیلونو د اسعارو
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,ډېر لوی
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,ډېر لوی
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,ټولې پاڼې
,Profit and Loss Statement,ګټه او زیان اعلامیه
DocType: Bank Reconciliation Detail,Cheque Number,آرډر شمېر
,Sales Browser,خرڅلاو د لټووني
DocType: Journal Entry,Total Credit,Total اعتبار
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},خبرداری: بل {0} # {1} سټاک د ننوتلو پر وړاندې د شته {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,د محلي
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,د محلي
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),پورونو او پرمختګ (شتمني)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,پوروړو
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,لوی
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,لوی
DocType: Homepage Featured Product,Homepage Featured Product,کورپاڼه د ځانګړي محصول
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,ټول د ارزونې ډلې
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,ټول د ارزونې ډلې
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,نوي ګدام نوم
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Total {0} ({1})
DocType: C-Form Invoice Detail,Territory,خاوره
@@ -2584,12 +2597,12 @@
DocType: Production Order Operation,Planned Start Time,پلان د پیل وخت
DocType: Course,Assessment,ارزونه
DocType: Payment Entry Reference,Allocated,تخصيص
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,نږدې بیلانس پاڼه او کتاب ګټه یا تاوان.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,نږدې بیلانس پاڼه او کتاب ګټه یا تاوان.
DocType: Student Applicant,Application Status,کاریال حالت
DocType: Fees,Fees,فيس
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ليکئ د بدلولو نرخ ته بل یو اسعارو بدلوي
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,د داوطلبۍ {0} دی لغوه
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Total وتلي مقدار
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Total وتلي مقدار
DocType: Sales Partner,Targets,موخې
DocType: Price List,Price List Master,د بیې په لېست ماسټر
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,ټول خرڅلاو معاملې کولی شی څو ** خرڅلاو اشخاص ** په وړاندې د سکس شي تر څو چې تاسو کولای شي او د اهدافو څخه څارنه وکړي.
@@ -2621,12 +2634,12 @@
1. Address and Contact of your Company.",معياري اصطلاحات او شرايط، چې کولی شي د پلورنې او پېرودلو زياته شي. مثالونه: 1. د وړاندیز د اعتبار. 1. د ورکړې شرایط (په پرمختللی، د پور، برخه مخکې داسې نور). 1. څه شی دی اضافي (يا د پيرودونکو له خوا اخیستل کیږی). 1. د خوندیتوب / بېلګې خبرداری. 1. ګرنټی که کوم. 1. د راستنیدنې د پالیسۍ. 1. د انتقال اصطلاحات، که د تطبيق وړ. 1. د شخړو د حل، د دنغدي، مسؤليت لارې، او داسې نور 1. پته او د خپل شرکت سره اړیکه.
DocType: Attendance,Leave Type,رخصت ډول
DocType: Purchase Invoice,Supplier Invoice Details,عرضه صورتحساب نورولوله
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,اخراجاتو / بدلون حساب ({0}) باید یو 'ګټه یا زیان' حساب وي
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,اخراجاتو / بدلون حساب ({0}) باید یو 'ګټه یا زیان' حساب وي
DocType: Project,Copied From,کاپي له
DocType: Project,Copied From,کاپي له
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},نوم تېروتنه: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,په کمښت کې
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} د {1} سره تړاو نه {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} د {1} سره تړاو نه {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,د {0} کارمند په ګډون لا د مخه په نښه
DocType: Packing Slip,If more than one package of the same type (for print),که د همدې ډول له يوه څخه زيات بسته (د چاپي)
,Salary Register,معاش د نوم ثبتول
@@ -2644,22 +2657,23 @@
,Requested Qty,غوښتنه Qty
DocType: Tax Rule,Use for Shopping Cart,کولر په ګاډۍ استفاده
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},ارزښت {0} د خاصې لپاره {1} نه د اعتبار د قالب په لست کې شته لپاره د قالب ارزښتونه ځانتیا {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,پرلپسې ه وټاکئ
DocType: BOM Item,Scrap %,د اوسپنې٪
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection",په تور به د خپرولو په متناسب ډول پر توکی qty يا اندازه وي، ستاسو د انتخاب په هر توګه
DocType: Maintenance Visit,Purposes,په موخه
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,تيروخت د یوه جنس بايد په بدل کې سند سره منفي کمیت ته داخل شي
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,تيروخت د یوه جنس بايد په بدل کې سند سره منفي کمیت ته داخل شي
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations",د عملياتو {0} په پرتله په workstation هر موجود کار ساعتونو نور {1}، په څو عملیاتو کې د عملياتو تجزيه
,Requested,غوښتنه
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,نه څرګندونې
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,نه څرګندونې
DocType: Purchase Invoice,Overdue,ورځباندې
DocType: Account,Stock Received But Not Billed,دحمل رارسيدلي خو نه محاسبې ته
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,د ريښي د حساب بايد د يوې ډلې وي
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,د ريښي د حساب بايد د يوې ډلې وي
DocType: Fees,FEE.,فیس.
DocType: Employee Loan,Repaid/Closed,بیرته / تړل
DocType: Item,Total Projected Qty,ټول پيشبيني Qty
DocType: Monthly Distribution,Distribution Name,ویش نوم
DocType: Course,Course Code,کورس کوډ
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},د کیفیت د تفتیش لپاره د قالب اړتیا {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},د کیفیت د تفتیش لپاره د قالب اړتیا {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,په کوم مشتري د پيسو کچه چې د شرکت د اډې اسعارو بدل
DocType: Purchase Invoice Item,Net Rate (Company Currency),خالص کچه (د شرکت د اسعارو)
DocType: Salary Detail,Condition and Formula Help,حالت او فورمول مرسته
@@ -2672,27 +2686,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,د جوړون د توکو لېږدونه د
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,تخفیف سلنه يا په وړاندې د بیې په لېست کې او یا د ټولو د بیې په لېست کارول کيداي شي.
DocType: Purchase Invoice,Half-yearly,Half-کلنی
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,لپاره دحمل محاسبې انفاذ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,لپاره دحمل محاسبې انفاذ
DocType: Vehicle Service,Engine Oil,د انجن د تیلو
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,لطفا د تشکیلاتو کارکوونکی کې د بشري منابعو د سیستم نوم> د بشري حقونو څانګې امستنې
DocType: Sales Invoice,Sales Team1,خرڅلاو Team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,د قالب {0} نه شته
DocType: Sales Invoice,Customer Address,پيرودونکو پته
DocType: Employee Loan,Loan Details,د پور نورولوله
+DocType: Company,Default Inventory Account,Default موجودي حساب
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,د کتارونو تر {0}: بشپړ Qty باید له صفر څخه زیات وي.
DocType: Purchase Invoice,Apply Additional Discount On,Apply اضافي کمښت د
DocType: Account,Root Type,د ريښي ډول
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},د کتارونو تر # {0}: بېرته نشي څخه زيات {1} لپاره د قالب {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},د کتارونو تر # {0}: بېرته نشي څخه زيات {1} لپاره د قالب {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,ايښودنې په
DocType: Item Group,Show this slideshow at the top of the page,د پاڼې په سر کې د دې سلاید وښایاست
DocType: BOM,Item UOM,د قالب UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),د مالیې د مقدار کمښت مقدار وروسته (شرکت د اسعارو)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},هدف ګودام لپاره چي په کتارونو الزامی دی {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},هدف ګودام لپاره چي په کتارونو الزامی دی {0}
DocType: Cheque Print Template,Primary Settings,لومړنۍ امستنې
DocType: Purchase Invoice,Select Supplier Address,انتخاب عرضه پته
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,مامورین ورزیات کړئ
DocType: Purchase Invoice Item,Quality Inspection,د کیفیت د تفتیش
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,اضافي واړه
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,اضافي واړه
DocType: Company,Standard Template,معياري کينډۍ
DocType: Training Event,Theory,تیوری
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,خبرداری: مادي غوښتل Qty دی لږ تر لږه نظم Qty څخه کم
@@ -2700,7 +2716,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,قانوني نهاد / مستقلې سره د حسابونه د يو جلا چارت د سازمان پورې.
DocType: Payment Request,Mute Email,ګونګ دبرېښنا ليک
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco",د خوړو، او نوشابه & تنباکو
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},يوازې په وړاندې پیسې unbilled {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},يوازې په وړاندې پیسې unbilled {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,کمیسیون کچه نه شي کولای په پرتله 100 وي
DocType: Stock Entry,Subcontract,فرعي
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,لطفا {0} په لومړي
@@ -2713,18 +2729,18 @@
DocType: SMS Log,No of Sent SMS,نه د ته وليږدول شوه پیغامونه
DocType: Account,Expense Account,اخراجاتو اکانټ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,ساوتري
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,رنګ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,رنګ
DocType: Assessment Plan Criteria,Assessment Plan Criteria,د ارزونې معیارونه پلان
DocType: Training Event,Scheduled,ټاکل شوې
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,لپاره د آفرونو غوښتنه وکړي.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",لطفا د قالب غوره هلته "د دې لپاره دحمل د قالب" ده "نه" او "آیا د پلورنې د قالب" د "هو" او نورو د محصول د بنډل نه شته
DocType: Student Log,Academic,علمي
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Total دمخه ({0}) د ترتیب پر وړاندې د {1} نه شي کولای د Grand ټولو څخه ډيره وي ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Total دمخه ({0}) د ترتیب پر وړاندې د {1} نه شي کولای د Grand ټولو څخه ډيره وي ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,میاشتنی ویش وټاکئ نا متوازنه توګه په ټول مياشتو هدفونو وویشي.
DocType: Purchase Invoice Item,Valuation Rate,سنجي Rate
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,دیزل
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,د اسعارو بیې په لېست کې نه ټاکل
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,د اسعارو بیې په لېست کې نه ټاکل
,Student Monthly Attendance Sheet,د زده کوونکو میاشتنی حاضرۍ پاڼه
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},د کارګر {0} لا د پلي {1} تر منځ د {2} او {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,د پروژې د پیل نیټه
@@ -2737,7 +2753,7 @@
DocType: BOM,Scrap,د اوسپنې
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Manage خرڅلاو همکاران.
DocType: Quality Inspection,Inspection Type,تفتیش ډول
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,د موجوده د راکړې ورکړې د ګدامونو د ډلې بدل نه شي.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,د موجوده د راکړې ورکړې د ګدامونو د ډلې بدل نه شي.
DocType: Assessment Result Tool,Result HTML,د پایلو د HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,په ختمېږي
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,زده کوونکي ورزیات کړئ
@@ -2745,13 +2761,13 @@
DocType: C-Form,C-Form No,C-فورمه نشته
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,بې نښې حاضريدل
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,څیړونکې
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,څیړونکې
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,پروګرام شمولیت وسیله د زده کوونکو
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,نوم يا ليک الزامی دی
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,راتلونکي کیفیت د تفتیش.
DocType: Purchase Order Item,Returned Qty,راستون Qty
DocType: Employee,Exit,وتون
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,د ريښي ډول فرض ده
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,د ريښي ډول فرض ده
DocType: BOM,Total Cost(Company Currency),ټولیز لګښت (شرکت د اسعارو)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,شعبه {0} جوړ
DocType: Homepage,Company Description for website homepage,د ویب پاڼه Company Description
@@ -2760,7 +2776,7 @@
DocType: Sales Invoice,Time Sheet List,د وخت پاڼه بشپړفهرست
DocType: Employee,You can enter any date manually,تاسو کولای شی هر نېټې په لاسي ننوځي
DocType: Asset Category Account,Depreciation Expense Account,د استهالک اخراجاتو اکانټ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,امتحاني دوره
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,امتحاني دوره
DocType: Customer Group,Only leaf nodes are allowed in transaction,يوازې د پاڼی غوټو کې د راکړې ورکړې اجازه لري
DocType: Expense Claim,Expense Approver,اخراجاتو Approver
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,د کتارونو تر {0}: پيرودونکو په وړاندې پرمختللی بايد پور وي
@@ -2774,10 +2790,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,کورس ویش ړنګ:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,د SMS د وړاندې کولو او مقام د ساتلو يادښتونه
DocType: Accounts Settings,Make Payment via Journal Entry,ژورنال انفاذ له لارې د پیسو د کمکیانو لپاره
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,چاپ شوی
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,چاپ شوی
DocType: Item,Inspection Required before Delivery,د سپارنې مخکې د تفتیش د غوښتل شوي
DocType: Item,Inspection Required before Purchase,رانيول مخکې د تفتیش د غوښتل شوي
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,انتظار فعالیتونه
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,ستاسو د سازمان
DocType: Fee Component,Fees Category,فیس کټه ګورۍ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,لطفا کرارولو نیټه.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,نننیو
@@ -2787,9 +2804,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,ترمیمي د ليول
DocType: Company,Chart Of Accounts Template,د حسابونو کينډۍ چارت
DocType: Attendance,Attendance Date,د حاضرۍ نېټه
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},د قالب د بیې د {0} په بیې په لېست کې تازه {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},د قالب د بیې د {0} په بیې په لېست کې تازه {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,معاش سترواکې بنسټ د ګټې وټې او Deduction.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,سره د ماشومانو د غوټو حساب بدل نه شي چې د پنډو
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,سره د ماشومانو د غوټو حساب بدل نه شي چې د پنډو
DocType: Purchase Invoice Item,Accepted Warehouse,منل ګدام
DocType: Bank Reconciliation Detail,Posting Date,نوکرې نېټه
DocType: Item,Valuation Method,سنجي Method
@@ -2798,14 +2815,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,دوه ګونو ننوتلو
DocType: Program Enrollment Tool,Get Students,زده کوونکي ترلاسه کړئ
DocType: Serial No,Under Warranty,لاندې ګرنټی
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[تېروتنه]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[تېروتنه]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,په کلیمو کې به د ليدو وړ وي. هر کله چې تاسو د خرڅلاو نظم وژغوري.
,Employee Birthday,د کارګر کالیزې
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,د زده کوونکو د حاضرۍ دسته اوزار
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,حد اوښتي
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,حد اوښتي
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,تصدي پلازمیینه
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,سره د دې د تعليمي کال د 'يوه علمي اصطلاح {0} او مهاله نوم' {1} مخکې نه شتون لري. لطفا د دې زياتونې کې بدلون او بیا کوښښ وکړه.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}",لکه {0} توکی په وړاندې د موجودو معاملو شته دي، تاسو نه شي کولای د ارزښت د بدلون {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}",لکه {0} توکی په وړاندې د موجودو معاملو شته دي، تاسو نه شي کولای د ارزښت د بدلون {1}
DocType: UOM,Must be Whole Number,باید ټول شمېر وي
DocType: Leave Control Panel,New Leaves Allocated (In Days),نوې پاڼې د تخصيص (په ورځې)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,شعبه {0} نه شته
@@ -2814,6 +2831,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,صورتحساب شمېر
DocType: Shopping Cart Settings,Orders,امر کړی
DocType: Employee Leave Approver,Leave Approver,Approver ووځي
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,مهرباني وکړئ داځکه انتخاب
DocType: Assessment Group,Assessment Group Name,د ارزونې ډلې نوم
DocType: Manufacturing Settings,Material Transferred for Manufacture,د جوړون مواد سپارل
DocType: Expense Claim,"A user with ""Expense Approver"" role",A د "اخراجاتو Approver" رول د کارونکي عکس
@@ -2823,9 +2841,10 @@
DocType: Target Detail,Target Detail,هدف تفصیلي
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,ټول
DocType: Sales Order,% of materials billed against this Sales Order,٪ د توکو د خرڅلاو د دې نظم په وړاندې د بلونو د
+DocType: Program Enrollment,Mode of Transportation,د ترانسپورت اکر
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,د دورې په تړلو انفاذ
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,د موجوده معاملو لګښت مرکز ته ډلې بدل نه شي
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},مقدار د {0} د {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},مقدار د {0} د {1} {2} {3}
DocType: Account,Depreciation,د استهالک
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),عرضه (s)
DocType: Employee Attendance Tool,Employee Attendance Tool,د کارګر د حاضرۍ اوزار
@@ -2833,7 +2852,7 @@
DocType: Supplier,Credit Limit,پورونو د حد
DocType: Production Plan Sales Order,Salse Order Date,Salse نظم نېټه
DocType: Salary Component,Salary Component,معاش برخه
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,د پیسو توکي {0} دي un-سره تړاو لري
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,د پیسو توکي {0} دي un-سره تړاو لري
DocType: GL Entry,Voucher No,کوپون نه
,Lead Owner Efficiency,مشري خاوند موثريت
,Lead Owner Efficiency,مشري خاوند موثريت
@@ -2845,11 +2864,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,د شرایطو یا د قرارداد په کينډۍ.
DocType: Purchase Invoice,Address and Contact,پته او تماس
DocType: Cheque Print Template,Is Account Payable,آیا د حساب د راتلوونکې
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},دحمل رانيول رسيد وړاندې تازه نه شي {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},دحمل رانيول رسيد وړاندې تازه نه شي {0}
DocType: Supplier,Last Day of the Next Month,د د راتلونکې میاشتې په وروستۍ ورځ
DocType: Support Settings,Auto close Issue after 7 days,د موټرونو 7 ورځې وروسته له نږدې Issue
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",تر وتلو وړاندې نه شي کولای ځانګړي شي {0} په توګه رخصت انډول لا شوي دي انتقال-استولې چې په راتلونکي کې رخصت تخصيص ریکارډ {1}
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),نوټ: له کبله / ماخذ نېټه له خوا د {0} په ورځ اجازه مشتريانو د پورونو ورځو څخه زيات (s)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),نوټ: له کبله / ماخذ نېټه له خوا د {0} په ورځ اجازه مشتريانو د پورونو ورځو څخه زيات (s)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,د زده کوونکو د غوښتنليک
DocType: Asset Category Account,Accumulated Depreciation Account,د استهلاک د حساب
DocType: Stock Settings,Freeze Stock Entries,د يخبندان دحمل توکي
@@ -2858,36 +2877,36 @@
DocType: Activity Cost,Billing Rate,د بیلونو په کچه
,Qty to Deliver,Qty ته تحویل
,Stock Analytics,دحمل Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,عملیاتو په خالي نه شي پاتې کېدای
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,عملیاتو په خالي نه شي پاتې کېدای
DocType: Maintenance Visit Purpose,Against Document Detail No,په وړاندې د سند جزییات نشته
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,ګوند ډول فرض ده
DocType: Quality Inspection,Outgoing,د تېرې
DocType: Material Request,Requested For,غوښتنه د
DocType: Quotation Item,Against Doctype,په وړاندې د Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} د {1} ده لغوه یا تړل
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} د {1} ده لغوه یا تړل
DocType: Delivery Note,Track this Delivery Note against any Project,هر ډول د پروژې پر وړاندې د دې د سپارنې يادونه وڅارئ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,له پانګه اچونه خالص د نغدو
-,Is Primary Address,ده لومړنۍ پته
DocType: Production Order,Work-in-Progress Warehouse,کار-in-پرمختګ ګدام
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,د شتمنیو د {0} بايد وسپارل شي
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},د حاضرۍ دثبت {0} شتون د زده کوونکو پر وړاندې د {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},د حاضرۍ دثبت {0} شتون د زده کوونکو پر وړاندې د {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},ماخذ # {0} د میاشتې په {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,د استهالک له امله د شتمنيو د شنډولو څخه ویستل کیږي
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Manage Addresses
DocType: Asset,Item Code,د قالب کوډ
DocType: Production Planning Tool,Create Production Orders,تولید امر جوړول
DocType: Serial No,Warranty / AMC Details,ګرنټی / AMC نورولوله
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,د فعالیت پر بنسټ د ګروپ لپاره د انتخاب کوونکو لاسي
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,د فعالیت پر بنسټ د ګروپ لپاره د انتخاب کوونکو لاسي
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,د فعالیت پر بنسټ د ګروپ لپاره د انتخاب کوونکو لاسي
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,د فعالیت پر بنسټ د ګروپ لپاره د انتخاب کوونکو لاسي
DocType: Journal Entry,User Remark,کارن تبصره
DocType: Lead,Market Segment,بازار برخه
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},ورکړل مقدار نه شي کولای ټولو منفي بيالنس مقدار څخه ډيره وي {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},ورکړل مقدار نه شي کولای ټولو منفي بيالنس مقدار څخه ډيره وي {0}
DocType: Employee Internal Work History,Employee Internal Work History,د کارګر کورني کار تاریخ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),تړل د (ډاکټر)
DocType: Cheque Print Template,Cheque Size,آرډر اندازه
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,شعبه {0} په ګدام کې نه
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,د معاملو د پلورلو د مالياتو کېنډۍ.
DocType: Sales Invoice,Write Off Outstanding Amount,ولیکئ پړاو وتلي مقدار
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},حساب {0} سره شرکت سره سمون نه خوري {1}
DocType: School Settings,Current Academic Year,د روان تعليمي کال د
DocType: School Settings,Current Academic Year,د روان تعليمي کال د
DocType: Stock Settings,Default Stock UOM,Default دحمل UOM
@@ -2903,27 +2922,27 @@
DocType: Asset,Double Declining Balance,Double کموالی بیلانس
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,د تړلو امر لغوه نه شي. Unclose لغوه.
DocType: Student Guardian,Father,پلار
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'تازه سټاک لپاره ثابته شتمني خرڅلاو نه وکتل شي
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'تازه سټاک لپاره ثابته شتمني خرڅلاو نه وکتل شي
DocType: Bank Reconciliation,Bank Reconciliation,بانک پخلاينې
DocType: Attendance,On Leave,په اړه چې رخصت
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,ترلاسه تازه خبرونه
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} د {1}: Account {2} کوي چې د دې شرکت سره تړاو نه لري {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,د موادو غوښتنه {0} دی لغوه یا ودرول
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,نمونه اسنادو يو څو ورزیات کړئ
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,نمونه اسنادو يو څو ورزیات کړئ
apps/erpnext/erpnext/config/hr.py +301,Leave Management,د مدیریت څخه ووځي
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,له خوا د حساب ګروپ
DocType: Sales Order,Fully Delivered,په بشپړه توګه وسپارل شول
DocType: Lead,Lower Income,ولسي عايداتو
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},سرچینه او هدف ګودام نه شي لپاره چي په کتارونو ورته وي {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},سرچینه او هدف ګودام نه شي لپاره چي په کتارونو ورته وي {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",توپير حساب باید یو د شتمنیو / Liability ډول په پام کې وي، ځکه په دې کې دحمل پخلاينې يو پرانیستل انفاذ دی
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},ورکړل شوي مقدار نه شي کولای د پور مقدار زیات وي {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},نظم لپاره د قالب اړتیا پیري {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,تولید نظم نه جوړ
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},نظم لپاره د قالب اړتیا پیري {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,تولید نظم نه جوړ
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','له نېټه باید وروسته' ته د نېټه وي
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},آیا په توګه د زده کوونکو حالت بدل نه {0} کې د زده کوونکو د غوښتنلیک سره تړاو دی {1}
DocType: Asset,Fully Depreciated,په بشپړه توګه راکم شو
,Stock Projected Qty,دحمل وړاندوینی Qty
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},پيرودونکو {0} نه تړاو نه لري د پروژې د {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},پيرودونکو {0} نه تړاو نه لري د پروژې د {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,د پام وړ د حاضرۍ د HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",د داوطلبۍ دي وړانديزونه، د داوطلبۍ د خپل مشتريان تاسو ته ليږلي دي
DocType: Sales Order,Customer's Purchase Order,پيرودونکو د اخستلو امر
@@ -2932,8 +2951,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,د ارزونې معیارونه په لسګونو Sum ته اړتيا لري د {0} وي.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,مهرباني وکړئ ټاکل د Depreciations شمېر بک
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,ارزښت او يا د Qty
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Productions امر لپاره نه شي مطرح شي:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,دقیقه
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions امر لپاره نه شي مطرح شي:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,دقیقه
DocType: Purchase Invoice,Purchase Taxes and Charges,مالیات او په تور پیري
,Qty to Receive,Qty له لاسه
DocType: Leave Block List,Leave Block List Allowed,پريږدئ بالک بشپړفهرست اجازه
@@ -2941,25 +2960,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},د وسایطو ننوتنه اخراجاتو ادعا {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,تخفیف (٪) د بیې په لېست کې و ارزوئ سره څنډی
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,تخفیف (٪) د بیې په لېست کې و ارزوئ سره څنډی
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,ټول Warehouses
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,ټول Warehouses
DocType: Sales Partner,Retailer,پرچون
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,د حساب د پور باید د موازنې د پاڼه په پام کې وي
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,د حساب د پور باید د موازنې د پاڼه په پام کې وي
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,ټول عرضه ډولونه
DocType: Global Defaults,Disable In Words,نافعال په وييکي
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,د قالب کوډ لازمي ده، ځکه د قالب په اتوماتيک ډول شمېر نه
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,د قالب کوډ لازمي ده، ځکه د قالب په اتوماتيک ډول شمېر نه
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},د داوطلبۍ {0} نه د ډول {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,د ساتنې او مهال ویش د قالب
DocType: Sales Order,% Delivered,٪ تحویلوونکی
DocType: Production Order,PRO-,پلوه
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,بانک قرضې اکانټ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,بانک قرضې اکانټ
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,معاش ټوټه د کمکیانو لپاره
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,د کتارونو تر # {0}: ځانګړې شوې مقدار نه بيالنس اندازه په پرتله زیات وي.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,کتنه د هیښ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,خوندي پور
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,خوندي پور
DocType: Purchase Invoice,Edit Posting Date and Time,سمول نوکرې نېټه او وخت
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},لطفا په شتمنیو کټه ګورۍ {0} یا د شرکت د استهالک اړوند حسابونه جوړ {1}
DocType: Academic Term,Academic Year,تعلیمي کال
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,د پرانستلو په انډول مساوات
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,د پرانستلو په انډول مساوات
DocType: Lead,CRM,دمراسمو
DocType: Appraisal,Appraisal,قيمت
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},ليک ته د عرضه کوونکي ته استول {0}
@@ -2975,7 +2994,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,رول تصویب نه شي کولای ورته په توګه رول د واکمنۍ ته د تطبیق وړ وي
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,له دې ليک Digest وباسو
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,پيغام ته وليږدول شوه
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,سره د ماشومانو د غوټو حساب نه په توګه د پنډو جوړ شي
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,سره د ماشومانو د غوټو حساب نه په توګه د پنډو جوړ شي
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,په ميزان کي د بیو د لست د اسعارو ده چې د مشتريانو د اډې اسعارو بدل
DocType: Purchase Invoice Item,Net Amount (Company Currency),خالص مقدار (شرکت د اسعارو)
@@ -3010,7 +3029,7 @@
DocType: Expense Claim,Approval Status,تصویب حالت
DocType: Hub Settings,Publish Items to Hub,تر مرکزي توکی د خپرېدو
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},له ارزښت باید په پرتله د ارزښت په قطار کمه وي {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,تار بدلول
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,تار بدلول
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,ټول وګوره
DocType: Vehicle Log,Invoice Ref,صورتحساب ګروف
DocType: Purchase Order,Recurring Order,راګرځېدل نظم
@@ -3023,19 +3042,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,بانکداري او د پیسو ورکړه
,Welcome to ERPNext,ته ERPNext ته ښه راغلاست
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,ته د داوطلبۍ سوق
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,هیڅ مطلب ته وښيي.
DocType: Lead,From Customer,له پيرودونکو
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,غږ
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,غږ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,دستو
DocType: Project,Total Costing Amount (via Time Logs),Total لګښت مقدار (له لارې د وخت کندي)
DocType: Purchase Order Item Supplied,Stock UOM,دحمل UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,پیري نظم {0} نه سپارل
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,پیري نظم {0} نه سپارل
DocType: Customs Tariff Number,Tariff Number,د تعرفې شمیره
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,وړاندوینی
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},شعبه {0} نه ګدام سره تړاو نه لري {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,يادونه: د سیستم به وګورئ نه د رسولو او د-پرواز لپاره د قالب {0} په توګه مقدار يا اندازه ده 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,يادونه: د سیستم به وګورئ نه د رسولو او د-پرواز لپاره د قالب {0} په توګه مقدار يا اندازه ده 0
DocType: Notification Control,Quotation Message,د داوطلبۍ پيغام
DocType: Employee Loan,Employee Loan Application,د کارګر د پور کاریال
DocType: Issue,Opening Date,د پرانستلو نېټه
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,د حاضرۍ په بریالیتوب سره په نښه شوي دي.
+DocType: Program Enrollment,Public Transport,د عامه ترانسپورت
DocType: Journal Entry,Remark,تبصره
DocType: Purchase Receipt Item,Rate and Amount,اندازه او مقدار
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},ګڼون په ډول د {0} بايد د {1}
@@ -3043,32 +3065,32 @@
DocType: School Settings,Current Academic Term,اوسنۍ علمي مهاله
DocType: School Settings,Current Academic Term,اوسنۍ علمي مهاله
DocType: Sales Order,Not Billed,نه محاسبې ته
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,دواړه ګدام بايد د همدې شرکت پورې اړه لري
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,نه تماسونه زياته کړه تر اوسه.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,دواړه ګدام بايد د همدې شرکت پورې اړه لري
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,نه تماسونه زياته کړه تر اوسه.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,تيرماښام لګښت ګټمنو مقدار
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,بلونه له خوا عرضه راپورته کړې.
DocType: POS Profile,Write Off Account,حساب ولیکئ پړاو
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,ډیبیټ یادونه نننیو
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,تخفیف مقدار
DocType: Purchase Invoice,Return Against Purchase Invoice,بېرته پر وړاندې رانيول صورتحساب
DocType: Item,Warranty Period (in days),ګرنټی د دورې (په ورځو)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,سره د اړیکو Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,سره د اړیکو Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,له عملیاتو خالص د نغدو
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,د بيلګې په توګه VAT
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,د بيلګې په توګه VAT
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,د قالب 4
DocType: Student Admission,Admission End Date,د شاملیدو د پای نیټه
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,فرعي قرارداد
DocType: Journal Entry Account,Journal Entry Account,ژورنال انفاذ اکانټ
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,د زده کونکو د ګروپ
DocType: Shopping Cart Settings,Quotation Series,د داوطلبۍ لړۍ
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item",توکی سره د ورته نوم شتون لري ({0})، لطفا د توکي ډلې نوم بدل کړي او يا د جنس نوم بدلولی شی
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,لطفا د مشتريانو د ټاکلو
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item",توکی سره د ورته نوم شتون لري ({0})، لطفا د توکي ډلې نوم بدل کړي او يا د جنس نوم بدلولی شی
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,لطفا د مشتريانو د ټاکلو
DocType: C-Form,I,زه
DocType: Company,Asset Depreciation Cost Center,د شتمنيو د استهالک لګښت مرکز
DocType: Sales Order Item,Sales Order Date,خرڅلاو نظم نېټه
DocType: Sales Invoice Item,Delivered Qty,تحویلوونکی Qty
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.",که وکتل، د هر تولید توکي د ټولو ماشومانو به په مادي غوښتنې شامل شي.
DocType: Assessment Plan,Assessment Plan,د ارزونې پلان
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,ګدام {0}: کمپني فرض ده
DocType: Stock Settings,Limit Percent,حد سلنه
,Payment Period Based On Invoice Date,د پیسو د دورې پر بنسټ د صورتحساب نېټه
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},د ورکو پیسو د بدلولو د نرخونو او {0}
@@ -3080,7 +3102,7 @@
DocType: Vehicle,Insurance Details,د بیمې په بشپړه توګه کتل
DocType: Account,Payable,د تادیې وړ
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,لطفا د پور بيرته پړاوونه داخل
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),پوروړو ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),پوروړو ({0})
DocType: Pricing Rule,Margin,څنډی
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,نوي پېرېدونکي
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,ټولټال ګټه ٪
@@ -3091,16 +3113,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,ګوند الزامی دی
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,موضوع نوم
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,تيروخت د خرڅالو او يا د خريداري يو باید وټاکل شي
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,د خپلې سوداګرۍ د ماهیت وټاکئ.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,تيروخت د خرڅالو او يا د خريداري يو باید وټاکل شي
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,د خپلې سوداګرۍ د ماهیت وټاکئ.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},د کتارونو تر # {0}: دوه ځلي په ماخذونه د ننوتلو {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,هلته عملیاتو په جوړولو سره کيږي.
DocType: Asset Movement,Source Warehouse,سرچینه ګدام
DocType: Installation Note,Installation Date,نصب او نېټه
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},د کتارونو تر # {0}: د شتمنیو د {1} نه شرکت سره تړاو نه لري {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},د کتارونو تر # {0}: د شتمنیو د {1} نه شرکت سره تړاو نه لري {2}
DocType: Employee,Confirmation Date,باوريينه نېټه
DocType: C-Form,Total Invoiced Amount,Total رسیدونو د مقدار
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Qty نه شي کولای Max Qty څخه ډيره وي
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Min Qty نه شي کولای Max Qty څخه ډيره وي
DocType: Account,Accumulated Depreciation,جمع د استهالک
DocType: Stock Entry,Customer or Supplier Details,پیرودونکي یا عرضه نورولوله
DocType: Employee Loan Application,Required by Date,د اړتیا له خوا نېټه
@@ -3121,22 +3143,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,میاشتنی ویش سلنه
DocType: Territory,Territory Targets,خاوره موخې
DocType: Delivery Note,Transporter Info,لېږدول پيژندنه
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},لطفا په شرکت default {0} جوړ {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},لطفا په شرکت default {0} جوړ {1}
DocType: Cheque Print Template,Starting position from top edge,د پیل څخه د پورتنی څنډې مقام
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,ورته عرضه کړې څو ځلې داخل شوي دي
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,د ناخالصه ګټه / له لاسه ورکول
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,پیري نظم قالب برابر شوي
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,د شرکت نوم نه شي کولای د شرکت وي
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,د شرکت نوم نه شي کولای د شرکت وي
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,د چاپي کينډۍ لیک مشرانو.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,د چاپي کينډۍ عنوانونه لکه فورمه صورتحساب.
DocType: Student Guardian,Student Guardian,د زده کونکو د ګارډین
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,سنجي ډول تورونه نه په توګه د ټوليزې په نښه کولای شي
DocType: POS Profile,Update Stock,تازه دحمل
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,عرضه> عرضه ډول
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,لپاره شیان ډول UOM به د ناسم (Total) خالص وزن ارزښت لامل شي. ډاډه کړئ چې د هر توکی خالص وزن په همدې UOM ده.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,هیښ Rate
DocType: Asset,Journal Entry for Scrap,د Scrap ژورنال انفاذ
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,لطفآ د سپارنې پرمهال يادونه توکي وباسي
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,ژورنال توکي {0} دي un-سره تړاو لري
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,ژورنال توکي {0} دي un-سره تړاو لري
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.",د ډول ایمیل، فون، چت، سفر، او داسې نور د ټولو مخابراتي ریکارډ
DocType: Manufacturer,Manufacturers used in Items,جوړونکو په توکي کارول
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,لطفا په شرکت پړاو پړاو لګښت مرکز یادونه
@@ -3185,34 +3208,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,عرضه کوونکي ته پيرودونکو برابروی
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# فورمه / د قالب / {0}) د ونډې څخه ده
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,بل نېټه بايد پست کوي نېټه څخه ډيره وي
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,خپرونه د ماليې راپرځيدو
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},له امله / ماخذ نېټه وروسته نه شي {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,خپرونه د ماليې راپرځيدو
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},له امله / ماخذ نېټه وروسته نه شي {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,په معلوماتو کې د وارداتو او صادراتو د
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it",دحمل زياتونې ګدام {0} په وړاندې شتون لري، نو تاسو نشی کولای د بيا ورکړی او یا د بدلون لپاره دا
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,نه زده کوونکي موندل
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,نه زده کوونکي موندل
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,صورتحساب نوکرې نېټه
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,وپلوري
DocType: Sales Invoice,Rounded Total,غونډ مونډ Total
DocType: Product Bundle,List items that form the package.,لست کې د اقلامو چې د بنډل جوړوي.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,سلنه تخصيص بايد مساوي له 100٪ وي
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,لطفا د ګوند په ټاکلو مخکې نوکرې نېټه وټاکئ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,لطفا د ګوند په ټاکلو مخکې نوکرې نېټه وټاکئ
DocType: Program Enrollment,School House,د ښوونځي ماڼۍ
DocType: Serial No,Out of AMC,د AMC له جملې څخه
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,لطفا د داوطلبۍ انتخاب
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,لطفا د داوطلبۍ انتخاب
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,لطفا د داوطلبۍ انتخاب
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,لطفا د داوطلبۍ انتخاب
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,د Depreciations بک شمېر نه شي کولای ټول د Depreciations شمېر څخه ډيره وي
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,د کمکیانو لپاره د ساتنې او سفر
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,لطفا د کارونکي چې د خرڅلاو ماسټر مدير {0} رول سره اړیکه
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,لطفا د کارونکي چې د خرڅلاو ماسټر مدير {0} رول سره اړیکه
DocType: Company,Default Cash Account,Default د نقدو پیسو حساب
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,شرکت (نه پيرودونکو يا عرضه) بادار.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,دا د دې د زده کوونکو د ګډون پر بنسټ
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,په هيڅ ډول زده کوونکي
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,په هيڅ ډول زده کوونکي
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,نور توکي یا علني بشپړه فورمه ورزیات کړئ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',لطفا 'د تمی د سپارلو نېټه'
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,د سپارنې پرمهال یاداښتونه {0} بايد بندول د دې خرڅلاو نظم مخکې لغوه شي
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,ورکړل اندازه + ولیکئ پړاو مقدار نه شي کولای په پرتله Grand Total ډيره وي
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,ورکړل اندازه + ولیکئ پړاو مقدار نه شي کولای په پرتله Grand Total ډيره وي
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} لپاره د قالب یو باوري دسته شمېر نه دی {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},نوټ: د اجازه ډول کافي رخصت توازن نه شته {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,ناسم GSTIN يا د ناثبت شویو NA وليکئ
DocType: Training Event,Seminar,سیمینار
DocType: Program Enrollment Fee,Program Enrollment Fee,پروګرام شمولیت فیس
DocType: Item,Supplier Items,عرضه سامان
@@ -3238,28 +3261,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,د قالب 3
DocType: Purchase Order,Customer Contact Email,پيرودونکو سره اړيکي دبرېښنا ليک
DocType: Warranty Claim,Item and Warranty Details,د قالب او ګرنټی نورولوله
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,شمیره code> توکی ګروپ> نښې
DocType: Sales Team,Contribution (%),بسپنه)٪ (
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,يادونه: د پیسو د داخلولو به راهیسې جوړ نه شي 'د نغدي او يا بانک حساب ته' نه مشخص
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,د پروګرام جبري کورسونه راوړي وټاکئ.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,د پروګرام جبري کورسونه راوړي وټاکئ.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,مسؤليتونه
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,مسؤليتونه
DocType: Expense Claim Account,Expense Claim Account,اخراجاتو ادعا اکانټ
DocType: Sales Person,Sales Person Name,خرڅلاو شخص نوم
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,مهرباني وکړی په جدول تيروخت 1 صورتحساب ته ننوځي
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,کارنان ورزیات کړئ
DocType: POS Item Group,Item Group,د قالب ګروپ
DocType: Item,Safety Stock,د خونديتوب دحمل
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,لپاره د کاري پرمختګ٪ نه شي کولای 100 څخه زيات وي.
DocType: Stock Reconciliation Item,Before reconciliation,مخکې له پخلاینې
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},د {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),مالیه او په تور د ورزیاتولو (شرکت د اسعارو)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,د قالب د مالياتو د کتارونو تر {0} بايد د ډول د مالياتو او يا د عايداتو او يا اخراجاتو یا Chargeable ګڼون لری
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,د قالب د مالياتو د کتارونو تر {0} بايد د ډول د مالياتو او يا د عايداتو او يا اخراجاتو یا Chargeable ګڼون لری
DocType: Sales Order,Partly Billed,خفيف د محاسبې
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,د قالب {0} بايد يوه ثابته شتمني د قالب وي
DocType: Item,Default BOM,default هیښ
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,مهرباني وکړئ د بيا ډول شرکت نوم د تایید
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Total وتلي نننیو
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,ډیبیټ يادونه مقدار
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,مهرباني وکړئ د بيا ډول شرکت نوم د تایید
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Total وتلي نننیو
DocType: Journal Entry,Printing Settings,د چاپونې امستنې
DocType: Sales Invoice,Include Payment (POS),شامل دي تاديه (دفرت)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Total ګزارې بايد مساوي Total پور وي. د توپير دی {0}
@@ -3273,16 +3293,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,په ګدام کښي:
DocType: Notification Control,Custom Message,د ګمرکونو پيغام
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,د پانګونې د بانکداري
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,د نغدي او يا بانک حساب د تادیاتو لپاره د ننوتلو کولو الزامی دی
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,د زده کوونکو پته
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,د زده کوونکو پته
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,د نغدي او يا بانک حساب د تادیاتو لپاره د ننوتلو کولو الزامی دی
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,لطفا د تشکیلاتو Setup له لارې د حاضرۍ لړۍ شمېر> شمیرې لړۍ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,د زده کوونکو پته
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,د زده کوونکو پته
DocType: Purchase Invoice,Price List Exchange Rate,د بیې په لېست د بدلولو نرخ
DocType: Purchase Invoice Item,Rate,Rate
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,intern
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,پته نوم
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,intern
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,پته نوم
DocType: Stock Entry,From BOM,له هیښ
DocType: Assessment Code,Assessment Code,ارزونه کوډ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,د اساسي
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,د اساسي
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,مخکې {0} دي کنګل دحمل معاملو
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',مهرباني وکړی د 'تولید مهال ویش' کیکاږۍ
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m",د بيلګې په توګه کيلوګرامه، واحد، وځيري، متر
@@ -3292,11 +3313,11 @@
DocType: Salary Slip,Salary Structure,معاش جوړښت
DocType: Account,Bank,بانک د
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,هوايي شرکت
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Issue مواد
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Issue مواد
DocType: Material Request Item,For Warehouse,د ګدام
DocType: Employee,Offer Date,وړاندیز نېټه
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Quotations
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,تاسو په نالیکي اکر کې دي. تاسو به ونه کړای شي تر هغه وخته چې د شبکې لري بيا راولېښئ.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,تاسو په نالیکي اکر کې دي. تاسو به ونه کړای شي تر هغه وخته چې د شبکې لري بيا راولېښئ.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,نه د زده کوونکو ډلو جوړ.
DocType: Purchase Invoice Item,Serial No,پر له پسې ګڼه
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,میاشتنی پور بيرته مقدار نه شي کولای د پور مقدار زیات شي
@@ -3304,8 +3325,8 @@
DocType: Purchase Invoice,Print Language,چاپ ژبه
DocType: Salary Slip,Total Working Hours,Total کاري ساعتونه
DocType: Stock Entry,Including items for sub assemblies,په شمول د فرعي شوراګانو لپاره شیان
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,وليکئ ارزښت باید مثبتې وي
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,ټول سیمې
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,وليکئ ارزښت باید مثبتې وي
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,ټول سیمې
DocType: Purchase Invoice,Items,توکي
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,د زده کوونکو د مخکې شامل.
DocType: Fiscal Year,Year Name,کال نوم
@@ -3324,10 +3345,10 @@
DocType: Issue,Opening Time,د پرانستلو په وخت
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,څخه او د خرما اړتیا
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,امنيت & Commodity exchanges
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',د variant اندازه Default واحد '{0}' باید په کينډۍ ورته وي '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',د variant اندازه Default واحد '{0}' باید په کينډۍ ورته وي '{1}'
DocType: Shipping Rule,Calculate Based On,محاسبه په اساس
DocType: Delivery Note Item,From Warehouse,له ګدام
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,سره د توکو بیل نه توکي تولید
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,سره د توکو بیل نه توکي تولید
DocType: Assessment Plan,Supervisor Name,څارونکي نوم
DocType: Program Enrollment Course,Program Enrollment Course,پروګرام شمولیت کورس
DocType: Program Enrollment Course,Program Enrollment Course,پروګرام شمولیت کورس
@@ -3343,18 +3364,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'ورځو راهیسې تېر نظم' باید په پرتله لویه یا د صفر سره مساوي وي
DocType: Process Payroll,Payroll Frequency,د معاشونو د فریکونسۍ
DocType: Asset,Amended From,تعدیل له
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,خام توکي
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,خام توکي
DocType: Leave Application,Follow via Email,ایمیل له لارې تعقيب
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,د نباتاتو او ماشینونو
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,د نباتاتو او ماشینونو
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,د مالیې د مقدار کمښت مقدار وروسته
DocType: Daily Work Summary Settings,Daily Work Summary Settings,هره ورځ د کار لنډیز امستنې
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},د بیې د {0} لست د اسعارو د ټاکل شوې د اسعارو ورته نه دی {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},د بیې د {0} لست د اسعارو د ټاکل شوې د اسعارو ورته نه دی {1}
DocType: Payment Entry,Internal Transfer,کورني انتقال
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,د دې په پام کې د ماشومانو د حساب موجود دی. تاسو نه شي کولای دغه بانکی حساب د ړنګولو.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,د دې په پام کې د ماشومانو د حساب موجود دی. تاسو نه شي کولای دغه بانکی حساب د ړنګولو.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,يا هدف qty يا هدف اندازه فرض ده
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},نه default هیښ لپاره د قالب موجود {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},نه default هیښ لپاره د قالب موجود {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,مهرباني وکړئ لومړی انتخاب نوکرې نېټه
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,پرانيستل نېټه بايد تړل د نیټې څخه مخکې وي
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,لطفا جوړ د {0} Setup> امستنې له لارې> نومول لړۍ لړۍ نوم
DocType: Leave Control Panel,Carry Forward,مخ په وړاندې ترسره کړي
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,د موجوده معاملو لګښت مرکز بدل نه شي چې د پنډو
DocType: Department,Days for which Holidays are blocked for this department.,ورځو لپاره چې د رخصتۍ لپاره د دې ادارې تړل شوي دي.
@@ -3364,11 +3386,10 @@
DocType: Issue,Raised By (Email),راپورته By (Email)
DocType: Training Event,Trainer Name,د روزونکي نوم
DocType: Mode of Payment,General,جنرال
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,مل ليک
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,تېر مخابراتو
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,تېر مخابراتو
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',وضع نه شي کله چې وېشنيزه کې د 'ارزښت' یا د 'ارزښت او Total' دی
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",ستاسو د مالیه سرونه لست؛ د دوی د معياري کچه (د بيلګې په VAT، د ګمرکونو او نور نو بايد بې سارې نومونو لري) او. دا به د يوې معياري کېنډۍ، چې تاسو کولای شي د سمولو او وروسته اضافه رامنځته کړي.
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",ستاسو د مالیه سرونه لست؛ د دوی د معياري کچه (د بيلګې په VAT، د ګمرکونو او نور نو بايد بې سارې نومونو لري) او. دا به د يوې معياري کېنډۍ، چې تاسو کولای شي د سمولو او وروسته اضافه رامنځته کړي.
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},د Serialized د قالب سریال ترانسفارمرونو د مطلوب {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,سره صورتحساب لوبه د پیسو ورکړه
DocType: Journal Entry,Bank Entry,بانک د داخلولو
@@ -3377,16 +3398,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,کارټ ته یی اضافه کړه
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,ډله په
DocType: Guardian,Interests,د ګټو
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,فعال / معلول اسعارو.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,فعال / معلول اسعارو.
DocType: Production Planning Tool,Get Material Request,د موادو غوښتنه ترلاسه کړئ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,د پستي داخراجاتو
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,د پستي داخراجاتو
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Total (نننیو)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,ساعتېري & تفريح
DocType: Quality Inspection,Item Serial No,د قالب شعبه
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,کارکوونکی سوابق جوړول
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Total حاضر
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,د محاسبې څرګندونې
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,ساعت
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,ساعت
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,نوی شعبه نه شي ګدام لري. ګدام باید د سټاک انفاذ يا رانيول رسيد جوړ شي
DocType: Lead,Lead Type,سرب د ډول
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,تاسو اختيار نه لري چې پر بالک نیټی پاڼو تصویب
@@ -3398,6 +3419,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,د ځای ناستی وروسته د نوي هیښ
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,د دخرسون ټکی
DocType: Payment Entry,Received Amount,د مبلغ
+DocType: GST Settings,GSTIN Email Sent On,GSTIN برېښناليک لېږلو د
+DocType: Program Enrollment,Pick/Drop by Guardian,دپاک / خوا ګارډین 'خه
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order",د بشپړ مقدار جوړول، لا له وړاندي په موخه سترګې پټې کمیت
DocType: Account,Tax,د مالياتو
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,نه ولمانځل شوه
@@ -3411,7 +3434,7 @@
DocType: Batch,Source Document Name,سرچینه د سند نوم
DocType: Job Opening,Job Title,د دندې سرلیک
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,کارنان جوړول
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,ګرام
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,ګرام
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,مقدار تولید باید په پرتله 0 ډيره وي.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,د ساتنې غوښتنې ته راپور ته سفر وکړي.
DocType: Stock Entry,Update Rate and Availability,تازه Rate او پیدايښت
@@ -3419,7 +3442,7 @@
DocType: POS Customer Group,Customer Group,پيرودونکو ګروپ
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),نوي دسته تذکرو (اختیاري)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),نوي دسته تذکرو (اختیاري)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},اخراجاتو حساب لپاره توکی الزامی دی {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},اخراجاتو حساب لپاره توکی الزامی دی {0}
DocType: BOM,Website Description,وېب پاڼه Description
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,په مساوات خالص د بدلون
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,لطفا لغوه رانيول صورتحساب {0} په لومړي
@@ -3429,8 +3452,8 @@
,Sales Register,خرڅلاو د نوم ثبتول
DocType: Daily Work Summary Settings Company,Send Emails At,برېښناليک وليږئ کې
DocType: Quotation,Quotation Lost Reason,د داوطلبۍ ورک دلیل
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,ستاسو د Domain وټاکئ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},د راکړې ورکړې اشاره نه {0} د میاشتې په {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,ستاسو د Domain وټاکئ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},د راکړې ورکړې اشاره نه {0} د میاشتې په {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,هيڅ د سمولو لپاره شتون لري.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,لنډيز لپاره د دې مياشتې او په تمه فعالیتونو
DocType: Customer Group,Customer Group Name,پيرودونکو ډلې نوم
@@ -3438,14 +3461,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,نقدو پیسو د جریان اعلامیه
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},د پور مقدار نه شي کولای د اعظمي پور مقدار زیات {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,منښتليک
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},لطفا لرې دې صورتحساب {0} څخه C-فورمه {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},لطفا لرې دې صورتحساب {0} څخه C-فورمه {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,مهرباني غوره مخ په وړاندې ترسره کړي که تاسو هم غواړي چې عبارت دي د تېر مالي کال د توازن د دې مالي کال ته روان شو
DocType: GL Entry,Against Voucher Type,په وړاندې د ګټمنو ډول
DocType: Item,Attributes,صفات
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,لطفا حساب ولیکئ پړاو
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,لطفا حساب ولیکئ پړاو
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,تېره نظم نېټه
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},ګڼون {0} کوي شرکت ته نه پورې {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,په قطار {0} سریال شمیرې سره د سپارلو يادونه سره سمون نه خوري
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,په قطار {0} سریال شمیرې سره د سپارلو يادونه سره سمون نه خوري
DocType: Student,Guardian Details,د ګارډین په بشپړه توګه کتل
DocType: C-Form,C-Form,C-فورمه
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,د څو کارکوونکي مارک حاضريدل
@@ -3460,16 +3483,16 @@
DocType: Budget Account,Budget Amount,د بودجې د مقدار
DocType: Appraisal Template,Appraisal Template Title,ارزونې کينډۍ عنوان
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},له نېټه {0} د کارکوونکی د {1} مخکې د کارکوونکي د یوځای نېټه نه وي {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,سوداګریز
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,سوداګریز
DocType: Payment Entry,Account Paid To,حساب ته تحویلیږي.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,{0} د موروپلار د قالب باید یو دحمل د قالب نه وي
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,ټول محصولات او یا خدمتونه.
DocType: Expense Claim,More Details,نورولوله
DocType: Supplier Quotation,Supplier Address,عرضه پته
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} لپاره د حساب د بودجې د {1} په وړاندې د {2} {3} دی {4}. دا به د زیات {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',د کتارونو تر {0} # حساب بايد د ډول وي شتمن '
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,له جملې څخه Qty
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,اصول د يو خرڅلاو لپاره انتقال د مقدار دمحاسبې
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',د کتارونو تر {0} # حساب بايد د ډول وي شتمن '
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,له جملې څخه Qty
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,اصول د يو خرڅلاو لپاره انتقال د مقدار دمحاسبې
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,لړۍ الزامی دی
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,مالي خدمتونه
DocType: Student Sibling,Student ID,زده کوونکي د پیژندنې
@@ -3477,13 +3500,13 @@
DocType: Tax Rule,Sales,خرڅلاو
DocType: Stock Entry Detail,Basic Amount,اساسي مقدار
DocType: Training Event,Exam,ازموينه
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},ګدام لپاره سټاک د قالب اړتیا {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},ګدام لپاره سټاک د قالب اړتیا {0}
DocType: Leave Allocation,Unused leaves,ناکارېدلې پاڼي
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,CR
DocType: Tax Rule,Billing State,د بیلونو د بهرنیو چارو
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,د انتقال د
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} د {1} سره ګوند حساب تړاو نه {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),چاودنه هیښ (فرعي شوراګانو په ګډون) د راوړلو
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} د {1} سره ګوند حساب تړاو نه {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),چاودنه هیښ (فرعي شوراګانو په ګډون) د راوړلو
DocType: Authorization Rule,Applicable To (Employee),د تطبیق وړ د (کارکوونکی)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,له امله نېټه الزامی دی
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,د خاصې لپاره بهرمن {0} 0 نه شي
@@ -3511,7 +3534,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,لومړنیو توکو د قالب کوډ
DocType: Journal Entry,Write Off Based On,ولیکئ پړاو پر بنسټ
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,د کمکیانو لپاره د مشرتابه
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,چاپ او قرطاسيه
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,چاپ او قرطاسيه
DocType: Stock Settings,Show Barcode Field,انکړپټه ښودل Barcode ساحوي
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,عرضه برېښناليک وليږئ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",معاش لا د تر منځ د {0} او {1}، پريږدئ درخواست موده دې نېټې لړ تر منځ نه وي موده پروسس.
@@ -3519,14 +3542,16 @@
DocType: Guardian Interest,Guardian Interest,د ګارډین په زړه پوري
apps/erpnext/erpnext/config/hr.py +177,Training,د روزنې
DocType: Timesheet,Employee Detail,د کارګر تفصیلي
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 بريښناليک ID
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 بريښناليک ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 بريښناليک ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 بريښناليک ID
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,بل نېټه د ورځې او د مياشتې په ورځ تکرار بايد مساوي وي
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,د ویب پاڼه امستنې
DocType: Offer Letter,Awaiting Response,په تمه غبرګون
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,پورته
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,پورته
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},ناباوره ځانتیا د {0} د {1}
DocType: Supplier,Mention if non-standard payable account,یادونه که غیر معیاري د تادیې وړ حساب
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},ورته توکی دی څو ځله داخل شوي دي. {لست}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',لطفا د ارزونې په پرتله 'ټول ارزونه ډلو د نورو ګروپ غوره
DocType: Salary Slip,Earning & Deduction,وټې & Deduction
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,اختیاري. دا امستنې به په بېلا بېلو معاملو چاڼ وکارول شي.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,منفي ارزښت Rate اجازه نه وي
@@ -3540,9 +3565,9 @@
DocType: Sales Invoice,Product Bundle Help,د محصول د بنډل په مرسته
,Monthly Attendance Sheet,میاشتنی حاضرۍ پاڼه
DocType: Production Order Item,Production Order Item,تولید نظم قالب
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,څه شی پيدا نشول
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,څه شی پيدا نشول
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,د پرزه د شتمنیو د لګښت
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} د {1}: لګښت لپاره مرکز د قالب الزامی دی {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} د {1}: لګښت لپاره مرکز د قالب الزامی دی {2}
DocType: Vehicle,Policy No,د پالیسۍ نه
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,څخه د محصول د بنډل توکي ترلاسه کړئ
DocType: Asset,Straight Line,سیده کرښه
@@ -3551,7 +3576,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,وېشل شوى
DocType: GL Entry,Is Advance,ده پرمختللی
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,د حاضرۍ له تاريخ او د حاضرۍ ته د نېټه الزامی دی
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,لطفا 'د دې لپاره قرارداد' په توګه هو یا نه
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,لطفا 'د دې لپاره قرارداد' په توګه هو یا نه
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,تېر مخابراتو نېټه
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,تېر مخابراتو نېټه
DocType: Sales Team,Contact No.,د تماس شمیره
@@ -3580,60 +3605,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,د پرانستلو په ارزښت
DocType: Salary Detail,Formula,فورمول
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,سریال #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,د کمیسیون په خرڅلاو
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,د کمیسیون په خرڅلاو
DocType: Offer Letter Term,Value / Description,د ارزښت / Description
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",د کتارونو تر # {0}: د شتمنیو د {1} نه شي وړاندې شي، دا لا دی {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",د کتارونو تر # {0}: د شتمنیو د {1} نه شي وړاندې شي، دا لا دی {2}
DocType: Tax Rule,Billing Country,د بیلونو د هېواد
DocType: Purchase Order Item,Expected Delivery Date,د تمی د سپارلو نېټه
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,ډیبیټ او اعتبار د {0} # مساوي نه {1}. توپير دی {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,ساعتېري داخراجاتو
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,د موادو غوښتنه د کمکیانو لپاره د
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,ساعتېري داخراجاتو
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,د موادو غوښتنه د کمکیانو لپاره د
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},د پرانیستې شمیره {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,خرڅلاو صورتحساب {0} بايد لغوه شي بندول د دې خرڅلاو نظم مخکې
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,عمر
DocType: Sales Invoice Timesheet,Billing Amount,د بیلونو په مقدار
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,باطلې کمیت لپاره توکی مشخص {0}. مقدار باید په پرتله 0 ډيره وي.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,لپاره رخصت غوښتنلیکونه.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,سره د موجوده د راکړې ورکړې حساب نه ړنګ شي
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,سره د موجوده د راکړې ورکړې حساب نه ړنګ شي
DocType: Vehicle,Last Carbon Check,تېره کاربن Check
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,قانوني داخراجاتو
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,قانوني داخراجاتو
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,لطفا د قطار په کمیت وټاکي
DocType: Purchase Invoice,Posting Time,نوکرې وخت
DocType: Timesheet,% Amount Billed,٪ بیل د
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Telephone داخراجاتو
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Telephone داخراجاتو
DocType: Sales Partner,Logo,logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,وګورئ دا که تاسو غواړئ چې د کارونکي زور راوړي ترڅو د سپما لپاره مخکې له یو لړ ټاکي. هلته به نه default وي که چېرې تاسو د دې وګورئ.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},سره سریال نه نه د قالب {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},سره سریال نه نه د قالب {0}
DocType: Email Digest,Open Notifications,د پرانستې د خبرتیا
DocType: Payment Entry,Difference Amount (Company Currency),توپیر رقم (شرکت د اسعارو)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,مستقیم لګښتونه
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,مستقیم لګښتونه
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} په 'خبرتیا \ دبرېښنا ليک پته' د يو ناسم بريښناليک پته
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,نوي پېرېدونکي د عوایدو
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,د سفر لګښت
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,د سفر لګښت
DocType: Maintenance Visit,Breakdown,د ماشین یا د ګاډي ناڅاپه خرابېدل
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,ګڼون: {0} سره اسعارو: {1} غوره نه شي
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,ګڼون: {0} سره اسعارو: {1} غوره نه شي
DocType: Bank Reconciliation Detail,Cheque Date,آرډر نېټه
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},ګڼون {0}: Parent حساب {1} نه پورې شرکت نه لري چې: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},ګڼون {0}: Parent حساب {1} نه پورې شرکت نه لري چې: {2}
DocType: Program Enrollment Tool,Student Applicants,د زده کونکو د درخواست
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,په بریالیتوب سره د دې شرکت ته اړوند ټولو معاملو ړنګ!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,په بریالیتوب سره د دې شرکت ته اړوند ټولو معاملو ړنګ!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,په توګه د تاريخ
DocType: Appraisal,HR,د بشري حقونو څانګه
DocType: Program Enrollment,Enrollment Date,د شموليت نېټه
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,تعليقي
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,تعليقي
apps/erpnext/erpnext/config/hr.py +115,Salary Components,معاش د اجزاو
DocType: Program Enrollment Tool,New Academic Year,د نوي تعليمي کال د
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,بیرته / اعتبار يادونه
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,بیرته / اعتبار يادونه
DocType: Stock Settings,Auto insert Price List rate if missing,کړکېو کې درج د بیې په لېست کچه که ورک
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,ټولې ورکړل شوې پیسې د
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,ټولې ورکړل شوې پیسې د
DocType: Production Order Item,Transferred Qty,انتقال Qty
apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigating
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,د پلان
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,صادر شوی
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,د پلان
+DocType: Material Request,Issued,صادر شوی
DocType: Project,Total Billing Amount (via Time Logs),Total اولګښت مقدار (له لارې د وخت کندي)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,موږ د دې توکي وپلوري
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,عرضه Id
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,موږ د دې توکي وپلوري
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,عرضه Id
DocType: Payment Request,Payment Gateway Details,د پیسو ليدونکی نورولوله
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,مقدار باید په پرتله ډيره وي 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,مقدار باید په پرتله ډيره وي 0
DocType: Journal Entry,Cash Entry,د نغدو پیسو د داخلولو
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,د ماشومانو د غوټو يوازې ډله 'ډول غوټو لاندې جوړ شي
DocType: Leave Application,Half Day Date,نيمه ورځ نېټه
@@ -3645,14 +3671,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},لطفا په اخراجاتو ادعا ډول default ګڼون جوړ {0}
DocType: Assessment Result,Student Name,د زده کوونکو نوم
DocType: Brand,Item Manager,د قالب مدير
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,د معاشونو د راتلوونکې
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,د معاشونو د راتلوونکې
DocType: Buying Settings,Default Supplier Type,Default عرضه ډول
DocType: Production Order,Total Operating Cost,Total عملياتي لګښت
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,يادونه: د قالب {0} څو ځلې ننوتل
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,ټول د اړيکې.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,شرکت Abbreviation
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,شرکت Abbreviation
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,کارن {0} نه شته
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,خام مواد نشي کولای، ځکه اصلي قالب ورته وي
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,خام مواد نشي کولای، ځکه اصلي قالب ورته وي
DocType: Item Attribute Value,Abbreviation,لنډیزونه
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,د پیسو د داخلولو د مخکې نه شتون
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,نه authroized راهیسې {0} حدودو څخه تجاوز
@@ -3661,35 +3687,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,د سودا کراچۍ جوړ د مالياتو د حاکمیت
DocType: Purchase Invoice,Taxes and Charges Added,مالیه او په تور د ورزیاتولو
,Sales Funnel,خرڅلاو کیږدئ
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Abbreviation الزامی دی
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Abbreviation الزامی دی
DocType: Project,Task Progress,کاري پرمختګ
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,کراچۍ
,Qty to Transfer,Qty ته سپاري
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,ته د ياه یا پېرېدونکي له قوله.
DocType: Stock Settings,Role Allowed to edit frozen stock,رول اجازه کنګل سټاک د سمولو
,Territory Target Variance Item Group-Wise,خاوره د هدف وړ توپیر د قالب ګروپ تدبيراومصلحت
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,ټول پيرودونکو ډلې
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,ټول پيرودونکو ډلې
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,جمع میاشتنی
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} الزامی دی. ښايي د پیسو د بدلولو ریکارډ نه د {1} د {2} جوړ.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} الزامی دی. ښايي د پیسو د بدلولو ریکارډ نه د {1} د {2} جوړ.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,د مالياتو د کينډۍ الزامی دی.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,ګڼون {0}: Parent حساب {1} نه شته
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,ګڼون {0}: Parent حساب {1} نه شته
DocType: Purchase Invoice Item,Price List Rate (Company Currency),د بیې په لېست کچه (د شرکت د اسعارو)
DocType: Products Settings,Products Settings,محصوالت امستنې
DocType: Account,Temporary,لنډمهاله
DocType: Program,Courses,کورسونه
DocType: Monthly Distribution Percentage,Percentage Allocation,سلنه تخصيص
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,منشي
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,منشي
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",که ناتوان، 'په لفظ' ډګر به په هيڅ معامله د لیدو وړ وي
DocType: Serial No,Distinct unit of an Item,د يو قالب توپیر واحد
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,لطفا جوړ شرکت
DocType: Pricing Rule,Buying,د خريداري
DocType: HR Settings,Employee Records to be created by,د کارګر سوابق له خوا جوړ شي
DocType: POS Profile,Apply Discount On,Apply کمښت د
,Reqd By Date,Reqd By نېټه
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,پور
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,پور
DocType: Assessment Plan,Assessment Name,ارزونه نوم
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,د کتارونو تر # {0}: شعبه الزامی دی
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,د قالب تدبيراومصلحت سره د مالياتو د تفصیلي
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,انستیتوت Abbreviation
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,انستیتوت Abbreviation
,Item-wise Price List Rate,د قالب-هوښيار بیې په لېست کې و ارزوئ
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,عرضه کوونکي د داوطلبۍ
DocType: Quotation,In Words will be visible once you save the Quotation.,په کلیمو کې به د ليدو وړ وي. هر کله چې تاسو د داوطلبۍ وژغوري.
@@ -3697,14 +3724,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},مقدار ({0}) نه په قطار یوه برخه وي {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,فیس راټول
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Barcode {0} د مخه په قالب کارول {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barcode {0} د مخه په قالب کارول {1}
DocType: Lead,Add to calendar on this date,په دې نېټې جنتري ورزیات کړئ
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,د زياته کړه لېږد لګښتونه اصول.
DocType: Item,Opening Stock,پرانيستل دحمل
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,پيرودونکو ته اړتيا ده
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} د بیرته ستنیدلو لپاره جبري دی
DocType: Purchase Order,To Receive,تر لاسه
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,د شخصي ليک
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Total توپیر
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",که چېرې توانول شوی، دا سيستم به د محاسبې زياتونې لپاره د انبار په اتوماتيک ډول وروسته.
@@ -3715,13 +3741,14 @@
DocType: Customer,From Lead,له کوونکۍ
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,امر د تولید لپاره د خوشې شول.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,مالي کال لپاره وټاکه ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS د پېژندنې اړتيا ته POS انفاذ لپاره
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS د پېژندنې اړتيا ته POS انفاذ لپاره
DocType: Program Enrollment Tool,Enroll Students,زده کوونکي شامل کړي
DocType: Hub Settings,Name Token,نوم د نښې
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,معياري پلورل
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,تيروخت يو ګودام الزامی دی
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,تيروخت يو ګودام الزامی دی
DocType: Serial No,Out of Warranty,د ګرنټی له جملې څخه
DocType: BOM Replace Tool,Replace,ځاېناستول
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,نه محصولات وموندل.
DocType: Production Order,Unstopped,د ناخوښۍ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} خرڅلاو صورتحساب په وړاندې د {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3732,13 +3759,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,دحمل ارزښت بدلون
apps/erpnext/erpnext/config/learn.py +234,Human Resource,د بشري منابعو
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,قطعا د پخلاينې د پیسو
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,د مالياتو د جايدادونو د
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,د مالياتو د جايدادونو د
DocType: BOM Item,BOM No,هیښ نه
DocType: Instructor,INS/,ISP د /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,ژورنال انفاذ {0} نه په پام کې نه لري د {1} يا لا نه خوری نورو کوپون پر وړاندې د
DocType: Item,Moving Average,حرکت اوسط
DocType: BOM Replace Tool,The BOM which will be replaced,د هیښ چې به بدل شي
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,الکترونیکي وسایلو
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,الکترونیکي وسایلو
DocType: Account,Debit,ډیبیټ
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,پاڼي باید د 0.5 ګونی ځانګړي شي
DocType: Production Order,Operation Cost,د عملياتو لګښت
@@ -3746,7 +3773,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,بيالنس نننیو
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,ټولګې اهدافو د قالب ګروپ-هوښيار د دې خرڅلاو شخص.
DocType: Stock Settings,Freeze Stocks Older Than [Days],د يخبندان په ډیپو کې د زړو څخه [ورځې]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,د کتارونو تر # {0}: د شتمنیو لپاره ثابته شتمني د اخیستلو / خرڅلاو الزامی دی
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,د کتارونو تر # {0}: د شتمنیو لپاره ثابته شتمني د اخیستلو / خرڅلاو الزامی دی
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",که دوه يا زيات د بیې اصول دي د پورته شرايطو پر بنسټ وموندل شول، د لومړيتوب په توګه استعماليږي. د لومړیتوب دا دی چې 20 0 تر منځ د یو شمیر داسې حال کې تلواله ارزښت صفر ده (تش). د لوړو شمېر معنی چې که له هماغه حالت ته څو د بیو اصول شته دي دا به د لمړيتوب حق واخلي.
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,مالي کال: {0} نه شتون
DocType: Currency Exchange,To Currency,د پیسو د
@@ -3755,7 +3782,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},د پلورلو لپاره د توکی کچه {0} کمه ده چې د خپلو {1}. خرڅول کچه باید تيروخت {2}
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},د پلورلو لپاره د توکی کچه {0} کمه ده چې د خپلو {1}. خرڅول کچه باید تيروخت {2}
DocType: Item,Taxes,مالیات
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,ورکړل او نه تحویلوونکی
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,ورکړل او نه تحویلوونکی
DocType: Project,Default Cost Center,Default لګښت مرکز
DocType: Bank Guarantee,End Date,د پای نیټه
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,دحمل معاملې
@@ -3780,24 +3807,22 @@
DocType: Employee,Held On,جوړه
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,د توليد د قالب
,Employee Information,د کارګر معلومات
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),کچه)٪ (
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),کچه)٪ (
DocType: Stock Entry Detail,Additional Cost,اضافي لګښت
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,د مالي کال د پای نیټه
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",نه ګټمنو نه پر بنسټ کولای شي Filter، که ګروپ له خوا د ګټمنو
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,عرضه د داوطلبۍ د کمکیانو لپاره
DocType: Quality Inspection,Incoming,راتلونکي
DocType: BOM,Materials Required (Exploded),د توکو ته اړتیا ده (چاودنه)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself",کارنان ستاسو د سازمان په پرتله خپل ځان د نورو ورزیات کړئ،
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,نوکرې نېټه نه شي کولای راتلونکې نیټه وي.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},د کتارونو تر # {0}: شعبه {1} سره سمون نه خوري {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,واله ته لاړل
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,واله ته لاړل
DocType: Batch,Batch ID,دسته ID
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},یادونه: {0}
,Delivery Note Trends,د سپارنې پرمهال يادونه رجحانات
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,دا اونۍ د لنډيز
-,In Stock Qty,په سټاک Qty
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,په سټاک Qty
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,ګڼون: {0} يوازې دحمل معاملې له لارې تازه شي
-DocType: Program Enrollment,Get Courses,کورسونه ترلاسه کړئ
+DocType: Student Group Creation Tool,Get Courses,کورسونه ترلاسه کړئ
DocType: GL Entry,Party,ګوند
DocType: Sales Order,Delivery Date,د سپارنې نېټه
DocType: Opportunity,Opportunity Date,فرصت نېټه
@@ -3805,14 +3830,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,لپاره د داوطلبۍ د قالب غوښتنه
DocType: Purchase Order,To Bill,ته بیل
DocType: Material Request,% Ordered,٪ د سپارښتنې
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",د کورس پر بنسټ د زده کوونکو د ډلې، د کورس لپاره به په پروګرام شموليت شامل کورسونه هر زده کوونکو اعتبار ورکړ شي.
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date",وليکئ دبرېښنا ليک پته جلا له خوا commas، صورتحساب به په ځانګړې توګه نېټه په اتوماتيک ډول واستول شي
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Piecework
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Piecework
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Avg. د خريداري Rate
DocType: Task,Actual Time (in Hours),واقعي وخت (په ساعتونه)
DocType: Employee,History In Company,تاریخ په شرکت
apps/erpnext/erpnext/config/learn.py +107,Newsletters,خبرپا
DocType: Stock Ledger Entry,Stock Ledger Entry,دحمل د پنډو انفاذ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,پيرودونکو> پيرودونکو ګروپ> خاوره
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,ورته توکی دی څو ځله داخل شوي دي
DocType: Department,Leave Block List,پريږدئ بالک بشپړفهرست
DocType: Sales Invoice,Tax ID,د مالياتو د تذکرو
@@ -3827,30 +3852,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} د واحدونو {1} د {2} د دې معاملې د بشپړولو لپاره اړتيا لري.
DocType: Loan Type,Rate of Interest (%) Yearly,د ګټې کچه)٪ (کلنی
DocType: SMS Settings,SMS Settings,SMS امستنې
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,لنډمهاله حسابونه
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,تور
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,لنډمهاله حسابونه
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,تور
DocType: BOM Explosion Item,BOM Explosion Item,هیښ چاودنه د قالب
DocType: Account,Auditor,پلټونکي
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} توکو توليد
DocType: Cheque Print Template,Distance from top edge,له پورتنی څنډې فاصله
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,د بیې په لېست {0} معلول دی او یا موجود ندی
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,د بیې په لېست {0} معلول دی او یا موجود ندی
DocType: Purchase Invoice,Return,بیرته راتګ
DocType: Production Order Operation,Production Order Operation,تولید نظم عمليات
DocType: Pricing Rule,Disable,نافعال
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,د پیسو اکر ته اړتيا ده چې د پیسو لپاره
DocType: Project Task,Pending Review,انتظار کتنه
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} په دسته کې د ده شامل نه {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}",د شتمنیو د {0} نه پرزه شي، لکه څنګه چې د مخه د {1}
DocType: Task,Total Expense Claim (via Expense Claim),Total اخراجاتو ادعا (اخراجاتو ادعا له لارې)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,پيرودونکو Id
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,مارک حاضر
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},د کتارونو تر {0}: د هیښ # د اسعارو د {1} بايد مساوي د ټاکل اسعارو وي {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},د کتارونو تر {0}: د هیښ # د اسعارو د {1} بايد مساوي د ټاکل اسعارو وي {2}
DocType: Journal Entry Account,Exchange Rate,د بدلولو نرخ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,خرڅلاو نظم {0} نه سپارل
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,خرڅلاو نظم {0} نه سپارل
DocType: Homepage,Tag Line,Tag کرښې
DocType: Fee Component,Fee Component,فیس برخه
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,د بیړیو د مدیریت
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Add له توکي
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},ګدام {0}: Parent حساب {1} نه د شرکت ته نه bolong {2}
DocType: Cheque Print Template,Regular,منظم
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,د ټولو د ارزونې معیارونه ټول Weightage باید 100٪ شي
DocType: BOM,Last Purchase Rate,تېره رانيول Rate
@@ -3859,11 +3883,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,سټاک لپاره د قالب نه شته کولای {0} راهیسې د بېرغونو لري
,Sales Person-wise Transaction Summary,خرڅلاو شخص-هوښيار معامالتو لنډيز
DocType: Training Event,Contact Number,د اړیکې شمیره
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,ګدام {0} نه شته
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,ګدام {0} نه شته
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,راجستر سيستم د ERPNext مرکز
DocType: Monthly Distribution,Monthly Distribution Percentages,میاشتنی ویش فيصدۍ
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,د ټاکل شوي توکي نه شي کولای دسته لري
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry",سنجي کچه د {0} د توکي، چې اړتيا ده چې د محاسبې د زياتونې نه موندل {1} {2}. که توکی په توګه په یوه نمونه توکی transacting د {1}، لطفا یادونه چې په {1} شمیره جدول. که نه نو، لطفا لپاره په سامان ریکارډ د توکی یا ذکر د ارزښت په کچه راتلونکي سټاک معامله جوړ کړي، او بیا هڅه submiting / دا ننوت فسخه
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry",سنجي کچه د {0} د توکي، چې اړتيا ده چې د محاسبې د زياتونې نه موندل {1} {2}. که توکی په توګه په یوه نمونه توکی transacting د {1}، لطفا یادونه چې په {1} شمیره جدول. که نه نو، لطفا لپاره په سامان ریکارډ د توکی یا ذکر د ارزښت په کچه راتلونکي سټاک معامله جوړ کړي، او بیا هڅه submiting / دا ننوت فسخه
DocType: Delivery Note,% of materials delivered against this Delivery Note,٪ د توکو د دې سپارنې يادونه وړاندې کولو
DocType: Project,Customer Details,پيرودونکو په بشپړه توګه کتل
DocType: Employee,Reports to,د راپورونو له
@@ -3871,24 +3895,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,د ترلاسه وځيري url عوامل وليکئ
DocType: Payment Entry,Paid Amount,ورکړل مقدار
DocType: Assessment Plan,Supervisor,څارونکي
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,په آنلاین توګه
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,په آنلاین توګه
,Available Stock for Packing Items,د ت توکي موجود دحمل
DocType: Item Variant,Item Variant,د قالب variant
DocType: Assessment Result Tool,Assessment Result Tool,د ارزونې د پایلو د اوزار
DocType: BOM Scrap Item,BOM Scrap Item,هیښ Scrap د قالب
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,ته وسپارل امر نه ړنګ شي
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",ګڼون بیلانس د مخه په ګزارې، تاسو ته د ټاکل 'بیلانس باید' په توګه اعتبار 'اجازه نه
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,د کیفیت د مدیریت
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,ته وسپارل امر نه ړنګ شي
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",ګڼون بیلانس د مخه په ګزارې، تاسو ته د ټاکل 'بیلانس باید' په توګه اعتبار 'اجازه نه
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,د کیفیت د مدیریت
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,{0} د قالب نافعال شوی دی
DocType: Employee Loan,Repay Fixed Amount per Period,هر دوره ثابته مقدار ورکول
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},لورينه وکړئ د قالب اندازه داخل {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,اعتبار يادونه نننیو
DocType: Employee External Work History,Employee External Work History,د کارګر د بهرنيو کار تاریخ
DocType: Tax Rule,Purchase,رانيول
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,توازن Qty
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,توازن Qty
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,موخې نه شي تش وي
DocType: Item Group,Parent Item Group,د موروپلار د قالب ګروپ
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} د {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,لګښت د مرکزونو
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,لګښت د مرکزونو
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,چې د عرضه کوونکي د پيسو کچه چې د شرکت د اډې اسعارو بدل
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},د کتارونو تر # {0}: د قطار تیارولو شخړو د {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,اجازه صفر ارزښت Rate
@@ -3896,17 +3921,18 @@
DocType: Training Event Employee,Invited,بلنه
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,څو فعال معاش جوړښت لپاره د ورکړل شوي خرما د {0} کارمند وموندل شول
DocType: Opportunity,Next Contact,بل سره اړيکي
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Setup ليدونکی حسابونو.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Setup ليدونکی حسابونو.
DocType: Employee,Employment Type,وظيفي نوع
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,ثابته شتمني
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,ثابته شتمني
DocType: Payment Entry,Set Exchange Gain / Loss,د ټاکلو په موخه د بدل لازمې / له لاسه ورکول
+,GST Purchase Register,GST رانيول د نوم ثبتول
,Cash Flow,نقدو پیسو د جریان
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,کاریال موده نه شي کولای په ټول دوه alocation اسناد وي
DocType: Item Group,Default Expense Account,Default اخراجاتو اکانټ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,د زده کونکو د ليک ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,د زده کونکو د ليک ID
DocType: Employee,Notice (days),خبرتیا (ورځې)
DocType: Tax Rule,Sales Tax Template,خرڅلاو د مالياتو د کينډۍ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,توکي چې د صورتحساب د ژغورلو وټاکئ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,توکي چې د صورتحساب د ژغورلو وټاکئ
DocType: Employee,Encashment Date,د ورکړې نېټه
DocType: Training Event,Internet,د انټرنېټ
DocType: Account,Stock Adjustment,دحمل اصلاحاتو
@@ -3935,7 +3961,7 @@
DocType: Guardian,Guardian Of ,ګارډین د
DocType: Grading Scale Interval,Threshold,حد
DocType: BOM Replace Tool,Current BOM,اوسني هیښ
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Add شعبه
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Add شعبه
apps/erpnext/erpnext/config/support.py +22,Warranty,ګرنټی
DocType: Purchase Invoice,Debit Note Issued,ډیبیټ يادونه خپور شوی
DocType: Production Order,Warehouses,Warehouses
@@ -3944,20 +3970,20 @@
DocType: Workstation,per hour,په يوه ګړۍ کې
apps/erpnext/erpnext/config/buying.py +7,Purchasing,د خريدارۍ د
DocType: Announcement,Announcement,اعلانونه
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,د ګودام (دايمي موجودي) حساب به د دې حساب له مخې جوړ شي.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,ګدام په توګه د دې ګودام سټاک د پنډو ننوتلو شتون نه ړنګ شي.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",د دسته پر بنسټ د زده کوونکو د ډلې، د زده کوونکو د سته به د پروګرام څخه د هر زده کوونکو اعتبار ورکړ شي.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,ګدام په توګه د دې ګودام سټاک د پنډو ننوتلو شتون نه ړنګ شي.
DocType: Company,Distribution,ویش
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,پيسې ورکړل شوې
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,پروژې سمبالګر
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,پروژې سمبالګر
,Quoted Item Comparison,له خولې د قالب پرتله
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,چلاونه د
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max تخفیف لپاره توکی اجازه: {0} دی {1}٪
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,چلاونه د
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max تخفیف لپاره توکی اجازه: {0} دی {1}٪
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,خالص د شتمنیو ارزښت په توګه د
DocType: Account,Receivable,ترلاسه
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,د کتارونو تر # {0}: نه، اجازه لري چې عرضه بدلون په توګه د اخستلو د امر د مخکې نه شتون
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,د کتارونو تر # {0}: نه، اجازه لري چې عرضه بدلون په توګه د اخستلو د امر د مخکې نه شتون
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,رول چې اجازه راکړه ورکړه چې د پور د حدودو ټاکل تجاوز ته وړاندې کړي.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,وړانديزونه وټاکئ جوړون
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time",د بادار د معلوماتو syncing، دا به يو څه وخت ونيسي
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,وړانديزونه وټاکئ جوړون
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time",د بادار د معلوماتو syncing، دا به يو څه وخت ونيسي
DocType: Item,Material Issue,مادي Issue
DocType: Hub Settings,Seller Description,پلورونکی Description
DocType: Employee Education,Qualification,وړتوب
@@ -3977,7 +4003,6 @@
DocType: BOM,Rate Of Materials Based On,کچه د موادو پر بنسټ
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,د ملاتړ Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,څلورڅنډی په ټولو
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},د شرکت په ګودامونو ورک دی {0}
DocType: POS Profile,Terms and Conditions,د قرارداد شرايط
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},ته نېټه بايد د مالي کال په چوکاټ کې وي. د نېټه فرض = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc",دلته تاسو د قد، وزن، الرجی، طبي اندېښنې او نور وساتي
@@ -3992,19 +4017,18 @@
DocType: Sales Order Item,For Production,د تولید
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,محتویات کاري
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,ستاسو د مالي کال د پیل په
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,د کارموندنۍ / مشري٪
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,د کارموندنۍ / مشري٪
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,د شتمنیو Depreciations او انډول.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},مقدار د {0} د {1} څخه انتقال {2} د {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},مقدار د {0} د {1} څخه انتقال {2} د {3}
DocType: Sales Invoice,Get Advances Received,ترلاسه کړئ پرمختګونه تر لاسه کړي
DocType: Email Digest,Add/Remove Recipients,Add / اخیستونکو کړئ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},د راکړې ورکړې ودرول تولید په وړاندې د نه اجازه نظم {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},د راکړې ورکړې ودرول تولید په وړاندې د نه اجازه نظم {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",د دې مالي کال په توګه (Default) جوړ، په 'د ټاکلو په توګه Default' کیکاږۍ
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,سره یو ځای شول
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,سره یو ځای شول
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,په کمښت کې Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,د قالب variant {0} سره ورته صفاتو شتون
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,د قالب variant {0} سره ورته صفاتو شتون
DocType: Employee Loan,Repay from Salary,له معاش ورکول
DocType: Leave Application,LAP/,دورو /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},د غوښتنې په وړاندې د پیسو {0} د {1} لپاره د اندازه {2}
@@ -4015,34 +4039,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.",بسته بنديو ټوټه تولید لپاره د بستې ته تحویلیږي. لپاره کارول کيږي چې بسته شمېر، بسته کړی او د هغې د وزن خبر ورکړي.
DocType: Sales Invoice Item,Sales Order Item,خرڅلاو نظم قالب
DocType: Salary Slip,Payment Days,د پیسو ورځې
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,سره د ماشومانو د غوټو ګودامونه بدل نه شي چې د پنډو
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,سره د ماشومانو د غوټو ګودامونه بدل نه شي چې د پنډو
DocType: BOM,Manage cost of operations,اداره د عملیاتو لګښت
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.",کله چې د چک معاملو کوم "ته وسپارل"، يو بريښناليک Pop-up په اتوماتيک ډول پرانستل شو تر څو چې د راکړې ورکړې د تړاو "تماس" په بريښنالیک کې واستوي، سره د مل په توګه د راکړې ورکړې. د کارونکي وی ممکن د برېښليک نه واستوي.
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Global امستنې
DocType: Assessment Result Detail,Assessment Result Detail,د ارزونې د پایلو د تفصیلي
DocType: Employee Education,Employee Education,د کارګر ښوونه
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,دوه ګونو توکی ډلې په توکی ډلې جدول کې وموندل
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,دا ته اړتيا ده، د قالب نورولوله راوړي.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,دا ته اړتيا ده، د قالب نورولوله راوړي.
DocType: Salary Slip,Net Pay,خالص د معاشونو
DocType: Account,Account,ګڼون
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,شعبه {0} لا ترلاسه شوي دي
,Requested Items To Be Transferred,غوښتنه سامان ته انتقال شي
DocType: Expense Claim,Vehicle Log,موټر ننوتنه
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.",ګدام {0} دی چې د هر حساب سره اړيکي نه لري، نو مهرباني رامنځته / د ګدام د استازیتوب د (د شتمنیو د) حساب سره تړنې لري.
DocType: Purchase Invoice,Recurring Id,راګرځېدل Id
DocType: Customer,Sales Team Details,خرڅلاو ټيم په بشپړه توګه کتل
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,د تل لپاره ړنګ کړئ؟
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,د تل لپاره ړنګ کړئ؟
DocType: Expense Claim,Total Claimed Amount,Total ادعا مقدار
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,د پلورلو د بالقوه فرصتونو.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},باطلې {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,ناروغ ته لاړل
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},باطلې {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,ناروغ ته لاړل
DocType: Email Digest,Email Digest,Email Digest
DocType: Delivery Note,Billing Address Name,د بیلونو په پته نوم
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,مغازو
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Setup په ERPNext ستاسو په ښوونځي
DocType: Sales Invoice,Base Change Amount (Company Currency),اډه د بدلون مقدار (شرکت د اسعارو)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,د لاندې زېرمتونونه د محاسبې نه زياتونې
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,د لاندې زېرمتونونه د محاسبې نه زياتونې
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,لومړی سند وژغورۍ.
DocType: Account,Chargeable,Chargeable
DocType: Company,Change Abbreviation,د بدلون Abbreviation
@@ -4060,7 +4083,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,د تمی د سپارلو نېټه مخکې د اخستلو امر نېټه نه شي
DocType: Appraisal,Appraisal Template,ارزونې کينډۍ
DocType: Item Group,Item Classification,د قالب طبقه
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,کاروبار انکشاف مدير
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,کاروبار انکشاف مدير
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,د ساتنې سفر هدف
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,د دورې
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,له بلونو
@@ -4070,8 +4093,8 @@
DocType: Item Attribute Value,Attribute Value,منسوب ارزښت
,Itemwise Recommended Reorder Level,نورتسهیالت وړانديز شوي ترمیمي د ليول
DocType: Salary Detail,Salary Detail,معاش تفصیلي
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,مهرباني غوره {0} په لومړي
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,دسته {0} د قالب {1} تېر شوی دی.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,مهرباني غوره {0} په لومړي
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,دسته {0} د قالب {1} تېر شوی دی.
DocType: Sales Invoice,Commission,کمیسیون
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,د تولید د وخت پاڼه.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,پاسنۍ
@@ -4082,6 +4105,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`د يخبندان په ډیپو کې د زړو Than` بايد٪ d ورځو په پرتله کوچنی وي.
DocType: Tax Rule,Purchase Tax Template,پیري د مالياتو د کينډۍ
,Project wise Stock Tracking,د پروژې هوښيار دحمل څارلو
+DocType: GST HSN Code,Regional,سیمه
DocType: Stock Entry Detail,Actual Qty (at source/target),واقعي Qty (په سرچينه / هدف)
DocType: Item Customer Detail,Ref Code,دسرچینی یادونه کوډ
apps/erpnext/erpnext/config/hr.py +12,Employee records.,د کارګر اسناد.
@@ -4092,13 +4116,13 @@
DocType: Email Digest,New Purchase Orders,نوي رانيول امر
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,د ريښو نه شي کولای د يو مور او لګښت مرکز لری
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,انتخاب دتوليد ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,د روزنې فعاليتونه / پایلې
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,جمع د استهالک په توګه د
DocType: Sales Invoice,C-Form Applicable,C-فورمه د تطبیق وړ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},د وخت عمليات بايد د عملياتو 0 څخه ډيره وي {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,ګدام الزامی دی
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,ګدام الزامی دی
DocType: Supplier,Address and Contacts,پته او اړیکې
DocType: UOM Conversion Detail,UOM Conversion Detail,UOM اړونه تفصیلي
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),له خوا 100px (w) وېب دوستانه 900px وساتي دا (h)
DocType: Program,Program Abbreviation,پروګرام Abbreviation
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,يو قالب کينډۍ پر وړاندې د تولید نظم نه راپورته شي
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,په تور د هري برخي په وړاندې په رانيول رسيد تازه دي
@@ -4106,13 +4130,13 @@
DocType: Bank Guarantee,Start Date,پیل نېټه
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,د يوې مودې لپاره پاڼي تخصيص.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Cheques او سپما په ناسم ډول پاکه
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,ګڼون {0}: تاسو نه شي کولاي ځان د مور او پلار په پام کې وګماری
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,ګڼون {0}: تاسو نه شي کولاي ځان د مور او پلار په پام کې وګماری
DocType: Purchase Invoice Item,Price List Rate,د بیې په لېست Rate
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,د پېرېدونکو يادي جوړول
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",وښیه "په سټاک" يا "نه په سټاک" پر بنسټ د ونډې په دې ګودام لپاره چمتو کېږي.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),د توکو Bill (هیښ)
DocType: Item,Average time taken by the supplier to deliver,د وخت اوسط د عرضه کوونکي له خوا اخيستل ته ورسوي
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,د ارزونې د پايلو
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,د ارزونې د پايلو
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,ساعتونه
DocType: Project,Expected Start Date,د تمی د پیل نیټه
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,توکی لرې که په تور د تطبیق وړ نه دی چې توکی
@@ -4126,25 +4150,24 @@
DocType: Workstation,Operating Costs,د عملیاتي لګښتونو
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,که کړنه جمع میاشتنی بودجې زیات شو
DocType: Purchase Invoice,Submit on creation,پر رامنځته سپارل
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},د اسعارو د {0} بايد د {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},د اسعارو د {0} بايد د {1}
DocType: Asset,Disposal Date,برطرف نېټه
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",برېښناليک به د ورکړل ساعت چې د شرکت د ټولو فعاله کارمندان واستول شي، که رخصتي نه لرو. د ځوابونو لنډیز به په نيمه شپه ته واستول شي.
DocType: Employee Leave Approver,Employee Leave Approver,د کارګر اجازه Approver
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},د کتارونو تر {0}: د نورو ترمیمي د ننوتلو مخکې د دې ګودام شتون {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},د کتارونو تر {0}: د نورو ترمیمي د ننوتلو مخکې د دې ګودام شتون {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.",په توګه له لاسه نه اعلان کولای، ځکه د داوطلبۍ شوی دی.
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,د زده کړې Feedback
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,تولید نظم {0} بايد وسپارل شي
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,تولید نظم {0} بايد وسپارل شي
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},مهرباني غوره لپاره د قالب د پیل نیټه او پای نیټه {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},د کورس په قطار الزامی دی {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,تر اوسه پورې ونه شي کولای له نېټې څخه مخکې وي
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Add / سمول نرخونه
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Add / سمول نرخونه
DocType: Batch,Parent Batch,د موروپلار دسته
DocType: Batch,Parent Batch,د موروپلار دسته
DocType: Cheque Print Template,Cheque Print Template,آرډر چاپ کينډۍ
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,د لګښت د مرکزونو چارت
,Requested Items To Be Ordered,غوښتل توکي چې د سپارښتنې شي
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,ګدام شرکت باید حساب شرکت په توګه ورته وي
DocType: Price List,Price List Name,د بیې په لېست نوم
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},هره ورځ د کار لنډیز د {0}
DocType: Employee Loan,Totals,مجموعه
@@ -4166,55 +4189,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,لطفا د اعتبار وړ ګرځنده ترانسفارمرونو د داخل
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,لطفا د استولو مخکې پیغام ته ننوځي
DocType: Email Digest,Pending Quotations,انتظار Quotations
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Point-of-خرڅول پېژندنه
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-خرڅول پېژندنه
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,لطفا SMS امستنې اوسمهالی
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,ضمانته پور
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,ضمانته پور
DocType: Cost Center,Cost Center Name,لګښت مرکز نوم
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Max کار ساعتونو Timesheet پر وړاندې د
DocType: Maintenance Schedule Detail,Scheduled Date,ټاکل شوې نېټه
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,ټولې ورکړل نننیو
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,ټولې ورکړل نننیو
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Messages په پرتله 160 تورو هماغه اندازه به په څو پېغامونه ویشل شي
DocType: Purchase Receipt Item,Received and Accepted,تر لاسه کړي او منل
+,GST Itemised Sales Register,GST مشخص کړل خرڅلاو د نوم ثبتول
,Serial No Service Contract Expiry,شعبه خدمتونو د قرارداد د پای
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,تاسې کولای شی نه اعتبار او په ورته وخت کې په همدې حساب ډیبیټ
DocType: Naming Series,Help HTML,مرسته د HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,د زده کونکو د ګروپ خلقت اسباب
DocType: Item,Variant Based On,variant پر بنسټ
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Total weightage ګمارل باید 100٪ شي. دا د {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,ستاسو د عرضه کوونکي
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,ستاسو د عرضه کوونکي
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,نه شي په توګه له السه په توګه خرڅلاو نظم جوړ شوی دی.
DocType: Request for Quotation Item,Supplier Part No,عرضه برخه نه
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',وضع نه شي کله چې وېشنيزه کې د 'ارزښت' یا د 'Vaulation او Total' دی
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,ترلاسه له
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,ترلاسه له
DocType: Lead,Converted,بدلوی
DocType: Item,Has Serial No,لري شعبه
DocType: Employee,Date of Issue,د صدور نېټه
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: د {0} د {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",لکه څنګه چې هر د خريداري امستنې که رانيول Reciept مطلوب ==: هو، بیا د رانيول صورتحساب د رامنځته کولو، د کارونکي باید رانيول رسيد لومړي لپاره توکی جوړ {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},د کتارونو تر # {0}: د جنس د ټاکلو په عرضه {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,د کتارونو تر {0}: ساعتونه ارزښت باید له صفر څخه زیات وي.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,وېب پاڼه Image {0} چې په قالب {1} وصل ونه موندل شي
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,وېب پاڼه Image {0} چې په قالب {1} وصل ونه موندل شي
DocType: Issue,Content Type,منځپانګه ډول
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,کمپيوټر
DocType: Item,List this Item in multiple groups on the website.,په د ويب پاڼې د څو ډلو د دې توکي لست کړئ.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,لطفا د اسعارو انتخاب څو له نورو اسعارو حسابونو اجازه وګورئ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,شمیره: {0} په سيستم کې نه شته
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,تاسو د ګنګل ارزښت جوړ واک نه دي
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,شمیره: {0} په سيستم کې نه شته
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,تاسو د ګنګل ارزښت جوړ واک نه دي
DocType: Payment Reconciliation,Get Unreconciled Entries,تطبیق توکي ترلاسه کړئ
DocType: Payment Reconciliation,From Invoice Date,له صورتحساب نېټه
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,د بلونو د اسعارو بايد مساوي يا default comapany د پيسو او يا د ګوند حساب اسعارو وي
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,په نقطو څخه ووځي
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,دا څه کوي؟
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,د بلونو د اسعارو بايد مساوي يا default comapany د پيسو او يا د ګوند حساب اسعارو وي
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,په نقطو څخه ووځي
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,دا څه کوي؟
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,ته ګدام
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,ټول د زده کوونکو د شمولیت
,Average Commission Rate,په اوسط ډول د کمیسیون Rate
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,'لري شعبه' د غیر سټاک توکی نه وي 'هو'
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'لري شعبه' د غیر سټاک توکی نه وي 'هو'
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,د حاضرۍ د راتلونکي لپاره د خرما نه په نښه شي
DocType: Pricing Rule,Pricing Rule Help,د بیې د حاکمیت مرسته
DocType: School House,House Name,ماڼۍ نوم
DocType: Purchase Taxes and Charges,Account Head,ګڼون مشر
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,اضافي لګښتونه د اوسمهالولو لپاره د توکو لګیدلي لګښت محاسبه
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,برق
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,برق
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,ستاسو د کاروونکو د خپل سازمان د پاتې کړئ. تاسو هم کولای شی چې ستاسو تانبه پېرېدونکي ته بلنه اضافه له خوا څخه د اړيکې شمېره زياته يې
DocType: Stock Entry,Total Value Difference (Out - In),Total ارزښت بدلون (له جملې څخه - په)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,د کتارونو تر {0}: د بدلولو نرخ الزامی دی
@@ -4224,7 +4249,7 @@
DocType: Item,Customer Code,پيرودونکو کوډ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},د کالیزې په ياد راولي {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,ورځو راهیسې تېر نظم
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,د حساب ډیبیټ باید د موازنې د پاڼه په پام کې وي
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,د حساب ډیبیټ باید د موازنې د پاڼه په پام کې وي
DocType: Buying Settings,Naming Series,نوم لړۍ
DocType: Leave Block List,Leave Block List Name,پريږدئ بالک بشپړفهرست نوم
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,د بيمې د پیل نیټه بايد د بيمې د پای نیټه په پرتله کمه وي
@@ -4239,27 +4264,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},د کارکوونکي معاش ټوټه {0} د مخه د وخت په پاڼه کې جوړ {1}
DocType: Vehicle Log,Odometer,Odometer
DocType: Sales Order Item,Ordered Qty,امر Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,د قالب {0} معلول دی
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,د قالب {0} معلول دی
DocType: Stock Settings,Stock Frozen Upto,دحمل ګنګل ترمړوندونو پورې
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,هیښ کوم سټاک توکی نه لري
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,هیښ کوم سټاک توکی نه لري
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},دوره او د د دورې ته د خرما د تکراري اجباري {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,د پروژې د فعاليت / دنده.
DocType: Vehicle Log,Refuelling Details,Refuelling نورولوله
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,معاش ټوټه تولید
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}",د خريداري باید وکتل شي، که د تطبیق لپاره د ده په توګه وټاکل {0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}",د خريداري باید وکتل شي، که د تطبیق لپاره د ده په توګه وټاکل {0}
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,تخفیف باید څخه کم 100 وي
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,تېره اخیستلو کچه ونه موندل شو
DocType: Purchase Invoice,Write Off Amount (Company Currency),مقدار ولیکئ پړاو (د شرکت د اسعارو)
DocType: Sales Invoice Timesheet,Billing Hours,بلونو ساعتونه
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,د {0} ونه موندل Default هیښ
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,د کتارونو تر # {0}: مهرباني وکړئ ټاکل ترمیمي کمیت
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,د کتارونو تر # {0}: مهرباني وکړئ ټاکل ترمیمي کمیت
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,دلته يې اضافه توکي tap
DocType: Fees,Program Enrollment,پروګرام شمولیت
DocType: Landed Cost Voucher,Landed Cost Voucher,تيرماښام لګښت ګټمنو
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},لطفا جوړ {0}
DocType: Purchase Invoice,Repeat on Day of Month,د مياشتې په ورځ تکرار
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} دی فعال محصل
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} دی فعال محصل
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} دی فعال محصل
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} دی فعال محصل
DocType: Employee,Health Details,د روغتیا په بشپړه توګه کتل
DocType: Offer Letter,Offer Letter Terms,لیک شرطونه وړاندې کوي
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,د پیسو غوښتنه مرجع سند ته اړتيا ده پيدا
@@ -4281,7 +4306,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.",بېلګه: د ABCD ##### که لړ ټاکل شوې ده او شعبه په معاملو ذکر نه دی، نو اتومات سریال به پر بنسټ دې لړ کې جوړ شي. که غواړئ چې تل په صراحت سریال وځيري لپاره د دې توکي ذکر. دا تش ووځي.
DocType: Upload Attendance,Upload Attendance,upload حاضريدل
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,هیښ او توليد مقدار ته اړتیا ده
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,هیښ او توليد مقدار ته اړتیا ده
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Ageing Range 2
DocType: SG Creation Tool Course,Max Strength,Max پياوړتيا
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,هیښ بدل
@@ -4291,8 +4316,8 @@
,Prospects Engaged But Not Converted,د پانګې لپاره ليوالتيا کوژدن خو نه، ډمتوب
DocType: Manufacturing Settings,Manufacturing Settings,دفابريکي امستنې
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Email ترتیبول
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 د موبايل په هيڅ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,لطفا په شرکت ماسټر default اسعارو ته ننوځي
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 د موبايل په هيڅ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,لطفا په شرکت ماسټر default اسعارو ته ننوځي
DocType: Stock Entry Detail,Stock Entry Detail,دحمل انفاذ تفصیلي
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,هره ورځ په دوراني ډول
DocType: Products Settings,Home Page is Products,لمړی مخ ده محصوالت
@@ -4301,7 +4326,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,نوی ګڼون نوم
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,خام مواد لګښت
DocType: Selling Settings,Settings for Selling Module,لپاره خرڅول ماډل امستنې
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,د پیرودونکو خدمت
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,د پیرودونکو خدمت
DocType: BOM,Thumbnail,بټنوک
DocType: Item Customer Detail,Item Customer Detail,د قالب پيرودونکو تفصیلي
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,وړاندیز کانديد په دنده.
@@ -4310,7 +4335,7 @@
DocType: Pricing Rule,Percentage,سلنه
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,د قالب {0} باید یو سټاک د قالب وي
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Default د کار په پرمختګ ګدام
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,د محاسبې معاملو تلواله امستنو.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,د محاسبې معاملو تلواله امستنو.
DocType: Maintenance Visit,MV,ترځمکې
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,تمه نېټه مخکې د موادو غوښتنه نېټه نه شي
DocType: Purchase Invoice Item,Stock Qty,سټاک Qty
@@ -4323,10 +4348,10 @@
DocType: Sales Order,Printing Details,د چاپونې نورولوله
DocType: Task,Closing Date,بنديدو نېټه
DocType: Sales Order Item,Produced Quantity,توليد مقدار
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,انجنير
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,انجنير
DocType: Journal Entry,Total Amount Currency,Total مقدار د اسعارو
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,د لټون فرعي شورا
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},د قالب کوډ په کتارونو هیڅ اړتیا {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},د قالب کوډ په کتارونو هیڅ اړتیا {0}
DocType: Sales Partner,Partner Type,همکار ډول
DocType: Purchase Taxes and Charges,Actual,واقعي
DocType: Authorization Rule,Customerwise Discount,Customerwise کمښت
@@ -4343,11 +4368,11 @@
DocType: Item Reorder,Re-Order Level,Re-نظم د ليول
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,توکي او پالن qty د کوم لپاره چې تاسو غواړئ چې د توليد امر کړي او يا يې د تحليل او د خامو موادو د نیولو لپاره وليکئ.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt چارت
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,بعد له وخته
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,بعد له وخته
DocType: Employee,Applicable Holiday List,د تطبيق وړ رخصتي بشپړفهرست
DocType: Employee,Cheque,آرډر
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,لړۍ Updated
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,راپور ډول فرض ده
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,راپور ډول فرض ده
DocType: Item,Serial Number Series,پرلپسې لړۍ
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},ګدام لپاره سټاک د قالب {0} په قطار الزامی دی {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,د پرچون او عمده
@@ -4369,7 +4394,7 @@
DocType: BOM,Materials,د توکو
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",که چک، په لست کې به ته د هر ریاست چې دا لري چې کارول کيږي زياته شي.
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,سرچینه او د هدف ګدام نه شي کولای ورته وي
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,پست کوي وخت او نېټه امخ د الزامی دی
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,پست کوي وخت او نېټه امخ د الزامی دی
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,د معاملو اخلي د مالياتو کېنډۍ.
,Item Prices,د قالب نرخونه
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,په کلیمو کې به د ليدو وړ وي. هر کله چې تاسو د اخستلو امر وژغوري.
@@ -4379,22 +4404,23 @@
DocType: Purchase Invoice,Advance Payments,پرمختللی د پیسو ورکړه
DocType: Purchase Taxes and Charges,On Net Total,د افغان بېسیم ټول
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},د خاصې لپاره {0} ارزښت باید د لړ کې وي {1} د {2} د زیاتوالی {3} لپاره د قالب {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,په قطار {0} د هدف ګدام بايد په توګه تولید نظم ورته وي
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,په قطار {0} د هدف ګدام بايد په توګه تولید نظم ورته وي
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,'خبرتیا دبرېښنا ليک Addresses لپاره د٪ s تکراري څرګندې نه دي
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,د اسعارو نه شي د ارقامو د يو شمېر نورو اسعارو په کارولو وروسته بدل شي
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,د اسعارو نه شي د ارقامو د يو شمېر نورو اسعارو په کارولو وروسته بدل شي
DocType: Vehicle Service,Clutch Plate,د کلچ ذريعه
DocType: Company,Round Off Account,حساب پړاو
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,اداري لګښتونه
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,اداري لګښتونه
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Consulting
DocType: Customer Group,Parent Customer Group,Parent پيرودونکو ګروپ
DocType: Purchase Invoice,Contact Email,تماس دبرېښنا ليک
DocType: Appraisal Goal,Score Earned,نمره لاسته راول
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,دمهلت دوره
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,دمهلت دوره
DocType: Asset Category,Asset Category Name,د شتمنیو کټه ګورۍ نوم
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,دا یوه د ريښو خاوره کې دی او نه تصحيح شي.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,نوي خرڅلاو شخص نوم
DocType: Packing Slip,Gross Weight UOM,Gross وزن UOM
DocType: Delivery Note Item,Against Sales Invoice,په وړاندې د خرڅلاو صورتحساب
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,لطفا د serialized توکی سريال عدد وليکئ
DocType: Bin,Reserved Qty for Production,د تولید خوندي دي Qty
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,وناکتل پريږدئ که تاسو نه غواړي چې په داسې حال کې د کورس پر بنسټ ډلو جوړولو داځکه پام کې ونیسي.
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,وناکتل پريږدئ که تاسو نه غواړي چې په داسې حال کې د کورس پر بنسټ ډلو جوړولو داځکه پام کې ونیسي.
@@ -4403,25 +4429,25 @@
DocType: Landed Cost Item,Landed Cost Item,تيرماښام لګښت د قالب
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,صفر ارزښتونو وښایاست
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,د توکي مقدار توليدي وروسته ترلاسه / څخه د خامو موادو ورکول اندازه ګیلاسو
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Setup زما د سازمان لپاره یو ساده ویب پاڼه
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Setup زما د سازمان لپاره یو ساده ویب پاڼه
DocType: Payment Reconciliation,Receivable / Payable Account,ترلاسه / د راتلوونکې اکانټ
DocType: Delivery Note Item,Against Sales Order Item,په وړاندې د خرڅلاو نظم قالب
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},مهرباني وکړئ مشخص د خاصې لپاره ارزښت ځانتیا {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},مهرباني وکړئ مشخص د خاصې لپاره ارزښت ځانتیا {0}
DocType: Item,Default Warehouse,default ګدام
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},د بودجې د ګروپ د حساب په وړاندې نه شي کولای {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,لطفا مورنی لګښت مرکز ته ننوځي
DocType: Delivery Note,Print Without Amount,پرته مقدار دچاپ
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,د استهالک نېټه
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,د مالياتو کټه نه شي 'ارزښت' یا د 'ارزښت او ټولې وي په توګه ټول توکي غیر سټاک توکي دي
DocType: Issue,Support Team,د ملاتړ ټيم
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),د انقضاء (ورځو)
DocType: Appraisal,Total Score (Out of 5),ټولې نمرې (د 5 څخه)
DocType: Fee Structure,FS.,په مطالعه کې.
-DocType: Program Enrollment,Batch,دسته
+DocType: Student Attendance Tool,Batch,دسته
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,توازن
DocType: Room,Seating Capacity,ناستل او د ظرفیت
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Total اخراجاتو ادعا (اخراجاتو د ادعا له لارې)
+DocType: GST Settings,GST Summary,GST لنډيز
DocType: Assessment Result,Total Score,ټولې نمرې
DocType: Journal Entry,Debit Note,ډیبیټ يادونه
DocType: Stock Entry,As per Stock UOM,لکه څنګه چې د هر دحمل UOM
@@ -4433,12 +4459,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Default توکو د ګدام
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,خرڅلاو شخص
DocType: SMS Parameter,SMS Parameter,پیغامونه د پاراميټر
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,د بودجې او لګښتونو مرکز
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,د بودجې او لګښتونو مرکز
DocType: Vehicle Service,Half Yearly,نيمايي د اکتوبر
DocType: Lead,Blog Subscriber,Blog د ګډون
DocType: Guardian,Alternate Number,متناوب شمېر
DocType: Assessment Plan Criteria,Maximum Score,اعظمي نمره
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,قواعد معاملو پر بنسټ د ارزښتونو د محدودولو جوړول.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,ګروپ رول نه
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,خالي پريږدئ که تاسو په هر کال کې زده کوونکو ډلو لپاره
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,خالي پريږدئ که تاسو په هر کال کې زده کوونکو ډلو لپاره
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day",که وکتل، ټول نه. د کاري ورځې به رخصتي شامل دي او دا کار به د معاش د ورځې د ارزښت د کمولو
@@ -4458,6 +4485,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,دا په دې پيرودونکو پر وړاندې د معاملو پر بنسټ. د تفصیلاتو لپاره په لاندی مهال ویش وګورئ
DocType: Supplier,Credit Days Based On,پورونو د ورځې پر بنسټ
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},د کتارونو تر {0}: ځانګړې اندازه {1} بايد په پرتله کمه وي او یا د پیسو د داخلولو اندازه مساوي {2}
+,Course wise Assessment Report,کورس هوښيار د ارزونې رپورټ
DocType: Tax Rule,Tax Rule,د مالياتو د حاکمیت
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,د خرڅلاو دوره ورته کچه وساتي
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Workstation کاري ساعتونه بهر وخت يادښتونه پلان جوړ کړي.
@@ -4466,7 +4494,7 @@
,Items To Be Requested,د ليکنو ته غوښتنه وشي
DocType: Purchase Order,Get Last Purchase Rate,ترلاسه تېره رانيول Rate
DocType: Company,Company Info,پيژندنه
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,وټاکئ او يا د نوي مشتريانو د اضافه
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,وټاکئ او يا د نوي مشتريانو د اضافه
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,لګښت مرکز ته اړتيا ده چې د لګښت ادعا کتاب
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),د بسپنو (شتمني) کاریال
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,دا د دې د کارکونکو د راتګ پر بنسټ
@@ -4474,27 +4502,29 @@
DocType: Fiscal Year,Year Start Date,کال د پیل نیټه
DocType: Attendance,Employee Name,د کارګر نوم
DocType: Sales Invoice,Rounded Total (Company Currency),غونډ مونډ Total (شرکت د اسعارو)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,آيا له ګروپ د پټو نه ځکه حساب ډول انتخاب.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,آيا له ګروپ د پټو نه ځکه حساب ډول انتخاب.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} د {1} بدل شوی دی. لطفا تازه.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,څخه په لاندې ورځو کولو اجازه غوښتنلیکونه کاروونکو ودروي.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,رانيول مقدار
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,عرضه کوونکي د داوطلبۍ {0} جوړ
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,د پای کال د پیل کال مخکې نه شي
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,د کارګر ګټې
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,د کارګر ګټې
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},ډک اندازه بايد په قطار د {0} د قالب اندازه برابر {1}
DocType: Production Order,Manufactured Qty,جوړيږي Qty
DocType: Purchase Receipt Item,Accepted Quantity,منل مقدار
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},لطفا یو default رخصتي بشپړفهرست لپاره د کارګر جوړ {0} یا د شرکت د {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} نه شتون
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} نه شتون
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,انتخاب دسته شمیرې
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,بلونه د پېرېدونکي راپورته کړې.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,د پروژې Id
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},د قطار نه {0}: مقدار نه شي اخراجاتو ادعا {1} په وړاندې د مقدار د انتظار څخه ډيره وي. انتظار مقدار دی {2}
DocType: Maintenance Schedule,Schedule,مهال ويش
DocType: Account,Parent Account,Parent اکانټ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,شته
DocType: Quality Inspection Reading,Reading 3,لوستلو 3
,Hub,مرکز
DocType: GL Entry,Voucher Type,ګټمنو ډول
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,بیې په لېست کې ونه موندل او يا معيوب
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,بیې په لېست کې ونه موندل او يا معيوب
DocType: Employee Loan Application,Approved,تصویب شوې
DocType: Pricing Rule,Price,د بیې
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',د کارګر د کرارۍ د {0} بايد جوړ شي د "کيڼ '
@@ -4505,7 +4535,8 @@
DocType: Selling Settings,Campaign Naming By,د کمپاین نوم By
DocType: Employee,Current Address Is,اوسني پته ده
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,بدلون موندلی
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.",اختیاري. ټاکي شرکت د تلواله اسعارو، که مشخصه نه ده.
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.",اختیاري. ټاکي شرکت د تلواله اسعارو، که مشخصه نه ده.
+DocType: Sales Invoice,Customer GSTIN,پيرودونکو GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,د محاسبې ژورنال زياتونې.
DocType: Delivery Note Item,Available Qty at From Warehouse,موجود Qty په له ګدام
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,مهرباني وکړئ لومړی غوره کارکوونکی دثبت.
@@ -4513,7 +4544,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},د کتارونو تر {0}: ګوند / حساب سره سمون نه خوري {1} / {2} د {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,لطفا اخراجاتو حساب ته ننوځي
DocType: Account,Stock,سټاک
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",د کتارونو تر # {0}: ماخذ لاسوند ډول باید د اخستلو امر يو، رانيول صورتحساب یا ژورنال انفاذ وي
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",د کتارونو تر # {0}: ماخذ لاسوند ډول باید د اخستلو امر يو، رانيول صورتحساب یا ژورنال انفاذ وي
DocType: Employee,Current Address,اوسني پته
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified",که جنس د بل جنس بيا توضيحات، انځور، د قيمتونو، ماليه او نور به د کېنډۍ څخه جوړ شي يو variant دی، مګر په واضح ډول مشخص
DocType: Serial No,Purchase / Manufacture Details,رانيول / جوړون نورولوله
@@ -4526,8 +4557,8 @@
DocType: Pricing Rule,Min Qty,Min Qty
DocType: Asset Movement,Transaction Date,د راکړې ورکړې نېټه
DocType: Production Plan Item,Planned Qty,پلان Qty
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Total د مالياتو
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,د مقدار (تولید Qty) فرض ده
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Total د مالياتو
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,د مقدار (تولید Qty) فرض ده
DocType: Stock Entry,Default Target Warehouse,Default د هدف ګدام
DocType: Purchase Invoice,Net Total (Company Currency),خالص Total (شرکت د اسعارو)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,د کال د پای نیټه نه شي کولای د کال د پیل نیټه د وخت نه مخکې وي. لطفا د خرما د اصلاح او بیا کوښښ وکړه.
@@ -4541,15 +4572,12 @@
DocType: Hub Settings,Hub Settings,مرکزي امستنې
DocType: Project,Gross Margin %,د ناخالصه عايد٪
DocType: BOM,With Operations,سره د عملیاتو په
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,په اسعارو د محاسبې زياتونې لا شوي دي {0} د شرکت {1}. لطفا د کرنسۍ ته د ترلاسه يا د ورکړې وړ حساب غوره {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,په اسعارو د محاسبې زياتونې لا شوي دي {0} د شرکت {1}. لطفا د کرنسۍ ته د ترلاسه يا د ورکړې وړ حساب غوره {0}.
DocType: Asset,Is Existing Asset,آیا موجوده د شتمنیو
DocType: Salary Detail,Statistical Component,د احصایې برخه
DocType: Salary Detail,Statistical Component,د احصایې برخه
-,Monthly Salary Register,میاشتنی معاش د نوم ثبتول
DocType: Warranty Claim,If different than customer address,که د پېرېدونکو پته په پرتله بیلو
DocType: BOM Operation,BOM Operation,هیښ عمليات
-DocType: School Settings,Validate the Student Group from Program Enrollment,د زده کوونکو د ډلې څخه د پروګرام شمولیت اعتباري
-DocType: School Settings,Validate the Student Group from Program Enrollment,د زده کوونکو د ډلې څخه د پروګرام شمولیت اعتباري
DocType: Purchase Taxes and Charges,On Previous Row Amount,په تیره د کتارونو تر مقدار
DocType: Student,Home Address,کور پته
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,د انتقال د شتمنیو
@@ -4557,28 +4585,27 @@
DocType: Training Event,Event Name,دکمپاینونو نوم
apps/erpnext/erpnext/config/schools.py +39,Admission,د شاملیدو
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},لپاره د شمولیت {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.",د ټاکلو لپاره د بودجې، نښې او نور موسمي
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants",{0} د قالب دی کېنډۍ، لطفا د خپلو بېرغونو وټاکئ
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.",د ټاکلو لپاره د بودجې، نښې او نور موسمي
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants",{0} د قالب دی کېنډۍ، لطفا د خپلو بېرغونو وټاکئ
DocType: Asset,Asset Category,د شتمنیو کټه ګورۍ
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,اخستونکی
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,خالص د معاشونو نه کېدای شي منفي وي
DocType: SMS Settings,Static Parameters,Static Parameters
DocType: Assessment Plan,Room,کوټه
DocType: Purchase Order,Advance Paid,پرمختللی ورکړل
DocType: Item,Item Tax,د قالب د مالياتو
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,ته عرضه مواد
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,وسیله صورتحساب
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,وسیله صورتحساب
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}٪ ښکاري څخه یو ځل بیا
DocType: Expense Claim,Employees Email Id,د کارکوونکو دبرېښنا ليک Id
DocType: Employee Attendance Tool,Marked Attendance,د پام وړ د حاضرۍ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,اوسني مسؤلیتونه
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,اوسني مسؤلیتونه
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,ستاسو د تماس ډله SMS وليږئ
DocType: Program,Program Name,د پروګرام نوم
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,لپاره د مالياتو او يا چارج په پام کې
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,واقعي Qty الزامی دی
DocType: Employee Loan,Loan Type,د پور ډول
DocType: Scheduling Tool,Scheduling Tool,مهال ويش له اوزار
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,باور كارت
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,باور كارت
DocType: BOM,Item to be manufactured or repacked,د قالب توليد شي او يا repacked
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,د سټاک معاملو تلواله امستنو.
DocType: Purchase Invoice,Next Date,بل نېټه
@@ -4594,10 +4621,10 @@
DocType: Stock Entry,Repack,Repack
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,تاسو باید د محاکمې د مخه فورمه Save
DocType: Item Attribute,Numeric Values,شمېريزو ارزښتونه
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Logo ضمیمه
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Logo ضمیمه
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,سټاک کچه
DocType: Customer,Commission Rate,کمیسیون Rate
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,د کمکیانو لپاره د variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,د کمکیانو لپاره د variant
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,له خوا د رياست د بنديز رخصت غوښتنلیکونه.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer",د پیسو ډول بايد د تر لاسه شي، د تنخاوو او کورني انتقال
apps/erpnext/erpnext/config/selling.py +179,Analytics,Analytics
@@ -4605,45 +4632,45 @@
DocType: Vehicle,Model,د نمونوي
DocType: Production Order,Actual Operating Cost,واقعي عملياتي لګښت
DocType: Payment Entry,Cheque/Reference No,آرډر / ماخذ نه
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,د ريښي د تصحيح نه شي.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,د ريښي د تصحيح نه شي.
DocType: Item,Units of Measure,د اندازه کولو واحدونه
DocType: Manufacturing Settings,Allow Production on Holidays,په رخصتۍ تولید اجازه
DocType: Sales Order,Customer's Purchase Order Date,پيرودونکو د اخستلو امر نېټه
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,پلازمیینه دحمل
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,پلازمیینه دحمل
DocType: Shopping Cart Settings,Show Public Attachments,د عامې ضم وښایاست
DocType: Packing Slip,Package Weight Details,بستې وزن نورولوله
DocType: Payment Gateway Account,Payment Gateway Account,د پیسو ليدونکی اکانټ
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,د پیسو له بشپړېدو وروسته ټاکل مخ ته د کارونکي عکس د تاوولو.
DocType: Company,Existing Company,موجوده شرکت
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",د مالياتو د کټه دی چې د "ټول" ته بدل شوي ځکه چې ټول سامان د غیر سټاک توکي دي
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,لطفا یو csv دوتنه انتخاب
DocType: Student Leave Application,Mark as Present,مارک په توګه د وړاندې
DocType: Purchase Order,To Receive and Bill,تر لاسه کول او د بیل
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,مستند محصوالت
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,په سکښتګر کې
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,په سکښتګر کې
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,د قرارداد شرايط کينډۍ
DocType: Serial No,Delivery Details,د وړاندې کولو په بشپړه توګه کتل
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},لګښت په مرکز کې قطار ته اړتیا لیدل کیږي {0} په مالیات لپاره ډول جدول {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},لګښت په مرکز کې قطار ته اړتیا لیدل کیږي {0} په مالیات لپاره ډول جدول {1}
DocType: Program,Program Code,پروګرام کوډ
DocType: Terms and Conditions,Terms and Conditions Help,د قرارداد شرايط مرسته
,Item-wise Purchase Register,د قالب-هوښيار رانيول د نوم ثبتول
DocType: Batch,Expiry Date,د ختم نیټه
-,Supplier Addresses and Contacts,عرضه Addresses او د اړيکې
,accounts-browser,حسابونو-کتنمل
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,مهرباني وکړئ لومړی ټولۍ وټاکئ
apps/erpnext/erpnext/config/projects.py +13,Project master.,د پروژې د بادار.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.",ته-بلونو او یا د فرمایشاتو لپاره اجازه ورکړي، په سټاک امستنې او يا د قالب "امتياز" د اوسمهالولو.
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.",ته-بلونو او یا د فرمایشاتو لپاره اجازه ورکړي، په سټاک امستنې او يا د قالب "امتياز" د اوسمهالولو.
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,مه $ نور په څېر د هر سمبول تر څنګ اسعارو نه ښيي.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(نیمه ورځ)
DocType: Supplier,Credit Days,اعتبار ورځې
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,د کمکیانو لپاره د زده کونکو د دسته
DocType: Leave Type,Is Carry Forward,مخ په وړاندې د دې لپاره ترسره کړي
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,له هیښ توکي ترلاسه کړئ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,له هیښ توکي ترلاسه کړئ
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,د وخت ورځې سوق
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},د کتارونو تر # {0}: پست کوي نېټه بايد په توګه د اخیستلو نېټې ورته وي {1} د شتمنیو د {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},د کتارونو تر # {0}: پست کوي نېټه بايد په توګه د اخیستلو نېټې ورته وي {1} د شتمنیو د {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,مهرباني وکړی په پورته جدول خرڅلاو امر ته ننوځي
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,معاش رسید ونه لېږل
,Stock Summary,دحمل لنډيز
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,له يوه ګودام څخه بل د شتمنیو ته سپاري
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,له يوه ګودام څخه بل د شتمنیو ته سپاري
DocType: Vehicle,Petrol,پطرول
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,د توکو بیل
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},د کتارونو تر {0}: ګوند ډول او د ګوند د ترلاسه / د راتلوونکې حساب ته اړتیا لیدل کیږي {1}
@@ -4654,6 +4681,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,تحریم مقدار
DocType: GL Entry,Is Opening,ده پرانيستل
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},د کتارونو تر {0}: ډیبیټ د ننوتلو سره د نه تړاو شي کولای {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,ګڼون {0} نه شته
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,ګڼون {0} نه شته
DocType: Account,Cash,د نغدو پيسو
DocType: Employee,Short biography for website and other publications.,د ويب سايټ او نورو خپرونو لنډ ژوندلیک.
diff --git a/erpnext/translations/pt-BR.csv b/erpnext/translations/pt-BR.csv
index fcb92a1..e19af9a 100644
--- a/erpnext/translations/pt-BR.csv
+++ b/erpnext/translations/pt-BR.csv
@@ -5,7 +5,7 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Produtos para o Consumidor
DocType: Item,Customer Items,Itens de clientes
DocType: Project,Costing and Billing,Custos e Faturamento
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Conta {0}: A Conta Superior {1} não pode ser um livro-razão
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Conta {0}: A Conta Superior {1} não pode ser um livro-razão
DocType: Item,Publish Item to hub.erpnext.com,Publicar Item para hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,Notificações por Email
DocType: SMS Center,All Sales Partner Contact,Todos os Contatos de Parceiros de Vendas
@@ -23,7 +23,7 @@
DocType: Delivery Note,Return Against Delivery Note,Devolução contra Guia de Remessa
DocType: Purchase Order,% Billed,Faturado %
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Taxa de câmbio deve ser o mesmo que {0} {1} ({2})
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},A conta bancária não pode ser nomeada como {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},A conta bancária não pode ser nomeada como {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Heads (ou grupos) contra o qual as entradas de Contabilidade são feitas e os saldos são mantidos.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Excelente para {0} não pode ser inferior a zero ( {1})
DocType: Manufacturing Settings,Default 10 mins,Padrão 10 minutos
@@ -36,15 +36,15 @@
,Purchase Order Items To Be Received,"Itens Comprados, mas não Recebidos"
DocType: SMS Center,All Supplier Contact,Todos os Contatos de Fornecedor
DocType: Support Settings,Support Settings,Configurações do Pós Vendas
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,A Data Prevista de Término não pode ser menor que a Data Prevista de Início
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,A Data Prevista de Término não pode ser menor que a Data Prevista de Início
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Linha # {0}: O Valor deve ser o mesmo da {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Aplicação deixar Nova
,Batch Item Expiry Status,Status do Vencimento do Item do Lote
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Cheque Administrativo
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Cheque Administrativo
DocType: Mode of Payment Account,Mode of Payment Account,Modo de pagamento da conta
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Tabela de Contas não pode estar vazia.
DocType: Employee Education,Year of Passing,Ano de passagem
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,Em Estoque
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,Em Estoque
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Incidentes Abertos
DocType: Production Plan Item,Production Plan Item,Item do Planejamento de Produção
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Usuário {0} já está atribuído ao Colaborador {1}
@@ -56,12 +56,12 @@
DocType: Appraisal Goal,Score (0-5),Pontuação (0-5)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +225,Row {0}: {1} {2} does not match with {3},Linha {0}: {1} {2} não corresponde com {3}
DocType: Delivery Note,Vehicle No,Placa do Veículo
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,"Por favor, selecione Lista de Preço"
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Contador
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,"Por favor, selecione Lista de Preço"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Contador
DocType: Cost Center,Stock User,Usuário de Estoque
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Nova {0}: # {1}
,Sales Partners Commission,Comissão dos Parceiros de Vendas
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Abreviatura não pode ter mais de 5 caracteres
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Abreviatura não pode ter mais de 5 caracteres
DocType: Payment Request,Payment Request,Pedido de Pagamento
DocType: Asset,Value After Depreciation,Valor após Depreciação
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt_dashboard.py +17,Related,Relacionados
@@ -76,22 +76,22 @@
apps/erpnext/erpnext/public/js/stock_analytics.js +61,Select Warehouse...,Selecione Armazém...
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Mesma empresa está inscrita mais de uma vez
DocType: Employee,Married,Casado
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Não permitido para {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Banco não pode ser atualizado contra nota de entrega {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Não permitido para {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Banco não pode ser atualizado contra nota de entrega {0}
DocType: Process Payroll,Make Bank Entry,Fazer Lançamento Bancário
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Estrutura salarial ausente
DocType: Sales Invoice Item,Sales Invoice Item,Item da Nota Fiscal de Venda
DocType: POS Profile,Write Off Cost Center,Centro de custo do abatimento
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Relatórios de Estoque
DocType: Warehouse,Warehouse Detail,Detalhes do Armazén
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},O limite de crédito foi analisado para o cliente {0} {1} / {2}
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""É Ativo Fixo"" não pode ser desmarcado se já existe um registro de Ativo relacionado ao item"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},O limite de crédito foi analisado para o cliente {0} {1} / {2}
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""É Ativo Fixo"" não pode ser desmarcado se já existe um registro de Ativo relacionado ao item"
DocType: Vehicle Service,Brake Oil,Óleo de Freio
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Você não está autorizado para adicionar ou atualizar entradas antes de {0}
DocType: BOM,Item Image (if not slideshow),Imagem do Item (se não for slideshow)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Existe um cliente com o mesmo nome
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Valor por Hora / 60) * Tempo de operação real
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Selecionar LDM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Selecionar LDM
DocType: SMS Log,SMS Log,Log de SMS
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Custo de Produtos Entregues
DocType: Student Log,Student Log,Log do Aluno
@@ -101,7 +101,7 @@
DocType: Item,Copy From Item Group,Copiar do item do grupo
DocType: Journal Entry,Opening Entry,Lançamento de Abertura
DocType: Stock Entry,Additional Costs,Custos adicionais
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Contas com a transações existentes não pode ser convertidas em um grupo.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Contas com a transações existentes não pode ser convertidas em um grupo.
DocType: Lead,Product Enquiry,Consulta de Produto
DocType: Academic Term,Schools,Acadêmico
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Por favor insira primeira empresa
@@ -111,10 +111,10 @@
DocType: BOM,Total Cost,Custo total
DocType: Journal Entry Account,Employee Loan,Empréstimo para Colaboradores
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Log de Atividade:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,Item {0} não existe no sistema ou expirou
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Item {0} não existe no sistema ou expirou
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Extrato da conta
DocType: Purchase Invoice Item,Is Fixed Asset,É Ativo Imobilizado
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","A qtde disponível é {0}, você necessita de {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","A qtde disponível é {0}, você necessita de {1}"
DocType: Expense Claim Detail,Claim Amount,Valor Requerido
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Fornecedor Tipo / Fornecedor
DocType: Upload Attendance,Import Log,Log de Importação
@@ -124,27 +124,27 @@
DocType: SMS Center,All Contact,Todo o Contato
DocType: Daily Work Summary,Daily Work Summary,Resumo de Trabalho Diário
DocType: Period Closing Voucher,Closing Fiscal Year,Encerramento do Exercício Fiscal
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} está congelado
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,"Por favor, selecione empresa já existente para a criação de Plano de Contas"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Despesas com Estoque
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} está congelado
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,"Por favor, selecione empresa já existente para a criação de Plano de Contas"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Despesas com Estoque
DocType: Journal Entry,Contra Entry,Contrapartida de Entrada
DocType: Journal Entry Account,Credit in Company Currency,Crédito em moeda da empresa
DocType: Delivery Note,Installation Status,Status da Instalação
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},A qtde Aceita + Rejeitada deve ser igual a quantidade recebida para o item {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},A qtde Aceita + Rejeitada deve ser igual a quantidade recebida para o item {0}
DocType: Item,Supply Raw Materials for Purchase,Abastecimento de Matérias-primas para a Compra
DocType: Products Settings,Show Products as a List,Mostrar Produtos como uma Lista
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Baixe o Template, preencha os dados apropriados e anexe o arquivo modificado.
Todas as datas, os colaboradores e suas combinações para o período selecionado virão com o modelo, incluindo os registros já existentes."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,Item {0} não está ativo ou fim de vida útil foi atingido
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Para incluir impostos na linha {0} na taxa de Item, os impostos em linhas {1} também deve ser incluída"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Item {0} não está ativo ou fim de vida útil foi atingido
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Para incluir impostos na linha {0} na taxa de Item, os impostos em linhas {1} também deve ser incluída"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Configurações para o Módulo de RH
DocType: Sales Invoice,Change Amount,Troco
DocType: Depreciation Schedule,Make Depreciation Entry,Fazer Lançamento de Depreciação
DocType: Appraisal Template Goal,KRA,APR
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Criar Colaborador
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Radio-difusão
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,execução
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,execução
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Os detalhes das operações realizadas.
DocType: Serial No,Maintenance Status,Status da Manutenção
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Fornecedor é necessário contra Conta a Pagar {2}
@@ -165,7 +165,7 @@
DocType: Production Planning Tool,Sales Orders,Pedidos de Venda
,Purchase Order Trends,Tendência de Pedidos de Compra
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Alocar licenças para o ano.
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,Estoque Insuficiente
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,Estoque Insuficiente
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Desativar Controle de Tempo e Planejamento de Capacidade
DocType: Email Digest,New Sales Orders,Novos Pedidos de Venda
DocType: Leave Type,Allow Negative Balance,Permitir saldo negativo
@@ -174,7 +174,7 @@
DocType: Production Order Operation,Updated via 'Time Log',Atualizado via 'Time Log'
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},O valor do adiantamento não pode ser maior do que {0} {1}
DocType: Naming Series,Series List for this Transaction,Lista de séries para esta transação
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Atualizar Grupo de Email
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Atualizar Grupo de Email
DocType: Sales Invoice,Is Opening Entry,É Lançamento de Abertura
DocType: Customer Group,Mention if non-standard receivable account applicable,Mencione se a conta a receber aplicável não for a conta padrão
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,For Warehouse is required before Submit,Armazén de destino necessário antes de enviar
@@ -186,7 +186,7 @@
DocType: Leave Allocation,Add unused leaves from previous allocations,Acrescente as licenças não utilizadas de atribuições anteriores
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Próximo Recorrente {0} será criado em {1}
DocType: Sales Partner,Partner website,Site Parceiro
-,Contact Name,Nome do Contato
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Nome do Contato
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Cria folha de pagamento para os critérios mencionados acima.
DocType: Vehicle,Additional Details,Detalhes Adicionais
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Nenhuma descrição informada
@@ -194,14 +194,14 @@
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Isto é baseado nos Registros de Tempo relacionados a este Projeto
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Somente o aprovador de licenças selecionado pode enviar este pedido de licença
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,A Data da Licença deve ser maior que Data de Contratação
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Folhas por ano
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Folhas por ano
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Linha {0}: Por favor, selecione 'É Adiantamento' se este é um lançamento de adiantamento relacionado à conta {1}."
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Armazém {0} não pertence à empresa {1}
DocType: Email Digest,Profit & Loss,Lucro e Perdas
DocType: Task,Total Costing Amount (via Time Sheet),Custo Total (via Registro de Tempo)
DocType: Item Website Specification,Item Website Specification,Especificação do Site do Item
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Licenças Bloqueadas
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Item {0} chegou ao fim da vida em {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Item {0} chegou ao fim da vida em {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Lançamentos do Banco
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Item da Conciliação de Estoque
DocType: Stock Entry,Sales Invoice No,Nº da Nota Fiscal de Venda
@@ -209,17 +209,17 @@
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Ferramenta de Criação de Grupo de Alunos
DocType: Lead,Do Not Contact,Não entre em contato
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,ID exclusiva para acompanhar todas as notas fiscais recorrentes. Ela é gerada ao enviar.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Software Developer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software Developer
DocType: Item,Minimum Order Qty,Pedido Mínimo
,Student Batch-Wise Attendance,Controle de Frequência por Série de Alunos
DocType: POS Profile,Allow user to edit Rate,Permitir que o usuário altere o preço
DocType: Item,Publish in Hub,Publicar no Hub
DocType: Student Admission,Student Admission,Admissão do Aluno
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Item {0} é cancelada
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Item {0} é cancelada
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Requisição de Material
DocType: Bank Reconciliation,Update Clearance Date,Atualizar Data Liquidação
DocType: Item,Purchase Details,Detalhes de Compra
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Item {0} não encontrado em 'matérias-primas fornecidas"" na tabela Pedido de Compra {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Item {0} não encontrado em 'matérias-primas fornecidas"" na tabela Pedido de Compra {1}"
apps/erpnext/erpnext/config/selling.py +18,Confirmed orders from Customers.,Pedidos confirmados de clientes.
DocType: SMS Settings,SMS Sender Name,Nome do remetente do SMS
DocType: Notification Control,Notification Control,Controle de Notificação
@@ -236,7 +236,7 @@
DocType: Tax Rule,Shipping County,Condado de Entrega
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Custo da Atividade por Colaborador
DocType: Accounts Settings,Settings for Accounts,Configurações para Contas
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Nº da Nota Fiscal do Fornecedor já existe na Nota Fiscal de Compra {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Nº da Nota Fiscal do Fornecedor já existe na Nota Fiscal de Compra {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Gerenciar vendedores
DocType: Job Applicant,Cover Letter,Carta de apresentação
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Cheques em circulação e depósitos para apagar
@@ -253,8 +253,8 @@
DocType: Journal Entry,Multi Currency,Multi moeda
DocType: Payment Reconciliation Invoice,Invoice Type,Tipo de Nota Fiscal
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Configurando Impostos
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,"Entrada de pagamento foi modificado depois que você puxou-o. Por favor, puxe-o novamente."
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} entrou duas vezes no Imposto do Item
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Entrada de pagamento foi modificado depois que você puxou-o. Por favor, puxe-o novamente."
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} entrou duas vezes no Imposto do Item
DocType: Workstation,Rent Cost,Custo do Aluguel
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +97,Upcoming Calendar Events,Próximos Eventos do Calendário
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +75,Please select month and year,Selecione mês e ano
@@ -265,17 +265,17 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Por favor, digite 'Repeat no Dia do Mês ' valor do campo"
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Taxa na qual a moeda do cliente é convertida para a moeda base do cliente
DocType: Course Scheduling Tool,Course Scheduling Tool,Ferramenta de Agendamento de Cursos
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Linha #{0}: Não pode ser criada uma Nota Fiscal de Compra para um ativo existente {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Linha #{0}: Não pode ser criada uma Nota Fiscal de Compra para um ativo existente {1}
DocType: Item Tax,Tax Rate,Alíquota do Imposto
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} já está alocado para o Colaborador {1} para o período de {2} até {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Selecionar item
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,A Nota Fiscal de Compra {0} já foi enviada
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,A Nota Fiscal de Compra {0} já foi enviada
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Linha # {0}: Nº do Lote deve ser o mesmo que {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Converter para Não-Grupo
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Lote de um item.
DocType: C-Form Invoice Detail,Invoice Date,Data do Faturamento
DocType: GL Entry,Debit Amount,Total do Débito
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Pode haver apenas uma conta por empresa em {0} {1}
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Pode haver apenas uma conta por empresa em {0} {1}
DocType: Purchase Order,% Received,Recebido %
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Criar Grupos de Alunos
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Instalação já está concluída!
@@ -295,7 +295,7 @@
DocType: Request for Quotation,Request for Quotation,Solicitação de Orçamento
DocType: Salary Slip Timesheet,Working Hours,Horas de trabalho
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Alterar o número sequencial de início/atual de uma série existente.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Criar novo Cliente
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Criar novo Cliente
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Se várias regras de preços continuam a prevalecer, os usuários são convidados a definir a prioridade manualmente para resolver o conflito."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Criar Pedidos de Compra
,Purchase Register,Registro de Compras
@@ -323,12 +323,11 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,As configurações globais para todos os processos de fabricação.
DocType: Accounts Settings,Accounts Frozen Upto,Contas congeladas até
DocType: SMS Log,Sent On,Enviado em
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Atributo {0} selecionada várias vezes na tabela de atributos
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Atributo {0} selecionada várias vezes na tabela de atributos
DocType: HR Settings,Employee record is created using selected field. ,O registro do colaborador é criado usando o campo selecionado.
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Cadastro de feriados.
DocType: Request for Quotation Item,Required Date,Para o Dia
DocType: Delivery Note,Billing Address,Endereço de Faturamento
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,"Por favor, insira o Código Item."
DocType: BOM,Costing,Custo
DocType: Tax Rule,Billing County,País de Faturamento
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Se marcado, o valor do imposto será considerado como já incluído na Impressão de Taxa / Impressão do Valor"
@@ -347,17 +346,17 @@
DocType: Employee Loan,Total Payment,Pagamento Total
DocType: Manufacturing Settings,Time Between Operations (in mins),Tempo entre operações (em minutos)
DocType: Pricing Rule,Valid Upto,Válido até
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Lista de alguns de seus clientes. Eles podem ser empresas ou pessoas físicas.
-,Enough Parts to Build,Peças suficientes para construir
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Receita Direta
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Lista de alguns de seus clientes. Eles podem ser empresas ou pessoas físicas.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Peças suficientes para construir
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Receita Direta
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Não é possível filtrar com base em conta , se agrupados por Conta"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Escritório Administrativo
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Escritório Administrativo
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,"Por favor, selecione Empresa"
DocType: Stock Entry Detail,Difference Account,Conta Diferença
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Não pode fechar tarefa como sua tarefa dependente {0} não está fechado.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"Por favor, indique Armazén para as quais as Requisições de Material serão levantadas"
DocType: Production Order,Additional Operating Cost,Custo Operacional Adicional
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Para mesclar , seguintes propriedades devem ser os mesmos para ambos os itens"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Para mesclar , seguintes propriedades devem ser os mesmos para ambos os itens"
,Serial No Warranty Expiry,Vencimento da Garantia com Nº de Série
DocType: Sales Invoice,Offline POS Name,Nome do POS Offline
DocType: Sales Order,To Deliver,Para Entregar
@@ -366,8 +365,8 @@
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Gerenciando Subcontratação
DocType: Project,Project will be accessible on the website to these users,Projeto estará acessível no site para os usuários
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Taxa na qual a moeda da lista de preços é convertida para a moeda base da empresa
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},A Conta {0} não pertence à Empresa: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Abreviatura já utilizado para outra empresa
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},A Conta {0} não pertence à Empresa: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Abreviatura já utilizado para outra empresa
DocType: Selling Settings,Default Customer Group,Grupo de Clientes padrão
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Desativa campo ""total arredondado"" em qualquer tipo de transação"
DocType: BOM,Operating Cost,Custo de Operação
@@ -380,16 +379,16 @@
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +246,Closing (Cr),Fechamento (Cr)
DocType: Installation Note Item,Installation Note Item,Item da Nota de Instalação
DocType: Production Plan Item,Pending Qty,Pendente Qtde
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} não está ativo
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,Configurar dimensões do cheque para impressão
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} não está ativo
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Configurar dimensões do cheque para impressão
DocType: Salary Slip,Salary Slip Timesheet,Controle de Tempo do Demonstrativo de Pagamento
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Fornecedor Armazém obrigatório para sub- contratados Recibo de compra
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Fornecedor Armazém obrigatório para sub- contratados Recibo de compra
DocType: Pricing Rule,Valid From,Válido de
DocType: Sales Invoice,Total Commission,Total da Comissão
DocType: Buying Settings,Purchase Receipt Required,Recibo de Compra Obrigatório
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Nenhum registro encontrado na tabela de fatura
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,"Por favor, selecione a Empresa e Tipo de Sujeito primeiro"
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Ano Financeiro / Exercício.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Ano Financeiro / Exercício.
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Desculpe, os números de ordem não podem ser mescladas"
,Lead Id,Cliente em Potencial ID
DocType: Timesheet,Payslip,Holerite
@@ -399,15 +398,15 @@
DocType: Job Applicant,Resume Attachment,Anexo currículo
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Clientes Repetidos
DocType: Leave Control Panel,Allocate,Alocar
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Devolução de Vendas
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Devolução de Vendas
DocType: Item,Delivered by Supplier (Drop Ship),Entregue pelo Fornecedor (Drop Ship)
apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Banco de dados de clientes potenciais.
apps/erpnext/erpnext/config/selling.py +28,Customer database.,Banco de Dados de Clientes
DocType: Quotation,Quotation To,Orçamento para
DocType: Lead,Middle Income,Média Renda
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Abertura (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unidade de medida padrão para item {0} não pode ser alterado diretamente porque você já fez alguma transação (s) com outra Unidade de Medida. Você precisará criar um novo item para usar uma Unidade de Medida padrão diferente.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Total alocado não pode ser negativo
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Unidade de medida padrão para item {0} não pode ser alterado diretamente porque você já fez alguma transação (s) com outra Unidade de Medida. Você precisará criar um novo item para usar uma Unidade de Medida padrão diferente.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Total alocado não pode ser negativo
DocType: Purchase Order Item,Billed Amt,Valor Faturado
DocType: Training Result Employee,Training Result Employee,Resultado do Treinamento do Colaborador
DocType: Warehouse,A logical Warehouse against which stock entries are made.,Um Depósito lógico contra o qual as entradas de estoque são feitas.
@@ -416,7 +415,7 @@
DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Registro de Tempo da Nota Fiscal de Venda
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +118,Reference No & Reference Date is required for {0},Número de referência e Referência Data é necessário para {0}
DocType: Process Payroll,Select Payment Account to make Bank Entry,Selecione a conta de pagamento para fazer o lançamento bancário
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Proposta Redação
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Proposta Redação
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Outro Vendedor {0} existe com o mesmo ID de Colaborador
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Se for selecionado, as matérias-primas para os itens sub-contratados serão incluídas nas Requisições de Material"
apps/erpnext/erpnext/config/accounts.py +80,Masters,Cadastros
@@ -440,15 +439,15 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Então Preços Regras são filtradas com base no Cliente, Grupo de Clientes, Território, fornecedor, fornecedor Tipo, Campanha, Parceiro de vendas etc"
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Gestão de Emprestimos à Colaboradores
DocType: Employee,Passport Number,Número do Passaporte
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Gerente
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Novo limite de crédito é inferior ao saldo devedor atual do cliente. O limite de crédito deve ser de pelo menos {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Gerente
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Novo limite de crédito é inferior ao saldo devedor atual do cliente. O limite de crédito deve ser de pelo menos {0}
DocType: SMS Settings,Receiver Parameter,Parâmetro do recebedor
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Baseado em' e ' Agrupar por' não podem ser o mesmo
DocType: Sales Person,Sales Person Targets,Metas do Vendedor
DocType: Production Order Operation,In minutes,Em Minutos
DocType: Issue,Resolution Date,Data da Solução
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Registro de Tempo criado:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},Defina Caixa padrão ou conta bancária no Modo de pagamento {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Defina Caixa padrão ou conta bancária no Modo de pagamento {0}
DocType: Selling Settings,Customer Naming By,Nomeação de Cliente por
DocType: Depreciation Schedule,Depreciation Amount,Valor de Depreciação
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +56,Convert to Group,Converter em Grupo
@@ -482,15 +481,15 @@
DocType: Purchase Receipt,Other Details,Outros detalhes
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Fornecedor
DocType: Vehicle,Odometer Value (Last),Quilometragem do Odômetro (última)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,marketing
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,marketing
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Entrada de pagamento já foi criada
DocType: Purchase Receipt Item Supplied,Current Stock,Estoque Atual
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Linha # {0}: Ativo {1} não vinculado ao item {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Linha # {0}: Ativo {1} não vinculado ao item {2}
DocType: Account,Expenses Included In Valuation,Despesas Incluídas na Avaliação
,Absent Student Report,Relatório de Frequência do Aluno
DocType: Email Digest,Next email will be sent on:,Próximo email será enviado em:
DocType: Offer Letter Term,Offer Letter Term,Termos da Carta de Oferta
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Item tem variantes.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Item tem variantes.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Item {0} não foi encontrado
DocType: Bin,Stock Value,Valor do Estoque
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +82,Tree Type,Tipo de árvore
@@ -506,13 +505,13 @@
DocType: Purchase Order,Supply Raw Materials,Abastecimento de Matérias-primas
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,A data na qual a próxima nota fiscal será gerada. Ela é gerada ao enviar.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Ativo Circulante
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} não é um item de estoque
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} não é um item de estoque
DocType: Payment Entry,Received Amount (Company Currency),Total recebido (moeda da empresa)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,O Cliente em Potencial deve ser informado se a Oportunidade foi feita para um Cliente em Potencial.
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,Por favor selecione dia de folga semanal
DocType: Production Order Operation,Planned End Time,Horário Planejado de Término
,Sales Person Target Variance Item Group-Wise,Variação de Público do Vendedor por Grupo de Item
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Contas com transações existentes não pode ser convertidas em livro-razão
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Contas com transações existentes não pode ser convertidas em livro-razão
DocType: Delivery Note,Customer's Purchase Order No,Nº do Pedido de Compra do Cliente
DocType: Employee,Cell Number,Telefone Celular
apps/erpnext/erpnext/stock/reorder_item.py +177,Auto Material Requests Generated,Requisições de Material Geradas Automaticamente
@@ -521,10 +520,9 @@
DocType: Opportunity,Opportunity From,Oportunidade de
DocType: BOM,Website Specifications,Especificações do Site
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: A partir de {0} do tipo {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Linha {0}: Fator de Conversão é obrigatório
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Várias regras de preços existe com os mesmos critérios, por favor, resolver o conflito através da atribuição de prioridade. Regras Preço: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,Não é possível desativar ou cancelar BOM vez que está associada com outras BOMs
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Número Recibo de compra necessário para item {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Linha {0}: Fator de Conversão é obrigatório
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Várias regras de preços existe com os mesmos critérios, por favor, resolver o conflito através da atribuição de prioridade. Regras Preço: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Não é possível desativar ou cancelar BOM vez que está associada com outras BOMs
DocType: Item Attribute Value,Item Attribute Value,Item Atributo Valor
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Campanhas de vendas .
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Fazer Registro de Tempo
@@ -571,22 +569,22 @@
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +9,Partially Ordered,Parcialmente Comprados
DocType: Expense Claim Detail,Expense Claim Type,Tipo de Pedido de Reembolso de Despesas
DocType: Shopping Cart Settings,Default settings for Shopping Cart,As configurações padrão para Carrinho de Compras
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Despesas com Manutenção de Escritório
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Despesas com Manutenção de Escritório
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Configurando Conta de Email
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,"Por favor, indique primeiro item"
DocType: Account,Liability,Passivo
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Montante Sanctioned não pode ser maior do que na Reivindicação Montante Fila {0}.
DocType: Company,Default Cost of Goods Sold Account,Conta de Custo Padrão de Mercadorias Vendidas
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Lista de Preço não selecionado
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Lista de Preço não selecionado
DocType: Employee,Family Background,Antecedentes familiares
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Nenhuma permissão
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Para filtrar baseado em Sujeito, selecione o Tipo de Sujeito primeiro"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Atualização do Estoque 'não pode ser verificado porque os itens não são entregues via {0}"
DocType: Vehicle,Acquisition Date,Data da Aquisição
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Nos
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Nos
DocType: Item,Items with higher weightage will be shown higher,Os itens com maior weightage será mostrado maior
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Detalhe da conciliação bancária
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Linha # {0}: Ativo {1} deve ser apresentado
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Linha # {0}: Ativo {1} deve ser apresentado
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Nenhum colaborador encontrado
DocType: Item,If subcontracted to a vendor,Se subcontratada a um fornecedor
DocType: SMS Center,All Customer Contact,Todo o Contato do Cliente
@@ -597,10 +595,10 @@
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +344,"If you have any questions, please get back to us.","Se você tem alguma pergunta, por favor nos contate."
DocType: Item,Website Warehouse,Armazém do Site
DocType: Payment Reconciliation,Minimum Invoice Amount,Valor Mínimo da Fatura
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,O Registro de Tempo {0} está finalizado ou cancelado
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,O Registro de Tempo {0} está finalizado ou cancelado
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","O dia do mês em que auto factura será gerado por exemplo, 05, 28, etc"
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Pontuação deve ser inferior ou igual a 5
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,Registros C -Form
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,Registros C -Form
DocType: Email Digest,Email Digest Settings,Configurações do Resumo por Email
apps/erpnext/erpnext/config/support.py +12,Support queries from customers.,Suporte às perguntas de clientes.
DocType: HR Settings,Retirement Age,Idade para Aposentadoria
@@ -622,7 +620,7 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Pedido de Compra para Pagamento
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Qtde Projetada
DocType: Sales Invoice,Payment Due Date,Data de Vencimento
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Variant item {0} já existe com mesmos atributos
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Variant item {0} já existe com mesmos atributos
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','Abrindo'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Atribuições em aberto
DocType: Notification Control,Delivery Note Message,Mensagem da Guia de Remessa
@@ -636,11 +634,11 @@
DocType: Leave Block List Date,Leave Block List Date,Deixe Data Lista de Bloqueios
DocType: SMS Log,Requested Numbers,Números solicitadas
DocType: Production Planning Tool,Only Obtain Raw Materials,Obter somente matérias-primas
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Pagamento {0} está vinculado à Ordem de Compra {1}, verificar se ele deve ser puxado como adiantamento da presente fatura."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Pagamento {0} está vinculado à Ordem de Compra {1}, verificar se ele deve ser puxado como adiantamento da presente fatura."
DocType: Sales Invoice Item,Stock Details,Detalhes do Estoque
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Ponto de Vendas
DocType: Vehicle Log,Odometer Reading,Leitura do Odômetro
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","O saldo já está em crédito, você não tem a permissão para definir 'saldo deve ser' como 'débito'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","O saldo já está em crédito, você não tem a permissão para definir 'saldo deve ser' como 'débito'"
DocType: Account,Balance must be,O Saldo deve ser
DocType: Hub Settings,Publish Pricing,Publicar Pricing
DocType: Notification Control,Expense Claim Rejected Message,Mensagem de recusa do Pedido de Reembolso de Despesas
@@ -648,17 +646,17 @@
DocType: Purchase Invoice Item,Rejected Qty,Qtde Rejeitada
DocType: Salary Slip,Working Days,Dias úteis
DocType: Serial No,Incoming Rate,Valor de Entrada
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,O nome da sua empresa para a qual você está configurando o sistema.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,O nome da sua empresa para a qual você está configurando o sistema.
DocType: HR Settings,Include holidays in Total no. of Working Days,Incluir feriados no total de dias de trabalho
DocType: Job Applicant,Hold,Segurar
DocType: Employee,Date of Joining,Data da Contratação
DocType: Supplier Quotation,Is Subcontracted,É subcontratada
DocType: Item Attribute,Item Attribute Values,Valores dos Atributos
,Received Items To Be Billed,"Itens Recebidos, mas não Faturados"
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Cadastro de Taxa de Câmbio
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Cadastro de Taxa de Câmbio
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Incapaz de encontrar entalhe Tempo nos próximos {0} dias para a Operação {1}
DocType: Production Order,Plan material for sub-assemblies,Material de Plano de sub-conjuntos
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,LDM {0} deve ser ativa
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,LDM {0} deve ser ativa
DocType: Journal Entry,Depreciation Entry,Lançamento de Depreciação
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,"Por favor, selecione o tipo de documento primeiro"
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Cancelar Materiais Visitas {0} antes de cancelar este Manutenção Visita
@@ -671,11 +669,11 @@
apps/erpnext/erpnext/accounts/general_ledger.py +142,Please mention Round Off Account in Company,"Por favor, mencione completam Conta in Company"
DocType: Purchase Receipt,Range,Alcance
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not active or does not exist,Colaborador {0} não está ativo ou não existe
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Não é possível {0} {1} {2} sem qualquer fatura pendente
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Não é possível {0} {1} {2} sem qualquer fatura pendente
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Adiantamento da Nota Fiscal de Compra
DocType: Hub Settings,Sync Now,Sincronizar agora
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Linha {0}: Lançamento de crédito não pode ser relacionado a uma {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Defina orçamento para um ano fiscal.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Defina orçamento para um ano fiscal.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Conta do Banco/Caixa padrão será atualizada automaticamente na nota fiscal do PDV quando este modo for selecionado.
DocType: Lead,LEAD-,CLIENTE-POTENCIAL-
DocType: Employee,Permanent Address Is,Endereço permanente é
@@ -683,20 +681,20 @@
DocType: Item,Is Purchase Item,É item de compra
DocType: Asset,Purchase Invoice,Nota Fiscal de Compra
DocType: Stock Ledger Entry,Voucher Detail No,Nº do Detalhe do Comprovante
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Nova Nota Fiscal de Venda
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Nova Nota Fiscal de Venda
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Abertura Data e Data de Fechamento deve estar dentro mesmo ano fiscal
DocType: Lead,Request for Information,Solicitação de Informação
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sincronizar Faturas Offline
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Sincronizar Faturas Offline
DocType: Program Fee,Program Fee,Taxa do Programa
DocType: Material Request Item,Lead Time Date,Prazo de Entrega
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,é obrigatório. Talvez o registro de taxas de câmbios não está criado para
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Favor especificar Sem Serial para item {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Para os itens 'pacote de produtos ", Armazém, Serial e não há Batch Não será considerada a partir do' Packing List 'tabela. Se Warehouse e Batch Não são as mesmas para todos os itens de embalagem para qualquer item de 'Bundle Produto', esses valores podem ser inseridos na tabela do item principal, os valores serão copiados para 'Packing List' tabela."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Favor especificar Sem Serial para item {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Para os itens 'pacote de produtos ", Armazém, Serial e não há Batch Não será considerada a partir do' Packing List 'tabela. Se Warehouse e Batch Não são as mesmas para todos os itens de embalagem para qualquer item de 'Bundle Produto', esses valores podem ser inseridos na tabela do item principal, os valores serão copiados para 'Packing List' tabela."
DocType: Job Opening,Publish on website,Publicar no site
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Entregas para clientes.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,A data da nota fiscal do fornecedor não pode ser maior do que data do lançamento
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,A data da nota fiscal do fornecedor não pode ser maior do que data do lançamento
DocType: Purchase Invoice Item,Purchase Order Item,Item do Pedido de Compra
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Receita Indireta
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Receita Indireta
DocType: Student Attendance Tool,Student Attendance Tool,Ferramenta de Presença dos Alunos
DocType: Cheque Print Template,Date Settings,Configurações de Data
DocType: SMS Center,Total Message(s),Total de mensagem(s)
@@ -709,13 +707,13 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0}: Payment against Sales/Purchase Order should always be marked as advance,Linha {0}: O pagamento relacionado a Pedidos de Compra/Venda deve ser sempre marcado como adiantamento
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,químico
DocType: BOM,Raw Material Cost(Company Currency),Custo da matéria-prima (moeda da empresa)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Todos os itens já foram transferidos para esta ordem de produção.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Todos os itens já foram transferidos para esta ordem de produção.
DocType: Workstation,Electricity Cost,Custo de Energia Elétrica
DocType: HR Settings,Don't send Employee Birthday Reminders,Não envie aos colaboradores lembretes de aniversários
DocType: BOM Website Item,BOM Website Item,LDM do Item do Site
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Publique sua cabeça letra e logotipo. (Você pode editá-las mais tarde).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Publique sua cabeça letra e logotipo. (Você pode editá-las mais tarde).
DocType: SMS Center,All Lead (Open),Todos os Clientes em Potencial em Aberto
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Linha {0}: Qtde não disponível do item {4} no armazén {1} no horário do lançamento ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Linha {0}: Qtde não disponível do item {4} no armazén {1} no horário do lançamento ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Obter adiantamentos pagos
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,Fazer
DocType: Journal Entry,Total Amount in Words,Valor total por extenso
@@ -723,11 +721,11 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Meu carrinho
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Tipo de Ordem deve ser uma das {0}
DocType: Lead,Next Contact Date,Data do Próximo Contato
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Qtde Abertura
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Qtde Abertura
DocType: Student Batch Name,Student Batch Name,Nome da Série de Alunos
DocType: Holiday List,Holiday List Name,Nome da Lista de Feriados
DocType: Repayment Schedule,Balance Loan Amount,Saldo do Empréstimo
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Opções de Compra
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Opções de Compra
DocType: Journal Entry Account,Expense Claim,Pedido de Reembolso de Despesas
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Você realmente deseja restaurar este ativo descartado?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Qtde para {0}
@@ -739,7 +737,7 @@
DocType: Packing Slip Item,Packing Slip Item,Item da Guia de Remessa
DocType: Purchase Invoice,Cash/Bank Account,Conta do Caixa/Banco
DocType: Delivery Note,Delivery To,Entregar Para
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,A tabela de atributos é obrigatório
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,A tabela de atributos é obrigatório
DocType: Production Planning Tool,Get Sales Orders,Obter Pedidos de Venda
DocType: Asset,Total Number of Depreciations,Número Total de Depreciações
DocType: Workstation,Wages,Salário
@@ -752,7 +750,6 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +124,You are the Expense Approver for this record. Please Update the 'Status' and Save,Você é o aprovador de despesa para esse registro. Atualize o 'Status' e salve
DocType: Serial No,Creation Document No,Número de Criação do Documento
DocType: Asset,Scrapped,Sucateada
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,A conta não coincide com a Empresa
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Atributos para item variantes. por exemplo, tamanho, cor etc."
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,Armazén de Trabalho em Andamento
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +195,Serial No {0} is under maintenance contract upto {1},Nº de Série {0} está sob contrato de manutenção até {1}
@@ -761,7 +758,7 @@
DocType: GL Entry,Against,Contra
DocType: Item,Default Selling Cost Center,Centro de Custo Padrão de Vendas
DocType: Sales Partner,Implementation Partner,Parceiro de implementação
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,CEP
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,CEP
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Pedido de Venda {0} é {1}
DocType: Opportunity,Contact Info,Informações para Contato
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Fazendo Lançamentos no Estoque
@@ -775,10 +772,10 @@
DocType: Sales Person,Select company name first.,Selecione o nome da empresa por primeiro.
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Orçamentos recebidos de fornecedores.
DocType: Opportunity,Your sales person who will contact the customer in future,Seu vendedor entrará em contato com o cliente no futuro
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Lista de alguns de seus fornecedores. Eles podem ser empresas ou pessoas físicas.
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,Todas as LDMs
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Lista de alguns de seus fornecedores. Eles podem ser empresas ou pessoas físicas.
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Todas as LDMs
DocType: Expense Claim,From Employee,Do Colaborador
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Aviso : O sistema não irá verificar superfaturamento uma vez que o valor para o item {0} em {1} é zero
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Aviso : O sistema não irá verificar superfaturamento uma vez que o valor para o item {0} em {1} é zero
DocType: Journal Entry,Make Difference Entry,Criar Lançamento de Contrapartida
DocType: Upload Attendance,Attendance From Date,Data Inicial de Comparecimento
DocType: Appraisal Template Goal,Key Performance Area,Área de performance principal
@@ -793,13 +790,13 @@
,Ordered Items To Be Billed,"Itens Vendidos, mas não Faturados"
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,De Gama tem de ser inferior à gama
DocType: Global Defaults,Global Defaults,Padrões Globais
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Convite para Colaboração em Projeto
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Convite para Colaboração em Projeto
DocType: Purchase Invoice,Start date of current invoice's period,Data de início do período de fatura atual
DocType: Salary Slip,Leave Without Pay,Licença não remunerada
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Erro de Planejamento de Capacidade
,Trial Balance for Party,Balancete para o Sujeito
DocType: Salary Slip,Earnings,Ganhos
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,O Item finalizado {0} deve ser digitado para a o lançamento de tipo de fabricação
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,O Item finalizado {0} deve ser digitado para a o lançamento de tipo de fabricação
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Saldo de Abertura da Conta
DocType: Sales Invoice Advance,Sales Invoice Advance,Adiantamento da Nota Fiscal de Venda
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Nada para pedir
@@ -817,13 +814,13 @@
DocType: Sales Invoice Item,UOM Conversion Factor,Fator de Conversão da Unidade de Medida
DocType: Stock Settings,Default Item Group,Grupo de Itens padrão
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Banco de dados do fornecedor.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Centro de Custos para Item com Código '
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Centro de Custos para Item com Código '
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Seu vendedor receberá um lembrete nesta data para contatar o cliente
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Outras contas podem ser feitas em Grupos, mas as entradas podem ser feitas contra os Não-Grupos"
DocType: Lead,Lead,Cliente em Potencial
DocType: Email Digest,Payables,Contas a pagar
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Lançamento de Estoque {0} criado
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Linha # {0}: Qtde rejeitada não pode ser lançada na devolução da compra
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Linha # {0}: Qtde rejeitada não pode ser lançada na devolução da compra
,Purchase Order Items To Be Billed,"Itens Comprados, mas não Faturados"
DocType: Purchase Invoice Item,Purchase Invoice Item,Item da Nota Fiscal de Compra
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +58,Stock Ledger Entries and GL Entries are reposted for the selected Purchase Receipts,Banco de Ledger Entradas e GL As entradas são reenviados para os recibos de compra selecionados
@@ -843,10 +840,10 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +45,Item {0} must be a non-stock item,Item {0} deve ser um item não inventariado
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Ver Livro Razão
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Mais antigas
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Um grupo de itens existe com o mesmo nome, por favor, mude o nome do item ou mude o nome do grupo de itens"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Celular do Aluno
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Celular do Aluno
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Resto do Mundo
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Um grupo de itens existe com o mesmo nome, por favor, mude o nome do item ou mude o nome do grupo de itens"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Celular do Aluno
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Celular do Aluno
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Resto do Mundo
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,O item {0} não pode ter Batch
,Budget Variance Report,Relatório de Variação de Orçamento
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Registro Contábil
@@ -871,38 +868,37 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Não autorizado para editar conta congelada {0}
DocType: Journal Entry,Get Outstanding Invoices,Obter notas pendentes
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Pedido de Venda {0} não é válido
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Desculpe , as empresas não podem ser mescladas"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Desculpe , as empresas não podem ser mescladas"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",A quantidade total Saída / Transferir {0} na Requisição de Material {1} \ não pode ser maior do que a quantidade solicitada {2} para o Item {3}
DocType: Employee,Employee Number,Número do Colaborador
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Processo n º (s) já está em uso . Tente de Processo n {0}
,Invoiced Amount (Exculsive Tax),Valor Faturado (Sem Impostos)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Número 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Conta {0} criado
DocType: Training Event,Training Event,Evento de Treinamento
DocType: Item,Auto re-order,Reposição Automática
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Total de Alcançados
DocType: Employee,Place of Issue,Local de Envio
DocType: Email Digest,Add Quote,Adicionar Citar
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},Fator de Conversão de Unidade de Medida é necessário para Unidade de Medida: {0} no Item: {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Fator de Conversão de Unidade de Medida é necessário para Unidade de Medida: {0} no Item: {1}
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Linha {0}: Qtde é obrigatória
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sincronizar com o Servidor
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Seus Produtos ou Serviços
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sincronizar com o Servidor
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Seus Produtos ou Serviços
DocType: Mode of Payment,Mode of Payment,Forma de Pagamento
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Site de imagem deve ser um arquivo público ou URL do site
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Site de imagem deve ser um arquivo público ou URL do site
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Este é um grupo de itens de raiz e não pode ser editada.
DocType: Journal Entry Account,Purchase Order,Pedido de Compra
DocType: Vehicle,Fuel UOM,UDM do Combustível
DocType: Warehouse,Warehouse Contact Info,Informações de Contato do Armazén
DocType: Payment Entry,Write Off Difference Amount,Valor da diferença do abatimento
DocType: Purchase Invoice,Recurring Type,Tipo de recorrência
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: Email do colaborador não encontrado, portanto o email não foi enviado"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: Email do colaborador não encontrado, portanto o email não foi enviado"
DocType: Email Digest,Annual Income,Receita Anual
DocType: Serial No,Serial No Details,Detalhes do Nº de Série
DocType: Purchase Invoice Item,Item Tax Rate,Alíquota do Imposto do Item
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Por {0}, apenas as contas de crédito pode ser ligado contra outro lançamento de débito"
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Item {0} deve ser um item do sub- contratados
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Bens de Capital
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Item {0} deve ser um item do sub- contratados
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Bens de Capital
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Regra de Preços é o primeiro selecionado com base em ""Aplicar On 'campo, que pode ser Item, item de grupo ou Marca."
DocType: Hub Settings,Seller Website,Site do Vendedor
apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Porcentagem total alocado para a equipe de vendas deve ser de 100
@@ -923,17 +919,17 @@
DocType: Workstation,Workstation Name,Nome da Estação de Trabalho
DocType: Grading Scale Interval,Grade Code,Código de Nota de Avaliação
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Resumo por Email:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},A LDM {0} não pertencem ao Item {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},A LDM {0} não pertencem ao Item {1}
DocType: Sales Partner,Target Distribution,Distribuição de metas
DocType: Salary Slip,Bank Account No.,Nº Conta Bancária
DocType: Naming Series,This is the number of the last created transaction with this prefix,Este é o número da última transação criada com este prefixo
DocType: BOM Operation,Workstation,Estação de Trabalho
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Solicitação de Orçamento para Fornecedor
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Ferramentas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Ferramentas
DocType: Sales Order,Recurring Upto,recorrente Upto
DocType: Attendance,HR Manager,Gerente de RH
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,"Por favor, selecione uma empresa"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Privilege Deixar
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,"Por favor, selecione uma empresa"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Privilege Deixar
DocType: Purchase Invoice,Supplier Invoice Date,Data de emissão da nota fiscal
DocType: Appraisal Template Goal,Appraisal Template Goal,Meta do Modelo de Avaliação
DocType: Salary Component,Earning,Ganho
@@ -942,7 +938,7 @@
DocType: Purchase Taxes and Charges,Add or Deduct,Adicionar ou Reduzir
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Condições sobreposição encontradas entre :
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Contra Journal Entry {0} já é ajustado contra algum outro comprovante
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Alimentos
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Alimentos
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Faixa de Envelhecimento 3
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Moeda da Conta de encerramento deve ser {0}
apps/erpnext/erpnext/hr/doctype/appraisal_template/appraisal_template.py +21,Sum of points for all goals should be 100. It is {0},Soma de pontos para todos os objetivos deve inteirar 100. (valor atual: {0})
@@ -966,18 +962,17 @@
DocType: Sales Order Item,Planned Quantity,Quantidade Planejada
DocType: Purchase Invoice Item,Item Tax Amount,Valor do Imposto do Item
DocType: Item,Maintain Stock,Manter Estoque
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Lançamentos no Estoque já criados para Ordem de Produção
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Lançamentos no Estoque já criados para Ordem de Produção
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Variação Líquida do Ativo Imobilizado
DocType: Leave Control Panel,Leave blank if considered for all designations,Deixe em branco se considerado para todas as designações
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Armazém é obrigatório para contas não-grupo do tipo estoque
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge do tipo ' real ' na linha {0} não pode ser incluído no item Taxa
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Charge do tipo ' real ' na linha {0} não pode ser incluído no item Taxa
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,A partir da data e hora
apps/erpnext/erpnext/config/support.py +17,Communication log.,Log de Comunicação.
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Buying Amount,Valor de Compra
DocType: Sales Invoice,Shipping Address Name,Endereço de Entrega
DocType: Material Request,Terms and Conditions Content,Conteúdo dos Termos e Condições
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Item {0} não é um item de estoque
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Item {0} não é um item de estoque
DocType: Maintenance Visit,Unscheduled,Sem Agendamento
DocType: Salary Detail,Depends on Leave Without Pay,Depende de licença sem vencimento
,Purchase Invoice Trends,Tendência de Notas Fiscais de Compra
@@ -994,28 +989,28 @@
Used for Taxes and Charges",Detalhe da tabela de imposto obtido a partir do cadastro do item como texto e armazenado neste campo. Usado para Tributos e Encargos
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Colaborador não pode denunciar a si mesmo.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Se a conta for congelada, os lançamentos só serão permitidos aos usuários restritos."
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Contabilidade de entrada para {0}: {1} só pode ser feito em moeda: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Contabilidade de entrada para {0}: {1} só pode ser feito em moeda: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Perfil da vaga, qualificações exigidas, etc."
DocType: Journal Entry Account,Account Balance,Saldo da conta
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Regra de imposto para transações.
DocType: Rename Tool,Type of document to rename.,Tipo de documento a ser renomeado.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Nós compramos este item
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Nós compramos este item
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Um cliente é necessário contra contas a receber {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Total de impostos e taxas (moeda da empresa)
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +92,{0} {1}: Account {2} is inactive,{0} {1}: Conta {2} está inativa
DocType: BOM,Scrap Material Cost(Company Currency),Custo de material de sucata (moeda da empresa)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Subconjuntos
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Subconjuntos
DocType: Shipping Rule Condition,To Value,Para o Valor
DocType: Asset Movement,Stock Manager,Gerente de Estoque
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},O armazén de origem é obrigatório para a linha {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Guia de Remessa
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Aluguel do Escritório
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},O armazén de origem é obrigatório para a linha {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Guia de Remessa
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Aluguel do Escritório
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Configurações de gateway SMS Setup
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Falha na Importação!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Nenhum endereço adicionado ainda.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Nenhum endereço adicionado ainda.
DocType: Workstation Working Hour,Workstation Working Hour,Hora de Trabalho da Estação de Trabalho
DocType: Item,Sales Details,Detalhes de Vendas
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,Qtde Entrada
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,Qtde Entrada
DocType: Notification Control,Expense Claim Rejected,Pedido de Reembolso de Despesas Rejeitado
DocType: Item,Item Attribute,Atributos do Item
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Variantes dos Itens
@@ -1027,9 +1022,8 @@
DocType: Leave Type,Is Leave Without Pay,É Licença não remunerada
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Nenhum registro encontrado na tabela de pagamento
DocType: Student Attendance Tool,Students HTML,Alunos HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Exercício Data de Início
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Lista(s) de embalagem cancelada(s)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Frete e Encargos de Envio
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Frete e Encargos de Envio
DocType: Homepage,Company Tagline for website homepage,O Slogan da Empresa para página inicial do site
DocType: Item Group,Item Group Name,Nome do Grupo de Itens
DocType: Pricing Rule,For Price List,Para Lista de Preço
@@ -1068,15 +1062,15 @@
,POS,PDV
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Saldo de Abertura do Estoque
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} deve aparecer apenas uma vez
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Não é permitido o tranferir mais do que {0} {1} no Pedido de Compra {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Não é permitido o tranferir mais do que {0} {1} no Pedido de Compra {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Folhas atribuídos com sucesso para {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Nenhum item para embalar
DocType: Shipping Rule Condition,From Value,De Valor
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Manufacturing Quantidade é obrigatório
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Manufacturing Quantidade é obrigatório
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Se for selecionado, a Página Inicial será o Grupo de Itens padrão do site"
apps/erpnext/erpnext/config/hr.py +127,Claims for company expense.,Os pedidos de despesa da empresa.
DocType: Company,Default Holiday List,Lista Padrão de Feriados
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Passivo Estoque
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Passivo Estoque
DocType: Purchase Invoice,Supplier Warehouse,Armazén do Fornecedor
DocType: Opportunity,Contact Mobile No,Celular do Contato
,Material Requests for which Supplier Quotations are not created,"Itens Requisitados, mas não Cotados"
@@ -1084,7 +1078,7 @@
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +20,Resend Payment Email,Reenviar email de pagamento
apps/erpnext/erpnext/templates/pages/projects.html +27,New task,Nova Tarefa
apps/erpnext/erpnext/config/selling.py +216,Other Reports,Relatórios Adicionais
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Fator de conversão de unidade de medida padrão deve ser 1 na linha {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Fator de conversão de unidade de medida padrão deve ser 1 na linha {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Deixar do tipo {0} não pode ser maior que {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Tente planejar operações para X dias de antecedência.
DocType: HR Settings,Stop Birthday Reminders,Interromper lembretes de aniversários
@@ -1092,7 +1086,7 @@
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Quantidade Consumida
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Variação Líquida em Dinheiro
DocType: Assessment Plan,Grading Scale,Escala de avaliação
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unidade de Medida {0} foi inserida mais de uma vez na Tabela de Conversão de Fator
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unidade de Medida {0} foi inserida mais de uma vez na Tabela de Conversão de Fator
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,Já concluído
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Pedido de Pagamento já existe {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Custo dos Produtos Enviados
@@ -1103,10 +1097,10 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serial Não {0} {1} quantidade não pode ser uma fração
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Cadastro de Tipo de Fornecedor
DocType: Purchase Order Item,Supplier Part Number,Número da Peça do Fornecedor
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} está cancelado ou parado
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} está cancelado ou parado
DocType: Accounts Settings,Credit Controller,Controlador de crédito
DocType: Delivery Note,Vehicle Dispatch Date,Data da Expedição
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Recibo de compra {0} não é enviado
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Recibo de compra {0} não é enviado
DocType: Company,Default Payable Account,Contas a Pagar Padrão
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Configurações do carrinho de compras on-line, tais como regras de navegação, lista de preços etc."
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Qtde Reservada
@@ -1116,7 +1110,7 @@
DocType: Appraisal,For Employee,Para o Colaborador
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +138,Row {0}: Advance against Supplier must be debit,Linha {0}: Adiantamento relacionado com o fornecedor deve ser um débito
DocType: Expense Claim,Total Amount Reimbursed,Quantia total reembolsada
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Relacionado à nota fiscal do fornecedor nº {0} emitida em {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Relacionado à nota fiscal do fornecedor nº {0} emitida em {1}
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Registro de Movimentação de Ativos {0} criado
DocType: Journal Entry,Entry Type,Tipo de Lançamento
,Customer Credit Balance,Saldo de Crédito do Cliente
@@ -1124,7 +1118,7 @@
apps/erpnext/erpnext/config/accounts.py +142,Update bank payment dates with journals.,Atualizar datas de pagamento bancário com livro Diário.
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Precificação
DocType: Quotation,Term Details,Detalhes dos Termos
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Não é possível inscrever mais de {0} alunos neste grupo de alunos.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Não é possível inscrever mais de {0} alunos neste grupo de alunos.
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} deve ser maior que 0
DocType: Manufacturing Settings,Capacity Planning For (Days),Planejamento de capacidade para (Dias)
apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Cotação
@@ -1140,7 +1134,7 @@
DocType: Sales Invoice,Packed Items,Pacotes de Itens
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Reclamação de Garantia contra nº de Série
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Substituir um especial BOM em todas as outras listas de materiais em que é utilizado. Ele irá substituir o antigo link BOM, atualizar o custo e regenerar ""BOM Explosão item"" mesa como por nova BOM"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Total'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Total'
DocType: Employee,Permanent Address,Endereço permanente
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
than Grand Total {2}",Adiantamento pago contra {0} {1} não pode ser maior do que o Total Geral {2}
@@ -1151,34 +1145,33 @@
DocType: Selling Settings,Selling Settings,Configurações de Vendas
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,"Por favor, especifique a quantidade ou Taxa de Valorização ou ambos"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,Realização
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Despesas com Marketing
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Despesas com Marketing
,Item Shortage Report,Relatório de Escassez de Itens
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Peso é mencionado, \n Também mencione ""Unidade de Medida de Peso"""
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Peso é mencionado, \n Também mencione ""Unidade de Medida de Peso"""
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Requisição de Material usada para fazer esta Entrada de Material
apps/erpnext/erpnext/config/support.py +32,Single unit of an Item.,Unidade única de um item.
DocType: Fee Category,Fee Category,Categoria de Taxas
,Student Fee Collection,Cobrança de Taxa do Aluno
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Fazer lançamento contábil para cada movimento de estoque
DocType: Leave Allocation,Total Leaves Allocated,Total de licenças alocadas
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Armazén necessário na Linha nº {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,"Por favor, indique datas inicial e final válidas do Ano Financeiro"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Armazén necessário na Linha nº {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,"Por favor, indique datas inicial e final válidas do Ano Financeiro"
DocType: Employee,Date Of Retirement,Data da aposentadoria
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,Configuração do ERPNext Concluída!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Configuração do ERPNext Concluída!
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: Centro de Custo é necessário para a conta de ""Lucros e Perdas"" {2}. Por favor, crie um Centro de Custo padrão para a Empresa."
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Existe um grupo de clientes com o mesmo nome, por favor modifique o nome do cliente ou renomeie o grupo de clientes"
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Novo Contato
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Existe um grupo de clientes com o mesmo nome, por favor modifique o nome do cliente ou renomeie o grupo de clientes"
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Novo Contato
DocType: Territory,Parent Territory,Território pai
DocType: Stock Entry,Material Receipt,Entrada de Material
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Se este item tem variantes, então ele não pode ser selecionado em pedidos de venda etc."
DocType: Lead,Next Contact By,Próximo Contato Por
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Quantidade necessária para item {0} na linha {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},Armazém {0} não pode ser excluído pois existe quantidade para item {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Quantidade necessária para item {0} na linha {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Armazém {0} não pode ser excluído pois existe quantidade para item {1}
DocType: Purchase Invoice,Notification Email Address,Endereço de email de notificação
,Item-wise Sales Register,Registro de Vendas por Item
DocType: Asset,Gross Purchase Amount,Valor Bruto de Compra
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Offline
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,Offline
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Este Imposto Está Incluído na Base de Cálculo?
-DocType: Program Course,Required,Necessário
DocType: Job Applicant,Applicant for a Job,Candidato à uma Vaga
DocType: Production Plan Material Request,Production Plan Material Request,Requisição de Material do Planejamento de Produção
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Não há ordens de produção criadas
@@ -1187,27 +1180,27 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Permitir vários Pedidos de Venda relacionados ao Pedido de Compra do Cliente
DocType: Naming Series,Set prefix for numbering series on your transactions,Definir prefixo para séries de numeração em suas transações
DocType: Employee Attendance Tool,Employees HTML,Colaboradores HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,LDM Padrão ({0}) precisa estar ativo para este item ou o seu modelo
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,LDM Padrão ({0}) precisa estar ativo para este item ou o seu modelo
DocType: Employee,Leave Encashed?,Licenças Cobradas?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,"O campo ""Oportunidade de"" é obrigatório"
DocType: Email Digest,Annual Expenses,Despesas Anuais
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Criar Pedido de Compra
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Criar Pedido de Compra
DocType: Payment Reconciliation Payment,Allocated amount,Quantidade atribuída
DocType: Stock Reconciliation,Stock Reconciliation,Conciliação de Estoque
DocType: Territory,Territory Name,Nome do Território
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +175,Work-in-Progress Warehouse is required before Submit,Armazén de Trabalho em Andamento é necessário antes de Enviar
apps/erpnext/erpnext/config/hr.py +40,Applicant for a Job.,Candidato à uma Vaga.
DocType: Supplier,Statutory info and other general information about your Supplier,Informações contratuais e outras informações gerais sobre o seu fornecedor
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Contra Journal Entry {0} não tem qualquer {1} entrada incomparável
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Contra Journal Entry {0} não tem qualquer {1} entrada incomparável
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Duplicar Serial Não entrou para item {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,A condição para uma regra de Remessa
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,"Por favor, defina o filtro com base em artigo ou Armazém"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,"Por favor, defina o filtro com base em artigo ou Armazém"
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),O peso líquido do pacote. (Calculado automaticamente como soma do peso líquido dos itens)
DocType: Sales Order,To Deliver and Bill,Para Entregar e Faturar
DocType: GL Entry,Credit Amount in Account Currency,Crédito em moeda da conta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,LDM {0} deve ser enviada
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,LDM {0} deve ser enviada
DocType: Authorization Control,Authorization Control,Controle de autorização
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Linha # {0}: Armazén Rejeitado é obrigatório para o item rejeitado {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Linha # {0}: Armazén Rejeitado é obrigatório para o item rejeitado {1}
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Gerir seus pedidos
DocType: Production Order Operation,Actual Time and Cost,Tempo e Custo Real
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Requisição de Material de no máximo {0} pode ser feita para item {1} relacionado à ordem de venda {2}
@@ -1217,10 +1210,10 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +159,"Asset cannot be cancelled, as it is already {0}","Activo não podem ser canceladas, como já é {0}"
apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Empacotar itens no momento da venda.
DocType: Quotation Item,Actual Qty,Qtde Real
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",Liste os produtos ou serviços que você comprar ou vender.
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",Liste os produtos ou serviços que você comprar ou vender.
DocType: Hub Settings,Hub Node,Hub Node
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Você digitou itens duplicados . Por favor, corrigir e tentar novamente."
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Associado
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Associado
DocType: Asset Movement,Asset Movement,Movimentação de Ativos
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Item {0} não é um item serializado
DocType: SMS Center,Create Receiver List,Criar Lista de Receptor
@@ -1237,10 +1230,10 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Pode se referir linha apenas se o tipo de acusação é 'On Anterior Valor Row ' ou ' Previous Row Total'
DocType: Sales Order Item,Delivery Warehouse,Armazén de Entrega
DocType: SMS Settings,Message Parameter,Parâmetro da mensagem
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Árvore de Centros de Custo.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Árvore de Centros de Custo.
DocType: Serial No,Delivery Document No,Nº do Documento de Entrega
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Item {0} aparece várias vezes na Lista de Preço {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Venda deve ser verificada, se for caso disso for selecionado como {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Venda deve ser verificada, se for caso disso for selecionado como {0}"
DocType: Production Plan Material Request,Material Request Date,Data da Requisição de Material
DocType: Purchase Order Item,Supplier Quotation Item,Item do Orçamento de Fornecedor
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Desabilita a criação de Registros de Tempo contra ordens de produção. As operações não devem ser rastreadas contra a ordem de produção
@@ -1273,9 +1266,9 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Isto é baseado no movimento de estoque. Veja o {0} para maiores detalhes
DocType: Employee,Salary Information,Informação Salarial
DocType: Sales Person,Name and Employee ID,Nome e ID do Colaborador
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,A data de vencimento não pode ser anterior à data de postagem
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,A data de vencimento não pode ser anterior à data de postagem
DocType: Website Item Group,Website Item Group,Grupo de Itens do Site
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Impostos e Contribuições
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Impostos e Contribuições
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,"Por favor, indique data de referência"
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} entradas de pagamento não podem ser filtrados por {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,Tabela para o item que será mostrado no Web Site
@@ -1289,8 +1282,8 @@
DocType: Sales Invoice Payment,Base Amount (Company Currency),Valor Base (moeda da empresa)
DocType: Installation Note,Installation Time,O tempo de Instalação
DocType: Sales Invoice,Accounting Details,Detalhes da Contabilidade
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Apagar todas as transações para esta empresa
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"Linha # {0}: Operação {1} não está completa para {2} qtde de produtos acabados na ordem de produção # {3}. Por favor, atualize o status da operação via Registros de Tempo"
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Apagar todas as transações para esta empresa
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"Linha # {0}: Operação {1} não está completa para {2} qtde de produtos acabados na ordem de produção # {3}. Por favor, atualize o status da operação via Registros de Tempo"
DocType: Issue,Resolution Details,Detalhes da Solução
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,alocações
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +163,Please enter Material Requests in the above table,Por favor insira as Requisições de Material na tabela acima
@@ -1309,17 +1302,17 @@
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +342,Make Payment,Fazer Pagamento
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Deixe não pode ser aplicada / cancelada antes {0}, como saldo licença já tenha sido no futuro recorde alocação licença encaminhadas-carry {1}"
DocType: Activity Cost,Costing Rate,Preço de Custo
-,Customer Addresses And Contacts,Endereços e Contatos do Cliente
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Endereços e Contatos do Cliente
DocType: Employee,Resignation Letter Date,Data da Carta de Demissão
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +39,Pricing Rules are further filtered based on quantity.,As regras de tarifação são ainda filtrados com base na quantidade.
DocType: Task,Total Billing Amount (via Time Sheet),Total Faturado (via Registro de Tempo)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Receita Clientes Repetidos
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) deve ter o papel 'Aprovador de Despesas'
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Selecionar LDM e quantidade para produção
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Selecionar LDM e quantidade para produção
DocType: Asset,Depreciation Schedule,Tabela de Depreciação
DocType: Bank Reconciliation Detail,Against Account,Contra à Conta
DocType: Item,Has Batch No,Tem nº de Lote
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Faturamento Anual: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Faturamento Anual: {0}
DocType: Delivery Note,Excise Page Number,Número de página do imposto
DocType: Asset,Purchase Date,Data da Compra
DocType: Employee,Personal Details,Detalhes pessoais
@@ -1327,8 +1320,8 @@
,Maintenance Schedules,Horários de Manutenção
DocType: Task,Actual End Date (via Time Sheet),Data Final Real (via Registro de Tempo)
,Quotation Trends,Tendência de Orçamentos
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Grupo item não mencionado no mestre de item para item {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,De débito em conta deve ser uma conta a receber
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Grupo item não mencionado no mestre de item para item {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,De débito em conta deve ser uma conta a receber
DocType: Shipping Rule Condition,Shipping Amount,Valor do Transporte
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Total pendente
,Vehicle Expenses,Despesas com Veículos
@@ -1347,18 +1340,17 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,O pedido de reembolso de despesas está pendente de aprovação. Somente o aprovador de despesas pode atualizar o status.
DocType: Email Digest,New Expenses,Novas despesas
DocType: Purchase Invoice,Additional Discount Amount,Total do Desconto Adicional
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Linha #{0}: A qtde deve ser 1, pois o item é um ativo imobilizado. Por favor, utilize uma linha separada para múltiplas qtdes."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Linha #{0}: A qtde deve ser 1, pois o item é um ativo imobilizado. Por favor, utilize uma linha separada para múltiplas qtdes."
DocType: Leave Block List Allow,Leave Block List Allow,Deixe Lista de Bloqueios Permitir
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Abbr não pode estar em branco ou espaço
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr não pode estar em branco ou espaço
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Grupo para Não-Grupo
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Esportes
DocType: Loan Type,Loan Name,Nome do Empréstimo
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Total Atual
DocType: Student Siblings,Student Siblings,Irmãos do Aluno
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,"Por favor, especifique Empresa"
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,"Por favor, especifique Empresa"
,Customer Acquisition and Loyalty,Aquisição de Clientes e Fidelização
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Armazén onde você está mantendo estoque de itens rejeitados
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Seu exercício fiscal termina em
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} é agora o Ano Fiscal padrão. Por favor, atualize seu navegador para que a alteração tenha efeito."
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Relatórios de Despesas
DocType: Issue,Support,Pós-Vendas
@@ -1370,12 +1362,12 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Da balança em Batch {0} se tornará negativo {1} para item {2} no Armazém {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,As seguintes Requisições de Material foram criadas automaticamente com base no nível de reposição do item
DocType: Email Digest,Pending Sales Orders,Pedidos de Venda Pendentes
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Conta {0} é inválido. Conta de moeda deve ser {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Conta {0} é inválido. Conta de moeda deve ser {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Fator de Conversão da Unidade de Medida é necessário na linha {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Linha #{0}: O Tipo de Documento de Referência deve ser um Pedido de Venda, uma Nota Fiscal de Venda ou um Lançamento Contábil"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Linha #{0}: O Tipo de Documento de Referência deve ser um Pedido de Venda, uma Nota Fiscal de Venda ou um Lançamento Contábil"
DocType: Stock Reconciliation Item,Amount Difference,Valor da Diferença
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Item Preço adicionada para {0} na lista de preços {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Item Preço adicionada para {0} na lista de preços {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Digite o ID de Colaborador deste Vendedor
DocType: Territory,Classification of Customers by region,Classificação dos clientes por região
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,O Valor da Diferença deve ser zero
@@ -1385,13 +1377,13 @@
apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +748,Quotation,Orçamento
DocType: Salary Slip,Total Deduction,Dedução total
,Production Analytics,Análise de Produção
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Item {0} já foi devolvido
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Item {0} já foi devolvido
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,O **Ano Fiscal** representa um exercício financeiro. Todos os lançamentos contábeis e outras transações principais são rastreadas contra o **Ano Fiscal**.
DocType: Opportunity,Customer / Lead Address,Endereço do Cliente/Cliente em Potencial
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Aviso: certificado SSL inválido no anexo {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Aviso: certificado SSL inválido no anexo {0}
DocType: Production Order Operation,Actual Operation Time,Tempo Real da Operação
DocType: Authorization Rule,Applicable To (User),Aplicável Para (Usuário)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Descrição do Trabalho
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Descrição do Trabalho
DocType: Sales Invoice Item,Qty as per Stock UOM,Qtde por UDM do Estoque
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Caracteres especiais, exceto ""-"" ""."", ""#"", e ""/"", não são permitidos em nomeação em série"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Mantenha o controle de campanhas de vendas. Mantenha o controle de Clientes em Potencial, Orçamentos, Pedidos de Venda, de Campanhas e etc, para medir retorno sobre o investimento."
@@ -1401,21 +1393,20 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Nº de Série {0} está na garantia até {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Dividir Guia de Remessa em pacotes.
apps/erpnext/erpnext/hooks.py +87,Shipments,Entregas
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,O saldo da conta {1} ({0}) e o valor do estoque ({2}) para o armazém {3} devem ser os mesmos
DocType: Payment Entry,Total Allocated Amount (Company Currency),Total alocado (moeda da empresa)
DocType: Purchase Order Item,To be delivered to customer,Para ser entregue ao cliente
DocType: BOM,Scrap Material Cost,Custo do Material Sucateado
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,O Nº de Série {0} não pertence a nenhum Armazén
DocType: Purchase Invoice,In Words (Company Currency),Por extenso (moeda da empresa)
DocType: Global Defaults,Default Company,Empresa padrão
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Despesa ou Diferença conta é obrigatória para item {0} como ela afeta o valor das ações em geral
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Despesa ou Diferença conta é obrigatória para item {0} como ela afeta o valor das ações em geral
DocType: Employee Loan,Employee Loan Account,Conta de Empréstimo para Colaboradores
DocType: Leave Application,Total Leave Days,Total de dias de licença
DocType: Email Digest,Note: Email will not be sent to disabled users,Observação: Emails não serão enviado para usuários desabilitados
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Selecione a Empresa...
DocType: Leave Control Panel,Leave blank if considered for all departments,Deixe em branco se considerado para todos os departamentos
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Tipos de emprego (permanente , contrato, estagiário, etc.)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} é obrigatório para o item {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} é obrigatório para o item {1}
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Por favor, selecione montante atribuído, tipo de fatura e número da fatura em pelo menos uma fileira"
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Custo da Nova Compra
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +94,Sales Order required for Item {0},Pedido de Venda necessário para o item {0}
@@ -1431,7 +1422,7 @@
DocType: Bank Guarantee,Bank Guarantee,Garantia Bancária
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,"Por favor, clique em ""Gerar Agenda"" para obter cronograma"
DocType: Bin,Ordered Quantity,Quantidade Encomendada
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","ex: ""Desenvolve ferramentas para construtores """
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","ex: ""Desenvolve ferramentas para construtores """
DocType: Grading Scale,Grading Scale Intervals,Intervalos da escala de avaliação
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Entradas contabeis para {2} só pode ser feito em moeda: {3}
DocType: Production Order,In Process,Em Processo
@@ -1442,8 +1433,8 @@
apps/erpnext/erpnext/config/stock.py +315,Serialized Inventory,Inventário por Nº de Série
DocType: Activity Type,Default Billing Rate,Preço de Faturamento Padrão
DocType: Sales Invoice,Total Billing Amount,Valor Total do Faturamento
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Contas a Receber
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Linha # {0}: Ativo {1} já é {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Contas a Receber
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Linha # {0}: Ativo {1} já é {2}
DocType: Quotation Item,Stock Balance,Balanço de Estoque
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Pedido de Venda para Pagamento
DocType: Expense Claim Detail,Expense Claim Detail,Detalhe do Pedido de Reembolso de Despesas
@@ -1462,21 +1453,21 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Os preços não serão mostrados se a lista de preços não estiver configurada
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Por favor, especifique um país para esta regra de envio ou verifique Transporte mundial"
DocType: Stock Entry,Total Incoming Value,Valor Total Recebido
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Para Débito é necessária
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Para Débito é necessária
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Preço de Compra Lista
DocType: Offer Letter Term,Offer Term,Termos da Oferta
DocType: Quality Inspection,Quality Manager,Gerente de Qualidade
DocType: Job Applicant,Job Opening,Vaga de Trabalho
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,"Por favor, selecione o nome do Incharge Pessoa"
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Total a Pagar: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Total a Pagar: {0}
DocType: BOM Website Operation,BOM Website Operation,LDM da Operação do Site
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Carta de Ofeta
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Gerar Requisições de Material (MRP) e Ordens de Produção.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Valor Total Faturado
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Valor Total Faturado
DocType: Timesheet Detail,To Time,Até o Horário
DocType: Authorization Rule,Approving Role (above authorized value),Função de Aprovador (para autorização de valor excedente)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,A conta de Crédito deve ser uma conta do Contas à Pagar
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},LDM recursão: {0} não pode ser pai ou filho de {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,A conta de Crédito deve ser uma conta do Contas à Pagar
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},LDM recursão: {0} não pode ser pai ou filho de {2}
DocType: Production Order Operation,Completed Qty,Qtde Concluída
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Por {0}, apenas as contas de débito pode ser ligado contra outra entrada crédito"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Preço de {0} está desativado
@@ -1486,7 +1477,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} número de série é necessário para item {1}. Você forneceu {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Taxa Atual de Avaliação
DocType: Item,Customer Item Codes,Código do Item para o Cliente
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Ganho/Perda com Câmbio
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Ganho/Perda com Câmbio
DocType: Opportunity,Lost Reason,Motivo da Perda
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Por favor insira o Documento de Recibo
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',"Por favor, especifique um válido 'De Caso No.'"
@@ -1497,15 +1488,14 @@
DocType: Bin,Actual Quantity,Quantidade Real
DocType: Shipping Rule,example: Next Day Shipping,exemplo: envio no dia seguinte
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial No {0} não foi encontrado
-DocType: Scheduling Tool,Student Batch,Série de Alunos
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Clientes
+DocType: Program Enrollment,Student Batch,Série de Alunos
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Fazer Aluno
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Você foi convidado para colaborar com o projeto: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Você foi convidado para colaborar com o projeto: {0}
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Aplique agora
,Bank Clearance Summary,Resumo da Liquidação Bancária
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Cria e configura as regras de recebimento de emails, como diário, semanal ou mensal."
DocType: Appraisal Goal,Appraisal Goal,Meta de Avaliação
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,Edifícios
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,Edifícios
DocType: Fee Structure,Fee Structure,Estrutura da Taxa
DocType: Timesheet Detail,Costing Amount,Valor de Custo
DocType: Process Payroll,Submit Salary Slip,Enviar Folha de Pagamentos
@@ -1519,13 +1509,13 @@
DocType: Manufacturing Settings,Capacity Planning,Planejamento de capacidade
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +43,'From Date' is required,Informe a 'Data Inicial'
DocType: Employee,Employment Details,Detalhes de emprego
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Nenhum artigo com código de barras {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Nenhum artigo com código de barras {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Caso n não pode ser 0
DocType: Item,Show a slideshow at the top of the page,Mostrar uma apresentação de slides no topo da página
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,LDMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,LDMs
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Envelhecimento Baseado em
DocType: Item,End of Life,Validade
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Viagem
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Viagem
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Não foi encontrada nenhuma Estrutura Salarial padrão ativa para o colaborador {0} ou para as datas indicadas
DocType: Leave Block List,Allow Users,Permitir que os usuários
DocType: Purchase Order,Customer Mobile No,Celular do Cliente
@@ -1535,20 +1525,20 @@
DocType: Item Reorder,Item Reorder,Reposição de Item
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Mostrar Contracheque
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Especificar as operações, custos operacionais e dar um número único de operação às suas operações."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Este documento está fora do limite {0} {1} para o item {4}. Você está fazendo outro(a) {3} relacionado(a) a(o) mesmo(a) {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,"Por favor, defina recorrentes depois de salvar"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Selecione a conta de troco
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Este documento está fora do limite {0} {1} para o item {4}. Você está fazendo outro(a) {3} relacionado(a) a(o) mesmo(a) {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,"Por favor, defina recorrentes depois de salvar"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Selecione a conta de troco
DocType: Naming Series,User must always select,O Usuário deve sempre selecionar
DocType: Stock Settings,Allow Negative Stock,Permitir Estoque Negativo
DocType: Topic,Topic,Tópico
DocType: Quality Inspection,Verified By,Verificado por
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Não é possível alterar a moeda padrão da empresa, porque existem operações existentes. Transações devem ser canceladas para alterar a moeda padrão."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Não é possível alterar a moeda padrão da empresa, porque existem operações existentes. Transações devem ser canceladas para alterar a moeda padrão."
DocType: Grading Scale Interval,Grade Description,Descrição da Nota de Avaliação
DocType: Stock Entry,Purchase Receipt No,Nº do Recibo de Compra
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Sinal/Garantia em Dinheiro
DocType: Process Payroll,Create Salary Slip,Criar Folha de Pagamento
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Fonte de recursos (passivos)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},A quantidade na linha {0} ( {1} ) deve ser a mesma que a quantidade fabricada {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Fonte de recursos (passivos)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},A quantidade na linha {0} ( {1} ) deve ser a mesma que a quantidade fabricada {2}
DocType: Appraisal,Employee,Colaborador
DocType: Training Event,End Time,Horário de Término
DocType: Payment Entry,Payment Deductions or Loss,Deduções ou perdas de pagamento
@@ -1558,7 +1548,7 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Obrigatório On
DocType: Rename Tool,File to Rename,Arquivo para Renomear
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},"Por favor, selecione LDM para o Item na linha {0}"
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},A LDM {0} especificada não existe para o Item {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},A LDM {0} especificada não existe para o Item {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Programação de Manutenção {0} deve ser cancelada antes de cancelar este Pedido de Venda
DocType: Notification Control,Expense Claim Approved,Pedido de Reembolso de Despesas Aprovado
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Contracheque do colaborador {0} já criado para este período
@@ -1572,18 +1562,18 @@
DocType: Upload Attendance,Attendance To Date,Data Final de Comparecimento
DocType: Warranty Claim,Raised By,Levantadas por
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,"Por favor, especifique Empresa proceder"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,compensatória Off
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,compensatória Off
DocType: Offer Letter,Accepted,Aceito
DocType: SG Creation Tool Course,Student Group Name,Nome do Grupo de Alunos
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Por favor, certifique-se de que você realmente quer apagar todas as operações para esta empresa. Os seus dados mestre vai permanecer como está. Essa ação não pode ser desfeita."
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Por favor, certifique-se de que você realmente quer apagar todas as operações para esta empresa. Os seus dados mestre vai permanecer como está. Essa ação não pode ser desfeita."
DocType: Room,Room Number,Número da Sala
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) não pode ser maior do que a quantidade planejada ({2}) na ordem de produção {3}
DocType: Shipping Rule,Shipping Rule Label,Rótudo da Regra de Envio
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Fórum de Usuários
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Matérias-primas não pode ficar em branco.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Não foi possível atualizar estoque, fatura contém gota artigo do transporte."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Matérias-primas não pode ficar em branco.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Não foi possível atualizar estoque, fatura contém gota artigo do transporte."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Lançamento no Livro Diário Rápido
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,Você não pode alterar a taxa se a LDM é mencionada em algum item
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,Você não pode alterar a taxa se a LDM é mencionada em algum item
DocType: Employee,Previous Work Experience,Experiência anterior de trabalho
DocType: Stock Entry,For Quantity,Para Quantidade
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},"Por favor, indique a qtde planejada para o item {0} na linha {1}"
@@ -1595,11 +1585,11 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,"Por favor, salve o documento antes de gerar programação de manutenção"
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Status do Projeto
DocType: UOM,Check this to disallow fractions. (for Nos),Marque esta opção para não permitir frações. (Para n)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,As ordens de produção seguintes foram criadas:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,As ordens de produção seguintes foram criadas:
DocType: Student Admission,Naming Series (for Student Applicant),Código dos Documentos (para condidato à vaga de estudo)
,Minutes to First Response for Opportunity,Minutos para Primeira Resposta em Oportunidades
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Total de faltas
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Item ou Armazén na linha {0} não corresponde à Requisição de Material
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Item ou Armazén na linha {0} não corresponde à Requisição de Material
DocType: Fiscal Year,Year End Date,Data final do ano
DocType: Task Depends On,Task Depends On,Tarefa depende de
,Completed Production Orders,Ordens Produzidas
@@ -1701,9 +1691,9 @@
DocType: Salary Structure,Total Earning,Total de ganhos
DocType: Purchase Receipt,Time at which materials were received,Horário em que os materiais foram recebidos
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Branch master da organização.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,ou
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,ou
DocType: Sales Order,Billing Status,Status do Faturamento
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Despesas com Serviços Públicos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Despesas com Serviços Públicos
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,Acima de 90
DocType: Buying Settings,Default Buying Price List,Lista de preço de compra padrão
DocType: Process Payroll,Salary Slip Based on Timesheet,Demonstrativo de pagamento baseado em controle de tempo
@@ -1727,7 +1717,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,O Documento de Recibo precisa ser enviado
DocType: Purchase Invoice Item,Received Qty,Qtde Recebida
DocType: Stock Entry Detail,Serial No / Batch,N º de Série / lote
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Não pago e não entregue
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Não pago e não entregue
DocType: Product Bundle,Parent Item,Item Pai
DocType: Delivery Note,DN-RET-,GDR-DEV
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +123,Leave Type {0} cannot be carry-forwarded,Deixe tipo {0} não pode ser encaminhado carry-
@@ -1756,19 +1746,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Regra de preços é feita para substituir Lista de Preços / define percentual de desconto, com base em alguns critérios."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Armazém só pode ser alterado através de entrada / entrega da nota / recibo de compra
DocType: Employee Education,Class / Percentage,Classe / Percentual
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Imposto de Renda
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Imposto de Renda
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Se regra de preços selecionado é feita por 'preço', ele irá substituir Lista de Preços. Preço regra de preço é o preço final, de forma que nenhum desconto adicional deve ser aplicada. Assim, em operações como Pedido de Venda, Pedido de Compra etc, será buscado no campo ""taxa"", ao invés de campo ""Valor na Lista de Preços""."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,"Rastreia Clientes em Potencial, por Segmento."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,"Por favor, insira o Código Item para obter lotes não"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},Por favor selecione um valor para {0} orçamento_para {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,"Por favor, insira o Código Item para obter lotes não"
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Por favor selecione um valor para {0} orçamento_para {1}
DocType: Company,Stock Settings,Configurações de Estoque
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","A fusão só é possível se seguintes propriedades são as mesmas em ambos os registros. É Group, tipo de raiz, Company"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Ganho/Perda no Descarte de Ativo
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","A fusão só é possível se seguintes propriedades são as mesmas em ambos os registros. É Group, tipo de raiz, Company"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Ganho/Perda no Descarte de Ativo
DocType: Training Event,Will send an email about the event to employees with status 'Open',Enviar um email sobre o evento para os colaboradores com status 'Aberto'
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Gerenciar grupos de clientes
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Novo Centro de Custo Nome
DocType: Leave Control Panel,Leave Control Panel,Painel de Controle de Licenças
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Esgotado
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Esgotado
DocType: Appraisal,HR User,Usuário do RH
apps/erpnext/erpnext/hooks.py +116,Issues,Incidentes
apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Status deve ser um dos {0}
@@ -1778,7 +1768,7 @@
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Admissões de Alunos
DocType: Supplier,Billing Currency,Moeda de Faturamento
DocType: Sales Invoice,SINV-RET-,NFV-DEV-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Extra Grande
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra Grande
,Profit and Loss Statement,Demonstrativo de Resultados
DocType: Bank Reconciliation Detail,Cheque Number,Número do cheque
DocType: Journal Entry,Total Credit,Crédito total
@@ -1790,11 +1780,11 @@
DocType: Vehicle Log,Fuel Qty,Qtde de Combustível
DocType: Production Order Operation,Planned Start Time,Horário Planejado de Início
DocType: Payment Entry Reference,Allocated,Alocado
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Fechar Balanço e livro ou perda .
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Fechar Balanço e livro ou perda .
DocType: Fees,Fees,Taxas
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Especifique Taxa de Câmbio para converter uma moeda em outra
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,O Orçamento {0} está cancelado
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Saldo devedor total
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Saldo devedor total
DocType: Price List,Price List Master,Cadastro da Lista de Preços
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Todas as transações de vendas pode ser marcado contra várias pessoas das vendas ** ** para que você pode definir e monitorar as metas.
,S.O. No.,Número da Ordem de Venda
@@ -1834,7 +1824,7 @@
1. Condições de entrega, se aplicável.
1. Formas de disputas de endereçamento, indenização, responsabilidade, etc.
1. Endereço e de contato da sua empresa."
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Despesa conta / Diferença ({0}) deve ser um 'resultados' conta
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Despesa conta / Diferença ({0}) deve ser um 'resultados' conta
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Comparecimento para o colaborador {0} já está marcado
DocType: Packing Slip,If more than one package of the same type (for print),Se mais do que uma embalagem do mesmo tipo (para impressão)
DocType: Warehouse,Parent Warehouse,Armazén Pai
@@ -1849,15 +1839,15 @@
DocType: Tax Rule,Use for Shopping Cart,Use para Compras
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Encargos serão distribuídos proporcionalmente com base na qtde de itens ou valor, conforme sua seleção"
DocType: Maintenance Visit,Purposes,Fins
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Pelo menos um item deve ser inserido com quantidade negativa no documento de devolução
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Pelo menos um item deve ser inserido com quantidade negativa no documento de devolução
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operação {0} mais do que as horas de trabalho disponíveis na estação de trabalho {1}, quebrar a operação em várias operações"
DocType: Account,Stock Received But Not Billed,"Itens Recebidos, mas não Faturados"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Conta raiz deve ser um grupo
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Conta raiz deve ser um grupo
DocType: Fees,FEE.,TAXA.
DocType: Item,Total Projected Qty,Quantidade Total Projetada
DocType: Monthly Distribution,Distribution Name,Nome da distribuição
DocType: Course,Course Code,Código do Curso
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Inspeção de Qualidade exigido para item {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Inspeção de Qualidade exigido para item {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Taxa na qual a moeda do cliente é convertida para a moeda base da empresa
DocType: Purchase Invoice Item,Net Rate (Company Currency),Preço líquido (moeda da empresa)
apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Gerenciar territórios
@@ -1867,7 +1857,7 @@
DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Criar registro bancário para o total pago de salários pelos critérios acima selecionados
DocType: Stock Entry,Material Transfer for Manufacture,Transferência de Material para Fabricação
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Percentual de desconto pode ser aplicado contra uma lista de preços ou para todos Lista de Preços.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Lançamento Contábil de Estoque
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Lançamento Contábil de Estoque
DocType: Sales Invoice,Sales Team1,Equipe de Vendas 1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Item {0} não existe
DocType: Sales Invoice,Customer Address,Endereço do Cliente
@@ -1875,22 +1865,22 @@
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Linha {0}: A qtde concluída deve superior a zero.
DocType: Purchase Invoice,Apply Additional Discount On,Aplicar Desconto Adicional em
DocType: Account,Root Type,Tipo de Raiz
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Linha # {0}: Não é possível retornar mais de {1} para o item {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Linha # {0}: Não é possível retornar mais de {1} para o item {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Plotar
DocType: Item Group,Show this slideshow at the top of the page,Mostrar esta apresentação de slides no topo da página
DocType: BOM,Item UOM,Unidade de Medida do Item
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Valor do imposto após desconto (moeda da empresa)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Destino do Warehouse é obrigatória para a linha {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Destino do Warehouse é obrigatória para a linha {0}
DocType: Purchase Invoice,Select Supplier Address,Selecione um Endereço do Fornecedor
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Adicionar Colaboradores
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Muito Pequeno
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Muito Pequeno
DocType: Company,Standard Template,Template Padrão
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Aviso: A quantidade de material solicitado é menor do que o Pedido Mínimo
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,A Conta {0} está congelada
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entidade Legal / Subsidiária com um gráfico separado de Contas pertencente à Organização.
DocType: Payment Request,Mute Email,Mudo Email
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Alimentos, Bebidas e Fumo"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Só pode fazer o pagamento contra a faturar {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Só pode fazer o pagamento contra a faturar {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Percentual de comissão não pode ser maior do que 100
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,"Por favor, indique {0} primeiro"
DocType: Production Order Operation,Actual End Time,Tempo Final Real
@@ -1902,10 +1892,10 @@
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Solicitação de orçamento.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Por favor, selecione o item em que "é o estoque item" é "Não" e "é o item Vendas" é "Sim" e não há nenhum outro pacote de produtos"
DocType: Student Log,Academic,Acadêmico
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Avanço total ({0}) contra Pedido {1} não pode ser maior do que o total geral ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Avanço total ({0}) contra Pedido {1} não pode ser maior do que o total geral ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Selecione distribuição mensal para distribuir desigualmente metas nos meses.
DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Lista de Preço Moeda não selecionado
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Lista de Preço Moeda não selecionado
,Student Monthly Attendance Sheet,Folha de Presença Mensal do Aluno
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Colaborador {0} já solicitou {1} entre {2} e {3}
DocType: Rename Tool,Rename Log,Renomear Log
@@ -1916,13 +1906,13 @@
DocType: C-Form,C-Form No,Nº do Formulário-C
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,Presença Desmarcada
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Pesquisador
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Pesquisador
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Ferramenta de Inscrição de Alunos no Programa
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Nome ou email é obrigatório
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Inspeção de qualidade de entrada.
DocType: Purchase Order Item,Returned Qty,Qtde Devolvida
DocType: Employee,Exit,Saída
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Tipo de Raiz é obrigatório
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Tipo de Raiz é obrigatório
DocType: BOM,Total Cost(Company Currency),Custo total (moeda da empresa)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Nº de Série {0} criado
DocType: Homepage,Company Description for website homepage,A Descrição da Empresa para a página inicial do site
@@ -1931,7 +1921,7 @@
DocType: Sales Invoice,Time Sheet List,Lista de Registros de Tempo
DocType: Employee,You can enter any date manually,Você pode inserir qualquer data manualmente
DocType: Asset Category Account,Depreciation Expense Account,Conta de Depreciação
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Período Probatório
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Período Probatório
DocType: Customer Group,Only leaf nodes are allowed in transaction,Somente nós-folha são permitidos em transações
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Row {0}: Avanço contra o Cliente deve estar de crédito
apps/erpnext/erpnext/accounts/doctype/account/account.js +66,Non-Group to Group,Não-Grupo para Grupo
@@ -1949,7 +1939,7 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Estoque Mínimo
DocType: Attendance,Attendance Date,Data de Comparecimento
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Separação Salário com base em salário e dedução.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Contas com nós filhos não podem ser convertidas em um livro-razão
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Contas com nós filhos não podem ser convertidas em um livro-razão
DocType: Purchase Invoice Item,Accepted Warehouse,Armazén Aceito
DocType: Bank Reconciliation Detail,Posting Date,Data da Postagem
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +203,Mark Half Day,Marcar Meio Período
@@ -1974,19 +1964,19 @@
DocType: Sales Order,% of materials billed against this Sales Order,% do material faturado deste Pedido de Venda
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Lançamento de Encerramento do Período
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Centro de custo com as operações existentes não podem ser convertidos em grupo
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Total {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Total {0} {1} {2} {3}
DocType: Employee Attendance Tool,Employee Attendance Tool,Ferramenta para Lançamento de Ponto
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Os Registos de Pagamento {0} não estão relacionados
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Os Registos de Pagamento {0} não estão relacionados
DocType: GL Entry,Voucher No,Nº do Comprovante
DocType: Leave Allocation,Leave Allocation,Alocação de Licenças
DocType: Training Event,Trainer Email,Email do Instrutor
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +546,Material Requests {0} created,Requisições de Material {0} criadas
DocType: Purchase Invoice,Address and Contact,Endereço e Contato
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},O estoque não pode ser atualizado em relação ao Recibo de Compra {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},O estoque não pode ser atualizado em relação ao Recibo de Compra {0}
DocType: Supplier,Last Day of the Next Month,Último dia do mês seguinte
DocType: Support Settings,Auto close Issue after 7 days,Fechar atuomaticamente o incidente após 7 dias
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Deixe não pode ser alocado antes {0}, como saldo licença já tenha sido no futuro recorde alocação licença encaminhadas-carry {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Observação: Devido / Data de referência excede dias de crédito de cliente permitido por {0} dia(s)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Observação: Devido / Data de referência excede dias de crédito de cliente permitido por {0} dia(s)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Inscrição do Aluno
DocType: Stock Settings,Freeze Stock Entries,Congelar Lançamentos no Estoque
DocType: Asset,Expected Value After Useful Life,Valor Esperado Após Sua Vida Útil
@@ -1999,18 +1989,17 @@
DocType: Quality Inspection,Outgoing,De Saída
DocType: Material Request,Requested For,Solicitado para
DocType: Quotation Item,Against Doctype,Contra o Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} está cancelado(a) ou fechado(a)
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} está cancelado(a) ou fechado(a)
DocType: Delivery Note,Track this Delivery Note against any Project,Acompanhar este Guia de Remessa contra qualquer projeto
-,Is Primary Address,É o endereço principal
DocType: Production Order,Work-in-Progress Warehouse,Armazén de Trabalho em Andamento
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,O Ativo {0} deve ser enviado
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},O registro de presença {0} já existe relaciolado ao Aluno {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},O registro de presença {0} já existe relaciolado ao Aluno {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Referência #{0} datado de {1}
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Gerenciar endereços
DocType: Serial No,Warranty / AMC Details,Garantia / Detalhes do CAM
DocType: Journal Entry,User Remark,Observação do Usuário
DocType: Lead,Market Segment,Segmento de Renda
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},O valor pago não pode ser superior ao saldo devedor {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},O valor pago não pode ser superior ao saldo devedor {0}
DocType: Employee Internal Work History,Employee Internal Work History,Histórico de Trabalho Interno do Colaborador
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Fechamento (Dr)
DocType: Cheque Print Template,Cheque Size,Tamanho da Folha de Cheque
@@ -2027,43 +2016,43 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Total Faturado
DocType: Asset,Double Declining Balance,Equilíbrio decrescente duplo
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,ordem fechada não pode ser cancelada. Unclose para cancelar.
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,"""Atualizar Estoque"" não pode ser selecionado para venda de ativo fixo"
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"""Atualizar Estoque"" não pode ser selecionado para venda de ativo fixo"
DocType: Bank Reconciliation,Bank Reconciliation,Conciliação bancária
DocType: Attendance,On Leave,De Licença
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Receber notícias
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Conta {2} não pertence à empresa {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Requisição de Material {0} é cancelada ou parada
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Adicione alguns registros de exemplo
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Adicione alguns registros de exemplo
DocType: Lead,Lower Income,Baixa Renda
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Conta diferença deve ser uma conta de tipo ativo / passivo, uma vez que este da reconciliação é uma entrada de Abertura"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Número do Pedido de Compra necessário para o item {0}
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Número do Pedido de Compra necessário para o item {0}
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',A 'Data Final' deve ser posterior a 'Data Inicial'
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Não é possível alterar o status pois o aluno {0} está relacionado à candidatura à vaga de estudo {1}
DocType: Asset,Fully Depreciated,Depreciados Totalmente
,Stock Projected Qty,Projeção de Estoque
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Cliente {0} não pertence ao projeto {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Cliente {0} não pertence ao projeto {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Presença marcante HTML
DocType: Sales Order,Customer's Purchase Order,Pedido de Compra do Cliente
apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Número de Série e Lote
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Valor ou Qtde
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Ordens de produção não puderam ser geradas para:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Ordens de produção não puderam ser geradas para:
DocType: Purchase Invoice,Purchase Taxes and Charges,Impostos e Encargos sobre Compras
,Qty to Receive,Qtde para Receber
DocType: Leave Block List,Leave Block List Allowed,Deixe Lista de Bloqueios admitidos
DocType: Grading Scale Interval,Grading Scale Interval,Intervalo da escala de avaliação
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Reembolso de Despesa para o Log do Veículo {0}
DocType: Sales Partner,Retailer,Varejista
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Para crédito de conta deve ser uma conta de Balanço
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Para crédito de conta deve ser uma conta de Balanço
DocType: Global Defaults,Disable In Words,Desativar por extenso
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,Código do item é obrigatório porque Item não é numerada automaticamente
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Código do item é obrigatório porque Item não é numerada automaticamente
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},O Orçamento {0} não é do tipo {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Ítem da Programação da Manutenção
DocType: Production Order,PRO-,OP-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Conta Bancária Garantida
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Conta Bancária Garantida
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Criar Folha de Pagamento
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Navegar LDM
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Por favor, defina as contas relacionadas com depreciação de ativos em Categoria {0} ou Empresa {1}"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Saldo de Abertura do Patrimônio Líquido
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Saldo de Abertura do Patrimônio Líquido
apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py +19,Date is repeated,Data é repetida
apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +27,Authorized Signatory,Signatário autorizado
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +215,Leave approver must be one of {0},Aprovador de Licenças deve ser um dos {0}
@@ -2073,7 +2062,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Perfil Aprovandor não pode ser o mesmo Perfil da regra é aplicável a
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Cancelar a inscrição neste Resumo por Email
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Mensagem enviada
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Conta com nós filho não pode ser definido como contabilidade
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Conta com nós filho não pode ser definido como contabilidade
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Taxa na qual a moeda da lista de preços é convertida para a moeda base do cliente
DocType: Purchase Invoice Item,Net Amount (Company Currency),Valor Líquido (moeda da empresa)
DocType: Salary Slip,Hour Rate,Valor por Hora
@@ -2098,7 +2087,7 @@
DocType: Expense Claim,Approval Status,Estado da Aprovação
DocType: Hub Settings,Publish Items to Hub,Publicar itens ao Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},Do valor deve ser menor do que o valor na linha {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,por transferência bancária
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,por transferência bancária
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Verifique todos
DocType: Vehicle Log,Invoice Ref,Nota Fiscal de Referência
DocType: Company,Default Income Account,Conta Padrão de Recebimento
@@ -2110,34 +2099,33 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Bancos e Pagamentos
,Welcome to ERPNext,Bem vindo ao ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Fazer um Orçamento
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,chamadas
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,chamadas
DocType: Project,Total Costing Amount (via Time Logs),Valor do Custo Total (via Registros de Tempo)
DocType: Purchase Order Item Supplied,Stock UOM,Unidade de Medida do Estoque
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Pedido de Compra {0} não é enviado
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Pedido de Compra {0} não é enviado
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serial Não {0} não pertence ao Armazém {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Nota : O sistema não irá verificar o excesso de entrega e sobre- reserva para item {0} como quantidade ou valor é 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Nota : O sistema não irá verificar o excesso de entrega e sobre- reserva para item {0} como quantidade ou valor é 0
DocType: Notification Control,Quotation Message,Mensagem do Orçamento
DocType: Employee Loan,Employee Loan Application,Pedido de Emprestimo de Colaborador
DocType: Purchase Receipt Item,Rate and Amount,Preço e Total
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Ambos Armazéns devem pertencer a mesma empresa
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Nenhum contato adicionado ainda.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Ambos Armazéns devem pertencer a mesma empresa
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Nenhum contato adicionado ainda.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Comprovante de Custo do Desembarque
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Faturas emitidas por Fornecedores.
DocType: POS Profile,Write Off Account,Conta de abatimentos
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Valor do Desconto
DocType: Purchase Invoice,Return Against Purchase Invoice,Devolução Relacionada à Nota Fiscal de Compra
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,ex: ICMS
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,ex: ICMS
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Subcontratação
DocType: Journal Entry Account,Journal Entry Account,Conta de Lançamento no Livro Diário
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Grupo de Alunos
DocType: Shopping Cart Settings,Quotation Series,Séries de Orçamento
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Um item existe com o mesmo nome ( {0}) , por favor, altere o nome do grupo de itens ou renomeie o item"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Selecione o cliente
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Um item existe com o mesmo nome ( {0}) , por favor, altere o nome do grupo de itens ou renomeie o item"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Selecione o cliente
DocType: Company,Asset Depreciation Cost Center,Centro de Custo do Ativo Depreciado
DocType: Sales Order Item,Sales Order Date,Data do Pedido de Venda
DocType: Sales Invoice Item,Delivered Qty,Qtde Entregue
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Se for selecionado, todos os subitens de cada item de produção serão incluídos nas Requisições de Material."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Armazém {0}: Empresa é obrigatório
DocType: Stock Settings,Limit Percent,Limite Percentual
,Payment Period Based On Invoice Date,Prazo Médio de Pagamento Baseado na Emissão da Nota
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Faltando taxas de câmbio para {0}
@@ -2150,13 +2138,13 @@
DocType: Lead,Address Desc,Descrição do Endereço
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,É obrigatório colocar o sujeito
DocType: Topic,Topic Name,Nome do tópico
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Pelo menos um dos Vendedores ou Compradores deve ser selecionado
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Selecione a natureza do seu negócio.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Pelo menos um dos Vendedores ou Compradores deve ser selecionado
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Selecione a natureza do seu negócio.
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Onde as operações de fabricação são realizadas.
DocType: Asset Movement,Source Warehouse,Armazém de origem
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Linha # {0}: Ativo {1} não pertence à empresa {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Linha # {0}: Ativo {1} não pertence à empresa {2}
DocType: C-Form,Total Invoiced Amount,Valor Total Faturado
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Qtde mínima não pode ser maior do que qtde máxima
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Qtde mínima não pode ser maior do que qtde máxima
DocType: Stock Entry,Customer or Supplier Details,Detalhes do Cliente ou Fornecedor
DocType: Lead,Lead Owner,Proprietário do Cliente em Potencial
DocType: Stock Settings,Auto Material Request,Requisição de Material Automática
@@ -2169,11 +2157,11 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Distribuição percentual mensal
DocType: Territory,Territory Targets,Metas do Território
DocType: Delivery Note,Transporter Info,Informações da Transportadora
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Por favor configure um(a) {0} padrão na empresa {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Por favor configure um(a) {0} padrão na empresa {1}
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Mesmo fornecedor foi inserido várias vezes
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Lucro / Prejuízo Bruto
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Item Fornecido do Pedido de Compra
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Nome da empresa não pode ser empresa
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Nome da empresa não pode ser empresa
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Cabeçalhos para modelos de impressão.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Títulos para modelos de impressão , por exemplo, Proforma Invoice ."
DocType: Student Guardian,Student Guardian,Responsável pelo Aluno
@@ -2183,7 +2171,7 @@
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Valor na LDM
DocType: Asset,Journal Entry for Scrap,Lançamento no Livro Diário para Sucata
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,"Por favor, puxar itens de entrega Nota"
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Lançamentos no Livro Diário {0} são desvinculados
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Lançamentos no Livro Diário {0} são desvinculados
DocType: Manufacturer,Manufacturers used in Items,Fabricantes utilizados em Itens
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,"Por favor, mencione completam centro de custo na empresa"
DocType: Purchase Invoice,Terms,Condições
@@ -2220,23 +2208,23 @@
DocType: Sales Order Item,Supplier delivers to Customer,O fornecedor entrega diretamente ao cliente
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,Não há [{0}] ({0}) em estoque.
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Próxima Data deve ser maior que data de lançamento
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Mostrar imposto detalhado
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Vencimento / Data de Referência não pode ser depois de {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Mostrar imposto detalhado
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Vencimento / Data de Referência não pode ser depois de {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Importação e Exportação de Dados
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Nenhum Aluno Encontrado
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Nenhum Aluno Encontrado
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Data do Lançamento da Fatura
DocType: Product Bundle,List items that form the package.,Lista de itens que compõem o pacote.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Percentual de alocação deve ser igual a 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,"Por favor, selecione data de lançamento antes de selecionar o sujeito"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,"Por favor, selecione data de lançamento antes de selecionar o sujeito"
DocType: Serial No,Out of AMC,Fora do CAM
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Criar Visita de Manutenção
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,"Por favor, entre em contato com um usuário que tem a função {0} Gerente de Cadastros de Vendas"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,"Por favor, entre em contato com um usuário que tem a função {0} Gerente de Cadastros de Vendas"
DocType: Company,Default Cash Account,Conta Caixa padrão
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,"Cadastro da Empresa (a própria companhia, não se refere ao cliente, nem ao fornecedor)"
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Isto é baseado na frequência do aluno
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',"Por favor, digite a ""Data Prevista de Entrega"""
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,A Guia de Remessa {0} deve ser cancelada antes de cancelar este Pedido de Venda
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Valor pago + Valor do abatimento não pode ser maior do que o total geral
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Valor pago + Valor do abatimento não pode ser maior do que o total geral
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} não é um número de lote válido para o item {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Nota: Não é suficiente equilíbrio pela licença Tipo {0}
DocType: Program Enrollment Fee,Program Enrollment Fee,Taxa de Inscrição no Programa
@@ -2257,13 +2245,12 @@
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Nota: Entrada pagamento não será criado desde 'Cash ou conta bancária ' não foi especificado
DocType: Sales Person,Sales Person Name,Nome do Vendedor
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,"Por favor, indique pelo menos uma fatura na tabela"
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Adicionar Usuários
DocType: POS Item Group,Item Group,Grupo de Itens
DocType: Item,Safety Stock,Estoque de Segurança
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Impostos e taxas acrescidos (moeda da empresa)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Item Imposto Row {0} deve ter em conta tipo de imposto ou de renda ou de despesa ou carregável
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,"Por favor, digite novamente o nome da empresa para confirmar"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Total devido
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Item Imposto Row {0} deve ter em conta tipo de imposto ou de renda ou de despesa ou carregável
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,"Por favor, digite novamente o nome da empresa para confirmar"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Total devido
DocType: Journal Entry,Printing Settings,Configurações de impressão
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Débito total deve ser igual ao total de crédito.
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Automotivo
@@ -2273,18 +2260,18 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,No Estoque:
DocType: Notification Control,Custom Message,Mensagem personalizada
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investimento Bancário
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Dinheiro ou conta bancária é obrigatória para a tomada de entrada de pagamento
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,internar
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Dinheiro ou conta bancária é obrigatória para a tomada de entrada de pagamento
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,internar
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Transações com ações antes {0} são congelados
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"Por favor, clique em ""Gerar Agenda"""
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","ex: Kg, Unidade, nº, m"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +122,Reference No is mandatory if you entered Reference Date,Referência Não é obrigatório se você entrou Data de Referência
apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must be greater than Date of Birth,Data de Contratação deve ser maior do que a Data de Nascimento
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Saída de Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Saída de Material
DocType: Material Request Item,For Warehouse,Para Armazén
DocType: Employee,Offer Date,Data da Oferta
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Orçamentos
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Você está em modo offline. Você não será capaz de recarregar até ter conexão.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,Você está em modo offline. Você não será capaz de recarregar até ter conexão.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Não foi criado nenhum grupo de alunos.
DocType: Purchase Invoice Item,Serial No,Nº de Série
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,"Por favor, indique Maintaince Detalhes primeiro"
@@ -2300,7 +2287,7 @@
DocType: Asset,Partially Depreciated,parcialmente depreciados
DocType: Issue,Opening Time,Horário de Abertura
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,De e datas necessárias
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',A unidade de medida padrão para a variante '{0}' deve ser o mesmo que no modelo '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',A unidade de medida padrão para a variante '{0}' deve ser o mesmo que no modelo '{1}'
DocType: Shipping Rule,Calculate Based On,Calcule Baseado em
DocType: Delivery Note Item,From Warehouse,Armazén de Origem
DocType: Assessment Plan,Supervisor Name,Nome do supervisor
@@ -2312,12 +2299,12 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Dias desde a última Ordem' deve ser maior ou igual a zero
DocType: Asset,Amended From,Corrigido a partir de
DocType: Leave Application,Follow via Email,Receber alterações por Email
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Instalações e Maquinários
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Instalações e Maquinários
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Total de Impostos Depois Montante do Desconto
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Configurações do Resumo de Trabalho Diário
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Existe uma conta inferior para esta conta. Você não pode excluir esta conta.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Existe uma conta inferior para esta conta. Você não pode excluir esta conta.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Ou qty alvo ou valor alvo é obrigatório
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Não existe LDM padrão para o item {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Não existe LDM padrão para o item {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,"Por favor, selecione Data de lançamento primeiro"
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Data de Abertura deve ser antes da Data de Fechamento
DocType: Leave Control Panel,Carry Forward,Encaminhar
@@ -2326,16 +2313,15 @@
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Criar Contracheques
DocType: Issue,Raised By (Email),Levantadas por (Email)
DocType: Training Event,Trainer Name,Nome do Instrutor
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Anexar Timbrado
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Não pode deduzir quando é para categoria ' Avaliação ' ou ' Avaliação e Total'
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lista de suas cabeças fiscais (por exemplo, IVA, etc aduaneiras; eles devem ter nomes exclusivos) e suas taxas normais. Isto irá criar um modelo padrão, que você pode editar e adicionar mais tarde."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lista de suas cabeças fiscais (por exemplo, IVA, etc aduaneiras; eles devem ter nomes exclusivos) e suas taxas normais. Isto irá criar um modelo padrão, que você pode editar e adicionar mais tarde."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Nº de Série Obrigatório para o Item Serializado {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Conciliação de Pagamentos
DocType: Journal Entry,Bank Entry,Lançamento Bancário
DocType: Authorization Rule,Applicable To (Designation),Aplicável Para (Designação)
,Profitability Analysis,Análise de Lucratividade
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Agrupar por
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Ativar / Desativar moedas.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Ativar / Desativar moedas.
DocType: Production Planning Tool,Get Material Request,Obter Requisições de Material
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Total (Quantia)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Entretenimento & Lazer
@@ -2362,7 +2348,7 @@
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Relatório da visita da chamada de manutenção.
DocType: Stock Entry,Update Rate and Availability,Atualizar Valor e Disponibilidade
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Percentagem que estão autorizados a receber ou entregar mais contra a quantidade encomendada. Por exemplo: Se você encomendou 100 unidades. e seu subsídio é de 10%, então você está autorizada a receber 110 unidades."
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Conta de despesa é obrigatória para item {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Conta de despesa é obrigatória para item {0}
DocType: BOM,Website Description,Descrição do Site
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Mudança no Patrimônio Líquido
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Por favor cancelar a Nota Fiscal de Compra {0} primeiro
@@ -2370,14 +2356,14 @@
,Sales Register,Registro de Vendas
DocType: Daily Work Summary Settings Company,Send Emails At,Enviar Emails em
DocType: Quotation,Quotation Lost Reason,Motivo da perda do Orçamento
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Selecione o seu Domínio
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Referência da transação nº {0} em {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Selecione o seu Domínio
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Referência da transação nº {0} em {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Não há nada a ser editado.
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Demonstrativo de Fluxo de Caixa
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},"Por favor, remova esta Invoice {0} a partir de C-Form {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},"Por favor, remova esta Invoice {0} a partir de C-Form {1}"
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Por favor selecione Encaminhar se você também quer incluir o saldo de licenças do ano fiscal anterior neste ano fiscal
DocType: GL Entry,Against Voucher Type,Contra o Tipo de Comprovante
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,"Por favor, indique a conta de abatimento"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,"Por favor, indique a conta de abatimento"
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Data do último pedido
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Conta {0} não pertence à empresa {1}
DocType: Student,Guardian Details,Detalhes do Responsável
@@ -2395,18 +2381,18 @@
DocType: Payment Entry,Account Paid To,Recebido na Conta
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Pai item {0} não deve ser um item da
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Orçamento para a Conta {1} contra o {2} {3} é {4}. Ele irá exceder em {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',"Linha {0} # A conta deve ser do tipo ""Ativo Imobilizado"""
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Qtde Saída
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Regras para calcular valor de frete para uma venda
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',"Linha {0} # A conta deve ser do tipo ""Ativo Imobilizado"""
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Qtde Saída
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Regras para calcular valor de frete para uma venda
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Série é obrigatório
DocType: Student Sibling,Student ID,ID do Aluno
apps/erpnext/erpnext/config/projects.py +40,Types of activities for Time Logs,Tipos de Atividades para Registros de Tempo
DocType: Stock Entry Detail,Basic Amount,Valor Base
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Armazém necessário para o ítem do estoque {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Armazém necessário para o ítem do estoque {0}
DocType: Leave Allocation,Unused leaves,Folhas não utilizadas
DocType: Tax Rule,Billing State,Estado de Faturamento
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} não está associado com a Conta do Sujeito {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Buscar LDM explodida (incluindo sub-conjuntos )
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} não está associado com a Conta do Sujeito {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Buscar LDM explodida (incluindo sub-conjuntos )
DocType: Authorization Rule,Applicable To (Employee),Aplicável para (Colaborador)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Due Date é obrigatória
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Atributo incremento para {0} não pode ser 0
@@ -2445,16 +2431,16 @@
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +62,Total Revenue,Receita total
DocType: Sales Invoice,Product Bundle Help,Pacote de Produtos Ajuda
,Monthly Attendance Sheet,Folha de Ponto Mensal
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Nenhum registro encontrado
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Nenhum registro encontrado
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Custo do Ativo Sucateado
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Centro de Custo é obrigatória para item {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Centro de Custo é obrigatória para item {2}
DocType: Vehicle,Policy No,Nº da Apólice
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Obter Itens do Pacote de Produtos
DocType: Asset,Straight Line,Linha reta
DocType: Project User,Project User,Usuário do Projeto
DocType: GL Entry,Is Advance,É Adiantamento
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Data de Início do Comparecimento e Data Final de Comparecimento é obrigatória
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,"Por favor, digite ' é subcontratado ""como Sim ou Não"
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,"Por favor, digite ' é subcontratado ""como Sim ou Não"
DocType: Sales Team,Contact No.,Nº Contato.
DocType: Bank Reconciliation,Payment Entries,Lançamentos de Pagamentos
DocType: Program Enrollment Tool,Get Students From,Obter Alunos de
@@ -2468,44 +2454,44 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,"Não é possível converter Centro de Custo de contabilidade , uma vez que tem nós filhos"
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Valor de Abertura
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial #
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Linha # {0}: Ativo {1} não pode ser enviado, já é {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Linha # {0}: Ativo {1} não pode ser enviado, já é {2}"
DocType: Tax Rule,Billing Country,País de Faturamento
DocType: Purchase Order Item,Expected Delivery Date,Data Prevista de Entrega
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,O Débito e Crédito não são iguais para {0} # {1}. A diferença é de {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Despesas com Entretenimento
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Fazer Requisição de Material
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Despesas com Entretenimento
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Fazer Requisição de Material
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Abrir Item {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,A Nota Fiscal de Venda {0} deve ser cancelada antes de cancelar este Pedido de Venda
DocType: Sales Invoice Timesheet,Billing Amount,Total para Faturamento
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Quantidade inválido especificado para o item {0} . Quantidade deve ser maior do que 0 .
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Solicitações de licença.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Contas com transações existentes não pode ser excluídas
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Contas com transações existentes não pode ser excluídas
DocType: Vehicle,Last Carbon Check,Última Inspeção de Emissão de Carbono
DocType: Purchase Invoice,Posting Time,Horário da Postagem
DocType: Timesheet,% Amount Billed,Valor Faturado %
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Despesas com Telefone
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Despesas com Telefone
DocType: Sales Partner,Logo,Logotipo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Marque esta opção se você deseja forçar o usuário a selecionar uma série antes de salvar. Não haverá nenhum padrão se você marcar isso.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Nenhum Item com Nº de Série {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Nenhum Item com Nº de Série {0}
DocType: Payment Entry,Difference Amount (Company Currency),Ttoal da diferença (moeda da empresa)
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} é um endereço de e-mail inválido em 'Notificação \ Endereço de Email'
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Receita com novos clientes
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Despesas com viagem
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Despesas com viagem
DocType: Maintenance Visit,Breakdown,Pane
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,A Conta: {0} com moeda: {1} não pode ser selecionada
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Conta {0}: A Conta Superior {1} não pertence à empresa: {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,A Conta: {0} com moeda: {1} não pode ser selecionada
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Conta {0}: A Conta Superior {1} não pertence à empresa: {2}
DocType: Program Enrollment Tool,Student Applicants,Candidatos à Vaga de Estudo
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Todas as transações relacionadas a esta empresa foram excluídas com sucesso!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Todas as transações relacionadas a esta empresa foram excluídas com sucesso!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Como na Data
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Provação
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Devolução / Nota de Crédito
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Quantia total paga
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Provação
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Devolução / Nota de Crédito
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Quantia total paga
DocType: Production Order Item,Transferred Qty,Qtde Transferida
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Planejamento
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planejamento
DocType: Project,Total Billing Amount (via Time Logs),Valor Total do Faturamento (via Time Logs)
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,ID do Fornecedor
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Quantidade deve ser maior do que 0
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,ID do Fornecedor
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Quantidade deve ser maior do que 0
DocType: Journal Entry,Cash Entry,Entrada de Caixa
DocType: Sales Partner,Contact Desc,Descrição do Contato
apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Tipo de licenças como casual, doença, etc."
@@ -2516,28 +2502,28 @@
DocType: Production Order,Total Operating Cost,Custo de Operacional Total
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Observação: O Item {0} foi inserido mais de uma vez
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Todos os Contatos.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Sigla da Empresa
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Sigla da Empresa
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Usuário {0} não existe
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,Matéria-prima não pode ser o mesmo como o principal item
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Matéria-prima não pode ser o mesmo como o principal item
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Pagamento já existe
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Não authroized desde {0} excede os limites
apps/erpnext/erpnext/config/hr.py +110,Salary template master.,Modelo de cadastro de salário.
DocType: Leave Type,Max Days Leave Allowed,Período máximo de Licença
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Conjunto de regras de imposto por carrinho de compras
,Sales Funnel,Funil de Vendas
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Abreviatura é obrigatória
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Abreviatura é obrigatória
,Qty to Transfer,Qtde para Transferir
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Cotações para Clientes em Potencial ou Clientes.
DocType: Stock Settings,Role Allowed to edit frozen stock,Papel permissão para editar estoque congelado
,Territory Target Variance Item Group-Wise,Variação Territorial de Público por Grupo de Item
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Todos os grupos de clientes
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} é obrigatório. Talvez o valor de câmbio não exista de {1} para {2}.
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Todos os grupos de clientes
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} é obrigatório. Talvez o valor de câmbio não exista de {1} para {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Modelo de impostos é obrigatório.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Conta {0}: A Conta Superior {1} não existe
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Conta {0}: A Conta Superior {1} não existe
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Preço da Lista de Preços (moeda da empresa)
DocType: Products Settings,Products Settings,Configurações de Produtos
DocType: Monthly Distribution Percentage,Percentage Allocation,Alocação Percentual
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,secretário
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,secretário
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Desativa campo ""por extenso"" em qualquer tipo de transação"
DocType: Serial No,Distinct unit of an Item,Unidade distinta de um item
DocType: Pricing Rule,Buying,Compras
@@ -2549,14 +2535,13 @@
,Item-wise Price List Rate,Lista de Preços por Item
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Orçamento de Fornecedor
DocType: Quotation,In Words will be visible once you save the Quotation.,Por extenso será visível quando você salvar o orçamento.
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Código de barras {0} já utilizado em item {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Código de barras {0} já utilizado em item {1}
DocType: Lead,Add to calendar on this date,Adicionar data ao calendário
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Regras para adicionar os custos de envio .
DocType: Item,Opening Stock,Abertura de Estoque
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,O Cliente é obrigatório
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} é obrigatório para Devolução
DocType: Purchase Order,To Receive,Receber
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,usuario@exemplo.com.br
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Variância total
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Se ativado, o sistema irá postar lançamentos contábeis para o inventário automaticamente."
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +15,Brokerage,Corretagem
@@ -2567,11 +2552,11 @@
DocType: Customer,From Lead,Do Cliente em Potencial
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Ordens liberadas para produção.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Selecione o Ano Fiscal ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,Perfil do PDV necessário para fazer entrada no PDV
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,Perfil do PDV necessário para fazer entrada no PDV
DocType: Program Enrollment Tool,Enroll Students,Matricular Alunos
DocType: Hub Settings,Name Token,Nome do token
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Venda padrão
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Pelo menos um armazém é obrigatório
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Pelo menos um armazém é obrigatório
DocType: Serial No,Out of Warranty,Fora de Garantia
DocType: Production Order,Unstopped,Retomado
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} contra Nota Fiscal de Vendas {1}
@@ -2583,7 +2568,7 @@
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Pagamento da Conciliação de Pagamento
DocType: BOM Item,BOM No,Nº da LDM
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Lançamento no Livro Diário {0} não tem conta {1} ou já conciliado com outro comprovante
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,Equipamentos Eletrônicos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,Equipamentos Eletrônicos
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Folhas devem ser alocados em múltiplos de 0,5"
DocType: Production Order,Operation Cost,Custo da Operação
apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,Carregar comparecimento a partir de um arquivo CSV.
@@ -2610,17 +2595,15 @@
DocType: Employee,Held On,Realizada em
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Bem de Produção
,Employee Information,Informações do Colaborador
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Percentual (%)
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Data do Encerramento do Exercício Fiscal
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Percentual (%)
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Não é possível filtrar com base no Comprovante Não, se agrupados por voucher"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Criar Orçamento do Fornecedor
DocType: BOM,Materials Required (Exploded),Materiais necessários (lista explodida)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Adicione usuários à sua organização, além de você mesmo"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Número de ordem {1} não coincide com {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Casual Deixar
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Casual Deixar
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Observação: {0}
,Delivery Note Trends,Tendência de Remessas
-,In Stock Qty,Quantidade no Estoque
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Quantidade no Estoque
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Conta: {0} só pode ser atualizado via transações de ações
DocType: GL Entry,Party,Sujeito
DocType: Opportunity,Opportunity Date,Data da Oportunidade
@@ -2628,7 +2611,7 @@
DocType: Request for Quotation Item,Request for Quotation Item,Solicitação de Orçamento do Item
DocType: Purchase Order,To Bill,Para Faturar
DocType: Material Request,% Ordered,% Comprado
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,trabalho por peça
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,trabalho por peça
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Méd. Valor de Compra
DocType: Task,Actual Time (in Hours),Tempo Real (em horas)
DocType: Employee,History In Company,Histórico na Empresa
@@ -2641,27 +2624,25 @@
DocType: Employee Loan,Rate of Interest (%) / Year,Taxa de Juros (%) / Ano
DocType: Loan Type,Rate of Interest (%) Yearly,Taxa de Juros (%) Anual
DocType: SMS Settings,SMS Settings,Configurações de SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Contas Temporárias
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Contas Temporárias
DocType: BOM Explosion Item,BOM Explosion Item,Item da Explosão da LDM
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Lista de Preços {0} está desativada ou não existe
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Lista de Preços {0} está desativada ou não existe
DocType: Purchase Invoice,Return,Devolução
DocType: Production Order Operation,Production Order Operation,Ordem de produção Operation
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Activo {0} não pode ser descartado, uma vez que já é {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Reivindicação Despesa Total (via Despesa Claim)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,ID do Cliente
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Marcar Ausente
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Linha {0}: Moeda da LDM # {1} deve ser igual à moeda selecionada {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Linha {0}: Moeda da LDM # {1} deve ser igual à moeda selecionada {2}
DocType: Journal Entry Account,Exchange Rate,Taxa de Câmbio
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Pedido de Venda {0} não foi enviado
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Pedido de Venda {0} não foi enviado
DocType: Homepage,Tag Line,Slogan
DocType: Fee Component,Fee Component,Componente da Taxa
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Armazém {0}: Conta Superior {1} não pertence à empresa {2}
DocType: BOM,Last Purchase Rate,Valor da Última Compra
DocType: Project Task,Task ID,ID Tarefa
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Stock não pode existir por item {0} já que tem variantes
,Sales Person-wise Transaction Summary,Resumo de Vendas por Vendedor
DocType: Training Event,Contact Number,Telefone para Contato
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Armazém {0} não existe
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Armazém {0} não existe
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Cadastre-se no ERPNext Hub
DocType: Monthly Distribution,Monthly Distribution Percentages,Percentagens distribuição mensal
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,O item selecionado não pode ter Batch
@@ -2672,27 +2653,27 @@
DocType: Payment Entry,Paid Amount,Valor pago
,Available Stock for Packing Items,Estoque Disponível para o Empacotamento de Itens
DocType: Item Variant,Item Variant,Item Variant
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","O saldo já está em débito, você não tem permissão para definir 'saldo deve ser' como 'crédito'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","O saldo já está em débito, você não tem permissão para definir 'saldo deve ser' como 'crédito'"
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Item {0} foi desativado
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},"Por favor, indique a quantidade de item {0}"
DocType: Employee External Work History,Employee External Work History,Histórico de Trabalho Externo do Colaborador
DocType: Tax Rule,Purchase,Compras
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Qtde Balanço
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Qtde Balanço
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Objetivos não podem estar em branco
DocType: Item Group,Parent Item Group,Grupo de item pai
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Taxa na qual a moeda do fornecedor é convertida para a moeda base da empresa
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: conflitos Timings com linha {1}
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Várias estruturas salariais ativas encontradas para o colaboador {0} para as datas indicadas
DocType: Opportunity,Next Contact,Próximo Contato
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Configuração contas Gateway.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Configuração contas Gateway.
DocType: Employee,Employment Type,Tipo de Emprego
DocType: Payment Entry,Set Exchange Gain / Loss,Definir Perda/Ganho com Câmbio
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Período de aplicação não pode ser através de dois registros de alocação
DocType: Item Group,Default Expense Account,Conta Padrão de Despesa
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Email do Aluno
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Email do Aluno
DocType: Employee,Notice (days),Aviso Prévio ( dias)
DocType: Tax Rule,Sales Tax Template,Modelo de Impostos sobre Vendas
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Selecione os itens para salvar a nota
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Selecione os itens para salvar a nota
DocType: Employee,Encashment Date,Data da cobrança
DocType: Account,Stock Adjustment,Ajuste do estoque
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Existe Atividade Custo Padrão para o Tipo de Atividade - {0}
@@ -2716,18 +2697,17 @@
DocType: Guardian,Guardian Of ,Responsável por
DocType: Grading Scale Interval,Threshold,Média
DocType: BOM Replace Tool,Current BOM,LDM atual
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Adicionar Serial No
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Adicionar Serial No
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +18,{0} asset cannot be transferred,{0} ativo não pode ser transferido
apps/erpnext/erpnext/config/buying.py +7,Purchasing,Requisições
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Conta para o armazém (inventário permanente) será criada dentro desta conta.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Armazém não pode ser excluído pois existe entrada de material para este armazém.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Armazém não pode ser excluído pois existe entrada de material para este armazém.
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Valor pago
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Gerente de Projetos
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max desconto permitido para o item: {0} é {1}%
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Linha # {0}: Não é permitido mudar de fornecedor quando o Pedido de Compra já existe
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Gerente de Projetos
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max desconto permitido para o item: {0} é {1}%
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Linha # {0}: Não é permitido mudar de fornecedor quando o Pedido de Compra já existe
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Papel que é permitido submeter transações que excedam os limites de crédito estabelecidos.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Selecionar Itens para Produzir
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Os dados estão sendo sincronizados, isto pode demorar algum tempo"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Selecionar Itens para Produzir
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Os dados estão sendo sincronizados, isto pode demorar algum tempo"
DocType: Item Price,Item Price,Preço do Item
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +48,Soap & Detergent,Soap & detergente
DocType: BOM,Show Items,Mostrar Itens
@@ -2738,7 +2718,6 @@
DocType: Journal Entry,Write Off Entry,Lançamento de Abatimento
DocType: BOM,Rate Of Materials Based On,Preço dos Materiais com Base em
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Análise de Pós-Vendas
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Não exite uma empresa relacionada nos armazéns {0}
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Para data deve ser dentro do exercício social. Assumindo Para Date = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Aqui você pode manter a altura, peso, alergias, restrições médicas, etc"
DocType: Leave Block List,Applies to Company,Aplica-se a Empresa
@@ -2748,15 +2727,14 @@
DocType: Production Planning Tool,Material Request For Warehouse,Requisição de Material para Armazém
DocType: Sales Order Item,For Production,Para Produção
DocType: Payment Request,payment_url,payment_url
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,O ano financeiro inicia em
,Asset Depreciations and Balances,Depreciação de Ativos e Saldos
DocType: Sales Invoice,Get Advances Received,Obter adiantamentos recebidos
DocType: Email Digest,Add/Remove Recipients,Adicionar / Remover Destinatários
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},A transação não é permitida relacionada à Ordem de produção {0} parada
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},A transação não é permitida relacionada à Ordem de produção {0} parada
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Para definir esse Ano Fiscal como padrão , clique em ' Definir como padrão '"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,Junte-se
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Junte-se
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Escassez Qtde
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Variante item {0} existe com os mesmos atributos
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Variante item {0} existe com os mesmos atributos
DocType: Leave Application,LAP/,SDL/
DocType: Salary Slip,Salary Slip,Contracheque
DocType: Pricing Rule,Margin Rate or Amount,Percentual ou Valor de Margem
@@ -2768,22 +2746,22 @@
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Quando qualquer uma das operações marcadas são ""Enviadas"", um pop-up abre automaticamente para enviar um email para o ""Contato"" associado a transação, com a transação como um anexo. O usuário pode ou não enviar o email."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Configurações Globais
DocType: Employee Education,Employee Education,Escolaridade do Colaborador
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,É preciso buscar Número detalhes.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,É preciso buscar Número detalhes.
DocType: Salary Slip,Net Pay,Pagamento Líquido
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Nº de Série {0} já foi recebido
,Requested Items To Be Transferred,"Items Solicitados, mas não Transferidos"
DocType: Expense Claim,Vehicle Log,Log do Veículo
DocType: Purchase Invoice,Recurring Id,Id recorrente
DocType: Customer,Sales Team Details,Detalhes da Equipe de Vendas
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Apagar de forma permanente?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Apagar de forma permanente?
DocType: Expense Claim,Total Claimed Amount,Quantia Total Reivindicada
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Oportunidades potenciais para a venda.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Licença Médica
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Licença Médica
DocType: Email Digest,Email Digest,Resumo por Email
DocType: Delivery Note,Billing Address Name,Endereço de Faturamento
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Lojas de Departamento
DocType: Sales Invoice,Base Change Amount (Company Currency),Troco (moeda da empresa)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Nenhuma entrada de contabilidade para os seguintes armazéns
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Nenhuma entrada de contabilidade para os seguintes armazéns
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Salve o documento pela primeira vez.
DocType: Account,Chargeable,Taxável
DocType: Company,Change Abbreviation,Mudança abreviação
@@ -2794,7 +2772,7 @@
DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Quaisquer outras observações, esforço digno de nota que deve constar nos registros."
DocType: BOM,Manufacturing User,Usuário de Fabricação
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,A Data de Previsão de Entrega não pode ser anterior a data do Pedido de Compra
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Gerente de Desenvolvimento de Negócios
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Gerente de Desenvolvimento de Negócios
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Finalidade da Visita de Manutenção
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Livro Razão
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +33,Employee {0} on Leave on {1},Colaborador {0} de licença em {1}
@@ -2802,8 +2780,8 @@
DocType: Item Attribute Value,Attribute Value,Atributo Valor
,Itemwise Recommended Reorder Level,Níves de Reposição Recomendados por Item
DocType: Salary Detail,Salary Detail,Detalhes de Salário
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,Por favor selecione {0} primeiro
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Lote {0} de {1} item expirou.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Por favor selecione {0} primeiro
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Lote {0} de {1} item expirou.
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Registro de Tempo para fabricação
DocType: Salary Detail,Default Amount,Quantidade Padrão
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +93,Warehouse not found in the system,Armazén não foi encontrado no sistema
@@ -2823,16 +2801,15 @@
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Depreciação acumulada como em
DocType: Sales Invoice,C-Form Applicable,Formulário-C Aplicável
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Tempo de Operação deve ser maior que 0 para a operação {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Armazém é obrigatório
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Armazém é obrigatório
DocType: Supplier,Address and Contacts,Endereços e Contatos
DocType: UOM Conversion Detail,UOM Conversion Detail,Detalhe da Conversão de Unidade de Medida
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),"Escolha um formato amigável para web, com 900px de largura por 100px de altura"
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Ordem de produção não pode ser levantada contra um modelo de item
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Encargos são atualizados em Recibo de compra para cada item
DocType: Warranty Claim,Resolved By,Resolvido por
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Alocar licenças por um período.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Cheques e depósitos apagados incorretamente
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Conta {0}: Você não pode definir a própria conta como uma conta superior
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Conta {0}: Você não pode definir a própria conta como uma conta superior
DocType: Purchase Invoice Item,Price List Rate,Preço na Lista de Preços
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Criar orçamentos de clientes
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Mostrar ""Em Estoque"" ou ""Esgotado"" baseado no estoque disponível neste armazén."
@@ -2847,17 +2824,16 @@
DocType: Purchase Invoice,Submit on creation,Enviar ao criar
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Os e-mails serão enviados para todos os colaboradores ativos da empresa na hora informada, caso não estejam de férias. O resumo das respostas serão enviadas à meia-noite."
DocType: Employee Leave Approver,Employee Leave Approver,Licença do Colaborador Aprovada
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Linha {0}: Uma entrada de reposição já existe para este armazém {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Linha {0}: Uma entrada de reposição já existe para este armazém {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Não se pode declarar como perdido , porque foi realizado um Orçamento."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Feedback do Treinamento
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Ordem de produção {0} deve ser enviado
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Ordem de produção {0} deve ser enviado
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Por favor selecione a Data de início e a Data de Término do Item {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Até o momento não pode ser antes a partir da data
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Adicionar / Editar preços
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Adicionar / Editar preços
DocType: Cheque Print Template,Cheque Print Template,Template para Impressão de Cheques
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Plano de Centros de Custo
,Requested Items To Be Ordered,"Itens Solicitados, mas não Comprados"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,A empresa do armazém deve ser a mesma empresa da conta
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Resumo de Trabalho Diário para {0}
DocType: BOM,Manufacturing,Fabricação
,Ordered Items To Be Delivered,"Itens Vendidos, mas não Entregues"
@@ -2874,11 +2850,11 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,"Por favor, indique números de celular válidos"
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Por favor introduza a mensagem antes de enviá-
DocType: Email Digest,Pending Quotations,Orçamentos Pendentes
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Perfil do Ponto de Vendas
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Perfil do Ponto de Vendas
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Atualize Configurações SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Empréstimos não Garantidos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Empréstimos não Garantidos
DocType: Maintenance Schedule Detail,Scheduled Date,Data Agendada
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Quantia total paga
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Quantia total paga
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Mensagens maiores do que 160 caracteres vão ser divididos em múltiplas mensagens
DocType: Purchase Receipt Item,Received and Accepted,Recebeu e aceitou
,Serial No Service Contract Expiry,Vencimento do Contrato de Serviço com Nº de Série
@@ -2888,29 +2864,29 @@
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Peso total atribuído deve ser de 100%. É {0}
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Não é possível definir como Perdido uma vez que foi feito um Pedido de Venda
DocType: Request for Quotation Item,Supplier Part No,Nº da Peça no Fornecedor
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Recebido de
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Recebido de
DocType: Item,Has Serial No,Tem nº de Série
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: A partir de {0} para {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Linha # {0}: Defina o fornecedor para o item {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Linha {0}: Horas deve ser um valor maior que zero
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Site Imagem {0} anexada ao Item {1} não pode ser encontrado
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Site Imagem {0} anexada ao Item {1} não pode ser encontrado
DocType: Item,List this Item in multiple groups on the website.,Listar este item em vários grupos no site.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Por favor, verifique multi opção de moeda para permitir que contas com outra moeda"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Item: {0} não existe no sistema
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Você não está autorizado para definir o valor congelado
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Item: {0} não existe no sistema
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Você não está autorizado para definir o valor congelado
DocType: Payment Reconciliation,Get Unreconciled Entries,Obter Lançamentos não Conciliados
DocType: Payment Reconciliation,From Invoice Date,A Partir da Data de Faturamento
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,A moeda de faturamento deve ser igual à moeda padrão da empresa ou à moeda padrão da conta da outra parte
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,O que isto faz ?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,A moeda de faturamento deve ser igual à moeda padrão da empresa ou à moeda padrão da conta da outra parte
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,O que isto faz ?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Para o Armazén
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Todas Admissões de Alunos
,Average Commission Rate,Percentual de Comissão Médio
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,'Tem Número Serial' não pode ser confirmado para itens sem controle de estoque
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'Tem Número Serial' não pode ser confirmado para itens sem controle de estoque
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Comparecimento não pode ser marcado para datas futuras
DocType: Pricing Rule,Pricing Rule Help,Regra Preços Ajuda
DocType: Purchase Taxes and Charges,Account Head,Conta
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Atualize custos adicionais para calcular o custo de desembarque dos itens
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,elétrico
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,elétrico
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Adicione o resto de sua organização como seus usuários. Você também pode adicionar clientes convidados ao seu portal adicionando-os de Contatos
DocType: Stock Entry,Total Value Difference (Out - In),Diferença do Valor Total (Saída - Entrada)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Linha {0}: Taxa de Câmbio é obrigatória
@@ -2919,7 +2895,7 @@
DocType: Item,Customer Code,Código do Cliente
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Lembrete de aniversário para {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dias desde a última compra
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Débito em conta deve ser uma conta de Balanço
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Débito em conta deve ser uma conta de Balanço
DocType: Buying Settings,Naming Series,Código dos Documentos
DocType: Leave Block List,Leave Block List Name,Deixe o nome Lista de Bloqueios
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,A data de início da cobertura do seguro deve ser inferior a data de término da cobertura
@@ -2932,17 +2908,17 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Contracheque do colaborador {0} já criado para o registro de tempo {1}
DocType: Vehicle Log,Odometer,Odômetro
DocType: Sales Order Item,Ordered Qty,Qtde Encomendada
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Item {0} está desativado
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Item {0} está desativado
DocType: Stock Settings,Stock Frozen Upto,Estoque congelado até
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,LDM não contém nenhum item de estoque
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,LDM não contém nenhum item de estoque
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Período Do período Para datas e obrigatórias para os recorrentes {0}
DocType: Vehicle Log,Refuelling Details,Detalhes de Abastecimento
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Gerar contracheques
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Compra deve ser verificada, se for caso disso nos items selecionados como {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Compra deve ser verificada, se for caso disso nos items selecionados como {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Desconto deve ser inferior a 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Último valor de compra não encontrado
DocType: Purchase Invoice,Write Off Amount (Company Currency),Valor abatido (moeda da empresa)
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,"Linha # {0}: Por favor, defina a quantidade de reposição"
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,"Linha # {0}: Por favor, defina a quantidade de reposição"
DocType: Landed Cost Voucher,Landed Cost Voucher,Comprovante de Custos de Desembarque
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Defina {0}
DocType: Employee,Health Details,Detalhes sobre a Saúde
@@ -2961,12 +2937,12 @@
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Exemplo:. ABCD #####
Se série é ajustada e número de série não é mencionado em transações, número de série, em seguida automática será criado com base nesta série. Se você sempre quis mencionar explicitamente Serial Nos para este item. deixe em branco."
DocType: Upload Attendance,Upload Attendance,Enviar o Ponto
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,A LDM e a Quantidade para Fabricação são necessários
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,A LDM e a Quantidade para Fabricação são necessários
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Faixa Envelhecimento 2
,Sales Analytics,Analítico de Vendas
DocType: Manufacturing Settings,Manufacturing Settings,Configurações de Fabricação
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Configurando Email
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,"Por favor, indique moeda padrão ino cadastro da empresa"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,"Por favor, indique moeda padrão ino cadastro da empresa"
DocType: Stock Entry Detail,Stock Entry Detail,Detalhe do Lançamento no Estoque
DocType: Products Settings,Home Page is Products,Página Inicial é Produtos
,Asset Depreciation Ledger,Livro Razão de Depreciação de Ativos
@@ -2974,14 +2950,14 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Nome da Nova Conta
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Custo de fornecimento de Matérias-primas
DocType: Selling Settings,Settings for Selling Module,Configurações do Módulo de Vendas
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Atendimento ao Cliente
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Atendimento ao Cliente
DocType: Item Customer Detail,Item Customer Detail,Detalhe do Cliente do Item
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Ofertar vaga ao candidato.
DocType: Notification Control,Prompt for Email on Submission of,Solicitar o Envio de Email no Envio do Documento
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +88,Total allocated leaves are more than days in the period,Total de licenças alocadas é maior do que número de dias no período
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Item {0} deve ser um item de estoque
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Armazén Padrão de Trabalho em Andamento
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,As configurações padrão para as transações contábeis.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,As configurações padrão para as transações contábeis.
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Data prevista de entrega não pode ser antes da data da Requisição de Material
DocType: Production Order,Source Warehouse (for reserving Items),Armazén de Origem (para reserva de itens)
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Erro: Não é um ID válido?
@@ -2989,7 +2965,7 @@
DocType: Account,Equity,Patrimônio Líquido
DocType: Sales Order,Printing Details,Imprimir detalhes
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Pesquisa Subconjuntos
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Código do item exigido na Linha Nº {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Código do item exigido na Linha Nº {0}
DocType: Sales Partner,Partner Type,Tipo de parceiro
DocType: Authorization Rule,Customerwise Discount,Desconto referente ao Cliente
apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Registros de Tempo para tarefas.
@@ -3002,9 +2978,9 @@
DocType: BOM,Raw Material Cost,Custo de Matéria-prima
DocType: Item Reorder,Re-Order Level,Nível de Reposição
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Digite itens e qtde planejada para o qual você quer levantar ordens de produção ou fazer o download de matérias-primas para a análise.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,De meio expediente
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,De meio expediente
DocType: Employee,Applicable Holiday List,Lista de Férias Aplicável
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Tipo de Relatório é obrigatório
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Tipo de Relatório é obrigatório
DocType: Item,Serial Number Series,Séries de Nº de Série
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Armazém é obrigatória para stock o item {0} na linha {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Varejo e Atacado
@@ -3017,20 +2993,20 @@
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +22,Invoiced Amount,Valor Faturado
DocType: Attendance,Attendance,Comparecimento
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Se não for controlada, a lista deverá ser adicionado a cada departamento onde tem de ser aplicado."
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Data e horário da postagem são obrigatórios
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Data e horário da postagem são obrigatórios
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Por extenso será visível quando você salvar o Pedido de Compra.
DocType: Period Closing Voucher,Period Closing Voucher,Comprovante de Encerramento do Período
apps/erpnext/erpnext/config/selling.py +67,Price List master.,Cadastro da Lista de Preços.
DocType: Task,Review Date,Data da Revisão
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Warehouse de destino na linha {0} deve ser o mesmo que ordem de produção
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Warehouse de destino na linha {0} deve ser o mesmo que ordem de produção
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,O 'Endereço de Email para Notificação' não foi especificado para %s recorrente
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,Moeda não pode ser alterada depois de fazer entradas usando alguma outra moeda
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Moeda não pode ser alterada depois de fazer entradas usando alguma outra moeda
DocType: Vehicle Service,Clutch Plate,Disco de Embreagem
DocType: Company,Round Off Account,Conta de Arredondamento
DocType: Customer Group,Parent Customer Group,Grupo de Clientes pai
DocType: Purchase Invoice,Contact Email,Email do Contato
DocType: Appraisal Goal,Score Earned,Pontuação Obtida
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Período de Aviso Prévio
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Período de Aviso Prévio
DocType: Asset Category,Asset Category Name,Ativo Categoria Nome
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Este é um território de raiz e não pode ser editada.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Nome do Novo Vendedor
@@ -3042,15 +3018,14 @@
DocType: Landed Cost Item,Landed Cost Item,Custo de Desembarque do Item
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Mostrar valores zerados
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Quantidade do item obtido após a fabricação / reembalagem a partir de determinadas quantidades de matéria-prima
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Configurar um website simples para a minha organização
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Configurar um website simples para a minha organização
DocType: Payment Reconciliation,Receivable / Payable Account,Conta de Recebimento/Pagamento
DocType: Delivery Note Item,Against Sales Order Item,Relacionado ao Item do Pedido de Venda
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},"Por favor, especifique Atributo Valor para o atributo {0}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},"Por favor, especifique Atributo Valor para o atributo {0}"
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Orçamento não pode ser atribuído contra a conta de grupo {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Por favor entre o centro de custo pai
DocType: Delivery Note,Print Without Amount,Imprimir sem valores
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,Data da Depreciação
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Categoria imposto não pode ser ' Avaliação ' ou ' Avaliação e total "", como todos os itens não são itens de estoque"
DocType: Issue,Support Team,Equipe de Pós-Vendas
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Vencimento (em dias)
DocType: Appraisal,Total Score (Out of 5),Pontuação Total (nota máxima 5)
@@ -3081,19 +3056,19 @@
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planejar Registros de Tempo fora do horário de trabalho da estação de trabalho.
,Items To Be Requested,Itens para Requisitar
DocType: Purchase Order,Get Last Purchase Rate,Obter Valor da Última Compra
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Selecione ou adicione um novo cliente
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Selecione ou adicione um novo cliente
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aplicação de Recursos (Ativos)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Isto é baseado na frequência deste Colaborador
DocType: Fiscal Year,Year Start Date,Data do início do ano
DocType: Attendance,Employee Name,Nome do Colaborador
DocType: Sales Invoice,Rounded Total (Company Currency),Total arredondado (moeda da empresa)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,"Não é possível converter para o Grupo, pois o tipo de conta é selecionado."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Não é possível converter para o Grupo, pois o tipo de conta é selecionado."
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,"{0} {1} foi modificado. Por favor, atualize."
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Impedir que usuários solicitem licenças em dias seguintes
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Valor de Compra
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Orçamento do fornecedor {0} criado
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,O ano final não pode ser antes do ano de início
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Benefícios a Colaboradores
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Benefícios a Colaboradores
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Embalado quantidade deve ser igual a quantidade de item {0} na linha {1}
DocType: Production Order,Manufactured Qty,Qtde Fabricada
DocType: Purchase Receipt Item,Accepted Quantity,Quantidade Aceita
@@ -3105,12 +3080,12 @@
DocType: Account,Parent Account,Conta Superior
,Hub,Cubo
DocType: GL Entry,Voucher Type,Tipo de Comprovante
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Preço de tabela não encontrado ou deficientes
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Preço de tabela não encontrado ou deficientes
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Colaborador dispensado em {0} deve ser definido como 'Desligamento'
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +42,Appraisal {0} created for Employee {1} in the given date range,Avaliação {0} criada para o Colaborador {1} no intervalo de datas informado
DocType: Selling Settings,Campaign Naming By,Nomeação de Campanha por
DocType: Employee,Current Address Is,Endereço atual é
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Opcional. Define moeda padrão da empresa, se não for especificado."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Opcional. Define moeda padrão da empresa, se não for especificado."
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Lançamentos no livro Diário.
DocType: Delivery Note Item,Available Qty at From Warehouse,Qtde disponível no armazén de origem
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,"Por favor, selecione o registro do Colaborador primeiro."
@@ -3118,7 +3093,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Linha {0}: Sujeito / Conta não coincidem com {1} / {2} em {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Por favor insira Conta Despesa
DocType: Account,Stock,Estoque
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Linha #{0}: O Tipo de Documento de Referência deve ser um Pedido de Compra, uma Nota Fiscal de Compra ou um Lançamento Contábil"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Linha #{0}: O Tipo de Documento de Referência deve ser um Pedido de Compra, uma Nota Fiscal de Compra ou um Lançamento Contábil"
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Se o item é uma variante de outro item, em seguida, descrição, imagem, preços, impostos etc será definido a partir do modelo, a menos que explicitamente especificado"
DocType: Serial No,Purchase / Manufacture Details,Detalhes Compra / Fabricação
apps/erpnext/erpnext/config/stock.py +320,Batch Inventory,Inventário por Lote
@@ -3127,8 +3102,8 @@
DocType: Production Planning Tool,Pull sales orders (pending to deliver) based on the above criteria,Puxar os Pedidos de Venda (pendentes de entrega) com base nos critérios acima
DocType: Pricing Rule,Min Qty,Qtde Mínima
DocType: Production Plan Item,Planned Qty,Qtde Planejada
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Fiscal total
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Para Quantidade (qtde fabricada) é obrigatório
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Fiscal total
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Para Quantidade (qtde fabricada) é obrigatório
DocType: Stock Entry,Default Target Warehouse,Armazén de Destino Padrão
DocType: Purchase Invoice,Net Total (Company Currency),Total Líquido (moeda da empresa)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +105,Row {0}: Party Type and Party is only applicable against Receivable / Payable account,Linha {0}: Tipo de Sujeito e Sujeito só são aplicáveis no contas a receber / pagar
@@ -3137,21 +3112,21 @@
DocType: Sales Order,% of materials delivered against this Sales Order,% do material entregue deste Pedido de Venda
apps/erpnext/erpnext/config/stock.py +12,Record item movement.,Gravar o movimento item.
DocType: Hub Settings,Hub Settings,Configurações Hub
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,"Lançamentos contábeis já foram feitas em moeda {0} para {1} empresa. Por favor, selecione uma conta a receber ou a pagar com a moeda {0}."
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,"Lançamentos contábeis já foram feitas em moeda {0} para {1} empresa. Por favor, selecione uma conta a receber ou a pagar com a moeda {0}."
DocType: Asset,Is Existing Asset,É Ativo Existente
DocType: Warranty Claim,If different than customer address,Se diferente do endereço do cliente
DocType: BOM Operation,BOM Operation,Operação da LDM
DocType: Purchase Taxes and Charges,On Previous Row Amount,No Valor da Linha Anterior
DocType: POS Profile,POS Profile,Perfil do PDV
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Item {0} é um modelo, por favor selecione uma de suas variantes"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Item {0} é um modelo, por favor selecione uma de suas variantes"
DocType: Asset,Asset Category,Categoria de Ativos
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Salário líquido não pode ser negativo
DocType: SMS Settings,Static Parameters,Parâmetros estáticos
DocType: Assessment Plan,Room,Sala
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Material a Fornecedor
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Guia de Recolhimento de Tributos
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Guia de Recolhimento de Tributos
DocType: Expense Claim,Employees Email Id,Endereços de Email dos Colaboradores
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Passivo Circulante
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Passivo Circulante
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Enviar SMS em massa para seus contatos
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Considere Imposto ou Encargo para
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Qtde Real é obrigatória
@@ -3166,13 +3141,13 @@
DocType: Item Group,General Settings,Configurações Gerais
apps/erpnext/erpnext/setup/doctype/currency_exchange/currency_exchange.py +23,From Currency and To Currency cannot be same,De Moeda e Para Moeda não pode ser o mesmo
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Você deve salvar o formulário antes de continuar
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Anexar Logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Anexar Logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Níveis de Estoque
DocType: Customer,Commission Rate,Percentual de Comissão
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Bloquear licenças por departamento.
apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empty,Seu carrinho está vazio
DocType: Production Order,Actual Operating Cost,Custo Operacional Real
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Root não pode ser editado .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root não pode ser editado .
DocType: Item,Units of Measure,Unidades de Medida
DocType: Manufacturing Settings,Allow Production on Holidays,Permitir a Produção em Feriados
DocType: Sales Order,Customer's Purchase Order Date,Data do Pedido de Compra do Cliente
@@ -3185,9 +3160,8 @@
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Produtos em Destaque
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Modelo de Termos e Condições
DocType: Serial No,Delivery Details,Detalhes da entrega
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Centro de Custo é necessária na linha {0} no Imposto de mesa para o tipo {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Centro de Custo é necessária na linha {0} no Imposto de mesa para o tipo {1}
,Item-wise Purchase Register,Registro de Compras por Item
-,Supplier Addresses and Contacts,Endereços e Contatos de Fornecedores
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,Por favor selecione a Categoria primeiro
apps/erpnext/erpnext/config/projects.py +13,Project master.,Cadastro de Projeto.
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Não mostrar nenhum símbolo como R$ etc ao lado de moedas.
@@ -3205,6 +3179,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Valor Sancionado
DocType: GL Entry,Is Opening,É Abertura
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Linha {0}: Lançamento de débito não pode ser relacionado a uma {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,A Conta {0} não existe
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,A Conta {0} não existe
DocType: Account,Cash,Dinheiro
DocType: Employee,Short biography for website and other publications.,Breve biografia para o site e outras publicações.
diff --git a/erpnext/translations/pt.csv b/erpnext/translations/pt.csv
index 9eaa03c..c2ba6e8 100644
--- a/erpnext/translations/pt.csv
+++ b/erpnext/translations/pt.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Bens de Consumo
DocType: Item,Customer Items,Artigos do Cliente
DocType: Project,Costing and Billing,Custos e Faturação
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Conta {0}: Conta paterna {1} não pode ser um livro fiscal
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Conta {0}: Conta paterna {1} não pode ser um livro fiscal
DocType: Item,Publish Item to hub.erpnext.com,Publicar o artigo em hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,Notificações por E-mail
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Avaliação
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,Avaliação
DocType: Item,Default Unit of Measure,Unidade de Medida Padrão
DocType: SMS Center,All Sales Partner Contact,Todos os Contactos de Parceiros Comerciais
DocType: Employee,Leave Approvers,Autorizadores de Baixa
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Taxa de Câmbio deve ser a mesma que {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Nome do Cliente
DocType: Vehicle,Natural Gas,Gás Natural
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Conta bancária não pode ser nomeada como {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Conta bancária não pode ser nomeada como {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Elementos (ou grupos) dos quais os Lançamentos Contabilísticos são feitas e os saldos são mantidos.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Pendente para {0} não pode ser menor que zero ({1})
DocType: Manufacturing Settings,Default 10 mins,Padrão de 10 min
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Todos os Contactos do Fornecedor
DocType: Support Settings,Support Settings,Definições de suporte
DocType: SMS Parameter,Parameter,Parâmetro
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Data de Término não pode ser inferior a Data de Início
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Data de Término não pode ser inferior a Data de Início
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Linha #{0}: A taxa deve ser a mesma que {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Novo Pedido de Licença
,Batch Item Expiry Status,Batch item de status de validade
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Depósito Bancário
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Depósito Bancário
DocType: Mode of Payment Account,Mode of Payment Account,Modo da Conta de Pagamento
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Mostrar Variantes
DocType: Academic Term,Academic Term,Período Letivo
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Material
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Quantidade
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,A tabela de contas não pode estar vazia.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Empréstimos (Passivo)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Empréstimos (Passivo)
DocType: Employee Education,Year of Passing,Ano de conclusão
DocType: Item,Country of Origin,País de origem
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,Em stock
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,Em stock
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Incidentes em Aberto
DocType: Production Plan Item,Production Plan Item,Artigo do Plano de Produção
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},O utilizador {0} já está atribuído ao funcionário {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Assistência Médica
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Atraso no pagamento (Dias)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Despesa de Serviço
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Número de série: {0} já está referenciado na fatura de vendas: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Número de série: {0} já está referenciado na fatura de vendas: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Fatura
DocType: Maintenance Schedule Item,Periodicity,Periodicidade
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,O Ano Fiscal {0} é obrigatório
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Linha # {0}:
DocType: Timesheet,Total Costing Amount,Valor Total dos Custos
DocType: Delivery Note,Vehicle No,Nº do Veículo
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,"Por favor, selecione a Lista de Preços"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,"Por favor, selecione a Lista de Preços"
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: documento de pagamento é necessário para concluir o trasaction
DocType: Production Order Operation,Work In Progress,Trabalho em Andamento
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Por favor selecione a data
DocType: Employee,Holiday List,Lista de Feriados
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Contabilista
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Contabilista
DocType: Cost Center,Stock User,Utilizador de Stock
DocType: Company,Phone No,Nº de Telefone
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Cronogramas de Curso criados:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Novo {0}: #{1}
,Sales Partners Commission,Comissão de Parceiros de Vendas
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,A abreviatura não pode ter mais de 5 caracteres
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,A abreviatura não pode ter mais de 5 caracteres
DocType: Payment Request,Payment Request,Solicitação de Pagamento
DocType: Asset,Value After Depreciation,Valor Após Amortização
DocType: Employee,O+,O+
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,Data de presença não pode ser inferior á data de admissão do funcionário
DocType: Grading Scale,Grading Scale Name,Nome escala de classificação
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Esta é uma conta principal e não pode ser editada.
+DocType: Sales Invoice,Company Address,Endereço da companhia
DocType: BOM,Operations,Operações
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Não é possível definir a autorização com base no Desconto de {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Anexe o ficheiro .csv com duas colunas, uma para o nome antigo e uma para o novo nome"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} não em qualquer ano fiscal ativa.
DocType: Packed Item,Parent Detail docname,Dados Principais de docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referência: {0}, Código do Item: {1} e Cliente: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Kg
DocType: Student Log,Log,Registo
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Vaga para um Emprego.
DocType: Item Attribute,Increment,Aumento
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Publicidade
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Esta mesma empresa está inscrita mais do que uma vez
DocType: Employee,Married,Casado/a
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Não tem permissão para {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Não tem permissão para {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Obter itens de
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},O Stock não pode ser atualizado nesta Guia de Remessa {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},O Stock não pode ser atualizado nesta Guia de Remessa {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produto {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Nenhum item listado
DocType: Payment Reconciliation,Reconcile,Conciliar
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Próxima Depreciação A data não pode ser antes Data da compra
DocType: SMS Center,All Sales Person,Todos os Vendedores
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"A **Distribuição Mensal** ajuda-o a distribuir o Orçamento/Meta por vários meses, caso o seu negócio seja sazonal."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Não itens encontrados
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Não itens encontrados
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Falta a Estrutura Salarial
DocType: Lead,Person Name,Nome da Pessoa
DocType: Sales Invoice Item,Sales Invoice Item,Item de Fatura de Vendas
DocType: Account,Credit,Crédito
DocType: POS Profile,Write Off Cost Center,Liquidar Centro de Custos
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""","ex: ""Escola Primária"" ou ""Universidade"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""","ex: ""Escola Primária"" ou ""Universidade"""
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Relatórios de Stock
DocType: Warehouse,Warehouse Detail,Detalhe Armazém
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},O cliente {0} {1}/{2} ultrapassou o limite de crédito
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},O cliente {0} {1}/{2} ultrapassou o limite de crédito
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"O Prazo de Data de Término não pode ser posterior à Data de Término de Ano do Ano Letivo, com a qual está relacionado o termo (Ano Lectivo {}). Por favor, corrija as datas e tente novamente."
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""É um Ativo Imobilizado"" não pode ser desmarcado, pois existe um registo de ativos desse item"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""É um Ativo Imobilizado"" não pode ser desmarcado, pois existe um registo de ativos desse item"
DocType: Vehicle Service,Brake Oil,Óleo dos Travões
DocType: Tax Rule,Tax Type,Tipo de imposto
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Não está autorizado a adicionar ou atualizar registos antes de {0}
DocType: BOM,Item Image (if not slideshow),Imagem do Item (se não for diapositivo de imagens)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Existe um Cliente com o mesmo nome
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Valor por Hora / 60) * Tempo Real Operacional
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Selecionar BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Selecionar BOM
DocType: SMS Log,SMS Log,Registo de SMS
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Custo de Itens Entregues
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,O feriado em {0} não é entre De Data e To Date
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},De {0} a {1}
DocType: Item,Copy From Item Group,Copiar do Grupo do Item
DocType: Journal Entry,Opening Entry,Registo de Abertura
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Cliente> Grupo de Clientes> Território
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Só Conta de Pagamento
DocType: Employee Loan,Repay Over Number of Periods,Reembolsar Ao longo Número de Períodos
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} não está inscrito no dado {2}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} não está inscrito no dado {2}
DocType: Stock Entry,Additional Costs,Custos Adicionais
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,A conta da transação existente não pode ser convertida a grupo.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,A conta da transação existente não pode ser convertida a grupo.
DocType: Lead,Product Enquiry,Inquérito de Produto
DocType: Academic Term,Schools,Escolas
+DocType: School Settings,Validate Batch for Students in Student Group,Validar Lote para Estudantes em Grupo de Estudantes
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Nenhum registo de falta encontrados para o funcionário {0} para {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Por favor, insira primeiro a empresa"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,"Por favor, selecione primeiro a Empresa"
@@ -175,50 +176,50 @@
DocType: BOM,Total Cost,Custo Total
DocType: Journal Entry Account,Employee Loan,Empréstimo a funcionário
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Registo de Atividade:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,O Item {0} não existe no sistema ou já expirou
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,O Item {0} não existe no sistema ou já expirou
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Imóveis
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Extrato de Conta
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Farmacêuticos
DocType: Purchase Invoice Item,Is Fixed Asset,É um Ativo Imobilizado
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","A qtd disponível é {0}, necessita {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","A qtd disponível é {0}, necessita {1}"
DocType: Expense Claim Detail,Claim Amount,Quantidade do Pedido
-DocType: Employee,Mr,Sr.
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Foi encontrado um grupo de clientes duplicado na tabela de grupo do cliente
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Tipo de Fornecedor / Fornecedor
DocType: Naming Series,Prefix,Prefixo
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Consumíveis
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Consumíveis
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Importar Registo
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Retirar as Solicitações de Material do tipo de Fabrico com base nos critérios acima
DocType: Training Result Employee,Grade,Classe
DocType: Sales Invoice Item,Delivered By Supplier,Entregue Pelo Fornecedor
DocType: SMS Center,All Contact,Todos os Contactos
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Ordem de produção já criado para todos os artigos com BOM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Salário Anual
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Ordem de produção já criado para todos os artigos com BOM
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Salário Anual
DocType: Daily Work Summary,Daily Work Summary,Resumo do Trabalho Diário
DocType: Period Closing Voucher,Closing Fiscal Year,A Encerrar Ano Fiscal
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} foi suspenso
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,"Por favor, seleccione uma Empresa Existente para a criação do Plano de Contas"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Despesas de Stock
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} foi suspenso
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,"Por favor, seleccione uma Empresa Existente para a criação do Plano de Contas"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Despesas de Stock
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Selecionar depósito de destino
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Selecionar depósito de destino
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,"Por favor, indique contato preferencial Email"
+DocType: Program Enrollment,School Bus,Ônibus escolar
DocType: Journal Entry,Contra Entry,Contrapartida
DocType: Journal Entry Account,Credit in Company Currency,Crédito na Moeda da Empresa
DocType: Delivery Note,Installation Status,Estado da Instalação
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Você deseja atualizar atendimento? <br> Presente: {0} \ <br> Ausente: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},A Qtd Aceite + Rejeitada deve ser igual à quantidade Recebida pelo Item {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},A Qtd Aceite + Rejeitada deve ser igual à quantidade Recebida pelo Item {0}
DocType: Request for Quotation,RFQ-,SDC-
DocType: Item,Supply Raw Materials for Purchase,Abastecimento de Matérias-Primas para Compra
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,É necessário pelo menos um modo de pagamento para a fatura POS.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,É necessário pelo menos um modo de pagamento para a fatura POS.
DocType: Products Settings,Show Products as a List,Mostrar os Produtos como Lista
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Transfira o Modelo, preencha os dados apropriados e anexe o ficheiro modificado.
Todas as datas e combinação de funcionários no período selecionado aparecerão no modelo, com os registos de assiduidade existentes"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,O Item {0} não está ativo ou expirou
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Exemplo: Fundamentos de Matemática
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Para incluir impostos na linha {0} na taxa de Item, os impostos nas linhas {1} também deverão ser incluídos"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,O Item {0} não está ativo ou expirou
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Exemplo: Fundamentos de Matemática
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Para incluir impostos na linha {0} na taxa de Item, os impostos nas linhas {1} também deverão ser incluídos"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Definições para o Módulo RH
DocType: SMS Center,SMS Center,Centro de SMS
DocType: Sales Invoice,Change Amount,Alterar Montante
@@ -228,7 +229,7 @@
DocType: Lead,Request Type,Tipo de Solicitação
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Tornar Funcionário
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Transmissão
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Execução
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Execução
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Os dados das operações realizadas.
DocType: Serial No,Maintenance Status,Estado de Manutenção
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: É necessário colocar o fornecedor na Conta a pagar {2}
@@ -256,7 +257,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Pode aceder à solicitação de cotação ao clicar no link a seguir
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Atribuir licenças do ano.
DocType: SG Creation Tool Course,SG Creation Tool Course,Curso de Ferramenta de Criação SG
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,Stock Insuficiente
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,Stock Insuficiente
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Desativar a Capacidade de Planeamento e o Controlo do Tempo
DocType: Email Digest,New Sales Orders,Novas Ordens de Venda
DocType: Bank Guarantee,Bank Account,Conta Bancária
@@ -267,8 +268,9 @@
DocType: Production Order Operation,Updated via 'Time Log',"Atualizado através de ""Registo de Tempo"""
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},O montante do adiantamento não pode ser maior do que {0} {1}
DocType: Naming Series,Series List for this Transaction,Lista de Séries para esta Transação
+DocType: Company,Enable Perpetual Inventory,Habilitar inventário perpétuo
DocType: Company,Default Payroll Payable Account,Folha de pagamento padrão Contas a Pagar
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Atualização Email Grupo
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Atualização Email Grupo
DocType: Sales Invoice,Is Opening Entry,É Registo de Entrada
DocType: Customer Group,Mention if non-standard receivable account applicable,Mencione se é uma conta a receber não padrão
DocType: Course Schedule,Instructor Name,Nome do Instrutor
@@ -280,13 +282,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Na Nota Fiscal de Venda do Item
,Production Orders in Progress,Pedidos de Produção em Progresso
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Caixa Líquido de Financiamento
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","O Armazenamento Local está cheio, não foi guardado"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","O Armazenamento Local está cheio, não foi guardado"
DocType: Lead,Address & Contact,Endereço e Contacto
DocType: Leave Allocation,Add unused leaves from previous allocations,Adicionar licenças não utilizadas através de atribuições anteriores
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},O próximo Recorrente {0} será criado em {1}
DocType: Sales Partner,Partner website,Website parceiro
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Adicionar Item
-,Contact Name,Nome de Contacto
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Nome de Contacto
DocType: Course Assessment Criteria,Course Assessment Criteria,Critérios de Avaliação do Curso
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Cria a folha de pagamento com os critérios acima mencionados.
DocType: POS Customer Group,POS Customer Group,Grupo de Cliente POS
@@ -295,18 +297,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Não foi dada qualquer descrição
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Pedido de compra.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Isto baseia-se nas Folhas de Serviço criadas neste projecto
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,A Remuneração Líquida não pode ser inferior a 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,A Remuneração Líquida não pode ser inferior a 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Só o Aprovador de Licenças selecionado é que pode enviar esta Solicitação de Licença
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,A Data de Dispensa deve ser mais recente que a Data de Adesão
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Licenças por Ano
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Licenças por Ano
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Linha {0}: Por favor, selecione ""É um Adiantamento"" na Conta {1} se for um registo dum adiantamento."
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},O Armazém {0} não pertence à empresa {1}
DocType: Email Digest,Profit & Loss,Lucros e Perdas
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Litro
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Litro
DocType: Task,Total Costing Amount (via Time Sheet),Quantia de Custo Total (através da Folha de Serviço)
DocType: Item Website Specification,Item Website Specification,Especificação de Website do Item
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Licença Bloqueada
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},O Item {0} expirou em {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},O Item {0} expirou em {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Registos Bancários
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Anual
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Item de Reconciliação de Stock
@@ -314,9 +316,9 @@
DocType: Material Request Item,Min Order Qty,Qtd de Pedido Mín.
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Curso de Ferramenta de Criação de Grupo de Estudantes
DocType: Lead,Do Not Contact,Não Contactar
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,Pessoas que ensinam na sua organização
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,Pessoas que ensinam na sua organização
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,A id exclusiva para acompanhar todas as faturas recorrentes. Ela é gerada ao enviar.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Desenvolvedor de Software
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Desenvolvedor de Software
DocType: Item,Minimum Order Qty,Qtd de Pedido Mínima
DocType: Pricing Rule,Supplier Type,Tipo de Fornecedor
DocType: Course Scheduling Tool,Course Start Date,Data de Início do Curso
@@ -325,11 +327,11 @@
DocType: Item,Publish in Hub,Publicar na Plataforma
DocType: Student Admission,Student Admission,Admissão de Estudante
,Terretory,Território
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,O Item {0} foi cancelado
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,O Item {0} foi cancelado
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Solicitação de Material
DocType: Bank Reconciliation,Update Clearance Date,Atualizar Data de Liquidação
DocType: Item,Purchase Details,Dados de Compra
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},O Item {0} não foi encontrado na tabela das 'Matérias-primas Fornecidas' na Ordens de Compra {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},O Item {0} não foi encontrado na tabela das 'Matérias-primas Fornecidas' na Ordens de Compra {1}
DocType: Employee,Relation,Relação
DocType: Shipping Rule,Worldwide Shipping,Envio Internacional
DocType: Student Guardian,Mother,Mãe
@@ -348,6 +350,7 @@
DocType: Student Group Student,Student Group Student,Estudante de Grupo Estudantil
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Últimas
DocType: Vehicle Service,Inspection,Inspeção
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Lista
DocType: Email Digest,New Quotations,Novas Cotações
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Envia as folhas de vencimento por email com baxe no email preferido selecionado em Funcionário
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,O primeiroAprovador de Licenças na lista será definido como o Aprovador de Licenças padrão
@@ -356,20 +359,20 @@
DocType: Asset,Next Depreciation Date,Próxima Data de Depreciação
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Custo de Atividade por Funcionário
DocType: Accounts Settings,Settings for Accounts,Definições de Contas
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},O Nr. de Fatura do Fornecedor existe na Fatura de Compra {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},O Nr. de Fatura do Fornecedor existe na Fatura de Compra {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Gerir Organograma de Vendedores.
DocType: Job Applicant,Cover Letter,Carta de Apresentação
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Cheques a Cobrar e Depósitos a receber
DocType: Item,Synced With Hub,Sincronizado com a Plataforma
DocType: Vehicle,Fleet Manager,Gestor de Frotas
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} não pode ser negativo para o item {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Senha Incorreta
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Senha Incorreta
DocType: Item,Variant Of,Variante de
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',"A Qtd Concluída não pode ser superior à ""Qtd de Fabrico"""
DocType: Period Closing Voucher,Closing Account Head,A Fechar Título de Contas
DocType: Employee,External Work History,Histórico Profissional Externo
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Erro de Referência Circular
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Nome Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Nome Guardian1
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Por Extenso (Exportar) será visível assim que guardar a Guia de Remessa.
DocType: Cheque Print Template,Distance from left edge,Distância da margem esquerda
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),Foram encontradas {0} unidades de [{1}](#Formulário/Item/{1}) encontradas [{2}](#Formulário/Armazém/{2})
@@ -378,11 +381,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notificar por Email na criação de Solicitações de Material automáticas
DocType: Journal Entry,Multi Currency,Múltiplas Moedas
DocType: Payment Reconciliation Invoice,Invoice Type,Tipo de Fatura
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Guia de Remessa
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Guia de Remessa
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,A Configurar Impostos
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Custo do Ativo Vendido
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,"O Registo de Pagamento foi alterado após o ter retirado. Por favor, retire-o novamente."
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} entrou duas vezes na Taxa de Item
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"O Registo de Pagamento foi alterado após o ter retirado. Por favor, retire-o novamente."
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} entrou duas vezes na Taxa de Item
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Resumo para esta semana e atividades pendentes
DocType: Student Applicant,Admitted,Admitido/a
DocType: Workstation,Rent Cost,Custo de Aluguer
@@ -401,25 +404,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Por favor, insira o valor do campo ""Repetir no Dia do Mês"""
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Taxa a que a Moeda do Cliente é convertida para a moeda principal do cliente
DocType: Course Scheduling Tool,Course Scheduling Tool,Ferramenta de Agendamento de Curso
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Linha #{0}: Não pode ser efetuada uma Fatura de Compra para o ativo existente {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Linha #{0}: Não pode ser efetuada uma Fatura de Compra para o ativo existente {1}
DocType: Item Tax,Tax Rate,Taxa de Imposto
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} já foi alocado para o Funcionário {1} para o período de {2} a {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Selecionar Item
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,A Fatura de Compra {0} já foi enviada
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,A Fatura de Compra {0} já foi enviada
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Linha # {0}: O Nº de Lote deve ser igual a {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Converter a Fora do Grupo
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Lote de um Item.
DocType: C-Form Invoice Detail,Invoice Date,Data da Fatura
DocType: GL Entry,Debit Amount,Montante de Débito
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Só pode haver 1 Conta por Empresa em {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,"Por favor, veja o anexo"
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Só pode haver 1 Conta por Empresa em {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,"Por favor, veja o anexo"
DocType: Purchase Order,% Received,% Recebida
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Criar Grupos de Estudantes
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,A Instalação Já Está Concluída!!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Valor da Nota de Crédito
,Finished Goods,Produtos Acabados
DocType: Delivery Note,Instructions,Instruções
DocType: Quality Inspection,Inspected By,Inspecionado Por
DocType: Maintenance Visit,Maintenance Type,Tipo de Manutenção
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} não está inscrito no Curso {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},O Nr. de Série {0} não pertence à Guia de Remessa {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demonstração
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Adicionar Itens
@@ -442,7 +447,7 @@
DocType: Request for Quotation,Request for Quotation,Solicitação de Cotação
DocType: Salary Slip Timesheet,Working Hours,Horas de Trabalho
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Altera o número de sequência inicial / atual duma série existente.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Criar um novo cliente
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Criar um novo cliente
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Se várias Regras de Fixação de Preços continuarem a prevalecer, será pedido aos utilizadores que definam a Prioridade manualmente para que este conflito seja resolvido."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Criar ordens de compra
,Purchase Register,Registo de Compra
@@ -454,7 +459,7 @@
DocType: Student Log,Medical,Clínico
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Motivo de perda
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,O Dono do Potencial Cliente não pode ser o mesmo que o Potencial Cliente
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,O montante atribuído não pode ser superior ao montante não ajustado
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,O montante atribuído não pode ser superior ao montante não ajustado
DocType: Announcement,Receiver,Recetor
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},"O Posto de Trabalho está encerrado nas seguintes datas, conforme a Lista de Feriados: {0}"
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Oportunidades
@@ -468,8 +473,7 @@
DocType: Assessment Plan,Examiner Name,Nome do Examinador
DocType: Purchase Invoice Item,Quantity and Rate,Quantidade e Valor
DocType: Delivery Note,% Installed,% Instalada
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,"Salas de Aula / Laboratórios, etc. onde podem ser agendadas palestras."
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Fornecedor> Tipo de Fornecedor
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Salas de Aula / Laboratórios, etc. onde podem ser agendadas palestras."
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,"Por favor, insira o nome da empresa primeiro"
DocType: Purchase Invoice,Supplier Name,Nome do Fornecedor
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Leia o Manual de ERPNext
@@ -479,7 +483,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Verificar Singularidade de Número de Fatura de Fornecedor
DocType: Vehicle Service,Oil Change,Mudança de Óleo
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.',"O ""Nr. de Processo A"" não pode ser inferior ao ""Nr. de Processo De"""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Sem Fins Lucrativos
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Sem Fins Lucrativos
DocType: Production Order,Not Started,Não Iniciado
DocType: Lead,Channel Partner,Parceiro de Canal
DocType: Account,Old Parent,Fonte Antiga
@@ -490,20 +494,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,As definições gerais para todos os processos de fabrico.
DocType: Accounts Settings,Accounts Frozen Upto,Contas Congeladas Até
DocType: SMS Log,Sent On,Enviado Em
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,O Atributo {0} foi selecionado várias vezes na Tabela de Atributos
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,O Atributo {0} foi selecionado várias vezes na Tabela de Atributos
DocType: HR Settings,Employee record is created using selected field. ,O registo de funcionário é criado ao utilizar o campo selecionado.
DocType: Sales Order,Not Applicable,Não Aplicável
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Definidor de Feriados.
DocType: Request for Quotation Item,Required Date,Data Obrigatória
DocType: Delivery Note,Billing Address,Endereço de Faturação
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,"Por favor, insira o Código do Item."
DocType: BOM,Costing,Cálculo dos Custos
DocType: Tax Rule,Billing County,Condado de Faturação
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Se for selecionado, será considerado que o valor do imposto já está incluído na Taxa de Impressão / Quantidade de Impressão"
DocType: Request for Quotation,Message for Supplier,Mensagem para o Fornecedor
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Qtd Total
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,ID de e-mail do Guardian2
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,ID de e-mail do Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,ID de e-mail do Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,ID de e-mail do Guardian2
DocType: Item,Show in Website (Variant),Show em site (Variant)
DocType: Employee,Health Concerns,Problemas Médicos
DocType: Process Payroll,Select Payroll Period,Selecione o Período de Pagamento
@@ -521,26 +524,28 @@
DocType: Sales Order Item,Used for Production Plan,Utilizado para o Plano de Produção
DocType: Employee Loan,Total Payment,Pagamento total
DocType: Manufacturing Settings,Time Between Operations (in mins),Tempo Entre Operações (em minutos)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} é cancelado para que a ação não possa ser concluída
DocType: Customer,Buyer of Goods and Services.,Comprador de Produtos e Serviços.
DocType: Journal Entry,Accounts Payable,Contas a Pagar
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,As listas de materiais selecionadas não são para o mesmo item
DocType: Pricing Rule,Valid Upto,Válido Até
DocType: Training Event,Workshop,Workshop
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Insira alguns dos seus clientes. Podem ser organizações ou indivíduos.
-,Enough Parts to Build,Peças suficiente para construir
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Rendimento Direto
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Insira alguns dos seus clientes. Podem ser organizações ou indivíduos.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Peças suficiente para construir
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Rendimento Direto
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Não é possivel filtrar com base na Conta, se estiver agrupado por Conta"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Funcionário Administrativo
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Por favor selecione Curso
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Por favor selecione Curso
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Funcionário Administrativo
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Por favor selecione Curso
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Por favor selecione Curso
DocType: Timesheet Detail,Hrs,Hrs
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,"Por favor, selecione a Empresa"
DocType: Stock Entry Detail,Difference Account,Conta de Diferenças
+DocType: Purchase Invoice,Supplier GSTIN,Fornecedor GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Não pode encerrar a tarefa pois a sua tarefa dependente {0} não está encerrada.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"Por favor, insira o Armazém em que será levantanda a Solicitação de Material"
DocType: Production Order,Additional Operating Cost,Custos Operacionais Adicionais
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Cosméticos
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Para unir, as seguintes propriedades devem ser iguais para ambos items"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Para unir, as seguintes propriedades devem ser iguais para ambos items"
DocType: Shipping Rule,Net Weight,Peso Líquido
DocType: Employee,Emergency Phone,Telefone de Emergência
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Comprar
@@ -550,14 +555,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Por favor defina o grau para o Limiar 0%
DocType: Sales Order,To Deliver,A Entregar
DocType: Purchase Invoice Item,Item,Item
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,O nr. de série do item não pode ser uma fração
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,O nr. de série do item não pode ser uma fração
DocType: Journal Entry,Difference (Dr - Cr),Diferença (Db - Cr)
DocType: Account,Profit and Loss,Lucros e Perdas
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Gestão de Subcontratação
DocType: Project,Project will be accessible on the website to these users,O projeto estará acessível no website para estes utilizadores
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Taxa à qual a moeda da Lista de preços é convertida para a moeda principal da empresa
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},A conta {0} não pertence à empresa: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Esta abreviatura já foi utilizada para outra empresa
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},A conta {0} não pertence à empresa: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Esta abreviatura já foi utilizada para outra empresa
DocType: Selling Settings,Default Customer Group,Grupo de Clientes Padrão
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Se desativar, o campo 'Total Arredondado' não será visível em nenhuma transação"
DocType: BOM,Operating Cost,Custo de Funcionamento
@@ -565,7 +570,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,O Aumento não pode ser 0
DocType: Production Planning Tool,Material Requirement,Requisito de Material
DocType: Company,Delete Company Transactions,Eliminar Transações da Empresa
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,É obrigatório colocar o Nº de Referência e a Data de Referência para as transações bancárias
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,É obrigatório colocar o Nº de Referência e a Data de Referência para as transações bancárias
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Adicionar / Editar Impostos e Taxas
DocType: Purchase Invoice,Supplier Invoice No,Nr. de Fatura de Fornecedor
DocType: Territory,For reference,Para referência
@@ -576,22 +581,22 @@
DocType: Installation Note Item,Installation Note Item,Nota de Instalação de Item
DocType: Production Plan Item,Pending Qty,Qtd Pendente
DocType: Budget,Ignore,Ignorar
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} não é activa
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} não é activa
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS enviado a seguintes números: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,Defina as dimensões do cheque para impressão
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Defina as dimensões do cheque para impressão
DocType: Salary Slip,Salary Slip Timesheet,Folhas de Vencimento de Registo de Horas
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,É obrigatório colocar o Fornecedor de Armazém no Recibo de compra de subcontratados
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,É obrigatório colocar o Fornecedor de Armazém no Recibo de compra de subcontratados
DocType: Pricing Rule,Valid From,Válido De
DocType: Sales Invoice,Total Commission,Comissão Total
DocType: Pricing Rule,Sales Partner,Parceiro de Vendas
DocType: Buying Settings,Purchase Receipt Required,É Obrigatório o Recibo de Compra
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,É obrigatório colocar a Taxa de Avaliação se foi introduzido o Stock de Abertura
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,É obrigatório colocar a Taxa de Avaliação se foi introduzido o Stock de Abertura
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Não foram encontrados nenhuns registos na tabela da Fatura
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,"Por favor, selecione primeiro a Empresa e o Tipo de Parte"
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Ano fiscal / financeiro.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Ano fiscal / financeiro.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Valores Acumulados
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Desculpe, mas os Nrs. de Série não podem ser unidos"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Criar Pedido de Venda
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Criar Pedido de Venda
DocType: Project Task,Project Task,Tarefa do Projeto
,Lead Id,ID de Potencial Cliente
DocType: C-Form Invoice Detail,Grand Total,Total Geral
@@ -608,7 +613,7 @@
DocType: Job Applicant,Resume Attachment,Anexo de Currículo
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Clientes Fiéis
DocType: Leave Control Panel,Allocate,Atribuir
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Retorno de Vendas
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Retorno de Vendas
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,"Nota: O total de licenças atribuídas {0} não deve ser menor do que as licenças já aprovadas {1}, para esse período"
DocType: Announcement,Posted By,Postado Por
DocType: Item,Delivered by Supplier (Drop Ship),Entregue pelo Fornecedor (Envio Direto)
@@ -618,8 +623,8 @@
DocType: Quotation,Quotation To,Orçamento Para
DocType: Lead,Middle Income,Rendimento Médio
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Inicial (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,A Unidade de Medida Padrão do Item {0} não pode ser alterada diretamente porque já efetuou alguma/s transação/transações com outra UNID. Irá precisar criar um novo Item para poder utilizar uma UNID Padrão diferente.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,O montante atribuído não pode ser negativo
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,A Unidade de Medida Padrão do Item {0} não pode ser alterada diretamente porque já efetuou alguma/s transação/transações com outra UNID. Irá precisar criar um novo Item para poder utilizar uma UNID Padrão diferente.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,O montante atribuído não pode ser negativo
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Defina a Empresa
DocType: Purchase Order Item,Billed Amt,Qtd Faturada
DocType: Training Result Employee,Training Result Employee,Resultado de Formação de Funcionário
@@ -631,7 +636,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Selecione a Conta de Pagamento para efetuar um Registo Bancário
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Criar registos de funcionários para gerir faltas, declarações de despesas e folha de salários"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Adicionar à Base de Conhecimento
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Elaboração de Proposta
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Elaboração de Proposta
DocType: Payment Entry Deduction,Payment Entry Deduction,Dedução de Registo de Pagamento
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Já existe outro Vendedor {0} com a mesma id de Funcionário
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Se for selecionado, as matérias-primas para os itens subcontratados serão incluídas nas Solicitações de Material"
@@ -645,7 +650,7 @@
DocType: Timesheet,Billed,Faturado
DocType: Batch,Batch Description,Descrição do Lote
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Criando grupos de alunos
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Não foi criada uma Conta do Portal de Pagamento, por favor, crie uma manualmente."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Não foi criada uma Conta do Portal de Pagamento, por favor, crie uma manualmente."
DocType: Sales Invoice,Sales Taxes and Charges,Impostos e Taxas de Vendas
DocType: Employee,Organization Profile,Perfil da Organização
DocType: Student,Sibling Details,Dados de Irmão/Irmã
@@ -667,11 +672,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Variação Líquida no Inventário
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Gestão de empréstimos a funcionários
DocType: Employee,Passport Number,Número de Passaporte
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Relação com Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Gestor
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Relação com Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Gestor
DocType: Payment Entry,Payment From / To,Pagamento De / Para
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},O novo limite de crédito é inferior ao montante em dívida atual para o cliente. O limite de crédito tem que ser pelo menos {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,O mesmo artigo foi introduzido várias vezes.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},O novo limite de crédito é inferior ao montante em dívida atual para o cliente. O limite de crédito tem que ser pelo menos {0}
DocType: SMS Settings,Receiver Parameter,Parâmetro do Recetor
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Baseado em' e 'Agrupado por' não podem ser iguais
DocType: Sales Person,Sales Person Targets,Metas de Vendedores
@@ -680,8 +684,9 @@
DocType: Issue,Resolution Date,Data de Resolução
DocType: Student Batch Name,Batch Name,Nome de Lote
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Registo de Horas criado:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},Por favor defina o Dinheiro ou Conta Bancária padrão no Modo de Pagamento {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Por favor defina o Dinheiro ou Conta Bancária padrão no Modo de Pagamento {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Matricular
+DocType: GST Settings,GST Settings,Configurações de GST
DocType: Selling Settings,Customer Naming By,Nome de Cliente Por
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Irá mostrar ao aluno como Presente em Student Relatório de Frequência Mensal
DocType: Depreciation Schedule,Depreciation Amount,Montante de Depreciação
@@ -703,6 +708,7 @@
DocType: Item,Material Transfer,Transferência de Material
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Inicial (Db)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},A marca temporal postada deve ser posterior a {0}
+,GST Itemised Purchase Register,Registo de compra por itens do GST
DocType: Employee Loan,Total Interest Payable,Interesse total a pagar
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Impostos e Taxas de Custo de Entrega
DocType: Production Order Operation,Actual Start Time,Hora de Início Efetiva
@@ -729,10 +735,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
DocType: Account,Accounts,Contas
DocType: Vehicle,Odometer Value (Last),Valor do Conta-quilómetros (Último)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,O Registo de Pagamento já tinha sido criado
DocType: Purchase Receipt Item Supplied,Current Stock,Stock Atual
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Linha #{0}: O Ativo {1} não está vinculado ao Item {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Linha #{0}: O Ativo {1} não está vinculado ao Item {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Pré-visualizar Folha de Pagamento
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,A Conta {0} foi inserida várias vezes
DocType: Account,Expenses Included In Valuation,Despesas Incluídas na Estimativa
@@ -740,7 +746,7 @@
,Absent Student Report,Relatório de Faltas de Estudante
DocType: Email Digest,Next email will be sent on:,O próximo email será enviado em:
DocType: Offer Letter Term,Offer Letter Term,Termo de Carta de Oferta
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,O Item tem variantes.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,O Item tem variantes.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Não foi encontrado o Item {0}
DocType: Bin,Stock Value,Valor do Stock
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,A Empresa {0} não existe
@@ -749,7 +755,7 @@
DocType: Serial No,Warranty Expiry Date,Data de Validade da Garantia
DocType: Material Request Item,Quantity and Warehouse,Quantidade e Armazém
DocType: Sales Invoice,Commission Rate (%),Taxa de Comissão (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Selecione o programa
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Selecione o programa
DocType: Project,Estimated Cost,Custo Estimado
DocType: Purchase Order,Link to material requests,Link para pedidos de material
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Espaço Aéreo
@@ -763,14 +769,14 @@
DocType: Purchase Order,Supply Raw Materials,Abastecimento de Matérias-Primas
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,A data na qual a próxima fatura será gerada. Ela é gerada ao enviar.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Ativos Atuais
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} não é um item de stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} não é um item de stock
DocType: Mode of Payment Account,Default Account,Conta Padrão
DocType: Payment Entry,Received Amount (Company Currency),Montante Recebido (Moeda da Empresa)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,O Potencial Cliente deve ser definido se for efetuada uma Oportunidade para um Potencial Cliente
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,"Por favor, seleccione os dias de folga semanal"
DocType: Production Order Operation,Planned End Time,Tempo de Término Planeado
,Sales Person Target Variance Item Group-Wise,Item de Variância Alvo de Vendedores em Grupo
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,A conta da transação existente não pode ser convertida num livro
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,A conta da transação existente não pode ser convertida num livro
DocType: Delivery Note,Customer's Purchase Order No,Nr. da Ordem de Compra do Cliente
DocType: Budget,Budget Against,Orçamento Em
DocType: Employee,Cell Number,Numero de Telemóvel
@@ -782,15 +788,13 @@
DocType: Opportunity,Opportunity From,Oportunidade De
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Declaração salarial mensal.
DocType: BOM,Website Specifications,Especificações do Website
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Por favor, configure as séries de numeração para Atendimento por meio da Configuração> Série de numeração"
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: De {0} do tipo {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Linha {0}: É obrigatório colocar o Fator de Conversão
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Linha {0}: É obrigatório colocar o Fator de Conversão
DocType: Employee,A+,A+
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Existem Várias Regras de Preços com os mesmos critérios, por favor, resolva o conflito através da atribuição de prioridades. Regras de Preços: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,Não é possível desativar ou cancelar a LDM pois está associada a outras LDM
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Existem Várias Regras de Preços com os mesmos critérios, por favor, resolva o conflito através da atribuição de prioridades. Regras de Preços: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Não é possível desativar ou cancelar a LDM pois está associada a outras LDM
DocType: Opportunity,Maintenance,Manutenção
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},É necessário colocar o número de Recibo de Compra para o Item {0}
DocType: Item Attribute Value,Item Attribute Value,Valor do Atributo do Item
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Campanhas de vendas.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Criar Registo de Horas
@@ -842,29 +846,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Ativo excluído através do Lançamento Contabilístico {0}
DocType: Employee Loan,Interest Income Account,Conta Margem
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Biotecnologia
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Despesas de Manutenção de Escritório
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Despesas de Manutenção de Escritório
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Configurar conta de email
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,"Por favor, insira o Item primeiro"
DocType: Account,Liability,Responsabilidade
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,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}.
DocType: Company,Default Cost of Goods Sold Account,Custo Padrão de Conta de Produtos Vendidos
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,A Lista de Preços não foi selecionada
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,A Lista de Preços não foi selecionada
DocType: Employee,Family Background,Antecedentes Familiares
DocType: Request for Quotation Supplier,Send Email,Enviar Email
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Aviso: Anexo inválido {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Aviso: Anexo inválido {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Sem Permissão
DocType: Company,Default Bank Account,Conta Bancária Padrão
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Para filtrar com base nas Partes, selecione o Tipo de Parte primeiro"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Atualizar Stock' não pode ser ativado porque os itens não são entregues através de {0}"
DocType: Vehicle,Acquisition Date,Data de Aquisição
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Nrs.
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Nrs.
DocType: Item,Items with higher weightage will be shown higher,Os itens com maior peso serão mostrados em primeiro lugar
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Dados de Conciliação Bancária
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Linha #{0}: O Ativo {1} deve ser enviado
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Linha #{0}: O Ativo {1} deve ser enviado
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Não foi encontrado nenhum funcionário
DocType: Supplier Quotation,Stopped,Parado
DocType: Item,If subcontracted to a vendor,Se for subcontratado a um fornecedor
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,O grupo de alunos já está atualizado.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,O grupo de alunos já está atualizado.
DocType: SMS Center,All Customer Contact,Todos os Contactos de Clientes
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Carregar saldo de stock através de csv.
DocType: Warehouse,Tree Details,Dados de Esquema
@@ -876,13 +880,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: O Centro de Custo {2} não pertence à Empresa {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: A Conta {2} não pode ser um Grupo
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,A Linha do Item {idx}: {doctype} {docname} não existe na tabela '{doctype}'
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,O Registo de Horas {0} já está concluído ou foi cancelado
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,O Registo de Horas {0} já está concluído ou foi cancelado
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,não há tarefas
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","O dia do mês em que a fatura automática será gerada. Por exemplo, 05, 28, etc."
DocType: Asset,Opening Accumulated Depreciation,Depreciação Acumulada Inicial
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,A classificação deve ser menor ou igual a 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Ferramenta de Inscrição no Programa
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,Registos de Form-C
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,Registos de Form-C
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Clientes e Fornecedores
DocType: Email Digest,Email Digest Settings,Definições de Resumo de Email
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Agradeço pelos seus serviços!
@@ -892,17 +896,19 @@
DocType: Bin,Moving Average Rate,Taxa Média de Mudança
DocType: Production Planning Tool,Select Items,Selecionar Itens
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} na Fatura {1} com a data de {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Número de veículo / ônibus
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Cronograma de Curso
DocType: Maintenance Visit,Completion Status,Estado de Conclusão
DocType: HR Settings,Enter retirement age in years,Insira a idade da reforma em anos
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Armazém Alvo
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Selecione um armazém
DocType: Cheque Print Template,Starting location from left edge,Localização inicial a partir do lado esquerdo
DocType: Item,Allow over delivery or receipt upto this percent,Permitir entrega ou receção em excesso até esta percentagem
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,Importar Assiduidade
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Todos os Grupos de Itens
DocType: Process Payroll,Activity Log,Registo de Atividade
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Lucro / Prejuízo Líquido
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Lucro / Prejuízo Líquido
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Criar mensagem automática no envio de transações.
DocType: Production Order,Item To Manufacture,Item Para Fabrico
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},O estado de {0} {1} é {2}
@@ -911,16 +917,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Ordem de Compra para pagamento
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Qtd Projetada
DocType: Sales Invoice,Payment Due Date,Data Limite de Pagamento
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,A Variante do Item {0} já existe com mesmos atributos
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,A Variante do Item {0} já existe com mesmos atributos
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','Abertura'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Tarefas Abertas
DocType: Notification Control,Delivery Note Message,Mensagem de Guia de Remessa
DocType: Expense Claim,Expenses,Despesas
+,Support Hours,Horas de suporte
DocType: Item Variant Attribute,Item Variant Attribute,Atributo de Variante do Item
,Purchase Receipt Trends,Tendências de Recibo de Compra
DocType: Process Payroll,Bimonthly,Quinzenal
DocType: Vehicle Service,Brake Pad,Pastilha de Travão
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Pesquisa e Desenvolvimento
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Pesquisa e Desenvolvimento
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Montante a Faturar
DocType: Company,Registration Details,Dados de Inscrição
DocType: Timesheet,Total Billed Amount,Valor Total Faturado
@@ -933,12 +940,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Só Obter as Matérias-primas
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Avaliação de desempenho.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Ao ativar a ""Utilização para Carrinho de Compras"", o Carrinho de Compras ficará ativado e deverá haver pelo menos uma Regra de Impostos para o Carrinho de Compras"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","O Registo de Pagamento {0} está ligado ao Pedido {1}, por favor verifique se o mesmo deve ser retirado como adiantamento da presente fatura."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","O Registo de Pagamento {0} está ligado ao Pedido {1}, por favor verifique se o mesmo deve ser retirado como adiantamento da presente fatura."
DocType: Sales Invoice Item,Stock Details,Dados de Stock
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Valor do Projeto
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Ponto de Venda
DocType: Vehicle Log,Odometer Reading,Leitura do Conta-quilómetros
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","O Saldo da conta já está em Crédito, não tem permissão para definir ""Saldo Deve Ser"" como ""Débito"""
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","O Saldo da conta já está em Crédito, não tem permissão para definir ""Saldo Deve Ser"" como ""Débito"""
DocType: Account,Balance must be,O saldo deve ser
DocType: Hub Settings,Publish Pricing,Publicar Atribuição de Preços
DocType: Notification Control,Expense Claim Rejected Message,Mensagem de Reembolso de Despesas Rejeitado
@@ -948,7 +955,7 @@
DocType: Salary Slip,Working Days,Dias Úteis
DocType: Serial No,Incoming Rate,Taxa de Entrada
DocType: Packing Slip,Gross Weight,Peso Bruto
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,O nome da empresa para a qual está a configurar este sistema.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,O nome da empresa para a qual está a configurar este sistema.
DocType: HR Settings,Include holidays in Total no. of Working Days,Incluir férias no Nr. Total de Dias Úteis
DocType: Job Applicant,Hold,Manter
DocType: Employee,Date of Joining,Data de Admissão
@@ -959,20 +966,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Recibo de Compra
,Received Items To Be Billed,Itens Recebidos a Serem Faturados
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Folhas de salário Submetido
-DocType: Employee,Ms,Sra.
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Definidor de taxa de câmbio de moeda.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},O Tipo de Documento de Referência deve ser um de {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Definidor de taxa de câmbio de moeda.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},O Tipo de Documento de Referência deve ser um de {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Incapaz de encontrar o Horário nos próximos {0} dias para a Operação {1}
DocType: Production Order,Plan material for sub-assemblies,Planear material para subconjuntos
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Parceiros de Vendas e Território
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,Não é possível criar a conta automaticamente porque já existe saldo de stock na conta. Você deve criar uma conta de correspondência antes de poder fazer uma entrada neste armazém
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,A LDM {0} deve estar ativa
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,A LDM {0} deve estar ativa
DocType: Journal Entry,Depreciation Entry,Registo de Depreciação
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,"Por favor, selecione primeiro o tipo de documento"
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Cancelar Visitas Materiais {0} antes de cancelar esta Visita de Manutenção
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},O Nr. de Série {0} não pertence ao Item {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Qtd Necessária
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Os Armazéns com transação existente não podem ser convertidos em razão.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Os Armazéns com transação existente não podem ser convertidos em razão.
DocType: Bank Reconciliation,Total Amount,Valor Total
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Publicações na Internet
DocType: Production Planning Tool,Production Orders,Pedidos de Produção
@@ -987,25 +992,26 @@
DocType: Fee Structure,Components,Componentes
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},"Por favor, insira a Categoria de Ativo no Item {0}"
DocType: Quality Inspection Reading,Reading 6,Leitura 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Não é possível {0} {1} {2} sem qualquer fatura pendente negativa
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Não é possível {0} {1} {2} sem qualquer fatura pendente negativa
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Avanço de Fatura de Compra
DocType: Hub Settings,Sync Now,Sincronizar Agora
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Linha {0}: O registo de crédito não pode ser ligado a {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Definir orçamento para um ano fiscal.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Definir orçamento para um ano fiscal.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,A Conta Bancária / Dinheiro padrão será automaticamente atualizada na fatura POS quando este modo for selecionado.
DocType: Lead,LEAD-,POT CLIEN-
DocType: Employee,Permanent Address Is,O Endereço Permanente É
DocType: Production Order Operation,Operation completed for how many finished goods?,Operação concluída para quantos produtos acabados?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,A Marca
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,A Marca
DocType: Employee,Exit Interview Details,Sair de Dados da Entrevista
DocType: Item,Is Purchase Item,É o Item de Compra
DocType: Asset,Purchase Invoice,Fatura de Compra
DocType: Stock Ledger Entry,Voucher Detail No,Dado de Voucher Nr.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Nova Fatura de Venda
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Nova Fatura de Venda
DocType: Stock Entry,Total Outgoing Value,Valor Total de Saída
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,A Data de Abertura e a Data de Término devem estar dentro do mesmo Ano Fiscal
DocType: Lead,Request for Information,Pedido de Informação
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sincronização de Facturas Offline
+,LeaderBoard,Entre os melhores
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Sincronização de Facturas Offline
DocType: Payment Request,Paid,Pago
DocType: Program Fee,Program Fee,Proprina do Programa
DocType: Salary Slip,Total in words,Total por extenso
@@ -1014,13 +1020,13 @@
DocType: Cheque Print Template,Has Print Format,Tem Formato de Impressão
DocType: Employee Loan,Sanctioned,sancionada
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,é obrigatório. Talvez o registo de Câmbio não tenha sido criado para
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},"Linha #{0}: Por favor, especifique o Nr. de Série para o Item {1}"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Para os itens dos ""Pacote de Produtos"", o Armazém e Nr. de Lote serão considerados a partir da tabela de ""Lista de Empacotamento"". Se o Armazém e o Nr. de Lote forem os mesmos para todos os itens empacotados para qualquer item dum ""Pacote de Produto"", esses valores podem ser inseridos na tabela do Item principal, e os valores serão copiados para a tabela da ""Lista de Empacotamento'""."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},"Linha #{0}: Por favor, especifique o Nr. de Série para o Item {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Para os itens dos ""Pacote de Produtos"", o Armazém e Nr. de Lote serão considerados a partir da tabela de ""Lista de Empacotamento"". Se o Armazém e o Nr. de Lote forem os mesmos para todos os itens empacotados para qualquer item dum ""Pacote de Produto"", esses valores podem ser inseridos na tabela do Item principal, e os valores serão copiados para a tabela da ""Lista de Empacotamento'""."
DocType: Job Opening,Publish on website,Publicar no website
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Os envios para os clientes.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,A Data da Fatura do Fornecedor não pode ser maior que Data de Lançamento
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,A Data da Fatura do Fornecedor não pode ser maior que Data de Lançamento
DocType: Purchase Invoice Item,Purchase Order Item,Item da Ordem de Compra
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Rendimento Indireto
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Rendimento Indireto
DocType: Student Attendance Tool,Student Attendance Tool,Ferramenta de Assiduidade dos Alunos
DocType: Cheque Print Template,Date Settings,Definições de Data
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Variação
@@ -1038,21 +1044,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Produto Químico
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,"A conta Bancária / Dinheiro padrão será atualizada automaticamente no Registo de Lançamento Contabilístico, quando for selecionado este modo."
DocType: BOM,Raw Material Cost(Company Currency),Custo da Matéria-prima (Moeda da Empresa)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Todos os itens já foram transferidos para esta Ordem de Produção.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Todos os itens já foram transferidos para esta Ordem de Produção.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Linha # {0}: A taxa não pode ser maior que a taxa usada em {1} {2}
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Linha # {0}: A taxa não pode ser maior que a taxa usada em {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,Metro
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,Metro
DocType: Workstation,Electricity Cost,Custo de Eletricidade
DocType: HR Settings,Don't send Employee Birthday Reminders,Não enviar Lembretes de Aniversário de Funcionários
DocType: Item,Inspection Criteria,Critérios de Inspeção
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Transferido
DocType: BOM Website Item,BOM Website Item,BOM Site item
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Carregue o cabeçalho e logótipo da carta. (Pode editá-los mais tarde.)
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Carregue o cabeçalho e logótipo da carta. (Pode editá-los mais tarde.)
DocType: Timesheet Detail,Bill,Fatura
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,A Próxima Data de Depreciação é inserida como data passada
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Branco
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Branco
DocType: SMS Center,All Lead (Open),Todos Potenciais Clientes (Abertos)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Linha {0}: A qtd não está disponível para {4} no armazém {1} no momento da postagem do registo ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Linha {0}: A qtd não está disponível para {4} no armazém {1} no momento da postagem do registo ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Obter Adiantamentos Pagos
DocType: Item,Automatically Create New Batch,Criar novo lote automaticamente
DocType: Item,Automatically Create New Batch,Criar novo lote automaticamente
@@ -1063,13 +1069,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Meu Carrinho
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},O Tipo de Pedido deve pertencer a {0}
DocType: Lead,Next Contact Date,Data do Próximo Contacto
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Qtd Inicial
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,"Por favor, insira a Conta para o Montante de Alterações"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Qtd Inicial
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,"Por favor, insira a Conta para o Montante de Alterações"
DocType: Student Batch Name,Student Batch Name,Nome de Classe de Estudantes
DocType: Holiday List,Holiday List Name,Lista de Nomes de Feriados
DocType: Repayment Schedule,Balance Loan Amount,Saldo Valor do Empréstimo
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Calendário de Cursos
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Opções de Stock
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Opções de Stock
DocType: Journal Entry Account,Expense Claim,Relatório de Despesas
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Deseja realmente restaurar este ativo descartado?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Qtd para {0}
@@ -1081,12 +1087,12 @@
DocType: Company,Default Terms,Termos Padrão
DocType: Packing Slip Item,Packing Slip Item,Item de Nota Fiscal
DocType: Purchase Invoice,Cash/Bank Account,Dinheiro/Conta Bancária
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Por favor especificar um {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Por favor especificar um {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Itens removidos sem nenhuma alteração na quantidade ou valor.
DocType: Delivery Note,Delivery To,Entregue A
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,É obrigatório colocar a tabela do atributos
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,É obrigatório colocar a tabela do atributos
DocType: Production Planning Tool,Get Sales Orders,Obter Ordens de Venda
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} não pode ser negativo
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} não pode ser negativo
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Desconto
DocType: Asset,Total Number of Depreciations,Número total de Depreciações
DocType: Sales Invoice Item,Rate With Margin,Taxa com margem
@@ -1107,7 +1113,6 @@
DocType: Serial No,Creation Document No,Nr. de Documento de Criação
DocType: Issue,Issue,Incidente
DocType: Asset,Scrapped,Descartado
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,A conta não pertence à Empresa
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Atributos para Variantes do Item. Por exemplo: Tamanho, Cor, etc."
DocType: Purchase Invoice,Returns,Devoluções
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,Armazém WIP
@@ -1119,12 +1124,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,"O item deve ser adicionado utilizando o botão ""Obter Itens de Recibos de Compra"""
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Incluir itens não armazenáveis
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Despesas com Vendas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Despesas com Vendas
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Compra Padrão
DocType: GL Entry,Against,Em
DocType: Item,Default Selling Cost Center,Centro de Custo de Venda Padrão
DocType: Sales Partner,Implementation Partner,Parceiro de Implementação
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Código Postal
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Código Postal
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},A Ordem de Venda {0} é {1}
DocType: Opportunity,Contact Info,Informações de Contacto
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Efetuar Registos de Stock
@@ -1137,33 +1142,33 @@
DocType: Holiday List,Get Weekly Off Dates,Obter Datas de Folgas Semanais
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,A Data de Término não pode ser mais recente que a Data de Início
DocType: Sales Person,Select company name first.,Selecione o nome da empresa primeiro.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Dr
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Cotações recebidas de Fornecedores.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Para {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Idade Média
DocType: School Settings,Attendance Freeze Date,Data de congelamento do comparecimento
DocType: School Settings,Attendance Freeze Date,Data de congelamento do comparecimento
DocType: Opportunity,Your sales person who will contact the customer in future,O seu vendedor que contactará com o cliente no futuro
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Insira alguns dos seus fornecedores. Podem ser organizações ou indivíduos.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Insira alguns dos seus fornecedores. Podem ser organizações ou indivíduos.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Ver Todos os Produtos
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Idade mínima de entrega (dias)
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Idade mínima de entrega (dias)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,Todos os BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Todos os BOMs
DocType: Company,Default Currency,Moeda Padrão
DocType: Expense Claim,From Employee,Do(a) Funcionário(a)
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Aviso: O sistema não irá verificar a sobre faturação pois o montante para o Item {0} em {1} é zero
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Aviso: O sistema não irá verificar a sobre faturação pois o montante para o Item {0} em {1} é zero
DocType: Journal Entry,Make Difference Entry,Efetuar Registo de Diferença
DocType: Upload Attendance,Attendance From Date,Assiduidade a Partir De
DocType: Appraisal Template Goal,Key Performance Area,Área de Desempenho Fundamental
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Transporte
+DocType: Program Enrollment,Transportation,Transporte
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Atributo Inválido
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} deve ser enviado
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} deve ser enviado
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},A quantidade deve ser inferior ou igual a {0}
DocType: SMS Center,Total Characters,Total de Caracteres
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},"Por favor, selecione a LDM no campo LDM para o Item {0}"
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},"Por favor, selecione a LDM no campo LDM para o Item {0}"
DocType: C-Form Invoice Detail,C-Form Invoice Detail,Dados de Fatura Form-C
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Fatura de Conciliação de Pagamento
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Contribuição %
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","De acordo com as Configurações de compra, se a ordem de compra necessária == 'SIM', então, para criar a factura de compra, o usuário precisa criar a ordem de compra primeiro para o item {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,"Os números de registo da empresa para sua referência. Números fiscais, etc."
DocType: Sales Partner,Distributor,Distribuidor
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Regra de Envio de Carrinho de Compras
@@ -1172,23 +1177,25 @@
,Ordered Items To Be Billed,Itens Pedidos A Serem Faturados
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,A Faixa De tem de ser inferior à Faixa Para
DocType: Global Defaults,Global Defaults,Padrões Gerais
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Convite de Colaboração no Projeto
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Convite de Colaboração no Projeto
DocType: Salary Slip,Deductions,Deduções
DocType: Leave Allocation,LAL/,LAL/
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Ano de Início
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},Os primeiros 2 dígitos do GSTIN devem corresponder com o número do estado {0}
DocType: Purchase Invoice,Start date of current invoice's period,A data de início do período de fatura atual
DocType: Salary Slip,Leave Without Pay,Licença Sem Vencimento
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Erro de Planeamento de Capacidade
,Trial Balance for Party,Balancete para a Parte
DocType: Lead,Consultant,Consultor
DocType: Salary Slip,Earnings,Remunerações
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,O Item Acabado {0} deve ser inserido no registo de Tipo de Fabrico
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,O Item Acabado {0} deve ser inserido no registo de Tipo de Fabrico
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Saldo Contabilístico Inicial
+,GST Sales Register,GST Sales Register
DocType: Sales Invoice Advance,Sales Invoice Advance,Avanço de Fatura de Vendas
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Nada a requesitar
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Já existe outro registo '{0}' em {1} '{2}' para o ano fiscal {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',A 'Data de Início Efetiva' não pode ser mais recente que a 'Data de Término Efetiva'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Gestão
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Gestão
DocType: Cheque Print Template,Payer Settings,Definições de Pagador
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Isto será anexado ao Código do Item da variante. Por exemplo, se a sua abreviatura for ""SM"", e o código do item é ""T-SHIRT"", o código do item da variante será ""T-SHIRT-SM"""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,A Remuneração Líquida (por extenso) será visível assim que guardar a Folha de Vencimento.
@@ -1205,8 +1212,8 @@
DocType: Employee Loan,Partially Disbursed,parcialmente Desembolso
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Banco de dados de fornecedores.
DocType: Account,Balance Sheet,Balanço
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',O Centro de Custo Para o Item com o Código de Item '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","O Modo de Pagamento não está configurado. Por favor, verifique se conta foi definida no Modo de Pagamentos ou no Perfil POS."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',O Centro de Custo Para o Item com o Código de Item '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","O Modo de Pagamento não está configurado. Por favor, verifique se conta foi definida no Modo de Pagamentos ou no Perfil POS."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,O seu vendedor receberá um lembrete nesta data para contatar o cliente
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Mesmo item não pode ser inserido várias vezes.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Podem ser realizadas outras contas nos Grupos, e os registos podem ser efetuados em Fora do Grupo"
@@ -1214,7 +1221,7 @@
DocType: Email Digest,Payables,A Pagar
DocType: Course,Course Intro,Introdução do Curso
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Registo de Stock {0} criado
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Linha #{0}: A Qtd Rejeitada não pode ser inserida na Devolução de Compra
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Linha #{0}: A Qtd Rejeitada não pode ser inserida na Devolução de Compra
,Purchase Order Items To Be Billed,Itens da Ordem de Compra a faturar
DocType: Purchase Invoice Item,Net Rate,Taxa Líquida
DocType: Purchase Invoice Item,Purchase Invoice Item,Item de Fatura de Compra
@@ -1239,7 +1246,7 @@
DocType: Sales Order,SO-,SO-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,"Por favor, seleccione o prefixo primeiro"
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Pesquisa
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Pesquisa
DocType: Maintenance Visit Purpose,Work Done,Trabalho Efetuado
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,"Por favor, especifique pelo menos um atributo na tabela de Atributos"
DocType: Announcement,All Students,Todos os Alunos
@@ -1247,17 +1254,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Ver Livro
DocType: Grading Scale,Intervals,intervalos
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Mais Cedo
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Já existe um Grupo de Itens com o mesmo nome, Por favor, altere o nome desse grupo de itens ou modifique o nome deste grupo de itens"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Nr. de Telemóvel de Estudante
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Resto Do Mundo
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Já existe um Grupo de Itens com o mesmo nome, Por favor, altere o nome desse grupo de itens ou modifique o nome deste grupo de itens"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Nr. de Telemóvel de Estudante
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Resto Do Mundo
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,O Item {0} não pode ter um Lote
,Budget Variance Report,Relatório de Desvios de Orçamento
DocType: Salary Slip,Gross Pay,Salário Bruto
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Linha {0}: É obrigatório colocar o Tipo de Atividade.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Dividendos Pagos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Dividendos Pagos
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Livro Contabilístico
DocType: Stock Reconciliation,Difference Amount,Montante da Diferença
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Lucros Acumulados
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Lucros Acumulados
DocType: Vehicle Log,Service Detail,Dados de Serviço
DocType: BOM,Item Description,Descrição do Item
DocType: Student Sibling,Student Sibling,Irmão/Irmã do Estudante
@@ -1272,11 +1279,11 @@
DocType: Opportunity Item,Opportunity Item,Item de Oportunidade
,Student and Guardian Contact Details,Student and Guardian Detalhes de Contato
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Linha {0}: É necessário o Endereço de Email para o fornecedor {0} para poder enviar o email
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Abertura Temporária
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Abertura Temporária
,Employee Leave Balance,Balanço de Licenças do Funcionário
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},O Saldo da Conta {0} deve ser sempre {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},É necessária a Taxa de Avaliação para o Item na linha {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Exemplo: Mestrado em Ciência de Computadores
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Exemplo: Mestrado em Ciência de Computadores
DocType: Purchase Invoice,Rejected Warehouse,Armazém Rejeitado
DocType: GL Entry,Against Voucher,No Voucher
DocType: Item,Default Buying Cost Center,Centro de Custo de Compra Padrão
@@ -1289,31 +1296,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Obter Faturas Pendentes
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,A Ordem de Vendas {0} não é válida
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,As ordens de compra ajudá-lo a planejar e acompanhar suas compras
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Desculpe, mas as empresas não podem ser unidas"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Desculpe, mas as empresas não podem ser unidas"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",A quantidade total da Emissão / Transferência {0} no Pedido de Material {1} \ não pode ser maior do que a quantidade pedida {2} para o Item {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Pequeno
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Pequeno
DocType: Employee,Employee Number,Número de Funcionário/a
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},O Processo Nr. (s) já está a ser utilizado. Tente a partir do Processo Nr. {0}
DocType: Project,% Completed,% Concluído
,Invoiced Amount (Exculsive Tax),Montante Faturado (Taxa Exclusiva)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Item 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,O título de conta {0} foi criado
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,Evento de Formação
DocType: Item,Auto re-order,Voltar a Pedir Autom.
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Total Alcançado
DocType: Employee,Place of Issue,Local de Emissão
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Contrato
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Contrato
DocType: Email Digest,Add Quote,Adicionar Cotação
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},Fator de conversão de UNID necessário para a UNID: {0} no Item: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Despesas Indiretas
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Fator de conversão de UNID necessário para a UNID: {0} no Item: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Despesas Indiretas
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Linha {0}: É obrigatório colocar a qtd
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Agricultura
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sincronização de Def. de Dados
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Os seus Produtos ou Serviços
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sincronização de Def. de Dados
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Os seus Produtos ou Serviços
DocType: Mode of Payment,Mode of Payment,Modo de Pagamento
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,O Website de Imagem deve ser um ficheiro público ou um URL de website
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,O Website de Imagem deve ser um ficheiro público ou um URL de website
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,LDM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Este é um item principal e não pode ser editado.
@@ -1322,17 +1328,17 @@
DocType: Warehouse,Warehouse Contact Info,Informações de Contacto do Armazém
DocType: Payment Entry,Write Off Difference Amount,Liquidar Montante de Diferença
DocType: Purchase Invoice,Recurring Type,Tipo Recorrente
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: Não foi encontrado o email do funcionário, portanto, o email não será enviado"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: Não foi encontrado o email do funcionário, portanto, o email não será enviado"
DocType: Item,Foreign Trade Details,Detalhes Comércio Exterior
DocType: Email Digest,Annual Income,Rendimento Anual
DocType: Serial No,Serial No Details,Dados de Nr. de Série
DocType: Purchase Invoice Item,Item Tax Rate,Taxa Fiscal do Item
DocType: Student Group Student,Group Roll Number,Número de rolo de grupo
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Para {0}, só podem ser ligadas contas de crédito noutro registo de débito"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,O total de todos os pesos da tarefa deve ser 1. Por favor ajuste os pesos de todas as tarefas do Projeto em conformidade
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,A Guia de Remessa {0} não foi enviada
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,O Item {0} deve ser um Item Subcontratado
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Bens de Equipamentos
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,O total de todos os pesos da tarefa deve ser 1. Por favor ajuste os pesos de todas as tarefas do Projeto em conformidade
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,A Guia de Remessa {0} não foi enviada
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,O Item {0} deve ser um Item Subcontratado
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Bens de Equipamentos
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","A Regra de Fixação de Preços é selecionada primeiro com base no campo ""Aplicar Em"", que pode ser um Item, Grupo de Itens ou Marca."
DocType: Hub Settings,Seller Website,Website do Vendedor
DocType: Item,ITEM-,ITEM-
@@ -1350,7 +1356,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Só pode haver uma Condição de Regra de Envio com 0 ou valor em branco para ""Valor Para"""
DocType: Authorization Rule,Transaction,Transação
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Nota: Este Centro de Custo é um Grupo. Não pode efetuar registos contabilísticos em grupos.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,Existe um armazém secundário para este armazém. Não pode eliminar este armazém.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Existe um armazém secundário para este armazém. Não pode eliminar este armazém.
DocType: Item,Website Item Groups,Website de Grupos de Itens
DocType: Purchase Invoice,Total (Company Currency),Total (Moeda da Empresa)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,O número de série {0} foi introduzido mais do que uma vez
@@ -1360,7 +1366,7 @@
DocType: Grading Scale Interval,Grade Code,Classe de Código
DocType: POS Item Group,POS Item Group,Grupo de Itens POS
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email de Resumo:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},A LDM {0} não pertence ao Item {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},A LDM {0} não pertence ao Item {1}
DocType: Sales Partner,Target Distribution,Objetivo de Distribuição
DocType: Salary Slip,Bank Account No.,Conta Bancária Nr.
DocType: Naming Series,This is the number of the last created transaction with this prefix,Este é o número da última transacção criada com este prefixo
@@ -1371,12 +1377,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Entrada de Depreciação de Ativos do Livro Automaticamente
DocType: BOM Operation,Workstation,Posto de Trabalho
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Solicitação de Cotação de Fornecedor
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Hardware
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Hardware
DocType: Sales Order,Recurring Upto,Recorrente Até
DocType: Attendance,HR Manager,Gestor de RH
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,"Por favor, selecione uma Empresa"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Licença Especial
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,"Por favor, selecione uma Empresa"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Licença Especial
DocType: Purchase Invoice,Supplier Invoice Date,Data de Fatura de Fornecedor
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,por
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,É preciso ativar o Carrinho de Compras
DocType: Payment Entry,Writeoff,Liquidar
DocType: Appraisal Template Goal,Appraisal Template Goal,Objetivo do Modelo de Avaliação
@@ -1387,10 +1394,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Foram encontradas condições sobrepostas entre:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,O Lançamento Contabilístico {0} já está relacionado com outro voucher
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Valor Total do Pedido
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Comida
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Comida
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Faixa de Idade 3
DocType: Maintenance Schedule Item,No of Visits,Nº de Visitas
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Marcar Assiduidade
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Marcar Assiduidade
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},O Cronograma de Manutenção {0} existe contra {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,estudante de inscrição
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},A Moeda da Conta de Encerramento deve ser {0}
@@ -1404,6 +1411,7 @@
DocType: Rename Tool,Utilities,Utilitários
DocType: Purchase Invoice Item,Accounting,Contabilidade
DocType: Employee,EMP/,EMP/
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Selecione lotes para itens em lotes
DocType: Asset,Depreciation Schedules,Cronogramas de Depreciação
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,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
DocType: Activity Cost,Projects,Projetos
@@ -1417,6 +1425,7 @@
DocType: POS Profile,Campaign,Campanha
DocType: Supplier,Name and Type,Nome e Tipo
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"O Estado de Aprovação deve ser ""Aprovado"" ou ""Rejeitado"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,Bootstrap
DocType: Purchase Invoice,Contact Person,Contactar Pessoa
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"A ""Data de Início Esperada"" não pode ser mais recente que a ""Data de Término Esperada"""
DocType: Course Scheduling Tool,Course End Date,Data de Término do Curso
@@ -1424,12 +1433,11 @@
DocType: Sales Order Item,Planned Quantity,Quantidade Planeada
DocType: Purchase Invoice Item,Item Tax Amount,Montante da Taxa do Item
DocType: Item,Maintain Stock,Manter Stock
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,O Registo de Stock já foi criado para o Pedido de Produção
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,O Registo de Stock já foi criado para o Pedido de Produção
DocType: Employee,Prefered Email,Email Preferido
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Variação Líquida no Ativo Imobilizado
DocType: Leave Control Panel,Leave blank if considered for all designations,Deixe em branco se for para todas as designações
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Armazém é obrigatória para contas não grupo do tipo da
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"A cobrança do tipo ""Real"" na linha {0} não pode ser incluída no preço do Item"
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"A cobrança do tipo ""Real"" na linha {0} não pode ser incluída no preço do Item"
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Máx.: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Data e Hora De
DocType: Email Digest,For Company,Para a Empresa
@@ -1439,15 +1447,15 @@
DocType: Sales Invoice,Shipping Address Name,Nome de Endereço de Envio
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Plano de Contas
DocType: Material Request,Terms and Conditions Content,Conteúdo de Termos e Condições
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,não pode ser maior do que 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,O Item {0} não é um item de stock
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,não pode ser maior do que 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,O Item {0} não é um item de stock
DocType: Maintenance Visit,Unscheduled,Sem Marcação
DocType: Employee,Owned,Pertencente
DocType: Salary Detail,Depends on Leave Without Pay,Depende da Licença Sem Vencimento
DocType: Pricing Rule,"Higher the number, higher the priority","Quanto maior o número, maior a prioridade"
,Purchase Invoice Trends,Tendências de Fatura de Compra
DocType: Employee,Better Prospects,Melhores Perspetivas
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Linha # {0}: O lote {1} tem apenas {2} qty. Selecione outro lote com {3} qty disponível ou dividido a linha em várias linhas, para entregar / emitir de vários lotes"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Linha # {0}: O lote {1} tem apenas {2} qty. Selecione outro lote com {3} qty disponível ou dividido a linha em várias linhas, para entregar / emitir de vários lotes"
DocType: Vehicle,License Plate,Matrícula
DocType: Appraisal,Goals,Objetivos
DocType: Warranty Claim,Warranty / AMC Status,Garantia / Estado CMA
@@ -1458,7 +1466,8 @@
,Batch-Wise Balance History,Histórico de Saldo em Lote
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,As definições de impressão estão atualizadas no respectivo formato de impressão
DocType: Package Code,Package Code,Código pacote
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Aprendiz
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Aprendiz
+DocType: Purchase Invoice,Company GSTIN,Empresa GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Não são permitidas Quantidades Negativas
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","O dado da tabela de imposto obtido a partir do definidor de item como uma string e armazenado neste campo.
@@ -1466,12 +1475,12 @@
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,O Funcionário não pode reportar-se a si mesmo.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Se a conta está congelada, só são permitidos registos a utilizadores restritos."
DocType: Email Digest,Bank Balance,Saldo Bancário
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},O Lançamento Contabilístico para {0}: {1} só pode ser criado na moeda: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},O Lançamento Contabilístico para {0}: {1} só pode ser criado na moeda: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Perfil de emprego, qualificações exigidas, etc."
DocType: Journal Entry Account,Account Balance,Saldo da Conta
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Regra de Impostos para transações.
DocType: Rename Tool,Type of document to rename.,Tipo de documento a que o nome será alterado.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Nós compramos este Item
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Nós compramos este Item
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: É necessário o cliente nas contas A Receber {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Total de Impostos e Taxas (Moeda da Empresa)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Mostrar saldos P&L de ano fiscal não encerrado
@@ -1482,29 +1491,30 @@
DocType: Stock Entry,Total Additional Costs,Total de Custos Adicionais
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Custo de Material de Sucata (Moeda da Empresa)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Submontagens
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Submontagens
DocType: Asset,Asset Name,Nome do Ativo
DocType: Project,Task Weight,Peso da Tarefa
DocType: Shipping Rule Condition,To Value,Ao Valor
DocType: Asset Movement,Stock Manager,Gestor de Stock
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},É obrigatório colocar o armazém de origem para a linha {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Nota Fiscal
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Alugar Escritório
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},É obrigatório colocar o armazém de origem para a linha {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Nota Fiscal
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Alugar Escritório
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Configurar definições de portal de SMS
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Falha ao Importar!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Ainda não foi adicionado nenhum endereço.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Ainda não foi adicionado nenhum endereço.
DocType: Workstation Working Hour,Workstation Working Hour,Horário de Posto de Trabalho
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Analista
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Analista
DocType: Item,Inventory,Inventário
DocType: Item,Sales Details,Dados de Vendas
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,Com Itens
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,Em Qtd
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,Em Qtd
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Validar curso matriculado para alunos do grupo estudantil
DocType: Notification Control,Expense Claim Rejected,Reembolso de Despesas Rejeitado
DocType: Item,Item Attribute,Atributo do Item
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Governo
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Governo
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,O Relatório de Despesas {0} já existe no Registo de Veículo
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Nome do Instituto
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Nome do Instituto
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,"Por favor, indique reembolso Valor"
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Variantes do Item
DocType: Company,Services,Serviços
@@ -1514,18 +1524,18 @@
DocType: Sales Invoice,Source,Fonte
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Mostrar encerrado
DocType: Leave Type,Is Leave Without Pay,É uma Licença Sem Vencimento
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,É obrigatório colocar a Categoria Ativo para um item de Ativo Imobilizado
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,É obrigatório colocar a Categoria Ativo para um item de Ativo Imobilizado
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Não foram encontrados nenhuns registos na tabela Pagamento
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Este/a {0} entra em conflito com {1} por {2} {3}
DocType: Student Attendance Tool,Students HTML,HTML de Estudantes
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Data de Início do Ano Fiscal
DocType: POS Profile,Apply Discount,Aplicar Desconto
+DocType: Purchase Invoice Item,GST HSN Code,Código GST HSN
DocType: Employee External Work History,Total Experience,Experiência total
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Abrir Projetos
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Nota(s) Fiscal(ais) cancelada(s)
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Fluxo de Caixa de Investimentos
DocType: Program Course,Program Course,Curso do Programa
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Custos de Transporte e Envio
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Custos de Transporte e Envio
DocType: Homepage,Company Tagline for website homepage,O Slogan da Empresa para página inicial do website
DocType: Item Group,Item Group Name,Nome do Grupo do Item
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Tomado
@@ -1535,6 +1545,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Criar Leads
DocType: Maintenance Schedule,Schedules,Horários
DocType: Purchase Invoice Item,Net Amount,Valor Líquido
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} não foi enviado para que a ação não possa ser concluída
DocType: Purchase Order Item Supplied,BOM Detail No,Nº de Dados da LDM
DocType: Landed Cost Voucher,Additional Charges,Despesas adicionais
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Quantia de Desconto Adicional (Moeda da Empresa)
@@ -1550,6 +1561,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Mensal montante de reembolso
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,"Por favor, defina o campo da ID de Utilizador no registo de Funcionário para definir a Função de Funcionário"
DocType: UOM,UOM Name,Nome da UNID
+DocType: GST HSN Code,HSN Code,Código HSN
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Montante de Contribuição
DocType: Purchase Invoice,Shipping Address,Endereço de Envio
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Esta ferramenta auxilia-o na atualização ou correção da quantidade e valorização do stock no sistema. Ela é geralmente utilizado para sincronizar os valores do sistema que realmente existem nos seus armazéns.
@@ -1560,18 +1572,17 @@
DocType: Program Enrollment Tool,Program Enrollments,Inscrições no Programa
DocType: Sales Invoice Item,Brand Name,Nome da Marca
DocType: Purchase Receipt,Transporter Details,Dados da Transportadora
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,É necessário colocar o armazém padrão para o item selecionado
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Caixa
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,É necessário colocar o armazém padrão para o item selecionado
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Caixa
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,Fornecedor possível
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,A Organização
DocType: Budget,Monthly Distribution,Distribuição Mensal
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"A Lista de Recetores está vazia. Por favor, crie uma Lista de Recetores"
DocType: Production Plan Sales Order,Production Plan Sales Order,Plano de produção da Ordem de Venda
DocType: Sales Partner,Sales Partner Target,Objetivo de Parceiro de Vendas
DocType: Loan Type,Maximum Loan Amount,Montante máximo do empréstimo
DocType: Pricing Rule,Pricing Rule,Regra de Fixação de Preços
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Número de rolo duplicado para o estudante {0}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Número de rolo duplicado para o estudante {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Número de rolo duplicado para o estudante {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Número de rolo duplicado para o estudante {0}
DocType: Budget,Action if Annual Budget Exceeded,Medidas caso o Orçamento Anual seja Excedido
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Pedido de Material para Ordem de Compra
DocType: Shopping Cart Settings,Payment Success URL,URL de Sucesso de Pagamento
@@ -1584,11 +1595,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Saldo de Stock Inicial
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} só deve aparecer uma vez
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Não é permitido transferir mais {0} que {1} para a Ordem de Compra {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Não é permitido transferir mais {0} que {1} para a Ordem de Compra {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Licenças Atribuídas Com Sucesso para {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Sem Itens para embalar
DocType: Shipping Rule Condition,From Value,Valor De
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,É obrigatório colocar a Quantidade de Fabrico
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,É obrigatório colocar a Quantidade de Fabrico
DocType: Employee Loan,Repayment Method,Método de reembolso
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Se for selecionado, a Página Inicial será o Grupo de Itens padrão do website"
DocType: Quality Inspection Reading,Reading 4,Leitura 4
@@ -1598,7 +1609,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Linha #{0}: A Data de Liquidação {1} não pode ser anterior à Data do Cheque {2}
DocType: Company,Default Holiday List,Lista de Feriados Padrão
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Linha {0}: A Periodicidade de {1} está a sobrepor-se com {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Responsabilidades de Stock
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Responsabilidades de Stock
DocType: Purchase Invoice,Supplier Warehouse,Armazém Fornecedor
DocType: Opportunity,Contact Mobile No,Nº de Telemóvel de Contacto
,Material Requests for which Supplier Quotations are not created,As Solicitações de Material cujas Cotações de Fornecedor não foram criadas
@@ -1609,35 +1620,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Faça Cotação
apps/erpnext/erpnext/config/selling.py +216,Other Reports,Outros Relatórios
DocType: Dependent Task,Dependent Task,Tarefa Dependente
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},O fator de conversão da unidade de medida padrão deve ser 1 na linha {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},O fator de conversão da unidade de medida padrão deve ser 1 na linha {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},A licença do tipo {0} não pode ser mais longa do que {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Tente planear operações para X dias de antecedência.
DocType: HR Settings,Stop Birthday Reminders,Parar Lembretes de Aniversário
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Por favor definir Payroll Conta a Pagar padrão in Company {0}
DocType: SMS Center,Receiver List,Lista de Destinatários
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Pesquisar Item
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Pesquisar Item
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Montante Consumido
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Variação Líquida na Caixa
DocType: Assessment Plan,Grading Scale,Escala de classificação
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,A Unidade de Medida {0} foi inserido mais do que uma vez na Tabela de Conversão de Fatores
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,A Unidade de Medida {0} foi inserido mais do que uma vez na Tabela de Conversão de Fatores
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,Já foi concluído
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Estoque na mão
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},A Solicitação de Pagamento {0} já existe
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Custo dos Itens Emitidos
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},A quantidade não deve ser superior a {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,O Ano Fiscal Anterior não está encerrado
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Idade (Dias)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Idade (Dias)
DocType: Quotation Item,Quotation Item,Item de Cotação
+DocType: Customer,Customer POS Id,ID do PD do cliente
DocType: Account,Account Name,Nome da Conta
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,A Data De não pode ser mais recente do que a Data A
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,O Nr. de Série {0} de quantidade {1} não pode ser uma fração
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Definidor de Tipo de Fornecedor.
DocType: Purchase Order Item,Supplier Part Number,Número de Peça de Fornecedor
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,A taxa de conversão não pode ser 0 ou 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,A taxa de conversão não pode ser 0 ou 1
DocType: Sales Invoice,Reference Document,Documento de Referência
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} foi cancelado ou interrompido
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} foi cancelado ou interrompido
DocType: Accounts Settings,Credit Controller,Controlador de Crédito
DocType: Delivery Note,Vehicle Dispatch Date,Datade Expedição do Veículo
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,O Recibo de Compra {0} não foi enviado
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,O Recibo de Compra {0} não foi enviado
DocType: Company,Default Payable Account,Conta a Pagar Padrão
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","As definições para carrinho de compras online, tais como as regras de navegação, lista de preços, etc."
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% Faturado
@@ -1656,11 +1669,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Montante Total Reembolsado
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Isto é baseado em registos deste veículo. Veja o cronograma abaixo para obter mais detalhes
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,Cobrar
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Na Fatura de Fornecedor {0} datada de {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Na Fatura de Fornecedor {0} datada de {1}
DocType: Customer,Default Price List,Lista de Preços Padrão
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Foi criado o registo do Movimento do Ativo {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Não pode eliminar o Ano Fiscal de {0}. O Ano Fiscal de {0} está definido como padrão nas Definições Gerais
DocType: Journal Entry,Entry Type,Tipo de Registo
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Nenhum plano de avaliação vinculado a este grupo de avaliação
,Customer Credit Balance,Saldo de Crédito de Cliente
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Variação Líquida em Contas a Pagar
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',"É necessário colocar o Cliente para o""'Desconto de Cliente"""
@@ -1669,7 +1683,7 @@
DocType: Quotation,Term Details,Dados de Término
DocType: Project,Total Sales Cost (via Sales Order),Custo total de vendas (via ordem do cliente)
DocType: Project,Total Sales Cost (via Sales Order),Custo total de vendas (via ordem do cliente)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Não pode inscrever mais de {0} estudantes neste grupo de alunos.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Não pode inscrever mais de {0} estudantes neste grupo de alunos.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Contagem de leads
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Contagem de leads
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} tem de ser maior do que 0
@@ -1692,7 +1706,7 @@
DocType: Sales Invoice,Packed Items,Itens Embalados
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Reclamação de Garantia em Nr. de Série.
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Substitui uma determinada LDM em todas as outras listas de materiais em que seja utilizada. Irá substituir o antigo link da LDM, atualizar o custo e voltar a gerar a tabela de ""Itens Expandidos da LDM"" como nova LDM"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Total'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Total'
DocType: Shopping Cart Settings,Enable Shopping Cart,Ativar Carrinho de Compras
DocType: Employee,Permanent Address,Endereço Permanente
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1708,9 +1722,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,"Por favor, especifique a Quantidade e/ou Taxa de Valorização"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,Cumprimento
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Ver Carrinho
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Despesas de Marketing
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Despesas de Marketing
,Item Shortage Report,Comunicação de Falta de Item
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Foi mencionado um Peso,\n Por favor, mencione também a ""UNID de Peso"""
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Foi mencionado um Peso,\n Por favor, mencione também a ""UNID de Peso"""
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,A Solicitação de Material utilizada para efetuar este Registo de Stock
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,É obrigatório colocar a Próxima Data de Depreciação em novos ativos
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Grupo separado baseado em cursos para cada lote
@@ -1720,17 +1734,18 @@
,Student Fee Collection,Cobrança de Propina de Estudante
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Efetue um Registo Contabilístico Para Cada Movimento de Stock
DocType: Leave Allocation,Total Leaves Allocated,Licenças Totais Atribuídas
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},É necessário colocar o Armazém na Linha Nr. {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,"Por favor, insira as datas de Início e Término do Ano Fiscal"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},É necessário colocar o Armazém na Linha Nr. {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,"Por favor, insira as datas de Início e Término do Ano Fiscal"
DocType: Employee,Date Of Retirement,Data de Reforma
DocType: Upload Attendance,Get Template,Obter Modelo
+DocType: Material Request,Transferred,Transferido
DocType: Vehicle,Doors,Portas
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,Instalação de ERPNext Concluída!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Instalação de ERPNext Concluída!
DocType: Course Assessment Criteria,Weightage,Peso
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,"{0} {1}: É necessário colocar o centro de custo para a conta ""Lucros e Perdas"" {2}. Por favor, crie um Centro de Custo padrão para a Empresa."
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Já existe um Grupo de Clientes com o mesmo nome, por favor altere o nome do Cliente ou do Grupo de Clientes"
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Novo Contacto
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Já existe um Grupo de Clientes com o mesmo nome, por favor altere o nome do Cliente ou do Grupo de Clientes"
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Novo Contacto
DocType: Territory,Parent Territory,Território Principal
DocType: Quality Inspection Reading,Reading 2,Leitura 2
DocType: Stock Entry,Material Receipt,Receção de Material
@@ -1739,17 +1754,16 @@
DocType: Employee,AB+,AB+
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Se este item tem variantes, então ele não pode ser selecionado nas Ordens de venda etc."
DocType: Lead,Next Contact By,Próximo Contacto Por
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},A quantidade necessária para o item {0} na linha {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},Armazém {0} não pode ser excluído como existe quantidade para item {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},A quantidade necessária para o item {0} na linha {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Armazém {0} não pode ser excluído como existe quantidade para item {1}
DocType: Quotation,Order Type,Tipo de Pedido
DocType: Purchase Invoice,Notification Email Address,Endereço de Email de Notificação
,Item-wise Sales Register,Registo de Vendas de Item Inteligente
DocType: Asset,Gross Purchase Amount,Montante de Compra Bruto
DocType: Asset,Depreciation Method,Método de Depreciação
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Off-line
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,Off-line
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Esta Taxa está incluída na Taxa Básica?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Alvo total
-DocType: Program Course,Required,Solicitados
DocType: Job Applicant,Applicant for a Job,Candidato a um Emprego
DocType: Production Plan Material Request,Production Plan Material Request,Solicitação de Material de Plano de Produção
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Não foram criadas Ordens de Produção
@@ -1759,17 +1773,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Permitir várias Ordens de Venda relacionadas a mesma Ordem de Compra do Cliente
DocType: Student Group Instructor,Student Group Instructor,Instrutor de Grupo de Estudantes
DocType: Student Group Instructor,Student Group Instructor,Instrutor de Grupo de Estudantes
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 móvel Não
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Principal
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 móvel Não
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Principal
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variante
DocType: Naming Series,Set prefix for numbering series on your transactions,Definir prefixo para numeração de série em suas transações
DocType: Employee Attendance Tool,Employees HTML,HTML de Funcionários
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,A LDM Padrão ({0}) deve estar ativa para este item ou para o seu modelo
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,A LDM Padrão ({0}) deve estar ativa para este item ou para o seu modelo
DocType: Employee,Leave Encashed?,Sair de Pagos?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,É obrigatório colocar o campo Oportunidade De
DocType: Email Digest,Annual Expenses,Despesas anuais
DocType: Item,Variants,Variantes
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Criar Ordem de Compra
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Criar Ordem de Compra
DocType: SMS Center,Send To,Enviar para
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Não há o suficiente equilíbrio pela licença Tipo {0}
DocType: Payment Reconciliation Payment,Allocated amount,Montante alocado
@@ -1785,26 +1799,25 @@
DocType: Item,Serial Nos and Batches,Números de série e lotes
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Grupo de Estudantes Força
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Grupo de Estudantes Força
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,No Lançamento Contábil {0} não possui qualquer registo {1} ímpar
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,No Lançamento Contábil {0} não possui qualquer registo {1} ímpar
apps/erpnext/erpnext/config/hr.py +137,Appraisals,Avaliações
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Foi inserido um Nº de Série em duplicado para o Item {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Uma condição para uma Regra de Envio
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,"Por favor, insira"
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Não pode sobrefaturar o item {0} na linha {1} mais de {2}. Para permitir que a sobrefaturação, defina em Configurações de Comprar"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,"Por favor, defina o filtro com base no Item ou no Armazém"
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Não pode sobrefaturar o item {0} na linha {1} mais de {2}. Para permitir que a sobrefaturação, defina em Configurações de Comprar"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,"Por favor, defina o filtro com base no Item ou no Armazém"
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),O peso líquido do pacote. (Calculado automaticamente como soma de peso líquido dos itens)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,"Por favor, crie uma conta para este Warehouse e vinculá-lo. Isso não pode ser feito automaticamente como uma conta com o nome {0} já existe"
DocType: Sales Order,To Deliver and Bill,Para Entregar e Cobrar
DocType: Student Group,Instructors,instrutores
DocType: GL Entry,Credit Amount in Account Currency,Montante de Crédito na Moeda da Conta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,A LDM {0} deve ser enviada
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,A LDM {0} deve ser enviada
DocType: Authorization Control,Authorization Control,Controlo de Autorização
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Linha #{0}: É obrigatório colocar o Armazém Rejeitado no Item Rejeitado {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Linha #{0}: É obrigatório colocar o Armazém Rejeitado no Item Rejeitado {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Pagamento
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","O depósito {0} não está vinculado a nenhuma conta, mencione a conta no registro do depósito ou defina a conta do inventário padrão na empresa {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Gerir as suas encomendas
DocType: Production Order Operation,Actual Time and Cost,Horas e Custos Efetivos
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},"Para a Ordem de Venda {2}, o máximo do Pedido de Material para o Item {1} é {0}"
-DocType: Employee,Salutation,Saudação
DocType: Course,Course Abbreviation,Abreviação de Curso
DocType: Student Leave Application,Student Leave Application,Solicitação de Licença de Estudante
DocType: Item,Will also apply for variants,Também se aplicará para as variantes
@@ -1816,13 +1829,13 @@
DocType: Quotation Item,Actual Qty,Qtd Efetiva
DocType: Sales Invoice Item,References,Referências
DocType: Quality Inspection Reading,Reading 10,Leitura 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Lista os produtos ou serviços que compra ou vende.
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Lista os produtos ou serviços que compra ou vende.
Quando começar certifique-se que verifica o Grupo do Item, a Unidade de Medida e outras propriedades."
DocType: Hub Settings,Hub Node,Nó da Plataforma
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Inseriu itens duplicados. Por favor retifique esta situação, e tente novamente."
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Sócio
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Sócio
DocType: Asset Movement,Asset Movement,Movimento de Ativo
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,New Cart
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,New Cart
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,O Item {0} não é um item de série
DocType: SMS Center,Create Receiver List,Criar Lista de Destinatários
DocType: Vehicle,Wheels,Rodas
@@ -1842,19 +1855,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Só pode referir a linha se o tipo de cobrança for ""No Montante da Linha Anterior"" ou ""Total de Linha Anterior"""
DocType: Sales Order Item,Delivery Warehouse,Armazém de Entrega
DocType: SMS Settings,Message Parameter,Parâmetro da Mensagem
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Esquema de Centros de Custo financeiro.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Esquema de Centros de Custo financeiro.
DocType: Serial No,Delivery Document No,Nr. de Documento de Entrega
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Por favor, defina a ""Conta de Ganhos/Perdas na Eliminação de Ativos"" na Empresa {0}"
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Obter Itens de Recibos de Compra
DocType: Serial No,Creation Date,Data de Criação
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},O Item {0} aparece várias vezes na Lista de Preços {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","A venda deve ser verificada, se Aplicável Para for selecionado como {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","A venda deve ser verificada, se Aplicável Para for selecionado como {0}"
DocType: Production Plan Material Request,Material Request Date,Data da Solicitação de Material
DocType: Purchase Order Item,Supplier Quotation Item,Item de Cotação do Fornecedor
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Desativa a criação de registos de tempo dos Pedidos de Produção. As operações não devem ser acompanhadas no Pedido de Produção
DocType: Student,Student Mobile Number,Número de telemóvel do Estudante
DocType: Item,Has Variants,Tem Variantes
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Já selecionou itens de {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Já selecionou itens de {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Nome da Distribuição Mensal
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,O ID do lote é obrigatório
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,O ID do lote é obrigatório
@@ -1865,12 +1878,12 @@
DocType: Budget,Fiscal Year,Ano Fiscal
DocType: Vehicle Log,Fuel Price,Preço de Combustível
DocType: Budget,Budget,Orçamento
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,O Item Ativo Imobilizado deve ser um item não inventariado.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,O Item Ativo Imobilizado deve ser um item não inventariado.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","O Orçamento não pode ser atribuído a {0}, pois não é uma conta de Rendimentos ou Despesas"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Alcançados
DocType: Student Admission,Application Form Route,Percurso de Formulário de Candidatura
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Território / Cliente
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,ex: 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,ex: 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"O Tipo de Licença {0} não pode ser atribuído, uma vez que é uma licença sem vencimento"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Linha {0}: O montante alocado {1} deve ser menor ou igual ao saldo pendente da fatura {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Por Extenso será visível assim que guardar a Nota Fiscal de Vendas.
@@ -1879,7 +1892,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,O Item {0} não está configurado para os Nrs. de série. Verifique o definidor de Item
DocType: Maintenance Visit,Maintenance Time,Tempo de Manutenção
,Amount to Deliver,Montante a Entregar
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Um Produto ou Serviço
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Um Produto ou Serviço
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"O Prazo da Data de Início não pode ser antes da Data de Início do Ano Letivo com o qual o termo está vinculado (Ano Lectivo {}). Por favor, corrija as datas e tente novamente."
DocType: Guardian,Guardian Interests,guardião Interesses
DocType: Naming Series,Current Value,Valor Atual
@@ -1894,12 +1907,12 @@
e a data para deve superior ou igual a {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Esta baseia-se no movimento de stock. Veja {0} para obter mais detalhes
DocType: Pricing Rule,Selling,Vendas
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Montante {0} {1} deduzido em {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Montante {0} {1} deduzido em {2}
DocType: Employee,Salary Information,Informação salarial
DocType: Sales Person,Name and Employee ID,Nome e ID do Funcionário
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,A Data de Vencimento não pode ser anterior à Data de Lançamento
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,A Data de Vencimento não pode ser anterior à Data de Lançamento
DocType: Website Item Group,Website Item Group,Website de Grupo de Item
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Impostos e Taxas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Impostos e Taxas
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,"Por favor, insira a Data de referência"
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},Há {0} registos de pagamento que não podem ser filtrados por {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,Tabela para o item que será mostrada no Web Site
@@ -1916,9 +1929,9 @@
DocType: Payment Reconciliation Payment,Reference Row,Linha de Referência
DocType: Installation Note,Installation Time,Tempo de Instalação
DocType: Sales Invoice,Accounting Details,Dados Contabilísticos
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Eliminar todas as Transações desta Empresa
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"Linha {0}: A Operação {1} não está concluída para a quantidade {2} de produtos acabados na Ordem de Produção # {3}. Por favor, atualize o estado da operação através dos Registos de Tempo"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Investimentos
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Eliminar todas as Transações desta Empresa
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"Linha {0}: A Operação {1} não está concluída para a quantidade {2} de produtos acabados na Ordem de Produção # {3}. Por favor, atualize o estado da operação através dos Registos de Tempo"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Investimentos
DocType: Issue,Resolution Details,Dados de Resolução
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,Atribuições
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Critérios de Aceitação
@@ -1943,7 +1956,7 @@
DocType: Room,Room Name,Nome da Sala
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","A licença não pode ser aplicada/cancelada antes de {0}, pois o saldo da licença já foi encaminhado no registo de atribuição de licenças futuras {1}"
DocType: Activity Cost,Costing Rate,Taxa de Cálculo dos Custos
-,Customer Addresses And Contacts,Endereços e Contactos de Clientes
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Endereços e Contactos de Clientes
,Campaign Efficiency,Eficiência da Campanha
,Campaign Efficiency,Eficiência da Campanha
DocType: Discussion,Discussion,Discussão
@@ -1955,14 +1968,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Montante de Faturação Total (através da Folha de Presenças)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Rendimento de Cliente Fiel
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) deve ter a função de 'Aprovador de Despesas'
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Par
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Selecione BOM e Qtde de Produção
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Par
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Selecione BOM e Qtde de Produção
DocType: Asset,Depreciation Schedule,Cronograma de Depreciação
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Endereços e contatos do parceiro de vendas
DocType: Bank Reconciliation Detail,Against Account,Na Conta
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Metade Data Day deve estar entre De Data e To Date
DocType: Maintenance Schedule Detail,Actual Date,Data Real
DocType: Item,Has Batch No,Tem Nr. de Lote
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Faturação Anual: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Faturação Anual: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Imposto sobre bens e serviços (GST Índia)
DocType: Delivery Note,Excise Page Number,Número de Página de Imposto Especial
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","É obrigatória a Empresa, da Data De à Data Para"
DocType: Asset,Purchase Date,Data de Compra
@@ -1970,11 +1985,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},"Por favor, defina o ""Centro de Custos de Depreciação de Ativos"" na Empresa {0}"
,Maintenance Schedules,Cronogramas de Manutenção
DocType: Task,Actual End Date (via Time Sheet),Data de Término Efetiva (através da Folha de Presenças)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Quantidade {0} {1} em {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Quantidade {0} {1} em {2} {3}
,Quotation Trends,Tendências de Cotação
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},O Grupo do Item não foi mencionado no definidor de item para o item {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,A conta de Débito Para deve ser uma conta A Receber
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},O Grupo do Item não foi mencionado no definidor de item para o item {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,A conta de Débito Para deve ser uma conta A Receber
DocType: Shipping Rule Condition,Shipping Amount,Montante de Envio
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Adicionar clientes
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Montante Pendente
DocType: Purchase Invoice Item,Conversion Factor,Fator de Conversão
DocType: Purchase Order,Delivered,Entregue
@@ -1984,7 +2000,8 @@
DocType: Purchase Receipt,Vehicle Number,Número de Veículos
DocType: Purchase Invoice,The date on which recurring invoice will be stop,A data em que fatura recorrente parará
DocType: Employee Loan,Loan Amount,Montante do empréstimo
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Materials não encontrado para o item {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Veículo de auto-condução
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Materials não encontrado para o item {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,O total de licenças atribuídas {0} não pode ser menor do que as licenças já aprovados {1} para o período
DocType: Journal Entry,Accounts Receivable,Contas a Receber
,Supplier-Wise Sales Analytics,Análise de Vendas por Fornecedor
@@ -2002,22 +2019,21 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,A aprovação do Reembolso de Despesas está pendente. Só o Aprovador de Despesas é que pode atualizar o seu estado.
DocType: Email Digest,New Expenses,Novas Despesas
DocType: Purchase Invoice,Additional Discount Amount,Quantia de Desconto Adicional
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Linha #{0}: A qtd deve ser 1, pois o item é um ativo imobilizado. Por favor, utilize uma linha separada para diversas qtds."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Linha #{0}: A qtd deve ser 1, pois o item é um ativo imobilizado. Por favor, utilize uma linha separada para diversas qtds."
DocType: Leave Block List Allow,Leave Block List Allow,Permissão de Lista de Bloqueio de Licenças
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,A Abr. não pode estar em branco ou conter espaços em branco
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,A Abr. não pode estar em branco ou conter espaços em branco
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Grupo a Fora do Grupo
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Desportos
DocType: Loan Type,Loan Name,Nome do empréstimo
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Total Real
DocType: Student Siblings,Student Siblings,Irmãos do Estudante
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Unidade
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,"Por favor, especifique a Empresa"
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Unidade
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,"Por favor, especifique a Empresa"
,Customer Acquisition and Loyalty,Aquisição e Lealdade de Cliente
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Armazém onde está mantendo o stock de itens rejeitados
DocType: Production Order,Skip Material Transfer,Ignorar transferência de material
DocType: Production Order,Skip Material Transfer,Ignorar transferência de material
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Não é possível encontrar a taxa de câmbio para {0} a {1} para a data-chave {2}. Crie um registro de troca de moeda manualmente
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,O seu ano fiscal termina em
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Não é possível encontrar a taxa de câmbio para {0} a {1} para a data-chave {2}. Crie um registro de troca de moeda manualmente
DocType: POS Profile,Price List,Lista de Preços
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} é agora o Ano Fiscal padrão. Por favor, atualize o seu navegador para a alteração poder ser efetuada."
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Reembolsos de Despesas
@@ -2030,14 +2046,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},O saldo de stock no Lote {0} vai ficar negativo {1} para o item {2} no Armazém {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,As seguintes Solicitações de Materiais têm sido automaticamente executadas com base no nível de reencomenda do Item
DocType: Email Digest,Pending Sales Orders,Ordens de Venda Pendentes
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},A conta {0} é inválida. A Moeda da Conta deve ser {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},A conta {0} é inválida. A Moeda da Conta deve ser {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},É necessário colocar o fator de Conversão de UNID na linha {0}
DocType: Production Plan Item,material_request_item,item_de_solicitação_de_material
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Linha #{0}: O tipo de documento referênciado deve ser umas Ordem de Venda, uma Fatura de Venda ou um Lançamento Contabilístico"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Linha #{0}: O tipo de documento referênciado deve ser umas Ordem de Venda, uma Fatura de Venda ou um Lançamento Contabilístico"
DocType: Salary Component,Deduction,Dedução
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Linha {0}: É obrigatório colocar a Periodicidade.
DocType: Stock Reconciliation Item,Amount Difference,Diferença de Montante
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},O Preço de Item foi adicionada a {0} na Lista de Preços {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},O Preço de Item foi adicionada a {0} na Lista de Preços {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,"Por favor, insira a ID de Funcionário deste(a) vendedor(a)"
DocType: Territory,Classification of Customers by region,Classificação dos Clientes por Região
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,O Montante de Diferença deve ser zero
@@ -2049,21 +2065,21 @@
DocType: Quotation,QTN-,QUEST-
DocType: Salary Slip,Total Deduction,Total de Reduções
,Production Analytics,Analytics produção
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Custo Atualizado
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Custo Atualizado
DocType: Employee,Date of Birth,Data de Nascimento
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,O Item {0} já foi devolvido
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,O Item {0} já foi devolvido
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,O **Ano Fiscal** representa um Ano de Exercício Financeiro. Todos os lançamentos contabilísticos e outras transações principais são controladas no **Ano Fiscal**.
DocType: Opportunity,Customer / Lead Address,Endereço de Cliente / Potencial Cliente
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Aviso: Certificado SSL inválido no anexo {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Aviso: Certificado SSL inválido no anexo {0}
DocType: Student Admission,Eligibility,Elegibilidade
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Leads ajudá-lo a começar o negócio, adicione todos os seus contatos e mais como suas ligações"
DocType: Production Order Operation,Actual Operation Time,Tempo Operacional Efetivo
DocType: Authorization Rule,Applicable To (User),Aplicável Ao/À (Utilizador/a)
DocType: Purchase Taxes and Charges,Deduct,Deduzir
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Descrição do Emprego
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Descrição do Emprego
DocType: Student Applicant,Applied,Aplicado
DocType: Sales Invoice Item,Qty as per Stock UOM,Qtd como UNID de Stock
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Nome Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Nome Guardian2
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Não são permitido Caracteres especiais na série de atribuição de nomes, exceto ""-"" ""."", ""#"", e ""/"""
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Mantenha o Controlo das Campanhas de Vendas. Mantenha o controlo dos Potenciais Clientes, Orçamentos, Ordens de Venda, etc. das Campanhas para medir o Retorno do Investimento."
DocType: Expense Claim,Approver,Aprovador
@@ -2074,8 +2090,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},O Nr. de Série {0} está na garantia até {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Dividir a Guia de Remessa em pacotes.
apps/erpnext/erpnext/hooks.py +87,Shipments,Envios
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,O saldo da conta ({0}) para {1} eo valor da ação ({2}) para o depósito {3} devem ser os mesmos
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,O saldo da conta ({0}) para {1} eo valor da ação ({2}) para o depósito {3} devem ser os mesmos
DocType: Payment Entry,Total Allocated Amount (Company Currency),Montante Alocado Total (Moeda da Empresa)
DocType: Purchase Order Item,To be delivered to customer,A ser entregue ao cliente
DocType: BOM,Scrap Material Cost,Custo de Material de Sucata
@@ -2083,21 +2097,22 @@
DocType: Purchase Invoice,In Words (Company Currency),Por Extenso (Moeda da Empresa)
DocType: Asset,Supplier,Fornecedor
DocType: C-Form,Quarter,Trimestre
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Despesas Diversas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Despesas Diversas
DocType: Global Defaults,Default Company,Empresa Padrão
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,É obrigatório ter uma conta de Despesas ou Diferenças para o Item {0} pois ele afeta o valor do stock em geral
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,É obrigatório ter uma conta de Despesas ou Diferenças para o Item {0} pois ele afeta o valor do stock em geral
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Nome do Banco
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Acima
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Acima
DocType: Employee Loan,Employee Loan Account,Conta de empréstimo a funcionário
DocType: Leave Application,Total Leave Days,Total de Dias de Licença
DocType: Email Digest,Note: Email will not be sent to disabled users,Nota: O email não será enviado a utilizadores desativados
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Número de Interações
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Número de Interações
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Código do Item> Item Group> Brand
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Selecionar Empresa...
DocType: Leave Control Panel,Leave blank if considered for all departments,Deixe em branco se for para todos os departamentos
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Tipos de emprego (permanente, a contrato, estagiário, etc.)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} é obrigatório para o Item {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} é obrigatório para o Item {1}
DocType: Process Payroll,Fortnightly,Quinzenal
DocType: Currency Exchange,From Currency,De Moeda
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Por favor, selecione o Montante Alocado, o Tipo de Fatura e o Número de Fatura em pelo menos uma linha"
@@ -2120,7 +2135,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,"Por favor, clique em 'Gerar Cronograma' para obter o cronograma"
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Ocorreram erros durante a exclusão seguintes horários:
DocType: Bin,Ordered Quantity,Quantidade Pedida
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","ex: ""Ferramentas de construção para construtores"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","ex: ""Ferramentas de construção para construtores"""
DocType: Grading Scale,Grading Scale Intervals,Intervalos de classificação na grelha
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: O Registo Contabilístico para {2} só pode ser efetuado na moeda: {3}
DocType: Production Order,In Process,A Decorrer
@@ -2135,12 +2150,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Grupos de Alunos criados.
DocType: Sales Invoice,Total Billing Amount,Valor Total de Faturação
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,"Deve haver um padrão de entrada da Conta de Email ativado para que isto funcione. Por favor, configure uma Conta de Email de entrada padrão (POP / IMAP) e tente novamente."
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Conta a Receber
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Linha #{0}: O Ativo {1} já é {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Conta a Receber
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Linha #{0}: O Ativo {1} já é {2}
DocType: Quotation Item,Stock Balance,Balanço de Stock
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Ordem de Venda para Pagamento
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Defina Naming Series para {0} por Configuração> Configurações> Série de nomeação
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,CEO
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO
DocType: Expense Claim Detail,Expense Claim Detail,Dados de Reembolso de Despesas
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,"Por favor, selecione a conta correta"
DocType: Item,Weight UOM,UNID de Peso
@@ -2149,12 +2163,12 @@
DocType: Production Order Operation,Pending,Pendente
DocType: Course,Course Name,Nome do Curso
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Utilizadores que podem aprovar pedidos de licença de um determinado funcionário
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Equipamentos de Escritório
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Equipamentos de Escritório
DocType: Purchase Invoice Item,Qty,Qtd
DocType: Fiscal Year,Companies,Empresas
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Eletrónica
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Levantar Solicitação de Material quando o stock atingir o nível de reencomenda
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Tempo Integral
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Tempo Integral
DocType: Salary Structure,Employees,Funcionários
DocType: Employee,Contact Details,Dados de Contacto
DocType: C-Form,Received Date,Data de Receção
@@ -2164,7 +2178,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Os preços não será mostrado se Preço de tabela não está definido
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Por favor, especifique um país para esta Regra de Envio ou verifique o Envio Mundial"
DocType: Stock Entry,Total Incoming Value,Valor Total de Entrada
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,É necessário colocar o Débito Para
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,É necessário colocar o Débito Para
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","O Registo de Horas ajudar a manter o controlo do tempo, custo e faturação para atividades feitas pela sua equipa"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Lista de Preços de Compra
DocType: Offer Letter Term,Offer Term,Termo de Oferta
@@ -2173,17 +2187,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Conciliação de Pagamento
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,"Por favor, selecione o nome da Pessoa Responsável"
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Tecnologia
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Total Por Pagar: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Total Por Pagar: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM Operação Site
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Carta de Oferta
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Gerar Pedido de Materiais (PRM) e Ordens de Produção.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Qtd Total Faturada
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Qtd Total Faturada
DocType: BOM,Conversion Rate,Taxa de Conversão
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Pesquisa de produto
DocType: Timesheet Detail,To Time,Para Tempo
DocType: Authorization Rule,Approving Role (above authorized value),Aprovar Função (acima do valor autorizado)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,O Crédito Para a conta deve ser uma conta A Pagar
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},Recursividade da LDM: {0} não pode ser o grupo de origem ou o subgrupo de {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,O Crédito Para a conta deve ser uma conta A Pagar
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},Recursividade da LDM: {0} não pode ser o grupo de origem ou o subgrupo de {2}
DocType: Production Order Operation,Completed Qty,Qtd Concluída
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",Só podem ser vinculadas contas de dédito noutro registo de crébito para {0}
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,A Lista de Preços {0} está desativada
@@ -2195,28 +2209,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,São necessários {0} Nrs. de Série para o Item {1}. Forneceu {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Avaliação Atual da Taxa
DocType: Item,Customer Item Codes,Códigos de Item de Cliente
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Ganhos / Perdas de Câmbio
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Ganhos / Perdas de Câmbio
DocType: Opportunity,Lost Reason,Motivo de Perda
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Novo Endereço
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Novo Endereço
DocType: Quality Inspection,Sample Size,Tamanho da Amostra
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,"Por favor, insira o Documento de Recepção"
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Todos os itens já foram faturados
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Todos os itens já foram faturados
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',"Por favor, especifique um ""De Nr. de Processo"" válido"
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,"Podem ser criados outros centros de custo nos Grupos, e os registos podem ser criados em Fora do Grupo"
DocType: Project,External,Externo
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Utilizadores e Permissões
DocType: Vehicle Log,VLOG.,VLOG.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Ordens de produção Criado: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Ordens de produção Criado: {0}
DocType: Branch,Branch,Filial
DocType: Guardian,Mobile Number,Número de Telemóvel
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Impressão e Branding
DocType: Bin,Actual Quantity,Quantidade Efetiva
DocType: Shipping Rule,example: Next Day Shipping,exemplo: Envio no Dia Seguinte
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Nr. de Série {0} não foi encontrado
-DocType: Scheduling Tool,Student Batch,Classe de Estudantes
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Seus Clientes
+DocType: Program Enrollment,Student Batch,Classe de Estudantes
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Faça Student
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Foi convidado para colaborar com o projeto: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Foi convidado para colaborar com o projeto: {0}
DocType: Leave Block List Date,Block Date,Bloquear Data
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Candidatar-me Já
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Qtd real {0} / Qtd de espera {1}
@@ -2226,7 +2239,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Criar e gerir resumos de email diários, semanais e mensais."
DocType: Appraisal Goal,Appraisal Goal,Objetivo da Avaliação
DocType: Stock Reconciliation Item,Current Amount,Valor Atual
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,Prédios
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,Prédios
DocType: Fee Structure,Fee Structure,Estrutura de Propinas
DocType: Timesheet Detail,Costing Amount,Montante de Cálculo dos Custos
DocType: Student Admission,Application Fee,Taxa de Inscrição
@@ -2238,10 +2251,10 @@
DocType: POS Profile,[Select],[Selecionar]
DocType: SMS Log,Sent To,Enviado Para
DocType: Payment Request,Make Sales Invoice,Efetuar Fatura de Compra
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,Softwares
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Softwares
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,A Próxima Data de Contacto não pode ocorrer no passado
DocType: Company,For Reference Only.,Só para Referência.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Selecione lote não
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Selecione lote não
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Inválido {0}: {1}
DocType: Purchase Invoice,PINV-RET-,FPAG-DEV-
DocType: Sales Invoice Advance,Advance Amount,Montante de Adiantamento
@@ -2251,15 +2264,15 @@
DocType: Employee,Employment Details,Dados de Contratação
DocType: Employee,New Workplace,Novo Local de Trabalho
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Definir como Fechado
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Nenhum Item com Código de Barras {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Nenhum Item com Código de Barras {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,O Nr. de Processo não pode ser 0
DocType: Item,Show a slideshow at the top of the page,Ver uma apresentação de slides no topo da página
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Lojas
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Lojas
DocType: Serial No,Delivery Time,Prazo de Entrega
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Idade Baseada em
DocType: Item,End of Life,Expiração
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Viagens
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Viagens
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Não foi encontrada nenhuma Estrutura Salarial padrão ativa para o funcionário {0} ou para as datas indicadas
DocType: Leave Block List,Allow Users,Permitir Utilizadores
DocType: Purchase Order,Customer Mobile No,Nr. de Telemóvel de Cliente
@@ -2268,29 +2281,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Atualizar Custo
DocType: Item Reorder,Item Reorder,Reencomenda do Item
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Mostrar Folha de Vencimento
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Transferência de Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Transferência de Material
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Especificar as operações, custo operacional e dar um só Nr. Operação às suas operações."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Este documento está acima do limite por {0} {1} para o item {4}. Está a fazer outra {3} no/a mesmo/a {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,"Por favor, defina como recorrente depois de guardar"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Selecionar alterar montante de conta
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Este documento está acima do limite por {0} {1} para o item {4}. Está a fazer outra {3} no/a mesmo/a {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,"Por favor, defina como recorrente depois de guardar"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Selecionar alterar montante de conta
DocType: Purchase Invoice,Price List Currency,Moeda da Lista de Preços
DocType: Naming Series,User must always select,O utilizador tem sempre que escolher
DocType: Stock Settings,Allow Negative Stock,Permitir Stock Negativo
DocType: Installation Note,Installation Note,Nota de Instalação
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Adicionar Impostos
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Adicionar Impostos
DocType: Topic,Topic,Tema
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Fluxo de Caixa de Financiamento
DocType: Budget Account,Budget Account,Conta do Orçamento
DocType: Quality Inspection,Verified By,Verificado Por
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Não é possível alterar a moeda padrão da empresa, porque existem operações com a mesma. Deverá cancelar as transações para alterar a moeda padrão."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Não é possível alterar a moeda padrão da empresa, porque existem operações com a mesma. Deverá cancelar as transações para alterar a moeda padrão."
DocType: Grading Scale Interval,Grade Description,Descrição de Classe
DocType: Stock Entry,Purchase Receipt No,Nº de Recibo de Compra
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Sinal
DocType: Process Payroll,Create Salary Slip,Criar Folha de Vencimento
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Rastreabilidade
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Fonte de Fundos (Passivos)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},A quantidade na linha {0} ( {1}) deve ser igual à quantidade fabricada em {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Fonte de Fundos (Passivos)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},A quantidade na linha {0} ( {1}) deve ser igual à quantidade fabricada em {2}
DocType: Appraisal,Employee,Funcionário
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Selecione lote
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} está totalmente faturado
DocType: Training Event,End Time,Data de Término
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Estrutura de Salário ativa {0} encontrada para o funcionário {1} para as datas indicadas
@@ -2302,11 +2316,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Necessário Em
DocType: Rename Tool,File to Rename,Ficheiro para Alterar Nome
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},"Por favor, selecione uma LDM para o Item na Linha {0}"
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},A LDM especificada {0} não existe para o Item {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},A conta {0} não coincide com a Empresa {1} no Modo de Conta: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},A LDM especificada {0} não existe para o Item {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,O Cronograma de Manutenção {0} deve ser cancelado antes de cancelar esta Ordem de Venda
DocType: Notification Control,Expense Claim Approved,Reembolso de Despesas Aprovado
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Já foi criada a Folha de Vencimento do funcionário {0} para este período
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Farmacêutico
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmacêutico
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Custo dos Itens Adquiridos
DocType: Selling Settings,Sales Order Required,Ordem de Venda necessária
DocType: Purchase Invoice,Credit To,Creditar Em
@@ -2323,42 +2338,42 @@
DocType: Payment Gateway Account,Payment Account,Conta de Pagamento
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,"Por favor, especifique a Empresa para poder continuar"
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Variação Líquida em Contas a Receber
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Descanso de Compensação
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Descanso de Compensação
DocType: Offer Letter,Accepted,Aceite
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,Organização
DocType: SG Creation Tool Course,Student Group Name,Nome do Grupo de Estudantes
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Por favor, certifique-se de que realmente deseja apagar todas as transações para esta empresa. Os seus dados principais permanecerão como estão. Esta ação não pode ser anulada."
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Por favor, certifique-se de que realmente deseja apagar todas as transações para esta empresa. Os seus dados principais permanecerão como estão. Esta ação não pode ser anulada."
DocType: Room,Room Number,Número de Sala
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Referência inválida {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) não pode ser maior do que a quantidade planeada ({2}) no Pedido de Produção {3}
DocType: Shipping Rule,Shipping Rule Label,Regra Rotulação de Envio
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Fórum de Utilizadores
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,As Matérias-primas não podem ficar em branco.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Não foi possível atualizar o stock, a fatura contém um item de envio direto."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,As Matérias-primas não podem ficar em branco.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Não foi possível atualizar o stock, a fatura contém um item de envio direto."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Lançamento Contabilístico Rápido
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,Não pode alterar a taxa se a LDM for mencionada nalgum item
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,Não pode alterar a taxa se a LDM for mencionada nalgum item
DocType: Employee,Previous Work Experience,Experiência Laboral Anterior
DocType: Stock Entry,For Quantity,Para a Quantidade
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},"Por favor, indique a Qtd Planeada para o Item {0} na linha {1}"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} não foi enviado
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Solicitações de itens.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Será criado um Pedido de produção separado para cada item acabado.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} deve ser negativo no documento de devolução
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} deve ser negativo no documento de devolução
,Minutes to First Response for Issues,Minutos para a Primeira Resposta a Incidentes
DocType: Purchase Invoice,Terms and Conditions1,Termos e Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,O nome do instituto para o qual está a instalar este sistema.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,O nome do instituto para o qual está a instalar este sistema.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","O lançamento contabilístico está congelado até à presente data, ninguém pode efetuar / alterar o registo exceto alguém com as funções especificadas abaixo."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,"Por favor, guarde o documento antes de gerar o cronograma de manutenção"
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Estado do Projeto
DocType: UOM,Check this to disallow fractions. (for Nos),Selecione esta opção para não permitir frações. (Para Nrs.)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Foram criados os seguintes Pedidos de Produção:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Foram criados os seguintes Pedidos de Produção:
DocType: Student Admission,Naming Series (for Student Applicant),Séries de Atribuição de Nomes (para Estudantes Candidatos)
DocType: Delivery Note,Transporter Name,Nome da Transportadora
DocType: Authorization Rule,Authorized Value,Valor Autorizado
DocType: BOM,Show Operations,Mostrar Operações
,Minutes to First Response for Opportunity,Minutos para a Primeira Resposta a uma Oportunidade
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Faltas Totais
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,O Item ou Armazém para a linha {0} não corresponde à Solicitação de Materiais
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,O Item ou Armazém para a linha {0} não corresponde à Solicitação de Materiais
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Unidade de Medida
DocType: Fiscal Year,Year End Date,Data de Fim de Ano
DocType: Task Depends On,Task Depends On,A Tarefa Depende De
@@ -2458,11 +2473,11 @@
DocType: Asset,Manual,Manual
DocType: Salary Component Account,Salary Component Account,Conta Componente Salarial
DocType: Global Defaults,Hide Currency Symbol,Ocultar Símbolo de Moeda
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","ex: Banco, Dinheiro, Cartão de Crédito"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","ex: Banco, Dinheiro, Cartão de Crédito"
DocType: Lead Source,Source Name,Nome da Fonte
DocType: Journal Entry,Credit Note,Nota de Crédito
DocType: Warranty Claim,Service Address,Endereço de Serviço
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Móveis e Utensílios
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Móveis e Utensílios
DocType: Item,Manufacture,Fabrico
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,"Por favor, insira a Guia de Remessa primeiro"
DocType: Student Applicant,Application Date,Data de Candidatura
@@ -2472,7 +2487,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Data de Liquidação não mencionada
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Produção
DocType: Guardian,Occupation,Ocupação
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Configure o Sistema de Nomeação de Empregados em Recursos Humanos> Configurações de RH
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Linha {0}: A Data de Início deve ser anterior à Data de Término
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Total (Qtd)
DocType: Sales Invoice,This Document,Este Documento
@@ -2484,20 +2498,20 @@
DocType: Purchase Receipt,Time at which materials were received,Momento em que os materiais foram recebidos
DocType: Stock Ledger Entry,Outgoing Rate,Taxa de Saída
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Definidor da filial da organização.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,ou
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,ou
DocType: Sales Order,Billing Status,Estado do Faturação
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Relatar um Incidente
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Despesas de Serviços
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Despesas de Serviços
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,Acima-de-90
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Linha # {0}: O Lançamento Contabilístico {1} não tem uma conta {2} ou está relacionado a outro voucher
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Linha # {0}: O Lançamento Contabilístico {1} não tem uma conta {2} ou está relacionado a outro voucher
DocType: Buying Settings,Default Buying Price List,Lista de Compra de Preço Padrão
DocType: Process Payroll,Salary Slip Based on Timesheet,Folha de Vencimento Baseada no Registo de Horas
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Não existe nenhum funcionário para os critérios selecionados acima OU já foi criada a folha de vencimento
DocType: Notification Control,Sales Order Message,Mensagem da Ordem de Venda
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Definir Valores Padrão, como a Empresa, Moeda, Ano Fiscal Atual, etc."
DocType: Payment Entry,Payment Type,Tipo de Pagamento
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Selecione um lote para o item {0}. Não é possível encontrar um único lote que preenche este requisito
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Selecione um lote para o item {0}. Não é possível encontrar um único lote que preenche este requisito
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Selecione um lote para o item {0}. Não é possível encontrar um único lote que preenche este requisito
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Selecione um lote para o item {0}. Não é possível encontrar um único lote que preenche este requisito
DocType: Process Payroll,Select Employees,Selecionar Funcionários
DocType: Opportunity,Potential Sales Deal,Potenciais Negócios de Vendas
DocType: Payment Entry,Cheque/Reference Date,Data do Cheque/Referência
@@ -2517,7 +2531,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Deve ser enviado o documento de entrega
DocType: Purchase Invoice Item,Received Qty,Qtd Recebida
DocType: Stock Entry Detail,Serial No / Batch,Nr. de Série / Lote
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Não Pago e Não Entregue
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Não Pago e Não Entregue
DocType: Product Bundle,Parent Item,Item Principal
DocType: Account,Account Type,Tipo de Conta
DocType: Delivery Note,DN-RET-,NE-DEV-
@@ -2532,25 +2546,24 @@
DocType: Bin,Reserved Quantity,Quantidade Reservada
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Por favor insira o endereço de e-mail válido
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Por favor insira o endereço de e-mail válido
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Não há curso obrigatório para o programa {0}
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Não há curso obrigatório para o programa {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Compra de Itens de Entrada
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Personalização de Formulários
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,atraso
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,atraso
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Montante de Depreciação durante o período
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,O modelo desativado não deve ser o modelo padrão
DocType: Account,Income Account,Conta de Rendimento
DocType: Payment Request,Amount in customer's currency,Montante na moeda do cliente
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Entrega
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Entrega
DocType: Stock Reconciliation Item,Current Qty,Qtd Atual
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section","Consulte a ""Taxa de Materiais Baseados Em"" na Seção de Custos"
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Anterior
DocType: Appraisal Goal,Key Responsibility Area,Área de Responsabilidade Fundamental
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Os lotes de estudante ajudar a controlar assiduidade, avaliação e taxas para estudantes"
DocType: Payment Entry,Total Allocated Amount,Valor Total Atribuído
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Defina a conta de inventário padrão para o inventário perpétuo
DocType: Item Reorder,Material Request Type,Tipo de Solicitação de Material
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural entrada de diário para salários de {0} para {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage está cheio, não salvou"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage está cheio, não salvou"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Linha {0}: É obrigatório colocar o Fator de Conversão de UNID
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Ref.
DocType: Budget,Cost Center,Centro de Custos
@@ -2563,19 +2576,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","A Regra de Fixação de Preços é efetuada para substituir a Lista de Preços / definir a percentagem de desconto, com base em alguns critérios."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,O Armazém só pode ser alterado através do Registo de Stock / Guia de Remessa / Recibo de Compra
DocType: Employee Education,Class / Percentage,Classe / Percentagem
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Diretor de Marketing e Vendas
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Imposto Sobre o Rendimento
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Diretor de Marketing e Vendas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Imposto Sobre o Rendimento
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Se a Regra de Fixação de Preços selecionada for efetuada para o ""Preço"", ela irá substituir a Lista de Preços. A Regra de Fixação de Preços é o preço final, portanto nenhum outro desconto deverá ser aplicado. Portanto, em transações como o Pedido de Venda, Pedido de Compra, etc., será obtida do campo ""Taxa"", em vez do campo ""Taxa de Lista de Preços""."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Acompanhar Potenciais Clientes por Tipo de Setor.
DocType: Item Supplier,Item Supplier,Fornecedor do Item
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,"Por favor, insira o Código do Item para obter o nr. de lote"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},"Por favor, selecione um valor para {0} a cotação_para {1}"
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,"Por favor, insira o Código do Item para obter o nr. de lote"
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},"Por favor, selecione um valor para {0} a cotação_para {1}"
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Todos os Endereços.
DocType: Company,Stock Settings,Definições de Stock
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","A união só é possível caso as seguintes propriedades sejam iguais em ambos os registos. Estes são o Grupo, Tipo Principal, Empresa"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","A união só é possível caso as seguintes propriedades sejam iguais em ambos os registos. Estes são o Grupo, Tipo Principal, Empresa"
DocType: Vehicle,Electric,Elétrico
DocType: Task,% Progress,% de Progresso
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Ganhos/Perdas de Eliminação de Ativos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Ganhos/Perdas de Eliminação de Ativos
DocType: Training Event,Will send an email about the event to employees with status 'Open',"Enviará um email acerca do evento para os funcionários com estado ""Aberto"""
DocType: Task,Depends on Tasks,Depende de Tarefas
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Gerir o Esquema de Grupo de Cliente.
@@ -2584,7 +2597,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Novo Nome de Centro de Custos
DocType: Leave Control Panel,Leave Control Panel,Painel de Controlo de Licenças
DocType: Project,Task Completion,Conclusão da Tarefa
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Não há no Stock
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Não há no Stock
DocType: Appraisal,HR User,Utilizador de RH
DocType: Purchase Invoice,Taxes and Charges Deducted,Impostos e Encargos Deduzidos
apps/erpnext/erpnext/hooks.py +116,Issues,Problemas
@@ -2595,22 +2608,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Sem folha de salário encontrada entre {0} e {1}
,Pending SO Items For Purchase Request,Itens Pendentes PV para Solicitação de Compra
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Admissão de Estudantes
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} está desativado
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} está desativado
DocType: Supplier,Billing Currency,Moeda de Faturação
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Extra-Grande
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra-Grande
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,total de folhas
,Profit and Loss Statement,Cálculo de Lucros e Perdas
DocType: Bank Reconciliation Detail,Cheque Number,Número de Cheque
,Sales Browser,Navegador de Vendas
DocType: Journal Entry,Total Credit,Crédito Total
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Aviso: Existe outro/a {0} # {1} no registo de stock {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Local
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Local
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Empréstimos e Adiantamentos (Ativos)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Devedores
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Grande
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Grande
DocType: Homepage Featured Product,Homepage Featured Product,Página Inicial do Produto Em Destaque
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Todos os Grupos de Avaliação
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Todos os Grupos de Avaliação
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Novo Nome de Armazém
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Total {0} ({1})
DocType: C-Form Invoice Detail,Territory,Território
@@ -2620,12 +2633,12 @@
DocType: Production Order Operation,Planned Start Time,Tempo de Início Planeado
DocType: Course,Assessment,Avaliação
DocType: Payment Entry Reference,Allocated,Atribuído
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Feche o Balanço e adicione Lucros ou Perdas
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Feche o Balanço e adicione Lucros ou Perdas
DocType: Student Applicant,Application Status,Estado da Candidatura
DocType: Fees,Fees,Propinas
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Especifique a Taxa de Câmbio para converter uma moeda noutra
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,A cotação {0} foi cancelada
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Montante Total em Dívida
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Montante Total em Dívida
DocType: Sales Partner,Targets,Metas
DocType: Price List,Price List Master,Definidor de Lista de Preços
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Todas as Transações de Vendas podem ser assinaladas em vários **Vendedores** para que possa definir e monitorizar as metas.
@@ -2669,12 +2682,12 @@
1. Endereço e Contacto da sua Empresa."
DocType: Attendance,Leave Type,Tipo de Licença
DocType: Purchase Invoice,Supplier Invoice Details,Fornecedor Detalhes da fatura
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"A conta de Despesas / Diferenças ({0}) deve ser uma conta de ""Lucros e Perdas"""
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"A conta de Despesas / Diferenças ({0}) deve ser uma conta de ""Lucros e Perdas"""
DocType: Project,Copied From,Copiado de
DocType: Project,Copied From,Copiado de
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Nome de erro: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,Escassez
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} não está associado a {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} não está associado a {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Já foi registada a presença do funcionário {0}
DocType: Packing Slip,If more than one package of the same type (for print),Se houver mais do que um pacote do mesmo tipo (por impressão)
,Salary Register,salário Register
@@ -2692,22 +2705,23 @@
,Requested Qty,Qtd Solicitada
DocType: Tax Rule,Use for Shopping Cart,Utilizar para o Carrinho de Compras
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Não existe o Valor {0} para o Atributo {1} na lista Valores de Atributos de Item válidos para o Item {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Selecione números de série
DocType: BOM Item,Scrap %,Sucata %
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Os custos serão distribuídos proporcionalmente com base na qtd ou montante, conforme tiver selecionado"
DocType: Maintenance Visit,Purposes,Objetivos
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Para devolver um documento deve ser inserido pelo menos um item com quantidade negativa
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Para devolver um documento deve ser inserido pelo menos um item com quantidade negativa
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","A Operação {0} maior do que as horas de trabalho disponíveis no posto de trabalho {1}, quebra a operação em várias operações"
,Requested,Solicitado
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Sem Observações
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Sem Observações
DocType: Purchase Invoice,Overdue,Vencido
DocType: Account,Stock Received But Not Billed,Stock Recebido Mas Não Faturados
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,A Conta Principal deve ser um grupo
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,A Conta Principal deve ser um grupo
DocType: Fees,FEE.,PROPINA.
DocType: Employee Loan,Repaid/Closed,Reembolsado / Fechado
DocType: Item,Total Projected Qty,Qtd Projetada Total
DocType: Monthly Distribution,Distribution Name,Nome de Distribuição
DocType: Course,Course Code,Código de Curso
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Inspeção de Qualidade necessária para o item {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Inspeção de Qualidade necessária para o item {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Taxa à qual a moeda do cliente é convertida para a moeda principal da empresa
DocType: Purchase Invoice Item,Net Rate (Company Currency),Taxa Líquida (Moeda da Empresa)
DocType: Salary Detail,Condition and Formula Help,Seção de Ajuda de Condições e Fórmulas
@@ -2720,27 +2734,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Transferência de Material para Fabrico
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,A Percentagem de Desconto pode ser aplicada numa Lista de Preços ou em todas as Listas de Preços.
DocType: Purchase Invoice,Half-yearly,Semestral
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Registo Contabilístico de Stock
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Registo Contabilístico de Stock
DocType: Vehicle Service,Engine Oil,Óleo de Motor
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Configure o Sistema de Nomeação de Empregados em Recursos Humanos> Configurações de RH
DocType: Sales Invoice,Sales Team1,Equipa de Vendas1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,O Item {0} não existe
DocType: Sales Invoice,Customer Address,Endereço de Cliente
DocType: Employee Loan,Loan Details,Detalhes empréstimo
+DocType: Company,Default Inventory Account,Conta de inventário padrão
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Linha {0}: A Qtd Concluída deve superior a zero.
DocType: Purchase Invoice,Apply Additional Discount On,Aplicar Desconto Adicional Em
DocType: Account,Root Type,Tipo de Fonte
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Linha # {0}: Não é possível devolver mais de {1} para o Item {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Linha # {0}: Não é possível devolver mais de {1} para o Item {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Gráfico
DocType: Item Group,Show this slideshow at the top of the page,Mostrar esta apresentação de diapositivos no topo da página
DocType: BOM,Item UOM,UNID de Item
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Valor do Imposto Após Montante de Desconto (Moeda da Empresa)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},É obrigatório colocar o Destino do Armazém para a linha {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},É obrigatório colocar o Destino do Armazém para a linha {0}
DocType: Cheque Print Template,Primary Settings,Definições Principais
DocType: Purchase Invoice,Select Supplier Address,Escolha um Endereço de Fornecedor
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Adicionar Funcionários
DocType: Purchase Invoice Item,Quality Inspection,Inspeção de Qualidade
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Extra-pequeno
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra-pequeno
DocType: Company,Standard Template,Modelo Padrão
DocType: Training Event,Theory,Teoria
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Aviso: A Qtd do Material requisitado é menor que a Qtd de Pedido Mínima
@@ -2748,7 +2764,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entidade Legal / Subsidiária com um Gráfico de Contas separado pertencente à Organização.
DocType: Payment Request,Mute Email,Email Sem Som
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Comida, Bebidas e Tabaco"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Só pode efetuar o pagamento no {0} não faturado
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Só pode efetuar o pagamento no {0} não faturado
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,A taxa de comissão não pode ser superior a 100
DocType: Stock Entry,Subcontract,Subcontratar
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,"Por favor, insira {0} primeiro"
@@ -2761,18 +2777,18 @@
DocType: SMS Log,No of Sent SMS,N º de SMS Enviados
DocType: Account,Expense Account,Conta de Despesas
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Software
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Cor
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Cor
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Critérios plano de avaliação
DocType: Training Event,Scheduled,Programado
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Solicitação de cotação.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Por favor, selecione o item onde o ""O Stock de Item"" é ""Não"" e o ""Item de Vendas"" é ""Sim"" e se não há nenhum outro Pacote de Produtos"
DocType: Student Log,Academic,Académico
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),O Avanço total ({0}) no Pedido {1} não pode ser maior do que o Total Geral ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),O Avanço total ({0}) no Pedido {1} não pode ser maior do que o Total Geral ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Selecione a distribuição mensal para distribuir os objetivos desigualmente através meses.
DocType: Purchase Invoice Item,Valuation Rate,Taxa de Avaliação
DocType: Stock Reconciliation,SR/,SR/
DocType: Vehicle,Diesel,Gasóleo
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Não foi selecionada uma Moeda para a Lista de Preços
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Não foi selecionada uma Moeda para a Lista de Preços
,Student Monthly Attendance Sheet,Folha de Assiduidade Mensal de Estudante
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},O(A) funcionário(a) {0} já solicitou {1} entre {2} e {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Data de Início do Projeto
@@ -2785,7 +2801,7 @@
DocType: BOM,Scrap,Sucata
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Gerir Parceiros de Vendas.
DocType: Quality Inspection,Inspection Type,Tipo de Inspeção
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Os Armazéns com a transação existente não podem ser convertidos num grupo.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Os Armazéns com a transação existente não podem ser convertidos num grupo.
DocType: Assessment Result Tool,Result HTML,resultado HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Expira em
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Adicionar alunos
@@ -2793,13 +2809,13 @@
DocType: C-Form,C-Form No,Nr. de Form-C
DocType: BOM,Exploded_items,Vista_expandida_de_items
DocType: Employee Attendance Tool,Unmarked Attendance,Presença Não Marcada
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Investigador
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Investigador
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Ferramenta de Estudante de Inscrição no Programa
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,É obrigatório colocar o Nome ou Email
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Inspeção de qualidade a ser efetuada.
DocType: Purchase Order Item,Returned Qty,Qtd Devolvida
DocType: Employee,Exit,Sair
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,É obrigatório colocar o Tipo de Fonte
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,É obrigatório colocar o Tipo de Fonte
DocType: BOM,Total Cost(Company Currency),Custo Total (Moeda da Empresa)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Nr. de Série {0} criado
DocType: Homepage,Company Description for website homepage,A Descrição da Empresa para a página inicial do website
@@ -2808,7 +2824,7 @@
DocType: Sales Invoice,Time Sheet List,Lista de Folhas de Presença
DocType: Employee,You can enter any date manually,Pode inserir qualquer dado manualmente
DocType: Asset Category Account,Depreciation Expense Account,Conta de Depreciação de Despesas
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Período de Experiência
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Período de Experiência
DocType: Customer Group,Only leaf nodes are allowed in transaction,Só são permitidos nós de folha numa transação
DocType: Expense Claim,Expense Approver,Aprovador de Despesas
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Linha {0}: O Avanço do Cliente deve ser creditado
@@ -2822,10 +2838,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Cronogramas de Curso eliminados:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Registo para a manutenção do estado de entrega de sms
DocType: Accounts Settings,Make Payment via Journal Entry,Fazer o pagamento através do Lançamento Contabilístico
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Impresso Em
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Impresso Em
DocType: Item,Inspection Required before Delivery,Inspeção Requerida antes da Entrega
DocType: Item,Inspection Required before Purchase,Inspeção Requerida antes da Compra
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Atividades Pendentes
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Sua organização
DocType: Fee Component,Fees Category,Categoria de Propinas
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,"Por favor, insira a data de saída."
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Mtt
@@ -2835,9 +2852,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Reordenar Nível
DocType: Company,Chart Of Accounts Template,Modelo de Plano de Contas
DocType: Attendance,Attendance Date,Data de Presença
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},O Preço do Item foi atualizado para {0} na Lista de Preços {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},O Preço do Item foi atualizado para {0} na Lista de Preços {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Separação Salarial com base nas Remunerações e Reduções.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Uma conta com subgrupos não pode ser convertida num livro
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Uma conta com subgrupos não pode ser convertida num livro
DocType: Purchase Invoice Item,Accepted Warehouse,Armazém Aceite
DocType: Bank Reconciliation Detail,Posting Date,Data de Postagem
DocType: Item,Valuation Method,Método de Avaliação
@@ -2846,14 +2863,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Duplicar registo
DocType: Program Enrollment Tool,Get Students,Obter Estudantes
DocType: Serial No,Under Warranty,Sob Garantia
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Erro]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Erro]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,Por Extenso será visível quando guardar a Ordem de Venda.
,Employee Birthday,Aniversário do Funcionário
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Ferramenta de Assiduidade de Classe de Estudantes
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,Limite Ultrapassado
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Limite Ultrapassado
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Capital de Risco
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"Já existe um prazo académico com este""Ano Lectivo"" {0} e ""Nome do Prazo"" {1}. Por favor, altere estes registos e tente novamente."
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Como existem transações existentes contra item de {0}, você não pode alterar o valor de {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Como existem transações existentes contra item de {0}, você não pode alterar o valor de {1}"
DocType: UOM,Must be Whole Number,Deve ser Número Inteiro
DocType: Leave Control Panel,New Leaves Allocated (In Days),Novas Licenças Alocadas (Em Dias)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,O Nr. de Série {0} não existe
@@ -2862,6 +2879,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Número da Fatura
DocType: Shopping Cart Settings,Orders,Pedidos
DocType: Employee Leave Approver,Leave Approver,Aprovador de Licenças
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Selecione um lote
DocType: Assessment Group,Assessment Group Name,Nome do Grupo de Avaliação
DocType: Manufacturing Settings,Material Transferred for Manufacture,Material Transferido para Fabrico
DocType: Expense Claim,"A user with ""Expense Approver"" role","Um utilizador com a função de ""Aprovador de Despesas"""
@@ -2871,9 +2889,10 @@
DocType: Target Detail,Target Detail,Detalhe Alvo
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,Todos os Empregos
DocType: Sales Order,% of materials billed against this Sales Order,% de materiais faturados desta Ordem de Venda
+DocType: Program Enrollment,Mode of Transportation,Modo de transporte
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Registo de Término de Período
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,O Centro de Custo com as operações existentes não pode ser convertido em grupo
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Montante {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Montante {0} {1} {2} {3}
DocType: Account,Depreciation,Depreciação
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Fornecedor(es)
DocType: Employee Attendance Tool,Employee Attendance Tool,Ferramenta de Assiduidade do Funcionário
@@ -2881,7 +2900,7 @@
DocType: Supplier,Credit Limit,Limite de Crédito
DocType: Production Plan Sales Order,Salse Order Date,Data da Ordem de Venda
DocType: Salary Component,Salary Component,Componente Salarial
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Os Registos de Pagamento {0} não estão vinculados
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Os Registos de Pagamento {0} não estão vinculados
DocType: GL Entry,Voucher No,Voucher Nr.
,Lead Owner Efficiency,Eficiência do proprietário principal
,Lead Owner Efficiency,Eficiência do proprietário principal
@@ -2893,11 +2912,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Modelo de termos ou contratos.
DocType: Purchase Invoice,Address and Contact,Endereço e Contacto
DocType: Cheque Print Template,Is Account Payable,É Uma Conta A Pagar
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},O Stock não pode ser atualizado no Recibo de Compra {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},O Stock não pode ser atualizado no Recibo de Compra {0}
DocType: Supplier,Last Day of the Next Month,Último Dia do Mês Seguinte
DocType: Support Settings,Auto close Issue after 7 days,Fechar automáticamente incidentes após 7 dias
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","A licença não pode ser atribuída antes de {0}, pois o saldo de licenças já foi carregado no registo de atribuição de licenças {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Nota: A Data de Vencimento / Referência excede os dias de crédito permitidos por cliente em {0} dia(s)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Nota: A Data de Vencimento / Referência excede os dias de crédito permitidos por cliente em {0} dia(s)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Candidatura de Estudante
DocType: Asset Category Account,Accumulated Depreciation Account,Conta de Depreciação Acumulada
DocType: Stock Settings,Freeze Stock Entries,Suspender Registos de Stock
@@ -2906,35 +2925,35 @@
DocType: Activity Cost,Billing Rate,Preço de faturação padrão
,Qty to Deliver,Qtd a Entregar
,Stock Analytics,Análise de Stock
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,As operações não podem ser deixadas em branco
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,As operações não podem ser deixadas em branco
DocType: Maintenance Visit Purpose,Against Document Detail No,No Nr. de Dados de Documento
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,É obrigatório colocar o Tipo de Parte
DocType: Quality Inspection,Outgoing,Saída
DocType: Material Request,Requested For,Solicitado Para
DocType: Quotation Item,Against Doctype,No Tipo de Documento
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} foi cancelado ou encerrado
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} foi cancelado ou encerrado
DocType: Delivery Note,Track this Delivery Note against any Project,Acompanhar esta Guia de Remessa em qualquer Projeto
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Caixa Líquido de Investimentos
-,Is Primary Address,É o Endereço Principal
DocType: Production Order,Work-in-Progress Warehouse,Armazém de Trabalho a Decorrer
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,O ativo {0} deve ser enviado
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Existe um Registo de Assiduidade {0} no Estudante {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Existe um Registo de Assiduidade {0} no Estudante {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Referência #{0} datada de {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,A Depreciação foi Eliminada devido à alienação de ativos
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Gerir Endereços
DocType: Asset,Item Code,Código do Item
DocType: Production Planning Tool,Create Production Orders,Criar Ordens de Produção
DocType: Serial No,Warranty / AMC Details,Garantia / Dados CMA
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Selecionar os alunos manualmente para o grupo baseado em atividade
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Selecionar os alunos manualmente para o grupo baseado em atividade
DocType: Journal Entry,User Remark,Observação de Utiliz.
DocType: Lead,Market Segment,Segmento de Mercado
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},O Montante Pago não pode ser superior ao montante em dívida total negativo {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},O Montante Pago não pode ser superior ao montante em dívida total negativo {0}
DocType: Employee Internal Work History,Employee Internal Work History,Historial de Trabalho Interno do Funcionário
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),A Fechar (Db)
DocType: Cheque Print Template,Cheque Size,Tamanho do Cheque
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,O Nr. de Série {0} não está em stock
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,O modelo de impostos pela venda de transações.
DocType: Sales Invoice,Write Off Outstanding Amount,Liquidar Montante em Dívida
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},A Conta {0} não coincide com a Empresa {1}
DocType: School Settings,Current Academic Year,Ano Acadêmico em Curso
DocType: School Settings,Current Academic Year,Ano Acadêmico em Curso
DocType: Stock Settings,Default Stock UOM,UNID de Stock Padrão
@@ -2950,27 +2969,27 @@
DocType: Asset,Double Declining Balance,Saldo Decrescente Duplo
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Um pedido fechado não pode ser cancelado. Anule o fecho para o cancelar.
DocType: Student Guardian,Father,Pai
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,"""Atualizar Stock"" não pode ser ativado para a venda de ativos imobilizado"
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"""Atualizar Stock"" não pode ser ativado para a venda de ativos imobilizado"
DocType: Bank Reconciliation,Bank Reconciliation,Conciliação Bancária
DocType: Attendance,On Leave,em licença
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Obter Atualizações
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: A Conta {2} não pertence à Empresa {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,A Solicitação de Material {0} foi cancelada ou interrompida
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Adicione alguns registos de exemplo
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Adicione alguns registos de exemplo
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Gestão de Licenças
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Agrupar por Conta
DocType: Sales Order,Fully Delivered,Totalmente Entregue
DocType: Lead,Lower Income,Rendimento Mais Baixo
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Fonte e armazém de destino não pode ser o mesmo para a linha {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Fonte e armazém de destino não pode ser o mesmo para a linha {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","A Conta de Diferenças deve ser uma conta do tipo Ativo/Passivo, pois esta Conciliação de Stock é um Registo de Abertura"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Desembolso Valor não pode ser maior do que o valor do empréstimo {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Nº da Ordem de Compra necessário para o Item {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Ordem de produção não foi criado
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Nº da Ordem de Compra necessário para o Item {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Ordem de produção não foi criado
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"A ""Data De"" deve ser depois da ""Data Para"""
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Não é possível alterar o estado pois o estudante {0} está ligado à candidatura de estudante {1}
DocType: Asset,Fully Depreciated,Totalmente Depreciados
,Stock Projected Qty,Qtd Projetada de Stock
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},O Cliente {0} não pertence ao projeto {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},O Cliente {0} não pertence ao projeto {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,HTML de Presenças Marcadas
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Citações são propostas, as propostas que enviou aos seus clientes"
DocType: Sales Order,Customer's Purchase Order,Ordem de Compra do Cliente
@@ -2979,8 +2998,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Soma dos escores de critérios de avaliação precisa ser {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,"Por favor, defina o Número de Depreciações Marcado"
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Valor ou Qtd
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Não podem ser criados Pedidos de Produção para:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Minuto
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Não podem ser criados Pedidos de Produção para:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Minuto
DocType: Purchase Invoice,Purchase Taxes and Charges,Impostos e Taxas de Compra
,Qty to Receive,Qtd a Receber
DocType: Leave Block List,Leave Block List Allowed,Lista de Bloqueio de Licenças Permitida
@@ -2988,25 +3007,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Reivindicação de Despesa para o Registo de Veículo {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Desconto (%) na Taxa da Lista de Preços com Margem
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Desconto (%) na Taxa da Lista de Preços com Margem
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,Todos os Armazéns
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Todos os Armazéns
DocType: Sales Partner,Retailer,Retalhista
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,A conta de Crédito Para deve ser uma conta de Balanço
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,A conta de Crédito Para deve ser uma conta de Balanço
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Todos os Tipos de Fornecedores
DocType: Global Defaults,Disable In Words,Desativar Por Extenso
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,É obrigatório colocar o Código do Item porque o Item não é automaticamente numerado
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,É obrigatório colocar o Código do Item porque o Item não é automaticamente numerado
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},A Cotação {0} não é do tipo {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Item do Cronograma de Manutenção
DocType: Sales Order,% Delivered,% Entregue
DocType: Production Order,PRO-,PRO-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Descoberto na Conta Bancária
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Descoberto na Conta Bancária
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Criar Folha de Vencimento
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: Allocated Amount não pode ser maior do que o montante pendente.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Pesquisar na LDM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Empréstimos Garantidos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Empréstimos Garantidos
DocType: Purchase Invoice,Edit Posting Date and Time,Editar postagem Data e Hora
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Por favor, defina as Contas relacionadas com a Depreciação na Categoria de ativos {0} ou na Empresa {1}"
DocType: Academic Term,Academic Year,Ano Letivo
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Equidade de Saldo Inicial
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Equidade de Saldo Inicial
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Avaliação
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},Email enviado ao fornecedor {0}
@@ -3022,7 +3041,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,A Função Aprovada não pode ser igual à da regra Aplicável A
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Cancelar a Inscrição neste Resumo de Email
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Mensagem Enviada
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Uma conta com subgrupos não pode ser definida como um livro
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Uma conta com subgrupos não pode ser definida como um livro
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Taxa à qual a moeda da lista de preços é convertida para a moeda principal do cliente
DocType: Purchase Invoice Item,Net Amount (Company Currency),Valor Líquido (Moeda da Empresa)
@@ -3057,7 +3076,7 @@
DocType: Expense Claim,Approval Status,Estado de Aprovação
DocType: Hub Settings,Publish Items to Hub,Publicar Itens na Plataforma
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},O valor de deve ser inferior ao valor da linha {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Transferência Bancária
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Transferência Bancária
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Verificar tudo
DocType: Vehicle Log,Invoice Ref,Ref. de Fatura
DocType: Purchase Order,Recurring Order,Ordem Recorrente
@@ -3070,19 +3089,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Atividade Bancária e Pagamentos
,Welcome to ERPNext,Bem-vindo ao ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,De Potencial Cliente a Cotação
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nada mais para mostrar.
DocType: Lead,From Customer,Do Cliente
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Chamadas
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Chamadas
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,Lotes
DocType: Project,Total Costing Amount (via Time Logs),Montante de Orçamento Total (através de Registos de Tempo)
DocType: Purchase Order Item Supplied,Stock UOM,UNID de Stock
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,A Ordem de Compra {0} não foi enviada
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,A Ordem de Compra {0} não foi enviada
DocType: Customs Tariff Number,Tariff Number,Número de tarifas
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Projetado
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},O Nr. de Série {0} não pertence ao Armazém {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Nota : O sistema não irá verificar o excesso de entrega e de reservas do Item {0} pois a quantidade ou montante é 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Nota : O sistema não irá verificar o excesso de entrega e de reservas do Item {0} pois a quantidade ou montante é 0
DocType: Notification Control,Quotation Message,Mensagem de Cotação
DocType: Employee Loan,Employee Loan Application,Pedido de empréstimo a funcionário
DocType: Issue,Opening Date,Data de Abertura
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,A presença foi registada com sucesso.
+DocType: Program Enrollment,Public Transport,Transporte público
DocType: Journal Entry,Remark,Observação
DocType: Purchase Receipt Item,Rate and Amount,Taxa e Montante
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},O Tipo de Conta para {0} deverá ser {1}
@@ -3090,32 +3112,32 @@
DocType: School Settings,Current Academic Term,Termo acadêmico atual
DocType: School Settings,Current Academic Term,Termo acadêmico atual
DocType: Sales Order,Not Billed,Não Faturado
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Ambos Armazéns devem pertencer à mesma Empresa
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Ainda não foi adicionado nenhum contacto.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Ambos Armazéns devem pertencer à mesma Empresa
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Ainda não foi adicionado nenhum contacto.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Montante do Voucher de Custo de Entrega
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Contas criadas por Fornecedores.
DocType: POS Profile,Write Off Account,Liquidar Conta
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Nota de débito Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Montante do Desconto
DocType: Purchase Invoice,Return Against Purchase Invoice,Devolver Na Fatura de Compra
DocType: Item,Warranty Period (in days),Período de Garantia (em dias)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Relação com Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Relação com Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Caixa Líquido de Operações
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,ex: IVA
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,ex: IVA
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Item 4
DocType: Student Admission,Admission End Date,Data de Término de Admissão
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Sub-contratação
DocType: Journal Entry Account,Journal Entry Account,Conta para Lançamento Contabilístico
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Grupo Estudantil
DocType: Shopping Cart Settings,Quotation Series,Série de Cotação
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Já existe um item com o mesmo nome ({0}), por favor, altere o nome deste item ou altere o nome deste item"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,"Por favor, selecione o cliente"
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Já existe um item com o mesmo nome ({0}), por favor, altere o nome deste item ou altere o nome deste item"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,"Por favor, selecione o cliente"
DocType: C-Form,I,I
DocType: Company,Asset Depreciation Cost Center,Centro de Custo de Depreciação de Ativo
DocType: Sales Order Item,Sales Order Date,Data da Ordem de Venda
DocType: Sales Invoice Item,Delivered Qty,Qtd Entregue
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Se for selecionado, todos os subitens de cada item de produção serão incluídos nas Solicitações de Material."
DocType: Assessment Plan,Assessment Plan,Plano de avaliação
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Armazém {0}: É obrigatório colocar a Empresa
DocType: Stock Settings,Limit Percent,limite Percent
,Payment Period Based On Invoice Date,Período De Pagamento Baseado Na Data Da Fatura
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Faltam as Taxas de Câmbio de {0}
@@ -3127,7 +3149,7 @@
DocType: Vehicle,Insurance Details,Dados de Seguro
DocType: Account,Payable,A Pagar
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,"Por favor, indique períodos de reembolso"
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Devedores ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Devedores ({0})
DocType: Pricing Rule,Margin,Margem
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Novos Clientes
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,% de Lucro Bruto
@@ -3138,16 +3160,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,É obrigatório colocar a parte
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,Nome do Tópico
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Deverá ser selecionado pelo menos um dos Vendedores ou Compradores
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Seleccione a natureza do seu negócio.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Deverá ser selecionado pelo menos um dos Vendedores ou Compradores
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Seleccione a natureza do seu negócio.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Linha # {0}: Entrada duplicada em referências {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Sempre que são realizadas operações de fabrico.
DocType: Asset Movement,Source Warehouse,Armazém Fonte
DocType: Installation Note,Installation Date,Data de Instalação
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Linha #{0}: O Ativo {1} não pertence à empresa {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Linha #{0}: O Ativo {1} não pertence à empresa {2}
DocType: Employee,Confirmation Date,Data de Confirmação
DocType: C-Form,Total Invoiced Amount,Valor total faturado
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,A Qtd Mín. não pode ser maior do que a Qtd Máx.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,A Qtd Mín. não pode ser maior do que a Qtd Máx.
DocType: Account,Accumulated Depreciation,Depreciação Acumulada
DocType: Stock Entry,Customer or Supplier Details,Dados de Cliente ou Fornecedor
DocType: Employee Loan Application,Required by Date,Exigido por Data
@@ -3168,22 +3190,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Percentagem de Distribuição Mensal
DocType: Territory,Territory Targets,Metas de Território
DocType: Delivery Note,Transporter Info,Informações do Transportador
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},"Por favor, defina o padrão {0} na Empresa {1}"
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},"Por favor, defina o padrão {0} na Empresa {1}"
DocType: Cheque Print Template,Starting position from top edge,Posição de início a partir do limite superior
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,O mesmo fornecedor foi inserido várias vezes
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Lucro / Perdas Brutos
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Item Fornecido da Ordem de Compra
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,O Nome da Empresa não pode ser a Empresa
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,O Nome da Empresa não pode ser a Empresa
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Os Cabeçalhos de Carta para modelos de impressão.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Títulos para modelos de impressão, por exemplo, Fatura Proforma."
DocType: Student Guardian,Student Guardian,Responsável do Estudante
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Os encargos do tipo de avaliação não podem ser marcados como Inclusivos
DocType: POS Profile,Update Stock,Actualizar Stock
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Fornecedor> Tipo de Fornecedor
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Uma UNID diferente para os itens levará a um Valor de Peso Líquido (Total) incorreto. Certifique-se de que o Peso Líquido de cada item está na mesma UNID.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Preço na LDM
DocType: Asset,Journal Entry for Scrap,Lançamento Contabilístico para Sucata
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,"Por favor, remova os itens da Guia de Remessa"
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Os Lançamentos Contabilísticos {0} não estão vinculados
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Os Lançamentos Contabilísticos {0} não estão vinculados
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Registo de todas as comunicações do tipo de email, telefone, chat, visita, etc."
DocType: Manufacturer,Manufacturers used in Items,Fabricantes utilizados nos Itens
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,"Por favor, mencione o Centro de Custo de Arredondamentos na Empresa"
@@ -3232,33 +3255,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,Entregas de Fornecedor ao Cliente
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,Não há stock de [{0}](#Formulário/Item/{0})
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,A Próxima Data deve ser mais antiga que a Data de Postagem
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Mostrar decomposição do imposto
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},A Data de Vencimento / Referência não pode ser após {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Mostrar decomposição do imposto
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},A Data de Vencimento / Referência não pode ser após {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Dados de Importação e Exportação
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","Existem registos de Stock no Armazém {0}, portanto, não pode voltar a atribuí-los ou modificá-los"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Não foi Encontrado nenhum aluno
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Não foi Encontrado nenhum aluno
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Data de Lançamento da Fatura
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Vender
DocType: Sales Invoice,Rounded Total,Total Arredondado
DocType: Product Bundle,List items that form the package.,Lista de itens que fazem parte do pacote.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,A Percentagem de Atribuição deve ser igual a 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,"Por favor, selecione a Data de Lançamento antes de selecionar a Parte"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,"Por favor, selecione a Data de Lançamento antes de selecionar a Parte"
DocType: Program Enrollment,School House,School House
DocType: Serial No,Out of AMC,Sem CMA
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Selecione Citações
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Selecione Citações
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,O Número de Depreciações Reservadas não pode ser maior do que o Número Total de Depreciações
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Efetuar Visita de Manutenção
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,"Por favor, contacte o utilizador com a função de Gestor Definidor de Vendas {0}"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,"Por favor, contacte o utilizador com a função de Gestor Definidor de Vendas {0}"
DocType: Company,Default Cash Account,Conta Caixa Padrão
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Definidor da Empresa (não Cliente ou Fornecedor).
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Isto baseia-se na assiduidade deste Estudante
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Não alunos em
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Não alunos em
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Adicionar mais itens ou abrir formulário inteiro
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',"Por favor, insira a ""Data de Entrega Prevista"""
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Deverá cancelar as Guias de Remessa {0} antes de cancelar esta Ordem de Venda
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,O Montante Pago + Montante Liquidado não pode ser superior ao Total Geral
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,O Montante Pago + Montante Liquidado não pode ser superior ao Total Geral
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} não é um Número de Lote válido para o Item {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Nota: Não possui saldo de licença suficiente para o Tipo de Licença {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN inválido ou Digite NA para não registrado
DocType: Training Event,Seminar,Seminário
DocType: Program Enrollment Fee,Program Enrollment Fee,Propina de Inscrição no Programa
DocType: Item,Supplier Items,Itens de Fornecedor
@@ -3284,28 +3307,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Item 3
DocType: Purchase Order,Customer Contact Email,Email de Contacto de Cliente
DocType: Warranty Claim,Item and Warranty Details,Itens e Dados de Garantia
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Código do Item> Item Group> Brand
DocType: Sales Team,Contribution (%),Contribuição (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Nota: Não será criado nenhum Registo de Pagamento, pois não foi especificado se era a ""Dinheiro ou por Conta Bancária"""
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Selecione o Programa para buscar cursos obrigatórios.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Selecione o Programa para buscar cursos obrigatórios.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Responsabilidades
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Responsabilidades
DocType: Expense Claim Account,Expense Claim Account,Conta de Reembolso de Despesas
DocType: Sales Person,Sales Person Name,Nome de Vendedor/a
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,"Por favor, insira pelo menos 1 fatura na tabela"
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Adicionar Utilizadores
DocType: POS Item Group,Item Group,Grupo do Item
DocType: Item,Safety Stock,Stock de Segurança
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,A % de Progresso para uma tarefa não pode ser superior a 100.
DocType: Stock Reconciliation Item,Before reconciliation,Antes da conciliação
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Para {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Impostos e Taxas Adicionados (Moeda da Empresa)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,A linha de Taxa do Item {0} deve ter em conta o tipo de Taxa ou de Rendimento ou de Despesa ou de Cobrança
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,A linha de Taxa do Item {0} deve ter em conta o tipo de Taxa ou de Rendimento ou de Despesa ou de Cobrança
DocType: Sales Order,Partly Billed,Parcialmente Faturado
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,O Item {0} deve ser um Item de Ativo Imobilizado
DocType: Item,Default BOM,LDM Padrão
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,"Por favor, reescreva o nome da empresa para confirmar"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Qtd Total Em Falta
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Valor da nota de débito
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,"Por favor, reescreva o nome da empresa para confirmar"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Qtd Total Em Falta
DocType: Journal Entry,Printing Settings,Definições de Impressão
DocType: Sales Invoice,Include Payment (POS),Incluir pagamento (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},O débito total deve ser igual ao Total de Crédito. A diferença é {0}
@@ -3319,16 +3339,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Em stock:
DocType: Notification Control,Custom Message,Mensagem Personalizada
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Banco de Investimentos
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,É obrigatório colocar o Dinheiro ou a Conta Bancária para efetuar um registo de pagamento
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Endereço do estudante
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Endereço do estudante
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,É obrigatório colocar o Dinheiro ou a Conta Bancária para efetuar um registo de pagamento
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Por favor, configure as séries de numeração para Atendimento por meio da Configuração> Série de numeração"
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Endereço do estudante
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Endereço do estudante
DocType: Purchase Invoice,Price List Exchange Rate,Taxa de Câmbio da Lista de Preços
DocType: Purchase Invoice Item,Rate,Valor
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Estagiário
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,Nome endereço
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Estagiário
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,Nome endereço
DocType: Stock Entry,From BOM,Da LDM
DocType: Assessment Code,Assessment Code,Código de Avaliação
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Básico
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Básico
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Estão congeladas as transações com stock antes de {0}
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"Por favor, clique em 'Gerar Cronograma'"
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","ex: Kg, Unidades, Nrs., m"
@@ -3338,11 +3359,11 @@
DocType: Salary Slip,Salary Structure,Estrutura Salarial
DocType: Account,Bank,Banco
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Companhia Aérea
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Enviar Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Enviar Material
DocType: Material Request Item,For Warehouse,Para o Armazém
DocType: Employee,Offer Date,Data de Oferta
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Cotações
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Está em modo offline. Não poderá recarregar até ter rede.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,Está em modo offline. Não poderá recarregar até ter rede.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Não foi criado nenhum Grupo de Estudantes.
DocType: Purchase Invoice Item,Serial No,Nr. de Série
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Mensal Reembolso Valor não pode ser maior do que o valor do empréstimo
@@ -3350,8 +3371,8 @@
DocType: Purchase Invoice,Print Language,Idioma de Impressão
DocType: Salary Slip,Total Working Hours,Total de Horas de Trabalho
DocType: Stock Entry,Including items for sub assemblies,A incluir itens para subconjuntos
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,O valor introduzido deve ser positivo
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Todos os Territórios
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,O valor introduzido deve ser positivo
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Todos os Territórios
DocType: Purchase Invoice,Items,Itens
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,O Estudante já está inscrito.
DocType: Fiscal Year,Year Name,Nome do Ano
@@ -3370,10 +3391,10 @@
DocType: Issue,Opening Time,Tempo de Abertura
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,São necessárias as datas De e A
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Valores Mobiliários e Bolsas de Mercadorias
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',A Unidade de Medida Padrão para a Variante '{0}' deve ser igual à do Modelo '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',A Unidade de Medida Padrão para a Variante '{0}' deve ser igual à do Modelo '{1}'
DocType: Shipping Rule,Calculate Based On,Calcular com Base Em
DocType: Delivery Note Item,From Warehouse,Armazém De
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Não há itens com Bill of Materials para Fabricação
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Não há itens com Bill of Materials para Fabricação
DocType: Assessment Plan,Supervisor Name,Nome do Supervisor
DocType: Program Enrollment Course,Program Enrollment Course,Curso de inscrição no programa
DocType: Program Enrollment Course,Program Enrollment Course,Curso de inscrição no programa
@@ -3389,18 +3410,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"Os ""Dias Desde o Último Pedido"" devem ser superiores ou iguais a zero"
DocType: Process Payroll,Payroll Frequency,Frequência de Pagamento
DocType: Asset,Amended From,Alterado De
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Matéria-prima
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Matéria-prima
DocType: Leave Application,Follow via Email,Seguir através do Email
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Plantas e Máquinas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Plantas e Máquinas
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Total de Impostos Depois do Montante do Desconto
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Definições de Resumo de Trabalho Diário
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},A Moeda da lista de preços {0} não é semelhante à moeda escolhida {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},A Moeda da lista de preços {0} não é semelhante à moeda escolhida {1}
DocType: Payment Entry,Internal Transfer,Transferência Interna
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Existe uma subconta para esta conta. Não pode eliminar esta conta.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Existe uma subconta para esta conta. Não pode eliminar esta conta.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,É obrigatório colocar a qtd prevista ou o montante previsto
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Não existe nenhuma LDM padrão para o Item {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Não existe nenhuma LDM padrão para o Item {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,"Por favor, selecione a Data de Postagem primeiro"
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,A Data de Abertura deve ser antes da Data de Término
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Defina Naming Series para {0} via Setup> Configurações> Naming Series
DocType: Leave Control Panel,Carry Forward,Continuar
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,"O Centro de Custo, com as operações existentes, não pode ser convertido em livro"
DocType: Department,Days for which Holidays are blocked for this department.,Dias em que as Férias estão bloqueadas para este departamento.
@@ -3410,11 +3432,10 @@
DocType: Issue,Raised By (Email),Levantado Por (Email)
DocType: Training Event,Trainer Name,Nome do Formador
DocType: Mode of Payment,General,Geral
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Anexar Cabeçalho
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Última comunicação
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Última comunicação
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Não pode deduzir quando a categoria é da ""Estimativa"" ou ""Estimativa e Total"""
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Liste os seus títulos fiscais (por exemplo, IVA, Alfândega; eles devem ter nomes únicos) e as suas taxas normais. Isto irá criar um modelo padrão, em que poderá efetuar edições e adições mais tarde."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Liste os seus títulos fiscais (por exemplo, IVA, Alfândega; eles devem ter nomes únicos) e as suas taxas normais. Isto irá criar um modelo padrão, em que poderá efetuar edições e adições mais tarde."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},É Necessário colocar o Nr. de Série para o Item em Série {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Combinar Pagamentos com Faturas
DocType: Journal Entry,Bank Entry,Registo Bancário
@@ -3423,16 +3444,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Adicionar ao Carrinho
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Agrupar Por
DocType: Guardian,Interests,Juros
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Ativar / desativar moedas.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Ativar / desativar moedas.
DocType: Production Planning Tool,Get Material Request,Obter Solicitação de Material
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Despesas Postais
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Despesas Postais
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Total (Qtd)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Entretenimento e Lazer
DocType: Quality Inspection,Item Serial No,Nº de Série do Item
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Criar Funcionário Registros
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Total Atual
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Demonstrações Contabilísticas
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Hora
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Hora
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,O Novo Nr. de Série não pode ter um Armazém. O Armazém deve ser definido no Registo de Compra ou no Recibo de Compra
DocType: Lead,Lead Type,Tipo Potencial Cliente
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Não está autorizado a aprovar licenças em Datas Bloqueadas
@@ -3444,6 +3465,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,A LDM nova após substituição
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Ponto de Venda
DocType: Payment Entry,Received Amount,Montante Recebido
+DocType: GST Settings,GSTIN Email Sent On,E-mail do GSTIN enviado
+DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop by Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Criar para a quantidade total, ignorando a quantidade já pedida"
DocType: Account,Tax,Imposto
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,Não Marcado
@@ -3457,14 +3480,14 @@
DocType: Batch,Source Document Name,Nome do Documento de Origem
DocType: Job Opening,Job Title,Título de Emprego
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Criar utilizadores
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,Gramas
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,Gramas
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,A Quantidade de Fabrico deve ser superior a 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Relatório de visita para a chamada de manutenção.
DocType: Stock Entry,Update Rate and Availability,Atualizar Taxa e Disponibilidade
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"A percentagem que está autorizado a receber ou entregar da quantidade pedida. Por ex: Se encomendou 100 unidades e a sua Ajuda de Custo é de 10%, então está autorizado a receber 110 unidades."
DocType: POS Customer Group,Customer Group,Grupo de Clientes
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Novo ID do lote (opcional)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},É obrigatório ter uma conta de despesas para o item {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},É obrigatório ter uma conta de despesas para o item {0}
DocType: BOM,Website Description,Descrição do Website
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Variação Líquida na Equidade
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,"Por favor, cancele a Fatura de Compra {0} primeiro"
@@ -3474,8 +3497,8 @@
,Sales Register,Registo de Vendas
DocType: Daily Work Summary Settings Company,Send Emails At,Enviar Emails Em
DocType: Quotation,Quotation Lost Reason,Motivo de Perda de Cotação
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Escolha o seu Domínio
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Transação de referência nr. {0} datada de {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Escolha o seu Domínio
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Transação de referência nr. {0} datada de {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Não há nada para editar.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Resumo para este mês e atividades pendentes
DocType: Customer Group,Customer Group Name,Nome do Grupo de Clientes
@@ -3483,14 +3506,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Demonstração dos Fluxos de Caixa
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Valor do Empréstimo não pode exceder Máximo Valor do Empréstimo de {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licença
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},"Por favor, remova esta Fatura {0} do Form-C {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},"Por favor, remova esta Fatura {0} do Form-C {1}"
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Por favor selecione Continuar se também deseja incluir o saldo de licenças do ano fiscal anterior neste ano fiscal
DocType: GL Entry,Against Voucher Type,No Tipo de Voucher
DocType: Item,Attributes,Atributos
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,"Por favor, insira a Conta de Liquidação"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,"Por favor, insira a Conta de Liquidação"
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Data do Último Pedido
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},A conta {0} não pertence à empresa {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Os números de série na linha {0} não correspondem à nota de entrega
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Os números de série na linha {0} não correspondem à nota de entrega
DocType: Student,Guardian Details,Dados de Responsável
DocType: C-Form,C-Form,Form-C
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Marcar Presença em vários funcionários
@@ -3505,16 +3528,16 @@
DocType: Budget Account,Budget Amount,Montante do Orçamento
DocType: Appraisal Template,Appraisal Template Title,Título do Modelo de Avaliação
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},A partir da data {0} para Employee {1} não pode ser antes do funcionário Data juntar {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Comercial
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Comercial
DocType: Payment Entry,Account Paid To,Conta Paga A
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,O Item Principal {0} não deve ser um Item do Stock
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Todos os Produtos ou Serviços.
DocType: Expense Claim,More Details,Mais detalhes
DocType: Supplier Quotation,Supplier Address,Endereço do Fornecedor
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},O Orçamento {0} para a conta {1} em {2} {3} é de {4}. Ele irá exceder em {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',"Linha {0}# A conta deve ser do tipo ""Ativo Fixo"""
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Qtd de Saída
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,As regras para calcular o montante de envio duma venda
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',"Linha {0}# A conta deve ser do tipo ""Ativo Fixo"""
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Qtd de Saída
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,As regras para calcular o montante de envio duma venda
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,É obrigatório colocar a Série
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Serviços Financeiros
DocType: Student Sibling,Student ID,Identidade estudantil
@@ -3522,13 +3545,13 @@
DocType: Tax Rule,Sales,Vendas
DocType: Stock Entry Detail,Basic Amount,Montante de Base
DocType: Training Event,Exam,Exame
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Armazém necessário para o Item {0} do stock
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Armazém necessário para o Item {0} do stock
DocType: Leave Allocation,Unused leaves,Licensas não utilizadas
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,Estado de Faturação
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Transferir
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} não está associado à Conta da Parte {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Trazer LDM expandida (incluindo os subconjuntos)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} não está associado à Conta da Parte {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Trazer LDM expandida (incluindo os subconjuntos)
DocType: Authorization Rule,Applicable To (Employee),Aplicável Ao/À (Funcionário/a)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,É obrigatório colocar a Data de Vencimento
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,O Aumento do Atributo {0} não pode ser 0
@@ -3556,7 +3579,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Código de Item de Matéria-prima
DocType: Journal Entry,Write Off Based On,Liquidação Baseada Em
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Crie um Potencial Cliente
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Impressão e artigos de papelaria
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Impressão e artigos de papelaria
DocType: Stock Settings,Show Barcode Field,Mostrar Campo do Código de Barras
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Enviar Emails de Fornecedores
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","O salário já foi processado para período entre {0} e {1}, o período de aplicação da Licença não pode estar entre este intervalo de datas."
@@ -3564,14 +3587,16 @@
DocType: Guardian Interest,Guardian Interest,Interesse do Responsável
apps/erpnext/erpnext/config/hr.py +177,Training,Formação
DocType: Timesheet,Employee Detail,Dados do Funcionário
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 ID de e-mail
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 ID de e-mail
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 ID de e-mail
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 ID de e-mail
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,A Próxima Data e Repetir no Dia do Mês Seguinte devem ser iguais
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Definições para página inicial do website
DocType: Offer Letter,Awaiting Response,A aguardar Resposta
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Acima
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Acima
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},Atributo inválido {0} {1}
DocType: Supplier,Mention if non-standard payable account,Mencionar se a conta a pagar não padrão
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},O mesmo item foi inserido várias vezes. {Lista}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Selecione o grupo de avaliação diferente de "Todos os grupos de avaliação"
DocType: Salary Slip,Earning & Deduction,Remunerações e Deduções
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Opcional. Esta definição será utilizada para filtrar várias transações.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Não são permitidas Percentagens de Avaliação Negativas
@@ -3585,9 +3610,9 @@
DocType: Sales Invoice,Product Bundle Help,Ajuda de Pacote de Produtos
,Monthly Attendance Sheet,Folha de Assiduidade Mensal
DocType: Production Order Item,Production Order Item,Item da Ordem de Produção
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Não foi encontrado nenhum registo
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Não foi encontrado nenhum registo
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Custo do Ativo Descartado
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: O Centro de Custo é obrigatório para o Item {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: O Centro de Custo é obrigatório para o Item {2}
DocType: Vehicle,Policy No,Nr. de Política
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Obter Itens de Pacote de Produtos
DocType: Asset,Straight Line,Linha Reta
@@ -3596,7 +3621,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Dividido
DocType: GL Entry,Is Advance,É o Avanço
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,É obrigatória a Presença Da Data À Data
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,"Por favor, responda Sim ou Não a ""É Subcontratado"""
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,"Por favor, responda Sim ou Não a ""É Subcontratado"""
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Data da última comunicação
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Data da última comunicação
DocType: Sales Team,Contact No.,Nr. de Contacto
@@ -3625,60 +3650,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Valor Inicial
DocType: Salary Detail,Formula,Fórmula
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Série #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Comissão sobre Vendas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Comissão sobre Vendas
DocType: Offer Letter Term,Value / Description,Valor / Descrição
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Linha #{0}: O Ativo {1} não pode ser enviado, já é {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Linha #{0}: O Ativo {1} não pode ser enviado, já é {2}"
DocType: Tax Rule,Billing Country,País de Faturação
DocType: Purchase Order Item,Expected Delivery Date,Data de Entrega Prevista
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,O Débito e o Crédito não são iguais para {0} #{1}. A diferença é de {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Despesas de Entretenimento
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Fazer Pedido de Material
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Despesas de Entretenimento
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Fazer Pedido de Material
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Abrir item {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,A Fatura de Venda {0} deve ser cancelada antes de cancelar esta Ordem de Venda
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Idade
DocType: Sales Invoice Timesheet,Billing Amount,Montante de Faturação
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,A quantidade especificada para o item {0} é inválida. A quantidade deve ser maior do que 0.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Pedido de licença.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Não pode eliminar a conta com a transação existente
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Não pode eliminar a conta com a transação existente
DocType: Vehicle,Last Carbon Check,Último Duplicado de Cheque
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Despesas Legais
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Despesas Legais
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Selecione a quantidade na linha
DocType: Purchase Invoice,Posting Time,Hora de Postagem
DocType: Timesheet,% Amount Billed,% Valor Faturado
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Despesas Telefónicas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Despesas Telefónicas
DocType: Sales Partner,Logo,Logótipo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Selecione esta opção se deseja forçar o utilizador a selecionar uma série antes de guardar. Não haverá nenhum padrão caso selecione esta opção.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Nr. de Item com o Nr. de Série {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Nr. de Item com o Nr. de Série {0}
DocType: Email Digest,Open Notifications,Notificações Abertas
DocType: Payment Entry,Difference Amount (Company Currency),Montante da Diferença (Moeda da Empresa)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Despesas Diretas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Despesas Diretas
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'","{0} é um endereço de email inválido em ""Notificação \ Endereço de Email"""
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Novo Rendimento de Cliente
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Despesas de Viagem
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Despesas de Viagem
DocType: Maintenance Visit,Breakdown,Decomposição
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Não é possível selecionar a conta: {0} com a moeda: {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Não é possível selecionar a conta: {0} com a moeda: {1}
DocType: Bank Reconciliation Detail,Cheque Date,Data do Cheque
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},A Conta {0}: da Conta Principal {1} não pertence à empresa: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},A Conta {0}: da Conta Principal {1} não pertence à empresa: {2}
DocType: Program Enrollment Tool,Student Applicants,Candidaturas de Estudantes
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Todas as transacções relacionadas com esta empresa foram eliminadas com sucesso!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Todas as transacções relacionadas com esta empresa foram eliminadas com sucesso!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Igual à Data
DocType: Appraisal,HR,RH
DocType: Program Enrollment,Enrollment Date,Data de Matrícula
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,À Experiência
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,À Experiência
apps/erpnext/erpnext/config/hr.py +115,Salary Components,Componentes Salariais
DocType: Program Enrollment Tool,New Academic Year,Novo Ano Letivo
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Retorno / Nota de Crédito
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Retorno / Nota de Crédito
DocType: Stock Settings,Auto insert Price List rate if missing,Inserir automaticamente o preço na lista de preço se não houver nenhum.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Montante Total Pago
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Montante Total Pago
DocType: Production Order Item,Transferred Qty,Qtd Transferida
apps/erpnext/erpnext/config/learn.py +11,Navigating,Navegação
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Planeamento
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Emitido
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planeamento
+DocType: Material Request,Issued,Emitido
DocType: Project,Total Billing Amount (via Time Logs),Valor Total de Faturação (através do Registo do Tempo)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Nós vendemos este item
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Id de Fornecedor
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Nós vendemos este item
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Id de Fornecedor
DocType: Payment Request,Payment Gateway Details,Dados do Portal de Pagamento
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,A quantidade deve ser superior a 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,A quantidade deve ser superior a 0
DocType: Journal Entry,Cash Entry,Registo de Caixa
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,"Os Subgrupos só podem ser criados sob os ramos do tipo ""Grupo"""
DocType: Leave Application,Half Day Date,Meio Dia Data
@@ -3690,14 +3716,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},"Por favor, defina a conta padrão no Tipo de Despesas de Reembolso {0}"
DocType: Assessment Result,Student Name,Nome do Aluno
DocType: Brand,Item Manager,Gestor do Item
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,folha de pagamento Pagar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,folha de pagamento Pagar
DocType: Buying Settings,Default Supplier Type,Tipo de Fornecedor Padrão
DocType: Production Order,Total Operating Cost,Custo Operacional Total
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Nota: O item {0} já for introduzido diversas vezes
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Todos os Contactos.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Abreviatura da Empresa
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Abreviatura da Empresa
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Utilizador {0} não existe
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,A matéria-prima não pode ser igual ao Item principal
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,A matéria-prima não pode ser igual ao Item principal
DocType: Item Attribute Value,Abbreviation,Abreviatura
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,O Registo de Pagamento já existe
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Não está autorizado pois {0} excede os limites
@@ -3706,35 +3732,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Estabelecer Regras de Impostos para o carrinho de compras
DocType: Purchase Invoice,Taxes and Charges Added,Impostos e Encargos Adicionados
,Sales Funnel,Canal de Vendas
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,É obrigatório colocar uma abreviatura
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,É obrigatório colocar uma abreviatura
DocType: Project,Task Progress,Progresso da Tarefa
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Carrinho
,Qty to Transfer,Qtd a Transferir
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Cotações para Potenciais Clientes ou Clientes.
DocType: Stock Settings,Role Allowed to edit frozen stock,Função Com Permissão para editar o stock congelado
,Territory Target Variance Item Group-Wise,Variação de Item de Alvo Territorial por Grupo
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Todos os Grupos de Clientes
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Todos os Grupos de Clientes
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Acumulada Mensalmente
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} é obrigatório. Talvez o registo de Câmbio não tenha sido criado para {1} a {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} é obrigatório. Talvez o registo de Câmbio não tenha sido criado para {1} a {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,É obrigatório inserir o Modelo de Impostos.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,A Conta {0}: Conta principal {1} não existe
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,A Conta {0}: Conta principal {1} não existe
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Taxa de Lista de Preços (Moeda da Empresa)
DocType: Products Settings,Products Settings,Definições de Produtos
DocType: Account,Temporary,Temporário
DocType: Program,Courses,Cursos
DocType: Monthly Distribution Percentage,Percentage Allocation,Percentagem de Atribuição
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Secretário
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Secretário
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Se desativar o campo ""Por Extenso"" ele não será visível em nenhuma transação"
DocType: Serial No,Distinct unit of an Item,Unidade distinta dum Item
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Defina Company
DocType: Pricing Rule,Buying,Comprar
DocType: HR Settings,Employee Records to be created by,Os Registos de Funcionário devem ser criados por
DocType: POS Profile,Apply Discount On,Aplicar Desconto Em
,Reqd By Date,Req. Por Data
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Credores
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Credores
DocType: Assessment Plan,Assessment Name,Nome da Avaliação
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Linha # {0}: É obrigatório colocar o Nr. de Série
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Dados de Taxa por Item
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Abreviação do Instituto
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Abreviação do Instituto
,Item-wise Price List Rate,Taxa de Lista de Preço por Item
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Cotação do Fornecedor
DocType: Quotation,In Words will be visible once you save the Quotation.,Por extenso será visível assim que guardar o Orçamento.
@@ -3742,14 +3769,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Quantidade ({0}) não pode ser uma fração na linha {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,Cobrar Taxas
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},O Código de Barras {0} já foi utilizado no Item {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},O Código de Barras {0} já foi utilizado no Item {1}
DocType: Lead,Add to calendar on this date,Adicionar ao calendário nesta data
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,As regras para adicionar os custos de envio.
DocType: Item,Opening Stock,Stock Inicial
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,É necessário colocar o cliente
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} é obrigatório para Devolver
DocType: Purchase Order,To Receive,A Receber
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,utilizador@exemplo.com
DocType: Employee,Personal Email,Email Pessoal
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Variância Total
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Se for ativado, o sistema irá postar registos contabilísticos automáticos para o inventário."
@@ -3761,13 +3787,14 @@
DocType: Customer,From Lead,Do Potencial Cliente
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Pedidos lançados para a produção.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Selecione o Ano Fiscal...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,É necessário colocar o Perfil POS para efetuar um Registo POS
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,É necessário colocar o Perfil POS para efetuar um Registo POS
DocType: Program Enrollment Tool,Enroll Students,Matricular Estudantes
DocType: Hub Settings,Name Token,Nome do Token
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Venda Padrão
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,É obrigatório colocar pelo menos um armazém
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,É obrigatório colocar pelo menos um armazém
DocType: Serial No,Out of Warranty,Fora da Garantia
DocType: BOM Replace Tool,Replace,Substituir
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Não foram encontrados produtos.
DocType: Production Order,Unstopped,Desimpedido
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} nas Faturas de Vendas {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3778,13 +3805,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Diferença de Valor de Stock
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Recursos Humanos
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Pagamento de Conciliação de Pagamento
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Ativo Fiscal
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Ativo Fiscal
DocType: BOM Item,BOM No,Nr. da LDM
DocType: Instructor,INS/,INS/
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,O Lançamento Contabilístico {0} não tem conta {1} ou já foi vinculado a outro voucher
DocType: Item,Moving Average,Média Móvel
DocType: BOM Replace Tool,The BOM which will be replaced,A LDM que será substituída
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,Equipamentos Eletrónicos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,Equipamentos Eletrónicos
DocType: Account,Debit,Débito
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"As licenças devem ser atribuídas em múltiplos de 0,5"
DocType: Production Order,Operation Cost,Custo de Operação
@@ -3792,7 +3819,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Mtt em Dívida
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Estabelecer Item Alvo por Grupo para este Vendedor/a.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Suspender Stocks Mais Antigos Que [Dias]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Linha #{0}: É obrigatória colocar o Ativo para a compra/venda do ativo fixo
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Linha #{0}: É obrigatória colocar o Ativo para a compra/venda do ativo fixo
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Se forem encontradas duas ou mais Regras de Fixação de Preços baseadas nas condições acima, é aplicada a Prioridade. A Prioridade é um número entre 0 a 20, enquanto que o valor padrão é zero (em branco). Um número maior significa que terá prioridade se houver várias Regras de Fixação de Preços com as mesmas condições."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,O Ano Fiscal: {0} não existe
DocType: Currency Exchange,To Currency,A Moeda
@@ -3801,7 +3828,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},A taxa de venda do item {0} é menor que a {1}. A taxa de venda deve ser pelo menos {2}
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},A taxa de venda do item {0} é menor que a {1}. A taxa de venda deve ser pelo menos {2}
DocType: Item,Taxes,Impostos
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Pago e Não Entregue
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Pago e Não Entregue
DocType: Project,Default Cost Center,Centro de Custo Padrão
DocType: Bank Guarantee,End Date,Data de Término
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Transações de Stock
@@ -3826,24 +3853,22 @@
DocType: Employee,Held On,Realizado Em
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Item de Produção
,Employee Information,Informações do Funcionário
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Taxa (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Taxa (%)
DocType: Stock Entry Detail,Additional Cost,Custo Adicional
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Data de Encerramento do Ano Fiscal
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Não pode filtrar com base no Nr. de Voucher, se estiver agrupado por Voucher"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Efetuar Cotação de Fornecedor
DocType: Quality Inspection,Incoming,Entrada
DocType: BOM,Materials Required (Exploded),Materiais Necessários (Expandidos)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Adiciona utilizadores à sua organização, para além de si"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,A Data de Postagem não pode ser uma data futura
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Linha # {0}: O Nr. de Série {1} não corresponde a {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Licença Ocasional
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Licença Ocasional
DocType: Batch,Batch ID,ID do Lote
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Nota: {0}
,Delivery Note Trends,Tendências das Guias de Remessa
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Resumo da Semana
-,In Stock Qty,Quantidade em stock
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Quantidade em stock
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,A Conta: {0} só pode ser atualizada através das Transações de Stock
-DocType: Program Enrollment,Get Courses,Obter Cursos
+DocType: Student Group Creation Tool,Get Courses,Obter Cursos
DocType: GL Entry,Party,Parte
DocType: Sales Order,Delivery Date,Data de Entrega
DocType: Opportunity,Opportunity Date,Data de Oportunidade
@@ -3851,14 +3876,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Solicitação de Item de Cotação
DocType: Purchase Order,To Bill,Para Faturação
DocType: Material Request,% Ordered,% Pedida
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Para o Grupo de Estudantes com Curso, o Curso será validado para cada Estudante dos Cursos Inscritos em Inscrição no Programa."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date",Insira o Endereço de Email separado por vírgulas. A fatura será enviada automaticamente numa determinada data
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Trabalho à Peça
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Trabalho à Peça
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Preço de compra médio
DocType: Task,Actual Time (in Hours),Tempo Real (em Horas)
DocType: Employee,History In Company,Historial na Empresa
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Newsletters
DocType: Stock Ledger Entry,Stock Ledger Entry,Registo do Livro de Stock
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Cliente> Grupo de Clientes> Território
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Mesmo item foi inserido várias vezes
DocType: Department,Leave Block List,Lista de Bloqueio de Licenças
DocType: Sales Invoice,Tax ID,NIF/NIPC
@@ -3873,30 +3898,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,São necessárias {0} unidades de {1} em {2} para concluir esta transação.
DocType: Loan Type,Rate of Interest (%) Yearly,Taxa de juro (%) Anual
DocType: SMS Settings,SMS Settings,Definições de SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Contas temporárias
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Preto
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Contas temporárias
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Preto
DocType: BOM Explosion Item,BOM Explosion Item,Expansão de Item da LDM
DocType: Account,Auditor,Auditor
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} itens produzidos
DocType: Cheque Print Template,Distance from top edge,Distância da margem superior
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Preço de tabela {0} está desativado ou não existe
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Preço de tabela {0} está desativado ou não existe
DocType: Purchase Invoice,Return,Devolver
DocType: Production Order Operation,Production Order Operation,Operação de Pedido de Produção
DocType: Pricing Rule,Disable,Desativar
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Modo de pagamento é necessário para fazer um pagamento
DocType: Project Task,Pending Review,Revisão Pendente
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} não está inscrito no lote {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","O ativo {0} não pode ser eliminado, uma vez que já é um/a {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Reivindicação de Despesa Total (através de Reembolso de Despesas)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Id de Cliente
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Marcar Ausência
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Linha {0}: A Moeda da LDM # {1} deve ser igual à moeda selecionada {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Linha {0}: A Moeda da LDM # {1} deve ser igual à moeda selecionada {2}
DocType: Journal Entry Account,Exchange Rate,Valor de Câmbio
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,A Ordem de Vendas {0} não foi enviada
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,A Ordem de Vendas {0} não foi enviada
DocType: Homepage,Tag Line,Linha de tag
DocType: Fee Component,Fee Component,Componente de Propina
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Gestão de Frotas
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Adicionar itens de
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Armazém {0}: A Conta principal {1} não pertence à empresa {2}
DocType: Cheque Print Template,Regular,Regular
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Weightage total de todos os Critérios de Avaliação deve ser 100%
DocType: BOM,Last Purchase Rate,Taxa da Última Compra
@@ -3905,11 +3929,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,"O Stock não pode existir para o Item {0}, pois já possui variantes"
,Sales Person-wise Transaction Summary,Resumo da Transação por Vendedor
DocType: Training Event,Contact Number,Número de Contacto
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,O Armazém {0} não existe
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,O Armazém {0} não existe
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Inscreva-se na Plataforma ERPNext
DocType: Monthly Distribution,Monthly Distribution Percentages,Percentagens de Distribuição Mensal
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,O item selecionado não pode ter um Lote
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","taxa de valorização não encontrado para o item {0}, que é necessário para fazer lançamentos contábeis para {1} {2}. Se o item for negociado como um item de amostra no {1}, por favor mencione que na tabela do item do {1}. Caso contrário, crie uma transação de ações de entrada para a taxa de valorização item ou menção no registro de item e, em seguida, tentar submeter / cancelar esta entrada"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","taxa de valorização não encontrado para o item {0}, que é necessário para fazer lançamentos contábeis para {1} {2}. Se o item for negociado como um item de amostra no {1}, por favor mencione que na tabela do item do {1}. Caso contrário, crie uma transação de ações de entrada para a taxa de valorização item ou menção no registro de item e, em seguida, tentar submeter / cancelar esta entrada"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% de materiais entregues desta Guia de Remessa
DocType: Project,Customer Details,Dados do Cliente
DocType: Employee,Reports to,Relatórios para
@@ -3917,24 +3941,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Insira o parâmetro de url para os números de recetores
DocType: Payment Entry,Paid Amount,Montante Pago
DocType: Assessment Plan,Supervisor,Supervisor
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Online
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,Online
,Available Stock for Packing Items,Stock Disponível para Items Embalados
DocType: Item Variant,Item Variant,Variante do Item
DocType: Assessment Result Tool,Assessment Result Tool,Avaliação Resultado Ferramenta
DocType: BOM Scrap Item,BOM Scrap Item,Item de Sucata da LDM
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,ordens enviadas não pode ser excluído
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","O saldo da conta já está em débito, não tem permissão para definir o ""Saldo Deve Ser"" como ""Crédito"""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Gestão da Qualidade
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,ordens enviadas não pode ser excluído
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","O saldo da conta já está em débito, não tem permissão para definir o ""Saldo Deve Ser"" como ""Crédito"""
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Gestão da Qualidade
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,O Item {0} foi desativado
DocType: Employee Loan,Repay Fixed Amount per Period,Pagar quantia fixa por Período
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},"Por favor, insira a quantidade para o Item {0}"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Nota de crédito Amt
DocType: Employee External Work History,Employee External Work History,Historial de Trabalho Externo do Funcionário
DocType: Tax Rule,Purchase,Compra
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Qtd de Saldo
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Qtd de Saldo
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Os objectivos não pode estar vazia
DocType: Item Group,Parent Item Group,Grupo de Item Principal
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} para {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Centros de Custo
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Centros de Custo
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Taxa à qual a moeda do fornecedor é convertida para a moeda principal do cliente
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Linha #{0}: Conflitos temporais na linha {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Permitir taxa de avaliação zero
@@ -3942,17 +3967,18 @@
DocType: Training Event Employee,Invited,Convidado
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Foram encontrados Várias Estruturas Salariais ativas para o funcionário {0} para as datas indicadas
DocType: Opportunity,Next Contact,Próximo Contacto
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Configuração de contas do Portal.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Configuração de contas do Portal.
DocType: Employee,Employment Type,Tipo de Contratação
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Ativos Imobilizados
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Ativos Imobilizados
DocType: Payment Entry,Set Exchange Gain / Loss,Definir o as Perdas / Ganhos de Câmbio
+,GST Purchase Register,Registro de Compra de GST
,Cash Flow,Fluxo de Caixa
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,O período do pedido não pode ser entre dois registos de atribuição
DocType: Item Group,Default Expense Account,Conta de Despesas Padrão
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Student E-mail ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student E-mail ID
DocType: Employee,Notice (days),Aviso (dias)
DocType: Tax Rule,Sales Tax Template,Modelo do Imposto sobre Vendas
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Selecione os itens para guardar a fatura
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Selecione os itens para guardar a fatura
DocType: Employee,Encashment Date,Data de Pagamento
DocType: Training Event,Internet,Internet
DocType: Account,Stock Adjustment,Ajuste de Stock
@@ -3987,7 +4013,7 @@
DocType: Guardian,Guardian Of ,guardião
DocType: Grading Scale Interval,Threshold,Limite
DocType: BOM Replace Tool,Current BOM,LDM Atual
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Adicionar Nr. de Série
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Adicionar Nr. de Série
apps/erpnext/erpnext/config/support.py +22,Warranty,Garantia
DocType: Purchase Invoice,Debit Note Issued,Nota de Débito Emitida
DocType: Production Order,Warehouses,Armazéns
@@ -3996,20 +4022,20 @@
DocType: Workstation,per hour,por hora
apps/erpnext/erpnext/config/buying.py +7,Purchasing,Aquisição
DocType: Announcement,Announcement,Anúncio
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Será criada uma conta para o armazém (Inventário Permanente) tendo como base esta Conta.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Armazém não pode ser eliminado porque existe um registo de livro de stock para este armazém.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Para o grupo de alunos com base em lote, o lote de estudante será validado para cada aluno da inscrição no programa."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Armazém não pode ser eliminado porque existe um registo de livro de stock para este armazém.
DocType: Company,Distribution,Distribuição
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Montante Pago
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Gestor de Projetos
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Gestor de Projetos
,Quoted Item Comparison,Comparação de Cotação de Item
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Expedição
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,O máx. de desconto permitido para o item: {0} é de {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Expedição
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,O máx. de desconto permitido para o item: {0} é de {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Valor Patrimonial Líquido como em
DocType: Account,Receivable,A receber
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Linha {0}: Não é permitido alterar o Fornecedor pois já existe uma Ordem de Compra
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Linha {0}: Não é permitido alterar o Fornecedor pois já existe uma Ordem de Compra
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,A função para a qual é permitida enviar transações que excedam os limites de crédito estabelecidos.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Selecione os itens para Fabricação
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Os dados do definidor estão a sincronizar, isto pode demorar algum tempo"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Selecione os itens para Fabricação
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Os dados do definidor estão a sincronizar, isto pode demorar algum tempo"
DocType: Item,Material Issue,Saída de Material
DocType: Hub Settings,Seller Description,Descrição do Vendedor
DocType: Employee Education,Qualification,Qualificação
@@ -4029,7 +4055,6 @@
DocType: BOM,Rate Of Materials Based On,Taxa de Materiais Baseada Em
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Apoio Analítico
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Desmarcar todos
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Falta a empresa nos armazéns {0}
DocType: POS Profile,Terms and Conditions,Termos e Condições
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},A Data Para deve estar dentro do Ano Fiscal. Assumindo que a Data Para = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Aqui pode colocar a altura, o peso, as alergias, problemas médicos, etc."
@@ -4044,19 +4069,18 @@
DocType: Sales Order Item,For Production,Para a Produção
DocType: Payment Request,payment_url,url_de_pagamento
DocType: Project Task,View Task,Ver Tarefa
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,O ano financeiro tem início em
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
DocType: Material Request,MREQ-,SOLMAT-
,Asset Depreciations and Balances,Depreciações e Saldos de Ativo
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Montante {0} {1} transferido de {2} para {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Montante {0} {1} transferido de {2} para {3}
DocType: Sales Invoice,Get Advances Received,Obter Adiantamentos Recebidos
DocType: Email Digest,Add/Remove Recipients,Adicionar/Remover Destinatários
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Transação não permitida na Ordem de Produção {0} parada
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Transação não permitida na Ordem de Produção {0} parada
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Para definir este Ano Fiscal como Padrão, clique em ""Definir como Padrão"""
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,Inscrição
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Inscrição
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Qtd de Escassez
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,A variante do Item {0} já existe com mesmos atributos
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,A variante do Item {0} já existe com mesmos atributos
DocType: Employee Loan,Repay from Salary,Reembolsar a partir de Salário
DocType: Leave Application,LAP/,APL/
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Solicitando o pagamento contra {0} {1} para montante {2}
@@ -4067,34 +4091,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Gera notas fiscais de pacotes a serem entregues. É utilizado para notificar o número do pacote, o conteúdo do pacote e o seu peso."
DocType: Sales Invoice Item,Sales Order Item,Item da Ordem de Venda
DocType: Salary Slip,Payment Days,Dias de Pagamento
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Os armazéns com subgrupos não podem ser convertido em livro
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Os armazéns com subgrupos não podem ser convertido em livro
DocType: BOM,Manage cost of operations,Gerir custo das operações
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Quando qualquer uma das operações verificadas foi ""Enviado""", abre-se um email pop-up automaticamente para enviar um email para o ""Contacto"" associado nessa transação, com a transação como anexo. O utilizador pode ou não enviar o email."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Definições Gerais
DocType: Assessment Result Detail,Assessment Result Detail,Avaliação Resultado Detalhe
DocType: Employee Education,Employee Education,Educação do Funcionário
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Foi encontrado um grupo item duplicado na tabela de grupo de itens
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,É preciso buscar os Dados do Item.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,É preciso buscar os Dados do Item.
DocType: Salary Slip,Net Pay,Rem. Líquida
DocType: Account,Account,Conta
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,O Nr. de Série {0} já foi recebido
,Requested Items To Be Transferred,Itens Solicitados A Serem Transferidos
DocType: Expense Claim,Vehicle Log,Registo de Veículo
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","O Armazém {0} não está vinculado a nenhuma conta, crie/vincule a conta correspondente (de Ativo) ao armazém."
DocType: Purchase Invoice,Recurring Id,ID Recorrente
DocType: Customer,Sales Team Details,Dados de Equipa de Vendas
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Eliminar permanentemente?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Eliminar permanentemente?
DocType: Expense Claim,Total Claimed Amount,Montante Reclamado Total
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potenciais oportunidades de venda.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Inválido {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Licença de Doença
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Inválido {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Licença de Doença
DocType: Email Digest,Email Digest,Email de Resumo
DocType: Delivery Note,Billing Address Name,Nome do Endereço de Faturação
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Lojas do Departamento
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Setup sua escola em ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Montante de Modificação Base (Moeda da Empresa)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Não foram encontrados registos contabilísticos para os seguintes armazéns
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Não foram encontrados registos contabilísticos para os seguintes armazéns
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Guarde o documento pela primeira vez.
DocType: Account,Chargeable,Cobrável
DocType: Company,Change Abbreviation,Alterar Abreviação
@@ -4112,7 +4135,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,A Data de Entrega Prevista não pode ser anterior à Data da Ordem de Compra
DocType: Appraisal,Appraisal Template,Modelo de Avaliação
DocType: Item Group,Item Classification,Classificação do Item
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Gestor de Desenvolvimento de Negócios
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Gestor de Desenvolvimento de Negócios
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Objetivo da Visita de Manutenção
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Período
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Razão Geral
@@ -4122,8 +4145,8 @@
DocType: Item Attribute Value,Attribute Value,Valor do Atributo
,Itemwise Recommended Reorder Level,Nível de Reposição Recomendada por Item
DocType: Salary Detail,Salary Detail,Dados Salariais
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,"Por favor, seleccione primeiro {0}"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,O Lote {0} do Item {1} expirou.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,"Por favor, seleccione primeiro {0}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,O Lote {0} do Item {1} expirou.
DocType: Sales Invoice,Commission,Comissão
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Folha de Presença de fabrico.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Subtotal
@@ -4134,6 +4157,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,"""Congelar Stocks Mais Antigos Que"" deve ser menor que %d dias."
DocType: Tax Rule,Purchase Tax Template,Modelo de Taxa de Compra
,Project wise Stock Tracking,Controlo de Stock por Projeto
+DocType: GST HSN Code,Regional,Regional
DocType: Stock Entry Detail,Actual Qty (at source/target),Qtd Efetiva (na origem/destino)
DocType: Item Customer Detail,Ref Code,Código de Ref.
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Registos de Funcionários.
@@ -4144,13 +4168,13 @@
DocType: Email Digest,New Purchase Orders,Novas Ordens de Compra
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,A fonte não pode ter um centro de custos principal
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Selecione a Marca...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Eventos de treinamento / resultados
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Depreciação Acumulada como em
DocType: Sales Invoice,C-Form Applicable,Aplicável ao Form-C
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},O Tempo de Operação deve ser superior a 0 para a Operação {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,É obrigatório colocar o Armazém
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,É obrigatório colocar o Armazém
DocType: Supplier,Address and Contacts,Endereços e Contactos
DocType: UOM Conversion Detail,UOM Conversion Detail,Dados de Conversão de UNID
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Manter uma utilização web simples e cómoda de 900px (l) por 100px (a)
DocType: Program,Program Abbreviation,Abreviação do Programa
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Não pode ser criado uma Ordem de Produção para um Item Modelo
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Os custos de cada item são atualizados no Recibo de Compra
@@ -4158,13 +4182,13 @@
DocType: Bank Guarantee,Start Date,Data de Início
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Atribuir licenças para um determinado período.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Os Cheques e Depósitos foram apagados incorretamente
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Conta {0}: Não pode atribuí-la como conta principal
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Conta {0}: Não pode atribuí-la como conta principal
DocType: Purchase Invoice Item,Price List Rate,PReço na Lista de Preços
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Criar cotações de clientes
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Mostrar ""Em Stock"" ou ""Não Está em Stock"" com base no stock disponível neste armazém."
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Lista de Materiais (LDM)
DocType: Item,Average time taken by the supplier to deliver,Tempo médio necessário para o fornecedor efetuar a entrega
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,Resultado da Avaliação
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,Resultado da Avaliação
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Horas
DocType: Project,Expected Start Date,Data de Início Prevista
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,"Remover item, se os encargos não forem aplicáveis a esse item"
@@ -4178,25 +4202,24 @@
DocType: Workstation,Operating Costs,Custos de Funcionamento
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Ação se o Orçamento Mensal Acumulado for Excedido
DocType: Purchase Invoice,Submit on creation,Enviar na criação
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},A moeda para {0} deve ser {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},A moeda para {0} deve ser {1}
DocType: Asset,Disposal Date,Data de Eliminação
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Os emails serão enviados para todos os funcionários ativos da empresa na hora estabelecida, se não estiverem de férias. O resumo das respostas será enviado à meia-noite."
DocType: Employee Leave Approver,Employee Leave Approver,Autorizador de Licenças do Funcionário
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Linha{0}: Já existe um registo de Reencomenda para este armazém {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Linha{0}: Já existe um registo de Reencomenda para este armazém {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Não pode declarar como perdido, porque foi efetuada uma Cotação."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Feedback de Formação
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,A Ordem de Produção {0} deve ser enviado
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,A Ordem de Produção {0} deve ser enviado
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},"Por favor, seleccione a Data de Início e a Data de Término do Item {0}"
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},O Curso é obrigatório na linha {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,A data a não pode ser anterior à data de
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Adicionar / Editar Preços
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Adicionar / Editar Preços
DocType: Batch,Parent Batch,Lote pai
DocType: Batch,Parent Batch,Lote pai
DocType: Cheque Print Template,Cheque Print Template,Modelo de Impressão de Cheque
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Gráfico de Centros de Custo
,Requested Items To Be Ordered,Itens solicitados para encomendar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,empresa armazém deve ser o mesmo que empresa conta
DocType: Price List,Price List Name,Nome da Lista de Preços
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Resumo do Trabalho Diário para {0}
DocType: Employee Loan,Totals,Totais
@@ -4218,55 +4241,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,"Por favor, insira nrs. de telemóveis válidos"
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Por favor, insira a mensagem antes de enviá-la"
DocType: Email Digest,Pending Quotations,Cotações Pendentes
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Perfil de Ponto de Venda
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Perfil de Ponto de Venda
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,"Por Favor, Atualize as Definições de SMS"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Empréstimos Não Garantidos
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Empréstimos Não Garantidos
DocType: Cost Center,Cost Center Name,Nome do Centro de Custo
DocType: Employee,B+,B+
DocType: HR Settings,Max working hours against Timesheet,Máx. de horas de trabalho no Registo de Horas
DocType: Maintenance Schedule Detail,Scheduled Date,Data Prevista
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Qtd Total Paga
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Qtd Total Paga
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,As mensagens maiores do que 160 caracteres vão ser divididas em múltiplas mensagens
DocType: Purchase Receipt Item,Received and Accepted,Recebido e Aceite
+,GST Itemised Sales Register,Registro de vendas detalhado GST
,Serial No Service Contract Expiry,Vencimento de Contrato de Serviço de Nr. de Série
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Não pode creditar e debitar na mesma conta ao mesmo tempo
DocType: Naming Series,Help HTML,Ajuda de HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Ferramenta de Criação de Grupo de Estudantes
DocType: Item,Variant Based On,Variant Based On
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},O peso total atribuído deve ser de 100 %. É {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Seus Fornecedores
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Seus Fornecedores
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Não pode definir como Oportunidade Perdida pois a Ordem de Venda já foi criado.
DocType: Request for Quotation Item,Supplier Part No,Peça de Fornecedor Nr.
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Não pode deduzir quando a categoria é para ""Estimativa"" ou ""Estimativa e Total"""
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Recebido De
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Recebido De
DocType: Lead,Converted,Convertido
DocType: Item,Has Serial No,Tem Nr. de Série
DocType: Employee,Date of Issue,Data de Emissão
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: De {0} para {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","De acordo com as Configurações de compra, se o Recibo Obtido Obrigatório == 'SIM', então, para criar a Fatura de Compra, o usuário precisa criar o Recibo de Compra primeiro para o item {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Linha #{0}: Definir Fornecedor para o item {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Linha {0}: O valor por hora deve ser maior que zero.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Não foi possível encontrar a Imagem do Website {0} anexada ao Item {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Não foi possível encontrar a Imagem do Website {0} anexada ao Item {1}
DocType: Issue,Content Type,Tipo de Conteúdo
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Computador
DocType: Item,List this Item in multiple groups on the website.,Listar este item em vários grupos do website.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Por favor, selecione a opção de Múltiplas Moedas para permitir contas com outra moeda"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,O Item: {0} não existe no sistema
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Não está autorizado a definir como valor Congelado
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,O Item: {0} não existe no sistema
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Não está autorizado a definir como valor Congelado
DocType: Payment Reconciliation,Get Unreconciled Entries,Obter Registos Não Conciliados
DocType: Payment Reconciliation,From Invoice Date,Data de Fatura De
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,A moeda de Faturação deve ser igual à moeda padrão da empresa ou à moeda padrão da conta da outra parte
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,deixar Cobrança
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,O que faz?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,A moeda de Faturação deve ser igual à moeda padrão da empresa ou à moeda padrão da conta da outra parte
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,deixar Cobrança
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,O que faz?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Armazém Para
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Todas as Admissão de Estudantes
,Average Commission Rate,Taxa de Comissão Média
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,"""Tem um Nr. de Série"" não pode ser ""Sim"" para um item sem gestão de stock"
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""Tem um Nr. de Série"" não pode ser ""Sim"" para um item sem gestão de stock"
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,A presença não pode ser registada em datas futuras
DocType: Pricing Rule,Pricing Rule Help,Ajuda da Regra Fixação de Preços
DocType: School House,House Name,Nome casa
DocType: Purchase Taxes and Charges,Account Head,Título de Conta
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Atualize os custos adicionais para calcular o custo de transporte de itens
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Elétrico
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Elétrico
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,"Adicione o resto da sua organização como seus utilizadores. Você também pode adicionar convidar clientes para o seu portal, adicionando-os a partir de Contactos"
DocType: Stock Entry,Total Value Difference (Out - In),Diferença de Valor Total (Saída - Entrada)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Linha {0}: É obrigatório colocar a Taxa de Câmbio
@@ -4276,7 +4301,7 @@
DocType: Item,Customer Code,Código de Cliente
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Lembrete de Aniversário para o/a {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dias Desde a última Ordem
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,A conta de Débito Para deve ser uma conta de Balanço
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,A conta de Débito Para deve ser uma conta de Balanço
DocType: Buying Settings,Naming Series,Série de Atrib. de Nomes
DocType: Leave Block List,Leave Block List Name,Nome de Lista de Bloqueio de Licenças
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,A data de Início do Seguro deve ser anterior à data de Término do Seguro
@@ -4291,27 +4316,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},A Folha de Vencimento do funcionário {0} já foi criada para folha de vencimento {1}
DocType: Vehicle Log,Odometer,Conta-km
DocType: Sales Order Item,Ordered Qty,Qtd Pedida
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,O Item {0} está desativado
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,O Item {0} está desativado
DocType: Stock Settings,Stock Frozen Upto,Stock Congelado Até
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,A LDM não contém nenhum item em stock
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,A LDM não contém nenhum item em stock
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},As datas do Período De e Período A são obrigatórias para os recorrentes {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Atividade / tarefa do projeto.
DocType: Vehicle Log,Refuelling Details,Dados de Reabastecimento
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Gerar Folhas de Vencimento
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","A compra deve ser verificada, se Aplicável Para for selecionado como {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","A compra deve ser verificada, se Aplicável Para for selecionado como {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,O Desconto deve ser inferior a 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Não foi encontrada a taxa da última compra
DocType: Purchase Invoice,Write Off Amount (Company Currency),Montante de Liquidação (Moeda da Empresa)
DocType: Sales Invoice Timesheet,Billing Hours,Horas de Faturação
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,Não foi encontrado a LDM Padrão para {0}
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,"Linha #{0}: Por favor, defina a quantidade de reencomenda"
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,"Linha #{0}: Por favor, defina a quantidade de reencomenda"
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Toque em itens para adicioná-los aqui
DocType: Fees,Program Enrollment,Inscrição no Programa
DocType: Landed Cost Voucher,Landed Cost Voucher,Voucher de Custo de Entrega
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},"Por favor, defina {0}"
DocType: Purchase Invoice,Repeat on Day of Month,Repetir no Dia do Mês
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} é estudante inativo
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} é estudante inativo
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} é estudante inativo
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} é estudante inativo
DocType: Employee,Health Details,Dados Médicos
DocType: Offer Letter,Offer Letter Terms,Termos de Carta de Oferta
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Para criar um documento de referência de Pedido de pagamento é necessário
@@ -4333,7 +4358,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Exemplo: ABCD ##### Se a série está configurada e o Nr. de Série não é mencionado nas transações, então será criado um número de série automático com base nesta série. Se sempre quis mencionar explicitamente os Números de Série para este item, deixe isto em branco."
DocType: Upload Attendance,Upload Attendance,Carregar Assiduidade
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,São necessárias a LDM e a Quantidade de Fabrico
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,São necessárias a LDM e a Quantidade de Fabrico
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Faixa Etária 2
DocType: SG Creation Tool Course,Max Strength,Força Máx.
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,LDM substituída
@@ -4343,8 +4368,8 @@
,Prospects Engaged But Not Converted,"Perspectivas contratadas, mas não convertidas"
DocType: Manufacturing Settings,Manufacturing Settings,Definições de Fabrico
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,A Configurar Email
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 móvel Não
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,"Por favor, indique a moeda padrão no Definidor da Empresa"
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 móvel Não
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,"Por favor, indique a moeda padrão no Definidor da Empresa"
DocType: Stock Entry Detail,Stock Entry Detail,Dado de Registo de Stock
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Lembretes Diários
DocType: Products Settings,Home Page is Products,A Página Principal são os Produtos
@@ -4353,7 +4378,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Novo Nome de Conta
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Custo de Matérias-primas Fornecidas
DocType: Selling Settings,Settings for Selling Module,Definições para Vender Módulo
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Apoio ao Cliente
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Apoio ao Cliente
DocType: BOM,Thumbnail,Miniatura
DocType: Item Customer Detail,Item Customer Detail,Dados de Cliente do Item
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Oferecer Emprego ao candidato.
@@ -4362,7 +4387,7 @@
DocType: Pricing Rule,Percentage,Percentagem
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,O Item {0} deve ser um Item de stock
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Armazém de Trabalho em Progresso Padrão
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,As definições padrão para as transações contabilísticas.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,As definições padrão para as transações contabilísticas.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,A Data Prevista não pode ser anterior à Data de Solicitação de Materiais
DocType: Purchase Invoice Item,Stock Qty,Quantidade de stock
@@ -4376,10 +4401,10 @@
DocType: Sales Order,Printing Details,Dados de Impressão
DocType: Task,Closing Date,Data de Encerramento
DocType: Sales Order Item,Produced Quantity,Quantidade Produzida
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Engenheiro
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Engenheiro
DocType: Journal Entry,Total Amount Currency,Valor Total da Moeda
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Pesquisar Subconjuntos
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},É necessário o Código do Item na Linha Nr. {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},É necessário o Código do Item na Linha Nr. {0}
DocType: Sales Partner,Partner Type,Tipo de Parceiro
DocType: Purchase Taxes and Charges,Actual,Atual
DocType: Authorization Rule,Customerwise Discount,Desconto por Cliente
@@ -4396,11 +4421,11 @@
DocType: Item Reorder,Re-Order Level,Nível de Reencomenda
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Insira os itens e a qtd planeada para os pedidos de produção que deseja fazer ou efetue o download de matérias-primas para a análise.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gráfico de Gantt
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Tempo Parcial
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Tempo Parcial
DocType: Employee,Applicable Holiday List,Lista de Feriados Aplicáveis
DocType: Employee,Cheque,Cheque
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Série Atualizada
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,É obrigatório colocar o Tipo de Relatório
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,É obrigatório colocar o Tipo de Relatório
DocType: Item,Serial Number Series,Série de Número em Série
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},É obrigatório colocar o armazém para o item em stock {0} na linha {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Retalho e Grosso
@@ -4422,7 +4447,7 @@
DocType: BOM,Materials,Materiais
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Se não for selecionada, a lista deverá ser adicionada a cada Departamento onde tem de ser aplicada."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,O Armazém de Origem e Destino não pode ser o mesmo
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,É obrigatório colocar a data e hora de postagem
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,É obrigatório colocar a data e hora de postagem
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Modelo de impostos para a compra de transações.
,Item Prices,Preços de Itens
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Por extenso será visível assim que guardar a Ordem de Compra.
@@ -4432,22 +4457,23 @@
DocType: Purchase Invoice,Advance Payments,Adiantamentos
DocType: Purchase Taxes and Charges,On Net Total,No Total Líquido
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},O Valor para o Atributo {0} deve estar dentro do intervalo de {1} a {2} nos acréscimos de {3} para o Item {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,O Armazém de destino na linha {0} deve ser o mesmo que o Pedido de Produção
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,O Armazém de destino na linha {0} deve ser o mesmo que o Pedido de Produção
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,"Os ""Endereços de Notificação de Email"" não foram especificados para o recorrente %s"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,A moeda não pode ser alterada depois de efetuar registos utilizando alguma outra moeda
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,A moeda não pode ser alterada depois de efetuar registos utilizando alguma outra moeda
DocType: Vehicle Service,Clutch Plate,Embraiagem
DocType: Company,Round Off Account,Arredondar Conta
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Despesas Administrativas
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Despesas Administrativas
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Consultoria
DocType: Customer Group,Parent Customer Group,Grupo de Clientes Principal
DocType: Purchase Invoice,Contact Email,Email de Contacto
DocType: Appraisal Goal,Score Earned,Classificação Ganha
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Período de Aviso
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Período de Aviso
DocType: Asset Category,Asset Category Name,Nome de Categoria de Ativo
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Este é um território principal e não pode ser editado.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Novo Nome de Vendedor
DocType: Packing Slip,Gross Weight UOM,Peso Bruto da UNID
DocType: Delivery Note Item,Against Sales Invoice,Na Fatura de Venda
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Digite números de série para o item serializado
DocType: Bin,Reserved Qty for Production,Qtd Reservada para a Produção
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Deixe desmarcada se você não quiser considerar lote ao fazer cursos com base grupos.
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Deixe desmarcada se você não quiser considerar lote ao fazer cursos com base grupos.
@@ -4456,25 +4482,25 @@
DocType: Landed Cost Item,Landed Cost Item,Custo de Entrega do Item
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Mostrar valores de zero
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,A quantidade do item obtido após a fabrico / reembalagem de determinadas quantidades de matérias-primas
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Instalar um website simples para a minha organização
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Instalar um website simples para a minha organização
DocType: Payment Reconciliation,Receivable / Payable Account,Conta A Receber / A Pagar
DocType: Delivery Note Item,Against Sales Order Item,No Item da Ordem de Venda
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},"Por favor, especifique um Valor de Atributo para o atributo {0}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},"Por favor, especifique um Valor de Atributo para o atributo {0}"
DocType: Item,Default Warehouse,Armazém Padrão
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},O Orçamento não pode ser atribuído à Conta de Grupo {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,"Por favor, insira o centro de custos principal"
DocType: Delivery Note,Print Without Amount,Imprimir Sem o Montante
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,Data de Depreciação
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"A Categoria de Impostos não pode ser de ""Avaliação"" ou ""Avaliação e Total"", pois todos os itens são itens de stock"
DocType: Issue,Support Team,Equipa de Apoio
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Validade (em dias)
DocType: Appraisal,Total Score (Out of 5),Classificação Total (em 5)
DocType: Fee Structure,FS.,EP.
-DocType: Program Enrollment,Batch,Lote
+DocType: Student Attendance Tool,Batch,Lote
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Saldo
DocType: Room,Seating Capacity,Capacidade de Lugares
DocType: Issue,ISS-,PROB-
DocType: Project,Total Expense Claim (via Expense Claims),Reivindicação de Despesa Total (através de Reinvidicações de Despesas)
+DocType: GST Settings,GST Summary,Resumo do GST
DocType: Assessment Result,Total Score,Pontuação total
DocType: Journal Entry,Debit Note,Nota de Débito
DocType: Stock Entry,As per Stock UOM,Igual à UNID de Stock
@@ -4485,12 +4511,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Armazém de Produtos Acabados Padrão
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Vendedor/a
DocType: SMS Parameter,SMS Parameter,Parâmetro de SMS
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Orçamento e Centro de Custo
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Orçamento e Centro de Custo
DocType: Vehicle Service,Half Yearly,Semestrais
DocType: Lead,Blog Subscriber,Assinante do Blog
DocType: Guardian,Alternate Number,Número Alternativo
DocType: Assessment Plan Criteria,Maximum Score,Pontuação máxima
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Criar regras para restringir as transações com base em valores.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Grupo Roll No
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Deixe em branco se você fizer grupos de alunos por ano
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Se for selecionado, o nr. Total de Dias de Úteis incluirá os feriados, e isto irá reduzir o valor do Salário Por Dia"
DocType: Purchase Invoice,Total Advance,Antecipação Total
@@ -4509,6 +4536,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Isto é baseado em operações neste cliente. Veja cronograma abaixo para obter mais detalhes
DocType: Supplier,Credit Days Based On,Dias De Crédito Com Base Em
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Linha {0}: O montante atribuído {1} deve ser menor ou igual ao montante de Registo de Pagamento {2}
+,Course wise Assessment Report,Relatório de Avaliação do Curso
DocType: Tax Rule,Tax Rule,Regra Fiscal
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Manter a Mesma Taxa em Todo o Ciclo de Vendas
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planear o registo de tempo fora do Horário de Trabalho do Posto de Trabalho.
@@ -4517,7 +4545,7 @@
,Items To Be Requested,Items a Serem Solicitados
DocType: Purchase Order,Get Last Purchase Rate,Obter Última Taxa de Compra
DocType: Company,Company Info,Informações da Empresa
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Selecionar ou adicionar novo cliente
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Selecionar ou adicionar novo cliente
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,centro de custo é necessário reservar uma reivindicação de despesa
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aplicação de Fundos (Ativos)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Esta baseia-se na assiduidade deste Funcionário
@@ -4525,27 +4553,29 @@
DocType: Fiscal Year,Year Start Date,Data de Início do Ano
DocType: Attendance,Employee Name,Nome do Funcionário
DocType: Sales Invoice,Rounded Total (Company Currency),Total Arredondado (Moeda da Empresa)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,"Não é possível converter para o Grupo, pois o Tipo de Conta está selecionado."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Não é possível converter para o Grupo, pois o Tipo de Conta está selecionado."
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,"{0} {1} foi alterado. Por favor, faça uma atualização."
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Impeça os utilizadores de efetuar Pedidos de Licença nos dias seguintes.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Montante de Compra
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Cotação de Fornecedor {0} criada
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,O Fim do Ano não pode ser antes do Início do Ano
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Benefícios do Funcionário
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Benefícios do Funcionário
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},A quantidade embalada deve ser igual à quantidade do Item {0} na linha {1}
DocType: Production Order,Manufactured Qty,Qtd Fabricada
DocType: Purchase Receipt Item,Accepted Quantity,Quantidade Aceite
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},"Por favor, defina uma Lista de Feriados padrão para o(a) Funcionário(a) {0} ou para a Empresa {1}"
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} não existe
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} não existe
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Selecione números de lote
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Contas levantadas a Clientes.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,ID de Projeto
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Linha Nr. {0}: O valor não pode ser superior ao Montante Pendente no Reembolso de Despesas {1}. O Montante Pendente é {2}
DocType: Maintenance Schedule,Schedule,Programar
DocType: Account,Parent Account,Conta Principal
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Disponível
DocType: Quality Inspection Reading,Reading 3,Leitura 3
,Hub,Plataforma
DocType: GL Entry,Voucher Type,Tipo de Voucher
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Lista de Preços não encontrada ou desativada
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Lista de Preços não encontrada ou desativada
DocType: Employee Loan Application,Approved,Aprovado
DocType: Pricing Rule,Price,Preço
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',"O Funcionário dispensado em {0} deve ser definido como ""Saiu"""
@@ -4556,7 +4586,8 @@
DocType: Selling Settings,Campaign Naming By,Nome da Campanha Dado Por
DocType: Employee,Current Address Is,O Endereço Atual É
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,Modificado
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Opcional. Define a moeda padrão da empresa, se não for especificada."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Opcional. Define a moeda padrão da empresa, se não for especificada."
+DocType: Sales Invoice,Customer GSTIN,Cliente GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Registo de Lançamentos Contabilísticos.
DocType: Delivery Note Item,Available Qty at From Warehouse,Qtd Disponível Do Armazém
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,"Por favor, selecione primeiro o Registo de Funcionário."
@@ -4564,7 +4595,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Linha {0}: A Parte / Conta não corresponde a {1} / {2} em {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,"Por favor, insira a Conta de Despesas"
DocType: Account,Stock,Stock
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Linha {0}: O tipo de documento referênciado deve ser uma Ordem de Compra, uma Fatura de Compra ou um Lançamento Contabilístico"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Linha {0}: O tipo de documento referênciado deve ser uma Ordem de Compra, uma Fatura de Compra ou um Lançamento Contabilístico"
DocType: Employee,Current Address,Endereço Atual
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Se o item for uma variante doutro item, então, a descrição, a imagem, os preços, as taxas, etc. serão definidos a partir do modelo, a menos que seja explicitamente especificado o contrário"
DocType: Serial No,Purchase / Manufacture Details,Dados de Compra / Fabrico
@@ -4577,8 +4608,8 @@
DocType: Pricing Rule,Min Qty,Qtd Mín.
DocType: Asset Movement,Transaction Date,Data da Transação
DocType: Production Plan Item,Planned Qty,Qtd Planeada
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Impostos Totais
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,É obrigatório colocar Para a Quantidade (Qtd de Fabrico)
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Impostos Totais
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,É obrigatório colocar Para a Quantidade (Qtd de Fabrico)
DocType: Stock Entry,Default Target Warehouse,Armazém Alvo Padrão
DocType: Purchase Invoice,Net Total (Company Currency),Total Líquido (Moeda da Empresa)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,"A Data de Término do Ano não pode ser anterior à Data de Início de Ano. Por favor, corrija as datas e tente novamente."
@@ -4592,14 +4623,12 @@
DocType: Hub Settings,Hub Settings,Definições da Plataforma
DocType: Project,Gross Margin %,Margem Bruta %
DocType: BOM,With Operations,Com Operações
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,"Já foram efetuados lançamentos contabilísticos na moeda {0} para a empresa {1}. Por favor, selecione uma conta a receber ou a pagar com a moeda {0}."
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,"Já foram efetuados lançamentos contabilísticos na moeda {0} para a empresa {1}. Por favor, selecione uma conta a receber ou a pagar com a moeda {0}."
DocType: Asset,Is Existing Asset,É um Ativo Existente
DocType: Salary Detail,Statistical Component,Componente estatística
DocType: Salary Detail,Statistical Component,Componente estatística
-,Monthly Salary Register,Folha de Pagamento Mensal
DocType: Warranty Claim,If different than customer address,Se for diferente do endereço do cliente
DocType: BOM Operation,BOM Operation,Funcionamento da LDM
-DocType: School Settings,Validate the Student Group from Program Enrollment,Validar o Grupo de Alunos da Inscrição no Programa
DocType: Purchase Taxes and Charges,On Previous Row Amount,No Montante da Linha Anterior
DocType: Student,Home Address,Endereço Residencial
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Transferência de Ativos
@@ -4607,28 +4636,27 @@
DocType: Training Event,Event Name,Nome do Evento
apps/erpnext/erpnext/config/schools.py +39,Admission,Admissão
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Admissões para {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Sazonalidade para definição de orçamentos, metas etc."
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","O Item {0} é um modelo, por favor, selecione uma das suas variantes"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Sazonalidade para definição de orçamentos, metas etc."
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","O Item {0} é um modelo, por favor, selecione uma das suas variantes"
DocType: Asset,Asset Category,Categoria de Ativo
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Comprador
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,A Remuneração Líquida não pode ser negativa
DocType: SMS Settings,Static Parameters,Parâmetros Estáticos
DocType: Assessment Plan,Room,Quarto
DocType: Purchase Order,Advance Paid,Adiantamento Pago
DocType: Item,Item Tax,Imposto do Item
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Material para o Fornecedor
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Fatura de Imposto Especial
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Fatura de Imposto Especial
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% aparece mais de uma vez
DocType: Expense Claim,Employees Email Id,ID de Email de Funcionários
DocType: Employee Attendance Tool,Marked Attendance,Presença Marcada
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Passivo a Curto Prazo
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Passivo a Curto Prazo
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Enviar SMS em massa para seus contactos
DocType: Program,Program Name,Nome do Programa
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Considerar Imposto ou Encargo para
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,É obrigatório colocar a Qtd Efetiva
DocType: Employee Loan,Loan Type,Tipo de empréstimo
DocType: Scheduling Tool,Scheduling Tool,Ferramenta de Agendamento
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Cartão de Crédito
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Cartão de Crédito
DocType: BOM,Item to be manufactured or repacked,Item a ser fabricado ou reembalado
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,As definições padrão para as transações de stock.
DocType: Purchase Invoice,Next Date,Próxima Data
@@ -4644,10 +4672,10 @@
DocType: Stock Entry,Repack,Reembalar
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Deve Guardar o formulário antes de continuar
DocType: Item Attribute,Numeric Values,Valores Numéricos
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Anexar Logótipo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Anexar Logótipo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Níveis de stock
DocType: Customer,Commission Rate,Taxa de Comissão
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Criar Variante
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Criar Variante
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Bloquear pedidos de licença por departamento.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","O Tipo de Pagamento deve ser Receber, Pagar ou Transferência Interna"
apps/erpnext/erpnext/config/selling.py +179,Analytics,Análise
@@ -4655,45 +4683,45 @@
DocType: Vehicle,Model,Modelo
DocType: Production Order,Actual Operating Cost,Custo Operacional Efetivo
DocType: Payment Entry,Cheque/Reference No,Nr. de Cheque/Referência
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,A fonte não pode ser editada.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,A fonte não pode ser editada.
DocType: Item,Units of Measure,Unidades de medida
DocType: Manufacturing Settings,Allow Production on Holidays,Permitir Produção nas Férias
DocType: Sales Order,Customer's Purchase Order Date,Data de Ordem de Compra do Cliente
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Capital Social
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Capital Social
DocType: Shopping Cart Settings,Show Public Attachments,Mostrar anexos públicos
DocType: Packing Slip,Package Weight Details,Dados de Peso do Pacote
DocType: Payment Gateway Account,Payment Gateway Account,Conta de Portal de Pagamento
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,"Após o pagamento ter sido efetuado, redireciona o utilizador para a página selecionada."
DocType: Company,Existing Company,Companhia Existente
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Categoria de imposto foi alterada para "Total" porque todos os itens são itens sem estoque
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,"Por favor, selecione um ficheiro csv"
DocType: Student Leave Application,Mark as Present,Mark como presente
DocType: Purchase Order,To Receive and Bill,Para Receber e Faturar
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Produtos Em Destaque
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Designer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Designer
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Termos e Condições de Modelo
DocType: Serial No,Delivery Details,Dados de Entrega
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},É necessário colocar o Centro de Custo na linha {0} na Tabela de Impostos para o tipo {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},É necessário colocar o Centro de Custo na linha {0} na Tabela de Impostos para o tipo {1}
DocType: Program,Program Code,Código do Programa
DocType: Terms and Conditions,Terms and Conditions Help,Ajuda de Termos e Condições
,Item-wise Purchase Register,Registo de Compra por Item
DocType: Batch,Expiry Date,Data de Validade
-,Supplier Addresses and Contacts,Contactos e Endereços de Fornecedores
,accounts-browser,navegador-de-contas
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,"Por favor, selecione primeiro a Categoria"
apps/erpnext/erpnext/config/projects.py +13,Project master.,Definidor de Projeto.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Para permitir que o excesso de Faturação ou excesso de pedidos, atualize a ""Provisão"" nas Definições de Stock ou do Item."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Para permitir que o excesso de Faturação ou excesso de pedidos, atualize a ""Provisão"" nas Definições de Stock ou do Item."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Não mostrar qualquer símbolo como $ ao lado das moedas.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Meio Dia)
DocType: Supplier,Credit Days,Dias de Crédito
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Criar Classe de Estudantes
DocType: Leave Type,Is Carry Forward,É para Continuar
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Obter itens da LDM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Obter itens da LDM
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Dias para Chegar ao Armazém
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Linha #{0}: A Data de Postagem deve ser igual à data de compra {1} do ativo {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Linha #{0}: A Data de Postagem deve ser igual à data de compra {1} do ativo {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Insira as Ordens de Venda na tabela acima
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Não foi Submetido Salário deslizamentos
,Stock Summary,Resumo de Stock
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Transferir um ativo de um armazém para outro
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Transferir um ativo de um armazém para outro
DocType: Vehicle,Petrol,Gasolina
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Lista de Materiais
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Linha {0}: É necessário colocar o Tipo de Parte e a Parte para a conta A Receber / A Pagar {1}
@@ -4704,6 +4732,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Quantidade Sancionada
DocType: GL Entry,Is Opening,Está a Abrir
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Linha {0}: Um registo de débito não pode ser vinculado a {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,A conta {0} não existe
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,A conta {0} não existe
DocType: Account,Cash,Numerário
DocType: Employee,Short biography for website and other publications.,Breve biografia para o website e outras publicações.
diff --git a/erpnext/translations/ro.csv b/erpnext/translations/ro.csv
index 38eff73..1aa34ac 100644
--- a/erpnext/translations/ro.csv
+++ b/erpnext/translations/ro.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Produse consumator
DocType: Item,Customer Items,Articole clientului
DocType: Project,Costing and Billing,Calculație a costurilor și de facturare
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Contul {0}: cont Părinte {1} nu poate fi un registru
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Contul {0}: cont Părinte {1} nu poate fi un registru
DocType: Item,Publish Item to hub.erpnext.com,Publica Postul de hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,Notificări Email
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Evaluare
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,Evaluare
DocType: Item,Default Unit of Measure,Unitatea de Măsură Implicita
DocType: SMS Center,All Sales Partner Contact,Toate contactele partenerului de vânzări
DocType: Employee,Leave Approvers,Aprobatori Concediu
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Rata de schimb trebuie să fie aceeași ca și {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Nume client
DocType: Vehicle,Natural Gas,Gaz natural
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Contul bancar nu poate fi numit ca {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Contul bancar nu poate fi numit ca {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Heads (sau grupuri) față de care înregistrările contabile sunt făcute și soldurile sunt menținute.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Restante pentru {0} nu poate fi mai mică decât zero ({1})
DocType: Manufacturing Settings,Default 10 mins,Implicit 10 minute
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Toate contactele furnizorului
DocType: Support Settings,Support Settings,Setări de sprijin
DocType: SMS Parameter,Parameter,Parametru
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Așteptat Data de încheiere nu poate fi mai mică de Data de începere așteptată
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Așteptat Data de încheiere nu poate fi mai mică de Data de începere așteptată
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Rata trebuie să fie aceeași ca și {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Noua cerere de concediu
,Batch Item Expiry Status,Lot Articol Stare de expirare
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Ciorna bancară
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Ciorna bancară
DocType: Mode of Payment Account,Mode of Payment Account,Modul de cont de plăți
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Arată Variante
DocType: Academic Term,Academic Term,termen academic
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Material
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Cantitate
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Planul de conturi nu poate fi gol.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Imprumuturi (Raspunderi)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Imprumuturi (Raspunderi)
DocType: Employee Education,Year of Passing,Ani de la promovarea
DocType: Item,Country of Origin,Tara de origine
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,În Stoc
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,În Stoc
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Probleme deschise
DocType: Production Plan Item,Production Plan Item,Planul de producție Articol
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Utilizatorul {0} este deja alocat Angajat {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Servicii de Sanatate
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Întârziere de plată (zile)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Cheltuieli de serviciu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Numărul de serie: {0} este deja menționat în factura de vânzare: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Numărul de serie: {0} este deja menționat în factura de vânzare: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Factură
DocType: Maintenance Schedule Item,Periodicity,Periodicitate
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Anul fiscal {0} este necesară
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,
DocType: Timesheet,Total Costing Amount,Suma totală Costing
DocType: Delivery Note,Vehicle No,Vehicul Nici
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,Vă rugăm să selectați lista de prețuri
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Vă rugăm să selectați lista de prețuri
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: Document de plată este necesară pentru a finaliza trasaction
DocType: Production Order Operation,Work In Progress,Lucrări în curs
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Vă rugăm să selectați data
DocType: Employee,Holiday List,Lista de Vacanță
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Contabil
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Contabil
DocType: Cost Center,Stock User,Stoc de utilizare
DocType: Company,Phone No,Nu telefon
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Orarele de curs creat:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Nou {0}: # {1}
,Sales Partners Commission,Agent vânzări al Comisiei
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Prescurtarea nu poate contine mai mult de 5 caractere
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Prescurtarea nu poate contine mai mult de 5 caractere
DocType: Payment Request,Payment Request,Cerere de plata
DocType: Asset,Value After Depreciation,Valoarea după amortizare
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,Data de prezență nu poate fi mai mică decât data aderării angajatului
DocType: Grading Scale,Grading Scale Name,Standard Nume Scala
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Acesta este un cont de rădăcină și nu pot fi editate.
+DocType: Sales Invoice,Company Address,adresa companiei
DocType: BOM,Operations,Operatii
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Nu se poate seta autorizare pe baza de Discount pentru {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Atașați fișier .csv cu două coloane, una pentru denumirea veche și unul pentru denumirea nouă"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} nu se gaseste in niciun an fiscal activ.
DocType: Packed Item,Parent Detail docname,Părinte Detaliu docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referință: {0}, Cod articol: {1} și Client: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Kg
DocType: Student Log,Log,Buturuga
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Deschidere pentru un loc de muncă.
DocType: Item Attribute,Increment,Creștere
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Publicitate
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Aceeași societate este înscris de mai multe ori
DocType: Employee,Married,Căsătorit
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Nu este permisă {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Nu este permisă {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Obține elemente din
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Stock nu poate fi actualizat împotriva livrare Nota {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Stock nu poate fi actualizat împotriva livrare Nota {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produs {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Nu sunt enumerate elemente
DocType: Payment Reconciliation,Reconcile,Reconcilierea
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,În continuare Amortizarea Data nu poate fi înainte Data achiziției
DocType: SMS Center,All Sales Person,Toate persoanele de vânzăril
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Lunar Distribuție ** vă ajută să distribuie bugetul / Target peste luni dacă aveți sezonier în afacerea dumneavoastră.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Nu au fost găsite articole
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Nu au fost găsite articole
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Structura de salarizare lipsă
DocType: Lead,Person Name,Nume persoană
DocType: Sales Invoice Item,Sales Invoice Item,Factură de vânzări Postul
DocType: Account,Credit,Credit
DocType: POS Profile,Write Off Cost Center,Scrie Off cost Center
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""","de exemplu, "Școala primară" sau "Universitatea""
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""","de exemplu, "Școala primară" sau "Universitatea""
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Rapoarte de stoc
DocType: Warehouse,Warehouse Detail,Depozit Detaliu
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Limita de credit a fost trecut de client {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Limita de credit a fost trecut de client {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Pe termen Data de încheiere nu poate fi mai târziu de Anul Data de încheiere a anului universitar la care este legat termenul (anului universitar {}). Vă rugăm să corectați datele și încercați din nou.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Este activ fix"" nu poate fi debifată deoarece există informații împotriva produsului"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Este activ fix"" nu poate fi debifată deoarece există informații împotriva produsului"
DocType: Vehicle Service,Brake Oil,Ulei de frână
DocType: Tax Rule,Tax Type,Tipul de impozitare
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Nu sunteți autorizat să adăugați sau să actualizați intrări înainte de {0}
DocType: BOM,Item Image (if not slideshow),Imagine Articol (dacă nu exista prezentare)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Există un client cu același nume
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tarif orar / 60) * Timp efectiv de operare
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Selectați BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Selectați BOM
DocType: SMS Log,SMS Log,SMS Conectare
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Costul de articole livrate
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Vacanta pe {0} nu este între De la data si pana in prezent
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},De la {0} {1} la
DocType: Item,Copy From Item Group,Copiere din Grupul de Articole
DocType: Journal Entry,Opening Entry,Deschiderea de intrare
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Client> Grup de clienți> Teritoriu
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Contul Plătiți numai
DocType: Employee Loan,Repay Over Number of Periods,Rambursa Peste Număr de Perioade
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} nu este înscris în {2}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} nu este înscris în {2}
DocType: Stock Entry,Additional Costs,Costuri suplimentare
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Un cont cu tranzacții existente nu poate fi transformat în grup.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Un cont cu tranzacții existente nu poate fi transformat în grup.
DocType: Lead,Product Enquiry,Intrebare produs
DocType: Academic Term,Schools,școli
+DocType: School Settings,Validate Batch for Students in Student Group,Validați lotul pentru elevii din grupul de studenți
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Nici o înregistrare de concediu găsite pentru angajat {0} pentru {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Va rugam sa introduceti prima companie
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Vă rugăm să selectați Company primul
@@ -175,50 +176,50 @@
DocType: BOM,Total Cost,Cost total
DocType: Journal Entry Account,Employee Loan,angajat de împrumut
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Jurnal Activitati:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,Articolul {0} nu există în sistem sau a expirat
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Articolul {0} nu există în sistem sau a expirat
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Imobiliare
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Extras de cont
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Produse farmaceutice
DocType: Purchase Invoice Item,Is Fixed Asset,Este activ fix
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Numele tau este {0}, ai nevoie de {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Numele tau este {0}, ai nevoie de {1}"
DocType: Expense Claim Detail,Claim Amount,Suma Cerere
-DocType: Employee,Mr,Mr
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,grup de clienți dublu exemplar găsit în tabelul grupului cutomer
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Furnizor Tip / Furnizor
DocType: Naming Series,Prefix,Prefix
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Consumabile
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Consumabile
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Import Conectare
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Pull Material Cerere de tip Fabricare pe baza criteriilor de mai sus
DocType: Training Result Employee,Grade,calitate
DocType: Sales Invoice Item,Delivered By Supplier,Livrate de Furnizor
DocType: SMS Center,All Contact,Toate contactele
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Comanda de producție deja creat pentru toate elementele cu BOM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Salariu anual
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Comanda de producție deja creat pentru toate elementele cu BOM
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Salariu anual
DocType: Daily Work Summary,Daily Work Summary,Sumar zilnic de lucru
DocType: Period Closing Voucher,Closing Fiscal Year,Închiderea Anului Fiscal
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} este blocat
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Vă rugăm să selectați Companie pentru crearea Existent Plan de conturi
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Cheltuieli stoc
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} este blocat
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Vă rugăm să selectați Companie pentru crearea Existent Plan de conturi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Cheltuieli stoc
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Selectați Target Warehouse
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Selectați Target Warehouse
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,Vă rugăm să introduceți preferate Contact E-mail
+DocType: Program Enrollment,School Bus,Autobuz scolar
DocType: Journal Entry,Contra Entry,Contra intrare
DocType: Journal Entry Account,Credit in Company Currency,Credit în companie valutar
DocType: Delivery Note,Installation Status,Starea de instalare
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Doriți să actualizați prezență? <br> Prezent: {0} \ <br> Absent: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Cant acceptată + respinsă trebuie să fie egală cu cantitatea recepționată pentru articolul {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Cant acceptată + respinsă trebuie să fie egală cu cantitatea recepționată pentru articolul {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Materii prime de alimentare pentru cumparare
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,Cel puțin un mod de plată este necesară pentru POS factură.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,Cel puțin un mod de plată este necesară pentru POS factură.
DocType: Products Settings,Show Products as a List,Afișare produse ca o listă
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Descărcați șablonul, umple de date corespunzătoare și atașați fișierul modificat.
Toate datele și angajat combinație în perioada selectata va veni în șablon, cu înregistrări nervi existente"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,Articolul {0} nu este activ sau sfarsitul ciclului sau de viata a fost atins
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Exemplu: matematică de bază
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Pentru a include taxa în rândul {0} în rata articol, impozitele în rânduri {1} trebuie de asemenea să fie incluse"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Articolul {0} nu este activ sau sfarsitul ciclului sau de viata a fost atins
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Exemplu: matematică de bază
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Pentru a include taxa în rândul {0} în rata articol, impozitele în rânduri {1} trebuie de asemenea să fie incluse"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Setările pentru modul HR
DocType: SMS Center,SMS Center,SMS Center
DocType: Sales Invoice,Change Amount,Sumă schimbare
@@ -228,7 +229,7 @@
DocType: Lead,Request Type,Cerere tip
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Asigurați-angajat
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Transminiune
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Executie
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Executie
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Detalii privind operațiunile efectuate.
DocType: Serial No,Maintenance Status,Stare Mentenanta
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: furnizor este necesar împotriva contului de plati {2}
@@ -256,7 +257,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Cererea de ofertă poate fi accesată făcând clic pe link-ul de mai jos
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Alocaţi concedii anuale.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creare curs Unealtă
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,stoc insuficient
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,stoc insuficient
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Planificarea Capacitatii Dezactivați și Time Tracking
DocType: Email Digest,New Sales Orders,Noi comenzi de vânzări
DocType: Bank Guarantee,Bank Account,Cont bancar
@@ -267,8 +268,9 @@
DocType: Production Order Operation,Updated via 'Time Log',"Actualizat prin ""Ora Log"""
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Suma avans nu poate fi mai mare decât {0} {1}
DocType: Naming Series,Series List for this Transaction,Lista de serie pentru această tranzacție
+DocType: Company,Enable Perpetual Inventory,Activați inventarul perpetuu
DocType: Company,Default Payroll Payable Account,Implicit Salarizare cont de plati
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Actualizare e-mail Group
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Actualizare e-mail Group
DocType: Sales Invoice,Is Opening Entry,Deschiderea este de intrare
DocType: Customer Group,Mention if non-standard receivable account applicable,Menționa dacă non-standard de cont primit aplicabil
DocType: Course Schedule,Instructor Name,Nume instructor
@@ -280,13 +282,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Comparativ articolului facturii de vânzări
,Production Orders in Progress,Comenzile de producție în curs de desfășurare
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Numerar net din Finantare
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage este plin, nu a salvat"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage este plin, nu a salvat"
DocType: Lead,Address & Contact,Adresă și contact
DocType: Leave Allocation,Add unused leaves from previous allocations,Adauga frunze neutilizate de alocări anterioare
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Urmatoarea recurent {0} va fi creat pe {1}
DocType: Sales Partner,Partner website,site-ul partenerului
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Adaugare element
-,Contact Name,Nume Persoana de Contact
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Nume Persoana de Contact
DocType: Course Assessment Criteria,Course Assessment Criteria,Criterii de evaluare a cursului
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Creare fluturas de salariu pentru criteriile mentionate mai sus.
DocType: POS Customer Group,POS Customer Group,POS Clienți Grupul
@@ -295,18 +297,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Nici o descriere dat
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Cere pentru cumpărare.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Aceasta se bazează pe fișele de pontaj create împotriva acestui proiect
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Plata netă nu poate fi mai mică decât 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Plata netă nu poate fi mai mică decât 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Numai selectat concediu aprobator poate înainta această aplicație Leave
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Alinarea Data trebuie să fie mai mare decât Data aderării
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Frunze pe an
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Frunze pe an
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Rând {0}: Vă rugăm să verificați ""Este Advance"" împotriva Cont {1} dacă aceasta este o intrare în avans."
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Depozit {0} nu aparține companiei {1}
DocType: Email Digest,Profit & Loss,Pierderea profitului
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Litru
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Litru
DocType: Task,Total Costing Amount (via Time Sheet),Suma totală de calculație a costurilor (prin timp Sheet)
DocType: Item Website Specification,Item Website Specification,Specificație Site Articol
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Concediu Blocat
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Articolul {0} a ajuns la sfârșitul cliclului sau de viață in {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Articolul {0} a ajuns la sfârșitul cliclului sau de viață in {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Intrările bancare
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Anual
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock reconciliere Articol
@@ -314,9 +316,9 @@
DocType: Material Request Item,Min Order Qty,Min Ordine Cantitate
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Curs de grup studențesc instrument de creare
DocType: Lead,Do Not Contact,Nu contactati
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,Oameni care predau la organizația dumneavoastră
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,Oameni care predau la organizația dumneavoastră
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Id-ul unic pentru urmărirea toate facturile recurente. Acesta este generat pe prezinte.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Software Developer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software Developer
DocType: Item,Minimum Order Qty,Comanda minima Cantitate
DocType: Pricing Rule,Supplier Type,Furnizor Tip
DocType: Course Scheduling Tool,Course Start Date,Data începerii cursului
@@ -325,11 +327,11 @@
DocType: Item,Publish in Hub,Publica in Hub
DocType: Student Admission,Student Admission,Admiterea studenților
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Articolul {0} este anulat
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Articolul {0} este anulat
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Cerere de material
DocType: Bank Reconciliation,Update Clearance Date,Actualizare Clearance Data
DocType: Item,Purchase Details,Detalii de cumpărare
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Postul {0} nu a fost găsit în "Materii prime furnizate" masă în Comandă {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Postul {0} nu a fost găsit în "Materii prime furnizate" masă în Comandă {1}
DocType: Employee,Relation,Relație
DocType: Shipping Rule,Worldwide Shipping,Expediere
DocType: Student Guardian,Mother,Mamă
@@ -348,6 +350,7 @@
DocType: Student Group Student,Student Group Student,Student Group Student
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Ultimul
DocType: Vehicle Service,Inspection,Inspecţie
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Listă
DocType: Email Digest,New Quotations,Noi Citatele
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,alunecare email-uri salariul angajatului în funcție de e-mail preferat selectat în Angajat
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,Primul Aprobatorul Lăsați în lista va fi setat ca implicit concediu aprobator
@@ -356,20 +359,20 @@
DocType: Asset,Next Depreciation Date,Amortizarea următor Data
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Activitatea de Cost per angajat
DocType: Accounts Settings,Settings for Accounts,Setări pentru conturi
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Furnizor Factura nr există în factură Purchase {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Furnizor Factura nr există în factură Purchase {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Gestioneaza Ramificatiile Persoanei responsabila cu Vanzarile
DocType: Job Applicant,Cover Letter,Scrisoare de intenție
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Cecuri restante și pentru a șterge Depozite
DocType: Item,Synced With Hub,Sincronizat cu Hub
DocType: Vehicle,Fleet Manager,Manager de flotă
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} nu poate fi negativ pentru elementul {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Parola Gresita
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Parola Gresita
DocType: Item,Variant Of,Varianta de
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',"Finalizat Cantitate nu poate fi mai mare decât ""Cantitate de Fabricare"""
DocType: Period Closing Voucher,Closing Account Head,Închidere Cont Principal
DocType: Employee,External Work History,Istoricul lucrului externă
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Eroare de referință Circular
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Nume Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Nume Guardian1
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,În cuvinte (de export) va fi vizibil după ce a salva de livrare Nota.
DocType: Cheque Print Template,Distance from left edge,Distanța de la marginea din stânga
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} unități de [{1}] (# Forma / Postul / {1}) găsit în [{2}] (# Forma / Depozit / {2})
@@ -378,11 +381,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Notifica prin e-mail la crearea de cerere automată Material
DocType: Journal Entry,Multi Currency,Multi valutar
DocType: Payment Reconciliation Invoice,Invoice Type,Factura Tip
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Nota de Livrare
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Nota de Livrare
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Configurarea Impozite
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Costul de active vândute
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,Plata intrare a fost modificat după ce-l tras. Vă rugăm să trage din nou.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} a fost introdus de două ori în taxa articolului
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Plata intrare a fost modificat după ce-l tras. Vă rugăm să trage din nou.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} a fost introdus de două ori în taxa articolului
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Rezumat pentru această săptămână și a activităților în curs
DocType: Student Applicant,Admitted,A recunoscut că
DocType: Workstation,Rent Cost,Chirie Cost
@@ -401,25 +404,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Va rugam sa introduceti ""Repeat la zi a lunii"" valoare de câmp"
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Rata la care Clientul valuta este convertită în valuta de bază a clientului
DocType: Course Scheduling Tool,Course Scheduling Tool,Instrument curs de programare
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rând # {0}: Achiziția Factura nu poate fi făcută împotriva unui activ existent {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rând # {0}: Achiziția Factura nu poate fi făcută împotriva unui activ existent {1}
DocType: Item Tax,Tax Rate,Cota de impozitare
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} deja alocate pentru Angajat {1} pentru perioada {2} {3} pentru a
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Selectați articol
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Factura de cumpărare {0} este deja depusă
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Factura de cumpărare {0} este deja depusă
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Lot nr trebuie să fie aceeași ca și {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Converti la non-Group
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Lotul (lot) unui articol.
DocType: C-Form Invoice Detail,Invoice Date,Data facturii
DocType: GL Entry,Debit Amount,Suma debit
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Nu poate fi doar un cont per companie în {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,Vă rugăm să consultați atașament
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Nu poate fi doar un cont per companie în {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,Vă rugăm să consultați atașament
DocType: Purchase Order,% Received,% Primit
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Creați Grupurile de studenți
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Setup deja complet!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Nota de credit Notă
,Finished Goods,Produse Finite
DocType: Delivery Note,Instructions,Instrucţiuni
DocType: Quality Inspection,Inspected By,Inspectat de
DocType: Maintenance Visit,Maintenance Type,Tip Mentenanta
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} nu este înscris la curs {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Serial No {0} nu aparține de livrare Nota {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Adăugarea de elemente
@@ -442,7 +447,7 @@
DocType: Request for Quotation,Request for Quotation,Cerere de ofertă
DocType: Salary Slip Timesheet,Working Hours,Ore de lucru
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Schimbați secventa de numar de inceput / curent a unei serii existente.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Creați un nou client
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Creați un nou client
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","În cazul în care mai multe reguli de stabilire a prețurilor continuă să prevaleze, utilizatorii sunt rugați să setați manual prioritate pentru a rezolva conflictul."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Creare comenzi de aprovizionare
,Purchase Register,Cumpărare Inregistrare
@@ -454,7 +459,7 @@
DocType: Student Log,Medical,Medical
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Motiv pentru a pierde
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Plumb Proprietarul nu poate fi aceeași ca de plumb
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,Suma alocată poate nu este mai mare decât valoarea brută
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,Suma alocată poate nu este mai mare decât valoarea brută
DocType: Announcement,Receiver,Receptor
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation este închis la următoarele date ca pe lista de vacanta: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Oportunitati
@@ -468,8 +473,7 @@
DocType: Assessment Plan,Examiner Name,Nume examinator
DocType: Purchase Invoice Item,Quantity and Rate,Cantitatea și rata
DocType: Delivery Note,% Installed,% Instalat
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,"Classrooms / Laboratoare, etc, unde prelegeri pot fi programate."
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Furnizor> Tipul furnizorului
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Classrooms / Laboratoare, etc, unde prelegeri pot fi programate."
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Va rugam sa introduceti numele companiei în primul rând
DocType: Purchase Invoice,Supplier Name,Furnizor Denumire
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Citiți manualul ERPNext
@@ -479,7 +483,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Cec Furnizor Numărul facturii Unicitatea
DocType: Vehicle Service,Oil Change,Schimbare de ulei
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','Până la situația nr.' nu poate fi mai mică decât 'De la situația nr.'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Non-Profit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Non-Profit
DocType: Production Order,Not Started,Neînceput
DocType: Lead,Channel Partner,Partner Canal
DocType: Account,Old Parent,Vechi mamă
@@ -490,20 +494,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Setările globale pentru toate procesele de producție.
DocType: Accounts Settings,Accounts Frozen Upto,Conturile sunt Blocate Până la
DocType: SMS Log,Sent On,A trimis pe
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Atribut {0} selectat de mai multe ori în tabelul Atribute
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Atribut {0} selectat de mai multe ori în tabelul Atribute
DocType: HR Settings,Employee record is created using selected field. ,Inregistrarea angajatului este realizata prin utilizarea campului selectat.
DocType: Sales Order,Not Applicable,Nu se aplică
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Maestru de vacanta.
DocType: Request for Quotation Item,Required Date,Date necesare
DocType: Delivery Note,Billing Address,Adresa de facturare
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Vă rugăm să introduceți Cod produs.
DocType: BOM,Costing,Cost
DocType: Tax Rule,Billing County,Județ facturare
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","In cazul in care se bifeaza, suma taxelor va fi considerată ca fiind deja inclusa în Rata de Imprimare / Suma de Imprimare"
DocType: Request for Quotation,Message for Supplier,Mesaj pentru Furnizor
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Raport Cantitate
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Codul de e-mail Guardian2
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Codul de e-mail Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Codul de e-mail Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Codul de e-mail Guardian2
DocType: Item,Show in Website (Variant),Afișați în site-ul (Variant)
DocType: Employee,Health Concerns,Probleme de Sanatate
DocType: Process Payroll,Select Payroll Period,Perioada de selectare Salarizare
@@ -521,26 +524,28 @@
DocType: Sales Order Item,Used for Production Plan,Folosit pentru Planul de producție
DocType: Employee Loan,Total Payment,Plată totală
DocType: Manufacturing Settings,Time Between Operations (in mins),Timp între operațiuni (în minute)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} este anulată, astfel încât acțiunea nu poate fi terminată"
DocType: Customer,Buyer of Goods and Services.,Cumpărător de produse și servicii.
DocType: Journal Entry,Accounts Payable,Conturi de plată
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Cele BOM selectate nu sunt pentru același articol
DocType: Pricing Rule,Valid Upto,Valid Până la
DocType: Training Event,Workshop,Atelier
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Listeaza cativa din clienții dvs. Ei ar putea fi organizații sau persoane fizice.
-,Enough Parts to Build,Piese de schimb suficient pentru a construi
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Venituri Directe
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Listeaza cativa din clienții dvs. Ei ar putea fi organizații sau persoane fizice.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Piese de schimb suficient pentru a construi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Venituri Directe
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Nu se poate filtra pe baza de cont, în cazul gruparii in functie de Cont"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Ofițer administrativ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Selectați cursul
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Selectați cursul
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Ofițer administrativ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Selectați cursul
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Selectați cursul
DocType: Timesheet Detail,Hrs,ore
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Vă rugăm să selectați Company
DocType: Stock Entry Detail,Difference Account,Diferența de Cont
+DocType: Purchase Invoice,Supplier GSTIN,Furnizor GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Nu poate sarcină aproape ca misiune dependente {0} nu este închis.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Va rugam sa introduceti Depozit pentru care va fi ridicat Material Cerere
DocType: Production Order,Additional Operating Cost,Costuri de operare adiţionale
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Cosmetică
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Pentru a îmbina, următoarele proprietăți trebuie să fie aceeași pentru ambele elemente"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Pentru a îmbina, următoarele proprietăți trebuie să fie aceeași pentru ambele elemente"
DocType: Shipping Rule,Net Weight,Greutate netă
DocType: Employee,Emergency Phone,Telefon de Urgență
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,A cumpara
@@ -550,14 +555,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Vă rugăm să definiți gradul pentru pragul 0%
DocType: Sales Order,To Deliver,A Livra
DocType: Purchase Invoice Item,Item,Obiect
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Serial nici un articol nu poate fi o fracție
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Serial nici un articol nu poate fi o fracție
DocType: Journal Entry,Difference (Dr - Cr),Diferența (Dr - Cr)
DocType: Account,Profit and Loss,Profit și pierdere
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Gestionarea Subcontracte
DocType: Project,Project will be accessible on the website to these users,Proiectul va fi accesibil pe site-ul acestor utilizatori
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Rata la care lista de prețuri moneda este convertit în moneda de bază a companiei
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Contul {0} nu apartine companiei: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Abreviere deja folosit pentru o altă companie
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Contul {0} nu apartine companiei: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Abreviere deja folosit pentru o altă companie
DocType: Selling Settings,Default Customer Group,Group Client Implicit
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Dacă este dezactivat, câmpul 'Total Rotunjit' nu va fi vizibil in nici o tranzacție"
DocType: BOM,Operating Cost,Costul de operare
@@ -565,7 +570,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Creștere nu poate fi 0
DocType: Production Planning Tool,Material Requirement,Cerința de material
DocType: Company,Delete Company Transactions,Ștergeți Tranzacții de Firma
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,De referință nr și de referință Data este obligatorie pentru tranzacție bancară
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,De referință nr și de referință Data este obligatorie pentru tranzacție bancară
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Adaugaţi / editaţi taxe și cheltuieli
DocType: Purchase Invoice,Supplier Invoice No,Furnizor Factura Nu
DocType: Territory,For reference,Pentru referință
@@ -576,22 +581,22 @@
DocType: Installation Note Item,Installation Note Item,Instalare Notă Postul
DocType: Production Plan Item,Pending Qty,Așteptare Cantitate
DocType: Budget,Ignore,Ignora
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} nu este activ
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} nu este activ
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS expediat la următoarele numere: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,Dimensiunile de instalare pentru imprimare de verificare
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Dimensiunile de instalare pentru imprimare de verificare
DocType: Salary Slip,Salary Slip Timesheet,Salariu alunecare Pontaj
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Furnizor Depozit obligatoriu pentru contractate sub-cumparare Primirea
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Furnizor Depozit obligatoriu pentru contractate sub-cumparare Primirea
DocType: Pricing Rule,Valid From,Valabil de la
DocType: Sales Invoice,Total Commission,Total de Comisie
DocType: Pricing Rule,Sales Partner,Partener de vânzări
DocType: Buying Settings,Purchase Receipt Required,Cumpărare de primire Obligatoriu
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,Evaluarea Rata este obligatorie în cazul în care a intrat Deschiderea stoc
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,Evaluarea Rata este obligatorie în cazul în care a intrat Deschiderea stoc
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Nu sunt găsite în tabelul de factură înregistrări
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Vă rugăm să selectați Company și Partidul Tip primul
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,An financiar / contabil.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,An financiar / contabil.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Valorile acumulate
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Ne pare rău, Serial nr nu se pot uni"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Realizeaza Comandă de Vânzări
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Realizeaza Comandă de Vânzări
DocType: Project Task,Project Task,Proiect Sarcina
,Lead Id,Id Conducere
DocType: C-Form Invoice Detail,Grand Total,Total general
@@ -608,7 +613,7 @@
DocType: Job Applicant,Resume Attachment,CV-Atașamentul
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Clienții repetate
DocType: Leave Control Panel,Allocate,Alocaţi
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Vânzări de returnare
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Vânzări de returnare
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Notă: Totalul frunzelor alocate {0} nu ar trebui să fie mai mică decât frunzele deja aprobate {1} pentru perioada
DocType: Announcement,Posted By,Postat de
DocType: Item,Delivered by Supplier (Drop Ship),Livrate de Furnizor (Drop navelor)
@@ -618,8 +623,8 @@
DocType: Quotation,Quotation To,Citat Pentru a
DocType: Lead,Middle Income,Venituri medii
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Deschidere (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Unitatea de măsură implicită pentru postul {0} nu poate fi schimbat direct, deoarece aveti si voi deja unele tranzacții (i) cu un alt UOM. Veți avea nevoie pentru a crea un nou element pentru a utiliza un alt implicit UOM."
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Suma alocată nu poate fi negativă
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Unitatea de măsură implicită pentru postul {0} nu poate fi schimbat direct, deoarece aveti si voi deja unele tranzacții (i) cu un alt UOM. Veți avea nevoie pentru a crea un nou element pentru a utiliza un alt implicit UOM."
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Suma alocată nu poate fi negativă
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Stabiliți compania
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Stabiliți compania
DocType: Purchase Order Item,Billed Amt,Suma facturată
@@ -632,7 +637,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Selectați Cont de plăți pentru a face Banca de intrare
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Crearea de înregistrări angajaților pentru a gestiona frunze, cheltuieli și salarizare creanțe"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Adaugă în Baza de cunoștințe
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Propunere de scriere
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Propunere de scriere
DocType: Payment Entry Deduction,Payment Entry Deduction,Plată Deducerea intrare
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Un alt Sales Person {0} există cu același ID Angajat
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Dacă este bifată, materiile prime pentru elementele care sunt subcontractate vor fi incluse în Cererile materiale"
@@ -647,7 +652,7 @@
DocType: Batch,Batch Description,Descriere lot
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Crearea grupurilor de studenți
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Crearea grupurilor de studenți
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Plata Gateway Cont nu a fost creată, vă rugăm să creați manual unul."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Plata Gateway Cont nu a fost creată, vă rugăm să creați manual unul."
DocType: Sales Invoice,Sales Taxes and Charges,Taxele de vânzări și Taxe
DocType: Employee,Organization Profile,Organizație de profil
DocType: Student,Sibling Details,Detalii sibling
@@ -669,11 +674,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Schimbarea net în inventar
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Managementul de împrumut Angajat
DocType: Employee,Passport Number,Numărul de pașaport
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Relația cu Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Manager
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Relația cu Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Manager
DocType: Payment Entry,Payment From / To,Plata De la / la
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Noua limită de credit este mai mică decât valoarea curentă restante pentru client. Limita de credit trebuie să fie atleast {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Same articol a fost introdus de mai multe ori.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Noua limită de credit este mai mică decât valoarea curentă restante pentru client. Limita de credit trebuie să fie atleast {0}
DocType: SMS Settings,Receiver Parameter,Receptor Parametru
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Bazat pe' și 'Grupat dupa' nu pot fi identice
DocType: Sales Person,Sales Person Targets,Obiective de vânzări Persoana
@@ -682,8 +686,9 @@
DocType: Issue,Resolution Date,Data rezoluție
DocType: Student Batch Name,Batch Name,Nume lot
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Pontajul creat:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},Vă rugăm să setați Cash implicit sau cont bancar în modul de plată {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Vă rugăm să setați Cash implicit sau cont bancar în modul de plată {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,A se inscrie
+DocType: GST Settings,GST Settings,Setări GST
DocType: Selling Settings,Customer Naming By,Numire Client de catre
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Va arăta studentului așa cum sunt prezente Student Raport lunar de prezență
DocType: Depreciation Schedule,Depreciation Amount,Sumă de amortizare
@@ -705,6 +710,7 @@
DocType: Item,Material Transfer,Transfer de material
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Deschidere (Dr)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Timestamp postarea trebuie să fie după {0}
+,GST Itemised Purchase Register,GST Registrul achiziționărilor detaliate
DocType: Employee Loan,Total Interest Payable,Dobânda totală de plată
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Impozite cost debarcate și Taxe
DocType: Production Order Operation,Actual Start Time,Timpul efectiv de începere
@@ -733,10 +739,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,furnizo
DocType: Account,Accounts,Conturi
DocType: Vehicle,Odometer Value (Last),Valoarea contorului de parcurs (Ultimul)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Plata Intrarea este deja creat
DocType: Purchase Receipt Item Supplied,Current Stock,Stoc curent
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Rând # {0}: {1} activ nu legat de postul {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Rând # {0}: {1} activ nu legat de postul {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Previzualizare Salariu alunecare
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Contul {0} a fost introdus de mai multe ori
DocType: Account,Expenses Included In Valuation,Cheltuieli Incluse în Evaluare
@@ -744,7 +750,7 @@
,Absent Student Report,Raport de student absent
DocType: Email Digest,Next email will be sent on:,E-mail viitor va fi trimis la:
DocType: Offer Letter Term,Offer Letter Term,Oferta Scrisoare Termen
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Element are variante.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Element are variante.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Articolul {0} nu a fost găsit
DocType: Bin,Stock Value,Valoare stoc
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Firma {0} nu există
@@ -753,7 +759,7 @@
DocType: Serial No,Warranty Expiry Date,Garanție Data expirării
DocType: Material Request Item,Quantity and Warehouse,Cantitatea și Warehouse
DocType: Sales Invoice,Commission Rate (%),Rata de Comision (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Selectați Program
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Selectați Program
DocType: Project,Estimated Cost,Cost estimat
DocType: Purchase Order,Link to material requests,Link la cererile de materiale
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Spaţiul aerian
@@ -767,14 +773,14 @@
DocType: Purchase Order,Supply Raw Materials,Aprovizionarea cu materii prime
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,Data la care va fi generat următoarea factură. Acesta este generată pe prezinte.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Active Curente
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} nu este un articol de stoc
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} nu este un articol de stoc
DocType: Mode of Payment Account,Default Account,Cont Implicit
DocType: Payment Entry,Received Amount (Company Currency),Suma primită (companie Moneda)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,Conducerea trebuie să fie setata dacă Oportunitatea este creata din Conducere
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,Vă rugăm să selectați zi liberă pe săptămână
DocType: Production Order Operation,Planned End Time,Planificate End Time
,Sales Person Target Variance Item Group-Wise,Persoana de vânzări țintă varianță Articol Grupa Înțelept
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Un cont cu tranzacții existente nu poate fi transformat în registru contabil
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Un cont cu tranzacții existente nu poate fi transformat în registru contabil
DocType: Delivery Note,Customer's Purchase Order No,Nr. Comanda de Aprovizionare Client
DocType: Budget,Budget Against,Buget împotriva
DocType: Employee,Cell Number,Număr Celula
@@ -786,15 +792,13 @@
DocType: Opportunity,Opportunity From,Oportunitate de la
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Declarația salariu lunar.
DocType: BOM,Website Specifications,Site-ul Specificații
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Vă rugăm să configurați seria de numerotare pentru Participare prin Configurare> Serie de numerotare
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: de la {0} de tipul {1}
DocType: Warranty Claim,CI-,CI
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Rând {0}: Factorul de conversie este obligatorie
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Rând {0}: Factorul de conversie este obligatorie
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Reguli de preturi multiple există cu aceleași criterii, vă rugăm să rezolve conflictul prin atribuirea de prioritate. Reguli de preț: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Nu se poate deactiva sau anula FDM, deoarece este conectat cu alte FDM-uri"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Reguli de preturi multiple există cu aceleași criterii, vă rugăm să rezolve conflictul prin atribuirea de prioritate. Reguli de preț: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Nu se poate deactiva sau anula FDM, deoarece este conectat cu alte FDM-uri"
DocType: Opportunity,Maintenance,Mentenanţă
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Număr Primirea de achiziție necesar pentru postul {0}
DocType: Item Attribute Value,Item Attribute Value,Postul caracteristicii Valoarea
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Campanii de vanzari.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,asiguraţi-Pontaj
@@ -846,30 +850,30 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Activ casate prin Jurnal de intrare {0}
DocType: Employee Loan,Interest Income Account,Contul Interes Venit
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Biotehnologie
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Cheltuieli de întreținere birou
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Cheltuieli de întreținere birou
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Configurarea contului de e-mail
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Va rugam sa introduceti Articol primul
DocType: Account,Liability,Răspundere
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,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}.
DocType: Company,Default Cost of Goods Sold Account,Implicit Costul cont bunuri vândute
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Lista de prețuri nu selectat
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Lista de prețuri nu selectat
DocType: Employee,Family Background,Context familial
DocType: Request for Quotation Supplier,Send Email,Trimiteți-ne email
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Atenție: Attachment invalid {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Atenție: Attachment invalid {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Nici o permisiune
DocType: Company,Default Bank Account,Cont Bancar Implicit
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Pentru a filtra pe baza Party, selectați Party Tip primul"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Actualizare stoc"" nu poate fi activat, deoarece obiectele nu sunt livrate prin {0}"
DocType: Vehicle,Acquisition Date,Data achiziției
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Nos
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Nos
DocType: Item,Items with higher weightage will be shown higher,Articole cu weightage mare va fi afișat mai mare
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Detaliu reconciliere bancară
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Rând # {0}: {1} activ trebuie să fie depuse
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Rând # {0}: {1} activ trebuie să fie depuse
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Nu a fost gasit angajat
DocType: Supplier Quotation,Stopped,Oprita
DocType: Item,If subcontracted to a vendor,Dacă subcontractat la un furnizor
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Grupul de studenți este deja actualizat.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Grupul de studenți este deja actualizat.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Grupul de studenți este deja actualizat.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Grupul de studenți este deja actualizat.
DocType: SMS Center,All Customer Contact,Toate contactele clienților
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Încărcați echilibru stoc prin csv.
DocType: Warehouse,Tree Details,copac Detalii
@@ -881,13 +885,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Cost Center {2} nu aparține Companiei {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Cont {2} nu poate fi un grup
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Postul rând {IDX}: {DOCTYPE} {DOCNAME} nu există în sus "{DOCTYPE} 'masă
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Pontajul {0} este deja finalizată sau anulată
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Pontajul {0} este deja finalizată sau anulată
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Nu există nicio sarcină
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc",
DocType: Asset,Opening Accumulated Depreciation,Deschidere Amortizarea Acumulate
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Scorul trebuie să fie mai mică sau egală cu 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Programul Instrumentul de înscriere
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,Înregistrări formular-C
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,Înregistrări formular-C
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Client și furnizor
DocType: Email Digest,Email Digest Settings,Setari Email Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Vă mulțumesc pentru afacerea dvs!
@@ -897,17 +901,19 @@
DocType: Bin,Moving Average Rate,Rata medie mobilă
DocType: Production Planning Tool,Select Items,Selectați Elemente
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} comparativ cu factura {1} din data de {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Numărul vehiculului / autobuzului
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Program de curs de
DocType: Maintenance Visit,Completion Status,Stare Finalizare
DocType: HR Settings,Enter retirement age in years,Introdu o vârsta de pensionare în anii
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Țintă Warehouse
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Selectați un depozit
DocType: Cheque Print Template,Starting location from left edge,Punctul de plecare de la marginea din stânga
DocType: Item,Allow over delivery or receipt upto this percent,Permiteți peste livrare sau primire pana la acest procent
DocType: Stock Entry,STE-,sterilizabile
DocType: Upload Attendance,Import Attendance,Import Spectatori
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Toate grupurile articolului
DocType: Process Payroll,Activity Log,Jurnal Activitate
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Profit / pierdere net
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Profit / pierdere net
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Compune în mod automat un mesaj la introducere de tranzacții.
DocType: Production Order,Item To Manufacture,Articol pentru Fabricare
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} statusul este {2}
@@ -916,16 +922,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Comandă de aprovizionare de plata
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Proiectat Cantitate
DocType: Sales Invoice,Payment Due Date,Data scadentă de plată
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Postul Varianta {0} există deja cu aceleași atribute
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Postul Varianta {0} există deja cu aceleași atribute
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',"Deschiderea"
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Deschideți To Do
DocType: Notification Control,Delivery Note Message,Nota de Livrare Mesaj
DocType: Expense Claim,Expenses,Cheltuieli
+,Support Hours,Ore de sprijin
DocType: Item Variant Attribute,Item Variant Attribute,Varianta element Atribut
,Purchase Receipt Trends,Tendințe Primirea de cumpărare
DocType: Process Payroll,Bimonthly,Bilunar
DocType: Vehicle Service,Brake Pad,Pad de frână
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Cercetare & Dezvoltare
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Cercetare & Dezvoltare
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Sumă pentru facturare
DocType: Company,Registration Details,Detalii de înregistrare
DocType: Timesheet,Total Billed Amount,Suma totală Billed
@@ -938,12 +945,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Se obține numai Materii prime
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,De evaluare a performantei.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Dacă activați opțiunea "Utilizare pentru Cos de cumparaturi ', ca Cosul de cumparaturi este activat și trebuie să existe cel puțin o regulă fiscală pentru Cos de cumparaturi"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Intrarea plată {0} este legată de comanda {1}, verificați dacă acesta ar trebui să fie tras ca avans în această factură."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Intrarea plată {0} este legată de comanda {1}, verificați dacă acesta ar trebui să fie tras ca avans în această factură."
DocType: Sales Invoice Item,Stock Details,Stoc Detalii
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Valoare proiect
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Punct de vânzare
DocType: Vehicle Log,Odometer Reading,Kilometrajul
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Soldul contului este deja în credit, nu vă este permis să setați ""Balanța trebuie să fie"" drept ""Debit""."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Soldul contului este deja în credit, nu vă este permis să setați ""Balanța trebuie să fie"" drept ""Debit""."
DocType: Account,Balance must be,Bilanţul trebuie să fie
DocType: Hub Settings,Publish Pricing,Publica Prețuri
DocType: Notification Control,Expense Claim Rejected Message,Mesaj Respingere Revendicare Cheltuieli
@@ -953,7 +960,7 @@
DocType: Salary Slip,Working Days,Zile lucratoare
DocType: Serial No,Incoming Rate,Rate de intrare
DocType: Packing Slip,Gross Weight,Greutate brută
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,Numele companiei dumneavoastră pentru care vă sunt configurarea acestui sistem.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,Numele companiei dumneavoastră pentru care vă sunt configurarea acestui sistem.
DocType: HR Settings,Include holidays in Total no. of Working Days,Includ vacanțe în total nr. de zile lucrătoare
DocType: Job Applicant,Hold,Păstrarea / Ţinerea / Deţinerea
DocType: Employee,Date of Joining,Data Aderării
@@ -964,20 +971,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Primirea de cumpărare
,Received Items To Be Billed,Articole primite Pentru a fi facturat
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Depuse Alunecările salariale
-DocType: Employee,Ms,Ms
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Maestru cursului de schimb valutar.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Referință Doctype trebuie să fie una dintre {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Maestru cursului de schimb valutar.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referință Doctype trebuie să fie una dintre {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Imposibilitatea de a găsi timp Slot în următorii {0} zile pentru Operațiunea {1}
DocType: Production Order,Plan material for sub-assemblies,Material Plan de subansambluri
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Parteneri de vânzări și teritoriu
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,Nu se poate crea în mod automat Contul deoarece există deja sold stoc în cont. Trebuie să creați un cont de potrivire înainte de a putea face o intrare pe acest depozit
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} trebuie să fie activ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} trebuie să fie activ
DocType: Journal Entry,Depreciation Entry,amortizare intrare
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Vă rugăm să selectați tipul de document primul
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Anuleaza Vizite Material {0} înainte de a anula această Vizita de întreținere
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serial Nu {0} nu aparține postul {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Necesar Cantitate
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Depozite de tranzacții existente nu pot fi convertite în contabilitate.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Depozite de tranzacții existente nu pot fi convertite în contabilitate.
DocType: Bank Reconciliation,Total Amount,Suma totală
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Editura Internet
DocType: Production Planning Tool,Production Orders,Comenzi de producție
@@ -992,25 +997,26 @@
DocType: Fee Structure,Components,Componente
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Vă rugăm să introduceți activ Categorie la postul {0}
DocType: Quality Inspection Reading,Reading 6,Reading 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Can not {0} {1} {2} fără nici o factură negativă restante
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Can not {0} {1} {2} fără nici o factură negativă restante
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Factura de cumpărare în avans
DocType: Hub Settings,Sync Now,Sincronizare acum
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Rând {0}: intrare de credit nu poate fi legat de o {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Definiți bugetul pentru un exercițiu financiar.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Definiți bugetul pentru un exercițiu financiar.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Contul Bancar / de Numerar implicit va fi actualizat automat în Factura POS atunci când acest mod este selectat.
DocType: Lead,LEAD-,CONDUCE-
DocType: Employee,Permanent Address Is,Adresa permanentă este
DocType: Production Order Operation,Operation completed for how many finished goods?,Funcționare completat de cât de multe bunuri finite?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,Marca
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Marca
DocType: Employee,Exit Interview Details,Detalii Interviu de Iesire
DocType: Item,Is Purchase Item,Este de cumparare Articol
DocType: Asset,Purchase Invoice,Factura de cumpărare
DocType: Stock Ledger Entry,Voucher Detail No,Detaliu voucher Nu
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Noua factură de vânzări
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Noua factură de vânzări
DocType: Stock Entry,Total Outgoing Value,Valoarea totală de ieșire
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Deschiderea și data inchiderii ar trebui să fie în același an fiscal
DocType: Lead,Request for Information,Cerere de informații
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sincronizare offline Facturile
+,LeaderBoard,LEADERBOARD
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Sincronizare offline Facturile
DocType: Payment Request,Paid,Plătit
DocType: Program Fee,Program Fee,Taxa de program
DocType: Salary Slip,Total in words,Total în cuvinte
@@ -1019,13 +1025,13 @@
DocType: Cheque Print Template,Has Print Format,Are Format imprimare
DocType: Employee Loan,Sanctioned,consacrat
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,este obligatorie. Poate înregistrarea de schimb valutar nu este creeatã pentru
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Rând # {0}: Vă rugăm să specificați Nu serial pentru postul {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pentru elementele "produse Bundle", Warehouse, Serial No și lot nr vor fi luate în considerare de la "ambalare List" masa. Dacă Warehouse și Lot nr sunt aceleași pentru toate elementele de ambalaj pentru produs orice "Bundle produs", aceste valori pot fi introduse în tabelul de punctul principal, valorile vor fi copiate "de ambalare Lista" masă."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Rând # {0}: Vă rugăm să specificați Nu serial pentru postul {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pentru elementele "produse Bundle", Warehouse, Serial No și lot nr vor fi luate în considerare de la "ambalare List" masa. Dacă Warehouse și Lot nr sunt aceleași pentru toate elementele de ambalaj pentru produs orice "Bundle produs", aceste valori pot fi introduse în tabelul de punctul principal, valorile vor fi copiate "de ambalare Lista" masă."
DocType: Job Opening,Publish on website,Publica pe site-ul
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Transporturile către clienți.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Furnizor Data facturii nu poate fi mai mare decât postare Data
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Furnizor Data facturii nu poate fi mai mare decât postare Data
DocType: Purchase Invoice Item,Purchase Order Item,Comandă de aprovizionare Articol
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Venituri indirecte
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Venituri indirecte
DocType: Student Attendance Tool,Student Attendance Tool,Instrumentul de student Participarea
DocType: Cheque Print Template,Date Settings,dată Setări
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Variație
@@ -1043,21 +1049,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Chimic
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Default cont bancar / numerar vor fi actualizate automat în Jurnalul de intrare a salariului când este selectat acest mod.
DocType: BOM,Raw Material Cost(Company Currency),Brut Costul materialelor (companie Moneda)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Toate articolele acestei comenzi de producție au fost deja transferate.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Toate articolele acestei comenzi de producție au fost deja transferate.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Rândul # {0}: Rata nu poate fi mai mare decât rata folosită în {1} {2}
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Rândul # {0}: Rata nu poate fi mai mare decât rata folosită în {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,Metru
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,Metru
DocType: Workstation,Electricity Cost,Cost energie electrică
DocType: HR Settings,Don't send Employee Birthday Reminders,Nu trimiteți Memento pentru Zi de Nastere Angajat
DocType: Item,Inspection Criteria,Criteriile de inspecție
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Transferat
DocType: BOM Website Item,BOM Website Item,Site-ul BOM Articol
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Încărcați capul scrisoare și logo-ul. (Le puteți edita mai târziu).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Încărcați capul scrisoare și logo-ul. (Le puteți edita mai târziu).
DocType: Timesheet Detail,Bill,Factură
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,În continuare Amortizarea Data este introdusă ca dată rămas singur
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Alb
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Alb
DocType: SMS Center,All Lead (Open),Toate articolele de top (deschise)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rândul {0}: Cant nu este disponibil pentru {4} în depozit {1} în postarea momentul înscrierii ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rândul {0}: Cant nu este disponibil pentru {4} în depozit {1} în postarea momentul înscrierii ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Obtine Avansurile Achitate
DocType: Item,Automatically Create New Batch,Crearea automată a lotului nou
DocType: Item,Automatically Create New Batch,Crearea automată a lotului nou
@@ -1068,13 +1074,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Cosul meu
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Pentru Tipul trebuie să fie una dintre {0}
DocType: Lead,Next Contact Date,Următor Contact Data
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Deschiderea Cantitate
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,Vă rugăm să introduceți cont pentru Schimbare Sumă
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Deschiderea Cantitate
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,Vă rugăm să introduceți cont pentru Schimbare Sumă
DocType: Student Batch Name,Student Batch Name,Nume elev Lot
DocType: Holiday List,Holiday List Name,Denumire Lista de Vacanță
DocType: Repayment Schedule,Balance Loan Amount,Soldul Suma creditului
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Curs orar
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Opțiuni pe acțiuni
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Opțiuni pe acțiuni
DocType: Journal Entry Account,Expense Claim,Revendicare Cheltuieli
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Sigur doriți să restabiliți acest activ casate?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Cantitate pentru {0}
@@ -1086,12 +1092,12 @@
DocType: Company,Default Terms,Termeni implicite
DocType: Packing Slip Item,Packing Slip Item,Bonul Articol
DocType: Purchase Invoice,Cash/Bank Account,Numerar/Cont Bancar
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Vă rugăm să specificați un {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Vă rugăm să specificați un {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Articole eliminate cu nici o schimbare în cantitate sau de valoare.
DocType: Delivery Note,Delivery To,De Livrare la
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Tabelul atribut este obligatoriu
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Tabelul atribut este obligatoriu
DocType: Production Planning Tool,Get Sales Orders,Obține comenzile de vânzări
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} nu poate fi negativ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} nu poate fi negativ
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Reducere
DocType: Asset,Total Number of Depreciations,Număr total de Deprecieri
DocType: Sales Invoice Item,Rate With Margin,Rate cu marjă
@@ -1112,7 +1118,6 @@
DocType: Serial No,Creation Document No,Creare Document Nr.
DocType: Issue,Issue,Problema
DocType: Asset,Scrapped,dezmembrate
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Cont nu se potrivește cu Compania
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Atributele pentru variante articol. de exemplu dimensiune, culoare etc."
DocType: Purchase Invoice,Returns,Se intoarce
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP Depozit
@@ -1124,12 +1129,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,"Postul trebuie să fie adăugate folosind ""obține elemente din Cumpără Încasări"" buton"
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Includ elemente non-stoc
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Cheltuieli de vânzare
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Cheltuieli de vânzare
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Cumpararea Standard
DocType: GL Entry,Against,Comparativ
DocType: Item,Default Selling Cost Center,Centru de Cost Vanzare Implicit
DocType: Sales Partner,Implementation Partner,Partener de punere în aplicare
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Cod postal
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Cod postal
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Comandă de vânzări {0} este {1}
DocType: Opportunity,Contact Info,Informaţii Persoana de Contact
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Efectuarea de stoc Entries
@@ -1142,32 +1147,32 @@
DocType: Holiday List,Get Weekly Off Dates,Obtine Perioada Libera Saptamanala
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,Data de Incheiere nu poate fi anterioara Datei de Incepere
DocType: Sales Person,Select company name first.,Selectați numele companiei în primul rând.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Dr
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Cotatiilor primite de la furnizori.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Pentru a {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Vârstă medie
DocType: School Settings,Attendance Freeze Date,Data de înghețare a prezenței
DocType: School Settings,Attendance Freeze Date,Data de înghețare a prezenței
DocType: Opportunity,Your sales person who will contact the customer in future,Persoana de vânzări care va contacta clientul în viitor
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Listeaza cativa din furnizorii dvs. Ei ar putea fi organizații sau persoane fizice.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Listeaza cativa din furnizorii dvs. Ei ar putea fi organizații sau persoane fizice.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Vezi toate produsele
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Vârsta minimă de plumb (zile)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,toate BOM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,toate BOM
DocType: Company,Default Currency,Monedă implicită
DocType: Expense Claim,From Employee,Din Angajat
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Atenție: Sistemul nu va verifica supraîncărcată din sumă pentru postul {0} din {1} este zero
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Atenție: Sistemul nu va verifica supraîncărcată din sumă pentru postul {0} din {1} este zero
DocType: Journal Entry,Make Difference Entry,Realizeaza Intrare de Diferenta
DocType: Upload Attendance,Attendance From Date,Prezenţa del la data
DocType: Appraisal Template Goal,Key Performance Area,Domeniu de Performanță Cheie
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Transport
+DocType: Program Enrollment,Transportation,Transport
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Atribut nevalid
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} trebuie să fie introdus
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} trebuie să fie introdus
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Cantitatea trebuie sa fie mai mic sau egal cu {0}
DocType: SMS Center,Total Characters,Total de caractere
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Vă rugăm să selectați BOM BOM în domeniu pentru postul {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Vă rugăm să selectați BOM BOM în domeniu pentru postul {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,Detaliu factură formular-C
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Reconcilierea plata facturii
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Contribuția%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","În conformitate cu Setările de cumpărare dacă comanda de aprovizionare este obligatorie == 'YES', atunci pentru a crea factura de cumpărare, utilizatorul trebuie să creeze mai întâi comanda de aprovizionare pentru elementul {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Numerele de înregistrare companie pentru referință. Numerele fiscale etc
DocType: Sales Partner,Distributor,Distribuitor
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Cosul de cumparaturi Articolul Transport
@@ -1176,23 +1181,25 @@
,Ordered Items To Be Billed,Comandat de Articole Pentru a fi facturat
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Din Gama trebuie să fie mai mică de la gama
DocType: Global Defaults,Global Defaults,Valori Implicite Globale
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Colaborare proiect Invitație
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Colaborare proiect Invitație
DocType: Salary Slip,Deductions,Deduceri
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Anul de începere
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},Primele 2 cifre ale GSTIN ar trebui să se potrivească cu numărul de stat {0}
DocType: Purchase Invoice,Start date of current invoice's period,Data perioadei de factura de curent începem
DocType: Salary Slip,Leave Without Pay,Concediu Fără Plată
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Capacitate de eroare de planificare
,Trial Balance for Party,Trial Balance pentru Party
DocType: Lead,Consultant,Consultant
DocType: Salary Slip,Earnings,Câștiguri
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Postul terminat {0} trebuie să fie introdusă de intrare de tip fabricarea
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Postul terminat {0} trebuie să fie introdusă de intrare de tip fabricarea
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Sold Contabilitate
+,GST Sales Register,Registrul vânzărilor GST
DocType: Sales Invoice Advance,Sales Invoice Advance,Factura Vanzare Advance
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Nimic de a solicita
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Un alt record buget '{0} "există deja împotriva {1}' {2} 'pentru anul fiscal {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date','Data efectivă de începere' nu poate fi după 'Data efectivă de sfârșit'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Management
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Management
DocType: Cheque Print Template,Payer Settings,Setări plătitorilor
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Acest lucru va fi adăugat la Codul punctul de varianta. De exemplu, în cazul în care abrevierea este ""SM"", iar codul produs face ""T-SHIRT"", codul punctul de varianta va fi ""T-SHIRT-SM"""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Pay net (în cuvinte) vor fi vizibile după ce salvați fluturasul de salariu.
@@ -1209,8 +1216,8 @@
DocType: Employee Loan,Partially Disbursed,parţial Se eliberează
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Baza de date furnizor.
DocType: Account,Balance Sheet,Bilant
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Centrul de cost pentru postul cu codul Postul '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Modul de plată nu este configurat. Vă rugăm să verificați, dacă contul a fost setat pe modul de plăți sau la POS Profil."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Centrul de cost pentru postul cu codul Postul '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Modul de plată nu este configurat. Vă rugăm să verificați, dacă contul a fost setat pe modul de plăți sau la POS Profil."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Persoană de vânzări va primi un memento la această dată pentru a lua legătura cu clientul
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Același articol nu poate fi introdus de mai multe ori.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Conturile suplimentare pot fi făcute sub Groups, dar intrările pot fi făcute împotriva non-Grupuri"
@@ -1218,7 +1225,7 @@
DocType: Email Digest,Payables,Datorii
DocType: Course,Course Intro,Intro curs de
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Arhivă de intrare {0} creat
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Respins Cantitate nu pot fi introduse în Purchase Întoarcere
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Respins Cantitate nu pot fi introduse în Purchase Întoarcere
,Purchase Order Items To Be Billed,Cumparare Ordine Articole Pentru a fi facturat
DocType: Purchase Invoice Item,Net Rate,Rata netă
DocType: Purchase Invoice Item,Purchase Invoice Item,Factura de cumpărare Postul
@@ -1245,7 +1252,7 @@
DocType: Sales Order,SO-,ASA DE-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Vă rugăm să selectați prefix întâi
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Cercetarea
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Cercetarea
DocType: Maintenance Visit Purpose,Work Done,Activitatea desfășurată
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Vă rugăm să specificați cel puțin un atribut în tabelul Atribute
DocType: Announcement,All Students,toţi elevii
@@ -1253,17 +1260,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Vezi Ledger
DocType: Grading Scale,Intervals,intervale
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Cel mai devreme
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Există un grup de articole cu aceeaşi denumire, vă rugăm să schimbați denumirea articolului sau să redenumiţi grupul articolului"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Elev mobil Nr
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Restul lumii
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Există un grup de articole cu aceeaşi denumire, vă rugăm să schimbați denumirea articolului sau să redenumiţi grupul articolului"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Elev mobil Nr
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Restul lumii
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Postul {0} nu poate avea Lot
,Budget Variance Report,Raport de variaţie buget
DocType: Salary Slip,Gross Pay,Plata Bruta
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Rândul {0}: Activitatea de tip este obligatorie.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Dividendele plătite
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Dividendele plătite
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Registru Jurnal
DocType: Stock Reconciliation,Difference Amount,Diferența Suma
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Venituri Reținute
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Venituri Reținute
DocType: Vehicle Log,Service Detail,Detaliu serviciu
DocType: BOM,Item Description,Descriere Articol
DocType: Student Sibling,Student Sibling,elev Sibling
@@ -1277,11 +1284,11 @@
DocType: Opportunity Item,Opportunity Item,Oportunitate Articol
,Student and Guardian Contact Details,Student și Guardian Detalii de contact
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Rândul {0}: furnizor {0} Adresa de e-mail este necesară pentru a trimite e-mail
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Deschiderea temporară
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Deschiderea temporară
,Employee Leave Balance,Bilant Concediu Angajat
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Bilanţă pentru contul {0} trebuie să fie întotdeauna {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Rata de evaluare cerute pentru postul în rândul {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Exemplu: Master în Informatică
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Exemplu: Master în Informatică
DocType: Purchase Invoice,Rejected Warehouse,Depozit Respins
DocType: GL Entry,Against Voucher,Comparativ voucherului
DocType: Item,Default Buying Cost Center,Centru de Cost Cumparare Implicit
@@ -1294,33 +1301,32 @@
DocType: Journal Entry,Get Outstanding Invoices,Obtine Facturi Neachitate
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Comandă de vânzări {0} nu este valid
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Comenzile de aprovizionare vă ajuta să planificați și să urmați pe achizițiile dvs.
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Ne pare rău, companiile nu se pot uni"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Ne pare rău, companiile nu se pot uni"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",Cantitatea totală de emisie / transfer {0} din solicitarea materialului {1} nu poate fi mai mare decât cantitatea cerută {2} pentru articolul {3}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",Cantitatea totală de emisie / transfer {0} în solicitarea materialului {1} nu poate fi mai mare decât cantitatea cerută {2} pentru articolul {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Mic
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Mic
DocType: Employee,Employee Number,Numar angajat
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Cazul nr. (s) este deja utilizat. Încercați din cazul nr. {s}
DocType: Project,% Completed,% Finalizat
,Invoiced Amount (Exculsive Tax),Facturate Suma (Exculsive Tax)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Punctul 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Titularul contului {0} creat
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,Eveniment de formare
DocType: Item,Auto re-order,Auto re-comanda
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Raport Realizat
DocType: Employee,Place of Issue,Locul eliberării
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Contract
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Contract
DocType: Email Digest,Add Quote,Adaugă Citat
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},Factor coversion UOM UOM necesare pentru: {0} in articol: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Cheltuieli indirecte
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Factor coversion UOM UOM necesare pentru: {0} in articol: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Cheltuieli indirecte
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Rând {0}: Cant este obligatorie
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Agricultură
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sincronizare Date
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Produsele sau serviciile dvs.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sincronizare Date
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Produsele sau serviciile dvs.
DocType: Mode of Payment,Mode of Payment,Mod de plata
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Site-ul Image ar trebui să fie un fișier public sau site-ul URL-ul
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Site-ul Image ar trebui să fie un fișier public sau site-ul URL-ul
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Acesta este un grup element rădăcină și nu pot fi editate.
@@ -1329,17 +1335,17 @@
DocType: Warehouse,Warehouse Contact Info,Date de contact depozit
DocType: Payment Entry,Write Off Difference Amount,Diferență Sumă Piertdute
DocType: Purchase Invoice,Recurring Type,Tip recurent
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: e-mail angajat nu a fost găsit, prin urmare, nu a fost trimis mail"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: e-mail angajat nu a fost găsit, prin urmare, nu a fost trimis mail"
DocType: Item,Foreign Trade Details,Detalii Comerț Exterior
DocType: Email Digest,Annual Income,Venit anual
DocType: Serial No,Serial No Details,Serial Nu Detalii
DocType: Purchase Invoice Item,Item Tax Rate,Rata de Impozitare Articol
DocType: Student Group Student,Group Roll Number,Numărul rolurilor de grup
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Pentru {0}, numai conturi de credit poate fi legat de o altă intrare în debit"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Totală a tuturor greutăților sarcinii trebuie să fie 1. Ajustați greutățile tuturor sarcinilor de proiect în consecință
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Nota de Livrare {0} nu este introdusa
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Articolul {0} trebuie să fie un Articol Sub-contractat
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Echipamente de Capital
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Totală a tuturor greutăților sarcinii trebuie să fie 1. Ajustați greutățile tuturor sarcinilor de proiect în consecință
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Nota de Livrare {0} nu este introdusa
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Articolul {0} trebuie să fie un Articol Sub-contractat
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Echipamente de Capital
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Regula de stabilire a prețurilor este selectat în primul rând bazat pe ""Aplicați pe"" teren, care poate fi produs, Grupa de articole sau de brand."
DocType: Hub Settings,Seller Website,Vânzător Site-ul
DocType: Item,ITEM-,ARTICOL-
@@ -1357,7 +1363,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Nu poate fi doar o singură regulă Condiții presetate cu 0 sau o valoare necompletată pentru ""la valoarea"""
DocType: Authorization Rule,Transaction,Tranzacție
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Notă: Acest centru de cost este un grup. Nu pot face înregistrări contabile impotriva grupuri.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,Există depozit copil pentru acest depozit. Nu puteți șterge acest depozit.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Există depozit copil pentru acest depozit. Nu puteți șterge acest depozit.
DocType: Item,Website Item Groups,Site-ul Articol Grupuri
DocType: Purchase Invoice,Total (Company Currency),Total (Company valutar)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Număr de serie {0} a intrat de mai multe ori
@@ -1367,7 +1373,7 @@
DocType: Grading Scale Interval,Grade Code,Cod grad
DocType: POS Item Group,POS Item Group,POS Articol Grupa
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email Digest:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} nu aparţine articolului {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} nu aparţine articolului {1}
DocType: Sales Partner,Target Distribution,Țintă Distribuție
DocType: Salary Slip,Bank Account No.,Cont bancar nr.
DocType: Naming Series,This is the number of the last created transaction with this prefix,Acesta este numărul ultimei tranzacții create cu acest prefix
@@ -1378,12 +1384,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Încărcarea automată a amortizării activelor din cont
DocType: BOM Operation,Workstation,Stație de lucru
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Cerere de ofertă Furnizor
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Hardware
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Hardware
DocType: Sales Order,Recurring Upto,recurente upto
DocType: Attendance,HR Manager,Manager Resurse Umane
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Vă rugăm să selectați o companie
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Privilege concediu
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Vă rugăm să selectați o companie
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Privilege concediu
DocType: Purchase Invoice,Supplier Invoice Date,Furnizor Data facturii
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,pe
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Trebuie să activați Cosul de cumparaturi
DocType: Payment Entry,Writeoff,Achita
DocType: Appraisal Template Goal,Appraisal Template Goal,Obiectiv model expertivă
@@ -1394,10 +1401,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Condiții se suprapun găsite între:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Comparativ intrării {0} în jurnal este deja ajustată comparativ altui voucher
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Valoarea totală Comanda
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Produse Alimentare
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Produse Alimentare
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Clasă de uzură 3
DocType: Maintenance Schedule Item,No of Visits,Nu de vizite
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,marcă de prezență
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,marcă de prezență
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Planul de întreținere {0} există împotriva {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,student inregistrat
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Valuta contului de închidere trebuie să fie {0}
@@ -1411,6 +1418,7 @@
DocType: Rename Tool,Utilities,Utilitați
DocType: Purchase Invoice Item,Accounting,Contabilitate
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Selectați loturile pentru elementul vărsat
DocType: Asset,Depreciation Schedules,Orarele de amortizare
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Perioada de aplicare nu poate fi perioadă de alocare concediu în afara
DocType: Activity Cost,Projects,Proiecte
@@ -1424,6 +1432,7 @@
DocType: POS Profile,Campaign,Campanie
DocType: Supplier,Name and Type,Numele și tipul
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Statusul aprobării trebuie să fie ""Aprobat"" sau ""Respins"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,bootstrap
DocType: Purchase Invoice,Contact Person,Persoană de contact
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Data de început preconizatã' nu poate fi dupa data 'Data de sfârșit anticipatã'
DocType: Course Scheduling Tool,Course End Date,Desigur Data de încheiere
@@ -1431,12 +1440,11 @@
DocType: Sales Order Item,Planned Quantity,Planificate Cantitate
DocType: Purchase Invoice Item,Item Tax Amount,Suma Taxa Articol
DocType: Item,Maintain Stock,Menținere de Stock
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,
DocType: Employee,Prefered Email,E-mail Preferam
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Schimbarea net în active fixe
DocType: Leave Control Panel,Leave blank if considered for all designations,Lăsați necompletat dacă se consideră pentru toate denumirile
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Depozit este obligatorie pentru conturile care nu sunt de grup de tip stoc
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Taxa de tip 'Efectiv' în inregistrarea {0} nu poate fi inclus în Rata Articol"""
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Taxa de tip 'Efectiv' în inregistrarea {0} nu poate fi inclus în Rata Articol"""
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,De la Datetime
DocType: Email Digest,For Company,Pentru Companie
@@ -1446,15 +1454,15 @@
DocType: Sales Invoice,Shipping Address Name,Transport Adresa Nume
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Grafic Conturi
DocType: Material Request,Terms and Conditions Content,Termeni și condiții de conținut
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,nu poate fi mai mare de 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Articolul{0} nu este un element de stoc
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,nu poate fi mai mare de 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Articolul{0} nu este un element de stoc
DocType: Maintenance Visit,Unscheduled,Neprogramat
DocType: Employee,Owned,Deținut
DocType: Salary Detail,Depends on Leave Without Pay,Depinde de concediu fără plată
DocType: Pricing Rule,"Higher the number, higher the priority","Este mai mare numărul, mai mare prioritate"
,Purchase Invoice Trends,Cumpărare Tendințe factură
DocType: Employee,Better Prospects,Perspective îmbunătăţite
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Rândul # {0}: lotul {1} are doar {2} qty. Selectați un alt lot care are {3} qty disponibil sau împărți rândul în mai multe rânduri, pentru a livra / emite din mai multe loturi"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Rândul # {0}: lotul {1} are doar {2} qty. Selectați un alt lot care are {3} qty disponibil sau împărți rândul în mai multe rânduri, pentru a livra / emite din mai multe loturi"
DocType: Vehicle,License Plate,Înmatriculare
DocType: Appraisal,Goals,Obiective
DocType: Warranty Claim,Warranty / AMC Status,Garanție / AMC Starea
@@ -1465,7 +1473,8 @@
,Batch-Wise Balance History,Istoricul balanţei principale aferente lotului
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Setările de imprimare actualizate în format de imprimare respectiv
DocType: Package Code,Package Code,Cod pachet
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Începător
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Începător
+DocType: Purchase Invoice,Company GSTIN,Compania GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Nu este permisă cantitate negativă
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","Taxa detaliu tabel preluat de la maestru articol ca un șir și stocate în acest domeniu.
@@ -1473,12 +1482,12 @@
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Angajat nu pot raporta la sine.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","În cazul în care contul este blocat, intrările sunt permite utilizatorilor restricționati."
DocType: Email Digest,Bank Balance,Banca Balance
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Contabilitate de intrare pentru {0}: {1} se poate face numai în valută: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Contabilitate de intrare pentru {0}: {1} se poate face numai în valută: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Profilul postului, calificări necesare, etc"
DocType: Journal Entry Account,Account Balance,Soldul contului
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Regula de impozit pentru tranzacțiile.
DocType: Rename Tool,Type of document to rename.,Tip de document pentru a redenumi.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Cumparam acest articol
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Cumparam acest articol
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Clientul este necesară împotriva contului Receivable {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Total Impozite si Taxe (Compania valutar)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Afișați soldurile L P & anul fiscal unclosed lui
@@ -1489,29 +1498,30 @@
DocType: Stock Entry,Total Additional Costs,Costuri totale suplimentare
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Cost resturi de material (companie Moneda)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Sub Assemblies
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Sub Assemblies
DocType: Asset,Asset Name,Denumire activ
DocType: Project,Task Weight,sarcina Greutate
DocType: Shipping Rule Condition,To Value,La valoarea
DocType: Asset Movement,Stock Manager,Stock Manager
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Depozit sursă este obligatorie pentru rând {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Slip de ambalare
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Birou inchiriat
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Depozit sursă este obligatorie pentru rând {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Slip de ambalare
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Birou inchiriat
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Setări de configurare SMS gateway-ul
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Import a eșuat!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Nici adresa adăugat încă.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Nici adresa adăugat încă.
DocType: Workstation Working Hour,Workstation Working Hour,Statie de lucru de ore de lucru
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Analist
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Analist
DocType: Item,Inventory,Inventarierea
DocType: Item,Sales Details,Detalii vânzări
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,Cu articole
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,În Cantitate
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,În Cantitate
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Validați cursul înscris pentru elevii din grupul de studenți
DocType: Notification Control,Expense Claim Rejected,Revendicare Cheltuieli Respinsa
DocType: Item,Item Attribute,Postul Atribut
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Guvern
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Guvern
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Cheltuiala Revendicarea {0} există deja pentru vehicul Log
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Numele Institutului
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Numele Institutului
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,Vă rugăm să introduceți Suma de rambursare
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Variante Postul
DocType: Company,Services,Servicii
@@ -1521,18 +1531,18 @@
DocType: Sales Invoice,Source,Sursă
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Afișează închis
DocType: Leave Type,Is Leave Without Pay,Este concediu fără plată
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Categoria activ este obligatorie pentru postul de activ fix
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Categoria activ este obligatorie pentru postul de activ fix
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Nu sunt găsite în tabelul de plăți înregistrări
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Acest {0} conflicte cu {1} pentru {2} {3}
DocType: Student Attendance Tool,Students HTML,HTML studenții
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Data de Inceput An Financiar
DocType: POS Profile,Apply Discount,Aplicați o reducere
+DocType: Purchase Invoice Item,GST HSN Code,Codul GST HSN
DocType: Employee External Work History,Total Experience,Experiența totală
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Proiecte deschise
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Slip de ambalare (e) anulate
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Cash Flow de la Investiții
DocType: Program Course,Program Course,Curs Program
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Incarcatura și Taxe de Expediere
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Incarcatura și Taxe de Expediere
DocType: Homepage,Company Tagline for website homepage,Firma Tagline pentru pagina de start site
DocType: Item Group,Item Group Name,Denumire Grup Articol
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Luate
@@ -1542,6 +1552,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Creați Oportunitati
DocType: Maintenance Schedule,Schedules,Orarele
DocType: Purchase Invoice Item,Net Amount,Cantitate netă
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nu a fost trimis, astfel încât acțiunea nu poate fi finalizată"
DocType: Purchase Order Item Supplied,BOM Detail No,Detaliu BOM nr.
DocType: Landed Cost Voucher,Additional Charges,Costuri suplimentare
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Discount suplimentar Suma (companie de valuta)
@@ -1557,6 +1568,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Suma de rambursare lunar
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,Vă rugăm să setați câmp ID de utilizator într-o înregistrare angajat să stabilească Angajat rol
DocType: UOM,UOM Name,Numele UOM
+DocType: GST HSN Code,HSN Code,Codul HSN
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Contribuția Suma
DocType: Purchase Invoice,Shipping Address,Adresa de livrare
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Acest instrument vă ajută să actualizați sau stabili cantitatea și evaluarea stocului in sistem. Acesta este de obicei folosit pentru a sincroniza valorile de sistem și ceea ce există de fapt în depozite tale.
@@ -1567,18 +1579,17 @@
DocType: Program Enrollment Tool,Program Enrollments,Inscrierile pentru programul
DocType: Sales Invoice Item,Brand Name,Denumire marcă
DocType: Purchase Receipt,Transporter Details,Detalii Transporter
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,depozitul implicit este necesar pentru elementul selectat
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Cutie
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,depozitul implicit este necesar pentru elementul selectat
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Cutie
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,posibil furnizor
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Organizația
DocType: Budget,Monthly Distribution,Distributie lunar
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Receptor Lista goala. Vă rugăm să creați Receiver Lista
DocType: Production Plan Sales Order,Production Plan Sales Order,Planul de producție comandă de vânzări
DocType: Sales Partner,Sales Partner Target,Vânzări Partner țintă
DocType: Loan Type,Maximum Loan Amount,Suma maximă a împrumutului
DocType: Pricing Rule,Pricing Rule,Regula de stabilire a prețurilor
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Numărul de rolă duplicat pentru student {0}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Numărul de rolă duplicat pentru student {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Numărul de rolă duplicat pentru student {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Numărul de rolă duplicat pentru student {0}
DocType: Budget,Action if Annual Budget Exceeded,Acțiune în cazul în care anual Buget Depășit
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Cerere de material de cumpărare Ordine
DocType: Shopping Cart Settings,Payment Success URL,Plată de succes URL
@@ -1592,11 +1603,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Sold Stock
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} trebuie să apară doar o singură dată
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Nu este permis să transferam mai {0} {1} decât împotriva Comandă {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Nu este permis să transferam mai {0} {1} decât împotriva Comandă {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Concedii alocate cu succes pentru {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Nu sunt produse în ambalaj
DocType: Shipping Rule Condition,From Value,Din Valoare
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Cantitatea de fabricație este obligatorie
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Cantitatea de fabricație este obligatorie
DocType: Employee Loan,Repayment Method,Metoda de rambursare
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Dacă este bifată, pagina de pornire va fi implicit postul Grupului pentru site-ul web"
DocType: Quality Inspection Reading,Reading 4,Reading 4
@@ -1606,7 +1617,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Rând # {0}: Data de lichidare {1} nu poate fi înainte de Cheque Data {2}
DocType: Company,Default Holiday List,Implicit Listă de vacanță
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Rândul {0}: De la timp și Ora {1} se suprapune cu {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Pasive stoc
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Pasive stoc
DocType: Purchase Invoice,Supplier Warehouse,Furnizor Warehouse
DocType: Opportunity,Contact Mobile No,Nr. Mobil Persoana de Contact
,Material Requests for which Supplier Quotations are not created,Cererile de materiale pentru care nu sunt create Cotațiile Furnizor
@@ -1617,35 +1628,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Face ofertă
apps/erpnext/erpnext/config/selling.py +216,Other Reports,alte rapoarte
DocType: Dependent Task,Dependent Task,Sarcina dependent
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Factor de Conversie pentru Unitatea de Măsură implicita trebuie să fie 1 pentru inregistrarea {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Factor de Conversie pentru Unitatea de Măsură implicita trebuie să fie 1 pentru inregistrarea {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Concediul de tip {0} nu poate dura mai mare de {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Încercați planificarea operațiunilor de X zile în avans.
DocType: HR Settings,Stop Birthday Reminders,De oprire de naștere Memento
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Vă rugăm să setați Cont Cheltuieli suplimentare salarizare implicit în companie {0}
DocType: SMS Center,Receiver List,Receptor Lista
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,căutare articol
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,căutare articol
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Consumat Suma
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Schimbarea net în numerar
DocType: Assessment Plan,Grading Scale,Scala de notare
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unitate de măsură {0} a fost introdus mai mult de o dată în Factor de conversie Tabelul
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Unitate de măsură {0} a fost introdus mai mult de o dată în Factor de conversie Tabelul
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,deja finalizat
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stoc în mână
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Cerere de plată există deja {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Costul de articole emise
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Cantitatea nu trebuie să fie mai mare de {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Exercițiul financiar precedent nu este închis
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Vârstă (zile)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Vârstă (zile)
DocType: Quotation Item,Quotation Item,Citat Articol
+DocType: Customer,Customer POS Id,ID POS utilizator
DocType: Account,Account Name,Numele Contului
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,De la data nu poate fi mai mare decât la data
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serial Nu {0} {1} cantitate nu poate fi o fracțiune
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Furnizor de tip maestru.
DocType: Purchase Order Item,Supplier Part Number,Furnizor Număr
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Rata de conversie nu poate fi 0 sau 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Rata de conversie nu poate fi 0 sau 1
DocType: Sales Invoice,Reference Document,Documentul de referință
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} este anulată sau oprită
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} este anulată sau oprită
DocType: Accounts Settings,Credit Controller,Controler de Credit
DocType: Delivery Note,Vehicle Dispatch Date,Dispeceratul vehicul Data
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Primirea de cumpărare {0} nu este prezentat
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Primirea de cumpărare {0} nu este prezentat
DocType: Company,Default Payable Account,Implicit cont furnizori
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Setări pentru cosul de cumparaturi on-line, cum ar fi normele de transport maritim, lista de preturi, etc."
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% Facturat
@@ -1664,11 +1677,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Total suma rambursată
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Aceasta se bazează pe bușteni împotriva acestui vehicul. A se vedea calendarul de mai jos pentru detalii
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,Colectarea
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Comparativ facturii furnizorului {0} din data {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Comparativ facturii furnizorului {0} din data {1}
DocType: Customer,Default Price List,Lista de Prețuri Implicita
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Mișcarea de înregistrare a activelor {0} creat
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Nu puteți șterge Anul fiscal {0}. Anul fiscal {0} este setat ca implicit în Setări globale
DocType: Journal Entry,Entry Type,Tipul de intrare
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Nu există niciun plan de evaluare legat de acest grup de evaluare
,Customer Credit Balance,Balanța Clienți credit
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Schimbarea net în conturi de plătit
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Client necesar pentru 'Reducere Client'
@@ -1677,7 +1691,7 @@
DocType: Quotation,Term Details,Detalii pe termen
DocType: Project,Total Sales Cost (via Sales Order),Costul total al vânzărilor (prin comandă de vânzări)
DocType: Project,Total Sales Cost (via Sales Order),Costul total al vânzărilor (prin comandă de vânzări)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Nu se poate inscrie mai mult de {0} studenți pentru acest grup de studenți.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Nu se poate inscrie mai mult de {0} studenți pentru acest grup de studenți.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Conducerea contabilă
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Conducerea contabilă
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} trebuie să fie mai mare decât 0
@@ -1700,7 +1714,7 @@
DocType: Sales Invoice,Packed Items,Articole pachet
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garantie revendicarea împotriva Serial No.
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Înlocuiți un anumit BOM BOM în toate celelalte unde este folosit. Acesta va înlocui pe link-ul vechi BOM, actualizați costurilor și regenera ""BOM explozie articol"" de masă ca pe noi BOM"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Total'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Total'
DocType: Shopping Cart Settings,Enable Shopping Cart,Activați cosul de cumparaturi
DocType: Employee,Permanent Address,Permanent Adresa
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1716,9 +1730,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,Vă rugăm să specificați fie Cantitate sau Evaluează evaluare sau ambele
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,Împlinire
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Vizualizare Coș
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Cheltuieli de marketing
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Cheltuieli de marketing
,Item Shortage Report,Raport Articole Lipsa
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Cerere de material utilizat pentru a face acest stoc de intrare
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,În continuare Amortizarea Data este obligatoriu pentru nou activ
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Separați un grup bazat pe cursuri pentru fiecare lot
@@ -1728,17 +1742,18 @@
,Student Fee Collection,Taxa de student Colectia
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Realizeaza Intrare de Contabilitate Pentru Fiecare Modificare a Stocului
DocType: Leave Allocation,Total Leaves Allocated,Totalul Frunze alocate
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Depozit necesar la Row Nu {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Va rugam sa introduceti valabil financiare Anul începe și a termina Perioada
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Depozit necesar la Row Nu {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Va rugam sa introduceti valabil financiare Anul începe și a termina Perioada
DocType: Employee,Date Of Retirement,Data Pensionare
DocType: Upload Attendance,Get Template,Obține șablon
+DocType: Material Request,Transferred,transferat
DocType: Vehicle,Doors,Usi
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext Setup Complete!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup Complete!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Centru de cost este necesară pentru "profit și pierdere" cont de {2}. Vă rugăm să configurați un centru de cost implicit pentru companie.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Există un grup de clienți cu același nume vă rugăm să schimbați numele clientului sau să redenumiți grupul de clienți
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Contact nou
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Există un grup de clienți cu același nume vă rugăm să schimbați numele clientului sau să redenumiți grupul de clienți
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Contact nou
DocType: Territory,Parent Territory,Teritoriul părinte
DocType: Quality Inspection Reading,Reading 2,Reading 2
DocType: Stock Entry,Material Receipt,Primirea de material
@@ -1747,17 +1762,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Dacă acest element are variante, atunci nu poate fi selectat în comenzile de vânzări, etc."
DocType: Lead,Next Contact By,Următor Contact Prin
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Cantitatea necesară pentru postul {0} în rândul {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},Depozit {0} nu poate fi ștearsă ca exista cantitate pentru postul {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Cantitatea necesară pentru postul {0} în rândul {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Depozit {0} nu poate fi ștearsă ca exista cantitate pentru postul {1}
DocType: Quotation,Order Type,Tip comandă
DocType: Purchase Invoice,Notification Email Address,Notificarea Adresa de e-mail
,Item-wise Sales Register,Registru Vanzari Articol-Avizat
DocType: Asset,Gross Purchase Amount,Sumă brută Cumpărare
DocType: Asset,Depreciation Method,Metoda de amortizare
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Deconectat
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,Deconectat
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Este acest fiscală inclusă în rata de bază?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Raport țintă
-DocType: Program Course,Required,Necesar
DocType: Job Applicant,Applicant for a Job,Solicitant pentru un loc de muncă
DocType: Production Plan Material Request,Production Plan Material Request,Producția Plan de material Cerere
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Nu sunt comenzile de producție create
@@ -1767,17 +1781,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Permite mai multor comenzi de vânzări împotriva Ordinului de Procurare unui client
DocType: Student Group Instructor,Student Group Instructor,Student Grup Instructor
DocType: Student Group Instructor,Student Group Instructor,Student Grup Instructor
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 mobil nr
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Principal
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 mobil nr
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Principal
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variantă
DocType: Naming Series,Set prefix for numbering series on your transactions,Set prefix pentru seria de numerotare pe tranzacțiile dvs.
DocType: Employee Attendance Tool,Employees HTML,Angajații HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Implicit BOM ({0}) trebuie să fie activ pentru acest element sau șablon de
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Implicit BOM ({0}) trebuie să fie activ pentru acest element sau șablon de
DocType: Employee,Leave Encashed?,Concediu Incasat ?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Oportunitatea de la câmp este obligatoriu
DocType: Email Digest,Annual Expenses,Cheltuielile anuale
DocType: Item,Variants,Variante
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Realizeaza Comanda de Cumparare
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Realizeaza Comanda de Cumparare
DocType: SMS Center,Send To,Trimite la
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Nu există echilibru concediu suficient pentru concediul de tip {0}
DocType: Payment Reconciliation Payment,Allocated amount,Suma alocată
@@ -1793,26 +1807,25 @@
DocType: Item,Serial Nos and Batches,Numere și loturi seriale
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Grupul Forței Studenților
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Grupul Forței Studenților
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Comparativ intrării {0} în jurnal nu are nici o intrare nepotrivită {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Comparativ intrării {0} în jurnal nu are nici o intrare nepotrivită {1}
apps/erpnext/erpnext/config/hr.py +137,Appraisals,Cotatie
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Nr. Serial introdus pentru articolul {0} este duplicat
DocType: Shipping Rule Condition,A condition for a Shipping Rule,O condiție pentru o normă de transport
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Te rog intra
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Nu se poate overbill pentru postul {0} în rândul {1} mai mult {2}. Pentru a permite supra-facturare, vă rugăm să setați în Setări de cumpărare"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Vă rugăm să setați filtru bazat pe postul sau depozit
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Nu se poate overbill pentru postul {0} în rândul {1} mai mult {2}. Pentru a permite supra-facturare, vă rugăm să setați în Setări de cumpărare"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Vă rugăm să setați filtru bazat pe postul sau depozit
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Greutatea netă a acestui pachet. (Calculat automat ca suma de greutate netă de produs)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Vă rugăm să creați un cont pentru acest depozit și conectați-l. Acest lucru nu se poate face în mod automat ca un cont cu numele {0} există deja
DocType: Sales Order,To Deliver and Bill,Pentru a livra și Bill
DocType: Student Group,Instructors,instructorii
DocType: GL Entry,Credit Amount in Account Currency,Suma de credit în cont valutar
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} trebuie să fie introdus
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} trebuie să fie introdus
DocType: Authorization Control,Authorization Control,Control de autorizare
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Respins Warehouse este obligatorie împotriva postul respins {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Respins Warehouse este obligatorie împotriva postul respins {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Plată
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Warehouse {0} nu este conectat la niciun cont, menționați contul din înregistrarea din depozit sau setați contul de inventar implicit din compania {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Gestionați comenzile
DocType: Production Order Operation,Actual Time and Cost,Timp și cost efective
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Cerere de material de maximum {0} se poate face pentru postul {1} împotriva comandă de vânzări {2}
-DocType: Employee,Salutation,Salut
DocType: Course,Course Abbreviation,Abreviere curs de
DocType: Student Leave Application,Student Leave Application,Aplicație elev Concediul
DocType: Item,Will also apply for variants,"Va aplică, de asemenea pentru variante"
@@ -1824,12 +1837,12 @@
DocType: Quotation Item,Actual Qty,Cant efectivă
DocType: Sales Invoice Item,References,Referințe
DocType: Quality Inspection Reading,Reading 10,Reading 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Lista de produse sau servicii pe care doriti sa le cumparati sau vindeti. Asigurați-vă că ati verificat Grupul Articolului, Unitatea de Măsură și alte proprietăți atunci când incepeti."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Lista de produse sau servicii pe care doriti sa le cumparati sau vindeti. Asigurați-vă că ati verificat Grupul Articolului, Unitatea de Măsură și alte proprietăți atunci când incepeti."
DocType: Hub Settings,Hub Node,Hub Node
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Ați introdus elemente cu dubluri. Vă rugăm să rectifice și să încercați din nou.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Asociaţi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Asociaţi
DocType: Asset Movement,Asset Movement,Mișcarea activelor
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,nou Coș
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,nou Coș
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Articolul {0} nu este un articol serializat
DocType: SMS Center,Create Receiver List,Creare Lista Recipienti
DocType: Vehicle,Wheels,roţi
@@ -1849,19 +1862,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Se poate face referire la inregistrare numai dacă tipul de taxa este 'Suma inregistrare precedenta' sau 'Total inregistrare precedenta'
DocType: Sales Order Item,Delivery Warehouse,Depozit de livrare
DocType: SMS Settings,Message Parameter,Parametru mesaj
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Tree of centre de cost financiare.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Tree of centre de cost financiare.
DocType: Serial No,Delivery Document No,Nr. de document de Livrare
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Vă rugăm să setați 'Gain / Pierdere de cont privind Eliminarea activelor "în companie {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Obține elemente din achiziție Încasări
DocType: Serial No,Creation Date,Data creării
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Articolul {0} apare de mai multe ori în Lista de Prețuri {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","De vânzare trebuie să fie verificate, dacă este cazul Pentru este selectat ca {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","De vânzare trebuie să fie verificate, dacă este cazul Pentru este selectat ca {0}"
DocType: Production Plan Material Request,Material Request Date,Cerere de material Data
DocType: Purchase Order Item,Supplier Quotation Item,Furnizor ofertă Articol
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Dezactivează crearea de busteni de timp împotriva comenzi de producție. Operațiunile nu trebuie să fie urmărite împotriva producției Ordine
DocType: Student,Student Mobile Number,Elev Număr mobil
DocType: Item,Has Variants,Are variante
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Ați selectat deja un produs de la {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Ați selectat deja un produs de la {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Numele de Distributie lunar
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,ID-ul lotului este obligatoriu
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,ID-ul lotului este obligatoriu
@@ -1872,12 +1885,12 @@
DocType: Budget,Fiscal Year,An Fiscal
DocType: Vehicle Log,Fuel Price,Preț de combustibil
DocType: Budget,Budget,Buget
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Fix elementul de activ trebuie să fie un element de bază non-stoc.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Fix elementul de activ trebuie să fie un element de bază non-stoc.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Bugetul nu pot fi atribuite în {0}, deoarece nu este un cont venituri sau cheltuieli"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Realizat
DocType: Student Admission,Application Form Route,Forma de aplicare Calea
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Teritoriu / client
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,de exemplu 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,de exemplu 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Lasă un {0} Tipul nu poate fi alocată, deoarece este în concediu fără plată"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Rândul {0}: Suma alocată {1} trebuie să fie mai mic sau egal cu factura suma restanta {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,În cuvinte va fi vizibil după ce a salva de vânzări factură.
@@ -1886,7 +1899,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Articolul {0} nu este configurat pentru Numerotare Seriala. Verificati Articolul Principal.
DocType: Maintenance Visit,Maintenance Time,Timp Mentenanta
,Amount to Deliver,Sumă pentru livrare
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Un Produs sau Serviciu
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Un Produs sau Serviciu
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Start Termen Data nu poate fi mai devreme decât data Anul de începere a anului universitar la care este legat termenul (anului universitar {}). Vă rugăm să corectați datele și încercați din nou.
DocType: Guardian,Guardian Interests,Guardian Interese
DocType: Naming Series,Current Value,Valoare curenta
@@ -1900,12 +1913,12 @@
must be greater than or equal to {2}","Rând {0}: Pentru a stabili {1} periodicitate, diferența între de la și până în prezent \ trebuie să fie mai mare sau egal cu {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Aceasta se bazează pe mișcare stoc. A se vedea {0} pentru detalii
DocType: Pricing Rule,Selling,De vânzare
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Suma {0} {1} dedusă împotriva {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Suma {0} {1} dedusă împotriva {2}
DocType: Employee,Salary Information,Informațiile de salarizare
DocType: Sales Person,Name and Employee ID,Nume și ID angajat
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,Data Limita nu poate fi anterioara Datei de POstare
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,Data Limita nu poate fi anterioara Datei de POstare
DocType: Website Item Group,Website Item Group,Site-ul Grupa de articole
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Impozite și taxe
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Impozite și taxe
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Vă rugăm să introduceți data de referință
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} înregistrări de plată nu pot fi filtrate de {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,Tabelul pentru postul care va fi afișat în site-ul
@@ -1922,9 +1935,9 @@
DocType: Payment Reconciliation Payment,Reference Row,rândul de referință
DocType: Installation Note,Installation Time,Timp de instalare
DocType: Sales Invoice,Accounting Details,Contabilitate Detalii
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Ștergeți toate tranzacțiile de acest companie
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Rând # {0}: {1} Funcționare nu este finalizată pentru {2} cantitate de produse finite în Producție Comanda # {3}. Vă rugăm să actualizați starea de funcționare prin timp Busteni
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Investiții
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Ștergeți toate tranzacțiile de acest companie
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Rând # {0}: {1} Funcționare nu este finalizată pentru {2} cantitate de produse finite în Producție Comanda # {3}. Vă rugăm să actualizați starea de funcționare prin timp Busteni
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Investiții
DocType: Issue,Resolution Details,Rezoluția Detalii
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,alocări
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Criteriile de receptie
@@ -1949,7 +1962,7 @@
DocType: Room,Room Name,Numele camerei
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Lasă nu poate fi aplicat / anulata pana la {0}, ca echilibru concediu a fost deja carry transmise în viitor înregistrarea alocare concediu {1}"
DocType: Activity Cost,Costing Rate,Costing Rate
-,Customer Addresses And Contacts,Adrese de clienți și Contacte
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Adrese de clienți și Contacte
,Campaign Efficiency,Eficiența campaniei
,Campaign Efficiency,Eficiența campaniei
DocType: Discussion,Discussion,Discuţie
@@ -1961,14 +1974,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Suma totală de facturare (prin timp Sheet)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Repetați Venituri Clienți
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) trebuie să dețină rolul de ""aprobator cheltuieli"""
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Pereche
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Selectați BOM și Cant pentru producție
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Pereche
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Selectați BOM și Cant pentru producție
DocType: Asset,Depreciation Schedule,Program de amortizare
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Adrese de parteneri de vânzări și contacte
DocType: Bank Reconciliation Detail,Against Account,Comparativ contului
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Jumătate Data zi ar trebui să fie între De la data si pana in prezent
DocType: Maintenance Schedule Detail,Actual Date,Data efectiva
DocType: Item,Has Batch No,Are nr. de Lot
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Facturare anuală: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Facturare anuală: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Mărfuri și servicii fiscale (GST India)
DocType: Delivery Note,Excise Page Number,Numărul paginii accize
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Firma, De la data și până în prezent este obligatorie"
DocType: Asset,Purchase Date,Data cumpărării
@@ -1976,11 +1991,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Vă rugăm să setați "Activ Center Amortizarea Cost" în companie {0}
,Maintenance Schedules,Program de Mentenanta
DocType: Task,Actual End Date (via Time Sheet),Data de încheiere efectivă (prin Ora Sheet)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Suma {0} {1} împotriva {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Suma {0} {1} împotriva {2} {3}
,Quotation Trends,Cotație Tendințe
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Grupa de articole care nu sunt menționate la punctul de master pentru element {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Debit cont trebuie să fie un cont de creanțe
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Grupa de articole care nu sunt menționate la punctul de master pentru element {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Debit cont trebuie să fie un cont de creanțe
DocType: Shipping Rule Condition,Shipping Amount,Suma de transport maritim
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Adăugați clienți
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,În așteptarea Suma
DocType: Purchase Invoice Item,Conversion Factor,Factor de conversie
DocType: Purchase Order,Delivered,Livrat
@@ -1990,7 +2006,8 @@
DocType: Purchase Receipt,Vehicle Number,Numărul de vehicule
DocType: Purchase Invoice,The date on which recurring invoice will be stop,La data la care factura recurente vor fi opri
DocType: Employee Loan,Loan Amount,Sumă împrumutată
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Rândul {0}: Lista de materiale nu a fost găsit pentru elementul {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Vehicul cu autovehicul
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Rândul {0}: Lista de materiale nu a fost găsit pentru elementul {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Total frunze alocate {0} nu poate fi mai mic de frunze deja aprobate {1} pentru perioada
DocType: Journal Entry,Accounts Receivable,Conturi de Incasare
,Supplier-Wise Sales Analytics,Furnizor înțelept Vânzări Analytics
@@ -2008,22 +2025,21 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Revendicarea Cheltuielilor este în curs de aprobare. Doar Aprobatorul de Cheltuieli poate actualiza statusul.
DocType: Email Digest,New Expenses,Cheltuieli noi
DocType: Purchase Invoice,Additional Discount Amount,Reducere suplimentară Suma
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Rând # {0}: Cant trebuie să fie 1, ca element este un activ fix. Vă rugăm să folosiți rând separat pentru cantitati multiple."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Rând # {0}: Cant trebuie să fie 1, ca element este un activ fix. Vă rugăm să folosiți rând separat pentru cantitati multiple."
DocType: Leave Block List Allow,Leave Block List Allow,Permite Lista Concedii Blocate
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Abbr nu poate fi gol sau spațiu
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr nu poate fi gol sau spațiu
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Grup non-grup
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sport
DocType: Loan Type,Loan Name,Nume de împrumut
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Raport real
DocType: Student Siblings,Student Siblings,Siblings Student
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Unitate
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,Vă rugăm să specificați companiei
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Unitate
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Vă rugăm să specificați companiei
,Customer Acquisition and Loyalty,Achiziționare și Loialitate Client
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Depozit în cazul în care se menține stocul de articole respinse
DocType: Production Order,Skip Material Transfer,Transmiteți transferul materialului
DocType: Production Order,Skip Material Transfer,Transmiteți transferul materialului
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Imposibil de găsit rata de schimb pentru {0} până la {1} pentru data cheie {2}. Creați manual un registru de schimb valutar
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Anul dvs. financiar se încheie pe
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Imposibil de găsit rata de schimb pentru {0} până la {1} pentru data cheie {2}. Creați manual un registru de schimb valutar
DocType: POS Profile,Price List,Lista de prețuri
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} este acum anul fiscal implicit. Vă rugăm să reîmprospătați browser-ul dvs. pentru ca modificarea să aibă efect.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Creanțe cheltuieli
@@ -2036,14 +2052,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},echilibru stoc în Serie {0} va deveni negativ {1} pentru postul {2} la Depozitul {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Ca urmare a solicitărilor de materiale au fost ridicate în mod automat în funcție de nivelul de re-comanda item
DocType: Email Digest,Pending Sales Orders,Comenzile de vânzări în așteptare
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Contul {0} nu este valid. Contul valutar trebuie să fie {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Contul {0} nu este valid. Contul valutar trebuie să fie {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Factor UOM de conversie este necesară în rândul {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Rând # {0}: Tip document de referință trebuie să fie una din comandă de vânzări, vânzări factură sau Jurnal de intrare"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Rând # {0}: Tip document de referință trebuie să fie una din comandă de vânzări, vânzări factură sau Jurnal de intrare"
DocType: Salary Component,Deduction,Deducere
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Rândul {0}: De la timp și de Ora este obligatorie.
DocType: Stock Reconciliation Item,Amount Difference,suma diferenţă
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Articol Preț adăugată pentru {0} în lista de prețuri {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Articol Preț adăugată pentru {0} în lista de prețuri {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Vă rugăm să introduceți ID-ul de angajat al acestei persoane de vânzări
DocType: Territory,Classification of Customers by region,Clasificarea clienți în funcție de regiune
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Diferența Suma trebuie să fie zero
@@ -2055,21 +2071,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Total de deducere
,Production Analytics,Google Analytics de producție
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Cost actualizat
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Cost actualizat
DocType: Employee,Date of Birth,Data Nașterii
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Articolul {0} a fost deja returnat
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Articolul {0} a fost deja returnat
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Anul fiscal** reprezintă un an financiar. Toate intrările contabile și alte tranzacții majore sunt monitorizate comparativ cu ** Anul fiscal **.
DocType: Opportunity,Customer / Lead Address,Client / Adresa principala
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Atenție: certificat SSL invalid pe atașament {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Atenție: certificat SSL invalid pe atașament {0}
DocType: Student Admission,Eligibility,Eligibilitate
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Oportunitati de afaceri ajuta să obțineți, adăugați toate contactele și mai mult ca dvs. conduce"
DocType: Production Order Operation,Actual Operation Time,Timp efectiv de funcționare
DocType: Authorization Rule,Applicable To (User),Aplicabil pentru (utilizator)
DocType: Purchase Taxes and Charges,Deduct,Deduce
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Descrierea postului
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Descrierea postului
DocType: Student Applicant,Applied,Aplicat
DocType: Sales Invoice Item,Qty as per Stock UOM,Cantitate conform Stock UOM
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Nume Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Nume Guardian2
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Caractere speciale in afara ""-"" ""."", ""#"", și ""/"" nu este permis în denumirea serie"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Păstra Tractor de campanii de vanzari. Țineți evidența de afaceri, Cotațiile, comandă de vânzări, etc de la Campanii pentru a evalua Return on Investment."
DocType: Expense Claim,Approver,Aprobator
@@ -2080,8 +2096,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial Nu {0} este în garanție pana {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Împărțit de livrare Notă în pachete.
apps/erpnext/erpnext/hooks.py +87,Shipments,Transporturile
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Bilanțul contului ({0}) pentru {1} și valoarea stocului ({2}) pentru depozitul {3} trebuie să fie aceleași
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Bilanțul contului ({0}) pentru {1} și valoarea stocului ({2}) pentru depozitul {3} trebuie să fie aceleași
DocType: Payment Entry,Total Allocated Amount (Company Currency),Suma totală alocată (Companie Moneda)
DocType: Purchase Order Item,To be delivered to customer,Pentru a fi livrat clientului
DocType: BOM,Scrap Material Cost,Cost resturi de materiale
@@ -2089,20 +2103,21 @@
DocType: Purchase Invoice,In Words (Company Currency),În cuvinte (Compania valutar)
DocType: Asset,Supplier,Furnizor
DocType: C-Form,Quarter,Trimestru
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Cheltuieli diverse
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Cheltuieli diverse
DocType: Global Defaults,Default Company,Companie Implicita
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Cheltuială sau Diferența cont este obligatorie pentru postul {0}, deoarece impactul valoare totală de stoc"
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Cheltuială sau Diferența cont este obligatorie pentru postul {0}, deoarece impactul valoare totală de stoc"
DocType: Payment Request,PR,relatii cu publicul
DocType: Cheque Print Template,Bank Name,Denumire bancă
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,de mai sus
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,de mai sus
DocType: Employee Loan,Employee Loan Account,Contul de împrumut Angajat
DocType: Leave Application,Total Leave Days,Total de zile de concediu
DocType: Email Digest,Note: Email will not be sent to disabled users,Notă: Adresa de email nu va fi trimis la utilizatorii cu handicap
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Numărul interacțiunii
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Codul elementului> Grupa de articole> Brand
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Selectați compania ...
DocType: Leave Control Panel,Leave blank if considered for all departments,Lăsați necompletat dacă se consideră pentru toate departamentele
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Tipuri de locuri de muncă (permanent, contractul, intern etc)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} este obligatoriu pentru articolul {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} este obligatoriu pentru articolul {1}
DocType: Process Payroll,Fortnightly,bilunară
DocType: Currency Exchange,From Currency,Din moneda
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Vă rugăm să selectați suma alocată, de tip Factură și factură Numărul din atleast rând una"
@@ -2125,7 +2140,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,"Vă rugăm să faceți clic pe ""Generate Program"", pentru a obține programul"
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Au existat erori în timpul ștergerii următoarele programe:
DocType: Bin,Ordered Quantity,Ordonat Cantitate
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","de exemplu ""Construi instrumente de constructori """
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","de exemplu ""Construi instrumente de constructori """
DocType: Grading Scale,Grading Scale Intervals,Intervale de notare Scala
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Intrarea contabila {2} poate fi făcută numai în moneda: {3}
DocType: Production Order,In Process,În procesul de
@@ -2140,12 +2155,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Grupurile de studenți au fost create.
DocType: Sales Invoice,Total Billing Amount,Suma totală de facturare
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Trebuie să existe o valoare implicită de intrare cont de e-mail-ului pentru ca aceasta să funcționeze. Vă rugăm să configurați un implicit de intrare cont de e-mail (POP / IMAP) și încercați din nou.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Contul de încasat
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Rând # {0}: {1} activ este deja {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Contul de încasat
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Rând # {0}: {1} activ este deja {2}
DocType: Quotation Item,Stock Balance,Stoc Sold
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Comanda de vânzări la plată
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Setați seria de numire pentru {0} prin Configurare> Setări> Serii de numire
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,CEO
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO
DocType: Expense Claim Detail,Expense Claim Detail,Detaliu Revendicare Cheltuieli
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Vă rugăm să selectați contul corect
DocType: Item,Weight UOM,Greutate UOM
@@ -2154,12 +2168,12 @@
DocType: Production Order Operation,Pending,În așteptarea
DocType: Course,Course Name,Numele cursului
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Utilizatorii care poate aproba cererile de concediu o anumită angajatilor
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Echipamente de birou
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Echipamente de birou
DocType: Purchase Invoice Item,Qty,Cantitate
DocType: Fiscal Year,Companies,Companii
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Electronică
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Ridica Material Cerere atunci când stocul ajunge la nivelul re-comandă
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Permanent
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Permanent
DocType: Salary Structure,Employees,Numar de angajati
DocType: Employee,Contact Details,Detalii Persoana de Contact
DocType: C-Form,Received Date,Data primit
@@ -2169,7 +2183,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Prețurile nu vor fi afișate în cazul în care Prețul de listă nu este setat
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Vă rugăm să specificați o țară pentru această regulă Transport sau verificați Expediere
DocType: Stock Entry,Total Incoming Value,Valoarea totală a sosi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Pentru debit este necesar
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Pentru debit este necesar
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Pontaje ajuta să urmăriți timp, costuri și de facturare pentru activitati efectuate de echipa ta"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Cumparare Lista de preturi
DocType: Offer Letter Term,Offer Term,Termen oferta
@@ -2178,17 +2192,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Reconcilierea plată
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,Vă rugăm să selectați numele Incharge Persoana
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Tehnologia nou-aparuta
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Neremunerat totală: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Neremunerat totală: {0}
DocType: BOM Website Operation,BOM Website Operation,Site-ul BOM Funcționare
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Oferta Scrisoare
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Genereaza Cereri de Material (MRP) și Comenzi de Producție.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Totală facturată Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Totală facturată Amt
DocType: BOM,Conversion Rate,Rata de conversie
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Cauta produse
DocType: Timesheet Detail,To Time,La timp
DocType: Authorization Rule,Approving Role (above authorized value),Aprobarea Rol (mai mare decât valoarea autorizată)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Credit Pentru cont trebuie să fie un cont de plati
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},Recursivitate FDM: {0} nu poate fi parinte sau copil lui {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Credit Pentru cont trebuie să fie un cont de plati
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},Recursivitate FDM: {0} nu poate fi parinte sau copil lui {2}
DocType: Production Order Operation,Completed Qty,Cantitate Finalizata
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Pentru {0}, numai conturi de debit poate fi legat de o altă intrare în credit"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Lista de prețuri {0} este dezactivat
@@ -2200,28 +2214,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} numere de serie necesare pentru postul {1}. Ați furnizat {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Rata de evaluare curentă
DocType: Item,Customer Item Codes,Coduri client Postul
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Schimb de câștig / Pierdere
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Schimb de câștig / Pierdere
DocType: Opportunity,Lost Reason,Motiv Pierdere
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Adresa noua
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Adresa noua
DocType: Quality Inspection,Sample Size,Eșantionul de dimensiune
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Vă rugăm să introduceți Document Primirea
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Toate articolele au fost deja facturate
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Toate articolele au fost deja facturate
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',"Vă rugăm să specificați un valabil ""Din cauza nr"""
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,"Centre de costuri pot fi realizate în grupuri, dar intrările pot fi făcute împotriva non-Grupuri"
DocType: Project,External,Extern
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Utilizatori și permisiuni
DocType: Vehicle Log,VLOG.,VLOG.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Comenzi de producție Creat: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Comenzi de producție Creat: {0}
DocType: Branch,Branch,Ramură
DocType: Guardian,Mobile Number,Numar de mobil
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Imprimarea și Branding
DocType: Bin,Actual Quantity,Cantitate Efectivă
DocType: Shipping Rule,example: Next Day Shipping,exemplu: Next Day Shipping
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial nr {0} nu a fost găsit
-DocType: Scheduling Tool,Student Batch,Lot de student
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Clienții dvs.
+DocType: Program Enrollment,Student Batch,Lot de student
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Asigurați-Student
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Ați fost invitat să colaboreze la proiect: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Ați fost invitat să colaboreze la proiect: {0}
DocType: Leave Block List Date,Block Date,Dată blocare
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Aplica acum
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Cantitatea reală {0} / Cantitatea de așteptare {1}
@@ -2231,7 +2244,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Creare și gestionare rezumate e-mail zilnice, săptămânale și lunare."
DocType: Appraisal Goal,Appraisal Goal,Obiectiv expertiză
DocType: Stock Reconciliation Item,Current Amount,Suma curentă
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,Corpuri
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,Corpuri
DocType: Fee Structure,Fee Structure,Structura Taxa de
DocType: Timesheet Detail,Costing Amount,Costing Suma
DocType: Student Admission,Application Fee,Taxă de aplicare
@@ -2243,10 +2256,10 @@
DocType: POS Profile,[Select],[Selectati]
DocType: SMS Log,Sent To,Trimis La
DocType: Payment Request,Make Sales Invoice,Realizeaza Factura de Vanzare
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,Softwares
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Softwares
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,În continuare Contact Data nu poate fi în trecut
DocType: Company,For Reference Only.,Numai Pentru referință.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Selectați numărul lotului
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Selectați numărul lotului
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Invalid {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,Sumă în avans
@@ -2256,15 +2269,15 @@
DocType: Employee,Employment Details,Detalii angajare
DocType: Employee,New Workplace,Nou loc de muncă
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Setați ca Închis
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Nici un articol cu coduri de bare {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Nici un articol cu coduri de bare {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Cazul Nr. nu poate fi 0
DocType: Item,Show a slideshow at the top of the page,Arata un slideshow din partea de sus a paginii
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,BOM
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Magazine
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,BOM
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Magazine
DocType: Serial No,Delivery Time,Timp de Livrare
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Uzură bazată pe
DocType: Item,End of Life,Sfârsitul vieții
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Călători
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Călători
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Nr Structură activă sau Salariul implicit găsite pentru angajat al {0} pentru datele indicate
DocType: Leave Block List,Allow Users,Permiteți utilizatori
DocType: Purchase Order,Customer Mobile No,Client Mobile Nu
@@ -2273,29 +2286,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Actualizare Cost
DocType: Item Reorder,Item Reorder,Reordonare Articol
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Afișează Salariu alunecare
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Material de transfer
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Material de transfer
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Specifica operațiunilor, costurile de exploatare și să dea o operațiune unică nu pentru operațiunile dumneavoastră."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Acest document este peste limita de {0} {1} pentru elementul {4}. Faci un alt {3} împotriva aceleași {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Vă rugăm să setați recurente după salvare
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,cont Selectați suma schimbare
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Acest document este peste limita de {0} {1} pentru elementul {4}. Faci un alt {3} împotriva aceleași {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Vă rugăm să setați recurente după salvare
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,cont Selectați suma schimbare
DocType: Purchase Invoice,Price List Currency,Lista de pret Valuta
DocType: Naming Series,User must always select,Utilizatorul trebuie să selecteze întotdeauna
DocType: Stock Settings,Allow Negative Stock,Permiteţi stoc negativ
DocType: Installation Note,Installation Note,Instalare Notă
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Adăugaţi Taxe
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Adăugaţi Taxe
DocType: Topic,Topic,Subiect
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Cash Flow de la finanțarea
DocType: Budget Account,Budget Account,Contul bugetar
DocType: Quality Inspection,Verified By,Verificate de
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nu se poate schimba moneda implicita a companiei, deoarece există tranzacții in desfasurare. Tranzacțiile trebuie să fie anulate pentru a schimba moneda implicita."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nu se poate schimba moneda implicita a companiei, deoarece există tranzacții in desfasurare. Tranzacțiile trebuie să fie anulate pentru a schimba moneda implicita."
DocType: Grading Scale Interval,Grade Description,grad Descriere
DocType: Stock Entry,Purchase Receipt No,Primirea de cumpărare Nu
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Banii cei mai castigati
DocType: Process Payroll,Create Salary Slip,Crea Fluturasul de Salariul
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,trasabilitatea
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Sursa fondurilor (pasive)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Cantitatea în rândul {0} ({1}), trebuie să fie aceeași ca și cantitatea produsă {2}"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Sursa fondurilor (pasive)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Cantitatea în rândul {0} ({1}), trebuie să fie aceeași ca și cantitatea produsă {2}"
DocType: Appraisal,Employee,Angajat
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Selectați lotul
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} este complet facturat
DocType: Training Event,End Time,End Time
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Salariu Structura activă {0} găsite pentru angajat {1} pentru datele indicate
@@ -2307,11 +2321,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Obligatoriu pe
DocType: Rename Tool,File to Rename,Fișier de Redenumiți
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Vă rugăm să selectați BOM pentru postul în rândul {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},BOM specificată {0} nu există pentru postul {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Contul {0} nu se potrivește cu Compania {1} în modul de cont: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},BOM specificată {0} nu există pentru postul {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Programul de Mentenanta {0} trebuie anulat înainte de a anula aceasta Comandă de Vânzări
DocType: Notification Control,Expense Claim Approved,Revendicare Cheltuieli Aprobata
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Platā angajatului {0} deja creat pentru această perioadă
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Farmaceutic
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmaceutic
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Costul de produsele cumparate
DocType: Selling Settings,Sales Order Required,Comandă de vânzări obligatorii
DocType: Purchase Invoice,Credit To,De Creditat catre
@@ -2328,42 +2343,42 @@
DocType: Payment Gateway Account,Payment Account,Cont de plăți
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,Vă rugăm să specificați companiei pentru a continua
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Schimbarea net în conturile de creanțe
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Fara Masuri Compensatorii
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Fara Masuri Compensatorii
DocType: Offer Letter,Accepted,Acceptat
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,Organizare
DocType: SG Creation Tool Course,Student Group Name,Numele grupului studențesc
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Vă rugăm să asigurați-vă că într-adevăr să ștergeți toate tranzacțiile pentru această companie. Datele dvs. de bază vor rămâne așa cum este. Această acțiune nu poate fi anulată.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Vă rugăm să asigurați-vă că într-adevăr să ștergeți toate tranzacțiile pentru această companie. Datele dvs. de bază vor rămâne așa cum este. Această acțiune nu poate fi anulată.
DocType: Room,Room Number,Numărul de cameră
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Referință invalid {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) nu poate fi mai mare decât cantitatea planificată ({2}) aferent comenzii de producție {3}
DocType: Shipping Rule,Shipping Rule Label,Regula de transport maritim Label
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forum utilizator
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Materii prime nu poate fi gol.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Nu a putut fi actualizat stoc, factura conține drop de transport maritim."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Materii prime nu poate fi gol.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Nu a putut fi actualizat stoc, factura conține drop de transport maritim."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Quick Jurnal de intrare
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,Nu puteți schimba rata dacă BOM menționat agianst orice element
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,Nu puteți schimba rata dacă BOM menționat agianst orice element
DocType: Employee,Previous Work Experience,Anterior Work Experience
DocType: Stock Entry,For Quantity,Pentru Cantitate
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Va rugam sa introduceti planificate Cantitate pentru postul {0} la rândul {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} nu este introdus
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Cererile de elemente.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Pentru producerea separată va fi creat pentru fiecare articol bun finit.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} trebuie să fie negativ în documentul de retur
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} trebuie să fie negativ în documentul de retur
,Minutes to First Response for Issues,Minute la First Response pentru Probleme
DocType: Purchase Invoice,Terms and Conditions1,Termeni și Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,Numele institutului pentru care configurați acest sistem.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,Numele institutului pentru care configurați acest sistem.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Intrare contabilitate blocată până la această dată, nimeni nu poate crea / modifica intrarea cu excepția rolului specificat mai jos."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,Vă rugăm să salvați documentul înainte de a genera programul de întreținere
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Status Proiect
DocType: UOM,Check this to disallow fractions. (for Nos),Bifati pentru a nu permite fracțiuni. (Pentru Nos)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Au fost create următoarele comenzi de producție:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Au fost create următoarele comenzi de producție:
DocType: Student Admission,Naming Series (for Student Applicant),Seria de denumire (pentru Student Solicitant)
DocType: Delivery Note,Transporter Name,Transporter Nume
DocType: Authorization Rule,Authorized Value,Valoarea autorizată
DocType: BOM,Show Operations,Afișați Operații
,Minutes to First Response for Opportunity,Minute la First Response pentru oportunitate
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Raport Absent
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Articolul sau Depozitul aferent inregistrariii {0} nu se potrivește cu Cererea de Material
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Articolul sau Depozitul aferent inregistrariii {0} nu se potrivește cu Cererea de Material
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Unitate de măsură
DocType: Fiscal Year,Year End Date,Anul Data de încheiere
DocType: Task Depends On,Task Depends On,Sarcina Depinde
@@ -2462,11 +2477,11 @@
DocType: Asset,Manual,Manual
DocType: Salary Component Account,Salary Component Account,Contul de salariu Componentă
DocType: Global Defaults,Hide Currency Symbol,Ascunde simbol moneda
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","de exemplu, bancar, Cash, Card de credit"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","de exemplu, bancar, Cash, Card de credit"
DocType: Lead Source,Source Name,sursa Nume
DocType: Journal Entry,Credit Note,Nota de Credit
DocType: Warranty Claim,Service Address,Adresa serviciu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Furnitures și Programe
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Furnitures și Programe
DocType: Item,Manufacture,Fabricare
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Vă rugăm livrare Nota primul
DocType: Student Applicant,Application Date,Data aplicării
@@ -2476,7 +2491,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Data Aprobare nespecificata
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Producţie
DocType: Guardian,Occupation,Ocupaţie
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Configurați sistemul de numire a angajaților în Resurse umane> Setări HR
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Rând {0}: Data începerii trebuie să fie înainte de Data de încheiere
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Total (Cantitate)
DocType: Sales Invoice,This Document,Acest document de
@@ -2488,20 +2502,20 @@
DocType: Purchase Receipt,Time at which materials were received,Timp în care s-au primit materiale
DocType: Stock Ledger Entry,Outgoing Rate,Rata de ieșire
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Ramură organizație maestru.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,sau
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,sau
DocType: Sales Order,Billing Status,Stare facturare
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Raportați o problemă
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Cheltuieli de utilitate
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Cheltuieli de utilitate
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-si mai mult
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Rând # {0}: Jurnal de intrare {1} nu are cont {2} sau deja compensată împotriva unui alt voucher
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Rând # {0}: Jurnal de intrare {1} nu are cont {2} sau deja compensată împotriva unui alt voucher
DocType: Buying Settings,Default Buying Price List,Lista de POrețuri de Cumparare Implicita
DocType: Process Payroll,Salary Slip Based on Timesheet,Bazat pe salariu Slip Pontaj
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Nici un angajat pentru criteriile de mai sus selectate sau biletul de salariu deja creat
DocType: Notification Control,Sales Order Message,Comandă de vânzări Mesaj
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Seta valorile implicite, cum ar fi Compania, valutar, Current Anul fiscal, etc"
DocType: Payment Entry,Payment Type,Tip de plată
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Selectați un lot pentru articolul {0}. Nu se poate găsi un singur lot care să îndeplinească această cerință
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Selectați un lot pentru articolul {0}. Nu se poate găsi un singur lot care să îndeplinească această cerință
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Selectați un lot pentru articolul {0}. Nu se poate găsi un singur lot care să îndeplinească această cerință
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Selectați un lot pentru articolul {0}. Nu se poate găsi un singur lot care să îndeplinească această cerință
DocType: Process Payroll,Select Employees,Selectați angajati
DocType: Opportunity,Potential Sales Deal,Oferta potențiale Vânzări
DocType: Payment Entry,Cheque/Reference Date,Cecul / Data de referință
@@ -2521,7 +2535,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Document primire trebuie să fie depuse
DocType: Purchase Invoice Item,Received Qty,Primit Cantitate
DocType: Stock Entry Detail,Serial No / Batch,Serial No / lot
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Nu sunt plătite și nu sunt livrate
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Nu sunt plătite și nu sunt livrate
DocType: Product Bundle,Parent Item,Părinte Articol
DocType: Account,Account Type,Tipul Contului
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2536,25 +2550,24 @@
DocType: Bin,Reserved Quantity,Rezervat Cantitate
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Introduceți adresa de e-mail validă
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Introduceți adresa de e-mail validă
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Nu există un curs obligatoriu pentru programul {0}
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Nu există un curs obligatoriu pentru programul {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Primirea de cumpărare Articole
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Formulare Personalizarea
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,restanță
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,restanță
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Suma de amortizare în timpul perioadei
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,șablon cu handicap nu trebuie să fie șablon implicit
DocType: Account,Income Account,Contul de venit
DocType: Payment Request,Amount in customer's currency,Suma în moneda clientului
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Livrare
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Livrare
DocType: Stock Reconciliation Item,Current Qty,Cantitate curentă
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section","A se vedea ""Rate de materiale bazate pe"" în Costing Secțiunea"
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Anterior
DocType: Appraisal Goal,Key Responsibility Area,Domeni de Responsabilitate Cheie
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Student Sarjele ajută să urmăriți prezență, evaluările și taxele pentru studenți"
DocType: Payment Entry,Total Allocated Amount,Suma totală alocată
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Setați contul inventarului implicit pentru inventarul perpetuu
DocType: Item Reorder,Material Request Type,Material Cerere tip
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Jurnal de intrare pentru salarii din {0} la {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage este plin, nu a salvat"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage este plin, nu a salvat"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Row {0}: Factorul de conversie UOM este obligatorie
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Re
DocType: Budget,Cost Center,Centrul de cost
@@ -2567,19 +2580,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Regula de stabilire a prețurilor se face pentru a suprascrie Pret / defini procent de reducere, pe baza unor criterii."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Depozit poate fi modificat numai prin Bursa de primire de intrare / livrare Nota / cumparare
DocType: Employee Education,Class / Percentage,Clasă / Procent
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Director de Marketing și Vânzări
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Impozit pe venit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Director de Marketing și Vânzări
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Impozit pe venit
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","În cazul în care articolul Prețuri selectat se face pentru ""Pret"", se va suprascrie lista de prețuri. Prețul Articolul Prețuri este prețul final, deci ar trebui să se aplice mai departe reducere. Prin urmare, în cazul tranzacțiilor, cum ar fi comandă de vânzări, Ordinului de Procurare, etc, acesta va fi preluat în câmpul ""Rate"", mai degrabă decât câmpul ""Lista de prețuri Rata""."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Track conduce de Industrie tip.
DocType: Item Supplier,Item Supplier,Furnizor Articol
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,Va rugam sa introduceti codul articol pentru a obține lot nu
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},Vă rugăm să selectați o valoare de {0} {1} quotation_to
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,Va rugam sa introduceti codul articol pentru a obține lot nu
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Vă rugăm să selectați o valoare de {0} {1} quotation_to
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Toate adresele.
DocType: Company,Stock Settings,Setări stoc
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Fuziune este posibilă numai în cazul în care următoarele proprietăți sunt aceleași în ambele registre. Este Group, Root Type, Company"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Fuziune este posibilă numai în cazul în care următoarele proprietăți sunt aceleași în ambele registre. Este Group, Root Type, Company"
DocType: Vehicle,Electric,Electric
DocType: Task,% Progress,% Progres
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Câștigul / Pierdere de eliminare a activelor
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Câștigul / Pierdere de eliminare a activelor
DocType: Training Event,Will send an email about the event to employees with status 'Open',Va trimite un e-mail despre eveniment angajaților cu statut "Open"
DocType: Task,Depends on Tasks,Depinde de Sarcini
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Gestioneaza Ramificatiile de Group a Clientului.
@@ -2588,7 +2601,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Numele noului centru de cost
DocType: Leave Control Panel,Leave Control Panel,Panou de Control Concediu
DocType: Project,Task Completion,sarcina Finalizarea
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Nu este în stoc
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Nu este în stoc
DocType: Appraisal,HR User,Utilizator HR
DocType: Purchase Invoice,Taxes and Charges Deducted,Impozite și Taxe dedus
apps/erpnext/erpnext/hooks.py +116,Issues,Probleme
@@ -2599,22 +2612,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Nu slip salariu gasit între {0} și {1}
,Pending SO Items For Purchase Request,Până la SO articole pentru cerere de oferta
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Admitere Student
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} este dezactivat
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} este dezactivat
DocType: Supplier,Billing Currency,Moneda de facturare
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Extra mare
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra mare
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Frunze totale
,Profit and Loss Statement,Profit și pierdere
DocType: Bank Reconciliation Detail,Cheque Number,Număr Cec
,Sales Browser,Browser de vanzare
DocType: Journal Entry,Total Credit,Total credit
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Atenție: Un alt {0} # {1} există împotriva intrării stoc {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Local
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Local
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Împrumuturi și Avansuri (Active)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Debitorii
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Mare
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Mare
DocType: Homepage Featured Product,Homepage Featured Product,Pagina de intrare de produse recomandate
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Toate grupurile de evaluare
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Toate grupurile de evaluare
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Nume nou depozit
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Total {0} ({1})
DocType: C-Form Invoice Detail,Territory,Teritoriu
@@ -2624,12 +2637,12 @@
DocType: Production Order Operation,Planned Start Time,Planificate Ora de începere
DocType: Course,Assessment,Evaluare
DocType: Payment Entry Reference,Allocated,Alocat
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Inchideti Bilanțul și registrul Profit sau Pierdere.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Inchideti Bilanțul și registrul Profit sau Pierdere.
DocType: Student Applicant,Application Status,Starea aplicației
DocType: Fees,Fees,Taxele de
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Precizați Rata de schimb a converti o monedă în alta
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Citat {0} este anulat
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Total Suma Impresionant
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Total Suma Impresionant
DocType: Sales Partner,Targets,Obiective
DocType: Price List,Price List Master,Lista de preturi Masterat
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Toate tranzacțiile de vânzări pot fi etichetate comparativ mai multor **Persoane de vânzări** pentru ca dvs. sa puteţi configura și monitoriza obiective.
@@ -2673,12 +2686,12 @@
1. Adresa și de contact ale companiei."
DocType: Attendance,Leave Type,Tip Concediu
DocType: Purchase Invoice,Supplier Invoice Details,Furnizor Detalii factură
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Cheltuială cont / Diferența ({0}) trebuie să fie un cont de ""profit sau pierdere"""
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Cheltuială cont / Diferența ({0}) trebuie să fie un cont de ""profit sau pierdere"""
DocType: Project,Copied From,Copiat de la
DocType: Project,Copied From,Copiat de la
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Numele de eroare: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,Deficit
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} nu asociat cu {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} nu asociat cu {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Prezenţa pentru angajatul {0} este deja consemnată
DocType: Packing Slip,If more than one package of the same type (for print),În cazul în care mai mult de un pachet de același tip (pentru imprimare)
,Salary Register,Salariu Înregistrare
@@ -2696,22 +2709,23 @@
,Requested Qty,A solicitat Cantitate
DocType: Tax Rule,Use for Shopping Cart,Utilizați pentru Cos de cumparaturi
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Valoarea {0} pentru atributul {1} nu există în lista Item valabile Valorile atributelor pentru postul {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Selectați numerele de serie
DocType: BOM Item,Scrap %,Resturi%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Taxele vor fi distribuite proporțional în funcție de produs Cantitate sau valoarea, ca pe dvs. de selecție"
DocType: Maintenance Visit,Purposes,Scopuri
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Cel puțin un element ar trebui să fie introduse cu cantitate negativa în documentul de returnare
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Cel puțin un element ar trebui să fie introduse cu cantitate negativa în documentul de returnare
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operațiunea {0} mai mult decât orice ore de lucru disponibile în stație de lucru {1}, descompun operațiunea în mai multe operațiuni"
,Requested,Solicitată
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Nu Observații
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Nu Observații
DocType: Purchase Invoice,Overdue,Întârziat
DocType: Account,Stock Received But Not Billed,"Stock primite, dar nu Considerat"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Contul de root trebuie să fie un grup
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Contul de root trebuie să fie un grup
DocType: Fees,FEE.,FEE.
DocType: Employee Loan,Repaid/Closed,Nerambursate / Închis
DocType: Item,Total Projected Qty,Cantitate totală prevăzută
DocType: Monthly Distribution,Distribution Name,Denumire Distribuție
DocType: Course,Course Code,Codul cursului
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Inspecție de calitate necesare pentru postul {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Inspecție de calitate necesare pentru postul {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Rata la care moneda clientului este convertită în valuta de bază a companiei
DocType: Purchase Invoice Item,Net Rate (Company Currency),Rata netă (companie de valuta)
DocType: Salary Detail,Condition and Formula Help,Stare și Formula Ajutor
@@ -2724,27 +2738,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Transfer de materii pentru fabricarea
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Procentul de reducere se poate aplica fie pe o listă de prețuri sau pentru toate lista de prețuri.
DocType: Purchase Invoice,Half-yearly,Semestrial
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Intrare contabilitate pentru stoc
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Intrare contabilitate pentru stoc
DocType: Vehicle Service,Engine Oil,Ulei de motor
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Configurați sistemul de numire a angajaților în Resurse umane> Setări HR
DocType: Sales Invoice,Sales Team1,Vânzări TEAM1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Articolul {0} nu există
DocType: Sales Invoice,Customer Address,Adresă clientului
DocType: Employee Loan,Loan Details,Creditul Detalii
+DocType: Company,Default Inventory Account,Contul de inventar implicit
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Rândul {0}: Completat Cant trebuie să fie mai mare decât zero.
DocType: Purchase Invoice,Apply Additional Discount On,Aplicați Discount suplimentare La
DocType: Account,Root Type,Rădăcină Tip
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: nu se pot întoarce mai mult {1} pentru postul {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: nu se pot întoarce mai mult {1} pentru postul {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Parcelarea / Reprezentarea grafică / Trasarea
DocType: Item Group,Show this slideshow at the top of the page,Arată această prezentare în partea de sus a paginii
DocType: BOM,Item UOM,Articol FDM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Suma impozitului pe urma Discount Suma (companie de valuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Depozit țintă este obligatorie pentru rând {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Depozit țintă este obligatorie pentru rând {0}
DocType: Cheque Print Template,Primary Settings,Setări primare
DocType: Purchase Invoice,Select Supplier Address,Selectați Furnizor Adresă
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,angajărilor
DocType: Purchase Invoice Item,Quality Inspection,Inspecție de calitate
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Extra Small
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small
DocType: Company,Standard Template,Format standard
DocType: Training Event,Theory,Teorie
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Atenție: Materialul solicitat Cant este mai mică decât minima pentru comanda Cantitate
@@ -2752,7 +2768,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Entitate juridică / Filiala cu o Grafic separat de conturi aparținând Organizației.
DocType: Payment Request,Mute Email,Mute Email
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Produse Alimentare, Bauturi si Tutun"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Poate face doar plata împotriva facturată {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Poate face doar plata împotriva facturată {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Rata de comision nu poate fi mai mare decat 100
DocType: Stock Entry,Subcontract,Subcontract
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Va rugam sa introduceti {0} primul
@@ -2765,18 +2781,18 @@
DocType: SMS Log,No of Sent SMS,Nu de SMS-uri trimise
DocType: Account,Expense Account,Cont de cheltuieli
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Software
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Culoare
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Culoare
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Criterii Plan de evaluare
DocType: Training Event,Scheduled,Programat
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Cerere de ofertă.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",Vă rugăm să selectați postul unde "Este Piesa" este "nu" și "Este punctul de vânzare" este "da" și nu este nici un alt produs Bundle
DocType: Student Log,Academic,Academic
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),avans total ({0}) împotriva Comanda {1} nu poate fi mai mare decât totalul ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),avans total ({0}) împotriva Comanda {1} nu poate fi mai mare decât totalul ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Selectați Distributie lunar pentru a distribui neuniform obiective pe luni.
DocType: Purchase Invoice Item,Valuation Rate,Rata de evaluare
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Lista de pret Valuta nu selectat
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Lista de pret Valuta nu selectat
,Student Monthly Attendance Sheet,Elev foaia de prezență lunară
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Angajatul {0} a aplicat deja pentru {1} între {2} și {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Data de începere a proiectului
@@ -2789,7 +2805,7 @@
DocType: BOM,Scrap,Resturi
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Gestiona vânzările Partners.
DocType: Quality Inspection,Inspection Type,Inspecție Tip
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Depozite tranzacție existente nu pot fi convertite în grup.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Depozite tranzacție existente nu pot fi convertite în grup.
DocType: Assessment Result Tool,Result HTML,rezultat HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Expira la
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Adăugați studenți
@@ -2797,13 +2813,13 @@
DocType: C-Form,C-Form No,Nr. formular-C
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,Participarea nemarcat
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Cercetător
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Cercetător
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Programul de înscriere Instrumentul Student
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Nume sau E-mail este obligatorie
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Control de calitate de intrare.
DocType: Purchase Order Item,Returned Qty,Întors Cantitate
DocType: Employee,Exit,Iesire
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Rădăcină de tip este obligatorie
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Rădăcină de tip este obligatorie
DocType: BOM,Total Cost(Company Currency),Cost total (companie Moneda)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serial Nu {0} a creat
DocType: Homepage,Company Description for website homepage,Descriere companie pentru pagina de start site
@@ -2812,7 +2828,7 @@
DocType: Sales Invoice,Time Sheet List,Listă de timp Sheet
DocType: Employee,You can enter any date manually,Puteți introduce manual orice dată
DocType: Asset Category Account,Depreciation Expense Account,Contul de amortizare de cheltuieli
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Perioadă De Probă
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Perioadă De Probă
DocType: Customer Group,Only leaf nodes are allowed in transaction,Numai noduri frunze sunt permise în tranzacție
DocType: Expense Claim,Expense Approver,Cheltuieli aprobator
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Row {0}: avans Clientul trebuie să fie de credit
@@ -2826,10 +2842,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Orarele curs de șters:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Busteni pentru menținerea statutului de livrare sms
DocType: Accounts Settings,Make Payment via Journal Entry,Efectuați o plată prin Jurnalul de intrare
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,imprimat pe
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,imprimat pe
DocType: Item,Inspection Required before Delivery,Necesar de inspecție înainte de livrare
DocType: Item,Inspection Required before Purchase,Necesar de inspecție înainte de achiziționare
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Activități în curs
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Organizația dumneavoastră
DocType: Fee Component,Fees Category,Taxele de Categoria
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Vă rugăm să introduceți data alinarea.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
@@ -2839,9 +2856,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Reordonare nivel
DocType: Company,Chart Of Accounts Template,Diagrama de conturi de șabloane
DocType: Attendance,Attendance Date,Dată prezenţă
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Articol Preț actualizat pentru {0} în lista de prețuri {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Articol Preț actualizat pentru {0} în lista de prețuri {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Salariul despartire bazat privind câștigul salarial și deducere.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Un cont cu noduri copil nu poate fi transformat în registru contabil
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Un cont cu noduri copil nu poate fi transformat în registru contabil
DocType: Purchase Invoice Item,Accepted Warehouse,Depozit Acceptat
DocType: Bank Reconciliation Detail,Posting Date,Dată postare
DocType: Item,Valuation Method,Metoda de evaluare
@@ -2850,14 +2867,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Inregistrare duplicat
DocType: Program Enrollment Tool,Get Students,Studenți primi
DocType: Serial No,Under Warranty,În garanție
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Eroare]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Eroare]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,În cuvinte va fi vizibil după ce a salva comanda de vânzări.
,Employee Birthday,Zi de naștere angajat
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Instrumentul de student Lot de prezență
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,limita Traversat
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,limita Traversat
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Capital de Risc
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Un termen academic cu acest "An universitar" {0} și "Numele Termenul" {1} există deja. Vă rugăm să modificați aceste intrări și încercați din nou.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Deoarece există tranzacții existente la postul {0}, nu puteți modifica valoarea {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Deoarece există tranzacții existente la postul {0}, nu puteți modifica valoarea {1}"
DocType: UOM,Must be Whole Number,Trebuie să fie Număr întreg
DocType: Leave Control Panel,New Leaves Allocated (In Days),Cereri noi de concediu alocate (în zile)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serial Nu {0} nu există
@@ -2866,6 +2883,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Numar factura
DocType: Shopping Cart Settings,Orders,Comenzi
DocType: Employee Leave Approver,Leave Approver,Aprobator Concediu
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Selectați un lot
DocType: Assessment Group,Assessment Group Name,Numele grupului de evaluare
DocType: Manufacturing Settings,Material Transferred for Manufacture,Material Transferat pentru fabricarea
DocType: Expense Claim,"A user with ""Expense Approver"" role","Un utilizator cu rol de ""aprobator cheltuieli"""
@@ -2875,9 +2893,10 @@
DocType: Target Detail,Target Detail,Țintă Detaliu
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,toate locurile de muncă
DocType: Sales Order,% of materials billed against this Sales Order,% de materiale facturate versus comanda aceasta
+DocType: Program Enrollment,Mode of Transportation,Mijloc de transport
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Intrarea Perioada de închidere
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Centrul de Cost cu tranzacții existente nu poate fi transformat în grup
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Suma {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Suma {0} {1} {2} {3}
DocType: Account,Depreciation,Depreciere
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Furnizor (e)
DocType: Employee Attendance Tool,Employee Attendance Tool,Instrumentul Participarea angajat
@@ -2885,7 +2904,7 @@
DocType: Supplier,Credit Limit,Limita de Credit
DocType: Production Plan Sales Order,Salse Order Date,Salse Data comenzii
DocType: Salary Component,Salary Component,Componenta de salarizare
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Intrările de plată {0} sunt nesemnalate legate
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Intrările de plată {0} sunt nesemnalate legate
DocType: GL Entry,Voucher No,Voletul nr
,Lead Owner Efficiency,Lead Efficiency Owner
,Lead Owner Efficiency,Lead Efficiency Owner
@@ -2897,11 +2916,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Șablon de termeni sau contractului.
DocType: Purchase Invoice,Address and Contact,Adresa si Contact
DocType: Cheque Print Template,Is Account Payable,Este cont de plati
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Stock nu poate fi actualizat cu confirmare de primire {0} Purchase
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Stock nu poate fi actualizat cu confirmare de primire {0} Purchase
DocType: Supplier,Last Day of the Next Month,Ultima zi a lunii următoare
DocType: Support Settings,Auto close Issue after 7 days,Auto închidere Problemă după 7 zile
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Concediu nu poate fi repartizat înainte {0}, ca echilibru concediu a fost deja carry transmise în viitor înregistrarea alocare concediu {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Notă: Datorită / Reference Data depășește de companie zile de credit client de {0} zi (le)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Notă: Datorită / Reference Data depășește de companie zile de credit client de {0} zi (le)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Solicitantul elev
DocType: Asset Category Account,Accumulated Depreciation Account,Cont Amortizarea cumulată
DocType: Stock Settings,Freeze Stock Entries,Blocheaza Intrarile in Stoc
@@ -2910,35 +2929,35 @@
DocType: Activity Cost,Billing Rate,Rata de facturare
,Qty to Deliver,Cantitate pentru a oferi
,Stock Analytics,Analytics stoc
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Operații nu poate fi lăsat necompletat
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operații nu poate fi lăsat necompletat
DocType: Maintenance Visit Purpose,Against Document Detail No,Comparativ detaliilor documentului nr.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Tipul de partid este obligatorie
DocType: Quality Inspection,Outgoing,Trimise
DocType: Material Request,Requested For,Pentru a solicitat
DocType: Quotation Item,Against Doctype,Comparativ tipului documentului
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} este anulat sau închis
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} este anulat sau închis
DocType: Delivery Note,Track this Delivery Note against any Project,Urmareste acest Livrare Note împotriva oricărui proiect
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Numerar net din Investiții
-,Is Primary Address,Este primar Adresa
DocType: Production Order,Work-in-Progress Warehouse,De lucru-in-Progress Warehouse
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Activ {0} trebuie depuse
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Prezență record {0} există împotriva elevului {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Prezență record {0} există împotriva elevului {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Reference # {0} din {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Amortizare Eliminată din cauza eliminării activelor
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Gestionați Adrese
DocType: Asset,Item Code,Cod articol
DocType: Production Planning Tool,Create Production Orders,Creare Comenzi de Producție
DocType: Serial No,Warranty / AMC Details,Garanție / AMC Detalii
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Selectați manual elevii pentru grupul bazat pe activități
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Selectați manual elevii pentru grupul bazat pe activități
DocType: Journal Entry,User Remark,Observație utilizator
DocType: Lead,Market Segment,Segmentul de piață
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Suma plătită nu poate fi mai mare decât suma totală negativă restante {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Suma plătită nu poate fi mai mare decât suma totală negativă restante {0}
DocType: Employee Internal Work History,Employee Internal Work History,Istoric Intern Locuri de Munca Angajat
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),De închidere (Dr)
DocType: Cheque Print Template,Cheque Size,Dimensiune cecului
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serial Nu {0} nu este în stoc
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Șablon impozit pentru tranzacțiile de vânzare.
DocType: Sales Invoice,Write Off Outstanding Amount,Scrie Off remarcabile Suma
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Contul {0} nu se potrivește cu Compania {1}
DocType: School Settings,Current Academic Year,Anul academic curent
DocType: School Settings,Current Academic Year,Anul academic curent
DocType: Stock Settings,Default Stock UOM,Stoc UOM Implicit
@@ -2954,27 +2973,27 @@
DocType: Asset,Double Declining Balance,Dublu degresive
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Pentru închis nu poate fi anulată. Pentru a anula redeschide.
DocType: Student Guardian,Father,tată
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,"Actualizare stoc" nu poate fi verificată de vânzare de active fixe
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"Actualizare stoc" nu poate fi verificată de vânzare de active fixe
DocType: Bank Reconciliation,Bank Reconciliation,Reconciliere bancară
DocType: Attendance,On Leave,La plecare
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Obțineți actualizări
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Cont {2} nu aparține Companiei {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Cerere de material {0} este anulată sau oprită
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Adaugă câteva înregistrări eșantion
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Adaugă câteva înregistrări eșantion
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Lasă Managementul
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Grup in functie de Cont
DocType: Sales Order,Fully Delivered,Livrat complet
DocType: Lead,Lower Income,Micsoreaza Venit
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Sursă și depozit țintă nu poate fi același pentru rând {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Sursă și depozit țintă nu poate fi același pentru rând {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Diferența cont trebuie să fie un cont de tip activ / pasiv, deoarece acest stoc Reconcilierea este un intrare de deschidere"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Suma debursate nu poate fi mai mare decât Suma creditului {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Număr de comandă de aprovizionare necesare pentru postul {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Comanda de producție nu a fost creat
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Număr de comandă de aprovizionare necesare pentru postul {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Comanda de producție nu a fost creat
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Din Data' trebuie să fie dupã 'Până în Data'
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Nu se poate schimba statutul de student ca {0} este legat cu aplicația de student {1}
DocType: Asset,Fully Depreciated,Depreciata pe deplin
,Stock Projected Qty,Stoc proiectată Cantitate
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Clientul {0} nu apartine proiectului {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Clientul {0} nu apartine proiectului {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Participarea marcat HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Cotațiile sunt propuneri, sumele licitate le-ați trimis clienților dvs."
DocType: Sales Order,Customer's Purchase Order,Comandă clientului
@@ -2983,8 +3002,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Suma Scorurile de criterii de evaluare trebuie să fie {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Vă rugăm să setați Numărul de Deprecieri rezervat
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Valoare sau Cantitate
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Comenzile Productions nu pot fi ridicate pentru:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Minut
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Comenzile Productions nu pot fi ridicate pentru:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Minut
DocType: Purchase Invoice,Purchase Taxes and Charges,Taxele de cumpărare și Taxe
,Qty to Receive,Cantitate de a primi
DocType: Leave Block List,Leave Block List Allowed,Lista Concedii Blocate Permise
@@ -2992,25 +3011,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Revendicarea pentru cheltuieli de vehicul Log {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Reducere (%) la rata de listă cu marjă
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Reducere (%) la rata de listă cu marjă
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,toate Depozite
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,toate Depozite
DocType: Sales Partner,Retailer,Vânzător cu amănuntul
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Credit în contul trebuie să fie un cont de bilanț
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Credit în contul trebuie să fie un cont de bilanț
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Toate tipurile de furnizor
DocType: Global Defaults,Disable In Words,Nu fi de acord în cuvinte
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,"Cod articol este obligatorie, deoarece postul nu este numerotat automat"
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Cod articol este obligatorie, deoarece postul nu este numerotat automat"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Citat {0} nu de tip {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Articol Program Mentenanta
DocType: Sales Order,% Delivered,% Livrat
DocType: Production Order,PRO-,PRO-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Descoperire cont bancar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Descoperire cont bancar
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Realizeaza Fluturas de Salar
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Rândul # {0}: Suma alocată nu poate fi mai mare decât suma rămasă.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Navigare BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Împrumuturi garantate
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Împrumuturi garantate
DocType: Purchase Invoice,Edit Posting Date and Time,Editare postare Data și ora
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Vă rugăm să setați Conturi aferente amortizării în categoria activelor {0} sau companie {1}
DocType: Academic Term,Academic Year,An academic
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Sold Equity
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Sold Equity
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Expertiză
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},E-mail trimis la furnizorul {0}
@@ -3026,7 +3045,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Aprobarea unui rol nu poate fi aceeaşi cu rolul. Regula este aplicabilă pentru
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Dezabona de la acest e-mail Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Mesajul a fost trimis
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Cont cu noduri copil nu poate fi setat ca Ledger
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Cont cu noduri copil nu poate fi setat ca Ledger
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Rata la care lista de prețuri moneda este convertit în valuta de bază a clientului
DocType: Purchase Invoice Item,Net Amount (Company Currency),Suma netă (companie de valuta)
@@ -3061,7 +3080,7 @@
DocType: Expense Claim,Approval Status,Status aprobare
DocType: Hub Settings,Publish Items to Hub,Publica produse în Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},Din valoare trebuie să fie mai mică decat in valoare pentru inregistrarea {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Transfer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Transfer
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Selectați toate
DocType: Vehicle Log,Invoice Ref,factură Ref
DocType: Purchase Order,Recurring Order,Comanda recurent
@@ -3074,19 +3093,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Bancare și plăți
,Welcome to ERPNext,Bine ati venit la ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Duce la ofertă
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nimic mai mult pentru a arăta.
DocType: Lead,From Customer,De la Client
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Apeluri
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Apeluri
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,Sarjele
DocType: Project,Total Costing Amount (via Time Logs),Suma totală Costing (prin timp Busteni)
DocType: Purchase Order Item Supplied,Stock UOM,Stoc UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Comandă {0} nu este prezentat
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Comandă {0} nu este prezentat
DocType: Customs Tariff Number,Tariff Number,Tarif Număr
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Proiectat
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serial Nu {0} nu apartine Warehouse {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"Notă: Sistemul nu va verifica peste, livrare și supra-rezervări pentru postul {0} ca și cantitatea sau valoarea este 0"
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"Notă: Sistemul nu va verifica peste, livrare și supra-rezervări pentru postul {0} ca și cantitatea sau valoarea este 0"
DocType: Notification Control,Quotation Message,Citat Mesaj
DocType: Employee Loan,Employee Loan Application,Cererea de împrumut Angajat
DocType: Issue,Opening Date,Data deschiderii
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Prezență a fost marcată cu succes.
+DocType: Program Enrollment,Public Transport,Transport public
DocType: Journal Entry,Remark,Remarcă
DocType: Purchase Receipt Item,Rate and Amount,Rata și volumul
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Tipul de cont pentru {0} trebuie să fie {1}
@@ -3094,32 +3116,32 @@
DocType: School Settings,Current Academic Term,Termen academic actual
DocType: School Settings,Current Academic Term,Termen academic actual
DocType: Sales Order,Not Billed,Nu Taxat
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Ambele depozite trebuie să aparțină aceleiași companii
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Nu contact adăugat încă.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Ambele depozite trebuie să aparțină aceleiași companii
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Nu contact adăugat încă.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Costul Landed Voucher Suma
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Facturi cu valoarea ridicată de către furnizori.
DocType: POS Profile,Write Off Account,Scrie Off cont
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Nota de debit Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Reducere Suma
DocType: Purchase Invoice,Return Against Purchase Invoice,Reveni Împotriva cumparare factură
DocType: Item,Warranty Period (in days),Perioada de garanție (în zile)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Relația cu Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Relația cu Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Numerar net din operațiuni
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,"de exemplu, TVA"
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,"de exemplu, TVA"
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Punctul 4
DocType: Student Admission,Admission End Date,Admitere Data de încheiere
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Sub-contractare
DocType: Journal Entry Account,Journal Entry Account,Jurnal de cont intrare
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Grupul studențesc
DocType: Shopping Cart Settings,Quotation Series,Ofertă Series
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Există un articol cu aceeaşi denumire ({0}), vă rugăm să schimbați denumirea grupului articolului sau să redenumiţi articolul"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Vă rugăm să selectați Clienți
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Există un articol cu aceeaşi denumire ({0}), vă rugăm să schimbați denumirea grupului articolului sau să redenumiţi articolul"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Vă rugăm să selectați Clienți
DocType: C-Form,I,eu
DocType: Company,Asset Depreciation Cost Center,Amortizarea activului Centru de cost
DocType: Sales Order Item,Sales Order Date,Comandă de vânzări Data
DocType: Sales Invoice Item,Delivered Qty,Cantitate Livrata
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Dacă este bifată, toți copiii fiecărui element de producție vor fi incluse în Cererile materiale."
DocType: Assessment Plan,Assessment Plan,Plan de evaluare
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Depozit {0}: Compania este obligatorie
DocType: Stock Settings,Limit Percent,Limita procentuală
,Payment Period Based On Invoice Date,Perioada de plată Bazat pe Data facturii
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Lipsește Schimb valutar prețul pentru {0}
@@ -3131,7 +3153,7 @@
DocType: Vehicle,Insurance Details,Detalii de asigurare
DocType: Account,Payable,Plătibil
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,Vă rugăm să introduceți perioada de rambursare
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Debitorilor ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Debitorilor ({0})
DocType: Pricing Rule,Margin,Margin
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Clienți noi
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Profit Brut%
@@ -3142,16 +3164,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Party este obligatorie
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,Nume subiect
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Cel puţin una din opţiunile de vânzare sau cumpărare trebuie să fie selectată
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Selectați natura afacerii dumneavoastră.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Cel puţin una din opţiunile de vânzare sau cumpărare trebuie să fie selectată
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Selectați natura afacerii dumneavoastră.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Rândul # {0}: intrarea duplicat în referințe {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,În cazul în care operațiunile de fabricație sunt efectuate.
DocType: Asset Movement,Source Warehouse,Depozit sursă
DocType: Installation Note,Installation Date,Data de instalare
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Rând # {0}: {1} activ nu aparține companiei {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Rând # {0}: {1} activ nu aparține companiei {2}
DocType: Employee,Confirmation Date,Data de Confirmare
DocType: C-Form,Total Invoiced Amount,Sumă totală facturată
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Cantitate nu poate fi mai mare decât Max Cantitate
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Min Cantitate nu poate fi mai mare decât Max Cantitate
DocType: Account,Accumulated Depreciation,Amortizarea cumulată
DocType: Stock Entry,Customer or Supplier Details,Client sau furnizor Detalii
DocType: Employee Loan Application,Required by Date,Necesar de către Data
@@ -3172,22 +3194,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Lunar Procentaj Distribuție
DocType: Territory,Territory Targets,Obiective Territory
DocType: Delivery Note,Transporter Info,Info Transporter
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Vă rugăm să setați implicit {0} în {1} companie
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Vă rugăm să setați implicit {0} în {1} companie
DocType: Cheque Print Template,Starting position from top edge,Poziția de la muchia superioară de pornire
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Același furnizor a fost introdus de mai multe ori
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Profit brut / Pierdere
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Comandă de aprovizionare Articol Livrat
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Numele companiei nu poate fi companie
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Numele companiei nu poate fi companie
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Antete de Scrisoare de Sabloane de Imprimare.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Titluri de șabloane de imprimare, de exemplu proforma Factura."
DocType: Student Guardian,Student Guardian,student la Guardian
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Taxele de tip evaluare nu poate marcate ca Inclusive
DocType: POS Profile,Update Stock,Actualizare stock
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Furnizor> Tipul furnizorului
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Un UOM diferit pentru articole va conduce la o valoare incorecta pentru Greutate Neta (Total). Asigurați-vă că Greutatea Netă a fiecărui articol este în același UOM.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Rată BOM
DocType: Asset,Journal Entry for Scrap,Jurnal de intrare pentru deseuri
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Vă rugăm să trage elemente de livrare Nota
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Jurnalul Intrările {0} sunt ne-legate
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Jurnalul Intrările {0} sunt ne-legate
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Înregistrare a tuturor comunicărilor de tip e-mail, telefon, chat-ul, vizita, etc."
DocType: Manufacturer,Manufacturers used in Items,Producătorii utilizate în Articole
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Vă rugăm să menționați rotunji Center cost în companie
@@ -3236,34 +3259,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,Furnizor livrează la client
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Forma / Postul / {0}) este din stoc
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Următoarea dată trebuie să fie mai mare de postare Data
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Arată impozit break-up
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Datorită / Reference Data nu poate fi după {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Arată impozit break-up
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Datorită / Reference Data nu poate fi după {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Datele de import și export
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","intrările de stoc există împotriva Warehouse {0}, prin urmare, nu se poate re-atribui sau modifica"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Nu există elevi găsit
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Nu există elevi găsit
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Postarea factură Data
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Vinde
DocType: Sales Invoice,Rounded Total,Rotunjite total
DocType: Product Bundle,List items that form the package.,Listeaza articole care formează pachetul.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Alocarea procent ar trebui să fie egală cu 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,Vă rugăm să selectați Dată postare înainte de a selecta Parte
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Vă rugăm să selectați Dată postare înainte de a selecta Parte
DocType: Program Enrollment,School House,School House
DocType: Serial No,Out of AMC,Din AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Selectați Cotațiile
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Selectați Cotațiile
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Selectați Cotațiile
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Selectați Cotațiile
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Numărul de Deprecieri Booked nu poate fi mai mare decât Număr total de Deprecieri
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Realizeaza Vizita de Mentenanta
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,Vă rugăm să contactați pentru utilizatorul care au Sales Maestru de Management {0} rol
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,Vă rugăm să contactați pentru utilizatorul care au Sales Maestru de Management {0} rol
DocType: Company,Default Cash Account,Cont de Numerar Implicit
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Directorul Companiei(nu al Clientului sau al Furnizorui).
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Aceasta se bazează pe prezența acestui student
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Nu există studenți în
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Nu există studenți în
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Adăugați mai multe elemente sau sub formă deschis complet
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',"Vă rugăm să introduceți ""Data de livrare așteptată"""
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Nota de Livrare {0} trebuie sa fie anulată înainte de a anula aceasta Comandă de Vânzări
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Suma plătită + Scrie Off Suma nu poate fi mai mare decât Grand total
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Suma plătită + Scrie Off Suma nu poate fi mai mare decât Grand total
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} nu este un număr de lot valid aferent articolului {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Notă: Nu este echilibrul concediu suficient pentru concediul de tip {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN nevalid sau Enter NA pentru neînregistrat
DocType: Training Event,Seminar,Seminar
DocType: Program Enrollment Fee,Program Enrollment Fee,Programul de înscriere Taxa
DocType: Item,Supplier Items,Furnizor Articole
@@ -3289,28 +3312,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Punctul 3
DocType: Purchase Order,Customer Contact Email,Contact Email client
DocType: Warranty Claim,Item and Warranty Details,Postul și garanție Detalii
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Codul elementului> Element Grup> Brand
DocType: Sales Team,Contribution (%),Contribuție (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Notă: Plata de intrare nu va fi creat deoarece ""Cash sau cont bancar"" nu a fost specificat"
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Selectați programul pentru a prelua cursurile obligatorii.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Selectați programul pentru a prelua cursurile obligatorii.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Responsabilitati
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Responsabilitati
DocType: Expense Claim Account,Expense Claim Account,Cont de cheltuieli de revendicare
DocType: Sales Person,Sales Person Name,Sales Person Nume
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Va rugam sa introduceti cel putin 1 factura în tabelul
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Adauga utilizatori
DocType: POS Item Group,Item Group,Grup Articol
DocType: Item,Safety Stock,Stoc de siguranta
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Progres% pentru o sarcină care nu poate fi mai mare de 100.
DocType: Stock Reconciliation Item,Before reconciliation,Premergător reconcilierii
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Pentru a {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Impozite și Taxe adăugate (Compania de valuta)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Taxa Articol pentru inregistrarea {0} trebuie sa detina un cont de tip Fiscal sau De Venituri sau De Cheltuieli sau Taxabil
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Taxa Articol pentru inregistrarea {0} trebuie sa detina un cont de tip Fiscal sau De Venituri sau De Cheltuieli sau Taxabil
DocType: Sales Order,Partly Billed,Parțial Taxat
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Postul {0} trebuie să fie un element activ fix
DocType: Item,Default BOM,FDM Implicit
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,Vă rugăm să re-tip numele companiei pentru a confirma
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Totală restantă Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Debit Notă Sumă
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Vă rugăm să re-tip numele companiei pentru a confirma
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Totală restantă Amt
DocType: Journal Entry,Printing Settings,Setări de imprimare
DocType: Sales Invoice,Include Payment (POS),Include de plată (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Totală de debit trebuie să fie egal cu total Credit. Diferența este {0}
@@ -3324,16 +3344,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,In stoc:
DocType: Notification Control,Custom Message,Mesaj Personalizat
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investment Banking
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Pentru a face o inregistrare de plată este obligatoriu numerar sau cont bancar
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Adresa studenților
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Adresa studenților
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Pentru a face o inregistrare de plată este obligatoriu numerar sau cont bancar
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Vă rugăm să configurați seria de numerotare pentru Participare prin Configurare> Serie de numerotare
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Adresa studenților
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Adresa studenților
DocType: Purchase Invoice,Price List Exchange Rate,Lista de prețuri Cursul de schimb
DocType: Purchase Invoice Item,Rate,
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Interna
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,Numele adresei
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Interna
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,Numele adresei
DocType: Stock Entry,From BOM,De la BOM
DocType: Assessment Code,Assessment Code,Codul de evaluare
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Elementar
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Elementar
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Tranzacțiilor bursiere înainte de {0} sunt înghețate
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"Vă rugăm să faceți clic pe ""Generate Program"""
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","de exemplu, Kg, Unitatea, nr, m"
@@ -3343,11 +3364,11 @@
DocType: Salary Slip,Salary Structure,Structura salariu
DocType: Account,Bank,Bancă
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Linie aeriană
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Eliberarea Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Eliberarea Material
DocType: Material Request Item,For Warehouse,Pentru Depozit
DocType: Employee,Offer Date,Oferta Date
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Cotațiile
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Sunteți în modul offline. Tu nu va fi capabil să reîncărcați până când nu aveți de rețea.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,Sunteți în modul offline. Tu nu va fi capabil să reîncărcați până când nu aveți de rețea.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Nu există grupuri create de studenți.
DocType: Purchase Invoice Item,Serial No,Nr. serie
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Rambursarea lunară Suma nu poate fi mai mare decât Suma creditului
@@ -3355,8 +3376,8 @@
DocType: Purchase Invoice,Print Language,Limba de imprimare
DocType: Salary Slip,Total Working Hours,Numărul total de ore de lucru
DocType: Stock Entry,Including items for sub assemblies,Inclusiv articole pentru subansambluri
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Introduceți valoarea trebuie să fie pozitiv
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Toate teritoriile
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Introduceți valoarea trebuie să fie pozitiv
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Toate teritoriile
DocType: Purchase Invoice,Items,Articole
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Student este deja înscris.
DocType: Fiscal Year,Year Name,An Denumire
@@ -3375,10 +3396,10 @@
DocType: Issue,Opening Time,Timp de deschidere
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Datele De La și Pana La necesare
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,A Valorilor Mobiliare și Burselor de Mărfuri
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unitatea implicit de măsură pentru Variant '{0} "trebuie să fie la fel ca în Template" {1} "
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Unitatea implicit de măsură pentru Variant '{0} "trebuie să fie la fel ca în Template" {1} "
DocType: Shipping Rule,Calculate Based On,Calculaţi pe baza
DocType: Delivery Note Item,From Warehouse,Din depozitul
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Nu există niciun articol cu Lista de materiale pentru fabricarea
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Nu există niciun articol cu Lista de materiale pentru fabricarea
DocType: Assessment Plan,Supervisor Name,Nume supervizor
DocType: Program Enrollment Course,Program Enrollment Course,Curs de înscriere la curs
DocType: Program Enrollment Course,Program Enrollment Course,Curs de înscriere la curs
@@ -3394,18 +3415,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Zile de la ultima comandă' trebuie să fie mai mare sau egal cu zero
DocType: Process Payroll,Payroll Frequency,Frecventa de salarizare
DocType: Asset,Amended From,Modificat din
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Material brut
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Material brut
DocType: Leave Application,Follow via Email,Urmați prin e-mail
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Plante și mașini
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Plante și mașini
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Suma taxa După Discount Suma
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Setări de zi cu zi de lucru Sumar
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Moneda a listei de prețuri {0} nu este similar cu moneda selectată {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Moneda a listei de prețuri {0} nu este similar cu moneda selectată {1}
DocType: Payment Entry,Internal Transfer,Transfer intern
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Contul copil există pentru acest cont. Nu puteți șterge acest cont.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Contul copil există pentru acest cont. Nu puteți șterge acest cont.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Cantitatea țintă sau valoarea țintă este obligatorie
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Nu există implicit BOM pentru postul {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Nu există implicit BOM pentru postul {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Vă rugăm să selectați postarea Data primei
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,"Deschiderea Data ar trebui să fie, înainte de Data inchiderii"
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Setați seria de numire pentru {0} prin Configurare> Setări> Serii de numire
DocType: Leave Control Panel,Carry Forward,Transmite Inainte
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Centrul de Cost cu tranzacții existente nu poate fi transformat în registru contabil
DocType: Department,Days for which Holidays are blocked for this department.,Zile pentru care Sărbătorile sunt blocate pentru acest departament.
@@ -3415,11 +3437,10 @@
DocType: Issue,Raised By (Email),Ridicate de (e-mail)
DocType: Training Event,Trainer Name,Nume formator
DocType: Mode of Payment,General,General
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Atașați antet
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Ultima comunicare
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Ultima comunicare
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Nu se poate deduce când categoria este de 'Evaluare' sau 'Evaluare și total'
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lista capetele fiscale (de exemplu, TVA, vamale etc., ei ar trebui să aibă nume unice) și ratele lor standard. Acest lucru va crea un model standard, pe care le puteți edita și adăuga mai târziu."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lista capetele fiscale (de exemplu, TVA, vamale etc., ei ar trebui să aibă nume unice) și ratele lor standard. Acest lucru va crea un model standard, pe care le puteți edita și adăuga mai târziu."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Serial nr necesare pentru postul serializat {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Plățile se potrivesc cu facturi
DocType: Journal Entry,Bank Entry,Intrare bancară
@@ -3428,16 +3449,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Adăugaţi în Coş
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Grupul De
DocType: Guardian,Interests,interese
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Activare / dezactivare valute.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Activare / dezactivare valute.
DocType: Production Planning Tool,Get Material Request,Material Cerere obțineți
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Cheltuieli poștale
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Cheltuieli poștale
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Total (Amt)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Divertisment & Relaxare
DocType: Quality Inspection,Item Serial No,Nr. de Serie Articol
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Crearea angajaților Records
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Raport Prezent
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Declarațiile contabile
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Oră
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Oră
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Noua ordine nu pot avea Warehouse. Depozit trebuie să fie stabilite de către Bursa de intrare sau de primire de cumparare
DocType: Lead,Lead Type,Tip Conducere
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Tu nu sunt autorizate să aprobe frunze pe bloc Perioada
@@ -3449,6 +3470,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,Noul BOM după înlocuirea
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Point of Sale
DocType: Payment Entry,Received Amount,Suma primită
+DocType: GST Settings,GSTIN Email Sent On,GSTIN Email trimis pe
+DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop de Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Creați pentru întreaga cantitate, ignorând cantitatea deja la comandă"
DocType: Account,Tax,Impozite
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,nemarcate
@@ -3462,7 +3485,7 @@
DocType: Batch,Source Document Name,Numele sursei de document
DocType: Job Opening,Job Title,Denumire post
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Creați Utilizatori
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,Gram
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,Gram
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Cantitatea să Fabricare trebuie sa fie mai mare decât 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Vizitați raport de apel de întreținere.
DocType: Stock Entry,Update Rate and Availability,Actualizarea Rata și disponibilitatea
@@ -3470,7 +3493,7 @@
DocType: POS Customer Group,Customer Group,Grup Client
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),ID-ul lotului nou (opțional)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),ID-ul lotului nou (opțional)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Cont de cheltuieli este obligatoriu pentru articolul {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Cont de cheltuieli este obligatoriu pentru articolul {0}
DocType: BOM,Website Description,Site-ul Descriere
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Schimbarea net în capitaluri proprii
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Vă rugăm să anulați Achiziționarea factură {0} mai întâi
@@ -3480,8 +3503,8 @@
,Sales Register,Vânzări Inregistrare
DocType: Daily Work Summary Settings Company,Send Emails At,Trimite email-uri La
DocType: Quotation,Quotation Lost Reason,Citat pierdut rațiunea
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Selectați domeniul
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},de referință al tranzacției nu {0} {1} din
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Selectați domeniul
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},de referință al tranzacției nu {0} {1} din
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Nu este nimic pentru a edita.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Rezumat pentru această lună și activități în așteptarea
DocType: Customer Group,Customer Group Name,Nume Group Client
@@ -3489,14 +3512,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Situația fluxurilor de trezorerie
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Suma creditului nu poate depăși valoarea maximă a împrumutului de {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licență
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},Vă rugăm să eliminați acest factură {0} de la C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},Vă rugăm să eliminați acest factură {0} de la C-Form {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Vă rugăm să selectați reporta dacă doriți și să includă echilibrul de anul precedent fiscal lasă în acest an fiscal
DocType: GL Entry,Against Voucher Type,Comparativ tipului de voucher
DocType: Item,Attributes,Atribute
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,Va rugam sa introduceti Scrie Off cont
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Va rugam sa introduceti Scrie Off cont
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Ultima comandă Data
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Contul {0} nu aparține companiei {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Numerele de serie din rândul {0} nu se potrivesc cu Nota de livrare
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Numerele de serie din rândul {0} nu se potrivesc cu Nota de livrare
DocType: Student,Guardian Details,Detalii tutore
DocType: C-Form,C-Form,Formular-C
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Marcă Participarea pentru mai mulți angajați
@@ -3511,16 +3534,16 @@
DocType: Budget Account,Budget Amount,Buget Sumă
DocType: Appraisal Template,Appraisal Template Title,Titlu model expertivă
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},De la data {0} pentru angajat {1} nu poate fi înainte de data aderării angajatului {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Comercial
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Comercial
DocType: Payment Entry,Account Paid To,Contul Plătite
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Postul părinte {0} nu trebuie să fie un articol stoc
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Toate produsele sau serviciile.
DocType: Expense Claim,More Details,Mai multe detalii
DocType: Supplier Quotation,Supplier Address,Furnizor Adresa
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} buget pentru contul {1} fata de {2} {3} este {4}. Acesta este depasit de {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Rândul {0} # cont trebuie să fie de tip "Activ fix"
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Out Cantitate
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Reguli pentru a calcula suma de transport maritim pentru o vânzare
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Rândul {0} # cont trebuie să fie de tip "Activ fix"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Out Cantitate
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Reguli pentru a calcula suma de transport maritim pentru o vânzare
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Seria este obligatorie
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Servicii financiare
DocType: Student Sibling,Student ID,Carnet de student
@@ -3528,13 +3551,13 @@
DocType: Tax Rule,Sales,Vânzări
DocType: Stock Entry Detail,Basic Amount,Suma de bază
DocType: Training Event,Exam,Examen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Depozit necesar pentru stocul de postul {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Depozit necesar pentru stocul de postul {0}
DocType: Leave Allocation,Unused leaves,Frunze neutilizate
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,Stat de facturare
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Transfer
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} nu este asociat cu contul Party {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Obtine FDM expandat (inclusiv subansamblurile)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} nu este asociat cu contul Party {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Obtine FDM expandat (inclusiv subansamblurile)
DocType: Authorization Rule,Applicable To (Employee),Aplicabil pentru (angajat)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Due Date este obligatorie
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Creștere pentru Atribut {0} nu poate fi 0
@@ -3562,7 +3585,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Material brut Articol Cod
DocType: Journal Entry,Write Off Based On,Scrie Off bazat pe
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Asigurați-vă de plumb
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Imprimare și articole de papetărie
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Imprimare și articole de papetărie
DocType: Stock Settings,Show Barcode Field,Afișează coduri de bare Câmp
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Trimite email-uri Furnizor
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Salariu au fost deja procesate pentru perioada între {0} și {1}, Lăsați perioada de aplicare nu poate fi între acest interval de date."
@@ -3570,14 +3593,16 @@
DocType: Guardian Interest,Guardian Interest,Interes tutore
apps/erpnext/erpnext/config/hr.py +177,Training,Pregătire
DocType: Timesheet,Employee Detail,Detaliu angajat
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Codul de e-mail al Guardian1
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Codul de e-mail al Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Codul de e-mail al Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Codul de e-mail al Guardian1
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,În ziua următoare Data și repetă în ziua de luni trebuie să fie egală
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Setările pentru pagina de start site-ul web
DocType: Offer Letter,Awaiting Response,Se aşteaptă răspuns
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Sus
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Sus
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},atribut nevalid {0} {1}
DocType: Supplier,Mention if non-standard payable account,Menționați dacă contul de plată non-standard
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Același element a fost introdus de mai multe ori. {listă}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Selectați alt grup de evaluare decât "Toate grupurile de evaluare"
DocType: Salary Slip,Earning & Deduction,Câștig Salarial si Deducere
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Opțional. Această setare va fi utilizat pentru a filtra în diverse tranzacții.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Negativ Rata de evaluare nu este permis
@@ -3591,9 +3616,9 @@
DocType: Sales Invoice,Product Bundle Help,Produs Bundle Ajutor
,Monthly Attendance Sheet,Lunar foaia de prezență
DocType: Production Order Item,Production Order Item,Producția comandă Postul
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Nu s-au găsit înregistrări
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Nu s-au găsit înregistrări
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Costul de active scoase din uz
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: 아이템 {2} 는 Cost Center가 필수임
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: 아이템 {2} 는 Cost Center가 필수임
DocType: Vehicle,Policy No,Politica nr
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Obține elemente din Bundle produse
DocType: Asset,Straight Line,Linie dreapta
@@ -3602,7 +3627,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Despică
DocType: GL Entry,Is Advance,Este Advance
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Prezenţa de la data și prezența până la data sunt obligatorii
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,"Va rugam sa introduceti ""este subcontractată"" ca Da sau Nu"
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,"Va rugam sa introduceti ""este subcontractată"" ca Da sau Nu"
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Ultima comunicare
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Ultima comunicare
DocType: Sales Team,Contact No.,Nr. Persoana de Contact
@@ -3631,60 +3656,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Valoarea de deschidere
DocType: Salary Detail,Formula,Formulă
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Comision pentru Vânzări
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Comision pentru Vânzări
DocType: Offer Letter Term,Value / Description,Valoare / Descriere
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rând # {0}: {1} activ nu poate fi prezentat, este deja {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rând # {0}: {1} activ nu poate fi prezentat, este deja {2}"
DocType: Tax Rule,Billing Country,Țara facturării
DocType: Purchase Order Item,Expected Delivery Date,Data de Livrare Preconizata
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debit și credit nu este egal pentru {0} # {1}. Diferența este {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Cheltuieli de Divertisment
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Asigurați-vă Material Cerere
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Cheltuieli de Divertisment
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Asigurați-vă Material Cerere
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Deschis Postul {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Factură de vânzări {0} trebuie anulată înainte de a anula această comandă de vânzări
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Vârstă
DocType: Sales Invoice Timesheet,Billing Amount,Suma de facturare
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Cantitate nevalidă specificată pentru element {0}. Cantitatea ar trebui să fie mai mare decât 0.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Cererile de concediu.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Un cont cu tranzacții existente nu poate fi șters
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Un cont cu tranzacții existente nu poate fi șters
DocType: Vehicle,Last Carbon Check,Ultima Verificare carbon
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Cheltuieli Juridice
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Cheltuieli Juridice
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Selectați cantitatea pe rând
DocType: Purchase Invoice,Posting Time,Postarea de timp
DocType: Timesheet,% Amount Billed,% Suma facturata
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Cheltuieli de telefon
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Cheltuieli de telefon
DocType: Sales Partner,Logo,Logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Bifati dacă doriți sa fortati utilizatorul să selecteze o serie înainte de a salva. Nu va exista nici o valoare implicita dacă se bifeaza aici."""
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Nici un articol cu ordine {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Nici un articol cu ordine {0}
DocType: Email Digest,Open Notifications,Notificări deschise
DocType: Payment Entry,Difference Amount (Company Currency),Diferența Sumă (Companie Moneda)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Cheltuieli Directe
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Cheltuieli Directe
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} este o adresă de e-mail nevalidă în "Adresa de e-mail de notificare \ '
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Noi surse de venit pentru clienți
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Cheltuieli de călătorie
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Cheltuieli de călătorie
DocType: Maintenance Visit,Breakdown,Avarie
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Contul: {0} cu moneda: {1} nu poate fi selectat
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Contul: {0} cu moneda: {1} nu poate fi selectat
DocType: Bank Reconciliation Detail,Cheque Date,Data Cec
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Contul {0}: cont Părinte {1} nu apartine companiei: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Contul {0}: cont Părinte {1} nu apartine companiei: {2}
DocType: Program Enrollment Tool,Student Applicants,Student Solicitanții
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Șters cu succes toate tranzacțiile legate de aceasta companie!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Șters cu succes toate tranzacțiile legate de aceasta companie!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Ca pe data
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,Data de inscriere
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Probă
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Probă
apps/erpnext/erpnext/config/hr.py +115,Salary Components,Componente salariale
DocType: Program Enrollment Tool,New Academic Year,Anul universitar nou
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Revenire / credit Notă
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Revenire / credit Notă
DocType: Stock Settings,Auto insert Price List rate if missing,"Inserați Auto rata Lista de prețuri, dacă lipsește"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Total Suma plătită
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Total Suma plătită
DocType: Production Order Item,Transferred Qty,Transferat Cantitate
apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigarea
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Planificare
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Emis
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planificare
+DocType: Material Request,Issued,Emis
DocType: Project,Total Billing Amount (via Time Logs),Suma totală de facturare (prin timp Busteni)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Vindem acest articol
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Furnizor Id
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Vindem acest articol
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Furnizor Id
DocType: Payment Request,Payment Gateway Details,Plata Gateway Detalii
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Cantitatea trebuie sa fie mai mare decât 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Cantitatea trebuie sa fie mai mare decât 0
DocType: Journal Entry,Cash Entry,Cash intrare
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,noduri pentru copii pot fi create numai în noduri de tip "grup"
DocType: Leave Application,Half Day Date,Jumatate de zi Data
@@ -3696,14 +3722,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Vă rugăm să setați contul implicit în cheltuielile de revendicare Tip {0}
DocType: Assessment Result,Student Name,Numele studentului
DocType: Brand,Item Manager,Postul de manager
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,Salarizare plateste
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Salarizare plateste
DocType: Buying Settings,Default Supplier Type,Tip Furnizor Implicit
DocType: Production Order,Total Operating Cost,Cost total de operare
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Notă: Articolul {0} a intrat de mai multe ori
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Toate contactele.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Abreviere Companie
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Abreviere Companie
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Utilizatorul {0} nu există
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,Materii prime nu poate fi la fel ca Item principal
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Materii prime nu poate fi la fel ca Item principal
DocType: Item Attribute Value,Abbreviation,Abreviere
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Există deja intrare plată
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Nu authroized din {0} depășește limitele
@@ -3712,35 +3738,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Set Regula fiscală pentru coșul de cumpărături
DocType: Purchase Invoice,Taxes and Charges Added,Impozite și Taxe Added
,Sales Funnel,De vânzări pâlnie
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Abreviere este obligatorie
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Abreviere este obligatorie
DocType: Project,Task Progress,Progresul sarcină
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Cart
,Qty to Transfer,Cantitate de a transfera
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Citate la Oportunitati sau clienți.
DocType: Stock Settings,Role Allowed to edit frozen stock,Rol permise pentru a edita stoc congelate
,Territory Target Variance Item Group-Wise,Teritoriul țintă Variance Articol Grupa Înțelept
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Toate grupurile de clienți
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Toate grupurile de clienți
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,lunar acumulat
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} este obligatoriu. Este posibil ca înregistrarea schimbului valutar nu este creată pentru {1} până la {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} este obligatoriu. Este posibil ca înregistrarea schimbului valutar nu este creată pentru {1} până la {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Format de impozitare este obligatorie.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Contul {0}: cont părinte {1} nu există
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Contul {0}: cont părinte {1} nu există
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Lista de prețuri Rate (Compania de valuta)
DocType: Products Settings,Products Settings,produse Setări
DocType: Account,Temporary,Temporar
DocType: Program,Courses,cursuri
DocType: Monthly Distribution Percentage,Percentage Allocation,Alocarea procent
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Secretar
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Secretar
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","În cazul în care dezactivați, "în cuvinte" câmp nu vor fi vizibile în orice tranzacție"
DocType: Serial No,Distinct unit of an Item,Unitate distinctă de Postul
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Stabiliți compania
DocType: Pricing Rule,Buying,Cumpărare
DocType: HR Settings,Employee Records to be created by,Inregistrari Angajaților pentru a fi create prin
DocType: POS Profile,Apply Discount On,Aplicați Discount pentru
,Reqd By Date,Reqd de Date
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Creditorii
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Creditorii
DocType: Assessment Plan,Assessment Name,Nume de evaluare
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Row # {0}: Nu serial este obligatorie
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Detaliu Taxa Avizata Articol
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Institutul Abreviere
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Institutul Abreviere
,Item-wise Price List Rate,Rata Lista de Pret Articol-Avizat
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Furnizor ofertă
DocType: Quotation,In Words will be visible once you save the Quotation.,În cuvinte va fi vizibil după ce salvați citat.
@@ -3748,14 +3775,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Cantitatea ({0}) nu poate fi o fracțiune în rândul {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,Colectarea taxelor
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Cod de bare {0} deja folosit pentru articolul {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Cod de bare {0} deja folosit pentru articolul {1}
DocType: Lead,Add to calendar on this date,Adăugaţi în calendar la această dată
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Reguli pentru a adăuga costurile de transport maritim.
DocType: Item,Opening Stock,deschidere stoc
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Clientul este necesar
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} este obligatorie pentru returnare
DocType: Purchase Order,To Receive,A Primi
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Personal de e-mail
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Raport Variance
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Dacă este activat, sistemul va posta automat înregistrări contabile pentru inventar."
@@ -3767,13 +3793,14 @@
DocType: Customer,From Lead,Din Conducere
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Comenzi lansat pentru producție.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Selectați anul fiscal ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS Profil necesare pentru a face POS intrare
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS Profil necesare pentru a face POS intrare
DocType: Program Enrollment Tool,Enroll Students,Studenți Enroll
DocType: Hub Settings,Name Token,Numele Token
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Vanzarea Standard
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Cel puţin un depozit este obligatoriu
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Cel puţin un depozit este obligatoriu
DocType: Serial No,Out of Warranty,Ieșit din garanție
DocType: BOM Replace Tool,Replace,Înlocuirea
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Nu găsiți produse.
DocType: Production Order,Unstopped,destupate
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} comparativ cu factura de vânzări {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3784,13 +3811,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Valoarea Stock Diferența
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Resurse Umane
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Reconciliere de plata
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Active fiscale
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Active fiscale
DocType: BOM Item,BOM No,Nr. BOM
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Jurnal de intrare {0} nu are cont {1} sau deja comparate cu alte voucher
DocType: Item,Moving Average,Mutarea medie
DocType: BOM Replace Tool,The BOM which will be replaced,BOM care va fi înlocuit
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,Echipamente electronice
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,Echipamente electronice
DocType: Account,Debit,Debitare
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Concediile trebuie să fie alocate în multipli de 0.5"""
DocType: Production Order,Operation Cost,Funcționare cost
@@ -3798,7 +3825,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Impresionant Amt
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Stabilească obiective Articol Grupa-înțelept pentru această persoană de vânzări.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Blocheaza Stocurile Mai Vechi De [zile]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Rând # {0}: Activ este obligatorie pentru active fixe cumpărare / vânzare
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Rând # {0}: Activ este obligatorie pentru active fixe cumpărare / vânzare
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","În cazul în care două sau mai multe reguli de stabilire a prețurilor sunt găsite bazează pe condițiile de mai sus, se aplică prioritate. Prioritatea este un număr între 0 și 20 în timp ce valoarea implicită este zero (gol). Numărul mai mare înseamnă că va avea prioritate în cazul în care există mai multe norme de stabilire a prețurilor, cu aceleași condiții."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Anul fiscal: {0} nu există
DocType: Currency Exchange,To Currency,Pentru a valutar
@@ -3807,7 +3834,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Rata de vânzare pentru articolul {0} este mai mică decât {1}. Rata de vânzare trebuie să fie atinsă {2}
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Rata de vânzare pentru articolul {0} este mai mică decât {1}. Rata de vânzare trebuie să fie atinsă {2}
DocType: Item,Taxes,Impozite
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Plătite și nu sunt livrate
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Plătite și nu sunt livrate
DocType: Project,Default Cost Center,Cost Center Implicit
DocType: Bank Guarantee,End Date,Dată finalizare
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Tranzacții de stoc
@@ -3832,24 +3859,22 @@
DocType: Employee,Held On,Organizat In
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Producția Postul
,Employee Information,Informații angajat
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Rate (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Rate (%)
DocType: Stock Entry Detail,Additional Cost,Cost aditional
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Data de Incheiere An Financiar
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Nu se poate filtra pe baza voucher Nr., în cazul gruparii in functie de Voucher"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Realizeaza Ofertă Furnizor
DocType: Quality Inspection,Incoming,Primite
DocType: BOM,Materials Required (Exploded),Materiale necesare (explodat)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Adăugați utilizatori la organizația dvs., altele decât tine"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Dată postare nu poate fi data viitoare
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} nu se potrivește cu {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Concediu Aleator
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Concediu Aleator
DocType: Batch,Batch ID,ID-ul lotului
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Notă: {0}
,Delivery Note Trends,Tendințe Nota de Livrare
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Rezumat această săptămână
-,In Stock Qty,În stoc Cantitate
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,În stoc Cantitate
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Contul: {0} poate fi actualizat doar prin Tranzacții stoc
-DocType: Program Enrollment,Get Courses,Cursuri de a lua
+DocType: Student Group Creation Tool,Get Courses,Cursuri de a lua
DocType: GL Entry,Party,Grup
DocType: Sales Order,Delivery Date,Data de Livrare
DocType: Opportunity,Opportunity Date,Oportunitate Data
@@ -3857,14 +3882,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Cerere de ofertă Postul
DocType: Purchase Order,To Bill,Pentru a Bill
DocType: Material Request,% Ordered,% Comandat
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Pentru grupul de studenți bazat pe cursuri, cursul va fi validat pentru fiecare student din cursurile înscrise în înscrierea în program."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Introdu adresa de e-mail separate prin virgule, factura va fi trimis prin poștă în mod automat la anumită dată"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Muncă în acord
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Muncă în acord
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Rată de cumparare medie
DocType: Task,Actual Time (in Hours),Timpul efectiv (în ore)
DocType: Employee,History In Company,Istoric In Companie
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Buletine
DocType: Stock Ledger Entry,Stock Ledger Entry,Stoc Ledger intrare
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Client> Grup de clienți> Teritoriu
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Același articol a fost introdus de mai multe ori
DocType: Department,Leave Block List,Lista Concedii Blocate
DocType: Sales Invoice,Tax ID,ID impozit
@@ -3879,30 +3904,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} unități de {1} necesare în {2} pentru a finaliza această tranzacție.
DocType: Loan Type,Rate of Interest (%) Yearly,Rata dobânzii (%) anual
DocType: SMS Settings,SMS Settings,Setări SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Conturi temporare
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Negru
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Conturi temporare
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Negru
DocType: BOM Explosion Item,BOM Explosion Item,Explozie articol BOM
DocType: Account,Auditor,Auditor
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} articole produse
DocType: Cheque Print Template,Distance from top edge,Distanța de la marginea de sus
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Listă de prețuri {0} este dezactivat sau nu există
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Listă de prețuri {0} este dezactivat sau nu există
DocType: Purchase Invoice,Return,Întoarcere
DocType: Production Order Operation,Production Order Operation,Producția Comanda Funcționare
DocType: Pricing Rule,Disable,Dezactivati
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Modul de plată este necesară pentru a efectua o plată
DocType: Project Task,Pending Review,Revizuirea în curs
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nu este înscris în lotul {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Activ {0} nu poate fi scoase din uz, deoarece este deja {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Revendicarea Total cheltuieli (prin cheltuieli revendicarea)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Clienți Id
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Absent
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rând {0}: Moneda de BOM # {1} ar trebui să fie egal cu moneda selectată {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rând {0}: Moneda de BOM # {1} ar trebui să fie egal cu moneda selectată {2}
DocType: Journal Entry Account,Exchange Rate,Rata de schimb
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Comandă de vânzări {0} nu este prezentat
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Comandă de vânzări {0} nu este prezentat
DocType: Homepage,Tag Line,Eticheta linie
DocType: Fee Component,Fee Component,Taxa de Component
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Conducerea flotei
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Adauga articole din
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Depozit {0}: contul părinte {1} nu apartine companiei {2}
DocType: Cheque Print Template,Regular,Regulat
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Weightage totală a tuturor criteriilor de evaluare trebuie să fie 100%
DocType: BOM,Last Purchase Rate,Ultima Rate de Cumparare
@@ -3911,11 +3935,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Stock nu poate exista pentru postul {0} deoarece are variante
,Sales Person-wise Transaction Summary,Persoana de vânzări-înțelept Rezumat Transaction
DocType: Training Event,Contact Number,Numar de contact
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Depozitul {0} nu există
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Depozitul {0} nu există
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Inregistreaza-te pentru ERPNext Hub
DocType: Monthly Distribution,Monthly Distribution Percentages,Procente de distribuție lunare
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Elementul selectat nu poate avea Lot
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Rata de evaluare nu a fost găsit pentru elementul {0}, care trebuie să facă înregistrări contabile pentru {1} {2}. În cazul în care elementul este ca un element transacting probă în {1}, vă rugăm să menționați că în {1} tabel element. În caz contrar, vă rugăm să creați o tranzacție stoc de intrare pentru element sau menționează rata de evaluare în înregistrarea element și apoi încercați submiting / anulare această intrare"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Rata de evaluare nu a fost găsit pentru elementul {0}, care trebuie să facă înregistrări contabile pentru {1} {2}. În cazul în care elementul este ca un element transacting probă în {1}, vă rugăm să menționați că în {1} tabel element. În caz contrar, vă rugăm să creați o tranzacție stoc de intrare pentru element sau menționează rata de evaluare în înregistrarea element și apoi încercați submiting / anulare această intrare"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% de materiale livrate versus notele livrarii
DocType: Project,Customer Details,Detalii Client
DocType: Employee,Reports to,Rapoarte
@@ -3923,24 +3947,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Introduceți parametru url pentru receptor nos
DocType: Payment Entry,Paid Amount,Suma plătită
DocType: Assessment Plan,Supervisor,supraveghetor
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Pe net
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,Pe net
,Available Stock for Packing Items,Stoc disponibil pentru articole destinate împachetării
DocType: Item Variant,Item Variant,Postul Varianta
DocType: Assessment Result Tool,Assessment Result Tool,Instrumentul de evaluare Rezultat
DocType: BOM Scrap Item,BOM Scrap Item,BOM Resturi Postul
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,comenzile trimise nu pot fi șterse
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Soldul contului este deja în credit, nu vă este permis să setați ""Balanța trebuie să fie"" drept ""Credit""."
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Managementul calității
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,comenzile trimise nu pot fi șterse
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Soldul contului este deja în credit, nu vă este permis să setați ""Balanța trebuie să fie"" drept ""Credit""."
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Managementul calității
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Postul {0} a fost dezactivat
DocType: Employee Loan,Repay Fixed Amount per Period,Rambursa Suma fixă pentru fiecare perioadă
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Va rugam sa introduceti cantitatea pentru postul {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Nota de credit Amt
DocType: Employee External Work History,Employee External Work History,Istoric Extern Locuri de Munca Angajat
DocType: Tax Rule,Purchase,Cumpărarea
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Cantitate de bilanţ
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Cantitate de bilanţ
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Obiectivele nu poate fi gol
DocType: Item Group,Parent Item Group,Părinte Grupa de articole
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} pentru {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Centre de cost
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Centre de cost
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Rata la care moneda furnizorului este convertit în moneda de bază a companiei
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Rând # {0}: conflicte timpilor cu rândul {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Permiteți ratei de evaluare zero
@@ -3948,17 +3973,18 @@
DocType: Training Event Employee,Invited,invitați
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,"Mai multe structuri salariale active, găsite pentru angajat al {0} pentru datele indicate"
DocType: Opportunity,Next Contact,Următor Contact
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Setup conturi Gateway.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Setup conturi Gateway.
DocType: Employee,Employment Type,Tip angajare
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Active Fixe
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Active Fixe
DocType: Payment Entry,Set Exchange Gain / Loss,Set Exchange Gain / Pierdere
+,GST Purchase Register,Registrul achizițiilor GST
,Cash Flow,Fluxul de numerar
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Perioada de aplicare nu poate fi peste două înregistrări alocation
DocType: Item Group,Default Expense Account,Cont de Cheltuieli Implicit
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,ID-ul de student e-mail
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,ID-ul de student e-mail
DocType: Employee,Notice (days),Preaviz (zile)
DocType: Tax Rule,Sales Tax Template,Format impozitul pe vânzări
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Selectați elemente pentru a salva factura
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Selectați elemente pentru a salva factura
DocType: Employee,Encashment Date,Data plata in Numerar
DocType: Training Event,Internet,Internet
DocType: Account,Stock Adjustment,Ajustarea stoc
@@ -3986,7 +4012,7 @@
DocType: Guardian,Guardian Of ,Guardian Of
DocType: Grading Scale Interval,Threshold,Prag
DocType: BOM Replace Tool,Current BOM,FDM curent
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Adăugaţi Nr. de Serie
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Adăugaţi Nr. de Serie
apps/erpnext/erpnext/config/support.py +22,Warranty,garanţie
DocType: Purchase Invoice,Debit Note Issued,Debit Notă Eliberat
DocType: Production Order,Warehouses,Depozite
@@ -3995,20 +4021,20 @@
DocType: Workstation,per hour,pe oră
apps/erpnext/erpnext/config/buying.py +7,Purchasing,cumpărare
DocType: Announcement,Announcement,Anunţ
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Contul aferent depozitului (Inventar Permanent) va fi creat in cadrul acest Cont.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Depozit nu pot fi șterse ca exista intrare stoc registrul pentru acest depozit.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Pentru grupul de studenți bazat pe loturi, lotul student va fi validat pentru fiecare student din înscrierea în program."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Depozit nu pot fi șterse ca exista intrare stoc registrul pentru acest depozit.
DocType: Company,Distribution,Distribuire
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Sumă plătită
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Manager de Proiect
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Manager de Proiect
,Quoted Item Comparison,Compararea Articol citat
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Expediere
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Discount maxim permis pentru articol: {0} este {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Expediere
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Discount maxim permis pentru articol: {0} este {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Valoarea activelor nete pe
DocType: Account,Receivable,De încasat
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Nu este permis să schimbe furnizorul ca Comandă există deja
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Nu este permis să schimbe furnizorul ca Comandă există deja
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Rol care i se permite să prezinte tranzacțiile care depășesc limitele de credit stabilite.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Selectați elementele de Fabricare
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","datele de bază de sincronizare, ar putea dura ceva timp"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Selectați elementele de Fabricare
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","datele de bază de sincronizare, ar putea dura ceva timp"
DocType: Item,Material Issue,Problema de material
DocType: Hub Settings,Seller Description,Descriere vânzător
DocType: Employee Education,Qualification,Calificare
@@ -4028,7 +4054,6 @@
DocType: BOM,Rate Of Materials Based On,Rate de materiale bazate pe
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analtyics Suport
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Deselecteaza tot
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Compania lipsește din depozitul {0}
DocType: POS Profile,Terms and Conditions,Termeni şi condiţii
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Pentru a Data ar trebui să fie în anul fiscal. Presupunând Pentru a Data = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Aici puteți stoca informatii despre inaltime, greutate, alergii, probleme medicale etc"
@@ -4043,19 +4068,18 @@
DocType: Sales Order Item,For Production,Pentru Producție
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Vezi Sarcina
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Anul dvs. financiar începe la data de
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Plumb%
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Plumb%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Deprecieri active și echilibrări
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Suma {0} {1} transferat de la {2} la {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Suma {0} {1} transferat de la {2} la {3}
DocType: Sales Invoice,Get Advances Received,Obtine Avansurile Primite
DocType: Email Digest,Add/Remove Recipients,Adăugaţi/Stergeţi Destinatari
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Tranzacție nu este permis împotriva oprit comandă de producție {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Tranzacție nu este permis împotriva oprit comandă de producție {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Pentru a seta acest an fiscal ca implicit, faceți clic pe ""Set as Default"""
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,A adera
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,A adera
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Lipsă Cantitate
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Postul varianta {0} există cu aceleași atribute
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Postul varianta {0} există cu aceleași atribute
DocType: Employee Loan,Repay from Salary,Rambursa din salariu
DocType: Leave Application,LAP/,LAP /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Solicitarea de plată contra {0} {1} pentru suma {2}
@@ -4066,34 +4090,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Generarea de ambalare slip pentru pachetele de a fi livrate. Folosit pentru a notifica numărul pachet, conținutul pachetului și greutatea sa."
DocType: Sales Invoice Item,Sales Order Item,Comandă de vânzări Postul
DocType: Salary Slip,Payment Days,Zile de plată
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Depozite cu noduri copil nu pot fi convertite în Cartea Mare
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Depozite cu noduri copil nu pot fi convertite în Cartea Mare
DocType: BOM,Manage cost of operations,Gestioneaza costul operațiunilor
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Atunci când oricare dintre tranzacțiile verificate sunt ""Trimis"", un e-mail de tip pop-up a deschis în mod automat pentru a trimite un e-mail la ""Contact"", asociat în această operațiune, cu tranzacția ca un atașament. Utilizatorul poate sau nu poate trimite e-mail."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Setări globale
DocType: Assessment Result Detail,Assessment Result Detail,Evaluare Rezultat Detalii
DocType: Employee Education,Employee Education,Educație Angajat
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Grup de element dublu exemplar găsit în tabelul de grup de elemente
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,Este nevoie să-i aducă Detalii despre articol.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,Este nevoie să-i aducă Detalii despre articol.
DocType: Salary Slip,Net Pay,Plată netă
DocType: Account,Account,Cont
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Serial Nu {0} a fost deja primit
,Requested Items To Be Transferred,Elemente solicitate să fie transferată
DocType: Expense Claim,Vehicle Log,vehicul Log
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Depozit {0} nu este legată de nici un cont, vă rugăm să creați / link contul corespunzător (activ) pentru depozit."
DocType: Purchase Invoice,Recurring Id,Recurent Id
DocType: Customer,Sales Team Details,Detalii de vânzări Echipa
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Șterge definitiv?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Șterge definitiv?
DocType: Expense Claim,Total Claimed Amount,Total suma pretinsă
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potențiale oportunități de vânzare.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Invalid {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,A concediului medical
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Invalid {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,A concediului medical
DocType: Email Digest,Email Digest,Email Digest
DocType: Delivery Note,Billing Address Name,Numele din adresa de facturare
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Magazine Departament
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Setup Școala în ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),De schimbare a bazei Suma (Companie Moneda)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Nici o intrare contabile pentru următoarele depozite
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Nici o intrare contabile pentru următoarele depozite
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Salvați documentul primul.
DocType: Account,Chargeable,Taxabil/a
DocType: Company,Change Abbreviation,Schimbarea abreviere
@@ -4111,7 +4134,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Data de Livrare Preconizata nu poate fi anterioara Datei Ordinului de Cumparare
DocType: Appraisal,Appraisal Template,Model expertiză
DocType: Item Group,Item Classification,Postul Clasificare
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Manager pentru Dezvoltarea Afacerilor
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Manager pentru Dezvoltarea Afacerilor
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Scop Vizita Mentenanta
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Perioada
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Registru Contabil General
@@ -4122,8 +4145,8 @@
DocType: Item Attribute Value,Attribute Value,Valoare Atribut
,Itemwise Recommended Reorder Level,Nivel de Reordonare Recomandat al Articolului-Awesome
DocType: Salary Detail,Salary Detail,Detalii salariu
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,Vă rugăm selectați 0} {întâi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Lot {0} din {1} Postul a expirat.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Vă rugăm selectați 0} {întâi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Lot {0} din {1} Postul a expirat.
DocType: Sales Invoice,Commission,Comision
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Fișa de timp pentru fabricație.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,subtotală
@@ -4134,6 +4157,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,'Blochează stocuri mai vechi decât' ar trebui să fie mai mic de %d zile.
DocType: Tax Rule,Purchase Tax Template,Achiziționa Format fiscală
,Project wise Stock Tracking,Proiect înțelept Tracking Stock
+DocType: GST HSN Code,Regional,Regional
DocType: Stock Entry Detail,Actual Qty (at source/target),Cant efectivă (la sursă/destinaţie)
DocType: Item Customer Detail,Ref Code,Cod de Ref
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Înregistrări angajat.
@@ -4144,13 +4168,13 @@
DocType: Email Digest,New Purchase Orders,Noi comenzi de aprovizionare
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Rădăcină nu poate avea un centru de cost părinte
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Selectați Marca ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Evenimente de instruire / rezultate
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Amortizarea ca pe acumulat
DocType: Sales Invoice,C-Form Applicable,Formular-C aplicabil
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Funcționarea timp trebuie să fie mai mare decât 0 pentru funcționare {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Warehouse este obligatorie
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Warehouse este obligatorie
DocType: Supplier,Address and Contacts,Adresa si contact
DocType: UOM Conversion Detail,UOM Conversion Detail,Detaliu UOM de conversie
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Păstrați-l in parametrii web amiabili si anume 900px (w) pe 100px (h)
DocType: Program,Program Abbreviation,Abreviere de program
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Producția Comanda nu poate fi ridicată pe un șablon Postul
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Tarifele sunt actualizate în Primirea cumparare pentru fiecare articol
@@ -4158,13 +4182,13 @@
DocType: Bank Guarantee,Start Date,Data începerii
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Alocaţi concedii pentru o perioadă.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Cecuri și Depozite respingă incorect
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Contul {0}: nu puteți atribui contului în sine calitatea de cont părinte
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Contul {0}: nu puteți atribui contului în sine calitatea de cont părinte
DocType: Purchase Invoice Item,Price List Rate,Lista de prețuri Rate
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Creați citate client
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Arata ""Pe stoc"" sau ""nu este pe stoc"", bazat pe stoc disponibil în acest depozit."
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Factură de materiale (BOM)
DocType: Item,Average time taken by the supplier to deliver,Timpul mediu luate de către furnizor de a livra
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,Rezultatul evaluării
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,Rezultatul evaluării
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Ore
DocType: Project,Expected Start Date,Data de Incepere Preconizata
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Eliminați element cazul în care costurile nu se aplică în acest element
@@ -4178,25 +4202,24 @@
DocType: Workstation,Operating Costs,Costuri de operare
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Acțiune în cazul în care Acumulate Buget lunar depășit
DocType: Purchase Invoice,Submit on creation,Publica cu privire la crearea
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Moneda pentru {0} trebuie să fie {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Moneda pentru {0} trebuie să fie {1}
DocType: Asset,Disposal Date,eliminare Data
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-mailuri vor fi trimise tuturor angajaților activi ai companiei la ora dat, în cazul în care nu au vacanță. Rezumatul răspunsurilor vor fi trimise la miezul nopții."
DocType: Employee Leave Approver,Employee Leave Approver,Aprobator Concediu Angajat
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Rând {0}: O intrare de Comandă există deja pentru acest depozit {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Rând {0}: O intrare de Comandă există deja pentru acest depozit {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Nu se poate declara pierdut, pentru că Oferta a fost realizata."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Feedback formare
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Producția de Ordine {0} trebuie să fie prezentate
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Producția de Ordine {0} trebuie să fie prezentate
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Vă rugăm să selectați data de început și Data de final pentru postul {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},"Desigur, este obligatorie în rândul {0}"
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Până în prezent nu poate fi înainte de data
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc Doctype
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Adăugați / editați preturi
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Adăugați / editați preturi
DocType: Batch,Parent Batch,Lotul părinte
DocType: Batch,Parent Batch,Lotul părinte
DocType: Cheque Print Template,Cheque Print Template,Format Print cecului
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Grafic Centre de Cost
,Requested Items To Be Ordered,Elemente solicitate să fie comandate
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,Depozit de companie trebuie să fie aceeași ca și companie de cont
DocType: Price List,Price List Name,Lista de prețuri Nume
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Sumar zilnic de lucru pentru {0}
DocType: Employee Loan,Totals,Totaluri
@@ -4218,55 +4241,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Va rugam sa introduceti nos mobile valabile
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Vă rugăm să introduceți mesajul înainte de trimitere
DocType: Email Digest,Pending Quotations,în așteptare Cotațiile
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Punctul de vânzare profil
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Punctul de vânzare profil
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Vă rugăm să actualizați Setări SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Creditele negarantate
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Creditele negarantate
DocType: Cost Center,Cost Center Name,Nume Centrul de Cost
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Max ore de lucru împotriva Pontaj
DocType: Maintenance Schedule Detail,Scheduled Date,Data programată
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Total plătit Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Total plătit Amt
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Mesaje mai mari de 160 de caractere vor fi împărțite în mai multe mesaje
DocType: Purchase Receipt Item,Received and Accepted,Primite și acceptate
+,GST Itemised Sales Register,Registrul de vânzări detaliat GST
,Serial No Service Contract Expiry,Serial Nu Service Contract de expirare
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,"Nu puteți credit și de debit același cont, în același timp,"
DocType: Naming Series,Help HTML,Ajutor HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Instrumentul de creare a grupului de student
DocType: Item,Variant Based On,Varianta Bazat pe
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Weightage total alocat este de 100%. Este {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Furnizorii dumneavoastră
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Furnizorii dumneavoastră
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Nu se poate seta pierdut deoarece se intocmeste comandă de vânzări.
DocType: Request for Quotation Item,Supplier Part No,Furnizor de piesa
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Nu se poate deduce atunci când este categoria de "evaluare" sau "Vaulation și Total"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Primit de la
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Primit de la
DocType: Lead,Converted,Transformat
DocType: Item,Has Serial No,Are nr. de serie
DocType: Employee,Date of Issue,Data Problemei
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: de la {0} pentru {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","În conformitate cu Setările de cumpărare, dacă este necesară achiziția == 'YES', atunci pentru a crea factura de cumpărare, utilizatorul trebuie să creeze primul chitanță pentru elementul {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Row # {0}: Set Furnizor de produs {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Rândul {0}: Valoarea ore trebuie să fie mai mare decât zero.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Site-ul Image {0} atașat la postul {1} nu poate fi găsit
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Site-ul Image {0} atașat la postul {1} nu poate fi găsit
DocType: Issue,Content Type,Tip Conținut
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Computer
DocType: Item,List this Item in multiple groups on the website.,Listeaza acest articol in grupuri multiple de pe site-ul.\
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Vă rugăm să verificați Multi opțiune de valuta pentru a permite conturi cu altă valută
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Postul: {0} nu există în sistemul
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Nu esti autorizat pentru a configura valoarea Congelat
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Postul: {0} nu există în sistemul
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Nu esti autorizat pentru a configura valoarea Congelat
DocType: Payment Reconciliation,Get Unreconciled Entries,Ia nereconciliate Entries
DocType: Payment Reconciliation,From Invoice Date,De la data facturii
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,"monedă de facturare trebuie să fie egală cu moneda sau contul de partid valută, fie implicit comapany lui"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Lasă încasări
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Ce face?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,"monedă de facturare trebuie să fie egală cu moneda sau contul de partid valută, fie implicit comapany lui"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Lasă încasări
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Ce face?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Pentru Warehouse
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Toate Admitere Student
,Average Commission Rate,Rată de comision medie
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,'Are numãr de serie' nu poate fi 'Da' pentru articolele care nu au stoc
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'Are numãr de serie' nu poate fi 'Da' pentru articolele care nu au stoc
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Prezenţa nu poate fi consemnată pentru date viitoare
DocType: Pricing Rule,Pricing Rule Help,Regula de stabilire a prețurilor de ajutor
DocType: School House,House Name,Numele casei
DocType: Purchase Taxes and Charges,Account Head,Titularul Contului
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Actualizati costuri suplimentare pentru a calcula costul aterizat de articole
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Electric
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Electric
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,"Adăugați restul organizației dvs. ca utilizatorii. Puteți adăuga, de asemenea, invita clienții să portalul prin adăugarea acestora din Contacte"
DocType: Stock Entry,Total Value Difference (Out - In),Diferența Valoarea totală (Out - In)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Row {0}: Exchange Rate este obligatorie
@@ -4276,7 +4301,7 @@
DocType: Item,Customer Code,Cod client
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Memento dată naştere pentru {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Zile de la ultima comandă
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Debit la contul trebuie să fie un cont de bilanț
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Debit la contul trebuie să fie un cont de bilanț
DocType: Buying Settings,Naming Series,Naming Series
DocType: Leave Block List,Leave Block List Name,Denumire Lista Concedii Blocate
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Asigurare Data de pornire ar trebui să fie mai mică de asigurare Data terminării
@@ -4291,27 +4316,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Salariu de alunecare angajat al {0} deja creat pentru foaie de timp {1}
DocType: Vehicle Log,Odometer,Contorul de kilometraj
DocType: Sales Order Item,Ordered Qty,Ordonat Cantitate
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Postul {0} este dezactivat
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Postul {0} este dezactivat
DocType: Stock Settings,Stock Frozen Upto,Stoc Frozen Până la
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM nu conține nici un element de stoc
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM nu conține nici un element de stoc
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Perioada de la si perioadă la datele obligatorii pentru recurente {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Activitatea de proiect / sarcină.
DocType: Vehicle Log,Refuelling Details,Detalii de realimentare
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Generează fluturașe de salariu
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Destinat Cumpărării trebuie să fie bifat, dacă Se Aplica Pentru este selectat ca şi {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Destinat Cumpărării trebuie să fie bifat, dacă Se Aplica Pentru este selectat ca şi {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Reducerea trebuie să fie mai mică de 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Rata Ultima achiziție nu a fost găsit
DocType: Purchase Invoice,Write Off Amount (Company Currency),Scrie Off Suma (Compania de valuta)
DocType: Sales Invoice Timesheet,Billing Hours,Ore de facturare
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,BOM implicit pentru {0} nu a fost găsit
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Row # {0}: Va rugam sa seta cantitatea reordona
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Row # {0}: Va rugam sa seta cantitatea reordona
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Atingeți elementele pentru a le adăuga aici
DocType: Fees,Program Enrollment,programul de înscriere
DocType: Landed Cost Voucher,Landed Cost Voucher,Voucher Cost Landed
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Vă rugăm să setați {0}
DocType: Purchase Invoice,Repeat on Day of Month,Repetați în ziua de Luna
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} este student inactiv
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} este student inactiv
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} este student inactiv
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} este student inactiv
DocType: Employee,Health Details,Detalii Sănătate
DocType: Offer Letter,Offer Letter Terms,Oferta Scrisoare Termeni
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Pentru a crea un document de referință privind solicitarea de plată este necesar
@@ -4334,7 +4359,7 @@
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Exemplu:. ABCD #####
Dacă seria este setat și nu de serie nu este menționat în tranzacții, numărul de atunci automat de serie va fi creat pe baza acestei serii. Dacă întotdeauna doriți să se menționeze explicit Serial nr de acest articol. părăsi acest gol."
DocType: Upload Attendance,Upload Attendance,Încărcați Spectatori
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM și cantitatea de producție sunt necesare
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM și cantitatea de producție sunt necesare
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Clasă de uzură 2
DocType: SG Creation Tool Course,Max Strength,Putere max
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM înlocuit
@@ -4344,8 +4369,8 @@
,Prospects Engaged But Not Converted,Perspective implicate dar nu convertite
DocType: Manufacturing Settings,Manufacturing Settings,Setări de fabricație
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Configurarea e-mail
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 mobil nr
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Va rugam sa introduceti moneda implicit în Compania de Master
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 mobil nr
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Va rugam sa introduceti moneda implicit în Compania de Master
DocType: Stock Entry Detail,Stock Entry Detail,Stoc de intrare Detaliu
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Memento de zi cu zi
DocType: Products Settings,Home Page is Products,Pagina este Produse
@@ -4354,7 +4379,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Nume nou cont
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Costul materiilor prime livrate
DocType: Selling Settings,Settings for Selling Module,Setări pentru vânzare Modulul
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Service Client
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Service Client
DocType: BOM,Thumbnail,Miniatură
DocType: Item Customer Detail,Item Customer Detail,Detaliu Articol Client
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Oferta candidat un loc de muncă.
@@ -4363,7 +4388,7 @@
DocType: Pricing Rule,Percentage,Procent
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Articolul {0} trebuie să fie un Articol de Stoc
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Implicit Lucrări în depozit Progress
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Setări implicite pentru tranzacțiile de contabilitate.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Setări implicite pentru tranzacțiile de contabilitate.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Data Preconizata nu poate fi anterioara Datei Cererii de Materiale
DocType: Purchase Invoice Item,Stock Qty,Cota stocului
@@ -4377,10 +4402,10 @@
DocType: Sales Order,Printing Details,Imprimare Detalii
DocType: Task,Closing Date,Data de Inchidere
DocType: Sales Order Item,Produced Quantity,Produs Cantitate
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Inginer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Inginer
DocType: Journal Entry,Total Amount Currency,Suma totală Moneda
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Căutare subansambluri
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Cod Articol necesar la inregistrarea Nr. {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Cod Articol necesar la inregistrarea Nr. {0}
DocType: Sales Partner,Partner Type,Tip partener
DocType: Purchase Taxes and Charges,Actual,Efectiv
DocType: Authorization Rule,Customerwise Discount,Reducere Client
@@ -4397,11 +4422,11 @@
DocType: Item Reorder,Re-Order Level,Nivelul de re-comandă
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Introduceti articole și cant planificată pentru care doriți să intocmiti ordine de producție sau sa descărcati materii prime pentru analiză.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Diagrama Gantt
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Part-time
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Part-time
DocType: Employee,Applicable Holiday List,Listă de concedii aplicabile
DocType: Employee,Cheque,Cheque
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Seria Actualizat
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Tip de raport este obligatorie
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Tip de raport este obligatorie
DocType: Item,Serial Number Series,Serial Number Series
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Depozit este obligatorie pentru stocul de postul {0} în rândul {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Retail & Wholesale
@@ -4422,7 +4447,7 @@
DocType: BOM,Materials,Materiale
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","In cazul in care este debifat, lista va trebui să fie adăugata fiecarui Departament unde trebuie sa fie aplicată."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Sursa si Target Warehouse nu poate fi aceeași
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Data postării și postarea de timp este obligatorie
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Data postării și postarea de timp este obligatorie
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Șablon taxa pentru tranzacțiilor de cumpărare.
,Item Prices,Preturi Articol
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,În cuvinte va fi vizibil după ce a salva Ordinul de cumparare.
@@ -4432,22 +4457,23 @@
DocType: Purchase Invoice,Advance Payments,Plățile în avans
DocType: Purchase Taxes and Charges,On Net Total,Pe net total
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Valoare pentru atributul {0} trebuie să fie în intervalul de {1} la {2} în trepte de {3} pentru postul {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Depozit țintă în rândul {0} trebuie să fie același ca și de producție de comandă
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Depozit țintă în rândul {0} trebuie să fie același ca și de producție de comandă
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,"'Adresele de email pentru notificari', nespecificate pentru factura recurenta %s"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,Moneda nu poate fi schimbat după efectuarea înregistrări folosind un altă valută
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Moneda nu poate fi schimbat după efectuarea înregistrări folosind un altă valută
DocType: Vehicle Service,Clutch Plate,Placă de ambreiaj
DocType: Company,Round Off Account,Rotunji cont
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Cheltuieli administrative
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Cheltuieli administrative
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Consilia
DocType: Customer Group,Parent Customer Group,Părinte Client Group
DocType: Purchase Invoice,Contact Email,Email Persoana de Contact
DocType: Appraisal Goal,Score Earned,Scor Earned
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Perioada De Preaviz
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Perioada De Preaviz
DocType: Asset Category,Asset Category Name,Nume activ Categorie
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Acesta este un teritoriu rădăcină și nu pot fi editate.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Nume nou Agent de vânzări
DocType: Packing Slip,Gross Weight UOM,Greutate Brută UOM
DocType: Delivery Note Item,Against Sales Invoice,Comparativ facturii de vânzări
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Introduceți numere de serie pentru articolul serializat
DocType: Bin,Reserved Qty for Production,Rezervat Cantitate pentru producție
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Lăsați necontrolabil dacă nu doriți să luați în considerare lotul în timp ce faceți grupuri bazate pe curs.
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Lăsați necontrolabil dacă nu doriți să luați în considerare lotul în timp ce faceți grupuri bazate pe curs.
@@ -4456,25 +4482,25 @@
DocType: Landed Cost Item,Landed Cost Item,Cost Final Articol
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Afiseaza valorile nule
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Cantitatea de produs obținut după fabricarea / reambalare de la cantități date de materii prime
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Configurarea unui site simplu pentru organizația mea
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Configurarea unui site simplu pentru organizația mea
DocType: Payment Reconciliation,Receivable / Payable Account,De încasat de cont / de plătit
DocType: Delivery Note Item,Against Sales Order Item,Comparativ articolului comenzii de vânzări
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},Vă rugăm să specificați Atribut Valoare pentru atribut {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},Vă rugăm să specificați Atribut Valoare pentru atribut {0}
DocType: Item,Default Warehouse,Depozit Implicit
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Buget nu pot fi atribuite în Grupa Contul {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Vă rugăm să introduceți centru de cost părinte
DocType: Delivery Note,Print Without Amount,Imprima Fără Suma
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,Data de amortizare
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Taxa Categoria nu poate fi ""de evaluare"" sau ""de evaluare și total"", ca toate elementele sunt produse non-stoc"
DocType: Issue,Support Team,Echipa de Suport
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Expirării (în zile)
DocType: Appraisal,Total Score (Out of 5),Scor total (din 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Lot
+DocType: Student Attendance Tool,Batch,Lot
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Bilanţ
DocType: Room,Seating Capacity,Numărul de locuri
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Revendicarea Total cheltuieli (prin formularele de decont)
+DocType: GST Settings,GST Summary,Rezumatul GST
DocType: Assessment Result,Total Score,Scorul total
DocType: Journal Entry,Debit Note,Nota de Debit
DocType: Stock Entry,As per Stock UOM,Ca şi pentru stoc UOM
@@ -4486,12 +4512,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Implicite terminat Marfuri Warehouse
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Persoana de vânzări
DocType: SMS Parameter,SMS Parameter,SMS Parametru
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Buget și centru de cost
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Buget și centru de cost
DocType: Vehicle Service,Half Yearly,Semestrial
DocType: Lead,Blog Subscriber,Abonat blog
DocType: Guardian,Alternate Number,Număr alternativ
DocType: Assessment Plan Criteria,Maximum Score,Scor maxim
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Creare reguli pentru restricționare tranzacții bazate pe valori.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Rolă de grup nr
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Lăsați necompletat dacă faceți grupuri de elevi pe an
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","In cazul in care se bifeaza, nr. total de zile lucratoare va include si sarbatorile, iar acest lucru va reduce valoarea Salariul pe Zi"
DocType: Purchase Invoice,Total Advance,Total de Advance
@@ -4510,6 +4537,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Aceasta se bazează pe tranzacțiile împotriva acestui client. A se vedea calendarul de mai jos pentru detalii
DocType: Supplier,Credit Days Based On,Zile de credit pe baza
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Rândul {0}: Suma alocată {1} trebuie să fie mai mic sau egal cu suma de plată de intrare {2}
+,Course wise Assessment Report,Raport de evaluare în curs
DocType: Tax Rule,Tax Rule,Regula de impozitare
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Menține Aceeași Rată in Cursul Ciclului de Vânzări
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planificați busteni de timp în afara orelor de lucru de lucru.
@@ -4518,7 +4546,7 @@
,Items To Be Requested,Articole care vor fi solicitate
DocType: Purchase Order,Get Last Purchase Rate,Obtine Ultima Rate de Cumparare
DocType: Company,Company Info,Informatii Companie
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Selectați sau adăugați client nou
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Selectați sau adăugați client nou
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,centru de cost este necesar pentru a rezerva o cerere de cheltuieli
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aplicţie a fondurilor (active)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Aceasta se bazează pe prezența a acestui angajat
@@ -4526,27 +4554,29 @@
DocType: Fiscal Year,Year Start Date,An Data începerii
DocType: Attendance,Employee Name,Nume angajat
DocType: Sales Invoice,Rounded Total (Company Currency),Rotunjite total (Compania de valuta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,Nu se poate sub acoperire la Grupul pentru că este selectată Tip cont.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Nu se poate sub acoperire la Grupul pentru că este selectată Tip cont.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} a fost modificat. Vă rugăm să reîmprospătați.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Opri utilizatorii de la a face aplicații concediu pentru următoarele zile.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Suma cumpărată
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Furnizor de oferta {0} creat
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Sfârșitul anului nu poate fi înainte de Anul de început
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Beneficiile angajatului
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Beneficiile angajatului
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Cantitate ambalate trebuie să fie egală cantitate pentru postul {0} în rândul {1}
DocType: Production Order,Manufactured Qty,Produs Cantitate
DocType: Purchase Receipt Item,Accepted Quantity,Cantitatea Acceptata
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Vă rugăm să setați o valoare implicită Lista de vacanță pentru angajat {0} sau companie {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} nu există
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} nu există
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Selectați numerele lotului
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Facturi cu valoarea ridicată pentru clienți.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Id-ul proiectului
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Rândul nr {0}: Suma nu poate fi mai mare decât așteptarea Suma împotriva revendicării cheltuieli {1}. În așteptarea Suma este {2}
DocType: Maintenance Schedule,Schedule,Program
DocType: Account,Parent Account,Contul părinte
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Disponibil
DocType: Quality Inspection Reading,Reading 3,Reading 3
,Hub,Butuc
DocType: GL Entry,Voucher Type,Tip Voucher
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Lista de preturi nu a fost găsit sau cu handicap
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Lista de preturi nu a fost găsit sau cu handicap
DocType: Employee Loan Application,Approved,Aprobat
DocType: Pricing Rule,Price,Preț
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Angajat eliberat din finctie pe {0} trebuie să fie setat ca 'Plecat'
@@ -4557,7 +4587,8 @@
DocType: Selling Settings,Campaign Naming By,Campanie denumita de
DocType: Employee,Current Address Is,Adresa Actuală Este
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,modificată
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Opțional. Setează implicit moneda companiei, în cazul în care nu este specificat."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Opțional. Setează implicit moneda companiei, în cazul în care nu este specificat."
+DocType: Sales Invoice,Customer GSTIN,Client GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Inregistrari contabile de jurnal.
DocType: Delivery Note Item,Available Qty at From Warehouse,Cantitate Disponibil la Depozitul
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,Vă rugăm să selectați Angajat Înregistrare întâi.
@@ -4565,7 +4596,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Rând {0}: Parte / conturi nu se potrivește cu {1} / {2} din {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Va rugam sa introduceti cont de cheltuieli
DocType: Account,Stock,Stoc
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Rând # {0}: Tip document de referință trebuie să fie unul dintre comandă cumparare, factură sau Jurnal de intrare"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Rând # {0}: Tip document de referință trebuie să fie unul dintre comandă cumparare, factură sau Jurnal de intrare"
DocType: Employee,Current Address,Adresa actuală
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Dacă elementul este o variantă de un alt element atunci descriere, imagine, de stabilire a prețurilor, impozite etc vor fi stabilite de șablon dacă nu se specifică în mod explicit"
DocType: Serial No,Purchase / Manufacture Details,Detalii de cumpărare / Fabricarea
@@ -4578,8 +4609,8 @@
DocType: Pricing Rule,Min Qty,Min Cantitate
DocType: Asset Movement,Transaction Date,Data tranzacției
DocType: Production Plan Item,Planned Qty,Planificate Cantitate
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Taxa totală
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Pentru Cantitate (fabricat Cant) este obligatorie
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Taxa totală
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Pentru Cantitate (fabricat Cant) este obligatorie
DocType: Stock Entry,Default Target Warehouse,Depozit Tinta Implicit
DocType: Purchase Invoice,Net Total (Company Currency),Net total (Compania de valuta)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Anul Data de încheiere nu poate fi mai devreme decât data An Start. Vă rugăm să corectați datele și încercați din nou.
@@ -4593,15 +4624,12 @@
DocType: Hub Settings,Hub Settings,Setări Hub
DocType: Project,Gross Margin %,Marja Bruta%
DocType: BOM,With Operations,Cu Operațiuni
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Înregistrări contabile au fost deja efectuate în valută {0} pentru compania {1}. Vă rugăm să selectați un cont de primit sau de plătit cu moneda {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Înregistrări contabile au fost deja efectuate în valută {0} pentru compania {1}. Vă rugăm să selectați un cont de primit sau de plătit cu moneda {0}.
DocType: Asset,Is Existing Asset,Este activ existent
DocType: Salary Detail,Statistical Component,Componenta statistică
DocType: Salary Detail,Statistical Component,Componenta statistică
-,Monthly Salary Register,Salariul lunar Inregistrare
DocType: Warranty Claim,If different than customer address,In cazul in care difera de adresa clientului
DocType: BOM Operation,BOM Operation,Operațiune BOM
-DocType: School Settings,Validate the Student Group from Program Enrollment,Validați grupul de studenți de la înscrierea la program
-DocType: School Settings,Validate the Student Group from Program Enrollment,Validați grupul de studenți de la înscrierea la program
DocType: Purchase Taxes and Charges,On Previous Row Amount,La rândul precedent Suma
DocType: Student,Home Address,Adresa de acasa
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,activ de transfer
@@ -4609,28 +4637,27 @@
DocType: Training Event,Event Name,Numele evenimentului
apps/erpnext/erpnext/config/schools.py +39,Admission,Admitere
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Admitere pentru {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Sezonalitatea pentru stabilirea bugetelor, obiective etc."
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Postul {0} este un șablon, vă rugăm să selectați unul dintre variantele sale"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Sezonalitatea pentru stabilirea bugetelor, obiective etc."
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Postul {0} este un șablon, vă rugăm să selectați unul dintre variantele sale"
DocType: Asset,Asset Category,Categorie activ
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Cumpărător
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Salariul net nu poate fi negativ
DocType: SMS Settings,Static Parameters,Parametrii statice
DocType: Assessment Plan,Room,Cameră
DocType: Purchase Order,Advance Paid,Avans plătit
DocType: Item,Item Tax,Taxa Articol
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Material de Furnizor
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Accize factură
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Accize factură
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% apare mai mult decât o dată
DocType: Expense Claim,Employees Email Id,Id Email Angajat
DocType: Employee Attendance Tool,Marked Attendance,Participarea marcat
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Raspunderi Curente
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Raspunderi Curente
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Trimite SMS-uri în masă a persoanelor de contact
DocType: Program,Program Name,Numele programului
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Considerare Taxa sau Cost pentru
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Cantitatea efectivă este obligatorie
DocType: Employee Loan,Loan Type,Tip credit
DocType: Scheduling Tool,Scheduling Tool,Instrumentul de programare
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Card de Credit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Card de Credit
DocType: BOM,Item to be manufactured or repacked,Articol care urmează să fie fabricat sau reambalat
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Setări implicite pentru tranzacțiile bursiere.
DocType: Purchase Invoice,Next Date,Data viitoare
@@ -4646,10 +4673,10 @@
DocType: Stock Entry,Repack,Reambalați
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Trebuie să salvați formularul înainte de a începe
DocType: Item Attribute,Numeric Values,Valori numerice
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Atașați logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Atașați logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Niveluri stoc
DocType: Customer,Commission Rate,Rata de Comision
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Face Varianta
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Face Varianta
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Blocaţi cereri de concediu pe departamente.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Tipul de plată trebuie să fie unul dintre Primire, Pay și de transfer intern"
apps/erpnext/erpnext/config/selling.py +179,Analytics,Google Analytics
@@ -4657,45 +4684,45 @@
DocType: Vehicle,Model,Model
DocType: Production Order,Actual Operating Cost,Cost efectiv de operare
DocType: Payment Entry,Cheque/Reference No,Cecul / de referință nr
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Rădăcină nu poate fi editat.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Rădăcină nu poate fi editat.
DocType: Item,Units of Measure,Unitati de masura
DocType: Manufacturing Settings,Allow Production on Holidays,Permiteţi operaţii de producție pe durata sărbătorilor
DocType: Sales Order,Customer's Purchase Order Date,Data Comanda de Aprovizionare Client
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Capital Stock
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Capital Stock
DocType: Shopping Cart Settings,Show Public Attachments,Afișați atașamentele publice
DocType: Packing Slip,Package Weight Details,Pachetul Greutate Detalii
DocType: Payment Gateway Account,Payment Gateway Account,Plata cont Gateway
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,După finalizarea plății de redirecționare utilizator la pagina selectată.
DocType: Company,Existing Company,companie existentă
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Categoria de taxe a fost modificată la "Total" deoarece toate elementele nu sunt elemente stoc
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Vă rugăm să selectați un fișier csv
DocType: Student Leave Application,Mark as Present,Marcați ca prezent
DocType: Purchase Order,To Receive and Bill,Pentru a primi și Bill
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Produse recomandate
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Proiectant
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Proiectant
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Termeni și condiții Format
DocType: Serial No,Delivery Details,Detalii Livrare
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Centrul de Cost este necesar pentru inregistrarea {0} din tabelul Taxe pentru tipul {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Centrul de Cost este necesar pentru inregistrarea {0} din tabelul Taxe pentru tipul {1}
DocType: Program,Program Code,Codul programului
DocType: Terms and Conditions,Terms and Conditions Help,Termeni și Condiții Ajutor
,Item-wise Purchase Register,Registru Achizitii Articol-Avizat
DocType: Batch,Expiry Date,Data expirării
-,Supplier Addresses and Contacts,Adrese furnizorului și de Contacte
,accounts-browser,conturi de browser
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,Vă rugăm să selectați categoria întâi
apps/erpnext/erpnext/config/projects.py +13,Project master.,Maestru proiect.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Pentru a permite supra-facturare sau supra-ordonare, să actualizeze "alocație" în Setări stoc sau elementul."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Pentru a permite supra-facturare sau supra-ordonare, să actualizeze "alocație" în Setări stoc sau elementul."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Nu afisa nici un simbol de genul $ etc alături de valute.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Jumatate de zi)
DocType: Supplier,Credit Days,Zile de Credit
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Asigurați-Lot Student
DocType: Leave Type,Is Carry Forward,Este Carry Forward
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Obține articole din FDM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Obține articole din FDM
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Timpul in Zile Conducere
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rând # {0}: Detașarea Data trebuie să fie aceeași ca dată de achiziție {1} din activ {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rând # {0}: Detașarea Data trebuie să fie aceeași ca dată de achiziție {1} din activ {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Vă rugăm să introduceți comenzile de vânzări în tabelul de mai sus
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Netrimisă salariale Alunecările
,Stock Summary,Rezumat de stoc
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Se transferă un activ de la un depozit la altul
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Se transferă un activ de la un depozit la altul
DocType: Vehicle,Petrol,Benzină
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Proiect de lege de materiale
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Row {0}: Partidul Tipul și Partidul este necesar pentru creanțe / cont plateste {1}
@@ -4706,6 +4733,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Sancționate Suma
DocType: GL Entry,Is Opening,Se deschide
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Rând {0}: debit de intrare nu poate fi legat de o {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Contul {0} nu există
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Contul {0} nu există
DocType: Account,Cash,Numerar
DocType: Employee,Short biography for website and other publications.,Scurta biografie pentru site-ul web și alte publicații.
diff --git a/erpnext/translations/ru.csv b/erpnext/translations/ru.csv
index 0c0988f..f45e415 100644
--- a/erpnext/translations/ru.csv
+++ b/erpnext/translations/ru.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Потребительские товары
DocType: Item,Customer Items,Предметы клиентов
DocType: Project,Costing and Billing,Калькуляция и биллинг
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Счет {0}: Родительский счет {1} не может быть регистром
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Счет {0}: Родительский счет {1} не может быть регистром
DocType: Item,Publish Item to hub.erpnext.com,Опубликовать деталь к hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,Уведомления электронной почты
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,оценка
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,оценка
DocType: Item,Default Unit of Measure,По умолчанию Единица измерения
DocType: SMS Center,All Sales Partner Contact,Все Партнеры по сбыту Связаться
DocType: Employee,Leave Approvers,Оставьте Утверждающие
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),"Курс должен быть таким же, как {0} {1} ({2})"
DocType: Sales Invoice,Customer Name,Наименование заказчика
DocType: Vehicle,Natural Gas,Природный газ
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Банковский счет не может быть назван {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Банковский счет не может быть назван {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Heads (или группы), против которого бухгалтерских проводок производится и остатки сохраняются."
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Выдающийся для {0} не может быть меньше нуля ({1})
DocType: Manufacturing Settings,Default 10 mins,По умолчанию 10 минут
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Все контакты поставщиков
DocType: Support Settings,Support Settings,Настройки поддержки
DocType: SMS Parameter,Parameter,Параметр
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,"Ожидаемая Дата окончания не может быть меньше, чем ожидалось Дата начала"
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,"Ожидаемая Дата окончания не может быть меньше, чем ожидалось Дата начала"
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"Ряд # {0}: цена должна быть такой же, как {1}: {2} ({3} / {4})"
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Новый Оставить заявку
,Batch Item Expiry Status,Пакетная Пункт экспирации Статус
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Банковский счет
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Банковский счет
DocType: Mode of Payment Account,Mode of Payment Account,Форма оплаты счета
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Показать варианты
DocType: Academic Term,Academic Term,академический срок
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,материал
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Количество
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Таблица учета не может быть пустой.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Кредиты (обязательства)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Кредиты (обязательства)
DocType: Employee Education,Year of Passing,Год Passing
DocType: Item,Country of Origin,Страна происхождения
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,В Наличии
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,В Наличии
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Открыть вопросы
DocType: Production Plan Item,Production Plan Item,Производственный план Пункт
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Пользователь {0} уже назначен сотрудником {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Здравоохранение
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Задержка в оплате (дни)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Услуги Expense
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Серийный номер: {0} уже указан в счете продаж: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Серийный номер: {0} уже указан в счете продаж: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Счет
DocType: Maintenance Schedule Item,Periodicity,Периодичность
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Финансовый год {0} требуется
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Ряд # {0}:
DocType: Timesheet,Total Costing Amount,Общая сумма Стоимостью
DocType: Delivery Note,Vehicle No,Автомобиль №
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,"Пожалуйста, выберите прайс-лист"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,"Пожалуйста, выберите прайс-лист"
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Строка # {0}: Платежный документ требуется для завершения операций Устанавливаются
DocType: Production Order Operation,Work In Progress,Работа продолжается
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,"Пожалуйста, выберите даты"
DocType: Employee,Holiday List,Список праздников
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Бухгалтер
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Бухгалтер
DocType: Cost Center,Stock User,Фото пользователя
DocType: Company,Phone No,Номер телефона
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Расписание курсов создано:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Новый {0}: # {1}
,Sales Partners Commission,Комиссионные Партнеров по продажам
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Аббревиатура не может иметь более 5 символов
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Аббревиатура не может иметь более 5 символов
DocType: Payment Request,Payment Request,Платежный запрос
DocType: Asset,Value After Depreciation,Значение после амортизации
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,"Дата Посещаемость не может быть меньше, чем присоединение даты работника"
DocType: Grading Scale,Grading Scale Name,Градация шкалы Имя
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Это корень счета и не могут быть изменены.
+DocType: Sales Invoice,Company Address,Адрес компании
DocType: BOM,Operations,Эксплуатация
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Не удается установить разрешение на основе Скидка для {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Прикрепите файл .csv с двумя колоннами, одна для старого имени и одина для нового названия"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} не в каком-либо активном финансовом годе.
DocType: Packed Item,Parent Detail docname,Родитель Деталь DOCNAME
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Ссылка: {0}, Код товара: {1} и Заказчик: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,кг
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,кг
DocType: Student Log,Log,Журнал
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Открытие на работу.
DocType: Item Attribute,Increment,Приращение
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Реклама
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,То же компания вошла более чем один раз
DocType: Employee,Married,Замужем
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Не допускается для {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Не допускается для {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Получить товары от
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Фото не могут быть обновлены против накладной {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Фото не могут быть обновлены против накладной {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Продукт {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,"Нет элементов, перечисленных"
DocType: Payment Reconciliation,Reconcile,Согласовать
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Следующая амортизация Дата не может быть перед покупкой Даты
DocType: SMS Center,All Sales Person,Все менеджеры по продажам
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,**Распределение по месяцам** позволяет распределить бюджет/цель по месяцам при наличии сезонности в вашем бизнесе.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Не нашли товар
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Не нашли товар
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Структура заработной платы Отсутствующий
DocType: Lead,Person Name,Имя лица
DocType: Sales Invoice Item,Sales Invoice Item,Счет продаж товара
DocType: Account,Credit,Кредит
DocType: POS Profile,Write Off Cost Center,Списание МВЗ
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""","например, "Начальная школа" или "Университет""
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""","например, "Начальная школа" или "Университет""
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Отчеты по Запасам
DocType: Warehouse,Warehouse Detail,Склад Подробно
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Кредитный лимит был перейден для клиента {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Кредитный лимит был перейден для клиента {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Срок Дата окончания не может быть позднее, чем за год Дата окончания учебного года, к которому этот термин связан (учебный год {}). Пожалуйста, исправьте дату и попробуйте еще раз."
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","Нельзя отменить выбор ""Является основным средством"", поскольку по данному пункту имеется запись по активам"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","Нельзя отменить выбор ""Является основным средством"", поскольку по данному пункту имеется запись по активам"
DocType: Vehicle Service,Brake Oil,Тормозные масла
DocType: Tax Rule,Tax Type,Налоги Тип
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},"Вы не авторизованы, чтобы добавить или обновить записи до {0}"
DocType: BOM,Item Image (if not slideshow),Пункт изображения (если не слайд-шоу)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Существует клиентов с одноименным названием
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Часовая Ставка / 60) * Фактическое время работы
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Выберите BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Выберите BOM
DocType: SMS Log,SMS Log,SMS Log
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Стоимость доставленных изделий
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Праздник на {0} не между From Date и To Date
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},От {0} до {1}
DocType: Item,Copy From Item Group,Скопируйте Из группы товаров
DocType: Journal Entry,Opening Entry,Начальная запись
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Клиент> Группа клиентов> Территория
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Счет Оплатить только
DocType: Employee Loan,Repay Over Number of Periods,Погашать Over Количество периодов
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} не зарегистрировано в данном {2}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} не зарегистрировано в данном {2}
DocType: Stock Entry,Additional Costs,Дополнительные расходы
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Счет существующей проводки не может быть преобразован в группу.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Счет существующей проводки не может быть преобразован в группу.
DocType: Lead,Product Enquiry,Product Enquiry
DocType: Academic Term,Schools,Школы
+DocType: School Settings,Validate Batch for Students in Student Group,Проверка партии для студентов в студенческой группе
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Нет отпуска найденная запись для сотрудника {0} для {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Пожалуйста, введите название первой Компании"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,"Пожалуйста, выберите КОМПАНИЯ Первый"
@@ -175,50 +176,50 @@
DocType: BOM,Total Cost,Общая стоимость
DocType: Journal Entry Account,Employee Loan,Сотрудник займа
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Журнал активности:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,"Пункт {0} не существует в системе, или истек"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,"Пункт {0} не существует в системе, или истек"
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Недвижимость
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Выписка по счету
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Фармацевтика
DocType: Purchase Invoice Item,Is Fixed Asset,Фиксирована Asset
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Доступный кол-во: {0}, необходимо {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Доступный кол-во: {0}, необходимо {1}"
DocType: Expense Claim Detail,Claim Amount,Сумма претензии
-DocType: Employee,Mr,Г-н
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Дубликат группа клиентов найти в таблице Cutomer группы
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Тип Поставщик / Поставщик
DocType: Naming Series,Prefix,Префикс
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Потребляемый
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Потребляемый
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Лог импорта
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Потянуть Материал запроса типа Производство на основе вышеуказанных критериев
DocType: Training Result Employee,Grade,класс
DocType: Sales Invoice Item,Delivered By Supplier,Поставленные Поставщиком
DocType: SMS Center,All Contact,Все Связаться
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Производственный заказ уже создан для всех элементов с BOM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Годовой оклад
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Производственный заказ уже создан для всех элементов с BOM
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Годовой оклад
DocType: Daily Work Summary,Daily Work Summary,Ежедневно Резюме Работа
DocType: Period Closing Voucher,Closing Fiscal Year,Закрытие финансового года
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} заморожен
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,"Пожалуйста, выберите существующую компанию для создания плана счетов"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Расходы по Запасам
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} заморожен
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,"Пожалуйста, выберите существующую компанию для создания плана счетов"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Расходы по Запасам
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Выберите целевое хранилище
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Выберите целевое хранилище
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,"Пожалуйста, введите Preferred Контакт E-mail"
+DocType: Program Enrollment,School Bus,Школьный автобус
DocType: Journal Entry,Contra Entry,Contra запись
DocType: Journal Entry Account,Credit in Company Currency,Кредит в валюте компании
DocType: Delivery Note,Installation Status,Состояние установки
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Вы хотите обновить посещаемость? <br> Присутствуют: {0} \ <br> Отсутствовали: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Кол-во Принято + Отклонено должно быть равно полученному количеству по позиции {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Кол-во Принято + Отклонено должно быть равно полученному количеству по позиции {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Поставка сырья для покупки
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,По крайней мере один способ оплаты требуется для POS счета.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,По крайней мере один способ оплаты требуется для POS счета.
DocType: Products Settings,Show Products as a List,Показать продукты списком
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Скачать шаблон, заполнить соответствующие данные и приложить измененный файл.
Все даты и сотрудник сочетание в выбранный период придет в шаблоне, с существующими посещаемости"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,Пункт {0} не является активным или конец жизни был достигнут
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Пример: Элементарная математика
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Для учета налога в строке {0} в размере Item, налоги в строках должны быть также включены {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Пункт {0} не является активным или конец жизни был достигнут
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Пример: Элементарная математика
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Для учета налога в строке {0} в размере Item, налоги в строках должны быть также включены {1}"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Настройки для модуля HR
DocType: SMS Center,SMS Center,SMS центр
DocType: Sales Invoice,Change Amount,Изменение Сумма
@@ -228,7 +229,7 @@
DocType: Lead,Request Type,Тип запроса
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Сделать Employee
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Вещание
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Реализация
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Реализация
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Информация о выполненных операциях.
DocType: Serial No,Maintenance Status,Техническое обслуживание Статус
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Наименование поставщика обязательно для кредиторской задолженности {2}
@@ -256,7 +257,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,"Запрос котировок можно получить, перейдя по следующей ссылке"
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Распределить отпуска на год.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG Создание курса инструмента
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,Недостаточный Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,Недостаточный Stock
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Отключить планирование емкости и отслеживание времени
DocType: Email Digest,New Sales Orders,Новые заказы на продажу
DocType: Bank Guarantee,Bank Account,Банковский счет
@@ -267,8 +268,9 @@
DocType: Production Order Operation,Updated via 'Time Log',"Обновлено помощью ""Time Вход"""
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},"Предварительная сумма не может быть больше, чем {0} {1}"
DocType: Naming Series,Series List for this Transaction,Список Серия для этого сделки
+DocType: Company,Enable Perpetual Inventory,Включить вечный инвентарь
DocType: Company,Default Payroll Payable Account,По умолчанию Payroll оплаты счетов
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Обновление Email Group
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Обновление Email Group
DocType: Sales Invoice,Is Opening Entry,Открывает запись
DocType: Customer Group,Mention if non-standard receivable account applicable,Упоминание если нестандартная задолженность счет применимо
DocType: Course Schedule,Instructor Name,Имя инструктора
@@ -280,13 +282,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,На накладная Пункт
,Production Orders in Progress,Производственные заказы в Прогресс
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Чистые денежные средства от финансовой деятельности
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage полон, не спасло"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage полон, не спасло"
DocType: Lead,Address & Contact,Адрес и контакт
DocType: Leave Allocation,Add unused leaves from previous allocations,Добавить неиспользованные отпуска с прошлых периодов
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Следующая Периодическая {0} будет создан на {1}
DocType: Sales Partner,Partner website,сайт партнера
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Добавить элемент
-,Contact Name,Имя Контакта
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Имя Контакта
DocType: Course Assessment Criteria,Course Assessment Criteria,Критерии оценки курса
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Создает ведомость расчета зарплаты за вышеуказанные критерии.
DocType: POS Customer Group,POS Customer Group,POS Группа клиентов
@@ -295,18 +297,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Не введено описание
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Запрос на покупку.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,"Это основано на табелей учета рабочего времени, созданных против этого проекта"
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,"Net Pay не может быть меньше, чем 0"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,"Net Pay не может быть меньше, чем 0"
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Только выбранный Согласующий отпуска может провести это Заявление на отпуск
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Освобождение Дата должна быть больше даты присоединения
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Листья в год
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Листья в год
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Ряд {0}: Пожалуйста, проверьте 'Как Advance ""против счета {1}, если это заранее запись."
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Склад {0} не принадлежит компания {1}
DocType: Email Digest,Profit & Loss,Потеря прибыли
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Литр
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Литр
DocType: Task,Total Costing Amount (via Time Sheet),Общая калькуляция Сумма (с помощью Time Sheet)
DocType: Item Website Specification,Item Website Specification,Пункт Сайт Спецификация
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Оставьте Заблокированные
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Пункт {0} достигла своей жизни на {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Пункт {0} достигла своей жизни на {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Банковские записи
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,За год
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Товар с Сверки Запасов
@@ -314,9 +316,9 @@
DocType: Material Request Item,Min Order Qty,Минимальный заказ Кол-во
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Курс Студенческая группа Инструмент создания
DocType: Lead,Do Not Contact,Не обращайтесь
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,"Люди, которые преподают в вашей организации"
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,"Люди, которые преподают в вашей организации"
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Уникальный идентификатор для отслеживания все повторяющиеся счетов-фактур. Он создается на представить.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Разработчик Программного обеспечения
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Разработчик Программного обеспечения
DocType: Item,Minimum Order Qty,Минимальное количество заказа
DocType: Pricing Rule,Supplier Type,Тип поставщика
DocType: Course Scheduling Tool,Course Start Date,Дата начала курса
@@ -325,11 +327,11 @@
DocType: Item,Publish in Hub,Опубликовать в Hub
DocType: Student Admission,Student Admission,приёму студентов
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Пункт {0} отменяется
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Пункт {0} отменяется
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Заказ материалов
DocType: Bank Reconciliation,Update Clearance Date,Обновление просвет Дата
DocType: Item,Purchase Details,Покупка Подробности
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Пункт {0} не найден в "давальческое сырье" таблицы в Заказе {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Пункт {0} не найден в "давальческое сырье" таблицы в Заказе {1}
DocType: Employee,Relation,Отношение
DocType: Shipping Rule,Worldwide Shipping,Доставка по всему миру
DocType: Student Guardian,Mother,Мама
@@ -348,6 +350,7 @@
DocType: Student Group Student,Student Group Student,Студенческая группа Student
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Последние
DocType: Vehicle Service,Inspection,осмотр
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Список
DocType: Email Digest,New Quotations,Новые Котировки
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,"Электронные письма зарплаты скольжения сотруднику на основе предпочтительного электронной почты, выбранного в Employee"
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,Оставить утверждающий в списке будет установлен по умолчанию Оставить утверждающего
@@ -356,20 +359,20 @@
DocType: Asset,Next Depreciation Date,Следующий Износ Дата
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Деятельность Стоимость одного работника
DocType: Accounts Settings,Settings for Accounts,Настройки для счетов
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Поставщик Счет-фактура не существует в счете-фактуре {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Поставщик Счет-фактура не существует в счете-фактуре {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Управление менеджера по продажам дерево.
DocType: Job Applicant,Cover Letter,Сопроводительное письмо
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,"Выдающиеся чеки и депозиты, чтобы очистить"
DocType: Item,Synced With Hub,Синхронизированные со ступицей
DocType: Vehicle,Fleet Manager,Управляющий флотом
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Строка # {0}: {1} не может быть отрицательным по пункту {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Неправильный Пароль
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Неправильный Пароль
DocType: Item,Variant Of,Вариант
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',"Завершен Кол-во не может быть больше, чем ""Кол-во для изготовления"""
DocType: Period Closing Voucher,Closing Account Head,Закрытие счета руководитель
DocType: Employee,External Work History,Внешний Работа История
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Циклическая ссылка Ошибка
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Имя Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Имя Guardian1
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,В Слов (Экспорт) будут видны только вы сохраните накладной.
DocType: Cheque Print Template,Distance from left edge,Расстояние от левого края
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} единиц [{1}] (#Form/Item/{1}) найдена на [{2}] (#Form/Складе/{2})
@@ -378,11 +381,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Сообщите по электронной почте по созданию автоматической запрос материалов
DocType: Journal Entry,Multi Currency,Мульти валюта
DocType: Payment Reconciliation Invoice,Invoice Type,Тип счета
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Документы Отгрузки
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Документы Отгрузки
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Настройка Налоги
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Себестоимость проданных активов
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,"Оплата запись была изменена после того, как вытащил его. Пожалуйста, вытащить его снова."
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} введен дважды в налог по позиции
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Оплата запись была изменена после того, как вытащил его. Пожалуйста, вытащить его снова."
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} введен дважды в налог по позиции
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Резюме на этой неделе и в ожидании деятельности
DocType: Student Applicant,Admitted,Признался
DocType: Workstation,Rent Cost,Стоимость аренды
@@ -401,25 +404,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Пожалуйста, введите 'Repeat на день месяца' значения поля"
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Курс по которому валюта Покупателя конвертируется в базовую валюту покупателя
DocType: Course Scheduling Tool,Course Scheduling Tool,Курс планирования Инструмент
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Строка # {0}: Покупка Счет-фактура не может быть сделано в отношении существующего актива {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Строка # {0}: Покупка Счет-фактура не может быть сделано в отношении существующего актива {1}
DocType: Item Tax,Tax Rate,Размер налога
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} уже выделено сотруднику {1} на период с {2} по {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Выбрать пункт
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Счет на закупку {0} уже проведен
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Счет на закупку {0} уже проведен
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},"Ряд # {0}: Пакетное Нет должно быть таким же, как {1} {2}"
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Преобразовать в негрупповой
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Партия позиций.
DocType: C-Form Invoice Detail,Invoice Date,Дата Счета
DocType: GL Entry,Debit Amount,Дебет Сумма
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Там может быть только 1 аккаунт на компанию в {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,"Пожалуйста, см. приложение"
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Там может быть только 1 аккаунт на компанию в {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,"Пожалуйста, см. приложение"
DocType: Purchase Order,% Received,% Получено
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Создание студенческих групп
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Настройка Уже завершена!!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Сумма кредитной записи
,Finished Goods,Готовая продукция
DocType: Delivery Note,Instructions,Инструкции
DocType: Quality Inspection,Inspected By,Проверено
DocType: Maintenance Visit,Maintenance Type,Тип технического обслуживания
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} не зачислен в курс {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Серийный номер {0} не принадлежит накладной {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Добавить товары
@@ -442,7 +447,7 @@
DocType: Request for Quotation,Request for Quotation,Запрос предложения
DocType: Salary Slip Timesheet,Working Hours,Часы работы
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Изменение начального / текущий порядковый номер существующей серии.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Создание нового клиента
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Создание нового клиента
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Если несколько правил ценообразования продолжают преобладать, пользователям предлагается установить приоритет вручную разрешить конфликт."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Создание заказов на поставку
,Purchase Register,Покупка Становиться на учет
@@ -454,7 +459,7 @@
DocType: Student Log,Medical,Медицинский
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Причина потери
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,"Ведущий владелец не может быть такой же, как свинец"
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,Выделенная сумма не может превышать суммы нерегулируемого
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,Выделенная сумма не может превышать суммы нерегулируемого
DocType: Announcement,Receiver,Получатель
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Рабочая станция закрыта в следующие сроки согласно Список праздников: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Возможности
@@ -468,8 +473,7 @@
DocType: Assessment Plan,Examiner Name,Имя Examiner
DocType: Purchase Invoice Item,Quantity and Rate,Количество и курс
DocType: Delivery Note,% Installed,% Установлено
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,"Кабинеты / лаборатории и т.д., где лекции могут быть запланированы."
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Поставщик> Тип поставщика
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Кабинеты / лаборатории и т.д., где лекции могут быть запланированы."
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,"Пожалуйста, введите название компании сначала"
DocType: Purchase Invoice,Supplier Name,Наименование поставщика
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Прочитайте руководство ERPNext
@@ -479,7 +483,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Проверять Уникальность Номера Счетов получаемых от Поставщика
DocType: Vehicle Service,Oil Change,Замена масла
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.',"""До Дела №"" не может быть меньше, чем ""От Дела №"""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Некоммерческое предприятие
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Некоммерческое предприятие
DocType: Production Order,Not Started,Не начато
DocType: Lead,Channel Partner,Channel ДУrtner
DocType: Account,Old Parent,Старый родительский
@@ -490,20 +494,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Глобальные настройки для всех производственных процессов.
DocType: Accounts Settings,Accounts Frozen Upto,Счета заморожены До
DocType: SMS Log,Sent On,Направлено на
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} выбран несколько раз в Таблице Атрибутов
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} выбран несколько раз в Таблице Атрибутов
DocType: HR Settings,Employee record is created using selected field. ,
DocType: Sales Order,Not Applicable,Не применяется
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Мастер отдыха.
DocType: Request for Quotation Item,Required Date,Требуется Дата
DocType: Delivery Note,Billing Address,Адрес для выставления счетов
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,"Пожалуйста, введите Код товара."
DocType: BOM,Costing,Стоимость
DocType: Tax Rule,Billing County,Платежный County
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Если флажок установлен, сумма налога будет считаться уже включены в Печать Оценить / Количество печати"
DocType: Request for Quotation,Message for Supplier,Сообщение для Поставщика
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Всего Кол-во
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Идентификатор электронной почты Guardian2
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Идентификатор электронной почты Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Идентификатор электронной почты Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Идентификатор электронной почты Guardian2
DocType: Item,Show in Website (Variant),Показать в веб-сайт (вариант)
DocType: Employee,Health Concerns,Проблемы Здоровья
DocType: Process Payroll,Select Payroll Period,Выберите Период начисления заработной платы
@@ -521,26 +524,28 @@
DocType: Sales Order Item,Used for Production Plan,Используется для производственного плана
DocType: Employee Loan,Total Payment,Всего к оплате
DocType: Manufacturing Settings,Time Between Operations (in mins),Время между операциями (в мин)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} отменяется, поэтому действие не может быть завершено"
DocType: Customer,Buyer of Goods and Services.,Покупатель товаров и услуг.
DocType: Journal Entry,Accounts Payable,Счета к оплате
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Отобранные ВОМ не для того же пункта
DocType: Pricing Rule,Valid Upto,Действительно До
DocType: Training Event,Workshop,мастерская
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Перечислите несколько ваших клиентов. Это могут быть как организации так и частные лица.
-,Enough Parts to Build,Достаточно части для сборки
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Прямая прибыль
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Перечислите несколько ваших клиентов. Это могут быть как организации так и частные лица.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Достаточно части для сборки
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Прямая прибыль
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Не можете фильтровать на основе счета, если сгруппированы по Счет"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Администратор
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Выберите курс
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Выберите курс
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Администратор
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Выберите курс
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Выберите курс
DocType: Timesheet Detail,Hrs,часов
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,"Пожалуйста, выберите компанию"
DocType: Stock Entry Detail,Difference Account,Счет разницы
+DocType: Purchase Invoice,Supplier GSTIN,Поставщик GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,"Невозможно закрыть задача, как ее зависит задача {0} не закрыт."
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"Пожалуйста, введите Склад для которых Материал Запрос будет поднят"
DocType: Production Order,Additional Operating Cost,Дополнительные Эксплуатационные расходы
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Косметика
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Чтобы объединить, следующие свойства должны быть одинаковыми для обоих пунктов"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Чтобы объединить, следующие свойства должны быть одинаковыми для обоих пунктов"
DocType: Shipping Rule,Net Weight,Вес нетто
DocType: Employee,Emergency Phone,В случае чрезвычайных ситуаций
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,купить
@@ -550,14 +555,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,"Пожалуйста, определите оценку для Threshold 0%"
DocType: Sales Order,To Deliver,Для доставки
DocType: Purchase Invoice Item,Item,Элемент
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Серийный ни один элемент не может быть дробным
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Серийный ни один элемент не может быть дробным
DocType: Journal Entry,Difference (Dr - Cr),Отличия (д-р - Cr)
DocType: Account,Profit and Loss,Прибыль и убытки
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Управление субподряда
DocType: Project,Project will be accessible on the website to these users,Проект будет доступен на веб-сайте для этих пользователей
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Курс по которому валюта Прайс листа конвертируется в базовую валюту компании
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Аккаунт {0} не принадлежит компании: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Аббревиатура уже используется для другой компании
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Аккаунт {0} не принадлежит компании: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Аббревиатура уже используется для другой компании
DocType: Selling Settings,Default Customer Group,По умолчанию Группа клиентов
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Если отключить, 'закругленными Всего' поле не будет виден в любой сделке"
DocType: BOM,Operating Cost,Эксплуатационные затраты
@@ -565,7 +570,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Прирост не может быть 0
DocType: Production Planning Tool,Material Requirement,Потребности в материалах
DocType: Company,Delete Company Transactions,Удалить Сделки Компания
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Ссылка № и дата Reference является обязательным для операции банка
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Ссылка № и дата Reference является обязательным для операции банка
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Добавить / Изменить Налоги и сборы
DocType: Purchase Invoice,Supplier Invoice No,Поставщик Счет №
DocType: Territory,For reference,Для справки
@@ -576,22 +581,22 @@
DocType: Installation Note Item,Installation Note Item,Установка Примечание Пункт
DocType: Production Plan Item,Pending Qty,В ожидании Кол-во
DocType: Budget,Ignore,Игнорировать
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} не активен
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} не активен
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS отправлено следующих номеров: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,Размеры Проверьте настройки для печати
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Размеры Проверьте настройки для печати
DocType: Salary Slip,Salary Slip Timesheet,Зарплата скольжению Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Поставщик Склад обязательным для субподрядчиком ТОВАРНЫЙ ЧЕК
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Поставщик Склад обязательным для субподрядчиком ТОВАРНЫЙ ЧЕК
DocType: Pricing Rule,Valid From,Действительно с
DocType: Sales Invoice,Total Commission,Всего комиссия
DocType: Pricing Rule,Sales Partner,Партнер по продажам
DocType: Buying Settings,Purchase Receipt Required,Покупка Получение необходимое
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,"Оценка Оцените является обязательным, если введен Открытие изображения"
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,"Оценка Оцените является обязательным, если введен Открытие изображения"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Не записи не найдено в таблице счетов
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,"Пожалуйста, выберите компании и партийных первого типа"
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Финансовый / отчетный год.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Финансовый / отчетный год.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Накопленные значения
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","К сожалению, серийные номера не могут быть объединены"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Сделать заказ клиента
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Сделать заказ клиента
DocType: Project Task,Project Task,Проект Задача
,Lead Id,ID лида
DocType: C-Form Invoice Detail,Grand Total,Общий итог
@@ -608,7 +613,7 @@
DocType: Job Applicant,Resume Attachment,резюме Приложение
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Постоянных клиентов
DocType: Leave Control Panel,Allocate,Выделить
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Возвраты с продаж
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Возвраты с продаж
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,"Примечание: Суммарное количество выделенных листьев {0} не должно быть меньше, чем уже утвержденных листьев {1} на период"
DocType: Announcement,Posted By,Сообщение от
DocType: Item,Delivered by Supplier (Drop Ship),Поставляется Поставщиком (прямая поставка)
@@ -618,8 +623,8 @@
DocType: Quotation,Quotation To,Цитата Для
DocType: Lead,Middle Income,Средний доход
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Начальное сальдо (кредит)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"По умолчанию Единица измерения для п {0} не может быть изменен непосредственно, потому что вы уже сделали некоторые сделки (сделок) с другим UOM. Вам нужно будет создать новый пункт для использования другого умолчанию единица измерения."
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Выделенные сумма не может быть отрицательным
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"По умолчанию Единица измерения для п {0} не может быть изменен непосредственно, потому что вы уже сделали некоторые сделки (сделок) с другим UOM. Вам нужно будет создать новый пункт для использования другого умолчанию единица измерения."
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Выделенные сумма не может быть отрицательным
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Укажите компанию
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Укажите компанию
DocType: Purchase Order Item,Billed Amt,Счетов выдано кол-во
@@ -632,7 +637,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Выберите Учетная запись Оплата сделать Банк Стажер
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Создание записей сотрудников для управления листьев, расходов и заработной платы претензий"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Добавить в базы знаний
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Предложение Написание
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Предложение Написание
DocType: Payment Entry Deduction,Payment Entry Deduction,Оплата запись Вычет
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Другой человек Продажи {0} существует с тем же идентификатором Сотрудника
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Если этот флажок установлен, сырье для элементов, которые являются субподрядчиками будут включены в материале запросов"
@@ -647,7 +652,7 @@
DocType: Batch,Batch Description,Описание партии
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Создание групп студентов
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Создание групп студентов
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Payment Gateway Account не создан, создайте его вручную."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Payment Gateway Account не создан, создайте его вручную."
DocType: Sales Invoice,Sales Taxes and Charges,Налоги и сборы с продаж
DocType: Employee,Organization Profile,Профиль организации
DocType: Student,Sibling Details,подробности Родственные
@@ -669,11 +674,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Чистое изменение в запасах
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Управление кредитов сотрудников
DocType: Employee,Passport Number,Номер паспорта
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Связь с Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Менеджер
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Связь с Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Менеджер
DocType: Payment Entry,Payment From / To,Оплата с / по
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Новый кредитный лимит меньше текущей суммы задолженности для клиента. Кредитный лимит должен быть зарегистрировано не менее {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Такой же деталь был введен несколько раз.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Новый кредитный лимит меньше текущей суммы задолженности для клиента. Кредитный лимит должен быть зарегистрировано не менее {0}
DocType: SMS Settings,Receiver Parameter,Приемник Параметр
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""На основании"" и ""Группировка по"" не могут быть одинаковыми"
DocType: Sales Person,Sales Person Targets,Цели продавца
@@ -682,8 +686,9 @@
DocType: Issue,Resolution Date,Разрешение Дата
DocType: Student Batch Name,Batch Name,Пакетная Имя
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timesheet создано:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},"Пожалуйста, установите Cash умолчанию или банковский счет в режим оплаты {0}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},"Пожалуйста, установите Cash умолчанию или банковский счет в режим оплаты {0}"
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,зачислять
+DocType: GST Settings,GST Settings,Настройки GST
DocType: Selling Settings,Customer Naming By,Именование клиентов По
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Покажу студент как присутствующий в студенческой Monthly посещаемости отчета
DocType: Depreciation Schedule,Depreciation Amount,Амортизация основных средств Сумма
@@ -705,6 +710,7 @@
DocType: Item,Material Transfer,О передаче материала
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Начальное сальдо (дебет)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Средняя отметка должна быть после {0}
+,GST Itemised Purchase Register,Регистр покупки в GST
DocType: Employee Loan,Total Interest Payable,Общий процент кредиторов
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Landed Стоимость Налоги и сборы
DocType: Production Order Operation,Actual Start Time,Фактическое начало Время
@@ -732,10 +738,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
DocType: Account,Accounts,Учётные записи
DocType: Vehicle,Odometer Value (Last),Значение одометра (последнее)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Маркетинг
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Маркетинг
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Оплата запись уже создан
DocType: Purchase Receipt Item Supplied,Current Stock,Наличие на складе
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Строка # {0}: Asset {1} не связан с п {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Строка # {0}: Asset {1} не связан с п {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Просмотр Зарплата скольжению
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Счет {0} был введен несколько раз
DocType: Account,Expenses Included In Valuation,"Затрат, включаемых в оценке"
@@ -743,7 +749,7 @@
,Absent Student Report,Отсутствует Student Report
DocType: Email Digest,Next email will be sent on:,Следующее письмо будет отправлено на:
DocType: Offer Letter Term,Offer Letter Term,Условие письма с предложением
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Пункт имеет варианты.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Пункт имеет варианты.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Пункт {0} не найден
DocType: Bin,Stock Value,Стоимость акций
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Компания {0} не существует
@@ -752,8 +758,8 @@
DocType: Serial No,Warranty Expiry Date,Гарантия срок действия
DocType: Material Request Item,Quantity and Warehouse,Количество и Склад
DocType: Sales Invoice,Commission Rate (%),Комиссия ставка (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Выберите программу
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Выберите программу
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Выберите программу
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Выберите программу
DocType: Project,Estimated Cost,Ориентировочная стоимость
DocType: Purchase Order,Link to material requests,Ссылка на материал запросов
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Авиационно-космический
@@ -767,14 +773,14 @@
DocType: Purchase Order,Supply Raw Materials,Поставка сырья
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,"Дата, на которую будет генерироваться следующий счет-фактура. Он создается на форму."
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Оборотные активы
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} не является складской позицией
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} не является складской позицией
DocType: Mode of Payment Account,Default Account,По умолчанию учетная запись
DocType: Payment Entry,Received Amount (Company Currency),Полученная сумма (Компания Валюта)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,"Ведущий должен быть установлен, если Возможность сделан из свинца"
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,"Пожалуйста, выберите в неделю выходной"
DocType: Production Order Operation,Planned End Time,Планируемые Время окончания
,Sales Person Target Variance Item Group-Wise,Лицо продаж Целевая Разница Пункт Группа Мудрого
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Счет с существующими проводками не может быть преобразован в регистр
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Счет с существующими проводками не может быть преобразован в регистр
DocType: Delivery Note,Customer's Purchase Order No,Клиентам Заказ Нет
DocType: Budget,Budget Against,Бюджет против
DocType: Employee,Cell Number,Количество звонков
@@ -786,15 +792,13 @@
DocType: Opportunity,Opportunity From,Возможность От
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Ежемесячная выписка зарплата.
DocType: BOM,Website Specifications,Сайт характеристики
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Пожалуйста, настройте серию нумерации для посещения через Setup> Numbering Series"
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: От {0} типа {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Ряд {0}: Коэффициент преобразования является обязательным
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Ряд {0}: Коэффициент преобразования является обязательным
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Несколько Цена Правила существует с теми же критериями, пожалуйста разрешить конфликт путем присвоения приоритета. Цена Правила: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Не можете отключить или отменить спецификации, как она связана с другими спецификациями"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Несколько Цена Правила существует с теми же критериями, пожалуйста разрешить конфликт путем присвоения приоритета. Цена Правила: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Не можете отключить или отменить спецификации, как она связана с другими спецификациями"
DocType: Opportunity,Maintenance,Обслуживание
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},"Покупка Получение число, необходимое для Пункт {0}"
DocType: Item Attribute Value,Item Attribute Value,Пункт Значение атрибута
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Кампании по продажам.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Сделать расписаний
@@ -846,30 +850,30 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Asset слом через журнал запись {0}
DocType: Employee Loan,Interest Income Account,Счет Процентные доходы
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Биотехнологии
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Эксплуатационные расходы на офис
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Эксплуатационные расходы на офис
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Настройка учетной записи электронной почты
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,"Пожалуйста, введите пункт первый"
DocType: Account,Liability,Ответственность сторон
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,"Санкционированный сумма не может быть больше, чем претензии Сумма в строке {0}."
DocType: Company,Default Cost of Goods Sold Account,По умолчанию Себестоимость проданных товаров счет
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Прайс-лист не выбран
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Прайс-лист не выбран
DocType: Employee,Family Background,Семья Фон
DocType: Request for Quotation Supplier,Send Email,Отправить e-mail
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Внимание: Неверный Приложение {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Внимание: Неверный Приложение {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Нет разрешения
DocType: Company,Default Bank Account,По умолчанию Банковский счет
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Чтобы отфильтровать на основе партии, выберите партия первого типа"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Обновить запасы"" нельзя выбрать, так как позиции не поставляются через {0}"
DocType: Vehicle,Acquisition Date,Дата Приобретения
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,кол-во
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,кол-во
DocType: Item,Items with higher weightage will be shown higher,"Элементы с более высокой weightage будет показано выше,"
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Подробности банковской сверки
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Строка # {0}: Актив {1} должен быть проведен
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Строка # {0}: Актив {1} должен быть проведен
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Сотрудник не найден
DocType: Supplier Quotation,Stopped,Приостановлено
DocType: Item,If subcontracted to a vendor,Если по субподряду поставщика
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Студенческая группа уже обновлена.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Студенческая группа уже обновлена.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Студенческая группа уже обновлена.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Студенческая группа уже обновлена.
DocType: SMS Center,All Customer Contact,Все клиентов Связаться
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Загрузить складские остатки с помощью CSV.
DocType: Warehouse,Tree Details,Детали Дерево
@@ -881,13 +885,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: МВЗ {2} не принадлежит Компании {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Счет {2} не может быть группой
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Пункт Строка {IDX}: {доктайп} {DOCNAME} не существует в выше '{доктайп}' таблица
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Timesheet {0} уже завершен или отменен
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} уже завершен или отменен
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Нет задачи
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","День месяца, в который автоматически счет-фактура будет создан, например, 05, 28 и т.д."
DocType: Asset,Opening Accumulated Depreciation,Начальная Накопленная амортизация
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Оценка должна быть меньше или равна 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Программа Зачисление Tool
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,С-форма записи
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,С-форма записи
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Заказчик и Поставщик
DocType: Email Digest,Email Digest Settings,Email Дайджест Настройки
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Благодарим Вас за сотрудничество!
@@ -897,17 +901,19 @@
DocType: Bin,Moving Average Rate,Moving Average Rate
DocType: Production Planning Tool,Select Items,Выберите товары
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} по Счету {1} от {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Номер транспортного средства / автобуса
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Расписание курсов
DocType: Maintenance Visit,Completion Status,Статус завершения
DocType: HR Settings,Enter retirement age in years,Введите возраст выхода на пенсию в ближайшие годы
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Целевая Склад
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Выберите склад
DocType: Cheque Print Template,Starting location from left edge,Начиная расположение от левого края
DocType: Item,Allow over delivery or receipt upto this percent,Разрешить доставку на получение или Шифрование до этого процента
DocType: Stock Entry,STE-,стереотипами
DocType: Upload Attendance,Import Attendance,Импорт Посещаемость
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Все группы товаров
DocType: Process Payroll,Activity Log,Журнал активности
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Чистая прибыль / убытки
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Чистая прибыль / убытки
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Автоматически создавать сообщение о подаче сделок.
DocType: Production Order,Item To Manufacture,Элемент Производство
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} статус {2}
@@ -916,16 +922,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Заказ на Оплата
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Прогнозируемый Количество
DocType: Sales Invoice,Payment Due Date,Дата платежа
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Пункт Вариант {0} уже существует же атрибутами
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Пункт Вариант {0} уже существует же атрибутами
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',"Открытие"
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Открыть To Do
DocType: Notification Control,Delivery Note Message,Доставка Примечание сообщение
DocType: Expense Claim,Expenses,Расходы
+,Support Hours,Часы поддержки
DocType: Item Variant Attribute,Item Variant Attribute,Вариант Пункт Атрибут
,Purchase Receipt Trends,Покупка чеков тенденции
DocType: Process Payroll,Bimonthly,Раз в два месяца
DocType: Vehicle Service,Brake Pad,Комплект тормозных колодок
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Научно-исследовательские и опытно-конструкторские работы
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Научно-исследовательские и опытно-конструкторские работы
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,"Сумма, Биллу"
DocType: Company,Registration Details,Регистрационные данные
DocType: Timesheet,Total Billed Amount,Общая сумма Объявленный
@@ -938,12 +945,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Получить только сырье
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Служебная аттестация.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Включение "Использовать для Корзине», как Корзина включена и должно быть по крайней мере один налог Правило Корзина"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Оплата запись {0} связан с Орденом {1}, проверить, если он должен быть подтянут, как шаг вперед в этом счете-фактуре."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Оплата запись {0} связан с Орденом {1}, проверить, если он должен быть подтянут, как шаг вперед в этом счете-фактуре."
DocType: Sales Invoice Item,Stock Details,Подробности Запасов
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Значимость проекта
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Торговая точка
DocType: Vehicle Log,Odometer Reading,Показания одометра
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Баланс счета в Кредите, запрещена установка 'Баланс должен быть' как 'Дебет'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Баланс счета в Кредите, запрещена установка 'Баланс должен быть' как 'Дебет'"
DocType: Account,Balance must be,Баланс должен быть
DocType: Hub Settings,Publish Pricing,Опубликовать Цены
DocType: Notification Control,Expense Claim Rejected Message,Сообщение от Отклонении Авансового Отчета
@@ -953,7 +960,7 @@
DocType: Salary Slip,Working Days,В рабочие дни
DocType: Serial No,Incoming Rate,Входящий Оценить
DocType: Packing Slip,Gross Weight,Вес брутто
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,"Название вашей компании, для которой вы настраиваете эту систему."
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,"Название вашей компании, для которой вы настраиваете эту систему."
DocType: HR Settings,Include holidays in Total no. of Working Days,Включите праздники в общей сложности не. рабочих дней
DocType: Job Applicant,Hold,Удержание
DocType: Employee,Date of Joining,Дата вступления
@@ -964,20 +971,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Покупка Получение
,Received Items To Be Billed,"Полученные товары, на которые нужно выписать счет"
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Отправил Зарплатные Slips
-DocType: Employee,Ms,Госпожа
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Мастер Валютный курс.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Справочник Doctype должен быть одним из {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Мастер Валютный курс.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Справочник Doctype должен быть одним из {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Не удается найти временной интервал в ближайшие {0} дней для работы {1}
DocType: Production Order,Plan material for sub-assemblies,План материал для Субсборки
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Партнеры по сбыту и территории
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,"Не может автоматически создавать счета, поскольку есть уже запас баланса на счете. Вы должны создать соответствующий счет, прежде чем вы можете сделать запись на этом складе"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} должен быть активным
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} должен быть активным
DocType: Journal Entry,Depreciation Entry,Износ Вход
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,"Пожалуйста, выберите тип документа сначала"
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Отменить Материал просмотров {0} до отмены этого обслуживания визит
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Серийный номер {0} не принадлежит Пункт {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Обязательные Кол-во
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Склады с существующей транзакции не могут быть преобразованы в бухгалтерской книге.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Склады с существующей транзакции не могут быть преобразованы в бухгалтерской книге.
DocType: Bank Reconciliation,Total Amount,Общая сумма
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Интернет издания
DocType: Production Planning Tool,Production Orders,Производственные заказы
@@ -992,25 +997,26 @@
DocType: Fee Structure,Components,Компоненты
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},"Пожалуйста, введите Asset Категория в пункте {0}"
DocType: Quality Inspection Reading,Reading 6,Чтение 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Может не {0} {1} {2} без какого-либо отрицательного выдающийся счет-фактура
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Может не {0} {1} {2} без какого-либо отрицательного выдающийся счет-фактура
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Счета-фактуры Advance
DocType: Hub Settings,Sync Now,Синхронизировать сейчас
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Ряд {0}: Кредитная запись не может быть связан с {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Определить бюджет на финансовый год.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Определить бюджет на финансовый год.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,По умолчанию Счет в банке / Наличные будут автоматически обновляться в POS фактуре когда выбран этот режим.
DocType: Lead,LEAD-,ВЕСТИ-
DocType: Employee,Permanent Address Is,Постоянный адрес Является
DocType: Production Order Operation,Operation completed for how many finished goods?,Операция выполнена На сколько готовой продукции?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,Марка
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Марка
DocType: Employee,Exit Interview Details,Выход Интервью Подробности
DocType: Item,Is Purchase Item,Является Покупка товара
DocType: Asset,Purchase Invoice,Покупка Счет
DocType: Stock Ledger Entry,Voucher Detail No,Подробности ваучера №
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Новый счет-фактуру
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Новый счет-фактуру
DocType: Stock Entry,Total Outgoing Value,Всего исходящее значение
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Дата открытия и Дата закрытия должны быть внутри одного финансового года
DocType: Lead,Request for Information,Запрос на предоставление информации
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Синхронизация Offline счетов-фактур
+,LeaderBoard,LEADERBOARD
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Синхронизация Offline счетов-фактур
DocType: Payment Request,Paid,Оплачено
DocType: Program Fee,Program Fee,Стоимость программы
DocType: Salary Slip,Total in words,Всего в словах
@@ -1019,13 +1025,13 @@
DocType: Cheque Print Template,Has Print Format,Имеет формат печати
DocType: Employee Loan,Sanctioned,санкционированные
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,"является обязательным. Может быть, Обмен валюты запись не создана для"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},"Ряд # {0}: Пожалуйста, сформулируйте Серийный номер для Пункт {1}"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Для элементов 'Товарный набор', складской номер, серийный номер и номер партии будет подтягиваться из таблицы ""Упаковочный лист"". Если складской номер и номер партии одинаковы для всех пакуемых единиц для каждого наименования ""Товарного набора"", эти номера можно ввести в таблице основного наименования, значения будут скопированы в таблицу ""Упаковочного листа""."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},"Ряд # {0}: Пожалуйста, сформулируйте Серийный номер для Пункт {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Для элементов 'Товарный набор', складской номер, серийный номер и номер партии будет подтягиваться из таблицы ""Упаковочный лист"". Если складской номер и номер партии одинаковы для всех пакуемых единиц для каждого наименования ""Товарного набора"", эти номера можно ввести в таблице основного наименования, значения будут скопированы в таблицу ""Упаковочного листа""."
DocType: Job Opening,Publish on website,Публикация на сайте
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Поставки клиентам.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,"Дата Поставщик Счет не может быть больше, чем Дата публикации"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,"Дата Поставщик Счет не может быть больше, чем Дата публикации"
DocType: Purchase Invoice Item,Purchase Order Item,Заказ товара
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Косвенная прибыль
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Косвенная прибыль
DocType: Student Attendance Tool,Student Attendance Tool,Student Участники Инструмент
DocType: Cheque Print Template,Date Settings,Настройки даты
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Дисперсия
@@ -1043,21 +1049,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Химический
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,"По умолчанию банк / Наличный счет будет автоматически обновляться в Зарплатный Запись в журнале, когда выбран этот режим."
DocType: BOM,Raw Material Cost(Company Currency),Стоимость сырья (Компания Валюта)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Все детали уже были переданы для этого производственного заказа.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Все детали уже были переданы для этого производственного заказа.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Строка # {0}: ставка не может быть больше ставки, используемой в {1} {2}"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Строка # {0}: ставка не может быть больше ставки, используемой в {1} {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,метр
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,метр
DocType: Workstation,Electricity Cost,Стоимость электроэнергии
DocType: HR Settings,Don't send Employee Birthday Reminders,Не отправляйте Employee рождения Напоминания
DocType: Item,Inspection Criteria,Осмотр Критерии
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Все передаваемые
DocType: BOM Website Item,BOM Website Item,BOM Сайт товара
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Загрузить шапку фирменного бланка и логотип. (Вы можете отредактировать их позднее).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Загрузить шапку фирменного бланка и логотип. (Вы можете отредактировать их позднее).
DocType: Timesheet Detail,Bill,Билл
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Следующий Износ Дата вводится как дату в прошлом
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Белый
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Белый
DocType: SMS Center,All Lead (Open),Все лиды (Открыть)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Строка {0}: Кол-во не доступен для {4} на складе {1} при проводки время вступления ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Строка {0}: Кол-во не доступен для {4} на складе {1} при проводки время вступления ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Получить авансы выданные
DocType: Item,Automatically Create New Batch,Автоматически создавать новую группу
DocType: Item,Automatically Create New Batch,Автоматически создавать новую группу
@@ -1068,13 +1074,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Моя корзина
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Тип заказа должен быть одним из {0}
DocType: Lead,Next Contact Date,Следующая контакты
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Начальное количество
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,"Пожалуйста, введите счет для изменения высоты"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Начальное количество
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,"Пожалуйста, введите счет для изменения высоты"
DocType: Student Batch Name,Student Batch Name,Student Пакетное Имя
DocType: Holiday List,Holiday List Name,Имя Список праздников
DocType: Repayment Schedule,Balance Loan Amount,Баланс Сумма кредита
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Расписание курса
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Опционы
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Опционы
DocType: Journal Entry Account,Expense Claim,Авансовый Отчет
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Вы действительно хотите восстановить этот актив на слом?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Кол-во для {0}
@@ -1086,12 +1092,12 @@
DocType: Company,Default Terms,По умолчанию Условия
DocType: Packing Slip Item,Packing Slip Item,Упаковочный лист Пункт
DocType: Purchase Invoice,Cash/Bank Account,Наличные / Банковский счет
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Введите {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Введите {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Удалены пункты без изменения в количестве или стоимости.
DocType: Delivery Note,Delivery To,Доставка Для
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Таблица атрибутов является обязательной
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Таблица атрибутов является обязательной
DocType: Production Planning Tool,Get Sales Orders,Получить заказ клиента
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} не может быть отрицательным
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} не может быть отрицательным
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Скидка
DocType: Asset,Total Number of Depreciations,Общее количество отчислений на амортизацию
DocType: Sales Invoice Item,Rate With Margin,Оценить с маржой
@@ -1112,7 +1118,6 @@
DocType: Serial No,Creation Document No,Создание документа Нет
DocType: Issue,Issue,Проблема
DocType: Asset,Scrapped,Уничтоженный
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Счет не соответствует этой Компании
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Атрибуты для товара Variant. например, размер, цвет и т.д."
DocType: Purchase Invoice,Returns,Возвращает
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP Склад
@@ -1124,12 +1129,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,"Товар должен быть добавлены с помощью ""Получить товары от покупки ПОСТУПЛЕНИЯ кнопку '"
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Включить внебиржевые пункты
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Расходы на продажи
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Расходы на продажи
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Стандартный Покупка
DocType: GL Entry,Against,Против
DocType: Item,Default Selling Cost Center,По умолчанию Продажа Стоимость центр
DocType: Sales Partner,Implementation Partner,Реализация Партнер
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Почтовый индекс
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Почтовый индекс
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Заказ клиента {0} {1}
DocType: Opportunity,Contact Info,Контактная информация
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Создание изображения в дневнике
@@ -1142,31 +1147,31 @@
DocType: Holiday List,Get Weekly Off Dates,Получить Weekly Выкл Даты
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,"Дата окончания не может быть меньше, чем Дата начала"
DocType: Sales Person,Select company name first.,Выберите название компании в первую очередь.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Доктор
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Котировки полученных от поставщиков.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Для {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Средний возраст
DocType: School Settings,Attendance Freeze Date,Дата остановки посещения
DocType: Opportunity,Your sales person who will contact the customer in future,"Ваш продавец, который свяжется с клиентом в будущем"
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Список несколько ваших поставщиков. Они могут быть организациями или частными лицами.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Список несколько ваших поставщиков. Они могут быть организациями или частными лицами.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Показать все товары
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Минимальный возраст отведения (в днях)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,Все ВОМ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Все ВОМ
DocType: Company,Default Currency,Базовая валюта
DocType: Expense Claim,From Employee,От работника
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Внимание: Система не будет проверять overbilling с суммы по пункту {0} в {1} равна нулю
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Внимание: Система не будет проверять overbilling с суммы по пункту {0} в {1} равна нулю
DocType: Journal Entry,Make Difference Entry,Сделать Разница запись
DocType: Upload Attendance,Attendance From Date,Посещаемость С Дата
DocType: Appraisal Template Goal,Key Performance Area,Ключ Площадь Производительность
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Транспортные расходы
+DocType: Program Enrollment,Transportation,Транспортные расходы
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Неправильный атрибут
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} должен быть проведен
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} должен быть проведен
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Количество должно быть меньше или равно {0}
DocType: SMS Center,Total Characters,Персонажей
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},"Пожалуйста, выберите спецификации в спецификации поля для пункта {0}"
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},"Пожалуйста, выберите спецификации в спецификации поля для пункта {0}"
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-образный Счет Подробно
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Оплата Примирение Счет
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Вклад%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","В соответствии с настройками покупки, если требуемый заказ на поставку == «ДА», то для создания счета-фактуры пользователю необходимо сначала создать заказ на поставку для пункта {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Регистрационные номера компании для вашей справки. Налоговые числа и т.д.
DocType: Sales Partner,Distributor,Дистрибьютор
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Корзина Правило Доставка
@@ -1175,23 +1180,25 @@
,Ordered Items To Be Billed,"Заказал пунктов, которые будут Объявленный"
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,"С Диапазон должен быть меньше, чем диапазон"
DocType: Global Defaults,Global Defaults,Глобальные вводные по умолчанию
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Сотрудничество Приглашение проекта
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Сотрудничество Приглашение проекта
DocType: Salary Slip,Deductions,Отчисления
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Год начала
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},Первые 2 цифры GSTIN должны совпадать с номером государства {0}
DocType: Purchase Invoice,Start date of current invoice's period,Дату периода текущего счета-фактуры начнем
DocType: Salary Slip,Leave Without Pay,Отпуск без сохранения содержания
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Ошибка Планирования Мощностей
,Trial Balance for Party,Пробный баланс для партии
DocType: Lead,Consultant,Консультант
DocType: Salary Slip,Earnings,Прибыль
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Готовая единица {0} должна быть введена для Производственного типа записи
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Готовая единица {0} должна быть введена для Производственного типа записи
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Начальный бухгалтерский баланс
+,GST Sales Register,Реестр продаж GST
DocType: Sales Invoice Advance,Sales Invoice Advance,Счет Продажи предварительный
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Ничего просить
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Еще один рекорд Бюджет '{0}' уже существует против {1} {2} 'для финансового года {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',"""Фактическая Дата начала"" не может быть больше, чем ""Фактическая Дата завершения"""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Управление
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Управление
DocType: Cheque Print Template,Payer Settings,Настройки Плательщик
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Это будет добавлена в Кодекс пункта варианте. Например, если ваш аббревиатура ""SM"", и код деталь ""Футболка"", код товара из вариантов будет ""T-Shirt-SM"""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Чистая Платное (прописью) будут видны, как только вы сохраните Зарплата Слип."
@@ -1208,8 +1215,8 @@
DocType: Employee Loan,Partially Disbursed,Частично Освоено
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,База данных поставщиков.
DocType: Account,Balance Sheet,Балансовый отчет
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Центр Стоимость для элемента данных с Код товара '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Режим оплаты не настроен. Пожалуйста, проверьте, имеет ли учетная запись была установлена на режим платежей или на POS Profile."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Центр Стоимость для элемента данных с Код товара '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Режим оплаты не настроен. Пожалуйста, проверьте, имеет ли учетная запись была установлена на режим платежей или на POS Profile."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,"Ваш продавец получит напоминание в этот день, чтобы связаться с клиентом"
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Тот же элемент не может быть введен несколько раз.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Дальнейшие счета могут быть сделаны в соответствии с группами, но Вы можете быть против не-групп"
@@ -1217,7 +1224,7 @@
DocType: Email Digest,Payables,Кредиторская задолженность
DocType: Course,Course Intro,курс Введение
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Фото Элемент {0} создано
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ряд # {0}: Отклонено Кол-во не может быть введен в приобретении Вернуться
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ряд # {0}: Отклонено Кол-во не может быть введен в приобретении Вернуться
,Purchase Order Items To Be Billed,Покупка Заказ позиции быть выставлен счет
DocType: Purchase Invoice Item,Net Rate,Нетто-ставка
DocType: Purchase Invoice Item,Purchase Invoice Item,Покупка Счет Пункт
@@ -1243,7 +1250,7 @@
DocType: Sales Order,SO-,ТАК-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,"Пожалуйста, выберите префикс первым"
DocType: Employee,O-,О-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Исследования
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Исследования
DocType: Maintenance Visit Purpose,Work Done,Сделано
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,"Пожалуйста, укажите как минимум один атрибут в таблице атрибутов"
DocType: Announcement,All Students,Все студенты
@@ -1251,17 +1258,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Посмотреть Леджер
DocType: Grading Scale,Intervals,Интервалы
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Старейшие
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Пункт Группа существует с тем же именем, пожалуйста, измените имя элемента или переименовать группу товаров"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Student Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Остальной мир
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Пункт Группа существует с тем же именем, пожалуйста, измените имя элемента или переименовать группу товаров"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No.
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Остальной мир
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Пункт {0} не может иметь Batch
,Budget Variance Report,Бюджет Разница Сообщить
DocType: Salary Slip,Gross Pay,Зарплата до вычетов
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Строка {0}: Вид деятельности является обязательным.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Оплачено дивидендов
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Оплачено дивидендов
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Главная книга
DocType: Stock Reconciliation,Difference Amount,Разница Сумма
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Нераспределенная Прибыль
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Нераспределенная Прибыль
DocType: Vehicle Log,Service Detail,Деталь обслуживания
DocType: BOM,Item Description,Описание позиции
DocType: Student Sibling,Student Sibling,Студент Sibling
@@ -1276,11 +1283,11 @@
DocType: Opportunity Item,Opportunity Item,Возможность Пункт
,Student and Guardian Contact Details,Студент и радетель Контактная информация
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Строка {0}: Для поставщика {0} Адрес электронной почты необходимо отправить по электронной почте
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Временное открытие
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Временное открытие
,Employee Leave Balance,Сотрудник Оставить Баланс
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Весы для счета {0} должен быть всегда {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Оценка Оцените необходимый для пункта в строке {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Пример: Мастера в области компьютерных наук
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Пример: Мастера в области компьютерных наук
DocType: Purchase Invoice,Rejected Warehouse,Отклонен Склад
DocType: GL Entry,Against Voucher,Против ваучером
DocType: Item,Default Buying Cost Center,По умолчанию Покупка МВЗ
@@ -1293,31 +1300,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Получить неоплаченных счетов-фактур
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Заказ на продажу {0} не является допустимым
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Заказы помогут вам планировать и следить за ваши покупки
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","К сожалению, компании не могут быть объединены"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","К сожалению, компании не могут быть объединены"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",Общее количество выпуска / передачи {0} в Material Request {1} \ не может быть больше требуемого количества {2} для п {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Небольшой
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Небольшой
DocType: Employee,Employee Number,Общее число сотрудников
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Случай Нет (ы) уже используется. Попробуйте из дела № {0}
DocType: Project,% Completed,% Завершено
,Invoiced Amount (Exculsive Tax),Сумма по счетам (Exculsive стоимость)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Пункт 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Основной счет {0} создан
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,Учебное мероприятие
DocType: Item,Auto re-order,Автоматический перезаказ
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Всего Выполнено
DocType: Employee,Place of Issue,Место выдачи
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Контракт
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Контракт
DocType: Email Digest,Add Quote,Добавить Цитата
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},Единица измерения фактором Конверсия требуется для UOM: {0} в пункте: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Косвенные расходы
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Единица измерения фактором Конверсия требуется для UOM: {0} в пункте: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Косвенные расходы
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Ряд {0}: Кол-во является обязательным
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Сельское хозяйство
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Синхронизация Master Data
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Ваши продукты или услуги
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Синхронизация Master Data
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Ваши продукты или услуги
DocType: Mode of Payment,Mode of Payment,Способ оплаты
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Сайт изображение должно быть общественное файл или адрес веб-сайта
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Сайт изображение должно быть общественное файл или адрес веб-сайта
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Это корень группу товаров и не могут быть изменены.
@@ -1326,7 +1332,7 @@
DocType: Warehouse,Warehouse Contact Info,Склад Контактная информация
DocType: Payment Entry,Write Off Difference Amount,Списание разница в
DocType: Purchase Invoice,Recurring Type,Периодическое Тип
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: Адрес электронной почты сотрудника не найден, поэтому письмо не отправлено"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: Адрес электронной почты сотрудника не найден, поэтому письмо не отправлено"
DocType: Item,Foreign Trade Details,Внешнеторговая Подробнее
DocType: Email Digest,Annual Income,Годовой доход
DocType: Serial No,Serial No Details,Серийный номер подробнее
@@ -1334,10 +1340,10 @@
DocType: Student Group Student,Group Roll Number,Номер рулона группы
DocType: Student Group Student,Group Roll Number,Номер рулона группы
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Для {0}, только кредитные счета могут быть связаны с дебетовой записью"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,"Сумма всех весов задача должна быть 1. Пожалуйста, измените веса всех задач проекта, соответственно,"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Уведомление о доставке {0} не проведено
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Пункт {0} должен быть Субдоговорная Пункт
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Капитальные оборудование
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,"Сумма всех весов задача должна быть 1. Пожалуйста, измените веса всех задач проекта, соответственно,"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Уведомление о доставке {0} не проведено
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Пункт {0} должен быть Субдоговорная Пункт
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Капитальные оборудование
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Цены Правило сначала выбирается на основе ""Применить На"" поле, которое может быть Пункт, Пункт Группа или Марка."
DocType: Hub Settings,Seller Website,Этого продавца
DocType: Item,ITEM-,ПУНКТ-
@@ -1355,7 +1361,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Там может быть только один Правило Начальные с 0 или пустое значение для ""To Размер"""
DocType: Authorization Rule,Transaction,Транзакция
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Примечание: Эта МВЗ является Группа. Невозможно сделать бухгалтерские проводки против групп.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,Детский склад существует для этого склада. Вы не можете удалить этот склад.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Детский склад существует для этого склада. Вы не можете удалить этот склад.
DocType: Item,Website Item Groups,Сайт Группы товаров
DocType: Purchase Invoice,Total (Company Currency),Всего (Компания валют)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Серийный номер {0} вошли более одного раза
@@ -1365,7 +1371,7 @@
DocType: Grading Scale Interval,Grade Code,Код Оценка
DocType: POS Item Group,POS Item Group,POS Item Group
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Электронная почта Дайджест:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} не принадлежит к пункту {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} не принадлежит к пункту {1}
DocType: Sales Partner,Target Distribution,Целевая Распределение
DocType: Salary Slip,Bank Account No.,Счет №
DocType: Naming Series,This is the number of the last created transaction with this prefix,Это число последнего созданного сделки с этим префиксом
@@ -1376,12 +1382,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Автоматическое внесение амортизации в книгу
DocType: BOM Operation,Workstation,Рабочая станция
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Запрос на коммерческое предложение Поставщика
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Оборудование
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Оборудование
DocType: Sales Order,Recurring Upto,Повторяющиеся Upto
DocType: Attendance,HR Manager,Менеджер по подбору кадров
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,"Пожалуйста, выберите компанию"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Привилегированный Оставить
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,"Пожалуйста, выберите компанию"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Привилегированный Оставить
DocType: Purchase Invoice,Supplier Invoice Date,Дата выставления счета поставщиком
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,в
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Вам необходимо включить Корзину
DocType: Payment Entry,Writeoff,Списать
DocType: Appraisal Template Goal,Appraisal Template Goal,Оценка шаблона Гол
@@ -1392,10 +1399,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Перекрытие условия найдено между:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Против Запись в журнале {0} уже настроен против какой-либо другой ваучер
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Общая стоимость заказа
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Продукты питания
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Продукты питания
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Старение Диапазон 3
DocType: Maintenance Schedule Item,No of Visits,Нет посещений
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Марк Attendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Марк Attendence
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},График обслуживания {0} существует против {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,поступив студент
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Валюта закрытии счета должны быть {0}
@@ -1409,6 +1416,7 @@
DocType: Rename Tool,Utilities,Инженерное оборудование
DocType: Purchase Invoice Item,Accounting,Бухгалтерия
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Выберите партии для партии товара
DocType: Asset,Depreciation Schedules,Амортизационные Расписания
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Срок подачи заявлений не может быть период распределения пределами отпуск
DocType: Activity Cost,Projects,Проекты
@@ -1422,6 +1430,7 @@
DocType: POS Profile,Campaign,Кампания
DocType: Supplier,Name and Type,Наименование и тип
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Состояние утверждения должны быть ""Одобрено"" или ""Отклонено"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,начальная загрузка
DocType: Purchase Invoice,Contact Person,Контактное Лицо
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"""Ожидаемая Дата начала"" не может быть больше, чем ""Ожидаемая Дата окончания"""
DocType: Course Scheduling Tool,Course End Date,Курс Дата окончания
@@ -1429,12 +1438,11 @@
DocType: Sales Order Item,Planned Quantity,Планируемый Количество
DocType: Purchase Invoice Item,Item Tax Amount,Пункт Сумма налога
DocType: Item,Maintain Stock,Поддержание складе
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Сток записи уже созданные для производственного заказа
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Сток записи уже созданные для производственного заказа
DocType: Employee,Prefered Email,Предпочитаемый E-mail
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Чистое изменение в основных фондов
DocType: Leave Control Panel,Leave blank if considered for all designations,"Оставьте пустым, если рассматривать для всех обозначений"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Склад является обязательным для не групповых счетов типа запаса
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Начисление типа «Актуальные 'в строке {0} не могут быть включены в пункт Оценить
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Начисление типа «Актуальные 'в строке {0} не могут быть включены в пункт Оценить
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,С DateTime
DocType: Email Digest,For Company,Для Компании
@@ -1444,15 +1452,15 @@
DocType: Sales Invoice,Shipping Address Name,Адрес доставки Имя
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,План счетов
DocType: Material Request,Terms and Conditions Content,Условия Содержимое
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,"не может быть больше, чем 100"
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Пункт {0} не является акционерным Пункт
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,"не может быть больше, чем 100"
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Пункт {0} не является акционерным Пункт
DocType: Maintenance Visit,Unscheduled,Незапланированный
DocType: Employee,Owned,Присвоено
DocType: Salary Detail,Depends on Leave Without Pay,Зависит от отпуска без сохранения заработной платы
DocType: Pricing Rule,"Higher the number, higher the priority","Чем выше число, тем выше приоритет"
,Purchase Invoice Trends,Счета-фактуры Тенденции
DocType: Employee,Better Prospects,Потенциальные покупатели
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Строка # {0}: партия {1} имеет только {2} qty. Выберите другой пакет, в котором имеется {3} qty, или разбейте строку на несколько строк, чтобы доставлять / выпускать из нескольких партий"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Строка # {0}: партия {1} имеет только {2} qty. Выберите другой пакет, в котором имеется {3} qty, или разбейте строку на несколько строк, чтобы доставлять / выпускать из нескольких партий"
DocType: Vehicle,License Plate,Номерной знак
DocType: Appraisal,Goals,Цели
DocType: Warranty Claim,Warranty / AMC Status,Гарантия / АМК Статус
@@ -1463,7 +1471,8 @@
,Batch-Wise Balance History,Партиями Баланс История
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Настройки печати обновляется в соответствующем формате печати
DocType: Package Code,Package Code,Код пакета
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Ученик
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Ученик
+DocType: Purchase Invoice,Company GSTIN,Компания GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Отрицательный Количество не допускается
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","Налоговый Подробная таблица выбирается из мастера элемента в виде строки и хранится в этой области.
@@ -1471,12 +1480,12 @@
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Сотрудник не может сообщить себе.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Если счет замораживается, записи разрешается ограниченных пользователей."
DocType: Email Digest,Bank Balance,Банковский баланс
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Бухгалтерская Проводка для {0}: {1} может быть сделана только в валюте: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Бухгалтерская Проводка для {0}: {1} может быть сделана только в валюте: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Профиль работы, необходимая квалификация и т.д."
DocType: Journal Entry Account,Account Balance,Остаток на счете
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Налоговый Правило для сделок.
DocType: Rename Tool,Type of document to rename.,"Вид документа, переименовать."
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Мы покупаем эту позицию
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Мы покупаем эту позицию
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Наименование клиента обязательно для Дебиторской задолженности {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Всего Налоги и сборы (Компания Валюты)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Показать P & L сальдо Unclosed финансовый год
@@ -1487,29 +1496,30 @@
DocType: Stock Entry,Total Additional Costs,Всего Дополнительные расходы
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Скрапа Стоимость (Компания Валюта)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Sub сборки
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Sub сборки
DocType: Asset,Asset Name,Наименование активов
DocType: Project,Task Weight,Задача Вес
DocType: Shipping Rule Condition,To Value,Произвести оценку
DocType: Asset Movement,Stock Manager,Фото менеджер
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Источник склад является обязательным для ряда {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Упаковочный лист
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Аренда площади для офиса
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Источник склад является обязательным для ряда {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Упаковочный лист
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Аренда площади для офиса
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Настройки Настройка SMS Gateway
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Ошибка при импортировании!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Адрес не добавлено ни.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Адрес не добавлено ни.
DocType: Workstation Working Hour,Workstation Working Hour,Рабочая станция Рабочие часы
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Аналитик
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Аналитик
DocType: Item,Inventory,Инвентаризация
DocType: Item,Sales Details,Продажи Подробности
DocType: Quality Inspection,QI-,Qi-
DocType: Opportunity,With Items,С элементами
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,В Кол-во
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,В Кол-во
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Подтвердить зарегистрированный курс для студентов в студенческой группе
DocType: Notification Control,Expense Claim Rejected,Авансовый Отчет Отклонен
DocType: Item,Item Attribute,Пункт Атрибут
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Правительство
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Правительство
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Авансовый Отчет {0} уже существует для журнала автомобиля
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Название института
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Название института
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,"Пожалуйста, введите Сумма погашения"
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Предмет Варианты
DocType: Company,Services,Услуги
@@ -1519,18 +1529,18 @@
DocType: Sales Invoice,Source,Источник
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Показать закрыто
DocType: Leave Type,Is Leave Without Pay,Является отпуск без
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Категория активов является обязательным для фиксированного элемента активов
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Категория активов является обязательным для фиксированного элемента активов
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Не записи не найдено в таблице оплаты
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Это {0} конфликты с {1} для {2} {3}
DocType: Student Attendance Tool,Students HTML,Студенты HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Начало финансового года
DocType: POS Profile,Apply Discount,Применить скидку
+DocType: Purchase Invoice Item,GST HSN Code,Код GST HSN
DocType: Employee External Work History,Total Experience,Суммарный опыт
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Открыть Проекты
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Упаковочный лист (ы) отменяется
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Поток денежных средств от инвестиционной
DocType: Program Course,Program Course,Программа курса
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Грузовые и экспедиторские Сборы
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Грузовые и экспедиторские Сборы
DocType: Homepage,Company Tagline for website homepage,Компания Слоган на главную страницу сайта
DocType: Item Group,Item Group Name,Пункт Название группы
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Взятый
@@ -1540,6 +1550,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Создание потенциальных
DocType: Maintenance Schedule,Schedules,Расписание
DocType: Purchase Invoice Item,Net Amount,Чистая сумма
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} не отправлено, поэтому действие не может быть завершено"
DocType: Purchase Order Item Supplied,BOM Detail No,BOM детали №
DocType: Landed Cost Voucher,Additional Charges,Дополнительные расходы
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Дополнительная скидка Сумма (валюта компании)
@@ -1555,6 +1566,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Ежемесячная сумма погашения
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,"Пожалуйста, установите поле идентификатора пользователя в Сотрудника Запись, чтобы настроить Employee роль"
DocType: UOM,UOM Name,Имя единица измерения
+DocType: GST HSN Code,HSN Code,Код HSN
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Вклад Сумма
DocType: Purchase Invoice,Shipping Address,Адрес доставки
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,"Этот инструмент поможет вам обновить или исправить количество и оценку запасов в системе. Это, как правило, используется для синхронизации системных значений и то, что на самом деле существует в ваших складах."
@@ -1565,17 +1577,16 @@
DocType: Program Enrollment Tool,Program Enrollments,Программа Учащихся
DocType: Sales Invoice Item,Brand Name,Имя Бренда
DocType: Purchase Receipt,Transporter Details,Transporter Детали
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,По умолчанию склад требуется для выбранного элемента
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Рамка
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,По умолчанию склад требуется для выбранного элемента
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Рамка
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,Возможный поставщик
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Организация
DocType: Budget,Monthly Distribution,Ежемесячно дистрибуция
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"Список приемщика пуст. Пожалуйста, создайте Список приемщика"
DocType: Production Plan Sales Order,Production Plan Sales Order,Производственный план по продажам Заказать
DocType: Sales Partner,Sales Partner Target,Цели Партнера по продажам
DocType: Loan Type,Maximum Loan Amount,Максимальная сумма кредита
DocType: Pricing Rule,Pricing Rule,Цены Правило
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Повторяющийся номер ролика для ученика {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Повторяющийся номер ролика для ученика {0}
DocType: Budget,Action if Annual Budget Exceeded,"Действие, если годовой бюджет превышено"
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Материал Заказать орденом
DocType: Shopping Cart Settings,Payment Success URL,Успех Оплата URL
@@ -1588,11 +1599,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Открытие акции Остаток
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} должен появиться только один раз
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},"Не разрешается Tranfer более {0}, чем {1} против Заказа {2}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},"Не разрешается Tranfer более {0}, чем {1} против Заказа {2}"
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Отпуск успешно распределен для {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Нет объектов для упаковки
DocType: Shipping Rule Condition,From Value,От стоимости
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Производство Количество является обязательным
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Производство Количество является обязательным
DocType: Employee Loan,Repayment Method,Способ погашения
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Если этот флажок установлен, главная страница будет по умолчанию Item Group для веб-сайте"
DocType: Quality Inspection Reading,Reading 4,Чтение 4
@@ -1602,7 +1613,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Строка # {0}: дате зазора {1} не может быть до того Cheque Дата {2}
DocType: Company,Default Holiday List,По умолчанию Список праздников
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Строка {0}: От времени и времени {1} перекрывается с {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Обязательства по запасам
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Обязательства по запасам
DocType: Purchase Invoice,Supplier Warehouse,Склад поставщика
DocType: Opportunity,Contact Mobile No,Связаться Мобильный Нет
,Material Requests for which Supplier Quotations are not created,"Материал Запросы, для которых Поставщик Котировки не создаются"
@@ -1613,35 +1624,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Сделать цитаты
apps/erpnext/erpnext/config/selling.py +216,Other Reports,Другие отчеты
DocType: Dependent Task,Dependent Task,Зависит Задача
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Коэффициент пересчета для дефолтного Единица измерения должна быть 1 в строке {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Коэффициент пересчета для дефолтного Единица измерения должна быть 1 в строке {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},"Оставить типа {0} не может быть больше, чем {1}"
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Попробуйте планировании операций для X дней.
DocType: HR Settings,Stop Birthday Reminders,Стоп День рождения Напоминания
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},"Пожалуйста, установите по умолчанию Payroll расчётный счёт в компании {0}"
DocType: SMS Center,Receiver List,Список приемщика
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Поиск товара
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Поиск товара
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Израсходованное количество
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Чистое изменение денежных средств
DocType: Assessment Plan,Grading Scale,Оценочная шкала
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Единица измерения {0} был введен более чем один раз в таблицу преобразования Factor
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Единица измерения {0} был введен более чем один раз в таблицу преобразования Factor
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,Уже закончено
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Запасы в руке
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Оплата Запрос уже существует {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Стоимость эмиссионных пунктов
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Количество должно быть не более {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Предыдущий финансовый год не закрыт
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Возраст (дней)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Возраст (дней)
DocType: Quotation Item,Quotation Item,Цитата Пункт
+DocType: Customer,Customer POS Id,Идентификатор клиента POS
DocType: Account,Account Name,Имя Учетной Записи
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,"С даты не может быть больше, чем к дате"
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Серийный номер {0} количество {1} не может быть фракция
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Мастер типа поставщика.
DocType: Purchase Order Item,Supplier Part Number,Номер детали поставщика
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Коэффициент конверсии не может быть 0 или 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Коэффициент конверсии не может быть 0 или 1
DocType: Sales Invoice,Reference Document,Справочный документ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} отменён или остановлен
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} отменён или остановлен
DocType: Accounts Settings,Credit Controller,Кредитная контроллер
DocType: Delivery Note,Vehicle Dispatch Date,Автомобиль Отправка Дата
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Приход закупки {0} не проведен
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Приход закупки {0} не проведен
DocType: Company,Default Payable Account,По умолчанию оплачивается аккаунт
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Настройки для онлайн корзины, такие как правилами перевозок, прайс-лист и т.д."
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% оплачено
@@ -1660,11 +1673,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Общая сумма возмещаются
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Это основано на бревнах против этого транспортного средства. См график ниже для получения подробной информации
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,собирать
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Против поставщика счет-фактура {0} от {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Против поставщика счет-фактура {0} от {1}
DocType: Customer,Default Price List,По умолчанию Прайс-лист
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,запись Движение активов {0} создано
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Вы не можете удалять финансовый год {0}. Финансовый год {0} устанавливается по умолчанию в разделе Глобальные параметры
DocType: Journal Entry,Entry Type,Тип записи
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,"Нет плана оценки, связанного с этой группой оценки"
,Customer Credit Balance,Заказчик Кредитный Баланс
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Чистое изменение кредиторской задолженности
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',"Клиент требуется для ""Customerwise Скидка"""
@@ -1673,7 +1687,7 @@
DocType: Quotation,Term Details,Срочные Подробнее
DocType: Project,Total Sales Cost (via Sales Order),Общая стоимость продаж (через заказ клиента)
DocType: Project,Total Sales Cost (via Sales Order),Общая стоимость продаж (через заказ клиента)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Не удается зарегистрировать более {0} студентов для этой группы студентов.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Не удается зарегистрировать более {0} студентов для этой группы студентов.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Счетчик потенциальных клиентов
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Счетчик потенциальных клиентов
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} должно быть больше 0
@@ -1696,7 +1710,7 @@
DocType: Sales Invoice,Packed Items,Упакованные товары
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Гарантия Иск против серийным номером
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Замените особое спецификации и во всех других спецификаций, где он используется. Он заменит старую ссылку спецификации, обновите стоимость и восстановить ""BOM Взрыв предмета"" таблицу на новой спецификации"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total',"""Итого"""
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total',"""Итого"""
DocType: Shopping Cart Settings,Enable Shopping Cart,Включить Корзина
DocType: Employee,Permanent Address,Постоянный адрес
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1712,9 +1726,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,"Пожалуйста, сформулируйте либо Количество или оценка Оценить или оба"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,свершение
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Смотрите в корзину
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Маркетинговые расходы
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Маркетинговые расходы
,Item Shortage Report,Пункт Нехватка Сообщить
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Вес упоминается, \n Пожалуйста, укажите ""Вес Единица измерения"" слишком"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Вес упоминается, \n Пожалуйста, укажите ""Вес Единица измерения"" слишком"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,"Материал Запрос используется, чтобы сделать эту Stock запись"
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Следующий Износ Дата является обязательным для нового актива
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Отдельная группа на основе курса для каждой партии
@@ -1724,17 +1738,18 @@
,Student Fee Collection,Student Fee Collection
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Создавать бухгалтерские проводки при каждом перемещении запасов
DocType: Leave Allocation,Total Leaves Allocated,Всего Листья Выделенные
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Склад требуется в строке Нет {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,"Пожалуйста, введите действительный финансовый год даты начала и окончания"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Склад требуется в строке Нет {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,"Пожалуйста, введите действительный финансовый год даты начала и окончания"
DocType: Employee,Date Of Retirement,Дата выбытия
DocType: Upload Attendance,Get Template,Получить шаблон
+DocType: Material Request,Transferred,Переданы
DocType: Vehicle,Doors,двери
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,Настройка ERPNext завершена!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Настройка ERPNext завершена!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: МВЗ обязателен для счета {2} «Отчет о прибылях и убытках». Укажите МВЗ по умолчанию для Компании.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Группа клиентов с таким именем уже существует. Пожалуйста, измените имя клиента или имя группы клиентов"
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Новый контакт
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Группа клиентов с таким именем уже существует. Пожалуйста, измените имя клиента или имя группы клиентов"
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Новый контакт
DocType: Territory,Parent Territory,Родитель Территория
DocType: Quality Inspection Reading,Reading 2,Чтение 2
DocType: Stock Entry,Material Receipt,Материал Поступление
@@ -1743,17 +1758,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Если этот пункт имеет варианты, то она не может быть выбран в заказах и т.д."
DocType: Lead,Next Contact By,Следующая Контактные По
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Кол-во для Пункт {0} в строке {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},Склад {0} не может быть удален как существует количество для Пункт {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Кол-во для Пункт {0} в строке {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Склад {0} не может быть удален как существует количество для Пункт {1}
DocType: Quotation,Order Type,Тип заказа
DocType: Purchase Invoice,Notification Email Address,E-mail адрес для уведомлений
,Item-wise Sales Register,Пункт мудрый Продажи Зарегистрироваться
DocType: Asset,Gross Purchase Amount,Валовая сумма покупки
DocType: Asset,Depreciation Method,метод начисления износа
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Не в сети
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,Не в сети
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Этот налог Входит ли в базовой ставки?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Всего Target
-DocType: Program Course,Required,необходимые
DocType: Job Applicant,Applicant for a Job,Заявитель на вакансию
DocType: Production Plan Material Request,Production Plan Material Request,Производство План Материал Запрос
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,"Нет Производственные заказы, созданные"
@@ -1763,17 +1777,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Разрешить несколько заказов на продажу от Заказа Клиента
DocType: Student Group Instructor,Student Group Instructor,Инструктор по студенческим группам
DocType: Student Group Instructor,Student Group Instructor,Инструктор по студенческим группам
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 Mobile Нет
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Основные
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile Нет
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Основные
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Вариант
DocType: Naming Series,Set prefix for numbering series on your transactions,Установить префикс для нумерации серии на ваших сделок
DocType: Employee Attendance Tool,Employees HTML,Сотрудники HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,По умолчанию BOM ({0}) должен быть активным для данного элемента или в шаблоне
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,По умолчанию BOM ({0}) должен быть активным для данного элемента или в шаблоне
DocType: Employee,Leave Encashed?,Оставьте инкассированы?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Возможность поле От обязательна
DocType: Email Digest,Annual Expenses,годовые расходы
DocType: Item,Variants,Варианты
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Сделать Заказ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Сделать Заказ
DocType: SMS Center,Send To,Отправить
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Существует не хватает отпуск баланс для отпуске Тип {0}
DocType: Payment Reconciliation Payment,Allocated amount,Выделенная сумма
@@ -1789,26 +1803,25 @@
DocType: Item,Serial Nos and Batches,Серийные номера и партии
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Сила студенческой группы
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Сила студенческой группы
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Против Запись в журнале {0} не имеет никакого непревзойденную {1} запись
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Против Запись в журнале {0} не имеет никакого непревзойденную {1} запись
apps/erpnext/erpnext/config/hr.py +137,Appraisals,Аттестации
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Дубликат Серийный номер вводится для Пункт {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Условие для правила перевозки
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Пожалуйста входите
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Не может overbill для пункта {0} в строке {1} больше, чем {2}. Чтобы разрешить завышенные счета, пожалуйста, установите в покупке Настройки"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,"Пожалуйста, установите фильтр, основанный на пункте или на складе"
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Не может overbill для пункта {0} в строке {1} больше, чем {2}. Чтобы разрешить завышенные счета, пожалуйста, установите в покупке Настройки"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,"Пожалуйста, установите фильтр, основанный на пункте или на складе"
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Чистый вес этого пакета. (Автоматический расчет суммы чистой вес деталей)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,"Пожалуйста, создать учетную запись для этого хранилища и связать его. Это не может быть сделано автоматически в качестве учетной записи с именем {0} уже существует"
DocType: Sales Order,To Deliver and Bill,Для доставки и оплаты
DocType: Student Group,Instructors,Инструкторы
DocType: GL Entry,Credit Amount in Account Currency,Сумма кредита в валюте счета
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} должен быть проведен
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} должен быть проведен
DocType: Authorization Control,Authorization Control,Авторизация управления
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ряд # {0}: Отклонено Склад является обязательным в отношении отклонил Пункт {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ряд # {0}: Отклонено Склад является обязательным в отношении отклонил Пункт {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Оплата
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Склад {0} не связан ни с одной учетной записью, укажите учетную запись в записи склада или установите учетную запись по умолчанию в компании {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Управляйте свои заказы
DocType: Production Order Operation,Actual Time and Cost,Фактическое время и стоимость
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Материал Запрос максимума {0} могут быть сделаны для Пункт {1} против Заказ на продажу {2}
-DocType: Employee,Salutation,Обращение
DocType: Course,Course Abbreviation,Аббревиатура для гольфа
DocType: Student Leave Application,Student Leave Application,Студент Оставить заявку
DocType: Item,Will also apply for variants,Будет также применяться для вариантов
@@ -1820,12 +1833,12 @@
DocType: Quotation Item,Actual Qty,Фактический Кол-во
DocType: Sales Invoice Item,References,Рекомендации
DocType: Quality Inspection Reading,Reading 10,Чтение 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Перечислите ваши продукты или услуги, которые вы покупаете или продаете. Убедитесь в том, чтобы проверить позицию Group, единицу измерения и других свойств при запуске."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Перечислите ваши продукты или услуги, которые вы покупаете или продаете. Убедитесь в том, чтобы проверить позицию Group, единицу измерения и других свойств при запуске."
DocType: Hub Settings,Hub Node,Узел Hub
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Вы ввели повторяющихся элементов. Пожалуйста, исправить и попробовать еще раз."
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Помощник
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Помощник
DocType: Asset Movement,Asset Movement,Движение активов
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,Новая корзина
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Новая корзина
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Пункт {0} не сериализованным Пункт
DocType: SMS Center,Create Receiver List,Создание приемника Список
DocType: Vehicle,Wheels,Колеса
@@ -1845,19 +1858,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Можете обратиться строку, только если тип заряда «О Предыдущая сумма Row» или «Предыдущая Row Всего"""
DocType: Sales Order Item,Delivery Warehouse,Доставка Склад
DocType: SMS Settings,Message Parameter,Параметры сообщения
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Дерево центров финансовых затрат.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Дерево центров финансовых затрат.
DocType: Serial No,Delivery Document No,Документы Отгрузки №
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Пожалуйста, установите "прибыль / убыток Счет по обращению с отходами актива в компании {0}"
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Получить товары от покупки расписок
DocType: Serial No,Creation Date,Дата создания
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Пункт {0} несколько раз появляется в прайс-лист {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Продажа должна быть проверена, если выбран Применимо для как {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Продажа должна быть проверена, если выбран Применимо для как {0}"
DocType: Production Plan Material Request,Material Request Date,Материал Дата заказа
DocType: Purchase Order Item,Supplier Quotation Item,Пункт ценового предложения поставщика
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,"Отключение создание временных журналов против производственных заказов. Операции, не будет отслеживаться в отношении производственного заказа"
DocType: Student,Student Mobile Number,Студент Мобильный телефон
DocType: Item,Has Variants,Имеет Варианты
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Вы уже выбрали элементы из {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Вы уже выбрали элементы из {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Название ежемесячное распределение
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Идентификатор партии является обязательным
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Идентификатор партии является обязательным
@@ -1868,12 +1881,12 @@
DocType: Budget,Fiscal Year,Отчетный год
DocType: Vehicle Log,Fuel Price,Топливо Цена
DocType: Budget,Budget,Бюджет
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Элемент основных средств не может быть элементом запасов.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Элемент основных средств не может быть элементом запасов.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Бюджет не может быть назначен на {0}, так как это не доход или расход счета"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Достигнутый
DocType: Student Admission,Application Form Route,Заявка на маршрут
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Область / клиентов
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,"например, 5"
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,"например, 5"
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Оставьте Тип {0} не может быть выделена, так как он неоплачиваемый отпуск"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},"Ряд {0}: суммы, выделенной {1} должен быть меньше или равен счета-фактуры сумма задолженности {2}"
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,По словам будет виден только вы сохраните Расходная накладная.
@@ -1882,7 +1895,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Пункт {0} не установка для мастера серийные номера Проверить товара
DocType: Maintenance Visit,Maintenance Time,Техническое обслуживание Время
,Amount to Deliver,Сумма Доставка
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Продукт или сервис
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Продукт или сервис
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Срок Дата начала не может быть раньше, чем год Дата начала учебного года, к которому этот термин связан (учебный год {}). Пожалуйста, исправьте дату и попробуйте еще раз."
DocType: Guardian,Guardian Interests,хранители Интересы
DocType: Naming Series,Current Value,Текущее значение
@@ -1897,12 +1910,12 @@
должно быть больше или равно {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Это основано на фондовом движении. См {0} для получения более подробной
DocType: Pricing Rule,Selling,Продажа
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Сумма {0} {1} вычтены {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Сумма {0} {1} вычтены {2}
DocType: Employee,Salary Information,Информация о зарплате
DocType: Sales Person,Name and Employee ID,Имя и ID сотрудника
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,"Впритык не может быть, прежде чем отправлять Дата"
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,"Впритык не может быть, прежде чем отправлять Дата"
DocType: Website Item Group,Website Item Group,Сайт Пункт Группа
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Пошлины и налоги
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Пошлины и налоги
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,"Пожалуйста, введите дату Ссылка"
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} записи оплаты не могут быть отфильтрованы по {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Таблица для элемента, который будет показан на веб-сайте"
@@ -1919,9 +1932,9 @@
DocType: Payment Reconciliation Payment,Reference Row,Ссылка Row
DocType: Installation Note,Installation Time,Время установки
DocType: Sales Invoice,Accounting Details,Подробности ведения учета
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Удалить все транзакции этой компании
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"Ряд # {0}: Режим {1} не завершены {2} Кол-во готовой продукции в производстве Приказ № {3}. Пожалуйста, обновите статус работы через журнал времени"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Инвестиции
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Удалить все транзакции этой компании
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"Ряд # {0}: Режим {1} не завершены {2} Кол-во готовой продукции в производстве Приказ № {3}. Пожалуйста, обновите статус работы через журнал времени"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Инвестиции
DocType: Issue,Resolution Details,Разрешение Подробнее
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,ассигнования
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Критерий приемлемости
@@ -1946,7 +1959,7 @@
DocType: Room,Room Name,Название комнаты
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Оставьте не могут быть применены / отменены, прежде чем {0}, а отпуск баланс уже переноса направляются в будущем записи распределения отпуска {1}"
DocType: Activity Cost,Costing Rate,Калькуляция Оценить
-,Customer Addresses And Contacts,Адреса клиентов и Контакты
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Адреса клиентов и Контакты
,Campaign Efficiency,Эффективность кампании
,Campaign Efficiency,Эффективность кампании
DocType: Discussion,Discussion,обсуждение
@@ -1958,14 +1971,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Общая сумма Billing (через табель)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Повторите Выручка клиентов
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) должен иметь роль ""Согласующего Расходы"""
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Носите
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Выберите BOM и Кол-во для производства
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Носите
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Выберите BOM и Кол-во для производства
DocType: Asset,Depreciation Schedule,Амортизация Расписание
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Адреса и партнеры торговых партнеров
DocType: Bank Reconciliation Detail,Against Account,Против Счет
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Поаяся Дата должна быть в пределах от даты и до настоящего времени
DocType: Maintenance Schedule Detail,Actual Date,Фактическая дата
DocType: Item,Has Batch No,"Имеет, серия №"
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Годовой Billing: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Годовой Billing: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Налог на товары и услуги (GST India)
DocType: Delivery Note,Excise Page Number,Количество Акцизный Страница
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Компания, Дата начала и до настоящего времени является обязательным"
DocType: Asset,Purchase Date,Дата покупки
@@ -1973,11 +1988,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},"Пожалуйста, установите "активов Амортизация затрат по МВЗ" в компании {0}"
,Maintenance Schedules,Графики технического обслуживания
DocType: Task,Actual End Date (via Time Sheet),Фактическая дата окончания (с помощью табеля рабочего времени)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Сумма {0} {1} против {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Сумма {0} {1} против {2} {3}
,Quotation Trends,Котировочные тенденции
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Пункт Группа не упоминается в мастера пункт по пункту {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Дебету счета должны быть задолженность счет
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Пункт Группа не упоминается в мастера пункт по пункту {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Дебету счета должны быть задолженность счет
DocType: Shipping Rule Condition,Shipping Amount,Доставка Количество
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Добавить клиентов
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,В ожидании Сумма
DocType: Purchase Invoice Item,Conversion Factor,Коэффициент преобразования
DocType: Purchase Order,Delivered,Доставлено
@@ -1987,7 +2003,8 @@
DocType: Purchase Receipt,Vehicle Number,Количество транспортных средств
DocType: Purchase Invoice,The date on which recurring invoice will be stop,"Дата, на которую повторяющихся счет будет остановить"
DocType: Employee Loan,Loan Amount,Сумма кредита
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Строка {0}: Ведомость материалов не найдено для элемента {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Самоходное транспортное средство
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Строка {0}: Ведомость материалов не найдено для элемента {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,"Всего выделенные листья {0} не может быть меньше, чем уже утвержденных листьев {1} за период"
DocType: Journal Entry,Accounts Receivable,Дебиторская задолженность
,Supplier-Wise Sales Analytics,Аналитика продаж в разрезе поставщиков
@@ -2005,22 +2022,21 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Авансовый Отчет ожидает одобрения. Только Утверждающий Сотрудник может обновлять статус.
DocType: Email Digest,New Expenses,Новые расходы
DocType: Purchase Invoice,Additional Discount Amount,Дополнительная скидка Сумма
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Строка # {0}: Кол-во должно быть 1, а элемент является фиксированным активом. Пожалуйста, используйте отдельную строку для нескольких Упак."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Строка # {0}: Кол-во должно быть 1, а элемент является фиксированным активом. Пожалуйста, используйте отдельную строку для нескольких Упак."
DocType: Leave Block List Allow,Leave Block List Allow,Оставьте Черный список Разрешить
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Аббревиатура не может быть пустой или пробелом
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Аббревиатура не может быть пустой или пробелом
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Группа не-группы
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Спорт
DocType: Loan Type,Loan Name,Кредит Имя
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Общий фактический
DocType: Student Siblings,Student Siblings,"Студенческие Братья, сестры"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Единица
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,"Пожалуйста, сформулируйте Компания"
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Единица
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,"Пожалуйста, сформулируйте Компания"
,Customer Acquisition and Loyalty,Приобретение и лояльности клиентов
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Склад, где вы работаете запас отклоненных элементов"
DocType: Production Order,Skip Material Transfer,Пропустить перенос материала
DocType: Production Order,Skip Material Transfer,Пропустить перенос материала
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Невозможно найти обменный курс {0} до {1} за контрольную дату {2}. Создайте запись обмена валюты вручную.
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Ваш финансовый год заканчивается
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Невозможно найти обменный курс {0} до {1} за контрольную дату {2}. Создайте запись обмена валюты вручную.
DocType: POS Profile,Price List,Прайс-лист
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} теперь используется как основной Фискальный Год. Пожалуйста, обновите страницу в браузере, чтобы изменения вступили в силу."
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Авансовые Отчеты
@@ -2033,14 +2049,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Фото баланс в пакетном {0} станет отрицательным {1} для п {2} на складе {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Следующие Запросы материалов были автоматически созданы на основании уровня предзаказа элемента
DocType: Email Digest,Pending Sales Orders,В ожидании заказов на продажу
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Счет {0} является недопустимым. Валюта счета должна быть {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Счет {0} является недопустимым. Валюта счета должна быть {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Фактор Единица измерения преобразования требуется в строке {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Строка # {0}: Ссылка Тип документа должен быть одним из заказа клиента, счет-фактура или продаже журнал Вход"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Строка # {0}: Ссылка Тип документа должен быть одним из заказа клиента, счет-фактура или продаже журнал Вход"
DocType: Salary Component,Deduction,Вычет
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Строка {0}: От времени и времени является обязательным.
DocType: Stock Reconciliation Item,Amount Difference,Сумма разница
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Цена товара добавляется для {0} в Прейскуранте {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Цена товара добавляется для {0} в Прейскуранте {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,"Пожалуйста, введите Employee Id этого менеджера по продажам"
DocType: Territory,Classification of Customers by region,Классификация клиентов по регионам
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Разница Сумма должна быть равна нулю
@@ -2052,21 +2068,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Всего Вычет
,Production Analytics,Производство Аналитика
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Стоимость Обновлено
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Стоимость Обновлено
DocType: Employee,Date of Birth,Дата рождения
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Пункт {0} уже вернулся
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Пункт {0} уже вернулся
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Фискальный год** представляет собой финансовый год. Все бухгалтерские записи и другие крупные сделки отслеживаются по **Фискальному году**.
DocType: Opportunity,Customer / Lead Address,Заказчик / Ведущий Адрес
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Внимание: Неверный сертификат SSL на привязанности {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Внимание: Неверный сертификат SSL на привязанности {0}
DocType: Student Admission,Eligibility,приемлемость
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Ведет помочь вам получить бизнес, добавить все ваши контакты и многое другое в ваших потенциальных клиентов"
DocType: Production Order Operation,Actual Operation Time,Фактическая Время работы
DocType: Authorization Rule,Applicable To (User),Применимо к (Пользователь)
DocType: Purchase Taxes and Charges,Deduct,Вычеты €
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Описание Работы
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Описание Работы
DocType: Student Applicant,Applied,прикладная
DocType: Sales Invoice Item,Qty as per Stock UOM,Кол-во в соответствии со UOM
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Имя Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Имя Guardian2
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Специальные символы, кроме ""-"" ""."", ""#"", и ""/"" не пускают в серию имен"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Следите продаж кампаний. Следите за проводами, цитаты, заказа на закупку и т.д. из кампаний, чтобы оценить отдачу от инвестиций."
DocType: Expense Claim,Approver,Утверждаю
@@ -2077,8 +2093,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Серийный номер {0} находится на гарантии ДО {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Сплит Delivery Note в пакеты.
apps/erpnext/erpnext/hooks.py +87,Shipments,Поставки
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Баланс счета ({0}) для {1} и запаса ({2}) для склада {3} должен быть одинаковым
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Баланс счета ({0}) для {1} и запаса ({2}) для склада {3} должен быть одинаковым
DocType: Payment Entry,Total Allocated Amount (Company Currency),Общая Выделенная сумма (Компания Валюта)
DocType: Purchase Order Item,To be delivered to customer,Для поставляться заказчику
DocType: BOM,Scrap Material Cost,Лом Материал Стоимость
@@ -2086,21 +2100,22 @@
DocType: Purchase Invoice,In Words (Company Currency),В Слов (Компания валюте)
DocType: Asset,Supplier,Поставщик
DocType: C-Form,Quarter,Квартал
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Прочие расходы
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Прочие расходы
DocType: Global Defaults,Default Company,Компания по умолчанию
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Расходов или Разница счета является обязательным для п. {0}, поскольку это влияет общая стоимость акции"
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Расходов или Разница счета является обязательным для п. {0}, поскольку это влияет общая стоимость акции"
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Название банка
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Выше
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Выше
DocType: Employee Loan,Employee Loan Account,Сотрудник ссудного счета
DocType: Leave Application,Total Leave Days,Всего Оставить дней
DocType: Email Digest,Note: Email will not be sent to disabled users,Примечание: E-mail не будет отправлен отключенному пользователю
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Количество взаимодействий
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Количество взаимодействий
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Код товара> Группа товаров> Марка
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Выберите компанию ...
DocType: Leave Control Panel,Leave blank if considered for all departments,"Оставьте пустым, если рассматривать для всех отделов"
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Виды занятости (постоянная, контракт, стажер и т.д.)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} является обязательным для п. {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} является обязательным для п. {1}
DocType: Process Payroll,Fortnightly,раз в две недели
DocType: Currency Exchange,From Currency,Из валюты
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Пожалуйста, выберите выделенной суммы, счет-фактура Тип и номер счета-фактуры в по крайней мере одном ряду"
@@ -2123,7 +2138,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,"Пожалуйста, нажмите на кнопку ""Generate Расписание"", чтобы получить график"
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Были ошибки во время удаления следующие графики:
DocType: Bin,Ordered Quantity,Заказанное количество
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","например ""Построить инструменты для строителей """
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","например ""Построить инструменты для строителей """
DocType: Grading Scale,Grading Scale Intervals,Интервалы Оценочная шкала
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Бухгалтерская запись для {2} может быть сделана только в валюте: {3}
DocType: Production Order,In Process,В процессе
@@ -2138,12 +2153,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Созданы группы учащихся.
DocType: Sales Invoice,Total Billing Amount,Всего счетов Сумма
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,"Там должно быть по умолчанию входящей электронной почты учетной записи включен для этой работы. Пожалуйста, установите входящей электронной почты учетной записи по умолчанию (POP / IMAP) и повторите попытку."
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Счет Дебиторской задолженности
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Строка # {0}: Asset {1} уже {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Счет Дебиторской задолженности
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Строка # {0}: Asset {1} уже {2}
DocType: Quotation Item,Stock Balance,Баланс запасов
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Заказ клиента в оплату
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Пожалуйста, установите Naming Series для {0} через Setup> Settings> Naming Series"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,Исполнительный директор
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,Исполнительный директор
DocType: Expense Claim Detail,Expense Claim Detail,Детали Авансового Отчета
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,"Пожалуйста, выберите правильный счет"
DocType: Item,Weight UOM,Вес Единица измерения
@@ -2152,12 +2166,12 @@
DocType: Production Order Operation,Pending,В ожидании
DocType: Course,Course Name,Название курса
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,"Пользователи, которые могут утвердить отпуска приложения конкретного работника"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Оборудование офиса
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Оборудование офиса
DocType: Purchase Invoice Item,Qty,Кол-во
DocType: Fiscal Year,Companies,Компании
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Электроника
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Поднимите Материал запрос когда шток достигает уровня переупорядочиваем
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Полный рабочий день
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Полный рабочий день
DocType: Salary Structure,Employees,Сотрудники
DocType: Employee,Contact Details,Контактная информация
DocType: C-Form,Received Date,Дата Получения
@@ -2167,7 +2181,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Цены не будут показаны, если прайс-лист не установлен"
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Пожалуйста, укажите страну этом правиле судоходства или проверить Доставка по всему миру"
DocType: Stock Entry,Total Incoming Value,Всего входное значение
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Дебет требуется
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Дебет требуется
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets поможет отслеживать время, стоимость и выставление счетов для Активности сделанной вашей команды"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Покупка Прайс-лист
DocType: Offer Letter Term,Offer Term,Условие предложения
@@ -2176,17 +2190,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Оплата Примирение
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,"Пожалуйста, выберите имя InCharge Лица"
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Технология
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Общая сумма невыплаченных: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Общая сумма невыплаченных: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM Операция Сайт
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Письмо с предложением
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Создать запросы Материал (ППМ) и производственных заказов.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Всего в счете-фактуре Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Всего в счете-фактуре Amt
DocType: BOM,Conversion Rate,Коэффициент конверсии
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Поиск продукта
DocType: Timesheet Detail,To Time,Чтобы время
DocType: Authorization Rule,Approving Role (above authorized value),Утверждении роль (выше уставного стоимости)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Кредит на счету должно быть оплачивается счет
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM рекурсия: {0} не может быть родитель или ребенок {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Кредит на счету должно быть оплачивается счет
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM рекурсия: {0} не может быть родитель или ребенок {2}
DocType: Production Order Operation,Completed Qty,Завершено Кол-во
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Для {0}, только дебетовые счета могут быть связаны с кредитной записью"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Прайс-лист {0} отключена
@@ -2198,28 +2212,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Серийные номера необходимые для позиции {1}. Вы предоставили {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Текущая оценка Оценить
DocType: Item,Customer Item Codes,Заказчик Предмет коды
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Обмен Прибыль / убыток
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Обмен Прибыль / убыток
DocType: Opportunity,Lost Reason,Забыли Причина
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Новый адрес
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Новый адрес
DocType: Quality Inspection,Sample Size,Размер выборки
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,"Пожалуйста, введите Квитанция документ"
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,На все товары уже выписаны счета
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,На все товары уже выписаны счета
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',"Пожалуйста, сформулируйте действительный 'От делу №'"
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,"Дальнейшие МВЗ можно сделать под групп, но записи могут быть сделаны в отношении не-групп"
DocType: Project,External,Внешний GPS с RS232
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Пользователи и разрешения
DocType: Vehicle Log,VLOG.,Видеоблога.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Производственные заказы Создано: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Производственные заказы Создано: {0}
DocType: Branch,Branch,Ветвь
DocType: Guardian,Mobile Number,Мобильный номер
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Печать и брендинг
DocType: Bin,Actual Quantity,Фактическое Количество
DocType: Shipping Rule,example: Next Day Shipping,пример: Следующий день доставка
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Серийный номер {0} не найден
-DocType: Scheduling Tool,Student Batch,Student Batch
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Ваши клиенты
+DocType: Program Enrollment,Student Batch,Student Batch
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Сделать Студент
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Вы были приглашены для совместной работы над проектом: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Вы были приглашены для совместной работы над проектом: {0}
DocType: Leave Block List Date,Block Date,Блок Дата
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Применить сейчас
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Фактическое количество {0} / количество ожидающих {1}
@@ -2229,7 +2242,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Создание и управление ежедневные, еженедельные и ежемесячные дайджесты новостей."
DocType: Appraisal Goal,Appraisal Goal,Оценка Гол
DocType: Stock Reconciliation Item,Current Amount,Текущий объем
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,здания
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,здания
DocType: Fee Structure,Fee Structure,Структура оплаты
DocType: Timesheet Detail,Costing Amount,Калькуляция Сумма
DocType: Student Admission,Application Fee,Регистрационный взнос
@@ -2241,10 +2254,10 @@
DocType: POS Profile,[Select],[Выберите]
DocType: SMS Log,Sent To,Отправить
DocType: Payment Request,Make Sales Invoice,Сделать Расходная накладная
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,Softwares
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Softwares
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Следующая Контактные Дата не может быть в прошлом
DocType: Company,For Reference Only.,Только для справки.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Выберите номер партии
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Выберите номер партии
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Неверный {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,Предварительная сумма
@@ -2254,15 +2267,15 @@
DocType: Employee,Employment Details,Подробности по трудоустройству
DocType: Employee,New Workplace,Новый Место работы
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Установить как Закрыт
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Нет товара со штрих-кодом {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Нет товара со штрих-кодом {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Дело № не может быть 0
DocType: Item,Show a slideshow at the top of the page,Показ слайдов в верхней части страницы
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Магазины
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Магазины
DocType: Serial No,Delivery Time,Время доставки
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,"Проблемам старения, на основе"
DocType: Item,End of Life,Конец срока службы
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Путешествия
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Путешествия
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Нет активной или по умолчанию Зарплата Структура найдено для сотрудника {0} для указанных дат
DocType: Leave Block List,Allow Users,Разрешить пользователям
DocType: Purchase Order,Customer Mobile No,Заказчик Мобильная Нет
@@ -2271,29 +2284,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Обновление Стоимость
DocType: Item Reorder,Item Reorder,Пункт Переупоряд
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Показать Зарплата скольжению
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,О передаче материала
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,О передаче материала
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","не Укажите операции, эксплуатационные расходы и дать уникальную операцию не в вашей деятельности."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Этот документ находится над пределом {0} {1} для элемента {4}. Вы делаете другой {3} против того же {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,"Пожалуйста, установите повторяющиеся после сохранения"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Сумма счета Выберите изменения
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Этот документ находится над пределом {0} {1} для элемента {4}. Вы делаете другой {3} против того же {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,"Пожалуйста, установите повторяющиеся после сохранения"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Сумма счета Выберите изменения
DocType: Purchase Invoice,Price List Currency,Прайс-лист валют
DocType: Naming Series,User must always select,Пользователь всегда должен выбирать
DocType: Stock Settings,Allow Negative Stock,Разрешить негативных складе
DocType: Installation Note,Installation Note,Установка Примечание
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Добавить налоги
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Добавить налоги
DocType: Topic,Topic,тема
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Поток денежных средств от финансовой
DocType: Budget Account,Budget Account,Бюджет аккаунта
DocType: Quality Inspection,Verified By,Verified By
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Невозможно изменить Базовая валюта компании, потому что есть существующие операции. Сделки должны быть отменены, чтобы поменять валюту."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Невозможно изменить Базовая валюта компании, потому что есть существующие операции. Сделки должны быть отменены, чтобы поменять валюту."
DocType: Grading Scale Interval,Grade Description,Оценка Описание
DocType: Stock Entry,Purchase Receipt No,Покупка Получение Нет
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Задаток
DocType: Process Payroll,Create Salary Slip,Создание Зарплата Слип
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,прослеживаемость
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Источник финансирования (обязательства)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Количество в строке {0} ({1}) должна быть такой же, как изготавливается количество {2}"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Источник финансирования (обязательства)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Количество в строке {0} ({1}) должна быть такой же, как изготавливается количество {2}"
DocType: Appraisal,Employee,Сотрудник
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Выбрать пакет
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} полностью выставлен
DocType: Training Event,End Time,Время окончания
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Активная зарплата Структура {0} найдено для работника {1} для заданных дат
@@ -2305,11 +2319,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Обязательно На
DocType: Rename Tool,File to Rename,Файл Переименовать
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},"Пожалуйста, выберите BOM для пункта в строке {0}"
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Указано BOM {0} не существует для п {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Учетная запись {0} не совпадает с Company {1} в Способе учетной записи: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Указано BOM {0} не существует для п {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,График обслуживания {0} должно быть отменено до отмены этого заказ клиента
DocType: Notification Control,Expense Claim Approved,Авансовый Отчет Одобрен
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Зарплата Скольжение работника {0} уже создано за этот период
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Фармацевтический
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Фармацевтический
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Стоимость купленных изделий
DocType: Selling Settings,Sales Order Required,Требования Заказа клиента
DocType: Purchase Invoice,Credit To,Кредитная Для
@@ -2326,42 +2341,42 @@
DocType: Payment Gateway Account,Payment Account,Оплата счета
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,"Пожалуйста, сформулируйте Компания приступить"
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Чистое изменение дебиторской задолженности
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Компенсационные Выкл
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Компенсационные Выкл
DocType: Offer Letter,Accepted,Принято
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,организация
DocType: SG Creation Tool Course,Student Group Name,Имя Студенческая группа
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Пожалуйста, убедитесь, что вы действительно хотите удалить все транзакции для компании. Ваши основные данные останется, как есть. Это действие не может быть отменено."
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Пожалуйста, убедитесь, что вы действительно хотите удалить все транзакции для компании. Ваши основные данные останется, как есть. Это действие не может быть отменено."
DocType: Room,Room Number,Номер комнаты
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Недопустимая ссылка {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}) не может быть больше, чем запланированное количество ({2}) в Производственном Заказе {3}"
DocType: Shipping Rule,Shipping Rule Label,Правило ярлыке
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Форум пользователей
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Сырье не может быть пустым.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Не удалось обновить запас, счет-фактура содержит падение пункт доставки."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Сырье не может быть пустым.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Не удалось обновить запас, счет-фактура содержит падение пункт доставки."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Быстрый журнал запись
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,"Вы не можете изменить скорость, если спецификации упоминается agianst любого элемента"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,"Вы не можете изменить скорость, если спецификации упоминается agianst любого элемента"
DocType: Employee,Previous Work Experience,Предыдущий опыт работы
DocType: Stock Entry,For Quantity,Для Количество
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},"Пожалуйста, введите Запланированное Количество по пункту {0} в строке {1}"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} не проведен
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Запросы на предметы.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Отдельный производственный заказ будет создан для каждого готового хорошего пункта.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} должен быть отрицательным в обратном документе
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} должен быть отрицательным в обратном документе
,Minutes to First Response for Issues,Протокол к First Response по делам
DocType: Purchase Invoice,Terms and Conditions1,Сроки и условиях1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,"Название института, для которого вы устанавливаете эту систему."
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,"Название института, для которого вы устанавливаете эту систему."
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Бухгалтерская запись заморожена до этой даты, никто не может сделать / изменить запись, кроме роли, указанной ниже."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,"Пожалуйста, сохраните документ перед генерацией график технического обслуживания"
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Статус проекта
DocType: UOM,Check this to disallow fractions. (for Nos),"Проверьте это, чтобы запретить фракции. (Для №)"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Были созданы следующие Производственные заказы:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Были созданы следующие Производственные заказы:
DocType: Student Admission,Naming Series (for Student Applicant),Именование Series (для студентов Заявителем)
DocType: Delivery Note,Transporter Name,Transporter Имя
DocType: Authorization Rule,Authorized Value,Уставный Значение
DocType: BOM,Show Operations,Показать операции
,Minutes to First Response for Opportunity,Протокол к First Response для возможностей
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Всего Отсутствует
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Пункт или Склад для строки {0} не соответствует запросу материал
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Пункт или Склад для строки {0} не соответствует запросу материал
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Единица Измерения
DocType: Fiscal Year,Year End Date,Дата окончания года
DocType: Task Depends On,Task Depends On,Задачи зависит от
@@ -2460,11 +2475,11 @@
DocType: Asset,Manual,Руководство
DocType: Salary Component Account,Salary Component Account,Зарплатный Компонент
DocType: Global Defaults,Hide Currency Symbol,Скрыть Символ Валюты
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","например банк, наличные, кредитная карта"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","например банк, наличные, кредитная карта"
DocType: Lead Source,Source Name,Имя источника
DocType: Journal Entry,Credit Note,Кредит-нота
DocType: Warranty Claim,Service Address,Адрес сервисного центра
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Мебель и Светильники
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Мебель и Светильники
DocType: Item,Manufacture,Производство
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,"Пожалуйста, накладной первый"
DocType: Student Applicant,Application Date,Дата подачи документов
@@ -2474,7 +2489,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Клиренс Дата не упоминается
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Производство
DocType: Guardian,Occupation,Род занятий
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Пожалуйста, настройте систему имен пользователей в человеческих ресурсах> Настройки персонажа"
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Ряд {0}: Дата начала должна быть раньше даты окончания
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Всего (кол-во)
DocType: Sales Invoice,This Document,Этот документ
@@ -2486,19 +2500,19 @@
DocType: Purchase Receipt,Time at which materials were received,"Момент, в который были получены материалы"
DocType: Stock Ledger Entry,Outgoing Rate,Исходящие Оценить
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Организация филиал мастер.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,или
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,или
DocType: Sales Order,Billing Status,Статус Биллинг
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Сообщить о проблеме
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Коммунальные расходы
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Коммунальные расходы
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-Над
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Строка # {0}: Запись в журнале {1} не имеет учетной записи {2} или уже сопоставляется с другой купон
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Строка # {0}: Запись в журнале {1} не имеет учетной записи {2} или уже сопоставляется с другой купон
DocType: Buying Settings,Default Buying Price List,По умолчанию Покупка Прайс-лист
DocType: Process Payroll,Salary Slip Based on Timesheet,Зарплата скольжения на основе Timesheet
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Ни один сотрудник для выбранных критериев выше или скольжения заработной платы уже не создано
DocType: Notification Control,Sales Order Message,Заказ клиента Сообщение
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Установить значения по умолчанию, как Болгарии, Валюта, текущий финансовый год и т.д."
DocType: Payment Entry,Payment Type,Вид оплаты
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Выберите пакет для элемента {0}. Не удалось найти единицу, которая удовлетворяет этому требованию."
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Выберите пакет для элемента {0}. Не удалось найти единицу, которая удовлетворяет этому требованию."
DocType: Process Payroll,Select Employees,Выберите Сотрудников
DocType: Opportunity,Potential Sales Deal,Сделка потенциальных продаж
DocType: Payment Entry,Cheque/Reference Date,Чеками / Исходная дата
@@ -2518,7 +2532,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Документ о получении должен быть проведен
DocType: Purchase Invoice Item,Received Qty,Поступило Кол-во
DocType: Stock Entry Detail,Serial No / Batch,Серийный номер / Партия
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Не оплачено и не доставлено
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Не оплачено и не доставлено
DocType: Product Bundle,Parent Item,Родитель Пункт
DocType: Account,Account Type,Тип учетной записи
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2533,25 +2547,24 @@
DocType: Bin,Reserved Quantity,Зарезервировано Количество
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,"Пожалуйста, введите действующий адрес электронной почты"
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,"Пожалуйста, введите действующий адрес электронной почты"
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Не существует обязательного курса для программы {0}
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Не существует обязательного курса для программы {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Покупка чеков товары
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Настройка формы
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,задолженность
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,задолженность
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Амортизация Сумма за период
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Шаблон для инвалидов не должно быть по умолчанию шаблон
DocType: Account,Income Account,Счет Доходов
DocType: Payment Request,Amount in customer's currency,Сумма в валюте клиента
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Доставка
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Доставка
DocType: Stock Reconciliation Item,Current Qty,Текущий Кол-во
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section","См. ""Оценить материалов на основе"" в калькуляции раздел"
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Предыдущая
DocType: Appraisal Goal,Key Responsibility Area,Ключ Ответственность Площадь
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Студенческие Порции помогают отслеживать посещаемость, оценки и сборы для студентов"
DocType: Payment Entry,Total Allocated Amount,Общая сумма Обозначенная
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Установить учетную запись по умолчанию для вечной инвентаризации
DocType: Item Reorder,Material Request Type,Материал Тип запроса
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural журнал запись на зарплату от {0} до {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage полна, не спасло"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage полна, не спасло"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Ряд {0}: Коэффициент преобразования Единица измерения является обязательным
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,N
DocType: Budget,Cost Center,Центр учета затрат
@@ -2564,19 +2577,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Цены Правило состоит перезаписать Прайс-лист / определить скидка процент, на основе некоторых критериев."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Склад может быть изменен только с помощью со входа / накладной / Покупка получении
DocType: Employee Education,Class / Percentage,Класс / в процентах
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Начальник отдела маркетинга и продаж
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Подоходный налог
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Начальник отдела маркетинга и продаж
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Подоходный налог
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Если выбран Цены правила делается для ""цена"", это приведет к перезаписи прайс-лист. Цены Правило цена окончательная цена, поэтому никакого скидка не следует применять. Таким образом, в таких сделках, как заказ клиента, Заказ и т.д., это будет выбрано в поле 'Rate', а не поле ""Прайс-лист Rate '."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Трек Ведет по Отрасль Тип.
DocType: Item Supplier,Item Supplier,Пункт Поставщик
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,"Пожалуйста, введите Код товара, чтобы получить партию не"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},"Пожалуйста, выберите значение для {0} quotation_to {1}"
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,"Пожалуйста, введите Код товара, чтобы получить партию не"
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},"Пожалуйста, выберите значение для {0} quotation_to {1}"
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Все адреса.
DocType: Company,Stock Settings,Настройки Запасов
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Объединение возможно только, если следующие свойства такие же, как в отчетах. Есть группа, корневого типа, компания"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Объединение возможно только, если следующие свойства такие же, как в отчетах. Есть группа, корневого типа, компания"
DocType: Vehicle,Electric,электрический
DocType: Task,% Progress,% Прогресс
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Прибыль / убыток от выбытия основных средств
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Прибыль / убыток от выбытия основных средств
DocType: Training Event,Will send an email about the event to employees with status 'Open',Будет ли отправить по электронной почте о событии сотрудникам со статусом 'Open'
DocType: Task,Depends on Tasks,В зависимости от задач
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Управление групповой клиентов дерево.
@@ -2585,7 +2598,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Новый Центр Стоимость Имя
DocType: Leave Control Panel,Leave Control Panel,Оставьте панели управления
DocType: Project,Task Completion,Завершение задачи
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Нет в наличии
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Нет в наличии
DocType: Appraisal,HR User,HR Пользователь
DocType: Purchase Invoice,Taxes and Charges Deducted,"Налоги, которые вычитаются"
apps/erpnext/erpnext/hooks.py +116,Issues,Вопросов
@@ -2596,22 +2609,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Нет зарплаты скольжения находится между {0} и {1}
,Pending SO Items For Purchase Request,В ожидании SO предметы для покупки запрос
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,зачисляемых студентов
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} отключен
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} отключен
DocType: Supplier,Billing Currency,Платежная валюта
DocType: Sales Invoice,SINV-RET-,СИНВ-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Очень Большой
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Очень Большой
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Всего Листья
,Profit and Loss Statement,Счет прибылей и убытков
DocType: Bank Reconciliation Detail,Cheque Number,Чек Количество
,Sales Browser,Браузер по продажам
DocType: Journal Entry,Total Credit,Всего очков
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Внимание: Еще {0} # {1} существует против вступления фондовой {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Локальные
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Локальные
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Кредиты и авансы (активы)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Должники
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Большой
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Большой
DocType: Homepage Featured Product,Homepage Featured Product,Главная Рекомендуемые продукт
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Все группы по оценке
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Все группы по оценке
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Новый склад Имя
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Общая {0} ({1})
DocType: C-Form Invoice Detail,Territory,Территория
@@ -2621,12 +2634,12 @@
DocType: Production Order Operation,Planned Start Time,Планируемые Время
DocType: Course,Assessment,оценка
DocType: Payment Entry Reference,Allocated,Выделенные
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Закрыть баланс и книга прибыли или убытка.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Закрыть баланс и книга прибыли или убытка.
DocType: Student Applicant,Application Status,Статус приложения
DocType: Fees,Fees,Оплаты
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Укажите Курс конвертировать одну валюту в другую
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Цитата {0} отменяется
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Общей суммой задолженности
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Общей суммой задолженности
DocType: Sales Partner,Targets,Цели
DocType: Price List,Price List Master,Прайс-лист Мастер
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Все сделок купли-продажи могут быть помечены против нескольких ** продавцы ** так что вы можете устанавливать и контролировать цели.
@@ -2670,12 +2683,12 @@
1. Адрес и контактная Вашей компании."
DocType: Attendance,Leave Type,Оставьте Тип
DocType: Purchase Invoice,Supplier Invoice Details,Подробная информация о поставщике счета
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Расходов / Разница счет ({0}) должен быть ""прибыль или убыток» счета"
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Расходов / Разница счет ({0}) должен быть ""прибыль или убыток» счета"
DocType: Project,Copied From,Скопировано из
DocType: Project,Copied From,Скопировано из
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Ошибка Имя: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,недобор
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} не связан с {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} не связан с {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Посещаемость за работника {0} уже отмечен
DocType: Packing Slip,If more than one package of the same type (for print),Если более чем один пакет того же типа (для печати)
,Salary Register,Доход Регистрация
@@ -2693,22 +2706,23 @@
,Requested Qty,Запрашиваемые Кол-во
DocType: Tax Rule,Use for Shopping Cart,Используйте корзину для
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Значение {0} для атрибута {1} не существует в списке действительного пункта значений атрибутов для пункта {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Выберите серийные номера
DocType: BOM Item,Scrap %,Лом%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Расходы будут распределены пропорционально на основе Поз или суммы, по Вашему выбору"
DocType: Maintenance Visit,Purposes,Цели
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Как минимум один товар должен быть введен с отрицательным количеством в возвратном документе
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Как минимум один товар должен быть введен с отрицательным количеством в возвратном документе
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Операция {0} больше, чем каких-либо имеющихся рабочих часов в рабочей станции {1}, сломать операции в несколько операций"
,Requested,Запрошено
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Нет Замечания
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Нет Замечания
DocType: Purchase Invoice,Overdue,Просроченный
DocType: Account,Stock Received But Not Billed,"Запас получен, но не выписан счет"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Корень аккаунт должна быть группа
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Корень аккаунт должна быть группа
DocType: Fees,FEE.,Плата
DocType: Employee Loan,Repaid/Closed,Возвращенный / Closed
DocType: Item,Total Projected Qty,Общая запланированная Кол-во
DocType: Monthly Distribution,Distribution Name,Распределение Имя
DocType: Course,Course Code,Код курса
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},"Контроль качества, необходимые для Пункт {0}"
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},"Контроль качества, необходимые для Пункт {0}"
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Курс по которому валюта Покупателя конвертируется в базовую валюту компании
DocType: Purchase Invoice Item,Net Rate (Company Currency),Чистая скорость (Компания валют)
DocType: Salary Detail,Condition and Formula Help,Состояние и формула Помощь
@@ -2721,27 +2735,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Материал Передача для производства
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Скидка в процентах можно применять либо против прайс-листа или для всех прайс-листа.
DocType: Purchase Invoice,Half-yearly,Раз в полгода
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Бухгалтерская Проводка по Запасам
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Бухгалтерская Проводка по Запасам
DocType: Vehicle Service,Engine Oil,Машинное масло
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Пожалуйста, настройте систему имен пользователей в человеческих ресурсах> Настройки персонажа"
DocType: Sales Invoice,Sales Team1,Продажи Команда1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Пункт {0} не существует
DocType: Sales Invoice,Customer Address,Клиент Адрес
DocType: Employee Loan,Loan Details,Кредит Подробнее
+DocType: Company,Default Inventory Account,Учетная запись по умолчанию
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Строка {0}: Завершенный Кол-во должно быть больше нуля.
DocType: Purchase Invoice,Apply Additional Discount On,Применить Дополнительную Скидку на
DocType: Account,Root Type,Корневая Тип
DocType: Item,FIFO,FIFO (ФИФО)
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Ряд # {0}: Невозможно вернуть более {1} для п {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Ряд # {0}: Невозможно вернуть более {1} для п {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Сюжет
DocType: Item Group,Show this slideshow at the top of the page,Показать этот слайд-шоу в верхней части страницы
DocType: BOM,Item UOM,Пункт Единица измерения
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Сумма налога после скидки Сумма (Компания валют)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Целевая склад является обязательным для ряда {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Целевая склад является обязательным для ряда {0}
DocType: Cheque Print Template,Primary Settings,Основные настройки
DocType: Purchase Invoice,Select Supplier Address,Выборите Адрес Поставщика
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Добавить сотрудников
DocType: Purchase Invoice Item,Quality Inspection,Контроль качества
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Очень Маленький
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Очень Маленький
DocType: Company,Standard Template,Стандартный шаблон
DocType: Training Event,Theory,теория
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Внимание: Материал просил Кол меньше Минимальное количество заказа
@@ -2749,7 +2765,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Юридическое лицо / Вспомогательный с отдельным Планом счетов бухгалтерского учета, принадлежащего Организации."
DocType: Payment Request,Mute Email,Отключение E-mail
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Продукты питания, напитки и табак"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Могу только осуществить платеж против нефактурированных {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Могу только осуществить платеж против нефактурированных {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,"Скорость Комиссия не может быть больше, чем 100"
DocType: Stock Entry,Subcontract,Субподряд
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,"Пожалуйста, введите {0} в первую очередь"
@@ -2762,18 +2778,18 @@
DocType: SMS Log,No of Sent SMS,Нет отправленных SMS
DocType: Account,Expense Account,Расходов счета
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Программное обеспечение
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Цвет
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Цвет
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Критерии оценки плана
DocType: Training Event,Scheduled,Запланированно
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Запрос котировок.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Пожалуйста, выберите пункт, где "ли со Пункт" "Нет" и "является продажа товара" "Да", и нет никакой другой Связка товаров"
DocType: Student Log,Academic,академический
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),"Всего аванс ({0}) против ордена {1} не может быть больше, чем общая сумма ({2})"
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),"Всего аванс ({0}) против ордена {1} не может быть больше, чем общая сумма ({2})"
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Выберите ежемесячное распределение к неравномерно распределять цели по различным месяцам.
DocType: Purchase Invoice Item,Valuation Rate,Оценка Оцените
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,дизель
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Прайс-лист Обмен не выбран
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Прайс-лист Обмен не выбран
,Student Monthly Attendance Sheet,Student Ежемесячная посещаемость Sheet
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Сотрудник {0} уже подало заявку на {1} между {2} и {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Дата начала проекта
@@ -2786,7 +2802,7 @@
DocType: BOM,Scrap,лом
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Управление партнеры по сбыту.
DocType: Quality Inspection,Inspection Type,Инспекция Тип
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Склады с существующей транзакции не может быть преобразована в группу.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Склады с существующей транзакции не может быть преобразована в группу.
DocType: Assessment Result Tool,Result HTML,Результат HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Годен до
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Добавить студентов
@@ -2794,13 +2810,13 @@
DocType: C-Form,C-Form No,C-образный Нет
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,Немаркированных Посещаемость
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Исследователь
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Исследователь
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Программа набора студентов для обучения Инструмент
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Имя E-mail или является обязательным
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Входной контроль качества.
DocType: Purchase Order Item,Returned Qty,Вернулся Кол-во
DocType: Employee,Exit,Выход
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Корневая Тип является обязательным
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Корневая Тип является обязательным
DocType: BOM,Total Cost(Company Currency),Общая стоимость (Компания Валюта)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Серийный номер {0} создан
DocType: Homepage,Company Description for website homepage,Описание компании на главную страницу сайта
@@ -2809,7 +2825,7 @@
DocType: Sales Invoice,Time Sheet List,Список времени лист
DocType: Employee,You can enter any date manually,Вы можете ввести любую дату вручную
DocType: Asset Category Account,Depreciation Expense Account,Износ счет расходов
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Испытательный Срок
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Испытательный Срок
DocType: Customer Group,Only leaf nodes are allowed in transaction,Только листовые узлы допускаются в сделке
DocType: Expense Claim,Expense Approver,Расходы утверждающим
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Ряд {0}: Предварительная отношении Клиента должен быть кредит
@@ -2823,10 +2839,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Расписание курсов удалены:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Журналы для просмотра статуса доставки смс
DocType: Accounts Settings,Make Payment via Journal Entry,Платежи через журнал Вход
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Отпечатано на
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Отпечатано на
DocType: Item,Inspection Required before Delivery,Осмотр Обязательный перед поставкой
DocType: Item,Inspection Required before Purchase,Осмотр Требуемые перед покупкой
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,В ожидании Деятельность
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Ваша организация
DocType: Fee Component,Fees Category,Категория плат
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,"Пожалуйста, введите даты снятия."
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
@@ -2836,9 +2853,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Изменить порядок Уровень
DocType: Company,Chart Of Accounts Template,План счетов бухгалтерского учета шаблона
DocType: Attendance,Attendance Date,Посещаемость Дата
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Цена товара обновлен для {0} в Прейскуранте {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Цена товара обновлен для {0} в Прейскуранте {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Зарплата распада на основе Заработок и дедукции.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,"Счет, имеющий субсчета не может быть преобразован в регистр"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,"Счет, имеющий субсчета не может быть преобразован в регистр"
DocType: Purchase Invoice Item,Accepted Warehouse,Принимающий склад
DocType: Bank Reconciliation Detail,Posting Date,Дата публикации
DocType: Item,Valuation Method,Метод оценки
@@ -2847,14 +2864,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Дублировать запись
DocType: Program Enrollment Tool,Get Students,Получить Студенты
DocType: Serial No,Under Warranty,Под гарантии
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Ошибка]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Ошибка]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,По словам будет виден только вы сохраните заказ клиента.
,Employee Birthday,Сотрудник День рождения
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Пакетное посещаемость Инструмент
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,предел Скрещенные
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,предел Скрещенные
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Венчурный капитал
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"Академический термин с этим "Академический год" {0} и 'Term Name' {1} уже существует. Пожалуйста, измените эти записи и повторите попытку."
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Как есть существующие операции против пункта {0}, вы не можете изменить значение {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Как есть существующие операции против пункта {0}, вы не можете изменить значение {1}"
DocType: UOM,Must be Whole Number,Должно быть Целое число
DocType: Leave Control Panel,New Leaves Allocated (In Days),Новые листья Выделенные (в днях)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Серийный номер {0} не существует
@@ -2863,6 +2880,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Номер Счета
DocType: Shopping Cart Settings,Orders,Заказы
DocType: Employee Leave Approver,Leave Approver,Оставьте утверждающего
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Выберите пакет
DocType: Assessment Group,Assessment Group Name,Название группы по оценке
DocType: Manufacturing Settings,Material Transferred for Manufacture,"Материал, переданный для производства"
DocType: Expense Claim,"A user with ""Expense Approver"" role","Пользователь с ролью ""Утверждающий расходы"""
@@ -2872,9 +2890,10 @@
DocType: Target Detail,Target Detail,Цель Подробности
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,Все Вакансии
DocType: Sales Order,% of materials billed against this Sales Order,% материалов выставлено по данному Заказу
+DocType: Program Enrollment,Mode of Transportation,Режим транспортировки
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Период закрытия входа
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,МВЗ с существующими сделок не могут быть преобразованы в группе
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Сумма {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Сумма {0} {1} {2} {3}
DocType: Account,Depreciation,Амортизация
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Поставщик (и)
DocType: Employee Attendance Tool,Employee Attendance Tool,Сотрудник посещаемости Инструмент
@@ -2882,7 +2901,7 @@
DocType: Supplier,Credit Limit,{0}{/0} {1}Кредитный лимит {/1}
DocType: Production Plan Sales Order,Salse Order Date,Salse Дата заказа
DocType: Salary Component,Salary Component,Зарплата Компонент
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Записи оплаты {0} ип-сшитый
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Записи оплаты {0} ип-сшитый
DocType: GL Entry,Voucher No,Ваучер №
,Lead Owner Efficiency,Эффективность ведущего владельца
,Lead Owner Efficiency,Эффективность ведущего владельца
@@ -2894,11 +2913,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Шаблон терминов или договором.
DocType: Purchase Invoice,Address and Contact,Адрес и контактная
DocType: Cheque Print Template,Is Account Payable,Является ли кредиторская задолженность
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Фото не может быть обновлен с квитанцией о покупке {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Фото не может быть обновлен с квитанцией о покупке {0}
DocType: Supplier,Last Day of the Next Month,Последний день следующего месяца
DocType: Support Settings,Auto close Issue after 7 days,Авто близко Issue через 7 дней
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Оставить не могут быть выделены, прежде чем {0}, а отпуск баланс уже переноса направляются в будущем записи распределения отпуска {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Примечание: Из-за / Reference Дата превышает разрешенный лимит клиент дня на {0} сутки (ы)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Примечание: Из-за / Reference Дата превышает разрешенный лимит клиент дня на {0} сутки (ы)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Студент Абитуриент
DocType: Asset Category Account,Accumulated Depreciation Account,Начисленной амортизации Счет
DocType: Stock Settings,Freeze Stock Entries,Замораживание акций Записи
@@ -2907,36 +2926,36 @@
DocType: Activity Cost,Billing Rate,Платежная Оценить
,Qty to Deliver,Кол-во для доставки
,Stock Analytics,Анализ запасов
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,"Операции, не может быть оставлено пустым"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,"Операции, не может быть оставлено пустым"
DocType: Maintenance Visit Purpose,Against Document Detail No,Против деталях документа Нет
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Тип партии является обязательным
DocType: Quality Inspection,Outgoing,Исходящий
DocType: Material Request,Requested For,Запрашиваемая Для
DocType: Quotation Item,Against Doctype,Против Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} отменено или закрыто
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} отменено или закрыто
DocType: Delivery Note,Track this Delivery Note against any Project,Подписка на Delivery Note против любого проекта
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Чистые денежные средства от инвестиционной деятельности
-,Is Primary Address,Является первичным Адрес
DocType: Production Order,Work-in-Progress Warehouse,Работа-в-Прогресс Склад
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Актив {0} должен быть проведен
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Рекордное {0} существует против Student {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Рекордное {0} существует против Student {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Ссылка # {0} от {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Амортизация Дошел вследствие выбытия активов
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Управление адресов
DocType: Asset,Item Code,Код элемента
DocType: Production Planning Tool,Create Production Orders,Создание производственных заказов
DocType: Serial No,Warranty / AMC Details,Гарантия / АМК Подробнее
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Выберите учащихся вручную для группы на основе действий
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Выберите учащихся вручную для группы на основе действий
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Выберите учащихся вручную для группы на основе действий
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Выберите учащихся вручную для группы на основе действий
DocType: Journal Entry,User Remark,Примечание Пользователь
DocType: Lead,Market Segment,Сегмент рынка
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Уплаченная сумма не может быть больше суммарного отрицательного непогашенной {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Уплаченная сумма не может быть больше суммарного отрицательного непогашенной {0}
DocType: Employee Internal Work History,Employee Internal Work History,Сотрудник внутреннего Работа История
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Закрытие (д-р)
DocType: Cheque Print Template,Cheque Size,Cheque Размер
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Серийный номер {0} не в наличии
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Налоговый шаблон для продажи сделок.
DocType: Sales Invoice,Write Off Outstanding Amount,Списание суммы задолженности
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Учетная запись {0} не соответствует компании {1}
DocType: School Settings,Current Academic Year,Текущий академический год
DocType: School Settings,Current Academic Year,Текущий академический год
DocType: Stock Settings,Default Stock UOM,По умолчанию со UOM
@@ -2952,27 +2971,27 @@
DocType: Asset,Double Declining Balance,Двойной баланс Отклонение
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Закрытый заказ не может быть отменен. Отменить открываться.
DocType: Student Guardian,Father,Отец
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,"""Обновить запасы"" нельзя выбрать при продаже основных средств"
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"""Обновить запасы"" нельзя выбрать при продаже основных средств"
DocType: Bank Reconciliation,Bank Reconciliation,Банковская сверка
DocType: Attendance,On Leave,в отпуске
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Получить обновления
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Счет {2} не принадлежит Компании {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Материал Запрос {0} отменяется или остановлен
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Добавить несколько пробных записей
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Добавить несколько пробных записей
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Оставить управления
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Группа по Счет
DocType: Sales Order,Fully Delivered,Полностью Поставляются
DocType: Lead,Lower Income,Нижняя Доход
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Источник и цель склад не может быть одинаковым для ряда {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Источник и цель склад не может быть одинаковым для ряда {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Разница аккаунт должен быть тип счета активов / пассивов, так как это со Примирение запись Открытие"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},"Освоено Сумма не может быть больше, чем сумма займа {0}"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Число Заказ требуется для Пункт {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Производственный заказ не создан
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Число Заказ требуется для Пункт {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Производственный заказ не создан
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"Поле ""С даты"" должно быть после ""До даты"""
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Невозможно изменить статус студента {0} связан с приложением студента {1}
DocType: Asset,Fully Depreciated,Полностью Амортизируется
,Stock Projected Qty,Прогнозируемое Кол-во Запасов
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Клиент {0} не принадлежит к проекту {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Клиент {0} не принадлежит к проекту {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Выраженное Посещаемость HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Котировки являются предложениями, предложениями отправленных к своим клиентам"
DocType: Sales Order,Customer's Purchase Order,Заказ клиента
@@ -2981,33 +3000,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Сумма десятков критериев оценки должно быть {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,"Пожалуйста, установите Количество отчислений на амортизацию бронирования"
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Значение или Кол-во
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Продукции Заказы не могут быть подняты для:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Минута
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Продукции Заказы не могут быть подняты для:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Минута
DocType: Purchase Invoice,Purchase Taxes and Charges,Покупка Налоги и сборы
,Qty to Receive,Кол-во на получение
DocType: Leave Block List,Leave Block List Allowed,Оставьте Черный список животных
DocType: Grading Scale Interval,Grading Scale Interval,Интервал Градация шкалы
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Авансовый Отчет для для журнала автомобиля {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Скидка (%) на цену Прейскурант с маржой
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,Все склады
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Все склады
DocType: Sales Partner,Retailer,Розничный торговец
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Кредит на счету должен быть баланс счета
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Кредит на счету должен быть баланс счета
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Все типы поставщиков
DocType: Global Defaults,Disable In Words,Отключить в словах
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,"Код товара является обязательным, поскольку Деталь не автоматически нумеруются"
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Код товара является обязательным, поскольку Деталь не автоматически нумеруются"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Цитата {0} не типа {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,График обслуживания позиции
DocType: Sales Order,% Delivered,% Доставлен
DocType: Production Order,PRO-,PRO-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Банковский овердрафтовый счет
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Банковский овердрафтовый счет
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Сделать Зарплата Слип
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Строка # {0}: выделенная сумма не может превышать невыплаченную сумму.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Просмотр спецификации
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Обеспеченные кредиты
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Обеспеченные кредиты
DocType: Purchase Invoice,Edit Posting Date and Time,Редактирование проводок Дата и время
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Пожалуйста, установите Амортизация соответствующих счетов в Asset Категория {0} или компании {1}"
DocType: Academic Term,Academic Year,Академический год
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Начальная Балансовая стоимость собственных средств
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Начальная Балансовая стоимость собственных средств
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Оценка
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},Электронная почта отправляется поставщику {0}
@@ -3023,7 +3042,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,"Утверждении роль не может быть такой же, как роль правило применимо к"
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Отказаться от этой Email Дайджест
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Сообщение отправлено
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,"Счет с дочерних узлов, не может быть установлен как книгу"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,"Счет с дочерних узлов, не может быть установлен как книгу"
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Курс по которому валюта Прайс листа конвертируется в базовую валюту покупателя
DocType: Purchase Invoice Item,Net Amount (Company Currency),Чистая сумма (валюта Компании)
@@ -3058,7 +3077,7 @@
DocType: Expense Claim,Approval Status,Статус утверждения
DocType: Hub Settings,Publish Items to Hub,Опубликовать товары в Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},"От значение должно быть меньше, чем значение в строке {0}"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Банковский перевод
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Банковский перевод
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Отметить все
DocType: Vehicle Log,Invoice Ref,Счет-фактура Ссылка
DocType: Purchase Order,Recurring Order,Периодический Заказ
@@ -3071,19 +3090,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Банки и платежи
,Welcome to ERPNext,Добро пожаловать в ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Привести к поставщику
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Ничего больше не показывать.
DocType: Lead,From Customer,От клиента
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Звонки
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Звонки
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,Порции
DocType: Project,Total Costing Amount (via Time Logs),Всего Калькуляция Сумма (с помощью журналов Time)
DocType: Purchase Order Item Supplied,Stock UOM,Ед. изм. Запасов
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Заказ на закупку {0} не проведен
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Заказ на закупку {0} не проведен
DocType: Customs Tariff Number,Tariff Number,Тарифный номер
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Проектированный
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Серийный номер {0} не принадлежит Склад {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Примечание: Система не будет проверять по-доставки и избыточного бронирования по пункту {0} как количестве 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Примечание: Система не будет проверять по-доставки и избыточного бронирования по пункту {0} как количестве 0
DocType: Notification Control,Quotation Message,Цитата Сообщение
DocType: Employee Loan,Employee Loan Application,Служащая заявка на получение кредита
DocType: Issue,Opening Date,Дата открытия
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Зрители были успешно отмечены.
+DocType: Program Enrollment,Public Transport,Общественный транспорт
DocType: Journal Entry,Remark,Примечание
DocType: Purchase Receipt Item,Rate and Amount,Ставку и сумму
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Тип счета для {0} должен быть {1}
@@ -3091,32 +3113,32 @@
DocType: School Settings,Current Academic Term,Текущий академический семестр
DocType: School Settings,Current Academic Term,Текущий академический семестр
DocType: Sales Order,Not Billed,Не Объявленный
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Оба Склад должены принадлежать одной Компании
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Нет контактов Пока еще не добавлено.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Оба Склад должены принадлежать одной Компании
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Нет контактов Пока еще не добавлено.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Земельные стоимости путевки сумма
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Платежи Поставщикам
DocType: POS Profile,Write Off Account,Списание счет
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Дебетовая нота
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Сумма скидки
DocType: Purchase Invoice,Return Against Purchase Invoice,Вернуться против счет покупки
DocType: Item,Warranty Period (in days),Гарантийный срок (в днях)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Связь с Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Связь с Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Чистые денежные средства от операционной
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,"например, НДС"
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,"например, НДС"
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Пункт 4
DocType: Student Admission,Admission End Date,Дата окончания приёма
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Суб-сжимания
DocType: Journal Entry Account,Journal Entry Account,Запись в журнале аккаунт
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Студенческая группа
DocType: Shopping Cart Settings,Quotation Series,Цитата серии
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Элемент существует с тем же именем ({0}), пожалуйста, измените название группы или переименовать пункт"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,"Пожалуйста, выберите клиента"
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Элемент существует с тем же именем ({0}), пожалуйста, измените название группы или переименовать пункт"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,"Пожалуйста, выберите клиента"
DocType: C-Form,I,я
DocType: Company,Asset Depreciation Cost Center,Центр Амортизация Стоимость активов
DocType: Sales Order Item,Sales Order Date,Дата Заказа клиента
DocType: Sales Invoice Item,Delivered Qty,Поставленное Кол-во
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Если этот флажок установлен, все дети каждого пункта производства будут включены в материале запросов."
DocType: Assessment Plan,Assessment Plan,План оценки
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Склад {0}: Компания является обязательным
DocType: Stock Settings,Limit Percent,Предельное Процент
,Payment Period Based On Invoice Date,Оплата период на основе Накладная Дата
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Пропавших без вести Курсы валют на {0}
@@ -3128,7 +3150,7 @@
DocType: Vehicle,Insurance Details,Страхование Подробнее
DocType: Account,Payable,К оплате
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,"Пожалуйста, введите сроки погашения"
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Должники ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Должники ({0})
DocType: Pricing Rule,Margin,Разница
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Новые клиенты
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Валовая Прибыль%
@@ -3139,16 +3161,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Партия является обязательным
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,Название темы
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,По крайней мере один из продажи или покупки должен быть выбран
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Выберите характер вашего бизнеса.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,По крайней мере один из продажи или покупки должен быть выбран
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Выберите характер вашего бизнеса.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Строка # {0}: Дублирующая запись в ссылках {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Где производственные операции проводятся.
DocType: Asset Movement,Source Warehouse,Источник Склад
DocType: Installation Note,Installation Date,Дата установки
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Строка # {0}: Asset {1} не принадлежит компании {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Строка # {0}: Asset {1} не принадлежит компании {2}
DocType: Employee,Confirmation Date,Дата подтверждения
DocType: C-Form,Total Invoiced Amount,Всего Сумма по счетам
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,"Мин Кол-во не может быть больше, чем максимальное Кол-во"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,"Мин Кол-во не может быть больше, чем максимальное Кол-во"
DocType: Account,Accumulated Depreciation,начисленной амортизации
DocType: Stock Entry,Customer or Supplier Details,Детали по Заказчику или Поставщику
DocType: Employee Loan Application,Required by Date,Требуется Дата
@@ -3169,22 +3191,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Ежемесячный Процентное распределение
DocType: Territory,Territory Targets,Территория Цели
DocType: Delivery Note,Transporter Info,Transporter информация
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},"Пожалуйста, установите значение по умолчанию {0} в компании {1}"
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},"Пожалуйста, установите значение по умолчанию {0} в компании {1}"
DocType: Cheque Print Template,Starting position from top edge,Исходное положение от верхнего края
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,То же поставщик был введен несколько раз
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Валовая прибыль / убыток
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Заказ товара Поставляется
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Название компании не может быть компания
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Название компании не может быть компания
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Письмо главы для шаблонов печати.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Титулы для шаблонов печати, например, счет-проформа."
DocType: Student Guardian,Student Guardian,Студент-хранитель
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Обвинения типа Оценка не может отмечен как включено
DocType: POS Profile,Update Stock,Обновление стока
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Поставщик> Тип поставщика
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Различные Единица измерения для элементов приведет к некорректному (Всего) значение массы нетто. Убедитесь, что вес нетто каждого элемента находится в том же UOM."
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Оценить
DocType: Asset,Journal Entry for Scrap,Запись в журнале для лома
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Пожалуйста вытяните элементов из накладной
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Записи в журнале {0} не-связаны
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Записи в журнале {0} не-связаны
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Запись всех коммуникаций типа электронной почте, телефону, в чате, посещение и т.д."
DocType: Manufacturer,Manufacturers used in Items,Производители использовали в пунктах
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,"Пожалуйста, укажите округлить МВЗ в компании"
@@ -3233,34 +3256,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,Поставщик поставляет Покупателю
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# форма / Пункт / {0}) нет в наличии
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,"Следующая дата должна быть больше, чем Дата публикации"
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Показать налог распад
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Из-за / Reference Дата не может быть в течение {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Показать налог распад
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Из-за / Reference Дата не может быть в течение {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Импорт и экспорт данных
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","записи изображения существуют против Склад {0}, следовательно, вы не можете повторно назначить или изменить его"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Нет студентов не найдено
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Нет студентов не найдено
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Счет Дата размещения
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,продавать
DocType: Sales Invoice,Rounded Total,Округлые Всего
DocType: Product Bundle,List items that form the package.,"Список предметов, которые формируют пакет."
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Процент Распределение должно быть равно 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,"Пожалуйста, выберите Дата публикации, прежде чем выбрать партию"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,"Пожалуйста, выберите Дата публикации, прежде чем выбрать партию"
DocType: Program Enrollment,School House,School House
DocType: Serial No,Out of AMC,Из КУА
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Выберите Котировки
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Выберите Котировки
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Выберите Котировки
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Выберите Котировки
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,"Количество не Забронированный отчислений на амортизацию может быть больше, чем Общее количество отчислений на амортизацию"
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Сделать ОБСЛУЖИВАНИЕ Посетите
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,"Свяжитесь с нами для пользователя, который имеет в продаже Master Менеджер {0} роль"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,"Свяжитесь с нами для пользователя, который имеет в продаже Master Менеджер {0} роль"
DocType: Company,Default Cash Account,Расчетный счет по умолчанию
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Компания (не клиента или поставщика) хозяин.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Это основано на посещаемости этого студента
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Нет
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Нет
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Добавьте больше деталей или открытую полную форму
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',"Пожалуйста, введите 'ожидаемой даты поставки """
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Примечания Доставка {0} должно быть отменено до отмены этого заказ клиента
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,"Платные сумма + списания сумма не может быть больше, чем общий итог"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,"Платные сумма + списания сумма не может быть больше, чем общий итог"
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} не является допустимым Номером Партии для позиции {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Примечание: Существует не хватает отпуск баланс для отпуске Тип {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,Недопустимый GSTIN или введите NA для незарегистрированных
DocType: Training Event,Seminar,Семинар
DocType: Program Enrollment Fee,Program Enrollment Fee,Программа Зачисление Плата
DocType: Item,Supplier Items,Элементы поставщика
@@ -3286,28 +3309,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Пункт 3
DocType: Purchase Order,Customer Contact Email,Контакты с клиентами E-mail
DocType: Warranty Claim,Item and Warranty Details,Предмет и сведения о гарантии
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Код товара> Группа товаров> Марка
DocType: Sales Team,Contribution (%),Вклад (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Примечание: Оплата Вступление не будет создана, так как ""Наличные или Банковский счет"" не был указан"
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Выберите программу для извлечения обязательных курсов.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Выберите программу для извлечения обязательных курсов.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Обязанности
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Обязанности
DocType: Expense Claim Account,Expense Claim Account,Счет Авансового Отчета
DocType: Sales Person,Sales Person Name,Имя продавца
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,"Пожалуйста, введите не менее чем 1-фактуру в таблице"
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Добавить пользователей
DocType: POS Item Group,Item Group,Пункт Группа
DocType: Item,Safety Stock,Страховой запас
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,"Прогресс% для задачи не может быть больше, чем 100."
DocType: Stock Reconciliation Item,Before reconciliation,Перед примирения
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Для {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Налоги и сборы Добавил (Компания Валюта)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Пункт Налоговый ряд {0} должен иметь учетную запись типа налога или доходов или расходов или платная
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Пункт Налоговый ряд {0} должен иметь учетную запись типа налога или доходов или расходов или платная
DocType: Sales Order,Partly Billed,Небольшая Объявленный
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Пункт {0} должен быть Fixed Asset Item
DocType: Item,Default BOM,По умолчанию BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,"Пожалуйста, повторите ввод название компании, чтобы подтвердить"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Общая сумма задолженности по Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Сумма дебетовой ноты
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,"Пожалуйста, повторите ввод название компании, чтобы подтвердить"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Общая сумма задолженности по Amt
DocType: Journal Entry,Printing Settings,Настройки печати
DocType: Sales Invoice,Include Payment (POS),Включите Оплату (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},"Всего Дебет должна быть равна общей выработке. Разница в том, {0}"
@@ -3321,15 +3341,16 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,В наличии:
DocType: Notification Control,Custom Message,Текст сообщения
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Инвестиционно-банковская деятельность
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Наличными или банковский счет является обязательным для внесения записи платежей
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Адрес студента
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Наличными или банковский счет является обязательным для внесения записи платежей
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Пожалуйста, настройте ряд нумерации для участия через Setup> Numbering Series"
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Адрес студента
DocType: Purchase Invoice,Price List Exchange Rate,Прайс-лист валютный курс
DocType: Purchase Invoice Item,Rate,Оценить
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Стажер
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,Адрес
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Стажер
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,Адрес
DocType: Stock Entry,From BOM,Из спецификации
DocType: Assessment Code,Assessment Code,Код оценки
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Основной
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Основной
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Перемещения по складу до {0} заморожены
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"Пожалуйста, нажмите на кнопку ""Generate Расписание"""
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","например кг, единицы, Нос, м"
@@ -3339,11 +3360,11 @@
DocType: Salary Slip,Salary Structure,Зарплата Структура
DocType: Account,Bank,Банк:
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Авиалиния
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Материал Выпуск
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Материал Выпуск
DocType: Material Request Item,For Warehouse,Для Склада
DocType: Employee,Offer Date,Дата предложения
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Цитаты
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Вы находитесь в автономном режиме. Вы не сможете перезагрузить пока у вас есть сеть.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,Вы находитесь в автономном режиме. Вы не сможете перезагрузить пока у вас есть сеть.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Ни один студент группы не создано.
DocType: Purchase Invoice Item,Serial No,Серийный номер
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,"Ежемесячное погашение Сумма не может быть больше, чем сумма займа"
@@ -3351,8 +3372,8 @@
DocType: Purchase Invoice,Print Language,Язык печати
DocType: Salary Slip,Total Working Hours,Всего часов работы
DocType: Stock Entry,Including items for sub assemblies,В том числе предметы для суб собраний
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Введите значение должно быть положительным
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Все Территории
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Введите значение должно быть положительным
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Все Территории
DocType: Purchase Invoice,Items,Элементы
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Студент уже поступил.
DocType: Fiscal Year,Year Name,Имя года
@@ -3371,10 +3392,10 @@
DocType: Issue,Opening Time,Открытие Время
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,"От и До даты, необходимых"
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Ценные бумаги и товарных бирж
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"По умолчанию Единица измерения для варианта '{0}' должно быть такой же, как в шаблоне '{1}'"
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"По умолчанию Единица измерения для варианта '{0}' должно быть такой же, как в шаблоне '{1}'"
DocType: Shipping Rule,Calculate Based On,Рассчитать на основе
DocType: Delivery Note Item,From Warehouse,От Склад
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Нет предметов с Биллом материалов не Manufacture
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Нет предметов с Биллом материалов не Manufacture
DocType: Assessment Plan,Supervisor Name,Имя супервизора
DocType: Program Enrollment Course,Program Enrollment Course,Курсы по зачислению в программу
DocType: Program Enrollment Course,Program Enrollment Course,Курсы по зачислению в программу
@@ -3390,18 +3411,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Дней с последнего Заказа"" должно быть больше или равно 0"
DocType: Process Payroll,Payroll Frequency,Расчет заработной платы Частота
DocType: Asset,Amended From,Измененный С
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Сырье
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Сырье
DocType: Leave Application,Follow via Email,Следить по электронной почте
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Растения и Механизмов
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Растения и Механизмов
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Сумма налога После скидка сумма
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Ежедневные Настройки работы Резюме
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Валюта прайс-лист {0} не похож с выбранной валюте {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Валюта прайс-лист {0} не похож с выбранной валюте {1}
DocType: Payment Entry,Internal Transfer,Внутренний трансфер
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Детский учетная запись существует для этой учетной записи. Вы не можете удалить этот аккаунт.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Детский учетная запись существует для этой учетной записи. Вы не можете удалить этот аккаунт.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Либо целевой Количество или целевое количество является обязательным
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Нет умолчанию спецификации не существует Пункт {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Нет умолчанию спецификации не существует Пункт {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,"Пожалуйста, выберите проводки Дата первого"
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Дата открытия должна быть ранее Даты закрытия
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Пожалуйста, установите Naming Series для {0} через Setup> Settings> Naming Series"
DocType: Leave Control Panel,Carry Forward,Переносить
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,МВЗ с существующими сделок не могут быть преобразованы в книге
DocType: Department,Days for which Holidays are blocked for this department.,"Дни, для которых Праздники заблокированные для этого отдела."
@@ -3411,11 +3433,10 @@
DocType: Issue,Raised By (Email),Поднятый силу (Email)
DocType: Training Event,Trainer Name,Имя тренера
DocType: Mode of Payment,General,Основное
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Прикрепить бланк
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Последнее сообщение
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Последнее сообщение
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Не можете вычесть, когда категория для ""Оценка"" или ""Оценка и Всего"""
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Перечислите ваши налоги (например, НДС, таможенные пошлины и т.д., имена должны быть уникальными) и их стандартные ставки. Это создаст стандартный шаблон, который вы можете отредактировать и дополнить позднее."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Перечислите ваши налоги (например, НДС, таможенные пошлины и т.д., имена должны быть уникальными) и их стандартные ставки. Это создаст стандартный шаблон, который вы можете отредактировать и дополнить позднее."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Серийный Нос Требуется для сериализованный элемент {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Соответствие Платежи с счетов-фактур
DocType: Journal Entry,Bank Entry,Банковская запись
@@ -3424,16 +3445,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Добавить в корзину
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Group By
DocType: Guardian,Interests,интересы
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Включение / отключение валюты.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Включение / отключение валюты.
DocType: Production Planning Tool,Get Material Request,Получить материал Запрос
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Почтовые расходы
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Почтовые расходы
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Всего (АМТ)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Развлечения и досуг
DocType: Quality Inspection,Item Serial No,Пункт Серийный номер
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Создание Employee записей
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Итого Текущая
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Бухгалтерская отчетность
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Час
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Час
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Новый Серийный номер не может быть Склад. Склад должен быть установлен на фондовой Вступил или приобрести получении
DocType: Lead,Lead Type,Ведущий Тип
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Вы не уполномочен утверждать листья на Блок Сроки
@@ -3445,6 +3466,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,Новая спецификация после замены
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Точки продаж
DocType: Payment Entry,Received Amount,полученная сумма
+DocType: GST Settings,GSTIN Email Sent On,Электронная почта GSTIN отправлена
+DocType: Program Enrollment,Pick/Drop by Guardian,Выбор / Бросок Стража
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Создать для полного количества, игнорируя количество уже на заказ"
DocType: Account,Tax,Налог
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,без маркировки
@@ -3458,7 +3481,7 @@
DocType: Batch,Source Document Name,Имя исходного документа
DocType: Job Opening,Job Title,Должность
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Создание пользователей
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,грамм
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,грамм
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,"Количество, Изготовление должны быть больше, чем 0."
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Посетите отчет за призыв обслуживания.
DocType: Stock Entry,Update Rate and Availability,Частота обновления и доступность
@@ -3466,7 +3489,7 @@
DocType: POS Customer Group,Customer Group,Группа клиентов
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Новый идентификатор партии (необязательно)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Новый идентификатор партии (необязательно)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Расходов счета является обязательным для пункта {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Расходов счета является обязательным для пункта {0}
DocType: BOM,Website Description,Описание
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Чистое изменение в капитале
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,"Пожалуйста, отменить счета покупки {0} первым"
@@ -3476,8 +3499,8 @@
,Sales Register,Книга продаж
DocType: Daily Work Summary Settings Company,Send Emails At,Отправить по электронной почте на
DocType: Quotation,Quotation Lost Reason,Цитата Забыли Причина
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Выберите домен
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Референция сделка не {0} от {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Выберите домен
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Референция сделка не {0} от {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,"Там нет ничего, чтобы изменить."
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Резюме для этого месяца и в ожидании деятельности
DocType: Customer Group,Customer Group Name,Группа Имя клиента
@@ -3485,14 +3508,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,О движении денежных средств
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Сумма кредита не может превышать максимальный Сумма кредита {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Лицензия
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},"Пожалуйста, удалите этот счет {0} из C-Form {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},"Пожалуйста, удалите этот счет {0} из C-Form {1}"
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Пожалуйста, выберите переносить, если вы также хотите включить баланс предыдущего финансового года оставляет в этом финансовом году"
DocType: GL Entry,Against Voucher Type,Против Сертификаты Тип
DocType: Item,Attributes,Атрибуты
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,"Пожалуйста, введите списать счет"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,"Пожалуйста, введите списать счет"
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Последняя дата заказа
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Счет {0} не принадлежит компании {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Серийные номера в строке {0} не совпадают с полем «Поставка»
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Серийные номера в строке {0} не совпадают с полем «Поставка»
DocType: Student,Guardian Details,Подробнее Гардиан
DocType: C-Form,C-Form,C-образный
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Марк посещаемости для нескольких сотрудников
@@ -3507,16 +3530,16 @@
DocType: Budget Account,Budget Amount,Сумма бюджета
DocType: Appraisal Template,Appraisal Template Title,Оценка шаблона Название
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},С даты {0} для сотрудников {1} не может быть еще до вступления Дата работника {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Коммерческий сектор
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Коммерческий сектор
DocType: Payment Entry,Account Paid To,Счет оплачены до
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Родитель товара {0} не должны быть со пункт
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Все продукты или услуги.
DocType: Expense Claim,More Details,Больше параметров
DocType: Supplier Quotation,Supplier Address,Адрес поставщика
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Бюджет по Счету {1} для {2} {3} составляет {4}. Он будет израсходован к {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Строка {0} # Счет должен быть типа "Fixed Asset"
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Из Кол-во
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Правила для расчета количества груза для продажи
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Строка {0} # Счет должен быть типа "Fixed Asset"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Из Кол-во
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Правила для расчета количества груза для продажи
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Серия является обязательным
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Финансовые услуги
DocType: Student Sibling,Student ID,Студенческий билет
@@ -3524,13 +3547,13 @@
DocType: Tax Rule,Sales,Продажи
DocType: Stock Entry Detail,Basic Amount,Основное количество
DocType: Training Event,Exam,Экзамен
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Требуется Склад для Запаса {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Требуется Склад для Запаса {0}
DocType: Leave Allocation,Unused leaves,Неиспользованные листья
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,Государственный счетов
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Переложить
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} не связан с Party Account {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Fetch разобранном BOM (в том числе узлов)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} не связан с Party Account {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Fetch разобранном BOM (в том числе узлов)
DocType: Authorization Rule,Applicable To (Employee),Применимо к (Сотрудник)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Благодаря Дата является обязательным
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Прирост за атрибут {0} не может быть 0
@@ -3558,7 +3581,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Сырье Код товара
DocType: Journal Entry,Write Off Based On,Списание на основе
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Сделать Lead
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Печать и канцелярские
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Печать и канцелярские
DocType: Stock Settings,Show Barcode Field,Показать поле Штрих-код
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Отправить Поставщик электронных писем
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Зарплата уже обработали за период между {0} и {1}, Оставьте период применения не может быть в пределах этого диапазона дат."
@@ -3566,14 +3589,16 @@
DocType: Guardian Interest,Guardian Interest,Опекун Проценты
apps/erpnext/erpnext/config/hr.py +177,Training,Обучение
DocType: Timesheet,Employee Detail,Сотрудник Деталь
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Идентификатор электронной почты Guardian1
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Идентификатор электронной почты Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Идентификатор электронной почты Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Идентификатор электронной почты Guardian1
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,день Дата следующего и повторить на День месяца должен быть равен
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Настройки для сайта домашнюю страницу
DocType: Offer Letter,Awaiting Response,В ожидании ответа
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Выше
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Выше
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},Недопустимый атрибут {0} {1}
DocType: Supplier,Mention if non-standard payable account,"Упомяните, если нестандартный подлежащий оплате счет"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Один и тот же элемент был введен несколько раз. {список}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',"Выберите группу оценки, отличную от «Все группы оценки»,"
DocType: Salary Slip,Earning & Deduction,Заработок & Вычет
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Факультативно. Эта установка будет использоваться для фильтрации в различных сделок.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Отрицательный Оценка курс не допускается
@@ -3587,9 +3612,9 @@
DocType: Sales Invoice,Product Bundle Help,Продукт Связка Помощь
,Monthly Attendance Sheet,Ежемесячная посещаемость Лист
DocType: Production Order Item,Production Order Item,Производственный заказ товара
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Не запись не найдено
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Не запись не найдено
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Стоимость списанных активов
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: МВЗ является обязательным для позиции {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: МВЗ является обязательным для позиции {2}
DocType: Vehicle,Policy No,Политика Нет
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Получить элементов из комплекта продукта
DocType: Asset,Straight Line,Прямая линия
@@ -3597,7 +3622,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Трещина
DocType: GL Entry,Is Advance,Является Advance
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Посещаемость С Дата и посещаемости на сегодняшний день является обязательным
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,"Пожалуйста, введите 'Является субподряду "", как Да или Нет"
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,"Пожалуйста, введите 'Является субподряду "", как Да или Нет"
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Дата последнего общения
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Дата последнего общения
DocType: Sales Team,Contact No.,Контактный номер
@@ -3626,60 +3651,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Начальное значение
DocType: Salary Detail,Formula,формула
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Комиссия по продажам
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Комиссия по продажам
DocType: Offer Letter Term,Value / Description,Значение / Описание
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Строка # {0}: Актив {1} не может быть проведен, он уже {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Строка # {0}: Актив {1} не может быть проведен, он уже {2}"
DocType: Tax Rule,Billing Country,Страна плательщика
DocType: Purchase Order Item,Expected Delivery Date,Ожидаемая дата поставки
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Дебет и Кредит не равны для {0} # {1}. Разница {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Представительские расходы
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Сделать запрос Материал
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Представительские расходы
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Сделать запрос Материал
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Открыть Пункт {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Счет Продажи {0} должно быть отменен до отмены этого Заказа клиента
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Возраст
DocType: Sales Invoice Timesheet,Billing Amount,Биллинг Сумма
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,"Неверное количество, указанное для элемента {0}. Количество должно быть больше 0."
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Заявки на отпуск.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Счет с существующими проводками не может быть удален
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Счет с существующими проводками не может быть удален
DocType: Vehicle,Last Carbon Check,Последний Carbon Проверить
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Судебные издержки
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Судебные издержки
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Выберите количество в строке
DocType: Purchase Invoice,Posting Time,Средняя Время
DocType: Timesheet,% Amount Billed,% Сумма счета
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Телефон Расходы
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Телефон Расходы
DocType: Sales Partner,Logo,Логотип
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Проверьте это, если вы хотите, чтобы заставить пользователя выбрать серию перед сохранением. Там не будет по умолчанию, если вы проверить это."
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Нет товара с серийным № {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Нет товара с серийным № {0}
DocType: Email Digest,Open Notifications,Открытые Уведомления
DocType: Payment Entry,Difference Amount (Company Currency),Разница Сумма (Компания Валюта)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Прямые расходы
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Прямые расходы
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} является недопустимым адрес электронной почты в "Уведомление \ адрес электронной почты"
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Новый Выручка клиентов
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Командировочные Pасходы
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Командировочные Pасходы
DocType: Maintenance Visit,Breakdown,Разбивка
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Счет: {0} с валютой: {1} не может быть выбран
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Счет: {0} с валютой: {1} не может быть выбран
DocType: Bank Reconciliation Detail,Cheque Date,Чек Дата
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Счет {0}: Родитель счета {1} не принадлежит компании: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Счет {0}: Родитель счета {1} не принадлежит компании: {2}
DocType: Program Enrollment Tool,Student Applicants,Студенческие Кандидаты
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,"Успешно удален все сделки, связанные с этой компанией!"
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,"Успешно удален все сделки, связанные с этой компанией!"
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,По состоянию на Дату
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,Дата поступления на работу
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Испытательный срок
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Испытательный срок
apps/erpnext/erpnext/config/hr.py +115,Salary Components,Зарплатные Компоненты
DocType: Program Enrollment Tool,New Academic Year,Новый учебный год
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Возвращение / Кредит Примечание
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Возвращение / Кредит Примечание
DocType: Stock Settings,Auto insert Price List rate if missing,"Авто вставка Скорость Цены, если не хватает"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Всего уплаченной суммы
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Всего уплаченной суммы
DocType: Production Order Item,Transferred Qty,Переведен Кол-во
apps/erpnext/erpnext/config/learn.py +11,Navigating,Навигационный
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Планирование
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Выпущен
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Планирование
+DocType: Material Request,Issued,Выпущен
DocType: Project,Total Billing Amount (via Time Logs),Всего счетов Сумма (с помощью журналов Time)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Мы продаем эту позицию
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Поставщик Id
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Мы продаем эту позицию
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Поставщик Id
DocType: Payment Request,Payment Gateway Details,Компенсация Детали шлюза
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,"Количество должно быть больше, чем 0"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,"Количество должно быть больше, чем 0"
DocType: Journal Entry,Cash Entry,Денежные запись
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Дочерние узлы могут быть созданы только в узлах типа "Группа"
DocType: Leave Application,Half Day Date,Полдня Дата
@@ -3691,14 +3717,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},"Пожалуйста, установите учетную запись по умолчанию для Типа Авансового Отчета {0}"
DocType: Assessment Result,Student Name,Имя ученика
DocType: Brand,Item Manager,Состояние менеджер
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,Расчет заработной платы оплачивается
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Расчет заработной платы оплачивается
DocType: Buying Settings,Default Supplier Type,Тип Поставщика по умолчанию
DocType: Production Order,Total Operating Cost,Общие эксплуатационные расходы
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Примечание: Пункт {0} имеет несколько вхождений
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Все контакты.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Аббревиатура компании
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Аббревиатура компании
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Пользователь {0} не существует
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,"Сырье не может быть такой же, как главный пункт"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,"Сырье не может быть такой же, как главный пункт"
DocType: Item Attribute Value,Abbreviation,Аббревиатура
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Оплата запись уже существует
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Не Authroized с {0} превышает пределы
@@ -3707,35 +3733,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Установите Налоговый Правило корзине
DocType: Purchase Invoice,Taxes and Charges Added,Налоги и сборы Добавил
,Sales Funnel,Воронка продаж
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Аббревиатура является обязательной
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Аббревиатура является обязательной
DocType: Project,Task Progress,Задача о ходе работы
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Тележка
,Qty to Transfer,Кол-во для передачи
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Котировки в снабжении или клиентов.
DocType: Stock Settings,Role Allowed to edit frozen stock,Роль разрешено редактировать Замороженный исходный
,Territory Target Variance Item Group-Wise,Территория Целевая Разница Пункт Группа Мудрого
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Все Группы клиентов
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Все Группы клиентов
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Накопленный в месяц
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,"{0} является обязательным. Может быть, запись Обмен валюты не создана для {1} по {2}."
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,"{0} является обязательным. Может быть, запись Обмен валюты не создана для {1} по {2}."
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Налоговый шаблона является обязательным.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Счет {0}: Родитель счета {1} не существует
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Счет {0}: Родитель счета {1} не существует
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Прайс-лист Тариф (Компания Валюта)
DocType: Products Settings,Products Settings,Настройки Продукты
DocType: Account,Temporary,Временный
DocType: Program,Courses,курсы
DocType: Monthly Distribution Percentage,Percentage Allocation,Процент Распределение
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Секретарь
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Секретарь
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Если отключить, "В словах" поле не будет видно в любой сделке"
DocType: Serial No,Distinct unit of an Item,Отдельного подразделения из пункта
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Укажите компанию
DocType: Pricing Rule,Buying,Покупка
DocType: HR Settings,Employee Records to be created by,Сотрудник отчеты должны быть созданные
DocType: POS Profile,Apply Discount On,Применить скидки на
,Reqd By Date,Логика включения по дате
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Кредиторы
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Кредиторы
DocType: Assessment Plan,Assessment Name,Оценка Имя
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Ряд # {0}: Серийный номер является обязательным
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Пункт Мудрый Налоговый Подробно
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,институт Аббревиатура
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,институт Аббревиатура
,Item-wise Price List Rate,Пункт мудрый Прайс-лист Оценить
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Ценовое предложение поставщика
DocType: Quotation,In Words will be visible once you save the Quotation.,По словам будет виден только вы сохраните цитаты.
@@ -3743,14 +3770,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Количество ({0}) не может быть дробью в строке {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,взимать сборы
DocType: Attendance,ATT-,попыт-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Штрихкод {0} уже используется в позиции {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Штрихкод {0} уже используется в позиции {1}
DocType: Lead,Add to calendar on this date,Добавить в календарь в этот день
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Правила для добавления стоимости доставки.
DocType: Item,Opening Stock,Начальный запас
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Требуется клиентов
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} является обязательным для возврата
DocType: Purchase Order,To Receive,Получить
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Личная E-mail
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Общей дисперсии
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Если включен, то система будет отправлять бухгалтерских проводок для инвентаризации автоматически."
@@ -3762,13 +3788,14 @@
DocType: Customer,From Lead,От Ведущий
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,"Заказы, выпущенные для производства."
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Выберите финансовый год ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,"POS-профиля требуется, чтобы сделать запись POS"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,"POS-профиля требуется, чтобы сделать запись POS"
DocType: Program Enrollment Tool,Enroll Students,зачислить студентов
DocType: Hub Settings,Name Token,Имя маркера
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Стандартный Продажа
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,"По крайней мере, один склад является обязательным"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,"По крайней мере, один склад является обязательным"
DocType: Serial No,Out of Warranty,По истечении гарантийного срока
DocType: BOM Replace Tool,Replace,Заменить
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Не найдено продуктов.
DocType: Production Order,Unstopped,отверзутся
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} против чека {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3779,13 +3806,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Расхождение Стоимости Запасов
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Человеческими ресурсами
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Оплата Примирение Оплата
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Налоговые активы
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Налоговые активы
DocType: BOM Item,BOM No,BOM №
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Запись в журнале {0} не имеете учет {1} или уже сравнивается с другой ваучер
DocType: Item,Moving Average,Скользящее среднее
DocType: BOM Replace Tool,The BOM which will be replaced,"В спецификации, которые будут заменены"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,Электронные приборы
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,Электронные приборы
DocType: Account,Debit,Дебет
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Листья должны быть выделены несколько 0,5"
DocType: Production Order,Operation Cost,Стоимость эксплуатации
@@ -3793,7 +3820,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Выдающийся Amt
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Установить целевые Пункт Группа стрелке для этого менеджера по продажам.
DocType: Stock Settings,Freeze Stocks Older Than [Days],"Морозильники Акции старше, чем [дней]"
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Строка # {0}: Актив является обязательным для фиксированного актива покупки / продажи
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Строка # {0}: Актив является обязательным для фиксированного актива покупки / продажи
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Если два или более Ценообразование правила содержатся на основании указанных выше условиях, приоритет применяется. Приоритет номер от 0 до 20, а значение по умолчанию равно нулю (пустой). Большее число означает, что он будет иметь приоритет, если есть несколько правил ценообразования с одинаковыми условиями."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Финансовый год: {0} не существует
DocType: Currency Exchange,To Currency,В валюту
@@ -3802,7 +3829,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Продажная ставка для элемента {0} ниже его {1}. Скорость продажи должна быть не менее {2}
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Продажная ставка для элемента {0} ниже его {1}. Скорость продажи должна быть не менее {2}
DocType: Item,Taxes,Налоги
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Платные и не доставляется
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Платные и не доставляется
DocType: Project,Default Cost Center,По умолчанию Центр Стоимость
DocType: Bank Guarantee,End Date,Дата окончания
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Операции с Запасами
@@ -3827,24 +3854,22 @@
DocType: Employee,Held On,Состоявшемся
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Производство товара
,Employee Information,Сотрудник Информация
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Ставка (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Ставка (%)
DocType: Stock Entry Detail,Additional Cost,Дополнительная стоимость
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Окончание финансового года
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Не можете фильтровать на основе ваучером Нет, если сгруппированы по ваучером"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Сделать Поставщик цитаты
DocType: Quality Inspection,Incoming,Входящий
DocType: BOM,Materials Required (Exploded),Необходимые материалы (в разобранном)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Добавить других пользователей в Вашу организация, не считая Вас."
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Дата размещения не может быть будущая дата
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},"Ряд # {0}: Серийный номер {1}, не соответствует {2} {3}"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Повседневная Оставить
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Повседневная Оставить
DocType: Batch,Batch ID,ID партии
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Примечание: {0}
,Delivery Note Trends,Доставка Примечание тенденции
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Резюме этой недели
-,In Stock Qty,В наличии Кол-во
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,В наличии Кол-во
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Счет: {0} можно обновить только через перемещение по складу
-DocType: Program Enrollment,Get Courses,Получить курсы
+DocType: Student Group Creation Tool,Get Courses,Получить курсы
DocType: GL Entry,Party,Сторона
DocType: Sales Order,Delivery Date,Дата поставки
DocType: Opportunity,Opportunity Date,Возможность Дата
@@ -3852,14 +3877,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Запрос на коммерческое предложение Пункт
DocType: Purchase Order,To Bill,Для Билла
DocType: Material Request,% Ordered,% заказано
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Для студенческой группы, основанной на курсах, курс будет подтвержден для каждого студента с зачисленных курсов по зачислению в программу."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Введите адрес электронной почты, разделенных запятыми, счет-фактура будет отправлен автоматически на конкретную дату"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Сдельная работа
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Сдельная работа
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Средняя Цена Покупки
DocType: Task,Actual Time (in Hours),Фактическое время (в часах)
DocType: Employee,History In Company,История В компании
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Рассылка
DocType: Stock Ledger Entry,Stock Ledger Entry,Фото со Ledger Entry
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Клиент> Группа клиентов> Территория
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Тот же пункт был введен несколько раз
DocType: Department,Leave Block List,Оставьте список есть
DocType: Sales Invoice,Tax ID,ИНН
@@ -3874,30 +3899,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} единиц {1} требуется в {2} для завершения этой транзакции..
DocType: Loan Type,Rate of Interest (%) Yearly,Процентная ставка (%) Годовой
DocType: SMS Settings,SMS Settings,Настройки SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Временные счета
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Черный
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Временные счета
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Черный
DocType: BOM Explosion Item,BOM Explosion Item,BOM Взрыв Пункт
DocType: Account,Auditor,Аудитор
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} элементов произведено
DocType: Cheque Print Template,Distance from top edge,Расстояние от верхнего края
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Прайс-лист {0} отключен или не существует
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Прайс-лист {0} отключен или не существует
DocType: Purchase Invoice,Return,Возвращение
DocType: Production Order Operation,Production Order Operation,Производство Порядок работы
DocType: Pricing Rule,Disable,Отключить
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Способ оплаты требуется произвести оплату
DocType: Project Task,Pending Review,В ожидании отзыв
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} не зарегистрирован в пакете {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} не может быть утилизированы, как это уже {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Итоговая сумма аванса (через Авансовый Отчет)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Идентификатор клиента
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Отметка отсутствует
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Строка {0}: Валюта BOM # {1} должен быть равен выбранной валюте {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Строка {0}: Валюта BOM # {1} должен быть равен выбранной валюте {2}
DocType: Journal Entry Account,Exchange Rate,Курс обмена
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Заказ на продажу {0} не проведен
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Заказ на продажу {0} не проведен
DocType: Homepage,Tag Line,Tag Line
DocType: Fee Component,Fee Component,Компонент платы
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Управление флотом
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Добавить элементы из
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Склад {0}: Родитель счета {1} не Bolong компании {2}
DocType: Cheque Print Template,Regular,регулярное
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Всего Weightage всех критериев оценки должны быть 100%
DocType: BOM,Last Purchase Rate,Последняя цена покупки
@@ -3906,11 +3930,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,"Фото существовать не может Пункт {0}, так как имеет варианты"
,Sales Person-wise Transaction Summary,Человек мудрый продаж Общая информация по сделкам
DocType: Training Event,Contact Number,Контактный номер
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Склад {0} не существует
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Склад {0} не существует
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Зарегистрироваться на Hub ERPNext
DocType: Monthly Distribution,Monthly Distribution Percentages,Ежемесячные Проценты распределения
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Выбранный элемент не может быть Batch
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Скорость оценки не найдено для пункта {0}, которое требуется делать бухгалтерские записи для {1} {2}. Если элемент сделок как элемент образца в {1}, пожалуйста, отметить, что в {1} таблицы Item. В противном случае, пожалуйста, создать входящие акции сделку по ст или упоминания ставки оценки в записи товара, а затем попытаться завершением заполнения / отменой этой записи"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Скорость оценки не найдено для пункта {0}, которое требуется делать бухгалтерские записи для {1} {2}. Если элемент сделок как элемент образца в {1}, пожалуйста, отметить, что в {1} таблицы Item. В противном случае, пожалуйста, создать входящие акции сделку по ст или упоминания ставки оценки в записи товара, а затем попытаться завершением заполнения / отменой этой записи"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% материалов доставлено по данной Накладной
DocType: Project,Customer Details,Данные клиента
DocType: Employee,Reports to,Доклады
@@ -3918,24 +3942,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Введите параметр URL для приемника NOS
DocType: Payment Entry,Paid Amount,Оплаченная сумма
DocType: Assessment Plan,Supervisor,Руководитель
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,В сети
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,В сети
,Available Stock for Packing Items,Доступные Stock для упаковки товаров
DocType: Item Variant,Item Variant,Пункт Вариант
DocType: Assessment Result Tool,Assessment Result Tool,Оценка результата инструмент
DocType: BOM Scrap Item,BOM Scrap Item,BOM Лом Пункт
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Отправил заказы не могут быть удалены
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Баланс счета в Дебете, запрещена установка 'Баланс должен быть' как 'Кредит'"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Управление качеством
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Отправил заказы не могут быть удалены
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Баланс счета в Дебете, запрещена установка 'Баланс должен быть' как 'Кредит'"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Управление качеством
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Пункт {0} отключена
DocType: Employee Loan,Repay Fixed Amount per Period,Погашать фиксированную сумму за период
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},"Пожалуйста, введите количество для Пункт {0}"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Кредитная нота Amt
DocType: Employee External Work History,Employee External Work History,Сотрудник Внешний Работа История
DocType: Tax Rule,Purchase,Купить
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Баланс Кол-во
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Баланс Кол-во
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Цели не могут быть пустыми
DocType: Item Group,Parent Item Group,Родитель Пункт Группа
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} для {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,МВЗ
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,МВЗ
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Курс по которому валюта поставщика конвертируется в базовую валюту компании
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Ряд # {0}: тайминги конфликты с рядом {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Разрешить нулевой курс оценки
@@ -3943,17 +3968,18 @@
DocType: Training Event Employee,Invited,приглашенный
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,"Несколько активных Зарплатные структуры, найденные для работника {0} для указанных дат"
DocType: Opportunity,Next Contact,Следующая Контактные
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Настройка шлюза счета.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Настройка шлюза счета.
DocType: Employee,Employment Type,Вид занятости
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Основные средства
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Основные средства
DocType: Payment Entry,Set Exchange Gain / Loss,Установить Курсовая прибыль / убыток
+,GST Purchase Register,Регистр закупок GST
,Cash Flow,Поток наличных денег
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Срок подачи заявлений не может быть по двум alocation записей
DocType: Item Group,Default Expense Account,По умолчанию расходов счета
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Student Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student Email ID
DocType: Employee,Notice (days),Уведомление (дней)
DocType: Tax Rule,Sales Tax Template,Шаблон Налога с продаж
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Выберите элементы для сохранения счета-фактуры
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Выберите элементы для сохранения счета-фактуры
DocType: Employee,Encashment Date,Инкассация Дата
DocType: Training Event,Internet,интернет
DocType: Account,Stock Adjustment,Регулирование запасов
@@ -3982,7 +4008,7 @@
DocType: Guardian,Guardian Of ,Хранитель
DocType: Grading Scale Interval,Threshold,порог
DocType: BOM Replace Tool,Current BOM,Текущий BOM
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Добавить серийный номер
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Добавить серийный номер
apps/erpnext/erpnext/config/support.py +22,Warranty,Гарантия
DocType: Purchase Invoice,Debit Note Issued,Дебет Примечание Выпущенный
DocType: Production Order,Warehouses,Склады
@@ -3991,20 +4017,20 @@
DocType: Workstation,per hour,в час
apps/erpnext/erpnext/config/buying.py +7,Purchasing,покупка
DocType: Announcement,Announcement,Объявление
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Счет для склада (непрерывной инвентаризации) будет создан для этого счета.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Склад не может быть удален как существует запись складе книга для этого склада.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Для пакетной студенческой группы, Студенческая партия будет подтверждена для каждого ученика из заявки на участие в программе."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Склад не может быть удален как существует запись складе книга для этого склада.
DocType: Company,Distribution,Распределение
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Выплачиваемая сумма
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Руководитель проекта
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Руководитель проекта
,Quoted Item Comparison,Цитируется Сравнение товара
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Отправка
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Макс скидка позволило пункта: {0} {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Отправка
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Макс скидка позволило пункта: {0} {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Чистая стоимость активов на
DocType: Account,Receivable,Дебиторская задолженность
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Ряд # {0}: Не разрешено изменять Поставщик как уже существует заказа
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Ряд # {0}: Не разрешено изменять Поставщик как уже существует заказа
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Роль, позволяющая проводить операции, превышающие кредитный лимит, установлена."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Выбор элементов для изготовления
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Мастер синхронизации данных, это может занять некоторое время"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Выбор элементов для изготовления
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Мастер синхронизации данных, это может занять некоторое время"
DocType: Item,Material Issue,Материал выпуск
DocType: Hub Settings,Seller Description,Продавец Описание
DocType: Employee Education,Qualification,Квалификаци
@@ -4024,7 +4050,6 @@
DocType: BOM,Rate Of Materials Based On,Оценить материалов на основе
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Поддержка Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Снять все
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},У компании нет складов {0}
DocType: POS Profile,Terms and Conditions,Правила и условия
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Чтобы Дата должна быть в пределах финансового года. Предполагая To Date = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Здесь вы можете поддерживать рост, вес, аллергии, медицинские проблемы и т.д."
@@ -4039,19 +4064,18 @@
DocType: Sales Order Item,For Production,Для производства
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Посмотреть Задача
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Ваш финансовый год начинается
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Активов Амортизация и противовесов
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Сумма {0} {1} переведен из {2} до {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Сумма {0} {1} переведен из {2} до {3}
DocType: Sales Invoice,Get Advances Received,Получить авансы полученные
DocType: Email Digest,Add/Remove Recipients,Добавить / Удалить получателей
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Сделка не допускается в отношении остановил производство ордена {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Сделка не допускается в отношении остановил производство ордена {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Для установки в этом финансовом году, как по умолчанию, нажмите на кнопку ""Установить по умолчанию"""
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,Присоединиться
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Присоединиться
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Нехватка Кол-во
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Состояние вариант {0} существует с теми же атрибутами
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Состояние вариант {0} существует с теми же атрибутами
DocType: Employee Loan,Repay from Salary,Погашать из заработной платы
DocType: Leave Application,LAP/,LAP /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Запрос платеж против {0} {1} на сумму {2}
@@ -4062,34 +4086,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Создание упаковочные листы для пакетов будет доставлено. Используется для уведомления номер пакета, содержимое пакета и его вес."
DocType: Sales Invoice Item,Sales Order Item,Позиция в Заказе клиента
DocType: Salary Slip,Payment Days,Платежные дней
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Склады с дочерними узлами не могут быть преобразованы в бухгалтерской книге
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Склады с дочерними узлами не могут быть преобразованы в бухгалтерской книге
DocType: BOM,Manage cost of operations,Управление стоимость операций
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Когда любой из проверенных операций ""Представленные"", по электронной почте всплывающее автоматически открывается, чтобы отправить письмо в соответствующий «Контакт» в этой транзакции, с транзакцией в качестве вложения. Пользователь может или не может отправить по электронной почте."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Общие настройки
DocType: Assessment Result Detail,Assessment Result Detail,Оценка результата Detail
DocType: Employee Education,Employee Education,Сотрудник Образование
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Повторяющаяся группа находке в таблице группы товаров
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,Он необходим для извлечения Подробности Элемента.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,Он необходим для извлечения Подробности Элемента.
DocType: Salary Slip,Net Pay,Чистая Платное
DocType: Account,Account,Аккаунт
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Серийный номер {0} уже существует
,Requested Items To Be Transferred,Требуемые товары должны быть переданы
DocType: Expense Claim,Vehicle Log,Автомобиль Вход
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Склад {0} не связан с какой-либо учетной записи, пожалуйста, создайте / связать соответствующий счет (актив) для склада."
DocType: Purchase Invoice,Recurring Id,Периодическое Id
DocType: Customer,Sales Team Details,Описание отдела продаж
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Удалить навсегда?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Удалить навсегда?
DocType: Expense Claim,Total Claimed Amount,Всего заявленной суммы
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Потенциальные возможности для продажи.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Неверный {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Отпуск по болезни
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Неверный {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Отпуск по болезни
DocType: Email Digest,Email Digest,E-mail Дайджест
DocType: Delivery Note,Billing Address Name,Адрес для выставления счета Имя
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Универмаги
DocType: Warehouse,PIN,ШТЫРЬ
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Настройка вашей школы в ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Базовая Изменение Сумма (Компания Валюта)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Нет учетной записи для следующих складов
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Нет учетной записи для следующих складов
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Сохранить документ в первую очередь.
DocType: Account,Chargeable,Ответственный
DocType: Company,Change Abbreviation,Изменить Аббревиатура
@@ -4107,7 +4130,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Ожидаемая дата поставки не может быть до заказа на Дата
DocType: Appraisal,Appraisal Template,Оценка шаблона
DocType: Item Group,Item Classification,Пункт Классификация
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Менеджер по развитию бизнеса
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Менеджер по развитию бизнеса
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Техническое обслуживание Посетить Цель
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Период обновления
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Бухгалтерская книга
@@ -4117,8 +4140,8 @@
DocType: Item Attribute Value,Attribute Value,Значение атрибута
,Itemwise Recommended Reorder Level,Itemwise Рекомендуем изменить порядок Уровень
DocType: Salary Detail,Salary Detail,Заработная плата: Подробности
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,"Пожалуйста, выберите {0} первый"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Партия {0} позиций {1} просрочена
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,"Пожалуйста, выберите {0} первый"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Партия {0} позиций {1} просрочена
DocType: Sales Invoice,Commission,Комиссионный сбор
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Время Лист для изготовления.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Промежуточный итог
@@ -4129,6 +4152,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,"""Заморозить остатки старше чем"" должны быть меньше %d дней."
DocType: Tax Rule,Purchase Tax Template,Налог на покупку шаблон
,Project wise Stock Tracking,Проект мудрый слежения со
+DocType: GST HSN Code,Regional,региональный
DocType: Stock Entry Detail,Actual Qty (at source/target),Фактический Кол-во (в источнике / цели)
DocType: Item Customer Detail,Ref Code,Код
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Сотрудник записей.
@@ -4139,13 +4163,13 @@
DocType: Email Digest,New Purchase Orders,Новые заказы
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Корневая не может иметь родителей МВЗ
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Выберите бренд ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Тренировочные мероприятия / результаты
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Накопленная амортизация на
DocType: Sales Invoice,C-Form Applicable,C-образный Применимо
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},"Время работы должно быть больше, чем 0 для операции {0}"
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Склад является обязательным
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Склад является обязательным
DocType: Supplier,Address and Contacts,Адрес и контакты
DocType: UOM Conversion Detail,UOM Conversion Detail,Единица измерения Преобразование Подробно
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Соблюдайте размеры 900px (ш) на 100px (в)
DocType: Program,Program Abbreviation,Программа Аббревиатура
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Производственный заказ не может быть поднят против Item Шаблон
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Расходы обновляются в приобретении получение против каждого пункта
@@ -4153,13 +4177,13 @@
DocType: Bank Guarantee,Start Date,Дата Начала
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Распределить отпуска на определенный срок.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Чеки и депозиты неправильно очищена
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Счет {0}: Вы не можете назначить себя как родительским счетом
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Счет {0}: Вы не можете назначить себя как родительским счетом
DocType: Purchase Invoice Item,Price List Rate,Прайс-лист Оценить
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Создание котировки клиентов
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Показать ""На складе"" или ""нет на складе"", основанный на складе имеющейся в этом складе."
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Ведомость материалов (BOM)
DocType: Item,Average time taken by the supplier to deliver,Среднее время поставки
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,Оценка результата
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,Оценка результата
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Часов
DocType: Project,Expected Start Date,Ожидаемая дата начала
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,"Удалить элемент, если обвинения не относится к этому пункту"
@@ -4173,24 +4197,23 @@
DocType: Workstation,Operating Costs,Операционные расходы
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,"Действие, если накопилось Превышен Ежемесячный бюджет"
DocType: Purchase Invoice,Submit on creation,Провести по создании
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Валюта для {0} должно быть {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Валюта для {0} должно быть {1}
DocType: Asset,Disposal Date,Утилизация Дата
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Электронные письма будут отправлены во все активные работники компании на данный час, если у них нет отпуска. Резюме ответов будет отправлен в полночь."
DocType: Employee Leave Approver,Employee Leave Approver,Сотрудник Оставить утверждающий
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Ряд {0}: запись Изменить порядок уже существует для этого склада {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Ряд {0}: запись Изменить порядок уже существует для этого склада {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Не можете объявить как потерял, потому что цитаты было сделано."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Обучение Обратная связь
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Производственный заказ {0} должен быть проведен
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Производственный заказ {0} должен быть проведен
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},"Пожалуйста, выберите дату начала и дату окончания Пункт {0}"
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Курс является обязательным в строке {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,На сегодняшний день не может быть раньше от даты
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Добавить / Изменить цены
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Добавить / Изменить цены
DocType: Batch,Parent Batch,Родительская партия
DocType: Cheque Print Template,Cheque Print Template,Чеками печати шаблона
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,План МВЗ
,Requested Items To Be Ordered,Требуемые товары заказываются
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,"Склад компании должна быть такой же, как счета компании"
DocType: Price List,Price List Name,Цена Имя
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Ежедневно Резюме Работа для {0}
DocType: Employee Loan,Totals,Всего:
@@ -4212,55 +4235,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Введите действительные мобильных NOS
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Пожалуйста, введите сообщение перед отправкой"
DocType: Email Digest,Pending Quotations,До Котировки
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Точка-в-продажи профиля
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Точка-в-продажи профиля
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Обновите SMS Настройки
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Необеспеченных кредитов
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Необеспеченных кредитов
DocType: Cost Center,Cost Center Name,Название учетного отдела
DocType: Employee,B+,B+
DocType: HR Settings,Max working hours against Timesheet,Максимальное рабочее время против Timesheet
DocType: Maintenance Schedule Detail,Scheduled Date,Запланированная дата
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Всего выплачено Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Всего выплачено Amt
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,"Сообщения больше, чем 160 символов будет разделен на несколько сообщений"
DocType: Purchase Receipt Item,Received and Accepted,Получил и принял
+,GST Itemised Sales Register,Регистр продаж GST
,Serial No Service Contract Expiry,Серийный номер Сервисный контракт Срок
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Вы не можете кредитные и дебетовые же учетную запись в то же время
DocType: Naming Series,Help HTML,Помощь HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Студенческая группа Инструмент создания
DocType: Item,Variant Based On,Вариант Based On
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Всего Weightage назначен должна быть 100%. Это {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Ваши Поставщики
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Ваши Поставщики
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,"Невозможно установить, как Остаться в живых, как заказ клиента производится."
DocType: Request for Quotation Item,Supplier Part No,Деталь поставщика №
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Не можете вычесть, когда категория для "Оценка" или "Vaulation и Total '"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Получено от
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Получено от
DocType: Lead,Converted,Переделанный
DocType: Item,Has Serial No,Имеет Серийный номер
DocType: Employee,Date of Issue,Дата выдачи
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: От {0} для {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","В соответствии с настройками покупки, если требуется Приобретение покупки == «ДА», затем для создания счета-фактуры для покупки пользователю необходимо сначала создать покупку для элемента {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Ряд # {0}: Установить Поставщик по пункту {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Строка {0}: значение часов должно быть больше нуля.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Сайт изображения {0} прикреплен к пункту {1} не может быть найден
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Сайт изображения {0} прикреплен к пункту {1} не может быть найден
DocType: Issue,Content Type,Тип контента
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Компьютер
DocType: Item,List this Item in multiple groups on the website.,Перечислите этот пункт в нескольких группах на веб-сайте.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Пожалуйста, проверьте мультивалютный вариант, позволяющий счета другой валюте"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Состояние: {0} не существует в системе
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Ваши настройки доступа не позволяют замораживать значения
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Состояние: {0} не существует в системе
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Ваши настройки доступа не позволяют замораживать значения
DocType: Payment Reconciliation,Get Unreconciled Entries,Получить несверенные записи
DocType: Payment Reconciliation,From Invoice Date,От Дата Счета
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,Платежная валюта должна быть равна либо по умолчанию comapany в валюте или партии валюты счета
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Оставьте Инкассацию
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Что оно делает?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,Платежная валюта должна быть равна либо по умолчанию comapany в валюте или партии валюты счета
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Оставьте Инкассацию
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Что оно делает?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Для Склад
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Все Поступающим Student
,Average Commission Rate,Средний Уровень Комиссии
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,"""Имеет Серийный номер"" не может быть ""Да"" для не складской позиции"
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""Имеет Серийный номер"" не может быть ""Да"" для не складской позиции"
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Посещаемость не могут быть отмечены для будущих дат
DocType: Pricing Rule,Pricing Rule Help,Цены Правило Помощь
DocType: School House,House Name,Название дома
DocType: Purchase Taxes and Charges,Account Head,Основной счет
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Обновление дополнительных затрат для расчета приземлился стоимость товаров
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Электрический
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Электрический
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,"Добавьте остальную часть вашей организации в качестве пользователей. Вы можете также добавить приглашать клиентов на ваш портал, добавив их из списка контактов"
DocType: Stock Entry,Total Value Difference (Out - In),Общая стоимость Разница (Out - In)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Ряд {0}: Курс является обязательным
@@ -4270,7 +4295,7 @@
DocType: Item,Customer Code,Код клиента
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Напоминание о дне рождения для {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Дни с последнего Заказать
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Дебету счета должны быть баланс счета
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Дебету счета должны быть баланс счета
DocType: Buying Settings,Naming Series,Наименование серии
DocType: Leave Block List,Leave Block List Name,Оставьте Имя Блок-лист
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,"Дата страхование начала должна быть меньше, чем дата страхование End"
@@ -4285,27 +4310,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Зарплата Скольжение работника {0} уже создан для табеля {1}
DocType: Vehicle Log,Odometer,одометр
DocType: Sales Order Item,Ordered Qty,Заказал Кол-во
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Пункт {0} отключена
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Пункт {0} отключена
DocType: Stock Settings,Stock Frozen Upto,Фото Замороженные До
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM не содержит какой-либо элемент запаса
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM не содержит какой-либо элемент запаса
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Период с Период и датам обязательных для повторяющихся {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Проектная деятельность / задачи.
DocType: Vehicle Log,Refuelling Details,Заправочные Подробнее
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Создать зарплат Slips
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Покупка должна быть проверена, если выбран Применимо для как {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Покупка должна быть проверена, если выбран Применимо для как {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Скидка должна быть меньше 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Последний курс покупки не найден
DocType: Purchase Invoice,Write Off Amount (Company Currency),Списание Сумма (Компания валют)
DocType: Sales Invoice Timesheet,Billing Hours,Платежная часы
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,По умолчанию BOM для {0} не найден
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,"Ряд # {0}: Пожалуйста, установите количество тональный"
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,"Ряд # {0}: Пожалуйста, установите количество тональный"
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,"Нажмите элементы, чтобы добавить их сюда."
DocType: Fees,Program Enrollment,Программа подачи заявок
DocType: Landed Cost Voucher,Landed Cost Voucher,Земельные стоимости путевки
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},"Пожалуйста, установите {0}"
DocType: Purchase Invoice,Repeat on Day of Month,Повторите с Днем Ежемесячно
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} - неактивный ученик
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} - неактивный ученик
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} - неактивный ученик
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} - неактивный ученик
DocType: Employee,Health Details,Подробности Здоровье
DocType: Offer Letter,Offer Letter Terms,Условия письма с предложением
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Для создания ссылочного документа запроса платежа требуется
@@ -4328,7 +4353,7 @@
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Пример:. ABCD #####
Если серия установлен и Серийный номер не упоминается в сделках, то автоматическая серийный номер будет создан на основе этой серии. Если вы хотите всегда явно упомянуть заводским номером для этого элемента. оставить это поле пустым,."
DocType: Upload Attendance,Upload Attendance,Добавить посещаемости
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,Спецификация и производство Количество требуется
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,Спецификация и производство Количество требуется
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Старение Диапазон 2
DocType: SG Creation Tool Course,Max Strength,Максимальная прочность
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM заменить
@@ -4338,8 +4363,8 @@
,Prospects Engaged But Not Converted,"Перспективы заняты, но не преобразованы"
DocType: Manufacturing Settings,Manufacturing Settings,Настройки Производство
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Настройка e-mail
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Mobile Нет
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,"Пожалуйста, введите валюту по умолчанию в компании Master"
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile Нет
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,"Пожалуйста, введите валюту по умолчанию в компании Master"
DocType: Stock Entry Detail,Stock Entry Detail,Подробности Складского Акта
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Ежедневные напоминания
DocType: Products Settings,Home Page is Products,Главная Страница является Продукты
@@ -4348,7 +4373,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Новый Имя счета
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Сырье Поставляется Стоимость
DocType: Selling Settings,Settings for Selling Module,Настройки по продаже модуля
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Обслуживание Клиентов
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Обслуживание Клиентов
DocType: BOM,Thumbnail,Миниатюра
DocType: Item Customer Detail,Item Customer Detail,Пункт Детальное клиентов
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Предложить кандидату работу.
@@ -4357,7 +4382,7 @@
DocType: Pricing Rule,Percentage,процент
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Пункт {0} должен быть запас товара
DocType: Manufacturing Settings,Default Work In Progress Warehouse,По умолчанию работы на складе Прогресс
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Настройки по умолчанию для бухгалтерских операций.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Настройки по умолчанию для бухгалтерских операций.
DocType: Maintenance Visit,MV,М.В.
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Ожидаемая дата не может быть до Материал Дата заказа
DocType: Purchase Invoice Item,Stock Qty,Кол-во в запасе
@@ -4371,10 +4396,10 @@
DocType: Sales Order,Printing Details,Печатать Подробности
DocType: Task,Closing Date,Дата закрытия
DocType: Sales Order Item,Produced Quantity,Добытое количество
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Инженер
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Инженер
DocType: Journal Entry,Total Amount Currency,Общая сумма валюты
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Поиск Sub сборки
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Код товара требуется на Row Нет {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Код товара требуется на Row Нет {0}
DocType: Sales Partner,Partner Type,Тип Партнер
DocType: Purchase Taxes and Charges,Actual,Фактически
DocType: Authorization Rule,Customerwise Discount,Customerwise Скидка
@@ -4391,11 +4416,11 @@
DocType: Item Reorder,Re-Order Level,Уровень перезаказа
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Введите предметы и плановый Количество, для которых необходимо повысить производственные заказы или скачать сырье для анализа."
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Диаграмма Ганта
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Неполная занятость
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Неполная занятость
DocType: Employee,Applicable Holiday List,Применимо Список праздников
DocType: Employee,Cheque,Чек
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Серия Обновлено
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Тип отчета является обязательным
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Тип отчета является обязательным
DocType: Item,Serial Number Series,Серийный Номер серии
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Склад является обязательным для Запаса {0} в строке {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Розничная и оптовая торговля
@@ -4417,7 +4442,7 @@
DocType: BOM,Materials,Материалы
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Если не установлен, то список нужно будет добавлен в каждом департаменте, где он должен быть применен."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,"Исходный и целевой склад не может быть таким же,"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Дата публикации и размещения время является обязательным
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Дата публикации и размещения время является обязательным
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Налоговый шаблон для покупки сделок.
,Item Prices,Предмет цены
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,По словам будет виден только вы сохраните заказ на поставку.
@@ -4427,22 +4452,23 @@
DocType: Purchase Invoice,Advance Payments,Авансовые платежи
DocType: Purchase Taxes and Charges,On Net Total,On Net Всего
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Значение атрибута {0} должно быть в диапазоне от {1} до {2} в приращений {3} для п {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,"Целевая склад в строке {0} должно быть таким же, как производственного заказа"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,"Целевая склад в строке {0} должно быть таким же, как производственного заказа"
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,"""Email адрес для уведомлений"" не указан для повторяющихся %s"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,"Валюта не может быть изменена после внесения записи, используя другой валюты"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,"Валюта не может быть изменена после внесения записи, используя другой валюты"
DocType: Vehicle Service,Clutch Plate,Диск сцепления
DocType: Company,Round Off Account,Округление аккаунт
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Административные затраты
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Административные затраты
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Консалтинг
DocType: Customer Group,Parent Customer Group,Родительский клиент Группа
DocType: Purchase Invoice,Contact Email,Эл. адрес
DocType: Appraisal Goal,Score Earned,Оценка Заработано
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Срок Уведомления
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Срок Уведомления
DocType: Asset Category,Asset Category Name,Asset Категория Название
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Это корень территории и не могут быть изменены.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Имя нового менеджера по продажам
DocType: Packing Slip,Gross Weight UOM,Вес брутто Единица измерения
DocType: Delivery Note Item,Against Sales Invoice,Против продаж счета-фактуры
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Введите серийные номера для сериализованного элемента
DocType: Bin,Reserved Qty for Production,Reserved Кол-во для производства
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Оставьте непроверенным, если вы не хотите рассматривать пакет, создавая группы на основе курса."
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Оставьте непроверенным, если вы не хотите рассматривать пакет, создавая группы на основе курса."
@@ -4451,25 +4477,25 @@
DocType: Landed Cost Item,Landed Cost Item,Посадка Статьи затрат
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Показать нулевые значения
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Количество пункта получены после изготовления / переупаковка от заданных величин сырья
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Настройка простой веб-сайт для моей организации
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Настройка простой веб-сайт для моей организации
DocType: Payment Reconciliation,Receivable / Payable Account,Счет Дебиторской / Кредиторской задолженности
DocType: Delivery Note Item,Against Sales Order Item,На Sales Order Пункт
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},"Пожалуйста, сформулируйте Значение атрибута для атрибута {0}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},"Пожалуйста, сформулируйте Значение атрибута для атрибута {0}"
DocType: Item,Default Warehouse,По умолчанию Склад
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Бюджет не может быть назначен на учетную запись группы {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,"Пожалуйста, введите МВЗ родительский"
DocType: Delivery Note,Print Without Amount,Распечатать без суммы
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,Износ Дата
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Категория налогов не может быть ""Оценка"" и ""Оценка и Всего», так как все позиции не являются запасами"
DocType: Issue,Support Team,Команда поддержки
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Срок действия (в днях)
DocType: Appraisal,Total Score (Out of 5),Всего рейтинг (из 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Партия
+DocType: Student Attendance Tool,Batch,Партия
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Баланс
DocType: Room,Seating Capacity,Количество сидячих мест
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Итоговая сумма аванса (через Авансовые Отчеты)
+DocType: GST Settings,GST Summary,Обзор GST
DocType: Assessment Result,Total Score,Общий счет
DocType: Journal Entry,Debit Note,Дебет-нота
DocType: Stock Entry,As per Stock UOM,По товарной ед. изм.
@@ -4481,12 +4507,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,По умолчанию склад готовой продукции
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Продавец
DocType: SMS Parameter,SMS Parameter,SMS Параметр
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Бюджет и МВЗ
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Бюджет и МВЗ
DocType: Vehicle Service,Half Yearly,Половина года
DocType: Lead,Blog Subscriber,Подписчик блога
DocType: Guardian,Alternate Number,через одно число
DocType: Assessment Plan Criteria,Maximum Score,Максимальный балл
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Создание правил для ограничения операций на основе значений.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Групповой ролл нет
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Оставьте пустым, если вы создаете группы студентов в год"
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Оставьте пустым, если вы создаете группы студентов в год"
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Если флажок установлен, все время не. рабочих дней будет включать в себя праздники, и это приведет к снижению стоимости Зарплата в день"
@@ -4505,6 +4532,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Это основано на операциях против этого клиента. См график ниже для получения подробной информации
DocType: Supplier,Credit Days Based On,Кредитных дней на основе
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Строка {0}: Выделенная сумма {1} должна быть меньше или равна сумме платежа ввода {2}
+,Course wise Assessment Report,Отчет об оценке курса
DocType: Tax Rule,Tax Rule,Налоговое положение
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Поддержание же скоростью протяжении цикла продаж
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Планировать время журналы за пределами рабочего времени рабочих станций.
@@ -4513,7 +4541,7 @@
,Items To Be Requested,"Предметы, будет предложено"
DocType: Purchase Order,Get Last Purchase Rate,Получить последнюю покупку Оценить
DocType: Company,Company Info,Информация о компании
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Выберите или добавить новый клиент
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Выберите или добавить новый клиент
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,МВЗ требуется заказать требование о расходах
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Применение средств (активов)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Это основано на посещаемости этого сотрудника
@@ -4521,27 +4549,29 @@
DocType: Fiscal Year,Year Start Date,Дата начала года
DocType: Attendance,Employee Name,Имя Сотрудника
DocType: Sales Invoice,Rounded Total (Company Currency),Округлые Всего (Компания Валюта)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,"Не можете скрытой в группу, потому что выбран Тип аккаунта."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Не можете скрытой в группу, потому что выбран Тип аккаунта."
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,"{0} {1} был изменен. Пожалуйста, обновите."
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Остановить пользователям вносить Leave приложений на последующие дни.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Сумма покупки
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Ценовое предложение поставщика {0} создано
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Год окончания не может быть раньше начала года
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Вознаграждения работникам
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Вознаграждения работникам
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Упакованные количество должно равняться количество для Пункт {0} в строке {1}
DocType: Production Order,Manufactured Qty,Изготовлено Кол-во
DocType: Purchase Receipt Item,Accepted Quantity,Принято Количество
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},"Пожалуйста, установите по умолчанию список праздников для Employee {0} или Компания {1}"
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} не существует
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} не существует
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Выберите пакетные номера
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Платежи Заказчиков
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Проект Id
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},"Ряд № {0}: Сумма не может быть больше, чем указанная в Авансовом Отчете {1}. Указанная сумма {2}"
DocType: Maintenance Schedule,Schedule,Расписание
DocType: Account,Parent Account,Родитель счета
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,имеется
DocType: Quality Inspection Reading,Reading 3,Чтение 3
,Hub,Концентратор
DocType: GL Entry,Voucher Type,Ваучер Тип
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Прайс-лист не найден или отключен
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Прайс-лист не найден или отключен
DocType: Employee Loan Application,Approved,Утверждено
DocType: Pricing Rule,Price,Цена
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',"Сотрудник освобожден от {0} должен быть установлен как ""левые"""
@@ -4552,7 +4582,8 @@
DocType: Selling Settings,Campaign Naming By,Кампания Именование По
DocType: Employee,Current Address Is,Текущий адрес
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,модифицированный
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Необязательный. Устанавливает по умолчанию валюту компании, если не указано."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Необязательный. Устанавливает по умолчанию валюту компании, если не указано."
+DocType: Sales Invoice,Customer GSTIN,Клиент GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Журнал бухгалтерских записей.
DocType: Delivery Note Item,Available Qty at From Warehouse,Доступно Кол-во на со склада
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,"Пожалуйста, выберите Employee Record первым."
@@ -4560,7 +4591,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Ряд {0}: Партия / счета не соответствует {1} / {2} в {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,"Пожалуйста, введите Expense счет"
DocType: Account,Stock,Склад
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Строка # {0}: Ссылка Тип документа должен быть одним из заказа на поставку, счета-фактуры Покупка или журнал запись"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Строка # {0}: Ссылка Тип документа должен быть одним из заказа на поставку, счета-фактуры Покупка или журнал запись"
DocType: Employee,Current Address,Текущий адрес
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Если деталь вариант другого элемента, то описание, изображение, ценообразование, налоги и т.д., будет установлен из шаблона, если явно не указано"
DocType: Serial No,Purchase / Manufacture Details,Покупка / Производство Подробнее
@@ -4573,8 +4604,8 @@
DocType: Pricing Rule,Min Qty,Мин Кол-во
DocType: Asset Movement,Transaction Date,Сделка Дата
DocType: Production Plan Item,Planned Qty,Планируемые Кол-во
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Совокупная налоговая
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Для Количество (Изготовитель Количество) является обязательным
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Совокупная налоговая
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Для Количество (Изготовитель Количество) является обязательным
DocType: Stock Entry,Default Target Warehouse,Цель по умолчанию Склад
DocType: Purchase Invoice,Net Total (Company Currency),Чистая Всего (Компания Валюта)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,"Год Конечная дата не может быть раньше, чем год Дата начала. Пожалуйста, исправьте дату и попробуйте еще раз."
@@ -4588,15 +4619,12 @@
DocType: Hub Settings,Hub Settings,Настройки Hub
DocType: Project,Gross Margin %,Валовая маржа %
DocType: BOM,With Operations,С операций
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,"Бухгалтерские проводки для компании {1}, уже были сделаны в валюте {0} . Пожалуйста, выберите счет дебиторской или кредиторской задолженности в валютой {0}."
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,"Бухгалтерские проводки для компании {1}, уже были сделаны в валюте {0} . Пожалуйста, выберите счет дебиторской или кредиторской задолженности в валютой {0}."
DocType: Asset,Is Existing Asset,Является ли существующего актива
DocType: Salary Detail,Statistical Component,Статистический компонент
DocType: Salary Detail,Statistical Component,Статистический компонент
-,Monthly Salary Register,Заработная плата Зарегистрироваться
DocType: Warranty Claim,If different than customer address,Если отличается от адреса клиента
DocType: BOM Operation,BOM Operation,BOM Операция
-DocType: School Settings,Validate the Student Group from Program Enrollment,Подтверждение участия студенческой группы в программе
-DocType: School Settings,Validate the Student Group from Program Enrollment,Подтверждение участия студенческой группы в программе
DocType: Purchase Taxes and Charges,On Previous Row Amount,На Сумму предыдущей строки
DocType: Student,Home Address,Домашний адрес
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Передача активов
@@ -4604,28 +4632,27 @@
DocType: Training Event,Event Name,Название события
apps/erpnext/erpnext/config/schools.py +39,Admission,вход
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Поступающим для {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Сезонность для установки бюджеты, целевые и т.п."
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Пункт {0} шаблона, выберите один из его вариантов"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Сезонность для установки бюджеты, целевые и т.п."
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Пункт {0} шаблона, выберите один из его вариантов"
DocType: Asset,Asset Category,Категория активов
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Закупщик
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Чистая зарплата не может быть отрицательным
DocType: SMS Settings,Static Parameters,Статические параметры
DocType: Assessment Plan,Room,Комната
DocType: Purchase Order,Advance Paid,Авансовая выплата
DocType: Item,Item Tax,Пункт Налоговый
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Материал Поставщику
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Акцизный Счет
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Акцизный Счет
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% появляется более одного раза
DocType: Expense Claim,Employees Email Id,Сотрудники Email ID
DocType: Employee Attendance Tool,Marked Attendance,Выраженное Посещаемость
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Текущие обязательства
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Текущие обязательства
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Отправить массовый SMS в список контактов
DocType: Program,Program Name,Название программы
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Рассмотрим налога или сбора для
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Фактическая Кол-во обязательно
DocType: Employee Loan,Loan Type,Тип кредита
DocType: Scheduling Tool,Scheduling Tool,Планирование Инструмент
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Кредитная карта
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Кредитная карта
DocType: BOM,Item to be manufactured or repacked,Пункт должен быть изготовлен или перепакован
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Настройки по умолчанию для операций перемещения по складу
DocType: Purchase Invoice,Next Date,Следующая дата
@@ -4641,10 +4668,10 @@
DocType: Stock Entry,Repack,Перепаковать
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,"Вы должны Сохраните форму, прежде чем продолжить"
DocType: Item Attribute,Numeric Values,Числовые значения
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Прикрепить логотип
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Прикрепить логотип
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Сток Уровни
DocType: Customer,Commission Rate,Комиссия
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Сделать Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Сделать Variant
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Блок отпуска приложений отделом.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Тип оплаты должен быть одним из Присылать, Pay и внутренний перевод"
apps/erpnext/erpnext/config/selling.py +179,Analytics,аналитика
@@ -4652,45 +4679,45 @@
DocType: Vehicle,Model,Модель
DocType: Production Order,Actual Operating Cost,Фактическая Эксплуатационные расходы
DocType: Payment Entry,Cheque/Reference No,Чеками / ссылка №
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Корневая не могут быть изменены.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Корневая не могут быть изменены.
DocType: Item,Units of Measure,Единицы измерения
DocType: Manufacturing Settings,Allow Production on Holidays,Позволяют производить на праздниках
DocType: Sales Order,Customer's Purchase Order Date,Клиентам Дата Заказ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Капитал
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Капитал
DocType: Shopping Cart Settings,Show Public Attachments,Показать общедоступные приложения
DocType: Packing Slip,Package Weight Details,Вес упаковки Подробнее
DocType: Payment Gateway Account,Payment Gateway Account,Платежный шлюз аккаунт
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,После завершения оплаты перенаправить пользователя на выбранную страницу.
DocType: Company,Existing Company,Существующие компании
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Налоговая категория была изменена на «Итого», потому что все элементы не являются запасами"
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Выберите файл CSV
DocType: Student Leave Application,Mark as Present,Отметить как Present
DocType: Purchase Order,To Receive and Bill,Для приема и Билл
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Представленные продукты
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Дизайнер
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Дизайнер
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Условия шаблона
DocType: Serial No,Delivery Details,Подробности доставки
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},МВЗ требуется в строке {0} в виде налогов таблицы для типа {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},МВЗ требуется в строке {0} в виде налогов таблицы для типа {1}
DocType: Program,Program Code,Программный код
DocType: Terms and Conditions,Terms and Conditions Help,Правила и условия Помощь
,Item-wise Purchase Register,Пункт мудрый Покупка Зарегистрироваться
DocType: Batch,Expiry Date,Срок годности:
-,Supplier Addresses and Contacts,Адреса и контакты поставщика
,accounts-browser,счета-браузер
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,"Пожалуйста, выберите категорию первый"
apps/erpnext/erpnext/config/projects.py +13,Project master.,Мастер проекта.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Чтобы разрешить более-биллинга или по-заказа, обновление "льгота" в настройках изображения или предмет."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Чтобы разрешить более-биллинга или по-заказа, обновление "льгота" в настройках изображения или предмет."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Не показывать любой символ вроде $ и т.д. рядом с валютами.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Полдня)
DocType: Supplier,Credit Days,Кредитных дней
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Make Student Batch
DocType: Leave Type,Is Carry Forward,Является ли переносить
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Получить элементы из спецификации
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Получить элементы из спецификации
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Время выполнения дни
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},"Строка # {0}: Дата размещения должна быть такой же, как даты покупки {1} актива {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},"Строка # {0}: Дата размещения должна быть такой же, как даты покупки {1} актива {2}"
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,"Пожалуйста, введите Заказы в приведенной выше таблице"
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Не Опубликовано Зарплатные Slips
,Stock Summary,Суммарный сток
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Передача актива с одного склада на другой
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Передача актива с одного склада на другой
DocType: Vehicle,Petrol,Бензин
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Ведомость материалов
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Ряд {0}: Партия Тип и партия необходима для / дебиторская задолженность внимание {1}
@@ -4701,6 +4728,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Санкционированный Количество
DocType: GL Entry,Is Opening,Открывает
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Ряд {0}: Дебет запись не может быть связан с {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Аккаунт {0} не существует
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Аккаунт {0} не существует
DocType: Account,Cash,Наличные
DocType: Employee,Short biography for website and other publications.,Краткая биография для веб-сайта и других изданий.
diff --git a/erpnext/translations/si.csv b/erpnext/translations/si.csv
index 6e8fc91..694b9d1 100644
--- a/erpnext/translations/si.csv
+++ b/erpnext/translations/si.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,පාරිභෝගික භාණ්ඩ
DocType: Item,Customer Items,පාරිභෝගික අයිතම
DocType: Project,Costing and Billing,පිරිවැය හා බිල්පත්
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,ගිණුම {0}: මාපිය ගිණුමක් {1} දේශලජර් විය නොහැකි
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,ගිණුම {0}: මාපිය ගිණුමක් {1} දේශලජර් විය නොහැකි
DocType: Item,Publish Item to hub.erpnext.com,hub.erpnext.com කිරීමට අයිතමය ප්රකාශයට පත් කරනු ලබයි
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,ඊ-තැපැල් නිවේදන
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,ඇගයීම
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,ඇගයීම
DocType: Item,Default Unit of Measure,නු පෙරනිමි ඒකකය
DocType: SMS Center,All Sales Partner Contact,සියලු විකුණුම් සහකරු අමතන්න
DocType: Employee,Leave Approvers,Approvers තබන්න
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),විනිමය අනුපාතය {0} ලෙස {1} සමාන විය යුතු ය ({2})
DocType: Sales Invoice,Customer Name,පාරිභෝගිකයාගේ නම
DocType: Vehicle,Natural Gas,ස්වාභාවික ගෑස්
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},බැංකු ගිණුමක් {0} ලෙස නම් කළ නොහැකි
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},බැංකු ගිණුමක් {0} ලෙස නම් කළ නොහැකි
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,ප්රධානීන් (හෝ කණ්ඩායම්) ගිණුම්කරණය අයැදුම්පත් ඉදිරිපත් කර ඇති අතර තුලනය නඩත්තු කරගෙන යනු ලබන එරෙහිව.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),{0} ශුන්ය ({1}) ට වඩා අඩු විය නොහැක විශිෂ්ට සඳහා
DocType: Manufacturing Settings,Default 10 mins,මිනිත්තු 10 Default
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,සියලු සැපයුම්කරු අමතන්න
DocType: Support Settings,Support Settings,සහාය සැකසුම්
DocType: SMS Parameter,Parameter,පරාමිතිය
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,අපේක්ෂිත අවසානය දිනය අපේක්ෂා ඇරඹුම් දිනය ඊට වඩා අඩු විය නොහැක
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,අපේක්ෂිත අවසානය දිනය අපේක්ෂා ඇරඹුම් දිනය ඊට වඩා අඩු විය නොහැක
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ෙරෝ # {0}: {2} ({3} / {4}): අනුපාත {1} ලෙස සමාන විය යුතුයි
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,නව නිවාඩු ඉල්ලුම්
,Batch Item Expiry Status,කණ්ඩායම අයිතමය කල් ඉකුත් වීමේ තත්ත්වය
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,බැංකු අණකරයකින් ෙගවිය
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,බැංකු අණකරයකින් ෙගවිය
DocType: Mode of Payment Account,Mode of Payment Account,ගෙවීම් ගිණුම වන ආකාරය
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,ප්රභේද පෙන්වන්න
DocType: Academic Term,Academic Term,අධ්යයන කාලීන
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,ද්රව්ය
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,ප්රමාණය
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,මේසය හිස් විය නොහැක ගිණුම්.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),ණය (වගකීම්)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),ණය (වගකීම්)
DocType: Employee Education,Year of Passing,විසිර වර්ෂය
DocType: Item,Country of Origin,මුල් රට
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,ගබඩාවේ ඇත
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,ගබඩාවේ ඇත
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,විවෘත ගැටළු
DocType: Production Plan Item,Production Plan Item,නිශ්පාදන සැළැස්ම අයිතමය
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},පරිශීලක {0} සේවක {1} කිරීමට දැනටමත් අනුයුක්ත කර ඇත
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,සෞඛ්ය සත්කාර
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ෙගවීම පමාද (දින)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,සේවා වියදම්
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},අනුක්රමික අංකය: {0} දැනටමත් විකුණුම් ඉන්වොයිසිය දී නමෙන්ම ඇත: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},අනුක්රමික අංකය: {0} දැනටමත් විකුණුම් ඉන්වොයිසිය දී නමෙන්ම ඇත: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,ඉන්වොයිසිය
DocType: Maintenance Schedule Item,Periodicity,ආවර්තයක්
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,මුදල් වර්ෂය {0} අවශ්ය වේ
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,ෙරෝ # {0}:
DocType: Timesheet,Total Costing Amount,මුළු සැඳුම්ලත් මුදල
DocType: Delivery Note,Vehicle No,වාහන අංක
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,කරුණාකර මිල ලැයිස්තුව තෝරා
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,කරුණාකර මිල ලැයිස්තුව තෝරා
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,පේළියේ # {0}: ගෙවීම් දත්තගොනුව trasaction සම්පූර්ණ කිරීම සඳහා අවශ්ය වේ
DocType: Production Order Operation,Work In Progress,වර්ක් ඉන් ප්රෝග්රස්
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,කරුණාකර දිනය තෝරන්න
DocType: Employee,Holiday List,නිවාඩු ලැයිස්තුව
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,ගණකාධිකාරී
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,ගණකාධිකාරී
DocType: Cost Center,Stock User,කොටස් පරිශීලක
DocType: Company,Phone No,දුරකතන අංකය
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,නිර්මාණය පාඨමාලා කාලසටහන:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},නව {0}: # {1}
,Sales Partners Commission,විකුණුම් හවුල්කරුවන් කොමිසම
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,කෙටි යෙදුම් චරිත 5 කට වඩා තිබිය නොහැක
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,කෙටි යෙදුම් චරිත 5 කට වඩා තිබිය නොහැක
DocType: Payment Request,Payment Request,ගෙවීම් ඉල්ලීම
DocType: Asset,Value After Depreciation,අගය ක්ෂය කිරීමෙන් පසු
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,පැමිණීම දිනය සේවක එක්වීමට දිනය ට වඩා අඩු විය නොහැක
DocType: Grading Scale,Grading Scale Name,ශ්රේණිගත පරිමාණ නම
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,"මෙම root පරිශීලක සඳහා ගිණුමක් වන අතර, සංස්කරණය කළ නොහැක."
+DocType: Sales Invoice,Company Address,සමාගම ලිපිනය
DocType: BOM,Operations,මෙහෙයුම්
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},{0} සඳහා වට්ටම් පදනම මත බලය සිටුවම් කල නොහැක
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","කුළුණු දෙක, පැරණි නම සඳහා එක හා නව නාමය සඳහා එක් .csv ගොනුව අමුණන්න"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ඕනෑම ක්රියාශීලී මුදල් වර්ෂය තුළ නැත.
DocType: Packed Item,Parent Detail docname,මව් විස්තර docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","මූලාශ්ර: {0}, අයිතමය සංකේතය: {1} සහ පාරිභෝගික: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Kg
DocType: Student Log,Log,ලඝු
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,රැකියාවක් සඳහා විවෘත.
DocType: Item Attribute,Increment,වර්ධකය
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,වෙළඳ ප්රචාරණ
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,එම සමාගම එක් වරකට වඩා ඇතුලත් කර
DocType: Employee,Married,විවාහක
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},{0} සඳහා අවසර නැත
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},{0} සඳහා අවසර නැත
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,සිට භාණ්ඩ ලබා ගන්න
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},කොටස් බෙදීම සටහන {0} එරෙහිව යාවත්කාලීන කල නොහැක
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},කොටස් බෙදීම සටහන {0} එරෙහිව යාවත්කාලීන කල නොහැක
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},නිෂ්පාදන {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,ලැයිස්තුගත අයිතමයන් කිසිවක් නොමැත
DocType: Payment Reconciliation,Reconcile,සංහිඳියාවකට
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,ඊළඟ ක්ෂය වීම දිනය මිල දී ගත් දිනය පෙර විය නොහැකි
DocType: SMS Center,All Sales Person,සියලු විකුණුම් පුද්ගලයෙක්
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** මාසික බෙදාහැරීම් ** ඔබගේ ව්යාපාරය තුළ යමක සෘතුමය බලපෑම ඇති නම්, ඔබ මාස හරහා අයවැය / ඉලක්ක, බෙදා හැරීමට උපකාරී වේ."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,හමු වූ භාණ්ඩ නොවේ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,හමු වූ භාණ්ඩ නොවේ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,වැටුප් ව්යුහය අතුරුදන්
DocType: Lead,Person Name,පුද්ගලයා නම
DocType: Sales Invoice Item,Sales Invoice Item,විකුණුම් ඉන්වොයිසිය අයිතමය
DocType: Account,Credit,ණය
DocType: POS Profile,Write Off Cost Center,පිරිවැය මධ්යස්ථානය Off ලියන්න
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",උදා: "ප්රාථමික පාසල්" හෝ "" විශ්වවිද්යාල
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",උදා: "ප්රාථමික පාසල්" හෝ "" විශ්වවිද්යාල
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,කොටස් වාර්තා
DocType: Warehouse,Warehouse Detail,පොත් ගබඩාව විස්තර
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},ණය සීමාව {0} සඳහා ගනුදෙනුකරුවන්ගේ එතෙර කර ඇත {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},ණය සීමාව {0} සඳහා ගනුදෙනුකරුවන්ගේ එතෙර කර ඇත {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,හදුන්වන අවසානය දිනය පසුව කාලීන සම්බන්ධකම් කිරීමට (අධ්යයන වර්ෂය {}) අධ්යයන වසරේ වසර අවසාන දිනය වඩා විය නොහැකිය. දින වකවානු නිවැරදි කර නැවත උත්සාහ කරන්න.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""ස්ථාවර වත්කම් ද" වත්කම් වාර්තාවක් අයිතමය එරෙහිව පවතී ලෙස, අපරීක්ෂා විය නොහැකි"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""ස්ථාවර වත්කම් ද" වත්කම් වාර්තාවක් අයිතමය එරෙහිව පවතී ලෙස, අපරීක්ෂා විය නොහැකි"
DocType: Vehicle Service,Brake Oil,බ්රේක් ඔයිල්
DocType: Tax Rule,Tax Type,බදු වර්ගය
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},ඔබ {0} පෙර සටහන් ඇතුළත් කිරීම් එකතු කිරීම හෝ යාවත්කාලීන කිරීම කිරීමට තමන්ට අවසර නොමැති
DocType: BOM,Item Image (if not slideshow),අයිතමය අනුරුව (Slideshow නොවේ නම්)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,ක පාරිභෝගික එකම නමින් පවතී
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(පැය අනුපාතිකය / 60) * සත මෙහෙයුම කාල
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,ද්රව්ය ලේඛණය තෝරන්න
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,ද්රව්ය ලේඛණය තෝරන්න
DocType: SMS Log,SMS Log,කෙටි පණිවුඩ ලොග්
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,භාර අයිතම පිරිවැය
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,{0} මත වන නිවාඩු අතර දිනය සිට මේ දක්වා නැත
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},{0} සිට {1} වෙත
DocType: Item,Copy From Item Group,විෂය සමූහ වෙතින් පිටපත්
DocType: Journal Entry,Opening Entry,විවෘත පිවිසුම්
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,පාරිභෝගික> කස්ටමර් සමූහයේ> දේශසීමාවේ
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,ගිණුම් පමණක් ගෙවන්න
DocType: Employee Loan,Repay Over Number of Periods,"කාල පරිච්ඡේදය, සංඛ්යාව අධික ආපසු ගෙවීම"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} ලබා දී {2} ලියාපදිංචි වී නොමැති
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} ලබා දී {2} ලියාපදිංචි වී නොමැති
DocType: Stock Entry,Additional Costs,අතිරේක පිරිවැය
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,පවත්නා ගනුදෙනුව ගිණුමක් පිරිසක් බවට පරිවර්තනය කළ නොහැක.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,පවත්නා ගනුදෙනුව ගිණුමක් පිරිසක් බවට පරිවර්තනය කළ නොහැක.
DocType: Lead,Product Enquiry,නිෂ්පාදන විමසීම්
DocType: Academic Term,Schools,පාසල්
+DocType: School Settings,Validate Batch for Students in Student Group,ශිෂ්ය සමූහය සිසුන් සඳහා කණ්ඩායම තහවුරු කර
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},{1} සඳහා කිසිදු නිවාඩු වාර්තා සේවකයා සඳහා සොයා {0}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,පළමු සමාගම ඇතුලත් කරන්න
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,කරුණාකර සමාගම පළමු තෝරා
@@ -175,49 +176,49 @@
DocType: BOM,Total Cost,මුළු වියදම
DocType: Journal Entry Account,Employee Loan,සේවක ණය
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,ක්රියාකාරකම් ලොග්:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,{0} අයිතමය පද්ධතිය තුළ නොපවතියි හෝ කල් ඉකුත් වී ඇත
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,{0} අයිතමය පද්ධතිය තුළ නොපවතියි හෝ කල් ඉකුත් වී ඇත
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,දේපළ වෙළදාම්
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,ගිණුම් ප්රකාශයක්
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,ඖෂධ
DocType: Purchase Invoice Item,Is Fixed Asset,ස්ථාවර වත්කම් ද
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","ලබා ගත හැකි යවන ලද {0}, ඔබ {1} අවශ්ය වේ"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","ලබා ගත හැකි යවන ලද {0}, ඔබ {1} අවශ්ය වේ"
DocType: Expense Claim Detail,Claim Amount,හිමිකම් ප්රමාණය
-DocType: Employee,Mr,මහතා
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,මෙම cutomer පිරිසක් වගුව සොයා ගෙන අනුපිටපත් පාරිභෝගික පිරිසක්
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,සැපයුම්කරු වර්ගය / සැපයුම්කරු
DocType: Naming Series,Prefix,උපසර්ගය
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,පාරිෙභෝජන
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,පාරිෙභෝජන
DocType: Employee,B-,බී-
DocType: Upload Attendance,Import Log,ආනයන ලොග්
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,එම නිර්ණායක මත පදනම් වර්ගය නිෂ්පාදනය ද්රව්ය ඉල්ලීම් අදින්න
DocType: Training Result Employee,Grade,ශ්රේණියේ
DocType: Sales Invoice Item,Delivered By Supplier,සැපයුම්කරු විසින් ඉදිරිපත්
DocType: SMS Center,All Contact,සියලු විමසීම්
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,ද්රව්ය ලේඛණය සමග සියලු භාණ්ඩ සඳහා දැනටමත් නිර්මාණය නිෂ්පාදනය සාමය
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,වාර්ෂික වැටුප
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,ද්රව්ය ලේඛණය සමග සියලු භාණ්ඩ සඳහා දැනටමත් නිර්මාණය නිෂ්පාදනය සාමය
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,වාර්ෂික වැටුප
DocType: Daily Work Summary,Daily Work Summary,ඩේලි වැඩ සාරාංශය
DocType: Period Closing Voucher,Closing Fiscal Year,වසා මුදල් වර්ෂය
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,"{0} {1}, ශීත කළ ය"
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,කරුණාකර ගිණුම් සටහන නිර්මාණය කිරීම සඳහා පවතින සමාගම තෝරා
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,කොටස් වෙළඳ වියදම්
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,"{0} {1}, ශීත කළ ය"
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,කරුණාකර ගිණුම් සටහන නිර්මාණය කිරීම සඳහා පවතින සමාගම තෝරා
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,කොටස් වෙළඳ වියදම්
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,ඉලක්ක ගබඩාව තෝරා
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,ඉලක්ක ගබඩාව තෝරා
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,කැමති අමතන්න විද්යුත් ඇතුලත් කරන්න
+DocType: Program Enrollment,School Bus,පාසැල් බසය
DocType: Journal Entry,Contra Entry,කොන්ට්රා සටහන්
DocType: Journal Entry Account,Credit in Company Currency,"සමාගම ව්යවහාර මුදල්, නය"
DocType: Delivery Note,Installation Status,ස්ථාපනය තත්ත්වය
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",ඔබ පැමිණීම යාවත්කාලීන කිරීමට අවශ්යද? <br> වර්තමාන: {0} \ <br> නැති කල: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},පිළිගත් + යවන ලද අයිතමය {0} සඳහා ලැබී ප්රමාණය සමාන විය යුතුය ප්රතික්ෂේප
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},පිළිගත් + යවන ලද අයිතමය {0} සඳහා ලැබී ප්රමාණය සමාන විය යුතුය ප්රතික්ෂේප
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,"මිලදී ගැනීම සඳහා සම්පාදන, අමු ද්රව්ය"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,ගෙවීම් අවම වශයෙන් එක් මාදිලිය POS ඉන්වොයිසිය සඳහා අවශ්ය වේ.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,ගෙවීම් අවම වශයෙන් එක් මාදිලිය POS ඉන්වොයිසිය සඳහා අවශ්ය වේ.
DocType: Products Settings,Show Products as a List,ලැයිස්තුවක් ලෙස නිෂ්පාදන පෙන්වන්න
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","මෙම සැකිල්ල බාගත නිසි දත්ත පුරවා විකරිත ගොනුව අමුණන්න. තෝරාගත් කාලය තුළ සියලු දිනයන් හා සේවක එකතුවක් පවත්නා පැමිණීම වාර්තා සමග, සැකිල්ල පැමිණ ඇත"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,අයිතමය {0} සකිය ෙහෝ ජීවිතයේ අවසානය නොවේ ළඟා වී
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,උදාහරණය: මූලික ගණිතය
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","බදු ඇතුළත් කිරීමට පේළියේ {0} අයිතමය අනුපාතය, පේළි {1} බදු ද ඇතුළත් විය යුතු අතර"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,අයිතමය {0} සකිය ෙහෝ ජීවිතයේ අවසානය නොවේ ළඟා වී
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,උදාහරණය: මූලික ගණිතය
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","බදු ඇතුළත් කිරීමට පේළියේ {0} අයිතමය අනුපාතය, පේළි {1} බදු ද ඇතුළත් විය යුතු අතර"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,මානව සම්පත් මොඩියුලය සඳහා සැකසුම්
DocType: SMS Center,SMS Center,කෙටි පණිවුඩ මධ්යස්ථානය
DocType: Sales Invoice,Change Amount,මුදල වෙනස්
@@ -227,7 +228,7 @@
DocType: Lead,Request Type,ඉල්ලීම වර්ගය
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,සේවක කරන්න
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,ගුවන් විදුලි
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,ක්රියාකරවීම
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,ක්රියාකරවීම
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,මෙහෙයුම් පිළිබඳ විස්තර සිදු කරන ලදී.
DocType: Serial No,Maintenance Status,නඩත්තු කිරීම තත්වය
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: සැපයුම්කරු ගෙවිය යුතු ගිණුම් {2} එරෙහිව අවශ්ය වේ
@@ -255,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,උද්ධෘත සඳහා කල ඉල්ලීම පහත සබැඳිය ක්ලික් කිරීම මගින් ප්රවේශ විය හැකි
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,වසර සඳහා කොළ වෙන් කරමි.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG නිර්මාණය මෙවලම පාඨමාලා
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,ප්රමාණවත් කොටස්
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,ප්රමාණවත් කොටස්
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ධාරිතා සැලසුම් හා වේලාව ට්රැකින් අක්රීය
DocType: Email Digest,New Sales Orders,නව විකුණුම් නියෝග
DocType: Bank Guarantee,Bank Account,බැංකු ගිණුම
@@ -266,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log','කාලය පිළිබඳ ලඝු-සටහන' හරහා යාවත්කාලීන කිරීම
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},{0} {1} වඩා වැඩි උසස් ප්රමාණය විය නොහැකි
DocType: Naming Series,Series List for this Transaction,මෙම ගනුදෙනු සඳහා මාලාවක් ලැයිස්තුව
+DocType: Company,Enable Perpetual Inventory,භාණ්ඩ තොගය සක්රිය කරන්න
DocType: Company,Default Payroll Payable Account,පෙරනිමි වැටුප් ගෙවිය යුතු ගිණුම්
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,යාවත්කාලීන විද්යුත් සමූහ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,යාවත්කාලීන විද්යුත් සමූහ
DocType: Sales Invoice,Is Opening Entry,විවෘත වේ සටහන්
DocType: Customer Group,Mention if non-standard receivable account applicable,සම්මතයට අයත් නොවන ලැබිය අදාළ නම් සඳහන්
DocType: Course Schedule,Instructor Name,උපදේශක නම
@@ -279,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,විකුණුම් ඉන්වොයිසිය අයිතමය එරෙහිව
,Production Orders in Progress,ප්රගති නිෂ්පාදනය නියෝග
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,මූල්ය පහසුකම් ශුද්ධ මුදල්
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage පිරී ඇත, ඉතිරි වුණේ නැහැ"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage පිරී ඇත, ඉතිරි වුණේ නැහැ"
DocType: Lead,Address & Contact,ලිපිනය සහ ඇමතුම්
DocType: Leave Allocation,Add unused leaves from previous allocations,පෙර ප්රතිපාදනවලින් භාවිතා නොකරන කොළ එකතු කරන්න
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},ඊළඟට නැවත නැවත {0} {1} මත නිර්මාණය කරනු ඇත
DocType: Sales Partner,Partner website,සහකරු වෙබ් අඩවිය
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,විෂය එකතු කරන්න
-,Contact Name,අප අමතන්න නම
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,අප අමතන්න නම
DocType: Course Assessment Criteria,Course Assessment Criteria,පාඨමාලා තක්සේරු නිර්ණායක
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,ඉහත සඳහන් නිර්ණායකයන් සඳහා වැටුප් ස්ලිප් සාදනු ලබයි.
DocType: POS Customer Group,POS Customer Group,POS කස්ටමර් සමූහයේ
@@ -294,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,විස්තර ලබා නැත
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,මිලදී ගැනීම සඳහා ඉල්ලීම.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,මෙම මෙම ව්යාපෘතිය එරෙහිව නිර්මාණය කරන ලද කාලය පත්ර මත පදනම් වේ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,"ශුද්ධ වැටුප්, 0 ට වඩා අඩු විය නොහැක"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,"ශුද්ධ වැටුප්, 0 ට වඩා අඩු විය නොහැක"
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,පමණක් තෝරා නිවාඩු Approver මෙම නිවාඩු ඉල්ලුම් ඉදිරිපත් කළ හැකි
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,දිනය ලිහිල් සමඟ සම්බන්ධවීම දිනය වඩා වැඩි විය යුතුය
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,වසරකට කොළ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,වසරකට කොළ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ෙරෝ {0}: මෙම අත්තිකාරම් ප්රවේශය නම් අත්තිකාරම් ලෙසයි 'ගිණුම එරෙහිව පරීක්ෂා කරන්න {1}.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},පොත් ගබඩාව {0} සමාගම අයිති නැත {1}
DocType: Email Digest,Profit & Loss,ලාභය සහ අඞු කිරීමට
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,ලීටරයකට
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,ලීටරයකට
DocType: Task,Total Costing Amount (via Time Sheet),(කාල පත්රය හරහා) මුළු සැඳුම්ලත් මුදල
DocType: Item Website Specification,Item Website Specification,අයිතමය වෙබ් අඩවිය පිරිවිතර
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,අවසරය ඇහිරීම
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},අයිතමය {0} {1} මත ජීවය එහි අවසානය කරා එළඹ ඇති
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},අයිතමය {0} {1} මත ජීවය එහි අවසානය කරා එළඹ ඇති
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,බැංකු අයැදුම්පත්
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,වාර්ෂික
DocType: Stock Reconciliation Item,Stock Reconciliation Item,කොටස් ප්රතිසන්ධාන අයිතමය
@@ -313,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,අවම සාමය යවන ලද
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,ශිෂ්ය කණ්ඩායම් නිර්මාණය මෙවලම පාඨමාලා
DocType: Lead,Do Not Contact,අමතන්න එපා
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,ඔබගේ සංවිධානය ට උගන්වන්න අය
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,ඔබගේ සංවිධානය ට උගන්වන්න අය
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,සියලු නැවත නැවත ඉන්වොයිස් පත්ර සොයා ගැනීම සඳහා අනුපම ID. මෙය ඉදිරිපත් කළ මත ජනනය කරනු ලැබේ.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,මෘදුකාංග සංවර්ධකයා
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,මෘදුකාංග සංවර්ධකයා
DocType: Item,Minimum Order Qty,අවම සාමය යවන ලද
DocType: Pricing Rule,Supplier Type,සැපයුම්කරු වර්ගය
DocType: Course Scheduling Tool,Course Start Date,පාඨමාලා ආරම්භය දිනය
@@ -324,11 +326,11 @@
DocType: Item,Publish in Hub,Hub දී ප්රකාශයට පත් කරනු ලබයි
DocType: Student Admission,Student Admission,ශිෂ්ය ඇතුළත් කිරීම
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,අයිතමය {0} අවලංගුයි
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,අයිතමය {0} අවලංගුයි
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,"ද්රව්ය, ඉල්ලීම්"
DocType: Bank Reconciliation,Update Clearance Date,යාවත්කාලීන නිශ්කාශනෙය් දිනය
DocType: Item,Purchase Details,මිලදී විස්තර
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"අයිතමය {0} මිලදී ගැනීමේ නියෝගයක් {1} තුළ ', අමු ද්රව්ය සැපයූ' වගුව තුල සොයාගත නොහැකි"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"අයිතමය {0} මිලදී ගැනීමේ නියෝගයක් {1} තුළ ', අමු ද්රව්ය සැපයූ' වගුව තුල සොයාගත නොහැකි"
DocType: Employee,Relation,සම්බන්ධතා
DocType: Shipping Rule,Worldwide Shipping,ලොව පුරා නැව්
DocType: Student Guardian,Mother,මව
@@ -347,6 +349,7 @@
DocType: Student Group Student,Student Group Student,ශිෂ්ය කණ්ඩායම් ශිෂ්ය
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,නවතම
DocType: Vehicle Service,Inspection,පරීක්ෂණ
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,ලැයිස්තුව
DocType: Email Digest,New Quotations,නව මිල ගණන්
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,සේවක තෝරාගත් කැමති ඊ-තැපැල් මත පදනම් සේවකයාට විද්යුත් තැපැල් පණිවුඩ වැටුප් ස්ලිප්
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,ලැයිස්තුවේ ඇති පළමු නිවාඩු Approver පෙරනිමි නිවාඩු Approver ලෙස ස්ථාපනය කරනු ලබන
@@ -355,20 +358,20 @@
DocType: Asset,Next Depreciation Date,ඊළඟ ක්ෂය දිනය
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,සේවක අනුව ලද වියදම
DocType: Accounts Settings,Settings for Accounts,ගිණුම් සඳහා සැකසුම්
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},සැපයුම්කරු ගෙවීම් නොමැත ගැනුම් {0} පවතින
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},සැපයුම්කරු ගෙවීම් නොමැත ගැනුම් {0} පවතින
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,විකුණුම් පුද්ගලයෙක් රුක් කළමනාකරණය කරන්න.
DocType: Job Applicant,Cover Letter,ආවරණ ලිපිය
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,පැහැදිලි කිරීමට කැපී පෙනෙන චෙක්පත් සහ තැන්පතු
DocType: Item,Synced With Hub,Hub සමඟ සමමුහුර්ත
DocType: Vehicle,Fleet Manager,ඇණිය කළමනාකරු
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},පේළියේ # {0}: {1} අයිතමය {2} සඳහා සෘණ විය නොහැකි
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,වැරදි මුරපදය
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,වැරදි මුරපදය
DocType: Item,Variant Of,අතරින් ප්රභේද්යයක්
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',අවසන් යවන ලද 'යවන ලද නිෂ්පාදනය සඳහා' ට වඩා වැඩි විය නොහැක
DocType: Period Closing Voucher,Closing Account Head,වසා ගිණුම ප්රධානී
DocType: Employee,External Work History,විදේශ රැකියා ඉතිහාසය
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,වටරවුම් විමර්ශන දෝෂ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1 නම
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 නම
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,ඔබ සැපයුම් සටහන බේරා වරක් වචන (අපනයන) දෘශ්යමාන වනු ඇත.
DocType: Cheque Print Template,Distance from left edge,ඉතිරි අද්දර සිට දුර
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{2}] (# ආකෘතිය / ගබඩා / {2}) සොයාගෙන [{1}] ඒකක (# ආකෘතිය / අයිතමය / {1})
@@ -377,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,ස්වයංක්රීය ද්රව්ය ඉල්ලීම් නිර්මානය කිරීම මත ඊ-මේල් මගින් දැනුම් දෙන්න
DocType: Journal Entry,Multi Currency,බහු ව්යවහාර මුදල්
DocType: Payment Reconciliation Invoice,Invoice Type,ඉන්වොයිසිය වර්ගය
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,සැපයුම් සටහන
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,සැපයුම් සටහන
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,බදු සකස් කිරීම
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,අලෙවි වත්කම් පිරිවැය
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,ඔබ එය ඇද පසු ගෙවීම් සටහන් වෙනස් කර ඇත. කරුණාකර එය නැවත නැවත අදින්න.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} අයිතමය බදු දී දෙවරක් ඇතුළත්
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,ඔබ එය ඇද පසු ගෙවීම් සටහන් වෙනස් කර ඇත. කරුණාකර එය නැවත නැවත අදින්න.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} අයිතමය බදු දී දෙවරක් ඇතුළත්
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,මේ සතියේ හා ෙ කටයුතු සඳහා සාරාංශය
DocType: Student Applicant,Admitted,ඇතුළත්
DocType: Workstation,Rent Cost,කුලියට වියදම
@@ -400,25 +403,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,ක්ෂේත්රයේ අගය දිනය මාසික මත නැවත නැවත 'ඇතුලත් කරන්න
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,පාරිභෝගික ව්යවහාර මුදල් පාරිභෝගික පදනම මුදල් බවට පරිවර්තනය වන අවස්ථාවේ අනුපාතය
DocType: Course Scheduling Tool,Course Scheduling Tool,පාඨමාලා අවස මෙවලම
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ෙරෝ # {0}: ගැනුම් දැනට පවතින වත්කම් {1} එරෙහිව කළ නොහැකි
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ෙරෝ # {0}: ගැනුම් දැනට පවතින වත්කම් {1} එරෙහිව කළ නොහැකි
DocType: Item Tax,Tax Rate,බදු අනුපාතය
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} කාලයක් සඳහා සේවක {1} සඳහා වන විටත් වෙන් {2} {3} වෙත
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,විෂය තෝරා
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,මිලදී ගැනීම ඉන්වොයිසිය {0} දැනටමත් ඉදිරිපත්
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,මිලදී ගැනීම ඉන්වොයිසිය {0} දැනටමත් ඉදිරිපත්
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},ෙරෝ # {0}: කණ්ඩායම කිසිදු {1} {2} ලෙස සමාන විය යුතුයි
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,නොවන සමූහ පරිවර්තනය
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,කණ්ඩායම (ගොඩක්) යනු විෂය ය.
DocType: C-Form Invoice Detail,Invoice Date,ඉන්වොයිසිය දිනය
DocType: GL Entry,Debit Amount,ඩෙබිට් මුදල
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},එහි එකම {0} {1} තුළ සමාගම අනුව 1 ගිණුම විය හැක
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,කරුණාකර ඇමුණුම බලන්න
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},එහි එකම {0} {1} තුළ සමාගම අනුව 1 ගිණුම විය හැක
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,කරුණාකර ඇමුණුම බලන්න
DocType: Purchase Order,% Received,% ලැබී
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,ශිෂ්ය කණ්ඩායම් නිර්මාණය කරන්න
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,මේ වන විටත් සම්පූර්ණ setup !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,ණය සටහන මුදල
,Finished Goods,නිමි භාණ්ඩ
DocType: Delivery Note,Instructions,උපදෙස්
DocType: Quality Inspection,Inspected By,පරීක්ෂා කරන ලද්දේ
DocType: Maintenance Visit,Maintenance Type,නඩත්තු වර්ගය
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} පාඨමාලා {2} ලියාපදිංචි වී නොමැති
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},අනු අංකය {0} සැපයුම් සටහන {1} අයත් නොවේ
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,අයිතම එකතු කරන්න
@@ -441,7 +446,7 @@
DocType: Request for Quotation,Request for Quotation,උද්ධෘත සඳහා ඉල්ලුම්
DocType: Salary Slip Timesheet,Working Hours,වැඩ කරන පැය
DocType: Naming Series,Change the starting / current sequence number of an existing series.,දැනට පවතින මාලාවේ ආරම්භක / වත්මන් අනුක්රමය අංකය වෙනස් කරන්න.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,නව පාරිභෝගික නිර්මාණය
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,නව පාරිභෝගික නිර්මාණය
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","බහු මිල නියම රීති පවතින දිගටම සිදු වන්නේ නම්, පරිශීලකයන් ගැටුම විසඳීමට අතින් ප්රමුඛ සකස් කරන ලෙස ඉල්ලා ඇත."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,මිලදී ගැනීම නියෝග නිර්මාණය
,Purchase Register,මිලදී රෙජිස්ටර්
@@ -453,7 +458,7 @@
DocType: Student Log,Medical,වෛද්ය
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,අහිමි හේතුව
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,ඊයම් න පෙරමුණ ලෙස සමාන විය නොහැකි
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,unadjusted ප්රමාණය ට වඩා වැඩි මුදලක් වෙන් කර ගත යුතු නොවේ
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,unadjusted ප්රමාණය ට වඩා වැඩි මුදලක් වෙන් කර ගත යුතු නොවේ
DocType: Announcement,Receiver,ලබන්නා
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},සේවා පරිගණකයක් නිවාඩු ලැයිස්තුව අනුව පහත සඳහන් දිනවලදී වසා ඇත: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,අවස්ථාවන්
@@ -467,8 +472,7 @@
DocType: Assessment Plan,Examiner Name,පරීක්ෂක නම
DocType: Purchase Invoice Item,Quantity and Rate,ප්රමාණය හා වේගය
DocType: Delivery Note,% Installed,% ප්රාප්ත
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,පන්ති කාමර / රසායනාගාර ආදිය දේශන නියමිත කළ හැකි.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,සැපයුම්කරු> සැපයුම්කරු වර්ගය
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,පන්ති කාමර / රසායනාගාර ආදිය දේශන නියමිත කළ හැකි.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,සමාගමේ නම පළමු ඇතුලත් කරන්න
DocType: Purchase Invoice,Supplier Name,සපයන්නාගේ නම
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,මෙම ERPNext අත්පොත කියවන්න
@@ -478,7 +482,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,පරීක්ෂා කරන්න සැපයුම්කරු ඉන්වොයිසිය අංකය අනන්යතාව
DocType: Vehicle Service,Oil Change,තෙල් වෙනස්
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','නඩු අංක කිරීම' 'නඩු අංක සිට' ට වඩා අඩු විය නොහැක
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,ලාභය නොවන
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,ලාභය නොවන
DocType: Production Order,Not Started,ආරම්භ වී නැත
DocType: Lead,Channel Partner,චැනල් සහයෝගිතාකරු
DocType: Account,Old Parent,පරණ මාපිය
@@ -489,19 +493,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,සියලු නිෂ්පාදන ක්රියාවලීන් සඳහා වන ගෝලීය සැකසුම්.
DocType: Accounts Settings,Accounts Frozen Upto,ගිණුම් ශීත කළ තුරුත්
DocType: SMS Log,Sent On,දා යවන
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,ගති ලක්ෂණය {0} දන්ත ධාතුන් වගුව කිහිපවතාවක් තෝරාගත්
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,ගති ලක්ෂණය {0} දන්ත ධාතුන් වගුව කිහිපවතාවක් තෝරාගත්
DocType: HR Settings,Employee record is created using selected field. ,සේවක වාර්තාවක් තෝරාගත් ක්ෂේත්ර භාවිතා කිරීමෙන්ය.
DocType: Sales Order,Not Applicable,අදාළ නොවේ
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,නිවාඩු ස්වාමියා.
DocType: Request for Quotation Item,Required Date,අවශ්ය දිනය
DocType: Delivery Note,Billing Address,බිල්පත් ලිපිනය
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,විෂය සංග්රහයේ ඇතුලත් කරන්න.
DocType: BOM,Costing,ක වියදමින්
DocType: Tax Rule,Billing County,බිල්පත් කවුන්ටි
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","පරීක්ෂා නම්, මේ වන විටත් මුද්රණය අනුපාතිකය / මුද්රණය මුදල ඇතුළත් ලෙස බදු මුදල සලකා බලනු ලැබේ"
DocType: Request for Quotation,Message for Supplier,සැපයුම්කරු පණිවුඩය
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,යවන ලද මුළු
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 විද්යුත් හැඳුනුම්පත
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 විද්යුත් හැඳුනුම්පත
DocType: Item,Show in Website (Variant),වෙබ් අඩවිය තුල පෙන්වන්න (ප්රභේද්යයක්)
DocType: Employee,Health Concerns,සෞඛ්ය කනස්සල්ල
DocType: Process Payroll,Select Payroll Period,වැටුප් කාලය තෝරන්න
@@ -519,26 +522,28 @@
DocType: Sales Order Item,Used for Production Plan,නිශ්පාදන සැළැස්ම සඳහා භාවිතා
DocType: Employee Loan,Total Payment,මුළු ගෙවීම්
DocType: Manufacturing Settings,Time Between Operations (in mins),මෙහෙයුම් අතර කාලය (මිනිත්තු දී)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} පියවර අවසන් කළ නොහැකි නිසා අවලංගු
DocType: Customer,Buyer of Goods and Services.,භාණ්ඩ හා සේවා මිලදී ගන්නාගේ.
DocType: Journal Entry,Accounts Payable,ගෙවිය යුතු ගිණුම්
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,තෝරාගත් BOMs එම අයිතමය සඳහා නොවේ
DocType: Pricing Rule,Valid Upto,වලංගු වන තුරුත්
DocType: Training Event,Workshop,වැඩමුළුව
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,ඔබේ ගනුදෙනුකරුවන් කිහිපයක් සඳහන් කරන්න. ඔවුන් සංවිධාන හෝ පුද්ගලයින් විය හැකි ය.
-,Enough Parts to Build,ගොඩනගනු කිරීමට තරම් අමතර කොටස්
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,සෘජු ආදායම්
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,ඔබේ ගනුදෙනුකරුවන් කිහිපයක් සඳහන් කරන්න. ඔවුන් සංවිධාන හෝ පුද්ගලයින් විය හැකි ය.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,ගොඩනගනු කිරීමට තරම් අමතර කොටස්
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,සෘජු ආදායම්
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","ගිණුම් වර්ගීකරණය නම්, ගිණුම් මත පදනම් පෙරීමට නොහැකි"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,පරිපාලන නිලධාරී
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,තෝරා පාඨමාලාව කරුණාකර
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,තෝරා පාඨමාලාව කරුණාකර
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,පරිපාලන නිලධාරී
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,තෝරා පාඨමාලාව කරුණාකර
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,තෝරා පාඨමාලාව කරුණාකර
DocType: Timesheet Detail,Hrs,ට
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,කරුණාකර සමාගම තෝරා
DocType: Stock Entry Detail,Difference Account,වෙනස ගිණුම
+DocType: Purchase Invoice,Supplier GSTIN,සැපයුම්කරු GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,එහි රඳා කාර්ය {0} වසා නොවේ ලෙස සමීප කාර්ය කළ නොහැකි ය.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,ද්රව්ය ඉල්ලීම් උත්ථාන කරනු ලබන සඳහා ගබඩා ඇතුලත් කරන්න
DocType: Production Order,Additional Operating Cost,අතිරේක මෙහෙයුම් පිරිවැය
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,අලංකාර ආලේපන
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","ඒකාබද්ධ කිරීමට, පහත සඳහන් ලක්ෂණ භාණ්ඩ යන දෙකම සඳහා එකම විය යුතු"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","ඒකාබද්ධ කිරීමට, පහත සඳහන් ලක්ෂණ භාණ්ඩ යන දෙකම සඳහා එකම විය යුතු"
DocType: Shipping Rule,Net Weight,ශුද්ධ බර
DocType: Employee,Emergency Phone,හදිසි දුරකථන
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,මිලට ගන්න
@@ -548,14 +553,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,සීමකය 0% සඳහා ශ්රේණියේ නිර්වචනය කරන්න
DocType: Sales Order,To Deliver,ගලවාගනියි
DocType: Purchase Invoice Item,Item,අයිතමය
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,අනු කිසිදු අයිතමය අල්පයක් විය නොහැකි
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,අනු කිසිදු අයිතමය අල්පයක් විය නොහැකි
DocType: Journal Entry,Difference (Dr - Cr),වෙනස (ආචාර්ය - Cr)
DocType: Account,Profit and Loss,ලාභ සහ අලාභ
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,කළමනාකාර උප කොන්ත්රාත්
DocType: Project,Project will be accessible on the website to these users,ව්යාපෘති මේ පරිශීලකයන්ට එම වෙබ් අඩවිය පිවිසිය හැකි වනු ඇත
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,මිල ලැයිස්තුව මුදල් සමාගමේ පදනම මුදල් බවට පරිවර්තනය වන අවස්ථාවේ අනුපාතය
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},ගිණුම {0} සමාගම අයිති නැත: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,තවත් සමාගමක් දැනටමත් යොදා කෙටි යෙදුම්
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},ගිණුම {0} සමාගම අයිති නැත: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,තවත් සමාගමක් දැනටමත් යොදා කෙටි යෙදුම්
DocType: Selling Settings,Default Customer Group,පෙරනිමි කස්ටමර් සමූහයේ
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","ආබාධිත නම්, 'වුනාට මුළු' ක්ෂේත්රය ඕනෑම ගනුදෙනුවක් තුළ දිස් නොවන"
DocType: BOM,Operating Cost,මෙහෙයුම් පිරිවැය
@@ -563,7 +568,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,වර්ධකය 0 වෙන්න බෑ
DocType: Production Planning Tool,Material Requirement,ද්රව්ය අවශ්යතාවලින් බැහැර වන
DocType: Company,Delete Company Transactions,සමාගම ගනුදෙනු Delete
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,ෙයොමු අංකය හා විමර්ශන දිනය බැංකුවේ ගනුදෙනුව සඳහා අනිවාර්ය වේ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,ෙයොමු අංකය හා විමර්ශන දිනය බැංකුවේ ගනුදෙනුව සඳහා අනිවාර්ය වේ
DocType: Purchase Receipt,Add / Edit Taxes and Charges,/ සංස්කරණය කරන්න බදු හා ගාස්තු එකතු කරන්න
DocType: Purchase Invoice,Supplier Invoice No,සැපයුම්කරු ගෙවීම් නොමැත
DocType: Territory,For reference,පරිශීලනය සඳහා
@@ -574,22 +579,22 @@
DocType: Installation Note Item,Installation Note Item,ස්ථාපන සටහන අයිතමය
DocType: Production Plan Item,Pending Qty,විභාග යවන ලද
DocType: Budget,Ignore,නොසලකා හරිනවා
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} සක්රීය නොවන
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} සක්රීය නොවන
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},පහත දුරකථන අංක වෙත යොමු කෙටි පණිවුඩ: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,මුද්රණය සඳහා පිහිටුවීම් චෙක්පත මාන
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,මුද්රණය සඳහා පිහිටුවීම් චෙක්පත මාන
DocType: Salary Slip,Salary Slip Timesheet,වැටුප් පුරවා Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,උප කොන්ත්රාත් මිලදී ගැනීම රිසිට්පත අනිවාර්ය සැපයුම්කරු ගබඩාව
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,උප කොන්ත්රාත් මිලදී ගැනීම රිසිට්පත අනිවාර්ය සැපයුම්කරු ගබඩාව
DocType: Pricing Rule,Valid From,සිට වලංගු
DocType: Sales Invoice,Total Commission,මුළු කොමිෂන් සභාව
DocType: Pricing Rule,Sales Partner,විකුණුම් සහයෝගිතාකරු
DocType: Buying Settings,Purchase Receipt Required,මිලදී ගැනීම කුවිතාන්සිය අවශ්ය
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,"ආරම්භක තොගය තිබේ නම්, තක්සේරු අනුපාත අනිවාර්ය වේ"
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,"ආරම්භක තොගය තිබේ නම්, තක්සේරු අනුපාත අනිවාර්ය වේ"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,වාර්තා ඉන්ෙවොයිසිය වගුව සොයාගැනීමට නොමැත
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,කරුණාකර ප්රථම සමාගම හා පක්ෂ වර්ගය තෝරා
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,මූල්ය / ගිණුම් වර්ෂය.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,මූල්ය / ගිණුම් වර්ෂය.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,සමුච්චිත අගයන්
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","සමාවන්න, අනු අංක ඒකාබද්ධ කළ නොහැකි"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,විකුණුම් සාමය කරන්න
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,විකුණුම් සාමය කරන්න
DocType: Project Task,Project Task,ව්යාපෘති කාර්ය සාධක
,Lead Id,ඊයම් අංකය
DocType: C-Form Invoice Detail,Grand Total,මුලු එකතුව
@@ -606,7 +611,7 @@
DocType: Job Applicant,Resume Attachment,නැවත ආරම්භ ඇමුණුම්
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,නැවත ගනුදෙනුකරුවන්
DocType: Leave Control Panel,Allocate,වෙන්
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,විකුණුම් ප්රතිලාභ
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,විකුණුම් ප්රතිලාභ
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,සටහන: මුළු වෙන් කොළ {0} කාලය සඳහා දැනටමත් අනුමැතිය කොළ {1} ට අඩු නොවිය යුතු ය
DocType: Announcement,Posted By,පලකරන්නා
DocType: Item,Delivered by Supplier (Drop Ship),සැපයුම්කරුවන් (Drop නෞකාව) විසින් පවත්වන
@@ -616,8 +621,8 @@
DocType: Quotation,Quotation To,උද්ධෘත කිරීම
DocType: Lead,Middle Income,මැදි ආදායම්
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),විවෘත කිරීමේ (බැර)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,ඔබ මේ වන විටත් තවත් UOM සමග සමහර ගනුදෙනු (ව) කර ඇති නිසා අයිතමය සඳහා නු පෙරනිමි ඒකකය {0} සෘජුවම වෙනස් කළ නොහැක. ඔබ වෙනස් පෙරනිමි UOM භාවිතා කිරීම සඳහා නව විෂය නිර්මාණය කිරීමට අවශ්ය වනු ඇත.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,වෙන් කල මුදල සෘණ විය නොහැකි
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,ඔබ මේ වන විටත් තවත් UOM සමග සමහර ගනුදෙනු (ව) කර ඇති නිසා අයිතමය සඳහා නු පෙරනිමි ඒකකය {0} සෘජුවම වෙනස් කළ නොහැක. ඔබ වෙනස් පෙරනිමි UOM භාවිතා කිරීම සඳහා නව විෂය නිර්මාණය කිරීමට අවශ්ය වනු ඇත.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,වෙන් කල මුදල සෘණ විය නොහැකි
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,සමාගම සකස් කරන්න
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,සමාගම සකස් කරන්න
DocType: Purchase Order Item,Billed Amt,අසූහත ඒඑම්ටී
@@ -630,7 +635,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,බැංකුව සටහන් කිරීමට ගෙවීම් ගිණුම තෝරන්න
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","කොළ, වියදම් හිමිකම් සහ වැටුප් කළමනාකරණය සේවක වාර්තා නිර්මාණය"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,දැනුම මූලික එකතු කරන්න
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,යෝජනාව ලේඛන
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,යෝජනාව ලේඛන
DocType: Payment Entry Deduction,Payment Entry Deduction,ගෙවීම් සටහන් අඩු
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,තවත් විකුණුම් පුද්ගලයෙක් {0} එම සේවක අංකය සහිත පවතී
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","පරීක්ෂා නම්, උප කොන්ත්රාත් බව අයිතම සඳහා අමු ද්රව්ය ද්රව්ය ඉල්ලීම් ඇතුළත් වනු ඇත"
@@ -644,7 +649,7 @@
DocType: Timesheet,Billed,අසූහත
DocType: Batch,Batch Description,කණ්ඩායම විස්තරය
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,නිර්මාණය ශිෂ්ය කණ්ඩායම්
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","තනා නැති ගෙවීම් ගේට්වේ ගිණුම, අතින් එකක් නිර්මාණය කරන්න."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","තනා නැති ගෙවීම් ගේට්වේ ගිණුම, අතින් එකක් නිර්මාණය කරන්න."
DocType: Sales Invoice,Sales Taxes and Charges,විකුණුම් බදු හා ගාස්තු
DocType: Employee,Organization Profile,සංවිධානය නරඹන්න
DocType: Student,Sibling Details,සහෝදර විස්තර
@@ -666,11 +671,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,බඩු තොග ශුද්ධ වෙනස්
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,සේවක ණය කළමනාකරණ
DocType: Employee,Passport Number,විදේශ ගමන් බලපත්ර අංකය
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Guardian2 සමඟ සම්බන්ධය
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,කළමනාකරු
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2 සමඟ සම්බන්ධය
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,කළමනාකරු
DocType: Payment Entry,Payment From / To,/ සිට දක්වා ගෙවීම්
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},නව ණය සීමාව පාරිභෝගික වත්මන් හිඟ මුදල වඩා අඩු වේ. ණය සීමාව බෙ {0} විය යුතුය
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,එම අයිතමය කිහිපවතාවක් ඇතුළත් කර නොමැත.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},නව ණය සීමාව පාරිභෝගික වත්මන් හිඟ මුදල වඩා අඩු වේ. ණය සීමාව බෙ {0} විය යුතුය
DocType: SMS Settings,Receiver Parameter,ලබන්නා පරාමිති
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'මත පදනම් වූ' සහ 'කණ්ඩායම විසින්' සමාන විය නොහැකි
DocType: Sales Person,Sales Person Targets,විකුණුම් පුද්ගලයා ඉලක්ක
@@ -679,8 +683,9 @@
DocType: Issue,Resolution Date,යෝජනාව දිනය
DocType: Student Batch Name,Batch Name,කණ්ඩායම නම
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timesheet නිර්මාණය:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},ගෙවීම් ප්රකාරය {0} පැහැර මුදල් හෝ බැංකු ගිණුම් සකස් කරන්න
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},ගෙවීම් ප්රකාරය {0} පැහැර මුදල් හෝ බැංකු ගිණුම් සකස් කරන්න
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,ලියාපදිංචි
+DocType: GST Settings,GST Settings,GST සැකසුම්
DocType: Selling Settings,Customer Naming By,පාරිභෝගික නම් කිරීම මගින්
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,ශිෂ්ය මාසික පැමිණීම වාර්තා තුළ වර්තමාන ලෙස ශිෂ්ය පෙන්වයි
DocType: Depreciation Schedule,Depreciation Amount,ක්ෂය ප්රමාණය
@@ -702,6 +707,7 @@
DocType: Item,Material Transfer,ද්රව්ය හුවමාරු
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),විවෘත කිරීමේ (ආචාර්ය)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},"ගිය තැන, වේලාමුද්රාව {0} පසු විය යුතුය"
+,GST Itemised Purchase Register,GST අයිතමගත මිලදී ගැනීම ලියාපදිංචි
DocType: Employee Loan,Total Interest Payable,සම්පූර්ණ පොලී ගෙවිය යුතු
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,වියදම බදු හා ගාස්තු ගොඩ බස්වන ලදී
DocType: Production Order Operation,Actual Start Time,සැබෑ ආරම්භය කාල
@@ -730,10 +736,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
DocType: Account,Accounts,ගිණුම්
DocType: Vehicle,Odometer Value (Last),Odometer අගය (අවසන්)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,අලෙවි
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,අලෙවි
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,ගෙවීම් සටහන් දැනටමත් නිර්මාණය
DocType: Purchase Receipt Item Supplied,Current Stock,වත්මන් කොටස්
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},ෙරෝ # {0}: වත්කම් {1} අයිතමය {2} සම්බන්ධ නැහැ
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},ෙරෝ # {0}: වත්කම් {1} අයිතමය {2} සම්බන්ධ නැහැ
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,පෙරදසුන වැටුප කුවිතාන්සියක්
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,ගිණුම {0} වාර කිහිපයක් ඇතුලත් කර ඇත
DocType: Account,Expenses Included In Valuation,ඇතුලත් තක්සේරු දී වියදම්
@@ -741,7 +747,7 @@
,Absent Student Report,නැති කල ශිෂ්ය වාර්තාව
DocType: Email Digest,Next email will be sent on:,ඊළඟ ඊ-තැපැල් යවා වනු ඇත:
DocType: Offer Letter Term,Offer Letter Term,ලිපිය කාලීන ඉදිරිපත්
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,අයිතමය ප්රභේද ඇත.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,අයිතමය ප්රභේද ඇත.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,අයිතමය {0} සොයාගත නොහැකි
DocType: Bin,Stock Value,කොටස් අගය
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,සමාගම {0} නොපවතියි
@@ -750,8 +756,8 @@
DocType: Serial No,Warranty Expiry Date,"වගකීම්, කල් ඉකුත්වන දිනය,"
DocType: Material Request Item,Quantity and Warehouse,ප්රමාණය හා ගබඩා
DocType: Sales Invoice,Commission Rate (%),කොමිසම අනුපාතිකය (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,කරුණාකර වැඩසටහන තෝරා
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,කරුණාකර වැඩසටහන තෝරා
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,කරුණාකර වැඩසටහන තෝරා
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,කරුණාකර වැඩසටහන තෝරා
DocType: Project,Estimated Cost,තක්සේරු කළ පිරිවැය
DocType: Purchase Order,Link to material requests,ද්රව්ය ඉල්ලීම් වෙත සබැඳෙන පිටු
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,ගගන
@@ -765,14 +771,14 @@
DocType: Purchase Order,Supply Raw Materials,"සම්පාදන, අමු ද්රව්ය"
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,ඊළඟ ඉන්වොයිස් ජනනය කරනු ලබන දිනය. මෙය ඉදිරිපත් කළ මත ජනනය කරනු ලැබේ.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,ජංගම වත්කම්
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} කොටස් අයිතමය නොවේ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} කොටස් අයිතමය නොවේ
DocType: Mode of Payment Account,Default Account,පෙරනිමි ගිණුම
DocType: Payment Entry,Received Amount (Company Currency),ලැබී ප්රමාණය (සමාගම ව්යවහාර මුදල්)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,"අවස්ථා පෙරමුණ සිදු කෙරේ නම්, ඊයම් තබා ගත යුතුය"
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,කරුණාකර සතිපතා ලකුණු දින තෝරා
DocType: Production Order Operation,Planned End Time,සැලසුම්ගත අවසන් වන වේලාව
,Sales Person Target Variance Item Group-Wise,විකුණුම් පුද්ගලයා ඉලක්ක විචලතාව අයිතමය සමූහ ප්රාඥ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,පවත්නා ගනුදෙනුව ගිණුමක් ලෙජර් බවට පරිවර්තනය කළ නොහැකි
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,පවත්නා ගනුදෙනුව ගිණුමක් ලෙජර් බවට පරිවර්තනය කළ නොහැකි
DocType: Delivery Note,Customer's Purchase Order No,පාරිභෝගික මිලදී ගැනීමේ නියෝගයක් නැත
DocType: Budget,Budget Against,එරෙහි අයවැය
DocType: Employee,Cell Number,සෛල අංකය
@@ -784,15 +790,13 @@
DocType: Opportunity,Opportunity From,සිට අවස්ථාව
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,මාසික වැටුප ප්රකාශයක්.
DocType: BOM,Website Specifications,වෙබ් අඩවිය පිරිවිතර
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,කරුණාකර Setup> අංක ශ්රේණි හරහා පැමිණීම සඳහා පිහිටුවීම් අංක මාලාවක්
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: {0} වර්ගයේ {1} සිට
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,ෙරෝ {0}: පරිවර්තන සාධකය අනිවාර්ය වේ
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,ෙරෝ {0}: පරිවර්තන සාධකය අනිවාර්ය වේ
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","බහු මිල රීති එම නිර්ණායක සමග පවතී, ප්රමුඛත්වය යොමු කිරීම මගින් ගැටුම විසඳීමට කරන්න. මිල රීති: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,එය අනෙක් BOMs සම්බන්ධ වන ලෙස ද ෙව් විසන්ධි කිරීම හෝ අවලංගු කිරීම කළ නොහැකි
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","බහු මිල රීති එම නිර්ණායක සමග පවතී, ප්රමුඛත්වය යොමු කිරීම මගින් ගැටුම විසඳීමට කරන්න. මිල රීති: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,එය අනෙක් BOMs සම්බන්ධ වන ලෙස ද ෙව් විසන්ධි කිරීම හෝ අවලංගු කිරීම කළ නොහැකි
DocType: Opportunity,Maintenance,නඩත්තු
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},විෂය {0} සඳහා අවශ්ය මිලදී රිසිට්පත අංකය
DocType: Item Attribute Value,Item Attribute Value,අයිතමය Attribute අගය
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,විකුණුම් ව්යාපාර.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Timesheet කරන්න
@@ -825,30 +829,30 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},ජර්නල් සටහන් {0} හරහා ඒම වත්කම්
DocType: Employee Loan,Interest Income Account,පොලී ආදායම ගිණුම
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,ජෛව තාක්ෂණ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,කාර්යාලය නඩත්තු වියදම්
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,කාර්යාලය නඩත්තු වියදම්
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ඊ-තැපැල් ගිණුම සකස් කිරීම
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,පළමු අයිතමය ඇතුලත් කරන්න
DocType: Account,Liability,වගකීම්
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,අනුමැතිය ලත් මුදල ෙරෝ {0} තුළ හිමිකම් ප්රමාණය ට වඩා වැඩි විය නොහැක.
DocType: Company,Default Cost of Goods Sold Account,විදුලි උපකරණ පැහැර වියදම ගිණුම අලෙවි
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,මිල ලැයිස්තුව තෝරා ගෙන නොමැති
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,මිල ලැයිස්තුව තෝරා ගෙන නොමැති
DocType: Employee,Family Background,පවුල් පසුබිම
DocType: Request for Quotation Supplier,Send Email,යවන්න විද්යුත්
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},අවවාදයයි: වලංගු නොවන ඇමුණුම් {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},අවවාදයයි: වලංගු නොවන ඇමුණුම් {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,කිසිදු අවසරය
DocType: Company,Default Bank Account,පෙරනිමි බැංකු ගිණුම්
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","පක්ෂය මත පදනම් පෙරහන් කිරීමට ප්රථම, පක්ෂය වර්ගය තෝරා"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},භාණ්ඩ {0} හරහා ලබා නැති නිසා 'යාවත්කාලීන කොටස්' පරීක්ෂා කළ නොහැකි
DocType: Vehicle,Acquisition Date,අත්පත් කර ගැනීම දිනය
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,අංක
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,අංක
DocType: Item,Items with higher weightage will be shown higher,අයිතම ඉහළ weightage සමග ඉහළ පෙන්වනු ලැබේ
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,බැංකු සැසඳුම් විස්තර
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,ෙරෝ # {0}: වත්කම් {1} ඉදිරිපත් කළ යුතුය
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,ෙරෝ # {0}: වත්කම් {1} ඉදිරිපත් කළ යුතුය
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,සොයා ගත් සේවකයෙකු කිසිදු
DocType: Supplier Quotation,Stopped,නතර
DocType: Item,If subcontracted to a vendor,එය ඔබම කිරීමට උප කොන්ත්රාත්තු නම්
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,ශිෂ්ය කණ්ඩායම් මේ වන විටත් යාවත්කාලීන කෙරේ.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,ශිෂ්ය කණ්ඩායම් මේ වන විටත් යාවත්කාලීන කෙරේ.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,ශිෂ්ය කණ්ඩායම් මේ වන විටත් යාවත්කාලීන කෙරේ.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,ශිෂ්ය කණ්ඩායම් මේ වන විටත් යාවත්කාලීන කෙරේ.
DocType: SMS Center,All Customer Contact,සියලු පාරිභෝගික ඇමතුම්
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,CSV හරහා කොටස් ඉතිරි උඩුගත කරන්න.
DocType: Warehouse,Tree Details,රුක් විස්තර
@@ -860,13 +864,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: පිරිවැය මධ්යස්ථානය {2} සමාගම {3} අයත් නොවේ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: ගිණුම් {2} සහිත සමූහය විය නොහැකි
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,අයිතමය ෙරෝ {idx}: {doctype} {docname} ඉහත '{doctype}' වගුවේ නොපවතියි
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Timesheet {0} වන විට අවසන් කර හෝ අවලංගු වේ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} වන විට අවසන් කර හෝ අවලංගු වේ
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,කිසිදු කාර්යයන්
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","මෝටර් රථ ඉන්වොයිස් 05, 28 ආදී උදා ජනනය කරන මාසික දවස"
DocType: Asset,Opening Accumulated Depreciation,සමුච්චිත ක්ෂය විවෘත
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,ලකුණු අඩු හෝ 5 දක්වා සමාන විය යුතුයි
DocType: Program Enrollment Tool,Program Enrollment Tool,වැඩසටහන ඇතුළත් මෙවලම
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,C-ආකෘතිය වාර්තා
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C-ආකෘතිය වාර්තා
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,පාරිභෝගික සහ සැපයුම්කරුවන්
DocType: Email Digest,Email Digest Settings,විද්යුත් Digest සැකසුම්
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,ඔබේ ව්යාපාරය සඳහා ඔබට ස්තුතියි!
@@ -876,17 +880,19 @@
DocType: Bin,Moving Average Rate,වෙනස්වන සාමාන්යය අනුපාතිකය
DocType: Production Planning Tool,Select Items,අයිතම තෝරන්න
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} පනත් කෙටුම්පත {1} එරෙහිව දිනැති {2}
+DocType: Program Enrollment,Vehicle/Bus Number,වාහන / බස් අංකය
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,පාඨමාලා කාලසටහන
DocType: Maintenance Visit,Completion Status,අවසන් වූ තත්ත්වය
DocType: HR Settings,Enter retirement age in years,වසර විශ්රාම ගන්නා වයස අවුරුදු ඇතුලත් කරන්න
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,ඉලක්ක ගබඩාව
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,කරුණාකර ගබඩා තෝරා
DocType: Cheque Print Template,Starting location from left edge,ඉතිරි අද්දර සිට ස්ථානය ආරම්භ
DocType: Item,Allow over delivery or receipt upto this percent,මෙම සියයට දක්වා බෙදා හැරීමේ හෝ රිසිට් කට ඉඩ දෙන්න
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,ආනයන පැමිණීම
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,සියලු විෂයාංක කණ්ඩායම්
DocType: Process Payroll,Activity Log,ක්රියාකාරකම් ලොග්
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,ශුද්ධ ලාභය / අඞු කිරීමට
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,ශුද්ධ ලාභය / අඞු කිරීමට
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,ස්වයංක්රීයව ගනුදෙනු ඉදිරිපත් කරන පණිවිඩය රචනා.
DocType: Production Order,Item To Manufacture,අයිතමය නිෂ්පාදනය කිරීම සඳහා
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} තත්ත්වය {2} වේ
@@ -895,16 +901,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,ගෙවීම සාමය මිලදී
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,ප්රක්ෂේපිත යවන ලද
DocType: Sales Invoice,Payment Due Date,ගෙවීම් නියමිත දිනය
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,අයිතමය ප්රභේද්යයක් {0} දැනටමත් එම ලක්ෂණ සහිත පවතී
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,අයිතමය ප්රභේද්යයක් {0} දැනටමත් එම ලක්ෂණ සහිත පවතී
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','විවෘත'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,විවෘත එක්කෙනාගේ
DocType: Notification Control,Delivery Note Message,සැපයුම් සටහන පණිවුඩය
DocType: Expense Claim,Expenses,වියදම්
+,Support Hours,සහාය පැය
DocType: Item Variant Attribute,Item Variant Attribute,අයිතමය ප්රභේද්යයක් Attribute
,Purchase Receipt Trends,මිලදී ගැනීම රිසිට්පත ප්රවණතා
DocType: Process Payroll,Bimonthly,Bimonthly
DocType: Vehicle Service,Brake Pad,තිරිංග Pad
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,පර්යේෂණ හා සංවර්ධන
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,පර්යේෂණ හා සංවර්ධන
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,පනත් කෙටුම්පත මුදල
DocType: Company,Registration Details,ලියාපදිංචි විස්තර
DocType: Timesheet,Total Billed Amount,මුළු අසූහත මුදල
@@ -917,12 +924,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,", අමු ද්රව්ය පමණක් ලබා"
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,කාර්ය සාධන ඇගයීම්.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","සාප්පු සවාරි කරත්ත සක්රීය වේ පරිදි, '' කරත්තයක් සඳහා භාවිතා කරන්න 'සක්රීය කිරීම හා ෂොපිං කරත්ත සඳහා අවම වශයෙන් එක් බදු පාලනය කිරීමට හැකි විය යුතුය"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","එය මේ කුවිතාන්සියේ අත්තිකාරම් වශයෙන් ඇද ගත යුතු නම්, ගෙවීම් සටහන් {0} සාමය {1} හා සම්බන්ධ කර තිබේ, පරීක්ෂා කරන්න."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","එය මේ කුවිතාන්සියේ අත්තිකාරම් වශයෙන් ඇද ගත යුතු නම්, ගෙවීම් සටහන් {0} සාමය {1} හා සම්බන්ධ කර තිබේ, පරීක්ෂා කරන්න."
DocType: Sales Invoice Item,Stock Details,කොටස් විස්තර
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,ව්යාපෘති අගය
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,පේදුරු-of-Sale විකිණීමට
DocType: Vehicle Log,Odometer Reading,මීටරෙය්
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","ගිණුම් ශේෂය දැනටමත් ණය, ඔබ නියම කිරීමට අවසර නැත 'ඩෙබිට්' ලෙස 'ශේෂ විය යුතුයි'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","ගිණුම් ශේෂය දැනටමත් ණය, ඔබ නියම කිරීමට අවසර නැත 'ඩෙබිට්' ලෙස 'ශේෂ විය යුතුයි'"
DocType: Account,Balance must be,ශේෂ විය යුතුය
DocType: Hub Settings,Publish Pricing,මිල නියම කිරීම ප්රකාශයට පත් කරනු ලබයි
DocType: Notification Control,Expense Claim Rejected Message,වියදම් හිමිකම් පණිවුඩය ප්රතික්ෂේප
@@ -932,7 +939,7 @@
DocType: Salary Slip,Working Days,වැඩ කරන දවස්
DocType: Serial No,Incoming Rate,ලැබෙන අනුපාත
DocType: Packing Slip,Gross Weight,දළ බර
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,ඔබ මෙම පද්ධතිය සකස්කර සඳහා ඔබේ සමාගම සඳහා වන නම.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,ඔබ මෙම පද්ධතිය සකස්කර සඳහා ඔබේ සමාගම සඳහා වන නම.
DocType: HR Settings,Include holidays in Total no. of Working Days,කිසිදු මුළු නිවාඩු දින ඇතුලත් වේ. වැඩ කරන දින වල
DocType: Job Applicant,Hold,පැවැත්වීමට
DocType: Employee,Date of Joining,සමඟ සම්බන්ධවීම දිනය
@@ -943,20 +950,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,මිලදී ගැනීම කුවිතාන්සිය
,Received Items To Be Billed,ලැබී අයිතම බිල්පතක්
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,ඉදිරිපත් වැටුප් ශ්රී ලංකා අන්තර් බැංකු ගෙවීම් පද්ධතිය
-DocType: Employee,Ms,මෙනෙවිය
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,මුදල් හුවමාරු අනුපාතය ස්වාමියා.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},විමර්ශන Doctype {0} එකක් විය යුතුය
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,මුදල් හුවමාරු අනුපාතය ස්වාමියා.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},විමර්ශන Doctype {0} එකක් විය යුතුය
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},මෙහෙයුම {1} සඳහා ඉදිරි {0} දින තුළ කාල Slot සොයා ගැනීමට නොහැකි
DocType: Production Order,Plan material for sub-assemblies,උප-එකලස්කිරීම් සඳහා සැලසුම් ද්රව්ය
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,විකුණුම් හවුල්කරුවන් සහ ප්රාට්රද්ීයය
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,එහි ගිණුමේ කොටස් ඉතිරි දැනටමත් ලෙස ස්වයංක්රීයව ගිණුම් තැනීම සිදු කල නොහැකිව ඇත. ඔබ මෙම ගබඩා මත ප්රවේශය කළ හැකි පෙර ඔබ ගැලපෙන ගිණුමක් නිර්මාණය කර ගත යුතුය
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,ද්රව්ය ලේඛණය {0} ක්රියාකාරී විය යුතුය
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,ද්රව්ය ලේඛණය {0} ක්රියාකාරී විය යුතුය
DocType: Journal Entry,Depreciation Entry,ක්ෂය සටහන්
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,කරුණාකර පළමු ලිපි වර්ගය තෝරා
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,මෙම නඩත්තු සංචාරය අවලංගු කර පෙර ද්රව්ය සංචාර {0} අවලංගු කරන්න
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},අනු අංකය {0} අයිතමය අයිති නැත {1}
DocType: Purchase Receipt Item Supplied,Required Qty,අවශ්ය යවන ලද
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,පවත්නා ගනුදෙනුව සමග බඞු ගබඞාව ලෙජර් පරිවර්තනය කළ නොහැක.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,පවත්නා ගනුදෙනුව සමග බඞු ගබඞාව ලෙජර් පරිවර්තනය කළ නොහැක.
DocType: Bank Reconciliation,Total Amount,මුලු වටිනාකම
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,අන්තර්ජාල ප්රකාශන
DocType: Production Planning Tool,Production Orders,නිෂ්පාදන නියෝග
@@ -971,25 +976,26 @@
DocType: Fee Structure,Components,සංරචක
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},විෂය {0} තුළ වත්කම් ප්රවර්ගය ඇතුලත් කරන්න
DocType: Quality Inspection Reading,Reading 6,කියවීම 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,{0} නොහැකි {1} {2} සෘණාත්මක කැපී පෙනෙන ඉන්වොයිස් තොරව
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,{0} නොහැකි {1} {2} සෘණාත්මක කැපී පෙනෙන ඉන්වොයිස් තොරව
DocType: Purchase Invoice Advance,Purchase Invoice Advance,මිලදී ගැනීම ඉන්වොයිසිය අත්තිකාරම්
DocType: Hub Settings,Sync Now,දැන් සමමුහුර්ත කරන්න
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},ෙරෝ {0}: ක්රෙඩිට් විසයක් {1} සමග සම්බන්ධ විය නොහැකි
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,මූල්ය වර්ෂය සඳහා අයවැය අර්ථ දක්වන්න.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,මූල්ය වර්ෂය සඳහා අයවැය අර්ථ දක්වන්න.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,මෙම ප්රකාරයේදී තෝරාගත් විට ප්රකෘති බැංකුව / මුදල් ගිණුම ස්වංක්රීයව POS ඉන්වොයිසිය ගැන යාවත්කාලීන කිරීම ද සිදු කරනු ලැබේ.
DocType: Lead,LEAD-,LEAD-
DocType: Employee,Permanent Address Is,ස්ථිර ලිපිනය
DocType: Production Order Operation,Operation completed for how many finished goods?,මෙහෙයුම කොපමණ නිමි භාණ්ඩ සඳහා සම්පූර්ණ?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,සන්නාම
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,සන්නාම
DocType: Employee,Exit Interview Details,පිටවීමේ සම්මුඛ පරීක්ෂණ විස්තර
DocType: Item,Is Purchase Item,මිලදී ගැනීම අයිතමය වේ
DocType: Asset,Purchase Invoice,මිලදී ගැනීම ඉන්වොයිසිය
DocType: Stock Ledger Entry,Voucher Detail No,වවුචරය විස්තර නොමැත
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,නව විකුණුම් ඉන්වොයිසිය
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,නව විකුණුම් ඉන්වොයිසිය
DocType: Stock Entry,Total Outgoing Value,මුළු ඇමතුම් අගය
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,දිනය හා අවසාන දිනය විවෘත එම මුදල් වර්ෂය තුළ විය යුතු
DocType: Lead,Request for Information,තොරතුරු සඳහා වන ඉල්ලීම
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,සමමුහුර්ත කරන්න Offline දින ඉන්වොයිසි
+,LeaderBoard,ප්රමුඛ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,සමමුහුර්ත කරන්න Offline දින ඉන්වොයිසි
DocType: Payment Request,Paid,ගෙවුම්
DocType: Program Fee,Program Fee,වැඩසටහන ගාස්තු
DocType: Salary Slip,Total in words,වචන මුළු
@@ -998,13 +1004,13 @@
DocType: Cheque Print Template,Has Print Format,ඇත මුද්රණය ආකෘතිය
DocType: Employee Loan,Sanctioned,අනුමත
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,අනිවාර්ය වේ. සමහර විට විනිමය හුවමාරු වාර්තාවක් සඳහා නිර්මාණය කර නැත
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},ෙරෝ # {0}: අයිතමය {1} සඳහා අනු අංකය සඳහන් කරන්න
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'නිෂ්පාදන පැකේජය' භාණ්ඩ, ගබඩා, අනු අංකය හා කණ්ඩායම සඳහා කිසිඳු මෙම 'ඇසුරුම් ලැයිස්තු මේසයෙන් සලකා බලනු ඇත. ගබඩාව සහ කණ්ඩායම මෙයට කිසිම 'නිෂ්පාදන පැකේජය' අයිතමයේ සඳහා සියලු ඇසුරුම් භාණ්ඩ සඳහා සමාන වේ නම්, එම අගයන් ප්රධාන විෂය වගුවේ ඇතුළත් කළ හැකි, සාරධර්ම 'ඇසුරුම් ලැයිස්තු' වගුව වෙත පිටපත් කිරීමට නියමිතය."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},ෙරෝ # {0}: අයිතමය {1} සඳහා අනු අංකය සඳහන් කරන්න
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'නිෂ්පාදන පැකේජය' භාණ්ඩ, ගබඩා, අනු අංකය හා කණ්ඩායම සඳහා කිසිඳු මෙම 'ඇසුරුම් ලැයිස්තු මේසයෙන් සලකා බලනු ඇත. ගබඩාව සහ කණ්ඩායම මෙයට කිසිම 'නිෂ්පාදන පැකේජය' අයිතමයේ සඳහා සියලු ඇසුරුම් භාණ්ඩ සඳහා සමාන වේ නම්, එම අගයන් ප්රධාන විෂය වගුවේ ඇතුළත් කළ හැකි, සාරධර්ම 'ඇසුරුම් ලැයිස්තු' වගුව වෙත පිටපත් කිරීමට නියමිතය."
DocType: Job Opening,Publish on website,වෙබ් අඩවිය ප්රකාශයට පත් කරනු ලබයි
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,පාරිභෝගිකයන්ට භාණ්ඩ නිකුත් කිරීම්.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,"සැපයුම්කරු ගෙවීම් දිනය දිනය ගිය තැන, ශ්රී ලංකා තැපෑල වඩා වැඩි විය නොහැකි"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,"සැපයුම්කරු ගෙවීම් දිනය දිනය ගිය තැන, ශ්රී ලංකා තැපෑල වඩා වැඩි විය නොහැකි"
DocType: Purchase Invoice Item,Purchase Order Item,මිලදී ගැනීමේ නියෝගයක් අයිතමය
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,වක්ර ආදායම්
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,වක්ර ආදායම්
DocType: Student Attendance Tool,Student Attendance Tool,ශිෂ්ය පැමිණීම මෙවලම
DocType: Cheque Print Template,Date Settings,දිනය සැකසුම්
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,විචලතාව
@@ -1022,21 +1028,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,රසායනික
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,මෙම ප්රකාරයේදී තෝරාගත් විට ප්රකෘති බැංකුව / මුදල් ගිණුම ස්වංක්රීයව වැටුප ජර්නල් සටහන් දී යාවත්කාලීන වේ.
DocType: BOM,Raw Material Cost(Company Currency),අමු ද්රව්ය වියදම (සමාගම ව්යවහාර මුදල්)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,සියලු අයිතම දැනටමත් මෙම නිෂ්පාදන නියෝග සඳහා ස්ථාන මාරුවීම් ලබාදී තිබේ.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,සියලු අයිතම දැනටමත් මෙම නිෂ්පාදන නියෝග සඳහා ස්ථාන මාරුවීම් ලබාදී තිබේ.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},පේළියේ # {0}: අනුපාත {1} {2} භාවිතා අනුපාතය ට වඩා වැඩි විය නොහැක
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},පේළියේ # {0}: අනුපාත {1} {2} භාවිතා අනුපාතය ට වඩා වැඩි විය නොහැක
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,මීටර්
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,මීටර්
DocType: Workstation,Electricity Cost,විදුලිබල වියදම
DocType: HR Settings,Don't send Employee Birthday Reminders,සේවක උපන්දින මතක් යවන්න එපා
DocType: Item,Inspection Criteria,පරීක්ෂණ නිර්ණායක
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,යැවීමට
DocType: BOM Website Item,BOM Website Item,ද්රව්ය ලේඛණය වෙබ් අඩවිය අයිතමය
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,ඔබේ ලිපිය හිස සහ ලාංඡනය උඩුගත කරන්න. (ඔබ ඔවුන්ට පසුව සංස්කරණය කළ හැකි).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,ඔබේ ලිපිය හිස සහ ලාංඡනය උඩුගත කරන්න. (ඔබ ඔවුන්ට පසුව සංස්කරණය කළ හැකි).
DocType: Timesheet Detail,Bill,පනත් කෙටුම්පත
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,ඊළඟ ක්ෂය දිනය පසුගිය දිනය ලෙස ඇතුලත් කර
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,සුදු
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,සුදු
DocType: SMS Center,All Lead (Open),සියලු ඊයම් (විවෘත)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ෙරෝ {0}: පිවිසුම් කාලය පළකිරීම ගුදම් තුළ යවන ලද {4} සඳහා ලබා ගත හැකි {1} ({2} {3}) නොවේ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ෙරෝ {0}: පිවිසුම් කාලය පළකිරීම ගුදම් තුළ යවන ලද {4} සඳහා ලබා ගත හැකි {1} ({2} {3}) නොවේ
DocType: Purchase Invoice,Get Advances Paid,අත්තිකාරම් ගෙවීම්
DocType: Item,Automatically Create New Batch,නව කණ්ඩායම ස්වයංක්රීයව නිර්මාණය
DocType: Item,Automatically Create New Batch,නව කණ්ඩායම ස්වයංක්රීයව නිර්මාණය
@@ -1047,13 +1053,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,මගේ කරත්ත
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},සාමය වර්ගය {0} එකක් විය යුතුය
DocType: Lead,Next Contact Date,ඊළඟට අප අමතන්න දිනය
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,විවෘත යවන ලද
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,වෙනස් මුදල සඳහා ගිණුම් ඇතුලත් කරන්න
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,විවෘත යවන ලද
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,වෙනස් මුදල සඳහා ගිණුම් ඇතුලත් කරන්න
DocType: Student Batch Name,Student Batch Name,ශිෂ්ය කණ්ඩායම නම
DocType: Holiday List,Holiday List Name,නිවාඩු ලැයිස්තු නම
DocType: Repayment Schedule,Balance Loan Amount,ඉතිරි ණය මුදල
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,උපෙල්ඛනෙය් පාඨමාලා
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,කොටස් විකල්ප
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,කොටස් විකල්ප
DocType: Journal Entry Account,Expense Claim,වියදම් හිමිකම්
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,ඔබ ඇත්තටම කටුගා දමා වත්කම් නැවත කිරීමට අවශ්යද?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},{0} සඳහා යවන ලද
@@ -1065,12 +1071,12 @@
DocType: Company,Default Terms,පෙරනිමි කොන්දේසි
DocType: Packing Slip Item,Packing Slip Item,ඇසුරුම් පුරවා අයිතමය
DocType: Purchase Invoice,Cash/Bank Account,මුදල් / බැංකු ගිණුම්
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},ඇති {0} කරුණාකර සඳහන් කරන්න
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},ඇති {0} කරුණාකර සඳහන් කරන්න
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,ප්රමාණය සහ වටිනාකම කිසිදු වෙනසක් සමග භාණ්ඩ ඉවත් කර ඇත.
DocType: Delivery Note,Delivery To,වෙත බෙදා හැරීමේ
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,ගති ලක්ෂණය වගුව අනිවාර්ය වේ
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,ගති ලක්ෂණය වගුව අනිවාර්ය වේ
DocType: Production Planning Tool,Get Sales Orders,විකුණුම් නියෝග ලබා ගන්න
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} සෘණ විය නොහැකි
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} සෘණ විය නොහැකි
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,වට්ටමක්
DocType: Asset,Total Number of Depreciations,අගය පහත මුළු සංඛ්යාව
DocType: Sales Invoice Item,Rate With Margin,ආන්තිකය සමග අනුපාතය
@@ -1091,7 +1097,6 @@
DocType: Serial No,Creation Document No,නිර්මාණය ලේඛන නොමැත
DocType: Issue,Issue,නිකුත් කිරීම
DocType: Asset,Scrapped,කටුගා දමා
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,ගිණුම සමාගම සමග නොගැලපේ
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","විෂය ප්රභේද සඳහා ගුණාංග. උදා: තරම, වර්ණ ආදිය"
DocType: Purchase Invoice,Returns,ප්රතිලාභ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP ගබඩාව
@@ -1103,12 +1108,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,අයිතමය බොත්තම 'මිලදී ගැනීම ලැබීම් සිට අයිතම ලබා ගන්න' භාවිතා එකතු කල යුතුය
DocType: Employee,A-,ඒ-
DocType: Production Planning Tool,Include non-stock items,නොවන කොටස් භාණ්ඩ ඇතුළත්
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,විකුණුම් වියදම්
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,විකුණුම් වියදම්
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,සම්මත මිලට ගැනීම
DocType: GL Entry,Against,එරෙහි
DocType: Item,Default Selling Cost Center,පෙරනිමි විකිණීම පිරිවැය මධ්යස්ථානය
DocType: Sales Partner,Implementation Partner,ක්රියාත්මක කිරීම සහකරු
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,කලාප කේතය
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,කලාප කේතය
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},විකුණුම් සාමය {0} වේ {1}
DocType: Opportunity,Contact Info,සම්බන්ධ වීම
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,කොටස් අයැදුම්පත් කිරීම
@@ -1121,32 +1126,32 @@
DocType: Holiday List,Get Weekly Off Dates,සතිපතා Off ලබා ගන්න දිනයන්
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,අවසන් දිනය ඇරඹුම් දිනය ඊට වඩා අඩු විය නොහැක
DocType: Sales Person,Select company name first.,පළමු සමාගම නම තෝරන්න.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,ආචාර්ය
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,සැපයුම්කරුවන් ලැබෙන මිල ගණන්.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},{0} වෙත | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,සාමාන්ය වයස අවුරුදු
DocType: School Settings,Attendance Freeze Date,පැමිණීම කණ්ඩරාව දිනය
DocType: School Settings,Attendance Freeze Date,පැමිණීම කණ්ඩරාව දිනය
DocType: Opportunity,Your sales person who will contact the customer in future,ඔබේ විකිණුම් අනාගතයේ දී පාරිභොගික කරන පුද්ගලයා
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,ඔබේ සැපයුම්කරුවන් කිහිපයක් සඳහන් කරන්න. ඔවුන් සංවිධාන හෝ පුද්ගලයින් විය හැකි ය.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,ඔබේ සැපයුම්කරුවන් කිහිපයක් සඳහන් කරන්න. ඔවුන් සංවිධාන හෝ පුද්ගලයින් විය හැකි ය.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,සියලු නිෂ්පාදන බලන්න
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),අවම ඊයම් වයස (දින)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,සියලු BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,සියලු BOMs
DocType: Company,Default Currency,පෙරනිමි ව්යවහාර මුදල්
DocType: Expense Claim,From Employee,සේවක සිට
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,අවවාදයයි: පද්ධතිය අයිතමය {0} සඳහා මුදල සිට overbilling පරීක්ෂා නැහැ {1} ශුන්ය වේ දී
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,අවවාදයයි: පද්ධතිය අයිතමය {0} සඳහා මුදල සිට overbilling පරීක්ෂා නැහැ {1} ශුන්ය වේ දී
DocType: Journal Entry,Make Difference Entry,වෙනස සටහන් කරන්න
DocType: Upload Attendance,Attendance From Date,දිනය සිට පැමිණීම
DocType: Appraisal Template Goal,Key Performance Area,ප්රධාන කාර්ය සාධන ප්රදේශය
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,ප්රවාහන
+DocType: Program Enrollment,Transportation,ප්රවාහන
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,වලංගු නොවන Attribute
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} ඉදිරිපත් කළ යුතුය
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} ඉදිරිපත් කළ යුතුය
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},ප්රමාණය අඩු හෝ {0} වෙත සමාන විය යුතුයි
DocType: SMS Center,Total Characters,මුළු අක්ෂර
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},කරුණාකර විෂය සඳහා ද ෙව් ක්ෂේත්රයේ ද්රව්ය ලේඛණය තෝරා {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},කරුණාකර විෂය සඳහා ද ෙව් ක්ෂේත්රයේ ද්රව්ය ලේඛණය තෝරා {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-ආකෘතිය ඉන්වොයිසිය විස්තර
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ගෙවීම් ප්රතිසන්ධාන ඉන්වොයිසිය
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,දායකත්වය %
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","අර Buy සැකසුම් අනුව මිලදී ගැනීමේ නියෝගයක් අවශ්ය == 'ඔව්' නම් ගැනුම් නිර්මාණය කිරීම සඳහා, පරිශීලක අයිතමය {0} සඳහා පළමු මිලදී ගැනීමේ නියෝගයක් නිර්මාණය කිරීමට අවශ්ය නම්"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,ඔබේ ප්රයෝජනය සඳහා සමාගම ලියාපදිංචි අංක. බදු අංක ආදිය
DocType: Sales Partner,Distributor,බෙදාහැරීමේ
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,සාප්පු සවාරි කරත්ත නැව් පාලනය
@@ -1155,23 +1160,25 @@
,Ordered Items To Be Billed,නියෝග අයිතම බිල්පතක්
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,රංගේ සිට රංගේ කිරීම වඩා අඩු විය යුතුය
DocType: Global Defaults,Global Defaults,ගෝලීය Defaults
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,ව්යාපෘති ඒකාබද්ධතාවයක් ආරාධනයයි
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,ව්යාපෘති ඒකාබද්ධතාවයක් ආරාධනයයි
DocType: Salary Slip,Deductions,අඩු කිරීම්
DocType: Leave Allocation,LAL/,ලාල් /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,ආරම්භක වර්ෂය
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},GSTIN පළමු 2 ඉලක්කම් රාජ්ය අංකය {0} සමග සැසඳිය යුතුයි
DocType: Purchase Invoice,Start date of current invoice's period,ආරම්භ කරන්න වත්මන් ඉන්වොයිස් කාලයේ දිනය
DocType: Salary Slip,Leave Without Pay,වැටුප් නැතිව තබන්න
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,ධාරිතාව සැලසුම් දෝෂ
,Trial Balance for Party,පක්ෂය වෙනුවෙන් මාසික බැංකු සැසඳුම්
DocType: Lead,Consultant,උපදේශක
DocType: Salary Slip,Earnings,ඉපැයීම්
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,අවසන් විෂය {0} නිෂ්පාදනය වර්ගය ප්රවේශය සඳහා ඇතුලත් කල යුතුය
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,අවසන් විෂය {0} නිෂ්පාදනය වර්ගය ප්රවේශය සඳහා ඇතුලත් කල යුතුය
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,විවෘත මුල්ය ශේෂය
+,GST Sales Register,GST විකුණුම් රෙජිස්ටර්
DocType: Sales Invoice Advance,Sales Invoice Advance,විකුණුම් ඉන්වොයිසිය අත්තිකාරම්
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,ඉල්ලා කිසිවක්
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},තවත් අයවැය වාර්තාව '{0}' දැනටමත් මූල්ය වර්ෂය සඳහා {1} එරෙහිව පවතී '{2}' {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date','සත ඇරඹුම් දිනය' 'සත අවසානය දිනය' ට වඩා වැඩි විය නොහැක
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,කළමනාකරණ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,කළමනාකරණ
DocType: Cheque Print Template,Payer Settings,ගෙවන්නා සැකසුම්
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","මෙය ප්රභේද්යයක් යන විෂය සංග්රහයේ ඇත්තා වූ ද, ඇත. උදාහරණයක් ලෙස, ඔබේ වචන සහ "එස් එම්" වන අතර, අයිතමය කේතය "T-shirt" වේ නම්, ප්රභේද්යයක් ක අයිතමය කේතය "T-shirt-එස්.එම්" වනු"
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,ඔබ වැටුප් පුරවා ඉතිරි වරක් (වචන) ශුද්ධ වැටුප් දෘශ්යමාන වනු ඇත.
@@ -1188,8 +1195,8 @@
DocType: Employee Loan,Partially Disbursed,අර්ධ වශයෙන් මුදාහැරේ
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,සැපයුම්කරු දත්ත සමුදාය.
DocType: Account,Balance Sheet,ශේෂ පත්රය
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',විෂය සංග්රහයේ සමග අයිතමය සඳහා පිරිවැය මධ්යස්ථානය
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","ගෙවීම් ක්රමය වින්යාස කර නොමැත. ගිණුමක් ගෙවීම් වන ආකාරය මත හෝ POS නරඹන්න තබා තිබේද, කරුණාකර පරීක්ෂා කරන්න."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',විෂය සංග්රහයේ සමග අයිතමය සඳහා පිරිවැය මධ්යස්ථානය
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","ගෙවීම් ක්රමය වින්යාස කර නොමැත. ගිණුමක් ගෙවීම් වන ආකාරය මත හෝ POS නරඹන්න තබා තිබේද, කරුණාකර පරීක්ෂා කරන්න."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,ඔබේ විකිණුම් පුද්ගලයා පාරිභෝගික සම්බන්ධ කර ගැනීමට මෙම දිනට මතක් ලැබෙනු ඇත
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,එම අයිතමය වාර කිහිපයක් ඇතුළත් කළ නොහැක.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","කණ්ඩායම් යටතේ තව දුරටත් ගිණුම් කළ හැකි නමුත්, ඇතුළත් කිරීම්-කණ්ඩායම් නොවන එරෙහිව කළ හැකි"
@@ -1197,7 +1204,7 @@
DocType: Email Digest,Payables,ගෙවිය යුතු
DocType: Course,Course Intro,පාඨමාලා හැදින්වීමේ
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,කොටස් Entry {0} නිර්මාණය
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,ෙරෝ # {0}: ප්රතික්ෂේප යවන ලද මිලදී ගැනීම ප්රතිලාභ ඇතුළත් කළ නොහැකි
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,ෙරෝ # {0}: ප්රතික්ෂේප යවන ලද මිලදී ගැනීම ප්රතිලාභ ඇතුළත් කළ නොහැකි
,Purchase Order Items To Be Billed,මිලදී ගැනීමේ නියෝගයක් අයිතම බිල්පතක්
DocType: Purchase Invoice Item,Net Rate,ශුද්ධ ෙපොලී අනුපාතිකය
DocType: Purchase Invoice Item,Purchase Invoice Item,මිලදී ගැනීම ඉන්වොයිසිය අයිතමය
@@ -1224,7 +1231,7 @@
DocType: Sales Order,SO-,ඒ නිසා-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,කරුණාකර පළමු උපසර්ගය තෝරා
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,පර්යේෂණ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,පර්යේෂණ
DocType: Maintenance Visit Purpose,Work Done,කළ වැඩ
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,මෙම දන්ත ධාතුන් වගුවේ අවම වශයෙන් එක් විශේෂණය සඳහන් කරන්න
DocType: Announcement,All Students,සියලු ශිෂ්ය
@@ -1232,17 +1239,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,දැක්ම ලේජර
DocType: Grading Scale,Intervals,කාල අන්තරයන්
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,ආදිතම
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","ක අයිතමය සමූහ එකම නමින් පවතී, අයිතමය නම වෙනස් කිරීම හෝ අයිතමය පිරිසක් නැවත නම් කරුණාකර"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,ශිෂ්ය ජංගම අංක
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,ලෝකයේ සෙසු
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","ක අයිතමය සමූහ එකම නමින් පවතී, අයිතමය නම වෙනස් කිරීම හෝ අයිතමය පිරිසක් නැවත නම් කරුණාකර"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,ශිෂ්ය ජංගම අංක
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,ලෝකයේ සෙසු
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,අයිතමය {0} කණ්ඩායම ලබා ගත නොහැකි
,Budget Variance Report,අයවැය විචලතාව වාර්තාව
DocType: Salary Slip,Gross Pay,දළ වැටුප්
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,ෙරෝ {0}: ක්රියාකාරකම් වර්ගය අනිවාර්ය වේ.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,ගෙවුම් ලාභාංශ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,ගෙවුම් ලාභාංශ
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,ගිණුම් කරණය ලේජර
DocType: Stock Reconciliation,Difference Amount,වෙනස මුදල
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,රඳවාගත් ඉපැයුම්
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,රඳවාගත් ඉපැයුම්
DocType: Vehicle Log,Service Detail,සේවා විස්තර
DocType: BOM,Item Description,අයිතම විවහතරය
DocType: Student Sibling,Student Sibling,ශිෂ්ය සහෝදර
@@ -1257,11 +1264,11 @@
DocType: Opportunity Item,Opportunity Item,අවස්ථාව අයිතමය
,Student and Guardian Contact Details,ශිෂ්ය හා ගාඩියන් ඇමතුම් විස්තර
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,පේළියේ {0}: සැපයුම්කරු සඳහා {0} විද්යුත් තැපැල් ලිපිනය ඊ-තැපැල් යැවීමට අවශ්ය වේ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,තාවකාලික විවෘත
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,තාවකාලික විවෘත
,Employee Leave Balance,සේවක නිවාඩු ශේෂ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},ගිණුම සඳහා ශේෂ {0} සැමවිටම විය යුතුය {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},පේළියේ {0} තුළ අයිතමය සඳහා අවශ්ය තක්සේරු අනුපාත
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,උදාහරණය: පරිගණක විද්යාව පිළිබඳ ශාස්ත්රපති
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,උදාහරණය: පරිගණක විද්යාව පිළිබඳ ශාස්ත්රපති
DocType: Purchase Invoice,Rejected Warehouse,ප්රතික්ෂේප ගබඩාව
DocType: GL Entry,Against Voucher,වවුචරයක් එරෙහිව
DocType: Item,Default Buying Cost Center,පෙරනිමි මිලට ගැනීම පිරිවැය මධ්යස්ථානය
@@ -1274,31 +1281,30 @@
DocType: Journal Entry,Get Outstanding Invoices,විශිෂ්ට ඉන්වොයිසි ලබා ගන්න
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,විකුණුම් සාමය {0} වලංගු නොවේ
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,මිලදී ගැනීමේ නියෝග ඔබ ඔබේ මිලදී ගැනීම සැලසුම් සහ පසුවිපරම් උදව්
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","සමාවන්න, සමාගම් ඒකාබද්ධ කළ නොහැකි"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","සමාවන්න, සමාගම් ඒකාබද්ධ කළ නොහැකි"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",මුළු නිකුත් / ස්ථාන මාරු ප්රමාණය {0} ද්රව්ය ඉල්ලීම ගැන {1} \ ඉල්ලා ප්රමාණය {2} අයිතමය {3} සඳහා වඩා වැඩි විය නොහැකි
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,කුඩා
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,කුඩා
DocType: Employee,Employee Number,සේවක සංඛ්යාව
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},නඩු අංක (ය) දැනටමත් භාවිත වේ. නඩු අංක {0} සිට උත්සාහ කරන්න
DocType: Project,% Completed,% සම්පූර්ණ
,Invoiced Amount (Exculsive Tax),ඉන්වොයිස් ප්රමාණය (Exculsive බදු)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,අංක 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,ගිණුම හිස {0} නිර්මාණය
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,පුහුණු EVENT
DocType: Item,Auto re-order,වාහන නැවත අනුපිළිවෙලට
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,මුළු ලබාගත්
DocType: Employee,Place of Issue,නිකුත් කළ ස්ථානය
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,කොන්ත්රාත්තුව
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,කොන්ත්රාත්තුව
DocType: Email Digest,Add Quote,Quote එකතු කරන්න
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},UOM සඳහා අවශ්ය UOM coversion සාධකය: අයිතම ගැන {0}: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,වක්ර වියදම්
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM සඳහා අවශ්ය UOM coversion සාධකය: අයිතම ගැන {0}: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,වක්ර වියදම්
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,ෙරෝ {0}: යවන ලද අනිවාර්ය වේ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,කෘෂිකර්ම
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,සමමුහුර්ත කරන්න මාස්ටර් දත්ත
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,ඔබගේ නිෂ්පාදන හෝ සේවා
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,සමමුහුර්ත කරන්න මාස්ටර් දත්ත
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,ඔබගේ නිෂ්පාදන හෝ සේවා
DocType: Mode of Payment,Mode of Payment,ගෙවීම් ක්රමය
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,වෙබ් අඩවිය රූප ප්රසිද්ධ ගොනුව හෝ වෙබ් අඩවි URL විය යුතුය
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,වෙබ් අඩවිය රූප ප්රසිද්ධ ගොනුව හෝ වෙබ් අඩවි URL විය යුතුය
DocType: Student Applicant,AP,පුද්ගල නාශක
DocType: Purchase Invoice Item,BOM,ද්රව්ය ලේඛණය
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,"මෙය මූල අයිතමය පිරිසක් වන අතර, සංස්කරණය කළ නොහැක."
@@ -1307,7 +1313,7 @@
DocType: Warehouse,Warehouse Contact Info,පොත් ගබඩාව සම්බන්ධ වීම
DocType: Payment Entry,Write Off Difference Amount,වෙනස මුදල කපා
DocType: Purchase Invoice,Recurring Type,පුනරාවර්තනය වර්ගය
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: සේවක ඊ-තැපැල් සොයාගත නොහැකි, ඒ නිසා ඊ-තැපැල් යවා නැත"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: සේවක ඊ-තැපැල් සොයාගත නොහැකි, ඒ නිසා ඊ-තැපැල් යවා නැත"
DocType: Item,Foreign Trade Details,විදේශ වෙළෙඳ විස්තර
DocType: Email Digest,Annual Income,වාර්ෂික ආදායම
DocType: Serial No,Serial No Details,අනු අංකය විස්තර
@@ -1315,10 +1321,10 @@
DocType: Student Group Student,Group Roll Number,සමූහ Roll අංකය
DocType: Student Group Student,Group Roll Number,සමූහ Roll අංකය
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",{0} සඳහා පමණක් ණය ගිණුම් තවත් හර සටහන හා සම්බන්ධ කර ගත හැකි
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,සියලු කාර්ය බර මුළු 1. ඒ අනුව සියලු ව්යාපෘති කාර්යයන් ෙහොන්ඩර වෙනස් කළ යුතු කරුණාකර
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,සැපයුම් සටහන {0} ඉදිරිපත් කර නැත
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,අයිතමය {0} උප කොන්ත්රාත් අයිතමය විය යුතුය
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,ප්රාග්ධන උපකරණ
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,සියලු කාර්ය බර මුළු 1. ඒ අනුව සියලු ව්යාපෘති කාර්යයන් ෙහොන්ඩර වෙනස් කළ යුතු කරුණාකර
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,සැපයුම් සටහන {0} ඉදිරිපත් කර නැත
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,අයිතමය {0} උප කොන්ත්රාත් අයිතමය විය යුතුය
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,ප්රාග්ධන උපකරණ
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","මිල ගණන් පාලනය පළමු අයිතමය, විෂය සමූහය හෝ වෙළඳ නාමය විය හැකි ක්ෂේත්ර, 'මත යොමු කරන්න' මත පදනම් වූ තෝරා ගනු ලැබේ."
DocType: Hub Settings,Seller Website,විකුණන්නා වෙබ් අඩවිය
DocType: Item,ITEM-,ITEM-
@@ -1336,7 +1342,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",එහි එකම "කිරීම අගය" සඳහා 0 හෝ හිස් අගය එක් නාවික අණ තත්වය විය හැකි
DocType: Authorization Rule,Transaction,ගනුදෙනු
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,සටහන: මෙම පිරිවැය මධ්යස්ථානය සමූහ ව්යාපාරයේ සමූහ වේ. කන්ඩායම්වලට එරෙහිව ගිණුම් සටහන් ඇතුළත් කිරීම් නො හැකි ය.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,ළමා ගබඩා සංකීර්ණය මෙම ගබඩා සංකීර්ණය සඳහා පවතී. ඔබ මෙම ගබඩා සංකීර්ණය මකා දැමිය නොහැකි.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,ළමා ගබඩා සංකීර්ණය මෙම ගබඩා සංකීර්ණය සඳහා පවතී. ඔබ මෙම ගබඩා සංකීර්ණය මකා දැමිය නොහැකි.
DocType: Item,Website Item Groups,වෙබ් අඩවිය අයිතමය කණ්ඩායම්
DocType: Purchase Invoice,Total (Company Currency),එකතුව (සමාගම ව්යවහාර මුදල්)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,අනුක්රමික අංකය {0} වරකට වඩා ඇතුල්
@@ -1346,7 +1352,7 @@
DocType: Grading Scale Interval,Grade Code,ශ්රේණියේ සංග්රහයේ
DocType: POS Item Group,POS Item Group,POS අයිතමය සමූහ
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,විද්යුත් Digest:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},ද්රව්ය ලේඛණය {0} අයිතමය අයිති නැත {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},ද්රව්ය ලේඛණය {0} අයිතමය අයිති නැත {1}
DocType: Sales Partner,Target Distribution,ඉලක්ක බෙදාහැරීම්
DocType: Salary Slip,Bank Account No.,බැංකු ගිණුම් අංක
DocType: Naming Series,This is the number of the last created transaction with this prefix,මෙය මේ උපසර්ගය සහිත පසුගිය නිර්මාණය ගනුදෙනුව සංඛ්යාව වේ
@@ -1357,12 +1363,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,ස්වයංක්රීයව පොත වත්කම් ක්ෂය වීම සටහන්
DocType: BOM Operation,Workstation,සේවා පරිගණකයක්
DocType: Request for Quotation Supplier,Request for Quotation Supplier,උද්ධෘත සැපයුම්කරු සඳහා වන ඉල්ලීම
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,දෘඩාංග
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,දෘඩාංග
DocType: Sales Order,Recurring Upto,තුරුත් නැවත නැවත
DocType: Attendance,HR Manager,මානව සම්පත් කළමනාකාර
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,කරුණාකර සමාගම තෝරා
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,වරප්රසාද සහිත
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,කරුණාකර සමාගම තෝරා
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,වරප්රසාද සහිත
DocType: Purchase Invoice,Supplier Invoice Date,සැපයුම්කරු ගෙවීම් දිනය
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,එක්
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,ඔබ සාප්පු සවාරි කරත්ත සක්රිය කර ගැනීමට අවශ්ය
DocType: Payment Entry,Writeoff,ලියා හරින්න
DocType: Appraisal Template Goal,Appraisal Template Goal,ඇගයීෙම් සැකිල්ල ඉලක්කය
@@ -1373,10 +1380,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,අතර සොයා අතිච්ඡාදනය කොන්දේසි යටතේ:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,ජර්නල් සටහන් {0} එරෙහිව මේ වන විටත් තවත් වවුචරය එරෙහිව ගැලපූ
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,මුළු සාමය අගය
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,ආහාර
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,ආහාර
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,වයස්ගතවීම රංගේ 3
DocType: Maintenance Schedule Item,No of Visits,සංචාර අංක
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,මාක් පැමිණීම්
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,මාක් පැමිණීම්
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},{1} එරෙහිව නඩත්තු උපෙල්ඛනෙය් {0} පවතී
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,ඇතුළත් ශිෂ්ය
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},සමාප්ති ගිණුම ව්යවහාර මුදල් විය යුතුය {0}
@@ -1390,6 +1397,7 @@
DocType: Rename Tool,Utilities,යටිතළ පහසුකම්
DocType: Purchase Invoice Item,Accounting,ගිණුම්කරණය
DocType: Employee,EMP/,දන්නේ නෑ නේද /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,batched අයිතමය සඳහා කාණ්ඩ තෝරන්න
DocType: Asset,Depreciation Schedules,ක්ෂය කාලසටහන
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,අයදුම් කාලය පිටත නිවාඩු වෙන් කාලය විය නොහැකි
DocType: Activity Cost,Projects,ව්යාපෘති
@@ -1403,6 +1411,7 @@
DocType: POS Profile,Campaign,ව්යාපාරය
DocType: Supplier,Name and Type,නම සහ වර්ගය
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',අනුමැතිය තත්ත්වය 'අනුමත' කළ යුතුය හෝ 'ප්රතික්ෂේප'
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,bootstrap
DocType: Purchase Invoice,Contact Person,අදාළ පුද්ගලයා
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','අපේක්ෂිත ඇරඹුම් දිනය' 'අපේක්ෂිත අවසානය දිනය' ට වඩා වැඩි විය නොහැක
DocType: Course Scheduling Tool,Course End Date,පාඨමාලා අවසානය දිනය
@@ -1410,12 +1419,11 @@
DocType: Sales Order Item,Planned Quantity,සැලසුම් ප්රමාණ
DocType: Purchase Invoice Item,Item Tax Amount,අයිතමය බදු මුදල
DocType: Item,Maintain Stock,කොටස් වෙළඳ පවත්වා
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,නිෂ්පාදන සාමය සඳහා දැනටමත් නිර්මාණය කොටස් අයැදුම්පත්
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,නිෂ්පාදන සාමය සඳහා දැනටමත් නිර්මාණය කොටස් අයැදුම්පත්
DocType: Employee,Prefered Email,Prefered විද්යුත්
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,ස්ථාවර වත්කම් ශුද්ධ වෙනස්
DocType: Leave Control Panel,Leave blank if considered for all designations,සියලු තනතුරු සඳහා සලකා නම් හිස්ව තබන්න
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,පොත් ගබඩාව වර්ගය කොටස් පිරිසක් නොවන ගිණුම් සඳහා අනිවාර්ය වේ
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,වර්ගය භාර 'සත' පේළිය {0} අයිතමය ශ්රේණිගත ඇතුළත් කළ නොහැකි
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,වර්ගය භාර 'සත' පේළිය {0} අයිතමය ශ්රේණිගත ඇතුළත් කළ නොහැකි
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},මැක්ස්: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,දිනයවේලාව සිට
DocType: Email Digest,For Company,සමාගම වෙනුවෙන්
@@ -1425,15 +1433,15 @@
DocType: Sales Invoice,Shipping Address Name,නැව් ලිපිනය නම
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,ගිණුම් සටහන
DocType: Material Request,Terms and Conditions Content,නියමයන් හා කොන්දේසි අන්තර්ගත
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,100 ට වඩා වැඩි විය නොහැක
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,අයිතමය {0} කොටස් අයිතමය නොවේ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,100 ට වඩා වැඩි විය නොහැක
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,අයිතමය {0} කොටස් අයිතමය නොවේ
DocType: Maintenance Visit,Unscheduled,කලින් නොදන්වා
DocType: Employee,Owned,අයත්
DocType: Salary Detail,Depends on Leave Without Pay,වැටුප් නැතිව නිවාඩු මත රඳා පවතී
DocType: Pricing Rule,"Higher the number, higher the priority",උසස් සංඛ්යාව ඉහළ ප්රමුඛත්වය
,Purchase Invoice Trends,මිලදී ගැනීම ඉන්වොයිසිය ප්රවණතා
DocType: Employee,Better Prospects,වඩා හොඳ අපේක්ෂා
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","පේළියේ # {0}: මෙම කණ්ඩායම {1} පමණක් {2} යවන ලද ඇත. කරුණාකර {3} ලබා ගත යවන ලද ඇති තවත් කණ්ඩායම තෝරා ගැනීමට හෝ බහු කාණ්ඩ සිට / ප්රශ්නය ඉදිරිපත් කිරීමට, බහු පේළි බවට පේළිය බෙදී"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","පේළියේ # {0}: මෙම කණ්ඩායම {1} පමණක් {2} යවන ලද ඇත. කරුණාකර {3} ලබා ගත යවන ලද ඇති තවත් කණ්ඩායම තෝරා ගැනීමට හෝ බහු කාණ්ඩ සිට / ප්රශ්නය ඉදිරිපත් කිරීමට, බහු පේළි බවට පේළිය බෙදී"
DocType: Vehicle,License Plate,බලපත්ර පළඟ
DocType: Appraisal,Goals,ඉලක්ක
DocType: Warranty Claim,Warranty / AMC Status,වගකීම් / විදේශ මුදල් හුවමාරු කරන්නන් තත්ත්වය
@@ -1444,19 +1452,20 @@
,Batch-Wise Balance History,කණ්ඩායම ප්රාඥ ශේෂ ඉතිහාසය
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,මුද්රණය සැකසුම් අදාළ මුද්රිත ආකෘතිය යාවත්කාලීන
DocType: Package Code,Package Code,පැකේජය සංග්රහයේ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,ආධුනිකත්ව
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,ආධුනිකත්ව
+DocType: Purchase Invoice,Company GSTIN,සමාගම GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,ඍණ ප්රමාණ කිරීමට අවසර නැත
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",බදු විස්තර වගුව වැලක් ලෙස අයිතමය ස්වාමියා සිට ඉහළම අගය හා මෙම ක්ෂේත්රය තුළ ගබඩා. බදු හා ගාස්තු සඳහා භාවිතා
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,සේවක තමා වෙත වාර්තා කළ නොහැක.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","ගිණුම කැටි නම්, ඇතුළත් කිරීම් සීමා පරිශීලකයන්ට ඉඩ දෙනු ලැබේ."
DocType: Email Digest,Bank Balance,බැංකු ශේෂ
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},{0} සඳහා මුල්ය සටහන්: {1} පමණක් මුදල් කළ හැකි: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},{0} සඳහා මුල්ය සටහන්: {1} පමණක් මුදල් කළ හැකි: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","රැකියා පැතිකඩ, සුදුසුකම් අවශ්ය ආදිය"
DocType: Journal Entry Account,Account Balance,ගිණුම් ශේෂය
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,ගනුදෙනු සඳහා බදු පාලනය.
DocType: Rename Tool,Type of document to rename.,නැවත නම් කිරීමට ලියවිල්ලක් වර්ගය.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,අපි මේ විෂය මිලදී
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,අපි මේ විෂය මිලදී
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: පාරිභෝගික ලැබිය ගිණුමක් {2} එරෙහිව අවශ්ය වේ
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),මුළු බදු හා ගාස්තු (සමාගම ව්යවහාර මුදල්)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,unclosed රාජ්ය මූල්ය වසරේ P & L ශේෂයන් පෙන්වන්න
@@ -1467,29 +1476,30 @@
DocType: Stock Entry,Total Additional Costs,මුළු අතිරේක පිරිවැය
DocType: Course Schedule,SH,එච්
DocType: BOM,Scrap Material Cost(Company Currency),පරණ ද්රව්ය වියදම (සමාගම ව්යවහාර මුදල්)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,උප එක්රැස්වීම්
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,උප එක්රැස්වීම්
DocType: Asset,Asset Name,වත්කම් නම
DocType: Project,Task Weight,කාර්ය සාධක සිරුරේ බර
DocType: Shipping Rule Condition,To Value,අගය කිරීමට
DocType: Asset Movement,Stock Manager,කොටස් වෙළඳ කළමනාකරු
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},මූලාශ්රය ගබඩා සංකීර්ණය පේළිය {0} සඳහා අනිවාර්ය වේ
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,ඇසුරුම් කුවිතාන්සියක්
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,කාර්යාලය කුලියට
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},මූලාශ්රය ගබඩා සංකීර්ණය පේළිය {0} සඳහා අනිවාර්ය වේ
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,ඇසුරුම් කුවිතාන්සියක්
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,කාර්යාලය කුලියට
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Setup කෙටි පණ්වුඩ සැකසුම්
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,ආනයන අසාර්ථක විය!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,කිසිදු ලිපිනය තවමත් වැඩිදුරටත් සඳහන් කළේය.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,කිසිදු ලිපිනය තවමත් වැඩිදුරටත් සඳහන් කළේය.
DocType: Workstation Working Hour,Workstation Working Hour,සේවා පරිගණකයක් කෘත්යාධිකාරී හෝරාව
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,රස පරීක්ෂක
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,රස පරීක්ෂක
DocType: Item,Inventory,බඩු තොග
DocType: Item,Sales Details,විකුණුම් විස්තර
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,අයිතම සමග
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,යවන ලද දී
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,යවන ලද දී
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,ශිෂ්ය සමූහය සිසුන් සඳහා වලංගුකරණය භාරදුන් පාඨමාලාව
DocType: Notification Control,Expense Claim Rejected,වියදම් හිමිකම් ප්රතික්ෂේප
DocType: Item,Item Attribute,අයිතමය Attribute
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,ආණ්ඩුව
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,ආණ්ඩුව
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,වියදම් හිමිකම් {0} දැනටමත් වාහන ඇතුළුවන්න සඳහා පවතී
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,සංවිධානයේ නම
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,සංවිධානයේ නම
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,ණය ආපසු ගෙවීමේ ප්රමාණය ඇතුලත් කරන්න
apps/erpnext/erpnext/config/stock.py +300,Item Variants,අයිතමය ප්රභේද
DocType: Company,Services,සේවා
@@ -1499,18 +1509,18 @@
DocType: Sales Invoice,Source,මූලාශ්රය
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,පෙන්වන්න වසා
DocType: Leave Type,Is Leave Without Pay,වැටුප් නැතිව නිවාඩු
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,වත්කම් ප්රවර්ගය ස්ථාවර වත්කම් භාණ්ඩයක් සඳහා අනිවාර්ය වේ
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,වත්කම් ප්රවර්ගය ස්ථාවර වත්කම් භාණ්ඩයක් සඳහා අනිවාර්ය වේ
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,වාර්තා ගෙවීම් වගුව සොයාගැනීමට නොමැත
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},මෙම {0} {2} {3} සඳහා {1} සමග ගැටුම්
DocType: Student Attendance Tool,Students HTML,සිසුන් සඳහා HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,මුල්ය වර්ෂය ඇරඹුම් දිනය
DocType: POS Profile,Apply Discount,වට්ටම් යොමු කරන්න
+DocType: Purchase Invoice Item,GST HSN Code,GST HSN සංග්රහයේ
DocType: Employee External Work History,Total Experience,මුළු අත්දැකීම්
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,විවෘත ව්යාපෘති
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,ඇසුරුම් කුවිතාන්සියක් (ව) අවලංගු
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,ආයෝජනය සිට මුදල් ප්රවාහ
DocType: Program Course,Program Course,වැඩසටහන පාඨමාලා
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,ගැල් පරිවහන හා භාණ්ඩ යොමු ගාස්තු
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,ගැල් පරිවහන හා භාණ්ඩ යොමු ගාස්තු
DocType: Homepage,Company Tagline for website homepage,වෙබ් අඩවිය මුල්පිටුව සඳහා සමාගම තේමා පාඨය
DocType: Item Group,Item Group Name,අයිතමය සමූහ නම
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,ගත වන
@@ -1520,6 +1530,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,ආදර්ශ නිර්මාණය
DocType: Maintenance Schedule,Schedules,කාලසටහන්
DocType: Purchase Invoice Item,Net Amount,ශුද්ධ මුදල
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} පියවර අවසන් කළ නොහැකි නිසා ඉදිරිපත් කර නොමැත
DocType: Purchase Order Item Supplied,BOM Detail No,ද්රව්ය ලේඛණය විස්තර නොමැත
DocType: Landed Cost Voucher,Additional Charges,අමතර ගාස්තු
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),අතිරේක වට්ටම් මුදල (සමාගම ව්යවහාර මුදල්)
@@ -1535,6 +1546,7 @@
DocType: Employee Loan,Monthly Repayment Amount,මාසික නැවත ගෙවන ප්රමාණය
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,සේවක කාර්යභාරය සකස් කිරීම සඳහා සේවක වාර්තාගත පරිශීලක අනන්යාංකය ක්ෂේත්රයේ සකස් කරන්න
DocType: UOM,UOM Name,UOM නම
+DocType: GST HSN Code,HSN Code,HSN සංග්රහයේ
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,දායකත්වය මුදල
DocType: Purchase Invoice,Shipping Address,බෙදාහැරීමේ ලිපිනය
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,මෙම මෙවලම ඔබ පද්ධතිය කොටස් ප්රමාණය සහ තක්සේරු යාවත්කාලීන කිරීම හෝ අදාල කරුණ නිවැරදි කිරීමට උපකාරී වේ. එය සාමාන්යයෙන් පද්ධතිය වටිනාකම් සහ දේ ඇත්තටම ඔබේ බඩු ගබඩා වල පවතී අතළොස්සට කිරීමට භාවිතා කරයි.
@@ -1545,18 +1557,17 @@
DocType: Program Enrollment Tool,Program Enrollments,වැඩසටහන බදවා ගැනීම්
DocType: Sales Invoice Item,Brand Name,වෙළඳ නාමය නම
DocType: Purchase Receipt,Transporter Details,ප්රවාහනය විස්තර
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,පෙරනිමි ගබඩා සංකීර්ණය තෝරාගත් අයිතමය සඳහා අවශ්ය වේ
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,කොටුව
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,පෙරනිමි ගබඩා සංකීර්ණය තෝරාගත් අයිතමය සඳහා අවශ්ය වේ
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,කොටුව
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,හැකි සැපයුම්කරු
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,එම සංවිධානය
DocType: Budget,Monthly Distribution,මාසික බෙදාහැරීම්
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,ලබන්නා ලැයිස්තුව හිස්ය. Receiver ලැයිස්තුව නිර්මාණය කරන්න
DocType: Production Plan Sales Order,Production Plan Sales Order,නිශ්පාදන සැළැස්ම විකුණුම් න්යාය
DocType: Sales Partner,Sales Partner Target,විකුණුම් සහකරු ඉලක්ක
DocType: Loan Type,Maximum Loan Amount,උපරිම ණය මුදල
DocType: Pricing Rule,Pricing Rule,මිල ගණන් පාලනය
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},ශිෂ්ය {0} සඳහා රෝල් අංකය අනුපිටපත්
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},ශිෂ්ය {0} සඳහා රෝල් අංකය අනුපිටපත්
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},ශිෂ්ය {0} සඳහා රෝල් අංකය අනුපිටපත්
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},ශිෂ්ය {0} සඳහා රෝල් අංකය අනුපිටපත්
DocType: Budget,Action if Annual Budget Exceeded,ක්රියාකාරී වාර්ෂික අයවැය ඉක්මවා නම්
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,සාමය ලබා දීමට ද්රව්ය ඉල්ලීම්
DocType: Shopping Cart Settings,Payment Success URL,ගෙවීම් සාර්ථකත්වය URL එක
@@ -1569,11 +1580,11 @@
DocType: C-Form,III,III වන
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,කොටස් වෙළඳ ශේෂ විවෘත
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} එක් වරක් පමණක් පෙනී සිටිය යුතුයි
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},මිලදී ගැනීමේ නියෝගයක් {2} එරෙහිව {1} වඩා වැඩි {0} පැවරීමේ කිරීමට ඉඩ දෙනු නොලැබේ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},මිලදී ගැනීමේ නියෝගයක් {2} එරෙහිව {1} වඩා වැඩි {0} පැවරීමේ කිරීමට ඉඩ දෙනු නොලැබේ
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},{0} සඳහා සාර්ථකව වෙන් කොළ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,පැක් කරගන්න අයිතම කිසිදු
DocType: Shipping Rule Condition,From Value,අගය
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,නිෂ්පාදන ප්රමාණය අනිවාර්ය වේ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,නිෂ්පාදන ප්රමාණය අනිවාර්ය වේ
DocType: Employee Loan,Repayment Method,ණය ආපසු ගෙවීමේ ක්රමය
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","පරීක්ෂා නම්, මුල් පිටුව වෙබ් අඩවිය සඳහා පෙරනිමි අයිතමය සමූහ වනු ඇත"
DocType: Quality Inspection Reading,Reading 4,කියවීම 4
@@ -1583,7 +1594,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},ෙරෝ # {0}: නිශ්කාෂණ දිනය {1} {2} චෙක්පත් දිනය පෙර විය නොහැකි
DocType: Company,Default Holiday List,පෙරනිමි නිවාඩු ලැයිස්තුව
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},ෙරෝ {0}: කාලය හා සිට දක්වා {1} ගතවන කාලය {2} සමග අතිච්ඡාදනය වේ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,කොටස් වගකීම්
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,කොටස් වගකීම්
DocType: Purchase Invoice,Supplier Warehouse,සැපයුම්කරු ගබඩාව
DocType: Opportunity,Contact Mobile No,අමතන්න ජංගම නොමැත
,Material Requests for which Supplier Quotations are not created,සැපයුම්කරු මිල ගණන් නිර්මාණය නොවන සඳහා ද්රව්ය ඉල්ලීම්
@@ -1594,35 +1605,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,උද්ධෘත කරන්න
apps/erpnext/erpnext/config/selling.py +216,Other Reports,වෙනත් වාර්තා
DocType: Dependent Task,Dependent Task,රඳා කාර්ය සාධක
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},නු පෙරනිමි ඒකකය සඳහා පරිවර්තන සාධකය පේළිය 1 {0} විය යුතුය
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},නු පෙරනිමි ඒකකය සඳහා පරිවර්තන සාධකය පේළිය 1 {0} විය යුතුය
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},"වර්ගයේ අවසරය, {0} තවදුරටත් {1} වඩා කෙටි විය හැකි"
DocType: Manufacturing Settings,Try planning operations for X days in advance.,කල්තියා X දින සඳහා මෙහෙයුම් සැලසුම් උත්සාහ කරන්න.
DocType: HR Settings,Stop Birthday Reminders,උපන්දින මතක් නතර
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},සමාගම {0} හි පෙරනිමි වැටුප් ගෙවිය යුතු ගිණුම් සකස් කරන්න
DocType: SMS Center,Receiver List,ලබන්නා ලැයිස්තුව
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,සොයන්න අයිතමය
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,සොයන්න අයිතමය
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,පරිභෝජනය ප්රමාණය
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,මුදල් ශුද්ධ වෙනස්
DocType: Assessment Plan,Grading Scale,ශ්රේණිගත පරිමාණ
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,නු {0} ඒකකය වරක් පරිවර්තන සාධකය වගුව වඩා ඇතුලත් කර ඇත
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,නු {0} ඒකකය වරක් පරිවර්තන සාධකය වගුව වඩා ඇතුලත් කර ඇත
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,මේ වන විටත් අවසන්
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,අතේ කොටස්
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},ගෙවීම් ඉල්ලීම් මේ වන විටත් {0} පවතී
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,නිකුත් කර ඇත්තේ අයිතම පිරිවැය
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},ප්රමාණ {0} වඩා වැඩි නොවිය යුතුය
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,පසුගිය මුල්ය වර්ෂය වසා නැත
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),වයස (දින)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),වයස (දින)
DocType: Quotation Item,Quotation Item,උද්ධෘත අයිතමය
+DocType: Customer,Customer POS Id,පාරිභෝගික POS ඉඞ්
DocType: Account,Account Name,ගිණුමේ නම
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,දිනය සිට මේ දක්වා වඩා වැඩි විය නොහැකි
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,අනු අංකය {0} ප්රමාණය {1} අල්පයක් විය නොහැකි
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,සැපයුම්කරු වර්ගය ස්වාමියා.
DocType: Purchase Order Item,Supplier Part Number,සැපයුම්කරු අඩ අංකය
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,බවට පරිවර්තනය කිරීමේ අනුපාතිකය 0 හෝ 1 විය නොහැකි
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,බවට පරිවර්තනය කිරීමේ අනුපාතිකය 0 හෝ 1 විය නොහැකි
DocType: Sales Invoice,Reference Document,විමර්ශන ලේඛන
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} අවලංගු කර හෝ නතර
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} අවලංගු කර හෝ නතර
DocType: Accounts Settings,Credit Controller,ක්රෙඩිට් පාලක
DocType: Delivery Note,Vehicle Dispatch Date,වාහන යැවීම දිනය
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,මිලදී ගැනීම රිසිට්පත {0} ඉදිරිපත් කර නැත
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,මිලදී ගැනීම රිසිට්පත {0} ඉදිරිපත් කර නැත
DocType: Company,Default Payable Account,පෙරනිමි ගෙවිය යුතු ගිණුම්
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","එවැනි නාවික නීතිය, මිල ලැයිස්තුව ආදිය සමඟ අමුත්තන් කරත්තයක් සඳහා සැකසුම්"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% අසූහත
@@ -1641,11 +1654,12 @@
DocType: Expense Claim,Total Amount Reimbursed,මුළු මුදල පතිපූරණය
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,මෙය මේ වාහන එරෙහිව ලඝු-සටහන් මත පදනම් වේ. විස්තර සඳහා පහත කාල සටහනකට බලන්න
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,එකතු
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},සැපයුම්කරු ඉන්වොයිසිය {0} එරෙහිව දිනැති {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},සැපයුම්කරු ඉන්වොයිසිය {0} එරෙහිව දිනැති {1}
DocType: Customer,Default Price List,පෙරනිමි මිල ලැයිස්තුව
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,වත්කම් ව්යාපාරය වාර්තා {0} නිර්මාණය
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,ඔබ මුදල් වර්ෂය {0} මකා දැමිය නොහැකි. මුදල් වර්ෂය {0} ගෝලීය සැකසුම් සුපුරුදු ලෙස සකසා ඇත
DocType: Journal Entry,Entry Type,ප්රවේශය වර්ගය
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,මෙම තක්සේරුව පිරිසක් සමග සම්බන්ධ කිසිදු ඇගයීමේ සැලසුමක්
,Customer Credit Balance,පාරිභෝගික ණය ශේෂ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,ගෙවිය යුතු ගිණුම් ශුද්ධ වෙනස්
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount','Customerwise වට්ටම්' සඳහා අවශ්ය පාරිභෝගික
@@ -1654,7 +1668,7 @@
DocType: Quotation,Term Details,කාලීන තොරතුරු
DocType: Project,Total Sales Cost (via Sales Order),(විකුණුම් ඇණවුම් හරහා) මුළු විකුණුම් පිරිවැය
DocType: Project,Total Sales Cost (via Sales Order),(විකුණුම් ඇණවුම් හරහා) මුළු විකුණුම් පිරිවැය
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,{0} මෙම ශිෂ්ය කන්ඩායමක් සඳහා සිසුන් වඩා ලියාපදිංචි කල නොහැක.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,{0} මෙම ශිෂ්ය කන්ඩායමක් සඳහා සිසුන් වඩා ලියාපදිංචි කල නොහැක.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,ඊයම් ගණන්
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,"{0}, 0 ට වඩා වැඩි විය යුතුය"
DocType: Manufacturing Settings,Capacity Planning For (Days),(දින) සඳහා ධාරිතා සැලසුම්
@@ -1676,7 +1690,7 @@
DocType: Sales Invoice,Packed Items,හැකිළු අයිතම
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,අනු අංකය එරෙහිව වගකීම් හිමිකම්
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","යම් ද්රව්ය ලේඛණය එය භාවිතා කරන අනෙකුත් සියලු BOMs තුළ ආදේශ කරන්න. එය නව ද්රව්ය ලේඛණය අනුව පැරණි ද්රව්ය ලේඛණය සබැඳිය, යාවත්කාලීන පිරිවැය වෙනුවට "ලේඛණය පිපිරීගිය අයිතමය" මේසය යළි ගොඩනැංවීමේ ඇත"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','මුළු'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','මුළු'
DocType: Shopping Cart Settings,Enable Shopping Cart,සාප්පු සවාරි කරත්ත සබල කරන්න
DocType: Employee,Permanent Address,ස්ථිර ලිපිනය
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1692,9 +1706,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,ප්රමාණ හෝ තක්සේරු අනුපාත හෝ දෙකම සඳහන් කරන්න
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,ඉටු වීම
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,කරත්ත තුළ බලන්න
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,අලෙවි වියදම්
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,අලෙවි වියදම්
,Item Shortage Report,අයිතමය හිඟය වාර්තාව
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","සිරුරේ බර සඳහන් වන්නේ, \ n කරුණාකර "සිරුරේ බර UOM" ගැන සඳහන් ද"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","සිරුරේ බර සඳහන් වන්නේ, \ n කරුණාකර "සිරුරේ බර UOM" ගැන සඳහන් ද"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,මෙම කොටස් සටහන් කිරීමට භාවිතා කෙරෙන ද්රව්ය ඉල්ලීම්
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,ඊළඟ ක්ෂය දිනය නව වත්කම් සඳහා අනිවාර්ය වේ
DocType: Student Group Creation Tool,Separate course based Group for every Batch,සෑම කණ්ඩායම සඳහා පදනම් සමූහ වෙනම පාඨමාලාව
@@ -1704,17 +1718,18 @@
,Student Fee Collection,ශිෂ්ය ගාස්තු එකතුව
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,සඳහා සෑම කොටස් ව්යාපාරය මුල්ය සටහන් කරන්න
DocType: Leave Allocation,Total Leaves Allocated,වෙන් මුළු පත්ර
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},ෙරෝ නැත {0} හි අවශ්ය පොත් ගබඩාව
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,වලංගු මුදල් වර්ෂය ආරම්භය හා අවසානය දිනයන් ඇතුලත් කරන්න
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},ෙරෝ නැත {0} හි අවශ්ය පොත් ගබඩාව
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,වලංගු මුදල් වර්ෂය ආරම්භය හා අවසානය දිනයන් ඇතුලත් කරන්න
DocType: Employee,Date Of Retirement,විශ්රාම ගිය දිනය
DocType: Upload Attendance,Get Template,සැකිල්ල ලබා ගන්න
+DocType: Material Request,Transferred,මාරු
DocType: Vehicle,Doors,දොරවල්
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,සම්පූර්ණ ERPNext Setup!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,සම්පූර්ණ ERPNext Setup!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: පිරිවැය මධ්යස්ථානය ලාභ සහ අලාභ ගිණුම {2} සඳහා අවශ්ය වේ. එම සමාගමේ පෙරනිමි වියදම මධ්යස්ථානයක් පිහිටුවා කරන්න.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ඒ කස්ටමර් සමූහයේ එකම නමින් පවතී පාරිභෝගික නම වෙනස් හෝ කස්ටමර් සමූහයේ නම වෙනස් කරන්න
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,නව අමතන්න
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ඒ කස්ටමර් සමූහයේ එකම නමින් පවතී පාරිභෝගික නම වෙනස් හෝ කස්ටමර් සමූහයේ නම වෙනස් කරන්න
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,නව අමතන්න
DocType: Territory,Parent Territory,මව් දේශසීමාවේ
DocType: Quality Inspection Reading,Reading 2,කියවීම 2
DocType: Stock Entry,Material Receipt,ද්රව්ය කුවිතාන්සිය
@@ -1723,17 +1738,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","මෙම අයිතමය ප්රභේද තිබේ නම්, එය අලෙවි නියෝග ආදිය තෝරාගත් කළ නොහැකි"
DocType: Lead,Next Contact By,ඊළඟට අප අමතන්න කිරීම
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},විෂය {0} සඳහා අවශ්ය ප්රමාණය පේළියේ {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},පොත් ගබඩාව {0} ප්රමාණය අයිතමය {1} සඳහා පවතින අයුරිනි ඉවත් කල නොහැක
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},විෂය {0} සඳහා අවශ්ය ප්රමාණය පේළියේ {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},පොත් ගබඩාව {0} ප්රමාණය අයිතමය {1} සඳහා පවතින අයුරිනි ඉවත් කල නොහැක
DocType: Quotation,Order Type,සාමය වර්ගය
DocType: Purchase Invoice,Notification Email Address,නිවේදනය විද්යුත් තැපැල් ලිපිනය
,Item-wise Sales Register,අයිතමය ප්රඥාවන්ත විකුණුම් රෙජිස්ටර්
DocType: Asset,Gross Purchase Amount,දළ මිලදී ගැනීම මුදල
DocType: Asset,Depreciation Method,ක්ෂය ක්රමය
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,නොබැඳි
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,නොබැඳි
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,මූලික අනුපාත ඇතුළත් මෙම බදු ද?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,මුළු ඉලක්ක
-DocType: Program Course,Required,අවශ්ය
DocType: Job Applicant,Applicant for a Job,රැකියාවක් සඳහා අයදුම්කරු
DocType: Production Plan Material Request,Production Plan Material Request,"නිෂ්පාදන සැලැස්ම, භාණ්ඩ ඉල්ලීම"
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,නිර්මාණය නිෂ්පාදන නියෝග අංක
@@ -1743,17 +1757,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,හැකි පාරිභෝගික ගේ මිලදී ගැනීමේ නියෝගයක් එරෙහිව බහු විකුණුම් නියෝග ඉඩ දෙන්න
DocType: Student Group Instructor,Student Group Instructor,ශිෂ්ය කණ්ඩායම් උපදේශක
DocType: Student Group Instructor,Student Group Instructor,ශිෂ්ය කණ්ඩායම් උපදේශක
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 ජංගම නොමැත
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,ප්රධාන
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 ජංගම නොමැත
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,ප්රධාන
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,ප්රභේද්යයක්
DocType: Naming Series,Set prefix for numbering series on your transactions,ඔබගේ ගනුදෙනු මාලාවක් සංඛ්යාවක් සඳහා උපසර්ගය සකසන්න
DocType: Employee Attendance Tool,Employees HTML,සේවක HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,පෙරනිමි ද්රව්ය ලේඛණය ({0}) මෙම අයිතමය ශ්රේණිගත කරන්න හෝ එහි සැකිල්ල සඳහා ක්රියාකාරී විය යුතුය
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,පෙරනිමි ද්රව්ය ලේඛණය ({0}) මෙම අයිතමය ශ්රේණිගත කරන්න හෝ එහි සැකිල්ල සඳහා ක්රියාකාරී විය යුතුය
DocType: Employee,Leave Encashed?,Encashed ගියාද?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ක්ෂේත්රයේ සිට අවස්ථාව අනිවාර්ය වේ
DocType: Email Digest,Annual Expenses,වාර්ෂික වියදම්
DocType: Item,Variants,ප්රභේද
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,මිලදී ගැනීමේ නියෝගයක් කරන්න
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,මිලදී ගැනීමේ නියෝගයක් කරන්න
DocType: SMS Center,Send To,කිරීම යවන්න
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},නිවාඩු වර්ගය {0} සඳහා ප්රමාණවත් නිවාඩු ශේෂ එහි නොවන
DocType: Payment Reconciliation Payment,Allocated amount,වෙන් කල මුදල
@@ -1769,26 +1783,25 @@
DocType: Item,Serial Nos and Batches,අනුක්රමික අංක සහ කාණ්ඩ
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,ශිෂ්ය කණ්ඩායම් ශක්තිය
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,ශිෂ්ය කණ්ඩායම් ශක්තිය
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,ජර්නල් සටහන් {0} එරෙහිව කිසිදු අසමසම {1} ප්රවේශය නොමැති
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,ජර්නල් සටහන් {0} එරෙහිව කිසිදු අසමසම {1} ප්රවේශය නොමැති
apps/erpnext/erpnext/config/hr.py +137,Appraisals,ඇගයීම්
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},අනු අංකය අයිතමය {0} සඳහා ඇතුල් අනුපිටපත්
DocType: Shipping Rule Condition,A condition for a Shipping Rule,"එය නාවික, නීතියේ ආධිපත්යය සඳහා වන තත්ත්වය"
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,කරුණාකර ඇතුලත් කරන්න
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","{0} පේළියේ {1} {2} වඩා වැඩි අයිතමය සඳහා overbill නොහැක. කට-බිල් ඉඩ, කරුණාකර සැකසුම් මිලට ගැනීම පිහිටුවා"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,විෂය හෝ ගබඩා මත පදනම් පෙරහන සකස් කරන්න
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","{0} පේළියේ {1} {2} වඩා වැඩි අයිතමය සඳහා overbill නොහැක. කට-බිල් ඉඩ, කරුණාකර සැකසුම් මිලට ගැනීම පිහිටුවා"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,විෂය හෝ ගබඩා මත පදනම් පෙරහන සකස් කරන්න
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),මෙම පැකේජයේ ශුද්ධ බර. (භාණ්ඩ ශුද්ධ බර මුදලක් සේ ස්වයංක්රීයව ගණනය)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,මෙම ගබඩා සඳහා ගිණුමක් නිර්මාණය හා එය සම්බන්ධ කරන්න. මෙම {0} දැනටමත් පවතී නම සමඟ ස්වයංක්රීයව ගිණුමක් ලෙස සිදු කිරීමට නො හැකි
DocType: Sales Order,To Deliver and Bill,බේරාගන්න සහ පනත් කෙටුම්පත
DocType: Student Group,Instructors,උපදේශක
DocType: GL Entry,Credit Amount in Account Currency,"ගිණුම ව්යවහාර මුදල්, නය මුදල"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,ද්රව්ය ලේඛණය {0} ඉදිරිපත් කළ යුතුය
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,ද්රව්ය ලේඛණය {0} ඉදිරිපත් කළ යුතුය
DocType: Authorization Control,Authorization Control,බලය පැවරීමේ පාලන
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ෙරෝ # {0}: ප්රතික්ෂේප ගබඩාව ප්රතික්ෂේප අයිතමය {1} එරෙහිව අනිවාර්ය වේ
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ෙරෝ # {0}: ප්රතික්ෂේප ගබඩාව ප්රතික්ෂේප අයිතමය {1} එරෙහිව අනිවාර්ය වේ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,ගෙවීම
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","පොත් ගබඩාව {0} ගිණුම් සම්බන්ධ නොවේ, සමාගම {1} තුළ ගබඩා වාර්තා කර හෝ පෙරනිමි බඩු තොග ගිණුමේ ගිණුම් සඳහන් කරන්න."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,ඔබේ ඇණවුම් කළමනාකරණය
DocType: Production Order Operation,Actual Time and Cost,සැබෑ කාලය හා වියදම
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},උපරිම ද්රව්ය ඉල්ලීම් {0} විකුණුම් සාමය {2} එරෙහිව අයිතමය {1} සඳහා කළ හැකි
-DocType: Employee,Salutation,ආචාර
DocType: Course,Course Abbreviation,පාඨමාලා කෙටි යෙදුම්
DocType: Student Leave Application,Student Leave Application,ශිෂ්ය නිවාඩු ඉල්ලුම්
DocType: Item,Will also apply for variants,ද ප්රභේද සඳහා අයදුම් කරනු ඇත
@@ -1800,12 +1813,12 @@
DocType: Quotation Item,Actual Qty,සැබෑ යවන ලද
DocType: Sales Invoice Item,References,ආශ්රිත
DocType: Quality Inspection Reading,Reading 10,කියවීම 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","ඔබ මිලදී ගැනීමට හෝ විකිණීමට ඇති ඔබේ නිෂ්පාදන හෝ සේවා ලැයිස්තුගත කරන්න. ඔබ ආරම්භ කරන විට විෂය සමූහය, නු සහ අනෙකුත් ගුණාංග ඒකකය පරීක්ෂා කිරීමට වග බලා ගන්න."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","ඔබ මිලදී ගැනීමට හෝ විකිණීමට ඇති ඔබේ නිෂ්පාදන හෝ සේවා ලැයිස්තුගත කරන්න. ඔබ ආරම්භ කරන විට විෂය සමූහය, නු සහ අනෙකුත් ගුණාංග ඒකකය පරීක්ෂා කිරීමට වග බලා ගන්න."
DocType: Hub Settings,Hub Node,මධ්යස්ථානයක් node එකක් මතම ඊට අදාල
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,ඔබ අනුපිටපත් භාණ්ඩ ඇතුළු වී තිබේ. නිවැරදි කර නැවත උත්සාහ කරන්න.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,ආශ්රිත
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,ආශ්රිත
DocType: Asset Movement,Asset Movement,වත්කම් ව්යාපාරය
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,නව කරත්ත
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,නව කරත්ත
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,අයිතමය {0} ක් serialized අයිතමය නොවේ
DocType: SMS Center,Create Receiver List,Receiver ලැයිස්තුව නිර්මාණය
DocType: Vehicle,Wheels,රෝද
@@ -1825,19 +1838,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',හෝ 'පෙර ෙරෝ මුළු' 'පෙර ෙරෝ මුදල මත' යන චෝදනාව වර්ගය නම් පමණයි පේළිය යොමු වේ
DocType: Sales Order Item,Delivery Warehouse,සැපයුම් ගබඩාව
DocType: SMS Settings,Message Parameter,පණිවුඩය පරාමිති
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,මූල්ය පිරිවැය මධ්යස්ථාන රුක්.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,මූල්ය පිරිවැය මධ්යස්ථාන රුක්.
DocType: Serial No,Delivery Document No,සැපයුම් ලේඛන නොමැත
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},සමාගම {0} තුළ 'වත්කම් බැහැර මත ලාභ / අලාභ ගිණුම්' සකස් කරන්න
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,අයිතම මිලදී ගැනීම ලැබීම් සිට ලබා ගන්න
DocType: Serial No,Creation Date,නිර්මාණ දිනය
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},අයිතමය {0} මිල ලැයිස්තුව {1} තුළ කිහිපවතාවක් පෙනී
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","සඳහා අදාළ {0} ලෙස තෝරා ගන්නේ නම් විකිණීම, පරීක්ෂා කළ යුතු"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","සඳහා අදාළ {0} ලෙස තෝරා ගන්නේ නම් විකිණීම, පරීක්ෂා කළ යුතු"
DocType: Production Plan Material Request,Material Request Date,ද්රව්ය ඉල්ලීම දිනය
DocType: Purchase Order Item,Supplier Quotation Item,සැපයුම්කරු උද්ධෘත අයිතමය
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,නිෂ්පාදන නියෝග එරෙහිව කාලය ලඝු-සටහන් හි නිර්මාණය අක්රීය කරයි. මෙහෙයුම් නිෂ්පාදන න්යාය එරෙහිව දම්වැල් මත ධාවනය වන නොලැබේ
DocType: Student,Student Mobile Number,ශිෂ්ය ජංගම දුරකතන අංකය
DocType: Item,Has Variants,ප්රභේද ඇත
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},ඔබ මේ වන විටත් {0} {1} සිට භාණ්ඩ තෝරාගෙන ඇති
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},ඔබ මේ වන විටත් {0} {1} සිට භාණ්ඩ තෝරාගෙන ඇති
DocType: Monthly Distribution,Name of the Monthly Distribution,මාසික බෙදාහැරීම් නම
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,කණ්ඩායම හැඳුනුම්පත අනිවාර්ය වේ
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,කණ්ඩායම හැඳුනුම්පත අනිවාර්ය වේ
@@ -1848,12 +1861,12 @@
DocType: Budget,Fiscal Year,මුදල් වර්ෂය
DocType: Vehicle Log,Fuel Price,ඉන්ධන මිල
DocType: Budget,Budget,අයවැය
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,ස්ථාවර වත්කම් අයිතමය නොවන කොටස් අයිතමය විය යුතුය.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,ස්ථාවර වත්කම් අයිතමය නොවන කොටස් අයිතමය විය යුතුය.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","එය ආදායම් හෝ වියදම් ගිණුම නෑ ලෙස අයවැය, {0} එරෙහිව පවරා ගත නොහැකි"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,අත්පත් කර
DocType: Student Admission,Application Form Route,ඉල්ලූම්පත් ආකෘතිය මාර්ගය
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,භූමි ප්රදේශය / පාරිභෝගික
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,උදා: 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,උදා: 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"අවසරය, වර්ගය {0} එය වැටුප් නැතිව යන්න නිසා වෙන් කළ නොහැකි"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},ෙරෝ {0}: වෙන් කළ මුදල {1} වඩා අඩු හෝ හිඟ මුදල {2} පියවිය හා සමාන විය යුතුය
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,ඔබ විකුණුම් ඉන්වොයිසිය බේරා වරක් වචන දෘශ්යමාන වනු ඇත.
@@ -1862,7 +1875,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,අයිතමය {0} අනු අංක සඳහා පිහිටුවීම් නොවේ. අයිතමය ස්වාමියා පරීක්ෂා කරන්න
DocType: Maintenance Visit,Maintenance Time,නඩත්තු කාල
,Amount to Deliver,බේරාගන්න මුදල
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,භාණ්ඩයක් හෝ සේවාවක්
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,භාණ්ඩයක් හෝ සේවාවක්
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,හදුන්වන අරඹන්න දිනය කාලීන සම්බන්ධකම් කිරීමට (අධ්යයන වර්ෂය {}) අධ්යයන වසරේ වසරේ ආරම්භය දිනය වඩා කලින් විය නොහැක. දින වකවානු නිවැරදි කර නැවත උත්සාහ කරන්න.
DocType: Guardian,Guardian Interests,ගාඩියන් උනන්දුව දක්වන ක්ෂෙත්ර:
DocType: Naming Series,Current Value,වත්මන් වටිනාකම
@@ -1876,12 +1889,12 @@
must be greater than or equal to {2}",ෙරෝ {0}: {1} ආවර්තයක් සකස් කිරීම දිනය \ හා ත් අතර වෙනස වඩා වැඩි හෝ {2} සමාන විය යුතුයි
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,මෙම කොටස් ව්යාපාරය මත පදනම් වේ. බලන්න {0} විස්තර සඳහා
DocType: Pricing Rule,Selling,විකිණීම
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},මුදල {0} {1} {2} එරෙහිව අඩු
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},මුදල {0} {1} {2} එරෙහිව අඩු
DocType: Employee,Salary Information,වැටුප් තොරතුරු
DocType: Sales Person,Name and Employee ID,නම සහ සේවක හැඳුනුම්පත
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,"නියමිත දිනය දිනය ගිය තැන, ශ්රී ලංකා තැපෑල පෙර විය නොහැකි"
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,"නියමිත දිනය දිනය ගිය තැන, ශ්රී ලංකා තැපෑල පෙර විය නොහැකි"
DocType: Website Item Group,Website Item Group,වෙබ් අඩවිය අයිතමය සමූහ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,තීරු බදු හා බදු
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,තීරු බදු හා බදු
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,විමර්ශන දිනය ඇතුලත් කරන්න
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} ගෙවීම් සටහන් ඇතුළත් කිරීම් {1} පෙරීම කළ නොහැකි
DocType: Item Website Specification,Table for Item that will be shown in Web Site,වෙබ් අඩවිය පෙන්වා ඇත කරන බව විෂය සඳහා වගුව
@@ -1898,9 +1911,9 @@
DocType: Payment Reconciliation Payment,Reference Row,විමර්ශන ෙරෝ
DocType: Installation Note,Installation Time,ස්ථාපන කාල
DocType: Sales Invoice,Accounting Details,මුල්ය විස්තර
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,මෙම සමාගම වෙනුවෙන් සියලු ගනුදෙනු Delete
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,ෙරෝ # {0}: මෙහෙයුම {1} {2} නිෂ්පාදන න්යාය # {3} තුළ නිමි භාණ්ඩ යවන ලද සඳහා අවසන් නැත. වේලාව ලඝු-සටහන් හරහා ක්රියාත්මක තත්වය යාවත් කාලීන කරන්න
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,ආයෝජන
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,මෙම සමාගම වෙනුවෙන් සියලු ගනුදෙනු Delete
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,ෙරෝ # {0}: මෙහෙයුම {1} {2} නිෂ්පාදන න්යාය # {3} තුළ නිමි භාණ්ඩ යවන ලද සඳහා අවසන් නැත. වේලාව ලඝු-සටහන් හරහා ක්රියාත්මක තත්වය යාවත් කාලීන කරන්න
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,ආයෝජන
DocType: Issue,Resolution Details,යෝජනාව විස්තර
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,ප්රතිපාදන
DocType: Item Quality Inspection Parameter,Acceptance Criteria,පිළිගැනීම නිර්ණායක
@@ -1925,7 +1938,7 @@
DocType: Room,Room Name,කාමරය නම
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","නිවාඩු ඉතිරි දැනටමත් අනාගත නිවාඩු වෙන් වාර්තා {1} තුළ රැගෙන යන ඉදිරිපත් කර ඇති පරිදි, {0} පෙර අවලංගු / Leave යෙදිය නොහැකි"
DocType: Activity Cost,Costing Rate,ක වියදමින් අනුපාතිකය
-,Customer Addresses And Contacts,පාරිභෝගික ලිපින හා සම්බන්ධ වන්න
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,පාරිභෝගික ලිපින හා සම්බන්ධ වන්න
,Campaign Efficiency,ව්යාපාරය කාර්යක්ෂමතා
,Campaign Efficiency,ව්යාපාරය කාර්යක්ෂමතා
DocType: Discussion,Discussion,සාකච්ඡා
@@ -1937,14 +1950,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),(කාල පත්රය හරහා) මුළු බිල්පත් ප්රමාණය
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,නැවත පාරිභෝගික ආදායම්
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) භූමිකාව 'වියදම් Approver' තිබිය යුතුය
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Pair
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,නිෂ්පාදන සඳහා ද ෙව් හා යවන ලද තෝරන්න
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Pair
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,නිෂ්පාදන සඳහා ද ෙව් හා යවන ලද තෝරන්න
DocType: Asset,Depreciation Schedule,ක්ෂය උපෙල්ඛනෙය්
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,"විකුණුම් සහකරු, ලිපින හා සම්බන්ධ වන්න"
DocType: Bank Reconciliation Detail,Against Account,ගිණුම එරෙහිව
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,අර්ධ දින දිනය දිනය සිට මේ දක්වා අතර විය යුතුය
DocType: Maintenance Schedule Detail,Actual Date,සැබෑ දිනය
DocType: Item,Has Batch No,ඇත කණ්ඩායම කිසිදු
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},වාර්ෂික ගෙවීම්: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},වාර්ෂික ගෙවීම්: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),භාණ්ඩ හා සේවා බදු (GST ඉන්දියාව)
DocType: Delivery Note,Excise Page Number,සුරාබදු පිටු අංකය
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","සමාගම, දිනය සිට මේ දක්වා අනිවාර්ය වේ"
DocType: Asset,Purchase Date,මිලදීගත් දිනය
@@ -1952,11 +1967,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},සමාගම {0} තුළ 'වත්කම් ක්ෂය පිරිවැය මධ්යස්ථානය පිහිටුවා කරුණාකර
,Maintenance Schedules,නඩත්තු කාලසටහන
DocType: Task,Actual End Date (via Time Sheet),(කාල පත්රය හරහා) සැබෑ අවසානය දිනය
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},මුදල {0} {1} {2} {3} එරෙහිව
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},මුදල {0} {1} {2} {3} එරෙහිව
,Quotation Trends,උද්ධෘත ප්රවණතා
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},අයිතමය {0} සඳහා අයිතමය ස්වාමියා සඳහන් කර නැත අයිතමය සමූහ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,ගිණුමක් සඳහා ඩෙබිට් වූ ලැබිය යුතු ගිණුම් විය යුතුය
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},අයිතමය {0} සඳහා අයිතමය ස්වාමියා සඳහන් කර නැත අයිතමය සමූහ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,ගිණුමක් සඳහා ඩෙබිට් වූ ලැබිය යුතු ගිණුම් විය යුතුය
DocType: Shipping Rule Condition,Shipping Amount,නැව් ප්රමාණය
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,ගනුදෙනුකරුවන් එකතු
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,විභාග මුදල
DocType: Purchase Invoice Item,Conversion Factor,පරිවර්තන සාධකය
DocType: Purchase Order,Delivered,පාවා
@@ -1966,7 +1982,8 @@
DocType: Purchase Receipt,Vehicle Number,වාහන අංක
DocType: Purchase Invoice,The date on which recurring invoice will be stop,පුනරාවර්තනය ඉන්වොයිස් මත නැවතුම් වනු ඇත දිනය
DocType: Employee Loan,Loan Amount,ණය මුදල
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},පේළියේ {0}: ද්රව්ය පනත් කෙටුම්පත අයිතමය {1} සඳහා සොයාගත නොහැකි
+DocType: Program Enrollment,Self-Driving Vehicle,ස්වයං-රියදුරු වාහන
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},පේළියේ {0}: ද්රව්ය පනත් කෙටුම්පත අයිතමය {1} සඳහා සොයාගත නොහැකි
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,මුළු වෙන් කොළ {0} කාලය සඳහා දැනටමත් අනුමැතිය කොළ {1} ට වඩා අඩු විය නොහැක
DocType: Journal Entry,Accounts Receivable,ලැබිය යුතු ගිණුම්
,Supplier-Wise Sales Analytics,සැපයුම්කරු ප්රාඥ විකුණුම් විශ්ලේෂණ
@@ -1984,21 +2001,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,වියදම් හිමිකම් අනුමැතිය විභාග වෙමින් පවතී. මෙම වියදම් Approver පමණක් තත්ත්වය යාවත්කාලීන කළ හැකිය.
DocType: Email Digest,New Expenses,නව වියදම්
DocType: Purchase Invoice,Additional Discount Amount,අතිරේක වට්ටම් මුදල
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ෙරෝ # {0}: යවන ලද 1, අයිතමය ස්ථාවර වත්කම්වල පරිදි විය යුතුය. බහු යවන ලද සඳහා වෙනම පේළි භාවිතා කරන්න."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ෙරෝ # {0}: යවන ලද 1, අයිතමය ස්ථාවර වත්කම්වල පරිදි විය යුතුය. බහු යවන ලද සඳහා වෙනම පේළි භාවිතා කරන්න."
DocType: Leave Block List Allow,Leave Block List Allow,වාරණ ලැයිස්තුව තබන්න ඉඩ දෙන්න
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Abbr හිස් හෝ ඉඩක් බව අප වටහා ගත නො හැකි
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr හිස් හෝ ඉඩක් බව අප වටහා ගත නො හැකි
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,නොවන සමූහ සමූහ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,ක්රීඩා
DocType: Loan Type,Loan Name,ණය නම
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,මුළු තත
DocType: Student Siblings,Student Siblings,ශිෂ්ය සහෝදර සහෝදරියන්
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,ඒකකය
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,සමාගම සඳහන් කරන්න
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,ඒකකය
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,සමාගම සඳහන් කරන්න
,Customer Acquisition and Loyalty,පාරිභෝගික අත්කරගැනීම සහ සහෘද
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,ඔබ ප්රතික්ෂේප භාණ්ඩ තොගය පවත්වා කොහෙද පොත් ගබඩාව
DocType: Production Order,Skip Material Transfer,ද්රව්ය හුවමාරු සිංහල
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,"ප්රධාන දිනය {2} සඳහා {1} කර ගැනීම සඳහා, {0} සඳහා විනිමය අනුපාතය සොයා ගැනීමට නොහැකි විය. මුදල් හුවමාරු වාර්තා අතින් නිර්මාණය කරන්න"
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,ඔබේ මූල්ය වසර අවසන්
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,"ප්රධාන දිනය {2} සඳහා {1} කර ගැනීම සඳහා, {0} සඳහා විනිමය අනුපාතය සොයා ගැනීමට නොහැකි විය. මුදල් හුවමාරු වාර්තා අතින් නිර්මාණය කරන්න"
DocType: POS Profile,Price List,මිල දර්ශකය
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} දැන් ප්රකෘති මුදල් වර්ෂය වේ. බලපැවැත් වීමට වෙනසක් සඳහා ඔබේ බ්රවුසරය නැවුම් කරන්න.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,වියදම් හිමිකම්
@@ -2011,14 +2027,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},කණ්ඩායම කොටස් ඉතිරි {0} ගබඩා {3} හි විෂය {2} සඳහා {1} සෘණ බවට පත් වනු
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,පහත සඳහන් ද්රව්ය ඉල්ලීම් අයිතමය යලි සඳහා මට්ටම මත පදනම්ව ස්වයංක්රීයව ඉහළ නංවා තිබෙනවා
DocType: Email Digest,Pending Sales Orders,විභාග විකුණුම් නියෝග
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},ගිණුම {0} වලංගු නැත. ගිණුම ව්යවහාර මුදල් විය යුතුය {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},ගිණුම {0} වලංගු නැත. ගිණුම ව්යවහාර මුදල් විය යුතුය {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM පරිවර්තනය සාධකය පේළිය {0} අවශ්ය කරන්නේ
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ෙරෝ # {0}: විමර්ශන ලේඛන වර්ගය විකුණුම් සාමය, විකුණුම් ඉන්වොයිසිය හෝ ජර්නල් Entry එකක් විය යුතුය"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ෙරෝ # {0}: විමර්ශන ලේඛන වර්ගය විකුණුම් සාමය, විකුණුම් ඉන්වොයිසිය හෝ ජර්නල් Entry එකක් විය යුතුය"
DocType: Salary Component,Deduction,අඩු කිරීම්
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,ෙරෝ {0}: කාලය හා කලට අනිවාර්ය වේ.
DocType: Stock Reconciliation Item,Amount Difference,මුදල වෙනස
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},අයිතමය මිල මිල ලැයිස්තුව {1} තුළ {0} වෙනුවෙන් එකතු
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},අයිතමය මිල මිල ලැයිස්තුව {1} තුළ {0} වෙනුවෙන් එකතු
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,මෙම අලෙවි පුද්ගලයා සේවක අංකය ඇතුල් කරන්න
DocType: Territory,Classification of Customers by region,කලාපය අනුව ගනුදෙනුකරුවන් වර්ගීකරණය
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,වෙනස ප්රමාණය ශුන්ය විය යුතුය
@@ -2030,21 +2046,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,මුළු අඩු
,Production Analytics,නිෂ්පාදනය විශ්ලේෂණ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,පිරිවැය යාවත්කාලීන කිරීම
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,පිරිවැය යාවත්කාලීන කිරීම
DocType: Employee,Date of Birth,උපන්දිනය
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,අයිතමය {0} දැනටමත් ආපසු යවා ඇත
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,අයිතමය {0} දැනටමත් ආපසු යවා ඇත
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** මුදල් වර්ෂය ** මූල්ය වර්ෂය නියෝජනය කරයි. ** ** මුදල් වර්ෂය එරෙහි සියලු ගිණුම් සටහන් ඇතුළත් කිරීම් සහ අනෙකුත් ප්රධාන ගනුදෙනු දම්වැල් මත ධාවනය වන ඇත.
DocType: Opportunity,Customer / Lead Address,ගණුදෙනුකරු / ඊයම් ලිපිනය
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},අවවාදයයි: ඇමුණුමක් {0} මත වලංගු නොවන SSL සහතිකය
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},අවවාදයයි: ඇමුණුමක් {0} මත වලංගු නොවන SSL සහතිකය
DocType: Student Admission,Eligibility,සුදුසුකම්
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","ආදර්ශ ඔබේ නායකත්වය ලෙස ඔබගේ සියලු සම්බන්ධතා සහ තවත් එකතු කරන්න, ඔබ ව්යාපාරය ලබා ගැනීමට උදව්"
DocType: Production Order Operation,Actual Operation Time,සැබෑ මෙහෙයුම කාල
DocType: Authorization Rule,Applicable To (User),(පරිශීලක) අදාළ
DocType: Purchase Taxes and Charges,Deduct,අඩු
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,රැකියා විස්තරය
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,රැකියා විස්තරය
DocType: Student Applicant,Applied,ව්යවහාරික
DocType: Sales Invoice Item,Qty as per Stock UOM,කොටස් UOM අනුව යවන ලද
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2 නම
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 නම
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","හැර විශේෂ අක්ෂර "-", "#", "." සහ "/" මාලාවක් නම් කිරීමට ඉඩ නොදෙන"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","විකුණුම් ප්රචාරණ ව්යාපාර පිළිබඳ වර්තාවක් තබා ගන්න. ආදර්ශ පිළිබඳ වාර්තා, මිල ගණන්, විකුණුම් සාමය ආදිය ප්රචාරණ ව්යාපාර සිට ආයෝජන මත ප්රතිලාභ තක්සේරු කිරීමට තබා ගන්න."
DocType: Expense Claim,Approver,Approver
@@ -2055,8 +2071,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},අනු අංකය {0} {1} දක්වා වගකීමක් යටතේ
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,ඇසුරුම් සැපයුම් සටහන බෙදී ගියේ ය.
apps/erpnext/erpnext/hooks.py +87,Shipments,භාණ්ඩ නිකුත් කිරීම්
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,ගිණුම් ශේෂය ({0}) {1} සඳහා සහ කොටස් අගය ({2}) ගබඩා සඳහා {3} සමාන විය යුතුය
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,ගිණුම් ශේෂය ({0}) {1} සඳහා සහ කොටස් අගය ({2}) ගබඩා සඳහා {3} සමාන විය යුතුය
DocType: Payment Entry,Total Allocated Amount (Company Currency),මුළු වෙන් කළ මුදල (සමාගම ව්යවහාර මුදල්)
DocType: Purchase Order Item,To be delivered to customer,පාරිභෝගිකයා වෙත බාර දීමට
DocType: BOM,Scrap Material Cost,පරණ ද්රව්ය පිරිවැය
@@ -2064,20 +2078,21 @@
DocType: Purchase Invoice,In Words (Company Currency),වචන (සමාගම ව්යවහාර මුදල්) දී
DocType: Asset,Supplier,සැපයුම්කරු
DocType: C-Form,Quarter,කාර්තුවේ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,විවිධ වියදම්
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,විවිධ වියදම්
DocType: Global Defaults,Default Company,පෙරනිමි සමාගම
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,වියදම් හෝ වෙනසක් ගිණුමක් අයිතමය {0} එය බලපෑම් ලෙස සමස්ත කොටස් අගය සඳහා අනිවාර්ය වේ
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,වියදම් හෝ වෙනසක් ගිණුමක් අයිතමය {0} එය බලපෑම් ලෙස සමස්ත කොටස් අගය සඳහා අනිවාර්ය වේ
DocType: Payment Request,PR,මහජන සම්බන්ධතා
DocType: Cheque Print Template,Bank Name,බැංකුවේ නම
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-ඉහත
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-ඉහත
DocType: Employee Loan,Employee Loan Account,සේවක ණය ගිණුමට
DocType: Leave Application,Total Leave Days,මුළු නිවාඩු දින
DocType: Email Digest,Note: Email will not be sent to disabled users,සටහන: විද්යුත් තැපෑල ආබාධිත පරිශීලකයන් වෙත යවනු නොලැබේ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,අන්තර් ක්රියාකාරිත්වය සංඛ්යාව
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,අයිතමය සංග්රහයේ> අයිතමය සමූහ> වෙළඳ නාමය
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,සමාගම තෝරන්න ...
DocType: Leave Control Panel,Leave blank if considered for all departments,සියළුම දෙපාර්තමේන්තු සඳහා සලකා නම් හිස්ව තබන්න
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","රැකියා ආකාර (ස්ථිර, කොන්ත්රාත්, සීමාවාසික ආදිය)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} අයිතමය {1} සඳහා අනිවාර්ය වේ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} අයිතමය {1} සඳහා අනිවාර්ය වේ
DocType: Process Payroll,Fortnightly,දෙසතියකට වරක්
DocType: Currency Exchange,From Currency,ව්යවහාර මුදල් වලින්
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",කරුණාකර බෙ එක් පේළිය වෙන් කළ මුදල ඉන්වොයිසිය වර්ගය හා ඉන්වොයිසිය අංකය තෝරා
@@ -2100,7 +2115,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,කාලසටහන ලබා ගැනීම සඳහා 'උත්පාදනය උපෙල්ඛනෙය්' මත ක්ලික් කරන්න
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,පහත සඳහන් කාලසටහන් මකාදැමීමේ දෝෂ ඇතිවිය:
DocType: Bin,Ordered Quantity,නියෝග ප්රමාණ
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",උදා: "ඉදි කරන්නන් සඳහා වන මෙවලම් බිල්ඩ්"
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",උදා: "ඉදි කරන්නන් සඳහා වන මෙවලම් බිල්ඩ්"
DocType: Grading Scale,Grading Scale Intervals,ශ්රේණිගත පරිමාණ ප්රාන්තර
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: {3}: {2} පමණක් මුදල් කළ හැකි සඳහා මුල්ය සටහන්
DocType: Production Order,In Process,ක්රියාවලිය
@@ -2115,12 +2130,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} ශිෂ්ය කණ්ඩායම් නිර්මාණය.
DocType: Sales Invoice,Total Billing Amount,මුළු බිල්පත් ප්රමාණය
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,පෙරනිමි ලැබෙන විද්යුත් ගිණුම වැඩ කිරීමට මේ සඳහා සක්රීය තිබිය යුතුයි. පෙරනිමි ලැබෙන විද්යුත් ගිණුම (POP / IMAP) සැකසුම සහ නැවත උත්සාහ කරන්න.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,ලැබිය යුතු ගිණුම්
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},ෙරෝ # {0}: වත්කම් {1} දැනටමත් {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,ලැබිය යුතු ගිණුම්
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},ෙරෝ # {0}: වත්කම් {1} දැනටමත් {2}
DocType: Quotation Item,Stock Balance,කොටස් වෙළඳ ශේෂ
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,ගෙවීම විකුණුම් න්යාය
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,සැකසුම> සැකසීම්> කිරීම අනුප්රාප්තිකයා නම් කිරීම ශ්රේණි හරහා {0} සඳහා ශ්රේණි කිරීම අනුප්රාප්තිකයා නම් කිරීම සකස් කරන්න
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,විධායක නිලධාරී
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,විධායක නිලධාරී
DocType: Expense Claim Detail,Expense Claim Detail,වියදම් හිමිකම් විස්තර
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,කරුණාකර නිවැරදි ගිණුම තෝරා
DocType: Item,Weight UOM,සිරුරේ බර UOM
@@ -2129,12 +2143,12 @@
DocType: Production Order Operation,Pending,විභාග
DocType: Course,Course Name,පාඨමාලා නම
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,"නිශ්චිත සේවක නිවාඩු අයදුම්පත් අනුමත කළ හැකි ද කරන භාවිතා කරන්නන්,"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,කාර්යාල උපකරණ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,කාර්යාල උපකරණ
DocType: Purchase Invoice Item,Qty,යවන ලද
DocType: Fiscal Year,Companies,සමාගම්
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,ඉලෙක්ට්රොනික උපකරණ
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,කොටස් නැවත පිණිස මට්ටමේ වූ විට ද්රව්ය ඉල්ලීම් මතු
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,පූර්ණ කාලීන
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,පූර්ණ කාලීන
DocType: Salary Structure,Employees,සේවක
DocType: Employee,Contact Details,ඇමතුම් විස්තර
DocType: C-Form,Received Date,ලැබී දිනය
@@ -2144,7 +2158,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,මිල ලැයිස්තුව සකස් වී නොමැති නම් මිල ගණන් පෙන්වා ඇත කළ නොහැකි වනු ඇත
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"මෙම නැව්, නීතියේ ආධිපත්යය සඳහා වන රට සඳහන් හෝ ලෝක ව්යාප්ත නැව් කරුණාකර පරීක්ෂා කරන්න"
DocType: Stock Entry,Total Incoming Value,මුළු එන අගය
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,ඩෙබිට් කිරීම අවශ්ය වේ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,ඩෙබිට් කිරීම අවශ්ය වේ
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets ඔබගේ කණ්ඩායම විසින් සිදු කළ කටයුතුවලදී සඳහා කාලය, පිරිවැය සහ බිල්පත් පිළිබඳ වාර්තාවක් තබා ගැනීමට උදව්"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,මිලදී ගැනීම මිල ලැයිස්තුව
DocType: Offer Letter Term,Offer Term,ඉල්ලුමට කාලීන
@@ -2153,17 +2167,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,ගෙවීම් ප්රතිසන්ධාන
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,කරුණාකර අංශය භාර පුද්ගලයා නම තෝරා
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,තාක්ෂණ
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},මුළු නොගෙවූ: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},මුළු නොගෙවූ: {0}
DocType: BOM Website Operation,BOM Website Operation,ද්රව්ය ලේඛණය වෙබ් අඩවිය මෙහෙයුම
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,ඉල්ලුමට ලිපිය
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,ද්රව්ය ඉල්ලීම් (භා.අ.සැ.) සහ නිෂ්පාදන නියෝග උත්පාදනය.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,මුළු ඉන්වොයිස් ඒඑම්ටී
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,මුළු ඉන්වොයිස් ඒඑම්ටී
DocType: BOM,Conversion Rate,පරිවර්තන අනුපාතය
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,නිෂ්පාදන සෙවුම්
DocType: Timesheet Detail,To Time,වේලාව
DocType: Authorization Rule,Approving Role (above authorized value),අනුමත කාර්ය භාරය (බලය ලත් අගය ඉහළ)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,ගිණුමක් සඳහා ක්රෙඩිට් ගෙවිය යුතු ගිණුම් විය යුතුය
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},ද්රව්ය ලේඛණය සහානුයාත: {0} {2} මව් හෝ ළමා විය නොහැකි
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,ගිණුමක් සඳහා ක්රෙඩිට් ගෙවිය යුතු ගිණුම් විය යුතුය
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},ද්රව්ය ලේඛණය සහානුයාත: {0} {2} මව් හෝ ළමා විය නොහැකි
DocType: Production Order Operation,Completed Qty,අවසන් යවන ලද
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","{0} සඳහා, ඩෙබිට් ගිණුම් වලට පමණක් තවත් ණය ප්රවේශය හා සම්බන්ධ කර ගත හැකි"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,මිල ලැයිස්තුව {0} අක්රීය කර ඇත
@@ -2174,28 +2188,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} අයිතමය {1} සඳහා අවශ්ය අනු ගණන්. ඔබ {2} විසින් ජනතාවට ලබා දී ඇත.
DocType: Stock Reconciliation Item,Current Valuation Rate,වත්මන් තක්සේරු අනුපාත
DocType: Item,Customer Item Codes,පාරිභෝගික අයිතමය කේත
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,විනිමය ලාභ / අඞු කිරීමට
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,විනිමය ලාභ / අඞු කිරීමට
DocType: Opportunity,Lost Reason,අහිමි හේතුව
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,නව ලිපිනය
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,නව ලිපිනය
DocType: Quality Inspection,Sample Size,නියැදියේ ප්රමාණය
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,රිසිට්පත ලේඛන ඇතුලත් කරන්න
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,සියලු අයිතම දැනටමත් ඉන්වොයිස් කර ඇත
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,සියලු අයිතම දැනටමත් ඉන්වොයිස් කර ඇත
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.','නඩු අංක සිට' වලංගු සඳහන් කරන්න
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,තව දුරටත් වියදම් මධ්යස්ථාන කණ්ඩායම් යටතේ ඉදිරිපත් කළ හැකි නමුත් සටහන් ඇතුළත් කිරීම්-කණ්ඩායම් නොවන එරෙහිව කළ හැකි
DocType: Project,External,බාහිර
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,පරිශීලකයන් හා අවසර
DocType: Vehicle Log,VLOG.,VLOG.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},නිර්මාණය කරන ලද්දේ නිෂ්පාදනය නියෝග: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},නිර්මාණය කරන ලද්දේ නිෂ්පාදනය නියෝග: {0}
DocType: Branch,Branch,ශාඛාව
DocType: Guardian,Mobile Number,ජංගම දූරකථන අංකය
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,මුද්රණ හා ෙවළඳ නාමකරණ
DocType: Bin,Actual Quantity,සැබෑ ප්රමාණය
DocType: Shipping Rule,example: Next Day Shipping,උදාහරණයක් ලෙස: ඊළඟ දින නැව්
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,{0} සොයාගත නොහැකි අනු අංකය
-DocType: Scheduling Tool,Student Batch,ශිෂ්ය කණ්ඩායම
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,ඔබගේ ගනුදෙනුකරුවන්
+DocType: Program Enrollment,Student Batch,ශිෂ්ය කණ්ඩායම
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,ශිෂ්ය කරන්න
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},ඔබ මෙම ව්යාපෘතිය පිළිබඳව සහයෝගයෙන් කටයුතු කිරීමට ආරාධනා කර ඇත: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},ඔබ මෙම ව්යාපෘතිය පිළිබඳව සහයෝගයෙන් කටයුතු කිරීමට ආරාධනා කර ඇත: {0}
DocType: Leave Block List Date,Block Date,වාරණ දිනය
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,දැන් ඉල්ලුම් කරන්න
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},සැබෑ යවන ලද {0} / බලා සිටීමේ යවන ලද {1}
@@ -2205,7 +2218,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","නිර්මාණය හා දෛනික, කළමනාකරණය කිරීම, සතිපතා හා මාසික ඊ-තැපැල් digests."
DocType: Appraisal Goal,Appraisal Goal,ඇගයීෙම් අරමුණ
DocType: Stock Reconciliation Item,Current Amount,වත්මන් මුදල
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,ගොඩනැගිලි
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,ගොඩනැගිලි
DocType: Fee Structure,Fee Structure,ගාස්තු ව්යුහය
DocType: Timesheet Detail,Costing Amount,මුදල ක වියදමින්
DocType: Student Admission,Application Fee,අයදුම් කිරීමේ ගාස්තුව
@@ -2217,10 +2230,10 @@
DocType: POS Profile,[Select],[තෝරන්න]
DocType: SMS Log,Sent To,කිරීම සඳහා යවා
DocType: Payment Request,Make Sales Invoice,විකුණුම් ඉන්වොයිසිය කරන්න
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,මෘදුකාංග
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,මෘදුකාංග
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,ඊළඟට අප අමතන්න දිනය අතීතයේ දී කළ නොහැකි
DocType: Company,For Reference Only.,විමර්ශන පමණක් සඳහා.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,කණ්ඩායම තේරීම් නොමැත
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,කණ්ඩායම තේරීම් නොමැත
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},වලංගු නොවන {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,උසස් මුදල
@@ -2230,15 +2243,15 @@
DocType: Employee,Employment Details,රැකියා විස්තර
DocType: Employee,New Workplace,නව සේවා ස්ථාන
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,සංවෘත ලෙස සකසන්න
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Barcode {0} සමග කිසිදු විෂය
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Barcode {0} සමග කිසිදු විෂය
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,නඩු අංක 0 වෙන්න බෑ
DocType: Item,Show a slideshow at the top of the page,පිටුවේ ඉහළ ඇති වූ අතිබහුතරයකගේ පෙන්වන්න
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,ස්ටෝර්ස්
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,ස්ටෝර්ස්
DocType: Serial No,Delivery Time,භාරදීමේ වේලාව
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,වයස්ගතවීම ආශ්රිත දා
DocType: Item,End of Life,ජීවිතයේ අවසානය
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,ගමන්
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,ගමන්
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,ලබා දී දින සඳහා සේවක {0} සඳහා සොයා ගත නොහැකි විය සකිය ෙහෝ පෙරනිමි වැටුප් ව්යුහය
DocType: Leave Block List,Allow Users,පරිශීලකයන් ඉඩ දෙන්න
DocType: Purchase Order,Customer Mobile No,පාරිභෝගික ජංගම නොමැත
@@ -2247,29 +2260,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,යාවත්කාලීන වියදම
DocType: Item Reorder,Item Reorder,අයිතමය සීරුමාරු කිරීමේ
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,වැටුප පුරවා පෙන්වන්න
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,ද්රව්ය මාරු
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,ද්රව්ය මාරු
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",", මෙහෙයුම් විශේෂයෙන් සඳහන් මෙහෙයුම් පිරිවැය සහ අද්විතීය මෙහෙයුම ඔබේ ක්රියාකාරිත්වය සඳහා කිසිදු දෙන්න."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,මෙම ලේඛනය අයිතමය {4} සඳහා {0} {1} විසින් සීමාව ඉක්මවා ඇත. ඔබ එකම {2} එරෙහිව තවත් {3} ගන්නවාද?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,ඉතිරි පසු නැවත නැවත සකස් කරන්න
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,වෙනස් මුදල ගිණුම තෝරන්න
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,මෙම ලේඛනය අයිතමය {4} සඳහා {0} {1} විසින් සීමාව ඉක්මවා ඇත. ඔබ එකම {2} එරෙහිව තවත් {3} ගන්නවාද?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,ඉතිරි පසු නැවත නැවත සකස් කරන්න
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,වෙනස් මුදල ගිණුම තෝරන්න
DocType: Purchase Invoice,Price List Currency,මිල ලැයිස්තුව ව්යවහාර මුදල්
DocType: Naming Series,User must always select,පරිශීලක සෑම විටම තෝරාගත යුතුය
DocType: Stock Settings,Allow Negative Stock,ඍණ කොටස් ඉඩ දෙන්න
DocType: Installation Note,Installation Note,ස්ථාපන සටහන
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,බදු එකතු කරන්න
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,බදු එකතු කරන්න
DocType: Topic,Topic,මාතෘකාව
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,මූල්ය පහසුකම් මුදල් ප්රවාහ
DocType: Budget Account,Budget Account,අයවැය ගිණුම්
DocType: Quality Inspection,Verified By,වන විට තහවුරු කර
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","දැනට පවතින ගනුදෙනු නැති නිසා, සමාගම පෙරනිමි මුදල් වෙනස් කළ නොහැක. ගනුදෙනු පෙරනිමි මුදල් වෙනස් කිරීමට අවලංගු කළ යුතුය."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","දැනට පවතින ගනුදෙනු නැති නිසා, සමාගම පෙරනිමි මුදල් වෙනස් කළ නොහැක. ගනුදෙනු පෙරනිමි මුදල් වෙනස් කිරීමට අවලංගු කළ යුතුය."
DocType: Grading Scale Interval,Grade Description,ශ්රේණියේ විස්තරය
DocType: Stock Entry,Purchase Receipt No,මිලදී ගැනීම රිසිට්පත නොමැත
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,අර්නස්ට් මුදල්
DocType: Process Payroll,Create Salary Slip,වැටුප පුරවා නිර්මාණය
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,පාලනයන් යනාදී
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),අරමුදල් ප්රභවයන් (වගකීම්)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},පේළියේ ප්රමාණය {0} ({1}) නිෂ්පාදනය ප්රමාණය {2} ලෙස සමාන විය යුතුයි
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),අරමුදල් ප්රභවයන් (වගකීම්)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},පේළියේ ප්රමාණය {0} ({1}) නිෂ්පාදනය ප්රමාණය {2} ලෙස සමාන විය යුතුයි
DocType: Appraisal,Employee,සේවක
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,කණ්ඩායම තේරීම්
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} සම්පූර්ණයෙන්ම ගෙවිය යුතුය
DocType: Training Event,End Time,අවසන් කාල
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,ක්රියාකාරී වැටුප් ව්යුහය {0} ලබා දී දින සඳහා සේවක {1} සඳහා සොයා
@@ -2281,11 +2295,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,දා අවශ්ය
DocType: Rename Tool,File to Rename,නැවත නම් කරන්න කිරීමට ගොනු
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},කරුණාකර ෙරෝ {0} තුළ අයිතමය සඳහා ද ෙව් තෝරා
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},නිශ්චිතව දක්වා ඇති ද්රව්ය ලේඛණය {0} අයිතමය {1} සඳහා නොපවතියි
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},ගිණුමක් {0} ගිණුම ප්රකාරය සමාගම {1} සමග නොගැලපේ: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},නිශ්චිතව දක්වා ඇති ද්රව්ය ලේඛණය {0} අයිතමය {1} සඳහා නොපවතියි
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,මෙම වෙළෙඳ න්යාය අවලංගු කිරීම පෙර නඩත්තු උපෙල්ඛනෙය් {0} අවලංගු කළ යුතුය
DocType: Notification Control,Expense Claim Approved,වියදම් හිමිකම් අනුමත
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,සේවක වැටුප් පුරවා {0} දැනටමත් මෙම කාල සීමාව සඳහා නිර්මාණය
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,ඖෂධ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,ඖෂධ
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,මිලදී ගත් අයිතම පිරිවැය
DocType: Selling Settings,Sales Order Required,විකුණුම් සාමය අවශ්ය
DocType: Purchase Invoice,Credit To,ක්රෙඩිට් කිරීම
@@ -2302,43 +2317,43 @@
DocType: Payment Gateway Account,Payment Account,ගෙවීම් ගිණුම
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,ඉදිරියට සමාගම සඳහන් කරන්න
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,ලැබිය යුතු ගිණුම් ශුද්ධ වෙනස්
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Off වන්දි
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Off වන්දි
DocType: Offer Letter,Accepted,පිළිගත්තා
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,ආයතනය
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,ආයතනය
DocType: SG Creation Tool Course,Student Group Name,ශිෂ්ය කණ්ඩායම් නම
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,ඔබට නිසැකවම මෙම සමාගම සඳහා වන සියළුම ගනුදෙනු මැකීමට අවශ්ය බවට තහවුරු කරගන්න. එය ඔබගේ ස්වාමියා දත්ත පවතිනු ඇත. මෙම ක්රියාව නැති කළ නොහැක.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,ඔබට නිසැකවම මෙම සමාගම සඳහා වන සියළුම ගනුදෙනු මැකීමට අවශ්ය බවට තහවුරු කරගන්න. එය ඔබගේ ස්වාමියා දත්ත පවතිනු ඇත. මෙම ක්රියාව නැති කළ නොහැක.
DocType: Room,Room Number,කාමර අංකය
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},වලංගු නොවන සමුද්දේශ {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) නිෂ්පාදන න්යාය {3} සැලසුම් quanitity ({2}) ට වඩා වැඩි විය නොහැක
DocType: Shipping Rule,Shipping Rule Label,නැව් පාලනය ලේබල්
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,පරිශීලක සංසදය
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,", අමු ද්රව්ය, හිස් විය නොහැක."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.",", කොටස් යාවත්කාලීන නොවන ඉන්වොයිස් පහත නාවික අයිතමය අඩංගු විය."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,", අමු ද්රව්ය, හිස් විය නොහැක."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.",", කොටස් යාවත්කාලීන නොවන ඉන්වොයිස් පහත නාවික අයිතමය අඩංගු විය."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,ඉක්මන් ජර්නල් සටහන්
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,ඔබ අනුපාතය වෙනස් කළ නොහැක ද්රව්ය ලේඛණය යම් භාණ්ඩයක agianst සඳහන් නම්
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,ඔබ අනුපාතය වෙනස් කළ නොහැක ද්රව්ය ලේඛණය යම් භාණ්ඩයක agianst සඳහන් නම්
DocType: Employee,Previous Work Experience,පසුගිය සේවා පළපුරුද්ද
DocType: Stock Entry,For Quantity,ප්රමාණ සඳහා
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},පේළියේ දී අයිතමය {0} සඳහා සැලසුම් යවන ලද ඇතුලත් කරන්න {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} ඉදිරිපත් කර නැත
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,භාණ්ඩ සඳහා වන ඉල්ලීම්.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,එක් එක් හොඳ අයිතමය අවසන් සඳහා වෙනම නිෂ්පාදනය සඳහා නිර්මාණය කරනු ඇත.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} ආපසු ලියවිල්ල තුල සෘණාත්මක විය යුතුය
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} ආපසු ලියවිල්ල තුල සෘණාත්මක විය යුතුය
,Minutes to First Response for Issues,ගැටළු සඳහා පළමු ප්රතිචාර සඳහා විනාඩි
DocType: Purchase Invoice,Terms and Conditions1,නියමයන් හා Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,ඔබ මෙම පද්ධතිය සකස්කර සඳහා ආයතනයේ නම.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,ඔබ මෙම පද්ධතිය සකස්කර සඳහා ආයතනයේ නම.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","මෙම දිනය දක්වා කැටි මුල්ය ප්රවේශය, කිසිවෙක් කරන්න පුළුවන් / පහත සඳහන් නියමිත කාර්යභාරය හැර ප්රවේශය වෙනස් කරගත හැක."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,නඩත්තු කාලසටහන ජනනය පෙර ලිපිය සුරැකීම කරුණාකර
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,ව්යාපෘති තත්ත්වය
DocType: UOM,Check this to disallow fractions. (for Nos),භාග බලය පැවරෙන මෙම පරීක්ෂා කරන්න. (අංක සඳහා)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,පහත සඳහන් නිෂ්පාදන නියෝග නිර්මාණය කරන ලදී:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,පහත සඳහන් නිෂ්පාදන නියෝග නිර්මාණය කරන ලදී:
DocType: Student Admission,Naming Series (for Student Applicant),(ශිෂ්ය අයදුම්කරු සඳහා) ශ්රේණි අනුප්රාප්තිකයා නම් කිරීම
DocType: Delivery Note,Transporter Name,ප්රවාහනය නම
DocType: Authorization Rule,Authorized Value,බලයලත් අගය
DocType: BOM,Show Operations,මෙහෙයුම් පෙන්වන්න
,Minutes to First Response for Opportunity,අවස්ථා සඳහා පළමු ප්රතිචාර සඳහා විනාඩි
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,මුළු නැති කල
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,විරසකයන් අයිතමය හෝ ගබඩා {0} ද්රව්ය ඉල්ලීම් නොගැලපේ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,විරසකයන් අයිතමය හෝ ගබඩා {0} ද්රව්ය ඉල්ලීම් නොගැලපේ
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,නු ඒකකය
DocType: Fiscal Year,Year End Date,වසර අවසාන දිනය
DocType: Task Depends On,Task Depends On,කාර්ය සාධක මත රඳා පවතී
@@ -2418,11 +2433,11 @@
DocType: Asset,Manual,අත්පොත
DocType: Salary Component Account,Salary Component Account,වැටුප් සංරචක ගිණුම
DocType: Global Defaults,Hide Currency Symbol,ව්යවහාර මුදල් සංකේතය සඟවන්න
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","උදා: බැංකුව, මුදල්, ක්රෙඩිට් කාඩ්"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","උදා: බැංකුව, මුදල්, ක්රෙඩිට් කාඩ්"
DocType: Lead Source,Source Name,මූලාශ්රය නම
DocType: Journal Entry,Credit Note,ක්රෙඩිට් සටහන
DocType: Warranty Claim,Service Address,සේවා ලිපිනය
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,ගෘහ භාණ්ඞ සහ සවිකිරීම්
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,ගෘහ භාණ්ඞ සහ සවිකිරීම්
DocType: Item,Manufacture,නිෂ්පාදනය
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,පළමු සැපයුම් සටහන සතුටු
DocType: Student Applicant,Application Date,අයදුම් දිනය
@@ -2432,7 +2447,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,නිශ්කාශනෙය් දිනය සඳහන් නොවීම
apps/erpnext/erpnext/config/manufacturing.py +7,Production,නිෂ්පාදනය
DocType: Guardian,Occupation,රැකියාව
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,මානව සම්පත් පද්ධතිය අනුප්රාප්තිකයා නම් කිරීම කරුණාකර පිහිටුවීම් සේවක> මානව සම්පත් සැකසුම්
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,ෙරෝ {0}: ඇරඹුම් දිනය අවසානය දිනය පෙර විය යුතුය
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),එකතුව (යවන ලද)
DocType: Sales Invoice,This Document,මෙම ලේඛන
@@ -2444,20 +2458,20 @@
DocType: Purchase Receipt,Time at which materials were received,කවෙර්ද ද්රව්ය ලැබුණු කාලය
DocType: Stock Ledger Entry,Outgoing Rate,පිටතට යන අනුපාතය
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,සංවිධානය ශාඛා ස්වාමියා.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,හෝ
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,හෝ
DocType: Sales Order,Billing Status,බිල්පත් තත්ත්වය
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,ක නිකුත් වාර්තා
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,උපයෝගීතා වියදම්
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,උපයෝගීතා වියදම්
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-ඉහත
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,ෙරෝ # {0}: ජර්නල් සටහන් {1} ගිණුම {2} හෝ දැනටමත් වෙනත් වවුචරය ගැලපීම නැත
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,ෙරෝ # {0}: ජර්නල් සටහන් {1} ගිණුම {2} හෝ දැනටමත් වෙනත් වවුචරය ගැලපීම නැත
DocType: Buying Settings,Default Buying Price List,පෙරනිමි මිලට ගැනීම මිල ලැයිස්තුව
DocType: Process Payroll,Salary Slip Based on Timesheet,වැටුප් පුරවා Timesheet මත පදනම්ව
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,ඉහත තෝරාගත් නිර්ණායක හෝ වැටුප් ස්ලිප් සඳහා කිසිදු සේවකයෙකුට දැනටමත් නිර්මාණය
DocType: Notification Control,Sales Order Message,විකුණුම් සාමය පණිවුඩය
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","සමාගම, මුදල්, මුදල් වර්ෂය ආදිය සකස් පෙරනිමි අගයන්"
DocType: Payment Entry,Payment Type,ගෙවීම් වර්ගය
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,කරුණාකර අයිතමය {0} සඳහා කණ්ඩායම තෝරන්න. මෙම අවශ්යතාව ඉටු කරන බව එක් කණ්ඩායම සොයා ගත නොහැකි විය
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,කරුණාකර අයිතමය {0} සඳහා කණ්ඩායම තෝරන්න. මෙම අවශ්යතාව ඉටු කරන බව එක් කණ්ඩායම සොයා ගත නොහැකි විය
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,කරුණාකර අයිතමය {0} සඳහා කණ්ඩායම තෝරන්න. මෙම අවශ්යතාව ඉටු කරන බව එක් කණ්ඩායම සොයා ගත නොහැකි විය
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,කරුණාකර අයිතමය {0} සඳහා කණ්ඩායම තෝරන්න. මෙම අවශ්යතාව ඉටු කරන බව එක් කණ්ඩායම සොයා ගත නොහැකි විය
DocType: Process Payroll,Select Employees,සේවක තෝරන්න
DocType: Opportunity,Potential Sales Deal,අනාගත විකුණුම් ගනුදෙනුව
DocType: Payment Entry,Cheque/Reference Date,"එම ගාස්තුව මුදලින්, ෙචක්පතකින් / යොමුව දිනය"
@@ -2477,7 +2491,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,රිසිට්පත ලියවිලි ඉදිරිපත් කළ යුතුය
DocType: Purchase Invoice Item,Received Qty,යවන ලද ලැබී
DocType: Stock Entry Detail,Serial No / Batch,අනු අංකය / කණ්ඩායම
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,ගෙවුම් හා නැති කතාව නොවේ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,ගෙවුම් හා නැති කතාව නොවේ
DocType: Product Bundle,Parent Item,මව් අයිතමය
DocType: Account,Account Type,ගිණුම් වර්ගය
DocType: Delivery Note,DN-RET-,ඩී.එන්-RET-
@@ -2492,25 +2506,24 @@
DocType: Bin,Reserved Quantity,ඇවිරිණි ප්රමාණ
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,වලංගු ඊ-තැපැල් ලිපිනයක් ඇතුලත් කරන්න
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,වලංගු ඊ-තැපැල් ලිපිනයක් ඇතුලත් කරන්න
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},වැඩසටහන {0} සඳහා කිසිදු අනිවාර්ය පාඨමාලාව පවතී
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},වැඩසටහන {0} සඳහා කිසිදු අනිවාර්ය පාඨමාලාව පවතී
DocType: Landed Cost Voucher,Purchase Receipt Items,මිලදී රිසිට්පත අයිතම
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,අභිමත ආකෘති පත්ර
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,Arrear
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,Arrear
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,කාල සීමාව තුළ ක්ෂය ප්රමාණය
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,ආබාධිත සැකිල්ල පෙරනිමි සැකිලි නොවිය යුතුයි
DocType: Account,Income Account,ආදායම් ගිණුම
DocType: Payment Request,Amount in customer's currency,පාරිභෝගික මුදල් ප්රමාණය
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,සැපයුම්
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,සැපයුම්
DocType: Stock Reconciliation Item,Current Qty,වත්මන් යවන ලද
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",වගන්තිය සැඳුම්ලත් දී "ද්රව්ය මත පදනම් මත අනුපාතිකය" බලන්න
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,පෙර
DocType: Appraisal Goal,Key Responsibility Area,ප්රධාන වගකීම් ප්රදේශය
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","ශිෂ්ය කාණ්ඩ ඔබ සිසුන් සඳහා පැමිණීම, ඇගයීම හා ගාස්තු නිරීක්ෂණය උදව්"
DocType: Payment Entry,Total Allocated Amount,මුළු වෙන් කළ මුදල
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,භාණ්ඩ තොගය සඳහා සකසන්න පෙරනිමි බඩු තොග ගිණුමක්
DocType: Item Reorder,Material Request Type,ද්රව්ය ඉල්ලීම් වර්ගය
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},{0} {1} දක්වා වැටුප් සඳහා Accural ජර්නල් සටහන්
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage පිරී ඇත, ඉතිරි වුණේ නැහැ"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage පිරී ඇත, ඉතිරි වුණේ නැහැ"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,ෙරෝ {0}: UOM පරිවර්තන සාධකය අනිවාර්ය වේ
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,ref
DocType: Budget,Cost Center,පිරිවැය මධ්යස්ථානය
@@ -2523,19 +2536,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","මිල ගණන් පාලනය සමහර නිර්ණායක මත පදනම් වූ, මිල ලැයිස්තු මඟින් නැවත ලියවෙනු / වට්ටම් ප්රතිශතය නිර්වචනය කිරීමට සිදු වේ."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,පොත් ගබඩාව පමණක් හරහා කොටස් Entry / ප්රවාහනය සටහන / මිලදී ගැනීම රිසිට්පත වෙනස් කළ හැකි
DocType: Employee Education,Class / Percentage,පන්තියේ / ප්රතිශතය
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,අලෙවි සහ විකුණුම් අංශ ප්රධානී
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,ආදායම් බදු
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,අලෙවි සහ විකුණුම් අංශ ප්රධානී
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,ආදායම් බදු
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","තෝරාගත් මිල නියම පාලනය මිල 'සඳහා ඉදිරිපත් වන්නේ නම්, එය මිල ලැයිස්තුව මඟින් නැවත ලියවෙනු ඇත. මිල ගණන් පාලනය මිල අවසන් මිල, ඒ නිසා තවදුරටත් වට්ටමක් යෙදිය යුතුය. මේ නිසා, විකුණුම් සාමය, මිලදී ගැනීමේ නියෝගයක් ආදිය වැනි ගනුදෙනු, එය 'අනුපාතිකය' ක්ෂේත්රය තුළ, 'මිල ලැයිස්තුව අනුපාතිකය' ක්ෂේත්රය වඩා ඉහළම අගය කරනු ඇත."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,ධාවන කර්මාන්ත ස්වභාවය අනුව මඟ පෙන්වන.
DocType: Item Supplier,Item Supplier,අයිතමය සැපයුම්කරු
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,කිසිදු කණ්ඩායම ලබා ගැනීමට අයිතමය සංග්රහයේ ඇතුලත් කරන්න
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},කරුණාකර {0} සඳහා අගය තෝරා quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,කිසිදු කණ්ඩායම ලබා ගැනීමට අයිතමය සංග්රහයේ ඇතුලත් කරන්න
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},කරුණාකර {0} සඳහා අගය තෝරා quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,සියළු ලිපිනයන්.
DocType: Company,Stock Settings,කොටස් සැකසුම්
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","පහත සඳහන් ලක්ෂණ වාර්තා දෙකම එකම නම් යනවාත් පමණි. සමූහය, රූට් වර්ගය, සමාගම,"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","පහත සඳහන් ලක්ෂණ වාර්තා දෙකම එකම නම් යනවාත් පමණි. සමූහය, රූට් වර්ගය, සමාගම,"
DocType: Vehicle,Electric,විද්යුත්
DocType: Task,% Progress,% ප්රගතිය
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,ලාභ / අඞු කිරීමට වත්කම් බැහැර මත
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,ලාභ / අඞු කිරීමට වත්කම් බැහැර මත
DocType: Training Event,Will send an email about the event to employees with status 'Open',තත්වය සමග සේවකයින්ට සිදුවීම පිළිබඳ ඊමේල් එකක් එවන්නෙමු 'විවෘත'
DocType: Task,Depends on Tasks,කාර්යයන් මත රඳා පවතී
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,කස්ටමර් සමූහයේ රුක් කළමනාකරණය කරන්න.
@@ -2544,7 +2557,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,නව පිරිවැය මධ්යස්ථානය නම
DocType: Leave Control Panel,Leave Control Panel,පාලක පැනලය තබන්න
DocType: Project,Task Completion,කාර්ය සාධක සම්පූර්ණ කර
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,නැහැ දී කොටස්
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,නැහැ දී කොටස්
DocType: Appraisal,HR User,මානව සම්පත් පරිශීලක
DocType: Purchase Invoice,Taxes and Charges Deducted,බදු හා බදු ගාස්තු අඩු කිරීමේ
apps/erpnext/erpnext/hooks.py +116,Issues,ගැටලු
@@ -2555,22 +2568,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},{0} සහ {1} අතර සොයා කිසිම වැටුප් ස්ලිප්
,Pending SO Items For Purchase Request,විභාග SO අයිතම මිලදී ගැනීම ඉල්ලීම් සඳහා
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,ශිෂ්ය ප්රවේශ
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} අක්රීය
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} අක්රීය
DocType: Supplier,Billing Currency,බිල්පත් ව්යවහාර මුදල්
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,මහා පරිමාණ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,මහා පරිමාණ
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,මුළු පත්ර
,Profit and Loss Statement,ලාභ අලාභ ප්රකාශය
DocType: Bank Reconciliation Detail,Cheque Number,"එම ගාස්තුව මුදලින්, ෙචක්පතකින් අංකය"
,Sales Browser,විකුණුම් බ්රව්සරය
DocType: Journal Entry,Total Credit,මුළු ණය
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},අවවාදයයි: තවත් {0} # {1} කොටස් ඇතුලත් {2} එරෙහිව පවතී
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,දේශීය
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,දේශීය
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),"ණය හා අත්තිකාරම්, (වත්කම්)"
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,ණය ගැතියන්
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,මහා
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,මහා
DocType: Homepage Featured Product,Homepage Featured Product,මුල් පිටුව Featured නිෂ්පාදන
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,සියලු තක්සේරු කණ්ඩායම්
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,සියලු තක්සේරු කණ්ඩායම්
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,නව ගබඩා නම
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),මුළු {0} ({1})
DocType: C-Form Invoice Detail,Territory,භූමි ප්රදේශය
@@ -2580,12 +2593,12 @@
DocType: Production Order Operation,Planned Start Time,සැලසුම් අරඹන්න කාල
DocType: Course,Assessment,තක්සේරු
DocType: Payment Entry Reference,Allocated,වෙන්
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,සමීප ශේෂ පත්රය හා පොත් ලාභය හෝ අලාභය.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,සමීප ශේෂ පත්රය හා පොත් ලාභය හෝ අලාභය.
DocType: Student Applicant,Application Status,අයැදුම්පතක තත්ත්වය විමසා
DocType: Fees,Fees,ගාස්තු
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,තවත් බවට එක් මුදල් බවට පරිවර්තනය කිරීමට විනිමය අනුපාතය නියම කරන්න
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,උද්ධෘත {0} අවලංගුයි
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,සම්පුර්ණ හිඟ මුදල
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,සම්පුර්ණ හිඟ මුදල
DocType: Sales Partner,Targets,ඉලක්ක
DocType: Price List,Price List Master,මිල ලැයිස්තුව මාස්ටර්
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,සියලු විකුණුම් ගනුදෙනු බහු ** විකුණුම් පුද්ගලයින් එරෙහිව tagged කළ හැකි ** ඔබ ඉලක්ක තබා නිරීක්ෂණය කළ හැකි බව එසේ.
@@ -2617,12 +2630,12 @@
1. Address and Contact of your Company.","සම්මත විකුණුම් හා මිලදී ගැනීම් එකතු කළ හැකි බව නියමයන් සහ කොන්දේසි. නිදසුන්: මෙම ප්රතිලාභය 1. වලංගු. 1. ගෙවීම් කොන්දේසි (උසස් දී, ණය මත, කොටසක් අත්තිකාරම් ආදිය). 1. අමතර (හෝ ගණුදෙනුකරු විසින් ගෙවිය යුතු) යනු කුමක්ද. 1. ආරක්ෂාව / භාවිතය අනතුරු ඇඟවීමක්. 1. නම් Warranty. 1. ප්රතිපත්ති ආයෙත්. 1. අදාල නම්, භාණ්ඩ ප්රවාහනය කිරීමේ කොන්දේසි. ආරවුල් අමතමින් 1. මාර්ග, හානි පුර්ණය, වගකීම්, ආදිය 1. ලිපිනය සහ ඔබගේ සමාගමේ අමතන්න."
DocType: Attendance,Leave Type,වර්ගය තබන්න
DocType: Purchase Invoice,Supplier Invoice Details,සැපයුම්කරු ගෙවීම් විස්තර
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,වියදම් / වෙනස ගිණුම ({0}) වන 'ලාභය හෝ අලාභය' ගිණුම් විය යුතුය
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,වියදම් / වෙනස ගිණුම ({0}) වන 'ලාභය හෝ අලාභය' ගිණුම් විය යුතුය
DocType: Project,Copied From,සිට පිටපත්
DocType: Project,Copied From,සිට පිටපත්
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},නම දෝෂය: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,හිඟයක්
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} {2} {3} සමග සම්බන්ධ නැති
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} {2} {3} සමග සම්බන්ධ නැති
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,සේවක {0} සඳහා සහභාගි වන විටත් ලකුණු කර ඇත
DocType: Packing Slip,If more than one package of the same type (for print),එකම වර්ගයේ (මුද්රිත) එකකට වඩා වැඩි පැකේජය නම්
,Salary Register,වැටුප් රෙජිස්ටර්
@@ -2640,22 +2653,23 @@
,Requested Qty,ඉල්ලන යවන ලද
DocType: Tax Rule,Use for Shopping Cart,සාප්පු සවාරි කරත්ත සඳහා භාවිතා
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},අගය {0} උපලක්ෂණ සඳහා {1} වලංගු අයිතමය ලැයිස්තුවේ නොපවතියි අයිතමය {2} සඳහා වටිනාකම් ආරෝපණය
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,අනු ගණන් තෝරන්න
DocType: BOM Item,Scrap %,පරණ%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","ගාස්තු ඔබේ තෝරාගැනීම අනුව, අයිතමය යවන ලද හෝ මුදල මත පදනම් වන අතර සමානුපාතික බෙදා දීමට නියමිතය"
DocType: Maintenance Visit,Purposes,අරමුණු
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,හිතුව එක් භාණ්ඩයක් ආපසු ලියවිල්ල තුල සෘණාත්මක ප්රමාණය සමඟ ඇතුළත් කළ යුතුය
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,හිතුව එක් භාණ්ඩයක් ආපසු ලියවිල්ල තුල සෘණාත්මක ප්රමාණය සමඟ ඇතුළත් කළ යුතුය
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","මෙහෙයුම {0} තවදුරටත් පරිගණකය තුල {1} ඕනෑම ලබා ගත හැකි වැඩ කරන පැය වඩා, බහු මෙහෙයුම් බවට මෙහෙයුම බිඳ"
,Requested,ඉල්ලා
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,කිසිදු සටහන්
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,කිසිදු සටහන්
DocType: Purchase Invoice,Overdue,කල් පසු වු
DocType: Account,Stock Received But Not Billed,කොටස් වෙළඳ ලද නමුත් අසූහත නැත
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Root ගිණුම පිරිසක් විය යුතුය
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Root ගිණුම පිරිසක් විය යුතුය
DocType: Fees,FEE.,ගාස්තු.
DocType: Employee Loan,Repaid/Closed,ආපසු ගෙවන / වසා
DocType: Item,Total Projected Qty,මුලූ ව්යාපෘතිමය යවන ලද
DocType: Monthly Distribution,Distribution Name,බෙදා හැරීම නම
DocType: Course,Course Code,පාඨමාලා කේතය
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},විෂය {0} සඳහා අවශ්ය තත්ත්ව පරීක්ෂක
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},විෂය {0} සඳහා අවශ්ය තත්ත්ව පරීක්ෂක
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,පාරිභෝගික මුදල් සමාගමේ පදනම මුදල් බවට පරිවර්තනය වන අවස්ථාවේ අනුපාතය
DocType: Purchase Invoice Item,Net Rate (Company Currency),ශුද්ධ අනුපාතිකය (සමාගම ව්යවහාර මුදල්)
DocType: Salary Detail,Condition and Formula Help,තත්වය සහ ෆෝමියුලා උදවු
@@ -2668,27 +2682,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,නිෂ්පාදනය සඳහා ද්රව්ය හුවමාරු
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,වට්ටමක් ප්රතිශතය ඉතා මිල ලැයිස්තුව එරෙහිව හෝ සියලුම මිල ලැයිස්තුව සඳහා එක්කෝ ඉල්ලුම් කළ හැක.
DocType: Purchase Invoice,Half-yearly,අර්ධ වාර්ෂික
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,කොටස් සඳහා මුල්ය සටහන්
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,කොටස් සඳහා මුල්ය සටහන්
DocType: Vehicle Service,Engine Oil,එන්ජින් ඔයිල්
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,මානව සම්පත් පද්ධතිය අනුප්රාප්තිකයා නම් කිරීම කරුණාකර පිහිටුවීම් සේවක> මානව සම්පත් සැකසුම්
DocType: Sales Invoice,Sales Team1,විකුණුම් Team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,අයිතමය {0} නොපවතියි
DocType: Sales Invoice,Customer Address,පාරිභෝගික ලිපිනය
DocType: Employee Loan,Loan Details,ණය තොරතුරු
+DocType: Company,Default Inventory Account,පෙරනිමි තොග ගිණුම
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,ෙරෝ {0}: සම්පූර්ණ කරන යවන ලද බිංදුවට වඩා වැඩි විය යුතුය.
DocType: Purchase Invoice,Apply Additional Discount On,අදාළ අතිරේක වට්ටම් මත
DocType: Account,Root Type,මූල වර්ගය
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},ෙරෝ # {0}: {1} අයිතමය සඳහා {2} වඩා වැඩි ආපසු නොහැක
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},ෙරෝ # {0}: {1} අයිතමය සඳහා {2} වඩා වැඩි ආපසු නොහැක
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,ෙෂඩ්
DocType: Item Group,Show this slideshow at the top of the page,පිටුවේ ඉහළ ඇති මෙම අතිබහුතරයකගේ පෙන්වන්න
DocType: BOM,Item UOM,අයිතමය UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),වට්ටම් මුදල (සමාගම ව්යවහාර මුදල්) පසු බදු මුදල
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},ඉලක්ක ගබඩා සංකීර්ණය පේළිය {0} සඳහා අනිවාර්ය වේ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},ඉලක්ක ගබඩා සංකීර්ණය පේළිය {0} සඳහා අනිවාර්ය වේ
DocType: Cheque Print Template,Primary Settings,ප්රාථමික සැකසීම්
DocType: Purchase Invoice,Select Supplier Address,සැපයුම්කරු ලිපිනය තෝරන්න
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,සේවක එකතු කරන්න
DocType: Purchase Invoice Item,Quality Inspection,තත්ත්ව පරීක්ෂක
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,අමතර කුඩා
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,අමතර කුඩා
DocType: Company,Standard Template,සම්මත සැකිල්ල
DocType: Training Event,Theory,න්යාය
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,අවවාදයයි: යවන ලද ඉල්ලන ද්රව්ය අවම සාමය යවන ලද වඩා අඩු වේ
@@ -2696,7 +2712,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,සංවිධානය සතු ගිණුම් වෙනම සටහන සමග නීතිමය ආයතනයක් / පාලිත.
DocType: Payment Request,Mute Email,ගොළු විද්යුත්
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","ආහාර, බීම වර්ග සහ දුම්කොළ"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},එකම unbilled {0} එරෙහිව ගෙවීම් කරන්න පුළුවන්
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},එකම unbilled {0} එරෙහිව ගෙවීම් කරන්න පුළුවන්
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,කොමිසම අනුපාතය 100 ට වඩා වැඩි විය නොහැක
DocType: Stock Entry,Subcontract,උප කොන්ත්රාත්තුව
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,{0} ඇතුලත් කරන්න පළමු
@@ -2709,18 +2725,18 @@
DocType: SMS Log,No of Sent SMS,යැවූ කෙටි පණිවුඩ අංක
DocType: Account,Expense Account,වියදම් ගිණුම
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,මෘදුකාංග
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,වර්ණ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,වර්ණ
DocType: Assessment Plan Criteria,Assessment Plan Criteria,තක්සේරු සැලැස්ම නිර්ණායක
DocType: Training Event,Scheduled,නියමිත
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,උද්ධෘත සඳහා ඉල්ලීම.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",කරුණාකර "කොටස් අයිතමය ද" අයිතමය තෝරා ඇත "නෑ" හා "විකුණුම් අයිතමය ද" "ඔව්" වන අතර වෙනත් කිසිදු නිෂ්පාදන පැකේජය පවතී
DocType: Student Log,Academic,අධ්යයන
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),සාමය එරෙහිව මුළු අත්තිකාරම් ({0}) {1} ග්රෑන්ඩ් මුළු වඩා වැඩි ({2}) විය නොහැකි
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),සාමය එරෙහිව මුළු අත්තිකාරම් ({0}) {1} ග්රෑන්ඩ් මුළු වඩා වැඩි ({2}) විය නොහැකි
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,අසාමාන ෙලස මාස හරහා ඉලක්ක බෙදා හැරීමට මාසික බෙදාහැරීම් තෝරන්න.
DocType: Purchase Invoice Item,Valuation Rate,තක්සේරු අනුපාත
DocType: Stock Reconciliation,SR/,සස /
DocType: Vehicle,Diesel,ඩීසල්
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,මිල ලැයිස්තුව ව්යවහාර මුදල් තෝරා ගෙන නොමැති
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,මිල ලැයිස්තුව ව්යවහාර මුදල් තෝරා ගෙන නොමැති
,Student Monthly Attendance Sheet,ශිෂ්ය මාසික පැමිණීම පත්රය
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},සේවක {0} දැනටමත් {1} {2} සහ {3} අතර සඳහා ඉල්ලුම් කර තිබේ
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,ව්යාපෘති ආරම්භක දිනය
@@ -2733,7 +2749,7 @@
DocType: BOM,Scrap,පරණ
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,විකුණුම් හවුල්කරුවන් කළමනාකරණය කරන්න.
DocType: Quality Inspection,Inspection Type,පරීක්ෂා වර්ගය
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,පවත්නා ගනුදෙනුව සමග බඞු ගබඞාව පිරිසක් බවට පරිවර්තනය කළ නොහැක.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,පවත්නා ගනුදෙනුව සමග බඞු ගබඞාව පිරිසක් බවට පරිවර්තනය කළ නොහැක.
DocType: Assessment Result Tool,Result HTML,ප්රතිඵල සඳහා HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,දින අවසන් වීමට නියමිතය
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,සිසුන් එක් කරන්න
@@ -2741,13 +2757,13 @@
DocType: C-Form,C-Form No,C-අයදුම්පත් නොමැත
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,නොපෙනෙන පැමිණීම
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,පර්යේෂක
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,පර්යේෂක
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,වැඩසටහන ඇතුළත් මෙවලම ශිෂ්ය
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,නම හෝ විද්යුත් අනිවාර්ය වේ
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,ලැබෙන තත්ත්ව පරීක්ෂණ.
DocType: Purchase Order Item,Returned Qty,හැරී ආපසු පැමිණි යවන ලද
DocType: Employee,Exit,පිටවීම
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,මූල වර්ගය අනිවාර්ය වේ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,මූල වර්ගය අනිවාර්ය වේ
DocType: BOM,Total Cost(Company Currency),මුළු වියදම (සමාගම ව්යවහාර මුදල්)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,අනු අංකය {0} නිර්මාණය
DocType: Homepage,Company Description for website homepage,වෙබ් අඩවිය මුල්පිටුව සඳහා සමාගම විස්තරය
@@ -2756,7 +2772,7 @@
DocType: Sales Invoice,Time Sheet List,කාලය පත්රය ලැයිස්තුව
DocType: Employee,You can enter any date manually,ඔබ අතින් යම් දිනයක් ඇතුල් විය හැකිය
DocType: Asset Category Account,Depreciation Expense Account,ක්ෂය ගෙවීමේ ගිණුම්
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,පරිවාස කාලය
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,පරිවාස කාලය
DocType: Customer Group,Only leaf nodes are allowed in transaction,පමණක් කොළ මංසල ගනුදෙනුව කිරීමට ඉඩ ඇත
DocType: Expense Claim,Expense Approver,වියදම් Approver
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,ෙරෝ {0}: පාරිභෝගික එරෙහිව උසස් ගෞරවය දිය යුතුයි
@@ -2770,10 +2786,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,පාඨමාලා කාලසටහන මකා:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,කෙටි පණිවිඩ බෙදා හැරීමේ තත්වය පවත්වා ගෙන යාම සඳහා ලඝු-සටහන්
DocType: Accounts Settings,Make Payment via Journal Entry,ජර්නල් සටහන් හරහා ගෙවීම් කරන්න
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,මුද්රණය
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,මුද්රණය
DocType: Item,Inspection Required before Delivery,පරීක්ෂණ සැපයුම් පෙර අවශ්ය
DocType: Item,Inspection Required before Purchase,පරීක්ෂණ මිලදී ගැනීම පෙර අවශ්ය
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,විභාග කටයුතු
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,ඔබේ සංවිධානය
DocType: Fee Component,Fees Category,ගාස්තු ප්රවර්ගය
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,ලිහිල් දිනය ඇතුලත් කරන්න.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,ඒඑම්ටී
@@ -2783,9 +2800,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,සීරුමාරු කිරීමේ පෙළ
DocType: Company,Chart Of Accounts Template,ගිණුම් සැකිල්ල සටහන
DocType: Attendance,Attendance Date,පැමිණීම දිනය
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},අයිතමය මිල මිල ලැයිස්තුව {1} තුළ {0} සඳහා නවීකරණය
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},අයිතමය මිල මිල ලැයිස්තුව {1} තුළ {0} සඳහා නවීකරණය
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,"උපයන සහ අඩු කිරීම් මත පදනම් වූ වැටුප් බිඳ වැටීම,."
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,ළමා ශීර්ෂයන් සමඟ ගිණුම් ලෙජරය බවට පරිවර්තනය කළ නොහැකි
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,ළමා ශීර්ෂයන් සමඟ ගිණුම් ලෙජරය බවට පරිවර්තනය කළ නොහැකි
DocType: Purchase Invoice Item,Accepted Warehouse,පිළිගත් ගබඩා
DocType: Bank Reconciliation Detail,Posting Date,"ගිය තැන, දිනය"
DocType: Item,Valuation Method,තක්සේරුව
@@ -2794,14 +2811,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,ප්රවේශය අනුපිටපත්
DocType: Program Enrollment Tool,Get Students,ශිෂ්ය ලබා ගන්න
DocType: Serial No,Under Warranty,වගකීම් යටතේ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[දෝෂය]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[දෝෂය]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,ඔබ විකුණුම් සාමය සුරැකීමට වරක් වචන දෘශ්යමාන වනු ඇත.
,Employee Birthday,සේවක ජන්ම දිනය
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,ශිෂ්ය කණ්ඩායම පැමිණීම මෙවලම
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,සීමාව ඉක්මවා ගොස්
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,සීමාව ඉක්මවා ගොස්
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,ෙවන්චර් කැපිටල්
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,මෙම 'අධ්යයන වර්ෂය' {0} සහ {1} දැනටමත් පවතී 'කාලීන නම' සමග ශාස්ත්රීය පදය. මෙම ඇතුළත් කිරීම් වෙනස් කර නැවත උත්සාහ කරන්න.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","අයිතමය {0} එරෙහිව දැනට පවතින ගනුදෙනු ඇත ලෙස, ඔබ {1} වටිනාකම වෙනස් කළ නොහැක"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","අයිතමය {0} එරෙහිව දැනට පවතින ගනුදෙනු ඇත ලෙස, ඔබ {1} වටිනාකම වෙනස් කළ නොහැක"
DocType: UOM,Must be Whole Number,මුළු අංකය විය යුතුය
DocType: Leave Control Panel,New Leaves Allocated (In Days),වෙන් අලුත් කොළ (දින දී)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,අනු අංකය {0} නොපවතියි
@@ -2810,6 +2827,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,ඉන්වොයිසිය අංකය
DocType: Shopping Cart Settings,Orders,නියෝග
DocType: Employee Leave Approver,Leave Approver,Approver තබන්න
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,කරුණාකර කණ්ඩායම තෝරා
DocType: Assessment Group,Assessment Group Name,තක්සේරු කණ්ඩායම නම
DocType: Manufacturing Settings,Material Transferred for Manufacture,නිෂ්පාදනය සඳහා ස්ථාන මාරුවී ද්රව්ය
DocType: Expense Claim,"A user with ""Expense Approver"" role","වියදම් Approver" භූමිකාව සමග පරිශීලක
@@ -2819,9 +2837,10 @@
DocType: Target Detail,Target Detail,ඉලක්ක විස්තර
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,සියලු රැකියා
DocType: Sales Order,% of materials billed against this Sales Order,මෙම වෙළෙඳ න්යාය එරෙහිව ගොඩනගන ද්රව්ය%
+DocType: Program Enrollment,Mode of Transportation,ප්රවාහන ක්රමය
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,කාලය අවසාන සටහන්
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,පවත්නා ගනුදෙනු වියදම මධ්යස්ථානය පිරිසක් බවට පරිවර්තනය කළ නොහැකි
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},මුදල {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},මුදල {0} {1} {2} {3}
DocType: Account,Depreciation,ක්ෂය
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),සැපයුම්කරුවන් (ව)
DocType: Employee Attendance Tool,Employee Attendance Tool,සේවක පැමිණීම මෙවලම
@@ -2829,7 +2848,7 @@
DocType: Supplier,Credit Limit,ණය සීමාව
DocType: Production Plan Sales Order,Salse Order Date,Salse සාමය දිනය
DocType: Salary Component,Salary Component,වැටුප් සංරචක
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,ගෙවීම් අයැදුම්පත් {0} එක්සත් ජාතීන්ගේ-බැඳී ඇත
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,ගෙවීම් අයැදුම්පත් {0} එක්සත් ජාතීන්ගේ-බැඳී ඇත
DocType: GL Entry,Voucher No,වවුචරය නොමැත
,Lead Owner Efficiency,ඊයම් හිමිකරු කාර්යක්ෂමතා
,Lead Owner Efficiency,ඊයම් හිමිකරු කාර්යක්ෂමතා
@@ -2841,11 +2860,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,කොන්දේසි හෝ කොන්ත්රාත්තුව සැකිල්ල.
DocType: Purchase Invoice,Address and Contact,ලිපිනය සහ ඇමතුම්
DocType: Cheque Print Template,Is Account Payable,ගිණුම් ගෙවිය යුතු වේ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},කොටස් මිලදී ගැනීම රිසිට්පත {0} එරෙහිව යාවත්කාලීන කල නොහැක
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},කොටස් මිලදී ගැනීම රිසිට්පත {0} එරෙහිව යාවත්කාලීන කල නොහැක
DocType: Supplier,Last Day of the Next Month,ඊළඟ මාසය අවසන් දිනය
DocType: Support Settings,Auto close Issue after 7 days,7 දින පසු වාහන සමීප නිකුත්
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","නිවාඩු ඉතිරි දැනටමත් අනාගත නිවාඩු වෙන් වාර්තා {1} තුළ රැගෙන යන ඉදිරිපත් කර ඇති පරිදි අවසරය, {0} පෙර වෙන් කළ නොහැකි"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),සටහන: හේතුවෙන් / යොමුව දිනය {0} දවස (s) අවසර පාරිභෝගික ණය දින ඉක්මවා
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),සටහන: හේතුවෙන් / යොමුව දිනය {0} දවස (s) අවසර පාරිභෝගික ණය දින ඉක්මවා
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,ශිෂ්ය අයදුම්කරු
DocType: Asset Category Account,Accumulated Depreciation Account,සමුච්චිත ක්ෂය ගිණුම
DocType: Stock Settings,Freeze Stock Entries,කැටි කොටස් අයැදුම්පත්
@@ -2854,36 +2873,36 @@
DocType: Activity Cost,Billing Rate,බිල්පත් අනුපාතය
,Qty to Deliver,ගලවාගනියි යවන ලද
,Stock Analytics,කොටස් විශ්ලේෂණ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,මෙහෙයුම් හිස්ව තැබිය නොහැක
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,මෙහෙයුම් හිස්ව තැබිය නොහැක
DocType: Maintenance Visit Purpose,Against Document Detail No,මත ලේඛන විස්තර නොමැත
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,පක්ෂය වර්ගය අනිවාර්ය වේ
DocType: Quality Inspection,Outgoing,ධූරයෙන් ඉවත්ව යන
DocType: Material Request,Requested For,සඳහා ඉල්ලා
DocType: Quotation Item,Against Doctype,Doctype එරෙහිව
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} අවලංගු කර හෝ වසා ඇත
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} අවලංගු කර හෝ වසා ඇත
DocType: Delivery Note,Track this Delivery Note against any Project,කිසියම් ව ාපෘතියක් එරෙහිව මෙම බෙදීම සටහන නිරීක්ෂණය
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,ආයෝජනය සිට ශුද්ධ මුදල්
-,Is Primary Address,ප්රාථමික ලිපිනය වේ
DocType: Production Order,Work-in-Progress Warehouse,සිදු වෙමින් පවතින වැඩ ගබඩාව
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,වත්කම් {0} ඉදිරිපත් කළ යුතුය
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},පැමිණීම වාර්තා {0} ශිෂ්ය {1} එරෙහිව පවතී
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},පැමිණීම වාර්තා {0} ශිෂ්ය {1} එරෙහිව පවතී
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},විමර්ශන # {0} දිනැති {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,නිසා වත්කම් බැහැර කිරීම නැති වී ක්ෂය
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,ලිපිනයන් කළමනාකරණය
DocType: Asset,Item Code,අයිතමය සංග්රහයේ
DocType: Production Planning Tool,Create Production Orders,නිෂ්පාදන නියෝග නිර්මාණය
DocType: Serial No,Warranty / AMC Details,වගකීම් / විදේශ මුදල් හුවමාරු කරන්නන් විස්තර
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,සිසුන් ක්රියාකාරකම් පදනම් කණ්ඩායම සඳහා තෝරා
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,සිසුන් ක්රියාකාරකම් පදනම් කණ්ඩායම සඳහා තෝරා
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,සිසුන් ක්රියාකාරකම් පදනම් කණ්ඩායම සඳහා තෝරා
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,සිසුන් ක්රියාකාරකම් පදනම් කණ්ඩායම සඳහා තෝරා
DocType: Journal Entry,User Remark,පරිශීලක අදහස් දැක්වීම්
DocType: Lead,Market Segment,වෙළෙඳපොළ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},ු ර් මුළු සෘණ හිඟ මුදල {0} වඩා වැඩි විය නොහැකි
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},ු ර් මුළු සෘණ හිඟ මුදල {0} වඩා වැඩි විය නොහැකි
DocType: Employee Internal Work History,Employee Internal Work History,සේවක අභ්යන්තර රැකියා ඉතිහාසය
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),වැසීම (ආචාර්ය)
DocType: Cheque Print Template,Cheque Size,"එම ගාස්තුව මුදලින්, ෙචක්පතකින් තරම"
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,අනු අංකය {0} නොවේ කොටස්
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,ගනුදෙනු විකිණීම සඳහා බදු ආකෘතියකි.
DocType: Sales Invoice,Write Off Outstanding Amount,විශිෂ්ට මුදල කපා
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},ගිණුමක් {0} සමාගම සමග නොගැලපේ {1}
DocType: School Settings,Current Academic Year,වත්මන් අධ්යයන වර්ෂය
DocType: School Settings,Current Academic Year,වත්මන් අධ්යයන වර්ෂය
DocType: Stock Settings,Default Stock UOM,පෙරනිමි කොටස් UOM
@@ -2899,27 +2918,27 @@
DocType: Asset,Double Declining Balance,ද්විත්ව පහත වැටෙන ශේෂ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,සංවෘත ඇණවුම අවලංගු කළ නොහැක. අවලංගු කිරීමට Unclose.
DocType: Student Guardian,Father,පියා
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'යාවත්කාලීන කොටස්' ස්ථාවර වත්කම් විකිණීමට සඳහා දැන්වීම් පරීක්ෂා කළ නොහැකි
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'යාවත්කාලීන කොටස්' ස්ථාවර වත්කම් විකිණීමට සඳහා දැන්වීම් පරීක්ෂා කළ නොහැකි
DocType: Bank Reconciliation,Bank Reconciliation,බැංකු සැසඳුම්
DocType: Attendance,On Leave,නිවාඩු මත
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,යාවත්කාලීන ලබා ගන්න
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: ගිණුම් {2} සමාගම {3} අයත් නොවේ
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,ද්රව්ය ඉල්ලීම් {0} අවලංගු කර හෝ නතර
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,නියැදි වාර්තා කිහිපයක් එකතු කරන්න
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,නියැදි වාර්තා කිහිපයක් එකතු කරන්න
apps/erpnext/erpnext/config/hr.py +301,Leave Management,කළමනාකරණ තබන්න
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,ගිණුම් විසින් සමූහ
DocType: Sales Order,Fully Delivered,සම්පූර්ණයෙන්ම භාර
DocType: Lead,Lower Income,අඩු ආදායම්
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},මූලාශ්රය සහ ඉලක්කය ගබඩා සංකීර්ණය පේළිය {0} සඳහා සමාන විය නොහැකි
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},මූලාශ්රය සහ ඉලක්කය ගබඩා සංකීර්ණය පේළිය {0} සඳහා සමාන විය නොහැකි
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","මෙම කොටස් ප්රතිසන්ධාන ක විවෘත කිරීම සටහන් වන බැවින්, වෙනසක් ගිණුම, එය වත්කම් / වගකීම් වර්ගය ගිණුමක් විය යුතුය"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},උපෙයෝජන ණය මුදල {0} ට වඩා වැඩි විය නොහැක
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},විෂය {0} සඳහා අවශ්ය මිලදී ගැනීමේ නියෝගයක් අංකය
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,නිෂ්පාදනය සාමය නිර්මාණය නොවන
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},විෂය {0} සඳහා අවශ්ය මිලදී ගැනීමේ නියෝගයක් අංකය
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,නිෂ්පාදනය සාමය නිර්මාණය නොවන
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','දිනය සිට' 'මේ දක්වා' 'පසුව විය යුතුය
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},ශිෂ්ය {0} ශිෂ්ය අයදුම් {1} සම්බන්ධ වන ලෙස තත්ත්වය වෙනස් කළ නොහැක
DocType: Asset,Fully Depreciated,සම්පූර්ණෙයන් ක්ෂය
,Stock Projected Qty,කොටස් යවන ලද ප්රක්ෂේපිත
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},පාරිභෝගික {0} ව්යාපෘති {1} අයිති නැති
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},පාරිභෝගික {0} ව්යාපෘති {1} අයිති නැති
DocType: Employee Attendance Tool,Marked Attendance HTML,කැපී පෙනෙන පැමිණීම HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","මිල ගණන් යෝජනා, ඔබගේ පාරිභෝගිකයන් වෙත යවා ඇති ලංසු"
DocType: Sales Order,Customer's Purchase Order,පාරිභෝගික මිලදී ගැනීමේ නියෝගයක්
@@ -2928,8 +2947,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,තක්සේරු නිර්ණායකයන් ලකුණු මුදලක් {0} විය යුතුය.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,වෙන් කරවා අගය පහත සංඛ්යාව සකස් කරන්න
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,හෝ වටිනාකම යවන ලද
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,නිෂ්පාදන නියෝග මතු කල නොහැකි ය:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,ව්යවස්ථාව
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,නිෂ්පාදන නියෝග මතු කල නොහැකි ය:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,ව්යවස්ථාව
DocType: Purchase Invoice,Purchase Taxes and Charges,මිලදී බදු හා ගාස්තු
,Qty to Receive,ලබා ගැනීමට යවන ලද
DocType: Leave Block List,Leave Block List Allowed,වාරණ ලැයිස්තුව අනුමත නිවාඩු
@@ -2937,25 +2956,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},වාහන ඇතුළුවන්න {0} සඳහා වියදම් හිමිකම්
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ආන්තිකය සමග වට්ටමක් (%) මිල ලැයිස්තුව අනුපාත මත
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ආන්තිකය සමග වට්ටමක් (%) මිල ලැයිස්තුව අනුපාත මත
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,සියලු බඞු ගබඞාව
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,සියලු බඞු ගබඞාව
DocType: Sales Partner,Retailer,සිල්ලර වෙළෙන්දා
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,ගිණුමක් සඳහා ක්රෙඩිට් ශේෂ පත්රය ගිණුමක් විය යුතුය
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,ගිණුමක් සඳහා ක්රෙඩිට් ශේෂ පත්රය ගිණුමක් විය යුතුය
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,සියලු සැපයුම්කරු වර්ග
DocType: Global Defaults,Disable In Words,වචන දී අක්රීය
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,අයිතමය සංග්රහයේ අනිවාර්ය වේ අයිතමය ස්වයංක්රීයව අංකනය නැති නිසා
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,අයිතමය සංග්රහයේ අනිවාර්ය වේ අයිතමය ස්වයංක්රීයව අංකනය නැති නිසා
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},උද්ධෘත {0} නොවේ වර්ගයේ {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,නඩත්තු උපෙල්ඛනෙය් විෂය
DocType: Sales Order,% Delivered,% භාර
DocType: Production Order,PRO-,PRO-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,බැංකු අයිරා ගිණුමක්
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,බැංකු අයිරා ගිණුමක්
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,වැටුප පුරවා ගන්න
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,පේළියේ # {0}: වෙන් කළ මුදල ගෙවීමට ඇති මුදල වඩා වැඩි විය නොහැක.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,ගවේශක ද්රව්ය ලේඛණය
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,ආරක්ෂිත ණය
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,ආරක්ෂිත ණය
DocType: Purchase Invoice,Edit Posting Date and Time,"සංස්කරණය කරන්න ගිය තැන, දිනය හා වේලාව"
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},වත්කම් ප්රවර්ගය {0} හෝ සමාගම {1} තුළ ක්ෂය සම්බන්ධ ගිණුම් සකස් කරන්න
DocType: Academic Term,Academic Year,අධ්යන වර්ෂය
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,ශේෂ කොටස් විවෘත
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,ශේෂ කොටස් විවෘත
DocType: Lead,CRM,සී.ආර්.එම්
DocType: Appraisal,Appraisal,ඇගයීෙම්
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},සැපයුම්කරු {0} වෙත යවන විද්යුත්
@@ -2971,7 +2990,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,"කාර්යභාරය අනුමත පාලනය කිරීම සඳහා අදාළ වේ භූමිකාව, සමාන විය නොහැකි"
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,"මෙම විද්යුත් Digest සිට වනවාද,"
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,පණිවිඩය යැව්වා
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,ළමා ශීර්ෂයන් සමඟ ගිණුම් ලෙජරය ලෙස සැකසීම කළ නොහැකි
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,ළමා ශීර්ෂයන් සමඟ ගිණුම් ලෙජරය ලෙස සැකසීම කළ නොහැකි
DocType: C-Form,II,දෙවන
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,මිල ලැයිස්තුව මුදල් පාරිභෝගික පදනම මුදල් බවට පරිවර්තනය වන අවස්ථාවේ අනුපාතය
DocType: Purchase Invoice Item,Net Amount (Company Currency),ශුද්ධ මුදල (සමාගම ව්යවහාර මුදල්)
@@ -3006,7 +3025,7 @@
DocType: Expense Claim,Approval Status,පතේ තත්වය
DocType: Hub Settings,Publish Items to Hub,හබ් අයිතම ප්රකාශයට පත් කරනු ලබයි
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},වටිනාකම පේළිය {0} අගය කිරීමට වඩා අඩු විය යුතුය
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,වයර් ට්රාන්ෆර්
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,වයර් ට්රාන්ෆර්
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,සියල්ල පරීක්ෂා කරන්න
DocType: Vehicle Log,Invoice Ref,ඉන්වොයිසිය අංකය
DocType: Purchase Order,Recurring Order,පුනරාවර්තනය න්යාය
@@ -3019,19 +3038,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,බැංකු සහ ගෙවීම්
,Welcome to ERPNext,ERPNext වෙත ඔබව සාදරයෙන් පිළිගනිමු
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,උද්ධෘත තුඩු
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,පෙන්වන්න ඊට වැඩි දෙයක් නැහැ.
DocType: Lead,From Customer,පාරිභෝගික සිට
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,ඇමතුම්
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,ඇමතුම්
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,කාණ්ඩ
DocType: Project,Total Costing Amount (via Time Logs),(කාල ලඝු-සටහන් හරහා) මුළු සැඳුම්ලත් මුදල
DocType: Purchase Order Item Supplied,Stock UOM,කොටස් UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,මිලදී ගැනීමේ නියෝගයක් {0} ඉදිරිපත් කර නැත
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,මිලදී ගැනීමේ නියෝගයක් {0} ඉදිරිපත් කර නැත
DocType: Customs Tariff Number,Tariff Number,ගාස්තු අංකය
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,ප්රක්ෂේපිත
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},අනු අංකය {0} ගබඩා {1} අයත් නොවේ
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,සටහන: පද්ධතිය අයිතමය සඳහා අධික ලෙස බෙදාහැරීම හා අධික ලෙස වෙන්කර ගැනීම පරීක්ෂා නැහැ {0} ප්රමාණය හෝ ප්රමාණය 0 ලෙස
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,සටහන: පද්ධතිය අයිතමය සඳහා අධික ලෙස බෙදාහැරීම හා අධික ලෙස වෙන්කර ගැනීම පරීක්ෂා නැහැ {0} ප්රමාණය හෝ ප්රමාණය 0 ලෙස
DocType: Notification Control,Quotation Message,උද්ධෘත පණිවුඩය
DocType: Employee Loan,Employee Loan Application,සේවක ණය ඉල්ලුම්
DocType: Issue,Opening Date,විවෘත දිනය
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,පැමිණීම සාර්ථකව සලකුණු කර ඇත.
+DocType: Program Enrollment,Public Transport,රාජ්ය ප්රවාහන
DocType: Journal Entry,Remark,ප්රකාශය
DocType: Purchase Receipt Item,Rate and Amount,වේගය හා ප්රමාණය
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},{0} සඳහා ගිණුම වර්ගය විය යුතුය {1}
@@ -3039,32 +3061,32 @@
DocType: School Settings,Current Academic Term,වත්මන් අධ්යයන කාලීන
DocType: School Settings,Current Academic Term,වත්මන් අධ්යයන කාලීන
DocType: Sales Order,Not Billed,අසූහත නෑ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,දෙකම ගබඩාව එම සමාගමට අයිති විය යුතුය
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,කිසිදු සබඳතා තවමත් වැඩිදුරටත් සඳහන් කළේය.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,දෙකම ගබඩාව එම සමාගමට අයිති විය යුතුය
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,කිසිදු සබඳතා තවමත් වැඩිදුරටත් සඳහන් කළේය.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,වියදම වවුචරයක් මුදල ගොඩ බස්වන ලදී
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,සැපයුම්කරුවන් විසින් මතු බිල්පත්.
DocType: POS Profile,Write Off Account,ගිණුම අක්රිය ලියන්න
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,හර සටහන ඒඑම්ටී
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,වට්ටමක් මුදල
DocType: Purchase Invoice,Return Against Purchase Invoice,මිලදී ගැනීම ඉන්වොයිසිය එරෙහි නැවත
DocType: Item,Warranty Period (in days),වගකීම් කාලය (දින තුළ)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Guardian1 සමඟ සම්බන්ධය
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1 සමඟ සම්බන්ධය
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,මෙහෙයුම් වලින් ශුද්ධ මුදල්
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,උදා: එකතු කළ අගය මත බදු
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,උදා: එකතු කළ අගය මත බදු
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,අයිතමය 4
DocType: Student Admission,Admission End Date,ඇතුළත් කර අවසානය දිනය
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,උප-කොන්ත්රාත්
DocType: Journal Entry Account,Journal Entry Account,ජර්නල් සටහන් ගිණුම
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,ශිෂ්ය සමූහය
DocType: Shopping Cart Settings,Quotation Series,උද්ධෘත ශ්රේණි
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","අයිතමයක් ම නම ({0}) සමග පවතී, අයිතමය කණ්ඩායමේ නම වෙනස් කිරීම හෝ අයිතමය නැවත නම් කරුණාකර"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,කරුණාකර පාරිභෝගික තෝරා
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","අයිතමයක් ම නම ({0}) සමග පවතී, අයිතමය කණ්ඩායමේ නම වෙනස් කිරීම හෝ අයිතමය නැවත නම් කරුණාකර"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,කරුණාකර පාරිභෝගික තෝරා
DocType: C-Form,I,මම
DocType: Company,Asset Depreciation Cost Center,වත්කම් ක්ෂය පිරිවැය මධ්යස්ථානය
DocType: Sales Order Item,Sales Order Date,විකුණුම් සාමය දිනය
DocType: Sales Invoice Item,Delivered Qty,භාර යවන ලද
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","පරීක්ෂා නම්, එක් එක් නිෂ්පාදන අයිතමය සියලු දරුවන් ද්රව්ය ඉල්ලීම් ඇතුලත් කෙරෙනු ඇත."
DocType: Assessment Plan,Assessment Plan,තක්සේරු සැලැස්ම
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,පොත් ගබඩාව {0}: සමාගම අනිවාර්ය වේ
DocType: Stock Settings,Limit Percent,සියයට සීමා
,Payment Period Based On Invoice Date,ගෙවීම් කාලය ඉන්වොයිසිය දිනය පදනම්
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},{0} සඳහා ව්යවහාර මුදල් විනිමය අනුපාත අතුරුදහන්
@@ -3076,7 +3098,7 @@
DocType: Vehicle,Insurance Details,රක්ෂණ විස්තර
DocType: Account,Payable,ගෙවිය යුතු
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,ණය ආපසු ගෙවීමේ කාල සීමාවක් ඇතුල් කරන්න
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),ණය ගැතියන් ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),ණය ගැතියන් ({0})
DocType: Pricing Rule,Margin,ආන්තිකය
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,නව ගනුදෙනුකරුවන්
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,දළ ලාභය %
@@ -3087,16 +3109,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,පක්ෂය අනිවාර්ය වේ
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,මාතෘකාව නම
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,මෙම විකිණීම හෝ මිලදී ගැනීමේ ආයෝජිත තෝරාගත් කළ යුතුය
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,ඔබේ ව්යාපාරයේ ස්වභාවය තෝරන්න.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,මෙම විකිණීම හෝ මිලදී ගැනීමේ ආයෝජිත තෝරාගත් කළ යුතුය
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,ඔබේ ව්යාපාරයේ ස්වභාවය තෝරන්න.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},පේළියේ # {0}: ආශ්රිත {1} {2} හි දෙවන පිටපත ප්රවේශය
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,නිෂ්පාදන මෙහෙයුම් සිදු කරනු ලැබේ කොහෙද.
DocType: Asset Movement,Source Warehouse,මූලාශ්රය ගබඩාව
DocType: Installation Note,Installation Date,ස්ථාපනය දිනය
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},ෙරෝ # {0}: වත්කම් {1} සමාගම අයිති නැත {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},ෙරෝ # {0}: වත්කම් {1} සමාගම අයිති නැත {2}
DocType: Employee,Confirmation Date,ස්ථිර කිරීම දිනය
DocType: C-Form,Total Invoiced Amount,මුළු ඉන්වොයිස් මුදල
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,යි යවන ලද මැක්ස් යවන ලද වඩා වැඩි විය නොහැකි
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,යි යවන ලද මැක්ස් යවන ලද වඩා වැඩි විය නොහැකි
DocType: Account,Accumulated Depreciation,සමුච්චිත ක්ෂය
DocType: Stock Entry,Customer or Supplier Details,පාරිභෝගික හෝ සැපයුම්කරු විස්තර
DocType: Employee Loan Application,Required by Date,දිනය අවශ්ය
@@ -3117,22 +3139,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,මාසික බෙදාහැරීම් ප්රතිශතය
DocType: Territory,Territory Targets,භූමි ප්රදේශය ඉලක්ක
DocType: Delivery Note,Transporter Info,ප්රවාහනය තොරතුරු
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},සමාගම {1} පැහැර {0} සකස් කරන්න
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},සමාගම {1} පැහැර {0} සකස් කරන්න
DocType: Cheque Print Template,Starting position from top edge,ඉහළ දාරය ආස්ථානය ආරම්භ
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,අදාළ සැපයුම්කරු කිහිපවතාවක් ඇතුලත් කර ඇත
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,දළ ලාභය / අලාභය
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,මිලදී ගැනීමේ නියෝගයක් අයිතමය සපයා
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,සමාගම් නම සමාගම විය නොහැකි
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,සමාගම් නම සමාගම විය නොහැකි
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,මුද්රණය සැකිලි සඳහා ලිපිය ධා.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,මුද්රණය සැකිලි සඳහා මාතෘකා Proforma ඉන්වොයිසිය වර්ග උදා.
DocType: Student Guardian,Student Guardian,ශිෂ්ය ගාඩියන්
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,තක්සේරු වර්ගය චෝදනා සියල්ල ඇතුළත් ලෙස සලකුණු නොහැකි
DocType: POS Profile,Update Stock,කොටස් යාවත්කාලීන
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,සැපයුම්කරු> සැපයුම්කරු වර්ගය
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,භාණ්ඩ සඳහා විවිධ UOM වැරදි (මුළු) ශුද්ධ බර අගය කිරීමට හේතු වනු ඇත. එක් එක් භාණ්ඩය ශුද්ධ බර එම UOM ඇති බව තහවුරු කර ගන්න.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,ද්රව්ය ලේඛණය අනුපාතිකය
DocType: Asset,Journal Entry for Scrap,ලාංකික සඳහා ජර්නල් සටහන්
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,සැපයුම් සටහන භාණ්ඩ අදින්න කරුණාකර
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,ජර්නල් අයැදුම්පත් {0} එක්සත් ජාතීන්ගේ-බැඳී ඇත
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,ජර්නල් අයැදුම්පත් {0} එක්සත් ජාතීන්ගේ-බැඳී ඇත
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","වර්ගය ඊමේල් සියලු සන්නිවේදන වාර්තාගත, දුරකථනය, සංවාද, සංචාරය, ආදිය"
DocType: Manufacturer,Manufacturers used in Items,අයිතම භාවිතා නිෂ්පාදකයන්
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,සමාගම වටය Off සඳහන් කරන්න පිරිවැය මධ්යස්ථානය
@@ -3181,34 +3204,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,සැපයුම්කරු පාරිභෝගික බාර
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ආකෘතිය / අයිතමය / {0}) කොටස් ඉවත් වේ
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,"ඊළඟ දිනය දිනය ගිය තැන, ශ්රී ලංකා තැපෑල වඩා වැඩි විය යුතුය"
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,බදු බිඳී පෙන්වන්න
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},නිසා / යොමුව දිනය {0} පසු විය නොහැකි
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,බදු බිඳී පෙන්වන්න
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},නිසා / යොමුව දිනය {0} පසු විය නොහැකි
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,දත්ත ආනයන හා අපනයන
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","කොටස් ඇතුළත් කිරීම්, ගබඩා {0} එරෙහිව පවතින නිසා ඔබ නැවත භාර කිරීමට හෝ වෙනස් කිරීම කළ හැක"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,සිසුන් හමු කිසිදු
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,සිසුන් හමු කිසිදු
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,"ඉන්වොයිසිය ගිය තැන, දිනය"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,විකිණීමට
DocType: Sales Invoice,Rounded Total,වටකුරු මුළු
DocType: Product Bundle,List items that form the package.,මෙම පැකේජය පිහිටුවීමට බව අයිතම ලැයිස්තුගත කරන්න.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,ප්රතිශතයක් වෙන් කිරීම 100% ක් සමාන විය යුතුයි
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,"කරුණාකර පක්ෂය තෝරා ගැනීමට පෙර ගිය තැන, දිනය තෝරා"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,"කරුණාකර පක්ෂය තෝරා ගැනීමට පෙර ගිය තැන, දිනය තෝරා"
DocType: Program Enrollment,School House,ස්කූල් හවුස්
DocType: Serial No,Out of AMC,විදේශ මුදල් හුවමාරු කරන්නන් අතරින්
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,මිල ගණන් තෝරන්න
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,මිල ගණන් තෝරන්න
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,මිල ගණන් තෝරන්න
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,මිල ගණන් තෝරන්න
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,වෙන් කරවා අගය පහත සංඛ්යාව අගය පහත සමස්ත සංඛ්යාව ට වඩා වැඩි විය නොහැක
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,නඩත්තු සංචාරය කරන්න
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,විකුණුම් මාස්ටර් කළමනාකරු {0} කාර්යභාරයක් ඇති කරන පරිශීලකයා වෙත සම්බන්ධ වන්න
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,විකුණුම් මාස්ටර් කළමනාකරු {0} කාර්යභාරයක් ඇති කරන පරිශීලකයා වෙත සම්බන්ධ වන්න
DocType: Company,Default Cash Account,පෙරනිමි මුදල් ගිණුම්
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,සමාගම (නැති පාරිභෝගික හෝ සැපයුම්කරු) ස්වාමියා.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,මෙය මේ ශිෂ්ය ඊට සහභාගී මත පදනම් වේ
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,කිසිදු ශිෂ්ය
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,කිසිදු ශිෂ්ය
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,වැඩිපුර භාණ්ඩ ෙහෝ විවෘත පූර්ණ ආකෘති පත්රය එක් කරන්න
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date','අපේක්ෂිත භාර දීම දිනය' ඇතුලත් කරන්න
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,සැපයුම් සටහන් {0} මෙම වෙළෙඳ න්යාය අවලංගු කිරීම පෙර අවලංගු කළ යුතුය
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,ගෙවනු ලබන මුදල + ප්රමාණය මුළු එකතුව වඩා වැඩි විය නොහැකි Off ලියන්න
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,ගෙවනු ලබන මුදල + ප්රමාණය මුළු එකතුව වඩා වැඩි විය නොහැකි Off ලියන්න
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} අයිතමය {1} සඳහා වලංගු කණ්ඩායම අංකය නොවේ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},සටහන: මෙහි නිවාඩු වර්ගය {0} සඳහා ප්රමාණවත් නිවාඩු ඉතිරි නොවේ
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,වලංගු නොවන GSTIN හෝ ලියාපදිංචි නොකල සඳහා එන් ඇතුලත් කරන්න
DocType: Training Event,Seminar,සම්මන්ත්රණය
DocType: Program Enrollment Fee,Program Enrollment Fee,වැඩසටහන ඇතුළත් ගාස්තු
DocType: Item,Supplier Items,සැපයුම්කරු අයිතම
@@ -3234,28 +3257,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,අයිතමය 3
DocType: Purchase Order,Customer Contact Email,පාරිභෝගික ඇමතුම් විද්යුත්
DocType: Warranty Claim,Item and Warranty Details,භාණ්ඩය හා Warranty විස්තර
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,අයිතමය සංග්රහයේ> අයිතමය සමූහ> වෙළඳ නාමය
DocType: Sales Team,Contribution (%),දායකත්වය (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,සටහන: 'මුදල් හෝ බැංකු ගිණුම්' දක්වන නොවීම නිසා ගෙවීම් සටහන් නිර්මාණය කළ නොහැකි වනු ඇත
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,අනිවාර්ය පාඨමාලා ලබා ගැනීමට මෙම වැඩසටහන තෝරන්න.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,අනිවාර්ය පාඨමාලා ලබා ගැනීමට මෙම වැඩසටහන තෝරන්න.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,වගකීම්
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,වගකීම්
DocType: Expense Claim Account,Expense Claim Account,වියදම් හිමිකම් ගිණුම
DocType: Sales Person,Sales Person Name,විකුණුම් පුද්ගලයා නම
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,වගුවේ බෙ 1 ඉන්වොයිස් ඇතුලත් කරන්න
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,පරිශීලකයන් එකතු කරන්න
DocType: POS Item Group,Item Group,අයිතමය සමූහ
DocType: Item,Safety Stock,ආරක්ෂාව කොටස්
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,කාර්ය සාධක ප්රගති% 100 කට වඩා වැඩි විය නොහැක.
DocType: Stock Reconciliation Item,Before reconciliation,සංහිඳියාව පෙර
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0} වෙත
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),එකතු කරන බදු හා ගාස්තු (සමාගම ව්යවහාර මුදල්)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"අයිතමය බදු ෙරෝ {0} වර්ගය බදු හෝ ආදායම් හෝ වියදම් හෝ අයකරනු ලබන ගාස්තු, ක ගිණුමක් තිබිය යුතු"
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"අයිතමය බදු ෙරෝ {0} වර්ගය බදු හෝ ආදායම් හෝ වියදම් හෝ අයකරනු ලබන ගාස්තු, ක ගිණුමක් තිබිය යුතු"
DocType: Sales Order,Partly Billed,අර්ධ වශයෙන් අසූහත
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,අයිතමය {0} ස්ථාවර වත්කම් අයිතමය විය යුතුය
DocType: Item,Default BOM,පෙරනිමි ද්රව්ය ලේඛණය
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,තහවුරු කිරීමට සමාගමේ නම වර්ගයේ නැවත කරුණාකර
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,මුළු විශිෂ්ට ඒඑම්ටී
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,හර සටහන මුදල
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,තහවුරු කිරීමට සමාගමේ නම වර්ගයේ නැවත කරුණාකර
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,මුළු විශිෂ්ට ඒඑම්ටී
DocType: Journal Entry,Printing Settings,මුද්රණ සැකසුම්
DocType: Sales Invoice,Include Payment (POS),ගෙවීම් (POS) ඇතුළත් වේ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},මුළු ඩෙබිට් මුළු ණය සමාන විය යුතු ය. වෙනස {0} වේ
@@ -3269,16 +3289,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,ගබඩාවේ ඇත:
DocType: Notification Control,Custom Message,රේගු පණිවුඩය
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,ආයෝජන බැංකු කටයුතු
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,මුදල් හෝ බැංකු ගිණුම් ගෙවීම් ප්රවේශය ගැනීම සඳහා අනිවාර්ය වේ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,ශිෂ්ය ලිපිනය
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,ශිෂ්ය ලිපිනය
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,මුදල් හෝ බැංකු ගිණුම් ගෙවීම් ප්රවේශය ගැනීම සඳහා අනිවාර්ය වේ
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,කරුණාකර Setup> අංක ශ්රේණි හරහා පැමිණීම සඳහා පිහිටුවීම් අංක මාලාවක්
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ශිෂ්ය ලිපිනය
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ශිෂ්ය ලිපිනය
DocType: Purchase Invoice,Price List Exchange Rate,මිල ලැයිස්තුව විනිමය අනුපාත
DocType: Purchase Invoice Item,Rate,අනුපාතය
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,ආධුනිකයා
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,ලිපිනය නම
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,ආධුනිකයා
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,ලිපිනය නම
DocType: Stock Entry,From BOM,ද්රව්ය ලේඛණය සිට
DocType: Assessment Code,Assessment Code,තක්සේරු සංග්රහයේ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,මූලික
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,මූලික
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,{0} කැටි වේ කොටස් ගනුදෙනු පෙර
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule','උත්පාදනය උපෙල්ඛනෙය්' මත ක්ලික් කරන්න
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","උදා: කිලෝ ග්රෑම්, ඒකක, අංක, මීටර්"
@@ -3288,11 +3309,11 @@
DocType: Salary Slip,Salary Structure,වැටුප් ව්යුහය
DocType: Account,Bank,බැංකුව
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,ගුවන්
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,නිකුත් ද්රව්ය
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,නිකුත් ද්රව්ය
DocType: Material Request Item,For Warehouse,ගබඩා සඳහා
DocType: Employee,Offer Date,ඉල්ලුමට දිනය
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,උපුටා දැක්වීම්
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,ඔබ නොබැඳිව වේ. ඔබ ජාලයක් තියෙනවා තෙක් ඔබට රීලෝඩ් කිරීමට නොහැකි වනු ඇත.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,ඔබ නොබැඳිව වේ. ඔබ ජාලයක් තියෙනවා තෙක් ඔබට රීලෝඩ් කිරීමට නොහැකි වනු ඇත.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,කිසිදු ශිෂ්ය කණ්ඩායම් නිර්මාණය.
DocType: Purchase Invoice Item,Serial No,අනුක්රමික අංකය
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,මාසික නැවත ගෙවීමේ ප්රමාණය ණය මුදල වඩා වැඩි විය නොහැකි
@@ -3300,8 +3321,8 @@
DocType: Purchase Invoice,Print Language,මුද්රණය භාෂා
DocType: Salary Slip,Total Working Hours,මුළු වැඩ කරන වේලාවන්
DocType: Stock Entry,Including items for sub assemblies,උප එකලස්කිරීම් සඳහා ද්රව්ය ඇතුළු
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,අගය ධනාත්මක විය යුතුය ඇතුලත් කරන්න
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,සියලු ප්රදේශ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,අගය ධනාත්මක විය යුතුය ඇතුලත් කරන්න
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,සියලු ප්රදේශ
DocType: Purchase Invoice,Items,අයිතම
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,ශිෂ්ය දැනටමත් ලියාපදිංචි කර ඇත.
DocType: Fiscal Year,Year Name,වසරේ නම
@@ -3320,10 +3341,10 @@
DocType: Issue,Opening Time,විවෘත වේලාව
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,හා අවශ්ය දිනයන් සඳහා
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,සුරැකුම්පත් සහ වෙළඳ භාණ්ඩ විනිමය
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ප්රභේද්යයක් සඳහා නු පෙරනිමි ඒකකය '{0}' සැකිල්ල මෙන් ම විය යුතුයි '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',ප්රභේද්යයක් සඳහා නු පෙරනිමි ඒකකය '{0}' සැකිල්ල මෙන් ම විය යුතුයි '{1}'
DocType: Shipping Rule,Calculate Based On,පදනම් කරගත් දින ගණනය
DocType: Delivery Note Item,From Warehouse,ගබඩාව සිට
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,නිෂ්පාදනය කිරීමට ද්රව්ය පනත් ෙකටුම්පත අයිතම කිසිදු
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,නිෂ්පාදනය කිරීමට ද්රව්ය පනත් ෙකටුම්පත අයිතම කිසිදු
DocType: Assessment Plan,Supervisor Name,සුපරීක්ෂක නම
DocType: Program Enrollment Course,Program Enrollment Course,වැඩසටහන ඇතුලත් පාඨමාලා
DocType: Program Enrollment Course,Program Enrollment Course,වැඩසටහන ඇතුලත් පාඨමාලා
@@ -3339,18 +3360,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'දින අවසන් සාමය නිසා' විශාල හෝ ශුන්ය සමාන විය යුතුයි
DocType: Process Payroll,Payroll Frequency,වැටුප් සංඛ්යාත
DocType: Asset,Amended From,සංශෝධිත වන සිට
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,අමුදව්ය
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,අමුදව්ය
DocType: Leave Application,Follow via Email,විද්යුත් හරහා අනුගමනය
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,ශාක හා යන්ත්රෝපකරණ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,ශාක හා යන්ත්රෝපකරණ
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,බදු මුදල වට්ටම් මුදල පසු
DocType: Daily Work Summary Settings,Daily Work Summary Settings,ඩේලි වැඩ සාරාංශය සැකසුම්
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},"මිල ලැයිස්තුව, ව්යවහාර මුදල් {0} තෝරාගත් මුදල් {1} සමග සමාන නොවේ"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},"මිල ලැයිස්තුව, ව්යවහාර මුදල් {0} තෝරාගත් මුදල් {1} සමග සමාන නොවේ"
DocType: Payment Entry,Internal Transfer,අභ තර ස්ථ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,ළමා ගිණුම මෙම ගිණුම සඳහා පවතී. ඔබ මෙම ගිණුම මකා දැමීම කළ නොහැක.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,ළමා ගිණුම මෙම ගිණුම සඳහා පවතී. ඔබ මෙම ගිණුම මකා දැමීම කළ නොහැක.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ඉලක්කය යවන ලද හෝ ඉලක්කය ප්රමාණය එක්කෝ අනිවාර්ය වේ
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},ද්රව්ය ලේඛණය අයිතමය {0} සඳහා පවතී පෙරනිමි කිසිදු
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},ද්රව්ය ලේඛණය අයිතමය {0} සඳහා පවතී පෙරනිමි කිසිදු
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,"කරුණාකර ගිය තැන, දිනය පළමු තෝරා"
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,විවෘත දිනය දිනය අවසන් පෙර විය යුතුය
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,සැකසුම> සැකසීම්> කිරීම අනුප්රාප්තිකයා නම් කිරීම ශ්රේණි හරහා {0} සඳහා ශ්රේණි කිරීම අනුප්රාප්තිකයා නම් කිරීම සකස් කරන්න
DocType: Leave Control Panel,Carry Forward,ඉදිරියට ගෙන
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,පවත්නා ගනුදෙනු වියදම මධ්යස්ථානය ලෙජර් බවට පරිවර්තනය කළ නොහැකි
DocType: Department,Days for which Holidays are blocked for this department.,නිවාඩු මෙම දෙපාර්තමේන්තුව සඳහා අවහිර කර ඇත ඒ සඳහා දින.
@@ -3360,11 +3382,10 @@
DocType: Issue,Raised By (Email),(විද්යුත්) වන විට මතු
DocType: Training Event,Trainer Name,පුහුණුකරු නම
DocType: Mode of Payment,General,ජනරාල්
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,ලිපි අමුණන්න
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,පසුගිය සන්නිවේදන
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,පසුගිය සන්නිවේදන
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',කාණ්ඩය තක්සේරු 'හෝ' තක්සේරු හා පූර්ණ 'සඳහා වන විට අඩු කර නොහැකි
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","ඔබේ බදු හිස් ලැයිස්තු (උදා: එකතු කළ අගය මත බදු, රේගු ආදිය, ඔවුන් අද්විතීය නම් තිබිය යුතු) සහ ඒවායේ සම්මත අනුපාත. මෙය ඔබ සංස්කරණය සහ වඩාත් පසුව එකතු කළ හැකි සම්මත සැකිල්ල, නිර්මාණය කරනු ඇත."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","ඔබේ බදු හිස් ලැයිස්තු (උදා: එකතු කළ අගය මත බදු, රේගු ආදිය, ඔවුන් අද්විතීය නම් තිබිය යුතු) සහ ඒවායේ සම්මත අනුපාත. මෙය ඔබ සංස්කරණය සහ වඩාත් පසුව එකතු කළ හැකි සම්මත සැකිල්ල, නිර්මාණය කරනු ඇත."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Serialized අයිතමය {0} සඳහා අනු අංක අවශ්ය
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,ඉන්වොයිසි සමග සසදන්න ගෙවීම්
DocType: Journal Entry,Bank Entry,බැංකු පිවිසුම්
@@ -3373,16 +3394,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,ගැලට එක් කරන්න
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,පිරිසක් විසින්
DocType: Guardian,Interests,උනන්දුව දක්වන ක්ෂෙත්ර:
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,මුදල් සක්රිය කරන්න / අක්රිය කරන්න.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,මුදල් සක්රිය කරන්න / අක්රිය කරන්න.
DocType: Production Planning Tool,Get Material Request,"ද්රව්ය, ඉල්ලීම් ලබා ගන්න"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,තැපැල් වියදම්
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,තැපැල් වියදම්
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),එකතුව (ඒඑම්ටී)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,විනෝදාස්වාදය සහ විනෝද
DocType: Quality Inspection,Item Serial No,අයිතමය අනු අංකය
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,සේවක වාර්තා නිර්මාණය
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,මුළු වර්තමාන
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,මුල්ය ප්රකාශන
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,පැය
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,පැය
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,නව අනු අංකය ගබඩා තිබිය නොහැකිය. පොත් ගබඩාව කොටස් සටහන් හෝ මිළදී රිසිට්පත විසින් තබා ගත යුතු
DocType: Lead,Lead Type,ඊයම් වර්ගය
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,ඔබ කලාප දිනයන් මත කොළ අනුමත කිරීමට අවසර නැත
@@ -3394,6 +3415,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,වෙනුවට පසු නව ද්රව්ය ලේඛණය
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,", විකුණුම් පේදුරු"
DocType: Payment Entry,Received Amount,ලැබී මුදල
+DocType: GST Settings,GSTIN Email Sent On,යවා GSTIN විද්යුත්
+DocType: Program Enrollment,Pick/Drop by Guardian,ගාර්ඩියන් පුවත්පත විසින් / Drop ගන්න
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","නියෝගයක් මත මේ වන විටත් ප්රමාණය නොසලකා හරිමින්, සම්පූර්ණ ප්රමාණයක් මේ සඳහා නිර්මාණය"
DocType: Account,Tax,බද්ද
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,සලකුණු කළ නොහැකි
@@ -3407,7 +3430,7 @@
DocType: Batch,Source Document Name,මූලාශ්රය ලේඛන නම
DocType: Job Opening,Job Title,රැකියා තනතුර
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,පරිශීලකයන් නිර්මාණය
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,ඇට
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,ඇට
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,නිෂ්පාදනය කිරීමට ප්රමාණය 0 ට වඩා වැඩි විය යුතුය.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,නඩත්තු ඇමතුම් සඳහා වාර්තාව පිවිසෙන්න.
DocType: Stock Entry,Update Rate and Availability,වේගය හා උපකාර ලැබිය හැකි යාවත්කාලීන
@@ -3415,7 +3438,7 @@
DocType: POS Customer Group,Customer Group,කස්ටමර් සමූහයේ
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),නව කණ්ඩායම හැඳුනුම්පත (විකල්ප)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),නව කණ්ඩායම හැඳුනුම්පත (විකල්ප)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},වියදම් ගිණුම අයිතමය {0} සඳහා අනිවාර්ය වේ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},වියදම් ගිණුම අයිතමය {0} සඳහා අනිවාර්ය වේ
DocType: BOM,Website Description,වෙබ් අඩවිය විස්තරය
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,කොටස් ශුද්ධ වෙනස්
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,මිලදී ගැනීම ඉන්වොයිසිය {0} පළමු අවලංගු කරන්න
@@ -3425,8 +3448,8 @@
,Sales Register,විකුණුම් රෙජිස්ටර්
DocType: Daily Work Summary Settings Company,Send Emails At,දී විද්යුත් තැපැල් පණිවුඩ යවන්න
DocType: Quotation,Quotation Lost Reason,උද්ධෘත ලොස්ට් හේතුව
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,ඔබගේ වසම් තෝරා
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},ගනුදෙනු සඳහනක් වත් {0} දිනැති {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,ඔබගේ වසම් තෝරා
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},ගනුදෙනු සඳහනක් වත් {0} දිනැති {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,සංස්කරණය කරන්න කිසිම දෙයක් නැහැ.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,මේ මාසය සඳහා සාරාංශය හා ෙ කටයුතු
DocType: Customer Group,Customer Group Name,කස්ටමර් සමූහයේ නම
@@ -3434,14 +3457,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,මුදල් ප්රවාහ ප්රකාශය
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},ණය මුදල {0} උපරිම ණය මුදල ඉක්මවා නො හැකි
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,බලපත්රය
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},C-ආකෘතිය {1} සිට මෙම ඉන්වොයිසිය {0} ඉවත් කරන්න
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},C-ආකෘතිය {1} සිට මෙම ඉන්වොයිසිය {0} ඉවත් කරන්න
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,ඔබ ද පෙර මූල්ය වර්ෂය ශේෂ මෙම මුදල් වසරේදී පිටත්ව ඇතුළත් කිරීමට අවශ්ය නම් ඉදිරියට ගෙන කරුණාකර තෝරා
DocType: GL Entry,Against Voucher Type,වවුචරයක් වර්ගය එරෙහිව
DocType: Item,Attributes,දන්ත ධාතුන්
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,ගිණුම අක්රිය ලියන්න ඇතුලත් කරන්න
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,ගිණුම අක්රිය ලියන්න ඇතුලත් කරන්න
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,පසුගිය සාමය දිනය
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},ගිණුම {0} සමාගම {1} අයත් නොවේ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,පිට පිට අනු ගණන් {0} සැපයුම් සටහන සමග නොගැලපේ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,පිට පිට අනු ගණන් {0} සැපයුම් සටහන සමග නොගැලපේ
DocType: Student,Guardian Details,ගාඩියන් විස්තර
DocType: C-Form,C-Form,C-ආකෘතිය
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,බහු සේවකයන් සඳහා ලකුණ පැමිණීම
@@ -3456,16 +3479,16 @@
DocType: Budget Account,Budget Amount,අයවැය මුදල
DocType: Appraisal Template,Appraisal Template Title,ඇගයීෙම් සැකිල්ල හිමිකම්
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},දිනය සිට {0} සේවක සඳහා {1} සේවක එක්වීමට දිනය {2} පෙර විය නොහැකි
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,වාණිජ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,වාණිජ
DocType: Payment Entry,Account Paid To,කිරීම ගෙවුම් ගිණුම
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,මව් අයිතමය {0} යනු කොටස් අයිතමය නොවිය යුතුයි
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,සියලු නිෂ්පාදන හෝ සේවා.
DocType: Expense Claim,More Details,වැඩිපුර විස්තර
DocType: Supplier Quotation,Supplier Address,සැපයුම්කරු ලිපිනය
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} ගිණුම සඳහා වූ අයවැය {1} {2} {3} එරෙහිව {4} වේ. එය {5} විසින් ඉක්මවා ඇත
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',ෙරෝ {0} # ගිණුම් වර්ගය විය යුතුයි 'ස්ථාවර වත්කම්'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,යවන ලද අතරින්
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,විකිණීම සඳහා නාවික මුදල ගණනය කිරීමට නීති රීති
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',ෙරෝ {0} # ගිණුම් වර්ගය විය යුතුයි 'ස්ථාවර වත්කම්'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,යවන ලද අතරින්
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,විකිණීම සඳහා නාවික මුදල ගණනය කිරීමට නීති රීති
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,මාලාවක් අනිවාර්ය වේ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,මූල්යමය සේවා
DocType: Student Sibling,Student ID,ශිෂ්ය හැඳුනුම්පතක්
@@ -3473,13 +3496,13 @@
DocType: Tax Rule,Sales,විකුණුම්
DocType: Stock Entry Detail,Basic Amount,මූලික මුදල
DocType: Training Event,Exam,විභාග
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},කොටස් අයිතමය {0} සඳහා අවශ්ය පොත් ගබඩාව
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},කොටස් අයිතමය {0} සඳහා අවශ්ය පොත් ගබඩාව
DocType: Leave Allocation,Unused leaves,භාවිතයට නොගත් කොළ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,බිල්පත් රාජ්ය
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,මාරු
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} පක්ෂය ගිණුම {2} සමග සම්බන්ධ නැති
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),(උප-එකලස්කිරීම් ඇතුළුව) පුපුරා ද්රව්ය ලේඛණය බෝගයන්ගේ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} පක්ෂය ගිණුම {2} සමග සම්බන්ධ නැති
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),(උප-එකලස්කිරීම් ඇතුළුව) පුපුරා ද්රව්ය ලේඛණය බෝගයන්ගේ
DocType: Authorization Rule,Applicable To (Employee),(සේවක) කිරීම සඳහා අදාළ
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,නියමිත දිනය අනිවාර්ය වේ
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Attribute {0} 0 වෙන්න බෑ සඳහා වර්ධකය
@@ -3507,7 +3530,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,අමු ද්රව්ය අයිතමය සංග්රහයේ
DocType: Journal Entry,Write Off Based On,පදනම් කරගත් දින Off ලියන්න
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,ඊයම් කරන්න
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,මුද්රිත හා ලිපි ද්රව්ය
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,මුද්රිත හා ලිපි ද්රව්ය
DocType: Stock Settings,Show Barcode Field,Barcode ක්ෂේත්ර පෙන්වන්න
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,සැපයුම්කරු විද්යුත් තැපැල් පණිවුඩ යවන්න
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","වැටුප් දැනටමත් {0} අතර කාල සීමාව සඳහා සකස් සහ {1}, අයදුම්පත් කාලය Leave මෙම දින පරාසයක් අතර විය නොහැක."
@@ -3515,14 +3538,16 @@
DocType: Guardian Interest,Guardian Interest,ගාඩියන් පොලී
apps/erpnext/erpnext/config/hr.py +177,Training,පුහුණුව
DocType: Timesheet,Employee Detail,සේවක විස්තර
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 විද්යුත් හැඳුනුම්පත
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 විද්යුත් හැඳුනුම්පත
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 විද්යුත් හැඳුනුම්පත
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 විද්යුත් හැඳුනුම්පත
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,මාසික දින ඊළඟට දිනය දවසේ හා නැවත සමාන විය යුතුයි
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,වෙබ් අඩවිය මුල්පිටුව සඳහා සැකසුම්
DocType: Offer Letter,Awaiting Response,බලා සිටින ප්රතිචාර
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,ඉහත
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,ඉහත
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},වලංගු නොවන විශේෂණය {0} {1}
DocType: Supplier,Mention if non-standard payable account,සම්මත නොවන ගෙවිය යුතු ගිණුම් නම් සඳහන්
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},එම අයිතමය වාර කිහිපයක් ඇතුළු කර ඇත. {ලැයිස්තුව}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',කරුණාකර 'සියලුම තක්සේරු කණ්ඩායම්' හැර වෙනත් තක්සේරු කණ්ඩායම තෝරන්න
DocType: Salary Slip,Earning & Deduction,උපයන සහ අඩු කිරීම්
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,විකල්ප. මෙම සිටුවම විවිධ ගනුදෙනු පෙරහන් කිරීමට භාවිතා කරනු ඇත.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,ඍණ තක්සේරු අනුපාත ඉඩ නැත
@@ -3536,9 +3561,9 @@
DocType: Sales Invoice,Product Bundle Help,නිෂ්පාදන පැකේජය උදවු
,Monthly Attendance Sheet,මාසික පැමිණීම පත්රය
DocType: Production Order Item,Production Order Item,නිෂ්පාදන න්යාය අයිතමය
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,වාර්තා සොයාගත්තේ නැත
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,වාර්තා සොයාගත්තේ නැත
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,කටුගා දමා වත්කම් පිරිවැය
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: පිරිවැය මධ්යස්ථානය අයිතමය {2} සඳහා අනිවාර්ය වේ
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: පිරිවැය මධ්යස්ථානය අයිතමය {2} සඳහා අනිවාර්ය වේ
DocType: Vehicle,Policy No,ප්රතිපත්ති නැත
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,නිෂ්පාදන පැකේජය සිට අයිතම ලබා ගන්න
DocType: Asset,Straight Line,සරල රේඛාව
@@ -3547,7 +3572,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,බෙදුණු
DocType: GL Entry,Is Advance,උසස් වේ
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,දිනය සඳහා දිනය හා පැමිණීමේ සිට පැමිණීම අනිවාර්ය වේ
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,ඇතුලත් කරන්න ඔව් හෝ නැත ලෙස 'උප කොන්ත්රාත්තු වෙයි'
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,ඇතුලත් කරන්න ඔව් හෝ නැත ලෙස 'උප කොන්ත්රාත්තු වෙයි'
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,පසුගිය සන්නිවේදන දිනය
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,පසුගිය සන්නිවේදන දිනය
DocType: Sales Team,Contact No.,අප අමතන්න අංක
@@ -3576,60 +3601,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,විවෘත කළ අගය
DocType: Salary Detail,Formula,සූත්රය
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,අනු #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,විකුණුම් මත කොමිසම
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,විකුණුම් මත කොමිසම
DocType: Offer Letter Term,Value / Description,අගය / විස්තරය
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ෙරෝ # {0}: වත්කම් {1} ඉදිරිපත් කළ නොහැකි, එය දැනටමත් {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ෙරෝ # {0}: වත්කම් {1} ඉදිරිපත් කළ නොහැකි, එය දැනටමත් {2}"
DocType: Tax Rule,Billing Country,බිල්පත් රට
DocType: Purchase Order Item,Expected Delivery Date,අපේක්ෂිත භාර දීම දිනය
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,හර සහ බැර {0} # {1} සඳහා සමාන නැත. වෙනස {2} වේ.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,විනෝදාස්වාදය වියදම්
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,ද්රව්ය ඉල්ලීම් කරන්න
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,විනෝදාස්වාදය වියදම්
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,ද්රව්ය ඉල්ලීම් කරන්න
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},විවෘත අයිතමය {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,මෙම වෙළෙඳ න්යාය අවලංගු කිරීම පෙර විකුණුම් ඉන්වොයිසිය {0} අවලංගු කළ යුතුය
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,වයස
DocType: Sales Invoice Timesheet,Billing Amount,බිල්පත් ප්රමාණය
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,"අයිතමය {0} සඳහා නිශ්චිතව දක්වා ඇති වලංගු නොවන ප්රමාණය. ප්රමාණය, 0 ට වඩා වැඩි විය යුතුය."
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,නිවාඩු සඳහා අයදුම්පත්.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,පවත්නා ගනුදෙනුව ගිණුමක් මකා දැමිය නොහැක
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,පවත්නා ගනුදෙනුව ගිණුමක් මකා දැමිය නොහැක
DocType: Vehicle,Last Carbon Check,පසුගිය කාබන් පරීක්ෂා කරන්න
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,නීතිමය වියදම්
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,නීතිමය වියදම්
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,කරුණාකර දණ්ඩනය ප්රමාණය තෝරා
DocType: Purchase Invoice,Posting Time,"ගිය තැන, වේලාව"
DocType: Timesheet,% Amount Billed,% මුදල අසූහත
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,දුරකථන අංකය වියදම්
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,දුරකථන අංකය වියදම්
DocType: Sales Partner,Logo,ලාංඡනය
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"ඔබ 'සුරැකුමට පෙර, මාලාවක් තෝරාගැනීමට පරිශීලක බල කිරීම සඳහා අවශ්ය නම් මෙම පරීක්ෂා කරන්න. ඔබ මෙම පරීක්ෂා නම් කිසිඳු පෙරනිමි වනු ඇත."
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},අනු අංකය {0} සමග කිසිදු විෂය
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},අනු අංකය {0} සමග කිසිදු විෂය
DocType: Email Digest,Open Notifications,විවෘත නිවේදන
DocType: Payment Entry,Difference Amount (Company Currency),වෙනස ප්රමාණය (සමාගම ව්යවහාර මුදල්)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,සෘජු වියදම්
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,සෘජු වියදම්
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} 'නිවේදනය \ විද්යුත් තැපැල් ලිපිනය' තුළ වලංගු නොවන ඊ-තැපැල් ලිපිනය
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,නව පාරිභෝගික ආදායම්
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,ගමන් වියදම්
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,ගමන් වියදම්
DocType: Maintenance Visit,Breakdown,බිඳ වැටීම
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,ගිණුම: {0} මුදල් සමග: {1} තෝරා ගත නොහැකි
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,ගිණුම: {0} මුදල් සමග: {1} තෝරා ගත නොහැකි
DocType: Bank Reconciliation Detail,Cheque Date,"එම ගාස්තුව මුදලින්, ෙචක්පතකින් දිනය"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},ගිණුම {0}: මාපිය ගිණුමක් {1} සමාගම අයිති නැත: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},ගිණුම {0}: මාපිය ගිණුමක් {1} සමාගම අයිති නැත: {2}
DocType: Program Enrollment Tool,Student Applicants,ශිෂ්ය අයදුම්කරුවන්
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,මෙම සමාගම අදාළ සියලු ගනුදෙනු සාර්ථකව මකා!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,මෙම සමාගම අදාළ සියලු ගනුදෙනු සාර්ථකව මකා!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,දිනය මත ලෙස
DocType: Appraisal,HR,මානව සම්පත්
DocType: Program Enrollment,Enrollment Date,සිසුන් බඳවා ගැනීම දිනය
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,පරිවාස
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,පරිවාස
apps/erpnext/erpnext/config/hr.py +115,Salary Components,වැටුප් සංරචක
DocType: Program Enrollment Tool,New Academic Year,නව අධ්යයන වර්ෂය
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,ආපසු / ක්රෙඩිට් සටහන
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,ආපසු / ක්රෙඩිට් සටහන
DocType: Stock Settings,Auto insert Price List rate if missing,වාහන ළ මිල ලැයිස්තුව අනුපාතය අතුරුදහන් නම්
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,මුළු ු ර්
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,මුළු ු ර්
DocType: Production Order Item,Transferred Qty,මාරු යවන ලද
apps/erpnext/erpnext/config/learn.py +11,Navigating,යාත්රා
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,සැලසුම්
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,නිකුත් කල
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,සැලසුම්
+DocType: Material Request,Issued,නිකුත් කල
DocType: Project,Total Billing Amount (via Time Logs),(කාල ලඝු-සටහන් හරහා) මුළු බිල්පත් ප්රමාණය
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,අපි මේ විෂය විකිණීම්
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,සැපයුම්කරු අංකය
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,අපි මේ විෂය විකිණීම්
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,සැපයුම්කරු අංකය
DocType: Payment Request,Payment Gateway Details,ගෙවීම් ගේට්වේ විස්තර
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,"ප්රමාණය, 0 ට වඩා වැඩි විය යුතුය"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,"ප්රමාණය, 0 ට වඩා වැඩි විය යුතුය"
DocType: Journal Entry,Cash Entry,මුදල් සටහන්
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,ළමා මංසල පමණි 'සමූහය වර්ගය මංසල යටතේ නිර්මාණය කිරීම ද කළ හැක
DocType: Leave Application,Half Day Date,අර්ධ දින දිනය
@@ -3641,14 +3667,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},වියදම් හිමිකම් වර්ගය {0} පැහැර ගිණුමක් සකස් කරන්න
DocType: Assessment Result,Student Name,ශිෂ්ය නම
DocType: Brand,Item Manager,අයිතමය කළමනාකරු
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,පඩි නඩි ගෙවිය යුතු
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,පඩි නඩි ගෙවිය යුතු
DocType: Buying Settings,Default Supplier Type,පෙරනිමි සැපයුම්කරු වර්ගය
DocType: Production Order,Total Operating Cost,මුළු මෙහෙයුම් පිරිවැය
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,සටහන: අයිතමය {0} වාර කිහිපයක් ඇතුළු
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,සියළු සබඳතා.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,සමාගම කෙටි යෙදුම්
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,සමාගම කෙටි යෙදුම්
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,පරිශීලක {0} නොපවතියි
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,අමු ද්රව්ය ප්රධාන විෂය ලෙස සමාන විය නොහැකි
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,අමු ද්රව්ය ප්රධාන විෂය ලෙස සමාන විය නොහැකි
DocType: Item Attribute Value,Abbreviation,කෙටි යෙදුම්
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,ගෙවීම් සටහන් දැනටමත් පවතී
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,authroized නොහැකි නිසා {0} සීමාවන් ඉක්මවා
@@ -3657,35 +3683,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,කරත්තයක් සඳහා බදු පාලනය සකසන්න
DocType: Purchase Invoice,Taxes and Charges Added,බදු හා බදු ගාස්තු එකතු
,Sales Funnel,විකුණුම් පොම්ප
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,කෙටි යෙදුම් අනිවාර්ය වේ
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,කෙටි යෙදුම් අනිවාර්ය වේ
DocType: Project,Task Progress,කාර්ය සාධක ප්රගති
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,කරත්ත
,Qty to Transfer,ස්ථාන මාරු කිරීමට යවන ලද
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,ආදර්ශ හෝ ගනුදෙනුකරුවන් වෙත උපුටා දක්වයි.
DocType: Stock Settings,Role Allowed to edit frozen stock,ශීත කළ කොටස් සංස්කරණය කිරීමට අවසර කාර්යභාරය
,Territory Target Variance Item Group-Wise,භූමි ප්රදේශය ඉලක්ක විචලතාව අයිතමය සමූහ ප්රාඥ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,සියලු පාරිභෝගික කණ්ඩායම්
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,සියලු පාරිභෝගික කණ්ඩායම්
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,මාසික සමුච්චිත
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} අනිවාර්ය වේ. සමහර විට විනිමය හුවමාරු වාර්තා {1} {2} සඳහා නිර්මාණය කර නැත.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} අනිවාර්ය වේ. සමහර විට විනිමය හුවමාරු වාර්තා {1} {2} සඳහා නිර්මාණය කර නැත.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,බදු සැකිල්ල අනිවාර්ය වේ.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,ගිණුම {0}: මාපිය ගිණුමක් {1} නොපවතියි
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,ගිණුම {0}: මාපිය ගිණුමක් {1} නොපවතියි
DocType: Purchase Invoice Item,Price List Rate (Company Currency),මිල ලැයිස්තුව අනුපාතිකය (සමාගම ව්යවහාර මුදල්)
DocType: Products Settings,Products Settings,නිෂ්පාදන සැකසුම්
DocType: Account,Temporary,තාවකාලික
DocType: Program,Courses,පාඨමාලා
DocType: Monthly Distribution Percentage,Percentage Allocation,ප්රතිශතයක් වෙන් කිරීම
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,ලේකම්
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,ලේකම්
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","ආබාධිත නම්, ක්ෂේත්රය 'වචන දී' ඕනෑම ගනුදෙනුවක් තුළ දිස් නොවන"
DocType: Serial No,Distinct unit of an Item,කළ භාණ්ඩයක වෙනස් ඒකකය
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,සමාගම සකස් කරන්න
DocType: Pricing Rule,Buying,මිලදී ගැනීමේ
DocType: HR Settings,Employee Records to be created by,සේවක වාර්තා විසින් නිර්මාණය කල
DocType: POS Profile,Apply Discount On,වට්ටම් මත අදාළ
,Reqd By Date,දිනය වන විට Reqd
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,ණය හිමියන්
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,ණය හිමියන්
DocType: Assessment Plan,Assessment Name,තක්සේරු නම
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,ෙරෝ # {0}: අනු අංකය අනිවාර්ය වේ
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,අයිතමය ප්රඥාවන්ත බදු විස්තර
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,ආයතනය කෙටි යෙදුම්
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,ආයතනය කෙටි යෙදුම්
,Item-wise Price List Rate,අයිතමය ප්රඥාවන්ත මිල ලැයිස්තුව අනුපාතිකය
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,සැපයුම්කරු උද්ධෘත
DocType: Quotation,In Words will be visible once you save the Quotation.,ඔබ උද්ධෘත බේරා වරක් වචන දෘශ්යමාන වනු ඇත.
@@ -3693,14 +3720,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},ප්රමාණය ({0}) පේළියේ {1} තුළ භාගය විය නොහැකි
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,ගාස්තු එකතු
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Barcode {0} දැනටමත් අයිතමය {1} භාවිතා
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barcode {0} දැනටමත් අයිතමය {1} භාවිතා
DocType: Lead,Add to calendar on this date,මෙම දිනට දින දර්ශනය එක් කරන්න
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,නාවික වියදම් එකතු කිරීම සඳහා වන නීති.
DocType: Item,Opening Stock,ආරම්භක තොගය
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,පාරිභෝගික අවශ්ය වේ
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} ප්රතිලාභ සඳහා අනිවාර්ය වේ
DocType: Purchase Order,To Receive,ලබා ගැනීමට
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,පුද්ගලික විද්යුත්
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,සමස්ත විචලතාව
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","මෙම පහසුකම සක්රීය කළ විට, පද්ධතිය ස්වයංක්රීයව බඩු තොග සඳහා ගිණුම් සටහන් ඇතුළත් කිරීම් පල කරන්නෙමු."
@@ -3711,13 +3737,14 @@
DocType: Customer,From Lead,ඊයම් සිට
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,නිෂ්පාදනය සඳහා නිකුත් නියෝග.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,රාජ්ය මූල්ය වර්ෂය තෝරන්න ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS සටහන් කිරීමට අවශ්ය POS නරඹන්න
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS සටහන් කිරීමට අවශ්ය POS නරඹන්න
DocType: Program Enrollment Tool,Enroll Students,ශිෂ්ය ලියාපදිංචි
DocType: Hub Settings,Name Token,නම ටෝකනය
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,සම්මත විකිණීම
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,හිතුව එක තේ ගබඩාවක් අනිවාර්ය වේ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,හිතුව එක තේ ගබඩාවක් අනිවාර්ය වේ
DocType: Serial No,Out of Warranty,Warranty න්
DocType: BOM Replace Tool,Replace,ආදේශ
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,නිෂ්පාදන සොයාගත්තේ නැත.
DocType: Production Order,Unstopped,ඇරෙන්නේය
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} විකුණුම් ඉන්වොයිසිය {1} එරෙහිව
DocType: Sales Invoice,SINV-,SINV-
@@ -3728,13 +3755,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,කොටස් අගය වෙනස
apps/erpnext/erpnext/config/learn.py +234,Human Resource,මානව සම්පත්
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,ගෙවීම් ප්රතිසන්ධාන ගෙවීම්
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,බදු වත්කම්
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,බදු වත්කම්
DocType: BOM Item,BOM No,ද්රව්ය ලේඛණය නොමැත
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,ජර්නල් සටහන් {0} ගිණුම {1} නැති හෝ වෙනත් වවුචරය එරෙහිව මේ වන විටත් අදාල කරගත කරන්නේ
DocType: Item,Moving Average,වෙනස්වන සාමාන්යය
DocType: BOM Replace Tool,The BOM which will be replaced,ද්රව්ය ලේඛණය වෙනුවට කරනු ලබන
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,ඉලෙක්ට්රෝනික උපකරණ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,ඉලෙක්ට්රෝනික උපකරණ
DocType: Account,Debit,ඩෙබිට්
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,කොළ 0.5 ගුණාකාරවලින් වෙන් කල යුතු
DocType: Production Order,Operation Cost,මෙහෙයුම වියදම
@@ -3742,7 +3769,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,විශිෂ්ට ඒඑම්ටී
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,මෙම වෙළෙඳ පුද්ගලයෙක් සඳහා ඉලක්ක අයිතමය සමූහ ප්රඥාවන්ත Set.
DocType: Stock Settings,Freeze Stocks Older Than [Days],[දින] වඩා පැරණි කොටස් කැටි
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,ෙරෝ # {0}: වත්කම් ස්ථාවර වත්කම් මිලදී ගැනීම / විකිණීම සඳහා අනිවාර්ය වේ
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,ෙරෝ # {0}: වත්කම් ස්ථාවර වත්කම් මිලදී ගැනීම / විකිණීම සඳහා අනිවාර්ය වේ
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","මිල නියම කිරීම නීති දෙකක් හෝ ඊට වැඩි ඉහත තත්වයන් මත පදනම්ව දක්නට ලැබේ නම්, ප්රමුඛ ආලේප කරයි. අතර පෙරනිමි අගය ශුන්ය (හිස්ව තබන්න) වේ ප්රමුඛ 0 සිට 20 දක්වා අතර සංඛ්යාවක්. සංඛ්යාව ඉහල එම කොන්දේසි සමග බහු මිල නියම රීති පවතී නම් එය මුල් තැන ඇත යන්නයි."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,රාජ්ය මූල්ය වර්ෂය: {0} පවතී නැත
DocType: Currency Exchange,To Currency,ව්යවහාර මුදල් සඳහා
@@ -3751,7 +3778,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},අයිතමය {0} සඳහා අනුපාතය අලෙවි එහි {1} වඩා අඩු ය. අලෙවි අනුපාතය කටවත් {2} විය යුතු
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},අයිතමය {0} සඳහා අනුපාතය අලෙවි එහි {1} වඩා අඩු ය. අලෙවි අනුපාතය කටවත් {2} විය යුතු
DocType: Item,Taxes,බදු
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,ගෙවුම් හා නොවේ භාර
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,ගෙවුම් හා නොවේ භාර
DocType: Project,Default Cost Center,පෙරනිමි පිරිවැය මධ්යස්ථානය
DocType: Bank Guarantee,End Date,අවසාන දිනය
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,කොටස් ගනුදෙනු
@@ -3776,24 +3803,22 @@
DocType: Employee,Held On,දා පැවති
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,නිෂ්පාදන විෂය
,Employee Information,සේවක තොරතුරු
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),අනුපාතිකය (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),අනුපාතිකය (%)
DocType: Stock Entry Detail,Additional Cost,අමතර පිරිවැය
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,මූල්ය වසර අවසාන දිනය
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","වවුචරයක් වර්ගීකරණය නම්, වවුචරයක් නොමැත මත පදනම් පෙරීමට නොහැකි"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,සැපයුම්කරු උද්ධෘත කරන්න
DocType: Quality Inspection,Incoming,ලැබෙන
DocType: BOM,Materials Required (Exploded),අවශ්ය ද්රව්ය (පුපුරා)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","ඔබ හැර, ඔබේ ආයතනය සඳහා භාවිතා කරන්නන් එකතු කරන්න"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,"ගිය තැන, දිනය අනාගත දිනයක් විය නොහැකි"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},ෙරෝ # {0}: අනු අංකය {1} {2} {3} සමග නොගැලපේ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,අනියම් නිවාඩු
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,අනියම් නිවාඩු
DocType: Batch,Batch ID,කණ්ඩායම හැඳුනුම්පත
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},සටහන: {0}
,Delivery Note Trends,සැපයුම් සටහන ප්රවණතා
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,මෙම සතියේ සාරාංශය
-,In Stock Qty,කොටස් යවන ලද තුළ
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,කොටස් යවන ලද තුළ
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,ගිණුම: {0} පමණක් කොටස් ගනුදෙනු හරහා යාවත්කාලීන කළ හැකි
-DocType: Program Enrollment,Get Courses,පාඨමාලා ලබා ගන්න
+DocType: Student Group Creation Tool,Get Courses,පාඨමාලා ලබා ගන්න
DocType: GL Entry,Party,පක්ෂය
DocType: Sales Order,Delivery Date,බෙදාහැරීමේ දිනය
DocType: Opportunity,Opportunity Date,අවස්ථාව දිනය
@@ -3801,14 +3826,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,උද්ධෘත අයිතමය සඳහා ඉල්ලුම්
DocType: Purchase Order,To Bill,පනත් කෙටුම්පත
DocType: Material Request,% Ordered,% අනුපිළිවලින්
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","පාඨමාලාව සඳහා පදනම් ශිෂ්ය සමූහය, පාඨමාලා වැඩසටහන ඇතුලත් දී ලියාපදිංචි පාඨමාලා සෑම ශිෂ්ය සඳහා වලංගු වනු ඇත."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","කොමාවකින් වෙන් විද්යුත් තැපැල් ලිපිනය ඇතුලත් කරන්න, ඉන්වොයිසි විශේෂයෙන් දිනය ස්වයංක්රීයව තැපැල් කරනු ඇත"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Piecework
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Piecework
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,සාමාන්යය. මිලට ගැනීම අනුපාත
DocType: Task,Actual Time (in Hours),සැබෑ කාලය (පැය දී)
DocType: Employee,History In Company,සමාගම දී ඉතිහාසය
apps/erpnext/erpnext/config/learn.py +107,Newsletters,පුවත් ලිපි
DocType: Stock Ledger Entry,Stock Ledger Entry,කොටස් ලේජර සටහන්
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,පාරිභෝගික> කස්ටමර් සමූහයේ> දේශසීමාවේ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,එම අයිතමය වාර කිහිපයක් ඇතුළු කර ඇත
DocType: Department,Leave Block List,වාරණ ලැයිස්තුව තබන්න
DocType: Sales Invoice,Tax ID,බදු හැඳුනුම්පත
@@ -3823,30 +3848,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,"{0} මෙම ගනුදෙනුව සම්පූර්ණ කර ගැනීම සඳහා, {2} අවශ්ය {1} ඒකක."
DocType: Loan Type,Rate of Interest (%) Yearly,පොලී අනුපාතය (%) වාර්ෂික
DocType: SMS Settings,SMS Settings,කෙටි පණිවුඩ සැකසුම්
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,තාවකාලික ගිණුම්
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,කලු
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,තාවකාලික ගිණුම්
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,කලු
DocType: BOM Explosion Item,BOM Explosion Item,ද්රව්ය ලේඛණය පිපිරීගිය අයිතමය
DocType: Account,Auditor,විගණකාධිපති
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} ඉදිරිපත් භාණ්ඩ
DocType: Cheque Print Template,Distance from top edge,ඉහළ දාරය සිට දුර
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,මිල ලැයිස්තුව {0} අක්රීය කර ඇත නැත්නම් ස්ථානීකව නොපවතියි
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,මිල ලැයිස්තුව {0} අක්රීය කර ඇත නැත්නම් ස්ථානීකව නොපවතියි
DocType: Purchase Invoice,Return,ආපසු
DocType: Production Order Operation,Production Order Operation,නිෂ්පාදන න්යාය මෙහෙයුම
DocType: Pricing Rule,Disable,අක්රීය
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,ගෙවීම් ක්රමය ගෙවීම් කිරීමට අවශ්ය වේ
DocType: Project Task,Pending Review,විභාග සමාලෝචන
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} මෙම කණ්ඩායම {2} ලියාපදිංචි වී නොමැති
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","එය දැනටමත් {1} පරිදි වත්කම්, {0} කටුගා දමා ගත නොහැකි"
DocType: Task,Total Expense Claim (via Expense Claim),(වියදම් හිමිකම් හරහා) මුළු වියදම් හිමිකම්
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,පාරිභෝගික අංකය
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,මාක් නැති කල
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ෙරෝ {0}: සිටිමට # ව්යවහාර මුදල් {1} තෝරාගත් මුදල් {2} සමාන විය යුතුයි
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ෙරෝ {0}: සිටිමට # ව්යවහාර මුදල් {1} තෝරාගත් මුදල් {2} සමාන විය යුතුයි
DocType: Journal Entry Account,Exchange Rate,විනිමය අනුපාතය
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,විකුණුම් සාමය {0} ඉදිරිපත් කර නැත
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,විකුණුම් සාමය {0} ඉදිරිපත් කර නැත
DocType: Homepage,Tag Line,ටැග ලයින්
DocType: Fee Component,Fee Component,ගාස්තු සංරචක
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,රථ වාහන කළමනාකරණය
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,සිට අයිතම එකතු කරන්න
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},පොත් ගබඩාව {0}: මාපිය ගිණුමක් {1} සමාගම {2} වෙත bolong නැත
DocType: Cheque Print Template,Regular,සාමාන්ය
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,සියලු තක්සේරු නිර්ණායක මුළු Weightage 100% ක් විය යුතුය
DocType: BOM,Last Purchase Rate,පසුගිය මිලදී ගැනීම අනුපාත
@@ -3855,11 +3879,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,කොටස් අයිතමය {0} සඳහා පැවතිය නොහැකි ප්රභේද පවතින බැවින්
,Sales Person-wise Transaction Summary,විකුණුම් පුද්ගලයා ප්රඥාවෙන් ගනුදෙනු සාරාංශය
DocType: Training Event,Contact Number,ඇමතුම් අංකය
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,පොත් ගබඩාව {0} නොපවතියි
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,පොත් ගබඩාව {0} නොපවතියි
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,ERPNext Hub සඳහා ලියාපදිංචි
DocType: Monthly Distribution,Monthly Distribution Percentages,මාසික බෙදාහැරීම් ප්රතිශත
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,තෝරාගත් අයිතමය කණ්ඩායම ලබා ගත නොහැකි
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","{1} {2} සඳහා ගිණුම් සටහන් කරන්න අවශ අයිතමය {0}, තක්සේරු අනුපාතය සොයාගත නොහැකි විය. මෙම අයිතමය {1} නිදසුන් අයිතමයක් ලෙස ගනුදෙනු කරන්නේ නම්, එම {1} අයිතමය වගුවේ බව සඳහන් කරන්න. එසේ නැත්නම්, අයිතමය වාර්තාගත තක්සේරු අනුපාතය අයිතමය සඳහා ලැබෙන කොටස් ගනුදෙනුව නිර්මාණය කරන්න හෝ සඳහන්, පසුව submiting / මෙම ප්රවේශය අවලංගු කරන්න"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","{1} {2} සඳහා ගිණුම් සටහන් කරන්න අවශ අයිතමය {0}, තක්සේරු අනුපාතය සොයාගත නොහැකි විය. මෙම අයිතමය {1} නිදසුන් අයිතමයක් ලෙස ගනුදෙනු කරන්නේ නම්, එම {1} අයිතමය වගුවේ බව සඳහන් කරන්න. එසේ නැත්නම්, අයිතමය වාර්තාගත තක්සේරු අනුපාතය අයිතමය සඳහා ලැබෙන කොටස් ගනුදෙනුව නිර්මාණය කරන්න හෝ සඳහන්, පසුව submiting / මෙම ප්රවේශය අවලංගු කරන්න"
DocType: Delivery Note,% of materials delivered against this Delivery Note,මෙම බෙදීම සටහන එරෙහිව පවත්වන ද්රව්ය%
DocType: Project,Customer Details,පාරිභෝගික විස්තර
DocType: Employee,Reports to,වාර්තා කිරීමට
@@ -3867,24 +3891,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,ලබන්නා අංක සඳහා url එක පරාමිතිය ඇතුලත් කරන්න
DocType: Payment Entry,Paid Amount,ු ර්
DocType: Assessment Plan,Supervisor,සුපරීක්ෂක
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,සමඟ අමුත්තන්
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,සමඟ අමුත්තන්
,Available Stock for Packing Items,ඇසුරුම් අයිතම සඳහා ලබා ගත හැකි කොටස්
DocType: Item Variant,Item Variant,අයිතමය ප්රභේද්යයක්
DocType: Assessment Result Tool,Assessment Result Tool,තක්සේරු ප්රතිඵල මෙවලම
DocType: BOM Scrap Item,BOM Scrap Item,ද්රව්ය ලේඛණය ලාංකික අයිතමය
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,ඉදිරිපත් නියෝග ඉවත් කල නොහැක
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ඩෙබිට් දැනටමත් ගිණුම් ශේෂය, ඔබ 'ක්රෙඩිට්' ලෙස 'ශේෂ විය යුතුයි' නියම කිරීමට අවසර නැත"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,තත්ත්ව කළමනාකරණ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,ඉදිරිපත් නියෝග ඉවත් කල නොහැක
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ඩෙබිට් දැනටමත් ගිණුම් ශේෂය, ඔබ 'ක්රෙඩිට්' ලෙස 'ශේෂ විය යුතුයි' නියම කිරීමට අවසර නැත"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,තත්ත්ව කළමනාකරණ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,අයිතමය {0} අක්රීය කොට ඇත
DocType: Employee Loan,Repay Fixed Amount per Period,කාලය අනුව ස්ථාවර මුදල ආපසු ගෙවීම
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},විෂය {0} සඳහා ප්රමාණය ඇතුලත් කරන්න
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,ණය සටහන ඒඑම්ටී
DocType: Employee External Work History,Employee External Work History,සේවක විදේශ රැකියා ඉතිහාසය
DocType: Tax Rule,Purchase,මිලදී
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,ශේෂ යවන ලද
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,ශේෂ යවන ලද
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,ඉලක්ක හිස් විය නොහැක
DocType: Item Group,Parent Item Group,මව් අයිතමය සමූහ
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} {1} සඳහා
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,පිරිවැය මධ්යස්ථාන
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,පිරිවැය මධ්යස්ථාන
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,සැපයුම්කරුගේ මුදල් සමාගමේ පදනම මුදල් බවට පරිවර්තනය වන අවස්ථාවේ අනුපාතය
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},ෙරෝ # {0}: පේළියේ සමග ලෙවල් ගැටුම් {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,"Zero, තක්සේරු අනුපාත ඉඩ"
@@ -3892,17 +3917,18 @@
DocType: Training Event Employee,Invited,ආරාධනා
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,ලබා දී දින සඳහා සේවක {0} සඳහා සොයා බහු ක්රියාකාරී වැටුප් තල
DocType: Opportunity,Next Contact,ඊළඟට අප අමතන්න
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Setup ගේට්වේ කියයි.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Setup ගේට්වේ කියයි.
DocType: Employee,Employment Type,රැකියා වර්ගය
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,ස්ථාවර වත්කම්
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,ස්ථාවර වත්කම්
DocType: Payment Entry,Set Exchange Gain / Loss,විනිමය ලාභ / අඞු කිරීමට සකසන්න
+,GST Purchase Register,GST මිලදී ගැනීම ලියාපදිංචි
,Cash Flow,මුදල් ප්රවාහය
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,අයදුම් කාලය alocation වාර්තා දෙක හරහා විය නොහැකි
DocType: Item Group,Default Expense Account,පෙරනිමි ගෙවීමේ ගිණුම්
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,ශිෂ්ය විද්යුත් හැඳුනුම්පත
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,ශිෂ්ය විද්යුත් හැඳුනුම්පත
DocType: Employee,Notice (days),නිවේදනය (දින)
DocType: Tax Rule,Sales Tax Template,විකුණුම් බදු සැකිල්ල
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,ඉන්වොයිස් බේරා ගැනීමට භාණ්ඩ තෝරන්න
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,ඉන්වොයිස් බේරා ගැනීමට භාණ්ඩ තෝරන්න
DocType: Employee,Encashment Date,හැකි ඥාතීන් නොවන දිනය
DocType: Training Event,Internet,අන්තර්ජාල
DocType: Account,Stock Adjustment,කොටස් ගැලපුම්
@@ -3931,7 +3957,7 @@
DocType: Guardian,Guardian Of ,ආරක්ෂකයා
DocType: Grading Scale Interval,Threshold,සීමකය
DocType: BOM Replace Tool,Current BOM,වත්මන් ද්රව්ය ලේඛණය
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,අනු අංකය එකතු කරන්න
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,අනු අංකය එකතු කරන්න
apps/erpnext/erpnext/config/support.py +22,Warranty,වගකීම්
DocType: Purchase Invoice,Debit Note Issued,ඩෙබිට් සටහන නිකුත් කර ඇත්තේ
DocType: Production Order,Warehouses,බඞු ගබඞාව
@@ -3940,20 +3966,20 @@
DocType: Workstation,per hour,පැයකට
apps/erpnext/erpnext/config/buying.py +7,Purchasing,මිලදී ගැනීම
DocType: Announcement,Announcement,නිවේදනය
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,ගබඩාව (භාණ්ඩ තොගය) සඳහා ගිණුම මෙම ගිණුම යටතේ ඇති කරනු ඇත.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,කොටස් ලෙජර් ප්රවේශය මෙම ගබඩා සංකීර්ණය සඳහා පවතින අයුරිනි ගබඩා සංකීර්ණය ඉවත් කල නොහැක.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","පදනම් ශිෂ්ය සමූහ කණ්ඩායම සඳහා, ශිෂ්ය කණ්ඩායම වැඩසටහන ඇතුළත් සෑම ශිෂ්ය සඳහා වලංගු වනු ඇත."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,කොටස් ලෙජර් ප්රවේශය මෙම ගබඩා සංකීර්ණය සඳහා පවතින අයුරිනි ගබඩා සංකීර්ණය ඉවත් කල නොහැක.
DocType: Company,Distribution,බෙදා හැරීම
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,ු ර්
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,ව්යාපෘති කළමනාකරු
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,ව්යාපෘති කළමනාකරු
,Quoted Item Comparison,උපුටා අයිතමය සංසන්දනය
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,සරයක
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,අයිතමය සඳහා අවසර මැක්ස් වට්ටමක්: {0} වේ {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,සරයක
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,අයිතමය සඳහා අවසර මැක්ස් වට්ටමක්: {0} වේ {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,ලෙස මත ශුද්ධ වත්කම්වල වටිනාකම
DocType: Account,Receivable,ලැබිය යුතු
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ෙරෝ # {0}: මිලදී ගැනීමේ නියෝගයක් දැනටමත් පවතී ලෙස සැපයුම්කරුවන් වෙනස් කිරීමට අවසර නැත
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ෙරෝ # {0}: මිලදී ගැනීමේ නියෝගයක් දැනටමත් පවතී ලෙස සැපයුම්කරුවන් වෙනස් කිරීමට අවසර නැත
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,සකස් ණය සීමා ඉක්මවා යන ගනුදෙනු ඉදිරිපත් කිරීමට අවසර තිබේ එම භූමිකාව.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,නිෂ්පාදනය කිරීමට අයිතම තෝරන්න
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","මාස්ටර් දත්ත සමමුහුර්ත, එය යම් කාලයක් ගත විය හැකියි"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,නිෂ්පාදනය කිරීමට අයිතම තෝරන්න
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","මාස්ටර් දත්ත සමමුහුර්ත, එය යම් කාලයක් ගත විය හැකියි"
DocType: Item,Material Issue,ද්රව්ය නිකුත්
DocType: Hub Settings,Seller Description,විකුණන්නා විස්තරය
DocType: Employee Education,Qualification,සුදුසුකම්
@@ -3973,7 +3999,6 @@
DocType: BOM,Rate Of Materials Based On,ද්රව්ය මත පදනම් මත අනුපාතය
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,සහයෝගය Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,සියලු නොතේරූ නිසාවෙන්
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},සමාගම ගබඩා {0} තුළ අතුරුදහන්
DocType: POS Profile,Terms and Conditions,නියම සහ කොන්දේසි
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},දිනය සඳහා මුදල් වර්ෂය තුළ විය යුතුය. දිනය = {0} සඳහා උපකල්පනය
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","මෙහිදී ඔබට උස, බර, අසාත්මිකතා, වෛද්ය කනස්සල්ල ආදිය පවත්වා ගැනීමට නොහැකි"
@@ -3988,19 +4013,18 @@
DocType: Sales Order Item,For Production,නිෂ්පාදන සඳහා
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,දැක්ම කාර්ය සාධක
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,ඔබේ මූල්ය වසර ආරම්භ
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,විපක්ෂ / ඊයම්%
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,විපක්ෂ / ඊයම්%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,වත්කම් අගය පහත හා තුලනය
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},"මුදල {0} {1} {3} කර ගැනීම සඳහා, {2} මාරු"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},"මුදල {0} {1} {3} කර ගැනීම සඳහා, {2} මාරු"
DocType: Sales Invoice,Get Advances Received,අත්තිකාරම් ලද කරන්න
DocType: Email Digest,Add/Remove Recipients,එකතු කරන්න / ලබන්නන් ඉවත් කරන්න
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},නතර නිෂ්පාදන න්යාය {0} එරෙහිව ගනුදෙනු අවසර නැත
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},නතර නිෂ්පාදන න්යාය {0} එරෙහිව ගනුදෙනු අවසර නැත
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","මෙම මුදල් වර්ෂය පෙරනිමි ලෙස සැකසීම සඳහා, '' පෙරනිමි ලෙස සකසන්න 'මත ක්ලික් කරන්න"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,එක්වන්න
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,එක්වන්න
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,හිඟය යවන ලද
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,අයිතමය ප්රභේද්යයක් {0} එම ලක්ෂණ සහිත පවතී
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,අයිතමය ප්රභේද්යයක් {0} එම ලක්ෂණ සහිත පවතී
DocType: Employee Loan,Repay from Salary,වැටුප් සිට ආපසු ගෙවීම
DocType: Leave Application,LAP/,LAP /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},මුදල සඳහා {0} {1} එරෙහිව ගෙවීම් ඉල්ලා {2}
@@ -4011,34 +4035,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","බාර දීමට පැකේජ සඳහා ස්ලිප් ඇසුරුම් උත්පාදනය. පැකේජය අංකය, පැකේජය අන්තර්ගතය සහ එහි බර රජයට දැනුම් කිරීම සඳහා යොදා ගනී."
DocType: Sales Invoice Item,Sales Order Item,විකුණුම් සාමය අයිතමය
DocType: Salary Slip,Payment Days,ගෙවීම් දින
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,ළමා ශීර්ෂයන් සමඟ බඞු ගබඞාව ලෙජර් බවට පරිවර්තනය කළ නොහැකි
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,ළමා ශීර්ෂයන් සමඟ බඞු ගබඞාව ලෙජර් බවට පරිවර්තනය කළ නොහැකි
DocType: BOM,Manage cost of operations,මෙහෙයුම් පිරිවැය කළමනාකරණය
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","පරික්ෂා කර බැලූ ගනුදෙනු යම් "ඉදිරිපත්" කරන විට, ඊ-මේල්, උත්පතන ස්වයංක්රීයව ඇමුණුමක් ලෙස ගනුදෙනුව සමග, එම ගණුදෙනුවේ සම්බන්ධ "අමතන්න" වෙත ඊමේල් යැවීමට විවෘත කරන ලදී. පරිශීලකයාගේ හෝ ඊ-තැපැල් යැවීමට නොහැකි විය හැක."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,ගෝලීය සැකසුම්
DocType: Assessment Result Detail,Assessment Result Detail,තක්සේරු ප්රතිඵල විස්තර
DocType: Employee Education,Employee Education,සේවක අධ්යාපන
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,අයිතමය පිරිසක් වගුව සොයා ගෙන අනුපිටපත් අයිතමය පිරිසක්
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,එය අයිතමය විස්තර බැරිතැන අවශ්ය වේ.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,එය අයිතමය විස්තර බැරිතැන අවශ්ය වේ.
DocType: Salary Slip,Net Pay,ශුද්ධ වැටුප්
DocType: Account,Account,ගිණුම
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,අනු අංකය {0} දැනටමත් ලැබී ඇත
,Requested Items To Be Transferred,ඉල්ලන අයිතම මාරු කර
DocType: Expense Claim,Vehicle Log,වාහන ලොග්
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","පොත් ගබඩාව {0} ඕනෑම ගිණුමක් සම්බන්ධ නොවේ, කරුණාකර නිර්මාණ / අනුරූප (වත්කම්) ගිණුම් ගබඩාව සඳහා සබැඳී නොමැත."
DocType: Purchase Invoice,Recurring Id,පුනරාවර්තනය අංකය
DocType: Customer,Sales Team Details,විකුණුම් කණ්ඩායම විස්තර
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,ස්ථිර මකන්නද?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,ස්ථිර මකන්නද?
DocType: Expense Claim,Total Claimed Amount,මුළු හිමිකම් කියන අය මුදල
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,විකිණීම සඳහා ලබාදිය හැකි අවස්ථා.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},වලංගු නොවන {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,ලෙඩ නිවාඩු
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},වලංගු නොවන {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,ලෙඩ නිවාඩු
DocType: Email Digest,Email Digest,විද්යුත් Digest
DocType: Delivery Note,Billing Address Name,බිල්පත් ලිපිනය නම
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,වෙළෙඳ දෙපාර්තමේන්තු අටකින්
DocType: Warehouse,PIN,PIN අංකය
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,සැකසුම ERPNext ඔබේ පාසල්
DocType: Sales Invoice,Base Change Amount (Company Currency),මූලික වෙනස් ප්රමාණය (සමාගම ව්යවහාර මුදල්)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,පහත සඳහන් ගබඩා වෙනුවෙන් කිසිදු වගකීමක් සටහන් ඇතුළත් කිරීම්
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,පහත සඳහන් ගබඩා වෙනුවෙන් කිසිදු වගකීමක් සටහන් ඇතුළත් කිරීම්
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,පළමු ලිපිය සුරැකීම.
DocType: Account,Chargeable,"අයකරනු ලබන ගාස්තු,"
DocType: Company,Change Abbreviation,කෙටි යෙදුම් වෙනස්
@@ -4056,7 +4079,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,අපේක්ෂිත භාර දීම දිනය මිලදී ගැනීමේ නියෝගයක් දිනය පෙර විය නොහැකි
DocType: Appraisal,Appraisal Template,ඇගයීෙම් සැකිල්ල
DocType: Item Group,Item Classification,අයිතමය වර්ගීකරණය
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,ව්යාපාර සංවර්ධන කළමණාකරු
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,ව්යාපාර සංවර්ධන කළමණාකරු
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,නඩත්තු සංචාරය අරමුණ
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,කාලය
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,පොදු ලෙජරය
@@ -4066,8 +4089,8 @@
DocType: Item Attribute Value,Attribute Value,ගති ලක්ෂණය අගය
,Itemwise Recommended Reorder Level,Itemwise සීරුමාරු කිරීමේ පෙළ නිර්දේශිත
DocType: Salary Detail,Salary Detail,වැටුප් විස්තර
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,කරුණාකර පළමු {0} තෝරා
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,කණ්ඩායම {0} අයිතමය ක {1} කල් ඉකුත් වී ඇත.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,කරුණාකර පළමු {0} තෝරා
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,කණ්ඩායම {0} අයිතමය ක {1} කල් ඉකුත් වී ඇත.
DocType: Sales Invoice,Commission,කොමිසම
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,නිෂ්පාදන සඳහා කාලය පත්රය.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,උප ශීර්ෂයට
@@ -4078,6 +4101,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,'' කණ්ඩරාව කොටස් පැරණි Than` දින% d ට වඩා කුඩා විය යුතුය.
DocType: Tax Rule,Purchase Tax Template,මිලදී ගැනීම බදු සැකිල්ල
,Project wise Stock Tracking,ව්යාපෘති ප්රඥාවන්ත කොටස් ට්රැකින්
+DocType: GST HSN Code,Regional,කලාපීය
DocType: Stock Entry Detail,Actual Qty (at source/target),සැබෑ යවන ලද (මූල / ඉලක්ක දී)
DocType: Item Customer Detail,Ref Code,ref සංග්රහයේ
apps/erpnext/erpnext/config/hr.py +12,Employee records.,සේවක වාර්තා.
@@ -4088,13 +4112,13 @@
DocType: Email Digest,New Purchase Orders,නව මිලදී ගැනීමේ නියෝග
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,මූල දෙමාපියන් වියදම් මධ්යස්ථානය ලබා ගත නොහැකි
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,වෙළඳ නාමය තෝරන්න ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,පුහුණු සිදුවීම් / ප්රතිඵල
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,මත ලෙස සමුච්චිත ක්ෂය
DocType: Sales Invoice,C-Form Applicable,C-ආකෘතිය අදාල
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},"වේලාව මෙහෙයුම මෙහෙයුම {0} සඳහා, 0 ට වඩා වැඩි විය යුතුය"
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,පොත් ගබඩාව අනිවාර්ය වේ
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,පොත් ගබඩාව අනිවාර්ය වේ
DocType: Supplier,Address and Contacts,ලිපිනය සහ අප අමතන්න
DocType: UOM Conversion Detail,UOM Conversion Detail,UOM පරිවර්තනය විස්තර
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),100px (ඌ) විසින් වෙබ් හිතකාමී 900px (w) එය තබා ගන්න
DocType: Program,Program Abbreviation,වැඩසටහන කෙටි යෙදුම්
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,නිෂ්පාදන සාමය සඳහා අයිතමය සැකිල්ල එරෙහිව මතු කළ හැකි නොවේ
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,ගාස්තු එක් එක් අයිතමය එරෙහිව මිලදී ගැනීම රිසිට්පත යාවත්කාලීන වේ
@@ -4102,13 +4126,13 @@
DocType: Bank Guarantee,Start Date,ආරම්භක දිනය
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,කාලයක් සඳහා කොළ වෙන් කරමි.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,වැරදි ලෙස එළි පෙහෙළි චෙක්පත් සහ තැන්පතු
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,ගිණුම {0}: ඔබ මව් ගිණුම ලෙස ම යෙදිය නොහැක
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,ගිණුම {0}: ඔබ මව් ගිණුම ලෙස ම යෙදිය නොහැක
DocType: Purchase Invoice Item,Price List Rate,මිල ලැයිස්තුව අනුපාතිකය
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,පාරිභෝගික මිල කැඳවීම් නිර්මාණය
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",මෙම ගබඩා සංකීර්ණය ලබා ගත කොටස් මත පදනම් පෙන්වන්න "කොටස් වෙළඳ" හෝ "දී කොටස් නොවේ."
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),ද්රව්ය පනත් කෙටුම්පත (ලේඛණය)
DocType: Item,Average time taken by the supplier to deliver,ඉදිරිපත් කිරීමට සැපයුම්කරු විසින් ගන්නා සාමාන්ය කාලය
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,තක්සේරු ප්රතිඵල
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,තක්සේරු ප්රතිඵල
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,පැය
DocType: Project,Expected Start Date,අපේක්ෂිත ඇරඹුම් දිනය
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,චෝදනා අයිතමය අදාළ නොවේ නම් අයිතමය ඉවත් කරන්න
@@ -4122,25 +4146,24 @@
DocType: Workstation,Operating Costs,මෙහෙයුම් පිරිවැය
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,සමුච්චිත මාසික අයවැය කටයුතු කර ඉක්මවා
DocType: Purchase Invoice,Submit on creation,නිර්මානය කිරීම මත ඉදිරිපත්
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},{0} {1} විය යුතුය සඳහා ව්යවහාර මුදල්
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},{0} {1} විය යුතුය සඳහා ව්යවහාර මුදල්
DocType: Asset,Disposal Date,බැහැර කිරීමේ දිනය
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","විද්යුත් තැපැල් පණිවුඩ ඔවුන් නිවාඩු නැති නම්, ලබා දී ඇති පැයක දී සමාගමේ සියළු ක්රියාකාරී සේවක වෙත යවනු ලැබේ. ප්රතිචාර සාරාංශය මධ්යම රාත්රියේ යවනු ඇත."
DocType: Employee Leave Approver,Employee Leave Approver,සේවක නිවාඩු Approver
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},ෙරෝ {0}: ඇන් සීරුමාරු කිරීමේ ප්රවේශය දැනටමත් මෙම ගබඩා සංකීර්ණය {1} සඳහා පවතී
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},ෙරෝ {0}: ඇන් සීරුමාරු කිරීමේ ප්රවේශය දැනටමත් මෙම ගබඩා සංකීර්ණය {1} සඳහා පවතී
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","උද්ධෘත කර ඇති නිසා, අහිමි ලෙස ප්රකාශයට පත් කළ නොහැක."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,පුහුණු ඔබෙන් ලැබෙන ප්රයෝජනාත්මක ප්රතිචාරය
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,නිෂ්පාදන න්යාය {0} ඉදිරිපත් කළ යුතුය
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,නිෂ්පාදන න්යාය {0} ඉදිරිපත් කළ යුතුය
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},කරුණාකර විෂය {0} සඳහා ආරම්භය දිනය හා අවසාන දිනය තෝරා
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},පාඨමාලා පේළිය {0} අනිවාර්ය වේ
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,මේ දක්වා දින සිට පෙර විය නොහැකි
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,/ එක් කරන්න සංස්කරණය කරන්න මිල ගණන්
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,/ එක් කරන්න සංස්කරණය කරන්න මිල ගණන්
DocType: Batch,Parent Batch,මව් කණ්ඩායම
DocType: Batch,Parent Batch,මව් කණ්ඩායම
DocType: Cheque Print Template,Cheque Print Template,"එම ගාස්තුව මුදලින්, ෙචක්පතකින් මුද්රණය සැකිල්ල"
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,පිරිවැය මධ්යස්ථාන සටහන
,Requested Items To Be Ordered,ඉල්ලන අයිතම ඇණවුම් කළ යුතු
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,පොත් ගබඩාව සමාගම ගිණුම සමාගමක් ලෙස සමාන විය යුතුය
DocType: Price List,Price List Name,මිල ලැයිස්තුව නම
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},{0} සඳහා දෛනික වැඩ සාරාංශය
DocType: Employee Loan,Totals,එකතූන්
@@ -4162,55 +4185,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,වලංගු ජංගම දුරකථන අංක ඇතුලත් කරන්න
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,යැවීමට පෙර පණිවිඩය ඇතුලත් කරන්න
DocType: Email Digest,Pending Quotations,විභාග මිල ගණන්
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,පේදුරු-of-Sale විකිණීමට නරඹන්න
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,පේදුරු-of-Sale විකිණීමට නරඹන්න
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,කෙටි පණිවුඩ සැකසුම් යාවත්කාලීන කරන්න
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,අනාරක්ෂිත ණය
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,අනාරක්ෂිත ණය
DocType: Cost Center,Cost Center Name,වියදම මධ්යස්ථානය නම
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Timesheet එරෙහිව උපරිම වැඩ කරන පැය
DocType: Maintenance Schedule Detail,Scheduled Date,නියමිත දිනය
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,මුළු ගෙවුම් ඒඑම්ටී
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,මුළු ගෙවුම් ඒඑම්ටී
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,අකුරු 160 ට වඩා වැඩි පණිවිඩ කිහිපයක් පණිවුඩ බෙදී ඇත
DocType: Purchase Receipt Item,Received and Accepted,ලැබුණු හා පිළිගත්
+,GST Itemised Sales Register,GST අයිතමගත විකුණුම් රෙජිස්ටර්
,Serial No Service Contract Expiry,අනු අංකය සේවය කොන්ත්රාත්තුව කල් ඉකුත්
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,ඔබ එම ගිණුම එම අවස්ථාවේ දී ක්රෙඩිට් හා ඩෙබිට් නොහැකි
DocType: Naming Series,Help HTML,HTML උදව්
DocType: Student Group Creation Tool,Student Group Creation Tool,ශිෂ්ය කණ්ඩායම් නිර්මාණය මෙවලම
DocType: Item,Variant Based On,ප්රභේද්යයක් පදනම් මත
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},පවරා මුළු weightage 100% ක් විය යුතුය. එය {0} වේ
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,ඔබේ සැපයුම්කරුවන්
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,ඔබේ සැපයුම්කරුවන්
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,විකුණුම් සාමය සෑදී ලෙස ලොස්ට් ලෙස සිටුවම් කල නොහැක.
DocType: Request for Quotation Item,Supplier Part No,සැපයුම්කරු අඩ නොමැත
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',කාණ්ඩය තක්සේරු 'හෝ' Vaulation හා පූර්ණ 'සඳහා වන විට අඩු කර නොහැකි
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,සිට ලැබුණු
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,සිට ලැබුණු
DocType: Lead,Converted,පරිවර්තනය කරන
DocType: Item,Has Serial No,අනු අංකය ඇත
DocType: Employee,Date of Issue,නිකුත් කරන දිනය
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: {0} {1} සඳහා සිට
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","අර Buy සැකසුම් අනුව මිලදී ගැනීම Reciept අවශ්ය == 'ඔව්' නම් ගැනුම් නිර්මාණය කිරීම සඳහා, පරිශීලක අයිතමය {0} සඳහා පළමු මිලදී ගැනීම රිසිට්පත නිර්මාණය කිරීමට අවශ්ය නම්"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},ෙරෝ # {0}: අයිතමය සඳහා සැපයුම්කරු සකසන්න {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,ෙරෝ {0}: පැය අගය බිංදුවට වඩා වැඩි විය යුතුය.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,වෙබ් අඩවිය රූප {0} අයිතමය අනුයුක්ත {1} සොයාගත නොහැකි
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,වෙබ් අඩවිය රූප {0} අයිතමය අනුයුක්ත {1} සොයාගත නොහැකි
DocType: Issue,Content Type,අන්තර්ගතයේ වර්ගය
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,පරිගණක
DocType: Item,List this Item in multiple groups on the website.,එම වෙබ් අඩවිය බහු කණ්ඩායම් ෙමම අයිතමය ලැයිස්තුගත කරන්න.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,වෙනත් ව්යවහාර මුදල් ගිණුම් ඉඩ බහු ව්යවහාර මුදල් විකල්පය කරුණාකර පරීක්ෂා කරන්න
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,අයිතමය: {0} පද්ධතිය තුළ නොපවතියි
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,ඔබ ශීත කළ අගය නියම කිරීමට අවසර නැත
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,අයිතමය: {0} පද්ධතිය තුළ නොපවතියි
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,ඔබ ශීත කළ අගය නියම කිරීමට අවසර නැත
DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled අයැදුම්පත් ලබා ගන්න
DocType: Payment Reconciliation,From Invoice Date,ඉන්වොයිසිය දිනය
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,බිල්පත් මුදල් එක්කෝ පෙරනිමි comapany ගේ මුදල් පක්ෂයක් හෝ ගිණුමක් මුදල සමාන විය යුතුයි
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,හැකි ඥාතීන් නොවන තබන්න
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,එය කරන්නේ කුමක්ද?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,බිල්පත් මුදල් එක්කෝ පෙරනිමි comapany ගේ මුදල් පක්ෂයක් හෝ ගිණුමක් මුදල සමාන විය යුතුයි
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,හැකි ඥාතීන් නොවන තබන්න
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,එය කරන්නේ කුමක්ද?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,ගබඩා කිරීමට
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,සියලු ශිෂ්ය ප්රවේශ
,Average Commission Rate,සාමාන්ය කොමිසම අනුපාතිකය
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,'තිබෙනවාද අනු අංකය' නොවන කොටස් අයිතමය සඳහා 'ඔව්' විය නොහැකිය
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'තිබෙනවාද අනු අංකය' නොවන කොටස් අයිතමය සඳහා 'ඔව්' විය නොහැකිය
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,පැමිණීම අනාගත දිනයන් සඳහා සලකුණු කල නොහැක
DocType: Pricing Rule,Pricing Rule Help,මිල ගණන් පාලනය උදවු
DocType: School House,House Name,හවුස් නම
DocType: Purchase Taxes and Charges,Account Head,ගිණුම් අංශයේ ප්රධානී
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,භාණ්ඩ ගොඩ බස්වන ලදී පිරිවැය ගණනය කිරීමට අතිරේක වියදම් යාවත්කාලීන
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,විදුලි
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,විදුලි
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,ඔබේ පරිශීලකයන් ලෙස ඔබගේ සංවිධානය සෙසු එකතු කරන්න. ඔබ ද අප අමතන්න ඔවුන් එකතු කිරීම මඟින් ඔබගේ භාව්ත කිරීමට ගනුදෙනුකරුවන් ආරාධනා එකතු කල හැක
DocType: Stock Entry,Total Value Difference (Out - In),(- දී අතරින්) මුළු අගය වෙනස
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,ෙරෝ {0}: විනිමය අනුපාතය අනිවාර්ය වේ
@@ -4220,7 +4245,7 @@
DocType: Item,Customer Code,පාරිභෝගික සංග්රහයේ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},{0} සඳහා උපන් දිනය මතක්
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,පසුගිය සාමය නිසා දින
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,ගිණුමක් සඳහා ඩෙබිට් වූ ශේෂ පත්රය ගිණුමක් විය යුතුය
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,ගිණුමක් සඳහා ඩෙබිට් වූ ශේෂ පත්රය ගිණුමක් විය යුතුය
DocType: Buying Settings,Naming Series,ශ්රේණි අනුප්රාප්තිකයා නම් කිරීම
DocType: Leave Block List,Leave Block List Name,"අවසරය, වාරණ ලැයිස්තුව නම"
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,රක්ෂණ අරඹන්න දිනය රක්ෂණ අවසාන දිනය වඩා අඩු විය යුතුය
@@ -4235,27 +4260,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},සේවක වැටුප් පුරවා {0} දැනටමත් කාල පත්රය {1} සඳහා නිර්මාණය
DocType: Vehicle Log,Odometer,Odometer
DocType: Sales Order Item,Ordered Qty,නියෝග යවන ලද
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,අයිතමය {0} අක්රීය කර ඇත
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,අයිතමය {0} අක්රීය කර ඇත
DocType: Stock Settings,Stock Frozen Upto,කොටස් ශීත කළ තුරුත්
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,ද්රව්ය ලේඛණය ඕනෑම කොටස් අයිතමය අඩංගු නොවේ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,ද්රව්ය ලේඛණය ඕනෑම කොටස් අයිතමය අඩංගු නොවේ
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},සිට හා කාලය {0} නැවත නැවත අනිවාර්ය දින සඳහා කාලය
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,ව්යාපෘති ක්රියාකාරකම් / කටයුත්තක්.
DocType: Vehicle Log,Refuelling Details,Refuelling විස්තර
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,වැටුප ලංකා අන්තර් බැංකු ගෙවීම් පද්ධතිය උත්පාදනය
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","අදාළ සඳහා {0} ලෙස තෝරා ගන්නේ නම් මිලට ගැනීම, පරීක්ෂා කළ යුතු"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","අදාළ සඳහා {0} ලෙස තෝරා ගන්නේ නම් මිලට ගැනීම, පරීක්ෂා කළ යුතු"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,වට්ටමක් 100 කට වඩා අඩු විය යුතු
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,පසුගිය මිලදී අනුපාතය සොයාගත නොහැකි
DocType: Purchase Invoice,Write Off Amount (Company Currency),Off ලියන්න ප්රමාණය (සමාගම ව්යවහාර මුදල්)
DocType: Sales Invoice Timesheet,Billing Hours,බිල්පත් පැය
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,{0} සොයාගත නොහැකි සඳහා පෙරනිමි ද්රව්ය ලේඛණය
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,ෙරෝ # {0}: කරුණාකර සකස් මොහොත ප්රමාණය
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,ෙරෝ # {0}: කරුණාකර සකස් මොහොත ප්රමාණය
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,භාණ්ඩ ඒවා මෙහි එකතු කරන්න තට්ටු කරන්න
DocType: Fees,Program Enrollment,වැඩසටහන ඇතුළත්
DocType: Landed Cost Voucher,Landed Cost Voucher,වියදම වවුචරයක් ගොඩ බස්වන ලදී
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},කරුණාකර {0} සකස්
DocType: Purchase Invoice,Repeat on Day of Month,මාසික දිනය දා නැවත නැවත
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} අක්රීය ශිෂ්යාවක්
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} අක්රීය ශිෂ්යාවක්
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} අක්රීය ශිෂ්යාවක්
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} අක්රීය ශිෂ්යාවක්
DocType: Employee,Health Details,සෞඛ්ය තොරතුරු
DocType: Offer Letter,Offer Letter Terms,ඉල්ලුමට ලිපිය කොන්දේසි
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,ගෙවීම් ඉල්ලීම් යොමු ලියවිල්ලක් අවශ්ය නිර්මාණය කිරීමට
@@ -4277,7 +4302,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","උදාහරණය:. ABCD ##### මාලාවක් සකස් කරන අතර අනු අංකය ගනුදෙනු සඳහන් කර නැත, එසේ නම් ස්වයංක්රීය අනුක්රමික අංකය මෙම ලිපි මාලාවේ පාදක කරගෙන නිර්මාණය කරනු ලැබේ නම්. ඔබ හැම විටම සඳහන් පැහැදිලිවම අනු අංක මෙම අයිතමය සඳහා කිරීමට අවශ්ය නම්. මෙය හිස්ව තබන්න."
DocType: Upload Attendance,Upload Attendance,පැමිණීම උඩුගත
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,ද්රව්ය ලේඛණය හා නිෂ්පාදන ප්රමාණය අවශ්ය වේ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,ද්රව්ය ලේඛණය හා නිෂ්පාදන ප්රමාණය අවශ්ය වේ
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,වයස්ගතවීම රංගේ 2
DocType: SG Creation Tool Course,Max Strength,මැක්ස් ශක්තිය
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,ද්රව්ය ලේඛණය වෙනුවට
@@ -4287,8 +4312,8 @@
,Prospects Engaged But Not Converted,බලාපොරොත්තු නියැලෙන එහෙත් පරිවර්තනය නොවේ
DocType: Manufacturing Settings,Manufacturing Settings,නිෂ්පාදන සැකසුම්
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,විද්යුත් සකස් කිරීම
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 ජංගම නොමැත
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,සමාගම මාස්ටර් පෙරනිමි මුදල් ඇතුලත් කරන්න
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 ජංගම නොමැත
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,සමාගම මාස්ටර් පෙරනිමි මුදල් ඇතුලත් කරන්න
DocType: Stock Entry Detail,Stock Entry Detail,කොටස් Entry විස්තර
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,ඩේලි සිහිගැන්වීම්
DocType: Products Settings,Home Page is Products,මුල් පිටුව නිෂ්පාදන වේ
@@ -4297,7 +4322,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,නව ගිණුම නම
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,", අමු ද්රව්ය පිරිවැය සපයා"
DocType: Selling Settings,Settings for Selling Module,විකිණීම මොඩියුලය සඳහා සැකසුම්
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,පාරිභෝගික සේවය
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,පාරිභෝගික සේවය
DocType: BOM,Thumbnail,සිඟිති-රූපය
DocType: Item Customer Detail,Item Customer Detail,අයිතමය පාරිභෝගික විස්තර
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,අපේක්ෂකයා රැකියා ඉදිරිපත් කිරීම.
@@ -4306,7 +4331,7 @@
DocType: Pricing Rule,Percentage,ප්රතිශතය
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,අයිතමය {0} කොටස් අයිතමය විය යුතුය
DocType: Manufacturing Settings,Default Work In Progress Warehouse,ප්රගති ගබඩා දී පෙරනිමි වැඩ
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,ගිණුම්කරණ ගනුදෙනු සඳහා පෙරනිමි සැකසුම්.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,ගිණුම්කරණ ගනුදෙනු සඳහා පෙරනිමි සැකසුම්.
DocType: Maintenance Visit,MV,මහා විද්යාලය
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,අපේක්ෂිත දිනය ද්රව්ය ඉල්ලීම දිනය පෙර විය නොහැකි
DocType: Purchase Invoice Item,Stock Qty,කොටස් යවන ලද
@@ -4319,10 +4344,10 @@
DocType: Sales Order,Printing Details,මුද්රණ විස්තර
DocType: Task,Closing Date,අවසන් දිනය
DocType: Sales Order Item,Produced Quantity,ඉදිරිපත් ප්රමාණ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,ඉංජිනේරු
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,ඉංජිනේරු
DocType: Journal Entry,Total Amount Currency,මුළු මුදල ව්යවහාර මුදල්
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,සොයන්න උප එක්රැස්වීම්
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},ෙරෝ නැත {0} හි අවශ්ය අයිතමය සංග්රහයේ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},ෙරෝ නැත {0} හි අවශ්ය අයිතමය සංග්රහයේ
DocType: Sales Partner,Partner Type,සහකරු වර්ගය
DocType: Purchase Taxes and Charges,Actual,සැබෑ
DocType: Authorization Rule,Customerwise Discount,Customerwise වට්ටම්
@@ -4339,11 +4364,11 @@
DocType: Item Reorder,Re-Order Level,නැවත සාමය පෙළ
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,භාණ්ඩ ඇතුලත් කරන්න සහ ඔබ නිෂ්පාදන ඇනවුම් මතු හෝ විශ්ලේෂණ සඳහා අමුද්රව්ය බාගත කිරීම සඳහා අවශ්ය සඳහා යවන ලද සැලසුම් කළා.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt සටහන
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,අර්ධ කාලීන
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,අර්ධ කාලීන
DocType: Employee,Applicable Holiday List,අදාළ නිවාඩු ලැයිස්තුව
DocType: Employee,Cheque,චෙක් පත
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,මාලාවක් යාවත්කාලීන කිරීම
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,වර්ගය වාර්තාව අනිවාර්ය වේ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,වර්ගය වාර්තාව අනිවාර්ය වේ
DocType: Item,Serial Number Series,අනු අංකය ශ්රේණි
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},පොත් ගබඩාව පේළිය කොටස් අයිතමය {0} සඳහා අනිවාර්ය වේ {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,සිල්ලර සහ ෙතොග ෙවළඳ
@@ -4365,7 +4390,7 @@
DocType: BOM,Materials,ද්රව්ය
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","සලකුණු කර නැත නම්, ලැයිස්තුව ඉල්ලුම් කළ යුතු වේ එහිදී එක් එක් දෙපාර්තමේන්තුව වෙත එකතු කිරීමට සිදු වනු ඇත."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,මූලාශ්රය සහ ඉලක්ක ගබඩාව සමාන විය නොහැකි
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,"දිනය සහ වෙබ් අඩවියේ කාලය ගිය තැන, ශ්රී ලංකා තැපෑල අනිවාර්ය වේ"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,"දිනය සහ වෙබ් අඩවියේ කාලය ගිය තැන, ශ්රී ලංකා තැපෑල අනිවාර්ය වේ"
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,ගනුදෙනු මිලට ගැනීම සඳහා බදු ආකෘතියකි.
,Item Prices,අයිතමය මිල ගණන්
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,ඔබ මිලදී ගැනීමේ නියෝගය බේරා වරක් වචන දෘශ්යමාන වනු ඇත.
@@ -4375,22 +4400,23 @@
DocType: Purchase Invoice,Advance Payments,ගෙවීම් ඉදිරියට
DocType: Purchase Taxes and Charges,On Net Total,ශුද්ධ මුළු මත
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Attribute {0} අයිතමය {4} සඳහා {1} {3} යන වැටුප් වර්ධක තුළ {2} දක්වා පරාසය තුළ විය යුතුය වටිනාකමක්
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,පේළියේ ඉලක්ක ගබඩා සංකීර්ණය {0} නිෂ්පාදන න්යාය ලෙස සමාන විය යුතුයි
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,පේළියේ ඉලක්ක ගබඩා සංකීර්ණය {0} නිෂ්පාදන න්යාය ලෙස සමාන විය යුතුයි
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,'නිවේදනය විද්යුත් ලිපිනයන්'% s නැවත නැවත සඳහා නිශ්චිතව දක්වා නැති
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,ව්යවහාර මුදල් ෙවනත් මුදල් භාවිතා සටහන් කිරීමෙන් පසුව එය වෙනස් කළ නොහැක
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,ව්යවහාර මුදල් ෙවනත් මුදල් භාවිතා සටහන් කිරීමෙන් පසුව එය වෙනස් කළ නොහැක
DocType: Vehicle Service,Clutch Plate,ක්ලච් ප්ලේට්
DocType: Company,Round Off Account,වටයේ ගිණුම අක්රිය
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,පරිපාලන වියදම්
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,පරිපාලන වියදම්
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,උපදේශන
DocType: Customer Group,Parent Customer Group,මව් කස්ටමර් සමූහයේ
DocType: Purchase Invoice,Contact Email,අප අමතන්න විද්යුත්
DocType: Appraisal Goal,Score Earned,ලකුණු උපයා
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,දැනුම්දීමේ කාල පරිච්ඡේදය
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,දැනුම්දීමේ කාල පරිච්ඡේදය
DocType: Asset Category,Asset Category Name,වත්කම් ප්රවර්ගය නම
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,මෙය මූල භූමියක් සහ සංස්කරණය කළ නොහැක.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,නව විකුණුම් පුද්ගලයා නම
DocType: Packing Slip,Gross Weight UOM,දළ බර UOM
DocType: Delivery Note Item,Against Sales Invoice,විකුණුම් ඉන්වොයිසිය එරෙහිව
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,serialized අයිතමය සඳහා අනුක්රමික අංක ඇතුලත් කරන්න
DocType: Bin,Reserved Qty for Production,නිෂ්පාදන සඳහා ඇවිරිනි යවන ලද
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,ඔබ මත පාඨමාලා කණ්ඩායම් ඇති කරමින් කණ්ඩායම සලකා බැලීමට අවශ්ය නැති නම් පරීක්ෂාවෙන් තොරව තබන්න.
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,ඔබ මත පාඨමාලා කණ්ඩායම් ඇති කරමින් කණ්ඩායම සලකා බැලීමට අවශ්ය නැති නම් පරීක්ෂාවෙන් තොරව තබන්න.
@@ -4399,25 +4425,25 @@
DocType: Landed Cost Item,Landed Cost Item,ඉඩම් හිමි වියදම අයිතමය
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,ශුන්ය අගයන් පෙන්වන්න
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,නිෂ්පාදන / අමු ද්රව්ය ලබා රාශි වෙතින් නැවත ඇසුරුම්කර පසු ලබා අයිතමය ප්රමාණය
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Setup මගේ සංවිධානය කිරීම සඳහා සරල වෙබ් අඩවිය
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Setup මගේ සංවිධානය කිරීම සඳහා සරල වෙබ් අඩවිය
DocType: Payment Reconciliation,Receivable / Payable Account,ලැබිය යුතු / ගෙවිය යුතු ගිණුම්
DocType: Delivery Note Item,Against Sales Order Item,විකුණුම් සාමය අයිතමය එරෙහිව
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},විශේෂණය {0} සඳහා අගය ආරෝපණය සඳහන් කරන්න
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},විශේෂණය {0} සඳහා අගය ආරෝපණය සඳහන් කරන්න
DocType: Item,Default Warehouse,පෙරනිමි ගබඩාව
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},අයවැය සමූහ ගිණුම {0} එරෙහිව පවරා ගත නොහැකි
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,මව් වියදම් මධ්යස්ථානය ඇතුලත් කරන්න
DocType: Delivery Note,Print Without Amount,මුදල තොරව මුද්රණය
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,ක්ෂය දිනය
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,බදු ප්රවර්ගය සියලු අයිතම වශයෙන් 'තක්සේරු' හෝ 'තක්සේරු හා පූර්ණ' විය නොහැකිය නොවන කොටස් භාණ්ඩ සඳහා
DocType: Issue,Support Team,සහාය කණ්ඩායම
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),කල් ඉකුත් වීමේ (දින දී)
DocType: Appraisal,Total Score (Out of 5),මුළු ලකුණු (5 න්)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,කණ්ඩායම
+DocType: Student Attendance Tool,Batch,කණ්ඩායම
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,ශේෂ
DocType: Room,Seating Capacity,ආසන සංඛ්යාව
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),(වියදම් හිමිකම් හරහා) මුළු වියදම් හිමිකම්
+DocType: GST Settings,GST Summary,GST සාරාංශය
DocType: Assessment Result,Total Score,මුළු ලකුණු
DocType: Journal Entry,Debit Note,හර සටහන
DocType: Stock Entry,As per Stock UOM,කොටස් UOM අනුව
@@ -4429,12 +4455,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,පෙරනිමි භාණ්ඩ ගබඩා නිමි
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,විකුණුම් පුද්ගලයෙක්
DocType: SMS Parameter,SMS Parameter,කෙටි පණිවුඩ පරාමිති
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,අයවැය සහ වියදම මධ්යස්ථානය
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,අයවැය සහ වියදම මධ්යස්ථානය
DocType: Vehicle Service,Half Yearly,අර්ධ වාර්ෂිකව
DocType: Lead,Blog Subscriber,බ්ලොග් ග්රාහකයා
DocType: Guardian,Alternate Number,විකල්ප අංකය
DocType: Assessment Plan Criteria,Maximum Score,උපරිම ලකුණු
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,අගය පාදක කර ගනුදෙනු සීමා කිරීමට නීති රීති නිර්මාණය කරන්න.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,සමූහ Roll නොමැත
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,ඔබ වසරකට සිසුන් කණ්ඩායම් කරන්න නම් හිස්ව තබන්න
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,ඔබ වසරකට සිසුන් කණ්ඩායම් කරන්න නම් හිස්ව තබන්න
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","පරීක්ෂා, සමස්ත කිසිදු නම්. වැඩ කරන දින වල නිවාඩු දින ඇතුලත් වනු ඇත, සහ මෙම වැටුප එක් දිනය අගය අඩු වනු ඇත"
@@ -4454,6 +4481,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,මෙය මේ පාරිභෝගික එරෙහිව ගනුදෙනු මත පදනම් වේ. විස්තර සඳහා පහත කාල සටහනකට බලන්න
DocType: Supplier,Credit Days Based On,ක්රෙඩිට් දිනවලදී පදනම්
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},ෙරෝ {0}: වෙන් කළ මුදල {1} ගෙවීම් සටහන් ප්රමාණය {2} වඩා අඩු හෝ සමාන විය යුතුයි
+,Course wise Assessment Report,පාඨමාලා නැණවත් ඇගයීම් වාර්තාව
DocType: Tax Rule,Tax Rule,බදු පාලනය
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,විකුණුම් පාපැදි පුරාම එකම අනුපාත පවත්වා
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,වර්ක්ස්ටේෂන් වැඩ කරන වේලාවන් පිටත කාලය ලඝු-සටහන් සඳහා සැලසුම් කරන්න.
@@ -4462,7 +4490,7 @@
,Items To Be Requested,අයිතම ඉල්ලන කිරීමට
DocType: Purchase Order,Get Last Purchase Rate,ලබා ගන්න අවසන් මිලදී ගැනීම අනුපාත
DocType: Company,Company Info,සමාගම තොරතුරු
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,නව පාරිභෝගික තෝරා ගැනීමට හෝ එකතු
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,නව පාරිභෝගික තෝරා ගැනීමට හෝ එකතු
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,වියදම් මධ්යස්ථානය ක වියදමක් ප්රකාශය වෙන්කර ගැනීමට අවශ්ය වේ
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),අරමුදල් ඉල්ලුම් පත්රය (වත්කම්)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,මෙය මේ සේවක පැමිණීම මත පදනම් වේ
@@ -4470,27 +4498,29 @@
DocType: Fiscal Year,Year Start Date,වසරේ ආරම්භක දිනය
DocType: Attendance,Employee Name,සේවක නම
DocType: Sales Invoice,Rounded Total (Company Currency),වටකුරු එකතුව (සමාගම ව්යවහාර මුදල්)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,ගිණුම් වර්ගය තෝරා නිසා සමූහ සමාගම සැරසේ නොහැක.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,ගිණුම් වර්ගය තෝරා නිසා සමූහ සමාගම සැරසේ නොහැක.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} වෙනස් කර ඇත. නැවුම් කරන්න.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,පහත සඳහන් දිනවල නිවාඩු ඉල්ලුම් කිරීමෙන් පරිශීලකයන් එක නතර කරන්න.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,මිලදී ගැනීම මුදල
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,සැපයුම්කරු උද්ධෘත {0} නිර්මාණය
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,අවසන් වසර ආරම්භය අවුරුද්දට පෙර විය නොහැකි
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,සේවක ප්රතිලාභ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,සේවක ප්රතිලාභ
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},හැකිළු ප්රමාණය පේළිය {1} තුළ අයිතමය {0} සඳහා ප්රමාණය සමාන විය යුතුය
DocType: Production Order,Manufactured Qty,නිෂ්පාදනය යවන ලද
DocType: Purchase Receipt Item,Accepted Quantity,පිළිගත් ප්රමාණ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},සේවක {0} හෝ සමාගම සඳහා පෙරනිමි නිවාඩු ලැයිස්තු සකස් කරුණාකර {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} පවතී නැත
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} පවතී නැත
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,තේරීම් කණ්ඩායම අංක
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,ගනුදෙනුකරුවන් වෙත මතු බිල්පත්.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,ව්යාපෘති අංකය
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},ෙරෝ නැත {0}: ප්රමාණය වියදම් හිමිකම් {1} එරෙහිව මුදල තෙක් ට වඩා වැඩි විය නොහැක. විභාග මුදල වේ {2}
DocType: Maintenance Schedule,Schedule,උපෙල්ඛනෙය්
DocType: Account,Parent Account,මව් ගිණුම
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,ඇත
DocType: Quality Inspection Reading,Reading 3,කියවීම 3
,Hub,මධ්යස්ථානයක්
DocType: GL Entry,Voucher Type,වවුචරය වර්ගය
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,මිල ලැයිස්තුව සොයා හෝ ආබාධිත නොවන
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,මිල ලැයිස්තුව සොයා හෝ ආබාධිත නොවන
DocType: Employee Loan Application,Approved,අනුමත
DocType: Pricing Rule,Price,මිල
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0} 'වමේ' ලෙස සකස් කළ යුතු ය මත මුදා සේවක
@@ -4501,7 +4531,8 @@
DocType: Selling Settings,Campaign Naming By,ව්යාපාරය විසින් නම් කිරීම
DocType: Employee,Current Address Is,දැනට පදිංචි ලිපිනය
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,වෙනස්
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","විකල්ප. සමාගමේ පෙරනිමි මුදල්, නිශ්චිතව දක්වා නැති නම් සකසනු ලබයි."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","විකල්ප. සමාගමේ පෙරනිමි මුදල්, නිශ්චිතව දක්වා නැති නම් සකසනු ලබයි."
+DocType: Sales Invoice,Customer GSTIN,පාරිභෝගික GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,මුල්ය සඟරාව සටහන් ඇතුළත් කිරීම්.
DocType: Delivery Note Item,Available Qty at From Warehouse,ලබා ගත හැකි යවන ලද පොත් ගබඩාව සිට දී
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,කරුණාකර සේවක වාර්තා පළමු තෝරන්න.
@@ -4509,7 +4540,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ෙරෝ {0}: පක්ෂය / ගිණුම් {3} {4} තුළ {1} / {2} සමග නොගැලපේ
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,ගෙවීමේ ගිණුම් ඇතුලත් කරන්න
DocType: Account,Stock,කොටස්
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ෙරෝ # {0}: විමර්ශන ලේඛන වර්ගය මිලදී ගැනීමේ නියෝගයක්, මිලදී ගැනීම ඉන්වොයිසිය හෝ ජර්නල් Entry එකක් විය යුතුය"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ෙරෝ # {0}: විමර්ශන ලේඛන වර්ගය මිලදී ගැනීමේ නියෝගයක්, මිලදී ගැනීම ඉන්වොයිසිය හෝ ජර්නල් Entry එකක් විය යුතුය"
DocType: Employee,Current Address,වර්තමාන ලිපිනය
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","නිශ්චිත ලෙස නම් අයිතමය තවත් අයිතමය ක ප්රභේද්යයක් කරනවා නම් විස්තර, ප්රතිරූපය, මිල ගණන්, බදු ආදිය සැකිල්ල සිට ස්ථාපනය කරනු ලබන"
DocType: Serial No,Purchase / Manufacture Details,මිලදී ගැනීම / නිෂ්පාදනය විස්තර
@@ -4522,8 +4553,8 @@
DocType: Pricing Rule,Min Qty,යි යවන ලද
DocType: Asset Movement,Transaction Date,ගනුදෙනු දිනය
DocType: Production Plan Item,Planned Qty,සැලසුම්ගත යවන ලද
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,මුළු බදු
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,ප්රමාණ සඳහා (නිශ්පාදිත යවන ලද) අනිවාර්ය වේ
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,මුළු බදු
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,ප්රමාණ සඳහා (නිශ්පාදිත යවන ලද) අනිවාර්ය වේ
DocType: Stock Entry,Default Target Warehouse,පෙරනිමි ඉලක්ක ගබඩාව
DocType: Purchase Invoice,Net Total (Company Currency),ශුද්ධ එකතුව (සමාගම ව්යවහාර මුදල්)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,වසර අවසාන දිනය වසරේ ආරම්භය දිනය වඩා කලින් විය නොහැක. දින වකවානු නිවැරදි කර නැවත උත්සාහ කරන්න.
@@ -4537,15 +4568,12 @@
DocType: Hub Settings,Hub Settings,මධ්යස්ථානයක් සැකසුම්
DocType: Project,Gross Margin %,දළ ආන්තිකය%
DocType: BOM,With Operations,මෙහෙයුම් සමග
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,මුල්ය සටහන් ඇතුළත් කිරීම් මේ වන විටත් සමාගම {1} සඳහා මුදල් {0} තුළ සිදු කර ඇත. මුදල් {0} සමග කරුණාකර ලැබිය හෝ ගෙවිය යුතු ගිණුම් තෝරන්න.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,මුල්ය සටහන් ඇතුළත් කිරීම් මේ වන විටත් සමාගම {1} සඳහා මුදල් {0} තුළ සිදු කර ඇත. මුදල් {0} සමග කරුණාකර ලැබිය හෝ ගෙවිය යුතු ගිණුම් තෝරන්න.
DocType: Asset,Is Existing Asset,දැනට පවතින වත්කම් වේ
DocType: Salary Detail,Statistical Component,සංඛ්යාන සංරචක
DocType: Salary Detail,Statistical Component,සංඛ්යාන සංරචක
-,Monthly Salary Register,මාසික වැටුප් රෙජිස්ටර්
DocType: Warranty Claim,If different than customer address,පාරිභෝගික ලිපිනය වඩා වෙනස් නම්
DocType: BOM Operation,BOM Operation,ද්රව්ය ලේඛණය මෙහෙයුම
-DocType: School Settings,Validate the Student Group from Program Enrollment,වැඩසටහන ඇතුලත් සිට ශිෂ්ය සමූහය තහවුරු කර
-DocType: School Settings,Validate the Student Group from Program Enrollment,වැඩසටහන ඇතුලත් සිට ශිෂ්ය සමූහය තහවුරු කර
DocType: Purchase Taxes and Charges,On Previous Row Amount,පසුගිය ෙරෝ මුදල මත
DocType: Student,Home Address,නිවසේ ලිපිනය
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,වත්කම් මාරු
@@ -4553,28 +4581,27 @@
DocType: Training Event,Event Name,අවස්ථාවට නම
apps/erpnext/erpnext/config/schools.py +39,Admission,ඇතුළත් කර
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},{0} සඳහා ප්රවේශ
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","අයවැය සැකසීම සඳහා යමක සෘතුමය බලපෑම, ඉලක්ක ආදිය"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","අයිතමය {0} සැකිලි වේ, කරුණාකර එහි විවිධ එකක් තෝරන්න"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","අයවැය සැකසීම සඳහා යමක සෘතුමය බලපෑම, ඉලක්ක ආදිය"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","අයිතමය {0} සැකිලි වේ, කරුණාකර එහි විවිධ එකක් තෝරන්න"
DocType: Asset,Asset Category,වත්කම් ප්රවර්ගය
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,ගැනුම්කරුට
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,ශුද්ධ වැටුප් සෘණ විය නොහැකි
DocType: SMS Settings,Static Parameters,ස්ථිතික පරාමිතීන්
DocType: Assessment Plan,Room,කාමරය
DocType: Purchase Order,Advance Paid,උසස් ගෙවුම්
DocType: Item,Item Tax,අයිතමය බදු
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,සැපයුම්කරු ද්රව්යමය
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,සුරාබදු ඉන්වොයිසිය
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,සුරාබදු ඉන්වොයිසිය
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% වරකට වඩා පෙනී
DocType: Expense Claim,Employees Email Id,සේවක විද්යුත් අංකය
DocType: Employee Attendance Tool,Marked Attendance,කැපී පෙනෙන පැමිණීම
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,ජංගම වගකීම්
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,ජංගම වගකීම්
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,ඔබගේ සම්බන්ධතා මහජන SMS යවන්න
DocType: Program,Program Name,වැඩසටහන නම
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,සඳහා බදු හෝ භාර සලකා බලන්න
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,සැබෑ යවන ලද අනිවාර්ය වේ
DocType: Employee Loan,Loan Type,ණය වර්ගය
DocType: Scheduling Tool,Scheduling Tool,අවස මෙවලම
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,ණයවර පත
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,ණයවර පත
DocType: BOM,Item to be manufactured or repacked,අයිතමය නිෂ්පාදිත හෝ repacked කිරීමට
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,කොටස් ගනුදෙනු සඳහා පෙරනිමි සැකසුම්.
DocType: Purchase Invoice,Next Date,ඊළඟ දිනය
@@ -4590,10 +4617,10 @@
DocType: Stock Entry,Repack,අනූපම
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,ඔබ ඉදිරියට යෑමට පෙර ස්වරූපයෙන් සුරකින්න යුතුය
DocType: Item Attribute,Numeric Values,සංඛ්යාත්මක අගයන්
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,ලාංඡනය අමුණන්න
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,ලාංඡනය අමුණන්න
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,කොටස් පෙළ
DocType: Customer,Commission Rate,කොමිසම අනුපාතිකය
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,ප්රභේද්යයක් කරන්න
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,ප්රභේද්යයක් කරන්න
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,දෙපාර්තමේන්තුව විසින් නිවාඩු අයදුම්පත් අවහිර කරයි.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","ගෙවීම් වර්ගය පිළිගන්න එකක් විය යුතුය, වැටුප් හා අභ තර ස්ථ"
apps/erpnext/erpnext/config/selling.py +179,Analytics,විශ්ලේෂණ
@@ -4601,45 +4628,45 @@
DocType: Vehicle,Model,ආදර්ශ
DocType: Production Order,Actual Operating Cost,සැබෑ මෙහෙයුම් පිරිවැය
DocType: Payment Entry,Cheque/Reference No,"එම ගාස්තුව මුදලින්, ෙචක්පතකින් / ෙයොමු අංකය"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,මූල සංස්කරණය කල නොහැක.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,මූල සංස්කරණය කල නොහැක.
DocType: Item,Units of Measure,නු ඒකක
DocType: Manufacturing Settings,Allow Production on Holidays,නිවාඩු දින නිෂ්පාදන ඉඩ දෙන්න
DocType: Sales Order,Customer's Purchase Order Date,පාරිභෝගික මිලදී ගැනීමේ නියෝගයක් දිනය
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,කැපිටල් කොටස්
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,කැපිටල් කොටස්
DocType: Shopping Cart Settings,Show Public Attachments,රාජ්ය ඇමුණුම් පෙන්වන්න
DocType: Packing Slip,Package Weight Details,පැකේජය සිරුරේ බර විස්තර
DocType: Payment Gateway Account,Payment Gateway Account,ගෙවීම් ගේට්වේ ගිණුම
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,ගෙවීම් අවසන් කිරීමෙන් පසු තෝරාගත් පිටුවට පරිශීලක වි.
DocType: Company,Existing Company,දැනට පවතින සමාගම
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",සියලු අයිතම-කොටස් නොවන භාණ්ඩ නිසා බදු ප්රවර්ගය "මුළු" ලෙස වෙනස් කර ඇත
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,කරුණාකර CSV ගොනුවක් තෝරා
DocType: Student Leave Application,Mark as Present,වර්තමාන ලෙස ලකුණ
DocType: Purchase Order,To Receive and Bill,පිළිගන්න සහ පනත් කෙටුම්පත
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,විශේෂාංග නිෂ්පාදන
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,නිර්මාණකරුවා
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,නිර්මාණකරුවා
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,නියමයන් හා කොන්දේසි සැකිල්ල
DocType: Serial No,Delivery Details,සැපයුම් විස්තර
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},වර්ගය {1} සඳහා බදු පේළියක {0} පිරිවැය මධ්යස්ථානය අවශ්ය වේ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},වර්ගය {1} සඳහා බදු පේළියක {0} පිරිවැය මධ්යස්ථානය අවශ්ය වේ
DocType: Program,Program Code,වැඩසටහන සංග්රහයේ
DocType: Terms and Conditions,Terms and Conditions Help,නියමයන් හා කොන්දේසි උදවු
,Item-wise Purchase Register,අයිතමය ප්රඥාවන්ත මිලදී ගැනීම රෙජිස්ටර්
DocType: Batch,Expiry Date,කල්පිරෙන දිනය
-,Supplier Addresses and Contacts,සැපයුම්කරු ලිපිනයන් සහ අප අමතන්න
,accounts-browser,ගිණුම්-බ්රවුසරය
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,කරුණාකර පළමු ප්රවර්ගය තෝරන්න
apps/erpnext/erpnext/config/projects.py +13,Project master.,ව්යාපෘති ස්වාමියා.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","අධික ලෙස බිල් ෙහෝ අධික ලෙස ඇනවුම් කිරීම කොටස් සැකසුම් හෝ විෂය තුළ, යාවත්කාලීන "දීමනාව" ඉඩ."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","අධික ලෙස බිල් ෙහෝ අධික ලෙස ඇනවුම් කිරීම කොටස් සැකසුම් හෝ විෂය තුළ, යාවත්කාලීන "දීමනාව" ඉඩ."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,මුදල් ලබන $ ආදිය මෙන් කිසිදු සංකේතයක් පෙන්වන්න එපා.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(අඩක් දිනය)
DocType: Supplier,Credit Days,ක්රෙඩිට් දින
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,ශිෂ්ය කණ්ඩායම කරන්න
DocType: Leave Type,Is Carry Forward,ඉදිරියට ගෙන ඇත
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,ද්රව්ය ලේඛණය සිට අයිතම ලබා ගන්න
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,ද්රව්ය ලේඛණය සිට අයිතම ලබා ගන්න
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,ඉදිරියට ඇති කාලය දින
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},"ෙරෝ # {0}: ගිය තැන, ශ්රී ලංකා තැපෑල දිනය මිලදී දිනය ලෙස සමාන විය යුතුය {1} වත්කම් {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},"ෙරෝ # {0}: ගිය තැන, ශ්රී ලංකා තැපෑල දිනය මිලදී දිනය ලෙස සමාන විය යුතුය {1} වත්කම් {2}"
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,ඉහත වගුවේ විකුණුම් නියෝග ඇතුලත් කරන්න
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,වැටුප් ශ්රී ලංකා අන්තර් බැංකු ගෙවීම් පද්ධතිය ඉදිරිපත් නොවන
,Stock Summary,කොටස් සාරාංශය
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,එක් ගබඩාවක් තවත් සම්පතක් මාරු
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,එක් ගබඩාවක් තවත් සම්පතක් මාරු
DocType: Vehicle,Petrol,පෙට්රල්
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,ද්රව්ය බිල
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},ෙරෝ {0}: පක්ෂය වර්ගය හා පක්ෂ ලැබිය / ගෙවිය යුතු ගිණුම් {1} සඳහා අවශ්ය
@@ -4650,6 +4677,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,අනුමැතිය ලත් මුදල
DocType: GL Entry,Is Opening,විවෘත වේ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},ෙරෝ {0}: හර සටහන ඇති {1} සමග සම්බන්ධ විය නොහැකි
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,ගිණුම {0} නොපවතියි
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,ගිණුම {0} නොපවතියි
DocType: Account,Cash,මුදල්
DocType: Employee,Short biography for website and other publications.,වෙබ් අඩවිය සහ අනෙකුත් ප්රකාශන සඳහා කෙටි චරිතාපදානය.
diff --git a/erpnext/translations/sk.csv b/erpnext/translations/sk.csv
index e9ddf9b..f2d1e16 100644
--- a/erpnext/translations/sk.csv
+++ b/erpnext/translations/sk.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Zákaznícke produkty
DocType: Item,Customer Items,Zákazník položky
DocType: Project,Costing and Billing,Kalkulácia a fakturácia
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Účet {0}: Nadřazený účet {1} nemůže být hlavní kniha
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Účet {0}: Nadřazený účet {1} nemůže být hlavní kniha
DocType: Item,Publish Item to hub.erpnext.com,Publikování položku do hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,E-mailová upozornění
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,ohodnotenie
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,ohodnotenie
DocType: Item,Default Unit of Measure,Predvolená merná jednotka
DocType: SMS Center,All Sales Partner Contact,Všechny Partneři Kontakt
DocType: Employee,Leave Approvers,Nechte schvalovatelů
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Exchange Rate musí byť rovnaká ako {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Meno zákazníka
DocType: Vehicle,Natural Gas,Zemný plyn
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Bankový účet nemôže byť menovaný ako {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Bankový účet nemôže byť menovaný ako {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Heads (nebo skupiny), proti nimž účetní zápisy jsou vyrobeny a stav je veden."
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Vynikající pro {0} nemůže být nižší než nula ({1})
DocType: Manufacturing Settings,Default 10 mins,Predvolené 10 min
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Vše Dodavatel Kontakt
DocType: Support Settings,Support Settings,nastavenie podporných
DocType: SMS Parameter,Parameter,Parametr
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,"Očakávané Dátum ukončenia nemôže byť nižšia, než sa očakávalo dáta začatia"
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,"Očakávané Dátum ukončenia nemôže byť nižšia, než sa očakávalo dáta začatia"
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"Riadok # {0}: Cena musí byť rovnaké, ako {1}: {2} ({3} / {4})"
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,New Leave Application
,Batch Item Expiry Status,Batch Item Zánik Status
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Bank Návrh
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Bank Návrh
DocType: Mode of Payment Account,Mode of Payment Account,Způsob platby účtu
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Zobraziť Varianty
DocType: Academic Term,Academic Term,akademický Term
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Materiál
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Množstvo
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Účty tabuľka nemôže byť prázdne.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Úvěry (závazky)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Úvěry (závazky)
DocType: Employee Education,Year of Passing,Rok Passing
DocType: Item,Country of Origin,Krajina pôvodu
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,Na skladě
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,Na skladě
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,otvorené problémy
DocType: Production Plan Item,Production Plan Item,Výrobní program Item
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Uživatel {0} je již přiřazena k Employee {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Péče o zdraví
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Oneskorenie s platbou (dni)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,service Expense
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Sériové číslo: {0} už je uvedené vo faktúre predaja: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Sériové číslo: {0} už je uvedené vo faktúre predaja: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Faktúra
DocType: Maintenance Schedule Item,Periodicity,Periodicita
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Fiškálny rok {0} je vyžadovaná
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Řádek # {0}:
DocType: Timesheet,Total Costing Amount,Celková kalkulácie Čiastka
DocType: Delivery Note,Vehicle No,Vozidle
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,"Prosím, vyberte Ceník"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,"Prosím, vyberte Ceník"
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Riadok # {0}: Platba dokument je potrebné na dokončenie trasaction
DocType: Production Order Operation,Work In Progress,Work in Progress
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,"Prosím, vyberte dátum"
DocType: Employee,Holiday List,Dovolená Seznam
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Účtovník
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Účtovník
DocType: Cost Center,Stock User,Sklad Užívateľ
DocType: Company,Phone No,Telefon
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Plány kurzu vytvoril:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Nový {0}: # {1}
,Sales Partners Commission,Obchodní partneři Komise
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Zkratka nesmí mít více než 5 znaků
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Zkratka nesmí mít více než 5 znaků
DocType: Payment Request,Payment Request,Platba Dopyt
DocType: Asset,Value After Depreciation,Hodnota po odpisoch
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,Dátum návštevnosť nemôže byť nižšia ako spojovacie dáta zamestnanca
DocType: Grading Scale,Grading Scale Name,Stupnica Name
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,To je kořen účtu a nelze upravovat.
+DocType: Sales Invoice,Company Address,Adresa spoločnosti
DocType: BOM,Operations,Operace
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Nelze nastavit oprávnění na základě Sleva pro {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Pripojiť CSV súbor s dvomi stĺpci, jeden pre starý názov a jeden pre nový názov"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} žiadnym aktívnym fiškálny rok.
DocType: Packed Item,Parent Detail docname,Parent Detail docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Odkaz: {0}, Kód položky: {1} a zákazník: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Kg
DocType: Student Log,Log,log
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Otevření o zaměstnání.
DocType: Item Attribute,Increment,Prírastok
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Reklama
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Rovnaký Spoločnosť je zapísaná viac ako raz
DocType: Employee,Married,Ženatý
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Nepovolené pre {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Nepovolené pre {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Získať predmety z
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Sklad nelze aktualizovat na dodací list {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Sklad nelze aktualizovat na dodací list {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produkt {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Nie sú uvedené žiadne položky
DocType: Payment Reconciliation,Reconcile,Srovnat
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Vedľa Odpisy dátum nemôže byť pred nákupom Dátum
DocType: SMS Center,All Sales Person,Všichni obchodní zástupci
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Mesačný Distribúcia ** umožňuje distribuovať Rozpočet / Target celé mesiace, ak máte sezónnosti vo vašej firme."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,nenájdený položiek
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,nenájdený položiek
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Plat Štruktúra Chýbajúce
DocType: Lead,Person Name,Osoba Meno
DocType: Sales Invoice Item,Sales Invoice Item,Prodejní faktuře položka
DocType: Account,Credit,Úvěr
DocType: POS Profile,Write Off Cost Center,Odepsat nákladové středisko
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",napríklad "Základná škola" alebo "univerzita"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",napríklad "Základná škola" alebo "univerzita"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,stock Reports
DocType: Warehouse,Warehouse Detail,Sklad Detail
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Úvěrový limit byla překročena o zákazníka {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Úvěrový limit byla překročena o zákazníka {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Termínovaný Dátum ukončenia nemôže byť neskôr ako v roku Dátum ukončenia akademického roka, ku ktorému termín je spojená (akademický rok {}). Opravte dáta a skúste to znova."
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Je Fixed Asset" nemôže byť bez povšimnutia, pretože existuje Asset záznam proti položke"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Je Fixed Asset" nemôže byť bez povšimnutia, pretože existuje Asset záznam proti položke"
DocType: Vehicle Service,Brake Oil,Brake Oil
DocType: Tax Rule,Tax Type,Typ dane
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Nejste oprávněni přidávat nebo aktualizovat údaje před {0}
DocType: BOM,Item Image (if not slideshow),Item Image (ne-li slideshow)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Zákazník existuje se stejným názvem
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Hodina Rate / 60) * Skutočná Prevádzková doba
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,select BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,select BOM
DocType: SMS Log,SMS Log,SMS Log
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Náklady na dodávaných výrobků
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Dovolenka na {0} nie je medzi Dátum od a do dnešného dňa
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Od {0} do {1}
DocType: Item,Copy From Item Group,Kopírovat z bodu Group
DocType: Journal Entry,Opening Entry,Otevření Entry
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Zákazník> Zákaznícka skupina> Územie
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Účet Pay Iba
DocType: Employee Loan,Repay Over Number of Periods,Splatiť Over počet období
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} nie je zapísaná v danom {2}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} nie je zapísaná v danom {2}
DocType: Stock Entry,Additional Costs,Dodatočné náklady
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Účet s transakcemi nelze převést na skupinu.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Účet s transakcemi nelze převést na skupinu.
DocType: Lead,Product Enquiry,Dotaz Product
DocType: Academic Term,Schools,školy
+DocType: School Settings,Validate Batch for Students in Student Group,Overenie dávky pre študentov v študentskej skupine
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Žiadny záznam dovolenka nájdené pre zamestnancov {0} na {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Prosím, nejprave zadejte společnost"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,"Prosím, vyberte první firma"
@@ -175,50 +176,50 @@
DocType: BOM,Total Cost,Celkové náklady
DocType: Journal Entry Account,Employee Loan,zamestnanec Loan
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Aktivita Log:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,Bod {0} neexistuje v systému nebo vypršela
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Bod {0} neexistuje v systému nebo vypršela
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Nemovitost
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Výpis z účtu
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Farmaceutické
DocType: Purchase Invoice Item,Is Fixed Asset,Je dlhodobého majetku
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","K dispozícii je množstvo {0}, musíte {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","K dispozícii je množstvo {0}, musíte {1}"
DocType: Expense Claim Detail,Claim Amount,Nárok Částka
-DocType: Employee,Mr,Pan
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Duplicitné skupinu zákazníkov uvedené v tabuľke na knihy zákazníkov skupiny
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Dodavatel Typ / dovozce
DocType: Naming Series,Prefix,Prefix
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Spotrebný materiál
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Spotrebný materiál
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Záznam importu
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Vytiahnite Materiál Žiadosť typu Výroba na základe vyššie uvedených kritérií
DocType: Training Result Employee,Grade,stupeň
DocType: Sales Invoice Item,Delivered By Supplier,Dodáva sa podľa dodávateľa
DocType: SMS Center,All Contact,Vše Kontakt
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Zákazková výroba už vytvorili u všetkých položiek s BOM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Ročné Plat
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Zákazková výroba už vytvorili u všetkých položiek s BOM
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Ročné Plat
DocType: Daily Work Summary,Daily Work Summary,Denná práca Súhrn
DocType: Period Closing Voucher,Closing Fiscal Year,Uzavření fiskálního roku
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} je zmrazený
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Vyberte existujúci spoločnosti pre vytváranie účtový rozvrh
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Stock Náklady
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} je zmrazený
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Vyberte existujúci spoločnosti pre vytváranie účtový rozvrh
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Stock Náklady
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Vyberte položku Target Warehouse
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Vyberte položku Target Warehouse
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,"Prosím, zadajte Preferred Kontaktný e-mail"
+DocType: Program Enrollment,School Bus,Školský autobus
DocType: Journal Entry,Contra Entry,Contra Entry
DocType: Journal Entry Account,Credit in Company Currency,Úverové spoločnosti v mene
DocType: Delivery Note,Installation Status,Stav instalace
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Chcete aktualizovať dochádzku? <br> Súčasná: {0} \ <br> Prítomných {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Schválené + Zamietnuté množstvo sa musí rovnať Prijatému množstvu pre položku {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Schválené + Zamietnuté množstvo sa musí rovnať Prijatému množstvu pre položku {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Dodávky suroviny pre nákup
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,pre POS faktúru je nutná aspoň jeden spôsob platby.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,pre POS faktúru je nutná aspoň jeden spôsob platby.
DocType: Products Settings,Show Products as a List,Zobraziť produkty ako zoznam
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Stáhněte si šablony, vyplňte potřebné údaje a přiložte upravený soubor.
Všechny termíny a zaměstnanec kombinaci ve zvoleném období přijde v šabloně, se stávajícími evidence docházky"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,"Bod {0} není aktivní, nebo byl dosažen konec života"
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Príklad: Základné Mathematics
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Chcete-li zahrnout daně na řádku v poměru Položka {0}, daně v řádcích {1} musí být zahrnuty"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,"Bod {0} není aktivní, nebo byl dosažen konec života"
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Príklad: Základné Mathematics
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Chcete-li zahrnout daně na řádku v poměru Položka {0}, daně v řádcích {1} musí být zahrnuty"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Nastavenie modulu HR
DocType: SMS Center,SMS Center,SMS centrum
DocType: Sales Invoice,Change Amount,zmena Suma
@@ -228,7 +229,7 @@
DocType: Lead,Request Type,Typ požadavku
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,urobiť zamestnanca
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Vysílání
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Provedení
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Provedení
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Podrobnosti o prováděných operací.
DocType: Serial No,Maintenance Status,Status Maintenance
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Dodávateľ je potrebná proti zaplatení účtu {2}
@@ -256,7 +257,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Žiadosť o cenovú ponuku je možné pristupovať kliknutím na nasledujúci odkaz
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Přidělit listy za rok.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG nástroj pre tvorbu ihriská
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,nedostatočná Sklad
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,nedostatočná Sklad
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Zakázať Plánovanie kapacít a Time Tracking
DocType: Email Digest,New Sales Orders,Nové Prodejní objednávky
DocType: Bank Guarantee,Bank Account,Bankový účet
@@ -267,8 +268,9 @@
DocType: Production Order Operation,Updated via 'Time Log',"Aktualizováno přes ""Time Log"""
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Množstvo vopred nemôže byť väčšia ako {0} {1}
DocType: Naming Series,Series List for this Transaction,Řada seznam pro tuto transakci
+DocType: Company,Enable Perpetual Inventory,Povoliť trvalý inventár
DocType: Company,Default Payroll Payable Account,"Predvolené mzdy, splatnú Account"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Aktualizácia e-Group
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Aktualizácia e-Group
DocType: Sales Invoice,Is Opening Entry,Je vstupní otvor
DocType: Customer Group,Mention if non-standard receivable account applicable,Zmienka v prípade neštandardnej pohľadávky účet použiteľná
DocType: Course Schedule,Instructor Name,inštruktor Name
@@ -280,13 +282,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Proti položce vydané faktury
,Production Orders in Progress,Zakázka na výrobu v Progress
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Čistý peňažný tok z financovania
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","Miestne úložisko je plná, nezachránil"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","Miestne úložisko je plná, nezachránil"
DocType: Lead,Address & Contact,Adresa a kontakt
DocType: Leave Allocation,Add unused leaves from previous allocations,Pridať nevyužité listy z predchádzajúcich prídelov
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Další Opakující {0} bude vytvořen na {1}
DocType: Sales Partner,Partner website,webové stránky Partner
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Pridať položku
-,Contact Name,Kontakt Meno
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Kontakt Meno
DocType: Course Assessment Criteria,Course Assessment Criteria,Hodnotiace kritériá kurz
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Vytvoří výplatní pásku na výše uvedených kritérií.
DocType: POS Customer Group,POS Customer Group,POS Customer Group
@@ -295,18 +297,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Bez popisu
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Žádost o koupi.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,To je založené na časových výkazov vytvorených proti tomuto projektu
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Čistý Pay nemôže byť nižšia ako 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Čistý Pay nemôže byť nižšia ako 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Pouze vybraný Leave schvalovač může podat této dovolené aplikaci
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Uvolnění Datum musí být větší než Datum spojování
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Listy za rok
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Listy za rok
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Row {0}: Zkontrolujte ""Je Advance"" proti účtu {1}, pokud je to záloha záznam."
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Sklad {0} nepatří ke společnosti {1}
DocType: Email Digest,Profit & Loss,Profit & Loss
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,liter
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,liter
DocType: Task,Total Costing Amount (via Time Sheet),Celková kalkulácie Čiastka (cez Time Sheet)
DocType: Item Website Specification,Item Website Specification,Položka webových stránek Specifikace
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Nechte Blokováno
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Položka {0} dosáhla konce své životnosti na {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Položka {0} dosáhla konce své životnosti na {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,bankový Príspevky
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Roční
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Reklamní Odsouhlasení Item
@@ -314,9 +316,9 @@
DocType: Material Request Item,Min Order Qty,Min Objednané množství
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Študent Group Creation Tool ihrisko
DocType: Lead,Do Not Contact,Nekontaktujte
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,"Ľudia, ktorí vyučujú vo vašej organizácii"
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,"Ľudia, ktorí vyučujú vo vašej organizácii"
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Unikátní ID pro sledování všech opakující faktury. To je generován na odeslat.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Software Developer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software Developer
DocType: Item,Minimum Order Qty,Minimální objednávka Množství
DocType: Pricing Rule,Supplier Type,Dodavatel Type
DocType: Course Scheduling Tool,Course Start Date,Začiatok Samozrejme Dátum
@@ -325,11 +327,11 @@
DocType: Item,Publish in Hub,Publikovat v Hub
DocType: Student Admission,Student Admission,študent Vstupné
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Položka {0} je zrušená
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Položka {0} je zrušená
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Požadavek na materiál
DocType: Bank Reconciliation,Update Clearance Date,Aktualizace Výprodej Datum
DocType: Item,Purchase Details,Nákup Podrobnosti
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Položka {0} nebol nájdený v "suroviny dodanej" tabuľky v objednávke {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Položka {0} nebol nájdený v "suroviny dodanej" tabuľky v objednávke {1}
DocType: Employee,Relation,Vztah
DocType: Shipping Rule,Worldwide Shipping,Celosvetovo doprava
DocType: Student Guardian,Mother,matka
@@ -348,6 +350,7 @@
DocType: Student Group Student,Student Group Student,Študent Skupina Student
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Najnovšie
DocType: Vehicle Service,Inspection,inšpekcia
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,zoznam
DocType: Email Digest,New Quotations,Nové Citace
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,"E-maily výplatnej páske, aby zamestnanci na základe prednostného e-mailu vybraného v zamestnaneckých"
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,První Leave schvalovač v seznamu bude nastaven jako výchozí Leave schvalujícího
@@ -356,20 +359,20 @@
DocType: Asset,Next Depreciation Date,Vedľa Odpisy Dátum
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Náklady na činnosť na jedného zamestnanca
DocType: Accounts Settings,Settings for Accounts,Nastavenie Účtovníctva
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Dodávateľské faktúry No existuje vo faktúre {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Dodávateľské faktúry No existuje vo faktúre {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Správa obchodník strom.
DocType: Job Applicant,Cover Letter,Sprievodný list
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Vynikajúci Šeky a vklady s jasnými
DocType: Item,Synced With Hub,Synchronizovány Hub
DocType: Vehicle,Fleet Manager,fleet manager
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Riadok # {0}: {1} nemôže byť negatívne na {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Zlé Heslo
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Zlé Heslo
DocType: Item,Variant Of,Varianta
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',"Dokončené množství nemůže být větší než ""Množství do výroby"""
DocType: Period Closing Voucher,Closing Account Head,Závěrečný účet hlava
DocType: Employee,External Work History,Vnější práce History
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Kruhové Referenčné Chyba
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Meno Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Meno Guardian1
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"Ve slovech (export) budou viditelné, jakmile uložíte doručení poznámku."
DocType: Cheque Print Template,Distance from left edge,Vzdialenosť od ľavého okraja
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} jednotiek [{1}] (# Form / bodu / {1}) bola nájdená v [{2}] (# Form / sklad / {2})
@@ -378,11 +381,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Upozornit e-mailem na tvorbu automatických Materiál Poptávka
DocType: Journal Entry,Multi Currency,Viac mien
DocType: Payment Reconciliation Invoice,Invoice Type,Typ faktúry
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Dodací list
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Dodací list
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Nastavenie Dane
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Náklady predaných aktív
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,"Vstup Platba byla změněna poté, co ji vytáhl. Prosím, vytáhněte ji znovu."
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} vložené dvakrát v Daňovej Položke
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Vstup Platba byla změněna poté, co ji vytáhl. Prosím, vytáhněte ji znovu."
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} vložené dvakrát v Daňovej Položke
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Zhrnutie pre tento týždeň a prebiehajúcim činnostiam
DocType: Student Applicant,Admitted,"pripustil,"
DocType: Workstation,Rent Cost,Rent Cost
@@ -401,25 +404,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Prosím, zadejte ""Opakujte dne měsíce"" hodnoty pole"
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Sazba, za kterou je zákazník měny převeden na zákazníka základní měny"
DocType: Course Scheduling Tool,Course Scheduling Tool,Samozrejme Plánovanie Tool
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Riadok # {0}: faktúry nemožno vykonať voči existujúcemu aktívu {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Riadok # {0}: faktúry nemožno vykonať voči existujúcemu aktívu {1}
DocType: Item Tax,Tax Rate,Sadzba dane
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} už pridelené pre zamestnancov {1} na dobu {2} až {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Select Položka
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Přijatá faktura {0} je již odeslána
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Přijatá faktura {0} je již odeslána
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},"Row # {0}: Batch No musí byť rovnaké, ako {1} {2}"
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Previesť na non-Group
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Batch (lot) položky.
DocType: C-Form Invoice Detail,Invoice Date,Dátum fakturácie
DocType: GL Entry,Debit Amount,Debetné Suma
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Tam môže byť len 1 účet na spoločnosti v {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,"Prosím, viz příloha"
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Tam môže byť len 1 účet na spoločnosti v {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,"Prosím, viz příloha"
DocType: Purchase Order,% Received,% Prijaté
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Vytvorenie skupiny študentov
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Setup již dokončen !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Výška úverovej poznámky
,Finished Goods,Hotové zboží
DocType: Delivery Note,Instructions,Instrukce
DocType: Quality Inspection,Inspected By,Zkontrolován
DocType: Maintenance Visit,Maintenance Type,Typ Maintenance
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} nie je zapísaný do kurzu {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Pořadové číslo {0} není součástí dodávky Poznámka: {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Pridať položky
@@ -442,7 +447,7 @@
DocType: Request for Quotation,Request for Quotation,Žiadosť o cenovú ponuku
DocType: Salary Slip Timesheet,Working Hours,Pracovní doba
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Změnit výchozí / aktuální pořadové číslo existujícího série.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Vytvoriť nový zákazník
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Vytvoriť nový zákazník
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Je-li více pravidla pro tvorbu cen i nadále přednost, jsou uživatelé vyzváni k nastavení priority pro vyřešení konfliktu."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,vytvorenie objednávok
,Purchase Register,Nákup Register
@@ -454,7 +459,7 @@
DocType: Student Log,Medical,Lékařský
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Důvod ztráty
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Olovo Majiteľ nemôže byť rovnaký ako olovo
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,Pridelená suma nemôže väčšie ako množstvo neupravené
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,Pridelená suma nemôže väčšie ako množstvo neupravené
DocType: Announcement,Receiver,prijímač
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation je uzavřena v následujících dnech podle Prázdninový Seznam: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Príležitosti
@@ -468,8 +473,7 @@
DocType: Assessment Plan,Examiner Name,Meno Examiner
DocType: Purchase Invoice Item,Quantity and Rate,Množstvo a Sadzba
DocType: Delivery Note,% Installed,% Inštalovaných
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učebne / etc laboratória, kde môžu byť naplánované prednášky."
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dodávateľ> Typ dodávateľa
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učebne / etc laboratória, kde môžu byť naplánované prednášky."
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,"Prosím, zadajte najprv názov spoločnosti"
DocType: Purchase Invoice,Supplier Name,Dodavatel Name
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Prečítajte si ERPNext Manuál
@@ -479,7 +483,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,"Skontrolujte, či dodávateľské faktúry Počet Jedinečnosť"
DocType: Vehicle Service,Oil Change,výmena oleja
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.',"""Do Prípadu č ' nesmie byť menší ako ""Od Prípadu č '"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Non Profit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Non Profit
DocType: Production Order,Not Started,Nezahájené
DocType: Lead,Channel Partner,Channel Partner
DocType: Account,Old Parent,Staré nadřazené
@@ -490,20 +494,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globální nastavení pro všechny výrobní procesy.
DocType: Accounts Settings,Accounts Frozen Upto,Účty Frozen aľ
DocType: SMS Log,Sent On,Poslán na
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Atribút {0} vybraný niekoľkokrát v atribútoch tabuľke
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Atribút {0} vybraný niekoľkokrát v atribútoch tabuľke
DocType: HR Settings,Employee record is created using selected field. ,Záznam Zaměstnanec je vytvořena pomocí vybrané pole.
DocType: Sales Order,Not Applicable,Nehodí se
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Holiday master.
DocType: Request for Quotation Item,Required Date,Požadovaná data
DocType: Delivery Note,Billing Address,Fakturační adresa
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,"Prosím, zadejte kód položky."
DocType: BOM,Costing,Rozpočet
DocType: Tax Rule,Billing County,fakturácia County
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Je-li zaškrtnuto, bude částka daně považovat za již zahrnuty v tisku Rate / Tisk Částka"
DocType: Request for Quotation,Message for Supplier,Správa pre dodávateľov
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Celkem Množství
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,ID e-mailu Guardian2
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,ID e-mailu Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,ID e-mailu Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,ID e-mailu Guardian2
DocType: Item,Show in Website (Variant),Show na web (Variant)
DocType: Employee,Health Concerns,Zdravotní Obavy
DocType: Process Payroll,Select Payroll Period,Vyberte mzdové
@@ -521,26 +524,28 @@
DocType: Sales Order Item,Used for Production Plan,Používá se pro výrobní plán
DocType: Employee Loan,Total Payment,celkové platby
DocType: Manufacturing Settings,Time Between Operations (in mins),Doba medzi operáciou (v min)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} je zrušená, takže akciu nemožno dokončiť"
DocType: Customer,Buyer of Goods and Services.,Kupující zboží a služeb.
DocType: Journal Entry,Accounts Payable,Účty za úplatu
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Vybrané kusovníky nie sú rovnaké položky
DocType: Pricing Rule,Valid Upto,Valid aľ
DocType: Training Event,Workshop,Dielňa
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,"Vypíšte zopár svojich zákazníkov. Môžu to byť organizácie, ale aj jednotlivci."
-,Enough Parts to Build,Dosť Časti vybudovať
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Přímý příjmů
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,"Vypíšte zopár svojich zákazníkov. Môžu to byť organizácie, ale aj jednotlivci."
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Dosť Časti vybudovať
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Přímý příjmů
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Nelze filtrovat na základě účtu, pokud seskupeny podle účtu"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Správní ředitel
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Vyberte možnosť Kurz
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Vyberte možnosť Kurz
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Správní ředitel
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Vyberte možnosť Kurz
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Vyberte možnosť Kurz
DocType: Timesheet Detail,Hrs,hod
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,"Prosím, vyberte Company"
DocType: Stock Entry Detail,Difference Account,Rozdíl účtu
+DocType: Purchase Invoice,Supplier GSTIN,Dodávateľ GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,"Nedá zatvoriť úloha, ako jeho závislý úloha {0} nie je uzavretý."
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"Prosím, zadejte sklad, který bude materiál žádosti předložené"
DocType: Production Order,Additional Operating Cost,Další provozní náklady
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kosmetika
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Chcete-li sloučit, tyto vlastnosti musí být stejné pro obě položky"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Chcete-li sloučit, tyto vlastnosti musí být stejné pro obě položky"
DocType: Shipping Rule,Net Weight,Hmotnost
DocType: Employee,Emergency Phone,Nouzový telefon
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,kúpiť
@@ -550,14 +555,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Definujte stupeň pre prah 0%
DocType: Sales Order,To Deliver,Dodať
DocType: Purchase Invoice Item,Item,Položka
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Sériovej žiadna položka nemôže byť zlomkom
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Sériovej žiadna položka nemôže byť zlomkom
DocType: Journal Entry,Difference (Dr - Cr),Rozdíl (Dr - Cr)
DocType: Account,Profit and Loss,Zisky a ztráty
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Správa Subdodávky
DocType: Project,Project will be accessible on the website to these users,Projekt bude k dispozícii na webových stránkach k týmto užívateľom
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,"Sazba, za kterou Ceník měna je převedena na společnosti základní měny"
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Účet {0} nepatří k firmě: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Skratka už použitý pre inú spoločnosť
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Účet {0} nepatří k firmě: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Skratka už použitý pre inú spoločnosť
DocType: Selling Settings,Default Customer Group,Výchozí Customer Group
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Je-li zakázat, ""zaokrouhlí celková"" pole nebude viditelný v jakékoli transakce"
DocType: BOM,Operating Cost,Provozní náklady
@@ -565,7 +570,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Prírastok nemôže byť 0
DocType: Production Planning Tool,Material Requirement,Materiál Požadavek
DocType: Company,Delete Company Transactions,Zmazať transakcií Company
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Referenčné číslo a referenčný dátum je povinný pre bankové transakcie
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Referenčné číslo a referenčný dátum je povinný pre bankové transakcie
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Přidat / Upravit daní a poplatků
DocType: Purchase Invoice,Supplier Invoice No,Dodávateľská faktúra č
DocType: Territory,For reference,Pro srovnání
@@ -576,22 +581,22 @@
DocType: Installation Note Item,Installation Note Item,Poznámka k instalaci bod
DocType: Production Plan Item,Pending Qty,Čakajúci Množstvo
DocType: Budget,Ignore,Ignorovat
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} nie je aktívny
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} nie je aktívny
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS poslal do nasledujúcich čísel: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,Skontrolujte nastavenie rozmery pre tlač
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Skontrolujte nastavenie rozmery pre tlač
DocType: Salary Slip,Salary Slip Timesheet,Plat Slip časový rozvrh
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Dodavatel Warehouse povinné pro subdodavatelskou doklad o zakoupení
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Dodavatel Warehouse povinné pro subdodavatelskou doklad o zakoupení
DocType: Pricing Rule,Valid From,Platnost od
DocType: Sales Invoice,Total Commission,Celkem Komise
DocType: Pricing Rule,Sales Partner,Sales Partner
DocType: Buying Settings,Purchase Receipt Required,Příjmka je vyžadována
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,"Ocenenie Rate je povinné, ak zadaná počiatočným stavom zásob"
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,"Ocenenie Rate je povinné, ak zadaná počiatočným stavom zásob"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Nalezené v tabulce faktury Žádné záznamy
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Vyberte první společnost a Party Typ
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Finanční / Účetní rok.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Finanční / Účetní rok.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,neuhradená Hodnoty
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Je nám líto, sériových čísel nelze sloučit"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Ujistěte se prodejní objednávky
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Ujistěte se prodejní objednávky
DocType: Project Task,Project Task,Úloha Project
,Lead Id,Id Obchodnej iniciatívy
DocType: C-Form Invoice Detail,Grand Total,Celkem
@@ -608,7 +613,7 @@
DocType: Job Applicant,Resume Attachment,Resume Attachment
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Verní zákazníci
DocType: Leave Control Panel,Allocate,Přidělit
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Sales Return
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Sales Return
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Poznámka: Celkový počet alokovaných listy {0} by nemala byť menšia ako ktoré už boli schválené listy {1} pre obdobie
DocType: Announcement,Posted By,Pridané
DocType: Item,Delivered by Supplier (Drop Ship),Dodáva Dodávateľom (Drop Ship)
@@ -618,8 +623,8 @@
DocType: Quotation,Quotation To,Ponuka k
DocType: Lead,Middle Income,Středními příjmy
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Otvor (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Východzí merná jednotka bodu {0} nemôže byť zmenená priamo, pretože ste už nejaké transakcie (y) s iným nerozpustených. Budete musieť vytvoriť novú položku použiť iný predvolený UOM."
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Přidělená částka nemůže být záporná
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Východzí merná jednotka bodu {0} nemôže byť zmenená priamo, pretože ste už nejaké transakcie (y) s iným nerozpustených. Budete musieť vytvoriť novú položku použiť iný predvolený UOM."
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Přidělená částka nemůže být záporná
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Nastavte spoločnosť
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Nastavte spoločnosť
DocType: Purchase Order Item,Billed Amt,Účtovaného Amt
@@ -632,7 +637,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,"Vybrať Platobný účet, aby Bank Entry"
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Vytvoriť Zamestnanecké záznamy pre správu listy, vyhlásenia o výdavkoch a miezd"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Pridať do Knowledge Base
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Návrh Psaní
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Návrh Psaní
DocType: Payment Entry Deduction,Payment Entry Deduction,Platba Vstup dedukcie
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Ďalšia predaja osoba {0} existuje s rovnakým id zamestnanca
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Ak je zaškrtnuté, suroviny pre položky, ktoré sú subdodávateľsky budú zahrnuté v materiáli Žiadosti"
@@ -647,7 +652,7 @@
DocType: Batch,Batch Description,Popis Šarže
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Vytváranie študentských skupín
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Vytváranie študentských skupín
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Platobná brána účet nevytvorili, prosím, vytvorte ručne."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Platobná brána účet nevytvorili, prosím, vytvorte ručne."
DocType: Sales Invoice,Sales Taxes and Charges,Prodej Daně a poplatky
DocType: Employee,Organization Profile,Profil organizace
DocType: Student,Sibling Details,súrodenec Podrobnosti
@@ -669,11 +674,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Čistá Zmena stavu zásob
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Zamestnanec úveru Vedenie
DocType: Employee,Passport Number,Číslo pasu
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Súvislosť s Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Manažér
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Súvislosť s Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Manažér
DocType: Payment Entry,Payment From / To,Platba od / do
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nový úverový limit je nižšia ako aktuálna dlžnej čiastky za zákazníka. Úverový limit musí byť aspoň {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Stejný bod byl zadán vícekrát.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nový úverový limit je nižšia ako aktuálna dlžnej čiastky za zákazníka. Úverový limit musí byť aspoň {0}
DocType: SMS Settings,Receiver Parameter,Přijímač parametrů
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""Založené na"" a ""Zoskupené podľa"", nemôžu byť rovnaké"
DocType: Sales Person,Sales Person Targets,Obchodník cíle
@@ -682,8 +686,9 @@
DocType: Issue,Resolution Date,Rozlišení Datum
DocType: Student Batch Name,Batch Name,Batch Name
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Harmonogramu vytvorenia:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},Prosím nastavte výchozí v hotovosti nebo bankovním účtu v způsob platby {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Prosím nastavte výchozí v hotovosti nebo bankovním účtu v způsob platby {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,zapísať
+DocType: GST Settings,GST Settings,Nastavenia GST
DocType: Selling Settings,Customer Naming By,Zákazník Pojmenování By
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Ukáže na študenta bol prítomný v Student mesačnú návštevnosť Správa
DocType: Depreciation Schedule,Depreciation Amount,odpisy Suma
@@ -705,6 +710,7 @@
DocType: Item,Material Transfer,Přesun materiálu
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Opening (Dr)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Časová značka zadání musí být po {0}
+,GST Itemised Purchase Register,Registrovaný nákupný register spoločnosti GST
DocType: Employee Loan,Total Interest Payable,Celkové úroky splatné
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Přistál nákladů daně a poplatky
DocType: Production Order Operation,Actual Start Time,Skutečný čas začátku
@@ -733,10 +739,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
DocType: Account,Accounts,Účty
DocType: Vehicle,Odometer Value (Last),Hodnota počítadla kilometrov (Last)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Vstup Platba je už vytvorili
DocType: Purchase Receipt Item Supplied,Current Stock,Current skladem
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Riadok # {0}: Asset {1} nie je spojená s item {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Riadok # {0}: Asset {1} nie je spojená s item {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Preview výplatnej páske
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Účet {0} bol zadaný viackrát
DocType: Account,Expenses Included In Valuation,Náklady ceně oceňování
@@ -744,7 +750,7 @@
,Absent Student Report,Absent Študent Report
DocType: Email Digest,Next email will be sent on:,Další e-mail bude odeslán dne:
DocType: Offer Letter Term,Offer Letter Term,Ponuka Letter Term
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Položka má varianty.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Položka má varianty.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Položka {0} nebyl nalezen
DocType: Bin,Stock Value,Reklamní Value
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Spoločnosť {0} neexistuje
@@ -753,7 +759,7 @@
DocType: Serial No,Warranty Expiry Date,Záruka Datum vypršení platnosti
DocType: Material Request Item,Quantity and Warehouse,Množstvo a sklad
DocType: Sales Invoice,Commission Rate (%),Výška provízie (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Vyberte program
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Vyberte program
DocType: Project,Estimated Cost,odhadované náklady
DocType: Purchase Order,Link to material requests,Odkaz na materiálnych požiadaviek
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aerospace
@@ -767,14 +773,14 @@
DocType: Purchase Order,Supply Raw Materials,Dodávok surovín
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,"Datum, kdy bude vygenerován příští faktury. To je generován na odeslat."
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Oběžná aktiva
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} nie je skladová položka
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} nie je skladová položka
DocType: Mode of Payment Account,Default Account,Výchozí účet
DocType: Payment Entry,Received Amount (Company Currency),Prijaté Suma (Company mena)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,Vedoucí musí být nastavena pokud Opportunity je vyrobena z olova
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,"Prosím, vyberte týdenní off den"
DocType: Production Order Operation,Planned End Time,Plánované End Time
,Sales Person Target Variance Item Group-Wise,Prodej Osoba Cílová Odchylka Item Group-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Účet s transakcemi nelze převést na hlavní účetní knihu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Účet s transakcemi nelze převést na hlavní účetní knihu
DocType: Delivery Note,Customer's Purchase Order No,Zákazníka Objednávka No
DocType: Budget,Budget Against,rozpočet Proti
DocType: Employee,Cell Number,Číslo buňky
@@ -786,15 +792,13 @@
DocType: Opportunity,Opportunity From,Příležitost Z
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Měsíční plat prohlášení.
DocType: BOM,Website Specifications,Webových stránek Specifikace
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Prosím, nastavte číselnú sériu pre účasť cez Setup> Numbering Series"
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Od {0} typu {1}
DocType: Warranty Claim,CI-,Ci
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Row {0}: Konverzní faktor je povinné
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Row {0}: Konverzní faktor je povinné
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Viac Cena pravidlá existuje u rovnakých kritérií, prosím vyriešiť konflikt tým, že priradí prioritu. Cena Pravidlá: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Nelze deaktivovat nebo zrušit BOM, jak to souvisí s ostatními kusovníky"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Viac Cena pravidlá existuje u rovnakých kritérií, prosím vyriešiť konflikt tým, že priradí prioritu. Cena Pravidlá: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Nelze deaktivovat nebo zrušit BOM, jak to souvisí s ostatními kusovníky"
DocType: Opportunity,Maintenance,Údržba
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Číslo příjmky je potřeba pro položku {0}
DocType: Item Attribute Value,Item Attribute Value,Položka Hodnota atributu
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Prodej kampaně.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,urobiť timesheet
@@ -846,30 +850,30 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Asset vyhodený cez položka denníka {0}
DocType: Employee Loan,Interest Income Account,Účet Úrokové výnosy
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Biotechnologie
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Náklady Office údržby
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Náklady Office údržby
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Nastavenie e-mailového konta
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,"Prosím, nejdřív zadejte položku"
DocType: Account,Liability,Odpovědnost
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,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}.
DocType: Company,Default Cost of Goods Sold Account,Východiskové Náklady na predaný tovar účte
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Ceník není zvolen
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Ceník není zvolen
DocType: Employee,Family Background,Rodinné poměry
DocType: Request for Quotation Supplier,Send Email,Odeslat email
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Varovanie: Neplatná Príloha {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Varovanie: Neplatná Príloha {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Nemáte oprávnenie
DocType: Company,Default Bank Account,Prednastavený Bankový účet
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Ak chcete filtrovať na základe Party, vyberte typ Party prvý"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Aktualizovať Sklad ' nie je možné skontrolovať, pretože položky nie sú dodané cez {0}"
DocType: Vehicle,Acquisition Date,akvizície Dátum
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Balenie
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Balenie
DocType: Item,Items with higher weightage will be shown higher,Položky s vyšším weightage budú zobrazené vyššie
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bank Odsouhlasení Detail
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Riadok # {0}: {1} Asset musia byť predložené
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Riadok # {0}: {1} Asset musia byť predložené
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Nenájdený žiadny zamestnanec
DocType: Supplier Quotation,Stopped,Zastaveno
DocType: Item,If subcontracted to a vendor,Ak sa subdodávky na dodávateľa
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Skupina študentov je už aktualizovaná.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Skupina študentov je už aktualizovaná.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Skupina študentov je už aktualizovaná.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Skupina študentov je už aktualizovaná.
DocType: SMS Center,All Customer Contact,Všetky Kontakty Zákazníka
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Nahrát nutnosti rovnováhy prostřednictvím CSV.
DocType: Warehouse,Tree Details,Tree Podrobnosti
@@ -881,13 +885,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: náklady Center {2} nepatrí do spoločnosti {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Účet {2} nemôže byť skupina
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Položka Row {idx}: {typ_dokumentu} {} DOCNAME neexistuje v predchádzajúcom '{typ_dokumentu}' tabuľka
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Harmonogramu {0} je už dokončená alebo zrušená
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Harmonogramu {0} je už dokončená alebo zrušená
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,žiadne úlohy
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Den měsíce, ve kterém auto faktura bude generován například 05, 28 atd"
DocType: Asset,Opening Accumulated Depreciation,otvorenie Oprávky
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Skóre musí být menší než nebo rovna 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Program Tool zápis
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,C-Form záznamy
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C-Form záznamy
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Zákazník a Dodávateľ
DocType: Email Digest,Email Digest Settings,Nastavení e-mailu Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Ďakujeme vám za vašu firmu!
@@ -897,17 +901,19 @@
DocType: Bin,Moving Average Rate,Klouzavý průměr
DocType: Production Planning Tool,Select Items,Vyberte položky
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} proti účtu {1} z dňa {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Číslo vozidla / autobusu
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,rozvrh
DocType: Maintenance Visit,Completion Status,Dokončení Status
DocType: HR Settings,Enter retirement age in years,Zadajte vek odchodu do dôchodku v rokoch
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Target Warehouse
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Vyberte si sklad
DocType: Cheque Print Template,Starting location from left edge,Počnúc umiestnenie od ľavého okraja
DocType: Item,Allow over delivery or receipt upto this percent,Nechajte cez dodávku alebo príjem aľ tohto percenta
DocType: Stock Entry,STE-,ste-
DocType: Upload Attendance,Import Attendance,Importovat Docházku
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Všechny skupiny položek
DocType: Process Payroll,Activity Log,Aktivita Log
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Čistý zisk / strata
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Čistý zisk / strata
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Automaticky napsat vzkaz na předkládání transakcí.
DocType: Production Order,Item To Manufacture,Bod K výrobě
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} stav je {2}
@@ -916,16 +922,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Objednávka na platobné
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Předpokládané množství
DocType: Sales Invoice,Payment Due Date,Splatno dne
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Variant Položky {0} už existuje s rovnakými vlastnosťami
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Variant Položky {0} už existuje s rovnakými vlastnosťami
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',"""Otváranie"""
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,otvorená robiť
DocType: Notification Control,Delivery Note Message,Delivery Note Message
DocType: Expense Claim,Expenses,Výdaje
+,Support Hours,Čas podpory
DocType: Item Variant Attribute,Item Variant Attribute,Vlastnosť Variantu Položky
,Purchase Receipt Trends,Doklad o koupi Trendy
DocType: Process Payroll,Bimonthly,dvojmesačník
DocType: Vehicle Service,Brake Pad,Brzdová doštička
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Výzkum a vývoj
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Výzkum a vývoj
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Částka k Fakturaci
DocType: Company,Registration Details,Registrace Podrobnosti
DocType: Timesheet,Total Billed Amount,Celková suma Fakturovaný
@@ -938,12 +945,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Získať iba suroviny
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Hodnocení výkonu.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Povolenie "použitia na nákupného košíka", ako je povolené Nákupný košík a tam by mala byť aspoň jedna daňové pravidlá pre Košík"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Platba Vstup {0} je prepojený na objednávku {1}, skontrolujte, či by mal byť ťahaný za pokrok v tejto faktúre."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Platba Vstup {0} je prepojený na objednávku {1}, skontrolujte, či by mal byť ťahaný za pokrok v tejto faktúre."
DocType: Sales Invoice Item,Stock Details,Sklad Podrobnosti
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Hodnota projektu
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Mieste predaja
DocType: Vehicle Log,Odometer Reading,stav tachometra
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Zůstatek na účtu již v Credit, není dovoleno stanovit ""Balance musí být"" jako ""debet"""
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Zůstatek na účtu již v Credit, není dovoleno stanovit ""Balance musí být"" jako ""debet"""
DocType: Account,Balance must be,Zůstatek musí být
DocType: Hub Settings,Publish Pricing,Publikovat Ceník
DocType: Notification Control,Expense Claim Rejected Message,Zpráva o zamítnutí úhrady výdajů
@@ -953,7 +960,7 @@
DocType: Salary Slip,Working Days,Pracovní dny
DocType: Serial No,Incoming Rate,Příchozí Rate
DocType: Packing Slip,Gross Weight,Hrubá hmotnost
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,"Názov spoločnosti, pre ktorú nastavujete tento systém"
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,"Názov spoločnosti, pre ktorú nastavujete tento systém"
DocType: HR Settings,Include holidays in Total no. of Working Days,Zahrnout dovolenou v celkovém. pracovních dní
DocType: Job Applicant,Hold,Držet
DocType: Employee,Date of Joining,Datum přistoupení
@@ -964,20 +971,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Příjemka
,Received Items To Be Billed,"Přijaté položek, které mají být účtovány"
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Predložené výplatných páskach
-DocType: Employee,Ms,Paní
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Devizový kurz master.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Referenčná DOCTYPE musí byť jedným z {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Devizový kurz master.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referenčná DOCTYPE musí byť jedným z {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Nemožno nájsť časový úsek v najbližších {0} dní na prevádzku {1}
DocType: Production Order,Plan material for sub-assemblies,Plán materiál pro podsestavy
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Obchodní partneri a teritória
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,"Nie je možné automaticky vytvoriť účet ako už existuje stock zostatok na účte. Je potrebné vytvoriť zodpovedajúce účet, než budete môcť vykonať zápis o tomto sklade"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} musí být aktivní
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} musí být aktivní
DocType: Journal Entry,Depreciation Entry,odpisy Entry
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Vyberte první typ dokumentu
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Zrušit Materiál Návštěvy {0} před zrušením tohoto návštěv údržby
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Pořadové číslo {0} nepatří k bodu {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Požadované množství
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Sklady s existujúcimi transakcie nemožno previesť na knihy.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Sklady s existujúcimi transakcie nemožno previesť na knihy.
DocType: Bank Reconciliation,Total Amount,Celková částka
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Internet Publishing
DocType: Production Planning Tool,Production Orders,Výrobní Objednávky
@@ -992,25 +997,26 @@
DocType: Fee Structure,Components,komponenty
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},"Prosím, zadajte Kategória majetku v položke {0}"
DocType: Quality Inspection Reading,Reading 6,Čtení 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Nemožno {0} {1} {2} bez negatívnych vynikajúce faktúra
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Nemožno {0} {1} {2} bez negatívnych vynikajúce faktúra
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Záloha přijaté faktury
DocType: Hub Settings,Sync Now,Sync teď
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Row {0}: Credit záznam nemůže být spojována s {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Definovať rozpočet pre finančný rok.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Definovať rozpočet pre finančný rok.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"Výchozí účet Bank / Cash budou automaticky aktualizovány v POS faktury, pokud je zvolen tento režim."
DocType: Lead,LEAD-,olova
DocType: Employee,Permanent Address Is,Trvalé bydliště je
DocType: Production Order Operation,Operation completed for how many finished goods?,Provoz dokončeno kolika hotových výrobků?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,Značka
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Značka
DocType: Employee,Exit Interview Details,Exit Rozhovor Podrobnosti
DocType: Item,Is Purchase Item,je Nákupní Položka
DocType: Asset,Purchase Invoice,Přijatá faktura
DocType: Stock Ledger Entry,Voucher Detail No,Voucher Detail No
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Nová predajná faktúra
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Nová predajná faktúra
DocType: Stock Entry,Total Outgoing Value,Celková hodnota Odchozí
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Dátum začatia a dátumom ukončenia by malo byť v rámci rovnakého fiškálny rok
DocType: Lead,Request for Information,Žádost o informace
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sync Offline Faktúry
+,LeaderBoard,výsledkovú tabuľku
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Sync Offline Faktúry
DocType: Payment Request,Paid,Placený
DocType: Program Fee,Program Fee,program Fee
DocType: Salary Slip,Total in words,Celkem slovy
@@ -1019,13 +1025,13 @@
DocType: Cheque Print Template,Has Print Format,Má formát tlače
DocType: Employee Loan,Sanctioned,schválený
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,"je povinné. Možno, Zmenáreň záznam nie je vytvorená pre"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Zadejte Pořadové číslo k bodu {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pre "produktom Bundle predmety, sklad, sériové číslo a dávkové No bude považovaná zo" Balenie zoznam 'tabuľky. Ak Warehouse a Batch No sú rovnaké pre všetky balenia položky pre akúkoľvek "Výrobok balík" položky, tieto hodnoty môžu byť zapísané do hlavnej tabuľky položky, budú hodnoty skopírované do "Balenie zoznam" tabuľku."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Zadejte Pořadové číslo k bodu {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Pre "produktom Bundle predmety, sklad, sériové číslo a dávkové No bude považovaná zo" Balenie zoznam 'tabuľky. Ak Warehouse a Batch No sú rovnaké pre všetky balenia položky pre akúkoľvek "Výrobok balík" položky, tieto hodnoty môžu byť zapísané do hlavnej tabuľky položky, budú hodnoty skopírované do "Balenie zoznam" tabuľku."
DocType: Job Opening,Publish on website,Publikovať na webových stránkach
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Zásilky zákazníkům.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Dodávateľ Dátum faktúry nemôže byť väčšia ako Dátum zverejnenia
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Dodávateľ Dátum faktúry nemôže byť väčšia ako Dátum zverejnenia
DocType: Purchase Invoice Item,Purchase Order Item,Položka vydané objednávky
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Nepřímé příjmy
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Nepřímé příjmy
DocType: Student Attendance Tool,Student Attendance Tool,Študent Účasť Tool
DocType: Cheque Print Template,Date Settings,dátum Nastavenie
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Odchylka
@@ -1043,21 +1049,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Chemický
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Východisková banka / Peňažný účet budú automaticky aktualizované v plat položka denníku ak je zvolený tento režim.
DocType: BOM,Raw Material Cost(Company Currency),Raw Material Cost (Company mena)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Všechny položky již byly převedeny na výrobu tohoto řádu.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Všechny položky již byly převedeny na výrobu tohoto řádu.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Riadok # {0}: Sadzba nesmie byť vyššia ako sadzba použitá v {1} {2}
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Riadok # {0}: Sadzba nesmie byť vyššia ako sadzba použitá v {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,meter
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,meter
DocType: Workstation,Electricity Cost,Cena elektřiny
DocType: HR Settings,Don't send Employee Birthday Reminders,Neposílejte zaměstnance připomenutí narozenin
DocType: Item,Inspection Criteria,Inšpekčné kritéria
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Prevedené
DocType: BOM Website Item,BOM Website Item,BOM Website Item
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Nahrajte svoju hlavičku a logo pre dokumenty. (Môžete ich upravovať neskôr.)
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Nahrajte svoju hlavičku a logo pre dokumenty. (Môžete ich upravovať neskôr.)
DocType: Timesheet Detail,Bill,účet
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Vedľa Odpisy Dátum sa zadáva ako uplynulom dni
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Biela
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Biela
DocType: SMS Center,All Lead (Open),Všetky Iniciatívy (Otvorené)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Riadok {0}: Množstvo nie je k dispozícii pre {4} v sklade {1} pri účtovaní čas zápisu ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Riadok {0}: Množstvo nie je k dispozícii pre {4} v sklade {1} pri účtovaní čas zápisu ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Získejte zaplacené zálohy
DocType: Item,Automatically Create New Batch,Automaticky vytvoriť novú dávku
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,Urobiť
@@ -1067,13 +1073,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Môj košík
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Typ objednávky musí být jedním z {0}
DocType: Lead,Next Contact Date,Další Kontakt Datum
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Otevření POČET
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,"Prosím, zadajte účet pre zmenu Suma"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Otevření POČET
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,"Prosím, zadajte účet pre zmenu Suma"
DocType: Student Batch Name,Student Batch Name,Študent Batch Name
DocType: Holiday List,Holiday List Name,Názov zoznamu sviatkov
DocType: Repayment Schedule,Balance Loan Amount,Bilancia Výška úveru
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,rozvrh
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Akciové opcie
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Akciové opcie
DocType: Journal Entry Account,Expense Claim,Hrazení nákladů
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Naozaj chcete obnoviť tento vyradený aktívum?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Množství pro {0}
@@ -1085,12 +1091,12 @@
DocType: Company,Default Terms,Východiskové podmienky
DocType: Packing Slip Item,Packing Slip Item,Balení Slip Item
DocType: Purchase Invoice,Cash/Bank Account,Hotovostný / Bankový účet
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Zadajte {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Zadajte {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Odstránené položky bez zmeny množstva alebo hodnoty.
DocType: Delivery Note,Delivery To,Doručení do
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Atribút tabuľka je povinné
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Atribút tabuľka je povinné
DocType: Production Planning Tool,Get Sales Orders,Získat Prodejní objednávky
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} nemôže byť záporné
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} nemôže byť záporné
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Sleva
DocType: Asset,Total Number of Depreciations,Celkový počet Odpisy
DocType: Sales Invoice Item,Rate With Margin,Sadzba s maržou
@@ -1111,7 +1117,6 @@
DocType: Serial No,Creation Document No,Tvorba dokument č
DocType: Issue,Issue,Problém
DocType: Asset,Scrapped,zošrotovaný
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Účet nezodpovedá Company
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Atributy pro položky varianty. například velikost, barva atd."
DocType: Purchase Invoice,Returns,výnos
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP Warehouse
@@ -1123,12 +1128,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,"Položka musí být přidány pomocí ""získat předměty z kupní příjmy"" tlačítkem"
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Zahŕňajú non-skladových položiek
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Prodejní náklady
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Prodejní náklady
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Standardní Nakupování
DocType: GL Entry,Against,Proti
DocType: Item,Default Selling Cost Center,Výchozí Center Prodejní cena
DocType: Sales Partner,Implementation Partner,Implementačního partnera
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,PSČ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,PSČ
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Predajné objednávky {0} {1}
DocType: Opportunity,Contact Info,Kontaktní informace
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Tvorba prírastkov zásob
@@ -1141,33 +1146,33 @@
DocType: Holiday List,Get Weekly Off Dates,Získejte týdenní Off termíny
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,Datum ukončení nesmí být menší než data zahájení
DocType: Sales Person,Select company name first.,"Prosím, vyberte najprv názov spoločnosti"
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Dr
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Ponuky od Dodávateľov.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Chcete-li {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Průměrný věk
DocType: School Settings,Attendance Freeze Date,Účasť
DocType: School Settings,Attendance Freeze Date,Účasť
DocType: Opportunity,Your sales person who will contact the customer in future,"Váš obchodní zástupce, který bude kontaktovat zákazníka v budoucnu"
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,"Napíšte niekoľkých svojich dodávateľov. Môžu to byť organizácie, ale aj jednotlivci."
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,"Napíšte niekoľkých svojich dodávateľov. Môžu to byť organizácie, ale aj jednotlivci."
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Zobraziť všetky produkty
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimálny vek vedenia (dni)
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimálny vek vedenia (dni)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,všetky kusovníky
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,všetky kusovníky
DocType: Company,Default Currency,Predvolená mena
DocType: Expense Claim,From Employee,Od Zaměstnance
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Upozornění: Systém nebude kontrolovat nadfakturace, protože částka za položku na {1} je nula {0}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Upozornění: Systém nebude kontrolovat nadfakturace, protože částka za položku na {1} je nula {0}"
DocType: Journal Entry,Make Difference Entry,Učinit vstup Rozdíl
DocType: Upload Attendance,Attendance From Date,Účast Datum od
DocType: Appraisal Template Goal,Key Performance Area,Key Performance Area
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Doprava
+DocType: Program Enrollment,Transportation,Doprava
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,neplatný Atribút
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} musí být odeslaný
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} musí být odeslaný
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Množstvo musí byť menší ako alebo rovný {0}
DocType: SMS Center,Total Characters,Celkový počet znaků
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Vyberte kusovník Bom oblasti k bodu {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Vyberte kusovník Bom oblasti k bodu {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Faktura Detail
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Platba Odsouhlasení faktury
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Příspěvek%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Podľa nákupných nastavení, ak je objednávka požadovaná == 'ÁNO', potom pre vytvorenie nákupnej faktúry musí používateľ najprv vytvoriť nákupnú objednávku pre položku {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Registrace firmy čísla pro váš odkaz. Daňové čísla atd
DocType: Sales Partner,Distributor,Distributor
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Nákupní košík Shipping Rule
@@ -1176,23 +1181,25 @@
,Ordered Items To Be Billed,Objednané zboží fakturovaných
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,"Z rozsahu, musí byť nižšia ako na Range"
DocType: Global Defaults,Global Defaults,Globální Výchozí
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Projekt spolupráce Pozvánka
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Projekt spolupráce Pozvánka
DocType: Salary Slip,Deductions,Odpočty
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Začiatok Rok
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},Prvé dve číslice GSTIN by sa mali zhodovať so stavovým číslom {0}
DocType: Purchase Invoice,Start date of current invoice's period,Datum období současného faktury je Začátek
DocType: Salary Slip,Leave Without Pay,Nechat bez nároku na mzdu
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Plánovanie kapacít Chyba
,Trial Balance for Party,Trial váhy pre stranu
DocType: Lead,Consultant,Konzultant
DocType: Salary Slip,Earnings,Výdělek
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Dokončené Položka {0} musí byť zadaný pre vstup typu Výroba
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Dokončené Položka {0} musí byť zadaný pre vstup typu Výroba
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Otvorenie účtovníctva Balance
+,GST Sales Register,Obchodný register spoločnosti GST
DocType: Sales Invoice Advance,Sales Invoice Advance,Prodejní faktury Advance
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Nic požadovat
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Ďalšie rekord Rozpočet '{0}' už existuje proti {1} '{2}' za fiškálny rok {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',"""Aktuálny datum začiatku"" nemôže byť väčší ako ""Aktuálny dátum ukončenia"""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Manažment
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Manažment
DocType: Cheque Print Template,Payer Settings,nastavenie platcu
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","To bude připojen na položku zákoníku varianty. Například, pokud vaše zkratka je ""SM"", a položka je kód ""T-SHIRT"", položka kód varianty bude ""T-SHIRT-SM"""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Čistá Pay (slovy) budou viditelné, jakmile uložíte výplatní pásce."
@@ -1209,8 +1216,8 @@
DocType: Employee Loan,Partially Disbursed,čiastočne Vyplatené
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Databáze dodavatelů.
DocType: Account,Balance Sheet,Rozvaha
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',"Nákladové středisko u položky s Kód položky """
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Režim platba nie je nakonfigurovaný. Prosím skontrolujte, či je účet bol nastavený na režim platieb alebo na POS Profilu."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',"Nákladové středisko u položky s Kód položky """
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Režim platba nie je nakonfigurovaný. Prosím skontrolujte, či je účet bol nastavený na režim platieb alebo na POS Profilu."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,"Váš obchodní zástupce dostane upomínku na tento den, aby kontaktoval zákazníka"
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Rovnakú položku nemožno zadávať viackrát.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Ďalšie účty môžu byť vyrobené v rámci skupiny, ale údaje je možné proti non-skupín"
@@ -1218,7 +1225,7 @@
DocType: Email Digest,Payables,Závazky
DocType: Course,Course Intro,samozrejme Intro
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Sklad Vstup {0} vytvoril
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Riadok # {0}: zamietnutie Množstvo nemôže byť zapísaný do kúpnej Návrat
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Riadok # {0}: zamietnutie Množstvo nemôže byť zapísaný do kúpnej Návrat
,Purchase Order Items To Be Billed,Položky vydané objednávky k fakturaci
DocType: Purchase Invoice Item,Net Rate,Čistá miera
DocType: Purchase Invoice Item,Purchase Invoice Item,Položka přijaté faktury
@@ -1245,7 +1252,7 @@
DocType: Sales Order,SO-,so-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,"Prosím, vyberte první prefix"
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Výzkum
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Výzkum
DocType: Maintenance Visit Purpose,Work Done,Odvedenou práci
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Uveďte aspoň jeden atribút v tabuľke atribúty
DocType: Announcement,All Students,všetci študenti
@@ -1253,17 +1260,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,View Ledger
DocType: Grading Scale,Intervals,intervaly
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Nejstarší
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Položka Group existuje se stejným názvem, prosím, změnit název položky nebo přejmenovat skupinu položek"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Študent Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Zbytek světa
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Položka Group existuje se stejným názvem, prosím, změnit název položky nebo přejmenovat skupinu položek"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Študent Mobile No.
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Zbytek světa
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Položka {0} nemůže mít dávku
,Budget Variance Report,Rozpočet Odchylka Report
DocType: Salary Slip,Gross Pay,Hrubé mzdy
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Riadok {0}: typ činnosti je povinná.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Dividendy platené
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Dividendy platené
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Účtovné Ledger
DocType: Stock Reconciliation,Difference Amount,Rozdiel Suma
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Nerozdelený zisk
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Nerozdelený zisk
DocType: Vehicle Log,Service Detail,servis Detail
DocType: BOM,Item Description,Položka Popis
DocType: Student Sibling,Student Sibling,študent Súrodenec
@@ -1278,11 +1285,11 @@
DocType: Opportunity Item,Opportunity Item,Položka Příležitosti
,Student and Guardian Contact Details,Študent a Guardian Kontaktné údaje
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Riadok {0}: Pre dodávateľov je potrebná {0} E-mailová adresa pre odoslanie e-mailu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Dočasné Otvorenie
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Dočasné Otvorenie
,Employee Leave Balance,Zaměstnanec Leave Balance
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Zůstatek na účtě {0} musí být vždy {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Ocenenie Miera potrebná pre položku v riadku {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Príklad: Masters v informatike
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Príklad: Masters v informatike
DocType: Purchase Invoice,Rejected Warehouse,Zamítnuto Warehouse
DocType: GL Entry,Against Voucher,Proti poukazu
DocType: Item,Default Buying Cost Center,Výchozí Center Nákup Cost
@@ -1295,31 +1302,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Získat neuhrazených faktur
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Prodejní objednávky {0} není platný
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Objednávky pomôžu pri plánovaní a sledovaní na vaše nákupy
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Je nám líto, společnosti nemohou být sloučeny"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Je nám líto, společnosti nemohou být sloučeny"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",Celkové emisie / prenosu množstvo {0} v hmotnej Request {1} \ nemôže byť väčšie než množstvo {2} pre položku {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Malý
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Malý
DocType: Employee,Employee Number,Počet zaměstnanců
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Případ číslo (čísla) již v provozu. Zkuste se věc č {0}
DocType: Project,% Completed,% Dokončených
,Invoiced Amount (Exculsive Tax),Fakturovaná částka (bez daně)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Položka 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Hlava účtu {0} vytvořil
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,Training Event
DocType: Item,Auto re-order,Auto re-order
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Celkem Dosažená
DocType: Employee,Place of Issue,Místo vydání
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Smlouva
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Smlouva
DocType: Email Digest,Add Quote,Pridať ponuku
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},Koeficient prepočtu MJ je potrebný k MJ: {0} v bode: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Nepřímé náklady
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Koeficient prepočtu MJ je potrebný k MJ: {0} v bode: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Nepřímé náklady
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Row {0}: Množství je povinný
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Poľnohospodárstvo
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sync Master Data
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Vaše Produkty alebo Služby
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Vaše Produkty alebo Služby
DocType: Mode of Payment,Mode of Payment,Způsob platby
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Webové stránky Image by mala byť verejná súboru alebo webovej stránky URL
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Webové stránky Image by mala byť verejná súboru alebo webovej stránky URL
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Jedná se o skupinu kořen položky a nelze upravovat.
@@ -1328,7 +1334,7 @@
DocType: Warehouse,Warehouse Contact Info,Sklad Kontaktní informace
DocType: Payment Entry,Write Off Difference Amount,Odpísať Difference Suma
DocType: Purchase Invoice,Recurring Type,Opakující se Typ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: e-mail zamestnanec nebol nájdený, a preto je pošta neposlal"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: e-mail zamestnanec nebol nájdený, a preto je pošta neposlal"
DocType: Item,Foreign Trade Details,Zahraničný obchod Podrobnosti
DocType: Email Digest,Annual Income,Ročný príjem
DocType: Serial No,Serial No Details,Serial No Podrobnosti
@@ -1336,10 +1342,10 @@
DocType: Student Group Student,Group Roll Number,Číslo skupiny rollov
DocType: Student Group Student,Group Roll Number,Číslo skupiny rollov
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Pro {0}, tak úvěrové účty mohou být propojeny na jinou položku debetní"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Súčet všetkých váh úloha by mal byť 1. Upravte váhy všetkých úloh projektu v súlade
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Delivery Note {0} není předložena
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Položka {0} musí být Subdodavatelské Item
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Kapitálové Vybavení
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Súčet všetkých váh úloha by mal byť 1. Upravte váhy všetkých úloh projektu v súlade
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Delivery Note {0} není předložena
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Položka {0} musí být Subdodavatelské Item
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Kapitálové Vybavení
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Ceny Pravidlo je nejprve vybrána na základě ""Použít na"" oblasti, které mohou být položky, položky skupiny nebo značky."
DocType: Hub Settings,Seller Website,Prodejce Website
DocType: Item,ITEM-,ITEM-
@@ -1357,7 +1363,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Tam může být pouze jeden Shipping Rule Podmínka s 0 nebo prázdnou hodnotu pro ""na hodnotu"""
DocType: Authorization Rule,Transaction,Transakce
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Poznámka: Tento Nákladové středisko je Group. Nelze vytvořit účetní zápisy proti skupinám.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,Dieťa sklad existuje pre tento sklad. Nemôžete odstrániť tento sklad.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Dieťa sklad existuje pre tento sklad. Nemôžete odstrániť tento sklad.
DocType: Item,Website Item Groups,Webové stránky skupiny položek
DocType: Purchase Invoice,Total (Company Currency),Total (Company meny)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Výrobní číslo {0} přihlášeno více než jednou
@@ -1367,7 +1373,7 @@
DocType: Grading Scale Interval,Grade Code,grade Code
DocType: POS Item Group,POS Item Group,POS položky Group
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-mail Digest:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} nepatří k bodu {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} nepatří k bodu {1}
DocType: Sales Partner,Target Distribution,Target Distribution
DocType: Salary Slip,Bank Account No.,Číslo bankového účtu
DocType: Naming Series,This is the number of the last created transaction with this prefix,To je číslo poslední vytvořené transakci s tímto prefixem
@@ -1378,12 +1384,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Automatické odpisovanie majetku v účtovnej závierke
DocType: BOM Operation,Workstation,pracovna stanica
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Žiadosť o cenovú ponuku dodávateľa
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Technické vybavení
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Technické vybavení
DocType: Sales Order,Recurring Upto,opakujúce Až
DocType: Attendance,HR Manager,HR Manager
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Vyberte spoločnosť
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Privilege Leave
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Vyberte spoločnosť
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Privilege Leave
DocType: Purchase Invoice,Supplier Invoice Date,Dátum dodávateľskej faktúry
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,za
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Musíte povolit Nákupní košík
DocType: Payment Entry,Writeoff,odpísanie
DocType: Appraisal Template Goal,Appraisal Template Goal,Posouzení Template Goal
@@ -1394,10 +1401,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Překrývající podmínky nalezeno mezi:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Proti věstníku Entry {0} je již nastavena proti jiným poukaz
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Celková hodnota objednávky
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Jídlo
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Jídlo
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Stárnutí Rozsah 3
DocType: Maintenance Schedule Item,No of Visits,Počet návštěv
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,mark Attendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,mark Attendence
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Plán údržby {0} existuje v porovnaní s {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,učiaci študenta
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},"Mena záverečného účtu, musí byť {0}"
@@ -1411,6 +1418,7 @@
DocType: Rename Tool,Utilities,Utilities
DocType: Purchase Invoice Item,Accounting,Účtovníctvo
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Vyberte dávky pre doručenú položku
DocType: Asset,Depreciation Schedules,odpisy Plány
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Obdobie podávania žiadostí nemôže byť alokačné obdobie vonku voľno
DocType: Activity Cost,Projects,Projekty
@@ -1424,6 +1432,7 @@
DocType: POS Profile,Campaign,Kampaň
DocType: Supplier,Name and Type,Názov a typ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Stav schválení musí být ""schváleno"" nebo ""Zamítnuto"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,bootstrap
DocType: Purchase Invoice,Contact Person,Kontaktná osoba
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"""Očakávaný Dátum Začiatku"" nemôže byť väčší ako ""Očakávaný Dátum Ukončenia"""
DocType: Course Scheduling Tool,Course End Date,Koniec Samozrejme Dátum
@@ -1431,12 +1440,11 @@
DocType: Sales Order Item,Planned Quantity,Plánované Množstvo
DocType: Purchase Invoice Item,Item Tax Amount,Částka Daně Položky
DocType: Item,Maintain Stock,Udržiavať Zásoby
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Fotky Položky již vytvořené pro výrobní zakázku
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Fotky Položky již vytvořené pro výrobní zakázku
DocType: Employee,Prefered Email,preferovaný Email
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Čistá zmena v stálych aktív
DocType: Leave Control Panel,Leave blank if considered for all designations,"Ponechte prázdné, pokud se to považuje za všechny označení"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Sklad je povinná pre skupinové účty nie sú typu sklade
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Obvinění z typu ""Aktuální"" v řádku {0} nemůže být zařazena do položky Rate"
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Obvinění z typu ""Aktuální"" v řádku {0} nemůže být zařazena do položky Rate"
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Od datetime
DocType: Email Digest,For Company,Pre spoločnosť
@@ -1446,15 +1454,15 @@
DocType: Sales Invoice,Shipping Address Name,Přepravní Adresa Název
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Diagram účtů
DocType: Material Request,Terms and Conditions Content,Podmínky Content
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,nemôže byť väčšie ako 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Položka {0} není skladem
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,nemôže byť väčšie ako 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Položka {0} není skladem
DocType: Maintenance Visit,Unscheduled,Neplánovaná
DocType: Employee,Owned,Vlastník
DocType: Salary Detail,Depends on Leave Without Pay,Závisí na dovolenke bez nároku na mzdu
DocType: Pricing Rule,"Higher the number, higher the priority","Vyšší číslo, vyšší priorita"
,Purchase Invoice Trends,Trendy přijatách faktur
DocType: Employee,Better Prospects,Lepší vyhlídky
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Riadok # {0}: Dávka {1} má iba {2} qty. Vyberte inú dávku, ktorá má {3} k dispozícii, alebo rozdeľte riadok do viacerých riadkov a doručte / vydávajte z viacerých šarží"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Riadok # {0}: Dávka {1} má iba {2} qty. Vyberte inú dávku, ktorá má {3} k dispozícii, alebo rozdeľte riadok do viacerých riadkov a doručte / vydávajte z viacerých šarží"
DocType: Vehicle,License Plate,Poznávacia značka
DocType: Appraisal,Goals,Ciele
DocType: Warranty Claim,Warranty / AMC Status,Záruka / AMC Status
@@ -1465,7 +1473,8 @@
,Batch-Wise Balance History,Batch-Wise Balance History
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Nastavenie tlače aktualizované v príslušnom formáte tlači
DocType: Package Code,Package Code,code Package
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Učeň
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Učeň
+DocType: Purchase Invoice,Company GSTIN,Spoločnosť GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Záporné množstvo nie je dovolené
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","Tax detail tabulka staženy z položky pána jako řetězec a uložené v této oblasti.
@@ -1473,12 +1482,12 @@
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Zaměstnanec nemůže odpovídat sám sobě.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","V případě, že účet je zamrzlý, položky mohou omezeným uživatelům."
DocType: Email Digest,Bank Balance,Bank Balance
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Účtovný záznam pre {0}: {1} môžu vykonávať len v mene: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Účtovný záznam pre {0}: {1} môžu vykonávať len v mene: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Profil Job, požadované kvalifikace atd."
DocType: Journal Entry Account,Account Balance,Zůstatek na účtu
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Daňové Pravidlo pre transakcie.
DocType: Rename Tool,Type of document to rename.,Typ dokumentu na premenovanie.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Táto položka sa kupuje
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Táto položka sa kupuje
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Zákazník je potrebná proti pohľadávok účtu {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Spolu dane a poplatky (v peňažnej mene firmy)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Ukázať P & L zostatky neuzavretý fiškálny rok je
@@ -1489,29 +1498,30 @@
DocType: Stock Entry,Total Additional Costs,Celkom Dodatočné náklady
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Šrot materiálové náklady (Company mena)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Podsestavy
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Podsestavy
DocType: Asset,Asset Name,asset Name
DocType: Project,Task Weight,úloha Hmotnosť
DocType: Shipping Rule Condition,To Value,Chcete-li hodnota
DocType: Asset Movement,Stock Manager,Reklamný manažér
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Source sklad je povinná pro řadu {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Balení Slip
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Pronájem kanceláře
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Source sklad je povinná pro řadu {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Balení Slip
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Pronájem kanceláře
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Nastavenie SMS brány
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Import se nezdařil!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Žádná adresa přidán dosud.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Žádná adresa přidán dosud.
DocType: Workstation Working Hour,Workstation Working Hour,Pracovní stanice Pracovní Hour
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Analytik
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Analytik
DocType: Item,Inventory,Inventář
DocType: Item,Sales Details,Prodejní Podrobnosti
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,S položkami
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,V Množství
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,V Množství
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Overiť zapísaný kurz pre študentov v študentskej skupine
DocType: Notification Control,Expense Claim Rejected,Uhrazení výdajů zamítnuto
DocType: Item,Item Attribute,Položka Atribut
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Vláda
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Vláda
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Náklady na poistné {0} už existuje pre jázd
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Meno Institute
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Meno Institute
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,"Prosím, zadajte splácanie Čiastka"
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Varianty Položky
DocType: Company,Services,Služby
@@ -1521,18 +1531,18 @@
DocType: Sales Invoice,Source,Zdroj
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,show uzavretý
DocType: Leave Type,Is Leave Without Pay,Je odísť bez Pay
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Asset kategória je povinný pre položku investičného majetku
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset kategória je povinný pre položku investičného majetku
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Nalezené v tabulce platby Žádné záznamy
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Táto {0} je v rozpore s {1} o {2} {3}
DocType: Student Attendance Tool,Students HTML,študenti HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Dátum začiatku finančného roku
DocType: POS Profile,Apply Discount,použiť zľavu
+DocType: Purchase Invoice Item,GST HSN Code,GST kód HSN
DocType: Employee External Work History,Total Experience,Celková zkušenost
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,otvorené projekty
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Balení Slip (y) zrušeno
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Peňažný tok z investičných
DocType: Program Course,Program Course,program kurzu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Nákladní a Spediční Poplatky
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Nákladní a Spediční Poplatky
DocType: Homepage,Company Tagline for website homepage,Firma fb na titulnej stránke webu
DocType: Item Group,Item Group Name,Položka Název skupiny
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Zaujatý
@@ -1542,6 +1552,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Vytvoriť vedie
DocType: Maintenance Schedule,Schedules,Plány
DocType: Purchase Invoice Item,Net Amount,Čistá suma
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} nebola odoslaná, takže akciu nemožno dokončiť"
DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detail No
DocType: Landed Cost Voucher,Additional Charges,dodatočné poplatky
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Dodatočná zľava Suma (Mena Company)
@@ -1557,6 +1568,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Mesačné splátky čiastka
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,Prosím nastavte uživatelské ID pole v záznamu zaměstnanců nastavit role zaměstnance
DocType: UOM,UOM Name,Názov Mernej Jednotky
+DocType: GST HSN Code,HSN Code,Kód HSN
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Výše příspěvku
DocType: Purchase Invoice,Shipping Address,Shipping Address
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,"Tento nástroj vám pomůže aktualizovat nebo opravit množství a ocenění zásob v systému. To se obvykle používá k synchronizaci hodnot systému a to, co ve skutečnosti existuje ve vašich skladech."
@@ -1567,18 +1579,17 @@
DocType: Program Enrollment Tool,Program Enrollments,program Prihlášky
DocType: Sales Invoice Item,Brand Name,Jméno značky
DocType: Purchase Receipt,Transporter Details,Transporter Podrobnosti
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Predvolené sklad je vyžadované pre vybraná položka
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Krabica
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Predvolené sklad je vyžadované pre vybraná položka
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Krabica
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,možné Dodávateľ
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Organizácia
DocType: Budget,Monthly Distribution,Měsíční Distribution
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Přijímač Seznam je prázdný. Prosím vytvořte přijímače Seznam
DocType: Production Plan Sales Order,Production Plan Sales Order,Výrobní program prodejní objednávky
DocType: Sales Partner,Sales Partner Target,Sales Partner Target
DocType: Loan Type,Maximum Loan Amount,Maximálna výška úveru
DocType: Pricing Rule,Pricing Rule,Ceny Pravidlo
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Duplicitné číslo rolky pre študenta {0}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Duplicitné číslo rolky pre študentov {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Duplicitné číslo rolky pre študenta {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Duplicitné číslo rolky pre študentov {0}
DocType: Budget,Action if Annual Budget Exceeded,Akčný Pokiaľ ide o ročný rozpočet prekročený
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Materiál Žiadosť o príkaze k nákupu
DocType: Shopping Cart Settings,Payment Success URL,Platba Úspech URL
@@ -1591,11 +1602,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Otvorenie Sklad Balance
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} môže byť uvedené iba raz
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},"Nie je povolené, aby transfer viac {0} ako {1} proti objednanie {2}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},"Nie je povolené, aby transfer viac {0} ako {1} proti objednanie {2}"
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Listy Přidělené úspěšně za {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Žádné položky k balení
DocType: Shipping Rule Condition,From Value,Od hodnoty
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Výrobné množstvo je povinné
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Výrobné množstvo je povinné
DocType: Employee Loan,Repayment Method,splácanie Method
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ak je zaškrtnuté, domovská stránka bude východiskový bod skupina pre webové stránky"
DocType: Quality Inspection Reading,Reading 4,Čtení 4
@@ -1605,7 +1616,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Riadok # {0}: dátum Svetlá {1} nemôže byť pred Cheque Dátum {2}
DocType: Company,Default Holiday List,Výchozí Holiday Seznam
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Riadok {0}: čas od času aj na čas z {1} sa prekrýva s {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Stock Závazky
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Stock Závazky
DocType: Purchase Invoice,Supplier Warehouse,Dodavatel Warehouse
DocType: Opportunity,Contact Mobile No,Kontakt Mobil
,Material Requests for which Supplier Quotations are not created,Materiál Žádosti o které Dodavatel citace nejsou vytvořeny
@@ -1616,35 +1627,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Značka Citácia
apps/erpnext/erpnext/config/selling.py +216,Other Reports,Ostatné správy
DocType: Dependent Task,Dependent Task,Závislý Task
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},"Konverzní faktor pro výchozí měrnou jednotku, musí být 1 v řádku {0}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},"Konverzní faktor pro výchozí měrnou jednotku, musí být 1 v řádku {0}"
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Leave typu {0} nemůže být delší než {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Skúste plánovanie operácií pre X dní vopred.
DocType: HR Settings,Stop Birthday Reminders,Zastavit připomenutí narozenin
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},"Prosím nastaviť predvolený účet mzdy, splatnú v spoločnosti {0}"
DocType: SMS Center,Receiver List,Přijímač Seznam
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,hľadanie položky
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,hľadanie položky
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Spotřebovaném množství
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Čistá zmena v hotovosti
DocType: Assessment Plan,Grading Scale,stupnica
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Měrná jednotka {0} byl zadán více než jednou v konverzním faktorem tabulce
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Měrná jednotka {0} byl zadán více než jednou v konverzním faktorem tabulce
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,už boli dokončené
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Skladom v ruke
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Platba Dopyt už existuje {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Náklady na vydaných položek
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Množství nesmí být větší než {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Predchádzajúci finančný rok nie je uzavretý
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Staroba (dni)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Staroba (dni)
DocType: Quotation Item,Quotation Item,Položka ponuky
+DocType: Customer,Customer POS Id,ID zákazníka POS
DocType: Account,Account Name,Názov účtu
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Dátum OD nemôže byť väčší ako dátum DO
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Pořadové číslo {0} {1} množství nemůže být zlomek
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Dodavatel Type master.
DocType: Purchase Order Item,Supplier Part Number,Dodavatel Číslo dílu
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Míra konverze nemůže být 0 nebo 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Míra konverze nemůže být 0 nebo 1
DocType: Sales Invoice,Reference Document,referenčný dokument
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} je zrušená alebo zastavená
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} je zrušená alebo zastavená
DocType: Accounts Settings,Credit Controller,Credit Controller
DocType: Delivery Note,Vehicle Dispatch Date,Vozidlo Dispatch Datum
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Doklad o koupi {0} není předložena
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Doklad o koupi {0} není předložena
DocType: Company,Default Payable Account,Výchozí Splatnost účtu
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Nastavení pro on-line nákupního košíku, jako jsou pravidla dopravu, ceník atd"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% fakturované
@@ -1663,11 +1676,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Celkovej sumy vyplatenej
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,To je založené na protokoloch proti tomuto vozidlu. Pozri časovú os nižšie podrobnosti
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,Zbierať
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Proti faktuře dodavatele {0} ze dne {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Proti faktuře dodavatele {0} ze dne {1}
DocType: Customer,Default Price List,Výchozí Ceník
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Záznam Asset Pohyb {0} vytvoril
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Nemožno odstrániť fiškálny rok {0}. Fiškálny rok {0} je nastavený ako predvolený v globálnom nastavení
DocType: Journal Entry,Entry Type,Entry Type
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Žiaden plán hodnotenia nesúvisí s touto skupinou
,Customer Credit Balance,Zákazník Credit Balance
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Čistá Zmena účty záväzkov
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',"Zákazník požadoval pro 'Customerwise sleva """
@@ -1676,7 +1690,7 @@
DocType: Quotation,Term Details,Termín Podrobnosti
DocType: Project,Total Sales Cost (via Sales Order),Celkové predajné náklady (prostredníctvom objednávky predaja)
DocType: Project,Total Sales Cost (via Sales Order),Celkové predajné náklady (prostredníctvom objednávky predaja)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Nemôže prihlásiť viac ako {0} študentov na tejto študentské skupiny.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Nemôže prihlásiť viac ako {0} študentov na tejto študentské skupiny.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Počet vedúcich
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Počet vedúcich
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} musí byť väčšia ako 0
@@ -1699,7 +1713,7 @@
DocType: Sales Invoice,Packed Items,Zabalené položky
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Reklamační proti sériového čísla
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Nahradit konkrétní kusovník ve všech ostatních kusovníky, kde se používá. To nahradí původní odkaz kusovníku, aktualizujte náklady a regenerovat ""BOM explozi položku"" tabulku podle nového BOM"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total',"Celkom"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total',"Celkom"
DocType: Shopping Cart Settings,Enable Shopping Cart,Povolit Nákupní košík
DocType: Employee,Permanent Address,Trvalé bydliště
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1715,9 +1729,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,"Uveďte prosím buď Množstvo alebo Pomer ocenenia, alebo obidve."
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,splnenie
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Zobraziť Košík
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Marketingové náklady
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Marketingové náklady
,Item Shortage Report,Položka Nedostatek Report
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Hmotnosť je uvedená, \n uveďte prosím aj ""váhu MJ"""
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Hmotnosť je uvedená, \n uveďte prosím aj ""váhu MJ"""
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Materiál Žádost používá k výrobě této populace Entry
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Vedľa Odpisy Dátum je povinné pre nové aktívum
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Samostatná skupina kurzov pre každú dávku
@@ -1727,17 +1741,18 @@
,Student Fee Collection,Študent Fee Collection
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Ujistěte se účetní položka pro každý pohyb zásob
DocType: Leave Allocation,Total Leaves Allocated,Celkem Leaves Přidělené
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Warehouse vyžadované pri Row No {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Zadajte platnú finančný rok dátum začatia a ukončenia
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Warehouse vyžadované pri Row No {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Zadajte platnú finančný rok dátum začatia a ukončenia
DocType: Employee,Date Of Retirement,Datum odchodu do důchodu
DocType: Upload Attendance,Get Template,Získat šablonu
+DocType: Material Request,Transferred,prevedená
DocType: Vehicle,Doors,dvere
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,Nastavenie ERPNext dokončené!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Nastavenie ERPNext dokončené!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Je potrebné nákladového strediska pre 'zisku a straty "účtu {2}. Prosím nastaviť predvolené nákladového strediska pre spoločnosť.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Zákaznická Skupina existuje se stejným názvem, prosím změnit název zákazníka nebo přejmenujte skupinu zákazníků"
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Nový kontakt
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Zákaznická Skupina existuje se stejným názvem, prosím změnit název zákazníka nebo přejmenujte skupinu zákazníků"
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Nový kontakt
DocType: Territory,Parent Territory,Parent Territory
DocType: Quality Inspection Reading,Reading 2,Čtení 2
DocType: Stock Entry,Material Receipt,Příjem materiálu
@@ -1746,17 +1761,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ak je táto položka má varianty, potom to nemôže byť vybraná v predajných objednávok atď"
DocType: Lead,Next Contact By,Další Kontakt By
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Množství požadované pro bodě {0} v řadě {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},"Sklad {0} nelze smazat, protože existuje množství k položce {1}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Množství požadované pro bodě {0} v řadě {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Sklad {0} nelze smazat, protože existuje množství k položce {1}"
DocType: Quotation,Order Type,Typ objednávky
DocType: Purchase Invoice,Notification Email Address,Oznámení e-mailová adresa
,Item-wise Sales Register,Item-moudrý Sales Register
DocType: Asset,Gross Purchase Amount,Gross Suma nákupu
DocType: Asset,Depreciation Method,odpisy Metóda
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,offline
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,offline
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Je to poplatek v ceně základní sazbě?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Celkem Target
-DocType: Program Course,Required,Požadovaný
DocType: Job Applicant,Applicant for a Job,Žadatel o zaměstnání
DocType: Production Plan Material Request,Production Plan Material Request,Výroba Dopyt Plán Materiál
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Žádné výrobní zakázky vytvořené
@@ -1766,17 +1780,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Povoliť viac Predajné objednávky proti Zákazníka Objednávky
DocType: Student Group Instructor,Student Group Instructor,Inštruktor skupiny študentov
DocType: Student Group Instructor,Student Group Instructor,Inštruktor skupiny študentov
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 Mobile Žiadne
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Hlavné
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile Žiadne
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Hlavné
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Varianta
DocType: Naming Series,Set prefix for numbering series on your transactions,Nastavit prefix pro číslování série na vašich transakcí
DocType: Employee Attendance Tool,Employees HTML,Zamestnanci HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Predvolené BOM ({0}) musí byť aktívna pre túto položku alebo jeho šablóny
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Predvolené BOM ({0}) musí byť aktívna pre túto položku alebo jeho šablóny
DocType: Employee,Leave Encashed?,Ponechte zpeněžení?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Opportunity Ze hřiště je povinné
DocType: Email Digest,Annual Expenses,ročné náklady
DocType: Item,Variants,Varianty
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Proveďte objednávky
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Proveďte objednávky
DocType: SMS Center,Send To,Odeslat
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Není dost bilance dovolenou na vstup typ {0}
DocType: Payment Reconciliation Payment,Allocated amount,Přidělené sumy
@@ -1792,26 +1806,25 @@
DocType: Item,Serial Nos and Batches,Sériové čísla a dávky
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Sila študentskej skupiny
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Sila študentskej skupiny
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Proti věstníku Vstup {0} nemá bezkonkurenční {1} vstupu
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Proti věstníku Vstup {0} nemá bezkonkurenční {1} vstupu
apps/erpnext/erpnext/config/hr.py +137,Appraisals,ocenenie
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Duplicitní Pořadové číslo vstoupil k bodu {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Podmínka pro pravidla dopravy
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Prosím Vlož
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Nemožno overbill k bodu {0} v rade {1} viac ako {2}. Aby bolo možné cez-fakturácie, je potrebné nastaviť pri nákupe Nastavenie"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Prosím nastaviť filter na základe výtlačku alebo v sklade
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Nemožno overbill k bodu {0} v rade {1} viac ako {2}. Aby bolo možné cez-fakturácie, je potrebné nastaviť pri nákupe Nastavenie"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Prosím nastaviť filter na základe výtlačku alebo v sklade
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Čistá hmotnost tohoto balíčku. (Automaticky vypočítá jako součet čisté váhy položek)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,"Prosím, vytvorte si účet pre tento sklad a pripojiť ho. To nie je možné vykonať automaticky ako účet s názvom {0} už existuje"
DocType: Sales Order,To Deliver and Bill,Dodať a Bill
DocType: Student Group,Instructors,inštruktori
DocType: GL Entry,Credit Amount in Account Currency,Kreditné Čiastka v mene účtu
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} musí být předloženy
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} musí být předloženy
DocType: Authorization Control,Authorization Control,Autorizace Control
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Riadok # {0}: zamietnutie Warehouse je povinná proti zamietnutej bodu {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Riadok # {0}: zamietnutie Warehouse je povinná proti zamietnutej bodu {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Splátka
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Warehouse {0} nie je prepojený s žiadnym účtom, uveďte účet v zozname skladov alebo nastavte predvolený inventárny účet v spoločnosti {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Spravovať svoje objednávky
DocType: Production Order Operation,Actual Time and Cost,Skutečný Čas a Náklady
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Materiál Žádost maximálně {0} lze k bodu {1} na odběratele {2}
-DocType: Employee,Salutation,Oslovení
DocType: Course,Course Abbreviation,skratka ihrisko
DocType: Student Leave Application,Student Leave Application,Študent nechať aplikáciu
DocType: Item,Will also apply for variants,Bude platiť aj pre varianty
@@ -1823,12 +1836,12 @@
DocType: Quotation Item,Actual Qty,Skutečné Množství
DocType: Sales Invoice Item,References,Referencie
DocType: Quality Inspection Reading,Reading 10,Čtení 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Vypíšte zopár produktov alebo služieb, ktoré predávate alebo kupujete. Po spustení systému sa presvečte, či majú tieto položky správne nastavenú mernú jednotku, kategóriu a ostatné vlastnosti."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Vypíšte zopár produktov alebo služieb, ktoré predávate alebo kupujete. Po spustení systému sa presvečte, či majú tieto položky správne nastavenú mernú jednotku, kategóriu a ostatné vlastnosti."
DocType: Hub Settings,Hub Node,Hub Node
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Zadali jste duplicitní položky. Prosím, opravu a zkuste to znovu."
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Spolupracovník
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Spolupracovník
DocType: Asset Movement,Asset Movement,asset Movement
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,new košík
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,new košík
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Položka {0} není serializovat položky
DocType: SMS Center,Create Receiver List,Vytvořit přijímače seznam
DocType: Vehicle,Wheels,kolesá
@@ -1848,19 +1861,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Se může vztahovat řádku, pouze pokud typ poplatku je ""On předchozí řady Částka"" nebo ""předchozí řady Total"""
DocType: Sales Order Item,Delivery Warehouse,Dodávka Warehouse
DocType: SMS Settings,Message Parameter,Parametr zpráv
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Strom Nákl.stredisko finančných.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Strom Nákl.stredisko finančných.
DocType: Serial No,Delivery Document No,Dodávka dokument č
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Prosím nastavte "/ STRATY zisk z aktív odstraňovaním" vo firme {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Získat položky z Příjmového listu
DocType: Serial No,Creation Date,Datum vytvoření
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Položka {0} se objeví několikrát v Ceníku {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Prodej musí být zkontrolováno, v případě potřeby pro vybrán jako {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Prodej musí být zkontrolováno, v případě potřeby pro vybrán jako {0}"
DocType: Production Plan Material Request,Material Request Date,Materiál Request Date
DocType: Purchase Order Item,Supplier Quotation Item,Položka dodávateľskej ponuky
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Zakáže vytváranie časových protokolov proti výrobnej zákazky. Transakcie nesmú byť sledované proti výrobnej zákazky
DocType: Student,Student Mobile Number,Študent Číslo mobilného telefónu
DocType: Item,Has Variants,Má varianty
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Už ste vybrané položky z {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Už ste vybrané položky z {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Název měsíční výplatou
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Číslo šarže je povinné
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Číslo šarže je povinné
@@ -1871,12 +1884,12 @@
DocType: Budget,Fiscal Year,Fiskální rok
DocType: Vehicle Log,Fuel Price,palivo Cena
DocType: Budget,Budget,Rozpočet
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Fixed Asset položky musia byť non-skladová položka.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Fixed Asset položky musia byť non-skladová položka.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Rozpočet nemožno priradiť proti {0}, pretože to nie je výnos alebo náklad účet"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Dosažená
DocType: Student Admission,Application Form Route,prihláška Trasa
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Territory / Customer
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,napríklad 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,napríklad 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Nechať Typ {0} nemôže byť pridelená, pretože sa odísť bez zaplatenia"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Row {0}: Přidělená částka {1} musí být menší než nebo se rovná fakturovat dlužné částky {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"Ve slovech budou viditelné, jakmile uložíte prodejní faktury."
@@ -1885,7 +1898,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,"Položka {0} není nastavení pro Serial č. Zkontrolujte, zda master položku"
DocType: Maintenance Visit,Maintenance Time,Údržba Time
,Amount to Deliver,"Suma, ktorá má dodávať"
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Produkt alebo Služba
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Produkt alebo Služba
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Termínovaný Dátum začatia nemôže byť skôr ako v roku dátum začiatku akademického roka, ku ktorému termín je spojená (akademický rok {}). Opravte dáta a skúste to znova."
DocType: Guardian,Guardian Interests,Guardian záujmy
DocType: Naming Series,Current Value,Current Value
@@ -1900,12 +1913,12 @@
musí být větší než nebo rovno {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,To je založené na akciovom pohybu. Pozri {0} Podrobnosti
DocType: Pricing Rule,Selling,Predaj
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Množstvo {0} {1} odpočítať proti {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Množstvo {0} {1} odpočítať proti {2}
DocType: Employee,Salary Information,Vyjednávání o platu
DocType: Sales Person,Name and Employee ID,Meno a ID zamestnanca
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,Datum splatnosti nesmí být před odesláním Datum
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,Datum splatnosti nesmí být před odesláním Datum
DocType: Website Item Group,Website Item Group,Website Item Group
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Odvody a dane
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Odvody a dane
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,"Prosím, zadejte Referenční den"
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} platobné položky nemôžu byť filtrované podľa {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Tabuľka k Položke, která sa zobrazí na webových stránkách"
@@ -1922,9 +1935,9 @@
DocType: Payment Reconciliation Payment,Reference Row,referenčnej Row
DocType: Installation Note,Installation Time,Instalace Time
DocType: Sales Invoice,Accounting Details,Účtovné Podrobnosti
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Odstráňte všetky transakcie pre túto spoločnosť
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: Operation {1} není dokončen {2} Množství hotových výrobků ve výrobním procesu objednávky # {3}. Prosím aktualizujte provozní stav přes čas protokoly
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Investice
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Odstráňte všetky transakcie pre túto spoločnosť
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: Operation {1} není dokončen {2} Množství hotových výrobků ve výrobním procesu objednávky # {3}. Prosím aktualizujte provozní stav přes čas protokoly
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Investice
DocType: Issue,Resolution Details,Rozlišení Podrobnosti
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,alokácie
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kritéria přijetí
@@ -1949,7 +1962,7 @@
DocType: Room,Room Name,Room Meno
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Nechajte nemožno aplikovať / zrušená pred {0}, pretože rovnováha dovolenky už bolo carry-odovzdávané v budúcej pridelenie dovolenku záznamu {1}"
DocType: Activity Cost,Costing Rate,Kalkulácie Rate
-,Customer Addresses And Contacts,Adresy zákazníkov a kontakty
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Adresy zákazníkov a kontakty
,Campaign Efficiency,Efektívnosť kampane
,Campaign Efficiency,Efektívnosť kampane
DocType: Discussion,Discussion,diskusia
@@ -1961,14 +1974,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Celková suma Billing (cez Time Sheet)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Repeat Customer Příjmy
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}), musí mať úlohu ""Schvalovateľ výdajov"""
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Pár
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Vyberte BOM a Množstvo na výrobu
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Pár
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Vyberte BOM a Množstvo na výrobu
DocType: Asset,Depreciation Schedule,plán odpisy
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Adresy predajných partnerov a kontakty
DocType: Bank Reconciliation Detail,Against Account,Proti účet
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Half Day Date by mala byť v rozmedzí od dátumu a do dnešného dňa
DocType: Maintenance Schedule Detail,Actual Date,Skutečné datum
DocType: Item,Has Batch No,Má číslo šarže
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Ročný Billing: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Ročný Billing: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Daň z tovarov a služieb (GST India)
DocType: Delivery Note,Excise Page Number,Spotřební Číslo stránky
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Firma, Dátum od a do dnešného dňa je povinná"
DocType: Asset,Purchase Date,Dátum nákupu
@@ -1976,11 +1991,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Prosím nastavte "odpisy majetku nákladové stredisko" vo firme {0}
,Maintenance Schedules,Plány údržby
DocType: Task,Actual End Date (via Time Sheet),Skutočný dátum ukončenia (cez Time Sheet)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Množstvo {0} {1} na {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Množstvo {0} {1} na {2} {3}
,Quotation Trends,Vývoje ponúk
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Položka Group není uvedeno v položce mistra na položku {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,"Debetní Chcete-li v úvahu, musí být pohledávka účet"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Položka Group není uvedeno v položce mistra na položku {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,"Debetní Chcete-li v úvahu, musí být pohledávka účet"
DocType: Shipping Rule Condition,Shipping Amount,Přepravní Částka
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Pridať zákazníkov
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Čeká Částka
DocType: Purchase Invoice Item,Conversion Factor,Konverzní faktor
DocType: Purchase Order,Delivered,Dodává
@@ -1990,7 +2006,8 @@
DocType: Purchase Receipt,Vehicle Number,Číslo vozidla
DocType: Purchase Invoice,The date on which recurring invoice will be stop,"Datum, kdy opakující se faktura bude zastaví"
DocType: Employee Loan,Loan Amount,Výška pôžičky
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Riadok {0}: Nomenklatúra nebol nájdený pre výtlačku {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Samohybné vozidlo
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Riadok {0}: Nomenklatúra nebol nájdený pre výtlačku {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Celkové pridelené listy {0} nemôže byť nižšia ako už schválených listy {1} pre obdobie
DocType: Journal Entry,Accounts Receivable,Pohledávky
,Supplier-Wise Sales Analytics,Dodavatel-Wise Prodej Analytics
@@ -2008,22 +2025,21 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Úhrada výdajů čeká na schválení. Pouze schalovatel výdajů může aktualizovat stav.
DocType: Email Digest,New Expenses,nové výdavky
DocType: Purchase Invoice,Additional Discount Amount,Dodatočná zľava Suma
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Riadok # {0}: Množstvo musí byť 1, keď je položka investičného majetku. Prosím použiť samostatný riadok pre viacnásobné Mn."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Riadok # {0}: Množstvo musí byť 1, keď je položka investičného majetku. Prosím použiť samostatný riadok pre viacnásobné Mn."
DocType: Leave Block List Allow,Leave Block List Allow,Nechte Block List Povolit
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Skrátená nemôže byť prázdne alebo priestor
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Skrátená nemôže byť prázdne alebo priestor
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Skupina na Non-Group
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sportovní
DocType: Loan Type,Loan Name,pôžička Name
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Celkem Aktuální
DocType: Student Siblings,Student Siblings,študentské Súrodenci
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Jednotka
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,"Uveďte prosím, firmu"
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Jednotka
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,"Uveďte prosím, firmu"
,Customer Acquisition and Loyalty,Zákazník Akvizice a loajality
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Sklad, kde se udržují zásoby odmítnutých položek"
DocType: Production Order,Skip Material Transfer,Preskočiť prenos materiálu
DocType: Production Order,Skip Material Transfer,Preskočiť prenos materiálu
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Nepodarilo sa nájsť kurz {0} až {1} pre kľúčový dátum {2}. Ručne vytvorte záznam o menovej karte
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,"Dátum, kedy váš finančný rok končí"
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Nepodarilo sa nájsť kurz {0} až {1} pre kľúčový dátum {2}. Ručne vytvorte záznam o menovej karte
DocType: POS Profile,Price List,Ceník
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} je teraz predvolený Fiškálny rok. Prosím aktualizujte svoj prehliadač, aby sa prejavili zmeny."
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Nákladové Pohľadávky
@@ -2036,14 +2052,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Sklad bilance v dávce {0} se zhorší {1} k bodu {2} ve skladu {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Nasledujúci materiál žiadosti boli automaticky zvýšená na základe úrovni re-poradie položky
DocType: Email Digest,Pending Sales Orders,Čaká Predajné objednávky
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Účet {0} je neplatná. Mena účtu musí byť {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Účet {0} je neplatná. Mena účtu musí byť {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM Konverzní faktor je nutné v řadě {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Riadok # {0}: Reference Document Type musí byť jedným zo zákazky odberateľa, predajné faktúry alebo Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Riadok # {0}: Reference Document Type musí byť jedným zo zákazky odberateľa, predajné faktúry alebo Journal Entry"
DocType: Salary Component,Deduction,Dedukce
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Riadok {0}: From Time a na čas je povinná.
DocType: Stock Reconciliation Item,Amount Difference,vyššie Rozdiel
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Položka Cena pridaný pre {0} v Cenníku {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Položka Cena pridaný pre {0} v Cenníku {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,"Prosím, zadajte ID zamestnanca z tohto predaja osoby"
DocType: Territory,Classification of Customers by region,Rozdělení zákazníků podle krajů
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Rozdiel Suma musí byť nula
@@ -2055,21 +2071,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Celkem Odpočet
,Production Analytics,výrobné Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Náklady Aktualizované
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Náklady Aktualizované
DocType: Employee,Date of Birth,Datum narození
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Bod {0} již byla vrácena
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Bod {0} již byla vrácena
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Fiškálny rok ** predstavuje finančný rok. Všetky účtovné záznamy a ďalšie významné transakcie sú sledované pod ** Fiškálny rok **.
DocType: Opportunity,Customer / Lead Address,Zákazník / Iniciatíva Adresa
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Varovanie: Neplatný certifikát SSL na prílohu {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Varovanie: Neplatný certifikát SSL na prílohu {0}
DocType: Student Admission,Eligibility,spôsobilosť
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Vedie vám pomôžu podnikanie, pridajte všetky svoje kontakty a viac ako vaše vývody"
DocType: Production Order Operation,Actual Operation Time,Aktuální Provozní doba
DocType: Authorization Rule,Applicable To (User),Vztahující se na (Uživatel)
DocType: Purchase Taxes and Charges,Deduct,Odečíst
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Popis Práca
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Popis Práca
DocType: Student Applicant,Applied,aplikovaný
DocType: Sales Invoice Item,Qty as per Stock UOM,Množstvo podľa skladovej MJ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Meno Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Meno Guardian2
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Špeciálne znaky okrem ""-"". """", ""#"", a ""/"" nie sú povolené v číselnej rade"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Mějte přehled o prodejních kampaní. Mějte přehled o Leads, citace, prodejní objednávky atd z kampaně, aby zjistily, návratnost investic."
DocType: Expense Claim,Approver,Schvalovatel
@@ -2080,8 +2096,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Pořadové číslo {0} je v záruce aľ {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Rozdělit dodací list do balíčků.
apps/erpnext/erpnext/hooks.py +87,Shipments,Zásielky
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Zostatok na účte ({0}) pre {1} a hodnota zásob ({2}) pre sklad {3} musia byť rovnaké
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Zostatok na účte ({0}) pre {1} a hodnota zásob ({2}) pre sklad {3} musia byť rovnaké
DocType: Payment Entry,Total Allocated Amount (Company Currency),Celková alokovaná suma (Company mena)
DocType: Purchase Order Item,To be delivered to customer,Ak chcete byť doručený zákazníkovi
DocType: BOM,Scrap Material Cost,Šrot Material Cost
@@ -2089,21 +2103,22 @@
DocType: Purchase Invoice,In Words (Company Currency),Slovy (měna společnosti)
DocType: Asset,Supplier,Dodávateľ
DocType: C-Form,Quarter,Čtvrtletí
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Různé výdaje
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Různé výdaje
DocType: Global Defaults,Default Company,Výchozí Company
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Náklady nebo Rozdíl účet je povinné k bodu {0} jako budou mít dopad na celkovou hodnotu zásob
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Náklady nebo Rozdíl účet je povinné k bodu {0} jako budou mít dopad na celkovou hodnotu zásob
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Název banky
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Nad
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Nad
DocType: Employee Loan,Employee Loan Account,Zamestnanec úverového účtu
DocType: Leave Application,Total Leave Days,Celkový počet dnů dovolené
DocType: Email Digest,Note: Email will not be sent to disabled users,Poznámka: E-mail nebude odoslaný neaktívnym používateľom
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Počet interakcií
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Počet interakcií
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kód položky> Skupina položiek> Značka
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Vyberte společnost ...
DocType: Leave Control Panel,Leave blank if considered for all departments,"Ponechte prázdné, pokud se to považuje za všechna oddělení"
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Druhy pracovního poměru (trvalý, smluv, stážista atd.)"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} je povinná k položke {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} je povinná k položke {1}
DocType: Process Payroll,Fortnightly,dvojtýždňové
DocType: Currency Exchange,From Currency,Od Měny
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Prosím, vyberte alokovaná částka, typ faktury a číslo faktury v aspoň jedné řadě"
@@ -2126,7 +2141,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,"Prosím, klikněte na ""Generovat Schedule"", aby se plán"
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Došlo k chybám počas odstraňovania tejto schémy:
DocType: Bin,Ordered Quantity,Objednané množstvo
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","napríklad ""Nástroje pre stavbárov """
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","napríklad ""Nástroje pre stavbárov """
DocType: Grading Scale,Grading Scale Intervals,Triedenie dielikov
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Účtovné Vstup pre {2} môžu vykonávať len v mene: {3}
DocType: Production Order,In Process,V procesu
@@ -2141,12 +2156,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Vytvorené študentské skupiny.
DocType: Sales Invoice,Total Billing Amount,Celková suma fakturácie
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Musí existovať predvolený prichádzajúce e-mailové konto povolený pre túto prácu. Prosím nastaviť predvolené prichádzajúce e-mailové konto (POP / IMAP) a skúste to znova.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Pohledávky účtu
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Riadok # {0}: Asset {1} je už {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Pohledávky účtu
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Riadok # {0}: Asset {1} je už {2}
DocType: Quotation Item,Stock Balance,Reklamní Balance
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Predajné objednávky na platby
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavte pomenovanie série {0} cez Nastavenie> Nastavenia> Pomenovanie série
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,CEO
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO
DocType: Expense Claim Detail,Expense Claim Detail,Detail úhrady výdajů
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,"Prosím, vyberte správny účet"
DocType: Item,Weight UOM,Hmotnostná MJ
@@ -2155,12 +2169,12 @@
DocType: Production Order Operation,Pending,Až do
DocType: Course,Course Name,Názov kurzu
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,"Uživatelé, kteří si vyhoví žádosti konkrétního zaměstnance volno"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Kancelářské Vybavení
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Kancelářské Vybavení
DocType: Purchase Invoice Item,Qty,Množství
DocType: Fiscal Year,Companies,Společnosti
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Elektronika
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Zvýšit Materiál vyžádání při stock dosáhne úrovně re-order
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Na plný úvazek
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Na plný úvazek
DocType: Salary Structure,Employees,zamestnanci
DocType: Employee,Contact Details,Kontaktní údaje
DocType: C-Form,Received Date,Datum přijetí
@@ -2170,7 +2184,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Ceny sa nebudú zobrazovať, pokiaľ Cenník nie je nastavený"
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Uveďte prosím krajinu, k tomuto Shipping pravidlá alebo skontrolovať Celosvetová doprava"
DocType: Stock Entry,Total Incoming Value,Celková hodnota Příchozí
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Debetné K je vyžadované
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Debetné K je vyžadované
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets pomôže udržať prehľad o času, nákladov a účtovania pre aktivít hotový svojho tímu"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Nákupní Ceník
DocType: Offer Letter Term,Offer Term,Ponuka Term
@@ -2179,17 +2193,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Platba Odsouhlasení
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,"Prosím, vyberte incharge jméno osoby"
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Technologie
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Celkové nezaplatené: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Celkové nezaplatené: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM Website Operation
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Ponuka Letter
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Generování materiálu Požadavky (MRP) a výrobní zakázky.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Celkové fakturované Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Celkové fakturované Amt
DocType: BOM,Conversion Rate,Konverzný kurz
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Hľadať výrobok
DocType: Timesheet Detail,To Time,Chcete-li čas
DocType: Authorization Rule,Approving Role (above authorized value),Schválenie role (nad oprávnenej hodnoty)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Připsat na účet musí být Splatnost účet
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM rekurze: {0} nemůže být rodič nebo dítě {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Připsat na účet musí být Splatnost účet
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM rekurze: {0} nemůže být rodič nebo dítě {2}
DocType: Production Order Operation,Completed Qty,Dokončené Množství
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Pro {0}, tak debetní účty mohou být spojeny proti jinému připsání"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Ceník {0} je zakázána
@@ -2201,28 +2215,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Sériové čísla požadované pre položku {1}. Poskytli ste {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Aktuálne ocenenie Rate
DocType: Item,Customer Item Codes,Zákazník Položka Kódy
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Exchange zisk / strata
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange zisk / strata
DocType: Opportunity,Lost Reason,Ztracené Důvod
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Nová adresa
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Nová adresa
DocType: Quality Inspection,Sample Size,Velikost vzorku
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,"Prosím, zadajte prevzatia dokumentu"
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Všechny položky již byly fakturovány
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Všechny položky již byly fakturovány
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',"Uveďte prosím platný ""Od věci č '"
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,"Ďalšie nákladové strediská môžu byť vyrobené v rámci skupiny, ale položky môžu byť vykonané proti non-skupín"
DocType: Project,External,Externí
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Uživatelé a oprávnění
DocType: Vehicle Log,VLOG.,Vlog.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Výrobné zákazky Vytvorené: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Výrobné zákazky Vytvorené: {0}
DocType: Branch,Branch,Větev
DocType: Guardian,Mobile Number,Telefónne číslo
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Tisk a identita
DocType: Bin,Actual Quantity,Skutočné Množstvo
DocType: Shipping Rule,example: Next Day Shipping,Příklad: Next Day Shipping
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Pořadové číslo {0} nebyl nalezen
-DocType: Scheduling Tool,Student Batch,študent Batch
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Vaši Zákazníci
+DocType: Program Enrollment,Student Batch,študent Batch
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,urobiť Študent
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Boli ste pozvaní k spolupráci na projekte: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Boli ste pozvaní k spolupráci na projekte: {0}
DocType: Leave Block List Date,Block Date,Block Datum
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Nainštalovať teraz
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Aktuálny počet {0} / Čakajúci počet {1}
@@ -2232,7 +2245,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Vytvářet a spravovat denní, týdenní a měsíční e-mailové digest."
DocType: Appraisal Goal,Appraisal Goal,Posouzení Goal
DocType: Stock Reconciliation Item,Current Amount,Aktuálna výška
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,budovy
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,budovy
DocType: Fee Structure,Fee Structure,štruktúra poplatkov
DocType: Timesheet Detail,Costing Amount,Kalkulácie Čiastka
DocType: Student Admission,Application Fee,Poplatok za prihlášku
@@ -2244,10 +2257,10 @@
DocType: POS Profile,[Select],[Vybrať]
DocType: SMS Log,Sent To,Odoslaná
DocType: Payment Request,Make Sales Invoice,Vytvoriť faktúru
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,programy
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,programy
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Nasledujúce Kontakt dátum nemôže byť v minulosti
DocType: Company,For Reference Only.,Pouze orientační.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Vyberte položku šarže
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Vyberte položku šarže
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Neplatný {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PInv-RET-
DocType: Sales Invoice Advance,Advance Amount,Záloha ve výši
@@ -2257,15 +2270,15 @@
DocType: Employee,Employment Details,Informace o zaměstnání
DocType: Employee,New Workplace,Nové pracovisko
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Nastaviť ako Zatvorené
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},No Položka s čárovým kódem {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},No Položka s čárovým kódem {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Případ č nemůže být 0
DocType: Item,Show a slideshow at the top of the page,Ukazují prezentaci v horní části stránky
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,kusovníky
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Obchody
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,kusovníky
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Obchody
DocType: Serial No,Delivery Time,Dodací lhůta
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Stárnutí dle
DocType: Item,End of Life,Konec životnosti
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Cestování
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Cestování
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Žiadny aktívny alebo implicitné Plat Štruktúra nájdených pre zamestnancov {0} pre dané termíny
DocType: Leave Block List,Allow Users,Povolit uživatele
DocType: Purchase Order,Customer Mobile No,Zákazník Mobile Žiadne
@@ -2274,29 +2287,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Aktualizace Cost
DocType: Item Reorder,Item Reorder,Položka Reorder
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Show výplatnej páske
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Přenos materiálu
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Přenos materiálu
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Zadejte operací, provozní náklady a dávají jedinečnou operaci ne své operace."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Tento dokument je nad hranicou {0} {1} pre položku {4}. Robíte si iný {3} proti rovnakej {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Prosím nastavte opakujúce sa po uložení
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Vybrať zmena výšky účet
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Tento dokument je nad hranicou {0} {1} pre položku {4}. Robíte si iný {3} proti rovnakej {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Prosím nastavte opakujúce sa po uložení
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Vybrať zmena výšky účet
DocType: Purchase Invoice,Price List Currency,Ceník Měna
DocType: Naming Series,User must always select,Uživatel musí vždy vybrat
DocType: Stock Settings,Allow Negative Stock,Povolit Negativní Sklad
DocType: Installation Note,Installation Note,Poznámka k instalaci
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Pridajte dane
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Pridajte dane
DocType: Topic,Topic,téma
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Peňažný tok z finančnej
DocType: Budget Account,Budget Account,rozpočet účtu
DocType: Quality Inspection,Verified By,Verified By
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nelze změnit výchozí měně společnosti, protože tam jsou stávající transakce. Transakce musí být zrušena, aby změnit výchozí měnu."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nelze změnit výchozí měně společnosti, protože tam jsou stávající transakce. Transakce musí být zrušena, aby změnit výchozí měnu."
DocType: Grading Scale Interval,Grade Description,grade Popis
DocType: Stock Entry,Purchase Receipt No,Číslo příjmky
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Earnest Money
DocType: Process Payroll,Create Salary Slip,Vytvořit výplatní pásce
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,sledovateľnosť
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Zdrojem finančních prostředků (závazků)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Množství v řadě {0} ({1}), musí být stejné jako množství vyrobené {2}"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Zdrojem finančních prostředků (závazků)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Množství v řadě {0} ({1}), musí být stejné jako množství vyrobené {2}"
DocType: Appraisal,Employee,Zaměstnanec
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Vyberte možnosť Dávka
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} je úplne fakturované
DocType: Training Event,End Time,End Time
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktívne Štruktúra Plat {0} nájdené pre zamestnancov {1} pre uvedené termíny
@@ -2308,11 +2322,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Povinné On
DocType: Rename Tool,File to Rename,Súbor premenovať
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},"Prosím, vyberte BOM pre položku v riadku {0}"
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Stanovená BOM {0} neexistuje k bodu {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Účet {0} sa nezhoduje so spoločnosťou {1} v režime účtov: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Stanovená BOM {0} neexistuje k bodu {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Plán údržby {0} musí být zrušena před zrušením této prodejní objednávky
DocType: Notification Control,Expense Claim Approved,Uhrazení výdajů schváleno
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Výplatnej páske zamestnanca {0} už vytvorili pre toto obdobie
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Farmaceutické
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmaceutické
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Náklady na zakoupené zboží
DocType: Selling Settings,Sales Order Required,Prodejní objednávky Povinné
DocType: Purchase Invoice,Credit To,Kredit:
@@ -2329,43 +2344,43 @@
DocType: Payment Gateway Account,Payment Account,Platební účet
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,Uveďte prosím společnost pokračovat
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Čistá zmena objemu pohľadávok
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Vyrovnávací Off
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Vyrovnávací Off
DocType: Offer Letter,Accepted,Přijato
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,organizácie
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,organizácie
DocType: SG Creation Tool Course,Student Group Name,Meno Študent Group
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Uistite sa, že naozaj chcete vymazať všetky transakcie pre túto spoločnosť. Vaše kmeňové dáta zostanú, ako to je. Túto akciu nie je možné vrátiť späť."
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Uistite sa, že naozaj chcete vymazať všetky transakcie pre túto spoločnosť. Vaše kmeňové dáta zostanú, ako to je. Túto akciu nie je možné vrátiť späť."
DocType: Room,Room Number,Číslo izby
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Neplatná referencie {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}) nemôže byť väčšie, ako plánované množstvo ({2}), vo Výrobnej Objednávke {3}"
DocType: Shipping Rule,Shipping Rule Label,Přepravní Pravidlo Label
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,user Forum
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Suroviny nemůže být prázdný.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Nie je možné aktualizovať zásob, faktúra obsahuje pokles lodnej dopravy tovaru."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Suroviny nemůže být prázdný.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Nie je možné aktualizovať zásob, faktúra obsahuje pokles lodnej dopravy tovaru."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Rýchly vstup Journal
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,"Nemůžete změnit sazbu, kdyby BOM zmínil agianst libovolné položky"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,"Nemůžete změnit sazbu, kdyby BOM zmínil agianst libovolné položky"
DocType: Employee,Previous Work Experience,Předchozí pracovní zkušenosti
DocType: Stock Entry,For Quantity,Pre Množstvo
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},"Prosím, zadejte Plánované Množství k bodu {0} na řádku {1}"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} nie je odoslané
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Žádosti o položky.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Samostatná výroba objednávka bude vytvořena pro každého hotového dobrou položku.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} musí byť negatívny vo vratnom dokumente
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} musí byť negatívny vo vratnom dokumente
,Minutes to First Response for Issues,Zápisy do prvej reakcie na otázky
DocType: Purchase Invoice,Terms and Conditions1,Podmínky a podmínek1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,Názov inštitútu pre ktorý nastavujete tento systém.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,Názov inštitútu pre ktorý nastavujete tento systém.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Účetní záznam zmrazeny až do tohoto data, nikdo nemůže dělat / upravit položku kromě role uvedeno níže."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,"Prosím, uložit dokument před generováním plán údržby"
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Stav projektu
DocType: UOM,Check this to disallow fractions. (for Nos),"Zkontrolujte, zda to zakázat frakce. (U č)"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Nasledujúce Výrobné zákazky boli vytvorené:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Nasledujúce Výrobné zákazky boli vytvorené:
DocType: Student Admission,Naming Series (for Student Applicant),Pomenovanie Series (pre študentské prihlasovateľ)
DocType: Delivery Note,Transporter Name,Přepravce Název
DocType: Authorization Rule,Authorized Value,Autorizovaný Hodnota
DocType: BOM,Show Operations,ukázať Operations
,Minutes to First Response for Opportunity,Zápisy do prvej reakcie na príležitosť
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Celkem Absent
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Položka nebo Warehouse na řádku {0} neodpovídá Materiál Poptávka
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Položka nebo Warehouse na řádku {0} neodpovídá Materiál Poptávka
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Merná jednotka
DocType: Fiscal Year,Year End Date,Dátum konca roka
DocType: Task Depends On,Task Depends On,Úloha je závislá na
@@ -2465,11 +2480,11 @@
DocType: Asset,Manual,Manuálny
DocType: Salary Component Account,Salary Component Account,Účet plat Component
DocType: Global Defaults,Hide Currency Symbol,Skrýt symbol měny
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","napríkklad banka, hotovosť, kreditné karty"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","napríkklad banka, hotovosť, kreditné karty"
DocType: Lead Source,Source Name,Názov zdroja
DocType: Journal Entry,Credit Note,Dobropis
DocType: Warranty Claim,Service Address,Servisní adresy
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Nábytok a svietidlá
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Nábytok a svietidlá
DocType: Item,Manufacture,Výroba
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Dodávka Vezměte prosím na vědomí první
DocType: Student Applicant,Application Date,aplikácie Dátum
@@ -2479,7 +2494,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Výprodej Datum není uvedeno
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Výroba
DocType: Guardian,Occupation,povolania
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Prosím, nastavte systém pomenovania zamestnancov v oblasti ľudských zdrojov> Nastavenia personálu"
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,"Row {0}: datum zahájení, musí být před koncem roku Datum"
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Total (ks)
DocType: Sales Invoice,This Document,tento dokument
@@ -2491,20 +2505,20 @@
DocType: Purchase Receipt,Time at which materials were received,"Čas, kdy bylo přijato materiály"
DocType: Stock Ledger Entry,Outgoing Rate,Odchádzajúce Rate
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organizace větev master.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,alebo
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,alebo
DocType: Sales Order,Billing Status,Status Fakturace
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Nahlásiť problém
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Utility Náklady
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Utility Náklady
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90 Nad
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Riadok # {0}: Journal Entry {1} nemá účet {2} alebo už uzavreté proti inému poukazu
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Riadok # {0}: Journal Entry {1} nemá účet {2} alebo už uzavreté proti inému poukazu
DocType: Buying Settings,Default Buying Price List,Výchozí Nákup Ceník
DocType: Process Payroll,Salary Slip Based on Timesheet,Plat Slip na základe časového rozvrhu
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Žiadny zamestnanec pre vyššie zvolených kritérií alebo výplatnej páske už vytvorili
DocType: Notification Control,Sales Order Message,Prodejní objednávky Message
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Nastavit jako výchozí hodnoty, jako je společnost, měna, aktuálním fiskálním roce, atd"
DocType: Payment Entry,Payment Type,Typ platby
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Vyberte položku Dávka pre položku {0}. Nie je možné nájsť jednu dávku, ktorá spĺňa túto požiadavku"
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Vyberte položku Dávka pre položku {0}. Nie je možné nájsť jednu dávku, ktorá spĺňa túto požiadavku"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Vyberte položku Dávka pre položku {0}. Nie je možné nájsť jednu dávku, ktorá spĺňa túto požiadavku"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Vyberte položku Dávka pre položku {0}. Nie je možné nájsť jednu dávku, ktorá spĺňa túto požiadavku"
DocType: Process Payroll,Select Employees,Vybrať Zamestnanci
DocType: Opportunity,Potential Sales Deal,Potenciální prodej
DocType: Payment Entry,Cheque/Reference Date,Šek / Referenčný dátum
@@ -2524,7 +2538,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Príjem a musí byť predložený
DocType: Purchase Invoice Item,Received Qty,Přijaté Množství
DocType: Stock Entry Detail,Serial No / Batch,Výrobní číslo / Batch
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Nezaplatené a nedoručené
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Nezaplatené a nedoručené
DocType: Product Bundle,Parent Item,Nadřazená položka
DocType: Account,Account Type,Typ účtu
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2538,25 +2552,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),Identifikace balíčku pro dodávky (pro tisk)
DocType: Bin,Reserved Quantity,Vyhrazeno Množství
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Zadajte platnú e-mailovú adresu
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Neexistuje žiadny povinný kurz pre program {0}
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Neexistuje žiadny povinný kurz pre program {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Položky příjemky
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Prispôsobenie Formuláre
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,nedoplatok
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,nedoplatok
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Odpisy hodnoty v priebehu obdobia
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Bezbariérový šablóna nesmie byť predvolenú šablónu
DocType: Account,Income Account,Účet příjmů
DocType: Payment Request,Amount in customer's currency,Čiastka v mene zákazníka
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Dodávka
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Dodávka
DocType: Stock Reconciliation Item,Current Qty,Aktuálne Množstvo
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section","Viz ""Hodnotit materiálů na bázi"" v kapitole Costing"
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Predchádzajúce
DocType: Appraisal Goal,Key Responsibility Area,Key Odpovědnost Area
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Študent Šarže pomôže sledovať dochádzku, hodnotenia a poplatky pre študentov"
DocType: Payment Entry,Total Allocated Amount,Celková alokovaná suma
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Nastavte predvolený inventárny účet pre trvalý inventár
DocType: Item Reorder,Material Request Type,Materiál Typ požadavku
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Journal vstup na platy z {0} až {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","Miestne úložisko je plné, nezachránil"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","Miestne úložisko je plné, nezachránil"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Riadok {0}: Konverzný faktor MJ je povinný
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Ref
DocType: Budget,Cost Center,Nákladové středisko
@@ -2569,19 +2582,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Ceny Pravidlo je vyrobena přepsat Ceník / definovat slevy procenta, na základě určitých kritérií."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Sklad je možné provést pouze prostřednictvím Burzy Entry / dodací list / doklad o zakoupení
DocType: Employee Education,Class / Percentage,Třída / Procento
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Vedoucí marketingu a prodeje
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Daň z příjmů
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Vedoucí marketingu a prodeje
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Daň z příjmů
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Je-li zvolena Ceny pravidlo je určen pro ""Cena"", přepíše ceníku. Ceny Pravidlo cena je konečná cena, a proto by měla být použita žádná další sleva. Proto, v transakcích, jako odběratele, objednávky atd, bude stažen v oboru ""sazbou"", spíše než poli ""Ceník sazby""."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Trasa vede od průmyslu typu.
DocType: Item Supplier,Item Supplier,Položka Dodavatel
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,"Prosím, zadejte kód položky se dostat dávku no"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},Vyberte prosím hodnotu pro {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,"Prosím, zadejte kód položky se dostat dávku no"
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Vyberte prosím hodnotu pro {0} quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Všechny adresy.
DocType: Company,Stock Settings,Nastavenie Skladu
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Spojenie je možné len vtedy, ak tieto vlastnosti sú rovnaké v oboch záznamoch. Je Group, Root Type, Company"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Spojenie je možné len vtedy, ak tieto vlastnosti sú rovnaké v oboch záznamoch. Je Group, Root Type, Company"
DocType: Vehicle,Electric,elektrický
DocType: Task,% Progress,% Progress
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Zisk / strata z aktív likvidácii
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Zisk / strata z aktív likvidácii
DocType: Training Event,Will send an email about the event to employees with status 'Open',"Pošle e-mail o tejto udalosti, aby zamestnanci so statusom "otvorený""
DocType: Task,Depends on Tasks,Závisí na Úlohy
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Správa zákazníků skupiny Tree.
@@ -2590,7 +2603,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Názov nového nákladového strediska
DocType: Leave Control Panel,Leave Control Panel,Nechte Ovládací panely
DocType: Project,Task Completion,úloha Dokončenie
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,nie je na sklade
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,nie je na sklade
DocType: Appraisal,HR User,HR User
DocType: Purchase Invoice,Taxes and Charges Deducted,Daně a odečtené
apps/erpnext/erpnext/hooks.py +116,Issues,Problémy
@@ -2601,22 +2614,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Č plat sklzu nájdený medzi {0} a {1}
,Pending SO Items For Purchase Request,"Do doby, než SO položky k nákupu Poptávka"
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,študent Prijímacie
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} je zakázaný
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} je zakázaný
DocType: Supplier,Billing Currency,Mena fakturácie
DocType: Sales Invoice,SINV-RET-,Sinv-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Extra Veľké
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra Veľké
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Celkom Listy
,Profit and Loss Statement,Výkaz ziskov a strát
DocType: Bank Reconciliation Detail,Cheque Number,Šek číslo
,Sales Browser,Sales Browser
DocType: Journal Entry,Total Credit,Celkový Credit
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Upozornenie: Ďalším {0} # {1} existuje proti akciovej vstupu {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Místní
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Místní
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Úvěrů a půjček (aktiva)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Dlužníci
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Veľký
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Veľký
DocType: Homepage Featured Product,Homepage Featured Product,Úvodná Odporúčané tovar
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Všetky skupiny Assessment
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Všetky skupiny Assessment
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Nový sklad Name
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Celkom {0} ({1})
DocType: C-Form Invoice Detail,Territory,Území
@@ -2626,12 +2639,12 @@
DocType: Production Order Operation,Planned Start Time,Plánované Start Time
DocType: Course,Assessment,posúdenie
DocType: Payment Entry Reference,Allocated,Přidělené
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Zavřete Rozvahu a zapiš účetní zisk nebo ztrátu.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Zavřete Rozvahu a zapiš účetní zisk nebo ztrátu.
DocType: Student Applicant,Application Status,stav aplikácie
DocType: Fees,Fees,poplatky
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Zadejte Exchange Rate převést jednu měnu na jinou
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Ponuka {0} je zrušená
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Celková dlužná částka
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Celková dlužná částka
DocType: Sales Partner,Targets,Cíle
DocType: Price List,Price List Master,Ceník Master
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Všechny prodejní transakce mohou být označeny proti více ** prodejcům **, takže si můžete nastavit a sledovat cíle."
@@ -2675,12 +2688,12 @@
1. Adresa a kontakt na vaši společnost."
DocType: Attendance,Leave Type,Leave Type
DocType: Purchase Invoice,Supplier Invoice Details,Dodávateľ fakturačné údaje
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Náklady / Rozdíl účtu ({0}), musí být ""zisk nebo ztráta"" účet"
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Náklady / Rozdíl účtu ({0}), musí být ""zisk nebo ztráta"" účet"
DocType: Project,Copied From,Skopírované z
DocType: Project,Copied From,Skopírované z
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Názov chyba: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,nedostatok
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} nie je spojené s {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} nie je spojené s {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Účast na zaměstnance {0} je již označen
DocType: Packing Slip,If more than one package of the same type (for print),Pokud je více než jeden balík stejného typu (pro tisk)
,Salary Register,plat Register
@@ -2698,22 +2711,23 @@
,Requested Qty,Požadované množství
DocType: Tax Rule,Use for Shopping Cart,Použitie pre Košík
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Hodnota {0} atribútu {1} neexistuje v zozname platného bodu Hodnoty atribútov pre položky {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Vyberte sériové čísla
DocType: BOM Item,Scrap %,Scrap%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Poplatky budou rozděleny úměrně na základě položky Množství nebo částkou, dle Vašeho výběru"
DocType: Maintenance Visit,Purposes,Cíle
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Aspoň jedna položka by mala byť zadaná s negatívnym množstvom vo vratnom dokumente
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Aspoň jedna položka by mala byť zadaná s negatívnym množstvom vo vratnom dokumente
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Prevádzka {0} dlhšie, než všetkých dostupných pracovných hodín v pracovnej stanici {1}, rozložiť prevádzku do niekoľkých operácií"
,Requested,Požadované
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Žiadne poznámky
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Žiadne poznámky
DocType: Purchase Invoice,Overdue,Zpožděný
DocType: Account,Stock Received But Not Billed,Sklad nepřijali Účtovaný
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Root účet musí byť skupina
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Root účet musí byť skupina
DocType: Fees,FEE.,FEE.
DocType: Employee Loan,Repaid/Closed,Splatená / Zatvorené
DocType: Item,Total Projected Qty,Celková predpokladaná Množstvo
DocType: Monthly Distribution,Distribution Name,Názov distribúcie
DocType: Course,Course Code,kód predmetu
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Kontrola kvality potřebný k bodu {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Kontrola kvality potřebný k bodu {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,"Sazba, za kterou zákazník měny je převeden na společnosti základní měny"
DocType: Purchase Invoice Item,Net Rate (Company Currency),Čistý Rate (Company meny)
DocType: Salary Detail,Condition and Formula Help,Stav a Formula nápovedy
@@ -2726,27 +2740,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Materiál Přenos: Výroba
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Sleva v procentech lze použít buď proti Ceníku nebo pro všechny Ceníku.
DocType: Purchase Invoice,Half-yearly,Pololetní
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Účetní položka na skladě
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Účetní položka na skladě
DocType: Vehicle Service,Engine Oil,Motorový olej
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Prosím, nastavte systém pomenovania zamestnancov v oblasti ľudských zdrojov> Nastavenia personálu"
DocType: Sales Invoice,Sales Team1,Sales Team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Bod {0} neexistuje
DocType: Sales Invoice,Customer Address,Zákazník Address
DocType: Employee Loan,Loan Details,pôžička Podrobnosti
+DocType: Company,Default Inventory Account,Predvolený inventárny účet
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Riadok {0}: Dokončené množstvo musí byť väčšia ako nula.
DocType: Purchase Invoice,Apply Additional Discount On,Použiť dodatočné Zľava na
DocType: Account,Root Type,Root Type
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Riadok # {0}: Nemožno vrátiť viac ako {1} pre bodu {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Riadok # {0}: Nemožno vrátiť viac ako {1} pre bodu {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Spiknutí
DocType: Item Group,Show this slideshow at the top of the page,Zobrazit tuto prezentaci v horní části stránky
DocType: BOM,Item UOM,MJ položky
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Suma dane po zľave Suma (Company meny)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Target sklad je povinná pro řadu {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Target sklad je povinná pro řadu {0}
DocType: Cheque Print Template,Primary Settings,primárnej Nastavenie
DocType: Purchase Invoice,Select Supplier Address,Vybrať Dodávateľ Address
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Pridajte Zamestnanci
DocType: Purchase Invoice Item,Quality Inspection,Kontrola kvality
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Extra Malé
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Malé
DocType: Company,Standard Template,štandardná šablóna
DocType: Training Event,Theory,teória
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Upozornění: Materiál Požadované množství je menší než minimální objednávka Množství
@@ -2754,7 +2770,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Právní subjekt / dceřiná společnost s oddělenou Graf účtů, které patří do organizace."
DocType: Payment Request,Mute Email,Mute Email
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Potraviny, nápoje a tabák"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Možno vykonať len platbu proti nevyfakturované {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Možno vykonať len platbu proti nevyfakturované {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Rychlost Komise nemůže být větší než 100
DocType: Stock Entry,Subcontract,Subdodávka
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,"Prosím, zadajte {0} ako prvý"
@@ -2767,18 +2783,18 @@
DocType: SMS Log,No of Sent SMS,Počet odeslaných SMS
DocType: Account,Expense Account,Účtet nákladů
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Software
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Farebné
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Farebné
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Plan Assessment Criteria
DocType: Training Event,Scheduled,Plánované
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Žiadosť o cenovú ponuku.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Prosím, vyberte položku, kde "Je skladom," je "Nie" a "je Sales Item" "Áno" a nie je tam žiadny iný produkt Bundle"
DocType: Student Log,Academic,akademický
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Celkové zálohy ({0}) na objednávku {1} nemôže byť väčšia ako Celkom ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Celkové zálohy ({0}) na objednávku {1} nemôže byť väčšia ako Celkom ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Vyberte měsíční výplatou na nerovnoměrně distribuovat cílů napříč měsíců.
DocType: Purchase Invoice Item,Valuation Rate,Ocenění Rate
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,motorová nafta
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Ceníková Měna není zvolena
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Ceníková Měna není zvolena
,Student Monthly Attendance Sheet,Študent mesačná návštevnosť Sheet
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Zaměstnanec {0} již požádal o {1} mezi {2} a {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Datum zahájení projektu
@@ -2791,7 +2807,7 @@
DocType: BOM,Scrap,šrot
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Správa prodejních partnerů.
DocType: Quality Inspection,Inspection Type,Kontrola Type
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Sklady s existujúcimi transakcie nemožno previesť na skupinu.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Sklady s existujúcimi transakcie nemožno previesť na skupinu.
DocType: Assessment Result Tool,Result HTML,výsledok HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Vyprší
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Pridajte študentov
@@ -2799,13 +2815,13 @@
DocType: C-Form,C-Form No,C-Form No
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,Neoznačené Návštevnosť
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Výzkumník
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Výzkumník
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Registrácia do programu Student Tool
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Meno alebo e-mail je povinné
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Vstupní kontrola jakosti.
DocType: Purchase Order Item,Returned Qty,Vrátené Množstvo
DocType: Employee,Exit,Východ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Root Type je povinné
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root Type je povinné
DocType: BOM,Total Cost(Company Currency),Celkové náklady (Company mena)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Pořadové číslo {0} vytvořil
DocType: Homepage,Company Description for website homepage,Spoločnosť Popis pre webové stránky domovskú stránku
@@ -2814,7 +2830,7 @@
DocType: Sales Invoice,Time Sheet List,Doba Zoznam Sheet
DocType: Employee,You can enter any date manually,Můžete zadat datum ručně
DocType: Asset Category Account,Depreciation Expense Account,Odpisy Náklady účtu
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Skúšobná doba
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Skúšobná doba
DocType: Customer Group,Only leaf nodes are allowed in transaction,Pouze koncové uzly jsou povoleny v transakci
DocType: Expense Claim,Expense Approver,Schvalovatel výdajů
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Riadok {0}: Advance proti zákazník musí byť úver
@@ -2828,10 +2844,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Plány kurzu ruší:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Protokoly pre udržanie stavu doručenia sms
DocType: Accounts Settings,Make Payment via Journal Entry,Vykonať platbu cez Journal Entry
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Vytlačené na
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Vytlačené na
DocType: Item,Inspection Required before Delivery,Inšpekcia Požadované pred pôrodom
DocType: Item,Inspection Required before Purchase,Inšpekcia Požadované pred nákupom
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Nevybavené Aktivity
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Vaša organizácia
DocType: Fee Component,Fees Category,kategórie poplatky
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Zadejte zmírnění datum.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
@@ -2841,9 +2858,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Změna pořadí Level
DocType: Company,Chart Of Accounts Template,Účtový rozvrh šablóny
DocType: Attendance,Attendance Date,Účast Datum
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Položka Cena aktualizovaný pre {0} v Cenníku {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Položka Cena aktualizovaný pre {0} v Cenníku {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Plat rozpad na základě Zisk a dedukce.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Účet s podřízenými uzly nelze převést na hlavní účetní knihu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Účet s podřízenými uzly nelze převést na hlavní účetní knihu
DocType: Purchase Invoice Item,Accepted Warehouse,Schválené Sklad
DocType: Bank Reconciliation Detail,Posting Date,Datum zveřejnění
DocType: Item,Valuation Method,Ocenění Method
@@ -2852,14 +2869,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Duplicitní záznam
DocType: Program Enrollment Tool,Get Students,získať študentov
DocType: Serial No,Under Warranty,V rámci záruky
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Chyba]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Chyba]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,"Ve slovech budou viditelné, jakmile uložíte prodejní objednávky."
,Employee Birthday,Narozeniny zaměstnance
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Študent Batch Účasť Tool
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,limit skríženými
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,limit skríženými
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Venture Capital
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Akademický termín s týmto "akademický rok '{0} a" Meno Termín' {1} už existuje. Upravte tieto položky a skúste to znova.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}",Pretože existujú nejaké transakcie voči položke {0} nemožno zmeniť hodnotu {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}",Pretože existujú nejaké transakcie voči položke {0} nemožno zmeniť hodnotu {1}
DocType: UOM,Must be Whole Number,Musí být celé číslo
DocType: Leave Control Panel,New Leaves Allocated (In Days),Nové Listy Přidělené (ve dnech)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Pořadové číslo {0} neexistuje
@@ -2868,6 +2885,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Číslo faktúry
DocType: Shopping Cart Settings,Orders,Objednávky
DocType: Employee Leave Approver,Leave Approver,Nechte schvalovač
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Vyberte dávku
DocType: Assessment Group,Assessment Group Name,Názov skupiny Assessment
DocType: Manufacturing Settings,Material Transferred for Manufacture,Prevádza jadrový materiál pre Výroba
DocType: Expense Claim,"A user with ""Expense Approver"" role","Uživatel s rolí ""Schvalovatel výdajů"""
@@ -2877,9 +2895,10 @@
DocType: Target Detail,Target Detail,Target Detail
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,všetky Jobs
DocType: Sales Order,% of materials billed against this Sales Order,% Materiálov fakturovaných proti tejto Predajnej objednávke
+DocType: Program Enrollment,Mode of Transportation,Spôsob dopravy
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Období Uzávěrka Entry
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Nákladové středisko se stávajícími transakcemi nelze převést do skupiny
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Množstvo {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Množstvo {0} {1} {2} {3}
DocType: Account,Depreciation,Znehodnocení
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Dodavatel (é)
DocType: Employee Attendance Tool,Employee Attendance Tool,Účasť zamestnancov Tool
@@ -2887,7 +2906,7 @@
DocType: Supplier,Credit Limit,Úvěrový limit
DocType: Production Plan Sales Order,Salse Order Date,Salse Dátum objednávky
DocType: Salary Component,Salary Component,plat Component
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Platobné Príspevky {0} sú un-spojený
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Platobné Príspevky {0} sú un-spojený
DocType: GL Entry,Voucher No,Voucher No
,Lead Owner Efficiency,Vedenie efektívnosti vlastníka
,Lead Owner Efficiency,Vedenie efektívnosti vlastníka
@@ -2899,11 +2918,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Šablona podmínek nebo smlouvy.
DocType: Purchase Invoice,Address and Contact,Adresa a Kontakt
DocType: Cheque Print Template,Is Account Payable,Je účtu splatný
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Sklad nie je možné aktualizovať proti dokladu o kúpe {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Sklad nie je možné aktualizovať proti dokladu o kúpe {0}
DocType: Supplier,Last Day of the Next Month,Posledný deň nasledujúceho mesiaca
DocType: Support Settings,Auto close Issue after 7 days,Auto zavrieť Issue po 7 dňoch
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Dovolenka nemôže byť pridelené pred {0}, pretože rovnováha dovolenky už bolo carry-odovzdávané v budúcej pridelenie dovolenku záznamu {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Poznámka: Z důvodu / Referenční datum překračuje povolené zákazníků úvěrové dní od {0} den (s)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Poznámka: Z důvodu / Referenční datum překračuje povolené zákazníků úvěrové dní od {0} den (s)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,študent Žiadateľ
DocType: Asset Category Account,Accumulated Depreciation Account,účet oprávok
DocType: Stock Settings,Freeze Stock Entries,Freeze Stock Příspěvky
@@ -2912,36 +2931,36 @@
DocType: Activity Cost,Billing Rate,Fakturačná cena
,Qty to Deliver,Množství k dodání
,Stock Analytics,Stock Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Operácia nemôže byť prázdne
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operácia nemôže byť prázdne
DocType: Maintenance Visit Purpose,Against Document Detail No,Proti Detail dokumentu č
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Typ strana je povinná
DocType: Quality Inspection,Outgoing,Vycházející
DocType: Material Request,Requested For,Požadovaných pro
DocType: Quotation Item,Against Doctype,Proti DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} je zrušený alebo zatvorené
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} je zrušený alebo zatvorené
DocType: Delivery Note,Track this Delivery Note against any Project,Sledovat tento dodacím listu proti jakémukoli projektu
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Čistý peňažný tok z investičnej
-,Is Primary Address,Je Hlavný adresa
DocType: Production Order,Work-in-Progress Warehouse,Work-in-Progress sklad
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Asset {0} musí byť predložené
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Účasť Record {0} existuje proti Študent {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Účasť Record {0} existuje proti Študent {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Reference # {0} ze dne {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Odpisy vypadol v dôsledku nakladania s majetkom
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Správa adries
DocType: Asset,Item Code,Kód položky
DocType: Production Planning Tool,Create Production Orders,Vytvoření výrobní zakázky
DocType: Serial No,Warranty / AMC Details,Záruka / AMC Podrobnosti
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Vyberte manuálne študentov pre skupinu založenú na aktivitách
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Vyberte manuálne študentov pre skupinu založenú na aktivitách
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Vyberte manuálne študentov pre skupinu založenú na aktivitách
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Vyberte manuálne študentov pre skupinu založenú na aktivitách
DocType: Journal Entry,User Remark,Uživatel Poznámka
DocType: Lead,Market Segment,Segment trhu
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Zaplatená suma nemôže byť vyšší ako celkový negatívny dlžnej čiastky {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Zaplatená suma nemôže byť vyšší ako celkový negatívny dlžnej čiastky {0}
DocType: Employee Internal Work History,Employee Internal Work History,Interní historie práce zaměstnance
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Uzavření (Dr)
DocType: Cheque Print Template,Cheque Size,šek Veľkosť
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Pořadové číslo {0} není skladem
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Daňové šablona na prodej transakce.
DocType: Sales Invoice,Write Off Outstanding Amount,Odepsat dlužné částky
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Účet {0} sa nezhoduje so spoločnosťou {1}
DocType: School Settings,Current Academic Year,Súčasný akademický rok
DocType: School Settings,Current Academic Year,Súčasný akademický rok
DocType: Stock Settings,Default Stock UOM,Východzia skladová MJ
@@ -2957,27 +2976,27 @@
DocType: Asset,Double Declining Balance,double degresívne
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Uzavretá objednávka nemôže byť zrušený. Otvoriť zrušiť.
DocType: Student Guardian,Father,otec
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,"Aktualizácia Sklad" nemôžu byť kontrolované na pevnú predaji majetku
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"Aktualizácia Sklad" nemôžu byť kontrolované na pevnú predaji majetku
DocType: Bank Reconciliation,Bank Reconciliation,Bank Odsouhlasení
DocType: Attendance,On Leave,Na odchode
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Získať aktualizácie
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Účet {2} nepatrí do spoločnosti {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Materiál Request {0} je zrušena nebo zastavena
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Pridať niekoľko ukážkových záznamov
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Pridať niekoľko ukážkových záznamov
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Správa priepustiek
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Seskupit podle účtu
DocType: Sales Order,Fully Delivered,Plně Dodáno
DocType: Lead,Lower Income,S nižšími příjmy
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Zdroj a cíl sklad nemůže být stejná pro řádek {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Zdroj a cíl sklad nemůže být stejná pro řádek {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Rozdiel účet musí byť typu aktív / Zodpovednosť účet, pretože to Reklamná Zmierenie je Entry Otvorenie"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Zaplatené čiastky nemôže byť väčšia ako Výška úveru {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Číslo vydané objednávky je potřebné k položce {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Zákazková výroba nevytvorili
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Číslo vydané objednávky je potřebné k položce {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Zákazková výroba nevytvorili
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""Dátum DO"" musí byť po ""Dátum OD"""
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Nemôže zmeniť štatút študenta {0} je prepojený s aplikáciou študentské {1}
DocType: Asset,Fully Depreciated,plne odpísaný
,Stock Projected Qty,Reklamní Plánovaná POČET
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Zákazník {0} nepatří k projektu {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Zákazník {0} nepatří k projektu {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Výrazná Účasť HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Citácie sú návrhy, ponuky ste svojim zákazníkom odoslanej"
DocType: Sales Order,Customer's Purchase Order,Zákazníka Objednávka
@@ -2986,8 +3005,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Súčet skóre hodnotiacich kritérií musí byť {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Prosím nastavte Počet Odpisy rezervované
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Hodnota nebo Množství
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Productions Objednávky nemôže byť zvýšená pre:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Minúta
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions Objednávky nemôže byť zvýšená pre:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Minúta
DocType: Purchase Invoice,Purchase Taxes and Charges,Nákup Daně a poplatky
,Qty to Receive,Množství pro příjem
DocType: Leave Block List,Leave Block List Allowed,Nechte Block List povolena
@@ -2995,25 +3014,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Náklady Nárok na Vehicle Log {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Zľava (%) na sadzbe cien s maržou
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Zľava (%) na sadzbe cien s maržou
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,všetky Sklady
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,všetky Sklady
DocType: Sales Partner,Retailer,Maloobchodník
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Pripísať na účet musí byť účtu Súvaha
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Pripísať na účet musí byť účtu Súvaha
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Všechny typy Dodavatele
DocType: Global Defaults,Disable In Words,Zakázať v slovách
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,"Kód položky je povinné, protože položka není automaticky číslovány"
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Kód položky je povinné, protože položka není automaticky číslovány"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Ponuka {0} nie je typu {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Plán údržby Item
DocType: Sales Order,% Delivered,% Dodaných
DocType: Production Order,PRO-,PRO-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Kontokorentní úvěr na účtu
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Kontokorentní úvěr na účtu
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Proveďte výplatní pásce
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Riadok # {0}: Pridelená čiastka nemôže byť vyššia ako dlžná suma.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Prechádzať BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Zajištěné úvěry
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Zajištěné úvěry
DocType: Purchase Invoice,Edit Posting Date and Time,Úpravy účtovania Dátum a čas
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Prosím, amortizácia účty s ním súvisiacich v kategórii Asset {0} alebo {1} Company"
DocType: Academic Term,Academic Year,Akademický rok
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Počiatočný stav Equity
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Počiatočný stav Equity
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Ocenění
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},E-mailu zaslaného na dodávateľa {0}
@@ -3029,7 +3048,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Schválení role nemůže být stejná jako role pravidlo se vztahuje na
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Odhlásiť sa z tohto Email Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Správa bola odoslaná
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Účet s podriadené uzly nie je možné nastaviť ako hlavnej knihy
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Účet s podriadené uzly nie je možné nastaviť ako hlavnej knihy
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,"Sazba, za kterou Ceník měna je převeden na zákazníka základní měny"
DocType: Purchase Invoice Item,Net Amount (Company Currency),Čistá suma (Company Mena)
@@ -3064,7 +3083,7 @@
DocType: Expense Claim,Approval Status,Stav schválení
DocType: Hub Settings,Publish Items to Hub,Publikování položky do Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},Z hodnota musí být menší než hodnota v řadě {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Bankovní převod
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Bankovní převod
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,"skontrolujte, či všetky"
DocType: Vehicle Log,Invoice Ref,faktúra Ref
DocType: Purchase Order,Recurring Order,Opakující se objednávky
@@ -3077,19 +3096,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Bankovníctvo a platby
,Welcome to ERPNext,Vitajte v ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Obchodná iniciatíva na Ponuku
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nic víc ukázat.
DocType: Lead,From Customer,Od Zákazníka
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Volá
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Volá
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,dávky
DocType: Project,Total Costing Amount (via Time Logs),Celková kalkulácie Čiastka (cez Time Záznamy)
DocType: Purchase Order Item Supplied,Stock UOM,Skladová MJ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Vydaná objednávka {0} není odeslána
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Vydaná objednávka {0} není odeslána
DocType: Customs Tariff Number,Tariff Number,tarif Počet
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Plánovaná
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Pořadové číslo {0} nepatří do skladu {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"Poznámka: Systém nebude kontrolovať nad-dodávku a nad-rezerváciu pre Položku {0} , keďže množstvo alebo čiastka je 0"
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"Poznámka: Systém nebude kontrolovať nad-dodávku a nad-rezerváciu pre Položku {0} , keďže množstvo alebo čiastka je 0"
DocType: Notification Control,Quotation Message,Správa k ponuke
DocType: Employee Loan,Employee Loan Application,Zamestnanec žiadosť o úver
DocType: Issue,Opening Date,Datum otevření
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Účasť bola úspešne označená.
+DocType: Program Enrollment,Public Transport,Verejná doprava
DocType: Journal Entry,Remark,Poznámka
DocType: Purchase Receipt Item,Rate and Amount,Sadzba a množstvo
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Typ účtu pre {0} musí byť {1}
@@ -3097,32 +3119,32 @@
DocType: School Settings,Current Academic Term,Aktuálny akademický výraz
DocType: School Settings,Current Academic Term,Aktuálny akademický výraz
DocType: Sales Order,Not Billed,Nevyúčtované
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Oba Sklady musí patřit do stejné společnosti
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Žádné kontakty přidán dosud.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Oba Sklady musí patřit do stejné společnosti
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Žádné kontakty přidán dosud.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Přistál Náklady Voucher Částka
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Směnky vznesené dodavately
DocType: POS Profile,Write Off Account,Odepsat účet
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Debetná poznámka Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Částka slevy
DocType: Purchase Invoice,Return Against Purchase Invoice,Návrat proti nákupnej faktúry
DocType: Item,Warranty Period (in days),Záruční doba (ve dnech)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Súvislosť s Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Súvislosť s Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Čistý peňažný tok z prevádzkovej
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,napríklad DPH
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,napríklad DPH
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Bod 4
DocType: Student Admission,Admission End Date,Vstupné Dátum ukončenia
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,subdodávky
DocType: Journal Entry Account,Journal Entry Account,Zápis do deníku Účet
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,študent Group
DocType: Shopping Cart Settings,Quotation Series,Číselná rada ponúk
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Položka s rovnakým názvom už existuje ({0}), prosím, zmente názov skupiny položiek alebo premenujte položku"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,vyberte zákazníka
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Položka s rovnakým názvom už existuje ({0}), prosím, zmente názov skupiny položiek alebo premenujte položku"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,vyberte zákazníka
DocType: C-Form,I,ja
DocType: Company,Asset Depreciation Cost Center,Asset Odpisy nákladového strediska
DocType: Sales Order Item,Sales Order Date,Prodejní objednávky Datum
DocType: Sales Invoice Item,Delivered Qty,Dodává Množství
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Ak je zaškrtnuté, budú všetky deti každej výrobné položky zahrnuté v materiáli požiadavky."
DocType: Assessment Plan,Assessment Plan,Plan Assessment
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Sklad {0}: Společnost je povinná
DocType: Stock Settings,Limit Percent,limit Percento
,Payment Period Based On Invoice Date,Platební období na základě data vystavení faktury
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Chybí Směnárna Kurzy pro {0}
@@ -3134,7 +3156,7 @@
DocType: Vehicle,Insurance Details,poistenie Podrobnosti
DocType: Account,Payable,Splatný
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,"Prosím, zadajte dobu splácania"
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Dlžníci ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Dlžníci ({0})
DocType: Pricing Rule,Margin,Marže
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Noví zákazníci
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Hrubý Zisk %
@@ -3145,16 +3167,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Party je povinná
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,Názov témy
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Aspoň jeden z prodeje nebo koupě musí být zvolena
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Vyberte podstatu svojho podnikania.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Aspoň jeden z prodeje nebo koupě musí být zvolena
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Vyberte podstatu svojho podnikania.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Riadok # {0}: Duplicitný záznam v referenciách {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,"Tam, kde jsou výrobní operace prováděny."
DocType: Asset Movement,Source Warehouse,Zdroj Warehouse
DocType: Installation Note,Installation Date,Datum instalace
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Riadok # {0}: {1} Asset nepatrí do spoločnosti {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Riadok # {0}: {1} Asset nepatrí do spoločnosti {2}
DocType: Employee,Confirmation Date,Potvrzení Datum
DocType: C-Form,Total Invoiced Amount,Celková fakturovaná čiastka
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min množství nemůže být větší než Max Množství
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Min množství nemůže být větší než Max Množství
DocType: Account,Accumulated Depreciation,oprávky
DocType: Stock Entry,Customer or Supplier Details,Zákazníka alebo dodávateľa Podrobnosti
DocType: Employee Loan Application,Required by Date,Vyžadované podľa dátumu
@@ -3175,22 +3197,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Měsíční Distribution Procento
DocType: Territory,Territory Targets,Území Cíle
DocType: Delivery Note,Transporter Info,Transporter Info
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Prosím nastaviť predvolený {0} vo firme {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Prosím nastaviť predvolený {0} vo firme {1}
DocType: Cheque Print Template,Starting position from top edge,Východisková poloha od horného okraja
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Rovnaký dodávateľ bol zadaný viackrát
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Hrubý zisk / strata
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Dodané položky vydané objednávky
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Názov spoločnosti nemôže byť Company
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Názov spoločnosti nemôže byť Company
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Dopis hlavy na tiskových šablon.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Tituly na tiskových šablon, např zálohové faktury."
DocType: Student Guardian,Student Guardian,študent Guardian
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Poplatky typu ocenenie môže nie je označený ako Inclusive
DocType: POS Profile,Update Stock,Aktualizace skladem
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dodávateľ> Typ dodávateľa
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Různé UOM položky povede k nesprávné (celkem) Čistá hmotnost hodnoty. Ujistěte se, že čistá hmotnost každé položky je ve stejném nerozpuštěných."
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Rate
DocType: Asset,Journal Entry for Scrap,Zápis do denníka do šrotu
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,"Prosím, vytáhněte položky z dodací list"
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Zápisů {0} jsou un-spojený
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Zápisů {0} jsou un-spojený
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Záznam všetkých oznámení typu e-mail, telefón, chát, návštevy, atď"
DocType: Manufacturer,Manufacturers used in Items,Výrobcovia používané v bodoch
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,"Prosím, uveďte zaokrúhliť nákladové stredisko v spoločnosti"
@@ -3239,34 +3262,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,Dodávateľ doručí zákazníkovi
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Položka / {0}) nie je na sklade
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Ďalšie Dátum musí byť väčšia ako Dátum zverejnenia
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Show daň break-up
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Vzhledem / Referenční datum nemůže být po {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Show daň break-up
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Vzhledem / Referenční datum nemůže být po {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Import dát a export
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","Prírastky zásob existujú proti skladu {0}, a preto nie je možné preradiť alebo upravovať"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Žiadni študenti Nájdené
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Žiadni študenti Nájdené
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Faktúra Dátum zverejnenia
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Predať
DocType: Sales Invoice,Rounded Total,Zaoblený Total
DocType: Product Bundle,List items that form the package.,"Seznam položek, které tvoří balíček."
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Podíl alokace by měla být ve výši 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,"Prosím, vyberte Dátum zverejnenia pred výberom Party"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,"Prosím, vyberte Dátum zverejnenia pred výberom Party"
DocType: Program Enrollment,School House,School House
DocType: Serial No,Out of AMC,Out of AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Vyberte prosím citácie
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Vyberte prosím citácie
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Vyberte prosím citácie
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Vyberte prosím citácie
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Počet Odpisy rezervované nemôže byť väčšia ako celkový počet Odpisy
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Proveďte návštěv údržby
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,"Prosím, kontaktujte pro uživatele, kteří mají obchodní manažer ve skupině Master {0} roli"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,"Prosím, kontaktujte pro uživatele, kteří mají obchodní manažer ve skupině Master {0} roli"
DocType: Company,Default Cash Account,Výchozí Peněžní účet
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Company (nikoliv zákazník nebo dodavatel) master.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,To je založené na účasti tohto študenta
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Žiadni študenti v
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Žiadni študenti v
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Pridať ďalšie položky alebo otvorené plnej forme
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',"Prosím, zadejte ""Očekávaná Datum dodání"""
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Dodací listy {0} musí být zrušena před zrušením této prodejní objednávky
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Placená částka + odepsat Částka nesmí být větší než Grand Total
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Placená částka + odepsat Částka nesmí být větší než Grand Total
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} nie je platné číslo Šarže pre Položku {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Poznámka: Není k dispozici dostatek zůstatek dovolené dovolená za kalendářní typ {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,Neplatné GSTIN alebo Enter NA pre neregistrované
DocType: Training Event,Seminar,seminár
DocType: Program Enrollment Fee,Program Enrollment Fee,program zápisné
DocType: Item,Supplier Items,Dodavatele položky
@@ -3292,28 +3315,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Položka 3
DocType: Purchase Order,Customer Contact Email,Zákazník Kontaktný e-mail
DocType: Warranty Claim,Item and Warranty Details,Položka a Záruka Podrobnosti
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Kód položky> Skupina položiek> Značka
DocType: Sales Team,Contribution (%),Příspěvek (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Poznámka: Položka Platba nebude vytvořili, protože ""v hotovosti nebo bankovním účtu"" nebyl zadán"
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Vyberte program na získanie povinných kurzov.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Vyberte program na získanie povinných kurzov.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Zodpovednosť
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Zodpovednosť
DocType: Expense Claim Account,Expense Claim Account,Náklady na poistné Account
DocType: Sales Person,Sales Person Name,Prodej Osoba Name
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Zadejte prosím aspoň 1 fakturu v tabulce
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Pridať používateľa
DocType: POS Item Group,Item Group,Položka Group
DocType: Item,Safety Stock,bezpečnostné Sklad
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Pokrok% za úlohu nemôže byť viac ako 100.
DocType: Stock Reconciliation Item,Before reconciliation,Pred zmierenie
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Chcete-li {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Daně a poplatky Přidal (Company měna)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Položka Tax Row {0} musí mít účet typu daní či výnosů nebo nákladů, nebo Vyměřovací"
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Položka Tax Row {0} musí mít účet typu daní či výnosů nebo nákladů, nebo Vyměřovací"
DocType: Sales Order,Partly Billed,Částečně Účtovaný
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Item {0} musí byť dlhodobý majetok položka
DocType: Item,Default BOM,Výchozí BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,Prosím re-typ názov spoločnosti na potvrdenie
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Celkem Vynikající Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Výška dlžnej sumy
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Prosím re-typ názov spoločnosti na potvrdenie
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Celkem Vynikající Amt
DocType: Journal Entry,Printing Settings,Nastavenie tlače
DocType: Sales Invoice,Include Payment (POS),Zahŕňajú platby (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Celkové inkaso musí rovnat do celkového kreditu. Rozdíl je {0}
@@ -3327,16 +3347,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Na sklade:
DocType: Notification Control,Custom Message,Custom Message
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investiční bankovnictví
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,V hotovosti nebo bankovním účtu je povinný pro výrobu zadání platebního
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Adresa študenta
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Adresa študenta
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,V hotovosti nebo bankovním účtu je povinný pro výrobu zadání platebního
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Prosím, nastavte sériu číslovania pre účasť v programe Setup> Numbering Series"
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Adresa študenta
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Adresa študenta
DocType: Purchase Invoice,Price List Exchange Rate,Katalogová cena Exchange Rate
DocType: Purchase Invoice Item,Rate,Sadzba
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Internovat
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,Meno adresy
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Internovat
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,Meno adresy
DocType: Stock Entry,From BOM,Od BOM
DocType: Assessment Code,Assessment Code,kód Assessment
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Základní
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Základní
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Fotky transakce před {0} jsou zmrazeny
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"Prosím, klikněte na ""Generovat Schedule"""
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","napríklad Kg, ks, m"
@@ -3346,11 +3367,11 @@
DocType: Salary Slip,Salary Structure,Plat struktura
DocType: Account,Bank,Banka
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Letecká linka
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Vydání Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Vydání Material
DocType: Material Request Item,For Warehouse,Pro Sklad
DocType: Employee,Offer Date,Dátum Ponuky
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Citácie
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,"Ste v režime offline. Nebudete môcť znovu, kým nebudete mať sieť."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,"Ste v režime offline. Nebudete môcť znovu, kým nebudete mať sieť."
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Žiadne študentské skupiny vytvorený.
DocType: Purchase Invoice Item,Serial No,Výrobní číslo
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Mesačné splátky suma nemôže byť vyššia ako suma úveru
@@ -3358,8 +3379,8 @@
DocType: Purchase Invoice,Print Language,tlač Language
DocType: Salary Slip,Total Working Hours,Celkovej pracovnej doby
DocType: Stock Entry,Including items for sub assemblies,Vrátane položiek pre montážnych podskupín
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Zadajte hodnota musí byť kladná
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Všetky územia
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Zadajte hodnota musí byť kladná
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Všetky územia
DocType: Purchase Invoice,Items,Položky
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Študent je už zapísané.
DocType: Fiscal Year,Year Name,Meno roku
@@ -3378,10 +3399,10 @@
DocType: Issue,Opening Time,Otevírací doba
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Data OD a DO jsou vyžadována
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Cenné papíry a komoditních burzách
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Východzí merná jednotka varianty '{0}' musí byť rovnaký ako v Template '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Východzí merná jednotka varianty '{0}' musí byť rovnaký ako v Template '{1}'
DocType: Shipping Rule,Calculate Based On,Vypočítať na základe
DocType: Delivery Note Item,From Warehouse,Zo skladu
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Žiadne položky s Bill of Materials Výroba
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Žiadne položky s Bill of Materials Výroba
DocType: Assessment Plan,Supervisor Name,Meno Supervisor
DocType: Program Enrollment Course,Program Enrollment Course,Program na zápis do programu
DocType: Program Enrollment Course,Program Enrollment Course,Program na zápis do programu
@@ -3397,18 +3418,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Dní od poslednej objednávky"" musí byť väčšie alebo rovnajúce sa nule"
DocType: Process Payroll,Payroll Frequency,mzdové frekvencia
DocType: Asset,Amended From,Platném znění
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Surovina
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Surovina
DocType: Leave Application,Follow via Email,Sledovat e-mailem
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Rastliny a strojné vybavenie
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Rastliny a strojné vybavenie
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Částka daně po slevě Částka
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Každodennú prácu Súhrnné Nastavenie
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Mena cenníka {0} nie je podobné s vybranou menou {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Mena cenníka {0} nie je podobné s vybranou menou {1}
DocType: Payment Entry,Internal Transfer,vnútorné Prevod
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Dětské konto existuje pro tento účet. Nemůžete smazat tento účet.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Dětské konto existuje pro tento účet. Nemůžete smazat tento účet.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Buď cílové množství nebo cílová částka je povinná
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},No default BOM existuje pro bod {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},No default BOM existuje pro bod {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,"Prosím, vyberte najprv Dátum zverejnenia"
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Dátum začatia by mala byť pred uzávierky
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavte pomenovanie série {0} cez Nastavenie> Nastavenia> Pomenovanie série
DocType: Leave Control Panel,Carry Forward,Převádět
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Nákladové středisko se stávajícími transakcemi nelze převést na hlavní účetní knihy
DocType: Department,Days for which Holidays are blocked for this department.,"Dnů, po které Prázdniny jsou blokovány pro toto oddělení."
@@ -3418,11 +3440,10 @@
DocType: Issue,Raised By (Email),Vznesené (e-mail)
DocType: Training Event,Trainer Name,Meno tréner
DocType: Mode of Payment,General,Všeobecný
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Pripojiť Hlavičku
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Posledné oznámenie
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Posledné oznámenie
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Nelze odečíst, pokud kategorie je určena pro ""ocenění"" nebo ""oceňování a celkový"""
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Vypíšte vaše používané dane (napr DPH, Clo atď; mali by mať jedinečné názvy) a ich štandardné sadzby. Týmto sa vytvorí štandardná šablóna, ktorú môžete upraviť a pridať ďalšie neskôr."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Vypíšte vaše používané dane (napr DPH, Clo atď; mali by mať jedinečné názvy) a ich štandardné sadzby. Týmto sa vytvorí štandardná šablóna, ktorú môžete upraviť a pridať ďalšie neskôr."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Serial Nos Požadováno pro serializovaném bodu {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Zápas platby faktúrami
DocType: Journal Entry,Bank Entry,Bank Entry
@@ -3431,16 +3452,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Přidat do košíku
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Seskupit podle
DocType: Guardian,Interests,záujmy
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Povolit / zakázat měny.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Povolit / zakázat měny.
DocType: Production Planning Tool,Get Material Request,Získať Materiál Request
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Poštovní náklady
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Poštovní náklady
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Total (Amt)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Entertainment & Leisure
DocType: Quality Inspection,Item Serial No,Položka Výrobní číslo
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Vytvoriť Zamestnanecké záznamov
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Celkem Present
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,účtovná závierka
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Hodina
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Hodina
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,"New Pořadové číslo nemůže mít Warehouse. Warehouse musí být nastaveny Stock vstupním nebo doklad o koupi,"
DocType: Lead,Lead Type,Lead Type
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Nie ste oprávnení schvaľovať lístie na bloku Termíny
@@ -3452,6 +3473,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,Nový BOM po výměně
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Místo Prodeje
DocType: Payment Entry,Received Amount,prijatej Suma
+DocType: GST Settings,GSTIN Email Sent On,GSTIN E-mail odoslaný na
+DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop od Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Vytvorte pre celkové množstvo, ignorujte množstvo už na objednávke"
DocType: Account,Tax,Daň
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,neoznačený
@@ -3465,7 +3488,7 @@
DocType: Batch,Source Document Name,Názov zdrojového dokumentu
DocType: Job Opening,Job Title,Název pozice
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,vytvoriť užívateľa
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,gram
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,gram
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,"Množstvo, ktoré má výroba musí byť väčšia ako 0 ° C."
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Navštivte zprávu pro volání údržby.
DocType: Stock Entry,Update Rate and Availability,Obnovovaciu rýchlosť a dostupnosť
@@ -3473,7 +3496,7 @@
DocType: POS Customer Group,Customer Group,Zákazník Group
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Nové číslo dávky (voliteľné)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Nové číslo dávky (voliteľné)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Účtet nákladů je povinný pro položku {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Účtet nákladů je povinný pro položku {0}
DocType: BOM,Website Description,Popis webu
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Čistá zmena vo vlastnom imaní
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Zrušte faktúre {0} prvý
@@ -3483,8 +3506,8 @@
,Sales Register,Sales Register
DocType: Daily Work Summary Settings Company,Send Emails At,Posielať e-maily At
DocType: Quotation,Quotation Lost Reason,Dôvod neúspešnej ponuky
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Vyberte si doménu
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Referenčné transakcie no {0} z {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Vyberte si doménu
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Referenčné transakcie no {0} z {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Není nic upravovat.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Zhrnutie pre tento mesiac a prebiehajúcim činnostiam
DocType: Customer Group,Customer Group Name,Zákazník Group Name
@@ -3492,14 +3515,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Prehľad o peňažných tokoch
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Výška úveru nesmie prekročiť maximálnu úveru Suma {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,licencie
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},Odeberte Tato faktura {0} z C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},Odeberte Tato faktura {0} z C-Form {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Prosím, vyberte převádět pokud chcete také zahrnout uplynulý fiskální rok bilance listy tohoto fiskálního roku"
DocType: GL Entry,Against Voucher Type,Proti poukazu typu
DocType: Item,Attributes,Atribúty
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,"Prosím, zadejte odepsat účet"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,"Prosím, zadejte odepsat účet"
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Posledná Dátum objednávky
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Účet {0} nie je patria spoločnosti {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Sériové čísla v riadku {0} sa nezhodujú s dodacím listom
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Sériové čísla v riadku {0} sa nezhodujú s dodacím listom
DocType: Student,Guardian Details,Guardian Podrobnosti
DocType: C-Form,C-Form,C-Form
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark dochádzky pre viac zamestnancov
@@ -3514,16 +3537,16 @@
DocType: Budget Account,Budget Amount,rozpočet Suma
DocType: Appraisal Template,Appraisal Template Title,Posouzení Template Název
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Od dátumu {0} pre zamestnancov {1} nemôže byť ešte pred vstupom Dátum zamestnanca {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Obchodní
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Obchodní
DocType: Payment Entry,Account Paid To,účet Venovaná
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Parent Item {0} nesmie byť skladom
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Všechny výrobky nebo služby.
DocType: Expense Claim,More Details,Další podrobnosti
DocType: Supplier Quotation,Supplier Address,Dodavatel Address
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Rozpočet na účet {1} proti {2} {3} je {4}. To bude presahovať o {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Riadok {0} # účet musí byť typu "Fixed Asset"
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Out Množství
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Pravidla pro výpočet výše přepravní na prodej
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Riadok {0} # účet musí byť typu "Fixed Asset"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Out Množství
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Pravidla pro výpočet výše přepravní na prodej
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Série je povinné
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Finanční služby
DocType: Student Sibling,Student ID,Študentská karta
@@ -3531,13 +3554,13 @@
DocType: Tax Rule,Sales,Predaj
DocType: Stock Entry Detail,Basic Amount,Základná čiastka
DocType: Training Event,Exam,skúška
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Sklad je vyžadován pro skladovou položku {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Sklad je vyžadován pro skladovou položku {0}
DocType: Leave Allocation,Unused leaves,Nepoužité listy
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,Fakturácia State
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Převod
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} nie je spojený s účtom Party {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Fetch explodovala kusovníku (včetně montážních podskupin)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} nie je spojený s účtom Party {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Fetch explodovala kusovníku (včetně montážních podskupin)
DocType: Authorization Rule,Applicable To (Employee),Vztahující se na (Employee)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Dátum splatnosti je povinný
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Prírastok pre atribút {0} nemôže byť 0
@@ -3565,7 +3588,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Surovina Kód položky
DocType: Journal Entry,Write Off Based On,Odepsat založené na
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,urobiť Lead
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Tlač a papiernictva
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Tlač a papiernictva
DocType: Stock Settings,Show Barcode Field,Show čiarového kódu Field
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Poslať Dodávateľ e-maily
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Plat už spracované pre obdobie medzi {0} a {1}, ponechajte dobu použiteľnosti nemôže byť medzi tomto časovom období."
@@ -3573,14 +3596,16 @@
DocType: Guardian Interest,Guardian Interest,Guardian Záujem
apps/erpnext/erpnext/config/hr.py +177,Training,výcvik
DocType: Timesheet,Employee Detail,Detail zamestnanec
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,ID e-mailu Guardian1
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,ID e-mailu Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,ID e-mailu Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,ID e-mailu Guardian1
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,deň nasledujúcemu dňu a Opakujte na deň v mesiaci sa musí rovnať
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Nastavenie titulnej stránke webu
DocType: Offer Letter,Awaiting Response,Čaká odpoveď
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Vyššie
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Vyššie
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},Neplatný atribút {0} {1}
DocType: Supplier,Mention if non-standard payable account,"Uveďte, či je neštandardný splatný účet"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Rovnaká položka bola zadaná viackrát. {List}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Vyberte inú hodnotiacu skupinu ako "Všetky hodnotiace skupiny"
DocType: Salary Slip,Earning & Deduction,Výdělek a dedukce
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Volitelné. Toto nastavení bude použito k filtrování v různých transakcí.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Negativní ocenění Rate není povoleno
@@ -3594,9 +3619,9 @@
DocType: Sales Invoice,Product Bundle Help,Product Bundle Help
,Monthly Attendance Sheet,Měsíční Účast Sheet
DocType: Production Order Item,Production Order Item,Výroba objednávku Položka
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Nebyl nalezen žádný záznam
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Nebyl nalezen žádný záznam
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Náklady na vyradenie aktív
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Nákladové stredisko je povinné pre položku {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Nákladové stredisko je povinné pre položku {2}
DocType: Vehicle,Policy No,nie politika
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Získať predmety z Bundle Product
DocType: Asset,Straight Line,Priamka
@@ -3605,7 +3630,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Rozdeliť
DocType: GL Entry,Is Advance,Je Zálohová
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Účast Datum od a docházky do dnešního dne je povinná
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,"Prosím, zadejte ""subdodavatelům"" jako Ano nebo Ne"
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,"Prosím, zadejte ""subdodavatelům"" jako Ano nebo Ne"
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Posledný dátum komunikácie
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Posledný dátum komunikácie
DocType: Sales Team,Contact No.,Kontakt Číslo
@@ -3633,60 +3658,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,otvorenie Value
DocType: Salary Detail,Formula,vzorec
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Provize z prodeje
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Provize z prodeje
DocType: Offer Letter Term,Value / Description,Hodnota / Popis
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Riadok # {0}: Asset {1} nemôže byť predložený, je už {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Riadok # {0}: Asset {1} nemôže byť predložený, je už {2}"
DocType: Tax Rule,Billing Country,Fakturácia Krajina
DocType: Purchase Order Item,Expected Delivery Date,Očekávané datum dodání
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debetné a kreditné nerovná za {0} # {1}. Rozdiel je v tom {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Výdaje na reprezentaci
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Urobiť Materiál Žiadosť
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Výdaje na reprezentaci
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Urobiť Materiál Žiadosť
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Otvorená Položka {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Prodejní faktury {0} musí být zrušena před zrušením této prodejní objednávky
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Věk
DocType: Sales Invoice Timesheet,Billing Amount,Fakturácia Suma
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Neplatné množstvo uvedené pre položku {0}. Množstvo by malo byť väčšie než 0.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Žádosti o dovolenou.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Účet s transakcemi nemůže být smazán
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Účet s transakcemi nemůže být smazán
DocType: Vehicle,Last Carbon Check,Posledné Carbon Check
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Výdaje na právní služby
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Výdaje na právní služby
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Vyberte prosím množstvo na riadku
DocType: Purchase Invoice,Posting Time,Čas zadání
DocType: Timesheet,% Amount Billed,% Fakturovanej čiastky
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Telefonní Náklady
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Telefonní Náklady
DocType: Sales Partner,Logo,Logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Zaškrtněte, pokud chcete, aby uživateli vybrat sérii před uložením. Tam bude žádná výchozí nastavení, pokud jste zkontrolovat."
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},No Položka s Serial č {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},No Položka s Serial č {0}
DocType: Email Digest,Open Notifications,Otvorené Oznámenie
DocType: Payment Entry,Difference Amount (Company Currency),Rozdiel Suma (Company mena)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Přímé náklady
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Přímé náklady
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} je neplatná e-mailová adresa v "Oznámenie \ 'e-mailovú adresu
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Nový zákazník Příjmy
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Cestovní výdaje
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Cestovní výdaje
DocType: Maintenance Visit,Breakdown,Rozbor
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Účet: {0} s menou: {1} nemožno vybrať
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Účet: {0} s menou: {1} nemožno vybrať
DocType: Bank Reconciliation Detail,Cheque Date,Šek Datum
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Účet {0}: Nadřazený účet {1} nepatří ke společnosti: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Účet {0}: Nadřazený účet {1} nepatří ke společnosti: {2}
DocType: Program Enrollment Tool,Student Applicants,študent Žiadatelia
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Úspešne vypúšťa všetky transakcie súvisiace s týmto spoločnosti!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Úspešne vypúšťa všetky transakcie súvisiace s týmto spoločnosti!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Rovnako ako u Date
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,zápis Dátum
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Zkouška
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Zkouška
apps/erpnext/erpnext/config/hr.py +115,Salary Components,mzdové Components
DocType: Program Enrollment Tool,New Academic Year,Nový akademický rok
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Return / dobropis
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Return / dobropis
DocType: Stock Settings,Auto insert Price List rate if missing,Automaticky vložiť cenníkovú cenu ak neexistuje
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Celkem uhrazené částky
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Celkem uhrazené částky
DocType: Production Order Item,Transferred Qty,Přenesená Množství
apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigácia
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Plánování
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Vydané
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Plánování
+DocType: Material Request,Issued,Vydané
DocType: Project,Total Billing Amount (via Time Logs),Celkom Billing Suma (cez Time Záznamy)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Táto položka je na predaj
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Dodavatel Id
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Táto položka je na predaj
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Dodavatel Id
DocType: Payment Request,Payment Gateway Details,Platobná brána Podrobnosti
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Množstvo by mala byť väčšia ako 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Množstvo by mala byť väčšia ako 0
DocType: Journal Entry,Cash Entry,Cash Entry
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Podriadené uzly môžu byť vytvorené len na základe typu uzly "skupina"
DocType: Leave Application,Half Day Date,Half Day Date
@@ -3698,14 +3724,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Prosím nastaviť predvolený účet v Expense reklamačný typu {0}
DocType: Assessment Result,Student Name,Meno študenta
DocType: Brand,Item Manager,Manažér položiek
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,mzdové Splatné
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,mzdové Splatné
DocType: Buying Settings,Default Supplier Type,Výchozí typ Dodavatel
DocType: Production Order,Total Operating Cost,Celkové provozní náklady
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Poznámka: Položka {0} vstoupil vícekrát
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Všechny kontakty.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Skratka názvu spoločnosti
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Skratka názvu spoločnosti
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Uživatel: {0} neexistuje
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,Surovina nemůže být stejný jako hlavní bod
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Surovina nemůže být stejný jako hlavní bod
DocType: Item Attribute Value,Abbreviation,Zkratka
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Platba Entry už existuje
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Není authroized od {0} překročí limity
@@ -3714,35 +3740,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Sada Daňové Pravidlo pre nákupného košíka
DocType: Purchase Invoice,Taxes and Charges Added,Daně a poplatky přidané
,Sales Funnel,Prodej Nálevka
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Skratka je povinná
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Skratka je povinná
DocType: Project,Task Progress,pokrok úloha
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Vozík
,Qty to Transfer,Množství pro přenos
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Ponuka z Obchodnej Iniciatívy alebo pre Zákazníka
DocType: Stock Settings,Role Allowed to edit frozen stock,Role povoleno upravovat zmrazené zásoby
,Territory Target Variance Item Group-Wise,Území Cílová Odchylka Item Group-Wise
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Všechny skupiny zákazníků
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Všechny skupiny zákazníků
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,nahromadené za mesiac
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je povinné. Možno nie je vytvorený záznam Zmeny meny pre {1} až {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je povinné. Možno nie je vytvorený záznam Zmeny meny pre {1} až {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Daňová šablóna je povinné.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Účet {0}: Nadřazený účet {1} neexistuje
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Účet {0}: Nadřazený účet {1} neexistuje
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Ceník Rate (Company měny)
DocType: Products Settings,Products Settings,nastavenie Produkty
DocType: Account,Temporary,Dočasný
DocType: Program,Courses,predmety
DocType: Monthly Distribution Percentage,Percentage Allocation,Procento přidělení
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Sekretářka
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekretářka
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Pokiaľ zakázať, "v slovách" poli nebude viditeľný v akejkoľvek transakcie"
DocType: Serial No,Distinct unit of an Item,Samostatnou jednotku z položky
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Nastavte spoločnosť
DocType: Pricing Rule,Buying,Nákupy
DocType: HR Settings,Employee Records to be created by,"Zaměstnanec Záznamy, které vytvořil"
DocType: POS Profile,Apply Discount On,Použiť Zľava na
,Reqd By Date,Pr p Podľa dátumu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Věřitelé
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Věřitelé
DocType: Assessment Plan,Assessment Name,Názov Assessment
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Riadok # {0}: Výrobné číslo je povinné
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Položka Wise Tax Detail
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,inštitút Skratka
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,inštitút Skratka
,Item-wise Price List Rate,Item-moudrý Ceník Rate
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Dodávateľská ponuka
DocType: Quotation,In Words will be visible once you save the Quotation.,"Ve slovech budou viditelné, jakmile uložíte nabídku."
@@ -3750,14 +3777,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Množstvo ({0}) nemôže byť zlomkom v riadku {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,vyberať poplatky
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Čárový kód {0} již použit u položky {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Čárový kód {0} již použit u položky {1}
DocType: Lead,Add to calendar on this date,Přidat do kalendáře k tomuto datu
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Pravidla pro přidávání náklady na dopravu.
DocType: Item,Opening Stock,otvorenie Sklad
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Je nutná zákazník
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} je povinné pre návrat
DocType: Purchase Order,To Receive,Obdržať
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Osobní e-mail
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Celkový rozptyl
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Pokud je povoleno, bude systém odesílat účetní položky k zásobám automaticky."
@@ -3769,13 +3795,14 @@
DocType: Customer,From Lead,Od Obchodnej iniciatívy
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Objednávky uvolněna pro výrobu.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Vyberte fiskálního roku ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,"POS Profile požadované, aby POS Vstup"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,"POS Profile požadované, aby POS Vstup"
DocType: Program Enrollment Tool,Enroll Students,zapísať študenti
DocType: Hub Settings,Name Token,Názov Tokenu
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standardní prodejní
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Alespoň jeden sklad je povinný
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Alespoň jeden sklad je povinný
DocType: Serial No,Out of Warranty,Out of záruky
DocType: BOM Replace Tool,Replace,Vyměnit
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Nenašli sa žiadne produkty.
DocType: Production Order,Unstopped,nezastavanou
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} proti Predajnej Faktúre {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3786,13 +3813,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Reklamní Value Rozdíl
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Ľudské Zdroje
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Platba Odsouhlasení Platba
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Daňové Aktiva
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Daňové Aktiva
DocType: BOM Item,BOM No,BOM No
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Zápis do deníku {0} nemá účet {1} nebo již uzavřeno proti ostatním poukaz
DocType: Item,Moving Average,Klouzavý průměr
DocType: BOM Replace Tool,The BOM which will be replaced,"BOM, který bude nahrazen"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,elektronické zariadenia
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,elektronické zariadenia
DocType: Account,Debit,Debet
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Listy musí být přiděleny v násobcích 0,5"
DocType: Production Order,Operation Cost,Provozní náklady
@@ -3800,7 +3827,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Vynikající Amt
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Nastavit cíle Item Group-moudrý pro tento prodeje osobě.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Zásoby Starší než [dny]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Riadok # {0}: Prostriedok je povinné pre dlhodobého majetku nákup / predaj
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Riadok # {0}: Prostriedok je povinné pre dlhodobého majetku nákup / predaj
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Pokud dva nebo více pravidla pro tvorbu cen se nacházejí na základě výše uvedených podmínek, priorita je aplikována. Priorita je číslo od 0 do 20, zatímco výchozí hodnota je nula (prázdný). Vyšší číslo znamená, že bude mít přednost, pokud existuje více pravidla pro tvorbu cen se za stejných podmínek."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Fiškálny rok: {0} neexistuje
DocType: Currency Exchange,To Currency,Chcete-li měny
@@ -3809,7 +3836,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Miera predaja pre položku {0} je nižšia ako {1}. Miera predaja by mala byť najmenej {2}
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Miera predaja pre položku {0} je nižšia ako {1}. Miera predaja by mala byť najmenej {2}
DocType: Item,Taxes,Daně
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Platená a nie je doručenie
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Platená a nie je doručenie
DocType: Project,Default Cost Center,Výchozí Center Náklady
DocType: Bank Guarantee,End Date,Datum ukončení
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,sklad Transakcia
@@ -3834,24 +3861,22 @@
DocType: Employee,Held On,Které se konalo dne
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Výrobní položka
,Employee Information,Informace o zaměstnanci
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Sadzba (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Sadzba (%)
DocType: Stock Entry Detail,Additional Cost,Dodatočné náklady
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Dátum ukončenia finančného roku
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Nelze filtrovat na základě poukazu ne, pokud seskupeny podle poukazu"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Vytvoriť ponuku od dodávateľa
DocType: Quality Inspection,Incoming,Přicházející
DocType: BOM,Materials Required (Exploded),Potřebný materiál (Rozložený)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself",Pridanie ďalších používateľov do vašej organizácie okrem Vás
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Vysielanie dátum nemôže byť budúci dátum
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Riadok # {0}: Výrobné číslo {1} nezodpovedá {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Casual Leave
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Casual Leave
DocType: Batch,Batch ID,Šarže ID
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Poznámka: {0}
,Delivery Note Trends,Dodací list Trendy
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Tento týždeň Zhrnutie
-,In Stock Qty,Na sklade Množstvo
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Na sklade Množstvo
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Účet: {0} lze aktualizovat pouze prostřednictvím Skladových Transakcí
-DocType: Program Enrollment,Get Courses,získať kurzy
+DocType: Student Group Creation Tool,Get Courses,získať kurzy
DocType: GL Entry,Party,Strana
DocType: Sales Order,Delivery Date,Dodávka Datum
DocType: Opportunity,Opportunity Date,Příležitost Datum
@@ -3859,14 +3884,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Žiadosť o cenovú ponuku výtlačku
DocType: Purchase Order,To Bill,Billa
DocType: Material Request,% Ordered,% Objednané
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",V prípade kurzov študentskej skupiny bude kurz potvrdený pre každého študenta z prihlásených kurzov pri zaradení do programu.
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Zadajte e-mailovú adresu od seba oddelené čiarkou, faktúra bude automaticky zaslaný na určitý dátum"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Úkolová práce
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Úkolová práce
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Avg. Nákup Rate
DocType: Task,Actual Time (in Hours),Skutočná doba (v hodinách)
DocType: Employee,History In Company,Historie ve Společnosti
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Newslettery
DocType: Stock Ledger Entry,Stock Ledger Entry,Reklamní Ledger Entry
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Zákazník> Zákaznícka skupina> Územie
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Rovnaký bod bol zadaný viackrát
DocType: Department,Leave Block List,Nechte Block List
DocType: Sales Invoice,Tax ID,DIČ
@@ -3881,30 +3906,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} jednotiek {1} potrebná {2} pre dokončenie tejto transakcie.
DocType: Loan Type,Rate of Interest (%) Yearly,Úroková sadzba (%) Ročné
DocType: SMS Settings,SMS Settings,Nastavenie SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Dočasné Účty
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Čierna
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Dočasné Účty
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Čierna
DocType: BOM Explosion Item,BOM Explosion Item,BOM Explosion Item
DocType: Account,Auditor,Auditor
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} predmety vyrobené
DocType: Cheque Print Template,Distance from top edge,Vzdialenosť od horného okraja
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Cenníková cena {0} je zakázaná alebo neexistuje
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Cenníková cena {0} je zakázaná alebo neexistuje
DocType: Purchase Invoice,Return,Spiatočná
DocType: Production Order Operation,Production Order Operation,Výrobní zakázka Operace
DocType: Pricing Rule,Disable,Zakázat
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Spôsob platby je povinný vykonať platbu
DocType: Project Task,Pending Review,Čeká Review
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nie je zapísaná v dávke {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Aktíva {0} nemôže byť vyhodený, ako je to už {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Total Expense Claim (via Expense nároku)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Zákazník Id
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,mark Absent
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Riadok {0}: Mena BOM # {1} by sa mala rovnať vybranej mene {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Riadok {0}: Mena BOM # {1} by sa mala rovnať vybranej mene {2}
DocType: Journal Entry Account,Exchange Rate,Výmenný kurz
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Prodejní objednávky {0} není předložena
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Prodejní objednávky {0} není předložena
DocType: Homepage,Tag Line,tag linka
DocType: Fee Component,Fee Component,poplatok Component
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,fleet management
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Pridať položky z
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Sklad {0}: Nadřazený účet {1} napatří společnosti {2}
DocType: Cheque Print Template,Regular,pravidelný
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Celkový weightage všetkých hodnotiacich kritérií musí byť 100%
DocType: BOM,Last Purchase Rate,Last Cena při platbě
@@ -3913,11 +3937,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,"Sklad nemůže existovat k bodu {0}, protože má varianty"
,Sales Person-wise Transaction Summary,Prodej Person-moudrý Shrnutí transakce
DocType: Training Event,Contact Number,Kontaktné číslo
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Sklad {0} neexistuje
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Sklad {0} neexistuje
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Registrace pro ERPNext Hub
DocType: Monthly Distribution,Monthly Distribution Percentages,Měsíční Distribuční Procenta
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Vybraná položka nemůže mít dávku
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Ocenenie rýchlosť nebola nájdená pre výtlačku {0}, ktorý je na to účtovné položky pre požadované {1} {2}. Ak je položka vybavovať ako položka vzorky v {1}, prosím spomenúť, že v {1} tabuľky položky. V opačnom prípade vytvorte prichádzajúce legálne transakciu za položku alebo zmienka rýchlosťou ocenenie v zázname položky a skúste odovzdanie / zrušenie tejto položky"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Ocenenie rýchlosť nebola nájdená pre výtlačku {0}, ktorý je na to účtovné položky pre požadované {1} {2}. Ak je položka vybavovať ako položka vzorky v {1}, prosím spomenúť, že v {1} tabuľky položky. V opačnom prípade vytvorte prichádzajúce legálne transakciu za položku alebo zmienka rýchlosťou ocenenie v zázname položky a skúste odovzdanie / zrušenie tejto položky"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% materiálov dodaných proti tomuto dodaciemu listu
DocType: Project,Customer Details,Podrobnosti zákazníků
DocType: Employee,Reports to,Zprávy
@@ -3925,24 +3949,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Zadejte url parametr pro přijímače nos
DocType: Payment Entry,Paid Amount,Uhrazené částky
DocType: Assessment Plan,Supervisor,vedúci
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,online
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,online
,Available Stock for Packing Items,K dispozici skladem pro balení položek
DocType: Item Variant,Item Variant,Variant Položky
DocType: Assessment Result Tool,Assessment Result Tool,Assessment Tool Výsledok
DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Predložené objednávky nemožno zmazať
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Zůstatek na účtu již v inkasa, není dovoleno stanovit ""Balance musí být"" jako ""úvěru"""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Řízení kvality
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Predložené objednávky nemožno zmazať
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Zůstatek na účtu již v inkasa, není dovoleno stanovit ""Balance musí být"" jako ""úvěru"""
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Řízení kvality
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Item {0} bol zakázaný
DocType: Employee Loan,Repay Fixed Amount per Period,Splácať paušálna čiastka za obdobie
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Zadajte prosím množstvo pre Položku {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Kreditná poznámka Amt
DocType: Employee External Work History,Employee External Work History,Zaměstnanec vnější práce History
DocType: Tax Rule,Purchase,Nákup
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Zůstatek Množství
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Zůstatek Množství
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Bránky nemôže byť prázdny
DocType: Item Group,Parent Item Group,Parent Item Group
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} pre {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Nákladové středisko
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Nákladové středisko
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,"Sazba, za kterou dodavatel měny je převeden na společnosti základní měny"
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: časování v rozporu s řadou {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Povoliť sadzbu nulového oceňovania
@@ -3950,17 +3975,18 @@
DocType: Training Event Employee,Invited,pozvaný
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Viac aktívny Plat Structures nájdených pre zamestnancov {0} pre dané termíny
DocType: Opportunity,Next Contact,Nasledujúci Kontakt
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Nastavenia brány účty.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Nastavenia brány účty.
DocType: Employee,Employment Type,Typ zaměstnání
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Dlouhodobý majetek
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Dlouhodobý majetek
DocType: Payment Entry,Set Exchange Gain / Loss,Set Exchange zisk / strata
+,GST Purchase Register,Registrácia nákupov GST
,Cash Flow,Cash Flow
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Obdobie podávania žiadostí nemôže byť na dvoch alokácie záznamy
DocType: Item Group,Default Expense Account,Výchozí výdajového účtu
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Študent ID e-mailu
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Študent ID e-mailu
DocType: Employee,Notice (days),Oznámenie (dni)
DocType: Tax Rule,Sales Tax Template,Daň z predaja Template
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,"Vyberte položky, ktoré chcete uložiť faktúru"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,"Vyberte položky, ktoré chcete uložiť faktúru"
DocType: Employee,Encashment Date,Inkaso Datum
DocType: Training Event,Internet,internet
DocType: Account,Stock Adjustment,Úprava skladových zásob
@@ -3989,7 +4015,7 @@
DocType: Guardian,Guardian Of ,Guardian Of
DocType: Grading Scale Interval,Threshold,Prah
DocType: BOM Replace Tool,Current BOM,Aktuální BOM
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Přidat Sériové číslo
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Přidat Sériové číslo
apps/erpnext/erpnext/config/support.py +22,Warranty,záruka
DocType: Purchase Invoice,Debit Note Issued,vydanie dlhopisu
DocType: Production Order,Warehouses,Sklady
@@ -3998,20 +4024,20 @@
DocType: Workstation,per hour,za hodinu
apps/erpnext/erpnext/config/buying.py +7,Purchasing,nákup
DocType: Announcement,Announcement,oznámenia
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,"Účet pro skladu (průběžné inventarizace), bude vytvořena v rámci tohoto účtu."
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Warehouse nelze vypustit, neboť existuje zásob, kniha pro tento sklad."
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",V prípade dávkovej študentskej skupiny bude študentská dávka schválená pre každého študenta zo zápisu do programu.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Warehouse nelze vypustit, neboť existuje zásob, kniha pro tento sklad."
DocType: Company,Distribution,Distribúcia
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Zaplacené částky
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Project Manager
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Project Manager
,Quoted Item Comparison,Citoval Položka Porovnanie
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Odeslání
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max sleva povoleno položku: {0} {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Odeslání
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max sleva povoleno položku: {0} {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Čistá hodnota aktív aj na
DocType: Account,Receivable,Pohledávky
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Riadok # {0}: Nie je povolené meniť dodávateľa, objednávky už existuje"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,"Riadok # {0}: Nie je povolené meniť dodávateľa, objednávky už existuje"
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Role, která se nechá podat transakcí, které přesahují úvěrové limity."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Vyberte položky do Výroba
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Kmeňové dáta synchronizácia, môže to trvať nejaký čas"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Vyberte položky do Výroba
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Kmeňové dáta synchronizácia, môže to trvať nejaký čas"
DocType: Item,Material Issue,Material Issue
DocType: Hub Settings,Seller Description,Prodejce Popis
DocType: Employee Education,Qualification,Kvalifikace
@@ -4031,7 +4057,6 @@
DocType: BOM,Rate Of Materials Based On,Hodnotit materiálů na bázi
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Podpora Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Zrušte zaškrtnutie políčka všetko
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Společnost chybí ve skladech {0}
DocType: POS Profile,Terms and Conditions,Podmínky
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},"Chcete-li data by měla být v rámci fiskálního roku. Za předpokladu, že To Date = {0}"
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Zde si můžete udržet výšku, váhu, alergie, zdravotní problémy atd"
@@ -4046,19 +4071,18 @@
DocType: Sales Order Item,For Production,Pro Výrobu
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Zobraziť Task
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Váš finančný rok začína
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Olovo%
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Olovo%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Asset Odpisy a zostatkov
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Množstvo {0} {1} prevedená z {2} na {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Množstvo {0} {1} prevedená z {2} na {3}
DocType: Sales Invoice,Get Advances Received,Získat přijaté zálohy
DocType: Email Digest,Add/Remove Recipients,Přidat / Odebrat příjemce
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Transakce není povoleno proti zastavila výrobu Objednat {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Transakce není povoleno proti zastavila výrobu Objednat {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Chcete-li nastavit tento fiskální rok jako výchozí, klikněte na tlačítko ""Nastavit jako výchozí"""
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,pripojiť
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,pripojiť
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Nedostatek Množství
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Variant Položky {0} existuje s rovnakými vlastnosťami
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Variant Položky {0} existuje s rovnakými vlastnosťami
DocType: Employee Loan,Repay from Salary,Splatiť z platu
DocType: Leave Application,LAP/,LAP /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Požiadavka na platbu proti {0} {1} na sumu {2}
@@ -4069,34 +4093,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Generování balení pásky pro obaly mají být dodány. Používá se k oznámit číslo balíku, obsah balení a jeho hmotnost."
DocType: Sales Invoice Item,Sales Order Item,Prodejní objednávky Item
DocType: Salary Slip,Payment Days,Platební dny
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Sklady s podriadené uzlami nemožno previesť do hlavnej účtovnej knihy
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Sklady s podriadené uzlami nemožno previesť do hlavnej účtovnej knihy
DocType: BOM,Manage cost of operations,Správa nákladů na provoz
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Když některý z kontrolovaných operací je ""Odesláno"", email pop-up automaticky otevřeny poslat e-mail na přidružené ""Kontakt"" v této transakci, s transakcí jako přílohu. Uživatel může, ale nemusí odeslat e-mail."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Globálne nastavenia
DocType: Assessment Result Detail,Assessment Result Detail,Posúdenie Detail Výsledok
DocType: Employee Education,Employee Education,Vzdelávanie zamestnancov
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Duplicitné skupinu položiek uvedené v tabuľke na položku v skupine
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,"Je potrebné, aby priniesla Detaily položky."
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,"Je potrebné, aby priniesla Detaily položky."
DocType: Salary Slip,Net Pay,Net Pay
DocType: Account,Account,Účet
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Pořadové číslo {0} již obdržel
,Requested Items To Be Transferred,Požadované položky mají být převedeny
DocType: Expense Claim,Vehicle Log,jázd
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Sklad {0} nie je viazané na žiadny účet, vytvorte / odkazujú na príslušnom účte (aktív) na sklade."
DocType: Purchase Invoice,Recurring Id,Opakující se Id
DocType: Customer,Sales Team Details,Podrobnosti prodejní tým
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Zmazať trvalo?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Zmazať trvalo?
DocType: Expense Claim,Total Claimed Amount,Celkem žalované částky
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potenciální příležitosti pro prodej.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Neplatný {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Zdravotní dovolená
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Neplatný {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Zdravotní dovolená
DocType: Email Digest,Email Digest,Email Digest
DocType: Delivery Note,Billing Address Name,Jméno Fakturační adresy
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Obchodní domy
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Nastavte si škola v ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Základňa Zmena Suma (Company mena)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Žádné účetní záznamy pro následující sklady
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Žádné účetní záznamy pro následující sklady
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Uložte dokument ako prvý.
DocType: Account,Chargeable,Vyměřovací
DocType: Company,Change Abbreviation,Zmeniť skratku
@@ -4114,7 +4137,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,"Očekávané datum dodání, nemůže být před zakoupením pořadí Datum"
DocType: Appraisal,Appraisal Template,Posouzení Template
DocType: Item Group,Item Classification,Položka Klasifikace
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Business Development Manager
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Maintenance Visit Účel
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Období
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Hlavná Účtovná Kniha
@@ -4124,8 +4147,8 @@
DocType: Item Attribute Value,Attribute Value,Hodnota atributu
,Itemwise Recommended Reorder Level,Itemwise Doporučené Změna pořadí Level
DocType: Salary Detail,Salary Detail,plat Detail
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,"Prosím, nejprve vyberte {0}"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Batch {0} z {1} bodu vypršala.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,"Prosím, nejprve vyberte {0}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Batch {0} z {1} bodu vypršala.
DocType: Sales Invoice,Commission,Provize
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Čas list pre výrobu.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,medzisúčet
@@ -4136,6 +4159,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`Zmraziť zásoby staršie ako` malo by byť menšie než %d dní.
DocType: Tax Rule,Purchase Tax Template,Spotrebná daň šablóny
,Project wise Stock Tracking,Sledování zboží dle projektu
+DocType: GST HSN Code,Regional,regionálne
DocType: Stock Entry Detail,Actual Qty (at source/target),Skutečné množství (u zdroje/cíle)
DocType: Item Customer Detail,Ref Code,Ref Code
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Zaměstnanecké záznamy.
@@ -4146,13 +4170,13 @@
DocType: Email Digest,New Purchase Orders,Nové vydané objednávky
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Root nemůže mít rodič nákladové středisko
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Select Brand ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Tréningové udalosti / výsledky
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Oprávky aj na
DocType: Sales Invoice,C-Form Applicable,C-Form Použitelné
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Prevádzková doba musí byť väčšia ako 0 pre prevádzku {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Sklad je povinné
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Sklad je povinné
DocType: Supplier,Address and Contacts,Adresa a kontakty
DocType: UOM Conversion Detail,UOM Conversion Detail,Detail konverzie MJ
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Snažte sa o rozmer vhodný na web: 900px šírka a 100px výška
DocType: Program,Program Abbreviation,program Skratka
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Výrobná zákazka nemôže byť vznesená proti šablóny položky
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Poplatky jsou aktualizovány v dokladu o koupi na každou položku
@@ -4160,13 +4184,13 @@
DocType: Bank Guarantee,Start Date,Datum zahájení
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Přidělit listy dobu.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Šeky a Vklady nesprávne vymazané
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Účet {0}: nelze přiřadit sebe jako nadřazený účet
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Účet {0}: nelze přiřadit sebe jako nadřazený účet
DocType: Purchase Invoice Item,Price List Rate,Ceník Rate
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Vytvoriť citácie zákazníkov
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Zobrazit ""Skladem"" nebo ""Není skladem"" na základě skladem k dispozici v tomto skladu."
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Bill of Materials (BOM)
DocType: Item,Average time taken by the supplier to deliver,Priemerná doba zhotovená dodávateľom dodať
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,hodnotenie výsledkov
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,hodnotenie výsledkov
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Hodiny
DocType: Project,Expected Start Date,Očekávané datum zahájení
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Odebrat pokud poplatků není pro tuto položku
@@ -4180,25 +4204,24 @@
DocType: Workstation,Operating Costs,Provozní náklady
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Akčný ak súhrnné mesačný rozpočet prekročený
DocType: Purchase Invoice,Submit on creation,Predloženie návrhu na vytvorenie
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Mena pre {0} musí byť {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Mena pre {0} musí byť {1}
DocType: Asset,Disposal Date,Likvidácia Dátum
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-maily budú zaslané všetkým aktívnym zamestnancom spoločnosti v danú hodinu, ak nemajú dovolenku. Zhrnutie odpovedí budú zaslané do polnoci."
DocType: Employee Leave Approver,Employee Leave Approver,Zaměstnanec Leave schvalovač
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Položka Změna pořadí již pro tento sklad existuje {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Položka Změna pořadí již pro tento sklad existuje {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Nelze prohlásit za ztracený, protože citace byla provedena."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,tréning Feedback
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Výrobní zakázka {0} musí být předloženy
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Výrobní zakázka {0} musí být předloženy
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},"Prosím, vyberte Počáteční datum a koncové datum pro položku {0}"
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Samozrejme je povinné v rade {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,K dnešnímu dni nemůže být dříve od data
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Pridať / Upraviť ceny
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Pridať / Upraviť ceny
DocType: Batch,Parent Batch,Rodičovská dávka
DocType: Batch,Parent Batch,Rodičovská dávka
DocType: Cheque Print Template,Cheque Print Template,Šek šablóny tlače
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Diagram nákladových středisek
,Requested Items To Be Ordered,Požadované položky je třeba objednat
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,Sklad firma musí byť rovnaká ako firemného účtu
DocType: Price List,Price List Name,Názov cenníku
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Každodennú prácu Zhrnutie pre {0}
DocType: Employee Loan,Totals,Súčty
@@ -4220,55 +4243,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Zadejte platné mobilní nos
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Prosím, zadejte zprávu před odesláním"
DocType: Email Digest,Pending Quotations,Čaká na citácie
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Point-of-Sale Profil
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale Profil
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Aktualizujte prosím nastavení SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Nezajištěných úvěrů
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Nezajištěných úvěrů
DocType: Cost Center,Cost Center Name,Meno nákladového strediska
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Maximálna pracovná doba proti časového rozvrhu
DocType: Maintenance Schedule Detail,Scheduled Date,Plánované datum
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Celkem uhrazeno Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Celkem uhrazeno Amt
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Zprávy větší než 160 znaků bude rozdělena do více zpráv
DocType: Purchase Receipt Item,Received and Accepted,Přijaté a Přijato
+,GST Itemised Sales Register,GST Podrobný predajný register
,Serial No Service Contract Expiry,Pořadové číslo Servisní smlouva vypršení platnosti
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Nemůžete dělat kreditní a debetní záznam na stejný účet ve stejnou dobu.
DocType: Naming Series,Help HTML,Nápoveda HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Študent Group Tool Creation
DocType: Item,Variant Based On,Variant založená na
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Celková weightage přiřazen by měla být 100%. Je {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Vaši Dodávatelia
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Vaši Dodávatelia
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,"Nelze nastavit jako Ztraceno, protože je přijata objednávka."
DocType: Request for Quotation Item,Supplier Part No,Žiadny dodávateľ Part
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Nemôže odpočítať, ak kategória je pre "ocenenie" alebo "Vaulation a Total""
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Prijaté Od
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Prijaté Od
DocType: Lead,Converted,Převedené
DocType: Item,Has Serial No,Má Sériové číslo
DocType: Employee,Date of Issue,Datum vydání
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Od {0} do {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Podľa Nákupných nastavení, ak je potrebná nákupná požiadavka == 'ÁNO', potom pre vytvorenie nákupnej faktúry musí používateľ najskôr vytvoriť potvrdenie nákupu pre položku {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Riadok # {0}: Nastavte Dodávateľ pre položku {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Riadok {0}: doba hodnota musí byť väčšia ako nula.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Webové stránky Image {0} pripája k bodu {1} nemožno nájsť
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Webové stránky Image {0} pripája k bodu {1} nemožno nájsť
DocType: Issue,Content Type,Typ obsahu
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Počítač
DocType: Item,List this Item in multiple groups on the website.,Seznam tuto položku ve více skupinách na internetových stránkách.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Prosím, skontrolujte viac mien možnosť povoliť účty s inú menu"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Položka: {0} neexistuje v systému
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Nejste oprávněni stanovit hodnotu Zmražení
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Položka: {0} neexistuje v systému
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Nejste oprávněni stanovit hodnotu Zmražení
DocType: Payment Reconciliation,Get Unreconciled Entries,Získat smířit záznamů
DocType: Payment Reconciliation,From Invoice Date,Z faktúry Dátum
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,Fakturačná mena sa musí rovnať meny alebo účtu strana peňazí buď predvoleného comapany je
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,nechať inkasa
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Čím sa zaoberá?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,Fakturačná mena sa musí rovnať meny alebo účtu strana peňazí buď predvoleného comapany je
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,nechať inkasa
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Čím sa zaoberá?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Do skladu
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Všetky Študent Prijímacie
,Average Commission Rate,Průměrná cena Komise
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,"""Má sériové číslo"", nemôže byť ""áno"" pre neskladový tovar"
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""Má sériové číslo"", nemôže byť ""áno"" pre neskladový tovar"
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Účast nemůže být označen pro budoucí data
DocType: Pricing Rule,Pricing Rule Help,Ceny Pravidlo Help
DocType: School House,House Name,Meno dom
DocType: Purchase Taxes and Charges,Account Head,Účet Head
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Aktualizace dodatečné náklady pro výpočet vyložené náklady položek
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Elektrický
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Elektrický
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Pridajte zvyšok vašej organizácie ako používateľa. Môžete tiež pridať pozvať zákazníkov na portáli ich pridaním zo zoznamu kontaktov
DocType: Stock Entry,Total Value Difference (Out - In),Celková hodnota Rozdíl (Out - In)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Riadok {0}: Exchange Rate je povinné
@@ -4278,7 +4303,7 @@
DocType: Item,Customer Code,Code zákazníků
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Narozeninová připomínka pro {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Počet dnů od poslední objednávky
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Debetné Na účet musí byť účtu Súvaha
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Debetné Na účet musí byť účtu Súvaha
DocType: Buying Settings,Naming Series,Číselné rady
DocType: Leave Block List,Leave Block List Name,Nechte Jméno Block List
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Dátum poistenie štarte by mala byť menšia ako poistenie koncovým dátumom
@@ -4293,27 +4318,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Výplatnej páske zamestnanca {0} už vytvorili pre časové list {1}
DocType: Vehicle Log,Odometer,Počítadlo najazdených kilometrov
DocType: Sales Order Item,Ordered Qty,Objednáno Množství
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Položka {0} je zakázaná
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Položka {0} je zakázaná
DocType: Stock Settings,Stock Frozen Upto,Reklamní Frozen aľ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM neobsahuje žiadnu skladovú položku
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM neobsahuje žiadnu skladovú položku
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},"Obdobie od a obdobia, k dátam povinné pre opakované {0}"
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Projektová činnost / úkol.
DocType: Vehicle Log,Refuelling Details,tankovacie Podrobnosti
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Generování výplatních páskách
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Nákup musí být zkontrolováno, v případě potřeby pro vybrán jako {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Nákup musí být zkontrolováno, v případě potřeby pro vybrán jako {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Sleva musí být menší než 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Posledná cena pri platbe nebol nájdený
DocType: Purchase Invoice,Write Off Amount (Company Currency),Odpísať Suma (Company meny)
DocType: Sales Invoice Timesheet,Billing Hours,billing Hodiny
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,Predvolené BOM pre {0} nebol nájdený
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Riadok # {0}: Prosím nastavte množstvo objednávacie
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Riadok # {0}: Prosím nastavte množstvo objednávacie
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Poklepte na položky a pridajte ich sem
DocType: Fees,Program Enrollment,Registrácia do programu
DocType: Landed Cost Voucher,Landed Cost Voucher,Přistálo Náklady Voucher
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Prosím nastavte {0}
DocType: Purchase Invoice,Repeat on Day of Month,Opakujte na den v měsíci
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} je neaktívnym študentom
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} je neaktívnym študentom
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} je neaktívnym študentom
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} je neaktívnym študentom
DocType: Employee,Health Details,Zdravotní Podrobnosti
DocType: Offer Letter,Offer Letter Terms,Ponuka Letter Podmienky
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Vyžaduje sa vytvorenie referenčného dokumentu žiadosti o platbu
@@ -4336,7 +4361,7 @@
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Příklad:. ABCD #####
Je-li série nastavuje a pořadové číslo není uvedeno v transakcích, bude vytvořen poté automaticky sériové číslo na základě této série. Pokud chcete vždy výslovně uvést pořadová čísla pro tuto položku. ponechte prázdné."
DocType: Upload Attendance,Upload Attendance,Nahráť Dochádzku
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM a Výrobné množstvo sú povinné
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM a Výrobné množstvo sú povinné
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Stárnutí rozsah 2
DocType: SG Creation Tool Course,Max Strength,Max Sila
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM nahradil
@@ -4346,8 +4371,8 @@
,Prospects Engaged But Not Converted,"Perspektívy zapojené, ale nekonvertované"
DocType: Manufacturing Settings,Manufacturing Settings,Nastavenia Výroby
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Nastavenia pre e-mail
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Mobile Žiadne
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Zadejte prosím výchozí měnu v podniku Mistr
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile Žiadne
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Zadejte prosím výchozí měnu v podniku Mistr
DocType: Stock Entry Detail,Stock Entry Detail,Reklamní Entry Detail
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Denná Upomienky
DocType: Products Settings,Home Page is Products,Domovskou stránkou je stránka Produkty.
@@ -4356,7 +4381,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Nový názov účtu
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Dodává se nákladů na suroviny
DocType: Selling Settings,Settings for Selling Module,Nastavenie modulu Predaj
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Služby zákazníkům
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Služby zákazníkům
DocType: BOM,Thumbnail,Thumbnail
DocType: Item Customer Detail,Item Customer Detail,Položka Detail Zákazník
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Ponuka kandidát Job.
@@ -4365,7 +4390,7 @@
DocType: Pricing Rule,Percentage,percento
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Položka {0} musí být skladem
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Východiskové prácu v sklade Progress
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Výchozí nastavení účetních transakcí.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Výchozí nastavení účetních transakcí.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Očekávané datum nemůže být před Materiál Poptávka Datum
DocType: Purchase Invoice Item,Stock Qty,Množstvo zásob
@@ -4379,10 +4404,10 @@
DocType: Sales Order,Printing Details,Tlač detailov
DocType: Task,Closing Date,Uzávěrka Datum
DocType: Sales Order Item,Produced Quantity,Vyrobené Množstvo
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Inženýr
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Inženýr
DocType: Journal Entry,Total Amount Currency,Celková suma Mena
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Vyhľadávanie Sub Assemblies
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Kód položky třeba na řádku č {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Kód položky třeba na řádku č {0}
DocType: Sales Partner,Partner Type,Partner Type
DocType: Purchase Taxes and Charges,Actual,Aktuální
DocType: Authorization Rule,Customerwise Discount,Sleva podle zákazníka
@@ -4399,11 +4424,11 @@
DocType: Item Reorder,Re-Order Level,Re-Order Level
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Zadejte položky a plánované ks, pro které chcete získat zakázky na výrobu, nebo stáhnout suroviny pro analýzu."
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Pruhový diagram
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Part-time
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Part-time
DocType: Employee,Applicable Holiday List,Použitelný Seznam Svátků
DocType: Employee,Cheque,Šek
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Řada Aktualizováno
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Report Type je povinné
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Report Type je povinné
DocType: Item,Serial Number Series,Sériové číslo Series
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Sklad je povinný pro skladovou položku {0} na řádku {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Maloobchod a velkoobchod
@@ -4425,7 +4450,7 @@
DocType: BOM,Materials,Materiály
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Pokud není zatrženo, seznam bude muset být přidány ke každé oddělení, kde má být použit."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Zdrojové a cieľové skladov nemôžu byť rovnaké
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Datum a čas zadání je povinný
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Datum a čas zadání je povinný
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Daňové šablona pro nákup transakcí.
,Item Prices,Ceny Položek
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"Ve slovech budou viditelné, jakmile uložíte objednávce."
@@ -4435,22 +4460,23 @@
DocType: Purchase Invoice,Advance Payments,Zálohové platby
DocType: Purchase Taxes and Charges,On Net Total,On Net Celkem
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Hodnota atribútu {0} musí byť v rozmedzí od {1} až {2} v krokoch po {3} pre item {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Target sklad v řádku {0} musí být stejná jako výrobní zakázky
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Target sklad v řádku {0} musí být stejná jako výrobní zakázky
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,"""E-mailové adresy pre oznámenie"" nie sú uvedené pre odpovedanie %s"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,Mena nemôže byť zmenený po vykonaní položky pomocou inej mene
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Mena nemôže byť zmenený po vykonaní položky pomocou inej mene
DocType: Vehicle Service,Clutch Plate,kotúč spojky
DocType: Company,Round Off Account,Zaokrúhliť účet
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Administrativní náklady
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Administrativní náklady
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Consulting
DocType: Customer Group,Parent Customer Group,Parent Customer Group
DocType: Purchase Invoice,Contact Email,Kontaktní e-mail
DocType: Appraisal Goal,Score Earned,Skóre Zasloužené
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Výpovedná Lehota
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Výpovedná Lehota
DocType: Asset Category,Asset Category Name,Asset názov kategórie
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,To je kořen území a nelze upravovat.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Meno Nová Sales Osoba
DocType: Packing Slip,Gross Weight UOM,Hrubá Hmotnosť MJ
DocType: Delivery Note Item,Against Sales Invoice,Proti prodejní faktuře
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Zadajte sériové čísla pre sériovú položku
DocType: Bin,Reserved Qty for Production,Vyhradené Množstvo pre výrobu
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Ponechajte nezačiarknuté, ak nechcete zohľadňovať dávku pri zaradení do skupín."
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Ponechajte nezačiarknuté, ak nechcete zohľadňovať dávku pri zaradení do skupín."
@@ -4459,25 +4485,25 @@
DocType: Landed Cost Item,Landed Cost Item,Přistálo nákladovou položkou
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Ukázat nulové hodnoty
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Množství položky získané po výrobě / přebalení z daných množství surovin
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Nastavenie jednoduché webové stránky pre moju organizáciu
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Nastavenie jednoduché webové stránky pre moju organizáciu
DocType: Payment Reconciliation,Receivable / Payable Account,Pohledávky / závazky účet
DocType: Delivery Note Item,Against Sales Order Item,Proti položce přijaté objednávky
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},Uveďte atribútu Hodnota atribútu {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},Uveďte atribútu Hodnota atribútu {0}
DocType: Item,Default Warehouse,Výchozí Warehouse
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Rozpočet nemôže byť priradená na skupinový účet {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,"Prosím, zadejte nákladové středisko mateřský"
DocType: Delivery Note,Print Without Amount,Tisknout bez Částka
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,odpisy Dátum
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Daň z kategorie nemůže být ""Ocenění"" nebo ""Ocenění a celkový"", protože všechny položky jsou běžně skladem"
DocType: Issue,Support Team,Tým podpory
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Doba použiteľnosti (v dňoch)
DocType: Appraisal,Total Score (Out of 5),Celkové skóre (Out of 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Šarže
+DocType: Student Attendance Tool,Batch,Šarže
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Zůstatek
DocType: Room,Seating Capacity,Počet miest na sedenie
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Total Expense Claim (via Expense nárokov)
+DocType: GST Settings,GST Summary,Súhrn GST
DocType: Assessment Result,Total Score,Konečné skóre
DocType: Journal Entry,Debit Note,Debit Note
DocType: Stock Entry,As per Stock UOM,Podľa skladovej MJ
@@ -4488,12 +4514,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Východzí hotových výrobkov Warehouse
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Prodej Osoba
DocType: SMS Parameter,SMS Parameter,SMS parametrů
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Rozpočet a nákladového strediska
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Rozpočet a nákladového strediska
DocType: Vehicle Service,Half Yearly,Polročne
DocType: Lead,Blog Subscriber,Blog Subscriber
DocType: Guardian,Alternate Number,Alternatívne Number
DocType: Assessment Plan Criteria,Maximum Score,maximálny počet bodov
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Vytvoření pravidla pro omezení transakce na základě hodnot.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Skupina Roll Nie
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Nechajte prázdne, ak robíte študentské skupiny ročne"
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Nechajte prázdne, ak robíte študentské skupiny ročne"
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Pokud je zaškrtnuto, Total no. pracovních dnů bude zahrnovat dovolenou, a to sníží hodnotu platu za každý den"
@@ -4513,6 +4540,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,To je založené na transakciách proti tomuto zákazníkovi. Pozri časovú os nižšie podrobnosti
DocType: Supplier,Credit Days Based On,Úverové Dni Based On
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Riadok {0}: Pridelená suma {1} musí byť menší ako alebo sa rovná sume zaplatení výstavného {2}
+,Course wise Assessment Report,Priebežná hodnotiaca správa
DocType: Tax Rule,Tax Rule,Daňové Pravidlo
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Udržovat stejná sazba po celou dobu prodejního cyklu
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Naplánujte čas protokoly mimo Workstation pracovných hodín.
@@ -4521,7 +4549,7 @@
,Items To Be Requested,Položky se budou vyžadovat
DocType: Purchase Order,Get Last Purchase Rate,Získejte posledního nákupu Cena
DocType: Company,Company Info,Informácie o spoločnosti
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Vyberte alebo pridanie nového zákazníka
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Vyberte alebo pridanie nového zákazníka
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Nákladové stredisko je nutné rezervovať výdavkov nárok
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aplikace fondů (aktiv)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,To je založené na účasti základu tohto zamestnanca
@@ -4529,27 +4557,29 @@
DocType: Fiscal Year,Year Start Date,Dátom začiatku roka
DocType: Attendance,Employee Name,Meno zamestnanca
DocType: Sales Invoice,Rounded Total (Company Currency),Zaoblený Total (Company Měna)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,"Nelze skryté do skupiny, protože je požadovaný typ účtu."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Nelze skryté do skupiny, protože je požadovaný typ účtu."
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} bol zmenený. Prosím aktualizujte.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Přestaňte uživatelům provádět Nechat aplikací v následujících dnech.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,suma nákupu
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Dodávateľ Cien {0} vytvoril
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Koniec roka nemôže byť pred uvedením do prevádzky roku
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Zamestnanecké benefity
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Zamestnanecké benefity
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Balené množstvo se musí rovnať množstvu pre položku {0} v riadku {1}
DocType: Production Order,Manufactured Qty,Vyrobeno Množství
DocType: Purchase Receipt Item,Accepted Quantity,Schválené Množstvo
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Prosím nastaviť predvolené Holiday List pre zamestnancov {0} alebo {1} Company
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} neexistuje
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} neexistuje
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Vyberte dávkové čísla
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Směnky vznesené zákazníkům.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,ID projektu
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},"Riadok č {0}: Čiastka nemôže byť väčšia ako Čakajúci Suma proti Expense nároku {1}. Do doby, než množstvo je {2}"
DocType: Maintenance Schedule,Schedule,Plán
DocType: Account,Parent Account,Nadřazený účet
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,K dispozici
DocType: Quality Inspection Reading,Reading 3,Čtení 3
,Hub,Hub
DocType: GL Entry,Voucher Type,Voucher Type
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Ceník nebyl nalezen nebo zakázán
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Ceník nebyl nalezen nebo zakázán
DocType: Employee Loan Application,Approved,Schválený
DocType: Pricing Rule,Price,Cena
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',"Zaměstnanec úlevu na {0} musí být nastaven jako ""Left"""
@@ -4560,7 +4590,8 @@
DocType: Selling Settings,Campaign Naming By,Kampaň Pojmenování By
DocType: Employee,Current Address Is,Aktuální adresa je
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,modifikovaný
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Voliteľné. Nastaví východiskovej mene spoločnosti, ak nie je uvedené."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Voliteľné. Nastaví východiskovej mene spoločnosti, ak nie je uvedené."
+DocType: Sales Invoice,Customer GSTIN,Zákazník GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Zápisy v účetním deníku.
DocType: Delivery Note Item,Available Qty at From Warehouse,K dispozícii Množstvo na Od Warehouse
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,"Prosím, vyberte zamestnanca záznam prvý."
@@ -4568,7 +4599,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Riadok {0}: Party / Account nezhoduje s {1} / {2} do {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,"Prosím, zadejte výdajového účtu"
DocType: Account,Stock,Sklad
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Riadok # {0}: Reference Document Type musí byť jedným z objednávky, faktúry alebo Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Riadok # {0}: Reference Document Type musí byť jedným z objednávky, faktúry alebo Journal Entry"
DocType: Employee,Current Address,Aktuální adresa
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Je-li položka je varianta další položku pak popis, obraz, oceňování, daní atd bude stanoven ze šablony, pokud není výslovně uvedeno"
DocType: Serial No,Purchase / Manufacture Details,Nákup / Výroba Podrobnosti
@@ -4581,8 +4612,8 @@
DocType: Pricing Rule,Min Qty,Min Množství
DocType: Asset Movement,Transaction Date,Transakce Datum
DocType: Production Plan Item,Planned Qty,Plánované Množství
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Total Tax
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Pre Množstvo (Vyrobené ks) je povinné
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Total Tax
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Pre Množstvo (Vyrobené ks) je povinné
DocType: Stock Entry,Default Target Warehouse,Výchozí Target Warehouse
DocType: Purchase Invoice,Net Total (Company Currency),Net Total (Company Měna)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Rok Dátum ukončenia nesmie byť starší ako dátum rok Štart. Opravte dáta a skúste to znova.
@@ -4596,14 +4627,11 @@
DocType: Hub Settings,Hub Settings,Nastavení Hub
DocType: Project,Gross Margin %,Hrubá Marža %
DocType: BOM,With Operations,S operacemi
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,"Položky účtovníctva už boli vykonané v mene, {0} pre firmu {1}. Vyberte pohľadávky a záväzku účet s menou {0}."
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,"Položky účtovníctva už boli vykonané v mene, {0} pre firmu {1}. Vyberte pohľadávky a záväzku účet s menou {0}."
DocType: Asset,Is Existing Asset,Je existujúcemu aktívu
DocType: Salary Detail,Statistical Component,Štatistická zložka
-,Monthly Salary Register,Měsíční plat Register
DocType: Warranty Claim,If different than customer address,Pokud se liší od adresy zákazníka
DocType: BOM Operation,BOM Operation,BOM Operation
-DocType: School Settings,Validate the Student Group from Program Enrollment,Overenie študentskej skupiny z registrácie programu
-DocType: School Settings,Validate the Student Group from Program Enrollment,Overenie študentskej skupiny z registrácie programu
DocType: Purchase Taxes and Charges,On Previous Row Amount,Na předchozí řady Částka
DocType: Student,Home Address,Adresa bydliska
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,prevod majetku
@@ -4611,28 +4639,27 @@
DocType: Training Event,Event Name,Názov udalosti
apps/erpnext/erpnext/config/schools.py +39,Admission,vstupné
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Prijímacie konanie pre {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Sezónnost pro nastavení rozpočtů, cíle atd."
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Položka {0} je šablóna, prosím vyberte jednu z jeho variantov"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Sezónnost pro nastavení rozpočtů, cíle atd."
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Položka {0} je šablóna, prosím vyberte jednu z jeho variantov"
DocType: Asset,Asset Category,asset Kategórie
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Nákupca
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Netto plat nemôže byť záporný
DocType: SMS Settings,Static Parameters,Statické parametry
DocType: Assessment Plan,Room,izbu
DocType: Purchase Order,Advance Paid,Vyplacené zálohy
DocType: Item,Item Tax,Daň Položky
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materiál Dodávateľovi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Spotrebný Faktúra
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Spotrebný Faktúra
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Prah {0}% sa objaví viac ako raz
DocType: Expense Claim,Employees Email Id,Zaměstnanci Email Id
DocType: Employee Attendance Tool,Marked Attendance,Výrazná Návštevnosť
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Krátkodobé závazky
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Krátkodobé závazky
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Posílat hromadné SMS vašim kontaktům
DocType: Program,Program Name,Názov programu
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Zvažte daň či poplatek za
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Skutočné množstvo je povinné
DocType: Employee Loan,Loan Type,pôžička Type
DocType: Scheduling Tool,Scheduling Tool,plánovanie Tool
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Kreditní karta
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Kreditní karta
DocType: BOM,Item to be manufactured or repacked,Položka být vyráběn nebo znovu zabalena
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Výchozí nastavení pro akciových transakcí.
DocType: Purchase Invoice,Next Date,Ďalší Dátum
@@ -4648,10 +4675,10 @@
DocType: Stock Entry,Repack,Přebalit
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Musíte Uložte formulář před pokračováním
DocType: Item Attribute,Numeric Values,Číselné hodnoty
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Pripojiť Logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Pripojiť Logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,sklad Levels
DocType: Customer,Commission Rate,Výška provízie
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Vytvoriť Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Vytvoriť Variant
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Aplikace Block dovolené podle oddělení.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer",Typ platby musí byť jedným z príjem Pay a interný prevod
apps/erpnext/erpnext/config/selling.py +179,Analytics,analytika
@@ -4659,45 +4686,45 @@
DocType: Vehicle,Model,Modelka
DocType: Production Order,Actual Operating Cost,Skutečné provozní náklady
DocType: Payment Entry,Cheque/Reference No,Šek / Referenčné číslo
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Root nelze upravovat.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root nelze upravovat.
DocType: Item,Units of Measure,merné jednotky
DocType: Manufacturing Settings,Allow Production on Holidays,Povolit Výrobu při dovolené
DocType: Sales Order,Customer's Purchase Order Date,Zákazníka Objednávka Datum
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Základný kapitál
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Základný kapitál
DocType: Shopping Cart Settings,Show Public Attachments,Zobraziť verejné prílohy
DocType: Packing Slip,Package Weight Details,Hmotnost balení Podrobnosti
DocType: Payment Gateway Account,Payment Gateway Account,Platobná brána účet
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Po dokončení platby presmerovať užívateľa na vybrané stránky.
DocType: Company,Existing Company,existujúce Company
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Daňová kategória bola zmenená na "Celkom", pretože všetky položky sú položky, ktoré nie sú na sklade"
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Vyberte soubor csv
DocType: Student Leave Application,Mark as Present,Označiť ako darček
DocType: Purchase Order,To Receive and Bill,Prijímať a Bill
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Predstavované produkty
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Návrhář
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Návrhář
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Podmínky Template
DocType: Serial No,Delivery Details,Zasílání
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Nákladové středisko je nutné v řadě {0} na daních tabulka typu {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Nákladové středisko je nutné v řadě {0} na daních tabulka typu {1}
DocType: Program,Program Code,kód programu
DocType: Terms and Conditions,Terms and Conditions Help,podmienky nápovedy
,Item-wise Purchase Register,Item-moudrý Nákup Register
DocType: Batch,Expiry Date,Datum vypršení platnosti
-,Supplier Addresses and Contacts,Dodavatel Adresy a kontakty
,accounts-browser,Účty-browser
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,Nejdřív vyberte kategorii
apps/erpnext/erpnext/config/projects.py +13,Project master.,Master Project.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Ak chcete povoliť over-fakturáciu alebo over-objednávanie, aktualizujte "príspevok" v Nastavenie sklade, alebo výtlačku."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Ak chcete povoliť over-fakturáciu alebo over-objednávanie, aktualizujte "príspevok" v Nastavenie sklade, alebo výtlačku."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Neukazovať žiadny symbol ako $ atď vedľa meny.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Pól dňa)
DocType: Supplier,Credit Days,Úvěrové dny
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Urobiť Študent Batch
DocType: Leave Type,Is Carry Forward,Je převádět
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Získat předměty z BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Získat předměty z BOM
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Lead Time Days
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Riadok # {0}: Vysielanie dátum musí byť rovnaké ako dátum nákupu {1} aktíva {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Riadok # {0}: Vysielanie dátum musí byť rovnaké ako dátum nákupu {1} aktíva {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,"Prosím, zadajte Predajné objednávky v tabuľke vyššie"
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Nie je Vložené výplatných páskach
,Stock Summary,sklad Súhrn
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Previesť aktíva z jedného skladu do druhého
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Previesť aktíva z jedného skladu do druhého
DocType: Vehicle,Petrol,benzín
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Kusovník
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Riadok {0}: Typ Party Party a je nutné pre pohľadávky / záväzky na účte {1}
@@ -4708,6 +4735,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Sankcionována Částka
DocType: GL Entry,Is Opening,Se otevírá
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Row {0}: záporný nemůže být spojována s {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Účet {0} neexistuje
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Účet {0} neexistuje
DocType: Account,Cash,V hotovosti
DocType: Employee,Short biography for website and other publications.,Krátký životopis na internetové stránky a dalších publikací.
diff --git a/erpnext/translations/sl.csv b/erpnext/translations/sl.csv
index 0e07bf3..9ec3ec1 100644
--- a/erpnext/translations/sl.csv
+++ b/erpnext/translations/sl.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Consumer Products
DocType: Item,Customer Items,Artikli stranke
DocType: Project,Costing and Billing,Obračunavanje stroškov in plačevanja
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Račun {0}: Matični račun {1} ne more biti Glavna knjiga
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Račun {0}: Matični račun {1} ne more biti Glavna knjiga
DocType: Item,Publish Item to hub.erpnext.com,Objavite element na hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,E-poštna obvestila
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,vrednotenje
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,vrednotenje
DocType: Item,Default Unit of Measure,Privzeto mersko enoto
DocType: SMS Center,All Sales Partner Contact,Vse Sales Partner Kontakt
DocType: Employee,Leave Approvers,Pustite Approvers
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Menjalni tečaj mora biti enaka kot {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Ime stranke
DocType: Vehicle,Natural Gas,Zemeljski plin
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Bančni račun ne more biti imenovan kot {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Bančni račun ne more biti imenovan kot {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Glave (ali skupine), proti katerim vknjižbe so narejeni in stanje se ohranijo."
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Izjemna za {0} ne more biti manjša od nič ({1})
DocType: Manufacturing Settings,Default 10 mins,Privzeto 10 minut
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Vse Dobavitelj Kontakt
DocType: Support Settings,Support Settings,Nastavitve podpora
DocType: SMS Parameter,Parameter,Parameter
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Pričakuje Končni datum ne more biti manjši od pričakovanega začetka Datum
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Pričakuje Končni datum ne more biti manjši od pričakovanega začetka Datum
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Vrstica # {0}: Stopnja mora biti enaka kot {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,New Leave Application
,Batch Item Expiry Status,Serija Točka preteka Status
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Bank Osnutek
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Bank Osnutek
DocType: Mode of Payment Account,Mode of Payment Account,Način plačilnega računa
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Prikaži Variante
DocType: Academic Term,Academic Term,Academic Term
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Material
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Količina
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Predstavlja tabela ne more biti prazno.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Posojili (obveznosti)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Posojili (obveznosti)
DocType: Employee Education,Year of Passing,"Leto, ki poteka"
DocType: Item,Country of Origin,Država izvora
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,Na zalogi
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,Na zalogi
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,odprta vprašanja
DocType: Production Plan Item,Production Plan Item,Proizvodni načrt Postavka
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Uporabnik {0} je že dodeljen Employee {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Skrb za zdravje
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Zamuda pri plačilu (dnevi)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Service Expense
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijska številka: {0} že naveden v prodajne fakture: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Serijska številka: {0} že naveden v prodajne fakture: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Račun
DocType: Maintenance Schedule Item,Periodicity,Periodičnost
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Poslovno leto {0} je potrebno
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Vrstica # {0}:
DocType: Timesheet,Total Costing Amount,Skupaj Stanejo Znesek
DocType: Delivery Note,Vehicle No,Nobeno vozilo
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,Izberite Cenik
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Izberite Cenik
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Vrstica # {0}: Plačilo dokument je potreben za dokončanje trasaction
DocType: Production Order Operation,Work In Progress,V razvoju
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Izberite datum
DocType: Employee,Holiday List,Holiday Seznam
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Računovodja
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Računovodja
DocType: Cost Center,Stock User,Stock Uporabnik
DocType: Company,Phone No,Telefon
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Urniki tečaj ustvaril:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Nov {0}: # {1}
,Sales Partners Commission,Partnerji Sales Komisija
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Kratica ne more imeti več kot 5 znakov
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Kratica ne more imeti več kot 5 znakov
DocType: Payment Request,Payment Request,Plačilni Nalog
DocType: Asset,Value After Depreciation,Vrednost po amortizaciji
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,Datum udeležba ne sme biti manjša od povezuje datumu zaposlenega
DocType: Grading Scale,Grading Scale Name,Ocenjevalna lestvica Ime
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,To je račun root in jih ni mogoče urejati.
+DocType: Sales Invoice,Company Address,Naslov podjetja
DocType: BOM,Operations,Operacije
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Ni mogoče nastaviti dovoljenja na podlagi popust za {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Pripni datoteko .csv z dvema stolpcema, eno za staro ime in enega za novim imenom"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ne na delujočem poslovnega leta.
DocType: Packed Item,Parent Detail docname,Parent Detail docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",Referenca: {0} Oznaka: {1} in stranke: {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Kg
DocType: Student Log,Log,dnevnik
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Odpiranje za službo.
DocType: Item Attribute,Increment,Prirastek
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Oglaševanje
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Ista družba je vpisana več kot enkrat
DocType: Employee,Married,Poročen
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Ni dovoljeno za {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Ni dovoljeno za {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Pridobi artikle iz
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Stock ni mogoče posodobiti proti dobavnica {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Stock ni mogoče posodobiti proti dobavnica {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Izdelek {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,"Ni elementov, navedenih"
DocType: Payment Reconciliation,Reconcile,Uskladitev
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Naslednja Amortizacija datum ne more biti pred Nakup Datum
DocType: SMS Center,All Sales Person,Vse Sales oseba
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"** Mesečni Distribution ** vam pomaga razširjati proračuna / Target po mesecih, če imate sezonske v vašem podjetju."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Ni najdenih predmetov
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Ni najdenih predmetov
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Plača Struktura Missing
DocType: Lead,Person Name,Ime oseba
DocType: Sales Invoice Item,Sales Invoice Item,Artikel na računu
DocType: Account,Credit,Credit
DocType: POS Profile,Write Off Cost Center,Napišite Off stroškovni center
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",npr "Osnovna šola" ali "University"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",npr "Osnovna šola" ali "University"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Poročila o zalogi
DocType: Warehouse,Warehouse Detail,Skladišče Detail
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Kreditni limit je prečkal za stranko {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Kreditni limit je prečkal za stranko {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Izraz Končni datum ne more biti najpozneje do leta End Datum študijskem letu, v katerem je izraz povezan (študijsko leto {}). Popravite datum in poskusite znova."
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Ali je osnovno sredstvo" ne more biti brez nadzora, saj obstaja evidenca sredstev proti postavki"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Ali je osnovno sredstvo" ne more biti brez nadzora, saj obstaja evidenca sredstev proti postavki"
DocType: Vehicle Service,Brake Oil,Zavorna olja
DocType: Tax Rule,Tax Type,Davčna Type
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Nimate dovoljenja za dodajanje ali posodobitev vnose pred {0}
DocType: BOM,Item Image (if not slideshow),Postavka Image (če ne slideshow)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Obstaja Stranka z istim imenom
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Urne / 60) * Dejanska čas operacije
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Izberite BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Izberite BOM
DocType: SMS Log,SMS Log,SMS Log
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Nabavna vrednost dobavljenega predmeta
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,"Praznik na {0} ni med Od datuma, do sedaj"
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Od {0} do {1}
DocType: Item,Copy From Item Group,Kopiranje iz postavke skupine
DocType: Journal Entry,Opening Entry,Otvoritev Začetek
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Stranka> Skupina kupcev> Territory
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Račun Pay samo
DocType: Employee Loan,Repay Over Number of Periods,Odplačilo Over število obdobij
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} ni vpisan v danem {2}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} ni vpisan v danem {2}
DocType: Stock Entry,Additional Costs,Dodatni stroški
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Račun z obstoječim poslom ni mogoče pretvoriti v skupini.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Račun z obstoječim poslom ni mogoče pretvoriti v skupini.
DocType: Lead,Product Enquiry,Povpraševanje izdelek
DocType: Academic Term,Schools,šole
+DocType: School Settings,Validate Batch for Students in Student Group,Potrdite Batch za študente v študentskih skupine
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Št odsotnost zapisa dalo za delavca {0} za {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Prosimo, da najprej vnesete podjetje"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,"Prosimo, izberite Company najprej"
@@ -175,49 +176,49 @@
DocType: BOM,Total Cost,Skupni stroški
DocType: Journal Entry Account,Employee Loan,zaposlenih Loan
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Dnevnik aktivnosti:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,Element {0} ne obstaja v sistemu ali je potekla
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Element {0} ne obstaja v sistemu ali je potekla
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Nepremičnina
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Izkaz računa
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Farmacevtski izdelki
DocType: Purchase Invoice Item,Is Fixed Asset,Je osnovno sredstvo
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Preberi je {0}, morate {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Preberi je {0}, morate {1}"
DocType: Expense Claim Detail,Claim Amount,Trditev Znesek
-DocType: Employee,Mr,gospod
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Dvojnik skupina kupcev so v tabeli cutomer skupine
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Dobavitelj Vrsta / dobavitelj
DocType: Naming Series,Prefix,Predpona
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Potrošni
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Potrošni
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Uvoz Log
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Potegnite materiala Zahtevaj tipa Proizvodnja na podlagi zgornjih meril
DocType: Training Result Employee,Grade,razred
DocType: Sales Invoice Item,Delivered By Supplier,Delivered dobavitelj
DocType: SMS Center,All Contact,Vse Kontakt
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Proizvodnja naročite že ustvarili za vse postavke s BOM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Letne plače
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Proizvodnja naročite že ustvarili za vse postavke s BOM
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Letne plače
DocType: Daily Work Summary,Daily Work Summary,Dnevni Delo Povzetek
DocType: Period Closing Voucher,Closing Fiscal Year,Zapiranje poslovno leto
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} je zamrznjeno
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Izberite obstoječo družbo za ustvarjanje kontnem načrtu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Zaloga Stroški
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} je zamrznjeno
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Izberite obstoječo družbo za ustvarjanje kontnem načrtu
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Zaloga Stroški
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Izberite Target Skladišče
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Izberite Target Skladišče
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,Vnesite Želeni Kontakt Email
+DocType: Program Enrollment,School Bus,Šolski avtobus
DocType: Journal Entry,Contra Entry,Contra Začetek
DocType: Journal Entry Account,Credit in Company Currency,Kredit v podjetju valuti
DocType: Delivery Note,Installation Status,Namestitev Status
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Ali želite posodobiti prisotnost? <br> Sedanje: {0} \ <br> Odsoten: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Sprejeta + Zavrnjeno Količina mora biti enaka Prejeto količini za postavko {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Sprejeta + Zavrnjeno Količina mora biti enaka Prejeto količini za postavko {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Dobava surovine za nakup
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,za POS računa je potreben vsaj en način plačila.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,za POS računa je potreben vsaj en način plačila.
DocType: Products Settings,Show Products as a List,Prikaži izdelke na seznamu
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Prenesite predloge, izpolnite ustrezne podatke in priložite spremenjeno datoteko. Vsi datumi in zaposleni kombinacija v izbranem obdobju, bo prišel v predlogo, z obstoječimi zapisi postrežbo"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,Postavka {0} ni aktiven ali je bil dosežen konec življenja
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Primer: Osnovna matematika
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Da vključujejo davek v vrstici {0} v stopnji Element, davki v vrsticah {1} je treba vključiti tudi"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Postavka {0} ni aktiven ali je bil dosežen konec življenja
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Primer: Osnovna matematika
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Da vključujejo davek v vrstici {0} v stopnji Element, davki v vrsticah {1} je treba vključiti tudi"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Nastavitve za HR modula
DocType: SMS Center,SMS Center,SMS center
DocType: Sales Invoice,Change Amount,Znesek spremembe
@@ -227,7 +228,7 @@
DocType: Lead,Request Type,Zahteva Type
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Naj Zaposleni
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Broadcasting
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Izvedba
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Izvedba
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Podrobnosti o poslovanju izvajajo.
DocType: Serial No,Maintenance Status,Status vzdrževanje
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: je dobavitelj potrebno pred plačljivo račun {2}
@@ -255,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Zahteva za ponudbo lahko dostopate s klikom na spodnjo povezavo
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Dodeli liste za leto.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG ustvarjanja orodje za golf
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,nezadostna Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,nezadostna Stock
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Onemogoči Capacity Planning and Time Tracking
DocType: Email Digest,New Sales Orders,Novi prodajni nalogi
DocType: Bank Guarantee,Bank Account,Bančni račun
@@ -266,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log',Posodobljeno preko "Čas Logu"
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Advance znesek ne sme biti večja od {0} {1}
DocType: Naming Series,Series List for this Transaction,Seznam zaporedij za to transakcijo
+DocType: Company,Enable Perpetual Inventory,Omogoči nepretrganega popisovanja
DocType: Company,Default Payroll Payable Account,Privzeto Plače plačljivo račun
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Posodobitev e-Group
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Posodobitev e-Group
DocType: Sales Invoice,Is Opening Entry,Je vstopna odprtina
DocType: Customer Group,Mention if non-standard receivable account applicable,"Omemba če nestandardni terjatve račun, ki se uporablja"
DocType: Course Schedule,Instructor Name,inštruktor Ime
@@ -279,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Proti Sales računa Postavka
,Production Orders in Progress,Proizvodna naročila v teku
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Neto denarni tokovi pri financiranju
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","Lokalno shrambo je polna, ni shranil"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","Lokalno shrambo je polna, ni shranil"
DocType: Lead,Address & Contact,Naslov in kontakt
DocType: Leave Allocation,Add unused leaves from previous allocations,Dodaj neuporabljene liste iz prejšnjih dodelitev
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Naslednja Ponavljajoči {0} se bo ustvaril na {1}
DocType: Sales Partner,Partner website,spletna stran partnerja
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Dodaj predmet
-,Contact Name,Kontaktno ime
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Kontaktno ime
DocType: Course Assessment Criteria,Course Assessment Criteria,Merila ocenjevanja tečaj
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Ustvari plačilni list za zgoraj omenjenih kriterijev.
DocType: POS Customer Group,POS Customer Group,POS Group stranke
@@ -294,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Opis ni dana
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Zaprosi za nakup.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Ta temelji na časovnih preglednicah ustvarjenih pred tem projektu
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Neto plača ne sme biti manjši od 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Neto plača ne sme biti manjši od 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Le izbrani Leave odobritelj lahko predloži pustite to Application
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Lajšanje Datum mora biti večja od Datum pridružitve
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Listi na leto
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Listi na leto
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Vrstica {0}: Prosimo, preverite "Je Advance" proti račun {1}, če je to predujem vnos."
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Skladišče {0} ne pripada podjetju {1}
DocType: Email Digest,Profit & Loss,Profit & Loss
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Liter
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Liter
DocType: Task,Total Costing Amount (via Time Sheet),Skupaj Costing Znesek (preko Čas lista)
DocType: Item Website Specification,Item Website Specification,Element Spletna stran Specifikacija
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Pustite blokiranih
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Postavka {0} je konec življenja na {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Postavka {0} je konec življenja na {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,bančni vnosi
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Letno
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Sprava Postavka
@@ -313,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,Min naročilo Kol
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Orodje za oblikovanje študent Group tečaj
DocType: Lead,Do Not Contact,Ne Pišite
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,"Ljudje, ki poučujejo v vaši organizaciji"
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,"Ljudje, ki poučujejo v vaši organizaciji"
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Edinstven ID za sledenje vse ponavljajoče račune. To je ustvarila na oddajte.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Razvijalec programske opreme
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Razvijalec programske opreme
DocType: Item,Minimum Order Qty,Najmanjše naročilo Kol
DocType: Pricing Rule,Supplier Type,Dobavitelj Type
DocType: Course Scheduling Tool,Course Start Date,Datum začetka predmeta
@@ -324,11 +326,11 @@
DocType: Item,Publish in Hub,Objavite v Hub
DocType: Student Admission,Student Admission,študent Sprejem
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Postavka {0} je odpovedan
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Postavka {0} je odpovedan
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Zahteva za material
DocType: Bank Reconciliation,Update Clearance Date,Posodobitev Potrditev Datum
DocType: Item,Purchase Details,Nakup Podrobnosti
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Postavka {0} ni bilo mogoče najti v "surovin, dobavljenih" mizo v narocilo {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Postavka {0} ni bilo mogoče najti v "surovin, dobavljenih" mizo v narocilo {1}"
DocType: Employee,Relation,Razmerje
DocType: Shipping Rule,Worldwide Shipping,Dostava po celem svetu
DocType: Student Guardian,Mother,mati
@@ -347,6 +349,7 @@
DocType: Student Group Student,Student Group Student,Študentska skupina Študent
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Zadnje
DocType: Vehicle Service,Inspection,inšpekcija
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Seznam
DocType: Email Digest,New Quotations,Nove ponudbe
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,"E-pošta plačilni list na zaposlenega, ki temelji na prednostni e-pošti izbrani na zaposlenega"
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,"Prvi Leave odobritelj na seznamu, bo nastavljen kot privzeti Leave odobritelja"
@@ -355,20 +358,20 @@
DocType: Asset,Next Depreciation Date,Naslednja Amortizacija Datum
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Stroški dejavnost na zaposlenega
DocType: Accounts Settings,Settings for Accounts,Nastavitve za račune
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Dobavitelj računa ni v računu o nakupu obstaja {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Dobavitelj računa ni v računu o nakupu obstaja {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Upravljanje drevesa prodajalca.
DocType: Job Applicant,Cover Letter,Cover Letter
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Neporavnani čeki in depoziti želite počistiti
DocType: Item,Synced With Hub,Sinhronizirano Z Hub
DocType: Vehicle,Fleet Manager,Fleet Manager
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Vrstica # {0} {1} ne more biti negativna za element {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Napačno geslo
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Napačno geslo
DocType: Item,Variant Of,Varianta
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',Dopolnil Količina ne sme biti večja od "Kol za Izdelava"
DocType: Period Closing Voucher,Closing Account Head,Zapiranje računa Head
DocType: Employee,External Work History,Zunanji Delo Zgodovina
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Krožna Reference Error
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Ime Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Ime Guardian1
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"Z besedami (izvoz) bo viden, ko boste shranite dobavnici."
DocType: Cheque Print Template,Distance from left edge,Oddaljenost od levega roba
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} enote [{1}] (# Oblika / točke / {1}) je v [{2}] (# Oblika / skladišča / {2})
@@ -377,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Obvesti po e-pošti na ustvarjanje avtomatičnega Material dogovoru
DocType: Journal Entry,Multi Currency,Multi Valuta
DocType: Payment Reconciliation Invoice,Invoice Type,Račun Type
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Poročilo o dostavi
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Poročilo o dostavi
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Postavitev Davki
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Stroški Prodano sredstvi
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,"Začetek Plačilo je bil spremenjen, ko je potegnil. Prosimo, še enkrat vleči."
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} dvakrat vpisana v postavki davku
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Začetek Plačilo je bil spremenjen, ko je potegnil. Prosimo, še enkrat vleči."
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} dvakrat vpisana v postavki davku
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Povzetek za ta teden in ki potekajo dejavnosti
DocType: Student Applicant,Admitted,priznal
DocType: Workstation,Rent Cost,Najem Stroški
@@ -400,25 +403,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Prosimo, vpišite "Ponovi na dan v mesecu" vrednosti polja"
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Stopnjo, po kateri je naročnik Valuta pretvori v osnovni valuti kupca"
DocType: Course Scheduling Tool,Course Scheduling Tool,Seveda razporejanje orodje
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Nakup računa ni mogoče sklepati na podlagi obstoječega sredstva {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Nakup računa ni mogoče sklepati na podlagi obstoječega sredstva {1}
DocType: Item Tax,Tax Rate,Davčna stopnja
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} že dodeljenih za Employee {1} za obdobje {2} do {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Izberite Item
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Nakup Račun {0} je že predložila
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Nakup Račun {0} je že predložila
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Vrstica # {0}: mora Serija Ne biti enaka kot {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,"Pretvarjanje, da non-Group"
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Serija (lot) postavke.
DocType: C-Form Invoice Detail,Invoice Date,Datum računa
DocType: GL Entry,Debit Amount,Debetni Znesek
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},"Ne more biti samo 1 račun na podjetje, v {0} {1}"
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,Glej prilogo
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},"Ne more biti samo 1 račun na podjetje, v {0} {1}"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,Glej prilogo
DocType: Purchase Order,% Received,% Prejeto
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Ustvarjanje skupin študentov
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Setup Že Complete !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Credit Opomba Znesek
,Finished Goods,"Končnih izdelkov,"
DocType: Delivery Note,Instructions,Navodila
DocType: Quality Inspection,Inspected By,Pregledajo
DocType: Maintenance Visit,Maintenance Type,Vzdrževanje Type
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} ni vpisan v teku {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Serijska št {0} ne pripada dobavnica {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Dodaj artikel
@@ -441,7 +446,7 @@
DocType: Request for Quotation,Request for Quotation,Zahteva za ponudbo
DocType: Salary Slip Timesheet,Working Hours,Delovni čas
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Spremenite izhodiščno / trenutno zaporedno številko obstoječega zaporedja.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Ustvari novo stranko
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Ustvari novo stranko
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Če je več Rules Cenik še naprej prevladovala, so pozvane, da nastavite Priority ročno za reševanje morebitnih sporov."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Ustvari naročilnice
,Purchase Register,Nakup Register
@@ -453,7 +458,7 @@
DocType: Student Log,Medical,Medical
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Razlog za izgubo
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Svinec Lastnik ne more biti isto kot vodilni
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,Dodeljen znesek ne more večja od neprilagojene zneska
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,Dodeljen znesek ne more večja od neprilagojene zneska
DocType: Announcement,Receiver,sprejemnik
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation je zaprt na naslednje datume kot na Holiday Seznam: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Priložnosti
@@ -467,8 +472,7 @@
DocType: Assessment Plan,Examiner Name,Ime Examiner
DocType: Purchase Invoice Item,Quantity and Rate,Količina in stopnja
DocType: Delivery Note,% Installed,% Nameščeni
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učilnice / Laboratories itd, kjer se lahko načrtovana predavanja."
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dobavitelj> Vrsta dobavitelj
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Učilnice / Laboratories itd, kjer se lahko načrtovana predavanja."
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,"Prosimo, da najprej vpišete ime podjetja"
DocType: Purchase Invoice,Supplier Name,Dobavitelj Name
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Preberite priročnik ERPNext
@@ -478,7 +482,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Preverite Dobavitelj Številka računa Edinstvenost
DocType: Vehicle Service,Oil Change,Menjava olja
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','Do št. primera' ne more biti nižja od 'Od št. primera'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Non Profit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Non Profit
DocType: Production Order,Not Started,Ni začelo
DocType: Lead,Channel Partner,Channel Partner
DocType: Account,Old Parent,Stara Parent
@@ -489,20 +493,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globalne nastavitve za vseh proizvodnih procesov.
DocType: Accounts Settings,Accounts Frozen Upto,Računi Zamrznjena Stanuje
DocType: SMS Log,Sent On,Pošlje On
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Lastnost {0} izbrana večkrat v atributih tabeli
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Lastnost {0} izbrana večkrat v atributih tabeli
DocType: HR Settings,Employee record is created using selected field. ,Evidenco o zaposlenih delavcih je ustvarjena s pomočjo izbrano polje.
DocType: Sales Order,Not Applicable,Se ne uporablja
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Holiday gospodar.
DocType: Request for Quotation Item,Required Date,Zahtevani Datum
DocType: Delivery Note,Billing Address,Naslov za pošiljanje računa
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Vnesite Koda.
DocType: BOM,Costing,Stanejo
DocType: Tax Rule,Billing County,County obračun
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Če je omogočeno, se bo štela za znesek davka, kot je že vključena v Print Oceni / Print Znesek"
DocType: Request for Quotation,Message for Supplier,Sporočilo za dobavitelja
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Skupaj Kol
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Skrbnika2 E-ID
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Skrbnika2 E-ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Skrbnika2 E-ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Skrbnika2 E-ID
DocType: Item,Show in Website (Variant),Prikaži na spletni strani (Variant)
DocType: Employee,Health Concerns,Zdravje Zaskrbljenost
DocType: Process Payroll,Select Payroll Period,Izberite izplačane Obdobje
@@ -520,25 +523,27 @@
DocType: Sales Order Item,Used for Production Plan,Uporablja se za proizvodnjo načrta
DocType: Employee Loan,Total Payment,Skupaj plačila
DocType: Manufacturing Settings,Time Between Operations (in mins),Čas med dejavnostmi (v minutah)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} se odpravi tako dejanje ne more biti dokončana
DocType: Customer,Buyer of Goods and Services.,Kupec blaga in storitev.
DocType: Journal Entry,Accounts Payable,Računi se plačuje
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Izbrani BOMs niso na isti točki
DocType: Pricing Rule,Valid Upto,Valid Stanuje
DocType: Training Event,Workshop,Delavnica
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Naštejte nekaj vaših strank. Ti bi se lahko organizacije ali posamezniki.
-,Enough Parts to Build,Dovolj deli za izgradnjo
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Neposredne dohodkovne
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Naštejte nekaj vaših strank. Ti bi se lahko organizacije ali posamezniki.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Dovolj deli za izgradnjo
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Neposredne dohodkovne
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Filter ne more temeljiti na račun, če je združena s račun"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Upravni uradnik
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Izberite tečaj
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Upravni uradnik
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Izberite tečaj
DocType: Timesheet Detail,Hrs,hrs
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,"Prosimo, izberite Company"
DocType: Stock Entry Detail,Difference Account,Razlika račun
+DocType: Purchase Invoice,Supplier GSTIN,Dobavitelj GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,"Ne more blizu naloga, saj je njena odvisna Naloga {0} ni zaprt."
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"Vnesite skladišče, za katere se bo dvignjeno Material Zahteva"
DocType: Production Order,Additional Operating Cost,Dodatne operacijski stroškov
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kozmetika
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Za pripojitev, mora naslednje lastnosti biti enaka za oba predmetov"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Za pripojitev, mora naslednje lastnosti biti enaka za oba predmetov"
DocType: Shipping Rule,Net Weight,Neto teža
DocType: Employee,Emergency Phone,Zasilna Telefon
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Nakup
@@ -548,14 +553,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,"Prosimo, določite stopnjo za praga 0%"
DocType: Sales Order,To Deliver,Dostaviti
DocType: Purchase Invoice Item,Item,Postavka
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Serijska št postavka ne more biti del
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Serijska št postavka ne more biti del
DocType: Journal Entry,Difference (Dr - Cr),Razlika (Dr - Cr)
DocType: Account,Profit and Loss,Dobiček in izguba
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Upravljanje Podizvajalci
DocType: Project,Project will be accessible on the website to these users,Projekt bo na voljo na spletni strani teh uporabnikov
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,"Obrestna mera, po kateri Cenik valuti, se pretvori v osnovni valuti družbe"
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Račun {0} ne pripada podjetju: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Kratica že uporabljena za druge družbe
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Račun {0} ne pripada podjetju: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Kratica že uporabljena za druge družbe
DocType: Selling Settings,Default Customer Group,Privzeta skupina kupcev
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Če onemogočiti, polje "zaokrožena Skupaj 'ne bo viden v vsakem poslu"
DocType: BOM,Operating Cost,Obratovalni stroški
@@ -563,7 +568,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Prirastek ne more biti 0
DocType: Production Planning Tool,Material Requirement,Material Zahteva
DocType: Company,Delete Company Transactions,Izbriši transakcije družbe
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Referenčna številka in referenčni datum je obvezna za banke transakcijo
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Referenčna številka in referenčni datum je obvezna za banke transakcijo
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Dodaj / Uredi davkov in dajatev
DocType: Purchase Invoice,Supplier Invoice No,Dobavitelj Račun Ne
DocType: Territory,For reference,Za sklic
@@ -574,22 +579,22 @@
DocType: Installation Note Item,Installation Note Item,Namestitev Opomba Postavka
DocType: Production Plan Item,Pending Qty,Pending Kol
DocType: Budget,Ignore,Ignoriraj
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} ni aktiven
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} ni aktiven
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS poslan na naslednjih številkah: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,Preverite nastavitve za dimenzije za tiskanje
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Preverite nastavitve za dimenzije za tiskanje
DocType: Salary Slip,Salary Slip Timesheet,Plača Slip Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Dobavitelj Skladišče obvezno za podizvajalcev Potrdilo o nakupu
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Dobavitelj Skladišče obvezno za podizvajalcev Potrdilo o nakupu
DocType: Pricing Rule,Valid From,Velja od
DocType: Sales Invoice,Total Commission,Skupaj Komisija
DocType: Pricing Rule,Sales Partner,Prodaja Partner
DocType: Buying Settings,Purchase Receipt Required,Potrdilo o nakupu Obvezno
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,"Oceni Vrednotenje je obvezna, če je začel Odpiranje Stock"
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,"Oceni Vrednotenje je obvezna, če je začel Odpiranje Stock"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Ni najdenih v tabeli računa zapisov
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Izberite podjetja in Zabava Vrsta najprej
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Finančni / računovodstvo leto.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Finančni / računovodstvo leto.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,nakopičene Vrednosti
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Oprostite, Serijska št ni mogoče združiti"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Naredite Sales Order
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Naredite Sales Order
DocType: Project Task,Project Task,Project Task
,Lead Id,ID Ponudbe
DocType: C-Form Invoice Detail,Grand Total,Skupna vsota
@@ -606,7 +611,7 @@
DocType: Job Applicant,Resume Attachment,Nadaljuj Attachment
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Ponovite Stranke
DocType: Leave Control Panel,Allocate,Dodeli
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Prodaja Return
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Prodaja Return
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Opomba: Skupna dodeljena listi {0} ne sme biti manjši od že odobrene listov {1} za obdobje
DocType: Announcement,Posted By,Avtor
DocType: Item,Delivered by Supplier (Drop Ship),Dostavi dobavitelja (Drop Ship)
@@ -616,8 +621,8 @@
DocType: Quotation,Quotation To,Ponudba za
DocType: Lead,Middle Income,Bližnji Prihodki
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Odprtino (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Privzeto mersko enoto za postavko {0} ni mogoče neposredno spremeniti, ker ste že naredili nekaj transakcije (-e) z drugo UOM. Boste morali ustvariti nov element, da uporabi drugačno Privzeti UOM."
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Dodeljen znesek ne more biti negativna
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Privzeto mersko enoto za postavko {0} ni mogoče neposredno spremeniti, ker ste že naredili nekaj transakcije (-e) z drugo UOM. Boste morali ustvariti nov element, da uporabi drugačno Privzeti UOM."
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Dodeljen znesek ne more biti negativna
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Nastavite Company
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Nastavite Company
DocType: Purchase Order Item,Billed Amt,Bremenjenega Amt
@@ -630,7 +635,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,"Izberite Plačilo računa, da bo Bank Entry"
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Ustvarjanje zapisov zaposlencev za upravljanje listje, odhodkov terjatev in na izplačane plače"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Dodaj zbirke znanja
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Predlog Pisanje
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Predlog Pisanje
DocType: Payment Entry Deduction,Payment Entry Deduction,Plačilo Začetek odštevanja
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Obstaja še ena Sales Oseba {0} z enako id zaposlenih
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Če je omogočeno, surovin za predmete, ki so podizvajalcem bodo vključeni v materialu Prošnje"
@@ -645,7 +650,7 @@
DocType: Batch,Batch Description,Serija Opis
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Ustvarjanje študentskih skupin
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Ustvarjanje študentskih skupin
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Plačilo Gateway računa ni ustvaril, si ustvariti ročno."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Plačilo Gateway računa ni ustvaril, si ustvariti ročno."
DocType: Sales Invoice,Sales Taxes and Charges,Prodajne Davki in dajatve
DocType: Employee,Organization Profile,Organizacija Profil
DocType: Student,Sibling Details,sorodstvena Podrobnosti
@@ -667,11 +672,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Neto sprememba v popisu
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Posojilo Employee Management
DocType: Employee,Passport Number,Številka potnega lista
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Povezava z skrbnika2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Manager
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Povezava z skrbnika2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Manager
DocType: Payment Entry,Payment From / To,Plačilo Od / Do
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nova kreditna meja je nižja od trenutne neporavnani znesek za stranko. Kreditno linijo mora biti atleast {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Enako postavka je bila vpisana večkrat.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nova kreditna meja je nižja od trenutne neporavnani znesek za stranko. Kreditno linijo mora biti atleast {0}
DocType: SMS Settings,Receiver Parameter,Sprejemnik Parameter
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""Na podlagi"" in ""Združi po"" ne more biti enaka"
DocType: Sales Person,Sales Person Targets,Prodaja Osebni cilji
@@ -680,8 +684,9 @@
DocType: Issue,Resolution Date,Resolucija Datum
DocType: Student Batch Name,Batch Name,serija Ime
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timesheet ustvaril:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},"Prosim, nastavite privzeto gotovinski ali bančni račun v načinu plačevanja {0}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},"Prosim, nastavite privzeto gotovinski ali bančni račun v načinu plačevanja {0}"
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,včlanite se
+DocType: GST Settings,GST Settings,GST Nastavitve
DocType: Selling Settings,Customer Naming By,Stranka Imenovanje Z
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,"Bo pokazal študenta, kot so v Študentski Mesečno poročilo navzočih"
DocType: Depreciation Schedule,Depreciation Amount,Amortizacija Znesek
@@ -703,6 +708,7 @@
DocType: Item,Material Transfer,Prenos materialov
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Odprtje (Dr)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Napotitev žig mora biti po {0}
+,GST Itemised Purchase Register,DDV Razčlenjeni Nakup Registracija
DocType: Employee Loan,Total Interest Payable,Skupaj Obresti plačljivo
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Iztovorjeni stroškov Davki in prispevki
DocType: Production Order Operation,Actual Start Time,Actual Start Time
@@ -731,10 +737,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
DocType: Account,Accounts,Računi
DocType: Vehicle,Odometer Value (Last),Vrednost števca (Zadnja)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Trženje
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Trženje
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Začetek Plačilo je že ustvarjena
DocType: Purchase Receipt Item Supplied,Current Stock,Trenutna zaloga
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} ni povezana s postavko {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} ni povezana s postavko {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Predogled Plača listek
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Račun {0} je bil vpisan večkrat
DocType: Account,Expenses Included In Valuation,Stroški Vključeno v vrednotenju
@@ -742,7 +748,7 @@
,Absent Student Report,Odsoten Student Report
DocType: Email Digest,Next email will be sent on:,Naslednje sporočilo bo poslano na:
DocType: Offer Letter Term,Offer Letter Term,Pisna ponudba Term
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Element ima variante.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Element ima variante.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Postavka {0} ni bilo mogoče najti
DocType: Bin,Stock Value,Stock Value
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Podjetje {0} ne obstaja
@@ -751,8 +757,8 @@
DocType: Serial No,Warranty Expiry Date,Garancija Datum preteka
DocType: Material Request Item,Quantity and Warehouse,Količina in skladišča
DocType: Sales Invoice,Commission Rate (%),Komisija Stopnja (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Izberite program
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Izberite program
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Izberite program
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Izberite program
DocType: Project,Estimated Cost,Ocenjeni strošek
DocType: Purchase Order,Link to material requests,Povezava na materialne zahteve
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aerospace
@@ -766,14 +772,14 @@
DocType: Purchase Order,Supply Raw Materials,Oskrba z Surovine
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,"Datum, na katerega se bo ustvarila naslednji račun. To je ustvarila na oddajte."
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Kratkoročna sredstva
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} ni zaloge artikla
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} ni zaloge artikla
DocType: Mode of Payment Account,Default Account,Privzeti račun
DocType: Payment Entry,Received Amount (Company Currency),Prejela znesek (družba Valuta)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,"Svinec je treba določiti, če je priložnost narejen iz svinca"
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,"Prosimo, izberite tedensko off dan"
DocType: Production Order Operation,Planned End Time,Načrtovano Končni čas
,Sales Person Target Variance Item Group-Wise,Prodaja Oseba Target Varianca Postavka Group-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Račun z obstoječim poslom ni mogoče pretvoriti v knjigo terjatev
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Račun z obstoječim poslom ni mogoče pretvoriti v knjigo terjatev
DocType: Delivery Note,Customer's Purchase Order No,Stranke Naročilo Ne
DocType: Budget,Budget Against,proračun proti
DocType: Employee,Cell Number,Število celic
@@ -785,15 +791,13 @@
DocType: Opportunity,Opportunity From,Priložnost Od
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Mesečno poročilo o izplačanih plačah.
DocType: BOM,Website Specifications,Spletna Specifikacije
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Prosimo nastavitev številčenja vrsto za udeležbi preko Nastavitve> oštevilčevanje Series
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Od {0} tipa {1}
DocType: Warranty Claim,CI-,Ci
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Vrstica {0}: Factor Pretvorba je obvezna
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Vrstica {0}: Factor Pretvorba je obvezna
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Več Cena Pravila obstaja z enakimi merili, se rešujejo spore z dodelitvijo prednost. Cena Pravila: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,Ne more izključiti ali preklicati BOM saj je povezan z drugimi BOMs
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Več Cena Pravila obstaja z enakimi merili, se rešujejo spore z dodelitvijo prednost. Cena Pravila: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Ne more izključiti ali preklicati BOM saj je povezan z drugimi BOMs
DocType: Opportunity,Maintenance,Vzdrževanje
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Potrdilo o nakupu številka potreben za postavko {0}
DocType: Item Attribute Value,Item Attribute Value,Postavka Lastnost Vrednost
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Prodajne akcije.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Ustvari evidenco prisotnosti
@@ -826,30 +830,30 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Sredstvo izločeni preko Journal Entry {0}
DocType: Employee Loan,Interest Income Account,Prihodki od obresti račun
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Biotehnologija
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Pisarniška Vzdrževanje Stroški
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Pisarniška Vzdrževanje Stroški
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Nastavitev e-poštnega računa
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,"Prosimo, da najprej vnesete artikel"
DocType: Account,Liability,Odgovornost
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sankcionirano Znesek ne sme biti večja od škodnega Znesek v vrstici {0}.
DocType: Company,Default Cost of Goods Sold Account,Privzeto Nabavna vrednost prodanega blaga račun
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Cenik ni izbrana
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Cenik ni izbrana
DocType: Employee,Family Background,Družina Ozadje
DocType: Request for Quotation Supplier,Send Email,Pošlji e-pošto
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Opozorilo: Invalid Attachment {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Opozorilo: Invalid Attachment {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Ne Dovoljenje
DocType: Company,Default Bank Account,Privzeti bančni račun
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Za filtriranje, ki temelji na stranke, da izberete Party Vnesite prvi"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"'Posodobi zalogo' ne more biti omogočeno, saj artikli niso dostavljeni prek {0}"
DocType: Vehicle,Acquisition Date,pridobitev Datum
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Nos
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Nos
DocType: Item,Items with higher weightage will be shown higher,Postavke z višjo weightage bo prikazan višje
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Banka Sprava Detail
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} je treba predložiti
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} je treba predložiti
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Najdenih ni delavec
DocType: Supplier Quotation,Stopped,Ustavljen
DocType: Item,If subcontracted to a vendor,Če podizvajanje prodajalca
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Študent Skupina je že posodobljen.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Študent Skupina je že posodobljen.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Študent Skupina je že posodobljen.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Študent Skupina je že posodobljen.
DocType: SMS Center,All Customer Contact,Vse Customer Contact
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Naloži zaloge ravnovesje preko CSV.
DocType: Warehouse,Tree Details,drevo Podrobnosti
@@ -861,13 +865,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Stroški Center {2} ne pripada družbi {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: računa {2} ne more biti skupina
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Točka Row {idx} {DOCTYPE} {DOCNAME} ne obstaja v zgoraj '{DOCTYPE} "tabela
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,"Timesheet {0}, je že končana ali preklicana"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,"Timesheet {0}, je že končana ali preklicana"
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ni opravil
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Dan v mesecu, v katerem se bo samodejno Račun ustvarjen na primer 05, 28, itd"
DocType: Asset,Opening Accumulated Depreciation,Odpiranje nabrano amortizacijo
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Rezultat mora biti manjša od ali enaka 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Program Vpis orodje
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,Zapisi C-Form
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,Zapisi C-Form
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Kupec in dobavitelj
DocType: Email Digest,Email Digest Settings,E-pošta Digest Nastavitve
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Hvala za vaš posel!
@@ -877,17 +881,19 @@
DocType: Bin,Moving Average Rate,Moving Average Rate
DocType: Production Planning Tool,Select Items,Izberite Items
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} proti Bill {1} dne {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Vozila / Bus številka
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Razpored za golf
DocType: Maintenance Visit,Completion Status,Zaključek Status
DocType: HR Settings,Enter retirement age in years,Vnesite upokojitveno starost v letih
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Ciljna Skladišče
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Izberite skladišče
DocType: Cheque Print Template,Starting location from left edge,Izhajajoč lokacijo od levega roba
DocType: Item,Allow over delivery or receipt upto this percent,Dovoli nad dostavo ali prejem upto tem odstotkov
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,Uvoz Udeležba
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Vse Postavka Skupine
DocType: Process Payroll,Activity Log,Dnevnik aktivnosti
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Čisti dobiček / izguba
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Čisti dobiček / izguba
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Samodejno sestavite sporočilo o predložitvi transakcij.
DocType: Production Order,Item To Manufacture,Postavka za izdelavo
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} status {2}
@@ -896,16 +902,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Nakup naročila do plačila
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Predvidoma Kol
DocType: Sales Invoice,Payment Due Date,Datum zapadlosti
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Postavka Variant {0} že obstaja z enakimi atributi
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Postavka Variant {0} že obstaja z enakimi atributi
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',"Odpiranje"
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Odpri storiti
DocType: Notification Control,Delivery Note Message,Dostava Opomba Sporočilo
DocType: Expense Claim,Expenses,Stroški
+,Support Hours,podpora ure
DocType: Item Variant Attribute,Item Variant Attribute,Postavka Variant Lastnost
,Purchase Receipt Trends,Nakup Prejem Trendi
DocType: Process Payroll,Bimonthly,vsaka dva meseca
DocType: Vehicle Service,Brake Pad,Brake Pad
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Raziskave in razvoj
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Raziskave in razvoj
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Znesek za Bill
DocType: Company,Registration Details,Podrobnosti registracije
DocType: Timesheet,Total Billed Amount,Skupaj zaračunano Znesek
@@ -918,12 +925,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Pridobite le surovine
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Cenitev uspešnosti.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Omogočanje "uporabiti za košarico", kot je omogočeno Košarica in da mora biti vsaj ena Davčna pravilo za Košarica"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Plačilo Začetek {0} je povezan proti odredbi {1}, preverite, če je treba izvleči, kot prej v tem računu."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Plačilo Začetek {0} je povezan proti odredbi {1}, preverite, če je treba izvleči, kot prej v tem računu."
DocType: Sales Invoice Item,Stock Details,Stock Podrobnosti
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Project Value
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Prodajno mesto
DocType: Vehicle Log,Odometer Reading,Stanje kilometrov
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Stanje na računu je že v ""kredit"", ni dovoljeno nastaviti ""Stanje mora biti"" kot ""bremenitev"""
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Stanje na računu je že v ""kredit"", ni dovoljeno nastaviti ""Stanje mora biti"" kot ""bremenitev"""
DocType: Account,Balance must be,Ravnotežju mora biti
DocType: Hub Settings,Publish Pricing,Objavite Pricing
DocType: Notification Control,Expense Claim Rejected Message,Expense zahtevek zavrnjen Sporočilo
@@ -933,7 +940,7 @@
DocType: Salary Slip,Working Days,Delovni dnevi
DocType: Serial No,Incoming Rate,Dohodni Rate
DocType: Packing Slip,Gross Weight,Bruto Teža
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,"Ime vašega podjetja, za katero ste vzpostavitvijo tega sistema."
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,"Ime vašega podjetja, za katero ste vzpostavitvijo tega sistema."
DocType: HR Settings,Include holidays in Total no. of Working Days,Vključi počitnice v Total no. delovnih dni
DocType: Job Applicant,Hold,Držite
DocType: Employee,Date of Joining,Datum pridružitve
@@ -944,20 +951,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Potrdilo o nakupu
,Received Items To Be Billed,Prejete Postavke placevali
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Predložene plačilne liste
-DocType: Employee,Ms,gospa
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Menjalnega tečaja valute gospodar.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Referenčna DOCTYPE mora biti eden od {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Menjalnega tečaja valute gospodar.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referenčna DOCTYPE mora biti eden od {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Ni mogoče najti terminu v naslednjih {0} dni za delovanje {1}
DocType: Production Order,Plan material for sub-assemblies,Plan material za sklope
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Prodajni partnerji in ozemelj
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,"ne more samodejno ustvariti račun, saj je že stock stanje na računu. Morate ustvariti ujemanje račun, preden boste lahko podatek o tem skladišču"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} mora biti aktiven
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} mora biti aktiven
DocType: Journal Entry,Depreciation Entry,Amortizacija Začetek
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,"Prosimo, najprej izberite vrsto dokumenta"
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Preklic Material Obiski {0} pred preklicem to vzdrževanje obisk
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serijska št {0} ne pripada postavki {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Zahtevani Kol
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Skladišča z obstoječim poslom ni mogoče pretvoriti v knjigi.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Skladišča z obstoječim poslom ni mogoče pretvoriti v knjigi.
DocType: Bank Reconciliation,Total Amount,Skupni znesek
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Internet Založništvo
DocType: Production Planning Tool,Production Orders,Proizvodne Naročila
@@ -972,25 +977,26 @@
DocType: Fee Structure,Components,komponente
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Vnesite Asset Kategorija točke {0}
DocType: Quality Inspection Reading,Reading 6,Branje 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,"Ne more {0} {1} {2}, brez kakršne koli negativne izjemno račun"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,"Ne more {0} {1} {2}, brez kakršne koli negativne izjemno račun"
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Nakup računa Advance
DocType: Hub Settings,Sync Now,Sync Now
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Vrstica {0}: Credit vnos ni mogoče povezati z {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Določite proračuna za proračunsko leto.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Določite proračuna za proračunsko leto.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"Privzeti bančni / gotovinski račun bo samodejno posodbljen v POS računu, ko je izbran ta način."
DocType: Lead,LEAD-,PONUDBA-
DocType: Employee,Permanent Address Is,Stalni naslov je
DocType: Production Order Operation,Operation completed for how many finished goods?,"Operacija zaključena, za koliko končnih izdelkov?"
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,Brand
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Brand
DocType: Employee,Exit Interview Details,Exit Intervju Podrobnosti
DocType: Item,Is Purchase Item,Je Nakup Postavka
DocType: Asset,Purchase Invoice,Nakup Račun
DocType: Stock Ledger Entry,Voucher Detail No,Bon Detail Ne
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Nov račun
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Nov račun
DocType: Stock Entry,Total Outgoing Value,Skupaj Odhodni Vrednost
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Pričetek in rok bi moral biti v istem proračunskem letu
DocType: Lead,Request for Information,Zahteva za informacije
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sinhronizacija Offline Računi
+,LeaderBoard,leaderboard
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Sinhronizacija Offline Računi
DocType: Payment Request,Paid,Plačan
DocType: Program Fee,Program Fee,Cena programa
DocType: Salary Slip,Total in words,Skupaj z besedami
@@ -999,13 +1005,13 @@
DocType: Cheque Print Template,Has Print Format,Ima Print Format
DocType: Employee Loan,Sanctioned,sankcionirano
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,je obvezna. Mogoče Menjalni zapis ni ustvarjen za
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Vrstica # {0}: Navedite Zaporedna številka za postavko {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Za "izdelek Bundle 'predmetov, skladišče, serijska številka in serijska se ne šteje od" seznam vsebine "mizo. Če so skladišča in serija ni enaka za vso embalažo postavke za kakršno koli "izdelek Bundle 'postavko, lahko te vrednosti je treba vnesti v glavnem Element tabele, bodo vrednosti, ki se kopira na" seznam vsebine "mizo."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Vrstica # {0}: Navedite Zaporedna številka za postavko {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Za "izdelek Bundle 'predmetov, skladišče, serijska številka in serijska se ne šteje od" seznam vsebine "mizo. Če so skladišča in serija ni enaka za vso embalažo postavke za kakršno koli "izdelek Bundle 'postavko, lahko te vrednosti je treba vnesti v glavnem Element tabele, bodo vrednosti, ki se kopira na" seznam vsebine "mizo."
DocType: Job Opening,Publish on website,Objavi na spletni strani
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Pošiljke strankam.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Datum dobavitelj na računu ne sme biti večja od Napotitev Datum
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Datum dobavitelj na računu ne sme biti večja od Napotitev Datum
DocType: Purchase Invoice Item,Purchase Order Item,Naročilnica item
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Posredna Prihodki
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Posredna Prihodki
DocType: Student Attendance Tool,Student Attendance Tool,Študent Udeležba orodje
DocType: Cheque Print Template,Date Settings,Datum Nastavitve
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Variance
@@ -1023,20 +1029,20 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Chemical
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,"Privzeti Bank / Cash račun bo samodejno posodobljen plač Journal Entry, ko je izbrana ta način."
DocType: BOM,Raw Material Cost(Company Currency),Stroškov surovin (družba Valuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Vsi artikli so se že prenesli na to Proizvodno naročilo.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Vsi artikli so se že prenesli na to Proizvodno naročilo.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Vrstica # {0}: stopnja ne more biti večji od stopnje, ki se uporablja pri {1} {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,meter
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,meter
DocType: Workstation,Electricity Cost,Stroški električne energije
DocType: HR Settings,Don't send Employee Birthday Reminders,Ne pošiljajte zaposlenih rojstnodnevnih opomnikov
DocType: Item,Inspection Criteria,Merila Inšpekcijske
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Prenese
DocType: BOM Website Item,BOM Website Item,BOM Spletna stran Element
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Naložite svoje pismo glavo in logotip. (lahko jih uredite kasneje).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Naložite svoje pismo glavo in logotip. (lahko jih uredite kasneje).
DocType: Timesheet Detail,Bill,Bill
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Naslednja Amortizacija Datum je vpisana kot preteklem dnevu
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Bela
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Bela
DocType: SMS Center,All Lead (Open),Vse ponudbe (Odprte)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Vrstica {0}: Kol ni na voljo za {4} v skladišču {1} na objavo čas začetka ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Vrstica {0}: Kol ni na voljo za {4} v skladišču {1} na objavo čas začetka ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Get plačanih predplačil
DocType: Item,Automatically Create New Batch,Samodejno Ustvari novo serijo
DocType: Item,Automatically Create New Batch,Samodejno Ustvari novo serijo
@@ -1047,13 +1053,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Košarica
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Sklep Tip mora biti eden od {0}
DocType: Lead,Next Contact Date,Naslednja Stik Datum
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Odpiranje Količina
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,Prosim vnesite račun za znesek spremembe
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Odpiranje Količina
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,Prosim vnesite račun za znesek spremembe
DocType: Student Batch Name,Student Batch Name,Student Serija Ime
DocType: Holiday List,Holiday List Name,Ime Holiday Seznam
DocType: Repayment Schedule,Balance Loan Amount,Bilanca Znesek posojila
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,urnik predmeta
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Delniških opcij
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Delniških opcij
DocType: Journal Entry Account,Expense Claim,Expense zahtevek
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Ali res želite obnoviti ta izločeni sredstva?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Količina za {0}
@@ -1065,12 +1071,12 @@
DocType: Company,Default Terms,Privzeti pogoji
DocType: Packing Slip Item,Packing Slip Item,Pakiranje Slip Postavka
DocType: Purchase Invoice,Cash/Bank Account,Gotovina / bančni račun
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Navedite {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Navedite {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Odstranjeni deli brez spremembe količine ali vrednosti.
DocType: Delivery Note,Delivery To,Dostava
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Lastnost miza je obvezna
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Lastnost miza je obvezna
DocType: Production Planning Tool,Get Sales Orders,Pridobite prodajnih nalogov
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} ne more biti negativna
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} ne more biti negativna
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Popust
DocType: Asset,Total Number of Depreciations,Skupno število amortizacije
DocType: Sales Invoice Item,Rate With Margin,Oceni z mejo
@@ -1091,7 +1097,6 @@
DocType: Serial No,Creation Document No,Za ustvarjanje dokumentov ni
DocType: Issue,Issue,Težava
DocType: Asset,Scrapped,izločeni
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Račun se ne ujema z družbo
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Atributi za postavko variant. primer velikost, barvo itd"
DocType: Purchase Invoice,Returns,vrne
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP Skladišče
@@ -1103,12 +1108,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,Postavka je treba dodati uporabo "dobili predmetov iz nakupu prejemki" gumb
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Vključi non-parkom
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Prodajna Stroški
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Prodajna Stroški
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Standardna nabavna
DocType: GL Entry,Against,Proti
DocType: Item,Default Selling Cost Center,Privzet stroškovni center prodaje
DocType: Sales Partner,Implementation Partner,Izvajanje Partner
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Poštna številka
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Poštna številka
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Naročilo {0} je {1}
DocType: Opportunity,Contact Info,Kontaktni podatki
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Izdelava Zaloga Entries
@@ -1121,32 +1126,32 @@
DocType: Holiday List,Get Weekly Off Dates,Get Tedenski datumov
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,Končni datum ne sme biti manjši kot začetni datum
DocType: Sales Person,Select company name first.,Izberite ime podjetja prvič.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Dr
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Prejete ponudbe
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Za {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Povprečna starost
DocType: School Settings,Attendance Freeze Date,Udeležba Freeze Datum
DocType: School Settings,Attendance Freeze Date,Udeležba Freeze Datum
DocType: Opportunity,Your sales person who will contact the customer in future,"Vaš prodajni oseba, ki bo stopil v stik v prihodnosti"
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Naštejte nekaj vaših dobaviteljev. Ti bi se lahko organizacije ali posamezniki.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Naštejte nekaj vaših dobaviteljev. Ti bi se lahko organizacije ali posamezniki.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Oglejte si vse izdelke
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimalna Svinec Starost (dnevi)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,Vse BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Vse BOMs
DocType: Company,Default Currency,Privzeta valuta
DocType: Expense Claim,From Employee,Od zaposlenega
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Opozorilo: Sistem ne bo preveril previsokih saj znesek za postavko {0} v {1} je nič
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Opozorilo: Sistem ne bo preveril previsokih saj znesek za postavko {0} v {1} je nič
DocType: Journal Entry,Make Difference Entry,Naredite Razlika Entry
DocType: Upload Attendance,Attendance From Date,Udeležba Od datuma
DocType: Appraisal Template Goal,Key Performance Area,Key Uspešnost Area
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Prevoz
+DocType: Program Enrollment,Transportation,Prevoz
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Neveljavna Lastnost
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} je treba predložiti
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} je treba predložiti
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Količina mora biti manjša ali enaka {0}
DocType: SMS Center,Total Characters,Skupaj Znaki
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},"Prosimo, izberite BOM BOM v polju za postavko {0}"
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},"Prosimo, izberite BOM BOM v polju za postavko {0}"
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Račun Detail
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Plačilo Sprava Račun
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Prispevek%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Kot je na Nastavitve Nakup če narocilo Obvezno == "DA", nato pa za ustvarjanje računu o nakupu, uporabniki potrebujejo za ustvarjanje naročilnice najprej za postavko {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Registracijska št. podjetja za lastno evidenco. Davčna številka itn.
DocType: Sales Partner,Distributor,Distributer
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Pravilo za dostavo za košaro
@@ -1155,23 +1160,25 @@
,Ordered Items To Be Billed,Naročeno Postavke placevali
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Od mora biti manj Razpon kot gibala
DocType: Global Defaults,Global Defaults,Globalni Privzeto
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Projekt Sodelovanje Vabilo
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Projekt Sodelovanje Vabilo
DocType: Salary Slip,Deductions,Odbitki
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Začetek Leto
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},Prvi 2 številki GSTIN se mora ujemati z državno številko {0}
DocType: Purchase Invoice,Start date of current invoice's period,Datum začetka obdobja sedanje faktura je
DocType: Salary Slip,Leave Without Pay,Leave brez plačila
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Kapaciteta Napaka Načrtovanje
,Trial Balance for Party,Trial Balance za stranke
DocType: Lead,Consultant,Svetovalec
DocType: Salary Slip,Earnings,Zaslužek
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Končano Postavka {0} je treba vpisati za vpis tipa Proizvodnja
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Končano Postavka {0} je treba vpisati za vpis tipa Proizvodnja
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Začetna bilanca
+,GST Sales Register,DDV prodaje Registracija
DocType: Sales Invoice Advance,Sales Invoice Advance,Predplačila
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Nič zahtevati
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Druga proračunska zapis '{0}' že obstaja proti {1} "{2}" za poslovno leto {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',"""Dejanski datum začetka"" ne more biti novejši od ""dejanskega končnega datuma"""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Vodstvo
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Vodstvo
DocType: Cheque Print Template,Payer Settings,Nastavitve plačnik
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","To bo dodan Točka Kodeksa variante. Na primer, če je vaša kratica je "SM", in oznaka postavka je "T-shirt", postavka koda varianto bo "T-SHIRT-SM""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Neto Pay (z besedami), bo viden, ko boste shranite plačilnega lista."
@@ -1188,8 +1195,8 @@
DocType: Employee Loan,Partially Disbursed,delno črpanju
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Dobavitelj baze podatkov.
DocType: Account,Balance Sheet,Bilanca stanja
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Stalo Center za postavko s točko zakonika "
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Način plačila ni nastavljen. Prosimo, preverite, ali je bil račun nastavljen na načinu plačila ali na POS profil."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Stalo Center za postavko s točko zakonika "
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Način plačila ni nastavljen. Prosimo, preverite, ali je bil račun nastavljen na načinu plačila ali na POS profil."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,"Vaš prodajni oseba bo dobil opomin na ta dan, da se obrnete na stranko"
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Isti element ni mogoče vnesti večkrat.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Nadaljnje računi se lahko izvede v skupinah, vendar vnosi lahko zoper niso skupin"
@@ -1197,7 +1204,7 @@
DocType: Email Digest,Payables,Obveznosti
DocType: Course,Course Intro,Seveda Intro
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Stock Začetek {0} ustvaril
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Vrstica # {0}: Zavrnjena Kol ne more biti vpisana v Nabava Nazaj
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Vrstica # {0}: Zavrnjena Kol ne more biti vpisana v Nabava Nazaj
,Purchase Order Items To Be Billed,Naročilnica Postavke placevali
DocType: Purchase Invoice Item,Net Rate,Net Rate
DocType: Purchase Invoice Item,Purchase Invoice Item,Nakup računa item
@@ -1224,7 +1231,7 @@
DocType: Sales Order,SO-,SO-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,"Prosimo, izberite predpono najprej"
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Raziskave
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Raziskave
DocType: Maintenance Visit Purpose,Work Done,Delo končano
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Prosimo navedite vsaj en atribut v tabeli Atributi
DocType: Announcement,All Students,Vse Študenti
@@ -1232,17 +1239,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Ogled Ledger
DocType: Grading Scale,Intervals,intervali
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Najzgodnejša
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Element, skupina obstaja z istim imenom, vas prosimo, spremenite ime elementa ali preimenovati skupino element"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Študent Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Ostali svet
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Element, skupina obstaja z istim imenom, vas prosimo, spremenite ime elementa ali preimenovati skupino element"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Študent Mobile No.
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Ostali svet
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Postavki {0} ne more imeti Batch
,Budget Variance Report,Proračun Varianca Poročilo
DocType: Salary Slip,Gross Pay,Bruto Pay
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Vrstica {0}: Vrsta dejavnosti je obvezna.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Plačane dividende
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Plačane dividende
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Računovodstvo Ledger
DocType: Stock Reconciliation,Difference Amount,Razlika Znesek
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Preneseni čisti poslovni izid
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Preneseni čisti poslovni izid
DocType: Vehicle Log,Service Detail,Service Podrobnosti
DocType: BOM,Item Description,Postavka Opis
DocType: Student Sibling,Student Sibling,študent Sorodstvena
@@ -1257,11 +1264,11 @@
DocType: Opportunity Item,Opportunity Item,Priložnost Postavka
,Student and Guardian Contact Details,Študent in Guardian Kontaktni podatki
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Vrstica {0}: Za dobavitelja je potrebno {0} e-poštni naslov za pošiljanje e-pošte
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Začasna Otvoritev
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Začasna Otvoritev
,Employee Leave Balance,Zaposleni Leave Balance
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},"Saldo račun {0}, morajo biti vedno {1}"
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Oceni Vrednotenje potreben za postavko v vrstici {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Primer: Masters v računalništvu
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Primer: Masters v računalništvu
DocType: Purchase Invoice,Rejected Warehouse,Zavrnjeno Skladišče
DocType: GL Entry,Against Voucher,Proti Voucher
DocType: Item,Default Buying Cost Center,Privzet stroškovni center za nabavo
@@ -1274,31 +1281,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Pridobite neplačanih računov
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Naročilo {0} ni veljavno
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Naročilnice vam pomaga načrtovati in spremljati svoje nakupe
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Oprostite, podjetja ne morejo biti združeni"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Oprostite, podjetja ne morejo biti združeni"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",Skupna količina Vprašanje / Transfer {0} v dogovoru Material {1} \ ne sme biti večja od zahtevane količine {2} za postavko {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Majhno
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Majhno
DocType: Employee,Employee Number,Število zaposlenih
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Zadeva št (y) že v uporabi. Poskusite z zadevo št {0}
DocType: Project,% Completed,% Dokončana
,Invoiced Amount (Exculsive Tax),Obračunani znesek (Exculsive Tax)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Postavka 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Glava račun {0} ustvaril
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,Dogodek usposabljanje
DocType: Item,Auto re-order,Auto re-order
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Skupaj Doseženi
DocType: Employee,Place of Issue,Kraj izdaje
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Pogodba
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Pogodba
DocType: Email Digest,Add Quote,Dodaj Citiraj
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},"UOM coversion dejavnik, potreben za UOM: {0} v postavki: {1}"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Posredni stroški
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},"UOM coversion dejavnik, potreben za UOM: {0} v postavki: {1}"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Posredni stroški
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Vrstica {0}: Kol je obvezna
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Kmetijstvo
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sync Master Data
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Svoje izdelke ali storitve
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Svoje izdelke ali storitve
DocType: Mode of Payment,Mode of Payment,Način plačila
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Spletna stran Slika bi morala biti javna datoteka ali spletna stran URL
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Spletna stran Slika bi morala biti javna datoteka ali spletna stran URL
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,"To je skupina, root element in ga ni mogoče urejati."
@@ -1307,7 +1313,7 @@
DocType: Warehouse,Warehouse Contact Info,Skladišče Kontakt Info
DocType: Payment Entry,Write Off Difference Amount,Napišite Off Razlika Znesek
DocType: Purchase Invoice,Recurring Type,Ponavljajoči Type
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: email zaposlenih ni mogoče najti, zato je e-poštno sporočilo ni bilo poslano"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: email zaposlenih ni mogoče najti, zato je e-poštno sporočilo ni bilo poslano"
DocType: Item,Foreign Trade Details,Zunanjo trgovino Podrobnosti
DocType: Email Digest,Annual Income,Letni dohodek
DocType: Serial No,Serial No Details,Serijska št Podrobnosti
@@ -1315,10 +1321,10 @@
DocType: Student Group Student,Group Roll Number,Skupina Roll Število
DocType: Student Group Student,Group Roll Number,Skupina Roll Število
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Za {0}, lahko le kreditne račune povezati proti drugemu vstop trajnika"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,"Vsota vseh uteži nalog bi moral biti 1. Prosimo, da ustrezno prilagodi uteži za vse naloge v projektu"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Dobavnica {0} ni predložila
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Postavka {0} mora biti podizvajalcev item
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Kapitalski Oprema
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,"Vsota vseh uteži nalog bi moral biti 1. Prosimo, da ustrezno prilagodi uteži za vse naloge v projektu"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Dobavnica {0} ni predložila
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Postavka {0} mora biti podizvajalcev item
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Kapitalski Oprema
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Cen Pravilo je najprej treba izbrati glede na "Uporabi On 'polju, ki je lahko točka, točka Group ali Brand."
DocType: Hub Settings,Seller Website,Prodajalec Spletna stran
DocType: Item,ITEM-,ITEM-
@@ -1336,7 +1342,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Obstaja lahko samo en prevoz pravilo Pogoj z 0 ali prazno vrednost za "ceniti"
DocType: Authorization Rule,Transaction,Posel
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Opomba: Ta Stroški Center je skupina. Ne more vknjižbe proti skupinam.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,"Otrok skladišče obstaja za to skladišče. Ne, ne moreš izbrisati to skladišče."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,"Otrok skladišče obstaja za to skladišče. Ne, ne moreš izbrisati to skladišče."
DocType: Item,Website Item Groups,Spletna stran Element Skupine
DocType: Purchase Invoice,Total (Company Currency),Skupaj (družba Valuta)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Serijska številka {0} je začela več kot enkrat
@@ -1346,7 +1352,7 @@
DocType: Grading Scale Interval,Grade Code,razred Code
DocType: POS Item Group,POS Item Group,POS Element Group
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email Digest:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} ne pripada postavki {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} ne pripada postavki {1}
DocType: Sales Partner,Target Distribution,Target Distribution
DocType: Salary Slip,Bank Account No.,Št. bančnega računa
DocType: Naming Series,This is the number of the last created transaction with this prefix,To je številka zadnjega ustvarjene transakcijo s tem predpono
@@ -1357,12 +1363,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Knjiga sredstev Amortizacija Začetek samodejno
DocType: BOM Operation,Workstation,Workstation
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Zahteva za ponudbo dobavitelja
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Strojna oprema
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Strojna oprema
DocType: Sales Order,Recurring Upto,Ponavljajoči Upto
DocType: Attendance,HR Manager,HR Manager
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Prosimo izberite Company
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Privilege Zapusti
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Prosimo izberite Company
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Privilege Zapusti
DocType: Purchase Invoice,Supplier Invoice Date,Dobavitelj Datum računa
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,na
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Morate omogočiti Košarica
DocType: Payment Entry,Writeoff,Odpisati
DocType: Appraisal Template Goal,Appraisal Template Goal,Cenitev Predloga cilj
@@ -1373,10 +1380,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Prekrivajoča pogoji najdemo med:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Proti listu Začetek {0} je že prilagojena proti neki drugi kupon
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Skupna vrednost naročila
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Hrana
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Hrana
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Staranje Območje 3
DocType: Maintenance Schedule Item,No of Visits,Število obiskov
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Mark Attendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Mark Attendence
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},obstaja Vzdrževanje Razpored {0} proti {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,Vpisovanje študentov
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Valuta zaključni račun mora biti {0}
@@ -1390,6 +1397,7 @@
DocType: Rename Tool,Utilities,Utilities
DocType: Purchase Invoice Item,Accounting,Računovodstvo
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Izberite serij za združena postavko
DocType: Asset,Depreciation Schedules,Amortizacija Urniki
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Prijavni rok ne more biti obdobje dodelitve izven dopusta
DocType: Activity Cost,Projects,Projekti
@@ -1403,6 +1411,7 @@
DocType: POS Profile,Campaign,Kampanja
DocType: Supplier,Name and Type,Ime in Type
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Stanje odobritve mora biti "Approved" ali "Zavrnjeno"
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,Bootstrap
DocType: Purchase Invoice,Contact Person,Kontaktna oseba
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Pričakovani datum začetka' ne more biti večji od 'Pričakovan datum zaključka'
DocType: Course Scheduling Tool,Course End Date,Seveda Končni datum
@@ -1410,12 +1419,11 @@
DocType: Sales Order Item,Planned Quantity,Načrtovana Količina
DocType: Purchase Invoice Item,Item Tax Amount,Postavka Znesek davka
DocType: Item,Maintain Stock,Ohraniti park
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Zaloga Vpisi že ustvarjene za proizvodnjo red
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Zaloga Vpisi že ustvarjene za proizvodnjo red
DocType: Employee,Prefered Email,Prednostna pošta
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Neto sprememba v osnovno sredstvo
DocType: Leave Control Panel,Leave blank if considered for all designations,"Pustite prazno, če velja za vse označb"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Skladišče je obvezna za ne računov skupine tipa zalogi
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Naboj tip "Dejanski" v vrstici {0} ni mogoče vključiti v postavko Rate
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Naboj tip "Dejanski" v vrstici {0} ni mogoče vključiti v postavko Rate
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Od datetime
DocType: Email Digest,For Company,Za podjetje
@@ -1425,15 +1433,15 @@
DocType: Sales Invoice,Shipping Address Name,Naslov dostave
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Kontni načrt
DocType: Material Request,Terms and Conditions Content,Pogoji in vsebina
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,ne more biti večja kot 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Postavka {0} ni zaloge Item
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,ne more biti večja kot 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Postavka {0} ni zaloge Item
DocType: Maintenance Visit,Unscheduled,Nenačrtovana
DocType: Employee,Owned,Lasti
DocType: Salary Detail,Depends on Leave Without Pay,Odvisno od dopusta brez plačila
DocType: Pricing Rule,"Higher the number, higher the priority","Višja kot je številka, višja je prioriteta"
,Purchase Invoice Trends,Račun za nakup Trendi
DocType: Employee,Better Prospects,Boljši obeti
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Vrstica # {0}: Serija {1} ima le {2} kol. Izberite drugo serijo, ki ima {3} kol na voljo ali razdeli vrstico v več vrstic, da poda / vprašanja iz različnih serij"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Vrstica # {0}: Serija {1} ima le {2} kol. Izberite drugo serijo, ki ima {3} kol na voljo ali razdeli vrstico v več vrstic, da poda / vprašanja iz različnih serij"
DocType: Vehicle,License Plate,Registrska tablica
DocType: Appraisal,Goals,Cilji
DocType: Warranty Claim,Warranty / AMC Status,Garancija / AMC Status
@@ -1444,19 +1452,20 @@
,Batch-Wise Balance History,Serija-Wise Balance Zgodovina
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,nastavitve tiskanja posodabljajo v ustrezni obliki za tiskanje
DocType: Package Code,Package Code,paket koda
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Vajenec
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Vajenec
+DocType: Purchase Invoice,Company GSTIN,Podjetje GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Negativno Količina ni dovoljeno
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",Davčna podrobnosti tabela nerealne iz postavke mojstra kot vrvico in shranjena na tem področju. Uporablja se za davki in dajatve
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Delavec ne more poročati zase.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Če računa je zamrznjeno, so vpisi dovoljeni omejenih uporabnikov."
DocType: Email Digest,Bank Balance,Banka Balance
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},"Računovodstvo Vstop za {0}: lahko {1}, se izvede le v valuti: {2}"
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},"Računovodstvo Vstop za {0}: lahko {1}, se izvede le v valuti: {2}"
DocType: Job Opening,"Job profile, qualifications required etc.","Profil delovnega mesta, potrebna usposobljenost itd"
DocType: Journal Entry Account,Account Balance,Stanje na računu
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Davčna pravilo za transakcije.
DocType: Rename Tool,Type of document to rename.,Vrsta dokumenta preimenovati.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Kupimo ta artikel
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Kupimo ta artikel
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Stranka zahteva zoper terjatve iz računa {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Skupaj davki in dajatve (Company valuti)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Prikaži nezaprt poslovno leto je P & L bilanc
@@ -1467,29 +1476,30 @@
DocType: Stock Entry,Total Additional Costs,Skupaj Dodatni stroški
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Odpadni material Stroški (družba Valuta)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Sklope
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Sklope
DocType: Asset,Asset Name,Ime sredstvo
DocType: Project,Task Weight,naloga Teža
DocType: Shipping Rule Condition,To Value,Do vrednosti
DocType: Asset Movement,Stock Manager,Stock Manager
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Vir skladišče je obvezna za vrstico {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Pakiranje listek
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Urad za najem
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Vir skladišče je obvezna za vrstico {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Pakiranje listek
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Urad za najem
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Nastavitve Setup SMS gateway
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Uvoz uspelo!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Še ni naslov dodal.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Še ni naslov dodal.
DocType: Workstation Working Hour,Workstation Working Hour,Workstation delovno uro
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Analitik
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Analitik
DocType: Item,Inventory,Popis
DocType: Item,Sales Details,Prodajna Podrobnosti
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,Z Items
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,V Kol
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,V Kol
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Potrdite vpisanih tečaj za študente v študentskih skupine
DocType: Notification Control,Expense Claim Rejected,Expense zahtevek zavrnjen
DocType: Item,Item Attribute,Postavka Lastnost
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Vlada
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Vlada
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Expense Zahtevek {0} že obstaja za Prijavi vozil
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Ime Institute
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Ime Institute
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,Vnesite odplačevanja Znesek
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Artikel Variante
DocType: Company,Services,Storitve
@@ -1499,18 +1509,18 @@
DocType: Sales Invoice,Source,Vir
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Prikaži zaprto
DocType: Leave Type,Is Leave Without Pay,Se Leave brez plačila
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Sredstvo kategorije je obvezna za fiksno postavko sredstev
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Sredstvo kategorije je obvezna za fiksno postavko sredstev
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Ni najdenih v tabeli plačil zapisov
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Ta {0} ni v nasprotju s {1} za {2} {3}
DocType: Student Attendance Tool,Students HTML,študenti HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Proračunsko leto Start Date
DocType: POS Profile,Apply Discount,Uporabi popust
+DocType: Purchase Invoice Item,GST HSN Code,DDV HSN koda
DocType: Employee External Work History,Total Experience,Skupaj Izkušnje
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Odprti projekti
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Dobavnico (e) odpovedan
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Denarni tokovi iz naložbenja
DocType: Program Course,Program Course,Tečaj programa
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Tovorni in Forwarding Stroški
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Tovorni in Forwarding Stroški
DocType: Homepage,Company Tagline for website homepage,Podjetje Slogan za domačo stran spletnega mesta
DocType: Item Group,Item Group Name,Item Name Group
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Taken
@@ -1520,6 +1530,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Ustvari Interesenti
DocType: Maintenance Schedule,Schedules,Urniki
DocType: Purchase Invoice Item,Net Amount,Neto znesek
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} ni bila vložena tako dejanje ne more biti dokončana
DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detail Ne
DocType: Landed Cost Voucher,Additional Charges,dodatni stroški
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Dodatni popust Znesek (Valuta Company)
@@ -1535,6 +1546,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Mesečni Povračilo Znesek
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,"Prosim, nastavite ID uporabnika polje v zapisu zaposlenih za določen Vloga zaposlenih"
DocType: UOM,UOM Name,UOM Name
+DocType: GST HSN Code,HSN Code,Mreža koda
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Prispevek Znesek
DocType: Purchase Invoice,Shipping Address,naslov za pošiljanje
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,To orodje vam pomaga posodobiti ali popravite količino in vrednotenje zalog v sistemu. To se ponavadi uporablja za sinhronizacijo sistemske vrednosti in kaj dejansko obstaja v vaših skladiščih.
@@ -1545,18 +1557,17 @@
DocType: Program Enrollment Tool,Program Enrollments,Program Vpisi
DocType: Sales Invoice Item,Brand Name,Blagovna znamka
DocType: Purchase Receipt,Transporter Details,Transporter Podrobnosti
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Privzeto skladišče je potrebna za izbrano postavko
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Škatla
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Privzeto skladišče je potrebna za izbrano postavko
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Škatla
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,Možni Dobavitelj
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Organizacija
DocType: Budget,Monthly Distribution,Mesečni Distribution
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"Sprejemnik Seznam je prazen. Prosimo, da ustvarite sprejemnik seznam"
DocType: Production Plan Sales Order,Production Plan Sales Order,Proizvodni načrt Sales Order
DocType: Sales Partner,Sales Partner Target,Prodaja Partner Target
DocType: Loan Type,Maximum Loan Amount,Največja Znesek posojila
DocType: Pricing Rule,Pricing Rule,Cen Pravilo
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Podvojena številka rola študent {0}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Podvojena številka rola študent {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Podvojena številka rola študent {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Podvojena številka rola študent {0}
DocType: Budget,Action if Annual Budget Exceeded,"Ukrep, če letni proračun Prekoračitev"
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Material Zahteva za narocilo
DocType: Shopping Cart Settings,Payment Success URL,Plačilo Uspeh URL
@@ -1569,11 +1580,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Odpiranje Stock Balance
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} se morajo pojaviti le enkrat
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Ne sme odtujiti bolj {0} od {1} proti narocilo {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Ne sme odtujiti bolj {0} od {1} proti narocilo {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Listi Dodeljena Uspešno za {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Ni prispevkov za pakiranje
DocType: Shipping Rule Condition,From Value,Od vrednosti
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Proizvodnja Količina je obvezna
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Proizvodnja Količina je obvezna
DocType: Employee Loan,Repayment Method,Povračilo Metoda
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Če je omogočeno, bo Naslovna stran je skupina privzeta točka za spletno stran"
DocType: Quality Inspection Reading,Reading 4,Branje 4
@@ -1583,7 +1594,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Row # {0}: Datum Potrditev {1} ne more biti pred Ček Datum {2}
DocType: Company,Default Holiday List,Privzeti seznam praznikov
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Vrstica {0}: V času in času {1} se prekrivajo z {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Zaloga Obveznosti
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Zaloga Obveznosti
DocType: Purchase Invoice,Supplier Warehouse,Dobavitelj Skladišče
DocType: Opportunity,Contact Mobile No,Kontaktna mobilna številka
,Material Requests for which Supplier Quotations are not created,Material Prošnje za katere so Dobavitelj Citati ni ustvaril
@@ -1594,35 +1605,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Naredite predračun
apps/erpnext/erpnext/config/selling.py +216,Other Reports,Druga poročila
DocType: Dependent Task,Dependent Task,Odvisna Task
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},"Faktor pretvorbe za privzeto mersko enoto, mora biti 1 v vrstici {0}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},"Faktor pretvorbe za privzeto mersko enoto, mora biti 1 v vrstici {0}"
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Dopust tipa {0} ne more biti daljši od {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Poskusite načrtovanju operacij za X dni vnaprej.
DocType: HR Settings,Stop Birthday Reminders,Stop Birthday opomniki
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},"Prosimo, nastavite privzetega izplačane plače je treba plačati račun v družbi {0}"
DocType: SMS Center,Receiver List,Sprejemnik Seznam
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Iskanje Item
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Iskanje Item
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Porabljeni znesek
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Neto sprememba v gotovini
DocType: Assessment Plan,Grading Scale,Ocenjevalna lestvica
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Merska enota {0} je v pretvorbeni faktor tabeli vpisana več kot enkrat
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Merska enota {0} je v pretvorbeni faktor tabeli vpisana več kot enkrat
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,že končana
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Zaloga v roki
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Plačilni Nalog že obstaja {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Strošek izdanih postavk
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Količina ne sme biti več kot {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Prejšnja Proračunsko leto ni zaprt
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Starost (dnevi)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Starost (dnevi)
DocType: Quotation Item,Quotation Item,Postavka ponudbe
+DocType: Customer,Customer POS Id,ID POS stranka
DocType: Account,Account Name,Ime računa
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Od datum ne more biti večja kot doslej
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serijska št {0} količina {1} ne more biti del
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Dobavitelj Type gospodar.
DocType: Purchase Order Item,Supplier Part Number,Dobavitelj Številka dela
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Menjalno razmerje ne more biti 0 ali 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Menjalno razmerje ne more biti 0 ali 1
DocType: Sales Invoice,Reference Document,referenčni dokument
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} je odpovedan ali ustavljen
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} je odpovedan ali ustavljen
DocType: Accounts Settings,Credit Controller,Credit Controller
DocType: Delivery Note,Vehicle Dispatch Date,Vozilo Dispatch Datum
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Potrdilo o nakupu {0} ni predložila
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Potrdilo o nakupu {0} ni predložila
DocType: Company,Default Payable Account,Privzeto plačljivo račun
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Nastavitve za spletni košarici, kot so predpisi v pomorskem prometu, cenik itd"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% zaračunano
@@ -1641,11 +1654,12 @@
DocType: Expense Claim,Total Amount Reimbursed,"Skupnega zneska, povrnjenega"
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Ta temelji na dnevnikih glede na ta vozila. Oglejte si časovnico spodaj za podrobnosti
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,Zberite
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Zoper dobavitelja Račun {0} dne {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Zoper dobavitelja Račun {0} dne {1}
DocType: Customer,Default Price List,Privzeto Cenik
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,zapis Gibanje sredstvo {0} ustvaril
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,"Ne, ne moreš brisati poslovnega leta {0}. Poslovno leto {0} je privzet v globalnih nastavitvah"
DocType: Journal Entry,Entry Type,Začetek Type
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Ne načrt ocena povezana s to skupino ocenjevanja
,Customer Credit Balance,Stranka Credit Balance
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Neto sprememba obveznosti do dobaviteljev
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Stranka zahteva za "Customerwise popust"
@@ -1654,7 +1668,7 @@
DocType: Quotation,Term Details,Izraz Podrobnosti
DocType: Project,Total Sales Cost (via Sales Order),Skupna prodaja Stroški (prek prodajnega naloga)
DocType: Project,Total Sales Cost (via Sales Order),Skupna prodaja Stroški (prek prodajnega naloga)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,ne more vpisati več kot {0} študentov za to študentsko skupino.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,ne more vpisati več kot {0} študentov za to študentsko skupino.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,svinec Štetje
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,svinec Štetje
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} mora biti večje od 0
@@ -1677,7 +1691,7 @@
DocType: Sales Invoice,Packed Items,Pakirane Items
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garancija zahtevek zoper Serial No.
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Zamenjajte posebno kosovnico v vseh drugih BOMs, kjer se uporablja. To bo nadomestila staro BOM povezavo, posodobite stroške in regenerira "BOM Explosion item» mizo kot na novo BOM"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total',"Skupaj"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total',"Skupaj"
DocType: Shopping Cart Settings,Enable Shopping Cart,Omogoči Košarica
DocType: Employee,Permanent Address,stalni naslov
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1693,9 +1707,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,"Prosimo, navedite bodisi količina ali Ocenite vrednotenja ali oboje"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,izpolnitev
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Poglej v košarico
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Marketing Stroški
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Marketing Stroški
,Item Shortage Report,Postavka Pomanjkanje Poročilo
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Teža je omenjeno, \ nProsim omenja "Teža UOM" preveč"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Teža je omenjeno, \ nProsim omenja "Teža UOM" preveč"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Material Zahteva se uporablja za izdelavo tega staleža Entry
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Naslednja Amortizacija Datum je obvezna za nove investicije
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Ločeno Group s sedežem tečaj za vsako serijo
@@ -1705,17 +1719,18 @@
,Student Fee Collection,Študent Fee Collection
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Naredite vknjižba Za vsako borzno gibanje
DocType: Leave Allocation,Total Leaves Allocated,Skupaj Listi Dodeljena
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Skladišče zahteva pri Row št {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,"Prosimo, vnesite veljaven proračunsko leto, datum začetka in konca"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Skladišče zahteva pri Row št {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,"Prosimo, vnesite veljaven proračunsko leto, datum začetka in konca"
DocType: Employee,Date Of Retirement,Datum upokojitve
DocType: Upload Attendance,Get Template,Get predlogo
+DocType: Material Request,Transferred,Preneseni
DocType: Vehicle,Doors,vrata
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext Setup Complete!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup Complete!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: je Center Stroški potrebna za "izkaz poslovnega izida" računa {2}. Nastavite privzeto stroškovno Center za družbo.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"A Skupina kupcev obstaja z istim imenom, prosimo spremenite ime stranke ali preimenovati skupino odjemalcev"
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Nov kontakt
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"A Skupina kupcev obstaja z istim imenom, prosimo spremenite ime stranke ali preimenovati skupino odjemalcev"
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Nov kontakt
DocType: Territory,Parent Territory,Parent Territory
DocType: Quality Inspection Reading,Reading 2,Branje 2
DocType: Stock Entry,Material Receipt,Material Prejem
@@ -1724,17 +1739,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Če ima ta postavka variante, potem ne more biti izbran v prodajnih naročil itd"
DocType: Lead,Next Contact By,Naslednja Kontakt Z
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},"Količina, potrebna za postavko {0} v vrstici {1}"
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},"Skladišče {0} ni mogoče izbrisati, kot obstaja količina za postavko {1}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},"Količina, potrebna za postavko {0} v vrstici {1}"
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Skladišče {0} ni mogoče izbrisati, kot obstaja količina za postavko {1}"
DocType: Quotation,Order Type,Sklep Type
DocType: Purchase Invoice,Notification Email Address,Obvestilo e-poštni naslov
,Item-wise Sales Register,Element-pametno Sales Registriraj se
DocType: Asset,Gross Purchase Amount,Bruto znesek nakupa
DocType: Asset,Depreciation Method,Metoda amortiziranja
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Offline
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,Offline
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Je to DDV vključen v osnovni stopnji?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Skupaj Target
-DocType: Program Course,Required,Zahtevana
DocType: Job Applicant,Applicant for a Job,Kandidat za službo
DocType: Production Plan Material Request,Production Plan Material Request,Proizvodnja Zahteva načrt Material
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Ni Proizvodne Naročila ustvarjena
@@ -1744,17 +1758,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Dovoli več prodajnih nalogov zoper naročnikovo narocilo
DocType: Student Group Instructor,Student Group Instructor,Inštruktor Študent Skupina
DocType: Student Group Instructor,Student Group Instructor,Inštruktor Študent Skupina
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Skrbnika2 Mobile No
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Main
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Skrbnika2 Mobile No
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Main
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variant
DocType: Naming Series,Set prefix for numbering series on your transactions,Nastavite predpona za številčenje serij na vaše transakcije
DocType: Employee Attendance Tool,Employees HTML,zaposleni HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Privzeto BOM ({0}) mora biti aktiven za to postavko ali njeno predlogo
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Privzeto BOM ({0}) mora biti aktiven za to postavko ali njeno predlogo
DocType: Employee,Leave Encashed?,Dopusta unovčijo?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Priložnost Iz polja je obvezno
DocType: Email Digest,Annual Expenses,letni stroški
DocType: Item,Variants,Variante
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Naredite narocilo
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Naredite narocilo
DocType: SMS Center,Send To,Pošlji
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Ni dovolj bilanca dopust za dopust tipa {0}
DocType: Payment Reconciliation Payment,Allocated amount,Dodeljen znesek
@@ -1770,26 +1784,25 @@
DocType: Item,Serial Nos and Batches,Serijska št in Serije
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Študent Skupina moč
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Študent Skupina moč
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Proti listu Začetek {0} nima neprimerljivo {1} vnos
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Proti listu Začetek {0} nima neprimerljivo {1} vnos
apps/erpnext/erpnext/config/hr.py +137,Appraisals,cenitve
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Podvajati Zaporedna številka vpisana v postavko {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Pogoj za Shipping pravilu
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,vnesite
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ni mogoče overbill za postavko {0} v vrstici {1} več kot {2}. Če želite, da nad-obračun, prosim, da pri nakupu Nastavitve"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,"Prosim, nastavite filter, ki temelji na postavki ali skladišče"
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","ni mogoče overbill za postavko {0} v vrstici {1} več kot {2}. Če želite, da nad-obračun, prosim, da pri nakupu Nastavitve"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,"Prosim, nastavite filter, ki temelji na postavki ali skladišče"
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Neto teža tega paketa. (samodejno izračuna kot vsota neto težo blaga)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Ustvarite račun za to skladišče in ga povezati. Tega ni mogoče storiti samodejno kot račun z imenom {0} že obstaja
DocType: Sales Order,To Deliver and Bill,Dostaviti in Bill
DocType: Student Group,Instructors,inštruktorji
DocType: GL Entry,Credit Amount in Account Currency,Credit Znesek v Valuta računa
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} je treba predložiti
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} je treba predložiti
DocType: Authorization Control,Authorization Control,Pooblastilo za nadzor
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Vrstica # {0}: zavrnitev Skladišče je obvezno proti zavrnil postavki {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Vrstica # {0}: zavrnitev Skladišče je obvezno proti zavrnil postavki {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Plačilo
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Skladišče {0} ni povezano z nobenim računom, navedite račun v evidenco skladišče ali nastavite privzeto inventarja račun v družbi {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Upravljajte naročila
DocType: Production Order Operation,Actual Time and Cost,Dejanski čas in stroški
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Material Zahteva za največ {0} se lahko izvede za postavko {1} proti Sales Order {2}
-DocType: Employee,Salutation,Pozdrav
DocType: Course,Course Abbreviation,Kratica za tečaj
DocType: Student Leave Application,Student Leave Application,Študent Zapusti Uporaba
DocType: Item,Will also apply for variants,Bo veljalo tudi za variante
@@ -1801,12 +1814,12 @@
DocType: Quotation Item,Actual Qty,Dejanska Količina
DocType: Sales Invoice Item,References,Reference
DocType: Quality Inspection Reading,Reading 10,Branje 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Seznam vaših izdelkov ali storitev, ki jih kupujejo ali prodajajo. Poskrbite, da preverite skupino item, merska enota in ostalih nepremičninah, ko začnete."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Seznam vaših izdelkov ali storitev, ki jih kupujejo ali prodajajo. Poskrbite, da preverite skupino item, merska enota in ostalih nepremičninah, ko začnete."
DocType: Hub Settings,Hub Node,Hub Node
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Vnesli ste podvojene elemente. Prosimo, popravite in poskusite znova."
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Sodelavec
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Sodelavec
DocType: Asset Movement,Asset Movement,Gibanje sredstvo
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,Nova košarico
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Nova košarico
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Postavka {0} ni serialized postavka
DocType: SMS Center,Create Receiver List,Ustvarite sprejemnik seznam
DocType: Vehicle,Wheels,kolesa
@@ -1826,19 +1839,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Lahko sklicuje vrstico le, če je tip naboj "Na prejšnje vrstice Znesek" ali "prejšnje vrstice Total""
DocType: Sales Order Item,Delivery Warehouse,Dostava Skladišče
DocType: SMS Settings,Message Parameter,Sporočilo Parameter
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Drevo centrov finančnih stroškov.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Drevo centrov finančnih stroškov.
DocType: Serial No,Delivery Document No,Dostava dokument št
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Prosim nastavite "dobiček / izguba račun pri odtujitvi sredstev" v družbi {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Dobili predmetov iz nakupa Prejemki
DocType: Serial No,Creation Date,Datum nastanka
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Postavka {0} pojavi večkrat v Ceniku {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Prodajanje je treba preveriti, če se uporablja za izbrana kot {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Prodajanje je treba preveriti, če se uporablja za izbrana kot {0}"
DocType: Production Plan Material Request,Material Request Date,Material Zahteva Datum
DocType: Purchase Order Item,Supplier Quotation Item,Dobavitelj Kotacija Postavka
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Onemogoči oblikovanje časovnih dnevnikov proti proizvodnji naročil. Operacije se ne gosenicami proti Production reda
DocType: Student,Student Mobile Number,Študent mobilno številko
DocType: Item,Has Variants,Ima Variante
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Ste že izbrane postavke iz {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Ste že izbrane postavke iz {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Ime mesečnim izplačilom
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Serija ID je obvezen
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Serija ID je obvezen
@@ -1849,12 +1862,12 @@
DocType: Budget,Fiscal Year,Poslovno leto
DocType: Vehicle Log,Fuel Price,gorivo Cena
DocType: Budget,Budget,Proračun
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Osnovno sredstvo točka mora biti postavka ne-stock.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Osnovno sredstvo točka mora biti postavka ne-stock.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Proračun ne more biti dodeljena pred {0}, ker to ni prihodek ali odhodek račun"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Doseženi
DocType: Student Admission,Application Form Route,Prijavnica pot
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Territory / Stranka
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,na primer 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,na primer 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Pusti tipa {0} ni mogoče dodeliti, ker je zapustil brez plačila"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},"Vrstica {0}: Dodeljena količina {1}, mora biti manjša ali enaka zaračunati neodplačanega {2}"
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"V besedi bo viden, ko boste prihranili prodajni fakturi."
@@ -1863,7 +1876,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Postavka {0} ni setup za Serijska št. Preverite item mojster
DocType: Maintenance Visit,Maintenance Time,Vzdrževanje čas
,Amount to Deliver,"Znesek, Deliver"
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Izdelek ali storitev
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Izdelek ali storitev
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Datum izraz začetka ne more biti zgodnejši od datuma Leto začetku študijskega leta, v katerem je izraz povezan (študijsko leto {}). Popravite datum in poskusite znova."
DocType: Guardian,Guardian Interests,Guardian Zanima
DocType: Naming Series,Current Value,Trenutna vrednost
@@ -1877,12 +1890,12 @@
must be greater than or equal to {2}","Vrstica {0}: nastavi {1} periodičnost, razlika med od do sedaj \ mora biti večja od ali enaka {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Ta temelji na gibanju zalog. Glej {0} za podrobnosti
DocType: Pricing Rule,Selling,Prodaja
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Znesek {0} {1} odšteti pred {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Znesek {0} {1} odšteti pred {2}
DocType: Employee,Salary Information,Plača Informacije
DocType: Sales Person,Name and Employee ID,Ime in zaposlenih ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,Rok ne more biti pred datumom knjiženja
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,Rok ne more biti pred datumom knjiženja
DocType: Website Item Group,Website Item Group,Spletna stran Element Group
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Dajatve in davki
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Dajatve in davki
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Vnesite Referenčni datum
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} vnosov plačil ni mogoče filtrirati s {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Tabela za postavko, ki bo prikazana na spletni strani"
@@ -1899,9 +1912,9 @@
DocType: Payment Reconciliation Payment,Reference Row,referenčna Row
DocType: Installation Note,Installation Time,Namestitev čas
DocType: Sales Invoice,Accounting Details,Računovodstvo Podrobnosti
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Izbriši vse transakcije za to družbo
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"Vrstica # {0}: Operacija {1} ni končana, za {2} Kol končnih izdelkov v proizvodnji naročite # {3}. Prosimo, posodobite statusa delovanja preko Čas Dnevniki"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Naložbe
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Izbriši vse transakcije za to družbo
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"Vrstica # {0}: Operacija {1} ni končana, za {2} Kol končnih izdelkov v proizvodnji naročite # {3}. Prosimo, posodobite statusa delovanja preko Čas Dnevniki"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Naložbe
DocType: Issue,Resolution Details,Resolucija Podrobnosti
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,dodelitve
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Merila sprejemljivosti
@@ -1926,7 +1939,7 @@
DocType: Room,Room Name,soba Ime
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Pustite se ne more uporabiti / preklicana pred {0}, saj je bilanca dopust že-carry posredujejo v evidenco dodeljevanja dopust prihodnji {1}"
DocType: Activity Cost,Costing Rate,Stanejo Rate
-,Customer Addresses And Contacts,Naslovi strank in kontakti
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Naslovi strank in kontakti
,Campaign Efficiency,kampanja Učinkovitost
DocType: Discussion,Discussion,Diskusija
DocType: Payment Entry,Transaction ID,Transaction ID
@@ -1937,14 +1950,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Skupni znesek plačevanja (preko Čas lista)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Ponovite Customer Prihodki
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) mora imeti vlogo "Expense odobritelju"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Par
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Izberite BOM in Količina za proizvodnjo
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Par
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Izberite BOM in Količina za proizvodnjo
DocType: Asset,Depreciation Schedule,Amortizacija Razpored
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Prodaja Partner naslovi in kontakti
DocType: Bank Reconciliation Detail,Against Account,Proti račun
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Polovica Dan Datum mora biti med Od datuma in do danes
DocType: Maintenance Schedule Detail,Actual Date,Dejanski datum
DocType: Item,Has Batch No,Ima Serija Ne
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Letni obračun: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Letni obračun: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Davčna blago in storitve (DDV Indija)
DocType: Delivery Note,Excise Page Number,Trošarinska Številka strani
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Podjetje, od datuma do datuma je obvezen"
DocType: Asset,Purchase Date,Datum nakupa
@@ -1952,11 +1967,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Prosim nastavite "Asset Center Amortizacija stroškov" v družbi {0}
,Maintenance Schedules,Vzdrževanje Urniki
DocType: Task,Actual End Date (via Time Sheet),Dejanski končni datum (preko Čas lista)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Znesek {0} {1} proti {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Znesek {0} {1} proti {2} {3}
,Quotation Trends,Trendi ponudb
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},"Element Group, ki niso navedeni v točki mojster za postavko {0}"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Bremenitev računa mora biti Terjatve račun
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},"Element Group, ki niso navedeni v točki mojster za postavko {0}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Bremenitev računa mora biti Terjatve račun
DocType: Shipping Rule Condition,Shipping Amount,Znesek Dostave
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Dodaj stranke
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Dokler Znesek
DocType: Purchase Invoice Item,Conversion Factor,Faktor pretvorbe
DocType: Purchase Order,Delivered,Dostavljeno
@@ -1966,7 +1982,8 @@
DocType: Purchase Receipt,Vehicle Number,Število vozil
DocType: Purchase Invoice,The date on which recurring invoice will be stop,"Datum, na katerega se bodo ponavljajoče račun stop"
DocType: Employee Loan,Loan Amount,Znesek posojila
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Vrstica {0}: Kosovnica nismo našli v postavki {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Self-Vožnja vozil
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Vrstica {0}: Kosovnica nismo našli v postavki {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Skupaj dodeljena listi {0} ne sme biti manjši od že odobrenih listov {1} za obdobje
DocType: Journal Entry,Accounts Receivable,Terjatve
,Supplier-Wise Sales Analytics,Dobavitelj-Wise Prodajna Analytics
@@ -1984,22 +2001,21 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Expense Terjatev čaka na odobritev. Samo Expense odobritelj lahko posodobite stanje.
DocType: Email Digest,New Expenses,Novi stroški
DocType: Purchase Invoice,Additional Discount Amount,Dodatni popust Količina
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Kol mora biti 1, kot točka je osnovno sredstvo. Prosimo, uporabite ločeno vrstico za večkratno Kol."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Kol mora biti 1, kot točka je osnovno sredstvo. Prosimo, uporabite ločeno vrstico za večkratno Kol."
DocType: Leave Block List Allow,Leave Block List Allow,Pustite Block List Dovoli
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Abbr ne more biti prazna ali presledek
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr ne more biti prazna ali presledek
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Skupina Non-Group
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Šport
DocType: Loan Type,Loan Name,posojilo Ime
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Skupaj Actual
DocType: Student Siblings,Student Siblings,Študentski Bratje in sestre
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Enota
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,"Prosimo, navedite Company"
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Enota
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,"Prosimo, navedite Company"
,Customer Acquisition and Loyalty,Stranka Pridobivanje in zvestobe
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Skladišče, kjer ste vzdrževanje zalog zavrnjenih predmetov"
DocType: Production Order,Skip Material Transfer,Preskoči Material Transfer
DocType: Production Order,Skip Material Transfer,Preskoči Material Transfer
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Mogoče najti menjalni tečaj za {0} in {1} za ključ datumu {2}. Prosimo ustvariti zapis Valuta Exchange ročno
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Vaš proračunsko leto konča na
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Mogoče najti menjalni tečaj za {0} in {1} za ključ datumu {2}. Prosimo ustvariti zapis Valuta Exchange ročno
DocType: POS Profile,Price List,Cenik
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} je zdaj privzeta poslovno leto. Prosimo, osvežite brskalnik za spremembe začele veljati."
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Odhodkov Terjatve
@@ -2012,14 +2028,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Stock ravnotežje Serija {0} bo postal negativen {1} za postavko {2} v skladišču {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Po Material Zahteve so bile samodejno dvigne temelji na ravni re-naročilnico elementa
DocType: Email Digest,Pending Sales Orders,Dokler prodajnih naročil
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Račun {0} ni veljaven. Valuta računa mora biti {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Račun {0} ni veljaven. Valuta računa mora biti {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Faktor UOM Pretvorba je potrebno v vrstici {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Reference Vrsta dokumenta mora biti eden od prodajnega naloga, prodaje računa ali Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Reference Vrsta dokumenta mora biti eden od prodajnega naloga, prodaje računa ali Journal Entry"
DocType: Salary Component,Deduction,Odbitek
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Vrstica {0}: Od časa in do časa je obvezna.
DocType: Stock Reconciliation Item,Amount Difference,znesek Razlika
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Postavka Cena dodana za {0} v Ceniku {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Postavka Cena dodana za {0} v Ceniku {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Vnesite ID Employee te prodaje oseba
DocType: Territory,Classification of Customers by region,Razvrstitev stranke po regijah
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Razlika Znesek mora biti nič
@@ -2031,21 +2047,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Skupaj Odbitek
,Production Analytics,proizvodne Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Stroškovno Posodobljeno
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Stroškovno Posodobljeno
DocType: Employee,Date of Birth,Datum rojstva
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Postavka {0} je bil že vrnjen
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Postavka {0} je bil že vrnjen
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Fiskalno leto ** predstavlja poslovno leto. Vse vknjižbe in druge velike transakcije so povezane z izidi ** poslovnega leta **.
DocType: Opportunity,Customer / Lead Address,Stranka / Naslov ponudbe
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Opozorilo: Neveljavno potrdilo SSL za pritrditev {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Opozorilo: Neveljavno potrdilo SSL za pritrditev {0}
DocType: Student Admission,Eligibility,Upravičenost
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Interesenti vam pomaga dobiti posel, dodamo vse svoje stike in več kot vaše vodi"
DocType: Production Order Operation,Actual Operation Time,Dejanska Operacija čas
DocType: Authorization Rule,Applicable To (User),Ki se uporabljajo za (Uporabnik)
DocType: Purchase Taxes and Charges,Deduct,Odbitka
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Opis dela
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Opis dela
DocType: Student Applicant,Applied,Applied
DocType: Sales Invoice Item,Qty as per Stock UOM,Kol. kot na UOM
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Ime skrbnika2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Ime skrbnika2
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Posebni znaki razen ""-"" ""."", ""#"", in ""/"" niso dovoljeni v poimenovanju zaporedja"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Spremljajte prodajnih akcij. Spremljajte Interesenti, citatov, Sales Order itd iz akcije, da bi ocenili donosnost naložbe."
DocType: Expense Claim,Approver,Odobritelj
@@ -2056,8 +2072,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serijska št {0} je pod garancijo stanuje {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Split Dostava Opomba v pakete.
apps/erpnext/erpnext/hooks.py +87,Shipments,Pošiljke
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Stanje na računu ({0}) za {1} in vrednost zalog ({2}) za skladišče {3} mora biti enaka
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Stanje na računu ({0}) za {1} in vrednost zalog ({2}) za skladišče {3} mora biti enaka
DocType: Payment Entry,Total Allocated Amount (Company Currency),Skupaj Dodeljena Znesek (družba Valuta)
DocType: Purchase Order Item,To be delivered to customer,Ki jih je treba dostaviti kupcu
DocType: BOM,Scrap Material Cost,Stroški odpadnega materiala
@@ -2065,21 +2079,22 @@
DocType: Purchase Invoice,In Words (Company Currency),V besedi (družba Valuta)
DocType: Asset,Supplier,Dobavitelj
DocType: C-Form,Quarter,Quarter
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Razni stroški
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Razni stroški
DocType: Global Defaults,Default Company,Privzeto Podjetje
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Odhodek ali Razlika račun je obvezna za postavko {0} saj to vpliva na skupna vrednost zalog
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Odhodek ali Razlika račun je obvezna za postavko {0} saj to vpliva na skupna vrednost zalog
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Ime Banke
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Nad
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Nad
DocType: Employee Loan,Employee Loan Account,Zaposlenih Loan račun
DocType: Leave Application,Total Leave Days,Skupaj dni dopusta
DocType: Email Digest,Note: Email will not be sent to disabled users,Opomba: E-mail ne bo poslano uporabnike invalide
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Število interakcij
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Število interakcij
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Oznaka> Element Group> Znamka
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Izberite Company ...
DocType: Leave Control Panel,Leave blank if considered for all departments,"Pustite prazno, če velja za vse oddelke"
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Vrste zaposlitve (trajna, pogodbeni, intern itd)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} je obvezna za postavko {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} je obvezna za postavko {1}
DocType: Process Payroll,Fortnightly,vsakih štirinajst dni
DocType: Currency Exchange,From Currency,Iz valute
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Prosimo, izberite Dodeljeni znesek, fakture Vrsta in številka računa v atleast eno vrstico"
@@ -2102,7 +2117,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,"Prosimo, kliknite na "ustvarjajo Seznamu", da bi dobili razpored"
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Tam so bile napake pri brisanju naslednje razporede:
DocType: Bin,Ordered Quantity,Naročeno Količina
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",npr "Build orodja za gradbenike"
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",npr "Build orodja za gradbenike"
DocType: Grading Scale,Grading Scale Intervals,Ocenjevalna lestvica intervali
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: lahko računovodski vnos za {2} se opravi le v valuti: {3}
DocType: Production Order,In Process,V postopku
@@ -2117,12 +2132,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Student Skupine povzročajo.
DocType: Sales Invoice,Total Billing Amount,Skupni znesek plačevanja
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Obstajati mora privzeti dohodni e-poštnega računa omogočen za to delo. Prosimo setup privzeto dohodni e-poštnega računa (POP / IMAP) in poskusite znova.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Terjatev račun
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} je že {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Terjatev račun
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} je že {2}
DocType: Quotation Item,Stock Balance,Stock Balance
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Sales Order do plačila
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavite Poimenovanje serijsko {0} preko Nastavitev> Nastavitve> za poimenovanje Series
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,direktor
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,direktor
DocType: Expense Claim Detail,Expense Claim Detail,Expense Zahtevek Detail
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,"Prosimo, izberite ustrezen račun"
DocType: Item,Weight UOM,Teža UOM
@@ -2131,12 +2145,12 @@
DocType: Production Order Operation,Pending,V teku
DocType: Course,Course Name,Ime predmeta
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,"Uporabniki, ki lahko potrdijo zahtevke zapustiti določenega zaposlenega"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Pisarniška oprema
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Pisarniška oprema
DocType: Purchase Invoice Item,Qty,Kol.
DocType: Fiscal Year,Companies,Podjetja
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Electronics
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Dvignite Material Zahtevaj ko stock doseže stopnjo ponovnega naročila
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Polni delovni čas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Polni delovni čas
DocType: Salary Structure,Employees,zaposleni
DocType: Employee,Contact Details,Kontaktni podatki
DocType: C-Form,Received Date,Prejela Datum
@@ -2146,7 +2160,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Cene se ne bodo pokazale, če Cenik ni nastavljen"
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Prosimo, navedite državo ta prevoz pravilu ali preverite Dostava po celem svetu"
DocType: Stock Entry,Total Incoming Value,Skupaj Dohodni Vrednost
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Bremenitev je potrebno
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Bremenitev je potrebno
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets pomaga slediti časa, stroškov in zaračunavanje za aktivnostmi s svojo ekipo, podpisan"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Nakup Cenik
DocType: Offer Letter Term,Offer Term,Ponudba Term
@@ -2155,17 +2169,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Uskladitev plačil
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,"Prosimo, izberite ime zadolžen osebe"
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Tehnologija
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Skupaj neplačano: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Skupaj neplačano: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM Spletna stran Operacija
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Ponujamo Letter
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Ustvarjajo Materialne zahteve (MRP) in naročila za proizvodnjo.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Skupaj Fakturna Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Skupaj Fakturna Amt
DocType: BOM,Conversion Rate,Stopnja konverzije
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Iskanje
DocType: Timesheet Detail,To Time,Time
DocType: Authorization Rule,Approving Role (above authorized value),Odobritvi vloge (nad pooblaščeni vrednosti)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Credit Za računu mora biti plačljivo račun
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM rekurzija: {0} ne more biti starš ali otrok {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Credit Za računu mora biti plačljivo račun
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM rekurzija: {0} ne more biti starš ali otrok {2}
DocType: Production Order Operation,Completed Qty,Končano število
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Za {0}, lahko le debetne račune povezati proti drugemu knjiženje"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Seznam Cena {0} je onemogočena
@@ -2177,28 +2191,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,"{0} serijske številke, potrebne za postavko {1}. Ki ste ga navedli {2}."
DocType: Stock Reconciliation Item,Current Valuation Rate,Trenutni tečaj Vrednotenje
DocType: Item,Customer Item Codes,Stranka Postavka Kode
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Exchange dobiček / izguba
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange dobiček / izguba
DocType: Opportunity,Lost Reason,Lost Razlog
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,New Naslov
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,New Naslov
DocType: Quality Inspection,Sample Size,Velikost vzorca
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Vnesite Prejem dokumenta
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Vsi predmeti so bili že obračunano
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Vsi predmeti so bili že obračunano
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',"Prosimo, navedite veljaven "Od zadevi št '"
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,"Nadaljnje stroškovna mesta se lahko izvede v skupinah, vendar vnosi lahko zoper niso skupin"
DocType: Project,External,Zunanji
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Uporabniki in dovoljenja
DocType: Vehicle Log,VLOG.,Vlog.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Naročila za proizvodnjo Ustvarjen: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Naročila za proizvodnjo Ustvarjen: {0}
DocType: Branch,Branch,Branch
DocType: Guardian,Mobile Number,Mobilna številka
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Tiskanje in Branding
DocType: Bin,Actual Quantity,Dejanska količina
DocType: Shipping Rule,example: Next Day Shipping,Primer: Next Day Shipping
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serijska št {0} ni bilo mogoče najti
-DocType: Scheduling Tool,Student Batch,študent serije
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Vaše stranke
+DocType: Program Enrollment,Student Batch,študent serije
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Naredite Študent
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Ti so bili povabljeni k sodelovanju na projektu: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Ti so bili povabljeni k sodelovanju na projektu: {0}
DocType: Leave Block List Date,Block Date,Block Datum
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Prijavi se zdaj
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Dejanska Kol {0} / čakajoči Kol {1}
@@ -2208,7 +2221,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Ustvarjanje in upravljanje dnevne, tedenske in mesečne email prebavlja."
DocType: Appraisal Goal,Appraisal Goal,Cenitev cilj
DocType: Stock Reconciliation Item,Current Amount,Trenutni znesek
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,zgradbe
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,zgradbe
DocType: Fee Structure,Fee Structure,Fee Struktura
DocType: Timesheet Detail,Costing Amount,Stanejo Znesek
DocType: Student Admission,Application Fee,Fee uporaba
@@ -2220,10 +2233,10 @@
DocType: POS Profile,[Select],[Izberite]
DocType: SMS Log,Sent To,Poslano
DocType: Payment Request,Make Sales Invoice,Naredi račun
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,Programska oprema
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Programska oprema
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Naslednja Stik datum ne more biti v preteklosti
DocType: Company,For Reference Only.,Samo za referenco.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Izberite Serija št
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Izberite Serija št
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Neveljavna {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,Advance Znesek
@@ -2233,15 +2246,15 @@
DocType: Employee,Employment Details,Podatki o zaposlitvi
DocType: Employee,New Workplace,Novo delovno mesto
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Nastavi kot Zaprto
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Ne Postavka s črtno kodo {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Ne Postavka s črtno kodo {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Primer št ne more biti 0
DocType: Item,Show a slideshow at the top of the page,Prikaži diaprojekcijo na vrhu strani
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Trgovine
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Trgovine
DocType: Serial No,Delivery Time,Čas dostave
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,"Staranje, ki temelji na"
DocType: Item,End of Life,End of Life
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Potovanja
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Potovanja
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,"Ni aktivnega ali privzeti plač struktura, ugotovljena za zaposlenega {0} za datumoma"
DocType: Leave Block List,Allow Users,Dovoli uporabnike
DocType: Purchase Order,Customer Mobile No,Stranka Mobile No
@@ -2250,29 +2263,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Posodobitev Stroški
DocType: Item Reorder,Item Reorder,Postavka Preureditev
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Prikaži Plača listek
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Prenos Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Prenos Material
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Določite operacij, obratovalne stroške in daje edinstveno Operacija ni na vaše poslovanje."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,"Ta dokument je nad mejo, ki jo {0} {1} za postavko {4}. Delaš drugo {3} zoper isto {2}?"
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,"Prosim, nastavite ponavljajočih se po shranjevanju"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,znesek računa Izberite sprememba
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,"Ta dokument je nad mejo, ki jo {0} {1} za postavko {4}. Delaš drugo {3} zoper isto {2}?"
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,"Prosim, nastavite ponavljajočih se po shranjevanju"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,znesek računa Izberite sprememba
DocType: Purchase Invoice,Price List Currency,Cenik Valuta
DocType: Naming Series,User must always select,Uporabnik mora vedno izbrati
DocType: Stock Settings,Allow Negative Stock,Dovoli Negative Stock
DocType: Installation Note,Installation Note,Namestitev Opomba
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Dodaj Davki
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Dodaj Davki
DocType: Topic,Topic,tema
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Denarni tok iz financiranja
DocType: Budget Account,Budget Account,proračun računa
DocType: Quality Inspection,Verified By,Verified by
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Ne more spremeniti privzeto valuto družbe, saj so obstoječi posli. Transakcije se treba odpovedati, da spremenite privzeto valuto."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Ne more spremeniti privzeto valuto družbe, saj so obstoječi posli. Transakcije se treba odpovedati, da spremenite privzeto valuto."
DocType: Grading Scale Interval,Grade Description,razred Opis
DocType: Stock Entry,Purchase Receipt No,Potrdilo o nakupu Ne
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Kapara
DocType: Process Payroll,Create Salary Slip,Ustvarite plačilnega lista
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,sledljivost
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Vir sredstev (obveznosti)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Količina v vrstici {0} ({1}) mora biti enaka kot je bila proizvedena količina {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Vir sredstev (obveznosti)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Količina v vrstici {0} ({1}) mora biti enaka kot je bila proizvedena količina {2}
DocType: Appraisal,Employee,Zaposleni
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Izberite Serija
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} je v celoti zaračunano
DocType: Training Event,End Time,Končni čas
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktivne Struktura Plača {0} ugotovljeno za delavca {1} za dane termin
@@ -2284,11 +2298,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Zahtevani Na
DocType: Rename Tool,File to Rename,Datoteka za preimenovanje
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Izberite BOM za postavko v vrstici {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Določeno BOM {0} ne obstaja za postavko {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Račun {0} ne ujema z družbo {1} v načinu račun: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Določeno BOM {0} ne obstaja za postavko {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Vzdrževanje Urnik {0} je treba odpovedati pred preklicem te Sales Order
DocType: Notification Control,Expense Claim Approved,Expense Zahtevek Odobreno
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Plača Slip delavca {0} že ustvarili za to obdobje
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Pharmaceutical
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Pharmaceutical
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Vrednost kupljenih artiklov
DocType: Selling Settings,Sales Order Required,Zahtevano je naročilo
DocType: Purchase Invoice,Credit To,Kredit
@@ -2305,43 +2320,43 @@
DocType: Payment Gateway Account,Payment Account,Plačilo računa
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,"Prosimo, navedite Company nadaljevati"
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Neto sprememba terjatev do kupcev
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Kompenzacijske Off
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Kompenzacijske Off
DocType: Offer Letter,Accepted,Sprejeto
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,organizacija
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,organizacija
DocType: SG Creation Tool Course,Student Group Name,Ime študent Group
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Prosimo, preverite, ali ste prepričani, da želite izbrisati vse posle, za te družbe. Vaši matični podatki bodo ostali kot je. Ta ukrep ni mogoče razveljaviti."
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Prosimo, preverite, ali ste prepričani, da želite izbrisati vse posle, za te družbe. Vaši matični podatki bodo ostali kot je. Ta ukrep ni mogoče razveljaviti."
DocType: Room,Room Number,Številka sobe
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Neveljavna referenčna {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ne more biti večji od načrtovanih quanitity ({2}) v proizvodnji naročite {3}
DocType: Shipping Rule,Shipping Rule Label,Oznaka dostavnega pravila
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Uporabniški forum
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Surovine ne more biti prazno.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Ni mogel posodobiti vozni park, faktura vsebuje padec element ladijskega prometa."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Surovine ne more biti prazno.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Ni mogel posodobiti vozni park, faktura vsebuje padec element ladijskega prometa."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Hitro Journal Entry
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,"Vi stopnje ni mogoče spremeniti, če BOM omenjeno agianst vsako postavko"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,"Vi stopnje ni mogoče spremeniti, če BOM omenjeno agianst vsako postavko"
DocType: Employee,Previous Work Experience,Prejšnja Delovne izkušnje
DocType: Stock Entry,For Quantity,Za Količino
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Vnesite načrtovanih Količina za postavko {0} v vrstici {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} ni predloženo
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Prošnje za artikle.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Ločena proizvodnja naročilo bo ustvarjen za vsakega končnega dobro točko.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} mora biti negativen na povratni dokument
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} mora biti negativen na povratni dokument
,Minutes to First Response for Issues,Minut do prvega odziva na vprašanja
DocType: Purchase Invoice,Terms and Conditions1,Pogoji in razmer1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,"Ime zavoda, za katerega vzpostavitev tega sistema."
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,"Ime zavoda, za katerega vzpostavitev tega sistema."
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Vknjižba zamrzniti do tega datuma, nihče ne more narediti / spremeniti vnos razen vlogi določeno spodaj."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,"Prosimo, shranite dokument pred ustvarjanjem razpored vzdrževanja"
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Stanje projekta
DocType: UOM,Check this to disallow fractions. (for Nos),"Preverite, da je to prepoveste frakcij. (za številkami)"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,so bile oblikovane naslednje naročila za proizvodnjo:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,so bile oblikovane naslednje naročila za proizvodnjo:
DocType: Student Admission,Naming Series (for Student Applicant),Poimenovanje Series (za Student prijavitelja)
DocType: Delivery Note,Transporter Name,Transporter Name
DocType: Authorization Rule,Authorized Value,Dovoljena vrednost
DocType: BOM,Show Operations,prikaži Operations
,Minutes to First Response for Opportunity,Minut do prvega odziva za priložnost
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Skupaj Odsoten
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Postavka ali skladišča za vrstico {0} ne ujema Material dogovoru
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Postavka ali skladišča za vrstico {0} ne ujema Material dogovoru
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Merska enota
DocType: Fiscal Year,Year End Date,Leto End Date
DocType: Task Depends On,Task Depends On,Naloga je odvisna od
@@ -2421,11 +2436,11 @@
DocType: Asset,Manual,Ročno
DocType: Salary Component Account,Salary Component Account,Plača Komponenta račun
DocType: Global Defaults,Hide Currency Symbol,Skrij valutni simbol
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","npr Bank, gotovini, Kreditna kartica"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","npr Bank, gotovini, Kreditna kartica"
DocType: Lead Source,Source Name,Source Name
DocType: Journal Entry,Credit Note,Dobropis
DocType: Warranty Claim,Service Address,Storitev Naslov
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Pohištvo in Fixtures
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Pohištvo in Fixtures
DocType: Item,Manufacture,Izdelava
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Prosimo Delivery Note prvi
DocType: Student Applicant,Application Date,uporaba Datum
@@ -2435,7 +2450,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Potrditev Datum ni omenjena
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Proizvodnja
DocType: Guardian,Occupation,poklic
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Prosimo nastavitev zaposlenih Poimenovanje sistema v kadrovsko> HR Nastavitve
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Vrstica {0}: Začetni datum mora biti pred končnim datumom
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Skupaj (Kol)
DocType: Sales Invoice,This Document,Ta dokument
@@ -2447,20 +2461,20 @@
DocType: Purchase Receipt,Time at which materials were received,"Čas, v katerem so bile prejete materiale"
DocType: Stock Ledger Entry,Outgoing Rate,Odhodni Rate
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organizacija podružnica gospodar.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,ali
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,ali
DocType: Sales Order,Billing Status,Status zaračunavanje
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Prijavi težavo
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Pomožni Stroški
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Pomožni Stroški
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-Nad
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Journal Entry {1} nima računa {2} ali pa so že primerjali z drugo kupona
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Journal Entry {1} nima računa {2} ali pa so že primerjali z drugo kupona
DocType: Buying Settings,Default Buying Price List,Privzet nabavni cenik
DocType: Process Payroll,Salary Slip Based on Timesheet,Plača Slip Na Timesheet
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Noben zaposleni za zgoraj izbranih kriterijih ALI plačilnega lista že ustvarili
DocType: Notification Control,Sales Order Message,Sales Order Sporočilo
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Privzeta nastavitev Vrednote, kot so podjetja, valuta, tekočem proračunskem letu, itd"
DocType: Payment Entry,Payment Type,Način plačila
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Izberite Serija za postavko {0}. Ni mogoče, da bi našli eno serijo, ki izpolnjuje te zahteve"
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Izberite Serija za postavko {0}. Ni mogoče, da bi našli eno serijo, ki izpolnjuje te zahteve"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Izberite Serija za postavko {0}. Ni mogoče, da bi našli eno serijo, ki izpolnjuje te zahteve"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Izberite Serija za postavko {0}. Ni mogoče, da bi našli eno serijo, ki izpolnjuje te zahteve"
DocType: Process Payroll,Select Employees,Izberite Zaposleni
DocType: Opportunity,Potential Sales Deal,Potencialni Sales Deal
DocType: Payment Entry,Cheque/Reference Date,Ček / Referenčni datum
@@ -2480,7 +2494,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Potrdilo dokument je treba predložiti
DocType: Purchase Invoice Item,Received Qty,Prejela Kol
DocType: Stock Entry Detail,Serial No / Batch,Zaporedna številka / Batch
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Ne plača in ne Delivered
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Ne plača in ne Delivered
DocType: Product Bundle,Parent Item,Parent Item
DocType: Account,Account Type,Vrsta računa
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2495,25 +2509,24 @@
DocType: Bin,Reserved Quantity,Rezervirano Količina
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Vnesite veljaven e-poštni naslov
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Vnesite veljaven e-poštni naslov
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Ni obvezen predmet za program {0}
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Ni obvezen predmet za program {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Nakup Prejem Items
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Prilagajanje Obrazci
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,arrear
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,arrear
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Amortizacija Znesek v obdobju
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Onemogočeno predloga ne sme biti kot privzeto
DocType: Account,Income Account,Prihodki račun
DocType: Payment Request,Amount in customer's currency,Znesek v valuti stranke
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Dostava
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Dostava
DocType: Stock Reconciliation Item,Current Qty,Trenutni Kol
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",Glejte "Oceni materialov na osnovi" v stanejo oddelku
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,prejšnja
DocType: Appraisal Goal,Key Responsibility Area,Key Odgovornost Area
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Študentski Paketi vam pomaga slediti sejnin, ocene in pristojbine za študente"
DocType: Payment Entry,Total Allocated Amount,Skupaj Dodeljena Znesek
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Privzeta nastavitev popis račun za stalne inventarizacije
DocType: Item Reorder,Material Request Type,Material Zahteva Type
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural list Vstop za pla iz {0} in {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","Lokalno shrambo je polna, ni rešil"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","Lokalno shrambo je polna, ni rešil"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Vrstica {0}: UOM Conversion Factor je obvezna
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Ref
DocType: Budget,Cost Center,Stroškovno Center
@@ -2526,19 +2539,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Cen Pravilo je narejen prepisati Cenik / določiti diskontno odstotek, na podlagi nekaterih kriterijev."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Skladišče je mogoče spremeniti samo prek borze Vstop / Delivery Note / Potrdilo o nakupu
DocType: Employee Education,Class / Percentage,Razred / Odstotek
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Vodja marketinga in prodaje
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Davek na prihodek
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Vodja marketinga in prodaje
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Davek na prihodek
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Če je izbrana Cene pravilo narejen za "cena", bo prepisalo Cenik. Cen Pravilo cena je končna cena, zato je treba uporabiti pravšnji za popust. Zato v transakcijah, kot Sales Order, narocilo itd, da bodo nerealne v polje "obrestna mera", namesto da polje »Cenik rate"."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Track Interesenti ga Industry Type.
DocType: Item Supplier,Item Supplier,Postavka Dobavitelj
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,Vnesite Koda dobiti serijo no
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},"Prosimo, izberite vrednost za {0} quotation_to {1}"
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,Vnesite Koda dobiti serijo no
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},"Prosimo, izberite vrednost za {0} quotation_to {1}"
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Vsi naslovi.
DocType: Company,Stock Settings,Nastavitve Stock
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Spajanje je mogoče le, če so naslednje lastnosti enaka v obeh evidencah. Je skupina, Root Type, Company"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Spajanje je mogoče le, če so naslednje lastnosti enaka v obeh evidencah. Je skupina, Root Type, Company"
DocType: Vehicle,Electric,električni
DocType: Task,% Progress,% Progress
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Dobiček / izgube pri prodaji premoženja
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Dobiček / izgube pri prodaji premoženja
DocType: Training Event,Will send an email about the event to employees with status 'Open',Bomo poslali e-poštno sporočilo o dogodku na zaposlene s statusom 'Odpri'
DocType: Task,Depends on Tasks,Odvisno od Opravila
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Upravljanje drevesa skupine kupcev.
@@ -2547,7 +2560,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,New Stroški Center Ime
DocType: Leave Control Panel,Leave Control Panel,Pustite Nadzorna plošča
DocType: Project,Task Completion,naloga Zaključek
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Ni na zalogi
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Ni na zalogi
DocType: Appraisal,HR User,HR Uporabnik
DocType: Purchase Invoice,Taxes and Charges Deducted,Davki in dajatve Odbitek
apps/erpnext/erpnext/hooks.py +116,Issues,Vprašanja
@@ -2558,22 +2571,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Št plačilni list dalo med {0} in {1}
,Pending SO Items For Purchase Request,Dokler SO Točke za nakup dogovoru
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Študentski Sprejemi
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} je onemogočeno
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} je onemogočeno
DocType: Supplier,Billing Currency,Zaračunavanje Valuta
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Extra Large
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra Large
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Skupaj Listi
,Profit and Loss Statement,Izkaz poslovnega izida
DocType: Bank Reconciliation Detail,Cheque Number,Ček Število
,Sales Browser,Prodaja Browser
DocType: Journal Entry,Total Credit,Skupaj Credit
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Opozorilo: Drug {0} # {1} obstaja pred vstopom parka {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Lokalno
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Lokalno
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Posojila in predujmi (sredstva)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Dolžniki
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Velika
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Velika
DocType: Homepage Featured Product,Homepage Featured Product,Domača stran Izbrani izdelka
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Vse skupine za ocenjevanje
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Vse skupine za ocenjevanje
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Novo skladišče Ime
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Skupno {0} ({1})
DocType: C-Form Invoice Detail,Territory,Ozemlje
@@ -2583,12 +2596,12 @@
DocType: Production Order Operation,Planned Start Time,Načrtovano Start Time
DocType: Course,Assessment,ocena
DocType: Payment Entry Reference,Allocated,Razporejeni
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Zapri Bilanca stanja in rezervirajte poslovnem izidu.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Zapri Bilanca stanja in rezervirajte poslovnem izidu.
DocType: Student Applicant,Application Status,Status uporaba
DocType: Fees,Fees,pristojbine
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Določite Menjalni tečaj za pretvorbo ene valute v drugo
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Ponudba {0} je odpovedana
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Skupni preostali znesek
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Skupni preostali znesek
DocType: Sales Partner,Targets,Cilji
DocType: Price List,Price List Master,Cenik Master
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Vse prodajne transakcije je lahko označena pred številnimi ** Prodajni Osebe **, tako da lahko nastavite in spremljanje ciljev."
@@ -2620,12 +2633,12 @@
1. Address and Contact of your Company.","Standardni Pogoji, ki se lahko dodajajo prodaje in nakupe. Primeri: 1. Veljavnost ponudbe. 1. Plačilni pogoji (vnaprej, na kredit, del predujem itd). 1. Kaj je dodatno (ali ga je dolžan plačati davek). Opozorilo / uporaba 1. varnost. 1. Garancija če sploh. 1. Izjava zasebnosti. 1. Pogoji ladijskega prometa, če je to primerno. 1. načine reševanja sporov, jamstva, odgovornosti, itd 1. Naslov in kontaktne vašega podjetja."
DocType: Attendance,Leave Type,Zapusti Type
DocType: Purchase Invoice,Supplier Invoice Details,Dobavitelj Podrobnosti računa
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Expense / Razlika račun ({0}) mora biti račun "poslovni izid"
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Expense / Razlika račun ({0}) mora biti račun "poslovni izid"
DocType: Project,Copied From,Kopirano iz
DocType: Project,Copied From,Kopirano iz
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Ime napaka: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,pomanjkanje
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} ni povezan z {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} ni povezan z {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Udeležba na zaposlenega {0} je že označeno
DocType: Packing Slip,If more than one package of the same type (for print),Če več paketov istega tipa (v tisku)
,Salary Register,plača Registracija
@@ -2643,22 +2656,23 @@
,Requested Qty,Zahteval Kol
DocType: Tax Rule,Use for Shopping Cart,Uporabite za Košarica
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Vrednost {0} za Attribute {1} ne obstaja na seznamu veljavnega točke Lastnost Vrednosti za postavko {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Izberite serijsko številko
DocType: BOM Item,Scrap %,Ostanki%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Dajatve bodo razdeljeni sorazmerno na podlagi postavka Kol ali znesek, glede na vašo izbiro"
DocType: Maintenance Visit,Purposes,Nameni
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,"Atleast en element, se vpiše z negativnim količino v povratni dokument"
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,"Atleast en element, se vpiše z negativnim količino v povratni dokument"
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operacija {0} dlje od vseh razpoložljivih delovnih ur v delovni postaji {1}, razčleniti operacijo na več operacij"
,Requested,Zahteval
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Ni Opombe
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Ni Opombe
DocType: Purchase Invoice,Overdue,Zapadle
DocType: Account,Stock Received But Not Billed,Prejete Stock Ampak ne zaračuna
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Root račun mora biti skupina
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Root račun mora biti skupina
DocType: Fees,FEE.,FEE.
DocType: Employee Loan,Repaid/Closed,Povrne / Zaprto
DocType: Item,Total Projected Qty,Skupne projekcije Kol
DocType: Monthly Distribution,Distribution Name,Porazdelitev Name
DocType: Course,Course Code,Koda predmeta
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Inšpekcija kakovosti potrebna za postavko {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Inšpekcija kakovosti potrebna za postavko {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,"Obrestna mera, po kateri kupec je valuti, se pretvori v osnovni valuti družbe"
DocType: Purchase Invoice Item,Net Rate (Company Currency),Net Rate (družba Valuta)
DocType: Salary Detail,Condition and Formula Help,Stanje in Formula Pomoč
@@ -2671,27 +2685,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Prenos materialov za proizvodnjo
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Popust Odstotek se lahko uporablja bodisi proti ceniku ali za vse cenik.
DocType: Purchase Invoice,Half-yearly,Polletna
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Računovodstvo Vstop za zalogi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Računovodstvo Vstop za zalogi
DocType: Vehicle Service,Engine Oil,Motorno olje
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Prosimo nastavitev zaposlenih Poimenovanje sistema v kadrovsko> HR Nastavitve
DocType: Sales Invoice,Sales Team1,Prodaja TEAM1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Element {0} ne obstaja
DocType: Sales Invoice,Customer Address,Naslov stranke
DocType: Employee Loan,Loan Details,posojilo Podrobnosti
+DocType: Company,Default Inventory Account,Privzeti Popis račun
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Vrstica {0}: Zaključen Kol mora biti večji od nič.
DocType: Purchase Invoice,Apply Additional Discount On,Uporabi dodatni popust na
DocType: Account,Root Type,Root Type
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Vrstica # {0}: ne more vrniti več kot {1} za postavko {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Vrstica # {0}: ne more vrniti več kot {1} za postavko {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Plot
DocType: Item Group,Show this slideshow at the top of the page,Pokažite ta diaprojekcije na vrhu strani
DocType: BOM,Item UOM,Postavka UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Davčna Znesek Po Popust Znesek (družba Valuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Ciljna skladišče je obvezna za vrstico {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Ciljna skladišče je obvezna za vrstico {0}
DocType: Cheque Print Template,Primary Settings,primarni Nastavitve
DocType: Purchase Invoice,Select Supplier Address,Izberite Dobavitelj naslov
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Dodaj Zaposleni
DocType: Purchase Invoice Item,Quality Inspection,Quality Inspection
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Extra Small
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small
DocType: Company,Standard Template,standard Template
DocType: Training Event,Theory,teorija
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,"Opozorilo: Material Zahtevana Količina je manj kot minimalna, da Kol"
@@ -2699,7 +2715,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Pravna oseba / Hčerinska družba z ločenim računom ki pripada organizaciji.
DocType: Payment Request,Mute Email,Mute Email
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Hrana, pijača, tobak"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Lahko le plačilo proti neobračunano {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Lahko le plačilo proti neobračunano {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Stopnja Komisija ne more biti večja od 100
DocType: Stock Entry,Subcontract,Podizvajalska pogodba
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Vnesite {0} najprej
@@ -2712,18 +2728,18 @@
DocType: SMS Log,No of Sent SMS,Število poslanih SMS
DocType: Account,Expense Account,Expense račun
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Programska oprema
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Barva
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Barva
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Merila načrt ocenjevanja
DocType: Training Event,Scheduled,Načrtovano
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Zahteva za ponudbo.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Prosimo, izberite postavko, kjer "Stock postavka je" "Ne" in "Je Sales Postavka" je "Yes" in ni druge Bundle izdelka"
DocType: Student Log,Academic,akademski
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Skupaj predplačilo ({0}) proti odredbi {1} ne more biti večja od Grand Total ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Skupaj predplačilo ({0}) proti odredbi {1} ne more biti večja od Grand Total ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Izberite mesečnim izplačilom neenakomerno distribucijo ciljev po mesecih.
DocType: Purchase Invoice Item,Valuation Rate,Oceni Vrednotenje
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Cenik Valuta ni izbran
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Cenik Valuta ni izbran
,Student Monthly Attendance Sheet,Študent Mesečni Udeležba Sheet
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Employee {0} je že zaprosil za {1} med {2} in {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Projekt Start Date
@@ -2736,7 +2752,7 @@
DocType: BOM,Scrap,Odpadno
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Upravljanje prodajne partnerje.
DocType: Quality Inspection,Inspection Type,Inšpekcijski Type
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Skladišča z obstoječim poslom ni mogoče pretvoriti v skupino.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Skladišča z obstoječim poslom ni mogoče pretvoriti v skupino.
DocType: Assessment Result Tool,Result HTML,rezultat HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Poteče
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Dodaj Študenti
@@ -2744,13 +2760,13 @@
DocType: C-Form,C-Form No,C-forma
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,neoznačena in postrežbo
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Raziskovalec
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Raziskovalec
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Program Vpis Orodje Student
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Ime ali E-pošta je obvezna
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Dohodni pregled kakovosti.
DocType: Purchase Order Item,Returned Qty,Vrnjeno Kol
DocType: Employee,Exit,Izhod
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Root Tip je obvezna
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root Tip je obvezna
DocType: BOM,Total Cost(Company Currency),Skupni stroški (družba Valuta)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serijska št {0} ustvaril
DocType: Homepage,Company Description for website homepage,Podjetje Opis za domačo stran spletnega mesta
@@ -2759,7 +2775,7 @@
DocType: Sales Invoice,Time Sheet List,Časovnica
DocType: Employee,You can enter any date manually,Lahko jih vnesete nobenega datuma
DocType: Asset Category Account,Depreciation Expense Account,Amortizacija račun
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Poskusna doba
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Poskusna doba
DocType: Customer Group,Only leaf nodes are allowed in transaction,Samo leaf vozlišča so dovoljene v transakciji
DocType: Expense Claim,Expense Approver,Expense odobritelj
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Vrstica {0}: Advance proti naročniku mora biti kredit
@@ -2773,10 +2789,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Urniki tečaj črta:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Dnevniki za ohranjanje statusa dostave sms
DocType: Accounts Settings,Make Payment via Journal Entry,Naredite plačilo preko Journal Entry
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Tiskano na
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Tiskano na
DocType: Item,Inspection Required before Delivery,Inšpekcijski Zahtevana pred dostavo
DocType: Item,Inspection Required before Purchase,Inšpekcijski Zahtevana pred nakupom
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Čakanju Dejavnosti
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Vaša organizacija
DocType: Fee Component,Fees Category,pristojbine Kategorija
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Vnesite lajšanje datum.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
@@ -2786,9 +2803,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Preureditev Raven
DocType: Company,Chart Of Accounts Template,Graf Of predlogo računov
DocType: Attendance,Attendance Date,Udeležba Datum
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Kos Cena posodabljati za {0} v ceniku {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Kos Cena posodabljati za {0} v ceniku {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Plača razpadu temelji na zaslužek in odbitka.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Račun z zapirali vozlišč ni mogoče pretvoriti v knjigo terjatev
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Račun z zapirali vozlišč ni mogoče pretvoriti v knjigo terjatev
DocType: Purchase Invoice Item,Accepted Warehouse,Accepted Skladišče
DocType: Bank Reconciliation Detail,Posting Date,Napotitev Datum
DocType: Item,Valuation Method,Metoda vrednotenja
@@ -2797,14 +2814,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Dvojnik vnos
DocType: Program Enrollment Tool,Get Students,Get Študenti
DocType: Serial No,Under Warranty,Pod garancijo
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Error]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Error]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,"V besedi bo viden, ko boste shranite Sales Order."
,Employee Birthday,Zaposleni Rojstni dan
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Študent Serija Udeležba orodje
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,Limit navzkrižnim
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Limit navzkrižnim
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Tveganega kapitala
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"Akademski izraz s tem "študijskem letu '{0} in" Trajanje Ime' {1} že obstaja. Prosimo, spremenite te vnose in poskusite znova."
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Kot že obstajajo transakcije proti zapisu {0}, ki jih ne more spremeniti vrednosti {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Kot že obstajajo transakcije proti zapisu {0}, ki jih ne more spremeniti vrednosti {1}"
DocType: UOM,Must be Whole Number,Mora biti celo število
DocType: Leave Control Panel,New Leaves Allocated (In Days),Nove Listi Dodeljena (v dnevih)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serijska št {0} ne obstaja
@@ -2813,6 +2830,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Številka računa
DocType: Shopping Cart Settings,Orders,Naročila
DocType: Employee Leave Approver,Leave Approver,Pustite odobritelju
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Izberite serijo
DocType: Assessment Group,Assessment Group Name,Ime skupine ocena
DocType: Manufacturing Settings,Material Transferred for Manufacture,Material Preneseno za Izdelava
DocType: Expense Claim,"A user with ""Expense Approver"" role",Uporabnik z "Expense odobritelj" vlogi
@@ -2822,9 +2840,10 @@
DocType: Target Detail,Target Detail,Ciljna Detail
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,Vsa delovna mesta
DocType: Sales Order,% of materials billed against this Sales Order,% Materialov zaračunali proti tej Sales Order
+DocType: Program Enrollment,Mode of Transportation,Način za promet
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Obdobje Closing Začetek
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Stroškovno Center z obstoječimi transakcij ni mogoče pretvoriti v skupini
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Znesek {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Znesek {0} {1} {2} {3}
DocType: Account,Depreciation,Amortizacija
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Dobavitelj (-i)
DocType: Employee Attendance Tool,Employee Attendance Tool,Zaposleni Udeležba Tool
@@ -2832,7 +2851,7 @@
DocType: Supplier,Credit Limit,Kreditni limit
DocType: Production Plan Sales Order,Salse Order Date,Salse Datum naročila
DocType: Salary Component,Salary Component,plača Component
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Plačilni Navedbe {0} un povezane
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Plačilni Navedbe {0} un povezane
DocType: GL Entry,Voucher No,Voucher ni
,Lead Owner Efficiency,Svinec Lastnik Učinkovitost
,Lead Owner Efficiency,Svinec Lastnik Učinkovitost
@@ -2844,11 +2863,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Predloga izrazov ali pogodbe.
DocType: Purchase Invoice,Address and Contact,Naslov in Stik
DocType: Cheque Print Template,Is Account Payable,Je računa plačljivo
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Stock ni mogoče posodobiti proti Nakup prejemu {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Stock ni mogoče posodobiti proti Nakup prejemu {0}
DocType: Supplier,Last Day of the Next Month,Zadnji dan v naslednjem mesecu
DocType: Support Settings,Auto close Issue after 7 days,Auto blizu Izdaja po 7 dneh
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Dopusta ni mogoče dodeliti pred {0}, saj je bilanca dopust že-carry posredujejo v evidenco dodeljevanja dopust prihodnji {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Opomba: Zaradi / Referenčni datum presega dovoljene kreditnih stranka dni s {0} dan (s)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Opomba: Zaradi / Referenčni datum presega dovoljene kreditnih stranka dni s {0} dan (s)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,študent Prijavitelj
DocType: Asset Category Account,Accumulated Depreciation Account,Bilančni Amortizacija račun
DocType: Stock Settings,Freeze Stock Entries,Freeze Stock Vnosi
@@ -2857,35 +2876,35 @@
DocType: Activity Cost,Billing Rate,Zaračunavanje Rate
,Qty to Deliver,Količina na Deliver
,Stock Analytics,Analiza zaloge
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Operacije se ne sme ostati prazno
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operacije se ne sme ostati prazno
DocType: Maintenance Visit Purpose,Against Document Detail No,Proti Podrobnosti dokumenta št
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Vrsta Party je obvezen
DocType: Quality Inspection,Outgoing,Odhodni
DocType: Material Request,Requested For,Zaprosila za
DocType: Quotation Item,Against Doctype,Proti DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} je odpovedan ali zaprt
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} je odpovedan ali zaprt
DocType: Delivery Note,Track this Delivery Note against any Project,Sledi tej dobavnica proti kateri koli projekt
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Čisti denarni tok iz naložbenja
-,Is Primary Address,Je primarni naslov
DocType: Production Order,Work-in-Progress Warehouse,Work-in-Progress Warehouse
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Sredstvo {0} je treba predložiti
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Šivih {0} obstaja proti Študent {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Šivih {0} obstaja proti Študent {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Referenčna # {0} dne {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Amortizacija je izpadlo zaradi odprodaje premoženja
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Upravljanje naslovov
DocType: Asset,Item Code,Oznaka
DocType: Production Planning Tool,Create Production Orders,Ustvarjanje naročila za proizvodnjo
DocType: Serial No,Warranty / AMC Details,Garancija / AMC Podrobnosti
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,"Izberite študentov ročno za skupine dejavnosti, ki temelji"
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,"Izberite študentov ročno za skupine dejavnosti, ki temelji"
DocType: Journal Entry,User Remark,Uporabnik Pripomba
DocType: Lead,Market Segment,Tržni segment
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Plačani znesek ne sme biti večja od celotnega negativnega neplačanega zneska {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Plačani znesek ne sme biti večja od celotnega negativnega neplačanega zneska {0}
DocType: Employee Internal Work History,Employee Internal Work History,Zaposleni Notranji Delo Zgodovina
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Zapiranje (Dr)
DocType: Cheque Print Template,Cheque Size,Ček Velikost
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serijska št {0} ni na zalogi
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Davčna predlogo za prodajne transakcije.
DocType: Sales Invoice,Write Off Outstanding Amount,Napišite Off neporavnanega zneska
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Račun {0} ne ujema z družbo {1}
DocType: School Settings,Current Academic Year,Trenutni študijsko leto
DocType: Stock Settings,Default Stock UOM,Privzeto Stock UOM
DocType: Asset,Number of Depreciations Booked,Število amortizacije Rezervirano
@@ -2900,27 +2919,27 @@
DocType: Asset,Double Declining Balance,Double Upadanje Balance
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Zaprta naročila ni mogoče preklicati. Unclose za preklic.
DocType: Student Guardian,Father,oče
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,""Update Stock", ni mogoče preveriti za prodajo osnovnih sredstev"
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,""Update Stock", ni mogoče preveriti za prodajo osnovnih sredstev"
DocType: Bank Reconciliation,Bank Reconciliation,Banka Sprava
DocType: Attendance,On Leave,Na dopustu
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Dobite posodobitve
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Račun {2} ne pripada družbi {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Material Zahteva {0} je odpovedan ali ustavi
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Dodajte nekaj zapisov vzorčnih
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Dodajte nekaj zapisov vzorčnih
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Pustite upravljanje
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,"Skupina, ki jo račun"
DocType: Sales Order,Fully Delivered,Popolnoma Delivered
DocType: Lead,Lower Income,Nižji od dobička
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Vir in cilj skladišče ne more biti enaka za vrstico {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Vir in cilj skladišče ne more biti enaka za vrstico {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Razlika računa mora biti tip Asset / Liability račun, saj je ta Stock Sprava je Entry Otvoritev"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Plačanega zneska ne sme biti večja od zneska kredita {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Naročilnica zahtevanega števila za postavko {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Proizvodnja Sklep ni bil ustvarjen
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Naročilnica zahtevanega števila za postavko {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Proizvodnja Sklep ni bil ustvarjen
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Od datuma' mora biti za 'Do datuma '
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},"status študenta, ne more spremeniti {0} je povezana z uporabo študentskega {1}"
DocType: Asset,Fully Depreciated,celoti amortizirana
,Stock Projected Qty,Stock Predvidena Količina
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},"Stranka {0} ne pripada, da projekt {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},"Stranka {0} ne pripada, da projekt {1}"
DocType: Employee Attendance Tool,Marked Attendance HTML,Markirana Udeležba HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Citati so predlogi, ponudbe, ki ste jih poslali svojim strankam"
DocType: Sales Order,Customer's Purchase Order,Stranke Naročilo
@@ -2929,8 +2948,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Vsota ocen ocenjevalnih meril mora biti {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,"Prosim, nastavite Število amortizacije Rezervirano"
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Vrednost ali Kol
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Produkcije Naročila ni mogoče povečati za:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Minute
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Produkcije Naročila ni mogoče povečati za:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Minute
DocType: Purchase Invoice,Purchase Taxes and Charges,Nakup davki in dajatve
,Qty to Receive,Količina za prejemanje
DocType: Leave Block List,Leave Block List Allowed,Pustite Block Seznam Dovoljeno
@@ -2938,25 +2957,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Expense Zahtevek za vozila Prijavi {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Popust (%) na Cena iz cenika Oceni z mejo
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Popust (%) na Cena iz cenika Oceni z mejo
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,Vse Skladišča
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Vse Skladišča
DocType: Sales Partner,Retailer,Retailer
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Credit Za računu mora biti bilanca računa
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Credit Za računu mora biti bilanca računa
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Vse vrste Dobavitelj
DocType: Global Defaults,Disable In Words,"Onemogoči ""z besedami"""
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,"Oznaka je obvezna, ker se postavka samodejno ni oštevilčen"
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Oznaka je obvezna, ker se postavka samodejno ni oštevilčen"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Ponudba {0} ni tipa {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Vzdrževanje Urnik Postavka
DocType: Sales Order,% Delivered,% Dostavljeno
DocType: Production Order,PRO-,PRO-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Bančnem računu računa
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Bančnem računu računa
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Naredite plačilnega lista
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Vrstica # {0}: Razporejeni vrednosti ne sme biti večja od neplačanega zneska.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Prebrskaj BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Secured Posojila
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Secured Posojila
DocType: Purchase Invoice,Edit Posting Date and Time,Uredi datum in uro vnosa
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Prosim, nastavite račune, povezane Amortizacija v sredstvih kategoriji {0} ali družbe {1}"
DocType: Academic Term,Academic Year,Študijsko leto
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Otvoritev Balance Equity
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Otvoritev Balance Equity
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Cenitev
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},E-pošta poslana dobavitelju {0}
@@ -2972,7 +2991,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,"Odobritvi vloge ne more biti enaka kot vloga je pravilo, ki veljajo za"
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Odjaviti iz te Email Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Sporočilo je bilo poslano
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Račun z zapirali vozlišč ni mogoče nastaviti kot knjigo
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Račun z zapirali vozlišč ni mogoče nastaviti kot knjigo
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,"Obrestna mera, po kateri Cenik valuti se pretvorijo v osn stranke"
DocType: Purchase Invoice Item,Net Amount (Company Currency),Neto znesek (družba Valuta)
@@ -3006,7 +3025,7 @@
DocType: Expense Claim,Approval Status,Stanje odobritve
DocType: Hub Settings,Publish Items to Hub,Objavite artikel v Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},Iz mora biti vrednost manj kot na vrednosti v vrstici {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Wire Transfer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Wire Transfer
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Preveri vse
DocType: Vehicle Log,Invoice Ref,Ref na računu
DocType: Purchase Order,Recurring Order,Ponavljajoči naročilo
@@ -3019,19 +3038,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Bančništvo in plačila
,Welcome to ERPNext,Dobrodošli na ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Privede do Kotacija
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Nič več pokazati.
DocType: Lead,From Customer,Od kupca
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Poziva
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Poziva
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,Paketi
DocType: Project,Total Costing Amount (via Time Logs),Skupaj Stanejo Znesek (preko Čas Dnevniki)
DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Naročilnica {0} ni predložila
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Naročilnica {0} ni predložila
DocType: Customs Tariff Number,Tariff Number,tarifna številka
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Predvidoma
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serijska št {0} ne pripada Warehouse {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Opomba: Sistem ne bo preveril čez povzetju in over-rezervacije za postavko {0} kot količina ali znesek je 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Opomba: Sistem ne bo preveril čez povzetju in over-rezervacije za postavko {0} kot količina ali znesek je 0
DocType: Notification Control,Quotation Message,Kotacija Sporočilo
DocType: Employee Loan,Employee Loan Application,Zaposlenih Loan Application
DocType: Issue,Opening Date,Otvoritev Datum
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Udeležba je bila uspešno označena.
+DocType: Program Enrollment,Public Transport,Javni prevoz
DocType: Journal Entry,Remark,Pripomba
DocType: Purchase Receipt Item,Rate and Amount,Stopnja in znesek
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Vrsta računa za {0} mora biti {1}
@@ -3039,32 +3061,32 @@
DocType: School Settings,Current Academic Term,Trenutni Academic Term
DocType: School Settings,Current Academic Term,Trenutni Academic Term
DocType: Sales Order,Not Billed,Ne zaračunavajo
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Oba Skladišče mora pripadati isti družbi
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Ni stikov še dodal.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Oba Skladišče mora pripadati isti družbi
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Ni stikov še dodal.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Pristali Stroški bon Znesek
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,"Računi, ki jih dobavitelji postavljeno."
DocType: POS Profile,Write Off Account,Odpišite račun
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Opomin Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Popust Količina
DocType: Purchase Invoice,Return Against Purchase Invoice,Vrni proti Račun za nakup
DocType: Item,Warranty Period (in days),Garancijski rok (v dnevih)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Povezava z Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Povezava z Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Čisti denarni tok iz poslovanja
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,npr DDV
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,npr DDV
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Postavka 4
DocType: Student Admission,Admission End Date,Sprejem Končni datum
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Podizvajalcem
DocType: Journal Entry Account,Journal Entry Account,Journal Entry račun
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Študentska skupina
DocType: Shopping Cart Settings,Quotation Series,Zaporedje ponudb
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Element obstaja z istim imenom ({0}), prosimo, spremenite ime postavka skupine ali preimenovanje postavke"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Izberite stranko
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Element obstaja z istim imenom ({0}), prosimo, spremenite ime postavka skupine ali preimenovanje postavke"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Izberite stranko
DocType: C-Form,I,jaz
DocType: Company,Asset Depreciation Cost Center,Asset Center Amortizacija Stroški
DocType: Sales Order Item,Sales Order Date,Datum Naročila Kupca
DocType: Sales Invoice Item,Delivered Qty,Delivered Kol
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Če je omogočeno, bodo vsi otroci vsako postavko proizvodnje je treba vključiti v materialu Prošnje."
DocType: Assessment Plan,Assessment Plan,načrt ocenjevanja
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Skladišče {0}: Podjetje je obvezna
DocType: Stock Settings,Limit Percent,omejitev Odstotek
,Payment Period Based On Invoice Date,Plačilo obdobju na podlagi računa Datum
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Manjka Menjalni tečaji za {0}
@@ -3076,7 +3098,7 @@
DocType: Vehicle,Insurance Details,zavarovanje Podrobnosti
DocType: Account,Payable,Plačljivo
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,Vnesite roki odplačevanja
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Dolžniki ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Dolžniki ({0})
DocType: Pricing Rule,Margin,Margin
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Nove stranke
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Bruto dobiček %
@@ -3087,16 +3109,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Party je obvezen
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,Ime temo
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Mora biti izbran Atleast eden prodaji ali nakupu
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Izberite naravo vašega podjetja.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Mora biti izbran Atleast eden prodaji ali nakupu
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Izberite naravo vašega podjetja.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Vrstica # {0}: Duplikat vnos v Referenčni {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Kjer so proizvodni postopki.
DocType: Asset Movement,Source Warehouse,Vir Skladišče
DocType: Installation Note,Installation Date,Datum vgradnje
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} ne pripada družbi {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} ne pripada družbi {2}
DocType: Employee,Confirmation Date,Datum potrditve
DocType: C-Form,Total Invoiced Amount,Skupaj Obračunani znesek
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Količina ne sme biti večja od Max Kol
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Min Količina ne sme biti večja od Max Kol
DocType: Account,Accumulated Depreciation,Bilančni Amortizacija
DocType: Stock Entry,Customer or Supplier Details,Stranka ali dobavitelj Podrobnosti
DocType: Employee Loan Application,Required by Date,Zahtevana Datum
@@ -3117,22 +3139,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Mesečni Distribution Odstotek
DocType: Territory,Territory Targets,Territory cilji
DocType: Delivery Note,Transporter Info,Transporter Info
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},"Prosim, nastavite privzeto {0} v družbi {1}"
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},"Prosim, nastavite privzeto {0} v družbi {1}"
DocType: Cheque Print Template,Starting position from top edge,Začetni položaj od zgornjega roba
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Enako dobavitelj je bila vpisana večkrat
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Kosmati dobiček / izguba
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Nakup Sklep Postavka Priložena
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Ime podjetja ne more biti podjetje
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Ime podjetja ne more biti podjetje
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Letter Glave za tiskane predloge.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Naslovi za tiskane predloge, npr predračunu."
DocType: Student Guardian,Student Guardian,študent Guardian
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Stroški Tip vrednotenje ni mogoče označiti kot Inclusive
DocType: POS Profile,Update Stock,Posodobi zalogo
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Dobavitelj> Vrsta dobavitelj
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Drugačna UOM za artikle bo privedlo do napačne (skupno) Neto teža vrednosti. Prepričajte se, da je neto teža vsake postavke v istem UOM."
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Rate
DocType: Asset,Journal Entry for Scrap,Journal Entry za pretep
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Prosimo povlecite predmete iz dobavnice
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Revija Vnosi {0} so un-povezani
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Revija Vnosi {0} so un-povezani
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Evidenca vseh komunikacij tipa elektronski pošti, telefonu, klepet, obisk, itd"
DocType: Manufacturer,Manufacturers used in Items,"Proizvajalci, ki se uporabljajo v postavkah"
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Navedite zaokrožijo stroškovno mesto v družbi
@@ -3181,34 +3204,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,Dobavitelj zagotavlja naročniku
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Item / {0}) ni na zalogi
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Naslednji datum mora biti večja od Napotitev Datum
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Prikaži davek break-up
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Zaradi / Referenčni datum ne more biti po {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Prikaži davek break-up
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Zaradi / Referenčni datum ne more biti po {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Uvoz in izvoz podatkov
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","vpisi zaloge obstajajo proti Warehouse {0}, zato ga ne more ponovno dodeliti ali jo spremeni"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Najdeno študenti
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Najdeno študenti
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Račun Napotitev Datum
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Prodaja
DocType: Sales Invoice,Rounded Total,Zaokroženo skupaj
DocType: Product Bundle,List items that form the package.,"Seznam predmetov, ki tvorijo paket."
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Odstotek dodelitve mora biti enaka 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,Izberite datum objave pred izbiro stranko
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Izberite datum objave pred izbiro stranko
DocType: Program Enrollment,School House,šola House
DocType: Serial No,Out of AMC,Od AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Izberite Citati
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Izberite Citati
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Izberite Citati
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Izberite Citati
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Število amortizacije naročene ne sme biti večja od skupnega št amortizacije
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Naredite Maintenance obisk
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,"Prosimo, obrnite se na uporabnika, ki imajo Sales Master Manager {0} vlogo"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,"Prosimo, obrnite se na uporabnika, ki imajo Sales Master Manager {0} vlogo"
DocType: Company,Default Cash Account,Privzeti gotovinski račun
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Company (ne stranka ali dobavitelj) gospodar.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Ta temelji na prisotnosti tega Študent
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Ni Študenti
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Ni Študenti
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Dodajte več predmetov ali odprto popolno obliko
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',"Prosimo, vpišite "Pričakovana Dostava Date""
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Dobavnic {0} je treba preklicati pred preklicem te Sales Order
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Plačan znesek + odpis Znesek ne sme biti večja od Grand Skupaj
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Plačan znesek + odpis Znesek ne sme biti večja od Grand Skupaj
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ni veljavna številka serije za postavko {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Opomba: Ni dovolj bilanca dopust za dopust tipa {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,Neveljavna GSTIN ali Enter NA za Neregistrirani
DocType: Training Event,Seminar,seminar
DocType: Program Enrollment Fee,Program Enrollment Fee,Program Vpis Fee
DocType: Item,Supplier Items,Dobavitelj Items
@@ -3234,28 +3257,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Postavka 3
DocType: Purchase Order,Customer Contact Email,Customer Contact Email
DocType: Warranty Claim,Item and Warranty Details,Točka in Garancija Podrobnosti
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Oznaka> Element Group> Znamka
DocType: Sales Team,Contribution (%),Prispevek (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Opomba: Začetek Plačilo se ne bodo ustvarili, saj "gotovinski ali bančni račun" ni bil podan"
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Izberite program za puščati obvezne tečaje.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Izberite program za puščati obvezne tečaje.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Odgovornosti
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Odgovornosti
DocType: Expense Claim Account,Expense Claim Account,Expense Zahtevek računa
DocType: Sales Person,Sales Person Name,Prodaja Oseba Name
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Vnesite atleast 1 račun v tabeli
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Dodaj uporabnike
DocType: POS Item Group,Item Group,Element Group
DocType: Item,Safety Stock,Varnostna zaloga
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,"Napredek% za nalogo, ne more biti več kot 100."
DocType: Stock Reconciliation Item,Before reconciliation,Pred uskladitvijo
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Za {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Davki in dajatve na dodano vrednost (Company Valuta)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Postavka Davčna Row {0} morajo upoštevati vrste davka ali prihodek ali odhodek ali Obdavčljivi
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Postavka Davčna Row {0} morajo upoštevati vrste davka ali prihodek ali odhodek ali Obdavčljivi
DocType: Sales Order,Partly Billed,Delno zaračunavajo
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Točka {0} mora biti osnovno sredstvo postavka
DocType: Item,Default BOM,Privzeto BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,"Prosimo, ponovno tip firma za potrditev"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Skupaj Izjemna Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Opomin Znesek
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,"Prosimo, ponovno tip firma za potrditev"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Skupaj Izjemna Amt
DocType: Journal Entry,Printing Settings,Nastavitve tiskanja
DocType: Sales Invoice,Include Payment (POS),Vključujejo plačilo (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Skupaj obremenitve mora biti enaka celotnemu kreditnemu. Razlika je {0}
@@ -3269,16 +3289,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Na zalogi:
DocType: Notification Control,Custom Message,Sporočilo po meri
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investicijsko bančništvo
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Gotovina ali bančnega računa je obvezen za izdelavo vnos plačila
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,študent Naslov
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,študent Naslov
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Gotovina ali bančnega računa je obvezen za izdelavo vnos plačila
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Prosimo nastavitev številčenja vrsto za udeležbi preko Nastavitve> oštevilčevanje Series
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,študent Naslov
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,študent Naslov
DocType: Purchase Invoice,Price List Exchange Rate,Cenik Exchange Rate
DocType: Purchase Invoice Item,Rate,Vrednost
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Intern
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,naslov Ime
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Intern
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,naslov Ime
DocType: Stock Entry,From BOM,Od BOM
DocType: Assessment Code,Assessment Code,Koda ocena
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Osnovni
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Osnovni
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Zaloga transakcije pred {0} so zamrznjeni
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"Prosimo, kliknite na "ustvarjajo Seznamu""
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","npr Kg, Unit, Nos, m"
@@ -3288,11 +3309,11 @@
DocType: Salary Slip,Salary Structure,Struktura Plače
DocType: Account,Bank,Banka
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Airline
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Vprašanje Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Vprašanje Material
DocType: Material Request Item,For Warehouse,Za Skladišče
DocType: Employee,Offer Date,Ponudba Datum
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Ponudbe
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,"Ste v načinu brez povezave. Ne boste mogli naložiti, dokler imate omrežje."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,"Ste v načinu brez povezave. Ne boste mogli naložiti, dokler imate omrežje."
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,ustvaril nobene skupine študentov.
DocType: Purchase Invoice Item,Serial No,Zaporedna številka
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Mesečni Povračilo Znesek ne sme biti večja od zneska kredita
@@ -3300,8 +3321,8 @@
DocType: Purchase Invoice,Print Language,Jezik tiskanja
DocType: Salary Slip,Total Working Hours,Skupaj Delovni čas
DocType: Stock Entry,Including items for sub assemblies,"Vključno s postavkami, za sklope"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Vnesite vrednost mora biti pozitivna
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Vse Territories
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Vnesite vrednost mora biti pozitivna
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Vse Territories
DocType: Purchase Invoice,Items,Predmeti
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Študent je že vpisan.
DocType: Fiscal Year,Year Name,Leto Name
@@ -3320,10 +3341,10 @@
DocType: Issue,Opening Time,Otvoritev čas
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Od in Do datumov zahtevanih
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Vrednostnih papirjev in blagovne borze
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Privzeto mersko enoto za Variant '{0}' mora biti enaka kot v predlogo '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Privzeto mersko enoto za Variant '{0}' mora biti enaka kot v predlogo '{1}'
DocType: Shipping Rule,Calculate Based On,Izračun temelji na
DocType: Delivery Note Item,From Warehouse,Iz skladišča
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Ni Postavke z Bill materialov za Izdelava
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Ni Postavke z Bill materialov za Izdelava
DocType: Assessment Plan,Supervisor Name,Ime nadzornik
DocType: Program Enrollment Course,Program Enrollment Course,Program Vpis tečaj
DocType: Program Enrollment Course,Program Enrollment Course,Program Vpis tečaj
@@ -3339,18 +3360,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Dnevi od zadnjega naročila"" morajo biti večji ali enak nič"
DocType: Process Payroll,Payroll Frequency,izplačane Frequency
DocType: Asset,Amended From,Spremenjeni Od
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Surovina
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Surovina
DocType: Leave Application,Follow via Email,Sledite preko e-maila
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Rastline in stroje
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Rastline in stroje
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Davčna Znesek Po Popust Znesek
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Dnevni Nastavitve Delo Povzetek
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Valuta ceniku {0} ni podobna z izbrano valuto {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Valuta ceniku {0} ni podobna z izbrano valuto {1}
DocType: Payment Entry,Internal Transfer,Interni prenos
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,"Otrok račun obstaja za ta račun. Ne, ne moreš izbrisati ta račun."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,"Otrok račun obstaja za ta račun. Ne, ne moreš izbrisati ta račun."
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Bodisi ciljna kol ali ciljna vrednost je obvezna
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Ne obstaja privzeta BOM za postavko {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Ne obstaja privzeta BOM za postavko {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,"Prosimo, izberite datumom knjiženja najprej"
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Pričetek mora biti pred Zapiranje Datum
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Nastavite Poimenovanje serijsko {0} preko Nastavitev> Nastavitve> za poimenovanje Series
DocType: Leave Control Panel,Carry Forward,Carry Forward
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Stroškovno Center z obstoječimi transakcij ni mogoče pretvoriti v knjigo terjatev
DocType: Department,Days for which Holidays are blocked for this department.,"Dni, za katere so Holidays blokirana za ta oddelek."
@@ -3360,11 +3382,10 @@
DocType: Issue,Raised By (Email),Postavljeno Z (e-naslov)
DocType: Training Event,Trainer Name,Ime Trainer
DocType: Mode of Payment,General,Splošno
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Priložite pisemski
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Zadnje sporočilo
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Zadnje sporočilo
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Ne more odbiti, če je kategorija za "vrednotenje" ali "Vrednotenje in Total""
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Seznam vaših davčnih glave (npr DDV, carine itd, morajo imeti edinstvena imena) in njihovi standardni normativi. To bo ustvarilo standardno predlogo, ki jo lahko urediti in dodati več kasneje."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Seznam vaših davčnih glave (npr DDV, carine itd, morajo imeti edinstvena imena) in njihovi standardni normativi. To bo ustvarilo standardno predlogo, ki jo lahko urediti in dodati več kasneje."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Serijska št Zahtevano za zaporednimi postavki {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Match plačila z računov
DocType: Journal Entry,Bank Entry,Banka Začetek
@@ -3373,16 +3394,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Dodaj v voziček
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Skupina S
DocType: Guardian,Interests,Zanima
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Omogoči / onemogoči valute.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Omogoči / onemogoči valute.
DocType: Production Planning Tool,Get Material Request,Get Zahteva material
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Poštni stroški
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Poštni stroški
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Skupaj (Amt)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Zabava & prosti čas
DocType: Quality Inspection,Item Serial No,Postavka Zaporedna številka
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Ustvari zaposlencev zapisov
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Skupaj Present
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,računovodski izkazi
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Ura
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Ura
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nova serijska številka ne more imeti skladišče. Skladišče mora nastaviti borze vstopu ali Potrdilo o nakupu
DocType: Lead,Lead Type,Tip ponudbe
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Niste pooblaščeni za odobritev liste na Block termini
@@ -3394,6 +3415,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,Novi BOM po zamenjavi
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Prodajno mesto
DocType: Payment Entry,Received Amount,prejela znesek
+DocType: GST Settings,GSTIN Email Sent On,"GSTIN e-pošti,"
+DocType: Program Enrollment,Pick/Drop by Guardian,Pick / znižala za Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Ustvarjanje za polno količino, ignoriranje količino že po naročilu"
DocType: Account,Tax,Davčna
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,ne Označeno
@@ -3407,14 +3430,14 @@
DocType: Batch,Source Document Name,Vir Ime dokumenta
DocType: Job Opening,Job Title,Job Naslov
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Ustvari uporabnike
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,gram
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,gram
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Količina na Izdelava mora biti večja od 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Obiščite poročilo za vzdrževalna klic.
DocType: Stock Entry,Update Rate and Availability,Posodobitev Oceni in razpoložljivost
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Odstotek ste dovoljeno prejemati ali dostaviti bolj proti količine naročenega. Na primer: Če ste naročili 100 enot. in vaš dodatek za 10%, potem ste lahko prejeli 110 enot."
DocType: POS Customer Group,Customer Group,Skupina za stranke
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Nova Serija ID (po želji)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Expense račun je obvezna za postavko {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Expense račun je obvezna za postavko {0}
DocType: BOM,Website Description,Spletna stran Opis
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Neto sprememba v kapitalu
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Prosim za prekinitev računu o nakupu {0} najprej
@@ -3424,8 +3447,8 @@
,Sales Register,Prodaja Register
DocType: Daily Work Summary Settings Company,Send Emails At,Pošlji e-pošte na
DocType: Quotation,Quotation Lost Reason,Kotacija Lost Razlog
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Izberite svojo domeno
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Referenčna transakcija ni {0} dne {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Izberite svojo domeno
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Referenčna transakcija ni {0} dne {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Nič ni za urejanje.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Povzetek za ta mesec in v teku dejavnosti
DocType: Customer Group,Customer Group Name,Skupina Ime stranke
@@ -3433,14 +3456,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Izkaz denarnih tokov
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Kredita vrednosti ne sme preseči najvišji možen kredit znesku {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,licenca
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},"Prosimo, odstranite tej fakturi {0} od C-Form {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},"Prosimo, odstranite tej fakturi {0} od C-Form {1}"
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Prosimo, izberite Carry Forward, če želite vključiti tudi v preteklem poslovnem letu je bilanca prepušča tem fiskalnem letu"
DocType: GL Entry,Against Voucher Type,Proti bon Type
DocType: Item,Attributes,Atributi
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,Vnesite račun za odpis
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Vnesite račun za odpis
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Zadnja Datum naročila
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Račun {0} ne pripada podjetju {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Številke v vrstici {0} se ne ujema z dobavnice
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Številke v vrstici {0} se ne ujema z dobavnice
DocType: Student,Guardian Details,Guardian Podrobnosti
DocType: C-Form,C-Form,C-Form
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark Udeležba za več zaposlenih
@@ -3455,16 +3478,16 @@
DocType: Budget Account,Budget Amount,proračun Znesek
DocType: Appraisal Template,Appraisal Template Title,Cenitev Predloga Naslov
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Od datuma {0} za zaposlenih {1} ne more biti pred povezuje Datum delavca {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Commercial
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Commercial
DocType: Payment Entry,Account Paid To,Račun Izplača
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Parent Item {0} ne sme biti Stock Postavka
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Vse izdelke ali storitve.
DocType: Expense Claim,More Details,Več podrobnosti
DocType: Supplier Quotation,Supplier Address,Dobavitelj Naslov
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} proračuna za račun {1} proti {2} {3} je {4}. To bo presegel s {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Vrstica {0} # računa mora biti tipa "osnovno sredstvo"
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Out Kol
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Pravila za izračun zneska ladijskega za prodajo
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Vrstica {0} # računa mora biti tipa "osnovno sredstvo"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Out Kol
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Pravila za izračun zneska ladijskega za prodajo
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Serija je obvezna
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Finančne storitve
DocType: Student Sibling,Student ID,Student ID
@@ -3472,13 +3495,13 @@
DocType: Tax Rule,Sales,Prodaja
DocType: Stock Entry Detail,Basic Amount,Osnovni znesek
DocType: Training Event,Exam,Izpit
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Skladišče je potrebna za borzo postavki {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Skladišče je potrebna za borzo postavki {0}
DocType: Leave Allocation,Unused leaves,Neizkoriščene listi
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,Država za zaračunavanje
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Prenos
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} ni povezana z računom stranke {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Fetch eksplodiral BOM (vključno podsklopov)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} ni povezana z računom stranke {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Fetch eksplodiral BOM (vključno podsklopov)
DocType: Authorization Rule,Applicable To (Employee),Ki se uporabljajo za (zaposlenih)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Datum zapadlosti je obvezno
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Prirastek za Attribute {0} ne more biti 0
@@ -3506,7 +3529,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Raw Material Oznaka
DocType: Journal Entry,Write Off Based On,Odpisuje temelji na
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Naredite Lead
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Tiskanje in Pisalne
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Tiskanje in Pisalne
DocType: Stock Settings,Show Barcode Field,Prikaži Barcode Field
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Pošlji Dobavitelj e-pošte
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Plača je že pripravljena za obdobje med {0} in {1}, Pusti obdobje uporabe ne more biti med tem časovnem obdobju."
@@ -3514,14 +3537,16 @@
DocType: Guardian Interest,Guardian Interest,Guardian Obresti
apps/erpnext/erpnext/config/hr.py +177,Training,usposabljanje
DocType: Timesheet,Employee Detail,Podrobnosti zaposleni
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 E-ID
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 E-ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 E-ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 E-ID
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,"Naslednji datum za dan in ponovite na dnevih v mesecu, mora biti enaka"
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Nastavitve za spletni strani
DocType: Offer Letter,Awaiting Response,Čakanje na odgovor
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Nad
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Nad
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},Neveljaven atribut {0} {1}
DocType: Supplier,Mention if non-standard payable account,Omemba če nestandardni plača račun
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Enako postavka je bila vpisana večkrat. {Seznam}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',"Izberite ocenjevalne skupine, razen "vseh skupin za presojo""
DocType: Salary Slip,Earning & Deduction,Zaslužek & Odbitek
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Neobvezno. Ta nastavitev bo uporabljena za filtriranje v različnih poslih.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Negativno Oceni Vrednotenje ni dovoljeno
@@ -3535,9 +3560,9 @@
DocType: Sales Invoice,Product Bundle Help,Izdelek Bundle Pomoč
,Monthly Attendance Sheet,Mesečni Udeležba Sheet
DocType: Production Order Item,Production Order Item,Proizvodnja nakup Izdelek
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Nobenega zapisa najdenih
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Nobenega zapisa najdenih
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Stroški izločeni sredstvi
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Stroški Center je obvezen za postavko {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Stroški Center je obvezen za postavko {2}
DocType: Vehicle,Policy No,Pravilnik št
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Dobili predmetov iz Bundle izdelkov
DocType: Asset,Straight Line,Ravna črta
@@ -3546,7 +3571,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Split
DocType: GL Entry,Is Advance,Je Advance
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Udeležba Od datuma in udeležba na Datum je obvezna
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,"Prosimo, vpišite "Je v podizvajanje", kot DA ali NE"
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,"Prosimo, vpišite "Je v podizvajanje", kot DA ali NE"
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Zadnje Sporočilo Datum
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Zadnje Sporočilo Datum
DocType: Sales Team,Contact No.,Kontakt št.
@@ -3575,60 +3600,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Otvoritev Vrednost
DocType: Salary Detail,Formula,Formula
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Komisija za prodajo
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Komisija za prodajo
DocType: Offer Letter Term,Value / Description,Vrednost / Opis
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} ni mogoče predložiti, je že {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} ni mogoče predložiti, je že {2}"
DocType: Tax Rule,Billing Country,Zaračunavanje Država
DocType: Purchase Order Item,Expected Delivery Date,Pričakuje Dostava Datum
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debetnih in kreditnih ni enaka za {0} # {1}. Razlika je {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Zabava Stroški
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Naredite Zahteva material
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Zabava Stroški
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Naredite Zahteva material
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Odprti Točka {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Račun {0} je potrebno preklicati pred preklicom tega prodajnega naročila
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Starost
DocType: Sales Invoice Timesheet,Billing Amount,Zaračunavanje Znesek
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,"Neveljavna količina, določena za postavko {0}. Količina mora biti večja od 0."
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Vloge za dopust.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Račun z obstoječim poslom ni mogoče izbrisati
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Račun z obstoječim poslom ni mogoče izbrisati
DocType: Vehicle,Last Carbon Check,Zadnja Carbon Check
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Pravni stroški
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Pravni stroški
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Izberite količino na vrsti
DocType: Purchase Invoice,Posting Time,Ura vnosa
DocType: Timesheet,% Amount Billed,% Zaračunani znesek
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Telefonske Stroški
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Telefonske Stroški
DocType: Sales Partner,Logo,Logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Označite to, če želite, da prisili uporabnika, da izberete vrsto pred shranjevanjem. Tam ne bo privzeto, če to preverite."
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Ne Postavka s serijsko št {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Ne Postavka s serijsko št {0}
DocType: Email Digest,Open Notifications,Odprte Obvestila
DocType: Payment Entry,Difference Amount (Company Currency),Razlika Znesek (družba Valuta)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Neposredni stroški
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Neposredni stroški
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} je neveljaven e-poštni naslov v "Obvestilo \ e-poštni naslov"
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,New Customer Prihodki
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Potni stroški
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Potni stroški
DocType: Maintenance Visit,Breakdown,Zlomiti se
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Račun: {0} z valuti: ne more biti izbran {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Račun: {0} z valuti: ne more biti izbran {1}
DocType: Bank Reconciliation Detail,Cheque Date,Ček Datum
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Račun {0}: Matični račun {1} ne pripada podjetju: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Račun {0}: Matični račun {1} ne pripada podjetju: {2}
DocType: Program Enrollment Tool,Student Applicants,Študentski Vlagatelji
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Uspešno izbrisana vse transakcije v zvezi s to družbo!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Uspešno izbrisana vse transakcije v zvezi s to družbo!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Kot na datum
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,Datum včlanitve
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Poskusno delo
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Poskusno delo
apps/erpnext/erpnext/config/hr.py +115,Salary Components,komponente plače
DocType: Program Enrollment Tool,New Academic Year,Novo študijsko leto
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Nazaj / dobropis
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Nazaj / dobropis
DocType: Stock Settings,Auto insert Price List rate if missing,Auto insert stopnja Cenik če manjka
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Skupaj Plačan znesek
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Skupaj Plačan znesek
DocType: Production Order Item,Transferred Qty,Prenese Kol
apps/erpnext/erpnext/config/learn.py +11,Navigating,Krmarjenje
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Načrtovanje
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Izdala
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Načrtovanje
+DocType: Material Request,Issued,Izdala
DocType: Project,Total Billing Amount (via Time Logs),Skupni znesek plačevanja (preko Čas Dnevniki)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Prodamo ta artikel
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Dobavitelj Id
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Prodamo ta artikel
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Dobavitelj Id
DocType: Payment Request,Payment Gateway Details,Plačilo Gateway Podrobnosti
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Količina mora biti večja od 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Količina mora biti večja od 0
DocType: Journal Entry,Cash Entry,Cash Začetek
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Otroški vozlišča lahko ustvari samo na podlagi tipa vozlišča "skupina"
DocType: Leave Application,Half Day Date,Polovica Dan Datum
@@ -3640,14 +3666,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},"Prosim, nastavite privzetega računa v Tip Expense Terjatve {0}"
DocType: Assessment Result,Student Name,Student Ime
DocType: Brand,Item Manager,Element Manager
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,Plače plačljivo
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Plače plačljivo
DocType: Buying Settings,Default Supplier Type,Privzeta Dobavitelj Type
DocType: Production Order,Total Operating Cost,Skupni operativni stroški
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Opomba: Točka {0} vpisana večkrat
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Vsi stiki.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Kratica podjetja
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Kratica podjetja
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Uporabnik {0} ne obstaja
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,"Surovina, ne more biti isto kot glavni element"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,"Surovina, ne more biti isto kot glavni element"
DocType: Item Attribute Value,Abbreviation,Kratica
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Plačilo vnos že obstaja
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,"Ne authroized saj je {0}, presega meje"
@@ -3656,35 +3682,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Nastavite Davčna pravilo za nakupovalno košarico
DocType: Purchase Invoice,Taxes and Charges Added,Davki in dajatve Dodano
,Sales Funnel,Prodaja toka
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Kratica je obvezna
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Kratica je obvezna
DocType: Project,Task Progress,naloga Progress
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Košarica
,Qty to Transfer,Količina Prenos
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Ponudbe za interesente ali stranke.
DocType: Stock Settings,Role Allowed to edit frozen stock,Vloga Dovoljeno urediti zamrznjeno zalog
,Territory Target Variance Item Group-Wise,Ozemlje Ciljna Varianca Postavka Group-Wise
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Vse skupine strank
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Vse skupine strank
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Bilančni Mesečni
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je obvezna. Mogoče je Menjalni zapis ni ustvarjen za {1} na {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} je obvezna. Mogoče je Menjalni zapis ni ustvarjen za {1} na {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Davčna Predloga je obvezna.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Račun {0}: Matični račun {1} ne obstaja
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Račun {0}: Matični račun {1} ne obstaja
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Cenik Rate (družba Valuta)
DocType: Products Settings,Products Settings,Nastavitve izdelki
DocType: Account,Temporary,Začasna
DocType: Program,Courses,Tečaji
DocType: Monthly Distribution Percentage,Percentage Allocation,Odstotek dodelitve
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Sekretar
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekretar
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Če onemogočiti, "z besedami" polja ne bo vidna v vsakem poslu"
DocType: Serial No,Distinct unit of an Item,Ločena enota Postavka
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Nastavite Company
DocType: Pricing Rule,Buying,Nabava
DocType: HR Settings,Employee Records to be created by,"Zapisi zaposlenih, ki ga povzročajo"
DocType: POS Profile,Apply Discount On,Uporabi popust na
,Reqd By Date,Reqd po Datum
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Upniki
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Upniki
DocType: Assessment Plan,Assessment Name,Ime ocena
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Vrstica # {0}: Zaporedna številka je obvezna
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Postavka Wise Davčna Detail
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Kratica inštituta
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Kratica inštituta
,Item-wise Price List Rate,Element-pametno Cenik Rate
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Dobavitelj za predračun
DocType: Quotation,In Words will be visible once you save the Quotation.,"V besedi bo viden, ko boste prihranili citata."
@@ -3692,14 +3719,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Količina ({0}) ne more biti komponenta v vrstici {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,zbiranje pristojbine
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Barcode {0} že uporabljajo v postavki {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barcode {0} že uporabljajo v postavki {1}
DocType: Lead,Add to calendar on this date,Dodaj v koledar na ta dan
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Pravila za dodajanje stroškov dostave.
DocType: Item,Opening Stock,Začetna zaloga
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Je potrebno kupca
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} je obvezna za povračilo
DocType: Purchase Order,To Receive,Prejeti
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Osebna Email
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Skupne variance
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Če je omogočeno, bo sistem objavili računovodske vnose za popis samodejno."
@@ -3710,13 +3736,14 @@
DocType: Customer,From Lead,Iz ponudbe
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Naročila sprosti za proizvodnjo.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Izberite poslovno leto ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,"POS Profil zahteva, da POS Entry"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,"POS Profil zahteva, da POS Entry"
DocType: Program Enrollment Tool,Enroll Students,včlanite Študenti
DocType: Hub Settings,Name Token,Ime Token
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standardna Prodaja
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Atleast eno skladišče je obvezna
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Atleast eno skladišče je obvezna
DocType: Serial No,Out of Warranty,Iz garancije
DocType: BOM Replace Tool,Replace,Zamenjaj
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Ni izdelkov.
DocType: Production Order,Unstopped,Unstopped
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} za račun {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3727,13 +3754,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Stock Value Razlika
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Človeški viri
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Plačilo Sprava Plačilo
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Davčni Sredstva
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Davčni Sredstva
DocType: BOM Item,BOM No,BOM Ne
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Journal Entry {0} nima računa {1} ali že primerjali z drugimi kupon
DocType: Item,Moving Average,Moving Average
DocType: BOM Replace Tool,The BOM which will be replaced,BOM ki bo nadomestila
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,elektronske naprave
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,elektronske naprave
DocType: Account,Debit,Debet
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,Listi morajo biti dodeljen v večkratnikih 0.5
DocType: Production Order,Operation Cost,Delovanje Stroški
@@ -3741,7 +3768,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Izjemna Amt
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Določiti cilje Postavka Group-pametno za te prodaje oseba.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Zaloge Older Than [dni]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Sredstvo je obvezna za osnovno sredstvo nakupu / prodaji
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Sredstvo je obvezna za osnovno sredstvo nakupu / prodaji
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Če dva ali več Cenik Pravilnik ugotovila na podlagi zgoraj navedenih pogojev, se uporablja Prioriteta. Prednostno je število med 0 do 20, medtem ko privzeta vrednost nič (prazno). Višja številka pomeni, da bo prednost, če obstaja več cenovnih Pravila z enakimi pogoji."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Poslovno leto: {0} ne obstaja
DocType: Currency Exchange,To Currency,Valutnemu
@@ -3750,7 +3777,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},stopnjo za zapisu Prodajni {0} nižja kot njegovi {1}. Prodajni manj morajo vsebovati vsaj {2}
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},stopnjo za zapisu Prodajni {0} nižja kot njegovi {1}. Prodajni manj morajo vsebovati vsaj {2}
DocType: Item,Taxes,Davki
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Plačana in ni podal
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Plačana in ni podal
DocType: Project,Default Cost Center,Privzet Stroškovni Center
DocType: Bank Guarantee,End Date,Končni datum
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Zaloga Transakcije
@@ -3775,24 +3802,22 @@
DocType: Employee,Held On,Potekala v
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Proizvodnja Postavka
,Employee Information,Informacije zaposleni
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Stopnja (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Stopnja (%)
DocType: Stock Entry Detail,Additional Cost,Dodatne Stroški
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Proračunsko leto End Date
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Filter ne more temeljiti na kupona št, če je združena s Voucher"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Naredite Dobavitelj predračun
DocType: Quality Inspection,Incoming,Dohodni
DocType: BOM,Materials Required (Exploded),Potreben materiali (eksplodirala)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Dodati uporabnike za vašo organizacijo, razen sebe"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Napotitev datum ne more biti prihodnji datum
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Vrstica # {0}: Serijska št {1} ne ujema z {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Casual Zapusti
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Casual Zapusti
DocType: Batch,Batch ID,Serija ID
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Opomba: {0}
,Delivery Note Trends,Dobavnica Trendi
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Povzetek Ta teden je
-,In Stock Qty,Na zalogi Količina
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Na zalogi Količina
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Račun: {0} se lahko posodobi samo preko delniških poslov
-DocType: Program Enrollment,Get Courses,Get Tečaji
+DocType: Student Group Creation Tool,Get Courses,Get Tečaji
DocType: GL Entry,Party,Zabava
DocType: Sales Order,Delivery Date,Datum dostave
DocType: Opportunity,Opportunity Date,Priložnost Datum
@@ -3800,14 +3825,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Zahteva za ponudbo točki
DocType: Purchase Order,To Bill,Billu
DocType: Material Request,% Ordered,% Naročeno
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Za Študentske skupine temelji igrišče, bo tečaj se potrdi za vsakega študenta od vpisanih Tečaji v programu vpis."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Vnesite e-poštni naslov ločen z vejicami, se bo račun samodejno poslali na določen datum"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Akord
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Akord
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Avg. Odkup tečaj
DocType: Task,Actual Time (in Hours),Dejanski čas (v urah)
DocType: Employee,History In Company,Zgodovina V družbi
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Glasila
DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Entry
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Stranka> Skupina kupcev> Territory
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Enako postavka je bila vpisana večkrat
DocType: Department,Leave Block List,Pustite Block List
DocType: Sales Invoice,Tax ID,Davčna številka
@@ -3822,30 +3847,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} enote {1} potrebno {2} za dokončanje te transakcije.
DocType: Loan Type,Rate of Interest (%) Yearly,Obrestna mera (%) Letna
DocType: SMS Settings,SMS Settings,Nastavitve SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Začasni računi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Črna
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Začasni računi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Črna
DocType: BOM Explosion Item,BOM Explosion Item,BOM Eksplozija Postavka
DocType: Account,Auditor,Revizor
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} postavke proizvedene
DocType: Cheque Print Template,Distance from top edge,Oddaljenost od zgornjega roba
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Cenik {0} je onemogočena ali pa ne obstaja
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Cenik {0} je onemogočena ali pa ne obstaja
DocType: Purchase Invoice,Return,Return
DocType: Production Order Operation,Production Order Operation,Proizvodnja naročite Delovanje
DocType: Pricing Rule,Disable,Onemogoči
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,"Način plačila je potrebno, da bi plačilo"
DocType: Project Task,Pending Review,Dokler Pregled
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ni vpisan v Batch {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Sredstvo {0} ne more biti izločeni, saj je že {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Total Expense zahtevek (preko Expense zahtevka)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,ID stranke
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Odsoten
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Vrstica {0}: Valuta BOM # {1} mora biti enaka izbrani valuti {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Vrstica {0}: Valuta BOM # {1} mora biti enaka izbrani valuti {2}
DocType: Journal Entry Account,Exchange Rate,Menjalni tečaj
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Naročilo {0} ni predloženo
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Naročilo {0} ni predloženo
DocType: Homepage,Tag Line,tag Line
DocType: Fee Component,Fee Component,Fee Component
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Fleet management
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Dodaj artikle iz
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Skladišče {0}: Matično račun {1} ne Bolong podjetju {2}
DocType: Cheque Print Template,Regular,redno
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Skupaj weightage vseh ocenjevalnih meril mora biti 100%
DocType: BOM,Last Purchase Rate,Zadnja Purchase Rate
@@ -3854,11 +3878,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,"Stock ne more obstajati za postavko {0}, saj ima variant"
,Sales Person-wise Transaction Summary,Prodaja Oseba pametno Transakcijski Povzetek
DocType: Training Event,Contact Number,Kontaktna številka
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Skladišče {0} ne obstaja
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Skladišče {0} ne obstaja
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Registracija Za ERPNext Hub
DocType: Monthly Distribution,Monthly Distribution Percentages,Mesečni Distribucijski Odstotki
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Izbrana postavka ne more imeti Batch
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Stopnja Vrednotenje nismo našli v postavki {0}, ki mora opraviti vknjižbe besede {1} {2}. Če je element transakcijah kot element vzorca v {1}, se omenja, da v {1} Element tabeli. V nasprotnem primeru, ustvarite dohodni transakcijo zaloge za postavko ali omembe stopnji vrednotenja v evidenco Element, nato poskusite submiting / preklic ta vnos"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Stopnja Vrednotenje nismo našli v postavki {0}, ki mora opraviti vknjižbe besede {1} {2}. Če je element transakcijah kot element vzorca v {1}, se omenja, da v {1} Element tabeli. V nasprotnem primeru, ustvarite dohodni transakcijo zaloge za postavko ali omembe stopnji vrednotenja v evidenco Element, nato poskusite submiting / preklic ta vnos"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% Materialov podal proti tej dobavnici
DocType: Project,Customer Details,Podrobnosti strank
DocType: Employee,Reports to,Poročila
@@ -3866,24 +3890,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Vnesite url parameter za sprejemnik nos
DocType: Payment Entry,Paid Amount,Znesek Plačila
DocType: Assessment Plan,Supervisor,nadzornik
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Na zalogi
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,Na zalogi
,Available Stock for Packing Items,Zaloga za embalirane izdelke
DocType: Item Variant,Item Variant,Postavka Variant
DocType: Assessment Result Tool,Assessment Result Tool,Ocena Rezultat orodje
DocType: BOM Scrap Item,BOM Scrap Item,BOM Odpadno Item
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Predložene naročila ni mogoče izbrisati
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Stanje na računu je že ""bremenitev"", ni dovoljeno nastaviti ""Stanje mora biti"" kot ""kredit"""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Upravljanje kakovosti
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Predložene naročila ni mogoče izbrisati
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Stanje na računu je že ""bremenitev"", ni dovoljeno nastaviti ""Stanje mora biti"" kot ""kredit"""
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Upravljanje kakovosti
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Točka {0} je bila onemogočena
DocType: Employee Loan,Repay Fixed Amount per Period,Povrne fiksni znesek na obdobje
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Vnesite količino za postavko {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Credit Opomba Amt
DocType: Employee External Work History,Employee External Work History,Delavec Zunanji Delo Zgodovina
DocType: Tax Rule,Purchase,Nakup
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Balance Kol
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Balance Kol
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Cilji ne morejo biti prazna
DocType: Item Group,Parent Item Group,Parent Item Group
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} za {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Stroškovna mesta
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Stroškovna mesta
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,"Obrestna mera, po kateri dobavitelj je valuti, se pretvori v osnovni valuti družbe"
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Vrstica # {0}: čase v nasprotju z vrsto {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Dovoli ničelni stopnji vrednotenja
@@ -3891,17 +3916,18 @@
DocType: Training Event Employee,Invited,povabljen
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Več aktivne strukture plač iskanja za zaposlenega {0} za datumoma
DocType: Opportunity,Next Contact,Naslednja Kontakt
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Gateway račune.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Gateway račune.
DocType: Employee,Employment Type,Vrsta zaposlovanje
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Osnovna sredstva
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Osnovna sredstva
DocType: Payment Entry,Set Exchange Gain / Loss,Set Exchange dobiček / izguba
+,GST Purchase Register,DDV Nakup Registracija
,Cash Flow,Denarni tok
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Prijavni rok ne more biti čez dve Razporejanje zapisov
DocType: Item Group,Default Expense Account,Privzeto Expense račun
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Študent Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Študent Email ID
DocType: Employee,Notice (days),Obvestilo (dni)
DocType: Tax Rule,Sales Tax Template,Sales Tax Predloga
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,"Izberite predmete, da shranite račun"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,"Izberite predmete, da shranite račun"
DocType: Employee,Encashment Date,Vnovčevanje Datum
DocType: Training Event,Internet,internet
DocType: Account,Stock Adjustment,Prilagoditev zaloge
@@ -3930,7 +3956,7 @@
DocType: Guardian,Guardian Of ,Guardian Of
DocType: Grading Scale Interval,Threshold,prag
DocType: BOM Replace Tool,Current BOM,Trenutni BOM
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Dodaj Serijska št
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Dodaj Serijska št
apps/erpnext/erpnext/config/support.py +22,Warranty,garancija
DocType: Purchase Invoice,Debit Note Issued,Opomin Izdano
DocType: Production Order,Warehouses,Skladišča
@@ -3939,20 +3965,20 @@
DocType: Workstation,per hour,na uro
apps/erpnext/erpnext/config/buying.py +7,Purchasing,Purchasing
DocType: Announcement,Announcement,Obvestilo
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Račun za skladišče (Perpetual Inventory) bo nastala na podlagi tega računa.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Skladišče ni mogoče črtati, saj obstaja vnos stock knjiga za to skladišče."
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",Za Študentske skupine temelji Serija bo študent Serija biti potrjena za vse učence od programa vpis.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Skladišče ni mogoče črtati, saj obstaja vnos stock knjiga za to skladišče."
DocType: Company,Distribution,Porazdelitev
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Plačani znesek
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Project Manager
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Project Manager
,Quoted Item Comparison,Citirano Točka Primerjava
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Dispatch
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max popust dovoljena za postavko: {0} je {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Dispatch
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max popust dovoljena za postavko: {0} je {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,"Čista vrednost sredstev, kot je na"
DocType: Account,Receivable,Terjatev
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Vrstica # {0}: ni dovoljeno spreminjati Dobavitelj kot Naročilo že obstaja
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Vrstica # {0}: ni dovoljeno spreminjati Dobavitelj kot Naročilo že obstaja
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Vloga, ki jo je dovoljeno vložiti transakcije, ki presegajo omejitve posojil zastavili."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Izberite artikel v Izdelava
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master podatkov sinhronizacijo, lahko traja nekaj časa"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Izberite artikel v Izdelava
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master podatkov sinhronizacijo, lahko traja nekaj časa"
DocType: Item,Material Issue,Material Issue
DocType: Hub Settings,Seller Description,Prodajalec Opis
DocType: Employee Education,Qualification,Kvalifikacije
@@ -3972,7 +3998,6 @@
DocType: BOM,Rate Of Materials Based On,Oceni materialov na osnovi
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Podpora Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Odznači vse
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Podjetje manjka v skladiščih {0}
DocType: POS Profile,Terms and Conditions,Pravila in pogoji
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},"Do datuma mora biti v poslovnem letu. Ob predpostavki, da želite Datum = {0}"
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Tukaj lahko ohranijo višino, težo, alergije, zdravstvene pomisleke itd"
@@ -3987,19 +4012,18 @@
DocType: Sales Order Item,For Production,Za proizvodnjo
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Ogled Task
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Vaš proračunsko leto se začne na
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,OPP / svinec%
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,OPP / svinec%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Premoženjem amortizacije in Stanja
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Znesek {0} {1} je preselil iz {2} na {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Znesek {0} {1} je preselil iz {2} na {3}
DocType: Sales Invoice,Get Advances Received,Get prejeti predujmi
DocType: Email Digest,Add/Remove Recipients,Dodaj / Odstrani prejemnike
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Transakcija ni dovoljena zoper ustavili proizvodnjo naročite {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Transakcija ni dovoljena zoper ustavili proizvodnjo naročite {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Če želite nastaviti to poslovno leto kot privzeto, kliknite na "Set as Default""
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,pridruži se
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,pridruži se
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Pomanjkanje Kol
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Obstaja postavka varianta {0} z enakimi atributi
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Obstaja postavka varianta {0} z enakimi atributi
DocType: Employee Loan,Repay from Salary,Poplačilo iz Plača
DocType: Leave Application,LAP/,LAP /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Zahteva plačilo pred {0} {1} za znesek {2}
@@ -4010,34 +4034,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Ustvarjajo dobavnic, da paketi dostavi. Uporablja se za uradno številko paketa, vsebino paketa in njegovo težo."
DocType: Sales Invoice Item,Sales Order Item,Artikel naročila
DocType: Salary Slip,Payment Days,Plačilni dnevi
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Skladišča z otrok vozlišča ni mogoče pretvoriti v knjigo terjatev
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Skladišča z otrok vozlišča ni mogoče pretvoriti v knjigo terjatev
DocType: BOM,Manage cost of operations,Upravljati stroške poslovanja
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Ko kateri koli od pregledanih transakcij "Objavil", e-pop-up samodejno odpre, da pošljete e-pošto s pripadajočim "stik" v tem poslu, s poslom, kot prilogo. Uporabnik lahko ali pa ne pošljete e-pošto."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Globalni Nastavitve
DocType: Assessment Result Detail,Assessment Result Detail,Ocena Rezultat Podrobnosti
DocType: Employee Education,Employee Education,Izobraževanje delavec
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Dvojnik postavka skupina je našla v tabeli točka skupine
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,"To je potrebno, da prinese Element Podrobnosti."
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,"To je potrebno, da prinese Element Podrobnosti."
DocType: Salary Slip,Net Pay,Neto plača
DocType: Account,Account,Račun
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Serijska št {0} je že prejela
,Requested Items To Be Transferred,Zahtevane blago prenaša
DocType: Expense Claim,Vehicle Log,vozilo Log
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Skladišče {0} ni povezano z nobenim računom, ustvarite / povezati ustrezne račun (sredstev) za skladišče."
DocType: Purchase Invoice,Recurring Id,Ponavljajoči Id
DocType: Customer,Sales Team Details,Sales Team Podrobnosti
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Izbriši trajno?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Izbriši trajno?
DocType: Expense Claim,Total Claimed Amount,Skupaj zahtevani znesek
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potencialne možnosti za prodajo.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Neveljavna {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Bolniški dopust
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Neveljavna {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Bolniški dopust
DocType: Email Digest,Email Digest,Email Digest
DocType: Delivery Note,Billing Address Name,Zaračunavanje Naslov Name
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Veleblagovnice
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Setup vaš šola v ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Osnovna Sprememba Znesek (družba Valuta)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Ni vknjižbe za naslednjih skladiščih
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Ni vknjižbe za naslednjih skladiščih
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Shranite dokument na prvem mestu.
DocType: Account,Chargeable,Obračuna
DocType: Company,Change Abbreviation,Spremeni kratico
@@ -4055,7 +4078,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Pričakuje Dostava datum ne more biti pred narocilo Datum
DocType: Appraisal,Appraisal Template,Cenitev Predloga
DocType: Item Group,Item Classification,Postavka Razvrstitev
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Business Development Manager
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Vzdrževanje Obiščite Namen
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Obdobje
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Glavna knjiga
@@ -4065,8 +4088,8 @@
DocType: Item Attribute Value,Attribute Value,Vrednosti atributa
,Itemwise Recommended Reorder Level,Itemwise Priporočena Preureditev Raven
DocType: Salary Detail,Salary Detail,plača Podrobnosti
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,"Prosimo, izberite {0} najprej"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Serija {0} od Postavka {1} je potekla.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,"Prosimo, izberite {0} najprej"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Serija {0} od Postavka {1} je potekla.
DocType: Sales Invoice,Commission,Komisija
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Čas List za proizvodnjo.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Vmesni seštevek
@@ -4077,6 +4100,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`Zamrzni zaloge starejše od` mora biti manjša od %d dni.
DocType: Tax Rule,Purchase Tax Template,Nakup Davčna Template
,Project wise Stock Tracking,Projekt pametno Stock Tracking
+DocType: GST HSN Code,Regional,regionalno
DocType: Stock Entry Detail,Actual Qty (at source/target),Dejanska Količina (pri viru / cilju)
DocType: Item Customer Detail,Ref Code,Ref Code
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Evidence zaposlenih.
@@ -4087,13 +4111,13 @@
DocType: Email Digest,New Purchase Orders,Nova naročila
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Root ne more imeti matična stroškovno mesto v
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Izberi znamko ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Usposabljanje Dogodki / Rezultati
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,"Nabrano amortizacijo, na"
DocType: Sales Invoice,C-Form Applicable,"C-obliki, ki velja"
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},"Delovanje Čas mora biti večja od 0, za obratovanje {0}"
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Skladišče je obvezna
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Skladišče je obvezna
DocType: Supplier,Address and Contacts,Naslov in kontakti
DocType: UOM Conversion Detail,UOM Conversion Detail,UOM Conversion Detail
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),"Imejte to spletno prijazno 900px (w), ki ga 100px (h)"
DocType: Program,Program Abbreviation,Kratica programa
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Proizvodnja naročilo ne more biti postavljeno pred Predloga Postavka
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Dajatve so posodobljeni v Potrdilo o nakupu ob vsaki postavki
@@ -4101,13 +4125,13 @@
DocType: Bank Guarantee,Start Date,Datum začetka
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Dodeli liste za obdobje.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Čeki in depoziti nepravilno izbil
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Račun {0}: ne moreš dodeliti samega sebe kot matični račun
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Račun {0}: ne moreš dodeliti samega sebe kot matični račun
DocType: Purchase Invoice Item,Price List Rate,Cenik Rate
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Ustvari ponudbe kupcev
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Pokaži "Na zalogi" ali "Ni na zalogi", ki temelji na zalogi na voljo v tem skladišču."
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Kosovnica (BOM)
DocType: Item,Average time taken by the supplier to deliver,"Povprečen čas, ki ga dobavitelj dostaviti"
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,ocena Rezultat
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,ocena Rezultat
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Ur
DocType: Project,Expected Start Date,Pričakovani datum začetka
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,"Odstranite element, če stroški ne nanaša na to postavko"
@@ -4121,25 +4145,24 @@
DocType: Workstation,Operating Costs,Obratovalni stroški
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,"Ukrep, če skupna mesečna Proračun Prekoračitev"
DocType: Purchase Invoice,Submit on creation,Predloži na ustvarjanje
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Valuta za {0} mora biti {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Valuta za {0} mora biti {1}
DocType: Asset,Disposal Date,odstranjevanje Datum
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-pošta bo poslana vsem aktivnih zaposlenih v družbi na določeni uri, če nimajo počitnic. Povzetek odgovorov bo poslano ob polnoči."
DocType: Employee Leave Approver,Employee Leave Approver,Zaposleni Leave odobritelj
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Vrstica {0}: Vpis Preureditev že obstaja za to skladišče {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Vrstica {0}: Vpis Preureditev že obstaja za to skladišče {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Ne more razglasiti kot izgubljena, ker je bil predračun postavil."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Predlogi za usposabljanje
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Proizvodnja naročite {0} je treba predložiti
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Proizvodnja naročite {0} je treba predložiti
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},"Prosimo, izberite Start in končni datum za postavko {0}"
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Seveda je obvezna v vrsti {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Do danes ne more biti pred od datuma
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Dodaj / Uredi Cene
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Dodaj / Uredi Cene
DocType: Batch,Parent Batch,nadrejena Serija
DocType: Batch,Parent Batch,nadrejena Serija
DocType: Cheque Print Template,Cheque Print Template,Ček Print Predloga
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Grafikon stroškovnih mest
,Requested Items To Be Ordered,Zahtevane Postavke naloži
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,Skladišče podjetje mora biti enaka kot družba računa
DocType: Price List,Price List Name,Cenik Ime
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Dnevni Delo Povzetek za {0}
DocType: Employee Loan,Totals,Pri zaokrožanju
@@ -4161,55 +4184,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Vnesite veljavne mobilne nos
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Vnesite sporočilo pred pošiljanjem
DocType: Email Digest,Pending Quotations,Dokler Citati
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Point-of-Sale profila
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale profila
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Prosimo Posodobite Nastavitve SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Nezavarovana posojila
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Nezavarovana posojila
DocType: Cost Center,Cost Center Name,Stalo Ime Center
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Max delovne ure pred Timesheet
DocType: Maintenance Schedule Detail,Scheduled Date,Načrtovano Datum
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Total Paid Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Total Paid Amt
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,"Sporočila večji od 160 znakov, bo razdeljeno v več sporočilih"
DocType: Purchase Receipt Item,Received and Accepted,Prejme in potrdi
+,GST Itemised Sales Register,DDV Razčlenjeni prodaje Registracija
,Serial No Service Contract Expiry,Zaporedna številka Service Contract preteka
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,"Ne, ne moreš kreditnih in debetnih isti račun ob istem času"
DocType: Naming Series,Help HTML,Pomoč HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Študent orodje za oblikovanje skupine
DocType: Item,Variant Based On,"Varianta, ki temelji na"
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Skupaj weightage dodeljena mora biti 100%. To je {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Vaše Dobavitelji
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Vaše Dobavitelji
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,"Ni mogoče nastaviti kot izgubili, kot je narejena Sales Order."
DocType: Request for Quotation Item,Supplier Part No,Šifra dela dobavitelj
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"ne more odbiti, če je kategorija za "vrednotenje" ali "Vaulation in Total""
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Prejela od
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Prejela od
DocType: Lead,Converted,Pretvorjena
DocType: Item,Has Serial No,Ima Serijska št
DocType: Employee,Date of Issue,Datum izdaje
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Od {0} za {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Kot je na Nastavitve Nakup če Nakup Reciept Zahtevano == "DA", nato pa za ustvarjanje računu o nakupu, uporabnik potreba ustvariti Nakup listek najprej za postavko {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Vrstica # {0}: Nastavite Dobavitelj za postavko {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Vrstica {0}: Ure vrednost mora biti večja od nič.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Spletna stran slike {0} pritrjena na postavki {1} ni mogoče najti
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Spletna stran slike {0} pritrjena na postavki {1} ni mogoče najti
DocType: Issue,Content Type,Vrsta vsebine
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Računalnik
DocType: Item,List this Item in multiple groups on the website.,Seznam ta postavka v več skupinah na spletni strani.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Prosimo, preverite Multi Valuta možnost, da se omogoči račune pri drugi valuti"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Postavka: {0} ne obstaja v sistemu
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Nimate dovoljenja za nastavitev Zamrznjena vrednost
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Postavka: {0} ne obstaja v sistemu
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Nimate dovoljenja za nastavitev Zamrznjena vrednost
DocType: Payment Reconciliation,Get Unreconciled Entries,Pridobite neusklajene vnose
DocType: Payment Reconciliation,From Invoice Date,Od Datum računa
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,valuta za zaračunavanje mora biti enaka bodisi privzeti comapany v valuti ali stranka računa valuto
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,pustite Vnovčevanje
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Kaj to naredi?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,valuta za zaračunavanje mora biti enaka bodisi privzeti comapany v valuti ali stranka računa valuto
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,pustite Vnovčevanje
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Kaj to naredi?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Za skladišča
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Vse Študentski Sprejemi
,Average Commission Rate,Povprečen Komisija Rate
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,"Ima Serial ne" ne more biti 'Da' za ne-parka postavko
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"Ima Serial ne" ne more biti 'Da' za ne-parka postavko
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Udeležba ni mogoče označiti za prihodnje datume
DocType: Pricing Rule,Pricing Rule Help,Cen Pravilo Pomoč
DocType: School House,House Name,Ime House
DocType: Purchase Taxes and Charges,Account Head,Račun Head
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Posodobite dodatnih stroškov za izračun iztovori stroške predmetov
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Električno
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Električno
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Dodajte preostanek organizacije kot uporabnike. Dodate lahko tudi povabi stranke na vašem portalu jih dodate iz imenika
DocType: Stock Entry,Total Value Difference (Out - In),Skupna vrednost Razlika (Out - IN)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Vrstica {0}: Menjalni tečaj je obvezen
@@ -4219,7 +4244,7 @@
DocType: Item,Customer Code,Koda za stranke
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},"Opomnik za rojstni dan, za {0}"
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dni od zadnjega naročila
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Bremenitev računa mora biti bilanca računa
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Bremenitev računa mora biti bilanca računa
DocType: Buying Settings,Naming Series,Poimenovanje zaporedja
DocType: Leave Block List,Leave Block List Name,Pustite Ime Block List
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Datum zavarovanje Začetek sme biti manjša od datuma zavarovanje End
@@ -4234,27 +4259,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Plača Slip delavca {0} že ustvarili za časa stanja {1}
DocType: Vehicle Log,Odometer,števec kilometrov
DocType: Sales Order Item,Ordered Qty,Naročeno Kol
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Postavka {0} je onemogočena
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Postavka {0} je onemogočena
DocType: Stock Settings,Stock Frozen Upto,Stock Zamrznjena Stanuje
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM ne vsebuje nobenega elementa zaloge
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM ne vsebuje nobenega elementa zaloge
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},"Obdobje Od in obdobje, da datumi obvezne za ponavljajoče {0}"
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Projektna dejavnost / naloga.
DocType: Vehicle Log,Refuelling Details,Oskrba z gorivom Podrobnosti
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Ustvarjajo plače kombineže
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Odkup je treba preveriti, če se uporablja za izbrana kot {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Odkup je treba preveriti, če se uporablja za izbrana kot {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,"Popust, mora biti manj kot 100"
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Zadnja stopnja nakup ni bilo mogoče najti
DocType: Purchase Invoice,Write Off Amount (Company Currency),Napišite enkratni znesek (družba Valuta)
DocType: Sales Invoice Timesheet,Billing Hours,zaračunavanje storitev ure
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,Privzeti BOM za {0} ni bilo mogoče najti
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Vrstica # {0}: Prosim nastavite naročniško količino
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Vrstica # {0}: Prosim nastavite naročniško količino
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,"Dotaknite predmete, da jih dodate tukaj"
DocType: Fees,Program Enrollment,Program Vpis
DocType: Landed Cost Voucher,Landed Cost Voucher,Pristali Stroški bon
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},"Prosim, nastavite {0}"
DocType: Purchase Invoice,Repeat on Day of Month,Ponovite na dan Meseca
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} neaktiven študent
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} neaktiven študent
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} neaktiven študent
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} neaktiven študent
DocType: Employee,Health Details,Zdravje Podrobnosti
DocType: Offer Letter,Offer Letter Terms,Pisna ponudba pogoji
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Če želite ustvariti zahtevek za plačilo je potrebno referenčni dokument
@@ -4276,7 +4301,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Primer:. ABCD ##### Če je serija nastavljen in serijska številka ni navedena v transakcijah, se bo ustvaril nato samodejno serijska številka, ki temelji na tej seriji. Če ste si vedno želeli izrecno omeniti Serial številk za to postavko. pustite prazno."
DocType: Upload Attendance,Upload Attendance,Naloži Udeležba
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM and Manufacturing Količina so obvezna
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM and Manufacturing Količina so obvezna
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Staranje Razpon 2
DocType: SG Creation Tool Course,Max Strength,Max moč
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM nadomesti
@@ -4286,8 +4311,8 @@
,Prospects Engaged But Not Converted,Obeti Ukvarjajo pa ne pretvorijo
DocType: Manufacturing Settings,Manufacturing Settings,Proizvodne Nastavitve
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Postavitev Email
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Mobile No
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Vnesite privzeto valuto v podjetju Master
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile No
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Vnesite privzeto valuto v podjetju Master
DocType: Stock Entry Detail,Stock Entry Detail,Stock Začetek Detail
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Dnevni opomniki
DocType: Products Settings,Home Page is Products,Domača stran je izdelki
@@ -4296,7 +4321,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Novo ime računa
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,"Surovin, dobavljenih Stroški"
DocType: Selling Settings,Settings for Selling Module,Nastavitve za modul Prodaja
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Storitev za stranke
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Storitev za stranke
DocType: BOM,Thumbnail,Thumbnail
DocType: Item Customer Detail,Item Customer Detail,Postavka Detail Stranka
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Ponudba kandidat Job.
@@ -4305,7 +4330,7 @@
DocType: Pricing Rule,Percentage,odstotek
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Postavka {0} mora biti stock postavka
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Privzeto Delo v skladišču napredku
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Privzete nastavitve za računovodske posle.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Privzete nastavitve za računovodske posle.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Pričakovani datum ne more biti pred Material Request Datum
DocType: Purchase Invoice Item,Stock Qty,Stock Kol
@@ -4319,10 +4344,10 @@
DocType: Sales Order,Printing Details,Tiskanje Podrobnosti
DocType: Task,Closing Date,Zapiranje Datum
DocType: Sales Order Item,Produced Quantity,Proizvedena količina
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Inženir
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Inženir
DocType: Journal Entry,Total Amount Currency,Skupni znesek Valuta
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Iskanje sklope
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Oznaka zahteva pri Row št {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Oznaka zahteva pri Row št {0}
DocType: Sales Partner,Partner Type,Partner Type
DocType: Purchase Taxes and Charges,Actual,Actual
DocType: Authorization Rule,Customerwise Discount,Customerwise Popust
@@ -4339,11 +4364,11 @@
DocType: Item Reorder,Re-Order Level,Ponovno naročila ravni
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Vnesite predmete in načrtovano kol, za katere želite, da dvig proizvodnih nalogov ali prenos surovin za analizo."
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantogram
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Krajši delovni čas
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Krajši delovni čas
DocType: Employee,Applicable Holiday List,Velja Holiday Seznam
DocType: Employee,Cheque,Ček
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Zaporedje posodobljeno
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Vrsta poročila je obvezna
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Vrsta poročila je obvezna
DocType: Item,Serial Number Series,Serijska številka zaporedja
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Skladišče je obvezna za borzo postavki {0} v vrstici {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Trgovina na drobno in na debelo
@@ -4365,7 +4390,7 @@
DocType: BOM,Materials,Materiali
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Če ni izbrana, bo seznam je treba dodati, da vsak oddelek, kjer je treba uporabiti."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Vir in Target skladišča ne more biti enaka
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,"Napotitev datum in čas objavljate, je obvezna"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,"Napotitev datum in čas objavljate, je obvezna"
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Davčna predloga za nabavne transakcije
,Item Prices,Postavka Cene
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"V besedi bo viden, ko boste prihranili naročilnico."
@@ -4375,22 +4400,23 @@
DocType: Purchase Invoice,Advance Payments,Predplačila
DocType: Purchase Taxes and Charges,On Net Total,On Net Total
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Vrednost atributa {0} mora biti v razponu od {1} do {2} v korakih po {3} za postavko {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Ciljna skladišče v vrstici {0} mora biti enaka kot Production reda
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Ciljna skladišče v vrstici {0} mora biti enaka kot Production reda
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,"'E-poštni naslovi za obvestila"" niso določeni za ponavljajoče %s"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,"Valuta ni mogoče spremeniti, potem ko vnose uporabljate kakšno drugo valuto"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,"Valuta ni mogoče spremeniti, potem ko vnose uporabljate kakšno drugo valuto"
DocType: Vehicle Service,Clutch Plate,sklopka Plate
DocType: Company,Round Off Account,Zaokrožijo račun
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Administrativni stroški
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Administrativni stroški
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Consulting
DocType: Customer Group,Parent Customer Group,Parent Customer Group
DocType: Purchase Invoice,Contact Email,Kontakt E-pošta
DocType: Appraisal Goal,Score Earned,Rezultat Zaslužili
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Odpovedni rok
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Odpovedni rok
DocType: Asset Category,Asset Category Name,Sredstvo Kategorija Ime
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,To je koren ozemlje in ga ni mogoče urejati.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Ime New Sales oseba
DocType: Packing Slip,Gross Weight UOM,Bruto Teža UOM
DocType: Delivery Note Item,Against Sales Invoice,Za račun
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Vnesite serijske številke za serialized postavko
DocType: Bin,Reserved Qty for Production,Rezervirano Količina za proizvodnjo
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Pustite neoznačeno, če ne želite, da razmisli serije, hkrati pa seveda temelji skupin."
DocType: Asset,Frequency of Depreciation (Months),Pogostost amortizacijo (meseci)
@@ -4398,25 +4424,25 @@
DocType: Landed Cost Item,Landed Cost Item,Pristali Stroški Postavka
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Prikaži ničelnimi vrednostmi
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Količina postavke pridobljeno po proizvodnji / prepakiranja iz danih količin surovin
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Nastavitev preprosto spletno stran za svojo organizacijo
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Nastavitev preprosto spletno stran za svojo organizacijo
DocType: Payment Reconciliation,Receivable / Payable Account,Terjatve / plačljivo račun
DocType: Delivery Note Item,Against Sales Order Item,Proti Sales Order Postavka
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},"Prosimo, navedite Lastnost vrednost za atribut {0}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},"Prosimo, navedite Lastnost vrednost za atribut {0}"
DocType: Item,Default Warehouse,Privzeto Skladišče
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Proračun ne more biti dodeljena pred Group račun {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Vnesite stroškovno mesto matično
DocType: Delivery Note,Print Without Amount,Natisni Brez Znesek
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,Amortizacija Datum
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Davčna kategorija ne more biti "Vrednotenje" ali "Vrednotenje in celokupni", saj so vsi predmeti brez zalogi"
DocType: Issue,Support Team,Support Team
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Iztek (v dnevih)
DocType: Appraisal,Total Score (Out of 5),Skupna ocena (od 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Serija
+DocType: Student Attendance Tool,Batch,Serija
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Bilanca
DocType: Room,Seating Capacity,Število sedežev
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Total Expense zahtevek (preko Expense zahtevkov)
+DocType: GST Settings,GST Summary,DDV Povzetek
DocType: Assessment Result,Total Score,Skupni rezultat
DocType: Journal Entry,Debit Note,Opomin
DocType: Stock Entry,As per Stock UOM,Kot je na borzi UOM
@@ -4428,12 +4454,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Privzete Končano Blago Skladišče
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Prodaja oseba
DocType: SMS Parameter,SMS Parameter,SMS Parameter
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Proračun in Center Stroški
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Proračun in Center Stroški
DocType: Vehicle Service,Half Yearly,Polletne
DocType: Lead,Blog Subscriber,Blog Subscriber
DocType: Guardian,Alternate Number,namestnik Število
DocType: Assessment Plan Criteria,Maximum Score,Najvišja ocena
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,"Ustvarite pravila za omejitev transakcije, ki temeljijo na vrednotah."
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Skupina Roll št
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Pustite prazno, če bi študenti skupin na leto"
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Pustite prazno, če bi študenti skupin na leto"
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Če je označeno, Total no. delovnih dni bo vključeval praznike, in to se bo zmanjšala vrednost plač dan na"
@@ -4452,6 +4479,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Ta temelji na transakcijah zoper to stranko. Oglejte si časovnico spodaj za podrobnosti
DocType: Supplier,Credit Days Based On,Kreditne dni na podlagi
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},"Vrstica {0}: Dodeljena količina {1}, mora biti manjša ali enaka plačila za vnos zneska {2}"
+,Course wise Assessment Report,Seveda pametno poročilo o oceni
DocType: Tax Rule,Tax Rule,Davčna Pravilo
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Ohraniti ista stopnja V celotnem ciklu prodaje
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Načrtujte čas dnevnike zunaj Workstation delovnih ur.
@@ -4460,7 +4488,7 @@
,Items To Be Requested,"Predmeti, ki bodo zahtevana"
DocType: Purchase Order,Get Last Purchase Rate,Get zadnjega nakupa Rate
DocType: Company,Company Info,Informacije o podjetju
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Izberite ali dodati novo stranko
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Izberite ali dodati novo stranko
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Stroškovno mesto je potrebno rezervirati odhodek zahtevek
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Uporaba sredstev (sredstva)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Ta temelji na prisotnosti tega zaposlenega
@@ -4468,27 +4496,29 @@
DocType: Fiscal Year,Year Start Date,Leto Start Date
DocType: Attendance,Employee Name,ime zaposlenega
DocType: Sales Invoice,Rounded Total (Company Currency),Zaokrožena Skupaj (Company Valuta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,"Ne more prikrite skupini, saj je izbrana vrsta računa."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Ne more prikrite skupini, saj je izbrana vrsta računa."
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} je bila spremenjena. Osvežite.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Stop uporabnike iz česar dopusta aplikacij na naslednjih dneh.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Znesek nakupa
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Dobavitelj za predračun {0} ustvaril
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Konec leta ne more biti pred začetkom leta
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Zaslužki zaposlencev
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Zaslužki zaposlencev
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Pakirana količina mora biti enaka količini za postavko {0} v vrstici {1}
DocType: Production Order,Manufactured Qty,Izdelano Kol
DocType: Purchase Receipt Item,Accepted Quantity,Accepted Količina
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Nastavite privzeto Hiša List za zaposlenega {0} ali podjetja {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} ne obstaja
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} ne obstaja
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Izberite številke Serija
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Računi zbrana strankam.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,ID Projekta
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Vrstica št {0}: količina ne more biti večja od Dokler Znesek proti Expense zahtevka {1}. Dokler Znesek je {2}
DocType: Maintenance Schedule,Schedule,Urnik
DocType: Account,Parent Account,Matični račun
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Na voljo
DocType: Quality Inspection Reading,Reading 3,Branje 3
,Hub,Hub
DocType: GL Entry,Voucher Type,Bon Type
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Cenik ni mogoče najti ali onemogočena
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Cenik ni mogoče najti ali onemogočena
DocType: Employee Loan Application,Approved,Odobreno
DocType: Pricing Rule,Price,Cena
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Zaposleni razrešen na {0} mora biti nastavljen kot "levo"
@@ -4499,7 +4529,8 @@
DocType: Selling Settings,Campaign Naming By,Imenovanje akcija Z
DocType: Employee,Current Address Is,Trenutni Naslov je
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,spremenjene
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Neobvezno. Nastavi privzeto valuto družbe, če ni določeno."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Neobvezno. Nastavi privzeto valuto družbe, če ni določeno."
+DocType: Sales Invoice,Customer GSTIN,GSTIN stranka
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Vpisi računovodstvo lista.
DocType: Delivery Note Item,Available Qty at From Warehouse,Na voljo Količina na IZ SKLADIŠČA
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,"Prosimo, izberite Employee Snemaj prvi."
@@ -4507,7 +4538,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Vrstica {0}: Party / račun se ne ujema z {1} / {2} v {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Vnesite Expense račun
DocType: Account,Stock,Zaloga
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Reference Vrsta dokumenta mora biti eden od narocilo, Nakup računa ali Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Reference Vrsta dokumenta mora biti eden od narocilo, Nakup računa ali Journal Entry"
DocType: Employee,Current Address,Trenutni naslov
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Če postavka je varianta drug element, potem opis, slike, cene, davki, itd bo določil iz predloge, razen če je izrecno določeno"
DocType: Serial No,Purchase / Manufacture Details,Nakup / Izdelava Podrobnosti
@@ -4520,8 +4551,8 @@
DocType: Pricing Rule,Min Qty,Min Kol
DocType: Asset Movement,Transaction Date,Transakcijski Datum
DocType: Production Plan Item,Planned Qty,Načrtovano Kol
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Skupna davčna
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Za Količina (Izdelano Kol) obvezna
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Skupna davčna
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Za Količina (Izdelano Kol) obvezna
DocType: Stock Entry,Default Target Warehouse,Privzeto Target Skladišče
DocType: Purchase Invoice,Net Total (Company Currency),Net Total (družba Valuta)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Leto Končni datum ne more biti zgodnejši od datuma Leto Start. Popravite datum in poskusite znova.
@@ -4535,15 +4566,12 @@
DocType: Hub Settings,Hub Settings,Nastavitve Hub
DocType: Project,Gross Margin %,Gross Margin%
DocType: BOM,With Operations,Pri poslovanju
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Vknjižbe so že bili sprejeti v valuti {0} za družbo {1}. Izberite terjatve ali obveznosti račun z valuto {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Vknjižbe so že bili sprejeti v valuti {0} za družbo {1}. Izberite terjatve ali obveznosti račun z valuto {0}.
DocType: Asset,Is Existing Asset,Je obstoječemu sredstvu
DocType: Salary Detail,Statistical Component,Statistični Komponenta
DocType: Salary Detail,Statistical Component,Statistični Komponenta
-,Monthly Salary Register,Mesečni Plača Register
DocType: Warranty Claim,If different than customer address,Če je drugačen od naslova kupca
DocType: BOM Operation,BOM Operation,BOM Delovanje
-DocType: School Settings,Validate the Student Group from Program Enrollment,Potrdite skupina Študent iz programa vpis
-DocType: School Settings,Validate the Student Group from Program Enrollment,Potrdite skupina Študent iz programa vpis
DocType: Purchase Taxes and Charges,On Previous Row Amount,Na prejšnje vrstice Znesek
DocType: Student,Home Address,Domači naslov
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,prenos sredstev
@@ -4551,28 +4579,27 @@
DocType: Training Event,Event Name,Ime dogodka
apps/erpnext/erpnext/config/schools.py +39,Admission,sprejem
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Vstopnine za {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Sezonskost za nastavitev proračunov, cilji itd"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Postavka {0} je predlogo, izberite eno od njenih različic"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Sezonskost za nastavitev proračunov, cilji itd"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Postavka {0} je predlogo, izberite eno od njenih različic"
DocType: Asset,Asset Category,sredstvo Kategorija
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Kupec
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Neto plača ne more biti negativna
DocType: SMS Settings,Static Parameters,Statični Parametri
DocType: Assessment Plan,Room,soba
DocType: Purchase Order,Advance Paid,Advance Paid
DocType: Item,Item Tax,Postavka Tax
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Material za dobavitelja
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Trošarina Račun
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Trošarina Račun
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Praga {0}% pojavi več kot enkrat
DocType: Expense Claim,Employees Email Id,Zaposleni Email Id
DocType: Employee Attendance Tool,Marked Attendance,markirana Udeležba
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Kratkoročne obveznosti
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Kratkoročne obveznosti
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Pošlji množično SMS vaših stikov
DocType: Program,Program Name,Ime programa
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Razmislite davek ali dajatev za
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Dejanska Količina je obvezna
DocType: Employee Loan,Loan Type,posojilo Vrsta
DocType: Scheduling Tool,Scheduling Tool,razporejanje orodje
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Credit Card
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Credit Card
DocType: BOM,Item to be manufactured or repacked,"Postavka, ki se proizvaja ali prepakirana"
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Privzete nastavitve za transakcije vrednostnih papirjev.
DocType: Purchase Invoice,Next Date,Naslednja Datum
@@ -4588,10 +4615,10 @@
DocType: Stock Entry,Repack,Zapakirajte
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,"Morate Shranite obrazec, preden nadaljujete"
DocType: Item Attribute,Numeric Values,Numerične vrednosti
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Priložite Logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Priložite Logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Zaloga Ravni
DocType: Customer,Commission Rate,Komisija Rate
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Naredite Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Naredite Variant
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Aplikacije blok dopustu oddelka.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Plačilo Tip mora biti eden od Prejemanje, plačati in notranji prenos"
apps/erpnext/erpnext/config/selling.py +179,Analytics,Analytics
@@ -4599,45 +4626,45 @@
DocType: Vehicle,Model,Model
DocType: Production Order,Actual Operating Cost,Dejanski operacijski stroškov
DocType: Payment Entry,Cheque/Reference No,Ček / referenčna številka
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Root ni mogoče urejati.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root ni mogoče urejati.
DocType: Item,Units of Measure,Merske enote
DocType: Manufacturing Settings,Allow Production on Holidays,Dovoli Proizvodnja na počitnicah
DocType: Sales Order,Customer's Purchase Order Date,Stranke Naročilo Datum
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Osnovni kapital
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Osnovni kapital
DocType: Shopping Cart Settings,Show Public Attachments,Prikaži Javna Priključki
DocType: Packing Slip,Package Weight Details,Paket Teža Podrobnosti
DocType: Payment Gateway Account,Payment Gateway Account,Plačilo Gateway račun
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Po zaključku plačila preusmeri uporabnika na izbrano stran.
DocType: Company,Existing Company,obstoječa podjetja
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Davčna kategorija se je spremenila v "Skupaj", ker so vsi artikli, ki niso zalogi"
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Izberite csv datoteko
DocType: Student Leave Application,Mark as Present,Označi kot Present
DocType: Purchase Order,To Receive and Bill,Za prejemanje in Bill
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Izbrani izdelki
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Oblikovalec
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Oblikovalec
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Pogoji Template
DocType: Serial No,Delivery Details,Dostava Podrobnosti
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},"Stroškov Center, je potrebno v vrstici {0} v Davki miza za tip {1}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},"Stroškov Center, je potrebno v vrstici {0} v Davki miza za tip {1}"
DocType: Program,Program Code,Program Code
DocType: Terms and Conditions,Terms and Conditions Help,Pogoji Pomoč
,Item-wise Purchase Register,Element-pametno Nakup Registriraj se
DocType: Batch,Expiry Date,Rok uporabnosti
-,Supplier Addresses and Contacts,Dobavitelj Naslovi
,accounts-browser,računi brskalnik
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,"Prosimo, izberite kategorijo najprej"
apps/erpnext/erpnext/config/projects.py +13,Project master.,Master projekt.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Če želite, da pretirano zaračunavanje ali over-naročanje, posodobi "dodatku" v delniških nastavitvah ali točko."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Če želite, da pretirano zaračunavanje ali over-naročanje, posodobi "dodatku" v delniških nastavitvah ali točko."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,"Ne kažejo vsak simbol, kot $ itd zraven valute."
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Poldnevni)
DocType: Supplier,Credit Days,Kreditne dnevi
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Naj Student Batch
DocType: Leave Type,Is Carry Forward,Se Carry Forward
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Pridobi artikle iz BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Pridobi artikle iz BOM
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Dobavni rok dni
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Napotitev Datum mora biti enak datumu nakupa {1} od sredstva {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Napotitev Datum mora biti enak datumu nakupa {1} od sredstva {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Vnesite Prodajne nalogov v zgornji tabeli
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Ni predložil plačilne liste
,Stock Summary,Stock Povzetek
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Prenese sredstva iz enega skladišča v drugo
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Prenese sredstva iz enega skladišča v drugo
DocType: Vehicle,Petrol,Petrol
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Kosovnica
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Vrstica {0}: Vrsta stranka in stranka je potrebna za terjatve / obveznosti račun {1}
@@ -4648,6 +4675,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Sankcionirano Znesek
DocType: GL Entry,Is Opening,Je Odpiranje
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Vrstica {0}: debetna vnos ne more biti povezano z {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Račun {0} ne obstaja
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Račun {0} ne obstaja
DocType: Account,Cash,Gotovina
DocType: Employee,Short biography for website and other publications.,Kratka biografija za spletne strani in drugih publikacij.
diff --git a/erpnext/translations/sq.csv b/erpnext/translations/sq.csv
index 7140d11..eb304fb 100644
--- a/erpnext/translations/sq.csv
+++ b/erpnext/translations/sq.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Consumer Products
DocType: Item,Customer Items,Items të konsumatorëve
DocType: Project,Costing and Billing,Kushton dhe Faturimi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Llogaria {0}: llogari Parent {1} nuk mund të jetë libri
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Llogaria {0}: llogari Parent {1} nuk mund të jetë libri
DocType: Item,Publish Item to hub.erpnext.com,Publikojë pika për hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,Njoftime Email
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,vlerësim
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,vlerësim
DocType: Item,Default Unit of Measure,Gabim Njësia e Masës
DocType: SMS Center,All Sales Partner Contact,Të gjitha Sales Partner Kontakt
DocType: Employee,Leave Approvers,Lini Aprovuesit
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Exchange Rate duhet të jetë i njëjtë si {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Emri i Klientit
DocType: Vehicle,Natural Gas,Gazit natyror
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Llogari bankare nuk mund të quhet si {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Llogari bankare nuk mund të quhet si {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Kokat (ose grupe) kundër të cilit Hyrjet e kontabilitetit janë bërë dhe bilancet janë të mirëmbajtura.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Shquar për {0} nuk mund të jetë më pak se zero ({1})
DocType: Manufacturing Settings,Default 10 mins,Default 10 minuta
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Të gjitha Furnizuesi Kontakt
DocType: Support Settings,Support Settings,Cilësimet mbështetje
DocType: SMS Parameter,Parameter,Parametër
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Pritet Data e Përfundimit nuk mund të jetë më pak se sa pritej Data e fillimit
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Pritet Data e Përfundimit nuk mund të jetë më pak se sa pritej Data e fillimit
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Row # {0}: Norma duhet të jetë i njëjtë si {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,New Pushimi Aplikimi
,Batch Item Expiry Status,Batch Item Status skadimit
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Draft Bank
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Draft Bank
DocType: Mode of Payment Account,Mode of Payment Account,Mënyra e Llogarisë Pagesave
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Shfaq Variantet
DocType: Academic Term,Academic Term,Term akademik
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,material
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Sasi
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Llogaritë tabelë nuk mund të jetë bosh.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Kredi (obligimeve)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Kredi (obligimeve)
DocType: Employee Education,Year of Passing,Viti i kalimit
DocType: Item,Country of Origin,Vendi i origjinës
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,Në magazinë
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,Në magazinë
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Çështjet e hapura
DocType: Production Plan Item,Production Plan Item,Prodhimit Plani i artikullit
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Përdoruesi {0} është caktuar tashmë për punonjësit {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Kujdes shëndetësor
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Vonesa në pagesa (ditë)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,shpenzimeve të shërbimit
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Numri Serial: {0} është referuar tashmë në shitje Faturë: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Numri Serial: {0} është referuar tashmë në shitje Faturë: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Faturë
DocType: Maintenance Schedule Item,Periodicity,Periodicitet
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Viti Fiskal {0} është e nevojshme
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Row # {0}:
DocType: Timesheet,Total Costing Amount,Total Shuma kushton
DocType: Delivery Note,Vehicle No,Automjeteve Nuk ka
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,"Ju lutem, përzgjidhni Lista e Çmimeve"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,"Ju lutem, përzgjidhni Lista e Çmimeve"
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: dokument Pagesa është e nevojshme për të përfunduar trasaction
DocType: Production Order Operation,Work In Progress,Punë në vazhdim
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Ju lutemi zgjidhni data
DocType: Employee,Holiday List,Festa Lista
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Llogaritar
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Llogaritar
DocType: Cost Center,Stock User,Stock User
DocType: Company,Phone No,Telefoni Asnjë
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Oraret e kursit krijuar:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},New {0}: # {1}
,Sales Partners Commission,Shitjet Partnerët Komisioni
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Shkurtesa nuk mund të ketë më shumë se 5 karaktere
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Shkurtesa nuk mund të ketë më shumë se 5 karaktere
DocType: Payment Request,Payment Request,Kërkesë Pagesa
DocType: Asset,Value After Depreciation,Vlera Pas Zhvlerësimi
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,date Pjesëmarrja nuk mund të jetë më pak se data bashkuar punëmarrësit
DocType: Grading Scale,Grading Scale Name,Nota Scale Emri
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Kjo është një llogari rrënjë dhe nuk mund të redaktohen.
+DocType: Sales Invoice,Company Address,adresa e kompanise
DocType: BOM,Operations,Operacionet
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Nuk mund të vendosni autorizim në bazë të zbritje për {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Bashkangjit CSV fotografi me dy kolona, njëra për emrin e vjetër dhe një për emrin e ri"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ne asnje vitit aktiv Fiskal.
DocType: Packed Item,Parent Detail docname,Docname prind Detail
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",Referenca: {0} Artikull Code: {1} dhe klientit: {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Kg
DocType: Student Log,Log,Identifikohu
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Hapja për një punë.
DocType: Item Attribute,Increment,Rritje
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Reklamat
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Njëjta kompani është futur më shumë se një herë
DocType: Employee,Married,I martuar
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Nuk lejohet për {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Nuk lejohet për {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Të marrë sendet nga
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Stock nuk mund të rifreskohet kundër dorëzimit Shënim {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Stock nuk mund të rifreskohet kundër dorëzimit Shënim {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Product {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Nuk ka artikuj të listuara
DocType: Payment Reconciliation,Reconcile,Pajtojë
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Zhvlerësimi Date tjetër nuk mund të jetë më parë data e blerjes
DocType: SMS Center,All Sales Person,Të gjitha Person Sales
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Shpërndarja mujore ** ju ndihmon të shpërndani Buxhetore / Target gjithë muaj nëse keni sezonalitetit në biznesin tuaj.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Nuk sende gjetur
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Nuk sende gjetur
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Struktura Paga Missing
DocType: Lead,Person Name,Emri personi
DocType: Sales Invoice Item,Sales Invoice Item,Item Shitjet Faturë
DocType: Account,Credit,Kredi
DocType: POS Profile,Write Off Cost Center,Shkruani Off Qendra Kosto
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",p.sh. "Shkolla fillore" ose "University"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",p.sh. "Shkolla fillore" ose "University"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Stock Raportet
DocType: Warehouse,Warehouse Detail,Magazina Detail
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Kufiri i kreditit ka kaluar për konsumator {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Kufiri i kreditit ka kaluar për konsumator {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Term End Date nuk mund të jetë më vonë se Data Year fund të vitit akademik në të cilin termi është i lidhur (Viti Akademik {}). Ju lutem, Korrigjo datat dhe provoni përsëri."
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""A është e aseteve fikse" nuk mund të jetë e pakontrolluar, pasi ekziston rekord Pasurive ndaj artikullit"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""A është e aseteve fikse" nuk mund të jetë e pakontrolluar, pasi ekziston rekord Pasurive ndaj artikullit"
DocType: Vehicle Service,Brake Oil,Brake Oil
DocType: Tax Rule,Tax Type,Lloji Tatimore
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Ju nuk jeni i autorizuar për të shtuar ose shënimet e para përditësim {0}
DocType: BOM,Item Image (if not slideshow),Item Image (nëse nuk Slideshow)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Ekziston një klient me të njëjtin emër
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Ore Rate / 60) * aktuale Operacioni Koha
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Zgjidh BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Zgjidh BOM
DocType: SMS Log,SMS Log,SMS Identifikohu
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Kostoja e Artikujve dorëzohet
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Festa në {0} nuk është në mes Nga Data dhe To Date
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Nga {0} në {1}
DocType: Item,Copy From Item Group,Kopje nga grupi Item
DocType: Journal Entry,Opening Entry,Hyrja Hapja
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Customer> Group Customer> Territory
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Llogaria Pay Vetëm
DocType: Employee Loan,Repay Over Number of Periods,Paguaj Over numri i periudhave
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} nuk është i regjistruar në dhënë {2}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} nuk është i regjistruar në dhënë {2}
DocType: Stock Entry,Additional Costs,Kostot shtesë
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Llogaria me transaksion ekzistuese nuk mund të konvertohet në grup.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Llogaria me transaksion ekzistuese nuk mund të konvertohet në grup.
DocType: Lead,Product Enquiry,Produkt Enquiry
DocType: Academic Term,Schools,shkollat
+DocType: School Settings,Validate Batch for Students in Student Group,Vlereso Batch për Studentët në Grupin e Studentëve
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Nuk ka rekord leje gjetur për punonjës {0} për {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Ju lutemi shkruani kompani parë
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Ju lutemi zgjidhni kompania e parë
@@ -175,49 +176,49 @@
DocType: BOM,Total Cost,Kostoja Totale
DocType: Journal Entry Account,Employee Loan,Kredi punonjës
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Identifikohu Aktiviteti:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,Item {0} nuk ekziston në sistemin apo ka skaduar
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Item {0} nuk ekziston në sistemin apo ka skaduar
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Real Estate
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Deklarata e llogarisë
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Farmaceutike
DocType: Purchase Invoice Item,Is Fixed Asset,Është i aseteve fikse
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Qty në dispozicion është {0}, ju duhet {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Qty në dispozicion është {0}, ju duhet {1}"
DocType: Expense Claim Detail,Claim Amount,Shuma Claim
-DocType: Employee,Mr,Mr
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Grupi i konsumatorëve Duplicate gjenden në tabelën e grupit cutomer
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Furnizuesi Lloji / Furnizuesi
DocType: Naming Series,Prefix,Parashtesë
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Harxhuese
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Harxhuese
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Import Identifikohu
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Pull materiale Kërkesa e tipit Prodhime bazuar në kriteret e mësipërme
DocType: Training Result Employee,Grade,Gradë
DocType: Sales Invoice Item,Delivered By Supplier,Dorëzuar nga furnizuesi
DocType: SMS Center,All Contact,Të gjitha Kontakt
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Rendit prodhimi krijuar tashmë për të gjitha sendet me bom
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Paga vjetore
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Rendit prodhimi krijuar tashmë për të gjitha sendet me bom
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Paga vjetore
DocType: Daily Work Summary,Daily Work Summary,Daily Përmbledhje Work
DocType: Period Closing Voucher,Closing Fiscal Year,Mbyllja e Vitit Fiskal
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} është e ngrirë
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,"Ju lutem, përzgjidhni kompanie ekzistuese për krijimin Skemën e Kontabilitetit"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Stock Shpenzimet
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} është e ngrirë
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,"Ju lutem, përzgjidhni kompanie ekzistuese për krijimin Skemën e Kontabilitetit"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Stock Shpenzimet
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Zgjidhni Target Magazina
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Zgjidhni Target Magazina
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,Ju lutemi shkruani Preferred miqve
+DocType: Program Enrollment,School Bus,Autobus shkolle
DocType: Journal Entry,Contra Entry,Contra Hyrja
DocType: Journal Entry Account,Credit in Company Currency,Kreditit në kompanisë Valuta
DocType: Delivery Note,Installation Status,Instalimi Statusi
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",A doni për të rinovuar pjesëmarrjen? <br> Prezent: {0} \ <br> Mungon: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Pranuar + Refuzuar Qty duhet të jetë e barabartë me sasinë e pranuara për Item {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Pranuar + Refuzuar Qty duhet të jetë e barabartë me sasinë e pranuara për Item {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Furnizimit të lëndëve të para për Blerje
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,Të paktën një mënyra e pagesës është e nevojshme për POS faturë.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,Të paktën një mënyra e pagesës është e nevojshme për POS faturë.
DocType: Products Settings,Show Products as a List,Shfaq Produkte si një Lista
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Shkarko template, plotësoni të dhënat e duhura dhe të bashkëngjitni e tanishëm. Të gjitha datat dhe punonjës kombinim në periudhën e zgjedhur do të vijë në template, me të dhënat ekzistuese frekuentimit"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,Item {0} nuk është aktiv apo fundi i jetës është arritur
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Shembull: Matematikë themelore
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Të përfshijnë tatimin në rresht {0} në shkallën Item, taksat në rreshtat {1} duhet të përfshihen edhe"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Item {0} nuk është aktiv apo fundi i jetës është arritur
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Shembull: Matematikë themelore
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Të përfshijnë tatimin në rresht {0} në shkallën Item, taksat në rreshtat {1} duhet të përfshihen edhe"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Cilësimet për HR Module
DocType: SMS Center,SMS Center,SMS Center
DocType: Sales Invoice,Change Amount,Ndryshimi Shuma
@@ -227,7 +228,7 @@
DocType: Lead,Request Type,Kërkesë Type
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,bëni punonjës
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Transmetimi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Ekzekutim
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Ekzekutim
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Detajet e operacioneve të kryera.
DocType: Serial No,Maintenance Status,Mirëmbajtja Statusi
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Furnizuesi është i detyruar kundrejt llogarisë pagueshme {2}
@@ -255,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Kërkesa për kuotim mund të arrihen duke klikuar në linkun e mëposhtëm
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Alokimi i lë për vitin.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG Kursi Krijimi Tool
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,Stock pamjaftueshme
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,Stock pamjaftueshme
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Planifikimi Disable kapaciteteve dhe Ndjekja Koha
DocType: Email Digest,New Sales Orders,Shitjet e reja Urdhërat
DocType: Bank Guarantee,Bank Account,Llogarisë Bankare
@@ -266,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log',Përditësuar nëpërmjet 'Koha Identifikohu "
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},shuma paraprakisht nuk mund të jetë më i madh se {0} {1}
DocType: Naming Series,Series List for this Transaction,Lista Seria për këtë transaksion
+DocType: Company,Enable Perpetual Inventory,Aktivizo Inventari Përhershëm
DocType: Company,Default Payroll Payable Account,Default Payroll Llogaria e pagueshme
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Update Email Group
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Update Email Group
DocType: Sales Invoice,Is Opening Entry,Është Hapja Hyrja
DocType: Customer Group,Mention if non-standard receivable account applicable,Përmend në qoftë se jo-standarde llogari të arkëtueshme të zbatueshme
DocType: Course Schedule,Instructor Name,instruktor Emri
@@ -279,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Kundër Item Shitjet Faturë
,Production Orders in Progress,Urdhërat e prodhimit në Progres
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Paraja neto nga Financimi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage është e plotë, nuk ka shpëtuar"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage është e plotë, nuk ka shpëtuar"
DocType: Lead,Address & Contact,Adresa & Kontakt
DocType: Leave Allocation,Add unused leaves from previous allocations,Shtoni gjethe të papërdorura nga alokimet e mëparshme
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Tjetër Periodik {0} do të krijohet në {1}
DocType: Sales Partner,Partner website,website partner
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Shto Item
-,Contact Name,Kontakt Emri
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Kontakt Emri
DocType: Course Assessment Criteria,Course Assessment Criteria,Kriteret e vlerësimit kurs
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Krijon shqip pagave për kriteret e përmendura më sipër.
DocType: POS Customer Group,POS Customer Group,POS Group Customer
@@ -294,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Nuk ka përshkrim dhënë
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Kërkesë për blerje.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Kjo është e bazuar në Fletët Koha krijuara kundër këtij projekti
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Pay Net nuk mund të jetë më pak se 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Pay Net nuk mund të jetë më pak se 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Vetëm aprovuesi zgjedhur Pushimi mund ta paraqesë këtë kërkesë lini
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Lehtësimin Data duhet të jetë më i madh se data e bashkimit
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Lë në vit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Lë në vit
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Row {0}: Ju lutem kontrolloni 'A Advance' kundër llogaria {1} në qoftë se kjo është një hyrje paraprakisht.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Magazina {0} nuk i përkasin kompanisë {1}
DocType: Email Digest,Profit & Loss,Fitimi dhe Humbja
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Litra
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Litra
DocType: Task,Total Costing Amount (via Time Sheet),Total Kostoja Shuma (via Koha Sheet)
DocType: Item Website Specification,Item Website Specification,Item Faqja Specifikimi
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Lini Blocked
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Item {0} ka arritur në fund të saj të jetës në {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Item {0} ka arritur në fund të saj të jetës në {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Banka Entries
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Vjetor
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Stock Pajtimi Item
@@ -313,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,Rendit min Qty
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Kursi Group Student Krijimi Tool
DocType: Lead,Do Not Contact,Mos Kontaktoni
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,Njerëzit të cilët japin mësim në organizatën tuaj
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,Njerëzit të cilët japin mësim në organizatën tuaj
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,ID unike për ndjekjen e të gjitha faturave të përsëritura. Ajo është krijuar për të paraqitur.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Software Developer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Software Developer
DocType: Item,Minimum Order Qty,Minimale Rendit Qty
DocType: Pricing Rule,Supplier Type,Furnizuesi Type
DocType: Course Scheduling Tool,Course Start Date,Sigurisht Data e fillimit
@@ -324,11 +326,11 @@
DocType: Item,Publish in Hub,Publikojë në Hub
DocType: Student Admission,Student Admission,Pranimi Student
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Item {0} është anuluar
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Item {0} është anuluar
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Kërkesë materiale
DocType: Bank Reconciliation,Update Clearance Date,Update Pastrimi Data
DocType: Item,Purchase Details,Detajet Blerje
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Item {0} nuk u gjet në 'e para materiale të furnizuara "tryezë në Rendit Blerje {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Item {0} nuk u gjet në 'e para materiale të furnizuara "tryezë në Rendit Blerje {1}
DocType: Employee,Relation,Lidhje
DocType: Shipping Rule,Worldwide Shipping,Shipping në mbarë botën
DocType: Student Guardian,Mother,nënë
@@ -347,6 +349,7 @@
DocType: Student Group Student,Student Group Student,Student Group Student
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Fundit
DocType: Vehicle Service,Inspection,inspektim
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Listë
DocType: Email Digest,New Quotations,Citate të reja
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Emails paga shqip për punonjës të bazuar në email preferuar zgjedhur në punonjësi
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,Aprovuesi i parë Leave në listë do të jetë vendosur si default Leave aprovuesi
@@ -355,20 +358,20 @@
DocType: Asset,Next Depreciation Date,Zhvlerësimi Data Next
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Aktiviteti Kosto për punonjës
DocType: Accounts Settings,Settings for Accounts,Cilësimet për Llogaritë
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Furnizuesi Fatura Nuk ekziston në Blerje Faturë {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Furnizuesi Fatura Nuk ekziston në Blerje Faturë {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Manage shitjes person Tree.
DocType: Job Applicant,Cover Letter,Cover Letter
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Çeqet e papaguara dhe Depozitat për të pastruar
DocType: Item,Synced With Hub,Synced Me Hub
DocType: Vehicle,Fleet Manager,Fleet Menaxher
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} nuk mund të jetë negative për artikull {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Gabuar Fjalëkalimi
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Gabuar Fjalëkalimi
DocType: Item,Variant Of,Variant i
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',Kompletuar Qty nuk mund të jetë më i madh se "Qty për Prodhimi"
DocType: Period Closing Voucher,Closing Account Head,Mbyllja Shef Llogaria
DocType: Employee,External Work History,Historia e jashtme
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Qarkorja Referenca Gabim
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Emri Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Emri Guardian1
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Me fjalë (eksport) do të jetë i dukshëm një herë ju ruani notën shpërndarëse.
DocType: Cheque Print Template,Distance from left edge,Largësia nga buzë e majtë
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} njësitë e [{1}] (# Forma / Item / {1}) gjenden në [{2}] (# Forma / Magazina / {2})
@@ -377,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Njoftojë me email për krijimin e kërkesës automatike materiale
DocType: Journal Entry,Multi Currency,Multi Valuta
DocType: Payment Reconciliation Invoice,Invoice Type,Lloji Faturë
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Ofrimit Shënim
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Ofrimit Shënim
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Ngritja Tatimet
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Kostoja e asetit të shitur
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,"Pagesa Hyrja është ndryshuar, pasi që ju nxorrën atë. Ju lutemi të tërheqë atë përsëri."
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} hyrë dy herë në Tatimin Item
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Pagesa Hyrja është ndryshuar, pasi që ju nxorrën atë. Ju lutemi të tërheqë atë përsëri."
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} hyrë dy herë në Tatimin Item
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Përmbledhje për këtë javë dhe aktivitete në pritje
DocType: Student Applicant,Admitted,pranuar
DocType: Workstation,Rent Cost,Qira Kosto
@@ -400,25 +403,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Ju lutemi shkruani 'Përsëriteni në Ditën e Muajit "në terren vlerë
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Shkalla në të cilën Valuta Customer është konvertuar në bazë monedhën klientit
DocType: Course Scheduling Tool,Course Scheduling Tool,Sigurisht caktimin Tool
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Blerje Fatura nuk mund të bëhet kundër një aktiv ekzistues {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Blerje Fatura nuk mund të bëhet kundër një aktiv ekzistues {1}
DocType: Item Tax,Tax Rate,Shkalla e tatimit
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} ndarë tashmë për punonjësit {1} për periudhën {2} në {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Zgjidh Item
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Blerje Fatura {0} është dorëzuar tashmë
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Blerje Fatura {0} është dorëzuar tashmë
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Batch Nuk duhet të jetë i njëjtë si {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Convert për të jo-Group
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Batch (shumë) e një artikulli.
DocType: C-Form Invoice Detail,Invoice Date,Data e faturës
DocType: GL Entry,Debit Amount,Shuma Debi
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Nuk mund të jetë vetëm 1 Llogaria për Kompaninë në {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,Ju lutem shikoni shtojcën
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Nuk mund të jetë vetëm 1 Llogaria për Kompaninë në {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,Ju lutem shikoni shtojcën
DocType: Purchase Order,% Received,% Marra
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Krijo Grupet Student
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Setup Tashmë komplet !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Credit Note Shuma
,Finished Goods,Mallrat përfunduar
DocType: Delivery Note,Instructions,Udhëzime
DocType: Quality Inspection,Inspected By,Inspektohen nga
DocType: Maintenance Visit,Maintenance Type,Mirëmbajtja Type
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} nuk është i regjistruar në lëndës {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Serial Asnjë {0} nuk i përket dorëzimit Shënim {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Shto Items
@@ -441,7 +446,7 @@
DocType: Request for Quotation,Request for Quotation,Kërkesa për kuotim
DocType: Salary Slip Timesheet,Working Hours,Orari i punës
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Ndryshimi filluar / numrin e tanishëm sekuencë e një serie ekzistuese.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Krijo një klient i ri
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Krijo një klient i ri
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Nëse Rregullat shumta Çmimeve të vazhdojë të mbizotërojë, përdoruesit janë të kërkohet për të vendosur përparësi dorë për të zgjidhur konfliktin."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Krijo urdhëron Blerje
,Purchase Register,Blerje Regjistrohu
@@ -453,7 +458,7 @@
DocType: Student Log,Medical,Mjekësor
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Arsyeja për humbjen
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Owner Lead nuk mund të jetë i njëjtë si Lead
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,Shuma e ndarë nuk mund të më e madhe se shuma e parregulluara
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,Shuma e ndarë nuk mund të më e madhe se shuma e parregulluara
DocType: Announcement,Receiver,marrës
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation është i mbyllur në datat e mëposhtme sipas Holiday Lista: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Mundësitë
@@ -467,8 +472,7 @@
DocType: Assessment Plan,Examiner Name,Emri Examiner
DocType: Purchase Invoice Item,Quantity and Rate,Sasia dhe Rate
DocType: Delivery Note,% Installed,% Installed
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,"Klasat / laboratore etj, ku mësimi mund të jenë të planifikuara."
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Furnizuesi> Furnizuesi lloji
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Klasat / laboratore etj, ku mësimi mund të jenë të planifikuara."
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Ju lutem shkruani emrin e kompanisë e parë
DocType: Purchase Invoice,Supplier Name,Furnizuesi Emri
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Lexoni Manualin ERPNext
@@ -478,7 +482,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Kontrolloni Furnizuesi faturës Numri Unike
DocType: Vehicle Service,Oil Change,Ndryshimi Oil
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.',"Për Rasti Nr ' nuk mund të jetë më pak se "nga rasti nr '
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Non Profit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Non Profit
DocType: Production Order,Not Started,Nuk ka filluar
DocType: Lead,Channel Partner,Channel Partner
DocType: Account,Old Parent,Vjetër Parent
@@ -489,20 +493,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Konfigurimet Global për të gjitha proceset e prodhimit.
DocType: Accounts Settings,Accounts Frozen Upto,Llogaritë ngrira Upto
DocType: SMS Log,Sent On,Dërguar në
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Atribut {0} zgjedhur disa herë në atributet Tabelën
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Atribut {0} zgjedhur disa herë në atributet Tabelën
DocType: HR Settings,Employee record is created using selected field. ,Rekord punonjës është krijuar duke përdorur fushën e zgjedhur.
DocType: Sales Order,Not Applicable,Nuk aplikohet
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Mjeshtër pushime.
DocType: Request for Quotation Item,Required Date,Data e nevojshme
DocType: Delivery Note,Billing Address,Faturimi Adresa
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Ju lutemi shkruani kodin artikull.
DocType: BOM,Costing,Kushton
DocType: Tax Rule,Billing County,County Billing
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Nëse kontrolluar, shuma e taksave do të konsiderohen si të përfshirë tashmë në Printo Tarifa / Shuma Shtyp"
DocType: Request for Quotation,Message for Supplier,Mesazh për Furnizuesin
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Gjithsej Qty
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 Email ID
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 Email ID
DocType: Item,Show in Website (Variant),Show në Website (Variant)
DocType: Employee,Health Concerns,Shqetësimet shëndetësore
DocType: Process Payroll,Select Payroll Period,Zgjidhni Periudha Payroll
@@ -520,26 +523,28 @@
DocType: Sales Order Item,Used for Production Plan,Përdoret për Planin e prodhimit
DocType: Employee Loan,Total Payment,Pagesa Total
DocType: Manufacturing Settings,Time Between Operations (in mins),Koha Midis Operacioneve (në minuta)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} është anuluar në mënyrë veprimi nuk mund të përfundojë
DocType: Customer,Buyer of Goods and Services.,Blerësi i mallrave dhe shërbimeve.
DocType: Journal Entry,Accounts Payable,Llogaritë e pagueshme
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Të BOM përzgjedhur nuk janë për të njëjtin artikull
DocType: Pricing Rule,Valid Upto,Valid Upto
DocType: Training Event,Workshop,punishte
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Lista disa nga klientët tuaj. Ata mund të jenë organizata ose individë.
-,Enough Parts to Build,Pjesë mjaftueshme për të ndërtuar
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Të ardhurat direkte
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Lista disa nga klientët tuaj. Ata mund të jenë organizata ose individë.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Pjesë mjaftueshme për të ndërtuar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Të ardhurat direkte
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Nuk mund të filtruar në bazë të llogarisë, në qoftë se të grupuara nga Llogaria"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Zyrtar Administrativ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,"Ju lutem, përzgjidhni Course"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,"Ju lutem, përzgjidhni Course"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Zyrtar Administrativ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,"Ju lutem, përzgjidhni Course"
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,"Ju lutem, përzgjidhni Course"
DocType: Timesheet Detail,Hrs,orë
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,"Ju lutem, përzgjidhni Company"
DocType: Stock Entry Detail,Difference Account,Llogaria Diferenca
+DocType: Purchase Invoice,Supplier GSTIN,furnizuesi GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Nuk mund detyrë afër sa detyra e saj të varur {0} nuk është e mbyllur.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Ju lutem shkruani Magazina për të cilat do të ngrihen materiale Kërkesë
DocType: Production Order,Additional Operating Cost,Shtesë Kosto Operative
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kozmetikë
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Të bashkojë, pronat e mëposhtme duhet të jenë të njëjta për të dy artikujve"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Të bashkojë, pronat e mëposhtme duhet të jenë të njëjta për të dy artikujve"
DocType: Shipping Rule,Net Weight,Net Weight
DocType: Employee,Emergency Phone,Urgjencës Telefon
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,blej
@@ -549,14 +554,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Ju lutemi të përcaktuar klasën për Prag 0%
DocType: Sales Order,To Deliver,Për të ofruar
DocType: Purchase Invoice Item,Item,Artikull
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Serial asnjë artikull nuk mund të jetë një pjesë
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Serial asnjë artikull nuk mund të jetë një pjesë
DocType: Journal Entry,Difference (Dr - Cr),Diferenca (Dr - Cr)
DocType: Account,Profit and Loss,Fitimi dhe Humbja
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Menaxhimi Nënkontraktimi
DocType: Project,Project will be accessible on the website to these users,Projekti do të jetë në dispozicion në faqen e internetit të këtyre përdoruesve
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Shkalla në të cilën listë Çmimi monedhës është konvertuar në monedhën bazë kompanisë
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Llogaria {0} nuk i përkasin kompanisë: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Shkurtesa e përdorur tashmë për një kompani tjetër
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Llogaria {0} nuk i përkasin kompanisë: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Shkurtesa e përdorur tashmë për një kompani tjetër
DocType: Selling Settings,Default Customer Group,Gabim Grupi Klientit
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Nëse disable, fushë "rrumbullakosura Totali i 'nuk do të jenë të dukshme në çdo transaksion"
DocType: BOM,Operating Cost,Kosto Operative
@@ -564,7 +569,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Rritja nuk mund të jetë 0
DocType: Production Planning Tool,Material Requirement,Kërkesa materiale
DocType: Company,Delete Company Transactions,Fshij Transaksionet Company
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,I Referencës dhe Referenca Date është e detyrueshme për transaksion Bank
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,I Referencës dhe Referenca Date është e detyrueshme për transaksion Bank
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Add / Edit taksat dhe tatimet
DocType: Purchase Invoice,Supplier Invoice No,Furnizuesi Fatura Asnjë
DocType: Territory,For reference,Për referencë
@@ -575,22 +580,22 @@
DocType: Installation Note Item,Installation Note Item,Instalimi Shënim Item
DocType: Production Plan Item,Pending Qty,Në pritje Qty
DocType: Budget,Ignore,Injoroj
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} nuk është aktiv
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} nuk është aktiv
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS dërguar në numrat e mëposhtëm: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,Dimensionet kontrolloni Setup për printim
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Dimensionet kontrolloni Setup për printim
DocType: Salary Slip,Salary Slip Timesheet,Paga Slip pasqyrë e mungesave
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Furnizuesi Magazina i detyrueshëm për të nën-kontraktuar Blerje marrjes
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Furnizuesi Magazina i detyrueshëm për të nën-kontraktuar Blerje marrjes
DocType: Pricing Rule,Valid From,Valid Nga
DocType: Sales Invoice,Total Commission,Komisioni i përgjithshëm
DocType: Pricing Rule,Sales Partner,Sales Partner
DocType: Buying Settings,Purchase Receipt Required,Pranimi Blerje kërkuar
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,Vlerësimi Vlerësoni është i detyrueshëm në qoftë Hapja Stock hyrë
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,Vlerësimi Vlerësoni është i detyrueshëm në qoftë Hapja Stock hyrë
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Nuk u gjetën në tabelën Faturë të dhënat
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,"Ju lutem, përzgjidhni kompanisë dhe Partisë Lloji i parë"
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Financiare / vit kontabilitetit.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Financiare / vit kontabilitetit.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Vlerat e akumuluara
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Na vjen keq, Serial Nos nuk mund të bashkohen"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Bëni Sales Order
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Bëni Sales Order
DocType: Project Task,Project Task,Projekti Task
,Lead Id,Lead Id
DocType: C-Form Invoice Detail,Grand Total,Grand Total
@@ -607,7 +612,7 @@
DocType: Job Applicant,Resume Attachment,Resume Attachment
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Konsumatorët të përsëritur
DocType: Leave Control Panel,Allocate,Alokimi
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Shitjet Kthehu
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Shitjet Kthehu
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Shënim: gjethet total alokuara {0} nuk duhet të jetë më pak se gjethet e miratuara tashmë {1} për periudhën
DocType: Announcement,Posted By,postuar Nga
DocType: Item,Delivered by Supplier (Drop Ship),Dorëzuar nga Furnizuesi (Drop Ship)
@@ -617,8 +622,8 @@
DocType: Quotation,Quotation To,Citat Për
DocType: Lead,Middle Income,Të ardhurat e Mesme
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Hapja (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Default njësinë e matjes për artikullit {0} nuk mund të ndryshohet drejtpërdrejt sepse ju keni bërë tashmë një transaksioni (et) me një tjetër UOM. Ju do të duhet për të krijuar një artikull të ri për të përdorur një Default ndryshme UOM.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Shuma e ndarë nuk mund të jetë negative
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Default njësinë e matjes për artikullit {0} nuk mund të ndryshohet drejtpërdrejt sepse ju keni bërë tashmë një transaksioni (et) me një tjetër UOM. Ju do të duhet për të krijuar një artikull të ri për të përdorur një Default ndryshme UOM.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Shuma e ndarë nuk mund të jetë negative
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Ju lutemi të vendosur Kompaninë
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Ju lutemi të vendosur Kompaninë
DocType: Purchase Order Item,Billed Amt,Faturuar Amt
@@ -631,7 +636,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Zgjidhni Pagesa Llogaria për të bërë Banka Hyrja
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Krijo dhënat e punonjësve për të menaxhuar gjethe, pretendimet e shpenzimeve dhe pagave"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Shtoje te Knowledge Base
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Propozimi Shkrimi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Propozimi Shkrimi
DocType: Payment Entry Deduction,Payment Entry Deduction,Pagesa Zbritja Hyrja
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Një person tjetër Sales {0} ekziston me të njëjtin id punonjës
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Nëse kontrolluar, lëndëve të para për sendet që janë të nën-kontraktuar do të përfshihen në Kërkesave materiale"
@@ -645,7 +650,7 @@
DocType: Timesheet,Billed,Faturuar
DocType: Batch,Batch Description,Batch Përshkrim
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Krijimi i grupeve të studentëve
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Pagesa Gateway Llogaria nuk është krijuar, ju lutemi krijoni një të tillë me dorë."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Pagesa Gateway Llogaria nuk është krijuar, ju lutemi krijoni një të tillë me dorë."
DocType: Sales Invoice,Sales Taxes and Charges,Shitjet Taksat dhe Tarifat
DocType: Employee,Organization Profile,Organizata Profilin
DocType: Student,Sibling Details,Details vëlla
@@ -667,11 +672,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Ndryshimi neto në Inventarin
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Menaxhimi Loan punonjës
DocType: Employee,Passport Number,Pasaporta Numri
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Raporti me Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Menaxher
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Raporti me Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Menaxher
DocType: Payment Entry,Payment From / To,Pagesa nga /
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Kufiri i ri i kredisë është më pak se shuma aktuale të papaguar për konsumatorin. kufiri i kreditit duhet të jetë atleast {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Njëjti artikull është futur shumë herë.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Kufiri i ri i kredisë është më pak se shuma aktuale të papaguar për konsumatorin. kufiri i kreditit duhet të jetë atleast {0}
DocType: SMS Settings,Receiver Parameter,Marresit Parametri
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"Bazuar Në 'dhe' Grupit nga 'nuk mund të jetë e njëjtë
DocType: Sales Person,Sales Person Targets,Synimet Sales Person
@@ -680,8 +684,9 @@
DocType: Issue,Resolution Date,Rezoluta Data
DocType: Student Batch Name,Batch Name,Batch Emri
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Pasqyrë e mungesave krijuar:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},Ju lutemi të vendosur Cash parazgjedhur apo llogari bankare në mënyra e pagesës {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Ju lutemi të vendosur Cash parazgjedhur apo llogari bankare në mënyra e pagesës {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,regjistroj
+DocType: GST Settings,GST Settings,GST Settings
DocType: Selling Settings,Customer Naming By,Emërtimi Customer Nga
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Do të tregojë nxënësin si të pranishme në Student Raporti mujor Pjesëmarrja
DocType: Depreciation Schedule,Depreciation Amount,Amortizimi Shuma
@@ -703,6 +708,7 @@
DocType: Item,Material Transfer,Transferimi materiale
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Hapja (Dr)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Timestamp postimi duhet të jetë pas {0}
+,GST Itemised Purchase Register,GST e detajuar Blerje Regjistrohu
DocType: Employee Loan,Total Interest Payable,Interesi i përgjithshëm për t'u paguar
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Taksat zbarkoi Kosto dhe Tarifat
DocType: Production Order Operation,Actual Start Time,Aktuale Koha e fillimit
@@ -731,10 +737,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
DocType: Account,Accounts,Llogaritë
DocType: Vehicle,Odometer Value (Last),Vlera rrugëmatës (i fundit)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Marketing
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Pagesa Hyrja është krijuar tashmë
DocType: Purchase Receipt Item Supplied,Current Stock,Stock tanishme
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} nuk lidhet me pikën {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Row # {0}: Asset {1} nuk lidhet me pikën {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Preview Paga Shqip
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Llogaria {0} ka hyrë disa herë
DocType: Account,Expenses Included In Valuation,Shpenzimet e përfshira në Vlerësimit
@@ -742,7 +748,7 @@
,Absent Student Report,Mungon Raporti Student
DocType: Email Digest,Next email will be sent on:,Email ardhshëm do të dërgohet në:
DocType: Offer Letter Term,Offer Letter Term,Oferta Letër Term
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Item ka variante.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Item ka variante.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Item {0} nuk u gjet
DocType: Bin,Stock Value,Stock Vlera
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Kompania {0} nuk ekziston
@@ -751,7 +757,7 @@
DocType: Serial No,Warranty Expiry Date,Garanci Data e skadimit
DocType: Material Request Item,Quantity and Warehouse,Sasia dhe Magazina
DocType: Sales Invoice,Commission Rate (%),Vlerësoni komision (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,"Ju lutem, përzgjidhni Program"
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,"Ju lutem, përzgjidhni Program"
DocType: Project,Estimated Cost,Kostoja e vlerësuar
DocType: Purchase Order,Link to material requests,Link të kërkesave materiale
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Hapësirës ajrore
@@ -765,14 +771,14 @@
DocType: Purchase Order,Supply Raw Materials,Furnizimit të lëndëve të para
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,Data në të cilën fatura e ardhshme do të gjenerohet. Ajo është krijuar për të paraqitur.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Pasuritë e tanishme
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} nuk është një gjendje Item
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} nuk është një gjendje Item
DocType: Mode of Payment Account,Default Account,Gabim Llogaria
DocType: Payment Entry,Received Amount (Company Currency),Shuma e marrë (Company Valuta)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,"Lead duhet të vendosen, nëse Opportunity është bërë nga Lead"
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,"Ju lutem, përzgjidhni ditë javore jashtë"
DocType: Production Order Operation,Planned End Time,Planifikuar Fundi Koha
,Sales Person Target Variance Item Group-Wise,Sales Person i synuar Varianca Item Grupi i urti
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Llogaria me transaksion ekzistues nuk mund të konvertohet në Ledger
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Llogaria me transaksion ekzistues nuk mund të konvertohet në Ledger
DocType: Delivery Note,Customer's Purchase Order No,Konsumatorit Blerje Rendit Jo
DocType: Budget,Budget Against,Kundër buxheti
DocType: Employee,Cell Number,Numri Cell
@@ -784,15 +790,13 @@
DocType: Opportunity,Opportunity From,Opportunity Nga
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Deklarata mujore e pagave.
DocType: BOM,Website Specifications,Specifikimet Website
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Ju lutemi Setup numëron seri për Pjesëmarrja nëpërmjet Setup> Numbering Series
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Nga {0} nga lloji {1}
DocType: Warranty Claim,CI-,Pri-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Row {0}: Konvertimi Faktori është e detyrueshme
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Row {0}: Konvertimi Faktori është e detyrueshme
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Rregullat e çmimeve të shumta ekziston me kritere të njëjta, ju lutemi të zgjidhur konfliktin duke caktuar prioritet. Rregullat Çmimi: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,Nuk mund të çaktivizuar ose të anulojë bom si ajo është e lidhur me BOM-in e tjera
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Rregullat e çmimeve të shumta ekziston me kritere të njëjta, ju lutemi të zgjidhur konfliktin duke caktuar prioritet. Rregullat Çmimi: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Nuk mund të çaktivizuar ose të anulojë bom si ajo është e lidhur me BOM-in e tjera
DocType: Opportunity,Maintenance,Mirëmbajtje
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Numri i Marrjes Blerje nevojshme për Item {0}
DocType: Item Attribute Value,Item Attribute Value,Item atribut Vlera
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Shitjet fushata.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,bëni pasqyrë e mungesave
@@ -825,29 +829,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Asset braktiset via Journal Hyrja {0}
DocType: Employee Loan,Interest Income Account,Llogaria ardhurat nga interesi
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Bioteknologji
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Shpenzimet Zyra Mirëmbajtja
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Shpenzimet Zyra Mirëmbajtja
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Ngritja llogari PE
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Ju lutemi shkruani pika e parë
DocType: Account,Liability,Detyrim
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,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}.
DocType: Company,Default Cost of Goods Sold Account,Gabim Kostoja e mallrave të shitura Llogaria
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Lista e Çmimeve nuk zgjidhet
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Lista e Çmimeve nuk zgjidhet
DocType: Employee,Family Background,Historiku i familjes
DocType: Request for Quotation Supplier,Send Email,Dërgo Email
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Warning: Attachment Invalid {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Warning: Attachment Invalid {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Nuk ka leje
DocType: Company,Default Bank Account,Gabim Llogarisë Bankare
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Për të filtruar në bazë të Partisë, Partia zgjidhni llojin e parë"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"'Update Stock "nuk mund të kontrollohet, sepse sendet nuk janë dorëzuar nëpërmjet {0}"
DocType: Vehicle,Acquisition Date,Blerja Data
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Nos
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Nos
DocType: Item,Items with higher weightage will be shown higher,Gjërat me weightage më të lartë do të tregohet më e lartë
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Detail Banka Pajtimit
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} duhet të dorëzohet
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Row # {0}: Asset {1} duhet të dorëzohet
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Asnjë punonjës gjetur
DocType: Supplier Quotation,Stopped,U ndal
DocType: Item,If subcontracted to a vendor,Në qoftë se nënkontraktuar për një shitës
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Grupi Student është përditësuar tashmë.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Grupi Student është përditësuar tashmë.
DocType: SMS Center,All Customer Contact,Të gjitha Customer Kontakt
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Ngarko ekuilibër aksioneve nëpërmjet CSV.
DocType: Warehouse,Tree Details,Tree Details
@@ -859,13 +863,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Qendra Kosto {2} nuk i përkasin kompanisë {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Llogaria {2} nuk mund të jetë një grup
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Item Row {IDX}: {} {DOCTYPE docname} nuk ekziston në më sipër '{DOCTYPE}' tabelë
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Pasqyrë e mungesave {0} është përfunduar tashmë ose anuluar
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Pasqyrë e mungesave {0} është përfunduar tashmë ose anuluar
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Nuk ka detyrat
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Ditë të muajit në të cilin fatura auto do të gjenerohet p.sh. 05, 28 etj"
DocType: Asset,Opening Accumulated Depreciation,Hapja amortizimi i akumuluar
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Rezultati duhet të jetë më pak se ose e barabartë me 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Program Regjistrimi Tool
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,Të dhënat C-Forma
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,Të dhënat C-Forma
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Customer dhe Furnizues
DocType: Email Digest,Email Digest Settings,Email Settings Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Ju faleminderit për biznesin tuaj!
@@ -875,17 +879,19 @@
DocType: Bin,Moving Average Rate,Moving norma mesatare
DocType: Production Planning Tool,Select Items,Zgjidhni Items
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},"{0} kundër Bill {1} {2}, datë"
+DocType: Program Enrollment,Vehicle/Bus Number,Vehicle / Numri Bus
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Orari i kursit
DocType: Maintenance Visit,Completion Status,Përfundimi Statusi
DocType: HR Settings,Enter retirement age in years,Shkruani moshën e pensionit në vitet
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Target Magazina
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,"Ju lutem, përzgjidhni një depo"
DocType: Cheque Print Template,Starting location from left edge,Duke filluar vend nga buzë e majtë
DocType: Item,Allow over delivery or receipt upto this percent,Lejo mbi ofrimin ose pranimin upto këtë qind
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,Pjesëmarrja e importit
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Të gjitha Item Grupet
DocType: Process Payroll,Activity Log,Aktiviteti Identifikohu
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Fitimi neto / Humbja
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Fitimi neto / Humbja
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Automatikisht shkruaj mesazh për dorëzimin e transaksioneve.
DocType: Production Order,Item To Manufacture,Item Për Prodhimi
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} statusi është {2}
@@ -894,16 +900,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Blerje Rendit për Pagesa
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Projektuar Qty
DocType: Sales Invoice,Payment Due Date,Afati i pageses
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Item Varianti {0} tashmë ekziston me atributet e njëjta
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Item Varianti {0} tashmë ekziston me atributet e njëjta
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',"Hapja"
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Hapur për të bërë
DocType: Notification Control,Delivery Note Message,Ofrimit Shënim Mesazh
DocType: Expense Claim,Expenses,Shpenzim
+,Support Hours,mbështetje Hours
DocType: Item Variant Attribute,Item Variant Attribute,Item Varianti Atributi
,Purchase Receipt Trends,Trendet Receipt Blerje
DocType: Process Payroll,Bimonthly,dy herë në muaj
DocType: Vehicle Service,Brake Pad,Brake Pad
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Hulumtim dhe Zhvillim
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Hulumtim dhe Zhvillim
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Shuma për Bill
DocType: Company,Registration Details,Detajet e regjistrimit
DocType: Timesheet,Total Billed Amount,Shuma totale e faturuar
@@ -916,12 +923,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Vetëm Merrni lëndëve të para
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Vlerësimit të performancës.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Duke bërë të mundur 'Përdorimi për Shportë', si Shporta është aktivizuar dhe duhet të ketë të paktën një Rule Tax per Shporta"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Pagesa Hyrja {0} është e lidhur kundrejt Rendit {1}, kontrolloni nëse ajo duhet të largohen sa më parë në këtë faturë."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Pagesa Hyrja {0} është e lidhur kundrejt Rendit {1}, kontrolloni nëse ajo duhet të largohen sa më parë në këtë faturë."
DocType: Sales Invoice Item,Stock Details,Stock Detajet
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Vlera e Projektit
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Point-of-Sale
DocType: Vehicle Log,Odometer Reading,Leximi rrugëmatës
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Bilanci i llogarisë tashmë në kredi, ju nuk jeni i lejuar për të vendosur "Bilanci Must Be 'si' Debitimit '"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Bilanci i llogarisë tashmë në kredi, ju nuk jeni i lejuar për të vendosur "Bilanci Must Be 'si' Debitimit '"
DocType: Account,Balance must be,Bilanci duhet të jetë
DocType: Hub Settings,Publish Pricing,Publikimi i Çmimeve
DocType: Notification Control,Expense Claim Rejected Message,Shpenzim Kërkesa Refuzuar mesazh
@@ -931,7 +938,7 @@
DocType: Salary Slip,Working Days,Ditët e punës
DocType: Serial No,Incoming Rate,Hyrëse Rate
DocType: Packing Slip,Gross Weight,Peshë Bruto
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,Emri i kompanisë suaj për të cilën ju jeni të vendosur këtë sistem.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,Emri i kompanisë suaj për të cilën ju jeni të vendosur këtë sistem.
DocType: HR Settings,Include holidays in Total no. of Working Days,Përfshijnë pushimet në total nr. i ditëve të punës
DocType: Job Applicant,Hold,Mbaj
DocType: Employee,Date of Joining,Data e Bashkimi
@@ -942,20 +949,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Pranimi Blerje
,Received Items To Be Billed,Items marra Për të faturohet
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Dërguar pagave rrëshqet
-DocType: Employee,Ms,Ms
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Kursi i këmbimit të monedhës mjeshtër.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Referenca DOCTYPE duhet të jetë një nga {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Kursi i këmbimit të monedhës mjeshtër.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referenca DOCTYPE duhet të jetë një nga {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Në pamundësi për të gjetur vend i caktuar kohë në {0} ditëve të ardhshme për funksionimin {1}
DocType: Production Order,Plan material for sub-assemblies,Materiali plan për nën-kuvendet
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Sales Partners dhe Territori
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,Nuk mund të krijohet automatikisht llogari si ka tashmë bilanci aksioneve në Llogarinë. Ju duhet të krijoni një llogari të përputhen para se ju mund të bëni një hyrje në këtë depo
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} duhet të jetë aktiv
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} duhet të jetë aktiv
DocType: Journal Entry,Depreciation Entry,Zhvlerësimi Hyrja
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Ju lutem zgjidhni llojin e dokumentit të parë
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Anuloje Vizitat Materiale {0} para anulimit të kësaj vizite Mirëmbajtja
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Serial Asnjë {0} nuk i përkasin Item {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Kerkohet Qty
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Depot me transaksion ekzistues nuk mund të konvertohet në librin.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Depot me transaksion ekzistues nuk mund të konvertohet në librin.
DocType: Bank Reconciliation,Total Amount,Shuma totale
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Botime Internet
DocType: Production Planning Tool,Production Orders,Urdhërat e prodhimit
@@ -970,25 +975,26 @@
DocType: Fee Structure,Components,komponentet
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Ju lutem shkruani Pasurive Kategoria në pikën {0}
DocType: Quality Inspection Reading,Reading 6,Leximi 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,"Nuk mund {0} {1} {2}, pa asnjë faturë negative shquar"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,"Nuk mund {0} {1} {2}, pa asnjë faturë negative shquar"
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Blerje Faturë Advance
DocType: Hub Settings,Sync Now,Sync Tani
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Row {0}: Hyrja e kredisë nuk mund të jetë i lidhur me një {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Të përcaktojë buxhetin për një vit financiar.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Të përcaktojë buxhetin për një vit financiar.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Parazgjedhur llogari Banka / Cash do të rifreskohet automatikisht në POS Faturës kur kjo mënyrë është zgjedhur.
DocType: Lead,LEAD-,plumb
DocType: Employee,Permanent Address Is,Adresa e përhershme është
DocType: Production Order Operation,Operation completed for how many finished goods?,Operacioni përfundoi për mënyrën se si shumë mallra të gatshme?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,Markë
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Markë
DocType: Employee,Exit Interview Details,Detajet Dil Intervista
DocType: Item,Is Purchase Item,Është Blerje Item
DocType: Asset,Purchase Invoice,Blerje Faturë
DocType: Stock Ledger Entry,Voucher Detail No,Voucher Detail Asnjë
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Sales New Fatura
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Sales New Fatura
DocType: Stock Entry,Total Outgoing Value,Vlera Totale largohet
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Hapja Data dhe Data e mbylljes duhet të jetë brenda të njëjtit vit fiskal
DocType: Lead,Request for Information,Kërkesë për Informacion
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Sync Offline Faturat
+,LeaderBoard,Fituesit
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Sync Offline Faturat
DocType: Payment Request,Paid,I paguar
DocType: Program Fee,Program Fee,Tarifa program
DocType: Salary Slip,Total in words,Gjithsej në fjalë
@@ -997,13 +1003,13 @@
DocType: Cheque Print Template,Has Print Format,Ka Print Format
DocType: Employee Loan,Sanctioned,sanksionuar
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,është i detyrueshëm. Ndoshta rekord Currency Exchange nuk është krijuar për
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Ju lutem specifikoni Serial Jo për Item {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Për sendet e 'Produkt Bundle', depo, pa serial dhe Serisë Nuk do të konsiderohet nga 'Paketimi listë' tryezë. Nëse Magazina dhe Serisë Nuk janë të njëjta për të gjitha sendet e paketimit për çdo send 'produkt Bundle', këto vlera mund të futen në tabelën kryesore Item, vlerat do të kopjohet në 'Paketimi listë' tryezë."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Row # {0}: Ju lutem specifikoni Serial Jo për Item {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Për sendet e 'Produkt Bundle', depo, pa serial dhe Serisë Nuk do të konsiderohet nga 'Paketimi listë' tryezë. Nëse Magazina dhe Serisë Nuk janë të njëjta për të gjitha sendet e paketimit për çdo send 'produkt Bundle', këto vlera mund të futen në tabelën kryesore Item, vlerat do të kopjohet në 'Paketimi listë' tryezë."
DocType: Job Opening,Publish on website,Publikojë në faqen e internetit
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Dërgesat për klientët.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Furnizuesi Data e faturës nuk mund të jetë më i madh se mbi postimet Data
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Furnizuesi Data e faturës nuk mund të jetë më i madh se mbi postimet Data
DocType: Purchase Invoice Item,Purchase Order Item,Rendit Blerje Item
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Të ardhurat indirekte
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Të ardhurat indirekte
DocType: Student Attendance Tool,Student Attendance Tool,Pjesëmarrja Student Tool
DocType: Cheque Print Template,Date Settings,Data Settings
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Grindje
@@ -1021,21 +1027,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Kimik
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Default Llogaria bankare / Cash do të rifreskohet automatikisht në Paga Journal hyrjes kur ky modalitet zgjidhet.
DocType: BOM,Raw Material Cost(Company Currency),Raw Material Kosto (Company Valuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Të gjitha sendet janë tashmë të transferuar për këtë Rendit Production.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Të gjitha sendet janë tashmë të transferuar për këtë Rendit Production.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: norma nuk mund të jetë më e madhe se norma e përdorur në {1} {2}
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: norma nuk mund të jetë më e madhe se norma e përdorur në {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,metër
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,metër
DocType: Workstation,Electricity Cost,Kosto të energjisë elektrike
DocType: HR Settings,Don't send Employee Birthday Reminders,Mos dërgoni punonjës Ditëlindja Përkujtesat
DocType: Item,Inspection Criteria,Kriteret e Inspektimit
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Transferuar
DocType: BOM Website Item,BOM Website Item,BOM Website Item
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Ngarko kokën tuaj letër dhe logo. (Ju mund të modifikoni ato më vonë).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Ngarko kokën tuaj letër dhe logo. (Ju mund të modifikoni ato më vonë).
DocType: Timesheet Detail,Bill,Fature
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Zhvlerësimi Date tjetër është futur si datë të fundit
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,E bardhë
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,E bardhë
DocType: SMS Center,All Lead (Open),Të gjitha Lead (Open)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Qty nuk është në dispozicion për {4} në depo {1} të postimi kohën e hyrjes ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Qty nuk është në dispozicion për {4} në depo {1} të postimi kohën e hyrjes ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Get Paid Përparimet
DocType: Item,Automatically Create New Batch,Automatikisht Krijo grumbull të ri
DocType: Item,Automatically Create New Batch,Automatikisht Krijo grumbull të ri
@@ -1046,13 +1052,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Shporta ime
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Rendit Lloji duhet të jetë një nga {0}
DocType: Lead,Next Contact Date,Tjetër Kontakt Data
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Hapja Qty
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,"Ju lutem, jepni llogari për Ndryshim Shuma"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Hapja Qty
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,"Ju lutem, jepni llogari për Ndryshim Shuma"
DocType: Student Batch Name,Student Batch Name,Student Batch Emri
DocType: Holiday List,Holiday List Name,Festa Lista Emri
DocType: Repayment Schedule,Balance Loan Amount,Bilanci Shuma e Kredisë
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Orari i kursit
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Stock Options
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Stock Options
DocType: Journal Entry Account,Expense Claim,Shpenzim Claim
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,A jeni të vërtetë doni për të rivendosur këtë pasuri braktiset?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Qty për {0}
@@ -1064,12 +1070,12 @@
DocType: Company,Default Terms,Kushtet Default
DocType: Packing Slip Item,Packing Slip Item,Paketimi Shqip Item
DocType: Purchase Invoice,Cash/Bank Account,Cash / Llogarisë Bankare
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Ju lutem specifikoni një {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Ju lutem specifikoni një {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Artikuj hequr me asnjë ndryshim në sasi ose në vlerë.
DocType: Delivery Note,Delivery To,Ofrimit të
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Tabela atribut është i detyrueshëm
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Tabela atribut është i detyrueshëm
DocType: Production Planning Tool,Get Sales Orders,Get Sales urdhëron
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} nuk mund të jetë negative
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} nuk mund të jetë negative
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Zbritje
DocType: Asset,Total Number of Depreciations,Numri i përgjithshëm i nënçmime
DocType: Sales Invoice Item,Rate With Margin,Shkalla me diferencë
@@ -1090,7 +1096,6 @@
DocType: Serial No,Creation Document No,Krijimi Dokumenti Asnjë
DocType: Issue,Issue,Çështje
DocType: Asset,Scrapped,braktiset
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Llogaria nuk përputhet me Kompaninë
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Atributet për Item variante. p.sh. madhësia, ngjyra etj"
DocType: Purchase Invoice,Returns,Kthim
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP Magazina
@@ -1102,12 +1107,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,Item duhet të shtohen duke përdorur 'të marrë sendet nga blerjen Pranimet' button
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Përfshijnë zëra jo-aksioneve
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Shitjet Shpenzimet
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Shitjet Shpenzimet
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Blerja Standard
DocType: GL Entry,Against,Kundër
DocType: Item,Default Selling Cost Center,Gabim Qendra Shitja Kosto
DocType: Sales Partner,Implementation Partner,Partner Zbatimi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Kodi Postal
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Kodi Postal
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Sales Order {0} është {1}
DocType: Opportunity,Contact Info,Informacionet Kontakt
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Marrja e aksioneve Entries
@@ -1120,33 +1125,33 @@
DocType: Holiday List,Get Weekly Off Dates,Merr e pushimit javor Datat
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,End Date nuk mund të jetë më pak se Data e fillimit
DocType: Sales Person,Select company name first.,Përzgjidh kompani emri i parë.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Dr
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Kuotimet e marra nga furnizuesit.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Për {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Mesatare Moshë
DocType: School Settings,Attendance Freeze Date,Pjesëmarrja Freeze Data
DocType: School Settings,Attendance Freeze Date,Pjesëmarrja Freeze Data
DocType: Opportunity,Your sales person who will contact the customer in future,Shitjes person i juaj i cili do të kontaktojë e konsumatorit në të ardhmen
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Lista disa nga furnizuesit tuaj. Ata mund të jenë organizata ose individë.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Lista disa nga furnizuesit tuaj. Ata mund të jenë organizata ose individë.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Shiko të gjitha Produktet
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Lead Minimumi moshes (ditë)
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Lead Minimumi moshes (ditë)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,Të gjitha BOM
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Të gjitha BOM
DocType: Company,Default Currency,Gabim Valuta
DocType: Expense Claim,From Employee,Nga punonjësi
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Kujdes: Sistemi nuk do të kontrollojë overbilling që shuma për Item {0} në {1} është zero
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Kujdes: Sistemi nuk do të kontrollojë overbilling që shuma për Item {0} në {1} është zero
DocType: Journal Entry,Make Difference Entry,Bëni Diferenca Hyrja
DocType: Upload Attendance,Attendance From Date,Pjesëmarrja Nga Data
DocType: Appraisal Template Goal,Key Performance Area,Key Zona Performance
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Transport
+DocType: Program Enrollment,Transportation,Transport
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Atributi i pavlefshëm
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} duhet të dorëzohet
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} duhet të dorëzohet
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Sasia duhet të jetë më e vogël se ose e barabartë me {0}
DocType: SMS Center,Total Characters,Totali Figurë
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},"Ju lutem, përzgjidhni bom në fushën BOM për Item {0}"
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},"Ju lutem, përzgjidhni bom në fushën BOM për Item {0}"
DocType: C-Form Invoice Detail,C-Form Invoice Detail,Detail C-Forma Faturë
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Pagesa Pajtimi Faturë
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Kontributi%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Sipas Settings Blerja në qoftë Rendit Blerje Kërkohet == 'PO', pastaj për krijimin Blerje Faturën, përdoruesi duhet të krijoni Rendit Blerje parë për pikën {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Numrat e regjistrimit kompani për referencë tuaj. Numrat e taksave etj
DocType: Sales Partner,Distributor,Shpërndarës
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Shporta Transporti Rregulla
@@ -1155,23 +1160,25 @@
,Ordered Items To Be Billed,Items urdhëruar të faturuar
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Nga një distancë duhet të jetë më pak se në rang
DocType: Global Defaults,Global Defaults,Defaults Global
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Bashkëpunimi Project Ftesë
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Bashkëpunimi Project Ftesë
DocType: Salary Slip,Deductions,Zbritjet
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,fillimi Year
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},Para 2 shifrat e GSTIN duhet të përputhen me numrin e Shtetit {0}
DocType: Purchase Invoice,Start date of current invoice's period,Data e fillimit të periudhës së fatura aktual
DocType: Salary Slip,Leave Without Pay,Lini pa pagesë
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Kapaciteti Planifikimi Gabim
,Trial Balance for Party,Bilanci gjyqi për Partinë
DocType: Lead,Consultant,Konsulent
DocType: Salary Slip,Earnings,Fitim
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Mbaroi Item {0} duhet të jetë hyrë në për hyrje të tipit Prodhimi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Mbaroi Item {0} duhet të jetë hyrë në për hyrje të tipit Prodhimi
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Hapja Bilanci Kontabilitet
+,GST Sales Register,GST Sales Regjistrohu
DocType: Sales Invoice Advance,Sales Invoice Advance,Shitjet Faturë Advance
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Asgjë për të kërkuar
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Një tjetër rekord i buxhetit '{0}' ekziston kundër {1} '{2}' për vitin fiskal {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date','Aktual Data e Fillimit' nuk mund të jetë më i madh se 'Lajme End Date'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Drejtuesit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Drejtuesit
DocType: Cheque Print Template,Payer Settings,Cilësimet paguesit
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Kjo do t'i bashkëngjitet Kodit Pika e variant. Për shembull, në qoftë se shkurtim juaj është "SM", dhe kodin pika është "T-shirt", kodi pika e variantit do të jetë "T-shirt-SM""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Neto Pay (me fjalë) do të jetë i dukshëm një herë ju ruani gabim pagave.
@@ -1188,8 +1195,8 @@
DocType: Employee Loan,Partially Disbursed,lëvrohet pjesërisht
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Bazës së të dhënave Furnizuesi.
DocType: Account,Balance Sheet,Bilanci i gjendjes
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Qendra Kosto Per Item me Kodin Item "
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mode pagesa nuk është i konfiguruar. Ju lutem kontrolloni, nëse llogaria është vendosur në Mode të pagesave ose në POS Profilin."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Qendra Kosto Per Item me Kodin Item "
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Mode pagesa nuk është i konfiguruar. Ju lutem kontrolloni, nëse llogaria është vendosur në Mode të pagesave ose në POS Profilin."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Personi i shitjes juaj do të merrni një kujtesë në këtë datë të kontaktoni klientin
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Same artikull nuk mund të futen shumë herë.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Llogaritë e mëtejshme mund të bëhen në bazë të grupeve, por hyra mund të bëhet kundër jo-grupeve"
@@ -1197,7 +1204,7 @@
DocType: Email Digest,Payables,Pagueshme
DocType: Course,Course Intro,Sigurisht Intro
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Stock Hyrja {0} krijuar
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Refuzuar Qty nuk mund të futen në Blerje Kthim
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Refuzuar Qty nuk mund të futen në Blerje Kthim
,Purchase Order Items To Be Billed,Items Rendit Blerje Për të faturohet
DocType: Purchase Invoice Item,Net Rate,Net Rate
DocType: Purchase Invoice Item,Purchase Invoice Item,Blerje Item Faturë
@@ -1224,7 +1231,7 @@
DocType: Sales Order,SO-,KËSHTU QË-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,"Ju lutem, përzgjidhni prefiks parë"
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Hulumtim
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Hulumtim
DocType: Maintenance Visit Purpose,Work Done,Punën e bërë
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Ju lutem specifikoni të paktën një atribut në tabelë Atributet
DocType: Announcement,All Students,Të gjitha Studentët
@@ -1232,17 +1239,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Shiko Ledger
DocType: Grading Scale,Intervals,intervalet
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Hershme
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Një Grup Item ekziston me të njëjtin emër, ju lutemi të ndryshojë emrin pika ose riemërtoj grupin pika"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Student Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Pjesa tjetër e botës
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Një Grup Item ekziston me të njëjtin emër, ju lutemi të ndryshojë emrin pika ose riemërtoj grupin pika"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No.
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Pjesa tjetër e botës
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Item {0} nuk mund të ketë Serisë
,Budget Variance Report,Buxheti Varianca Raport
DocType: Salary Slip,Gross Pay,Pay Bruto
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Row {0}: Aktiviteti lloji është i detyrueshëm.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Dividentët e paguar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Dividentët e paguar
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Ledger Kontabilitet
DocType: Stock Reconciliation,Difference Amount,Shuma Diferenca
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Fitime të mbajtura
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Fitime të mbajtura
DocType: Vehicle Log,Service Detail,Detail shërbimit
DocType: BOM,Item Description,Përshkrimi i artikullit
DocType: Student Sibling,Student Sibling,Student vëlla
@@ -1257,11 +1264,11 @@
DocType: Opportunity Item,Opportunity Item,Mundësi Item
,Student and Guardian Contact Details,Student dhe Guardian Detajet e Kontaktit
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Row {0}: Për të furnizuesit {0} Adresa Email është e nevojshme për të dërguar një email
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Hapja e përkohshme
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Hapja e përkohshme
,Employee Leave Balance,Punonjës Pushimi Bilanci
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Gjendjen e llogarisë {0} duhet të jetë gjithmonë {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Vlerësoni Vlerësimi nevojshme për Item në rresht {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Shembull: Master në Shkenca Kompjuterike
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Shembull: Master në Shkenca Kompjuterike
DocType: Purchase Invoice,Rejected Warehouse,Magazina refuzuar
DocType: GL Entry,Against Voucher,Kundër Bonon
DocType: Item,Default Buying Cost Center,Gabim Qendra Blerja Kosto
@@ -1274,31 +1281,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Get Faturat e papaguara
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Sales Order {0} nuk është e vlefshme
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,urdhrat e blerjes t'ju ndihmuar të planit dhe të ndjekin deri në blerjet tuaja
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Na vjen keq, kompanitë nuk mund të bashkohen"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Na vjen keq, kompanitë nuk mund të bashkohen"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",totale sasia Çështja / Transfer {0} në materiale Kërkesë {1} \ nuk mund të jetë më e madhe se sasia e kërkuar {2} për pikën {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,I vogël
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,I vogël
DocType: Employee,Employee Number,Numri punonjës
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Rast No (s) në përdorim. Provoni nga Rasti Nr {0}
DocType: Project,% Completed,% Kompletuar
,Invoiced Amount (Exculsive Tax),Shuma e faturuar (Tax Exculsive)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Item 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Kreu i llogarisë {0} krijuar
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,Event Training
DocType: Item,Auto re-order,Auto ri-qëllim
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Gjithsej Arritur
DocType: Employee,Place of Issue,Vendi i lëshimit
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Kontratë
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Kontratë
DocType: Email Digest,Add Quote,Shto Citim
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},Faktori UOM Coversion nevojshme për UOM: {0} në Item: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Shpenzimet indirekte
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Faktori UOM Coversion nevojshme për UOM: {0} në Item: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Shpenzimet indirekte
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Row {0}: Qty është e detyrueshme
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Bujqësi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sync Master Data
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Produktet ose shërbimet tuaja
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sync Master Data
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Produktet ose shërbimet tuaja
DocType: Mode of Payment,Mode of Payment,Mënyra e pagesës
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Faqja Image duhet të jetë një file publik ose URL website
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Faqja Image duhet të jetë një file publik ose URL website
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Ky është një grup artikull rrënjë dhe nuk mund të redaktohen.
@@ -1307,7 +1313,7 @@
DocType: Warehouse,Warehouse Contact Info,Magazina Kontaktimit
DocType: Payment Entry,Write Off Difference Amount,Shkruaj Off Diferenca Shuma
DocType: Purchase Invoice,Recurring Type,Përsëritur Type
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: email Punonjësi nuk gjendet, kështu nuk email dërguar"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: email Punonjësi nuk gjendet, kështu nuk email dërguar"
DocType: Item,Foreign Trade Details,Jashtëm Details Tregtisë
DocType: Email Digest,Annual Income,Të ardhurat vjetore
DocType: Serial No,Serial No Details,Serial No Detajet
@@ -1315,10 +1321,10 @@
DocType: Student Group Student,Group Roll Number,Grupi Roll Number
DocType: Student Group Student,Group Roll Number,Grupi Roll Number
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Për {0}, vetëm llogaritë e kreditit mund të jetë i lidhur kundër një tjetër hyrje debiti"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Total i të gjitha peshave duhet të jetë detyrë 1. Ju lutemi të rregulluar peshat e të gjitha detyrave të Projektit në përputhje me rrethanat
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Ofrimit Shënim {0} nuk është dorëzuar
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Item {0} duhet të jetë një nënkontraktohet Item
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Pajisje kapitale
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Total i të gjitha peshave duhet të jetë detyrë 1. Ju lutemi të rregulluar peshat e të gjitha detyrave të Projektit në përputhje me rrethanat
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Ofrimit Shënim {0} nuk është dorëzuar
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Item {0} duhet të jetë një nënkontraktohet Item
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Pajisje kapitale
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Rregulla e Çmimeve është zgjedhur për herë të parë në bazë të "Apliko në 'fushë, të cilat mund të jenë të artikullit, Grupi i artikullit ose markë."
DocType: Hub Settings,Seller Website,Shitës Faqja
DocType: Item,ITEM-,ITEM-
@@ -1336,7 +1342,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Nuk mund të jetë vetëm një Transporti Rregulla Kushti me 0 ose vlerë bosh për "vlerës"
DocType: Authorization Rule,Transaction,Transaksion
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Shënim: Ky Qendra Kosto është një grup. Nuk mund të bëjë shënimet e kontabilitetit kundër grupeve.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,depo Child ekziston për këtë depo. Ju nuk mund të fshini këtë depo.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,depo Child ekziston për këtë depo. Ju nuk mund të fshini këtë depo.
DocType: Item,Website Item Groups,Faqja kryesore Item Grupet
DocType: Purchase Invoice,Total (Company Currency),Total (Kompania Valuta)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Numri serik {0} hyrë më shumë se një herë
@@ -1346,7 +1352,7 @@
DocType: Grading Scale Interval,Grade Code,Kodi Grade
DocType: POS Item Group,POS Item Group,POS Item Group
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email Digest:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} nuk i përket Item {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} nuk i përket Item {1}
DocType: Sales Partner,Target Distribution,Shpërndarja Target
DocType: Salary Slip,Bank Account No.,Llogarisë Bankare Nr
DocType: Naming Series,This is the number of the last created transaction with this prefix,Ky është numri i transaksionit të fundit të krijuar me këtë prefiks
@@ -1357,12 +1363,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Zhvlerësimi Book Asset Hyrja Automatikisht
DocType: BOM Operation,Workstation,Workstation
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Kërkesë për Kuotim Furnizuesit
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Hardware
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Hardware
DocType: Sales Order,Recurring Upto,përsëritur upto
DocType: Attendance,HR Manager,Menaxher HR
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Ju lutem zgjidhni një Company
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Privilegj Leave
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Ju lutem zgjidhni një Company
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Privilegj Leave
DocType: Purchase Invoice,Supplier Invoice Date,Furnizuesi Data e faturës
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,për
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Ju duhet të mundësojnë Shporta
DocType: Payment Entry,Writeoff,Writeoff
DocType: Appraisal Template Goal,Appraisal Template Goal,Vlerësimi Template Qëllimi
@@ -1373,10 +1380,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Kushtet e mbivendosjes gjenden në mes:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Kundër Fletoren Hyrja {0} është përshtatur tashmë kundër një kupon tjetër
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Vlera Totale Rendit
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Ushqim
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Ushqim
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Gama plakjen 3
DocType: Maintenance Schedule Item,No of Visits,Nr i vizitave
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Mark FREKUENTIMI
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Mark FREKUENTIMI
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Mirëmbajtja Shtojca {0} ekziston kundër {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,studenti regjistrimit
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Monedhën e llogarisë Mbyllja duhet të jetë {0}
@@ -1390,6 +1397,7 @@
DocType: Rename Tool,Utilities,Shërbime komunale
DocType: Purchase Invoice Item,Accounting,Llogaritje
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,"Ju lutem, përzgjidhni tufa për artikull në pako"
DocType: Asset,Depreciation Schedules,Oraret e amortizimit
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Periudha e aplikimit nuk mund të jetë periudhë ndarja leje jashtë
DocType: Activity Cost,Projects,Projektet
@@ -1403,6 +1411,7 @@
DocType: POS Profile,Campaign,Fushatë
DocType: Supplier,Name and Type,Emri dhe lloji i
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Miratimi Statusi duhet të jetë "miratuar" ose "Refuzuar '
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,bootstrap
DocType: Purchase Invoice,Contact Person,Personi kontaktues
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"Pritet Data e Fillimit 'nuk mund të jetë më i madh se" Data e Përfundimit e pritshme'
DocType: Course Scheduling Tool,Course End Date,Sigurisht End Date
@@ -1410,12 +1419,11 @@
DocType: Sales Order Item,Planned Quantity,Sasia e planifikuar
DocType: Purchase Invoice Item,Item Tax Amount,Shuma Tatimore Item
DocType: Item,Maintain Stock,Ruajtja Stock
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Stock Entries krijuar tashmë për Rendin Production
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Stock Entries krijuar tashmë për Rendin Production
DocType: Employee,Prefered Email,i preferuar Email
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Ndryshimi neto në aseteve fikse
DocType: Leave Control Panel,Leave blank if considered for all designations,Lini bosh nëse konsiderohet për të gjitha përcaktimeve
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Magazina është i detyrueshëm për Llogaritë jo grupit të tipit magazinë
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Ngarkesa e tipit 'aktuale' në rresht {0} nuk mund të përfshihen në Item Rate
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Ngarkesa e tipit 'aktuale' në rresht {0} nuk mund të përfshihen në Item Rate
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Nga datetime
DocType: Email Digest,For Company,Për Kompaninë
@@ -1425,15 +1433,15 @@
DocType: Sales Invoice,Shipping Address Name,Transporti Adresa Emri
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Lista e Llogarive
DocType: Material Request,Terms and Conditions Content,Termat dhe Kushtet Përmbajtja
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,nuk mund të jetë më i madh se 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Item {0} nuk është një gjendje Item
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,nuk mund të jetë më i madh se 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Item {0} nuk është një gjendje Item
DocType: Maintenance Visit,Unscheduled,Paplanifikuar
DocType: Employee,Owned,Pronësi
DocType: Salary Detail,Depends on Leave Without Pay,Varet në pushim pa pagesë
DocType: Pricing Rule,"Higher the number, higher the priority","Më i lartë numri, më i lartë prioriteti"
,Purchase Invoice Trends,Blerje Trendet Faturë
DocType: Employee,Better Prospects,Perspektivë më të mirë
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Rresht # {0}: The batch {1} ka vetëm {2} Qty. Ju lutem zgjidhni një tjetër grumbull cila ka {3} Qty në dispozicion ose ndarë rresht në rreshta të shumta, për të ofruar / çështje nga tufa të shumta"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Rresht # {0}: The batch {1} ka vetëm {2} Qty. Ju lutem zgjidhni një tjetër grumbull cila ka {3} Qty në dispozicion ose ndarë rresht në rreshta të shumta, për të ofruar / çështje nga tufa të shumta"
DocType: Vehicle,License Plate,Targë
DocType: Appraisal,Goals,Qëllimet
DocType: Warranty Claim,Warranty / AMC Status,Garanci / AMC Statusi
@@ -1444,19 +1452,20 @@
,Batch-Wise Balance History,Batch-urti Historia Bilanci
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,cilësimet e printimit përditësuar në format përkatëse të shtypura
DocType: Package Code,Package Code,Kodi paketë
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Nxënës
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Nxënës
+DocType: Purchase Invoice,Company GSTIN,Company GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Sasi negativ nuk është e lejuar
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",Detaje taksave tryezë sforcuar nga mjeshtri pika si një varg dhe të depozituara në këtë fushë. Përdoret për taksat dhe tatimet
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Punonjësi nuk mund të raportojnë për veten e tij.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Në qoftë se llogaria është e ngrirë, shënimet janë të lejuar për përdoruesit të kufizuara."
DocType: Email Digest,Bank Balance,Bilanci bankë
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Hyrja Kontabiliteti për {0}: {1} mund të bëhen vetëm në monedhën: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Hyrja Kontabiliteti për {0}: {1} mund të bëhen vetëm në monedhën: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Profili i punës, kualifikimet e nevojshme etj"
DocType: Journal Entry Account,Account Balance,Bilanci i llogarisë
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Rregulla taksë për transaksionet.
DocType: Rename Tool,Type of document to rename.,Lloji i dokumentit për të riemërtoni.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Ne blerë këtë artikull
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Ne blerë këtë artikull
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Customer është i detyruar kundrejt llogarisë arkëtueshme {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Totali Taksat dhe Tarifat (Kompania Valuta)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Trego P & L bilancet pambyllur vitit fiskal
@@ -1467,29 +1476,30 @@
DocType: Stock Entry,Total Additional Costs,Gjithsej kosto shtesë
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Kosto skrap Material (Company Valuta)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Kuvendet Nën
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Kuvendet Nën
DocType: Asset,Asset Name,Emri i Aseteve
DocType: Project,Task Weight,Task Pesha
DocType: Shipping Rule Condition,To Value,Të vlerës
DocType: Asset Movement,Stock Manager,Stock Menaxher
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Depo Burimi është i detyrueshëm për rresht {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Shqip Paketimi
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Zyra Qira
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Depo Burimi është i detyrueshëm për rresht {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Shqip Paketimi
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Zyra Qira
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Setup SMS settings portë
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Import dështoi!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Ka adresë shtuar ende.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Ka adresë shtuar ende.
DocType: Workstation Working Hour,Workstation Working Hour,Workstation orë pune
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Analist
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Analist
DocType: Item,Inventory,Inventar
DocType: Item,Sales Details,Shitjet Detajet
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,Me Items
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,Në Qty
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,Në Qty
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Vlereso regjistruar Kursin për Studentët në Grupin e Studentëve
DocType: Notification Control,Expense Claim Rejected,Shpenzim Kërkesa Refuzuar
DocType: Item,Item Attribute,Item Attribute
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Qeveri
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Qeveri
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Expense Kërkesa {0} ekziston për Log automjeteve
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Emri Institute
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Emri Institute
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,Ju lutemi shkruani shlyerjes Shuma
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Variantet pika
DocType: Company,Services,Sherbime
@@ -1499,18 +1509,18 @@
DocType: Sales Invoice,Source,Burim
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Shfaq të mbyllura
DocType: Leave Type,Is Leave Without Pay,Lini është pa pagesë
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Asset Kategoria është i detyrueshëm për artikull Aseteve Fikse
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset Kategoria është i detyrueshëm për artikull Aseteve Fikse
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Nuk u gjetën në tabelën e Pagesave të dhënat
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Kjo {0} konfliktet me {1} për {2} {3}
DocType: Student Attendance Tool,Students HTML,studentët HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Viti Financiar Data e Fillimit
DocType: POS Profile,Apply Discount,aplikoni Discount
+DocType: Purchase Invoice Item,GST HSN Code,GST Code HSN
DocType: Employee External Work History,Total Experience,Përvoja Total
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Projektet e hapura
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Paketimi Shqip (s) anulluar
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Cash Flow nga Investimi
DocType: Program Course,Program Course,Kursi program
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Mallrave dhe Forwarding Pagesat
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Mallrave dhe Forwarding Pagesat
DocType: Homepage,Company Tagline for website homepage,Kompania Tagline për faqen e internetit
DocType: Item Group,Item Group Name,Item Emri i Grupit
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Marrë
@@ -1520,6 +1530,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Krijo kryeson
DocType: Maintenance Schedule,Schedules,Oraret
DocType: Purchase Invoice Item,Net Amount,Shuma neto
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} nuk ka qenë i paraqitur në mënyrë veprimi nuk mund të përfundojë
DocType: Purchase Order Item Supplied,BOM Detail No,Bom Detail Asnjë
DocType: Landed Cost Voucher,Additional Charges,akuza të tjera
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Shtesë Shuma Discount (Valuta Company)
@@ -1535,6 +1546,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Shuma mujore e pagesës
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,Ju lutemi të vendosur User fushë ID në një rekord të Punonjësve të vendosur Roli punonjës
DocType: UOM,UOM Name,Emri UOM
+DocType: GST HSN Code,HSN Code,Kodi HSN
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Shuma Kontribut
DocType: Purchase Invoice,Shipping Address,Transporti Adresa
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Ky mjet ju ndihmon për të rinovuar ose të rregulluar sasinë dhe vlerësimin e aksioneve në sistemin. Ajo është përdorur zakonisht për të sinkronizuar vlerat e sistemit dhe çfarë në të vërtetë ekziston në depo tuaj.
@@ -1545,18 +1557,17 @@
DocType: Program Enrollment Tool,Program Enrollments,Program Regjistrimet
DocType: Sales Invoice Item,Brand Name,Brand Name
DocType: Purchase Receipt,Transporter Details,Detajet Transporter
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,depo Default është e nevojshme për pika të zgjedhura
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Kuti
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,depo Default është e nevojshme për pika të zgjedhura
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Kuti
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,mundur Furnizuesi
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Organizata
DocType: Budget,Monthly Distribution,Shpërndarja mujore
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Marresit Lista është e zbrazët. Ju lutem krijoni Marresit Lista
DocType: Production Plan Sales Order,Production Plan Sales Order,Prodhimit Plani Rendit Sales
DocType: Sales Partner,Sales Partner Target,Sales Partner Target
DocType: Loan Type,Maximum Loan Amount,Shuma maksimale e kredisë
DocType: Pricing Rule,Pricing Rule,Rregulla e Çmimeve
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Numri Duplicate roll për nxënës {0}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Numri Duplicate roll për nxënës {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Numri Duplicate roll për nxënës {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Numri Duplicate roll për nxënës {0}
DocType: Budget,Action if Annual Budget Exceeded,Veprimi në qoftë Buxheti vjetor Tejkaluar
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Kërkesë materiale për të blerë Radhit
DocType: Shopping Cart Settings,Payment Success URL,Pagesa Suksesi URL
@@ -1569,11 +1580,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Hapja Stock Bilanci
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} duhet të shfaqen vetëm një herë
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Nuk lejohet të tranfer më {0} se {1} kundër Rendit Blerje {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Nuk lejohet të tranfer më {0} se {1} kundër Rendit Blerje {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Lë alokuar sukses për {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Asnjë informacion që të dal
DocType: Shipping Rule Condition,From Value,Nga Vlera
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Prodhim Sasia është e detyrueshme
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Prodhim Sasia është e detyrueshme
DocType: Employee Loan,Repayment Method,Metoda Ripagimi
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Nëse zgjidhet, faqja Faqja do të jetë paracaktuar Item Grupi për faqen e internetit"
DocType: Quality Inspection Reading,Reading 4,Leximi 4
@@ -1583,7 +1594,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Row # {0}: date Pastrimi {1} nuk mund të jetë para datës çek {2}
DocType: Company,Default Holiday List,Default Festa Lista
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Row {0}: Nga kohë dhe për kohën e {1} është mbivendosje me {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Stock Detyrimet
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Stock Detyrimet
DocType: Purchase Invoice,Supplier Warehouse,Furnizuesi Magazina
DocType: Opportunity,Contact Mobile No,Kontaktoni Mobile Asnjë
,Material Requests for which Supplier Quotations are not created,Kërkesat materiale për të cilat Kuotimet Furnizuesi nuk janë krijuar
@@ -1594,35 +1605,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Bëni Kuotim
apps/erpnext/erpnext/config/selling.py +216,Other Reports,Raportet tjera
DocType: Dependent Task,Dependent Task,Detyra e varur
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Faktori i konvertimit për Njësinë e parazgjedhur të Masës duhet të jetë 1 në rreshtin e {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Faktori i konvertimit për Njësinë e parazgjedhur të Masës duhet të jetë 1 në rreshtin e {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Pushimi i tipit {0} nuk mund të jetë më i gjatë se {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Provoni planifikimin e operacioneve për ditë X paraprakisht.
DocType: HR Settings,Stop Birthday Reminders,Stop Ditëlindja Harroni
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Ju lutemi të vendosur Default Payroll Llogaria e pagueshme në Kompaninë {0}
DocType: SMS Center,Receiver List,Marresit Lista
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Kërko Item
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Kërko Item
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Shuma konsumuar
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Ndryshimi neto në para të gatshme
DocType: Assessment Plan,Grading Scale,Scale Nota
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Njësia e masës {0} ka hyrë më shumë se një herë në Konvertimi Faktori Tabelën
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Njësia e masës {0} ka hyrë më shumë se një herë në Konvertimi Faktori Tabelën
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,përfunduar tashmë
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Stock In Hand
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Kërkesa pagesa tashmë ekziston {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Kostoja e Artikujve emetuara
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Sasia nuk duhet të jetë më shumë se {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Previous Viti financiar nuk është e mbyllur
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Mosha (ditë)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Mosha (ditë)
DocType: Quotation Item,Quotation Item,Citat Item
+DocType: Customer,Customer POS Id,Customer POS Id
DocType: Account,Account Name,Emri i llogarisë
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Nga Data nuk mund të jetë më i madh se deri më sot
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serial No {0} sasi {1} nuk mund të jetë një pjesë
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Furnizuesi Lloji mjeshtër.
DocType: Purchase Order Item,Supplier Part Number,Furnizuesi Pjesa Numër
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Shkalla e konvertimit nuk mund të jetë 0 ose 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Shkalla e konvertimit nuk mund të jetë 0 ose 1
DocType: Sales Invoice,Reference Document,Dokumenti Referenca
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} është anuluar ose ndaluar
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} është anuluar ose ndaluar
DocType: Accounts Settings,Credit Controller,Kontrolluesi krediti
DocType: Delivery Note,Vehicle Dispatch Date,Automjeteve Dërgimi Data
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Blerje Pranimi {0} nuk është dorëzuar
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Blerje Pranimi {0} nuk është dorëzuar
DocType: Company,Default Payable Account,Gabim Llogaria pagueshme
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Cilësimet për internet shopping cart tilla si rregullat e transportit detar, lista e çmimeve etj"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% faturuar
@@ -1641,11 +1654,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Shuma totale rimbursohen
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Kjo është e bazuar në shkrimet kundër këtij automjeteve. Shih afat kohor më poshtë për detaje
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,mbledh
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Kundër Furnizuesin Fatura {0} datë {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Kundër Furnizuesin Fatura {0} datë {1}
DocType: Customer,Default Price List,E albumit Lista e Çmimeve
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Rekord Lëvizja Asset {0} krijuar
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Ju nuk mund të fshini Viti Fiskal {0}. Viti Fiskal {0} është vendosur si default në Settings Global
DocType: Journal Entry,Entry Type,Hyrja Lloji
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Nuk ka plan vlerësimi lidhur me këtë grup të vlerësimit
,Customer Credit Balance,Bilanci Customer Credit
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Ndryshimi neto në llogaritë e pagueshme
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Customer kërkohet për 'Customerwise Discount "
@@ -1654,7 +1668,7 @@
DocType: Quotation,Term Details,Detajet Term
DocType: Project,Total Sales Cost (via Sales Order),Sales Total Kosto (via Sales Order)
DocType: Project,Total Sales Cost (via Sales Order),Sales Total Kosto (via Sales Order)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Nuk mund të regjistrohen më shumë se {0} nxënësve për këtë grup të studentëve.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Nuk mund të regjistrohen më shumë se {0} nxënësve për këtë grup të studentëve.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Numërimi Lead
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Numërimi Lead
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} duhet të jetë më i madh se 0
@@ -1677,7 +1691,7 @@
DocType: Sales Invoice,Packed Items,Items të mbushura
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garanci Padia kundër Serial Nr
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Replace një bom të veçantë në të gjitha BOM-in e tjera ku është përdorur. Ajo do të zëvendësojë vjetër linkun bom, Përditëso koston dhe rigjenerimin "bom Shpërthimi pika" tryezë si për të ri bom"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total',"Total"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total',"Total"
DocType: Shopping Cart Settings,Enable Shopping Cart,Aktivizo Shporta
DocType: Employee,Permanent Address,Adresa e përhershme
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1693,9 +1707,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,Ju lutem specifikoni ose Sasia apo vlerësimin Vlerësoni apo të dyja
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,përmbushje
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Shiko në Shportë
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Shpenzimet e marketingut
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Shpenzimet e marketingut
,Item Shortage Report,Item Mungesa Raport
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Pesha është përmendur, \ nJu lutemi të përmendim "Weight UOM" shumë"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Pesha është përmendur, \ nJu lutemi të përmendim "Weight UOM" shumë"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Kërkesa material përdoret për të bërë këtë Stock Hyrja
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Zhvlerësimi Data Next është i detyrueshëm për pasuri të re
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Sigurisht veçantë bazuar Grupi për çdo Batch
@@ -1705,17 +1719,18 @@
,Student Fee Collection,Tarifa Student Collection
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Bëni hyrje të kontabilitetit për çdo veprim Stock
DocType: Leave Allocation,Total Leaves Allocated,Totali Lë alokuar
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Magazina kërkohet në radhë nr {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Ju lutem shkruani Viti Financiar i vlefshëm Start dhe Datat Fundi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Magazina kërkohet në radhë nr {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Ju lutem shkruani Viti Financiar i vlefshëm Start dhe Datat Fundi
DocType: Employee,Date Of Retirement,Data e daljes në pension
DocType: Upload Attendance,Get Template,Get Template
+DocType: Material Request,Transferred,transferuar
DocType: Vehicle,Doors,Dyer
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext Setup Complete!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup Complete!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Qendra Kosto është e nevojshme për "Fitimi dhe Humbja 'llogarisë {2}. Ju lutemi të ngritur një qendër me kosto të paracaktuar për kompaninë.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Një grup të konsumatorëve ekziston me të njëjtin emër, ju lutem të ndryshojë emrin Customer ose riemërtoni grup të konsumatorëve"
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Kontakti i ri
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Një grup të konsumatorëve ekziston me të njëjtin emër, ju lutem të ndryshojë emrin Customer ose riemërtoni grup të konsumatorëve"
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Kontakti i ri
DocType: Territory,Parent Territory,Territori prind
DocType: Quality Inspection Reading,Reading 2,Leximi 2
DocType: Stock Entry,Material Receipt,Pranimi materiale
@@ -1724,17 +1739,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Nëse ky artikull ka variante, atëherë ajo nuk mund të zgjidhen në shitje urdhrat etj"
DocType: Lead,Next Contact By,Kontakt Next By
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Sasia e nevojshme për Item {0} në rresht {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},Magazina {0} nuk mund të fshihet si ekziston sasia e artikullit {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Sasia e nevojshme për Item {0} në rresht {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Magazina {0} nuk mund të fshihet si ekziston sasia e artikullit {1}
DocType: Quotation,Order Type,Rendit Type
DocType: Purchase Invoice,Notification Email Address,Njoftimi Email Adresa
,Item-wise Sales Register,Pika-mençur Sales Regjistrohu
DocType: Asset,Gross Purchase Amount,Shuma Blerje Gross
DocType: Asset,Depreciation Method,Metoda e amortizimit
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,në linjë
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,në linjë
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,A është kjo Tatimore të përfshira në normën bazë?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Target Total
-DocType: Program Course,Required,i nevojshëm
DocType: Job Applicant,Applicant for a Job,Aplikuesi për një punë
DocType: Production Plan Material Request,Production Plan Material Request,Prodhimi Plan Material Request
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Nuk urdhërat e prodhimit të krijuara
@@ -1744,17 +1758,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Lejo Sales shumta urdhra kundër Rendit Blerje një konsumatorit
DocType: Student Group Instructor,Student Group Instructor,Grupi Student Instruktor
DocType: Student Group Instructor,Student Group Instructor,Grupi Student Instruktor
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 Mobile No
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Kryesor
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile No
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Kryesor
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variant
DocType: Naming Series,Set prefix for numbering series on your transactions,Prefiksi vendosur për numëron seri mbi transaksionet tuaja
DocType: Employee Attendance Tool,Employees HTML,punonjësit HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Gabim BOM ({0}) duhet të jetë aktiv për këtë artikull ose template saj
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Gabim BOM ({0}) duhet të jetë aktiv për këtë artikull ose template saj
DocType: Employee,Leave Encashed?,Dërgo arkëtuar?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Opportunity Nga fushë është e detyrueshme
DocType: Email Digest,Annual Expenses,Shpenzimet vjetore
DocType: Item,Variants,Variantet
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Bëni Rendit Blerje
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Bëni Rendit Blerje
DocType: SMS Center,Send To,Send To
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Nuk ka bilanc mjaft leje për pushim Lloji {0}
DocType: Payment Reconciliation Payment,Allocated amount,Shuma e ndarë
@@ -1769,26 +1783,25 @@
DocType: Item,Serial Nos and Batches,Serial Nr dhe Batches
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Grupi Student Forca
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Grupi Student Forca
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Kundër Fletoren Hyrja {0} nuk ka asnjë pashoq {1} hyrje
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Kundër Fletoren Hyrja {0} nuk ka asnjë pashoq {1} hyrje
apps/erpnext/erpnext/config/hr.py +137,Appraisals,vlerësime
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Duplicate Serial Asnjë hyrë për Item {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Një kusht për Sundimin Shipping
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Ju lutemi shkruani
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","nuk mund overbill për artikullit {0} në rradhë {1} më shumë se {2}. Për të lejuar mbi-faturimit, ju lutemi të vendosur në Blerja Settings"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Ju lutemi të vendosur filtër në bazë të artikullit ose Magazina
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","nuk mund overbill për artikullit {0} në rradhë {1} më shumë se {2}. Për të lejuar mbi-faturimit, ju lutemi të vendosur në Blerja Settings"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Ju lutemi të vendosur filtër në bazë të artikullit ose Magazina
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Pesha neto i kësaj pakete. (Llogaritet automatikisht si shumë të peshës neto të artikujve)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Ju lutem të krijuar një llogari për këtë depo dhe e lidhin atë. Kjo nuk mund të bëhet në mënyrë automatike si një llogari me emrin {0} tashmë ekziston
DocType: Sales Order,To Deliver and Bill,Për të ofruar dhe Bill
DocType: Student Group,Instructors,instruktorët
DocType: GL Entry,Credit Amount in Account Currency,Shuma e kredisë në llogari në monedhë të
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} duhet të dorëzohet
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} duhet të dorëzohet
DocType: Authorization Control,Authorization Control,Kontrolli Autorizimi
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Rejected Magazina është e detyrueshme kundër Item refuzuar {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Rejected Magazina është e detyrueshme kundër Item refuzuar {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Pagesa
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Magazina {0} nuk është e lidhur me ndonjë llogari, ju lutemi të përmendim llogari në procesverbal depo apo vendosur llogari inventarit parazgjedhur në kompaninë {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Menaxho urdhërat tuaj
DocType: Production Order Operation,Actual Time and Cost,Koha aktuale dhe kostos
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Kërkesa material i maksimumi {0} mund të jetë bërë për Item {1} kundër Sales Rendit {2}
-DocType: Employee,Salutation,Përshëndetje
DocType: Course,Course Abbreviation,Shkurtesa Course
DocType: Student Leave Application,Student Leave Application,Student Leave Aplikimi
DocType: Item,Will also apply for variants,Gjithashtu do të aplikojë për variantet
@@ -1800,12 +1813,12 @@
DocType: Quotation Item,Actual Qty,Aktuale Qty
DocType: Sales Invoice Item,References,Referencat
DocType: Quality Inspection Reading,Reading 10,Leximi 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Lista produktet ose shërbimet tuaja që ju të blerë ose shitur. Sigurohuni që të kontrolloni Grupin artikull, Njësia e masës dhe pronat e tjera, kur ju filloni."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Lista produktet ose shërbimet tuaja që ju të blerë ose shitur. Sigurohuni që të kontrolloni Grupin artikull, Njësia e masës dhe pronat e tjera, kur ju filloni."
DocType: Hub Settings,Hub Node,Hub Nyja
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Ju keni hyrë artikuj kopjuar. Ju lutemi të ndrequr dhe provoni përsëri.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Koleg
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Koleg
DocType: Asset Movement,Asset Movement,Lëvizja e aseteve
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,Shporta e re
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Shporta e re
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Item {0} nuk është një Item serialized
DocType: SMS Center,Create Receiver List,Krijo Marresit Lista
DocType: Vehicle,Wheels,rrota
@@ -1825,19 +1838,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Mund t'i referohet rresht vetëm nëse tipi është ngarkuar "Për Previous Shuma Row 'ose' Previous Row Total"
DocType: Sales Order Item,Delivery Warehouse,Ofrimit Magazina
DocType: SMS Settings,Message Parameter,Mesazh Parametri
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Pema e Qendrave te Kostos financiare.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Pema e Qendrave te Kostos financiare.
DocType: Serial No,Delivery Document No,Ofrimit Dokumenti Asnjë
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Ju lutemi të vendosur 'Gain llogari / humbje neto nga shitja aseteve' në kompaninë {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Të marrë sendet nga Pranimeve Blerje
DocType: Serial No,Creation Date,Krijimi Data
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Item {0} shfaqet herë të shumta në Çmimi Lista {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Shitja duhet të kontrollohet, nëse është e aplikueshme për të është zgjedhur si {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Shitja duhet të kontrollohet, nëse është e aplikueshme për të është zgjedhur si {0}"
DocType: Production Plan Material Request,Material Request Date,Material Kërkesa Date
DocType: Purchase Order Item,Supplier Quotation Item,Citat Furnizuesi Item
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Pamundëson krijimin e kohës shkrimet kundër urdhërat e prodhimit. Operacionet nuk do të gjurmuar kundër Rendit Production
DocType: Student,Student Mobile Number,Student Mobile Number
DocType: Item,Has Variants,Ka Variantet
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Ju keni zgjedhur tashmë artikuj nga {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Ju keni zgjedhur tashmë artikuj nga {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Emri i Shpërndarjes Mujore
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Grumbull ID është i detyrueshëm
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Grumbull ID është i detyrueshëm
@@ -1848,12 +1861,12 @@
DocType: Budget,Fiscal Year,Viti Fiskal
DocType: Vehicle Log,Fuel Price,Fuel Price
DocType: Budget,Budget,Buxhet
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Fixed Item Aseteve duhet të jetë një element jo-aksioneve.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Fixed Item Aseteve duhet të jetë një element jo-aksioneve.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Buxheti nuk mund të caktohet {0} kundër, pasi kjo nuk është një llogari të ardhura ose shpenzime"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Arritur
DocType: Student Admission,Application Form Route,Formular Aplikimi Route
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Territori / Customer
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,p.sh. 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,p.sh. 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Dërgo Lloji {0} nuk mund të ndahen pasi ajo është lënë pa paguar
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Row {0}: Shuma e ndarë {1} duhet të jetë më pak se ose e barabartë me shumën e faturës papaguar {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Me fjalë do të jetë i dukshëm një herë ju ruani Sales Faturë.
@@ -1862,7 +1875,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Item {0} nuk është setup për Serial Nr. Kontrolloni mjeshtër Item
DocType: Maintenance Visit,Maintenance Time,Mirëmbajtja Koha
,Amount to Deliver,Shuma për të Ofruar
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Një produkt apo shërbim
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Një produkt apo shërbim
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Term Data e fillimit nuk mund të jetë më herët se Year Data e fillimit të vitit akademik në të cilin termi është i lidhur (Viti Akademik {}). Ju lutem, Korrigjo datat dhe provoni përsëri."
DocType: Guardian,Guardian Interests,Guardian Interesat
DocType: Naming Series,Current Value,Vlera e tanishme
@@ -1876,12 +1889,12 @@
must be greater than or equal to {2}","Row {0}: Për të vendosur {1} periodiciteti, dallimi në mes të dhe në datën \ duhet të jetë më e madhe se ose e barabartë me {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Kjo është e bazuar në lëvizjen e aksioneve. Shih {0} për detaje
DocType: Pricing Rule,Selling,Shitja
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Shuma {0} {1} zbritur kundër {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Shuma {0} {1} zbritur kundër {2}
DocType: Employee,Salary Information,Informacione paga
DocType: Sales Person,Name and Employee ID,Emri dhe punonjës ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,Për shkak Data nuk mund të jetë para se të postimi Data
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,Për shkak Data nuk mund të jetë para se të postimi Data
DocType: Website Item Group,Website Item Group,Faqja kryesore Item Grupi
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Detyrat dhe Taksat
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Detyrat dhe Taksat
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Ju lutem shkruani datën Reference
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} shënimet e pagesës nuk mund të filtrohen nga {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,Tabela për çështje që do të shfaqet në Web Site
@@ -1898,9 +1911,9 @@
DocType: Payment Reconciliation Payment,Reference Row,Reference Row
DocType: Installation Note,Installation Time,Instalimi Koha
DocType: Sales Invoice,Accounting Details,Detajet Kontabilitet
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Fshij gjitha transaksionet për këtë kompani
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: Operacioni {1} nuk është përfunduar për {2} Qty e mallrave të kryer në prodhimin Order # {3}. Ju lutem Përditëso statusin operacion anë Koha Shkrime
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Investimet
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Fshij gjitha transaksionet për këtë kompani
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: Operacioni {1} nuk është përfunduar për {2} Qty e mallrave të kryer në prodhimin Order # {3}. Ju lutem Përditëso statusin operacion anë Koha Shkrime
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Investimet
DocType: Issue,Resolution Details,Rezoluta Detajet
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,alokimet
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Kriteret e pranimit
@@ -1925,7 +1938,7 @@
DocType: Room,Room Name,Room Emri
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Lini nuk mund të zbatohet / anulohet {0} para, si bilanci leja ka qenë tashmë copë dërgohet në regjistrin e ardhshëm alokimit Pushimi {1}"
DocType: Activity Cost,Costing Rate,Kushton Rate
-,Customer Addresses And Contacts,Adresat dhe kontaktet Customer
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Adresat dhe kontaktet Customer
,Campaign Efficiency,Efikasiteti fushatë
,Campaign Efficiency,Efikasiteti fushatë
DocType: Discussion,Discussion,diskutim
@@ -1937,14 +1950,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Total Shuma Faturimi (via Koha Sheet)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Përsëriteni ardhurat Klientit
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) duhet të ketë rol 'aprovuesi kurriz'
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Palë
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Zgjidhni bom dhe Qty për Prodhimin
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Palë
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Zgjidhni bom dhe Qty për Prodhimin
DocType: Asset,Depreciation Schedule,Zhvlerësimi Orari
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Adresat Sales partner dhe Kontakte
DocType: Bank Reconciliation Detail,Against Account,Kundër Llogaria
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Half Data Day duhet të jetë midis Nga Data dhe deri më sot
DocType: Maintenance Schedule Detail,Actual Date,Aktuale Data
DocType: Item,Has Batch No,Ka Serisë Asnjë
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Faturimi vjetore: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Faturimi vjetore: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Mallrat dhe Shërbimet Tatimore (GST India)
DocType: Delivery Note,Excise Page Number,Akciza Faqja Numër
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Kompania, Nga Data dhe deri më sot është e detyrueshme"
DocType: Asset,Purchase Date,Blerje Date
@@ -1952,11 +1967,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Ju lutemi të vendosur 'të mjeteve Qendra Amortizimi Kosto' në Kompaninë {0}
,Maintenance Schedules,Mirëmbajtja Oraret
DocType: Task,Actual End Date (via Time Sheet),Aktuale End Date (via Koha Sheet)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Shuma {0} {1} kundër {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Shuma {0} {1} kundër {2} {3}
,Quotation Trends,Kuotimit Trendet
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Grupi pika nuk përmendet në pikën për të zotëruar pikën {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Debiti te llogaria duhet të jetë një llogari të arkëtueshme
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Grupi pika nuk përmendet në pikën për të zotëruar pikën {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Debiti te llogaria duhet të jetë një llogari të arkëtueshme
DocType: Shipping Rule Condition,Shipping Amount,Shuma e anijeve
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Shto Konsumatorët
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Në pritje Shuma
DocType: Purchase Invoice Item,Conversion Factor,Konvertimi Faktori
DocType: Purchase Order,Delivered,Dorëzuar
@@ -1966,7 +1982,8 @@
DocType: Purchase Receipt,Vehicle Number,Numri i Automjeteve
DocType: Purchase Invoice,The date on which recurring invoice will be stop,Data në të cilën përsëritura fatura do të ndalet
DocType: Employee Loan,Loan Amount,Shuma e kredisë
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill e materialeve nuk u gjet për pika {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Self-Driving automjeteve
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill e materialeve nuk u gjet për pika {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Gjithsej gjethet e ndara {0} nuk mund të jetë më pak se gjethet tashmë të miratuara {1} për periudhën
DocType: Journal Entry,Accounts Receivable,Llogaritë e arkëtueshme
,Supplier-Wise Sales Analytics,Furnizuesi-i mençur Sales Analytics
@@ -1984,21 +2001,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Shpenzim Kërkesa është në pritje të miratimit. Vetëm aprovuesi shpenzimeve mund update statusin.
DocType: Email Digest,New Expenses,Shpenzimet e reja
DocType: Purchase Invoice,Additional Discount Amount,Shtesë Shuma Discount
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Qty duhet të jetë 1, pasi pika është një pasuri fikse. Ju lutem përdorni rresht të veçantë për Qty shumëfishtë."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Qty duhet të jetë 1, pasi pika është një pasuri fikse. Ju lutem përdorni rresht të veçantë për Qty shumëfishtë."
DocType: Leave Block List Allow,Leave Block List Allow,Dërgo Block Lista Lejoni
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Abbr nuk mund të jetë bosh ose hapësirë
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr nuk mund të jetë bosh ose hapësirë
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Grup për jo-Group
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sportiv
DocType: Loan Type,Loan Name,kredi Emri
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Gjithsej aktuale
DocType: Student Siblings,Student Siblings,Vëllai dhe motra e studentëve
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Njësi
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,Ju lutem specifikoni Company
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Njësi
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Ju lutem specifikoni Company
,Customer Acquisition and Loyalty,Customer Blerja dhe Besnik
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Magazina ku ju jeni mbajtjen e aksioneve të artikujve refuzuar
DocType: Production Order,Skip Material Transfer,Kalo Material Transferimi
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Në pamundësi për të gjetur kursin e këmbimit për {0} në {1} për datën kyçe {2}. Ju lutem të krijuar një rekord Currency Exchange dorë
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Vitin e juaj financiare përfundon në
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Në pamundësi për të gjetur kursin e këmbimit për {0} në {1} për datën kyçe {2}. Ju lutem të krijuar një rekord Currency Exchange dorë
DocType: POS Profile,Price List,Tarifë
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} është tani default Viti Fiskal. Ju lutemi të rifreskoni shfletuesin tuaj për ndryshim të hyjnë në fuqi.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Kërkesat e shpenzimeve
@@ -2011,14 +2027,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Bilanci aksioneve në Serisë {0} do të bëhet negative {1} për Item {2} në {3} Magazina
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Pas kërkesave materiale janë ngritur automatikisht bazuar në nivelin e ri të rendit zërit
DocType: Email Digest,Pending Sales Orders,Në pritje Sales urdhëron
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Llogari {0} është i pavlefshëm. Llogaria Valuta duhet të jetë {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Llogari {0} është i pavlefshëm. Llogaria Valuta duhet të jetë {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Faktori UOM Konvertimi është e nevojshme në rresht {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Reference Lloji i dokumentit duhet të jetë një nga Sales Rendit, Sales Fatura ose Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Reference Lloji i dokumentit duhet të jetë një nga Sales Rendit, Sales Fatura ose Journal Entry"
DocType: Salary Component,Deduction,Zbritje
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Row {0}: Nga koha dhe në kohë është i detyrueshëm.
DocType: Stock Reconciliation Item,Amount Difference,shuma Diferenca
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Item Çmimi shtuar për {0} në çmim Lista {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Item Çmimi shtuar për {0} në çmim Lista {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Ju lutemi shkruani punonjës Id i këtij personi të shitjes
DocType: Territory,Classification of Customers by region,Klasifikimi i Konsumatorëve sipas rajonit
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Dallimi Shuma duhet të jetë zero
@@ -2030,21 +2046,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Zbritje Total
,Production Analytics,Analytics prodhimit
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Kosto Përditësuar
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Kosto Përditësuar
DocType: Employee,Date of Birth,Data e lindjes
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Item {0} tashmë është kthyer
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Item {0} tashmë është kthyer
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Viti Fiskal ** përfaqëson një viti financiar. Të gjitha shënimet e kontabilitetit dhe transaksionet tjera të mëdha janë gjurmuar kundër Vitit Fiskal ** **.
DocType: Opportunity,Customer / Lead Address,Customer / Adresa Lead
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Warning: certifikatë SSL Invalid në shtojcën {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Warning: certifikatë SSL Invalid në shtojcën {0}
DocType: Student Admission,Eligibility,pranueshmëri
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Çon ju ndihmojë të merrni të biznesit, shtoni të gjitha kontaktet tuaja dhe më shumë si çon tuaj"
DocType: Production Order Operation,Actual Operation Time,Aktuale Operacioni Koha
DocType: Authorization Rule,Applicable To (User),Për të zbatueshme (User)
DocType: Purchase Taxes and Charges,Deduct,Zbres
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Përshkrimi i punës
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Përshkrimi i punës
DocType: Student Applicant,Applied,i aplikuar
DocType: Sales Invoice Item,Qty as per Stock UOM,Qty sipas Stock UOM
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Emri Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Emri Guardian2
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Karaktere speciale përveç "-" ".", "#", dhe "/" nuk lejohet në emërtimin seri"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Mbani gjurmët e Fushatave Sales. Mbani gjurmët e kryeson, citatet, Sales Rendit etj nga Fushata për të vlerësuar kthimit mbi investimin."
DocType: Expense Claim,Approver,Aprovuesi
@@ -2055,8 +2071,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Serial Asnjë {0} është nën garanci upto {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Shënim Split dorëzimit në pako.
apps/erpnext/erpnext/hooks.py +87,Shipments,Dërgesat
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Llogaria ({0}) për {1} dhe vlerës modelet ({2}) për depoja {3} duhet të jetë i njëjtë
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Llogaria ({0}) për {1} dhe vlerës modelet ({2}) për depoja {3} duhet të jetë i njëjtë
DocType: Payment Entry,Total Allocated Amount (Company Currency),Gjithsej shuma e akorduar (Company Valuta)
DocType: Purchase Order Item,To be delivered to customer,Që do të dërgohen për të klientit
DocType: BOM,Scrap Material Cost,Scrap Material Kosto
@@ -2064,21 +2078,22 @@
DocType: Purchase Invoice,In Words (Company Currency),Me fjalë (Kompania Valuta)
DocType: Asset,Supplier,Furnizuesi
DocType: C-Form,Quarter,Çerek
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Shpenzimet Ndryshme
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Shpenzimet Ndryshme
DocType: Global Defaults,Default Company,Gabim i kompanisë
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Shpenzim apo llogari Diferenca është e detyrueshme për Item {0} si ndikon vlerën e përgjithshme e aksioneve
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Shpenzim apo llogari Diferenca është e detyrueshme për Item {0} si ndikon vlerën e përgjithshme e aksioneve
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Emri i Bankës
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Siper
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Siper
DocType: Employee Loan,Employee Loan Account,Llogaria Loan punonjës
DocType: Leave Application,Total Leave Days,Ditët Totali i pushimeve
DocType: Email Digest,Note: Email will not be sent to disabled users,Shënim: Email nuk do të dërgohet për përdoruesit me aftësi të kufizuara
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Numri i bashkëveprimit
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Numri i bashkëveprimit
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Item Code> Item Group> Markë
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Zgjidh kompanisë ...
DocType: Leave Control Panel,Leave blank if considered for all departments,Lini bosh nëse konsiderohet për të gjitha departamentet
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Llojet e punësimit (, kontratë të përhershme, etj intern)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} është e detyrueshme për Item {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} është e detyrueshme për Item {1}
DocType: Process Payroll,Fortnightly,dyjavor
DocType: Currency Exchange,From Currency,Nga Valuta
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Ju lutem, përzgjidhni Shuma e ndarë, tip fature, si dhe numrin e faturës në atleast një rresht"
@@ -2101,7 +2116,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,Ju lutem klikoni në "Generate" Listën për të marrë orarin
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,"Ka pasur gabime, ndërsa fshirjes oraret e mëposhtme:"
DocType: Bin,Ordered Quantity,Sasi të Urdhërohet
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",p.sh. "Ndërtimi mjetet për ndërtuesit"
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",p.sh. "Ndërtimi mjetet për ndërtuesit"
DocType: Grading Scale,Grading Scale Intervals,Intervalet Nota Scale
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Accounting Hyrja për {2} mund të bëhet vetëm në monedhën: {3}
DocType: Production Order,In Process,Në Procesin
@@ -2116,12 +2131,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} grupeve studentore krijuar.
DocType: Sales Invoice,Total Billing Amount,Shuma totale Faturimi
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Nuk duhet të jetë një parazgjedhur në hyrje Email Llogaria aktivizuar për këtë punë. Ju lutemi të setup një parazgjedhur në hyrje Email Llogaria (POP / IMAP) dhe provoni përsëri.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Llogaria e arkëtueshme
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} është tashmë {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Llogaria e arkëtueshme
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row # {0}: Asset {1} është tashmë {2}
DocType: Quotation Item,Stock Balance,Stock Bilanci
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Rendit Shitjet për Pagesa
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ju lutemi të vendosur Emërtimi Seria për {0} nëpërmjet Setup> Cilësimet> Emërtimi Seria
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,CEO
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO
DocType: Expense Claim Detail,Expense Claim Detail,Shpenzim Kërkesa Detail
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,"Ju lutem, përzgjidhni llogarinë e saktë"
DocType: Item,Weight UOM,Pesha UOM
@@ -2130,12 +2144,12 @@
DocType: Production Order Operation,Pending,Në pritje të
DocType: Course,Course Name,Emri i kursit
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Përdoruesit të cilët mund të miratojë aplikacione të lënë një punonjës të veçantë për
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Zyra Pajisje
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Zyra Pajisje
DocType: Purchase Invoice Item,Qty,Qty
DocType: Fiscal Year,Companies,Kompanitë
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Elektronikë
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Ngritja materiale Kërkesë kur bursës arrin nivel të ri-rendit
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Me kohë të plotë
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Me kohë të plotë
DocType: Salary Structure,Employees,punonjësit
DocType: Employee,Contact Details,Detajet Kontakt
DocType: C-Form,Received Date,Data e marra
@@ -2145,7 +2159,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Çmimet nuk do të shfaqet në qoftë Lista Çmimi nuk është vendosur
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Ju lutem specifikoni një vend për këtë Rregull Shipping ose kontrolloni anijeve në botë
DocType: Stock Entry,Total Incoming Value,Vlera Totale hyrëse
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Debi Për të është e nevojshme
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Debi Për të është e nevojshme
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets ndihmojë për të mbajtur gjurmët e kohës, kostos dhe faturimit për Aktivitetet e kryera nga ekipi juaj"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Blerje Lista e Çmimeve
DocType: Offer Letter Term,Offer Term,Term Oferta
@@ -2154,17 +2168,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Pajtimi Pagesa
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,"Ju lutem, përzgjidhni emrin incharge personi"
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Teknologji
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Total papaguar: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Total papaguar: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM Website Operacioni
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Oferta Letër
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Generate Kërkesat materiale (MRP) dhe urdhërat e prodhimit.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Gjithsej faturuara Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Gjithsej faturuara Amt
DocType: BOM,Conversion Rate,Shkalla e konvertimit
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Product Kërko
DocType: Timesheet Detail,To Time,Për Koha
DocType: Authorization Rule,Approving Role (above authorized value),Miratimi Rolit (mbi vlerën e autorizuar)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Kredia për llogari duhet të jetë një llogari e pagueshme
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} nuk mund të jetë prindi ose fëmija i {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Kredia për llogari duhet të jetë një llogari e pagueshme
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM recursion: {0} nuk mund të jetë prindi ose fëmija i {2}
DocType: Production Order Operation,Completed Qty,Kompletuar Qty
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Për {0}, vetëm llogaritë e debitit mund të jetë i lidhur kundër një tjetër hyrjes krediti"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Lista e Çmimeve {0} është me aftësi të kufizuara
@@ -2176,28 +2190,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Numrat Serial nevojshme për Item {1}. Ju keni dhënë {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Shkalla aktuale Vlerësimi
DocType: Item,Customer Item Codes,Kodet Customer Item
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Exchange Gain / Humbje
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange Gain / Humbje
DocType: Opportunity,Lost Reason,Humbur Arsyeja
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Adresa e re
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Adresa e re
DocType: Quality Inspection,Sample Size,Shembull Madhësi
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Ju lutemi shkruani Dokumenti Marrjes
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Të gjitha sendet janë tashmë faturohen
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Të gjitha sendet janë tashmë faturohen
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',Ju lutem specifikoni një të vlefshme 'nga rasti Jo'
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,Qendrat e mëtejshme e kostos mund të bëhet në bazë të Grupeve por hyra mund të bëhet kundër jo-grupeve
DocType: Project,External,I jashtëm
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Përdoruesit dhe Lejet
DocType: Vehicle Log,VLOG.,Vlog.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Urdhërat e prodhimit Krijuar: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Urdhërat e prodhimit Krijuar: {0}
DocType: Branch,Branch,Degë
DocType: Guardian,Mobile Number,Numri Mobile
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Printime dhe quajtur
DocType: Bin,Actual Quantity,Sasia aktuale
DocType: Shipping Rule,example: Next Day Shipping,shembull: Transporti Dita e ardhshme
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Serial Asnjë {0} nuk u gjet
-DocType: Scheduling Tool,Student Batch,Batch Student
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Konsumatorët tuaj
+DocType: Program Enrollment,Student Batch,Batch Student
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,bëni Student
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Ju keni qenë të ftuar për të bashkëpunuar në këtë projekt: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Ju keni qenë të ftuar për të bashkëpunuar në këtë projekt: {0}
DocType: Leave Block List Date,Block Date,Data bllok
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Apliko tani
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Sasia aktual {0} / pritje Sasia {1}
@@ -2207,7 +2220,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Krijuar dhe menaxhuar digests ditore, javore dhe mujore email."
DocType: Appraisal Goal,Appraisal Goal,Vlerësimi Qëllimi
DocType: Stock Reconciliation Item,Current Amount,Shuma e tanishme
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,Ndërtesat
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,Ndërtesat
DocType: Fee Structure,Fee Structure,Struktura Fee
DocType: Timesheet Detail,Costing Amount,Kushton Shuma
DocType: Student Admission,Application Fee,Tarifë aplikimi
@@ -2219,10 +2232,10 @@
DocType: POS Profile,[Select],[Zgjidh]
DocType: SMS Log,Sent To,Dërguar në
DocType: Payment Request,Make Sales Invoice,Bëni Sales Faturë
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,Programe
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Programe
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Next Kontakt Data nuk mund të jetë në të kaluarën
DocType: Company,For Reference Only.,Vetëm për referencë.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Zgjidh Batch No
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Zgjidh Batch No
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Invalid {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,Advance Shuma
@@ -2232,15 +2245,15 @@
DocType: Employee,Employment Details,Detajet e punësimit
DocType: Employee,New Workplace,New Workplace
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Bëje si Mbyllur
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Nuk ka artikull me Barkodi {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Nuk ka artikull me Barkodi {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Rast No. nuk mund të jetë 0
DocType: Item,Show a slideshow at the top of the page,Tregojnë një Slideshow në krye të faqes
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,BOM
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Dyqane
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,BOM
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Dyqane
DocType: Serial No,Delivery Time,Koha e dorëzimit
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Plakjen Bazuar Në
DocType: Item,End of Life,Fundi i jetës
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Udhëtim
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Udhëtim
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Asnjë Struktura aktiv apo Paga parazgjedhur gjetur për punonjës {0} për të dhënë data
DocType: Leave Block List,Allow Users,Lejojnë përdoruesit
DocType: Purchase Order,Customer Mobile No,Customer Mobile Asnjë
@@ -2249,29 +2262,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Update Kosto
DocType: Item Reorder,Item Reorder,Item reorder
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Trego Paga Shqip
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Material Transferimi
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Material Transferimi
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Specifikoni operacionet, koston operative dhe të japë një operacion i veçantë nuk ka për operacionet tuaja."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Ky dokument është mbi kufirin nga {0} {1} për pika {4}. A jeni duke bërë një tjetër {3} kundër të njëjtit {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Ju lutemi të vendosur përsëritur pas kursimit
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Llogaria Shuma Zgjidh ndryshim
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Ky dokument është mbi kufirin nga {0} {1} për pika {4}. A jeni duke bërë një tjetër {3} kundër të njëjtit {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Ju lutemi të vendosur përsëritur pas kursimit
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Llogaria Shuma Zgjidh ndryshim
DocType: Purchase Invoice,Price List Currency,Lista e Çmimeve Valuta
DocType: Naming Series,User must always select,Përdoruesi duhet të zgjidhni gjithmonë
DocType: Stock Settings,Allow Negative Stock,Lejo Negativ Stock
DocType: Installation Note,Installation Note,Instalimi Shënim
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Shto Tatimet
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Shto Tatimet
DocType: Topic,Topic,temë
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Cash Flow nga Financimi
DocType: Budget Account,Budget Account,Llogaria buxheti
DocType: Quality Inspection,Verified By,Verifikuar nga
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nuk mund të ndryshojë monedhën parazgjedhje kompanisë, sepse ka transaksione ekzistuese. Transaksionet duhet të anulohet për të ndryshuar monedhën default."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Nuk mund të ndryshojë monedhën parazgjedhje kompanisë, sepse ka transaksione ekzistuese. Transaksionet duhet të anulohet për të ndryshuar monedhën default."
DocType: Grading Scale Interval,Grade Description,Grade Përshkrimi
DocType: Stock Entry,Purchase Receipt No,Pranimi Blerje Asnjë
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Kaparosje
DocType: Process Payroll,Create Salary Slip,Krijo Kuponi pagave
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Gjurmimi
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Burimi i Fondeve (obligimeve) të papaguara
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Sasia në rresht {0} ({1}) duhet të jetë e njëjtë me sasinë e prodhuar {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Burimi i Fondeve (obligimeve) të papaguara
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Sasia në rresht {0} ({1}) duhet të jetë e njëjtë me sasinë e prodhuar {2}
DocType: Appraisal,Employee,Punonjës
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Zgjidh Batch
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} është faturuar plotësisht
DocType: Training Event,End Time,Fundi Koha
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Paga Struktura Active {0} gjetur për punonjës {1} për të dhënë datat
@@ -2283,11 +2297,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Kerkohet Në
DocType: Rename Tool,File to Rename,Paraqesë për Rename
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},"Ju lutem, përzgjidhni bom për Item në rresht {0}"
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Specifikuar BOM {0} nuk ekziston për Item {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Llogaria {0} nuk përputhet me Kompaninë {1} në Mode e Llogarisë: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Specifikuar BOM {0} nuk ekziston për Item {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Mirëmbajtja Orari {0} duhet të anulohet para se anulimi këtë Radhit Sales
DocType: Notification Control,Expense Claim Approved,Shpenzim Kërkesa Miratuar
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Slip Paga e punonjësit të {0} krijuar tashmë për këtë periudhë
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Farmaceutike
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmaceutike
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Kostoja e artikujve të blerë
DocType: Selling Settings,Sales Order Required,Sales Rendit kërkuar
DocType: Purchase Invoice,Credit To,Kredia për
@@ -2304,43 +2319,43 @@
DocType: Payment Gateway Account,Payment Account,Llogaria e pagesës
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,Ju lutemi specifikoni kompanisë për të vazhduar
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Ndryshimi neto në llogarive të arkëtueshme
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Kompensues Off
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Kompensues Off
DocType: Offer Letter,Accepted,Pranuar
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,organizatë
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,organizatë
DocType: SG Creation Tool Course,Student Group Name,Emri Group Student
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Ju lutem sigurohuni që ju me të vërtetë dëshironi të fshini të gjitha transaksionet për këtë kompani. Të dhënat tuaja mjeshtër do të mbetet ashtu siç është. Ky veprim nuk mund të zhbëhet.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Ju lutem sigurohuni që ju me të vërtetë dëshironi të fshini të gjitha transaksionet për këtë kompani. Të dhënat tuaja mjeshtër do të mbetet ashtu siç është. Ky veprim nuk mund të zhbëhet.
DocType: Room,Room Number,Numri Room
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Referenca e pavlefshme {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) nuk mund të jetë më i madh se quanitity planifikuar ({2}) në Prodhimi i rendit {3}
DocType: Shipping Rule,Shipping Rule Label,Rregulla Transporti Label
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Forumi User
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Lëndëve të para nuk mund të jetë bosh.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Nuk mund të rinovuar aksioneve, fatura përmban anijeve rënie artikull."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Lëndëve të para nuk mund të jetë bosh.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Nuk mund të rinovuar aksioneve, fatura përmban anijeve rënie artikull."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Quick Journal Hyrja
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,Ju nuk mund të ndryshoni normës nëse bom përmendur agianst çdo send
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,Ju nuk mund të ndryshoni normës nëse bom përmendur agianst çdo send
DocType: Employee,Previous Work Experience,Përvoja e mëparshme e punës
DocType: Stock Entry,For Quantity,Për Sasia
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Ju lutem shkruani e planifikuar Qty për Item {0} në rresht {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} nuk është dorëzuar
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Kërkesat për sendet.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Mënyrë e veçantë prodhimi do të krijohen për secilin artikull përfunduar mirë.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} duhet të jetë negative në dokumentin e kthimit
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} duhet të jetë negative në dokumentin e kthimit
,Minutes to First Response for Issues,Minuta për Përgjigje e parë për Çështje
DocType: Purchase Invoice,Terms and Conditions1,Termat dhe Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,Emri i institutit për të cilat ju jeni të vendosur deri këtë sistem.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,Emri i institutit për të cilat ju jeni të vendosur deri këtë sistem.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Rregjistrimi kontabël ngrirë deri në këtë datë, askush nuk mund të bëjë / modifikoj hyrjen përveç rolit të specifikuar më poshtë."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,Ju lutemi ruani dokumentin para se të gjeneruar orar të mirëmbajtjes
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Statusi i Projektit
DocType: UOM,Check this to disallow fractions. (for Nos),Kontrolloni këtë për të moslejuar fraksionet. (Për Nos)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,janë krijuar Urdhërat e mëposhtme prodhimit:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,janë krijuar Urdhërat e mëposhtme prodhimit:
DocType: Student Admission,Naming Series (for Student Applicant),Emërtimi Series (për Student Aplikantit)
DocType: Delivery Note,Transporter Name,Transporter Emri
DocType: Authorization Rule,Authorized Value,Vlera e autorizuar
DocType: BOM,Show Operations,Shfaq Operacionet
,Minutes to First Response for Opportunity,Minuta për Përgjigje e parë për Opportunity
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Gjithsej Mungon
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Item ose Magazina për rresht {0} nuk përputhet Materiale Kërkesë
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Item ose Magazina për rresht {0} nuk përputhet Materiale Kërkesë
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Njësia e Masës
DocType: Fiscal Year,Year End Date,Viti End Date
DocType: Task Depends On,Task Depends On,Detyra varet
@@ -2420,11 +2435,11 @@
DocType: Asset,Manual,udhëzues
DocType: Salary Component Account,Salary Component Account,Llogaria Paga Komponenti
DocType: Global Defaults,Hide Currency Symbol,Fshih Valuta size
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","psh Banka, Cash, Credit Card"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","psh Banka, Cash, Credit Card"
DocType: Lead Source,Source Name,burimi Emri
DocType: Journal Entry,Credit Note,Credit Shënim
DocType: Warranty Claim,Service Address,Shërbimi Adresa
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Furnitures dhe Regjistrimet
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Furnitures dhe Regjistrimet
DocType: Item,Manufacture,Prodhim
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Ju lutem dorëzimit Shënim parë
DocType: Student Applicant,Application Date,Application Data
@@ -2434,7 +2449,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Pastrimi Data nuk përmendet
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Prodhim
DocType: Guardian,Occupation,profesion
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Ju lutemi Setup punonjës Emërtimi Sistemit në Burimeve Njerëzore> Cilësimet HR
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Row {0}: Filloni Data duhet të jetë përpara End Date
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Gjithsej (Qty)
DocType: Sales Invoice,This Document,Ky dokument
@@ -2446,20 +2460,20 @@
DocType: Purchase Receipt,Time at which materials were received,Koha në të cilën janë pranuar materialet e
DocType: Stock Ledger Entry,Outgoing Rate,Largohet Rate
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Mjeshtër degë organizatë.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,ose
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,ose
DocType: Sales Order,Billing Status,Faturimi Statusi
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Raportoni një çështje
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Shpenzimet komunale
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Shpenzimet komunale
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-Mbi
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Ditari Hyrja {1} nuk ka llogari {2} ose tashmë krahasohen kundër një kupon
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Ditari Hyrja {1} nuk ka llogari {2} ose tashmë krahasohen kundër një kupon
DocType: Buying Settings,Default Buying Price List,E albumit Lista Blerja Çmimi
DocType: Process Payroll,Salary Slip Based on Timesheet,Slip Paga Bazuar në pasqyrë e mungesave
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Nuk ka punonjës me kriteret e zgjedhura sipër apo rrogës pip krijuar tashmë
DocType: Notification Control,Sales Order Message,Sales Rendit Mesazh
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Set Vlerat Default si Company, Valuta, vitin aktual fiskal, etj"
DocType: Payment Entry,Payment Type,Lloji Pagesa
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Ju lutem, përzgjidhni një grumbull për pika {0}. Në pamundësi për të gjetur një grumbull të vetme që përmbush këtë kërkesë"
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Ju lutem, përzgjidhni një grumbull për pika {0}. Në pamundësi për të gjetur një grumbull të vetme që përmbush këtë kërkesë"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Ju lutem, përzgjidhni një grumbull për pika {0}. Në pamundësi për të gjetur një grumbull të vetme që përmbush këtë kërkesë"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Ju lutem, përzgjidhni një grumbull për pika {0}. Në pamundësi për të gjetur një grumbull të vetme që përmbush këtë kërkesë"
DocType: Process Payroll,Select Employees,Zgjidhni Punonjësit
DocType: Opportunity,Potential Sales Deal,Shitjet e mundshme marrëveshjen
DocType: Payment Entry,Cheque/Reference Date,Çek / Reference Data
@@ -2479,7 +2493,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Dokumenti Pranimi duhet të dorëzohet
DocType: Purchase Invoice Item,Received Qty,Marrë Qty
DocType: Stock Entry Detail,Serial No / Batch,Serial No / Batch
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Nuk është paguar dhe nuk dorëzohet
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Nuk është paguar dhe nuk dorëzohet
DocType: Product Bundle,Parent Item,Item prind
DocType: Account,Account Type,Lloji i Llogarisë
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2494,25 +2508,24 @@
DocType: Bin,Reserved Quantity,Sasia e rezervuara
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Ju lutemi shkruani adresën vlefshme email
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Ju lutemi shkruani adresën vlefshme email
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Nuk ka asnjë kurs i detyrueshëm për programin {0}
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Nuk ka asnjë kurs i detyrueshëm për programin {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Items Receipt Blerje
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Format customizing
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,arrear
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,arrear
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Zhvlerësimi Shuma gjatë periudhës
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,template me aftësi të kufizuara nuk duhet të jetë template parazgjedhur
DocType: Account,Income Account,Llogaria ardhurat
DocType: Payment Request,Amount in customer's currency,Shuma në monedhë të klientit
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Ofrimit të
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Ofrimit të
DocType: Stock Reconciliation Item,Current Qty,Qty tanishme
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",Shih "Shkalla e materialeve në bazë të" në nenin kushton
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,prev
DocType: Appraisal Goal,Key Responsibility Area,Key Zona Përgjegjësia
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Mallrat e studentëve të ju ndihmojë të gjetur frekuentimit, vlerësimet dhe tarifat për studentët"
DocType: Payment Entry,Total Allocated Amount,Shuma totale e alokuar
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Bëje llogari inventarit parazgjedhur për inventarit të përhershëm
DocType: Item Reorder,Material Request Type,Material Type Kërkesë
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Gazeta hyrjes pagave nga {0} në {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage është e plotë, nuk ka shpëtuar"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage është e plotë, nuk ka shpëtuar"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Row {0}: UOM Konvertimi Faktori është i detyrueshëm
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Ref
DocType: Budget,Cost Center,Qendra Kosto
@@ -2525,19 +2538,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Rregulla e Çmimeve është bërë për të prishësh LISTA E ÇMIMEVE / definojnë përqindje zbritje, në bazë të disa kritereve."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Magazina mund të ndryshohet vetëm përmes Stock Hyrja / dorëzimit Shënim / Pranimi Blerje
DocType: Employee Education,Class / Percentage,Klasa / Përqindja
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Shef i Marketingut dhe Shitjes
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Tatimi mbi të ardhurat
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Shef i Marketingut dhe Shitjes
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Tatimi mbi të ardhurat
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Nëse Rregulla zgjedhur Çmimeve është bërë për 'Çmimi', ajo do të prishësh listën e çmimeve. Çmimi Rregulla e Çmimeve është çmimi përfundimtar, kështu që nuk ka zbritje të mëtejshme duhet të zbatohet. Për këtë arsye, në transaksione si Sales Rendit, Rendit Blerje etj, ajo do të sjellë në fushën e 'norma', në vend se të fushës "listën e çmimeve normë '."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Track kryeson nga Industrisë Type.
DocType: Item Supplier,Item Supplier,Item Furnizuesi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,Ju lutemi shkruani Kodin artikull për të marrë grumbull asnjë
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},"Ju lutem, përzgjidhni një vlerë për {0} quotation_to {1}"
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,Ju lutemi shkruani Kodin artikull për të marrë grumbull asnjë
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},"Ju lutem, përzgjidhni një vlerë për {0} quotation_to {1}"
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Të gjitha adresat.
DocType: Company,Stock Settings,Stock Cilësimet
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Shkrirja është e mundur vetëm nëse prona e mëposhtme janë të njëjta në të dy regjistrat. Është Grupi, Root Type, Kompania"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Shkrirja është e mundur vetëm nëse prona e mëposhtme janë të njëjta në të dy regjistrat. Është Grupi, Root Type, Kompania"
DocType: Vehicle,Electric,elektrik
DocType: Task,% Progress,% Progress
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Gain / Humbja në hedhjen e Aseteve
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Gain / Humbja në hedhjen e Aseteve
DocType: Training Event,Will send an email about the event to employees with status 'Open',Do të dërgoni një email në lidhje me ngjarjen për të punësuarit me statusin e 'hapur'
DocType: Task,Depends on Tasks,Varet Detyrat
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Manage grup të konsumatorëve Tree.
@@ -2546,7 +2559,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Qendra Kosto New Emri
DocType: Leave Control Panel,Leave Control Panel,Lini Control Panel
DocType: Project,Task Completion,Task Përfundimi
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Jo në magazinë
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Jo në magazinë
DocType: Appraisal,HR User,HR User
DocType: Purchase Invoice,Taxes and Charges Deducted,Taksat dhe Tarifat zbritet
apps/erpnext/erpnext/hooks.py +116,Issues,Çështjet
@@ -2557,22 +2570,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Nuk ka paga shqip gjetur mes {0} dhe {1}
,Pending SO Items For Purchase Request,Në pritje SO artikuj për Kërkesë Blerje
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Pranimet e studentëve
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} është me aftësi të kufizuara
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} është me aftësi të kufizuara
DocType: Supplier,Billing Currency,Faturimi Valuta
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Shumë i madh
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Shumë i madh
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,gjithsej Leaves
,Profit and Loss Statement,Fitimi dhe Humbja Deklarata
DocType: Bank Reconciliation Detail,Cheque Number,Numri çek
,Sales Browser,Shitjet Browser
DocType: Journal Entry,Total Credit,Gjithsej Credit
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Warning: Një tjetër {0} # {1} ekziston kundër hyrjes aksioneve {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Lokal
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Lokal
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Kreditë dhe paradhëniet (aktiveve)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Debitorët
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,I madh
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,I madh
DocType: Homepage Featured Product,Homepage Featured Product,Homepage Featured Product
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Të gjitha grupet e vlerësimit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Të gjitha grupet e vlerësimit
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,New Magazina Emri
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Total {0} ({1})
DocType: C-Form Invoice Detail,Territory,Territor
@@ -2582,12 +2595,12 @@
DocType: Production Order Operation,Planned Start Time,Planifikuar Koha e fillimit
DocType: Course,Assessment,vlerësim
DocType: Payment Entry Reference,Allocated,Ndarë
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Mbylle Bilanci dhe Fitimi libër ose humbja.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Mbylle Bilanci dhe Fitimi libër ose humbja.
DocType: Student Applicant,Application Status,aplikimi Status
DocType: Fees,Fees,tarifat
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Specifikoni Exchange Rate për të kthyer një monedhë në një tjetër
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Citat {0} është anuluar
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Shuma totale Outstanding
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Shuma totale Outstanding
DocType: Sales Partner,Targets,Synimet
DocType: Price List,Price List Master,Lista e Çmimeve Master
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Gjitha Shitjet Transaksionet mund të tagged kundër shumta ** Personat Sales ** në mënyrë që ju mund të vendosni dhe monitoruar objektivat.
@@ -2619,12 +2632,12 @@
1. Address and Contact of your Company.","Termave dhe Kushteve Standarde që mund të shtohet për shitjet dhe blerjet. Shembuj: 1. Vlefshmëria e ofertës. 1. Kushtet e pagesës (më parë, me kredi, paradhënie pjesë etj). 1. Çfarë është shtesë (ose që duhet paguar nga konsumatori). 1. Siguria / përdorimin paralajmërim. 1. Garanci nëse ka ndonjë. 1. Kthim Politikën. 1. Kushtet e anijeve, nëse zbatohen. 1. Mënyrat e adresimit të kontesteve, dëmshpërblim, përgjegjësi, etj 1. Adresa e Kontaktit e kompanisë tuaj."
DocType: Attendance,Leave Type,Lini Type
DocType: Purchase Invoice,Supplier Invoice Details,Furnizuesi Fatura Detajet
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Llogari shpenzim / Diferenca ({0}) duhet të jetë një llogari "fitimit ose humbjes '
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Llogari shpenzim / Diferenca ({0}) duhet të jetë një llogari "fitimit ose humbjes '
DocType: Project,Copied From,kopjuar nga
DocType: Project,Copied From,kopjuar nga
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Emri error: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,mungesa
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} nuk lidhet me {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} nuk lidhet me {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Pjesëmarrja për punonjës {0} është shënuar tashmë
DocType: Packing Slip,If more than one package of the same type (for print),Nëse më shumë se një paketë të të njëjtit lloj (për shtyp)
,Salary Register,Paga Regjistrohu
@@ -2642,22 +2655,23 @@
,Requested Qty,Kërkohet Qty
DocType: Tax Rule,Use for Shopping Cart,Përdorni për Shopping Cart
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Vlera {0} për atribut {1} nuk ekziston në listën e artikullit vlefshme atribut Vlerat për Item {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Zgjidh numrat serik
DocType: BOM Item,Scrap %,Scrap%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Akuzat do të shpërndahen në mënyrë proporcionale në bazë të Qty pika ose sasi, si për zgjedhjen tuaj"
DocType: Maintenance Visit,Purposes,Qëllimet
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Atleast një artikull duhet të lidhet me sasinë negativ në dokumentin e kthimit
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Atleast një artikull duhet të lidhet me sasinë negativ në dokumentin e kthimit
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operacioni {0} gjatë se çdo orë në dispozicion të punës në workstation {1}, prishen operacionin në operacione të shumta"
,Requested,Kërkuar
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Asnjë Vërejtje
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Asnjë Vërejtje
DocType: Purchase Invoice,Overdue,I vonuar
DocType: Account,Stock Received But Not Billed,Stock Marrë Por Jo faturuar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Root Llogaria duhet të jetë një grup i
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Root Llogaria duhet të jetë një grup i
DocType: Fees,FEE.,FEE.
DocType: Employee Loan,Repaid/Closed,Paguhet / Mbyllur
DocType: Item,Total Projected Qty,Total projektuar Qty
DocType: Monthly Distribution,Distribution Name,Emri shpërndarja
DocType: Course,Course Code,Kodi Kursi
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Inspektimi Cilësia e nevojshme për Item {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Inspektimi Cilësia e nevojshme për Item {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Shkalla në të cilën konsumatori e valutës është e konvertuar në monedhën bazë kompanisë
DocType: Purchase Invoice Item,Net Rate (Company Currency),Net Rate (Kompania Valuta)
DocType: Salary Detail,Condition and Formula Help,Gjendja dhe Formula Ndihmë
@@ -2670,27 +2684,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Transferimi materiale për Prodhimin
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Përqindja zbritje mund të aplikohet ose ndaj një listë të çmimeve apo për të gjithë listën e çmimeve.
DocType: Purchase Invoice,Half-yearly,Gjashtëmujor
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Hyrja kontabilitetit për magazinë
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Hyrja kontabilitetit për magazinë
DocType: Vehicle Service,Engine Oil,Vaj makine
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Ju lutemi Setup punonjës Emërtimi Sistemit në Burimeve Njerëzore> Cilësimet HR
DocType: Sales Invoice,Sales Team1,Shitjet Team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Item {0} nuk ekziston
DocType: Sales Invoice,Customer Address,Customer Adresa
DocType: Employee Loan,Loan Details,kredi Details
+DocType: Company,Default Inventory Account,Llogaria Default Inventar
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Row {0}: Kompletuar Qty duhet të jetë më e madhe se zero.
DocType: Purchase Invoice,Apply Additional Discount On,Aplikoni shtesë zbritje në
DocType: Account,Root Type,Root Type
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: nuk mund të kthehet më shumë se {1} për Item {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: nuk mund të kthehet më shumë se {1} për Item {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Komplot
DocType: Item Group,Show this slideshow at the top of the page,Trego këtë slideshow në krye të faqes
DocType: BOM,Item UOM,Item UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Shuma e taksave Pas Shuma ulje (Kompania Valuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Depo objektiv është i detyrueshëm për rresht {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Depo objektiv është i detyrueshëm për rresht {0}
DocType: Cheque Print Template,Primary Settings,Parametrat kryesore
DocType: Purchase Invoice,Select Supplier Address,Zgjidh Furnizuesi Adresa
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Shto Punonjës
DocType: Purchase Invoice Item,Quality Inspection,Cilësia Inspektimi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Extra Vogla
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Vogla
DocType: Company,Standard Template,Template standard
DocType: Training Event,Theory,teori
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Warning: Materiali kërkuar Qty është më pak se minimale Rendit Qty
@@ -2698,7 +2714,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Personit juridik / subsidiare me një tabelë të veçantë e llogarive i përkasin Organizatës.
DocType: Payment Request,Mute Email,Mute Email
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Ushqim, Pije & Duhani"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Vetëm mund të bëni pagesën kundër pafaturuar {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Vetëm mund të bëni pagesën kundër pafaturuar {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Shkalla e Komisionit nuk mund të jetë më e madhe se 100
DocType: Stock Entry,Subcontract,Nënkontratë
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Ju lutem shkruani {0} parë
@@ -2711,18 +2727,18 @@
DocType: SMS Log,No of Sent SMS,Nr i SMS dërguar
DocType: Account,Expense Account,Llogaria shpenzim
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Program
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Ngjyra
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Ngjyra
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Kriteret plan vlerësimi
DocType: Training Event,Scheduled,Planifikuar
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Kërkesa për kuotim.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Ju lutem zgjidhni Item ku "A Stock Pika" është "Jo" dhe "është pika e shitjes" është "Po", dhe nuk ka asnjë tjetër Bundle Produktit"
DocType: Student Log,Academic,Akademik
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Gjithsej paraprakisht ({0}) kundër Rendit {1} nuk mund të jetë më e madhe se Grand Total ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Gjithsej paraprakisht ({0}) kundër Rendit {1} nuk mund të jetë më e madhe se Grand Total ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Zgjidh Shpërndarja mujore të pabarabartë shpërndarë objektiva të gjithë muajve.
DocType: Purchase Invoice Item,Valuation Rate,Vlerësimi Rate
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,naftë
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Lista e Çmimeve Valuta nuk zgjidhet
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Lista e Çmimeve Valuta nuk zgjidhet
,Student Monthly Attendance Sheet,Student Pjesëmarrja mujore Sheet
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Punonjës {0} ka aplikuar tashmë për {1} midis {2} dhe {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Projekti Data e Fillimit
@@ -2735,7 +2751,7 @@
DocType: BOM,Scrap,copëz
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Manage Shitje Partnerët.
DocType: Quality Inspection,Inspection Type,Inspektimi Type
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Depot me transaksion ekzistues nuk mund të konvertohet në grup.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Depot me transaksion ekzistues nuk mund të konvertohet në grup.
DocType: Assessment Result Tool,Result HTML,Rezultati HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Skadon ne
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Shto Studentët
@@ -2743,13 +2759,13 @@
DocType: C-Form,C-Form No,C-Forma Nuk ka
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,Pjesëmarrja pashënuar
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Studiues
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Studiues
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Program Regjistrimi Tool Student
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Emri ose adresa është e detyrueshme
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Inspektimit të cilësisë hyrëse.
DocType: Purchase Order Item,Returned Qty,U kthye Qty
DocType: Employee,Exit,Dalje
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Root Lloji është i detyrueshëm
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root Lloji është i detyrueshëm
DocType: BOM,Total Cost(Company Currency),Kosto totale (Company Valuta)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Serial Asnjë {0} krijuar
DocType: Homepage,Company Description for website homepage,Përshkrimi i kompanisë për faqen e internetit
@@ -2758,7 +2774,7 @@
DocType: Sales Invoice,Time Sheet List,Ora Lista Sheet
DocType: Employee,You can enter any date manually,Ju mund të hyjë në çdo datë me dorë
DocType: Asset Category Account,Depreciation Expense Account,Llogaria Zhvlerësimi Shpenzimet
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Periudha provuese
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Periudha provuese
DocType: Customer Group,Only leaf nodes are allowed in transaction,Vetëm nyjet fletë janë të lejuara në transaksion
DocType: Expense Claim,Expense Approver,Shpenzim aprovuesi
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Row {0}: Advance kundër Customer duhet të jetë krediti
@@ -2772,10 +2788,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Oraret e kursit fshirë:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Shkrime për ruajtjen e statusit të dorëzimit SMS
DocType: Accounts Settings,Make Payment via Journal Entry,Të bëjë pagesën përmes Journal Hyrja
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Shtypur On
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Shtypur On
DocType: Item,Inspection Required before Delivery,Inspektimi i nevojshëm para dorëzimit
DocType: Item,Inspection Required before Purchase,Inspektimi i nevojshëm para se Blerja
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Aktivitetet në pritje
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Organizata juaj
DocType: Fee Component,Fees Category,tarifat Category
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Ju lutemi të hyrë në lehtësimin datën.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Sasia
@@ -2785,9 +2802,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Reorder Niveli
DocType: Company,Chart Of Accounts Template,Chart e Llogarive Stampa
DocType: Attendance,Attendance Date,Pjesëmarrja Data
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Item Çmimi përditësuar për {0} në çmimore {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Item Çmimi përditësuar për {0} në çmimore {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Shpërbërjes paga në bazë të fituar dhe zbritje.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Llogaria me nyje fëmijëve nuk mund të konvertohet në Ledger
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Llogaria me nyje fëmijëve nuk mund të konvertohet në Ledger
DocType: Purchase Invoice Item,Accepted Warehouse,Magazina pranuar
DocType: Bank Reconciliation Detail,Posting Date,Posting Data
DocType: Item,Valuation Method,Vlerësimi Metoda
@@ -2796,14 +2813,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Hyrja Duplicate
DocType: Program Enrollment Tool,Get Students,Get Studentët
DocType: Serial No,Under Warranty,Nën garanci
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Gabim]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Gabim]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,Me fjalë do të jetë i dukshëm një herë ju ruani Rendit Sales.
,Employee Birthday,Punonjës Ditëlindja
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Batch Pjesëmarrja Tool
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,Limit Kaloi
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Limit Kaloi
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Venture Capital
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Një term akademike me këtë 'vitin akademik' {0} dhe 'Term Emri' {1} ekziston. Ju lutemi të modifikojë këto të hyra dhe të provoni përsëri.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Si ka transaksione ekzistuese kundër artikull {0}, ju nuk mund të ndryshojë vlerën e {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Si ka transaksione ekzistuese kundër artikull {0}, ju nuk mund të ndryshojë vlerën e {1}"
DocType: UOM,Must be Whole Number,Duhet të jetë numër i plotë
DocType: Leave Control Panel,New Leaves Allocated (In Days),Lë të reja alokuara (në ditë)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serial Asnjë {0} nuk ekziston
@@ -2812,6 +2829,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Numri i faturës
DocType: Shopping Cart Settings,Orders,Urdhërat
DocType: Employee Leave Approver,Leave Approver,Lini aprovuesi
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,"Ju lutem, përzgjidhni një grumbull"
DocType: Assessment Group,Assessment Group Name,Emri Grupi i Vlerësimit
DocType: Manufacturing Settings,Material Transferred for Manufacture,Material Transferuar për Prodhime
DocType: Expense Claim,"A user with ""Expense Approver"" role",Një përdorues me "Shpenzimi aprovuesi" rolin
@@ -2821,9 +2839,10 @@
DocType: Target Detail,Target Detail,Detail Target
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,Të gjitha Jobs
DocType: Sales Order,% of materials billed against this Sales Order,% E materialeve faturuar kundër këtij Rendit Shitje
+DocType: Program Enrollment,Mode of Transportation,Mode e Transportit
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Periudha Mbyllja Hyrja
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Qendra Kosto me transaksionet ekzistuese nuk mund të konvertohet në grup
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Shuma {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Shuma {0} {1} {2} {3}
DocType: Account,Depreciation,Amortizim
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Furnizuesi (s)
DocType: Employee Attendance Tool,Employee Attendance Tool,Punonjës Pjesëmarrja Tool
@@ -2831,7 +2850,7 @@
DocType: Supplier,Credit Limit,Limit Credit
DocType: Production Plan Sales Order,Salse Order Date,Salse Order Data
DocType: Salary Component,Salary Component,Paga Komponenti
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Entries pagesës {0} janë të pa-lidhur
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Entries pagesës {0} janë të pa-lidhur
DocType: GL Entry,Voucher No,Voucher Asnjë
,Lead Owner Efficiency,Efikasiteti Lead Owner
,Lead Owner Efficiency,Efikasiteti Lead Owner
@@ -2843,11 +2862,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Template i termave apo kontrate.
DocType: Purchase Invoice,Address and Contact,Adresa dhe Kontakt
DocType: Cheque Print Template,Is Account Payable,Është Llogaria e pagueshme
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Stock nuk mund të rifreskohet kundër marrjes Blerje {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Stock nuk mund të rifreskohet kundër marrjes Blerje {0}
DocType: Supplier,Last Day of the Next Month,Dita e fundit e muajit të ardhshëm
DocType: Support Settings,Auto close Issue after 7 days,Auto Issue ngushtë pas 7 ditësh
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Lënë nuk mund të ndahen përpara {0}, si bilanci leja ka qenë tashmë copë dërgohet në regjistrin e ardhshëm alokimit Pushimi {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Shënim: Për shkak / Data Referenca kalon lejuar ditët e kreditit të konsumatorëve nga {0} ditë (s)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Shënim: Për shkak / Data Referenca kalon lejuar ditët e kreditit të konsumatorëve nga {0} ditë (s)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Student Aplikuesi
DocType: Asset Category Account,Accumulated Depreciation Account,Llogaria akumuluar Zhvlerësimi
DocType: Stock Settings,Freeze Stock Entries,Freeze Stock Entries
@@ -2856,36 +2875,36 @@
DocType: Activity Cost,Billing Rate,Rate Faturimi
,Qty to Deliver,Qty të Dorëzojë
,Stock Analytics,Stock Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Operacionet nuk mund të lihet bosh
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operacionet nuk mund të lihet bosh
DocType: Maintenance Visit Purpose,Against Document Detail No,Kundër Document Detail Jo
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Lloji Party është e detyrueshme
DocType: Quality Inspection,Outgoing,Largohet
DocType: Material Request,Requested For,Kërkuar Për
DocType: Quotation Item,Against Doctype,Kundër DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} është anuluar apo të mbyllura
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} është anuluar apo të mbyllura
DocType: Delivery Note,Track this Delivery Note against any Project,Përcjell këtë notën shpërndarëse kundër çdo Projektit
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Paraja neto nga Investimi
-,Is Primary Address,Është Adresimi Fillor
DocType: Production Order,Work-in-Progress Warehouse,Puna në progres Magazina
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Asset {0} duhet të dorëzohet
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Pjesëmarrja Record {0} ekziston kundër Student {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Pjesëmarrja Record {0} ekziston kundër Student {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Referenca # {0} datë {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Zhvlerësimi Eliminuar shkak të dispozicion të aseteve
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Manage Adresat
DocType: Asset,Item Code,Kodi i artikullit
DocType: Production Planning Tool,Create Production Orders,Krijo urdhërat e prodhimit
DocType: Serial No,Warranty / AMC Details,Garanci / AMC Detajet
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Zgjidh studentët me dorë për aktivitetin bazuar Grupit
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Zgjidh studentët me dorë për aktivitetin bazuar Grupit
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Zgjidh studentët me dorë për aktivitetin bazuar Grupit
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Zgjidh studentët me dorë për aktivitetin bazuar Grupit
DocType: Journal Entry,User Remark,Përdoruesi Vërejtje
DocType: Lead,Market Segment,Segmenti i Tregut
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Shuma e paguar nuk mund të jetë më e madhe se shuma totale negative papaguar {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Shuma e paguar nuk mund të jetë më e madhe se shuma totale negative papaguar {0}
DocType: Employee Internal Work History,Employee Internal Work History,Punonjës historia e Brendshme
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Mbyllja (Dr)
DocType: Cheque Print Template,Cheque Size,Çek Size
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Serial Asnjë {0} nuk në magazinë
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Template taksave për shitjen e transaksioneve.
DocType: Sales Invoice,Write Off Outstanding Amount,Shkruani Off Outstanding Shuma
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Llogaria {0} nuk përputhet me Kompaninë {1}
DocType: School Settings,Current Academic Year,Aktual akademik Year
DocType: Stock Settings,Default Stock UOM,Gabim Stock UOM
DocType: Asset,Number of Depreciations Booked,Numri i nënçmime rezervuar
@@ -2900,27 +2919,27 @@
DocType: Asset,Double Declining Balance,Dyfishtë rënie Balance
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,mënyrë të mbyllura nuk mund të anulohet. Hap për të anulluar.
DocType: Student Guardian,Father,Atë
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' nuk mund të kontrollohet për shitjen e aseteve fikse
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Update Stock' nuk mund të kontrollohet për shitjen e aseteve fikse
DocType: Bank Reconciliation,Bank Reconciliation,Banka Pajtimit
DocType: Attendance,On Leave,Në ikje
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Get Updates
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Llogaria {2} nuk i përkasin kompanisë {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Materiali Kërkesë {0} është anuluar ose ndërprerë
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Shto një pak të dhënat mostër
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Shto një pak të dhënat mostër
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Lini Menaxhimi
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Grupi nga Llogaria
DocType: Sales Order,Fully Delivered,Dorëzuar plotësisht
DocType: Lead,Lower Income,Të ardhurat më të ulëta
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Burimi dhe depo objektiv nuk mund të jetë i njëjtë për të rresht {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Burimi dhe depo objektiv nuk mund të jetë i njëjtë për të rresht {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Llogaria ndryshim duhet të jetë një llogari lloj Aseteve / Detyrimeve, pasi kjo Stock Pajtimi është një Hyrja Hapja"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Shuma e disbursuar nuk mund të jetë më e madhe se: Kredia {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Blerje numrin urdhër që nevojitet për artikullit {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Rendit prodhimit jo krijuar
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Blerje numrin urdhër që nevojitet për artikullit {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Rendit prodhimit jo krijuar
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Nga Data "duhet të jetë pas" deri më sot "
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Nuk mund të ndryshojë statusin si nxënës {0} është e lidhur me aplikimin e studentëve {1}
DocType: Asset,Fully Depreciated,amortizuar plotësisht
,Stock Projected Qty,Stock Projektuar Qty
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Customer {0} nuk i përket projektit {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Customer {0} nuk i përket projektit {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Pjesëmarrja e shënuar HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Citate janë propozimet, ofertat keni dërguar për klientët tuaj"
DocType: Sales Order,Customer's Purchase Order,Rendit Blerje konsumatorit
@@ -2929,8 +2948,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Shuma e pikëve të kritereve të vlerësimit të nevojave të jetë {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Ju lutemi të vendosur Numri i nënçmime rezervuar
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Vlera ose Qty
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Urdhërat Productions nuk mund të ngrihen për:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Minutë
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Urdhërat Productions nuk mund të ngrihen për:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Minutë
DocType: Purchase Invoice,Purchase Taxes and Charges,Blerje taksat dhe tatimet
,Qty to Receive,Qty të marrin
DocType: Leave Block List,Leave Block List Allowed,Dërgo Block Lista Lejohet
@@ -2938,25 +2957,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Kërkesa Expense për Automjeteve Identifikohu {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Discount (%) në listën e çmimeve të votuarat vetëm me Margjina
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Discount (%) në listën e çmimeve të votuarat vetëm me Margjina
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,Të gjitha Depot
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Të gjitha Depot
DocType: Sales Partner,Retailer,Shitës me pakicë
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Kredi në llogarinë duhet të jetë një llogari Bilanci i Gjendjes
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Kredi në llogarinë duhet të jetë një llogari Bilanci i Gjendjes
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Gjitha llojet Furnizuesi
DocType: Global Defaults,Disable In Words,Disable Në fjalë
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,Kodi i artikullit është i detyrueshëm për shkak Item nuk është numëruar në mënyrë automatike
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Kodi i artikullit është i detyrueshëm për shkak Item nuk është numëruar në mënyrë automatike
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Citat {0} nuk e tipit {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Orari Mirëmbajtja Item
DocType: Sales Order,% Delivered,% Dorëzuar
DocType: Production Order,PRO-,PRO
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Llogaria Overdraft Banka
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Llogaria Overdraft Banka
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Bëni Kuponi pagave
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Row # {0}: Shuma e ndarë nuk mund të jetë më e madhe se shuma e papaguar.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Shfleto bom
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Kredi të siguruara
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Kredi të siguruara
DocType: Purchase Invoice,Edit Posting Date and Time,Edit Posting Data dhe Koha
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Ju lutemi të vendosur Llogaritë zhvlerësimit lidhur në Kategorinë Aseteve {0} ose kompanisë {1}
DocType: Academic Term,Academic Year,Vit akademik
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Hapja Bilanci ekuitetit
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Hapja Bilanci ekuitetit
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Vlerësim
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},Email dërguar për furnizuesit {0}
@@ -2972,7 +2991,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Miratimi Rolit nuk mund të jetë i njëjtë si rolin rregulli është i zbatueshëm për
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Çabonoheni nga ky Dërgoje Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Mesazh dërguar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Llogari me nyje të fëmijëve nuk mund të vendosen si librit
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Llogari me nyje të fëmijëve nuk mund të vendosen si librit
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Shkalla në të cilën listë Çmimi monedhës është konvertuar në bazë monedhën klientit
DocType: Purchase Invoice Item,Net Amount (Company Currency),Shuma neto (Kompania Valuta)
@@ -3007,7 +3026,7 @@
DocType: Expense Claim,Approval Status,Miratimi Statusi
DocType: Hub Settings,Publish Items to Hub,Botojë artikuj për Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},Nga Vlera duhet të jetë më pak se të vlerës në rresht {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Wire Transfer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Wire Transfer
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,kontrollo të gjitha
DocType: Vehicle Log,Invoice Ref,faturë Ref
DocType: Purchase Order,Recurring Order,Rendit përsëritur
@@ -3020,19 +3039,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Bankar dhe i Pagesave
,Welcome to ERPNext,Mirë se vini në ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Lead për Kuotim
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Asgjë më shumë për të treguar.
DocType: Lead,From Customer,Nga Klientit
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Telefonatat
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Telefonatat
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,tufa
DocType: Project,Total Costing Amount (via Time Logs),Shuma kushton (nëpërmjet Koha Shkrime)
DocType: Purchase Order Item Supplied,Stock UOM,Stock UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Blerje Rendit {0} nuk është dorëzuar
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Blerje Rendit {0} nuk është dorëzuar
DocType: Customs Tariff Number,Tariff Number,Numri Tarifa
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Projektuar
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serial Asnjë {0} nuk i përkasin Magazina {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Shënim: Sistemi nuk do të kontrollojë mbi-ofrimit dhe mbi-prenotim për Item {0} si sasi apo shumë është 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Shënim: Sistemi nuk do të kontrollojë mbi-ofrimit dhe mbi-prenotim për Item {0} si sasi apo shumë është 0
DocType: Notification Control,Quotation Message,Citat Mesazh
DocType: Employee Loan,Employee Loan Application,Punonjës Loan Application
DocType: Issue,Opening Date,Hapja Data
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Pjesëmarrja është shënuar sukses.
+DocType: Program Enrollment,Public Transport,Transporti publik
DocType: Journal Entry,Remark,Vërejtje
DocType: Purchase Receipt Item,Rate and Amount,Shkalla dhe Shuma
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Lloji i llogarisë për {0} duhet të jetë {1}
@@ -3040,32 +3062,32 @@
DocType: School Settings,Current Academic Term,Term aktual akademik
DocType: School Settings,Current Academic Term,Term aktual akademik
DocType: Sales Order,Not Billed,Jo faturuar
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Të dyja Magazina duhet t'i përkasë njëjtës kompani
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Nuk ka kontakte të shtuar ende.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Të dyja Magazina duhet t'i përkasë njëjtës kompani
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Nuk ka kontakte të shtuar ende.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Kosto zbarkoi Voucher Shuma
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Faturat e ngritura nga furnizuesit.
DocType: POS Profile,Write Off Account,Shkruani Off Llogari
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Debit Shënim AMT
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Shuma Discount
DocType: Purchase Invoice,Return Against Purchase Invoice,Kthehu kundër Blerje Faturë
DocType: Item,Warranty Period (in days),Garanci Periudha (në ditë)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Raporti me Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Raporti me Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Paraja neto nga operacionet
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,p.sh. TVSH
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,p.sh. TVSH
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Pika 4
DocType: Student Admission,Admission End Date,Pranimi End Date
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Nënkontraktimi
DocType: Journal Entry Account,Journal Entry Account,Llogaria Journal Hyrja
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Grupi Student
DocType: Shopping Cart Settings,Quotation Series,Citat Series
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Një artikull ekziston me të njëjtin emër ({0}), ju lutemi të ndryshojë emrin e grupit pika ose riemërtoj pika"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Ju lutemi zgjidhni klientit
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Një artikull ekziston me të njëjtin emër ({0}), ju lutemi të ndryshojë emrin e grupit pika ose riemërtoj pika"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Ju lutemi zgjidhni klientit
DocType: C-Form,I,unë
DocType: Company,Asset Depreciation Cost Center,Asset Center Zhvlerësimi Kostoja
DocType: Sales Order Item,Sales Order Date,Sales Order Data
DocType: Sales Invoice Item,Delivered Qty,Dorëzuar Qty
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Nëse kontrollohen, të gjithë fëmijët e çdo zë prodhimi do të përfshihen në Kërkesave materiale."
DocType: Assessment Plan,Assessment Plan,Plani i vlerësimit
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Magazina {0}: Kompania është e detyrueshme
DocType: Stock Settings,Limit Percent,Limit Percent
,Payment Period Based On Invoice Date,Periudha e pagesës bazuar në datën Faturë
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Missing Currency Exchange Rates për {0}
@@ -3077,7 +3099,7 @@
DocType: Vehicle,Insurance Details,Details Insurance
DocType: Account,Payable,Për t'u paguar
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,Ju lutemi shkruani Periudhat Ripagimi
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Debitorët ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Debitorët ({0})
DocType: Pricing Rule,Margin,diferencë
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Klientët e Rinj
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Bruto% Fitimi
@@ -3088,16 +3110,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Partia është e detyrueshme
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,Topic Emri
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Atleast një nga shitjen apo blerjen duhet të zgjidhen
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Zgjidhni natyrën e biznesit tuaj.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Atleast një nga shitjen apo blerjen duhet të zgjidhen
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Zgjidhni natyrën e biznesit tuaj.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Rresht # {0}: Dublikoje hyrja në Referencat {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Ku operacionet prodhuese janë kryer.
DocType: Asset Movement,Source Warehouse,Burimi Magazina
DocType: Installation Note,Installation Date,Instalimi Data
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} nuk i përkasin kompanisë {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: Asset {1} nuk i përkasin kompanisë {2}
DocType: Employee,Confirmation Date,Konfirmimi Data
DocType: C-Form,Total Invoiced Amount,Shuma totale e faturuar
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Qty nuk mund të jetë më i madh se Max Qty
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Min Qty nuk mund të jetë më i madh se Max Qty
DocType: Account,Accumulated Depreciation,Zhvlerësimi i akumuluar
DocType: Stock Entry,Customer or Supplier Details,Customer ose Furnizuesi Detajet
DocType: Employee Loan Application,Required by Date,Kërkohet nga Data
@@ -3118,22 +3140,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Mujor Përqindja e shpërndarjes
DocType: Territory,Territory Targets,Synimet Territory
DocType: Delivery Note,Transporter Info,Transporter Informacion
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Ju lutemi të vendosur parazgjedhur {0} në Kompaninë {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Ju lutemi të vendosur parazgjedhur {0} në Kompaninë {1}
DocType: Cheque Print Template,Starting position from top edge,pozicion nga buzë të lartë duke filluar
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Same furnizuesi është lidhur shumë herë
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Fitimi bruto / Humbja
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Blerje Rendit Item furnizuar
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Emri i kompanisë nuk mund të jetë i kompanisë
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Emri i kompanisë nuk mund të jetë i kompanisë
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Kryetarët letër për të shtypura templates.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Titujt për shtypura templates p.sh. ProFORMA faturë.
DocType: Student Guardian,Student Guardian,Guardian Student
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Akuzat lloj vlerësimi nuk mund të shënuar si gjithëpërfshirës
DocType: POS Profile,Update Stock,Update Stock
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Furnizuesi> Furnizuesi lloji
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM ndryshme për sendet do të çojë në të gabuar (Total) vlerën neto Pesha. Sigurohuni që pesha neto e çdo send është në të njëjtën UOM.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Bom Rate
DocType: Asset,Journal Entry for Scrap,Journal Hyrja për skrap
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Ju lutemi të tërheqë sendet nga i dorëzimit Shënim
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Journal Entries {0} janë të pa-lidhura
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Journal Entries {0} janë të pa-lidhura
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Rekord të të gjitha komunikimeve të tipit mail, telefon, chat, vizita, etj"
DocType: Manufacturer,Manufacturers used in Items,Prodhuesit e përdorura në artikujt
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Ju lutemi të përmendim Round Off Qendra kushtojë në Kompaninë
@@ -3182,33 +3205,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,Furnizuesi jep Klientit
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Forma / Item / {0}) është nga të aksioneve
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Data e ardhshme duhet të jetë më i madh se mbi postimet Data
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Trego taksave break-up
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Për shkak / Referenca Data nuk mund të jetë pas {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Trego taksave break-up
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Për shkak / Referenca Data nuk mund të jetë pas {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Importi dhe Eksporti i të dhënave
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","entries Stock ekzistojnë kundër Magazina {0}, kështu që ju nuk mund të ri-caktojë ose modifikojë atë"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Nuk studentët Found
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Nuk studentët Found
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Fatura Posting Data
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,shes
DocType: Sales Invoice,Rounded Total,Rrumbullakuar Total
DocType: Product Bundle,List items that form the package.,Artikuj lista që formojnë paketë.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Alokimi përqindje duhet të jetë e barabartë me 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,"Ju lutem, përzgjidhni datën e postimit para se të zgjedhur Partinë"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,"Ju lutem, përzgjidhni datën e postimit para se të zgjedhur Partinë"
DocType: Program Enrollment,School House,School House
DocType: Serial No,Out of AMC,Nga AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,"Ju lutem, përzgjidhni Citate"
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,"Ju lutem, përzgjidhni Citate"
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Numri i nënçmime rezervuar nuk mund të jetë më e madhe se Total Numri i nënçmime
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Bëni Mirëmbajtja vizitë
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,Ju lutem kontaktoni për përdoruesit të cilët kanë Sales Master Menaxher {0} rol
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,Ju lutem kontaktoni për përdoruesit të cilët kanë Sales Master Menaxher {0} rol
DocType: Company,Default Cash Account,Gabim Llogaria Cash
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Kompani (jo Customer ose Furnizuesi) mjeshtër.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Kjo është e bazuar në pjesëmarrjen e këtij Student
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Nuk ka Studentët në
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Nuk ka Studentët në
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Shto artikuj më shumë apo formë të hapur të plotë
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',Ju lutemi shkruani 'datës së pritshme dorëzimit'
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Shënime ofrimit {0} duhet të anulohet para se anulimi këtë Radhit Sales
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Shuma e paguar + anullojë Shuma nuk mund të jetë më i madh se Grand Total
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Shuma e paguar + anullojë Shuma nuk mund të jetë më i madh se Grand Total
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} nuk është një numër i vlefshëm Batch për Item {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Shënim: Nuk ka bilanc mjaft leje për pushim Lloji {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN pavlefshme ose Shkruani NA për paregjistruar
DocType: Training Event,Seminar,seminar
DocType: Program Enrollment Fee,Program Enrollment Fee,Program Tarifa Regjistrimi
DocType: Item,Supplier Items,Items Furnizuesi
@@ -3234,27 +3257,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Pika 3
DocType: Purchase Order,Customer Contact Email,Customer Contact Email
DocType: Warranty Claim,Item and Warranty Details,Pika dhe Garanci Details
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Item Code> Item Group> Markë
DocType: Sales Team,Contribution (%),Kontributi (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Shënim: Pagesa Hyrja nuk do të jetë krijuar që nga 'Cash ose Llogarisë Bankare "nuk ishte specifikuar
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Zgjidhni programin për të shkoj të marr kurse të detyrueshme.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Përgjegjësitë
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Përgjegjësitë
DocType: Expense Claim Account,Expense Claim Account,Llogaria Expense Kërkesa
DocType: Sales Person,Sales Person Name,Sales Person Emri
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Ju lutemi shkruani atleast 1 faturën në tryezë
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Shto Përdoruesit
DocType: POS Item Group,Item Group,Grupi i artikullit
DocType: Item,Safety Stock,Siguria Stock
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Progresi% për një detyrë nuk mund të jetë më shumë se 100.
DocType: Stock Reconciliation Item,Before reconciliation,Para se të pajtimit
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Për {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Taksat dhe Tarifat Shtuar (Kompania Valuta)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Row Tatimore pika {0} duhet të keni një llogari te tipit Tatimit ose e ardhur ose shpenzim ose ngarkimit
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Row Tatimore pika {0} duhet të keni një llogari te tipit Tatimit ose e ardhur ose shpenzim ose ngarkimit
DocType: Sales Order,Partly Billed,Faturuar Pjesërisht
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Item {0} duhet të jetë një artikull Fixed Asset
DocType: Item,Default BOM,Gabim bom
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,Ju lutem ri-lloj emri i kompanisë për të konfirmuar
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Outstanding Amt Total
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Debit Shënim Shuma
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Ju lutem ri-lloj emri i kompanisë për të konfirmuar
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Outstanding Amt Total
DocType: Journal Entry,Printing Settings,Printime Cilësimet
DocType: Sales Invoice,Include Payment (POS),Përfshijnë Pagesa (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Debiti i përgjithshëm duhet të jetë e barabartë me totalin e kredisë. Dallimi është {0}
@@ -3268,15 +3289,16 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Në magazinë:
DocType: Notification Control,Custom Message,Custom Mesazh
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investimeve Bankare
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Cash ose Banka Llogaria është e detyrueshme për të bërë hyrjen e pagesës
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Adresa Student
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Cash ose Banka Llogaria është e detyrueshme për të bërë hyrjen e pagesës
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Ju lutemi Setup numëron seri për Pjesëmarrja nëpërmjet Setup> Numbering Series
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Adresa Student
DocType: Purchase Invoice,Price List Exchange Rate,Lista e Çmimeve Exchange Rate
DocType: Purchase Invoice Item,Rate,Normë
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Mjek praktikant
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,adresa Emri
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Mjek praktikant
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,adresa Emri
DocType: Stock Entry,From BOM,Nga bom
DocType: Assessment Code,Assessment Code,Kodi i vlerësimit
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Themelor
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Themelor
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Transaksionet e aksioneve para {0} janë të ngrira
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',Ju lutem klikoni në "Generate Listën '
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","p.sh. Kg, Njësia, Nos, m"
@@ -3286,11 +3308,11 @@
DocType: Salary Slip,Salary Structure,Struktura e pagave
DocType: Account,Bank,Banka
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Linjë ajrore
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Materiali çështje
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Materiali çështje
DocType: Material Request Item,For Warehouse,Për Magazina
DocType: Employee,Offer Date,Oferta Data
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Citate
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Ju jeni në offline mode. Ju nuk do të jetë në gjendje për të rifreskoni deri sa të ketë rrjet.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,Ju jeni në offline mode. Ju nuk do të jetë në gjendje për të rifreskoni deri sa të ketë rrjet.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Nuk Grupet Student krijuar.
DocType: Purchase Invoice Item,Serial No,Serial Asnjë
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Shuma mujore e pagesës nuk mund të jetë më e madhe se Shuma e Kredisë
@@ -3298,8 +3320,8 @@
DocType: Purchase Invoice,Print Language,Print Gjuha
DocType: Salary Slip,Total Working Hours,Gjithsej Orari i punës
DocType: Stock Entry,Including items for sub assemblies,Duke përfshirë edhe artikuj për nën kuvendet
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Shkruani Vlera duhet të jetë pozitiv
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Të gjitha Territoret
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Shkruani Vlera duhet të jetë pozitiv
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Të gjitha Territoret
DocType: Purchase Invoice,Items,Artikuj
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Studenti është regjistruar tashmë.
DocType: Fiscal Year,Year Name,Viti Emri
@@ -3317,10 +3339,10 @@
DocType: Issue,Opening Time,Koha e hapjes
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Nga dhe në datat e kërkuara
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Letrave me Vlerë dhe Shkëmbimeve të Mallrave
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Default njësinë e matjes për Varianti '{0}' duhet të jetë i njëjtë si në Template '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Default njësinë e matjes për Varianti '{0}' duhet të jetë i njëjtë si në Template '{1}'
DocType: Shipping Rule,Calculate Based On,Llogaritur bazuar në
DocType: Delivery Note Item,From Warehouse,Nga Magazina
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Nuk Items me faturën e materialeve të Prodhimi
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Nuk Items me faturën e materialeve të Prodhimi
DocType: Assessment Plan,Supervisor Name,Emri Supervisor
DocType: Program Enrollment Course,Program Enrollment Course,Program Regjistrimi Kursi
DocType: Purchase Taxes and Charges,Valuation and Total,Vlerësimi dhe Total
@@ -3335,18 +3357,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"Ditët Që Rendit Fundit" duhet të jetë më e madhe se ose e barabartë me zero
DocType: Process Payroll,Payroll Frequency,Payroll Frekuenca
DocType: Asset,Amended From,Ndryshuar Nga
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Raw Material
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Raw Material
DocType: Leave Application,Follow via Email,Ndiqni nëpërmjet Email
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Bimët dhe makineri
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Bimët dhe makineri
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Shuma e taksave Pas Shuma ulje
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Daily Settings Përmbledhje Work
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Valuta e listës së çmimeve {0} nuk është i ngjashëm me monedhën e zgjedhur {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Valuta e listës së çmimeve {0} nuk është i ngjashëm me monedhën e zgjedhur {1}
DocType: Payment Entry,Internal Transfer,Transfer të brendshme
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Llogari fëmijë ekziston për këtë llogari. Ju nuk mund të fshini këtë llogari.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Llogari fëmijë ekziston për këtë llogari. Ju nuk mund të fshini këtë llogari.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Ose Qty objektiv ose shuma e synuar është e detyrueshme
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Nuk ekziston parazgjedhur bom për Item {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Nuk ekziston parazgjedhur bom për Item {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,"Ju lutem, përzgjidhni datën e postimit parë"
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Hapja Data duhet të jetë para datës së mbylljes
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ju lutemi të vendosur Emërtimi Seria për {0} nëpërmjet Setup> Cilësimet> Emërtimi Seria
DocType: Leave Control Panel,Carry Forward,Bart
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Qendra Kosto me transaksionet ekzistuese nuk mund të konvertohet në Ledger
DocType: Department,Days for which Holidays are blocked for this department.,Ditë për të cilat Festat janë bllokuar për këtë departament.
@@ -3356,10 +3379,9 @@
DocType: Issue,Raised By (Email),Ngritur nga (Email)
DocType: Training Event,Trainer Name,Emri trajner
DocType: Mode of Payment,General,I përgjithshëm
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Bashkangjit letër me kokë
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Komunikimi i fundit
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Nuk mund të zbres kur kategori është për 'vlerësimit' ose 'Vlerësimit dhe Total "
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lista kokat tuaja tatimore (p.sh. TVSH, doganore etj, ata duhet të kenë emra të veçantë) dhe normat e tyre standarde. Kjo do të krijojë një template standarde, të cilat ju mund të redaktoni dhe shtoni më vonë."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lista kokat tuaja tatimore (p.sh. TVSH, doganore etj, ata duhet të kenë emra të veçantë) dhe normat e tyre standarde. Kjo do të krijojë një template standarde, të cilat ju mund të redaktoni dhe shtoni më vonë."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Serial Nos kërkuar për Item serialized {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Pagesat ndeshje me faturat
DocType: Journal Entry,Bank Entry,Banka Hyrja
@@ -3368,16 +3390,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Futeni në kosh
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Grupi Nga
DocType: Guardian,Interests,interesat
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Enable / disable monedhave.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Enable / disable monedhave.
DocType: Production Planning Tool,Get Material Request,Get materiale Kërkesë
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Shpenzimet postare
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Shpenzimet postare
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Gjithsej (Amt)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Entertainment & Leisure
DocType: Quality Inspection,Item Serial No,Item Nr Serial
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Krijo Records punonjësve
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,I pranishëm Total
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Deklaratat e kontabilitetit
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Orë
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Orë
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Jo i ri Serial nuk mund të ketë depo. Magazina duhet të përcaktohen nga Bursa e hyrjes ose marrjes Blerje
DocType: Lead,Lead Type,Lead Type
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Ju nuk jeni i autorizuar të miratojë lë në datat Block
@@ -3389,6 +3411,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,BOM ri pas zëvendësimit
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Pika e Shitjes
DocType: Payment Entry,Received Amount,Shuma e marrë
+DocType: GST Settings,GSTIN Email Sent On,GSTIN Email dërguar më
+DocType: Program Enrollment,Pick/Drop by Guardian,Pick / rënie nga Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Krijo për sasinë e plotë, duke injoruar sasi tashmë në mënyrë"
DocType: Account,Tax,Tatim
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,i pashënuar
@@ -3400,14 +3424,14 @@
DocType: Batch,Source Document Name,Dokumenti Burimi Emri
DocType: Job Opening,Job Title,Titulli Job
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Krijo Përdoruesit
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,gram
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,gram
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Sasi të Prodhimi duhet të jetë më e madhe se 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Vizitoni raport për thirrjen e mirëmbajtjes.
DocType: Stock Entry,Update Rate and Availability,Update Vlerësoni dhe Disponueshmëria
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,"Përqindja ju keni të drejtë për të marrë ose të japë më shumë kundër sasi të urdhëruar. Për shembull: Nëse ju keni urdhëruar 100 njësi. dhe Allowance juaj është 10%, atëherë ju keni të drejtë për të marrë 110 njësi."
DocType: POS Customer Group,Customer Group,Grupi Klientit
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),New ID Batch (Fakultativ)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Llogari shpenzim është i detyrueshëm për pikën {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Llogari shpenzim është i detyrueshëm për pikën {0}
DocType: BOM,Website Description,Website Përshkrim
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Ndryshimi neto në ekuitetit
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Ju lutemi anuloni Blerje Faturën {0} parë
@@ -3417,8 +3441,8 @@
,Sales Register,Shitjet Regjistrohu
DocType: Daily Work Summary Settings Company,Send Emails At,Dërgo email Në
DocType: Quotation,Quotation Lost Reason,Citat Humbur Arsyeja
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Zgjidh Domain tuaj
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},reference Transaction asnjë {0} datë {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Zgjidh Domain tuaj
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},reference Transaction asnjë {0} datë {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Nuk ka asgjë për të redaktuar.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Përmbledhje për këtë muaj dhe aktivitetet në pritje
DocType: Customer Group,Customer Group Name,Emri Grupi Klientit
@@ -3426,14 +3450,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Pasqyra Cash Flow
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Sasia huaja nuk mund të kalojë sasi maksimale huazimin e {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Liçensë
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},Ju lutem hiqni këtë Faturë {0} nga C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},Ju lutem hiqni këtë Faturë {0} nga C-Form {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,"Ju lutem, përzgjidhni Mbaj përpara në qoftë se ju të dëshironi që të përfshijë bilancit vitit të kaluar fiskal lë të këtij viti fiskal"
DocType: GL Entry,Against Voucher Type,Kundër Voucher Type
DocType: Item,Attributes,Atributet
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,"Ju lutem, jepini të anullojë Llogari"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,"Ju lutem, jepini të anullojë Llogari"
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Rendit fundit Date
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Llogaria {0} nuk i takon kompanisë {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Numrat serial në rresht {0} nuk përputhet me shpërndarjen Note
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Numrat serial në rresht {0} nuk përputhet me shpërndarjen Note
DocType: Student,Guardian Details,Guardian Details
DocType: C-Form,C-Form,C-Forma
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark Pjesëmarrja për të punësuarit të shumta
@@ -3448,16 +3472,16 @@
DocType: Budget Account,Budget Amount,Shuma buxheti
DocType: Appraisal Template,Appraisal Template Title,Vlerësimi Template Titulli
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Nga Data {0} për Employee {1} nuk mund të jetë para Data bashkuar punonjësit {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Komercial
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Komercial
DocType: Payment Entry,Account Paid To,Llogaria Paid To
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Prind Item {0} nuk duhet të jetë një Stock Item
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Të gjitha prodhimet ose shërbimet.
DocType: Expense Claim,More Details,Më shumë detaje
DocType: Supplier Quotation,Supplier Address,Furnizuesi Adresa
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Buxheti për Llogarinë {1} kundër {2} {3} është {4}. Ajo do të kalojë nga {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Row {0} # Llogaria duhet të jenë të tipit "Asset fikse '
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Nga Qty
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Rregullat për të llogaritur shumën e anijeve për një shitje
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Row {0} # Llogaria duhet të jenë të tipit "Asset fikse '
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Nga Qty
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Rregullat për të llogaritur shumën e anijeve për një shitje
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Seria është i detyrueshëm
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Shërbimet Financiare
DocType: Student Sibling,Student ID,ID Student
@@ -3465,13 +3489,13 @@
DocType: Tax Rule,Sales,Shitjet
DocType: Stock Entry Detail,Basic Amount,Shuma bazë
DocType: Training Event,Exam,Provimi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Magazina e nevojshme për aksioneve Item {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Magazina e nevojshme për aksioneve Item {0}
DocType: Leave Allocation,Unused leaves,Gjethet e papërdorura
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,Shteti Faturimi
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Transferim
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} nuk lidhen me llogarinë Partisë {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Fetch bom shpërtheu (përfshirë nën-kuvendet)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} nuk lidhen me llogarinë Partisë {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Fetch bom shpërtheu (përfshirë nën-kuvendet)
DocType: Authorization Rule,Applicable To (Employee),Për të zbatueshme (punonjës)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Për shkak Data është e detyrueshme
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Rritja për Atributit {0} nuk mund të jetë 0
@@ -3499,7 +3523,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Raw Material Item Code
DocType: Journal Entry,Write Off Based On,Shkruani Off bazuar në
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,bëni Lead
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Print dhe Stationery
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Print dhe Stationery
DocType: Stock Settings,Show Barcode Field,Trego Barcode Field
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Dërgo email furnizuesi
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Paga përpunuar tashmë për periudhën ndërmjet {0} dhe {1}, Lini periudha e aplikimit nuk mund të jetë në mes të këtyre datave."
@@ -3507,13 +3531,15 @@
DocType: Guardian Interest,Guardian Interest,Guardian Interesi
apps/erpnext/erpnext/config/hr.py +177,Training,stërvitje
DocType: Timesheet,Employee Detail,Detail punonjës
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 Email ID
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,Dita datën tjetër dhe përsëritet në ditën e Muajit duhet të jetë e barabartë
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Parametrat për faqen e internetit
DocType: Offer Letter,Awaiting Response,Në pritje të përgjigjes
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Sipër
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Sipër
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},atribut i pavlefshëm {0} {1}
DocType: Supplier,Mention if non-standard payable account,Përmend në qoftë se llogaria jo-standarde pagueshme
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Same artikull është futur shumë herë. {listë}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Ju lutemi zgjidhni grupin e vlerësimit të tjera se "të gjitha grupet e vlerësimit '
DocType: Salary Slip,Earning & Deduction,Fituar dhe Zbritje
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Fakultative. Ky rregullim do të përdoret për të filtruar në transaksionet e ndryshme.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Negativ Rate Vlerësimi nuk është e lejuar
@@ -3527,9 +3553,9 @@
DocType: Sales Invoice,Product Bundle Help,Produkt Bundle Ndihmë
,Monthly Attendance Sheet,Mujore Sheet Pjesëmarrja
DocType: Production Order Item,Production Order Item,Prodhimi Order Item
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Nuk ka Record gjetur
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Nuk ka Record gjetur
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Kostoja e asetit braktiset
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Qendra Kosto është e detyrueshme për Item {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Qendra Kosto është e detyrueshme për Item {2}
DocType: Vehicle,Policy No,Politika No
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Të marrë sendet nga Bundle produktit
DocType: Asset,Straight Line,Vijë e drejtë
@@ -3537,7 +3563,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,ndarje
DocType: GL Entry,Is Advance,Është Advance
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Pjesëmarrja Nga Data dhe Pjesëmarrja deri më sot është e detyrueshme
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,Ju lutemi shkruani 'është nënkontraktuar' si Po apo Jo
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,Ju lutemi shkruani 'është nënkontraktuar' si Po apo Jo
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Data e fundit Komunikimi
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Data e fundit Komunikimi
DocType: Sales Team,Contact No.,Kontakt Nr
@@ -3564,60 +3590,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Vlera e hapjes
DocType: Salary Detail,Formula,formulë
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Komisioni për Shitje
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Komisioni për Shitje
DocType: Offer Letter Term,Value / Description,Vlera / Përshkrim
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} nuk mund të paraqitet, ajo është tashmë {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: Asset {1} nuk mund të paraqitet, ajo është tashmë {2}"
DocType: Tax Rule,Billing Country,Faturimi Vendi
DocType: Purchase Order Item,Expected Delivery Date,Pritet Data e dorëzimit
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debi dhe Kredi jo të barabartë për {0} # {1}. Dallimi është {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Shpenzimet Argëtim
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Bëni materiale Kërkesë
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Shpenzimet Argëtim
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Bëni materiale Kërkesë
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Hapur Artikull {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Shitjet Faturë {0} duhet të anulohet para anulimit këtë Radhit Sales
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Moshë
DocType: Sales Invoice Timesheet,Billing Amount,Shuma Faturimi
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Sasia e pavlefshme specifikuar për pika {0}. Sasia duhet të jetë më i madh se 0.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Aplikimet për leje.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Llogaria me transaksion ekzistues nuk mund të fshihet
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Llogaria me transaksion ekzistues nuk mund të fshihet
DocType: Vehicle,Last Carbon Check,Last Kontrolloni Carbon
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Shpenzimet ligjore
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Shpenzimet ligjore
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Ju lutemi zgjidhni sasinë në rresht
DocType: Purchase Invoice,Posting Time,Posting Koha
DocType: Timesheet,% Amount Billed,% Shuma faturuar
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Shpenzimet telefonike
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Shpenzimet telefonike
DocType: Sales Partner,Logo,Logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Kontrolloni këtë në qoftë se ju doni për të detyruar përdoruesit për të zgjedhur një seri përpara se të kryeni. Nuk do të ketë parazgjedhur në qoftë se ju kontrolloni këtë.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Nuk ka artikull me Serial Nr {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Nuk ka artikull me Serial Nr {0}
DocType: Email Digest,Open Notifications,Njoftimet Hapur
DocType: Payment Entry,Difference Amount (Company Currency),Dallimi Shuma (Company Valuta)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Shpenzimet direkte
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Shpenzimet direkte
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} është një adresë e pavlefshme email në 'Njoftimi \ Email Adresa "
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Të ardhurat New Customer
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Shpenzimet e udhëtimit
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Shpenzimet e udhëtimit
DocType: Maintenance Visit,Breakdown,Avari
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Llogaria: {0} me monedhën: {1} nuk mund të zgjidhen
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Llogaria: {0} me monedhën: {1} nuk mund të zgjidhen
DocType: Bank Reconciliation Detail,Cheque Date,Çek Data
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Llogaria {0}: llogari Parent {1} nuk i përkasin kompanisë: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Llogaria {0}: llogari Parent {1} nuk i përkasin kompanisë: {2}
DocType: Program Enrollment Tool,Student Applicants,Aplikantët Student
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Sukses të fshihen të gjitha transaksionet që lidhen me këtë kompani!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Sukses të fshihen të gjitha transaksionet që lidhen me këtë kompani!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Si në Data
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,regjistrimi Date
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Provë
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Provë
apps/erpnext/erpnext/config/hr.py +115,Salary Components,Komponentet e pagave
DocType: Program Enrollment Tool,New Academic Year,New Year akademik
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Kthimi / Credit Note
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Kthimi / Credit Note
DocType: Stock Settings,Auto insert Price List rate if missing,Auto insert Shkalla Lista e Çmimeve nëse mungon
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Gjithsej shuma e paguar
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Gjithsej shuma e paguar
DocType: Production Order Item,Transferred Qty,Transferuar Qty
apps/erpnext/erpnext/config/learn.py +11,Navigating,Vozitja
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Planifikim
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Lëshuar
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planifikim
+DocType: Material Request,Issued,Lëshuar
DocType: Project,Total Billing Amount (via Time Logs),Shuma totale Faturimi (nëpërmjet Koha Shkrime)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Ne shesim këtë artikull
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Furnizuesi Id
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Ne shesim këtë artikull
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Furnizuesi Id
DocType: Payment Request,Payment Gateway Details,Pagesa Gateway Details
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Sasia duhet të jetë më e madhe se 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Sasia duhet të jetë më e madhe se 0
DocType: Journal Entry,Cash Entry,Hyrja Cash
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,nyjet e fëmijëve mund të krijohen vetëm me nyje të tipit 'Grupit'
DocType: Leave Application,Half Day Date,Half Day Date
@@ -3629,14 +3656,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Ju lutemi të vendosur llogarinë e paracaktuar në Expense kërkesën Lloji {0}
DocType: Assessment Result,Student Name,Emri i studentit
DocType: Brand,Item Manager,Item Menaxher
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,Payroll pagueshme
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Payroll pagueshme
DocType: Buying Settings,Default Supplier Type,Gabim Furnizuesi Type
DocType: Production Order,Total Operating Cost,Gjithsej Kosto Operative
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Shënim: Item {0} hyrë herë të shumta
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Të gjitha kontaktet.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Shkurtesa kompani
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Shkurtesa kompani
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Përdoruesi {0} nuk ekziston
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,Lëndë e parë nuk mund të jetë i njëjtë si pika kryesore
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Lëndë e parë nuk mund të jetë i njëjtë si pika kryesore
DocType: Item Attribute Value,Abbreviation,Shkurtim
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Pagesa Hyrja tashmë ekziston
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Jo Authroized që nga {0} tejkalon kufijtë
@@ -3645,49 +3672,49 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Set Rregulla Taksa për shopping cart
DocType: Purchase Invoice,Taxes and Charges Added,Taksat dhe Tarifat Shtuar
,Sales Funnel,Gyp Sales
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Shkurtim është i detyrueshëm
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Shkurtim është i detyrueshëm
DocType: Project,Task Progress,Task Progress
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Qerre
,Qty to Transfer,Qty të transferojë
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Kuotat për kryeson apo klientët.
DocType: Stock Settings,Role Allowed to edit frozen stock,Roli i lejuar për të redaktuar aksioneve të ngrirë
,Territory Target Variance Item Group-Wise,Territori i synuar Varianca Item Grupi i urti
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Të gjitha grupet e konsumatorëve
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Të gjitha grupet e konsumatorëve
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,akumuluar mujore
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} është i detyrueshëm. Ndoshta rekord Currency Exchange nuk është krijuar për {1} të {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} është i detyrueshëm. Ndoshta rekord Currency Exchange nuk është krijuar për {1} të {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Template tatimi është i detyrueshëm.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Llogaria {0}: llogari Parent {1} nuk ekziston
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Llogaria {0}: llogari Parent {1} nuk ekziston
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Lista e Çmimeve Rate (Kompania Valuta)
DocType: Products Settings,Products Settings,Produkte Settings
DocType: Account,Temporary,I përkohshëm
DocType: Program,Courses,kurse
DocType: Monthly Distribution Percentage,Percentage Allocation,Alokimi Përqindja
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Sekretar
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekretar
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Nëse disable, "me fjalë" fushë nuk do të jetë i dukshëm në çdo transaksion"
DocType: Serial No,Distinct unit of an Item,Njësi të dallueshme nga një artikull
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Ju lutemi të vendosur Company
DocType: Pricing Rule,Buying,Blerje
DocType: HR Settings,Employee Records to be created by,Të dhënat e punonjësve që do të krijohet nga
DocType: POS Profile,Apply Discount On,Aplikoni zbritje në
,Reqd By Date,Reqd By Date
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Kreditorët
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Kreditorët
DocType: Assessment Plan,Assessment Name,Emri i vlerësimit
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Row # {0}: Asnjë Serial është i detyrueshëm
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Item Tatimore urti Detail
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Shkurtesa Institute
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Shkurtesa Institute
,Item-wise Price List Rate,Pika-mençur Lista e Çmimeve Rate
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Furnizuesi Citat
DocType: Quotation,In Words will be visible once you save the Quotation.,Me fjalë do të jetë i dukshëm një herë ju ruani Kuotim.
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Sasi ({0}) nuk mund të jetë një pjesë në rradhë {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,Mblidhni Taksat
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Barkodi {0} përdorur tashmë në pikën {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barkodi {0} përdorur tashmë në pikën {1}
DocType: Lead,Add to calendar on this date,Shtoni në kalendarin në këtë datë
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Rregullat për të shtuar shpenzimet e transportit detar.
DocType: Item,Opening Stock,hapja Stock
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Konsumatorit është e nevojshme
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} është e detyrueshme për Kthim
DocType: Purchase Order,To Receive,Për të marrë
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Personale Email
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Ndryshimi Total
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Nëse aktivizuar, sistemi do të shpallë shënimet e kontabilitetit për inventarizimin automatikisht."
@@ -3698,13 +3725,14 @@
DocType: Customer,From Lead,Nga Lead
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Urdhërat lëshuar për prodhim.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Zgjidh Vitin Fiskal ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS Profilin nevojshme për të bërë POS Hyrja
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS Profilin nevojshme për të bërë POS Hyrja
DocType: Program Enrollment Tool,Enroll Students,regjistrohen Studentët
DocType: Hub Settings,Name Token,Emri Token
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Shitja Standard
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Atleast një depo është e detyrueshme
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Atleast një depo është e detyrueshme
DocType: Serial No,Out of Warranty,Nga Garanci
DocType: BOM Replace Tool,Replace,Zëvendësoj
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Nuk ka produkte gjet.
DocType: Production Order,Unstopped,hapen
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} kundër Shitjeve Faturës {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3715,13 +3743,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Vlera e aksioneve Diferenca
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Burimeve Njerëzore
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Pajtimi Pagesa Pagesa
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Pasuritë tatimore
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Pasuritë tatimore
DocType: BOM Item,BOM No,Bom Asnjë
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Journal Hyrja {0} nuk ka llogari {1} ose tashmë krahasohen me kupon tjetër
DocType: Item,Moving Average,Moving Mesatare
DocType: BOM Replace Tool,The BOM which will be replaced,BOM i cili do të zëvendësohet
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,Pajisje elektronike
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,Pajisje elektronike
DocType: Account,Debit,Debi
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,Lë duhet të ndahen në shumëfisha e 0.5
DocType: Production Order,Operation Cost,Operacioni Kosto
@@ -3729,7 +3757,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Amt Outstanding
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Caqet e përcaktuara Item Grupi-mençur për këtë person të shitjes.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Stoqet Freeze vjetër se [Ditët]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Asset është e detyrueshme për të aseteve fikse blerje / shitje
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: Asset është e detyrueshme për të aseteve fikse blerje / shitje
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Nëse dy ose më shumë Rregullat e Çmimeve janë gjetur në bazë të kushteve të mësipërme, Prioritet është aplikuar. Prioritet është një numër mes 0 deri ne 20, ndërsa vlera e parazgjedhur është zero (bosh). Numri më i lartë do të thotë se do të marrë përparësi nëse ka rregulla të shumta çmimeve me kushte të njëjta."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Viti Fiskal: {0} nuk ekziston
DocType: Currency Exchange,To Currency,Për të Valuta
@@ -3737,7 +3765,7 @@
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,Llojet e shpenzimeve kërkesës.
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Shitjen e normës për elementit {0} është më e ulët se saj {1}. Shitja e normës duhet të jetë atleast {2}
DocType: Item,Taxes,Tatimet
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Paguar dhe nuk dorëzohet
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Paguar dhe nuk dorëzohet
DocType: Project,Default Cost Center,Qendra Kosto e albumit
DocType: Bank Guarantee,End Date,End Date
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Transaksionet e aksioneve
@@ -3762,24 +3790,22 @@
DocType: Employee,Held On,Mbajtur më
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Prodhimi Item
,Employee Information,Informacione punonjës
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Shkalla (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Shkalla (%)
DocType: Stock Entry Detail,Additional Cost,Kosto shtesë
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Viti Financiar End Date
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Nuk mund të filtruar në bazë të Voucher Jo, qoftë të grupuara nga Bonon"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Bëjnë Furnizuesi Kuotim
DocType: Quality Inspection,Incoming,Hyrje
DocType: BOM,Materials Required (Exploded),Materialet e nevojshme (Shpërtheu)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Shto përdoruesve për organizatën tuaj, përveç vetes"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Posting Data nuk mund të jetë data e ardhmja
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: serial {1} nuk përputhet me {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Lini Rastesishme
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Lini Rastesishme
DocType: Batch,Batch ID,ID Batch
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Shënim: {0}
,Delivery Note Trends,Trendet ofrimit Shënim
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Përmbledhja e kësaj jave
-,In Stock Qty,Në modelet Qty
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Në modelet Qty
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Llogaria: {0} mund të përditësuar vetëm përmes aksionare transaksionet
-DocType: Program Enrollment,Get Courses,Get Kurse
+DocType: Student Group Creation Tool,Get Courses,Get Kurse
DocType: GL Entry,Party,Parti
DocType: Sales Order,Delivery Date,Ofrimit Data
DocType: Opportunity,Opportunity Date,Mundësi Data
@@ -3787,14 +3813,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Kërkesë për Kuotim Item
DocType: Purchase Order,To Bill,Për Bill
DocType: Material Request,% Ordered,% Urdhërohet
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Për Grupin bazuar Course Studentëve, kursi do të miratohet për çdo student nga kurset e regjistruar në programin e regjistrimit."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Shkruani Email Adresa ndara me presje, fatura do të postohet automatikisht në datën e caktuar"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Punë me copë
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Punë me copë
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Avg. Blerja Rate
DocType: Task,Actual Time (in Hours),Koha aktuale (në orë)
DocType: Employee,History In Company,Historia Në kompanisë
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Buletinet
DocType: Stock Ledger Entry,Stock Ledger Entry,Stock Ledger Hyrja
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Customer> Group Customer> Territory
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Same artikull është futur disa herë
DocType: Department,Leave Block List,Lini Blloko Lista
DocType: Sales Invoice,Tax ID,ID e taksave
@@ -3809,30 +3835,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} njësitë e {1} nevojshme në {2} për të përfunduar këtë transaksion.
DocType: Loan Type,Rate of Interest (%) Yearly,Norma e interesit (%) vjetore
DocType: SMS Settings,SMS Settings,SMS Cilësimet
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Llogaritë e përkohshme
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,E zezë
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Llogaritë e përkohshme
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,E zezë
DocType: BOM Explosion Item,BOM Explosion Item,Bom Shpërthimi i artikullit
DocType: Account,Auditor,Revizor
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} artikuj prodhuara
DocType: Cheque Print Template,Distance from top edge,Largësia nga buzë të lartë
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Lista e Çmimeve {0} është me aftësi të kufizuara ose nuk ekziston
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Lista e Çmimeve {0} është me aftësi të kufizuara ose nuk ekziston
DocType: Purchase Invoice,Return,Kthimi
DocType: Production Order Operation,Production Order Operation,Prodhimit Rendit Operacioni
DocType: Pricing Rule,Disable,Disable
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Mënyra e pagesës është e nevojshme për të bërë një pagesë
DocType: Project Task,Pending Review,Në pritje Rishikimi
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} nuk është i regjistruar në grumbull {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} nuk mund të braktiset, pasi ajo është tashmë {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Gjithsej Kërkesa shpenzimeve (nëpërmjet shpenzimeve Kërkesës)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Customer Id
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Mungon
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Valuta e BOM # {1} duhet të jetë e barabartë me monedhën e zgjedhur {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Valuta e BOM # {1} duhet të jetë e barabartë me monedhën e zgjedhur {2}
DocType: Journal Entry Account,Exchange Rate,Exchange Rate
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Sales Order {0} nuk është dorëzuar
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Sales Order {0} nuk është dorëzuar
DocType: Homepage,Tag Line,tag Line
DocType: Fee Component,Fee Component,Komponenti Fee
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Menaxhimi Fleet
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Shto artikuj nga
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Magazina {0}: llogari Parent {1} nuk Bolong të kompanisë {2}
DocType: Cheque Print Template,Regular,i rregullt
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Weightage i përgjithshëm i të gjitha kriteret e vlerësimit duhet të jetë 100%
DocType: BOM,Last Purchase Rate,Rate fundit Blerje
@@ -3841,11 +3866,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Stock nuk mund të ekzistojë për Item {0} pasi ka variante
,Sales Person-wise Transaction Summary,Sales Person-i mençur Përmbledhje Transaction
DocType: Training Event,Contact Number,Numri i kontaktit
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Magazina {0} nuk ekziston
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Magazina {0} nuk ekziston
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Regjistrohu Për Hub ERPNext
DocType: Monthly Distribution,Monthly Distribution Percentages,Përqindjet mujore Shpërndarjes
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Elementi i përzgjedhur nuk mund të ketë Serisë
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Shkalla e vlerësimit nuk u gjet për pika {0}, e cila është e nevojshme për të bërë shënimet e kontabilitetit për {1} {2}. Nëse artikulli është transacting si një artikull mostër në {1}, ju lutemi të përmendim se në {1} tryezë artikull. Përndryshe, ju lutem të krijuar një transaksion hyrje aksioneve për artikull ose përmend normën e vlerësimit në të dhënat artikull, dhe pastaj të përpiqet dërgimi / anulimit këtë term"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Shkalla e vlerësimit nuk u gjet për pika {0}, e cila është e nevojshme për të bërë shënimet e kontabilitetit për {1} {2}. Nëse artikulli është transacting si një artikull mostër në {1}, ju lutemi të përmendim se në {1} tryezë artikull. Përndryshe, ju lutem të krijuar një transaksion hyrje aksioneve për artikull ose përmend normën e vlerësimit në të dhënat artikull, dhe pastaj të përpiqet dërgimi / anulimit këtë term"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% E materialeve dorëzuar kundër këtij notën shpërndarëse
DocType: Project,Customer Details,Detajet e klientit
DocType: Employee,Reports to,Raportet për
@@ -3853,41 +3878,43 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Shkruani parametër url për pranuesit nos
DocType: Payment Entry,Paid Amount,Paid Shuma
DocType: Assessment Plan,Supervisor,mbikëqyrës
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,online
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,online
,Available Stock for Packing Items,Stock dispozicion për Items Paketimi
DocType: Item Variant,Item Variant,Item Variant
DocType: Assessment Result Tool,Assessment Result Tool,Vlerësimi Rezultati Tool
DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Item
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,urdhërat e dorëzuara nuk mund të fshihet
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Bilanci i llogarisë tashmë në Debitimit, ju nuk jeni i lejuar për të vendosur "Bilanci Must Be 'si' Credit""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Menaxhimit të Cilësisë
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,urdhërat e dorëzuara nuk mund të fshihet
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Bilanci i llogarisë tashmë në Debitimit, ju nuk jeni i lejuar për të vendosur "Bilanci Must Be 'si' Credit""
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Menaxhimit të Cilësisë
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,{0} artikull ka qenë me aftësi të kufizuara
DocType: Employee Loan,Repay Fixed Amount per Period,Paguaj shuma fikse për një periudhë
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Ju lutemi shkruani sasine e artikullit {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Credit Note Amt
DocType: Employee External Work History,Employee External Work History,Punonjës historia e jashtme
DocType: Tax Rule,Purchase,Blerje
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Bilanci Qty
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Bilanci Qty
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Qëllimet nuk mund të jetë bosh
DocType: Item Group,Parent Item Group,Grupi prind Item
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} për {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Qendrat e kostos
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Qendrat e kostos
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Shkalla në të cilën furnizuesit e valutës është e konvertuar në monedhën bazë kompanisë
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: konfliktet timings me radhë {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Lejo Zero Vlerësimit Vlerësoni
DocType: Training Event Employee,Invited,Të ftuar
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Multiple Strukturat aktive pagave gjetur për punonjës {0} për të dhënë data
DocType: Opportunity,Next Contact,Kontaktoni Next
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Setup Llogaritë Gateway.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Setup Llogaritë Gateway.
DocType: Employee,Employment Type,Lloji Punësimi
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Mjetet themelore
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Mjetet themelore
DocType: Payment Entry,Set Exchange Gain / Loss,Set Exchange Gain / Humbje
+,GST Purchase Register,GST Blerje Regjistrohu
,Cash Flow,Cash Flow
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Periudha e aplikimit nuk mund të jetë në dy regjistrave alokimin
DocType: Item Group,Default Expense Account,Llogaria e albumit shpenzimeve
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Student Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student Email ID
DocType: Employee,Notice (days),Njoftim (ditë)
DocType: Tax Rule,Sales Tax Template,Template Sales Tax
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Zgjidhni artikuj për të shpëtuar faturën
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Zgjidhni artikuj për të shpëtuar faturën
DocType: Employee,Encashment Date,Arkëtim Data
DocType: Training Event,Internet,internet
DocType: Account,Stock Adjustment,Stock Rregullimit
@@ -3915,7 +3942,7 @@
DocType: Guardian,Guardian Of ,kujdestar i
DocType: Grading Scale Interval,Threshold,prag
DocType: BOM Replace Tool,Current BOM,Bom aktuale
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Shto Jo Serial
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Shto Jo Serial
apps/erpnext/erpnext/config/support.py +22,Warranty,garanci
DocType: Purchase Invoice,Debit Note Issued,Debit Note Hedhur në qarkullim
DocType: Production Order,Warehouses,Depot
@@ -3924,20 +3951,20 @@
DocType: Workstation,per hour,në orë
apps/erpnext/erpnext/config/buying.py +7,Purchasing,blerje
DocType: Announcement,Announcement,njoftim
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Llogaria për depo (Inventari pandërprerë) do të krijohet në bazë të kësaj llogarie.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Depo nuk mund të fshihet si ekziston hyrja aksioneve librit për këtë depo.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Për Grupin Batch bazuar Studentëve, grupi i Studentëve do të miratohet për çdo student nga Regjistrimi Programit."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Depo nuk mund të fshihet si ekziston hyrja aksioneve librit për këtë depo.
DocType: Company,Distribution,Shpërndarje
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Shuma e paguar
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Menaxher i Projektit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Menaxher i Projektit
,Quoted Item Comparison,Cituar Item Krahasimi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Dërgim
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max zbritje lejohet për artikull: {0} është {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Dërgim
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max zbritje lejohet për artikull: {0} është {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Vlera neto e aseteve si në
DocType: Account,Receivable,Arkëtueshme
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Nuk lejohet të ndryshojë Furnizuesit si Urdhër Blerje tashmë ekziston
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Nuk lejohet të ndryshojë Furnizuesit si Urdhër Blerje tashmë ekziston
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Roli që i lejohet të paraqesë transaksionet që tejkalojnë limitet e kreditit përcaktuara.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Zgjidhni Items të Prodhimi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Master dhënat syncing, ajo mund të marrë disa kohë"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Zgjidhni Items të Prodhimi
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Master dhënat syncing, ajo mund të marrë disa kohë"
DocType: Item,Material Issue,Materiali Issue
DocType: Hub Settings,Seller Description,Shitës Përshkrim
DocType: Employee Education,Qualification,Kualifikim
@@ -3957,7 +3984,6 @@
DocType: BOM,Rate Of Materials Based On,Shkalla e materialeve në bazë të
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analtyics Mbështetje
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Uncheck gjitha
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Kompania është e humbur në depo {0}
DocType: POS Profile,Terms and Conditions,Termat dhe Kushtet
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Deri më sot duhet të jetë brenda vitit fiskal. Duke supozuar në datën = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Këtu ju mund të mbajë lartësia, pesha, alergji, shqetësimet mjekësore etj"
@@ -3972,18 +3998,17 @@
DocType: Sales Order Item,For Production,Për Prodhimit
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Shiko Task
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Vitin e juaj financiare fillon më
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Nënçmime aseteve dhe Bilancet
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Shuma {0} {1} transferuar nga {2} të {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Shuma {0} {1} transferuar nga {2} të {3}
DocType: Sales Invoice,Get Advances Received,Get Përparimet marra
DocType: Email Digest,Add/Remove Recipients,Add / Remove Recipients
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Transaksioni nuk lejohet kundër Prodhimit ndalur Rendit {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Transaksioni nuk lejohet kundër Prodhimit ndalur Rendit {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Për të vendosur këtë vit fiskal si default, klikoni mbi 'Bëje si Default'"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,bashkohem
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,bashkohem
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Mungesa Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Item variant {0} ekziston me atributet e njëjta
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Item variant {0} ekziston me atributet e njëjta
DocType: Employee Loan,Repay from Salary,Paguajë nga paga
DocType: Leave Application,LAP/,LAP /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Kerkuar pagesën kundër {0} {1} për sasi {2}
@@ -3994,34 +4019,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Generate paketim rrëshqet për paketat që do të dërgohen. Përdoret për të njoftuar numrin paketë, paketë përmbajtjen dhe peshën e saj."
DocType: Sales Invoice Item,Sales Order Item,Sales Rendit Item
DocType: Salary Slip,Payment Days,Ditët e pagesës
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Depot me nyjet e fëmijëve nuk mund të konvertohet në Ledger
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Depot me nyjet e fëmijëve nuk mund të konvertohet në Ledger
DocType: BOM,Manage cost of operations,Menaxhuar koston e operacioneve
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Kur ndonjë nga transaksionet e kontrolluara janë "Dërguar", një email pop-up u hap automatikisht për të dërguar një email tek të lidhur "Kontakt" në këtë transaksion, me transaksionin si një shtojcë. Ky përdorues mund ose nuk mund të dërgoni email."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Cilësimet globale
DocType: Assessment Result Detail,Assessment Result Detail,Vlerësimi Rezultati Detail
DocType: Employee Education,Employee Education,Arsimimi punonjës
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Grupi Duplicate artikull gjenden në tabelën e grupit artikull
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,Është e nevojshme për të shkoj të marr dhëna të artikullit.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,Është e nevojshme për të shkoj të marr dhëna të artikullit.
DocType: Salary Slip,Net Pay,Pay Net
DocType: Account,Account,Llogari
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Serial Asnjë {0} tashmë është marrë
,Requested Items To Be Transferred,Items kërkuar të transferohet
DocType: Expense Claim,Vehicle Log,Vehicle Identifikohu
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Magazina {0} nuk është e lidhur me ndonjë llogari, ju lutem të krijuar / lidhin përkatëse llogarinë (aktiv) për depo."
DocType: Purchase Invoice,Recurring Id,Përsëritur Id
DocType: Customer,Sales Team Details,Detajet shitjet e ekipit
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Fshini përgjithmonë?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Fshini përgjithmonë?
DocType: Expense Claim,Total Claimed Amount,Shuma totale Pohoi
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Mundësi potenciale për të shitur.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Invalid {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Pushimi mjekësor
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Invalid {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Pushimi mjekësor
DocType: Email Digest,Email Digest,Email Digest
DocType: Delivery Note,Billing Address Name,Faturimi Adresa Emri
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Dyqane
DocType: Warehouse,PIN,GJILPËRË
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Setup shkolla juaj në ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Base Ndryshimi Shuma (Company Valuta)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Nuk ka hyrje të kontabilitetit për magazinat e mëposhtme
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Nuk ka hyrje të kontabilitetit për magazinat e mëposhtme
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Ruaj dokumentin e parë.
DocType: Account,Chargeable,I dënueshëm
DocType: Company,Change Abbreviation,Ndryshimi Shkurtesa
@@ -4039,7 +4063,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Pritet Data e dorëzimit nuk mund të jetë para se të Rendit Blerje Data
DocType: Appraisal,Appraisal Template,Vlerësimi Template
DocType: Item Group,Item Classification,Klasifikimi i artikullit
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Zhvillimin e Biznesit Manager
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Zhvillimin e Biznesit Manager
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Mirëmbajtja Vizitoni Qëllimi
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Periudhë
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Përgjithshëm Ledger
@@ -4049,8 +4073,8 @@
DocType: Item Attribute Value,Attribute Value,Atribut Vlera
,Itemwise Recommended Reorder Level,Itemwise Recommended reorder Niveli
DocType: Salary Detail,Salary Detail,Paga Detail
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,"Ju lutem, përzgjidhni {0} parë"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Batch {0} i artikullit {1} ka skaduar.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,"Ju lutem, përzgjidhni {0} parë"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Batch {0} i artikullit {1} ka skaduar.
DocType: Sales Invoice,Commission,Komision
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Sheet Koha për prodhimin.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Nëntotali
@@ -4061,6 +4085,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`Ngrij Stoqet me te vjetra se` duhet të jetë më e vogël se% d ditë.
DocType: Tax Rule,Purchase Tax Template,Blerje Template Tatimore
,Project wise Stock Tracking,Projekti Ndjekja mençur Stock
+DocType: GST HSN Code,Regional,rajonal
DocType: Stock Entry Detail,Actual Qty (at source/target),Sasia aktuale (në burim / objektiv)
DocType: Item Customer Detail,Ref Code,Kodi ref
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Të dhënat punonjës.
@@ -4071,13 +4096,13 @@
DocType: Email Digest,New Purchase Orders,Blerje porositë e reja
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Rrënjë nuk mund të ketë një qendër me kosto prind
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Zgjidh Markë ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Ngjarjet / rezultateve të trajnimit
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Amortizimin e akumuluar si në
DocType: Sales Invoice,C-Form Applicable,C-Formulari i zbatueshëm
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Operacioni Koha duhet të jetë më e madhe se 0 për Operacionin {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Magazina është e detyrueshme
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Magazina është e detyrueshme
DocType: Supplier,Address and Contacts,Adresa dhe Kontakte
DocType: UOM Conversion Detail,UOM Conversion Detail,UOM Konvertimi Detail
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Keep it web 900px miqësore (w) nga 100px (h)
DocType: Program,Program Abbreviation,Shkurtesa program
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Rendit prodhimi nuk mund të ngrihet kundër një Template Item
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Akuzat janë përditësuar në pranimin Blerje kundër çdo send
@@ -4085,13 +4110,13 @@
DocType: Bank Guarantee,Start Date,Data e Fillimit
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Alokimi i lë për një periudhë.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Çeqet dhe Depozitat pastruar gabimisht
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Llogaria {0}: Ju nuk mund të caktojë veten si llogari prind
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Llogaria {0}: Ju nuk mund të caktojë veten si llogari prind
DocType: Purchase Invoice Item,Price List Rate,Lista e Çmimeve Rate
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Krijo kuotat konsumatorëve
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Trego "Në magazinë" ose "Jo në magazinë" në bazë të aksioneve në dispozicion në këtë depo.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Bill e materialeve (BOM)
DocType: Item,Average time taken by the supplier to deliver,Koha mesatare e marra nga furnizuesi për të ofruar
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,Rezultati i vlerësimit
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,Rezultati i vlerësimit
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Orë
DocType: Project,Expected Start Date,Pritet Data e Fillimit
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Hiq pika në qoftë se akuza nuk është i zbatueshëm për këtë artikull
@@ -4105,24 +4130,23 @@
DocType: Workstation,Operating Costs,Shpenzimet Operative
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Veprimi në qoftë akumuluar tejkaluar buxhetin mujor
DocType: Purchase Invoice,Submit on creation,Submit në krijimin
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Monedhë për {0} duhet të jetë {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Monedhë për {0} duhet të jetë {1}
DocType: Asset,Disposal Date,Shkatërrimi Date
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Email do të dërgohet të gjithë të punësuarve aktive e shoqërisë në orë të caktuar, në qoftë se ata nuk kanë pushim. Përmbledhje e përgjigjeve do të dërgohet në mesnatë."
DocType: Employee Leave Approver,Employee Leave Approver,Punonjës Pushimi aprovuesi
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Një hyrje Reorder tashmë ekziston për këtë depo {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Një hyrje Reorder tashmë ekziston për këtë depo {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Nuk mund të deklarojë si të humbur, sepse Kuotim i është bërë."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Feedback Training
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Prodhimi Rendit {0} duhet të dorëzohet
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Prodhimi Rendit {0} duhet të dorëzohet
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},"Ju lutem, përzgjidhni Data e Fillimit Data e Përfundimit Kohëzgjatja për Item {0}"
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Kursi është i detyrueshëm në rresht {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Deri më sot nuk mund të jetë e para nga data e
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Add / Edit Çmimet
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Add / Edit Çmimet
DocType: Batch,Parent Batch,Batch Parent
DocType: Cheque Print Template,Cheque Print Template,Çek Print Template
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Grafiku i Qendrave te Kostos
,Requested Items To Be Ordered,Items kërkuar të Urdhërohet
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,Kompania depo duhet të jetë e njëjtë si kompani e llogarisë
DocType: Price List,Price List Name,Lista e Çmimeve Emri
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Daily Përmbledhje Puna për {0}
DocType: Employee Loan,Totals,Totalet
@@ -4144,55 +4168,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Ju lutemi shkruani nos celular vlefshme
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Ju lutem shkruani mesazhin para se të dërgonte
DocType: Email Digest,Pending Quotations,Në pritje Citate
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Point-of-Sale Profilin
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale Profilin
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Ju lutem Update SMS Settings
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Kredi pasiguruar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Kredi pasiguruar
DocType: Cost Center,Cost Center Name,Kosto Emri Qendra
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Max orarit të punës kundër pasqyrë e mungesave
DocType: Maintenance Schedule Detail,Scheduled Date,Data e planifikuar
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Totale e paguar Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Totale e paguar Amt
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Mesazhet më të mëdha se 160 karaktere do të ndahet në mesazhe të shumta
DocType: Purchase Receipt Item,Received and Accepted,Marrë dhe pranuar
+,GST Itemised Sales Register,GST e detajuar Sales Regjistrohu
,Serial No Service Contract Expiry,Serial Asnjë Shërbimit Kontratë Expiry
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Ju nuk mund të kreditit dhe debitit njëjtën llogari në të njëjtën kohë
DocType: Naming Series,Help HTML,Ndihmë HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Student Group Krijimi Tool
DocType: Item,Variant Based On,Variant i bazuar në
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Weightage Gjithsej caktuar duhet të jetë 100%. Kjo është {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Furnizuesit tuaj
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Furnizuesit tuaj
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Nuk mund të vendosur si Humbur si Sales Order është bërë.
DocType: Request for Quotation Item,Supplier Part No,Furnizuesi Part No
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Nuk mund të zbres kur kategori është për 'vlerësimin' ose 'Vaulation dhe Total "
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Marrë nga
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Marrë nga
DocType: Lead,Converted,Konvertuar
DocType: Item,Has Serial No,Nuk ka Serial
DocType: Employee,Date of Issue,Data e lëshimit
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Nga {0} për {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Sipas Settings Blerja nëse blerja Reciept Required == 'PO', pastaj për krijimin Blerje Faturën, përdoruesi duhet të krijoni Marrjes blerjen e parë për pikën {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Row # {0}: Furnizuesi Set për pika {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Row {0}: Hours Vlera duhet të jetë më e madhe se zero.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Faqja Image {0} bashkangjitur në pikën {1} nuk mund të gjendet
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Faqja Image {0} bashkangjitur në pikën {1} nuk mund të gjendet
DocType: Issue,Content Type,Përmbajtja Type
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Kompjuter
DocType: Item,List this Item in multiple groups on the website.,Lista këtë artikull në grupe të shumta në faqen e internetit.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Ju lutem kontrolloni opsionin Multi Valuta për të lejuar llogaritë me valutë tjetër
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Item: {0} nuk ekziston në sistemin
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Ju nuk jeni i autorizuar për të vendosur vlerën e ngrira
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Item: {0} nuk ekziston në sistemin
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Ju nuk jeni i autorizuar për të vendosur vlerën e ngrira
DocType: Payment Reconciliation,Get Unreconciled Entries,Get Unreconciled Entries
DocType: Payment Reconciliation,From Invoice Date,Nga Faturë Data
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,monedhë faturimit duhet të jetë e barabartë me monedhën ose llogarinë pala e secilës parazgjedhur comapany e monedhës
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Lini arkëtim
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Çfarë do të bëni?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,monedhë faturimit duhet të jetë e barabartë me monedhën ose llogarinë pala e secilës parazgjedhur comapany e monedhës
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Lini arkëtim
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Çfarë do të bëni?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Për Magazina
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Të gjitha Pranimet e studentëve
,Average Commission Rate,Mesatare Rate Komisioni
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,'Nuk ka Serial' nuk mund të jetë 'Po' për jo-aksioneve artikull
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'Nuk ka Serial' nuk mund të jetë 'Po' për jo-aksioneve artikull
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Pjesëmarrja nuk mund të shënohet për datat e ardhshme
DocType: Pricing Rule,Pricing Rule Help,Rregulla e Çmimeve Ndihmë
DocType: School House,House Name,Emri House
DocType: Purchase Taxes and Charges,Account Head,Shef llogari
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Update shpenzimet shtesë për të llogaritur koston ul të artikujve
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Elektrik
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Elektrik
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Shto pjesën tjetër të organizatës suaj si përdoruesit e juaj. Ju gjithashtu mund të shtoni ftojë konsumatorët për portalin tuaj duke shtuar ato nga Kontaktet
DocType: Stock Entry,Total Value Difference (Out - In),Gjithsej Diferenca Vlera (Out - In)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Row {0}: Exchange Rate është i detyrueshëm
@@ -4202,7 +4228,7 @@
DocType: Item,Customer Code,Kodi Klientit
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Vërejtje ditëlindjen për {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Ditët Që Rendit Fundit
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Debi Për shkak duhet të jetë një llogari Bilanci i Gjendjes
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Debi Për shkak duhet të jetë një llogari Bilanci i Gjendjes
DocType: Buying Settings,Naming Series,Emërtimi Series
DocType: Leave Block List,Leave Block List Name,Dërgo Block Lista Emri
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,date Insurance Fillimi duhet të jetë më pak se data Insurance Fund
@@ -4217,27 +4243,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Paga Slip nga punonjësi {0} krijuar tashmë për fletë kohë {1}
DocType: Vehicle Log,Odometer,rrugëmatës
DocType: Sales Order Item,Ordered Qty,Urdhërohet Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Item {0} është me aftësi të kufizuara
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Item {0} është me aftësi të kufizuara
DocType: Stock Settings,Stock Frozen Upto,Stock ngrira Upto
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM nuk përmban ndonjë artikull aksioneve
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM nuk përmban ndonjë artikull aksioneve
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Periudha nga dhe periudha në datat e detyrueshme për të përsëritura {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Aktiviteti i projekt / detyra.
DocType: Vehicle Log,Refuelling Details,Details Rimbushja
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Generate paga rrëshqet
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Blerja duhet të kontrollohet, nëse është e aplikueshme për të është zgjedhur si {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Blerja duhet të kontrollohet, nëse është e aplikueshme për të është zgjedhur si {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Discount duhet të jetë më pak se 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Shkalla e fundit e blerjes nuk u gjet
DocType: Purchase Invoice,Write Off Amount (Company Currency),Shkruaj Off Shuma (Kompania Valuta)
DocType: Sales Invoice Timesheet,Billing Hours,faturimit Hours
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,BOM Default për {0} nuk u gjet
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Row # {0}: Ju lutemi të vendosur sasinë Reorder
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Row # {0}: Ju lutemi të vendosur sasinë Reorder
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Prekni për të shtuar artikuj tyre këtu
DocType: Fees,Program Enrollment,program Regjistrimi
DocType: Landed Cost Voucher,Landed Cost Voucher,Zbarkoi Voucher Kosto
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Ju lutemi të vendosur {0}
DocType: Purchase Invoice,Repeat on Day of Month,Përsëriteni në Ditën e Muajit
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} është nxënës joaktiv
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} është nxënës joaktiv
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} është nxënës joaktiv
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} është nxënës joaktiv
DocType: Employee,Health Details,Detajet Shëndeti
DocType: Offer Letter,Offer Letter Terms,Oferta Kushtet Letër
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Për të krijuar një kërkesë për pagesë dokument reference është e nevojshme
@@ -4259,7 +4285,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Shembull:. ABCD ##### Nëse seri është vendosur dhe nuk Serial nuk është përmendur në transaksione, numri atëherë automatike serial do të krijohet në bazë të kësaj serie. Nëse ju gjithmonë doni të në mënyrë eksplicite përmend Serial Nos për këtë artikull. lënë bosh këtë."
DocType: Upload Attendance,Upload Attendance,Ngarko Pjesëmarrja
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM dhe Prodhim Sasi janë të nevojshme
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM dhe Prodhim Sasi janë të nevojshme
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Gama plakjen 2
DocType: SG Creation Tool Course,Max Strength,Max Forca
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,Bom zëvendësohet
@@ -4269,8 +4295,8 @@
,Prospects Engaged But Not Converted,Perspektivat angazhuar Por Jo konvertuar
DocType: Manufacturing Settings,Manufacturing Settings,Prodhim Cilësimet
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Ngritja me e-mail
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Mobile No
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Ju lutem shkruani monedhën parazgjedhje në kompaninë Master
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile No
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Ju lutem shkruani monedhën parazgjedhje në kompaninë Master
DocType: Stock Entry Detail,Stock Entry Detail,Stock Hyrja Detail
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Harroni të Përditshëm
DocType: Products Settings,Home Page is Products,Faqja Kryesore është Produkte
@@ -4279,7 +4305,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,New Emri i llogarisë
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Kosto të lëndëve të para furnizuar
DocType: Selling Settings,Settings for Selling Module,Cilësimet për shitjen Module
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Shërbimi ndaj klientit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Shërbimi ndaj klientit
DocType: BOM,Thumbnail,Thumbnail
DocType: Item Customer Detail,Item Customer Detail,Item Detail Klientit
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Oferta kandidat a Job.
@@ -4288,7 +4314,7 @@
DocType: Pricing Rule,Percentage,përqindje
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Item {0} duhet të jetë një gjendje Item
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Default Puna Në Magazina Progresit
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Default settings për transaksionet e kontabilitetit.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Default settings për transaksionet e kontabilitetit.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Data e pritshme nuk mund të jetë e para materiale Kërkesë Data
DocType: Purchase Invoice Item,Stock Qty,Stock Qty
@@ -4302,10 +4328,10 @@
DocType: Sales Order,Printing Details,Shtypi Detajet
DocType: Task,Closing Date,Data e mbylljes
DocType: Sales Order Item,Produced Quantity,Sasia e prodhuar
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Inxhinier
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Inxhinier
DocType: Journal Entry,Total Amount Currency,Total Shuma Valuta
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Kuvendet Kërko Nën
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Kodi i artikullit kërkohet në radhë nr {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Kodi i artikullit kërkohet në radhë nr {0}
DocType: Sales Partner,Partner Type,Lloji Partner
DocType: Purchase Taxes and Charges,Actual,Aktual
DocType: Authorization Rule,Customerwise Discount,Customerwise Discount
@@ -4322,11 +4348,11 @@
DocType: Item Reorder,Re-Order Level,Re-Rendit nivel
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Shkruani artikuj dhe Qty planifikuar për të cilën ju doni të rritur urdhërat e prodhimit ose shkarkoni materiale të papërpunuara për analizë.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt Chart
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Me kohë të pjesshme
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Me kohë të pjesshme
DocType: Employee,Applicable Holiday List,Zbatueshme Lista Holiday
DocType: Employee,Cheque,Çek
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Seria Përditësuar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Raporti Lloji është i detyrueshëm
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Raporti Lloji është i detyrueshëm
DocType: Item,Serial Number Series,Serial Number Series
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Depoja është e detyrueshme për aksioneve Item {0} në rresht {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Shitje me pakicë dhe shumicë
@@ -4348,7 +4374,7 @@
DocType: BOM,Materials,Materiale
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Nëse nuk kontrollohet, lista do të duhet të shtohet për çdo Departamentit ku ajo duhet të zbatohet."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Burimi dhe Target Warehouse nuk mund të jetë e njëjtë
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Postimi datën dhe postimi kohë është i detyrueshëm
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Postimi datën dhe postimi kohë është i detyrueshëm
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Template taksave për blerjen e transaksioneve.
,Item Prices,Çmimet pika
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Me fjalë do të jetë i dukshëm një herë ju ruani qëllim blerjen.
@@ -4358,22 +4384,23 @@
DocType: Purchase Invoice,Advance Payments,Pagesat e paradhënies
DocType: Purchase Taxes and Charges,On Net Total,On Net Total
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Vlera për atribut {0} duhet të jetë brenda intervalit {1} të {2} në increments e {3} për Item {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Magazinë synuar në radhë {0} duhet të jetë i njëjtë si Rendit Prodhimi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Magazinë synuar në radhë {0} duhet të jetë i njëjtë si Rendit Prodhimi
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,"Njoftimi Email Adresat 'jo të specifikuara për përsëritura% s
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,"Valuta nuk mund të ndryshohet, pasi duke e bërë shënimet duke përdorur disa valutë tjetër"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,"Valuta nuk mund të ndryshohet, pasi duke e bërë shënimet duke përdorur disa valutë tjetër"
DocType: Vehicle Service,Clutch Plate,Plate Clutch
DocType: Company,Round Off Account,Rrumbullakët Off Llogari
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Shpenzimet administrative
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Shpenzimet administrative
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Këshillues
DocType: Customer Group,Parent Customer Group,Grupi prind Klientit
DocType: Purchase Invoice,Contact Email,Kontakti Email
DocType: Appraisal Goal,Score Earned,Vota fituara
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Periudha Njoftim
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Periudha Njoftim
DocType: Asset Category,Asset Category Name,Asset Category Emri
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Kjo është një territor rrënjë dhe nuk mund të redaktohen.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Emri i ri Sales Person
DocType: Packing Slip,Gross Weight UOM,Bruto Pesha UOM
DocType: Delivery Note Item,Against Sales Invoice,Kundër Sales Faturës
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Ju lutem shkruani numrat serik për artikull serialized
DocType: Bin,Reserved Qty for Production,Rezervuar Qty për Prodhimin
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Dërgo pakontrolluar në qoftë se ju nuk doni të marrin në konsideratë duke bërë grumbull grupet kurs të bazuar.
DocType: Asset,Frequency of Depreciation (Months),Frekuenca e Zhvlerësimit (Muaj)
@@ -4381,25 +4408,25 @@
DocType: Landed Cost Item,Landed Cost Item,Kosto zbarkoi Item
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Trego zero vlerat
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Sasia e sendit të marra pas prodhimit / ripaketimin nga sasi të caktuara të lëndëve të para
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Setup një website të thjeshtë për organizatën time
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Setup një website të thjeshtë për organizatën time
DocType: Payment Reconciliation,Receivable / Payable Account,Arkëtueshme / pagueshme Llogaria
DocType: Delivery Note Item,Against Sales Order Item,Kundër Sales Rendit Item
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},Ju lutem specifikoni atribut Vlera për atribut {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},Ju lutem specifikoni atribut Vlera për atribut {0}
DocType: Item,Default Warehouse,Gabim Magazina
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Buxheti nuk mund të caktohet kundër Llogaria Grupit {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Ju lutemi shkruani qendra kosto prind
DocType: Delivery Note,Print Without Amount,Print Pa Shuma
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,Zhvlerësimi Date
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,Tatimore Kategoria nuk mund të jetë 'vlerësim të' ose 'Vlerësimi dhe Total' si të gjitha sendet janë objekte jo-aksioneve
DocType: Issue,Support Team,Mbështetje Ekipi
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Skadimit (në ditë)
DocType: Appraisal,Total Score (Out of 5),Rezultati i përgjithshëm (nga 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Grumbull
+DocType: Student Attendance Tool,Batch,Grumbull
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Ekuilibër
DocType: Room,Seating Capacity,Seating Kapaciteti
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Gjithsej Kërkesa shpenzimeve (nëpërmjet kërkesave shpenzime)
+DocType: GST Settings,GST Summary,GST Përmbledhje
DocType: Assessment Result,Total Score,Total Score
DocType: Journal Entry,Debit Note,Debiti Shënim
DocType: Stock Entry,As per Stock UOM,Sipas Stock UOM
@@ -4411,12 +4438,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Default përfunduara Mallra Magazina
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Sales Person
DocType: SMS Parameter,SMS Parameter,SMS Parametri
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Buxheti dhe Qendra Kosto
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Buxheti dhe Qendra Kosto
DocType: Vehicle Service,Half Yearly,Gjysma vjetore
DocType: Lead,Blog Subscriber,Blog Subscriber
DocType: Guardian,Alternate Number,Numri Alternate
DocType: Assessment Plan Criteria,Maximum Score,Maximum Score
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Krijo rregulla për të kufizuar transaksionet në bazë të vlerave.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Grupi Roll No
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Lini bosh në qoftë se ju bëni studentëve grupet në vit
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Nëse kontrolluar, Gjithsej nr. i ditëve të punës do të përfshijë pushimet, dhe kjo do të zvogëlojë vlerën e pagave Per Day"
DocType: Purchase Invoice,Total Advance,Advance Total
@@ -4435,6 +4463,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Kjo është e bazuar në transaksionet kundër këtij Klientit. Shih afat kohor më poshtë për detaje
DocType: Supplier,Credit Days Based On,Ditët e kredisë së bazuar në
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Row {0}: Shuma e alokuar {1} duhet të jetë më pak se ose e barabartë me shumën e pagesës Hyrja {2}
+,Course wise Assessment Report,Raporti i Vlerësimit kurs i mençur
DocType: Tax Rule,Tax Rule,Rregulla Tatimore
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Ruajtja njëjtin ritëm Gjatë gjithë Sales Cikli
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planifikoni kohë shkrimet jashtë orarit Workstation punës.
@@ -4443,7 +4472,7 @@
,Items To Be Requested,Items të kërkohet
DocType: Purchase Order,Get Last Purchase Rate,Get fundit Blerje Vlerësoni
DocType: Company,Company Info,Company Info
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Zgjidhni ose shtoni klient të ri
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Zgjidhni ose shtoni klient të ri
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Qendra Kosto është e nevojshme për të librit një kërkesë shpenzimeve
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Aplikimi i mjeteve (aktiveve)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Kjo është e bazuar në pjesëmarrjen e këtij punonjësi
@@ -4451,27 +4480,29 @@
DocType: Fiscal Year,Year Start Date,Viti Data e Fillimit
DocType: Attendance,Employee Name,Emri punonjës
DocType: Sales Invoice,Rounded Total (Company Currency),Harmonishëm Total (Kompania Valuta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,Nuk mund të fshehta të grupit për shkak Tipi Llogarisë është zgjedhur.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Nuk mund të fshehta të grupit për shkak Tipi Llogarisë është zgjedhur.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} është modifikuar. Ju lutem refresh.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Stop përdoruesit nga bërja Dërgo Aplikacione në ditët në vijim.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Shuma Blerje
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Furnizuesi Citat {0} krijuar
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Fundi Viti nuk mund të jetë para se të fillojë Vitit
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Përfitimet e Punonjësve
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Përfitimet e Punonjësve
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Sasia e mbushur duhet të barabartë sasi për Item {0} në rresht {1}
DocType: Production Order,Manufactured Qty,Prodhuar Qty
DocType: Purchase Receipt Item,Accepted Quantity,Sasi të pranuar
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Ju lutemi të vendosur një default Holiday Lista për punonjësit {0} ose Company {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} nuk ekziston
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} nuk ekziston
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Zgjidh Batch Numbers
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Faturat e ngritura për të Konsumatorëve.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Projekti Id
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Row Asnjë {0}: Shuma nuk mund të jetë më e madhe se pritje Shuma kundër shpenzimeve sipas Pretendimit {1}. Në pritje Shuma është {2}
DocType: Maintenance Schedule,Schedule,Orar
DocType: Account,Parent Account,Llogaria prind
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Në dispozicion
DocType: Quality Inspection Reading,Reading 3,Leximi 3
,Hub,Qendër
DocType: GL Entry,Voucher Type,Voucher Type
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Lista e Çmimeve nuk u gjet ose me aftësi të kufizuara
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Lista e Çmimeve nuk u gjet ose me aftësi të kufizuara
DocType: Employee Loan Application,Approved,I miratuar
DocType: Pricing Rule,Price,Çmim
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Punonjës lirohet për {0} duhet të jetë vendosur si 'majtë'
@@ -4482,7 +4513,8 @@
DocType: Selling Settings,Campaign Naming By,Emërtimi Fushata By
DocType: Employee,Current Address Is,Adresa e tanishme është
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,modifikuar
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Fakultative. Vë monedhë default kompanisë, nëse nuk është specifikuar."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Fakultative. Vë monedhë default kompanisë, nëse nuk është specifikuar."
+DocType: Sales Invoice,Customer GSTIN,GSTIN Customer
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Rregjistrimet në ditar të kontabilitetit.
DocType: Delivery Note Item,Available Qty at From Warehouse,Qty në dispozicion në nga depo
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,"Ju lutem, përzgjidhni Record punonjës parë."
@@ -4490,7 +4522,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Partia / Llogaria nuk përputhet me {1} / {2} në {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Ju lutemi shkruani Llogari kurriz
DocType: Account,Stock,Stock
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Reference Lloji i dokumentit duhet të jetë një e Rendit Blerje, Blerje Faturë ose Journal Entry"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Reference Lloji i dokumentit duhet të jetë një e Rendit Blerje, Blerje Faturë ose Journal Entry"
DocType: Employee,Current Address,Adresa e tanishme
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Nëse pika është një variant i një tjetër çështje pastaj përshkrimin, imazhi, çmimi, taksat, etj do të vendoset nga template përveç nëse specifikohet shprehimisht"
DocType: Serial No,Purchase / Manufacture Details,Blerje / Detajet Prodhimi
@@ -4503,8 +4535,8 @@
DocType: Pricing Rule,Min Qty,Min Qty
DocType: Asset Movement,Transaction Date,Transaksioni Data
DocType: Production Plan Item,Planned Qty,Planifikuar Qty
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Tatimi Total
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Për sasinë (Prodhuar Qty) është i detyrueshëm
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Tatimi Total
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Për sasinë (Prodhuar Qty) është i detyrueshëm
DocType: Stock Entry,Default Target Warehouse,Gabim Magazina Target
DocType: Purchase Invoice,Net Total (Company Currency),Net Total (Kompania Valuta)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,"Viti End Date nuk mund të jetë më herët se data e fillimit Year. Ju lutem, Korrigjo datat dhe provoni përsëri."
@@ -4518,15 +4550,12 @@
DocType: Hub Settings,Hub Settings,Hub Cilësimet
DocType: Project,Gross Margin %,Marzhi bruto%
DocType: BOM,With Operations,Me Operacioneve
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,"Regjistrimet kontabël tashmë janë bërë në monedhën {0} për kompaninë {1}. Ju lutem, përzgjidhni një llogari arkëtueshëm ose të pagueshëm me monedhën {0}."
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,"Regjistrimet kontabël tashmë janë bërë në monedhën {0} për kompaninë {1}. Ju lutem, përzgjidhni një llogari arkëtueshëm ose të pagueshëm me monedhën {0}."
DocType: Asset,Is Existing Asset,Është Asetin ekzistuese
DocType: Salary Detail,Statistical Component,Komponenti statistikore
DocType: Salary Detail,Statistical Component,Komponenti statistikore
-,Monthly Salary Register,Paga mujore Regjistrohu
DocType: Warranty Claim,If different than customer address,Nëse është e ndryshme se sa adresën e konsumatorëve
DocType: BOM Operation,BOM Operation,Bom Operacioni
-DocType: School Settings,Validate the Student Group from Program Enrollment,Vërtetuar Grupi i studentëve nga programi Regjistrimi
-DocType: School Settings,Validate the Student Group from Program Enrollment,Vërtetuar Grupi i studentëve nga programi Regjistrimi
DocType: Purchase Taxes and Charges,On Previous Row Amount,Në Shuma Previous Row
DocType: Student,Home Address,Adresa e shtepise
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,Asset Transfer
@@ -4534,28 +4563,27 @@
DocType: Training Event,Event Name,Event Emri
apps/erpnext/erpnext/config/schools.py +39,Admission,pranim
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Regjistrimet për {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Sezonalitetit për vendosjen buxhetet, objektivat etj"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Item {0} është një template, ju lutem zgjidhni një nga variantet e saj"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Sezonalitetit për vendosjen buxhetet, objektivat etj"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Item {0} është një template, ju lutem zgjidhni një nga variantet e saj"
DocType: Asset,Asset Category,Asset Category
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Blerës
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Paguajnë neto nuk mund të jetë negative
DocType: SMS Settings,Static Parameters,Parametrat statike
DocType: Assessment Plan,Room,dhomë
DocType: Purchase Order,Advance Paid,Advance Paid
DocType: Item,Item Tax,Tatimi i artikullit
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Materiale për Furnizuesin
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Akciza Faturë
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Akciza Faturë
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Pragun {0}% shfaqet më shumë se një herë
DocType: Expense Claim,Employees Email Id,Punonjësit Email Id
DocType: Employee Attendance Tool,Marked Attendance,Pjesëmarrja e shënuar
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Detyrimet e tanishme
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Detyrimet e tanishme
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Dërgo SMS në masë për kontaktet tuaja
DocType: Program,Program Name,program Emri
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Konsideroni tatimit apo detyrimit për
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Aktuale Qty është e detyrueshme
DocType: Employee Loan,Loan Type,Lloji Loan
DocType: Scheduling Tool,Scheduling Tool,caktimin Tool
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Credit Card
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Credit Card
DocType: BOM,Item to be manufactured or repacked,Pika për të prodhuar apo ripaketohen
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Default settings për transaksionet e aksioneve.
DocType: Purchase Invoice,Next Date,Next Data
@@ -4571,10 +4599,10 @@
DocType: Stock Entry,Repack,Ripaketoi
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Ju duhet të ruani formën para se të vazhdoni
DocType: Item Attribute,Numeric Values,Vlerat numerike
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Bashkangjit Logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Bashkangjit Logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Nivelet e aksioneve
DocType: Customer,Commission Rate,Rate Komisioni
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Bëni Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Bëni Variant
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Aplikacionet pushimit bllok nga departamenti.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Pagesa Lloji duhet të jetë një nga Merre, të paguajë dhe Transfer të Brendshme"
apps/erpnext/erpnext/config/selling.py +179,Analytics,analitikë
@@ -4582,45 +4610,45 @@
DocType: Vehicle,Model,Model
DocType: Production Order,Actual Operating Cost,Aktuale Kosto Operative
DocType: Payment Entry,Cheque/Reference No,Çek / Reference No
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Rrënjë nuk mund të redaktohen.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Rrënjë nuk mund të redaktohen.
DocType: Item,Units of Measure,Njësitë e masës
DocType: Manufacturing Settings,Allow Production on Holidays,Lejo Prodhimi në pushime
DocType: Sales Order,Customer's Purchase Order Date,Konsumatorit Rendit Blerje Data
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Capital Stock
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Capital Stock
DocType: Shopping Cart Settings,Show Public Attachments,Trego Attachments publike
DocType: Packing Slip,Package Weight Details,Paketa Peshë Detajet
DocType: Payment Gateway Account,Payment Gateway Account,Pagesa Llogaria Gateway
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Pas përfundimit të pagesës përcjellëse përdorues në faqen e zgjedhur.
DocType: Company,Existing Company,Company ekzistuese
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Tax Category ka ndryshuar për të "Total", sepse të gjitha sendet janë artikuj jo-aksioneve"
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,"Ju lutem, përzgjidhni një skedar CSV"
DocType: Student Leave Application,Mark as Present,Mark si pranishëm
DocType: Purchase Order,To Receive and Bill,Për të marrë dhe Bill
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Produkte Featured
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Projektues
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Projektues
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Termat dhe Kushtet Template
DocType: Serial No,Delivery Details,Detajet e ofrimit të
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Qendra Kosto është e nevojshme në rresht {0} në Tatimet tryezë për llojin {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Qendra Kosto është e nevojshme në rresht {0} në Tatimet tryezë për llojin {1}
DocType: Program,Program Code,Kodi program
DocType: Terms and Conditions,Terms and Conditions Help,Termat dhe Kushtet Ndihmë
,Item-wise Purchase Register,Pika-mençur Blerje Regjistrohu
DocType: Batch,Expiry Date,Data e Mbarimit
-,Supplier Addresses and Contacts,Adresat Furnizues dhe Kontaktet
,accounts-browser,Llogaritë-browser
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,Ju lutemi zgjidhni kategorinë e parë
apps/erpnext/erpnext/config/projects.py +13,Project master.,Mjeshtër projekt.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Për të lejuar mbi-faturimit ose mbi-urdhërimin, të rinovuar "Allowance" në Stock Settings ose Item."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Për të lejuar mbi-faturimit ose mbi-urdhërimin, të rinovuar "Allowance" në Stock Settings ose Item."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,A nuk tregojnë ndonjë simbol si $ etj ardhshëm të valutave.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Gjysme Dite)
DocType: Supplier,Credit Days,Ditët e kreditit
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Bëni Serisë Student
DocType: Leave Type,Is Carry Forward,Është Mbaj Forward
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Të marrë sendet nga bom
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Të marrë sendet nga bom
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Lead ditësh
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Posting Data duhet të jetë i njëjtë si data e blerjes {1} e aseteve {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Posting Data duhet të jetë i njëjtë si data e blerjes {1} e aseteve {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Ju lutem shkruani urdhëron Sales në tabelën e mësipërme
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Jo Dërguar pagave rrëshqet
,Stock Summary,Stock Përmbledhje
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Transferimi një aktiv nga një magazinë në tjetrën
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Transferimi një aktiv nga një magazinë në tjetrën
DocType: Vehicle,Petrol,benzinë
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Bill e materialeve
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Row {0}: Partia Lloji dhe Partia është e nevojshme për arkëtueshme / pagueshme llogari {1}
@@ -4631,6 +4659,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Shuma e sanksionuar
DocType: GL Entry,Is Opening,Është Hapja
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Row {0}: debiti hyrja nuk mund të jetë i lidhur me një {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Llogaria {0} nuk ekziston
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Llogaria {0} nuk ekziston
DocType: Account,Cash,Para
DocType: Employee,Short biography for website and other publications.,Biografia e shkurtër për faqen e internetit dhe botime të tjera.
diff --git a/erpnext/translations/sr-SP.csv b/erpnext/translations/sr-SP.csv
index 394ad2c..fbe1020 100644
--- a/erpnext/translations/sr-SP.csv
+++ b/erpnext/translations/sr-SP.csv
@@ -7,7 +7,7 @@
DocType: Project,Project Type,Tip Projekta
DocType: Project User,Project User,Projektni user
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Datum početka projekta
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Projektni menadzer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Projektni menadzer
DocType: Project Task,Project Task,Projektni zadatak
apps/erpnext/erpnext/config/projects.py +13,Project master.,Projektni master
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,ID Projekta
diff --git a/erpnext/translations/sr.csv b/erpnext/translations/sr.csv
index b479298..9db0aca 100644
--- a/erpnext/translations/sr.csv
+++ b/erpnext/translations/sr.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Производи широке потрошње
DocType: Item,Customer Items,Предмети Цустомер
DocType: Project,Costing and Billing,Коштају и обрачуна
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Рачун {0}: {1 Родитељ рачун} не може бити књига
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Рачун {0}: {1 Родитељ рачун} не може бити књига
DocType: Item,Publish Item to hub.erpnext.com,Објављивање ставку да хуб.ерпнект.цом
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,Уведомления по электронной почте
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,процена
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,процена
DocType: Item,Default Unit of Measure,Уобичајено Јединица мере
DocType: SMS Center,All Sales Partner Contact,Све продаје партнер Контакт
DocType: Employee,Leave Approvers,Оставите Аппроверс
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Курс курс мора да буде исти као {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Име клијента
DocType: Vehicle,Natural Gas,Природни гас
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Жиро рачун не може бити именован као {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Жиро рачун не може бити именован као {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Хеадс (или групе) против које рачуноводствене уноси се праве и биланси се одржавају.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Выдающийся для {0} не может быть меньше нуля ( {1} )
DocType: Manufacturing Settings,Default 10 mins,Уобичајено 10 минс
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Све Снабдевач Контакт
DocType: Support Settings,Support Settings,Подршка подешавања
DocType: SMS Parameter,Parameter,Параметар
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Очекивани Датум завршетка не може бити мањи од очекиваног почетка Датум
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Очекивани Датум завршетка не може бити мањи од очекиваног почетка Датум
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Ред # {0}: курс мора да буде исти као {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Нова апликација одсуство
,Batch Item Expiry Status,Батцх артикла истека статус
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Банка Нацрт
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Банка Нацрт
DocType: Mode of Payment Account,Mode of Payment Account,Начин плаћања налог
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Схов Варијанте
DocType: Academic Term,Academic Term,akademski Рок
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Материјал
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Количина
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Рачуни сто не мозе бити празна.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Кредиты ( обязательства)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Кредиты ( обязательства)
DocType: Employee Education,Year of Passing,Година Пассинг
DocType: Item,Country of Origin,Земља порекла
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,На складишту
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,На складишту
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Отворених питања
DocType: Production Plan Item,Production Plan Item,Производња план шифра
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Пользователь {0} уже назначен Employee {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,здравство
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Кашњење у плаћању (Дани)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,сервис Трошкови
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Серијски број: {0} је већ наведено у продаји фактуре: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Серијски број: {0} је већ наведено у продаји фактуре: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Фактура
DocType: Maintenance Schedule Item,Periodicity,Периодичност
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Фискална година {0} је потребно
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Ров # {0}:
DocType: Timesheet,Total Costing Amount,Укупно Цостинг Износ
DocType: Delivery Note,Vehicle No,Нема возила
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,Изаберите Ценовник
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Изаберите Ценовник
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Ред # {0}: Документ Плаћање је потребно за завршетак трасацтион
DocType: Production Order Operation,Work In Progress,Ворк Ин Прогресс
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Молимо одаберите датум
DocType: Employee,Holiday List,Холидаи Листа
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,рачуновођа
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,рачуновођа
DocType: Cost Center,Stock User,Сток Корисник
DocType: Company,Phone No,Тел
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Распоред курса цреатед:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Нови {0}: # {1}
,Sales Partners Commission,Продаја Партнери Комисија
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Аббревиатура не может иметь более 5 символов
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Аббревиатура не может иметь более 5 символов
DocType: Payment Request,Payment Request,Плаћање Упит
DocType: Asset,Value After Depreciation,Вредност Након Амортизација
DocType: Employee,O+,А +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,Датум Присуство не може бити мањи од уласку датума запосленог
DocType: Grading Scale,Grading Scale Name,Скала оцењивања Име
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,То јекорен рачун и не може се мењати .
+DocType: Sales Invoice,Company Address,Адреса предузећа
DocType: BOM,Operations,Операције
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Не удается установить разрешение на основе Скидка для {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Причврстите .цсв датотеку са две колоне, једна за старим именом и један за ново име"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ни у ком активном фискалној години.
DocType: Packed Item,Parent Detail docname,Родитељ Детаљ доцнаме
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Референца: {0}, Код товара: {1} Цустомер: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,кг
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,кг
DocType: Student Log,Log,Пријава
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Отварање за посао.
DocType: Item Attribute,Increment,Повећање
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,оглашавање
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Иста компанија је ушла у више наврата
DocType: Employee,Married,Ожењен
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Није дозвољено за {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Није дозвољено за {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Гет ставке из
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Фото не могут быть обновлены против накладной {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Фото не могут быть обновлены против накладной {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Производ {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Но итемс листед
DocType: Payment Reconciliation,Reconcile,помирити
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Следећа Амортизација Датум не може бити пре купуваве
DocType: SMS Center,All Sales Person,Све продаје Особа
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Месечни Дистрибуција ** помаже да дистрибуирате буџет / Таргет преко месеци ако имате сезонски у свом послу.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Није пронађено ставки
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Није пронађено ставки
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Плата Структура Недостаје
DocType: Lead,Person Name,Особа Име
DocType: Sales Invoice Item,Sales Invoice Item,Продаја Рачун шифра
DocType: Account,Credit,Кредит
DocType: POS Profile,Write Off Cost Center,Отпис Центар трошкова
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",нпр "Основна школа" или "Универзитет"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",нпр "Основна школа" или "Универзитет"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,stock Извештаји
DocType: Warehouse,Warehouse Detail,Магацин Детаљ
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Пређена кредитни лимит за купца {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Пређена кредитни лимит за купца {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Рок Датум завршетка не може бити касније од годину завршити Датум школске године у којој је термин везан (академска година {}). Молимо исправите датуме и покушајте поново.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Да ли је основних средстава" не може бити неконтролисано, као средствима запис постоји у односу на ставке"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Да ли је основних средстава" не може бити неконтролисано, као средствима запис постоји у односу на ставке"
DocType: Vehicle Service,Brake Oil,кочница уље
DocType: Tax Rule,Tax Type,Пореска Тип
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},"Вы не авторизованы , чтобы добавить или обновить записи до {0}"
DocType: BOM,Item Image (if not slideshow),Артикал слика (ако не слидесхов)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Существуетклиентов с одноименным названием
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Час курс / 60) * Пуна Операција време
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Избор БОМ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Избор БОМ
DocType: SMS Log,SMS Log,СМС Пријава
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Трошкови уручене пошиљке
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Празник на {0} није између Од датума и до сада
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Од {0} {1} да
DocType: Item,Copy From Item Group,Копирање из ставке групе
DocType: Journal Entry,Opening Entry,Отварање Ентри
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Кориснички> Кориснички Група> Територија
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Рачун плаћате само
DocType: Employee Loan,Repay Over Number of Periods,Отплатити Овер број периода
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} није уписано у датом {2}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} није уписано у датом {2}
DocType: Stock Entry,Additional Costs,Додатни трошкови
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Счет с существующей сделки не могут быть преобразованы в группы .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Счет с существующей сделки не могут быть преобразованы в группы .
DocType: Lead,Product Enquiry,Производ Енкуири
DocType: Academic Term,Schools,škole
+DocType: School Settings,Validate Batch for Students in Student Group,Потврди Батцх за студенте у Студентском Групе
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Но одсуство запис фоунд фор запосленом {0} за {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Молимо унесите прва компанија
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Одредите прво Компанија
@@ -175,50 +176,50 @@
DocType: BOM,Total Cost,Укупни трошкови
DocType: Journal Entry Account,Employee Loan,zaposleni кредита
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Активност Пријављивање :
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,"Пункт {0} не существует в системе, или истек"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,"Пункт {0} не существует в системе, или истек"
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Некретнине
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Изјава рачуна
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Фармација
DocType: Purchase Invoice Item,Is Fixed Asset,Је основних средстава
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Доступно ком је {0}, потребно је {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Доступно ком је {0}, потребно је {1}"
DocType: Expense Claim Detail,Claim Amount,Захтев Износ
-DocType: Employee,Mr,Господин
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Дупликат група купаца наћи у табели Клиентам групе
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Добављач Тип / Добављач
DocType: Naming Series,Prefix,Префикс
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,потребляемый
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,потребляемый
DocType: Employee,B-,Б-
DocType: Upload Attendance,Import Log,Увоз се
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Повуците Материал захтев типа производње на основу горе наведених критеријума
DocType: Training Result Employee,Grade,разред
DocType: Sales Invoice Item,Delivered By Supplier,Деливеред добављач
DocType: SMS Center,All Contact,Све Контакт
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Производња заказа већ створена за све ставке са БОМ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Годишња плата
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Производња заказа већ створена за све ставке са БОМ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Годишња плата
DocType: Daily Work Summary,Daily Work Summary,Дневни Рад Преглед
DocType: Period Closing Voucher,Closing Fiscal Year,Затварање Фискална година
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} је замрзнут
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Молимо одаберите постојећу компанију за израду контни
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Акции Расходы
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} је замрзнут
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Молимо одаберите постојећу компанију за израду контни
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Акции Расходы
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Селецт Таргет Варехоусе
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Селецт Таргет Варехоусе
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,Молимо Вас да унесете предност контакт емаил
+DocType: Program Enrollment,School Bus,Школски аутобус
DocType: Journal Entry,Contra Entry,Цонтра Ступање
DocType: Journal Entry Account,Credit in Company Currency,Кредит у валути Компанија
DocType: Delivery Note,Installation Status,Инсталација статус
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Да ли желите да ажурирате присуство? <br> Пресент: {0} \ <br> Одсутни: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Принято + Отклоненные Кол-во должно быть равно полученного количества по пункту {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Принято + Отклоненные Кол-во должно быть равно полученного количества по пункту {0}
DocType: Request for Quotation,RFQ-,РФК-
DocType: Item,Supply Raw Materials for Purchase,Набавка сировина за куповину
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,Најмање један начин плаћања је потребно за ПОС рачуна.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,Најмање један начин плаћања је потребно за ПОС рачуна.
DocType: Products Settings,Show Products as a List,Схов Производи као Лист
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Преузмите шаблон, попуните одговарајуће податке и приложите измењену датотеку.
Све датуми и запослени комбинација у одабраном периоду ће доћи у шаблону, са постојећим евиденцију"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,Пункт {0} не является активным или конец жизни был достигнут
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Пример: Басиц Матхематицс
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Для учета налога в строке {0} в размере Item , налоги в строках должны быть также включены {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Пункт {0} не является активным или конец жизни был достигнут
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Пример: Басиц Матхематицс
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Для учета налога в строке {0} в размере Item , налоги в строках должны быть также включены {1}"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Настройки для модуля HR
DocType: SMS Center,SMS Center,СМС центар
DocType: Sales Invoice,Change Amount,Промена Износ
@@ -228,7 +229,7 @@
DocType: Lead,Request Type,Захтев Тип
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Маке Емплоиее
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,радиодифузија
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,извршење
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,извршење
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Детаљи о пословању спроведена.
DocType: Serial No,Maintenance Status,Одржавање статус
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Добављач је обавезан против плативог обзир {2}
@@ -256,7 +257,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Захтев за котацију се може приступити кликом на следећи линк
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Додела лишће за годину.
DocType: SG Creation Tool Course,SG Creation Tool Course,СГ Стварање Алат курс
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,nedovoljno Сток
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,nedovoljno Сток
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Искључи Планирање капацитета и Тиме Трацкинг
DocType: Email Digest,New Sales Orders,Нове продајних налога
DocType: Bank Guarantee,Bank Account,Банковни рачун
@@ -267,8 +268,9 @@
DocType: Production Order Operation,Updated via 'Time Log',Упдатед преко 'Време Приступи'
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Унапред износ не може бити већи од {0} {1}
DocType: Naming Series,Series List for this Transaction,Серија Листа за ову трансакције
+DocType: Company,Enable Perpetual Inventory,Омогући Перпетуал Инвентори
DocType: Company,Default Payroll Payable Account,Уобичајено Плате плаћају рачун
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Упдате-маил Група
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Упдате-маил Група
DocType: Sales Invoice,Is Opening Entry,Отвара Ентри
DocType: Customer Group,Mention if non-standard receivable account applicable,Спомените ако нестандардни потраживања рачуна примењује
DocType: Course Schedule,Instructor Name,инструктор Име
@@ -280,13 +282,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Против продаје Фактура тачком
,Production Orders in Progress,Производни Поруџбине у напретку
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Нето готовина из финансирања
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","Локалну меморију је пуна, није сачувао"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","Локалну меморију је пуна, није сачувао"
DocType: Lead,Address & Contact,Адреса и контакт
DocType: Leave Allocation,Add unused leaves from previous allocations,Додај неискоришћене листове из претходних алокација
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Следећа Поновни {0} ће бити креирана на {1}
DocType: Sales Partner,Partner website,сајт партнер
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Додајте ставку
-,Contact Name,Контакт Име
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Контакт Име
DocType: Course Assessment Criteria,Course Assessment Criteria,Критеријуми процене цоурсе
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Ствара плата листић за горе наведених критеријума.
DocType: POS Customer Group,POS Customer Group,ПОС клијента Група
@@ -295,18 +297,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Не введено описание
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Захтев за куповину.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Ово се заснива на временској Схеетс насталих против овог пројекта
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Нето плата не може бити мања од 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Нето плата не може бити мања од 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Только выбранный Оставить утверждающий мог представить этот Оставить заявку
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Освобождение Дата должна быть больше даты присоединения
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Леавес по години
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Леавес по години
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Ров {0}: Проверите 'Да ли је напредно ""против налог {1} ако је ово унапред унос."
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Магацин {0} не припада фирми {1}
DocType: Email Digest,Profit & Loss,Губитак профита
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Литар
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Литар
DocType: Task,Total Costing Amount (via Time Sheet),Укупно Обрачун трошкова Износ (преко Тиме Схеет)
DocType: Item Website Specification,Item Website Specification,Ставка Сајт Спецификација
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Оставите Блокирани
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Пункт {0} достигла своей жизни на {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Пункт {0} достигла своей жизни на {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Банк unosi
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,годовой
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Стоцк Помирење артикла
@@ -314,9 +316,9 @@
DocType: Material Request Item,Min Order Qty,Минимална количина за поручивање
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Студент Група Стварање Алат курс
DocType: Lead,Do Not Contact,Немојте Контакт
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,Људи који предају у вашој организацији
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,Људи који предају у вашој организацији
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Стеам ИД за праћење свих понавља фактуре. Генерише се на субмит.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Софтваре Девелопер
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Софтваре Девелопер
DocType: Item,Minimum Order Qty,Минимална количина за поручивање
DocType: Pricing Rule,Supplier Type,Снабдевач Тип
DocType: Course Scheduling Tool,Course Start Date,Наравно Почетак
@@ -325,11 +327,11 @@
DocType: Item,Publish in Hub,Објављивање у Хуб
DocType: Student Admission,Student Admission,студент Улаз
,Terretory,Терретори
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Пункт {0} отменяется
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Пункт {0} отменяется
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Материјал Захтев
DocType: Bank Reconciliation,Update Clearance Date,Упдате Дате клиренс
DocType: Item,Purchase Details,Куповина Детаљи
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Ставка {0} није пронађен у "сировине Испоручује се 'сто у нарудзбенице {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Ставка {0} није пронађен у "сировине Испоручује се 'сто у нарудзбенице {1}
DocType: Employee,Relation,Однос
DocType: Shipping Rule,Worldwide Shipping,Широм света Достава
DocType: Student Guardian,Mother,мајка
@@ -348,6 +350,7 @@
DocType: Student Group Student,Student Group Student,Студент Група студент
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,најновији
DocType: Vehicle Service,Inspection,инспекција
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Листа
DocType: Email Digest,New Quotations,Нове понуде
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Емаилс плата клизање да запосленом на основу пожељног е-маил одабран у запосленог
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,Први одсуство одобраватељ на листи ће бити постављен као подразумевани Аппровер Леаве
@@ -356,20 +359,20 @@
DocType: Asset,Next Depreciation Date,Следећа Амортизација Датум
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Активност Трошкови по запосленом
DocType: Accounts Settings,Settings for Accounts,Подешавања за рачуне
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Добављач Фактура Не постоји у фактури {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Добављач Фактура Не постоји у фактури {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Управление менеджера по продажам дерево .
DocType: Job Applicant,Cover Letter,Пропратно писмо
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Изузетне чекова и депозити до знања
DocType: Item,Synced With Hub,Синхронизују са Хуб
DocType: Vehicle,Fleet Manager,флота директор
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Ред # {0}: {1} не може бити негативна за ставку {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Погрешна Лозинка
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Погрешна Лозинка
DocType: Item,Variant Of,Варијанта
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',Завршен ком не може бити већи од 'Количина за производњу'
DocType: Period Closing Voucher,Closing Account Head,Затварање рачуна Хеад
DocType: Employee,External Work History,Спољни власници
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Циркуларне референце Грешка
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Гуардиан1 Име
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Гуардиан1 Име
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,У Вордс (извоз) ће бити видљив када сачувате напомену Деливери.
DocType: Cheque Print Template,Distance from left edge,Удаљеност од леве ивице
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} јединице [{1}] (# Форм / итем / {1}) у [{2}] (# Форм / Варехоусе / {2})
@@ -378,11 +381,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Обавестити путем емаила на стварању аутоматског материјала захтеву
DocType: Journal Entry,Multi Currency,Тема Валута
DocType: Payment Reconciliation Invoice,Invoice Type,Фактура Тип
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Обавештење о пријему пошиљке
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Обавештење о пријему пошиљке
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Подешавање Порези
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Набавна вредност продате Ассет
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,Плаћање Ступање је модификована након што га извукао. Молимо вас да га опет повуците.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} вводится дважды в пункт налоге
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Плаћање Ступање је модификована након што га извукао. Молимо вас да га опет повуците.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} вводится дважды в пункт налоге
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Преглед за ову недељу и чекају активности
DocType: Student Applicant,Admitted,Признао
DocType: Workstation,Rent Cost,Издавање Трошкови
@@ -401,25 +404,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Пожалуйста, введите ' Repeat на день месяца ' значения поля"
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Стопа по којој Купац Валута се претварају у основне валуте купца
DocType: Course Scheduling Tool,Course Scheduling Tool,Наравно Распоред Алат
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Ред # {0}: фактури не може се против постојеће имовине {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Ред # {0}: фактури не може се против постојеће имовине {1}
DocType: Item Tax,Tax Rate,Пореска стопа
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} већ издвојила за запосленог {1} за период {2} {3} у
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Избор артикла
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Покупка Счет {0} уже подано
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Покупка Счет {0} уже подано
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Ред # {0}: Серијски бр морају бити исти као {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Претвори у не-Гроуп
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Групно (много) од стране јединице.
DocType: C-Form Invoice Detail,Invoice Date,Фактуре
DocType: GL Entry,Debit Amount,Износ задужења
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Може постојати само 1 налог за предузеће у {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,Молимо погледајте прилог
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Може постојати само 1 налог за предузеће у {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,Молимо погледајте прилог
DocType: Purchase Order,% Received,% Примљено
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Створити студентских група
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Подешавање Већ Комплетна !
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Кредит Напомена Износ
,Finished Goods,готове робе
DocType: Delivery Note,Instructions,Инструкције
DocType: Quality Inspection,Inspected By,Контролисано Би
DocType: Maintenance Visit,Maintenance Type,Одржавање Тип
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} није уписано у току {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Серийный номер {0} не принадлежит накладной {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ЕРПНект демо
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Додај артикле
@@ -442,7 +447,7 @@
DocType: Request for Quotation,Request for Quotation,Захтев за понуду
DocType: Salary Slip Timesheet,Working Hours,Радно време
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Промена стартовања / струја број редни постојеће серије.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Креирајте нови клијента
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Креирајте нови клијента
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Ако више Цене Правила наставити да превлада, корисници су упитани да подесите приоритет ручно да реши конфликт."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Створити куповини Ордерс
,Purchase Register,Куповина Регистрација
@@ -454,7 +459,7 @@
DocType: Student Log,Medical,медицинский
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Разлог за губљење
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Олово Власник не може бити исти као и олова
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,Издвојила износ не може већи од износа неприлагонене
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,Издвојила износ не може већи од износа неприлагонене
DocType: Announcement,Receiver,пријемник
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Радна станица је затворена на следеће датуме по Холидаи Лист: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Могућности
@@ -468,8 +473,7 @@
DocType: Assessment Plan,Examiner Name,испитивач Име
DocType: Purchase Invoice Item,Quantity and Rate,Количина и Оцените
DocType: Delivery Note,% Installed,Инсталирано %
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,"Учионице / Лабораторије итд, где може да се планира предавања."
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Добављач> добављач Тип
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Учионице / Лабораторије итд, где може да се планира предавања."
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Молимо унесите прво име компаније
DocType: Purchase Invoice,Supplier Name,Снабдевач Име
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Прочитајте ЕРПНект Мануал
@@ -479,7 +483,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Одлазак добављача Фактура број јединственост
DocType: Vehicle Service,Oil Change,Промена уља
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','Да Предмет бр' не може бити мањи од 'Од Предмет бр'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Некоммерческое
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Некоммерческое
DocType: Production Order,Not Started,Није Стартед
DocType: Lead,Channel Partner,Цханнел Партнер
DocType: Account,Old Parent,Стари Родитељ
@@ -490,19 +494,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Глобална подешавања за свим производним процесима.
DocType: Accounts Settings,Accounts Frozen Upto,Рачуни Фрозен Упто
DocType: SMS Log,Sent On,Послата
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} изабран више пута у атрибутима табели
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} изабран више пута у атрибутима табели
DocType: HR Settings,Employee record is created using selected field. ,Запослени Запис се креира коришћењем изабрано поље.
DocType: Sales Order,Not Applicable,Није применљиво
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Мастер отдыха .
DocType: Request for Quotation Item,Required Date,Потребан датум
DocType: Delivery Note,Billing Address,Адреса за наплату
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Унесите Шифра .
DocType: BOM,Costing,Коштање
DocType: Tax Rule,Billing County,Обрачун жупанија
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Ако је проверен, порески износ ће се сматрати као што је већ укључена у Принт Рате / Штампа Износ"
DocType: Request for Quotation,Message for Supplier,Порука за добављача
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Укупно ком
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Гуардиан2 маил ИД
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Гуардиан2 маил ИД
DocType: Item,Show in Website (Variant),Схов на сајту (Варијанта)
DocType: Employee,Health Concerns,Здравље Забринутост
DocType: Process Payroll,Select Payroll Period,Изабери периода исплате
@@ -520,26 +523,28 @@
DocType: Sales Order Item,Used for Production Plan,Користи се за производни план
DocType: Employee Loan,Total Payment,Укупан износ
DocType: Manufacturing Settings,Time Between Operations (in mins),Време између операција (у минута)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} је отказана тако да акција не може бити завршен
DocType: Customer,Buyer of Goods and Services.,Купац робе и услуга.
DocType: Journal Entry,Accounts Payable,Обавезе према добављачима
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Одабрани БОМ нису за исту робу
DocType: Pricing Rule,Valid Upto,Важи до
DocType: Training Event,Workshop,радионица
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Листанеколико ваших клијената . Они могу бити организације и појединци .
-,Enough Parts to Build,Довољно Делови за изградњу
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Прямая прибыль
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Листанеколико ваших клијената . Они могу бити организације и појединци .
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Довољно Делови за изградњу
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Прямая прибыль
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Не можете да филтрирате на основу налога , ако груписани по налогу"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Административни службеник
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Молимо одаберите Цоурсе
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Молимо одаберите Цоурсе
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Административни службеник
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Молимо одаберите Цоурсе
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Молимо одаберите Цоурсе
DocType: Timesheet Detail,Hrs,хрс
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Молимо изаберите Цомпани
DocType: Stock Entry Detail,Difference Account,Разлика налог
+DocType: Purchase Invoice,Supplier GSTIN,добављач ГСТИН
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Не можете да затворите задатак као њен задатак зависи {0} није затворен.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Унесите складиште за које Материјал Захтев ће бити подигнута
DocType: Production Order,Additional Operating Cost,Додатни Оперативни трошкови
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,козметика
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Да бисте објединили , следеће особине морају бити исти за обе ставке"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Да бисте објединили , следеће особине морају бити исти за обе ставке"
DocType: Shipping Rule,Net Weight,Нето тежина
DocType: Employee,Emergency Phone,Хитна Телефон
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,купити
@@ -549,14 +554,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Молимо Вас да дефинише оцену за праг 0%
DocType: Sales Order,To Deliver,Да Испоручи
DocType: Purchase Invoice Item,Item,ставка
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Серијски број Ставка не може да буде део
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Серијски број Ставка не може да буде део
DocType: Journal Entry,Difference (Dr - Cr),Разлика ( др - Кр )
DocType: Account,Profit and Loss,Прибыль и убытки
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Управљање Подуговарање
DocType: Project,Project will be accessible on the website to these users,Пројекат ће бити доступни на сајту ових корисника
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Стопа по којој се Ценовник валута претвара у основну валуту компаније
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Рачун {0} не припада компанији: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Скраћеница већ користи за другу компанију
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Рачун {0} не припада компанији: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Скраћеница већ користи за другу компанију
DocType: Selling Settings,Default Customer Group,Уобичајено групу потрошача
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Ако онемогућите, "заобљени" Тотал поље неће бити видљив у свакој трансакцији"
DocType: BOM,Operating Cost,Оперативни трошкови
@@ -564,7 +569,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Повећање не може бити 0
DocType: Production Planning Tool,Material Requirement,Материјал Захтев
DocType: Company,Delete Company Transactions,Делете Цомпани трансакције
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Референца број и референце Датум је обавезна за банке трансакције
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Референца број и референце Датум је обавезна за банке трансакције
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Адд / Едит порези и таксе
DocType: Purchase Invoice,Supplier Invoice No,Снабдевач фактура бр
DocType: Territory,For reference,За референце
@@ -575,22 +580,22 @@
DocType: Installation Note Item,Installation Note Item,Инсталација Напомена Ставка
DocType: Production Plan Item,Pending Qty,Кол чекању
DocType: Budget,Ignore,Игнорисати
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} није активан
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} није активан
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},СМС порука на следеће бројеве телефона: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,цхецк сетуп димензије за штампање
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,цхецк сетуп димензије за штампање
DocType: Salary Slip,Salary Slip Timesheet,Плата Слип Тимесхеет
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Поставщик Склад обязательным для субподрядчиком ТОВАРНЫЙ ЧЕК
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Поставщик Склад обязательным для субподрядчиком ТОВАРНЫЙ ЧЕК
DocType: Pricing Rule,Valid From,Важи од
DocType: Sales Invoice,Total Commission,Укупно Комисија
DocType: Pricing Rule,Sales Partner,Продаја Партнер
DocType: Buying Settings,Purchase Receipt Required,Куповина Потврда Обавезно
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,Процена курс је обавезна ако Отварање Сток ушла
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,Процена курс је обавезна ако Отварање Сток ушла
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Нема резултата у фактури табели записи
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Молимо Вас да изаберете Цомпани и Партије Типе прво
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Финансовый / отчетного года .
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Финансовый / отчетного года .
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,акумулиране вредности
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Извини , Серијски Нос не може да се споје"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Маке Продаја Наручите
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Маке Продаја Наручите
DocType: Project Task,Project Task,Пројектни задатак
,Lead Id,Олово Ид
DocType: C-Form Invoice Detail,Grand Total,Свеукупно
@@ -607,7 +612,7 @@
DocType: Job Applicant,Resume Attachment,ресуме Прилог
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Репеат Купци
DocType: Leave Control Panel,Allocate,Доделити
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Продаја Ретурн
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Продаја Ретурн
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Напомена: Укупно издвојена лишће {0} не сме бити мањи од већ одобрених лишћа {1} за период
DocType: Announcement,Posted By,Поставио
DocType: Item,Delivered by Supplier (Drop Ship),Деливеред би добављача (Дроп Схип)
@@ -617,8 +622,8 @@
DocType: Quotation,Quotation To,Цитат
DocType: Lead,Middle Income,Средњи приход
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Открытие (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Уобичајено јединица мере за тачке {0} не може директно мењати, јер сте већ направили неке трансакције (с) са другим УЦГ. Мораћете да креирате нову ставку да користи другачији Дефаулт УЦГ."
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Додељена сума не може бити негативан
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"Уобичајено јединица мере за тачке {0} не може директно мењати, јер сте већ направили неке трансакције (с) са другим УЦГ. Мораћете да креирате нову ставку да користи другачији Дефаулт УЦГ."
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Додељена сума не може бити негативан
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Подесите Цомпани
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Подесите Цомпани
DocType: Purchase Order Item,Billed Amt,Фактурисане Амт
@@ -631,7 +636,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Избор Плаћање рачуна да банке Ентри
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Створити запослених евиденције за управљање лишће, трошковима тврдње и плате"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Додај у бази знања
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Писање предлога
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Писање предлога
DocType: Payment Entry Deduction,Payment Entry Deduction,Плаћање Ступање дедукције
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Још једна особа Продаја {0} постоји са истим запослених ид
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Ако је означено, сировине за ставке које су под уговором ће бити укључени у материјалу захтевима"
@@ -645,7 +650,7 @@
DocType: Timesheet,Billed,Изграђена
DocType: Batch,Batch Description,Батцх Опис
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Креирање студентских група
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Паимент Гатеваи налог није створен, ручно направите."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Паимент Гатеваи налог није створен, ручно направите."
DocType: Sales Invoice,Sales Taxes and Charges,Продаја Порези и накнаде
DocType: Employee,Organization Profile,Профиль организации
DocType: Student,Sibling Details,Сиблинг Детаљи
@@ -667,11 +672,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Нето промена у инвентару
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Запослени Менаџмент кредита
DocType: Employee,Passport Number,Пасош Број
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Однос са Гуардиан2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,менаџер
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Однос са Гуардиан2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,менаџер
DocType: Payment Entry,Payment From / To,Плаћање Фром /
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Нови кредитни лимит је мање од тренутног преосталог износа за купца. Кредитни лимит мора да садржи најмање {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Исто аукција је ушао више пута.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Нови кредитни лимит је мање од тренутног преосталог износа за купца. Кредитни лимит мора да садржи најмање {0}
DocType: SMS Settings,Receiver Parameter,Пријемник Параметар
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""На основу"" и ""Групиши по"" не могу бити идентични"
DocType: Sales Person,Sales Person Targets,Продаја Персон Мете
@@ -680,8 +684,9 @@
DocType: Issue,Resolution Date,Резолуција Датум
DocType: Student Batch Name,Batch Name,батцх Име
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Тимесхеет цреатед:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},"Пожалуйста, установите Cash умолчанию или банковский счет в режим оплаты {0}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},"Пожалуйста, установите Cash умолчанию или банковский счет в режим оплаты {0}"
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,уписати
+DocType: GST Settings,GST Settings,ПДВ подешавања
DocType: Selling Settings,Customer Naming By,Кориснички назив под
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Ће показати ученика као присутна у Студентском Месечно Аттенданце Репорт
DocType: Depreciation Schedule,Depreciation Amount,Амортизација Износ
@@ -703,6 +708,7 @@
DocType: Item,Material Transfer,Пренос материјала
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Открытие (д-р )
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Средняя отметка должна быть после {0}
+,GST Itemised Purchase Register,ПДВ ставкама Куповина Регистрација
DocType: Employee Loan,Total Interest Payable,Укупно камати
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Истовара порези и таксе
DocType: Production Order Operation,Actual Start Time,Стварна Почетак Време
@@ -731,10 +737,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,суплиер
DocType: Account,Accounts,Рачуни
DocType: Vehicle,Odometer Value (Last),Одометер вредност (Задња)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,маркетинг
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,маркетинг
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Плаћање Ступање је већ направљена
DocType: Purchase Receipt Item Supplied,Current Stock,Тренутне залихе
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Ред # {0}: имовине {1} не повезано са тачком {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Ред # {0}: имовине {1} не повезано са тачком {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Преглед плата Слип
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Рачун {0} је ушла више пута
DocType: Account,Expenses Included In Valuation,Трошкови укључени у процене
@@ -742,7 +748,7 @@
,Absent Student Report,Абсент Студентски Извештај
DocType: Email Digest,Next email will be sent on:,Следећа порука ће бити послата на:
DocType: Offer Letter Term,Offer Letter Term,Понуда Леттер Терм
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Тачка има варијанте.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Тачка има варијанте.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Пункт {0} не найден
DocType: Bin,Stock Value,Вредност акције
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Фирма {0} не постоји
@@ -751,8 +757,8 @@
DocType: Serial No,Warranty Expiry Date,Гаранција Датум истека
DocType: Material Request Item,Quantity and Warehouse,Количина и Магацин
DocType: Sales Invoice,Commission Rate (%),Комисија Стопа (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Молимо одаберите програм
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Молимо одаберите програм
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Молимо одаберите програм
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Молимо одаберите програм
DocType: Project,Estimated Cost,Процењени трошкови
DocType: Purchase Order,Link to material requests,Линк материјалним захтевима
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,ваздушно-космички простор
@@ -766,14 +772,14 @@
DocType: Purchase Order,Supply Raw Materials,Суппли Сировине
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,Датум који ће бити генерисан следећи рачун. То се генерише на достави.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,оборотные активы
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} не является акционерным Пункт
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} не является акционерным Пункт
DocType: Mode of Payment Account,Default Account,Уобичајено Рачун
DocType: Payment Entry,Received Amount (Company Currency),Примљени износ (Фирма валута)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,"Ведущий должен быть установлен , если Возможность сделан из свинца"
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,"Пожалуйста, выберите в неделю выходной"
DocType: Production Order Operation,Planned End Time,Планирано време завршетка
,Sales Person Target Variance Item Group-Wise,Лицо продаж Целевая Разница Пункт Группа Мудрого
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Счет с существующей сделки не могут быть преобразованы в книге
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Счет с существующей сделки не могут быть преобразованы в книге
DocType: Delivery Note,Customer's Purchase Order No,Наруџбенице купца Нема
DocType: Budget,Budget Against,буџет protiv
DocType: Employee,Cell Number,Мобилни број
@@ -785,15 +791,13 @@
DocType: Opportunity,Opportunity From,Прилика Од
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Месечна плата изјава.
DocType: BOM,Website Specifications,Сајт Спецификације
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Молимо Вас да подешавање бројева серије за похађање преко Сетуп> нумерисање серија
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Од {0} типа {1}
DocType: Warranty Claim,CI-,ЦИ-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Ред {0}: Фактор конверзије је обавезно
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Ред {0}: Фактор конверзије је обавезно
DocType: Employee,A+,А +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Вишеструки Цена Правила постоји са истим критеријумима, молимо вас да решавају конфликте са приоритетом. Цена Правила: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,Не можете деактивирати или отказати БОМ јер је повезан са другим саставница
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Вишеструки Цена Правила постоји са истим критеријумима, молимо вас да решавају конфликте са приоритетом. Цена Правила: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Не можете деактивирати или отказати БОМ јер је повезан са другим саставница
DocType: Opportunity,Maintenance,Одржавање
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},"Покупка Получение число , необходимое для Пункт {0}"
DocType: Item Attribute Value,Item Attribute Value,Итем Вредност атрибута
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Кампании по продажам .
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Маке тимесхеет
@@ -845,30 +849,30 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Средство укинуо преко књижење {0}
DocType: Employee Loan,Interest Income Account,Приход од камата рачуна
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,биотехнологија
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Офис эксплуатационные расходы
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Офис эксплуатационные расходы
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Подешавање Емаил налога
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Молимо унесите прва тачка
DocType: Account,Liability,одговорност
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Санкционисани износ не може бити већи од износ потраживања у низу {0}.
DocType: Company,Default Cost of Goods Sold Account,Уобичајено Набавна вредност продате робе рачуна
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Прайс-лист не выбран
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Прайс-лист не выбран
DocType: Employee,Family Background,Породица Позадина
DocType: Request for Quotation Supplier,Send Email,Сенд Емаил
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Упозорење: Неважећи Прилог {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Упозорење: Неважећи Прилог {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Без дозвола
DocType: Company,Default Bank Account,Уобичајено банковног рачуна
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Филтрирање на основу партије, изаберите партија Типе први"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"'Ажурирање Сток "не може се проверити, јер ствари нису достављене преко {0}"
DocType: Vehicle,Acquisition Date,Датум куповине
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Нос
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Нос
DocType: Item,Items with higher weightage will be shown higher,Предмети са вишим веигхтаге ће бити приказано више
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Банка помирење Детаљ
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Ред # {0}: имовине {1} мора да се поднесе
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Ред # {0}: имовине {1} мора да се поднесе
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Не работник не найдено
DocType: Supplier Quotation,Stopped,Заустављен
DocType: Item,If subcontracted to a vendor,Ако подизвођење на продавца
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Студент Група је већ ажуриран.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Студент Група је већ ажуриран.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Студент Група је већ ажуриран.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Студент Група је већ ажуриран.
DocType: SMS Center,All Customer Contact,Све Кориснички Контакт
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Уплоад равнотежу берзе преко ЦСВ.
DocType: Warehouse,Tree Details,трее Детаљи
@@ -880,13 +884,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Цена центар {2} не припада компанији {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: налог {2} не може бити група
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Итем Ред {идк}: {ДОЦТИПЕ} {ДОЦНАМЕ} не постоји у горе '{ДОЦТИПЕ}' сто
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Тимесхеет {0} је већ завршен или отказан
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Тимесхеет {0} је већ завршен или отказан
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Но задаци
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Дан у месецу на којем друмски фактура ће бити генерисан нпр 05, 28 итд"
DocType: Asset,Opening Accumulated Depreciation,Отварање акумулирана амортизација
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Коначан мора бити мања или једнака 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Програм Упис Алат
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,Ц - Форма евиденција
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,Ц - Форма евиденција
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Купаца и добављача
DocType: Email Digest,Email Digest Settings,Е-маил подешавања Дигест
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Хвала за ваш посао!
@@ -896,17 +900,19 @@
DocType: Bin,Moving Average Rate,Мовинг Авераге рате
DocType: Production Planning Tool,Select Items,Изаберите ставке
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} против Предлога закона {1} {2} од
+DocType: Program Enrollment,Vehicle/Bus Number,Вехицле / Аутобус број
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Распоред курс
DocType: Maintenance Visit,Completion Status,Завршетак статус
DocType: HR Settings,Enter retirement age in years,Унесите старосну границу за пензионисање у годинама
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Циљна Магацин
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Изаберите складиште
DocType: Cheque Print Template,Starting location from left edge,Почетна локација од леве ивице
DocType: Item,Allow over delivery or receipt upto this percent,Дозволите преко испоруку или пријем упто овом одсто
DocType: Stock Entry,STE-,аортна
DocType: Upload Attendance,Import Attendance,Увоз Гледалаца
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Все Группы товаров
DocType: Process Payroll,Activity Log,Активност Пријава
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Нето добит / губитак
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Нето добит / губитак
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Автоматически создавать сообщение о подаче сделок .
DocType: Production Order,Item To Manufacture,Ставка за производњу
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} статус {2}
@@ -915,16 +921,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Налог за куповину на исплату
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Пројектовани Кол
DocType: Sales Invoice,Payment Due Date,Плаћање Дуе Дате
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Тачка Варијанта {0} већ постоји са истим атрибутима
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Тачка Варијанта {0} већ постоји са истим атрибутима
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','Отварање'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Опен То До
DocType: Notification Control,Delivery Note Message,Испорука Напомена порука
DocType: Expense Claim,Expenses,расходы
+,Support Hours,Подршка време
DocType: Item Variant Attribute,Item Variant Attribute,Тачка Варијанта Атрибут
,Purchase Receipt Trends,Куповина Трендови Пријем
DocType: Process Payroll,Bimonthly,часопис који излази свака два месеца
DocType: Vehicle Service,Brake Pad,brake Пад
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Истраживање и развој
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Истраживање и развој
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Износ на Предлог закона
DocType: Company,Registration Details,Регистрација Детаљи
DocType: Timesheet,Total Billed Amount,Укупно Приходована Износ
@@ -937,12 +944,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Само Добијање Сировине
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Учинка.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Омогућавање 'Користи се за Корпа ", као што је омогућено Корпа и требало би да постоји најмање један Пореска правила за Корпа"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Ступање плаћање {0} је повезан против налога {1}, провери да ли треба да се повуче као напредак у овој фактури."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Ступање плаћање {0} је повезан против налога {1}, провери да ли треба да се повуче као напредак у овој фактури."
DocType: Sales Invoice Item,Stock Details,Сток Детаљи
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Пројекат Вредност
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Место продаје
DocType: Vehicle Log,Odometer Reading,Километража
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Стања на рачуну већ у Кредит, није вам дозвољено да поставите 'биланс треба да се' као 'Дебит """
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Стања на рачуну већ у Кредит, није вам дозвољено да поставите 'биланс треба да се' као 'Дебит """
DocType: Account,Balance must be,Баланс должен быть
DocType: Hub Settings,Publish Pricing,Објављивање Цене
DocType: Notification Control,Expense Claim Rejected Message,Расходи потраживање Одбијен поруку
@@ -952,7 +959,7 @@
DocType: Salary Slip,Working Days,Радних дана
DocType: Serial No,Incoming Rate,Долазни Оцени
DocType: Packing Slip,Gross Weight,Бруто тежина
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,Име ваше компаније за коју сте се постављање овог система .
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,Име ваше компаније за коју сте се постављање овог система .
DocType: HR Settings,Include holidays in Total no. of Working Days,Укључи одмор у Укупан бр. радних дана
DocType: Job Applicant,Hold,Држати
DocType: Employee,Date of Joining,Датум Придруживање
@@ -963,20 +970,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Куповина Пријем
,Received Items To Be Billed,Примљени артикала буду наплаћени
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Поставио плата Слипс
-DocType: Employee,Ms,Мс
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Мастер Валютный курс .
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Референце Тип документа мора бити један од {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Мастер Валютный курс .
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Референце Тип документа мора бити један од {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Није могуће пронаћи време за наредних {0} дана за рад {1}
DocType: Production Order,Plan material for sub-assemblies,План материјал за подсклопови
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Продајних партнера и Регија
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,Не могу аутоматски направити налог као што је већ ту је акционарско на рачуну. Морате креирати подударање налог да бисте могли да ставку о овом складишту
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,БОМ {0} мора бити активна
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,БОМ {0} мора бити активна
DocType: Journal Entry,Depreciation Entry,Амортизација Ступање
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Прво изаберите врсту документа
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Отменить Материал просмотров {0} до отмены этого обслуживания визит
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Серийный номер {0} не принадлежит Пункт {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Обавезно Кол
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Складишта са постојећим трансакције не могу се претворити у књизи.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Складишта са постојећим трансакције не могу се претворити у књизи.
DocType: Bank Reconciliation,Total Amount,Укупан износ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Интернет издаваштво
DocType: Production Planning Tool,Production Orders,Налога за производњу
@@ -991,25 +996,26 @@
DocType: Fee Structure,Components,komponente
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Молимо унесите Ассет Категорија тачке {0}
DocType: Quality Inspection Reading,Reading 6,Читање 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Цан нот {0} {1} {2} без негативних изузетан фактура
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Цан нот {0} {1} {2} без негативних изузетан фактура
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Фактури Адванце
DocType: Hub Settings,Sync Now,Синц Сада
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Ров {0}: Кредит Унос се не може повезати са {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Дефинисати буџет за финансијске године.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Дефинисати буџет за финансијске године.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,"Уобичајено банка / Готовина налог ће аутоматски бити ажуриран у ПОС фактура, када је овај режим изабран."
DocType: Lead,LEAD-,олово
DocType: Employee,Permanent Address Is,Стална адреса је
DocType: Production Order Operation,Operation completed for how many finished goods?,Операција завршена за колико готове робе?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,Бренд
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Бренд
DocType: Employee,Exit Interview Details,Екит Детаљи Интервју
DocType: Item,Is Purchase Item,Да ли је куповина артикла
DocType: Asset,Purchase Invoice,Фактури
DocType: Stock Ledger Entry,Voucher Detail No,Ваучер Детаљ Бр.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Нови продаје Фактура
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Нови продаје Фактура
DocType: Stock Entry,Total Outgoing Value,Укупна вредност Одлазећи
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Датум отварања и затварања Дате треба да буде у истој фискалној години
DocType: Lead,Request for Information,Захтев за информације
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Синц Оффлине Рачуни
+,LeaderBoard,банер
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Синц Оффлине Рачуни
DocType: Payment Request,Paid,Плаћен
DocType: Program Fee,Program Fee,naknada програм
DocType: Salary Slip,Total in words,Укупно у речима
@@ -1018,13 +1024,13 @@
DocType: Cheque Print Template,Has Print Format,Има Принт Формат
DocType: Employee Loan,Sanctioned,санкционисан
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,је обавезно. Можда Мењачница запис није створен за
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Ред # {0}: Наведите Сериал но за пункт {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","За 'производ' Бундле предмета, Магацин, редни број и серијски бр ће се сматрати из "листе паковања 'табели. Ако Складиште и серијски бр су исти за све ставке паковање за било коју 'производ' Бундле ставке, те вредности се могу уносити у главном табели тачка, вредности ће бити копирана у 'Паковање лист' сто."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Ред # {0}: Наведите Сериал но за пункт {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","За 'производ' Бундле предмета, Магацин, редни број и серијски бр ће се сматрати из "листе паковања 'табели. Ако Складиште и серијски бр су исти за све ставке паковање за било коју 'производ' Бундле ставке, те вредности се могу уносити у главном табели тачка, вредности ће бити копирана у 'Паковање лист' сто."
DocType: Job Opening,Publish on website,Објави на сајту
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Испоруке купцима.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Добављач Фактура Датум не може бити већи од датума када је послата
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Добављач Фактура Датум не може бити већи од датума када је послата
DocType: Purchase Invoice Item,Purchase Order Item,Куповина ставке поруџбине
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Косвенная прибыль
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Косвенная прибыль
DocType: Student Attendance Tool,Student Attendance Tool,Студент Присуство Алат
DocType: Cheque Print Template,Date Settings,Датум Поставке
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Варијација
@@ -1042,21 +1048,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,хемијски
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Дефаулт Банка / Готовина налог ће аутоматски бити ажуриран у плате књижење када је изабран овај режим.
DocType: BOM,Raw Material Cost(Company Currency),Сировина трошкова (Фирма валута)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Сви артикли су већ пребачени за ову производњу Реда.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Сви артикли су већ пребачени за ову производњу Реда.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Ред # {0}: курс не може бити већа од стопе која се користи у {1} {2}
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Ред # {0}: курс не може бити већа од стопе која се користи у {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,Метар
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,Метар
DocType: Workstation,Electricity Cost,Струја Трошкови
DocType: HR Settings,Don't send Employee Birthday Reminders,Немојте слати запослених подсетник за рођендан
DocType: Item,Inspection Criteria,Инспекцијски Критеријуми
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Преносе
DocType: BOM Website Item,BOM Website Item,БОМ Сајт артикла
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Уплоад главу писмо и лого. (Можете их уредити касније).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Уплоад главу писмо и лого. (Можете их уредити касније).
DocType: Timesheet Detail,Bill,рачун
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Следећа Амортизација Датум је ушао као прошле дана
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Бео
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Бео
DocType: SMS Center,All Lead (Open),Све Олово (Опен)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ред {0}: Количина није доступан за {4} у складишту {1} на објављивање време ступања ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Ред {0}: Количина није доступан за {4} у складишту {1} на објављивање време ступања ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Гет аванси
DocType: Item,Automatically Create New Batch,Аутоматски Направи нови Батцх
DocType: Item,Automatically Create New Batch,Аутоматски Направи нови Батцх
@@ -1067,13 +1073,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Моја Корпа
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Наручи Тип мора бити један од {0}
DocType: Lead,Next Contact Date,Следеће Контакт Датум
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Отварање Кол
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,Молимо Вас да унесете налог за промене Износ
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Отварање Кол
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,Молимо Вас да унесете налог за промене Износ
DocType: Student Batch Name,Student Batch Name,Студент Серија Име
DocType: Holiday List,Holiday List Name,Холидаи Листа Име
DocType: Repayment Schedule,Balance Loan Amount,Биланс Износ кредита
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Распоред курса
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Сток Опције
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Сток Опције
DocType: Journal Entry Account,Expense Claim,Расходи потраживање
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Да ли заиста желите да вратите овај укинута средства?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Количина за {0}
@@ -1085,12 +1091,12 @@
DocType: Company,Default Terms,Уобичајено Правила
DocType: Packing Slip Item,Packing Slip Item,Паковање Слип Итем
DocType: Purchase Invoice,Cash/Bank Account,Готовина / банковног рачуна
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Наведите {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Наведите {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Уклоњене ствари без промене у количини или вриједности.
DocType: Delivery Note,Delivery To,Достава Да
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Атрибут сто је обавезно
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Атрибут сто је обавезно
DocType: Production Planning Tool,Get Sales Orders,Гет продајних налога
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} не може бити негативан
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} не може бити негативан
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Попуст
DocType: Asset,Total Number of Depreciations,Укупан број Амортизација
DocType: Sales Invoice Item,Rate With Margin,Стопа Са маргина
@@ -1111,7 +1117,6 @@
DocType: Serial No,Creation Document No,Стварање документ №
DocType: Issue,Issue,Емисија
DocType: Asset,Scrapped,одбачен
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Рачун не одговара Цомпани
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Атрибути за тачка варијанти. нпр Величина, Боја итд"
DocType: Purchase Invoice,Returns,повраћај
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,ВИП Магацин
@@ -1123,12 +1128,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,Ставка мора се додати користећи 'Гет ставки из пурцхасе примитака' дугме
DocType: Employee,A-,А-
DocType: Production Planning Tool,Include non-stock items,Укључују не-залихама
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Коммерческие расходы
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Коммерческие расходы
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Стандардна Куповина
DocType: GL Entry,Against,Против
DocType: Item,Default Selling Cost Center,По умолчанию Продажа Стоимость центр
DocType: Sales Partner,Implementation Partner,Имплементација Партнер
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Поштански број
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Поштански број
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Салес Ордер {0} је {1}
DocType: Opportunity,Contact Info,Контакт Инфо
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Макинг Стоцк записи
@@ -1141,33 +1146,33 @@
DocType: Holiday List,Get Weekly Off Dates,Гет Офф Недељно Датуми
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,"Дата окончания не может быть меньше , чем Дата начала"
DocType: Sales Person,Select company name first.,Изаберите прво име компаније.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Др
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Цитати од добављача.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Да {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Просек година
DocType: School Settings,Attendance Freeze Date,Присуство Замрзавање Датум
DocType: School Settings,Attendance Freeze Date,Присуство Замрзавање Датум
DocType: Opportunity,Your sales person who will contact the customer in future,Ваш продавац који ће контактирати купца у будућности
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Листанеколико ваших добављача . Они могу бити организације и појединци .
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Листанеколико ваших добављача . Они могу бити организације и појединци .
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Погледајте остале производе
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Минималну предност (дани)
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Минималну предност (дани)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,sve БОМ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,sve БОМ
DocType: Company,Default Currency,Уобичајено валута
DocType: Expense Claim,From Employee,Од запосленог
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Внимание: Система не будет проверять overbilling с суммы по пункту {0} в {1} равна нулю
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Внимание: Система не будет проверять overbilling с суммы по пункту {0} в {1} равна нулю
DocType: Journal Entry,Make Difference Entry,Направите унос Дифференце
DocType: Upload Attendance,Attendance From Date,Гледалаца Од датума
DocType: Appraisal Template Goal,Key Performance Area,Кључна Перформансе Област
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,транспорт
+DocType: Program Enrollment,Transportation,транспорт
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,неважећи Атрибут
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} должны быть представлены
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} должны быть представлены
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Количина мора бити мањи од или једнак {0}
DocType: SMS Center,Total Characters,Укупно Карактери
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Молимо Вас да изаберете БОМ БОМ у пољу за ставку {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Молимо Вас да изаберете БОМ БОМ у пољу за ставку {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,Ц-Форм Рачун Детаљ
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Плаћање Помирење Фактура
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Допринос%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Према куповина Сеттингс ако Потребна је поруџбеница == 'ДА', а затим за стварање фактури, корисник треба да креира налога за куповину прво за ставку {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,. Компанија регистарски бројеви за референцу Порески бројеви итд
DocType: Sales Partner,Distributor,Дистрибутер
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Корпа Достава Правило
@@ -1176,23 +1181,25 @@
,Ordered Items To Be Billed,Ж артикала буду наплаћени
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Од Опсег мора да буде мањи од у распону
DocType: Global Defaults,Global Defaults,Глобални Дефаултс
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Пројекат Сарадња Позив
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Пројекат Сарадња Позив
DocType: Salary Slip,Deductions,Одбици
DocType: Leave Allocation,LAL/,ЛАЛ /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,старт Година
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},Прве 2 цифре ГСТИН треба да одговара државном бројем {0}
DocType: Purchase Invoice,Start date of current invoice's period,Почетак датум периода текуће фактуре за
DocType: Salary Slip,Leave Without Pay,Оставите Без плате
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Капацитет Планирање Грешка
,Trial Balance for Party,Претресно Разлика за странке
DocType: Lead,Consultant,Консултант
DocType: Salary Slip,Earnings,Зарада
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Завршио артикла {0} мора бити унета за тип Производња улазак
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Завршио артикла {0} мора бити унета за тип Производња улазак
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Отварање рачуноводства Стање
+,GST Sales Register,ПДВ продаје Регистрација
DocType: Sales Invoice Advance,Sales Invoice Advance,Продаја Рачун Адванце
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Ништа се захтевати
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Још једна буџета запис '{0}' већ постоји против {1} {2} 'за фискалну годину {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',"""Стварни датум почетка"" не може бити већи од ""Стварни датум завршетка"""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,управљање
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,управљање
DocType: Cheque Print Template,Payer Settings,обвезник Подешавања
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Ово ће бити прикључена на Кодекса тачка на варијанте. На пример, ако је ваш скраћеница је ""СМ"", а код ставка је ""МАЈИЦА"", ставка код варијанте ће бити ""МАЈИЦА-СМ"""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Нето плата (у речи) ће бити видљив када сачувате Слип плату.
@@ -1209,8 +1216,8 @@
DocType: Employee Loan,Partially Disbursed,Делимично Додељено
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Снабдевач базе података.
DocType: Account,Balance Sheet,баланс
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Цост Центер За ставку са Код товара '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Режим плаћања није подешен. Молимо вас да проверите, да ли налог је постављен на начину плаћања или на ПОС профил."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Цост Центер За ставку са Код товара '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Режим плаћања није подешен. Молимо вас да проверите, да ли налог је постављен на начину плаћања или на ПОС профил."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Ваша особа продаја ће добити подсетник на овај датум да се контактира купца
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Исто ставка не може се уписати више пута.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Даље рачуни могу бити у групама, али уноса можете извршити над несрпским групама"
@@ -1218,7 +1225,7 @@
DocType: Email Digest,Payables,Обавезе
DocType: Course,Course Intro,Наравно Увод
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Стоцк Ступање {0} је направљена
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ред # {0}: Одбијен количина не може се уписати у откупу Повратак
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ред # {0}: Одбијен количина не може се уписати у откупу Повратак
,Purchase Order Items To Be Billed,Налог за куповину артикала буду наплаћени
DocType: Purchase Invoice Item,Net Rate,Нето курс
DocType: Purchase Invoice Item,Purchase Invoice Item,Фактури Итем
@@ -1245,7 +1252,7 @@
DocType: Sales Order,SO-,ТАКО-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,"Пожалуйста, выберите префикс первым"
DocType: Employee,O-,О-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,истраживање
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,истраживање
DocType: Maintenance Visit Purpose,Work Done,Рад Доне
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Наведите бар један атрибут у табели Атрибутима
DocType: Announcement,All Students,Сви студенти
@@ -1253,17 +1260,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Погледај Леџер
DocType: Grading Scale,Intervals,интервали
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Најраније
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Пункт Группа существует с тем же именем , пожалуйста, измените имя элемента или переименовать группу товаров"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Студент Мобилни број
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Остальной мир
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Пункт Группа существует с тем же именем , пожалуйста, измените имя элемента или переименовать группу товаров"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Студент Мобилни број
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Остальной мир
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Ставка {0} не може имати Батцх
,Budget Variance Report,Буџет Разлика извештај
DocType: Salary Slip,Gross Pay,Бруто Паи
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Ред {0}: Тип активност је обавезна.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Исплаћене дивиденде
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Исплаћене дивиденде
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Књиговодство Леџер
DocType: Stock Reconciliation,Difference Amount,Разлика Износ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Нераспоређене добити
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Нераспоређене добити
DocType: Vehicle Log,Service Detail,сервис Детаљ
DocType: BOM,Item Description,Ставка Опис
DocType: Student Sibling,Student Sibling,студент Сиблинг
@@ -1278,11 +1285,11 @@
DocType: Opportunity Item,Opportunity Item,Прилика шифра
,Student and Guardian Contact Details,Студент и Гуардиан контакт детаљи
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Ред {0}: За добављача {0} е-маил адреса је дужан да пошаље е-маил
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Привремени Отварање
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Привремени Отварање
,Employee Leave Balance,Запослени одсуство Биланс
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Весы для счета {0} должен быть всегда {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Процена курс потребно за предмета на ред {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Пример: Мастерс ин Цомпутер Сциенце
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Пример: Мастерс ин Цомпутер Сциенце
DocType: Purchase Invoice,Rejected Warehouse,Одбијен Магацин
DocType: GL Entry,Against Voucher,Против ваучер
DocType: Item,Default Buying Cost Center,По умолчанию Покупка МВЗ
@@ -1295,31 +1302,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Гет неплаћене рачуне
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Заказ на продажу {0} не является допустимым
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Наруџбенице помоћи да планирате и праћење куповина
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Жао нам је , компаније не могу да се споје"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Жао нам је , компаније не могу да се споје"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",Укупна количина Издање / трансфер {0} у Индустријска Захтев {1} \ не може бити већа од тражене количине {2} за тачка {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Мали
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Мали
DocType: Employee,Employee Number,Запослени Број
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Случай Нет (ы) уже используется. Попробуйте из дела № {0}
DocType: Project,% Completed,Завршено %
,Invoiced Amount (Exculsive Tax),Износ фактуре ( Екцулсиве Пореска )
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Тачка 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Глава счета {0} создан
DocType: Supplier,SUPP-,сузбијања кору
DocType: Training Event,Training Event,тренинг догађај
DocType: Item,Auto re-order,Ауто поново реда
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Укупно Постигнута
DocType: Employee,Place of Issue,Место издавања
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,уговор
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,уговор
DocType: Email Digest,Add Quote,Додај Куоте
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},УОМ цоверсион фактор потребан за УЦГ: {0} тачке: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,косвенные расходы
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},УОМ цоверсион фактор потребан за УЦГ: {0} тачке: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,косвенные расходы
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Ред {0}: Кол је обавезно
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,пољопривреда
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Синц мастер података
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Ваши производи или услуге
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Синц мастер података
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Ваши производи или услуге
DocType: Mode of Payment,Mode of Payment,Начин плаћања
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Сајт Слика треба да буде јавни фајл или УРЛ веб-сајта
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Сајт Слика треба да буде јавни фајл или УРЛ веб-сајта
DocType: Student Applicant,AP,АП
DocType: Purchase Invoice Item,BOM,БОМ
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,То јекорен ставка група и не може се мењати .
@@ -1328,17 +1334,17 @@
DocType: Warehouse,Warehouse Contact Info,Магацин Контакт Инфо
DocType: Payment Entry,Write Off Difference Amount,Отпис Дифференце Износ
DocType: Purchase Invoice,Recurring Type,Понављајући Тип
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: е запослених није пронађен, стога емаил није послата"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: е запослених није пронађен, стога емаил није послата"
DocType: Item,Foreign Trade Details,Спољнотрговинска Детаљи
DocType: Email Digest,Annual Income,Годишњи приход
DocType: Serial No,Serial No Details,Серијска Нема детаља
DocType: Purchase Invoice Item,Item Tax Rate,Ставка Пореска стопа
DocType: Student Group Student,Group Roll Number,"Група Ролл, број"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","За {0}, само кредитне рачуни могу бити повезани против неке друге ставке дебитне"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Збир свих радних тегова треба да буде 1. Подесите тежине свих задатака пројекта у складу са тим
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Доставка Примечание {0} не представлено
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Пункт {0} должен быть Субдоговорная Пункт
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Капитальные оборудование
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Збир свих радних тегова треба да буде 1. Подесите тежине свих задатака пројекта у складу са тим
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Доставка Примечание {0} не представлено
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Пункт {0} должен быть Субдоговорная Пункт
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Капитальные оборудование
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Правилник о ценама је први изабран на основу 'Примени на ""терену, који могу бити артикла, шифра групе или Марка."
DocType: Hub Settings,Seller Website,Продавац Сајт
DocType: Item,ITEM-,Артикл-
@@ -1356,7 +1362,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Там может быть только один Правило Начальные с 0 или пустое значение для "" To Размер """
DocType: Authorization Rule,Transaction,Трансакција
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Примечание: Эта МВЗ является Группа . Невозможно сделать бухгалтерские проводки против групп .
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,Дете складиште постоји за тог складишта. Ви не можете да избришете ову складиште.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Дете складиште постоји за тог складишта. Ви не можете да избришете ову складиште.
DocType: Item,Website Item Groups,Сајт Итем Групе
DocType: Purchase Invoice,Total (Company Currency),Укупно (Фирма валута)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Серийный номер {0} вошли более одного раза
@@ -1366,7 +1372,7 @@
DocType: Grading Scale Interval,Grade Code,граде код
DocType: POS Item Group,POS Item Group,ПОС Тачка Група
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Емаил Дигест:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},БОМ {0} не припада тачком {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},БОМ {0} не припада тачком {1}
DocType: Sales Partner,Target Distribution,Циљна Дистрибуција
DocType: Salary Slip,Bank Account No.,Банковни рачун бр
DocType: Naming Series,This is the number of the last created transaction with this prefix,То је број последње створеног трансакције са овим префиксом
@@ -1377,12 +1383,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Књига имовине Амортизација Ступање Аутоматски
DocType: BOM Operation,Workstation,Воркстатион
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Захтев за понуду добављача
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,аппаратные средства
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,аппаратные средства
DocType: Sales Order,Recurring Upto,понављајући Упто
DocType: Attendance,HR Manager,ХР Менаџер
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Изаберите Цомпани
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Привилегированный Оставить
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Изаберите Цомпани
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Привилегированный Оставить
DocType: Purchase Invoice,Supplier Invoice Date,Датум фактуре добављача
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,по
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Потребно је да омогућите Корпа
DocType: Payment Entry,Writeoff,Отписати
DocType: Appraisal Template Goal,Appraisal Template Goal,Процена Шаблон Гол
@@ -1393,10 +1400,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Перекрытие условия найдено между :
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Против часопису Ступање {0} је већ прилагођен против неког другог ваучера
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Укупна вредност поруџбине
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,еда
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,еда
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Старење Опсег 3
DocType: Maintenance Schedule Item,No of Visits,Број посета
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,марк Похађани
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,марк Похађани
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Распоред одржавања {0} постоји од {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,Уписивање student
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Валута затварања рачуна мора да буде {0}
@@ -1410,6 +1417,7 @@
DocType: Rename Tool,Utilities,Комуналне услуге
DocType: Purchase Invoice Item,Accounting,Рачуноводство
DocType: Employee,EMP/,ЕБ /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Молимо одаберите серије за дозирано ставку
DocType: Asset,Depreciation Schedules,Амортизација Распоред
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Период примене не може бити изван одсуство расподела Период
DocType: Activity Cost,Projects,Пројекти
@@ -1423,6 +1431,7 @@
DocType: POS Profile,Campaign,Кампања
DocType: Supplier,Name and Type,Име и тип
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Состояние утверждения должны быть ""Одобрено"" или "" Отклонено """
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,боотстрап
DocType: Purchase Invoice,Contact Person,Контакт особа
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"""Очекивани датум почетка"" не може бити већи од ""Очекивани датум завршетка"""
DocType: Course Scheduling Tool,Course End Date,Наравно Датум завршетка
@@ -1430,12 +1439,11 @@
DocType: Sales Order Item,Planned Quantity,Планирана количина
DocType: Purchase Invoice Item,Item Tax Amount,Ставка Износ пореза
DocType: Item,Maintain Stock,Одржавајте Стоцк
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Сток уноси већ створене за производно Реда
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Сток уноси већ створене за производно Реда
DocType: Employee,Prefered Email,преферед Е-маил
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Нето промена у основном средству
DocType: Leave Control Panel,Leave blank if considered for all designations,Оставите празно ако се сматра за све ознакама
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Магацин је обавезна за регистроване групе рачуна типа Стоцк
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Начисление типа «Актуальные ' в строке {0} не могут быть включены в пункт Оценить
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Начисление типа «Актуальные ' в строке {0} не могут быть включены в пункт Оценить
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Мак: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Од датетиме
DocType: Email Digest,For Company,За компаније
@@ -1445,15 +1453,15 @@
DocType: Sales Invoice,Shipping Address Name,Достава Адреса Име
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Контни
DocType: Material Request,Terms and Conditions Content,Услови коришћења садржаја
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,не може бити већи од 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Пункт {0} не является акционерным Пункт
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,не може бити већи од 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Пункт {0} не является акционерным Пункт
DocType: Maintenance Visit,Unscheduled,Неплански
DocType: Employee,Owned,Овнед
DocType: Salary Detail,Depends on Leave Without Pay,Зависи оставити без Паи
DocType: Pricing Rule,"Higher the number, higher the priority","Виши број, већи приоритет"
,Purchase Invoice Trends,Фактури Трендови
DocType: Employee,Better Prospects,Бољи изгледи
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Ред # {0}: Шаржа {1} има само {2} Кти. Молимо одаберите другу групу која има {3} Кти Аваилабле или поделити ред у више редова, да испоручи / проблема из више серија"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Ред # {0}: Шаржа {1} има само {2} Кти. Молимо одаберите другу групу која има {3} Кти Аваилабле или поделити ред у више редова, да испоручи / проблема из више серија"
DocType: Vehicle,License Plate,Регистарске таблице
DocType: Appraisal,Goals,Циљеви
DocType: Warranty Claim,Warranty / AMC Status,Гаранција / АМЦ статус
@@ -1464,7 +1472,8 @@
,Batch-Wise Balance History,Групно-Висе Стање Историја
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,поставке за штампање ажуриран у одговарајућем формату за штампање
DocType: Package Code,Package Code,пакет код
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,шегрт
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,шегрт
+DocType: Purchase Invoice,Company GSTIN,kompanija ГСТИН
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Негативна Количина није дозвољено
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","Пореска детаљ сто учитани из тачка мајстора у виду стринг и складиште у овој области.
@@ -1472,12 +1481,12 @@
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Запослени не може пријавити за себе.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Аконалог је замрзнут , уноси могу да ограничене корисницима ."
DocType: Email Digest,Bank Balance,Стање на рачуну
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Књиговодство Ступање на {0}: {1} може се вршити само у валути: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Књиговодство Ступање на {0}: {1} може се вршити само у валути: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Профиль работы , квалификация , необходимые т.д."
DocType: Journal Entry Account,Account Balance,Рачун Биланс
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Пореска Правило за трансакције.
DocType: Rename Tool,Type of document to rename.,Врста документа да преименујете.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Купујемо ову ставку
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Купујемо ову ставку
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Купац је обавезан против Потраживања обзир {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Укупни порези и таксе (Друштво валута)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Схов П & Л стања унцлосед фискалну годину
@@ -1488,29 +1497,30 @@
DocType: Stock Entry,Total Additional Costs,Укупно Додатни трошкови
DocType: Course Schedule,SH,СХ
DocType: BOM,Scrap Material Cost(Company Currency),Отпадног материјала Трошкови (Фирма валута)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Sub сборки
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Sub сборки
DocType: Asset,Asset Name,Назив дела
DocType: Project,Task Weight,zadatak Тежина
DocType: Shipping Rule Condition,To Value,Да вредност
DocType: Asset Movement,Stock Manager,Сток директор
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Источник склад является обязательным для ряда {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Паковање Слип
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,аренда площади для офиса
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Источник склад является обязательным для ряда {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Паковање Слип
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,аренда площади для офиса
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Подешавање Подешавања СМС Гатеваи
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Увоз није успело !
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Адреса додао.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Адреса додао.
DocType: Workstation Working Hour,Workstation Working Hour,Воркстатион радни сат
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,аналитичар
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,аналитичар
DocType: Item,Inventory,Инвентар
DocType: Item,Sales Details,Детаљи продаје
DocType: Quality Inspection,QI-,КИ-
DocType: Opportunity,With Items,Са ставкама
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,У Кол
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,У Кол
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Потврди уписани курс за студенте у Студентском Групе
DocType: Notification Control,Expense Claim Rejected,Расходи потраживање Одбијен
DocType: Item,Item Attribute,Итем Атрибут
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,правительство
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,правительство
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Расход Захтев {0} већ постоји за Дневник возила
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Институт Име
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Институт Име
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,Молимо Вас да унесете отплате Износ
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Ставка Варијанте
DocType: Company,Services,Услуге
@@ -1520,18 +1530,18 @@
DocType: Sales Invoice,Source,Извор
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,схов затворено
DocType: Leave Type,Is Leave Without Pay,Да ли је Оставите без плате
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Средство Категорија је обавезна за фиксне тачке средстава
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Средство Категорија је обавезна за фиксне тачке средстава
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Нема резултата у табели плаћања записи
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Ова {0} је у супротности са {1} за {2} {3}
DocType: Student Attendance Tool,Students HTML,Студенти ХТМЛ-
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Финансовый год Дата начала
DocType: POS Profile,Apply Discount,Примени попуст
+DocType: Purchase Invoice Item,GST HSN Code,ПДВ ХСН код
DocType: Employee External Work History,Total Experience,Укупно Искуство
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Опен Пројекти
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Упаковочный лист (ы) отменяется
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Новчани ток од Инвестирање
DocType: Program Course,Program Course,програм предмета
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Грузовые и экспедиторские Сборы
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Грузовые и экспедиторские Сборы
DocType: Homepage,Company Tagline for website homepage,Компанија Таглине за интернет страницама
DocType: Item Group,Item Group Name,Ставка Назив групе
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Такен
@@ -1541,6 +1551,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,створити Леадс
DocType: Maintenance Schedule,Schedules,Распореди
DocType: Purchase Invoice Item,Net Amount,Нето износ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} није поднет тако да акција не може бити завршен
DocType: Purchase Order Item Supplied,BOM Detail No,БОМ Детаљ Нема
DocType: Landed Cost Voucher,Additional Charges,Додатни трошкови
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Додатне Износ попуста (Фирма валута)
@@ -1556,6 +1567,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Месечна отплата Износ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,Молимо поставите Усер ИД поље у запису запослених за постављање Емплоиее Роле
DocType: UOM,UOM Name,УОМ Име
+DocType: GST HSN Code,HSN Code,ХСН код
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Допринос Износ
DocType: Purchase Invoice,Shipping Address,Адреса испоруке
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Овај алат помаже вам да ажурирају и поправити количину и вредновање складишту у систему. Обично се користи за синхронизацију вредности система и шта заправо постоји у вашим складиштима.
@@ -1566,18 +1578,17 @@
DocType: Program Enrollment Tool,Program Enrollments,program Упис
DocType: Sales Invoice Item,Brand Name,Бранд Наме
DocType: Purchase Receipt,Transporter Details,Транспортер Детаљи
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Уобичајено складиште је потребан за одабране ставке
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,коробка
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Уобичајено складиште је потребан за одабране ставке
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,коробка
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,могуће добављача
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Организација
DocType: Budget,Monthly Distribution,Месечни Дистрибуција
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"Приемник Список пуст . Пожалуйста, создайте приемник Список"
DocType: Production Plan Sales Order,Production Plan Sales Order,Производња Продаја план Наручи
DocType: Sales Partner,Sales Partner Target,Продаја Партнер Циљна
DocType: Loan Type,Maximum Loan Amount,Максимални износ кредита
DocType: Pricing Rule,Pricing Rule,Цены Правило
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Дупликат Д број за студента {0}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Дупликат Д број за студента {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Дупликат Д број за студента {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Дупликат Д број за студента {0}
DocType: Budget,Action if Annual Budget Exceeded,Акција ако Годишњи буџет Екцеедед
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Материјал захтјев за откуп Ордер
DocType: Shopping Cart Settings,Payment Success URL,Плаћање Успех УРЛ адреса
@@ -1590,11 +1601,11 @@
DocType: C-Form,III,ИИ
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Отварање Сток Стање
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} мора појавити само једном
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Није дозвољено да транфер више {0} од {1} против нарудзбенице {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Није дозвољено да транфер више {0} од {1} против нарудзбенице {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Листья Выделенные Успешно для {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Нет объектов для вьючных
DocType: Shipping Rule Condition,From Value,Од вредности
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Производња Количина је обавезно
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Производња Количина је обавезно
DocType: Employee Loan,Repayment Method,Начин отплате
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Ако је означено, Почетна страница ће бити подразумевани тачка група за сајт"
DocType: Quality Inspection Reading,Reading 4,Читање 4
@@ -1604,7 +1615,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Ред # {0}: Датум Одобрење {1} не може бити пре Чек Дате {2}
DocType: Company,Default Holiday List,Уобичајено Холидаи Лист
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Ред {0}: Од времена и доба {1} преклапа са {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Акции Обязательства
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Акции Обязательства
DocType: Purchase Invoice,Supplier Warehouse,Снабдевач Магацин
DocType: Opportunity,Contact Mobile No,Контакт Мобиле Нема
,Material Requests for which Supplier Quotations are not created,Материјални Захтеви за који Супплиер Цитати нису створени
@@ -1615,35 +1626,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Направи понуду
apps/erpnext/erpnext/config/selling.py +216,Other Reports,Остали извештаји
DocType: Dependent Task,Dependent Task,Зависна Задатак
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Коэффициент пересчета для дефолтного Единица измерения должна быть 1 в строке {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Коэффициент пересчета для дефолтного Единица измерения должна быть 1 в строке {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},"Оставить типа {0} не может быть больше, чем {1}"
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Покушајте планирање операција за Кс дана унапред.
DocType: HR Settings,Stop Birthday Reminders,Стани Рођендан Подсетници
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Молимо поставите Дефаулт Паиролл Паиабле рачун у компанији {0}
DocType: SMS Center,Receiver List,Пријемник Листа
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Тражи артикла
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Тражи артикла
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Цонсумед Износ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Нето промена на пари
DocType: Assessment Plan,Grading Scale,скала оцењивања
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Единица измерения {0} был введен более чем один раз в таблицу преобразования Factor
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Единица измерения {0} был введен более чем один раз в таблицу преобразования Factor
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,већ завршено
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Стоцк Ин Ханд
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Плаћање Захтјев већ постоји {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Трошкови издатих ставки
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Количина не сме бити више од {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Претходној финансијској години није затворена
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Старост (Дани)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Старост (Дани)
DocType: Quotation Item,Quotation Item,Понуда шифра
+DocType: Customer,Customer POS Id,Кориснички ПОС-ИД
DocType: Account,Account Name,Име налога
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Од датума не може бити већа него до сада
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Серийный номер {0} количество {1} не может быть фракция
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Тип Поставщик мастер .
DocType: Purchase Order Item,Supplier Part Number,Снабдевач Број дела
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Коэффициент конверсии не может быть 0 или 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Коэффициент конверсии не может быть 0 или 1
DocType: Sales Invoice,Reference Document,Ознака документа
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} отказан или заустављен
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} отказан или заустављен
DocType: Accounts Settings,Credit Controller,Кредитни контролер
DocType: Delivery Note,Vehicle Dispatch Date,Отпрема Возила Датум
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Покупка Получение {0} не представлено
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Покупка Получение {0} не представлено
DocType: Company,Default Payable Account,Уобичајено оплате рачуна
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Подешавања за онлине куповину као што су испоруке правила, ценовник итд"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% Приходована
@@ -1662,11 +1675,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Укупан износ рефундирају
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Ово је засновано на трупаца против овог возила. Погледајте рок доле за детаље
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,прикупити
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Против добављача Фактура {0} {1} од
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Против добављача Фактура {0} {1} од
DocType: Customer,Default Price List,Уобичајено Ценовник
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Кретање средство запис {0} је направљена
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Ви не можете брисати Фискална година {0}. Фискална {0} Година је постављен као подразумевани у глобалним поставкама
DocType: Journal Entry,Entry Type,Ступање Тип
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Нема плана процене повезан са овом групом процене
,Customer Credit Balance,Кориснички кредитни биланс
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Нето промена у потрашивањима
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',"Клиент требуется для "" Customerwise Скидка """
@@ -1675,7 +1689,7 @@
DocType: Quotation,Term Details,Орочена Детаљи
DocType: Project,Total Sales Cost (via Sales Order),Укупна продаја трошкова (преко Салес Ордер)
DocType: Project,Total Sales Cost (via Sales Order),Укупна продаја трошкова (преко Салес Ордер)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Не могу уписати више од {0} студенте за ову студентској групи.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Не могу уписати више од {0} студенте за ову студентској групи.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,olovo Точка
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,olovo Точка
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} мора бити већи од 0
@@ -1698,7 +1712,7 @@
DocType: Sales Invoice,Packed Items,Пакују артикала
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Гаранција Тужба против серијским бројем
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Замените одређену БОМ у свим осталим саставница у којима се користи. Она ће заменити стару БОМ везу, упдате трошкове и регенерише ""БОМ Експлозија итем"" табелу по новом БОМ"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Укупно'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Укупно'
DocType: Shopping Cart Settings,Enable Shopping Cart,Омогући Корпа
DocType: Employee,Permanent Address,Стална адреса
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1714,9 +1728,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,Наведите било Количина или вредновања оцену или обоје
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,испуњење
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Погледај у корпу
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Маркетинговые расходы
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Маркетинговые расходы
,Item Shortage Report,Ставка о несташици извештај
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Тежина се спомиње, \n Молимо вас да се позовете на ""Тежина УОМ"" превише"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Тежина се спомиње, \n Молимо вас да се позовете на ""Тежина УОМ"" превише"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Материјал Захтев се користи да би овај унос Стоцк
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Следећа Амортизација Датум је обавезан за инвестицију
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Одвојени базирана Група наравно за сваку серију
@@ -1725,17 +1739,18 @@
,Student Fee Collection,Студент Накнада Колекција
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Направите Рачуноводство унос за сваки Стоцк Покрета
DocType: Leave Allocation,Total Leaves Allocated,Укупно Лишће Издвојена
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Магацин потребно на Ров Но {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Молимо Вас да унесете важи финансијске године датум почетка
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Магацин потребно на Ров Но {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Молимо Вас да унесете важи финансијске године датум почетка
DocType: Employee,Date Of Retirement,Датум одласка у пензију
DocType: Upload Attendance,Get Template,Гет шаблона
+DocType: Material Request,Transferred,пренети
DocType: Vehicle,Doors,vrata
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ЕРПНект Подешавање Комплетна!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ЕРПНект Подешавање Комплетна!
DocType: Course Assessment Criteria,Weightage,Веигхтаге
DocType: Packing Slip,PS-,ПС-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Трошкови Центар је потребно за "добит и губитак" налога {2}. Молимо Вас да оснује центар трошкова подразумевани за компаније.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Группа клиентов существует с тем же именем , пожалуйста изменить имя клиентов или переименовать группу клиентов"
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Нови контакт
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Группа клиентов существует с тем же именем , пожалуйста изменить имя клиентов или переименовать группу клиентов"
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Нови контакт
DocType: Territory,Parent Territory,Родитељ Територија
DocType: Quality Inspection Reading,Reading 2,Читање 2
DocType: Stock Entry,Material Receipt,Материјал Пријем
@@ -1744,17 +1759,16 @@
DocType: Employee,AB+,АБ +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Ако ова ставка има варијанте, онда не може бити изабран у налозима продаје итд"
DocType: Lead,Next Contact By,Следеће Контакт По
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Кол-во для Пункт {0} в строке {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},Магацин {0} не може бити обрисан јер постоји количина за Ставку {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Кол-во для Пункт {0} в строке {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Магацин {0} не може бити обрисан јер постоји количина за Ставку {1}
DocType: Quotation,Order Type,Врста поруџбине
DocType: Purchase Invoice,Notification Email Address,Обавештење е-маил адреса
,Item-wise Sales Register,Предмет продаје-мудре Регистрација
DocType: Asset,Gross Purchase Amount,Бруто Куповина Количина
DocType: Asset,Depreciation Method,Амортизација Метод
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,оффлине
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,оффлине
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Да ли је то такса у Основном Рате?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Укупно Циљна
-DocType: Program Course,Required,потребан
DocType: Job Applicant,Applicant for a Job,Подносилац захтева за посао
DocType: Production Plan Material Request,Production Plan Material Request,Производња план Материјал Упит
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,"Нет Производственные заказы , созданные"
@@ -1764,17 +1778,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Дозволите више продајних налога против нарудзбенице купац је
DocType: Student Group Instructor,Student Group Instructor,Студент Група Инструктор
DocType: Student Group Instructor,Student Group Instructor,Студент Група Инструктор
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Гуардиан2 Мобилни број
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,основной
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Гуардиан2 Мобилни број
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,основной
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Варијанта
DocType: Naming Series,Set prefix for numbering series on your transactions,Сет префикс за нумерисање серију на својим трансакцијама
DocType: Employee Attendance Tool,Employees HTML,zaposleni ХТМЛ
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Уобичајено БОМ ({0}) мора бити активан за ову ставку или његовог шаблон
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Уобичајено БОМ ({0}) мора бити активан за ову ставку или његовог шаблон
DocType: Employee,Leave Encashed?,Оставите Енцасхед?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Прилика Од пољу је обавезна
DocType: Email Digest,Annual Expenses,Годишњи трошкови
DocType: Item,Variants,Варијанте
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Маке наруџбенице
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Маке наруџбенице
DocType: SMS Center,Send To,Пошаљи
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Существует не хватает отпуск баланс для отпуске Тип {0}
DocType: Payment Reconciliation Payment,Allocated amount,Додијељени износ
@@ -1790,26 +1804,25 @@
DocType: Item,Serial Nos and Batches,Сериал Нос анд Пакети
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Студент Група Снага
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Студент Група Снага
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Против часопису Ступање {0} нема никакву премца {1} улазак
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Против часопису Ступање {0} нема никакву премца {1} улазак
apps/erpnext/erpnext/config/hr.py +137,Appraisals,аппраисалс
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Дубликат Серийный номер вводится для Пункт {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Услов за владавину Схиппинг
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Унесите
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Не могу да овербилл за тачком {0} у реду {1} више од {2}. Да би се омогућило над-наплате, молимо вас да поставите у Буиинг Сеттингс"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Молимо поставите филтер на основу тачке или Варехоусе
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Не могу да овербилл за тачком {0} у реду {1} више од {2}. Да би се омогућило над-наплате, молимо вас да поставите у Буиинг Сеттингс"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Молимо поставите филтер на основу тачке или Варехоусе
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Нето тежина овог пакета. (Израчунава аутоматски као збир нето тежине предмета)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Молимо Вас да отворите налог за то складиште и повезати га. То се не може аутоматски обавља као налог са именом {0} већ постоји
DocType: Sales Order,To Deliver and Bill,Да достави и Билл
DocType: Student Group,Instructors,instruktori
DocType: GL Entry,Credit Amount in Account Currency,Износ кредита на рачуну валути
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,БОМ {0} мора да се поднесе
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,БОМ {0} мора да се поднесе
DocType: Authorization Control,Authorization Control,Овлашћење за контролу
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ред # {0}: Одбијен Складиште је обавезна против одбијен тачком {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ред # {0}: Одбијен Складиште је обавезна против одбијен тачком {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Плаћање
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Магацин {0} није повезан на било који рачун, молимо вас да поменете рачун у складиште записник или сет налог подразумевани инвентара у компанији {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Организујте своје налоге
DocType: Production Order Operation,Actual Time and Cost,Тренутно време и трошак
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Материал Запрос максимума {0} могут быть сделаны для Пункт {1} против Заказ на продажу {2}
-DocType: Employee,Salutation,Поздрав
DocType: Course,Course Abbreviation,Наравно држава
DocType: Student Leave Application,Student Leave Application,Студент одсуство примене
DocType: Item,Will also apply for variants,Ће конкурисати и за варијанте
@@ -1821,12 +1834,12 @@
DocType: Quotation Item,Actual Qty,Стварна Кол
DocType: Sales Invoice Item,References,Референце
DocType: Quality Inspection Reading,Reading 10,Читање 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",Наведите своје производе или услуге које купују или продају .
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",Наведите своје производе или услуге које купују или продају .
DocType: Hub Settings,Hub Node,Хуб Ноде
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Унели дупликате . Молимо исправи и покушајте поново .
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,помоћник
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,помоћник
DocType: Asset Movement,Asset Movement,средство покрет
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,Нова корпа
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Нова корпа
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Пункт {0} не сериализованным Пункт
DocType: SMS Center,Create Receiver List,Направите листу пријемника
DocType: Vehicle,Wheels,Точкови
@@ -1846,19 +1859,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Можете обратиться строку , только если тип заряда «О Предыдущая сумма Row » или « Предыдущая Row Всего"""
DocType: Sales Order Item,Delivery Warehouse,Испорука Складиште
DocType: SMS Settings,Message Parameter,Порука Параметар
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Дрво центара финансијске трошкове.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Дрво центара финансијске трошкове.
DocType: Serial No,Delivery Document No,Достава докумената Нема
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Молимо поставите 'добитак / губитак налог на средства располагања "у компанији {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Гет ставки од куповине Примања
DocType: Serial No,Creation Date,Датум регистрације
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Пункт {0} несколько раз появляется в прайс-лист {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Продаја се мора проверити, ако је применљиво Јер је изабрана као {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Продаја се мора проверити, ако је применљиво Јер је изабрана као {0}"
DocType: Production Plan Material Request,Material Request Date,Материјал Датум захтева
DocType: Purchase Order Item,Supplier Quotation Item,Снабдевач Понуда шифра
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Онемогућава стварање временских трупаца против производних налога. Операције неће бити праћени против Продуцтион Ордер
DocType: Student,Student Mobile Number,Студент Број мобилног телефона
DocType: Item,Has Variants,Хас Варијанте
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Који сте изабрали ставке из {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Који сте изабрали ставке из {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Назив мјесечни
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Батцх ИД је обавезна
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Батцх ИД је обавезна
@@ -1869,12 +1882,12 @@
DocType: Budget,Fiscal Year,Фискална година
DocType: Vehicle Log,Fuel Price,Гориво Цена
DocType: Budget,Budget,Буџет
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Основних средстава тачка мора бити нон-лагеру предмета.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Основних средстава тачка мора бити нон-лагеру предмета.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Буџет не може се одредити према {0}, јер то није прихода или расхода рачун"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Постигнута
DocType: Student Admission,Application Form Route,Образац за пријаву Рута
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Територија / Кориснички
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,например 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,например 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Оставите Тип {0} не може бити додељена јер је оставити без плате
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Ред {0}: Додељени износ {1} мора бити мања или једнака фактурише изузетну количину {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,У речи ће бити видљив када сачувате продаје фактуру.
@@ -1883,7 +1896,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Пункт {0} не установка для мастера серийные номера Проверить товара
DocType: Maintenance Visit,Maintenance Time,Одржавање време
,Amount to Deliver,Износ на Избави
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Продукт или сервис
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Продукт или сервис
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Рок Датум почетка не може бити раније него годину дана датум почетка академске године на коју се израз је везан (академска година {}). Молимо исправите датуме и покушајте поново.
DocType: Guardian,Guardian Interests,Гуардиан Интереси
DocType: Naming Series,Current Value,Тренутна вредност
@@ -1897,12 +1910,12 @@
must be greater than or equal to {2}","Ров {0}: За подешавање {1} периодичност, разлика између од и до данас \ мора бити већи или једнак {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Ово је засновано на складе кретању. Погледајте {0} за детаље
DocType: Pricing Rule,Selling,Продаја
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Износ {0} {1} одузима од {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Износ {0} {1} одузима од {2}
DocType: Employee,Salary Information,Плата Информација
DocType: Sales Person,Name and Employee ID,Име и број запослених
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,"Впритык не может быть , прежде чем отправлять Дата"
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,"Впритык не может быть , прежде чем отправлять Дата"
DocType: Website Item Group,Website Item Group,Сајт тачка Група
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Пошлины и налоги
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Пошлины и налоги
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,"Пожалуйста, введите дату Ссылка"
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} уноса плаћања не може да се филтрира од {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,Табела за ставку која ће бити приказана у веб сајта
@@ -1919,9 +1932,9 @@
DocType: Payment Reconciliation Payment,Reference Row,референце Ред
DocType: Installation Note,Installation Time,Инсталација време
DocType: Sales Invoice,Accounting Details,Књиговодство Детаљи
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Обриши све трансакције за ову компанију
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Ров # {0}: Операција {1} није завршен за {2} кти готових производа у производњи заказа # {3}. Плеасе упдате статус операције преко временском дневнику
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,инвестиции
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Обриши све трансакције за ову компанију
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Ров # {0}: Операција {1} није завршен за {2} кти готових производа у производњи заказа # {3}. Плеасе упдате статус операције преко временском дневнику
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,инвестиции
DocType: Issue,Resolution Details,Резолуција Детаљи
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,издвајања
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Критеријуми за пријем
@@ -1946,7 +1959,7 @@
DocType: Room,Room Name,роом Име
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Оставите се не може применити / отказана пре {0}, као одсуство стање је већ Царри-прослеђен у будућем расподеле одсуство записника {1}"
DocType: Activity Cost,Costing Rate,Кошта курс
-,Customer Addresses And Contacts,Кориснички Адресе и контакти
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Кориснички Адресе и контакти
,Campaign Efficiency,kampanja Ефикасност
,Campaign Efficiency,kampanja Ефикасност
DocType: Discussion,Discussion,дискусија
@@ -1958,14 +1971,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Укупно Износ обрачуна (преко Тиме Схеет)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Поновите Кориснички Приход
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) мора имати улогу 'Екпенсе одобраватељ'
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,пара
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Изабери БОМ и Кти за производњу
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,пара
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Изабери БОМ и Кти за производњу
DocType: Asset,Depreciation Schedule,Амортизација Распоред
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Продаја Партнер адресе и контакт
DocType: Bank Reconciliation Detail,Against Account,Против налога
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Пола Дан Датум треба да буде између Од датума и до данас
DocType: Maintenance Schedule Detail,Actual Date,Стварни датум
DocType: Item,Has Batch No,Има Батцх Нема
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Годишња плаћања: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Годишња плаћања: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Роба и услуга Порез (ПДВ Индија)
DocType: Delivery Note,Excise Page Number,Акцизе Број странице
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Компанија, Од датума и до данас је обавезно"
DocType: Asset,Purchase Date,Датум куповине
@@ -1973,11 +1988,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Молимо поставите 'Ассет Амортизација Набавна центар "у компанији {0}
,Maintenance Schedules,Планове одржавања
DocType: Task,Actual End Date (via Time Sheet),Стварна Датум завршетка (преко Тиме Схеет)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Износ {0} {1} против {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Износ {0} {1} против {2} {3}
,Quotation Trends,Котировочные тенденции
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Ставка група не помиње у тачки мајстор за ставку {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Дебитна Да рачуну мора бити потраживања рачун
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Ставка група не помиње у тачки мајстор за ставку {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Дебитна Да рачуну мора бити потраживања рачун
DocType: Shipping Rule Condition,Shipping Amount,Достава Износ
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Додај Купци
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Чека Износ
DocType: Purchase Invoice Item,Conversion Factor,Конверзија Фактор
DocType: Purchase Order,Delivered,Испоручено
@@ -1987,7 +2003,8 @@
DocType: Purchase Receipt,Vehicle Number,Број возила
DocType: Purchase Invoice,The date on which recurring invoice will be stop,Датум на који се понавља фактура ће бити зауставити
DocType: Employee Loan,Loan Amount,Износ позајмице
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Ред {0}: Билл оф Материалс није пронађена за тачком {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Селф-Дривинг возила
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Ред {0}: Билл оф Материалс није пронађена за тачком {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Укупно издвојена лишће {0} не може бити мањи од већ одобрених лишћа {1} за период
DocType: Journal Entry,Accounts Receivable,Потраживања
,Supplier-Wise Sales Analytics,Добављач - Висе Салес Аналитика
@@ -2005,22 +2022,21 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Расходи Тужба се чека на одобрење . СамоРасходи одобраватељ да ажурирате статус .
DocType: Email Digest,New Expenses,Нове Трошкови
DocType: Purchase Invoice,Additional Discount Amount,Додатне Износ попуста
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Ред # {0}: Кол-во мора бити 1, као тачка је основна средства. Молимо вас да користите посебан ред за вишеструко Кол."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Ред # {0}: Кол-во мора бити 1, као тачка је основна средства. Молимо вас да користите посебан ред за вишеструко Кол."
DocType: Leave Block List Allow,Leave Block List Allow,Оставите листу блокираних Аллов
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Аббр не може бити празно или простор
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Аббр не може бити празно или простор
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Група не-Гроуп
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,спортски
DocType: Loan Type,Loan Name,kredit Име
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Укупно Стварна
DocType: Student Siblings,Student Siblings,Студент Браћа и сестре
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,блок
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,Молимо наведите фирму
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,блок
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Молимо наведите фирму
,Customer Acquisition and Loyalty,Кориснички Стицање и лојалности
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Магацин где се одржава залихе одбачених предмета
DocType: Production Order,Skip Material Transfer,Скип Материал Трансфер
DocType: Production Order,Skip Material Transfer,Скип Материал Трансфер
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Није могуће пронаћи курс за {0} до {1} за кључне дана {2}. Направите валута Екцханге рекорд ручно
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Ваша финансијска година се завршава
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Није могуће пронаћи курс за {0} до {1} за кључне дана {2}. Направите валута Екцханге рекорд ручно
DocType: POS Profile,Price List,Ценовник
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} теперь используется по умолчанию финансовый год . Пожалуйста, обновите страницу в браузере , чтобы изменения вступили в силу."
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Расходи Потраживања
@@ -2033,14 +2049,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Сток стање у батцх {0} ће постати негативна {1} за {2} тачком у складишту {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Следећи материјал захтеви су аутоматски подигнута на основу нивоа поновног реда ставке
DocType: Email Digest,Pending Sales Orders,У току продајних налога
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Рачун {0} је неважећа. Рачун валута мора да буде {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Рачун {0} је неважећа. Рачун валута мора да буде {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Фактор Единица измерения преобразования требуется в строке {0}
DocType: Production Plan Item,material_request_item,материал_рекуест_итем
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Ред # {0}: Референца Тип документа мора бити један од продаје реда, продаје Фактура или Јоурнал Ентри"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Ред # {0}: Референца Тип документа мора бити један од продаје реда, продаје Фактура или Јоурнал Ентри"
DocType: Salary Component,Deduction,Одузимање
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Ред {0}: Од времена и времена је обавезно.
DocType: Stock Reconciliation Item,Amount Difference,iznos Разлика
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Ставка Цена додат за {0} у ценовнику {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Ставка Цена додат за {0} у ценовнику {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Молимо Вас да унесете Ид радник ове продаје особе
DocType: Territory,Classification of Customers by region,Класификација купаца по региону
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Разлика Износ мора бити нула
@@ -2052,21 +2068,21 @@
DocType: Quotation,QTN-,КТН-
DocType: Salary Slip,Total Deduction,Укупно Одбитак
,Production Analytics,Продуцтион analitika
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Трошкови ажурирано
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Трошкови ажурирано
DocType: Employee,Date of Birth,Датум рођења
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Пункт {0} уже вернулся
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Пункт {0} уже вернулся
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**Фискална година** представља Финансијску годину. Све рачуноводствене уносе и остале главне трансакције се прате наспрам **Фискалне фодине**.
DocType: Opportunity,Customer / Lead Address,Кориснички / Олово Адреса
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Упозорење: Неважећи сертификат ССЛ на везаности {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Упозорење: Неважећи сертификат ССЛ на везаности {0}
DocType: Student Admission,Eligibility,квалификованост
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Леадс вам помоћи да посао, додати све своје контакте и још као своје трагове"
DocType: Production Order Operation,Actual Operation Time,Стварна Операција време
DocType: Authorization Rule,Applicable To (User),Важећи Да (Корисник)
DocType: Purchase Taxes and Charges,Deduct,Одбити
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Опис посла
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Опис посла
DocType: Student Applicant,Applied,примењен
DocType: Sales Invoice Item,Qty as per Stock UOM,Кол по залихама ЗОЦГ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Гуардиан2 Име
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Гуардиан2 Име
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Специјални знакови осим ""-"" ""."", ""#"", и ""/"" није дозвољено у именовању серије"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Пратите продајне акције. Пратите води, Куотатионс, продаја Ордер итд из кампање да измери повраћај инвестиције."
DocType: Expense Claim,Approver,Одобраватељ
@@ -2077,8 +2093,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Серийный номер {0} находится на гарантии ДО {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Сплит Напомена Испорука у пакетима.
apps/erpnext/erpnext/hooks.py +87,Shipments,Пошиљке
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Стање на рачуну ({0}) за {1} анд трговина вриједности ({2}) фор складиште {3} Мора бити исти
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Стање на рачуну ({0}) за {1} анд трговина вриједности ({2}) фор складиште {3} Мора бити исти
DocType: Payment Entry,Total Allocated Amount (Company Currency),Укупно додељени износ (Фирма валута)
DocType: Purchase Order Item,To be delivered to customer,Који ће бити достављен купца
DocType: BOM,Scrap Material Cost,Отпадног материјала Трошкови
@@ -2086,21 +2100,22 @@
DocType: Purchase Invoice,In Words (Company Currency),Речима (Друштво валута)
DocType: Asset,Supplier,Добављач
DocType: C-Form,Quarter,Четврт
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Прочие расходы
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Прочие расходы
DocType: Global Defaults,Default Company,Уобичајено Компанија
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Расходи или Разлика рачун је обавезно за пункт {0} , јер утиче укупна вредност залиха"
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Расходи или Разлика рачун је обавезно за пункт {0} , јер утиче укупна вредност залиха"
DocType: Payment Request,PR,ПР
DocType: Cheque Print Template,Bank Name,Име банке
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Изнад
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Изнад
DocType: Employee Loan,Employee Loan Account,Запослени кредита рачуна
DocType: Leave Application,Total Leave Days,Укупно ЛЕАВЕ Дана
DocType: Email Digest,Note: Email will not be sent to disabled users,Напомена: Е-маил неће бити послат са инвалидитетом корисницима
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Број Интерацтион
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Број Интерацтион
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Код итем> итем Група> Бренд
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Изаберите фирму ...
DocType: Leave Control Panel,Leave blank if considered for all departments,Оставите празно ако се сматра за сва одељења
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Виды занятости (постоянная , контракт, стажер и т.д. ) ."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} является обязательным для п. {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} является обязательным для п. {1}
DocType: Process Payroll,Fortnightly,четрнаестодневни
DocType: Currency Exchange,From Currency,Од валутног
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Молимо Вас да изаберете издвајају, Тип фактуре и број фактуре у атлеаст једном реду"
@@ -2123,7 +2138,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,"Пожалуйста, нажмите на кнопку "" Generate Расписание "" , чтобы получить график"
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Било је грешака приликом брисања следећих начина:
DocType: Bin,Ordered Quantity,Наручено Количина
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","например ""Build инструменты для строителей """
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","например ""Build инструменты для строителей """
DocType: Grading Scale,Grading Scale Intervals,Скала оцењивања Интервали
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Рачуноводство Улаз за {2} може се вршити само у валути: {3}
DocType: Production Order,In Process,У процесу
@@ -2138,12 +2153,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Студент Групе створио.
DocType: Sales Invoice,Total Billing Amount,Укупно обрачуна Износ
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Мора постојати подразумевани долазни е-маил налог омогућено да би ово радило. Молим вас подесити подразумевани долазне е-маил налог (ПОП / ИМАП) и покушајте поново.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Потраживања рачуна
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Ред # {0}: имовине {1} је већ {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Потраживања рачуна
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Ред # {0}: имовине {1} је већ {2}
DocType: Quotation Item,Stock Balance,Берза Биланс
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Продаја Налог за плаћања
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Молимо поставите Именовање Сериес за {0} подешавањем> Сеттингс> Именовање Сериес
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,Директор
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,Директор
DocType: Expense Claim Detail,Expense Claim Detail,Расходи потраживање Детаљ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Молимо изаберите исправан рачун
DocType: Item,Weight UOM,Тежина УОМ
@@ -2152,12 +2166,12 @@
DocType: Production Order Operation,Pending,Нерешен
DocType: Course,Course Name,Назив курса
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Корисници који могу одобри одсуство апликације у конкретној запосленог
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,оборудование офиса
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,оборудование офиса
DocType: Purchase Invoice Item,Qty,Кол
DocType: Fiscal Year,Companies,Компаније
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,електроника
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Подигните захтев залиха материјала када достигне ниво поновно наручивање
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Пуно радно време
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Пуно радно време
DocType: Salary Structure,Employees,zaposleni
DocType: Employee,Contact Details,Контакт Детаљи
DocType: C-Form,Received Date,Примљени Датум
@@ -2167,7 +2181,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Цене неће бити приказан ако Ценовник није подешен
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Наведите земљу за ову Схиппинг правило или проверите ворлдвиде схиппинг
DocType: Stock Entry,Total Incoming Value,Укупна вредност Долазни
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Дебитна Да је потребно
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Дебитна Да је потребно
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Тимесхеетс лакше пратили времена, трошкова и рачуна за АКТИВНОСТИ урадио ваш тим"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Куповина Ценовник
DocType: Offer Letter Term,Offer Term,Понуда Рок
@@ -2176,17 +2190,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Плаћање Помирење
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,"Пожалуйста, выберите имя InCharge Лица"
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,технологија
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Укупно Неплаћени: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Укупно Неплаћени: {0}
DocType: BOM Website Operation,BOM Website Operation,БОМ Сајт Операција
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Понуда Леттер
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Генеришите Захтеви материјал (МРП) и производних налога.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Укупно фактурисано Амт
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Укупно фактурисано Амт
DocType: BOM,Conversion Rate,Стопа конверзије
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Претрага производа
DocType: Timesheet Detail,To Time,За време
DocType: Authorization Rule,Approving Role (above authorized value),Одобравање улога (изнад овлашћеног вредности)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Кредит на рачун мора бити Плаћа рачун
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM рекурсия : {0} не может быть родитель или ребенок {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Кредит на рачун мора бити Плаћа рачун
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM рекурсия : {0} не может быть родитель или ребенок {2}
DocType: Production Order Operation,Completed Qty,Завршен Кол
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","За {0}, само дебитне рачуни могу бити повезани против другог кредитног уласка"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Прайс-лист {0} отключена
@@ -2198,28 +2212,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} серијски бројеви који су потребни за тачком {1}. Ви сте под условом {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Тренутни Процена курс
DocType: Item,Customer Item Codes,Кориснички кодова
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Курсне / Губитак
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Курсне / Губитак
DocType: Opportunity,Lost Reason,Лост Разлог
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Нова адреса
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Нова адреса
DocType: Quality Inspection,Sample Size,Величина узорка
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Молимо унесите документ о пријему
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Све ставке су већ фактурисано
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Све ставке су већ фактурисано
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',Наведите тачну 'Од Предмет бр'
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,"Даље трошкова центри могу да буду под групама, али уноса можете извршити над несрпским групама"
DocType: Project,External,Спољни
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Корисници и дозволе
DocType: Vehicle Log,VLOG.,ВЛОГ.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Производни Поруџбине Креирано: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Производни Поруџбине Креирано: {0}
DocType: Branch,Branch,Филијала
DocType: Guardian,Mobile Number,Број мобилног телефона
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Печать и брендинг
DocType: Bin,Actual Quantity,Стварна Количина
DocType: Shipping Rule,example: Next Day Shipping,Пример: Нект Даи Схиппинг
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Серијски број {0} није пронађен
-DocType: Scheduling Tool,Student Batch,студент партије
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Ваши Купци
+DocType: Program Enrollment,Student Batch,студент партије
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Маке Студент
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Позвани сте да сарађују на пројекту: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Позвани сте да сарађују на пројекту: {0}
DocType: Leave Block List Date,Block Date,Блоцк Дате
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Пријавите се
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Ацтуал Кти {0} / Ваитинг Кти {1}
@@ -2229,7 +2242,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Создание и управление ежедневные , еженедельные и ежемесячные дайджесты новостей."
DocType: Appraisal Goal,Appraisal Goal,Процена Гол
DocType: Stock Reconciliation Item,Current Amount,Тренутни Износ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,zgrade
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,zgrade
DocType: Fee Structure,Fee Structure,naknada Структура
DocType: Timesheet Detail,Costing Amount,Кошта Износ
DocType: Student Admission,Application Fee,Накнада за апликацију
@@ -2241,10 +2254,10 @@
DocType: POS Profile,[Select],[ Изаберите ]
DocType: SMS Log,Sent To,Послат
DocType: Payment Request,Make Sales Invoice,Маке Салес фактура
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,Програми
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Програми
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Следећа контакт Датум не могу бити у прошлости
DocType: Company,For Reference Only.,За справки.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Избор серијски бр
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Избор серијски бр
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Неважећи {0}: {1}
DocType: Purchase Invoice,PINV-RET-,ПИНВ-РЕТ-
DocType: Sales Invoice Advance,Advance Amount,Унапред Износ
@@ -2254,15 +2267,15 @@
DocType: Employee,Employment Details,Детаљи за запошљавање
DocType: Employee,New Workplace,Новом радном месту
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Постави као Цлосед
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Нет товара со штрих-кодом {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Нет товара со штрих-кодом {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Предмет бр не може бити 0
DocType: Item,Show a slideshow at the top of the page,Приказивање слајдова на врху странице
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,БОМ
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Магазины
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,БОМ
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Магазины
DocType: Serial No,Delivery Time,Време испоруке
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Старење Басед Он
DocType: Item,End of Life,Крај живота
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,путешествие
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,путешествие
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Нема активног или стандардна плата структура наћи за запосленог {0} за одређени датум
DocType: Leave Block List,Allow Users,Дозволи корисницима
DocType: Purchase Order,Customer Mobile No,Кориснички Мобилни број
@@ -2271,29 +2284,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Ажурирање Трошкови
DocType: Item Reorder,Item Reorder,Предмет Реордер
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Схов плата Слип
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Пренос материјала
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Пренос материјала
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Наведите операције , оперативне трошкове и дају јединствену операцију без своје пословање ."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Овај документ је преко границе од {0} {1} за ставку {4}. Правиш други {3} против исте {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Молимо поставите понављају након снимања
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Избор промена износ рачуна
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Овај документ је преко границе од {0} {1} за ставку {4}. Правиш други {3} против исте {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Молимо поставите понављају након снимања
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Избор промена износ рачуна
DocType: Purchase Invoice,Price List Currency,Ценовник валута
DocType: Naming Series,User must always select,Корисник мора увек изабрати
DocType: Stock Settings,Allow Negative Stock,Дозволи Негативно Стоцк
DocType: Installation Note,Installation Note,Инсталација Напомена
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Додај Порези
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Додај Порези
DocType: Topic,Topic,тема
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Новчани ток од финансирања
DocType: Budget Account,Budget Account,буџета рачуна
DocType: Quality Inspection,Verified By,Верифиед би
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Невозможно изменить Базовая валюта компании , потому что есть существующие операции . Сделки должны быть отменены , чтобы поменять валюту ."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Невозможно изменить Базовая валюта компании , потому что есть существующие операции . Сделки должны быть отменены , чтобы поменять валюту ."
DocType: Grading Scale Interval,Grade Description,граде Опис
DocType: Stock Entry,Purchase Receipt No,Куповина Пријем Нема
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,задаток
DocType: Process Payroll,Create Salary Slip,Направи Слип платама
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,следљивост
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Источник финансирования ( обязательства)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Количество в строке {0} ( {1} ) должна быть такой же, как изготавливается количество {2}"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Источник финансирования ( обязательства)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Количество в строке {0} ( {1} ) должна быть такой же, как изготавливается количество {2}"
DocType: Appraisal,Employee,Запосленик
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Избор Серија
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} је у потпуности наплаћује
DocType: Training Event,End Time,Крајње време
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Активно плата Структура {0} наћи за запосленог {1} за одређени датум
@@ -2305,11 +2319,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Обавезно На
DocType: Rename Tool,File to Rename,Филе Ренаме да
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Молимо одаберите БОМ за предмета на Ров {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Указано БОМ {0} не постоји за ставку {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Рачун {0} не поклапа са Компаније {1} у режиму рачуна: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Указано БОМ {0} не постоји за ставку {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,График обслуживания {0} должно быть отменено до отмены этого заказ клиента
DocType: Notification Control,Expense Claim Approved,Расходи потраживање одобрено
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Плата Слип запосленог {0} већ створен за овај период
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,фармацевтический
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,фармацевтический
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Трошкови Купљено
DocType: Selling Settings,Sales Order Required,Продаја Наручите Обавезно
DocType: Purchase Invoice,Credit To,Кредит би
@@ -2326,42 +2341,42 @@
DocType: Payment Gateway Account,Payment Account,Плаћање рачуна
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,Наведите компанија наставити
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Нето Промена Потраживања
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Компенсационные Выкл
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Компенсационные Выкл
DocType: Offer Letter,Accepted,Примљен
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,организација
DocType: SG Creation Tool Course,Student Group Name,Студент Име групе
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Молимо проверите да ли сте заиста желите да избришете све трансакције за ову компанију. Ваши основни подаци ће остати како јесте. Ова акција се не може поништити.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Молимо проверите да ли сте заиста желите да избришете све трансакције за ову компанију. Ваши основни подаци ће остати како јесте. Ова акција се не може поништити.
DocType: Room,Room Number,Број собе
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Неважећи референца {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) не може бити већи од планираног куанитити ({2}) у производњи Низ {3}
DocType: Shipping Rule,Shipping Rule Label,Достава Правило Лабел
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Корисник форум
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Сировине не може бити празан.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Није могуће ажурирати залихе, фактура садржи испоруку ставку дроп."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Сировине не може бити празан.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Није могуће ажурирати залихе, фактура садржи испоруку ставку дроп."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Брзо Јоурнал Ентри
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,Не можете променити стопу ако бом помиње агианст било које ставке
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,Не можете променити стопу ако бом помиње агианст било које ставке
DocType: Employee,Previous Work Experience,Претходно радно искуство
DocType: Stock Entry,For Quantity,За Количина
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},"Пожалуйста, введите Запланированное Количество по пункту {0} в строке {1}"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} не представлено
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Захтеви за ставке.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Одвојена производња поруџбина ће бити направљен за сваку готовог добар ставке.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} мора бити негативан у повратном документу
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} мора бити негативан у повратном документу
,Minutes to First Response for Issues,Минутес то први одговор на питања
DocType: Purchase Invoice,Terms and Conditions1,Услови и Цондитионс1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,Име института за коју се постављање овог система.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,Име института за коју се постављање овог система.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Рачуноводствени унос замрзнуте до овог датума, нико не може / изменити унос осим улоге доле наведеном."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,Сачувајте документ пре генерисања план одржавања
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Статус пројекта
DocType: UOM,Check this to disallow fractions. (for Nos),Проверите то тако да одбаци фракција. (За НОС)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Следећи производних налога су створени:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Следећи производних налога су створени:
DocType: Student Admission,Naming Series (for Student Applicant),Именовање серије (за Студент подносиоца захтева)
DocType: Delivery Note,Transporter Name,Транспортер Име
DocType: Authorization Rule,Authorized Value,Овлашћени Вредност
DocType: BOM,Show Operations,Схов операције
,Minutes to First Response for Opportunity,Минутес то први одговор за Оппортунити
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Укупно Абсент
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Пункт или Склад для строки {0} не соответствует запросу материал
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Пункт или Склад для строки {0} не соответствует запросу материал
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Јединица мере
DocType: Fiscal Year,Year End Date,Датум завршетка године
DocType: Task Depends On,Task Depends On,Задатак Дубоко У
@@ -2461,11 +2476,11 @@
DocType: Asset,Manual,Упутство
DocType: Salary Component Account,Salary Component Account,Плата Компонента налог
DocType: Global Defaults,Hide Currency Symbol,Сакриј симбол валуте
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","нпр банка, Готовина, кредитна картица"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","нпр банка, Готовина, кредитна картица"
DocType: Lead Source,Source Name,извор Име
DocType: Journal Entry,Credit Note,Кредитни Напомена
DocType: Warranty Claim,Service Address,Услуга Адреса
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Намештај и инвентар
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Намештај и инвентар
DocType: Item,Manufacture,Производња
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Молимо вас да Достава Напомена прво
DocType: Student Applicant,Application Date,Датум апликација
@@ -2475,7 +2490,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Клиренс Дата не упоминается
apps/erpnext/erpnext/config/manufacturing.py +7,Production,производња
DocType: Guardian,Occupation,занимање
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Молим вас запослених подешавање Именовање систем у људских ресурса> људских ресурса Сеттингс
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Ред {0} : Датум почетка мора да буде пре крајњег датума
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Укупно (ком)
DocType: Sales Invoice,This Document,Овај документ
@@ -2487,20 +2501,20 @@
DocType: Purchase Receipt,Time at which materials were received,Време у коме су примљене материјали
DocType: Stock Ledger Entry,Outgoing Rate,Одлазећи курс
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Организация филиал мастер .
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,или
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,или
DocType: Sales Order,Billing Status,Обрачун статус
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Пријави грешку
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Коммунальные расходы
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Коммунальные расходы
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-Изнад
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Ред # {0}: Јоурнал Ентри {1} нема налог {2} или већ упарен против другог ваучера
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Ред # {0}: Јоурнал Ентри {1} нема налог {2} или већ упарен против другог ваучера
DocType: Buying Settings,Default Buying Price List,Уобичајено Куповина Ценовник
DocType: Process Payroll,Salary Slip Based on Timesheet,Плата Слип основу ТимеСхеет
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Ни један запослени за горе одабране критеријуме или листић плата већ креирана
DocType: Notification Control,Sales Order Message,Продаја Наручите порука
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Установить значения по умолчанию , как Болгарии, Валюта , текущий финансовый год и т.д."
DocType: Payment Entry,Payment Type,Плаћање Тип
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Изаберите Батцх за тачке {0}. Није могуће пронаћи једну групу која испуњава овај услов
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Изаберите Батцх за тачке {0}. Није могуће пронаћи једну групу која испуњава овај услов
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Изаберите Батцх за тачке {0}. Није могуће пронаћи једну групу која испуњава овај услов
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Изаберите Батцх за тачке {0}. Није могуће пронаћи једну групу која испуњава овај услов
DocType: Process Payroll,Select Employees,Изаберите Запослени
DocType: Opportunity,Potential Sales Deal,Потенцијални Продаја Деал
DocType: Payment Entry,Cheque/Reference Date,Чек / Референтни датум
@@ -2520,7 +2534,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Потврда мора бити достављен
DocType: Purchase Invoice Item,Received Qty,Примљени Кол
DocType: Stock Entry Detail,Serial No / Batch,Серијски бр / Серије
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Не Паид и није испоручена
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Не Паид и није испоручена
DocType: Product Bundle,Parent Item,Родитељ шифра
DocType: Account,Account Type,Тип налога
DocType: Delivery Note,DN-RET-,ДН-РЕТ-
@@ -2535,25 +2549,24 @@
DocType: Bin,Reserved Quantity,Резервисани Количина
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Унесите исправну е-маил адресу
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Унесите исправну е-маил адресу
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Не постоји никакав обавезни курс за програм {0}
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Не постоји никакав обавезни курс за програм {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Куповина Ставке пријема
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Прилагођавање Облици
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,Заостатак
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,Заостатак
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Амортизација Износ у периоду
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Онемогућен шаблон не мора да буде подразумевани шаблон
DocType: Account,Income Account,Приходи рачуна
DocType: Payment Request,Amount in customer's currency,Износ у валути купца
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Испорука
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Испорука
DocType: Stock Reconciliation Item,Current Qty,Тренутни ком
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",Погледајте "стопа материјала на бази" у Цостинг одељак
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,прев
DocType: Appraisal Goal,Key Responsibility Area,Кључна Одговорност Површина
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Студент Пакети помоћи да пратите посећеност, процене и накнаде за студенте"
DocType: Payment Entry,Total Allocated Amount,Укупно издвајају
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Сет Дефаулт инвентар рачун за вечити инвентар
DocType: Item Reorder,Material Request Type,Материјал Врста Захтева
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Аццурал Јоурнал Ентри за плате од {0} до {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","Локалну меморију је пуна, није сачувао"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","Локалну меморију је пуна, није сачувао"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Ред {0}: УОМ фактор конверзије је обавезна
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Реф
DocType: Budget,Cost Center,Трошкови центар
@@ -2566,19 +2579,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Правилник о ценама је направљен да замени Ценовник / дефинисати попуст проценат, на основу неких критеријума."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Складиште може да се промени само преко Сток Улаз / Испорука Напомена / рачуном
DocType: Employee Education,Class / Percentage,Класа / Проценат
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Шеф маркетинга и продаје
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,подоходный налог
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Шеф маркетинга и продаје
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,подоходный налог
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Ако изабрана Правилник о ценама је направљен за '' Прице, он ће преписати Ценовник. Правилник о ценама цена је коначна цена, тако да би требало да се примени даље попуст. Стога, у трансакцијама као што продаје Реда, наруџбину итд, то ће бити продата у ""рате"" терену, а не области 'Ценовник рате'."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Стаза води од индустрије Типе .
DocType: Item Supplier,Item Supplier,Ставка Снабдевач
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,Унесите Шифра добити пакет не
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},"Пожалуйста, выберите значение для {0} quotation_to {1}"
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,Унесите Шифра добити пакет не
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},"Пожалуйста, выберите значение для {0} quotation_to {1}"
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Све адресе.
DocType: Company,Stock Settings,Стоцк Подешавања
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Спајање је могуће само ако следеће особине су исти у оба записа. Да ли је група, корен тип, Компанија"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Спајање је могуће само ако следеће особине су исти у оба записа. Да ли је група, корен тип, Компанија"
DocType: Vehicle,Electric,електрични
DocType: Task,% Progress,% Напредак
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Добитак / губитак по имовине одлагању
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Добитак / губитак по имовине одлагању
DocType: Training Event,Will send an email about the event to employees with status 'Open',Ће послати е-маил о догађају запосленима са статусом "Отворени"
DocType: Task,Depends on Tasks,Зависи од Задаци
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Управление групповой клиентов дерево .
@@ -2587,7 +2600,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Нови Трошкови Центар Име
DocType: Leave Control Panel,Leave Control Panel,Оставите Цонтрол Панел
DocType: Project,Task Completion,zadatak Завршетак
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Није у стању
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Није у стању
DocType: Appraisal,HR User,ХР Корисник
DocType: Purchase Invoice,Taxes and Charges Deducted,Порези и накнаде одузима
apps/erpnext/erpnext/hooks.py +116,Issues,Питања
@@ -2598,22 +2611,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Нема плата клизање налази између {0} и {1}
,Pending SO Items For Purchase Request,Чекању СО Артикли за куповину захтеву
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Студент Пријемни
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} је онемогућен
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} је онемогућен
DocType: Supplier,Billing Currency,Обрачун Валута
DocType: Sales Invoice,SINV-RET-,СИНВ-РЕТ-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Екстра велики
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Екстра велики
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Укупно Лишће
,Profit and Loss Statement,Биланс успјеха
DocType: Bank Reconciliation Detail,Cheque Number,Чек Број
,Sales Browser,Браузер по продажам
DocType: Journal Entry,Total Credit,Укупна кредитна
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Упозорење: Још једна {0} # {1} постоји против уласка залиха {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,местный
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,местный
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Кредиты и авансы ( активы )
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Дужници
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Велики
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Велики
DocType: Homepage Featured Product,Homepage Featured Product,Страница Представљамо производа
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Све процене Групе
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Све процене Групе
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Нови Магацин Име
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Укупно {0} ({1})
DocType: C-Form Invoice Detail,Territory,Територија
@@ -2623,12 +2636,12 @@
DocType: Production Order Operation,Planned Start Time,Планирано Почетак Време
DocType: Course,Assessment,процена
DocType: Payment Entry Reference,Allocated,Додељена
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Затвори Биланс стања и књига добитак или губитак .
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Затвори Биланс стања и књига добитак или губитак .
DocType: Student Applicant,Application Status,Статус апликације
DocType: Fees,Fees,naknade
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Наведите курс према претворити једну валуту у другу
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Цитата {0} отменяется
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Преостали дио кредита
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Преостали дио кредита
DocType: Sales Partner,Targets,Мете
DocType: Price List,Price List Master,Ценовник Мастер
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Све продаје Трансакције се могу означена против више лица ** ** Продаја тако да можете подесити и пратити циљеве.
@@ -2672,12 +2685,12 @@
1. Адреса и контакт Ваше фирме."
DocType: Attendance,Leave Type,Оставите Вид
DocType: Purchase Invoice,Supplier Invoice Details,Добављач Детаљи рачуна
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Расходи / Разлика налог ({0}) мора бити ""Добитак или губитак 'налога"
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Расходи / Разлика налог ({0}) мора бити ""Добитак или губитак 'налога"
DocType: Project,Copied From,копиран из
DocType: Project,Copied From,копиран из
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Име грешка: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,мањак
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} није повезана са {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} није повезана са {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Посещаемость за работника {0} уже отмечен
DocType: Packing Slip,If more than one package of the same type (for print),Ако више од једног пакета истог типа (за штампу)
,Salary Register,плата Регистрација
@@ -2695,22 +2708,23 @@
,Requested Qty,Тражени Кол
DocType: Tax Rule,Use for Shopping Cart,Користи се за Корпа
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Вредност {0} за атрибут {1} не постоји у листи важећег тачке вредности атрибута за тачком {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Изабери серијским бројевима
DocType: BOM Item,Scrap %,Отпад%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Оптужбе ће бити дистрибуиран пропорционално на основу тачка Количина или износа, по вашем избору"
DocType: Maintenance Visit,Purposes,Сврхе
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Барем једна ставка треба унети у негативном количином у повратном документа
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Барем једна ставка треба унети у негативном количином у повратном документа
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Операција {0} дуже него што је било на располагању радног времена у станици {1}, разбити операцију у више операција"
,Requested,Тражени
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Но Примедбе
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Но Примедбе
DocType: Purchase Invoice,Overdue,Презадужен
DocType: Account,Stock Received But Not Billed,Залиха примљена Али не наплати
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Корен Рачун мора бити група
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Корен Рачун мора бити група
DocType: Fees,FEE.,НАКНАДА.
DocType: Employee Loan,Repaid/Closed,Отплаћује / Цлосед
DocType: Item,Total Projected Qty,Укупна пројектована количина
DocType: Monthly Distribution,Distribution Name,Дистрибуција Име
DocType: Course,Course Code,Наравно код
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},"Контроль качества , необходимые для Пункт {0}"
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},"Контроль качества , необходимые для Пункт {0}"
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Стопа по којој купца валута претвара у основну валуту компаније
DocType: Purchase Invoice Item,Net Rate (Company Currency),Нето курс (Фирма валута)
DocType: Salary Detail,Condition and Formula Help,Стање и формула Помоћ
@@ -2723,27 +2737,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Пренос материјала за Производња
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Попуст Проценат може да се примени било против ценовнику или за све Ценовником.
DocType: Purchase Invoice,Half-yearly,Полугодишње
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Рачуноводство Ентри за Деонице
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Рачуноводство Ентри за Деонице
DocType: Vehicle Service,Engine Oil,Моторно уље
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Молим вас запослених подешавање Именовање систем у људских ресурса> људских ресурса Сеттингс
DocType: Sales Invoice,Sales Team1,Продаја Теам1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Пункт {0} не существует
DocType: Sales Invoice,Customer Address,Кориснички Адреса
DocType: Employee Loan,Loan Details,kredit Детаљи
+DocType: Company,Default Inventory Account,Уобичајено Инвентар налог
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Ред {0}: Завршен количина мора бити већа од нуле.
DocType: Purchase Invoice,Apply Additional Discount On,Нанесите додатни попуст Он
DocType: Account,Root Type,Корен Тип
DocType: Item,FIFO,"ФИФО,"
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Ред # {0}: Не могу да се врате више од {1} за тачком {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Ред # {0}: Не могу да се врате више од {1} за тачком {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,заплет
DocType: Item Group,Show this slideshow at the top of the page,Покажи ову пројекцију слајдова на врху странице
DocType: BOM,Item UOM,Ставка УОМ
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Износ пореза Након Износ попуста (Фирма валута)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Целевая склад является обязательным для ряда {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Целевая склад является обязательным для ряда {0}
DocType: Cheque Print Template,Primary Settings,primarni Подешавања
DocType: Purchase Invoice,Select Supplier Address,Избор добављача Адреса
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Додај Запослени
DocType: Purchase Invoice Item,Quality Inspection,Провера квалитета
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Ектра Смалл
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Ектра Смалл
DocType: Company,Standard Template,стандард Шаблон
DocType: Training Event,Theory,теорија
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Упозорење : Материјал Тражени Кол је мање од Минимална количина за поручивање
@@ -2751,7 +2767,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Правно лице / Подружница са посебном контном припада организацији.
DocType: Payment Request,Mute Email,Муте-маил
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Храна , пиће и дуван"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Може само извршити уплату против ненаплаћене {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Може само извршити уплату против ненаплаћене {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,"Скорость Комиссия не может быть больше, чем 100"
DocType: Stock Entry,Subcontract,Подуговор
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Молимо Вас да унесете {0} прво
@@ -2764,18 +2780,18 @@
DocType: SMS Log,No of Sent SMS,Број послатих СМС
DocType: Account,Expense Account,Трошкови налога
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,софтвер
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Боја
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Боја
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Критеријуми процене План
DocType: Training Event,Scheduled,Планиран
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Захтев за понуду.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",Молимо одаберите ставку где "је акционарско тачка" је "Не" и "Да ли је продаје Тачка" "Да" и нема другог производа Бундле
DocType: Student Log,Academic,академски
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Укупно Адванце ({0}) против Реда {1} не може бити већи од Великог Укупно ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Укупно Адванце ({0}) против Реда {1} не може бити већи од Великог Укупно ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Изаберите мјесечни неравномерно дистрибуира широм мете месеци.
DocType: Purchase Invoice Item,Valuation Rate,Процена Стопа
DocType: Stock Reconciliation,SR/,СР /
DocType: Vehicle,Diesel,дизел
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Прайс-лист Обмен не выбран
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Прайс-лист Обмен не выбран
,Student Monthly Attendance Sheet,Студент Месечно Присуство лист
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Сотрудник {0} уже подало заявку на {1} между {2} и {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Пројекат Датум почетка
@@ -2788,7 +2804,7 @@
DocType: BOM,Scrap,Туча
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Управљање продајних партнера.
DocType: Quality Inspection,Inspection Type,Инспекција Тип
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Складишта са постојећим трансакцији не може бити конвертована у групу.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Складишта са постојећим трансакцији не може бити конвертована у групу.
DocType: Assessment Result Tool,Result HTML,rezultat ХТМЛ-
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Истиче
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Додај Студенти
@@ -2796,13 +2812,13 @@
DocType: C-Form,C-Form No,Ц-Образац бр
DocType: BOM,Exploded_items,Екплодед_итемс
DocType: Employee Attendance Tool,Unmarked Attendance,Необележен Присуство
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,истраживач
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,истраживач
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Програм Упис Алат Студентски
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Име или е-маил је обавезан
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Долазни контрола квалитета.
DocType: Purchase Order Item,Returned Qty,Вратио ком
DocType: Employee,Exit,Излаз
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Корен Тип је обавезно
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Корен Тип је обавезно
DocType: BOM,Total Cost(Company Currency),Укупни трошкови (Фирма валута)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Серийный номер {0} создан
DocType: Homepage,Company Description for website homepage,Опис Компаније за веб страницу
@@ -2811,7 +2827,7 @@
DocType: Sales Invoice,Time Sheet List,Време Списак лист
DocType: Employee,You can enter any date manually,Можете да ручно унесете било који датум
DocType: Asset Category Account,Depreciation Expense Account,Амортизација Трошкови рачуна
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Пробни период
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Пробни период
DocType: Customer Group,Only leaf nodes are allowed in transaction,Само листа чворови су дозвољени у трансакцији
DocType: Expense Claim,Expense Approver,Расходи одобраватељ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Ред {0}: Унапред против Купца мора бити кредит
@@ -2825,10 +2841,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Распоред курса избрисан:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Протоколи за одржавање смс статус испоруке
DocType: Accounts Settings,Make Payment via Journal Entry,Извршити уплату преко Јоурнал Ентри
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Штампано на
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Штампано на
DocType: Item,Inspection Required before Delivery,Инспекција Потребна пре испоруке
DocType: Item,Inspection Required before Purchase,Инспекција Потребна пре куповине
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Пендинг Активности
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Ваш Организација
DocType: Fee Component,Fees Category,naknade Категорија
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,"Пожалуйста, введите даты снятия ."
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Амт
@@ -2838,9 +2855,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Реордер Ниво
DocType: Company,Chart Of Accounts Template,Контни план Темплате
DocType: Attendance,Attendance Date,Гледалаца Датум
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Ставка Цена ажуриран за {0} у ценовником {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Ставка Цена ажуриран за {0} у ценовником {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Плата распада на основу зараде и дедукције.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Счет с дочерних узлов не могут быть преобразованы в книге
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Счет с дочерних узлов не могут быть преобразованы в книге
DocType: Purchase Invoice Item,Accepted Warehouse,Прихваћено Магацин
DocType: Bank Reconciliation Detail,Posting Date,Постављање Дате
DocType: Item,Valuation Method,Процена Метод
@@ -2849,14 +2866,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Дупликат унос
DocType: Program Enrollment Tool,Get Students,Гет Студенти
DocType: Serial No,Under Warranty,Под гаранцијом
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Грешка]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Грешка]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,У речи ће бити видљив када сачувате продајних налога.
,Employee Birthday,Запослени Рођендан
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Студент партије Присуство Алат
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,лимит Цроссед
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,лимит Цроссед
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Вентуре Цапитал
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Академски назив са овим 'школској' {0} и 'Рок име' {1} већ постоји. Молимо Вас да измените ове ставке и покушајте поново.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Као што постоје постоје трансакције против ставку {0}, не може да промени вредност {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Као што постоје постоје трансакције против ставку {0}, не може да промени вредност {1}"
DocType: UOM,Must be Whole Number,Мора да буде цео број
DocType: Leave Control Panel,New Leaves Allocated (In Days),Нове Лишће Издвојена (у данима)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Серийный номер {0} не существует
@@ -2865,6 +2882,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Фактура број
DocType: Shopping Cart Settings,Orders,Поруџбине
DocType: Employee Leave Approver,Leave Approver,Оставите Аппровер
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Изаберите серију
DocType: Assessment Group,Assessment Group Name,Процена Име групе
DocType: Manufacturing Settings,Material Transferred for Manufacture,Материјал Пребачен за производњу
DocType: Expense Claim,"A user with ""Expense Approver"" role","Корисник са ""Расходи одобраватељ"" улози"
@@ -2874,9 +2892,10 @@
DocType: Target Detail,Target Detail,Циљна Детаљ
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,Сви послови
DocType: Sales Order,% of materials billed against this Sales Order,% Материјала наплаћени против овог налога за продају
+DocType: Program Enrollment,Mode of Transportation,Вид транспорта
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Затварање период Ступање
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,МВЗ с существующими сделок не могут быть преобразованы в группе
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Износ {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Износ {0} {1} {2} {3}
DocType: Account,Depreciation,амортизация
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Супплиер (с)
DocType: Employee Attendance Tool,Employee Attendance Tool,Запослени Присуство Алат
@@ -2884,7 +2903,7 @@
DocType: Supplier,Credit Limit,Кредитни лимит
DocType: Production Plan Sales Order,Salse Order Date,Салсе Датум наруџбе
DocType: Salary Component,Salary Component,плата Компонента
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Плаћања прилога {0} аре ун-линкед
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Плаћања прилога {0} аре ун-линкед
DocType: GL Entry,Voucher No,Ваучер Бр.
,Lead Owner Efficiency,Олово Власник Ефикасност
,Lead Owner Efficiency,Олово Власник Ефикасност
@@ -2896,11 +2915,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Предложак термина или уговору.
DocType: Purchase Invoice,Address and Contact,Адреса и контакт
DocType: Cheque Print Template,Is Account Payable,Је налог оплате
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Стоцк не може да се ажурира против Пурцхасе пријему {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Стоцк не може да се ажурира против Пурцхасе пријему {0}
DocType: Supplier,Last Day of the Next Month,Последњи дан наредног мјесеца
DocType: Support Settings,Auto close Issue after 7 days,Ауто затварање издање након 7 дана
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Оставите не може се доделити пре {0}, као одсуство стање је већ Царри-прослеђен у будућем расподеле одсуство записника {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Напомена: Због / Референтни Датум прелази дозвољене кредитним купац дана од {0} дана (и)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Напомена: Због / Референтни Датум прелази дозвољене кредитним купац дана од {0} дана (и)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,студент Подносилац
DocType: Asset Category Account,Accumulated Depreciation Account,Исправка вриједности рачуна
DocType: Stock Settings,Freeze Stock Entries,Фреезе уносе берза
@@ -2909,36 +2928,36 @@
DocType: Activity Cost,Billing Rate,Обрачун курс
,Qty to Deliver,Количина на Избави
,Stock Analytics,Стоцк Аналитика
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Операције не може остати празно
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Операције не може остати празно
DocType: Maintenance Visit Purpose,Against Document Detail No,Против докумената детаља Нема
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Парти Тип је обавезно
DocType: Quality Inspection,Outgoing,Друштвен
DocType: Material Request,Requested For,Тражени За
DocType: Quotation Item,Against Doctype,Против ДОЦТИПЕ
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} отказан или затворен
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} отказан или затворен
DocType: Delivery Note,Track this Delivery Note against any Project,Прати ову напомену Испорука против било ког пројекта
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Нето готовина из Инвестирање
-,Is Primary Address,Примарна Адреса
DocType: Production Order,Work-in-Progress Warehouse,Рад у прогресу Магацин
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Средство {0} мора да се поднесе
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Присуство Рекорд {0} постоји против Студента {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Присуство Рекорд {0} постоји против Студента {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Ссылка # {0} от {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Амортизација Елиминисан због продаје имовине
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Управљање адресе
DocType: Asset,Item Code,Шифра
DocType: Production Planning Tool,Create Production Orders,Креирање налога Производне
DocType: Serial No,Warranty / AMC Details,Гаранција / АМЦ Детаљи
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Изаберите студенти ручно активности заснива Групе
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Изаберите студенти ручно активности заснива Групе
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Изаберите студенти ручно активности заснива Групе
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Изаберите студенти ручно активности заснива Групе
DocType: Journal Entry,User Remark,Корисник Напомена
DocType: Lead,Market Segment,Сегмент тржишта
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Плаћени износ не може бити већи од укупног негативног преостали износ {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Плаћени износ не може бити већи од укупног негативног преостали износ {0}
DocType: Employee Internal Work History,Employee Internal Work History,Запослени Интерна Рад Историја
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Затварање (др)
DocType: Cheque Print Template,Cheque Size,Чек величина
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Серийный номер {0} не в наличии
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Налоговый шаблон для продажи сделок.
DocType: Sales Invoice,Write Off Outstanding Amount,Отпис неизмирени износ
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Рачун {0} не поклапа са Компаније {1}
DocType: School Settings,Current Academic Year,Тренутни академска година
DocType: School Settings,Current Academic Year,Тренутни академска година
DocType: Stock Settings,Default Stock UOM,Уобичајено берза УОМ
@@ -2954,27 +2973,27 @@
DocType: Asset,Double Declining Balance,Доубле дегресивне
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Затворен поредак не може бити отказана. Отварати да откаже.
DocType: Student Guardian,Father,отац
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'Ажурирање Сток "не може да се провери за фиксну продаје имовине
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Ажурирање Сток "не може да се провери за фиксну продаје имовине
DocType: Bank Reconciliation,Bank Reconciliation,Банка помирење
DocType: Attendance,On Leave,На одсуству
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Гет Упдатес
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: налог {2} не припада компанији {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Материал Запрос {0} отменяется или остановлен
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Додајте неколико узорака евиденцију
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Додајте неколико узорака евиденцију
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Оставите Манагемент
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Группа по Счет
DocType: Sales Order,Fully Delivered,Потпуно Испоручено
DocType: Lead,Lower Income,Доња прихода
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Источник и цель склад не может быть одинаковым для ряда {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Источник и цель склад не может быть одинаковым для ряда {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Разлика Рачун мора бити тип активом / одговорношћу рачуна, јер Сток Помирење је отварање Ступање"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Исплаћено износ не може бити већи од кредита Износ {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Число Заказ требуется для Пункт {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Производња Поруџбина није направљена
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Число Заказ требуется для Пункт {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Производња Поруџбина није направљена
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""Од датума"" мора бити након ""До датума"""
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Не могу да променим статус студента {0} је повезан са применом студентског {1}
DocType: Asset,Fully Depreciated,потпуно отписаних
,Stock Projected Qty,Пројектовани Стоцк Кти
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Клиент {0} не принадлежит к проекту {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Клиент {0} не принадлежит к проекту {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Приметан Присуство ХТМЛ
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Цитати су предлози, понуде које сте послали да својим клијентима"
DocType: Sales Order,Customer's Purchase Order,Куповина нарудзбини
@@ -2983,8 +3002,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Збир Сцорес мерила за оцењивање треба да буде {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Молимо поставите Број Амортизација Жути картони
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Вредност или Кол
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Продуцтионс Налози не може да се подигне за:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,минут
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Продуцтионс Налози не може да се подигне за:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,минут
DocType: Purchase Invoice,Purchase Taxes and Charges,Куповина Порези и накнаде
,Qty to Receive,Количина за примање
DocType: Leave Block List,Leave Block List Allowed,Оставите Блоцк Лист Дозвољени
@@ -2992,25 +3011,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Трошак Захтев за возила Приступи {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Попуст (%) на цена Лист курс са маргине
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Попуст (%) на цена Лист курс са маргине
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,sve складишта
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,sve складишта
DocType: Sales Partner,Retailer,Продавац на мало
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Кредит на рачун мора да буде биланса стања
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Кредит на рачун мора да буде биланса стања
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Сви Типови добављача
DocType: Global Defaults,Disable In Words,Онемогућити У Вордс
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,"Код товара является обязательным, поскольку Деталь не автоматически нумеруются"
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Код товара является обязательным, поскольку Деталь не автоматически нумеруются"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Цитата {0} не типа {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Одржавање Распоред шифра
DocType: Sales Order,% Delivered,Испоручено %
DocType: Production Order,PRO-,ПРО-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Банк Овердрафт счета
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Банк Овердрафт счета
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Маке плата Слип
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Ред # {0}: Додељени износ не може бити већи од преостали износ.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Бровсе БОМ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Обеспеченные кредиты
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Обеспеченные кредиты
DocType: Purchase Invoice,Edit Posting Date and Time,Едит Књижење Датум и време
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Молимо поставите рачуна везаним амортизације средстава категорије {0} или компаније {1}
DocType: Academic Term,Academic Year,Академска година
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Почетно стање Капитал
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Почетно стање Капитал
DocType: Lead,CRM,ЦРМ
DocType: Appraisal,Appraisal,Процена
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},Емаил који је послат добављачу {0}
@@ -3026,7 +3045,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,"Утверждении роль не может быть такой же, как роль правило применимо к"
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Унсубсцрибе из овог Емаил Дигест
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Порука је послата
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Рачун са дететом чворова не може да се подеси као књиге
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Рачун са дететом чворова не може да се подеси као књиге
DocType: C-Form,II,ИИИ
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Стопа по којој се Ценовник валута претвара у основну валуту купца
DocType: Purchase Invoice Item,Net Amount (Company Currency),Нето износ (Фирма валута)
@@ -3061,7 +3080,7 @@
DocType: Expense Claim,Approval Status,Статус одобравања
DocType: Hub Settings,Publish Items to Hub,Објављивање артикле у Хуб
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},"От значение должно быть меньше , чем значение в строке {0}"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Вире Трансфер
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Вире Трансфер
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Štiklirati sve
DocType: Vehicle Log,Invoice Ref,фактура Реф
DocType: Purchase Order,Recurring Order,Понављало Ордер
@@ -3074,51 +3093,54 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Банкарство и плаћања
,Welcome to ERPNext,Добродошли у ЕРПНект
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Олово и цитата
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Ништа више да покаже.
DocType: Lead,From Customer,Од купца
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Звонки
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Звонки
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,Пакети
DocType: Project,Total Costing Amount (via Time Logs),Укупно Кошта Износ (преко Тиме Протоколи)
DocType: Purchase Order Item Supplied,Stock UOM,Берза УОМ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Заказ на {0} не представлено
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Заказ на {0} не представлено
DocType: Customs Tariff Number,Tariff Number,Тарифни број
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,пројектован
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Серийный номер {0} не принадлежит Склад {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Примечание: Система не будет проверять по - доставки и избыточного бронирования по пункту {0} как количестве 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Примечание: Система не будет проверять по - доставки и избыточного бронирования по пункту {0} как количестве 0
DocType: Notification Control,Quotation Message,Цитат Порука
DocType: Employee Loan,Employee Loan Application,Запослени Захтев за кредит
DocType: Issue,Opening Date,Датум отварања
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Присуство је успешно обележен.
+DocType: Program Enrollment,Public Transport,Јавни превоз
DocType: Journal Entry,Remark,Примедба
DocType: Purchase Receipt Item,Rate and Amount,Стопа и износ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Тип рачун за {0} мора бити {1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,Лишће и одмор
DocType: School Settings,Current Academic Term,Тренутни академски Рок
DocType: Sales Order,Not Billed,Није Изграђена
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Оба Магацин мора припадати истој компанији
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Нема контаката додао.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Оба Магацин мора припадати истој компанији
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Нема контаката додао.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Слетео Трошкови Ваучер Износ
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Рачуни подигао Добављачи.
DocType: POS Profile,Write Off Account,Отпис налог
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Дебит ноте Амт
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Сумма скидки
DocType: Purchase Invoice,Return Against Purchase Invoice,Повратак против фактури
DocType: Item,Warranty Period (in days),Гарантни период (у данима)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Однос са Гуардиан1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Однос са Гуардиан1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Нето готовина из пословања
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,например НДС
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,например НДС
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Тачка 4
DocType: Student Admission,Admission End Date,Улаз Датум завршетка
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Подуговарање
DocType: Journal Entry Account,Journal Entry Account,Јоурнал Ентри рачуна
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,студент Група
DocType: Shopping Cart Settings,Quotation Series,Цитат Серија
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Элемент существует с тем же именем ({0} ) , пожалуйста, измените название группы или переименовать пункт"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Молимо одаберите клијента
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Элемент существует с тем же именем ({0} ) , пожалуйста, измените название группы или переименовать пункт"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Молимо одаберите клијента
DocType: C-Form,I,ја
DocType: Company,Asset Depreciation Cost Center,Средство Амортизација Трошкови центар
DocType: Sales Order Item,Sales Order Date,Продаја Датум поруџбине
DocType: Sales Invoice Item,Delivered Qty,Испоручено Кол
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Ако је означено, сва деца сваке производне јединице треба да буде укључен у материјалу захтевима."
DocType: Assessment Plan,Assessment Plan,Процена план
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Магацин {0}: Фирма је обавезна
DocType: Stock Settings,Limit Percent,лимит Проценат
,Payment Period Based On Invoice Date,Период отплате Басед Он Фактура Дате
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Миссинг валутниј курс за {0}
@@ -3130,7 +3152,7 @@
DocType: Vehicle,Insurance Details,осигурање Детаљи
DocType: Account,Payable,к оплате
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,Молимо Вас да унесете отплате Периоди
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Дужници ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Дужници ({0})
DocType: Pricing Rule,Margin,Маржа
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Нове Купци
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Бруто добит%
@@ -3141,16 +3163,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Парти је обавезно
DocType: Journal Entry,JV-,ЈВ-
DocType: Topic,Topic Name,Назив теме
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Барем један од продајете или купујете морају бити изабрани
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Изаберите природу вашег посла.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Барем један од продајете или купујете морају бити изабрани
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Изаберите природу вашег посла.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Ред # {0}: Дуплицате ентри референци {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Где се обавља производњу операције.
DocType: Asset Movement,Source Warehouse,Извор Магацин
DocType: Installation Note,Installation Date,Инсталација Датум
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Ред # {0}: имовине {1} не припада компанији {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Ред # {0}: имовине {1} не припада компанији {2}
DocType: Employee,Confirmation Date,Потврда Датум
DocType: C-Form,Total Invoiced Amount,Укупан износ Фактурисани
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Минимална Кол не може бити већи од Мак Кол
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Минимална Кол не може бити већи од Мак Кол
DocType: Account,Accumulated Depreciation,Акумулирана амортизација
DocType: Stock Entry,Customer or Supplier Details,Купца или добављача Детаљи
DocType: Employee Loan Application,Required by Date,Рекуиред би Дате
@@ -3171,22 +3193,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Месечни Дистрибуција Проценат
DocType: Territory,Territory Targets,Територија Мете
DocType: Delivery Note,Transporter Info,Транспортер Инфо
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Молимо поставите подразумевани {0} у компанији {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Молимо поставите подразумевани {0} у компанији {1}
DocType: Cheque Print Template,Starting position from top edge,Почетне позиције од горње ивице
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Исти добављач је ушао више пута
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Бруто добит / губитак
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Наруџбенице артикла у комплету
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Назив компаније не може бити Фирма
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Назив компаније не може бити Фирма
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Письмо главы для шаблонов печати .
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Титулы для шаблонов печатных например Фактуры Proforma .
DocType: Student Guardian,Student Guardian,студент Гардијан
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Тип Процена трошкови не могу означити као инцлусиве
DocType: POS Profile,Update Stock,Упдате Стоцк
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Добављач> добављач Тип
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Различные Единица измерения для элементов приведет к некорректному (Всего) значение массы нетто . Убедитесь, что вес нетто каждого элемента находится в том же UOM ."
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,БОМ курс
DocType: Asset,Journal Entry for Scrap,Јоурнал Ентри за отпад
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Пожалуйста вытяните элементов из накладной
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Јоурнал Ентриес {0} су УН-линкед
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Јоурнал Ентриес {0} су УН-линкед
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Снимање свих комуникација типа е-маил, телефон, цхат, посете, итд"
DocType: Manufacturer,Manufacturers used in Items,Произвођачи користе у ставке
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Молимо да наведете заокружују трошка у компанији
@@ -3235,34 +3258,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,Добављач доставља клијенту
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Облик / тачка / {0}) није у складишту
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Следећа Датум мора бити већи од датума када је послата
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Покажи пореза распада
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Због / Референтна Датум не може бити после {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Покажи пореза распада
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Због / Референтна Датум не може бити после {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Подаци Увоз и извоз
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","Сток уноса постоје против Варехоусе {0}, стога не можете поново доделити или модификовати"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Ниједан студент Фоунд
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Ниједан студент Фоунд
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Фактура датум постања
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,продати
DocType: Sales Invoice,Rounded Total,Роундед Укупно
DocType: Product Bundle,List items that form the package.,Листа ствари које чине пакет.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Процент Распределение должно быть равно 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,Молимо одаберите датум постања пре избора Парти
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Молимо одаберите датум постања пре избора Парти
DocType: Program Enrollment,School House,Школа Кућа
DocType: Serial No,Out of AMC,Од АМЦ
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Молимо одаберите Куотатионс
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Молимо одаберите Куотатионс
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Молимо одаберите Куотатионс
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Молимо одаберите Куотатионс
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,"Број Амортизација жути картон, не може бити већи од Укупан број Амортизација"
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Маке одржавање Посетите
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,Молимо контактирајте кориснику који је продаја Мастер менаџер {0} улогу
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,Молимо контактирајте кориснику који је продаја Мастер менаџер {0} улогу
DocType: Company,Default Cash Account,Уобичајено готовински рачун
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Компания ( не клиента или поставщика ) хозяин.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Ово је засновано на похађања овог Студент
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Но Ученици у
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Но Ученици у
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Додали још ставки или Опен пуној форми
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',"Пожалуйста, введите ' ожидаемой даты поставки """
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Примечания Доставка {0} должно быть отменено до отмены этого заказ клиента
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,"Платные сумма + списания сумма не может быть больше, чем общий итог"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,"Платные сумма + списания сумма не может быть больше, чем общий итог"
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} не является допустимым номер партии по пункту {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Примечание: Существует не хватает отпуск баланс для отпуске Тип {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,Неважећи ГСТИН или Ентер НА за регистровани
DocType: Training Event,Seminar,семинар
DocType: Program Enrollment Fee,Program Enrollment Fee,Програм Упис накнада
DocType: Item,Supplier Items,Супплиер артикала
@@ -3288,28 +3311,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Тачка 3
DocType: Purchase Order,Customer Contact Email,Кориснички Контакт Е-маил
DocType: Warranty Claim,Item and Warranty Details,Ставка и гаранције Детаљи
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Код итем> итем Група> Бренд
DocType: Sales Team,Contribution (%),Учешће (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Примечание: Оплата Вступление не будет создана , так как "" Наличные или Банковский счет "" не был указан"
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Изаберите програм да преузима обавезне курсеве.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Изаберите програм да преузима обавезне курсеве.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Одговорности
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Одговорности
DocType: Expense Claim Account,Expense Claim Account,Расходи Захтев налог
DocType: Sales Person,Sales Person Name,Продаја Особа Име
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,"Пожалуйста, введите не менее чем 1 -фактуру в таблице"
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Додај корисника
DocType: POS Item Group,Item Group,Ставка Група
DocType: Item,Safety Stock,Безбедност Сток
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Напредак% за задатак не може бити више од 100.
DocType: Stock Reconciliation Item,Before reconciliation,Пре помирења
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Да {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Порези и накнаде додавања (Друштво валута)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Пункт Налоговый ряд {0} должен иметь учетную запись типа налога или доходов или расходов или платная
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Пункт Налоговый ряд {0} должен иметь учетную запись типа налога или доходов или расходов или платная
DocType: Sales Order,Partly Billed,Делимично Изграђена
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Итем {0} мора бити основних средстава итем
DocType: Item,Default BOM,Уобичајено БОМ
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,Молимо Вас да поново тип цомпани наме да потврди
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Укупно Изванредна Амт
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Задужењу Износ
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Молимо Вас да поново тип цомпани наме да потврди
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Укупно Изванредна Амт
DocType: Journal Entry,Printing Settings,Принтинг Подешавања
DocType: Sales Invoice,Include Payment (POS),Укључују плаћања (пос)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Укупно задуживање мора бити једнак укупном кредитном .
@@ -3323,16 +3343,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,На лагеру:
DocType: Notification Control,Custom Message,Прилагођена порука
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Инвестиционо банкарство
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Наличными или банковский счет является обязательным для внесения записи платежей
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,студент Адреса
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,студент Адреса
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Наличными или банковский счет является обязательным для внесения записи платежей
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Молимо Вас да подешавање бројева серије за похађање преко Сетуп> нумерисање серија
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,студент Адреса
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,студент Адреса
DocType: Purchase Invoice,Price List Exchange Rate,Цена курсној листи
DocType: Purchase Invoice Item,Rate,Стопа
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,стажиста
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,Адреса Име
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,стажиста
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,Адреса Име
DocType: Stock Entry,From BOM,Од БОМ
DocType: Assessment Code,Assessment Code,Процена код
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,основной
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,основной
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Сток трансакције пре {0} су замрзнути
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"Пожалуйста, нажмите на кнопку "" Generate Расписание """
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","нпр Кг, Јединица, Нос, м"
@@ -3342,11 +3363,11 @@
DocType: Salary Slip,Salary Structure,Плата Структура
DocType: Account,Bank,Банка
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,ваздушна линија
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Питање Материјал
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Питање Материјал
DocType: Material Request Item,For Warehouse,За Варехоусе
DocType: Employee,Offer Date,Понуда Датум
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Цитати
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Ви сте у оффлине моду. Нећете моћи да поново све док имате мрежу.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,Ви сте у оффлине моду. Нећете моћи да поново све док имате мрежу.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Нема Студент Групе створио.
DocType: Purchase Invoice Item,Serial No,Серијски број
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Месечна отплата износ не може бити већи од кредита Износ
@@ -3354,8 +3375,8 @@
DocType: Purchase Invoice,Print Language,принт Језик
DocType: Salary Slip,Total Working Hours,Укупно Радно време
DocType: Stock Entry,Including items for sub assemblies,Укључујући ставке за под скупштине
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Унесите вредност мора бити позитивна
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Все территории
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Унесите вредност мора бити позитивна
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Все территории
DocType: Purchase Invoice,Items,Артикли
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Студент је већ уписано.
DocType: Fiscal Year,Year Name,Име године
@@ -3374,10 +3395,10 @@
DocType: Issue,Opening Time,Радно време
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,"От и До даты , необходимых"
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Хартије од вредности и робним берзама
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Уобичајено Јединица мере за варијанту '{0}' мора бити исти као у темплате '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Уобичајено Јединица мере за варијанту '{0}' мора бити исти као у темплате '{1}'
DocType: Shipping Rule,Calculate Based On,Израчунајте Басед Он
DocType: Delivery Note Item,From Warehouse,Од Варехоусе
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Но Предмети са саставница у Производња
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Но Предмети са саставница у Производња
DocType: Assessment Plan,Supervisor Name,Супервизор Име
DocType: Program Enrollment Course,Program Enrollment Course,Програм Упис предмета
DocType: Program Enrollment Course,Program Enrollment Course,Програм Упис предмета
@@ -3393,18 +3414,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Дана од последње поруџбине"" мора бити веће или једнако нули"
DocType: Process Payroll,Payroll Frequency,паиролл Фреквенција
DocType: Asset,Amended From,Измењена од
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,сырье
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,сырье
DocType: Leave Application,Follow via Email,Пратите преко е-поште
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Постројења и машине
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Постројења и машине
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Сумма налога После скидка сумма
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Свакодневном раду Преглед подешавања
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Валута ценовника {0} није сличан са изабране валуте {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Валута ценовника {0} није сличан са изабране валуте {1}
DocType: Payment Entry,Internal Transfer,Интерни пренос
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Детский учетная запись существует для этой учетной записи . Вы не можете удалить этот аккаунт .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Детский учетная запись существует для этой учетной записи . Вы не можете удалить этот аккаунт .
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Либо целевой Количество или целевое количество является обязательным
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Нет умолчанию спецификации не существует Пункт {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Нет умолчанию спецификации не существует Пункт {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Молимо Вас да изаберете датум постања први
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Датум отварања треба да буде пре затварања Дате
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Молимо поставите Именовање Сериес за {0} подешавањем> Сеттингс> Именовање Сериес
DocType: Leave Control Panel,Carry Forward,Пренети
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,МВЗ с существующими сделок не могут быть преобразованы в книге
DocType: Department,Days for which Holidays are blocked for this department.,Дани за које Празници су блокирани овом одељењу.
@@ -3414,11 +3436,10 @@
DocType: Issue,Raised By (Email),Подигао (Е-маил)
DocType: Training Event,Trainer Name,тренер Име
DocType: Mode of Payment,General,Општи
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Прикрепите бланке
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Последњи Комуникација
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Последњи Комуникација
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Не можете вычесть , когда категория для "" Оценка "" или "" Оценка и Всего"""
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Листа пореске главе (нпр ПДВ, царине, итд, они треба да имају јединствена имена) и њихове стандардне цене. Ово ће створити стандардни модел, који можете уредити и додати још касније."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Листа пореске главе (нпр ПДВ, царине, итд, они треба да имају јединствена имена) и њихове стандардне цене. Ово ће створити стандардни модел, који можете уредити и додати још касније."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Серийный Нос Требуется для сериализованный элемент {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Утакмица плаћања са фактурама
DocType: Journal Entry,Bank Entry,Банка Унос
@@ -3427,16 +3448,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Добавить в корзину
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Група По
DocType: Guardian,Interests,Интереси
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Включение / отключение валюты.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Включение / отключение валюты.
DocType: Production Planning Tool,Get Material Request,Гет Материал захтев
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Почтовые расходы
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Почтовые расходы
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Укупно (Амт)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Забава и слободно време
DocType: Quality Inspection,Item Serial No,Ставка Сериал но
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Створити запослених Рецордс
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Укупно Поклон
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,рачуноводствених исказа
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,час
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,час
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Новый Серийный номер не может быть Склад . Склад должен быть установлен на фондовой Вступил или приобрести получении
DocType: Lead,Lead Type,Олово Тип
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Нисте ауторизовани да одобри лишће на блок Датуми
@@ -3448,6 +3469,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,Нови БОМ након замене
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Поинт оф Сале
DocType: Payment Entry,Received Amount,примљени износ
+DocType: GST Settings,GSTIN Email Sent On,ГСТИН Емаил Сент На
+DocType: Program Enrollment,Pick/Drop by Guardian,Пицк / сврати Гуардиан
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Створити за пуну количину, игноришући количину већ би"
DocType: Account,Tax,Порез
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,необележен
@@ -3461,7 +3484,7 @@
DocType: Batch,Source Document Name,Извор Име документа
DocType: Job Opening,Job Title,Звање
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,створити корисника
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,грам
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,грам
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Количина да Производња мора бити већи од 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Посетите извештаја за одржавање разговора.
DocType: Stock Entry,Update Rate and Availability,Ажурирање курс и доступност
@@ -3469,7 +3492,7 @@
DocType: POS Customer Group,Customer Group,Кориснички Група
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Нови Батцх ид (опционо)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Нови Батцх ид (опционо)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Расходов счета является обязательным для пункта {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Расходов счета является обязательным для пункта {0}
DocType: BOM,Website Description,Вебсајт Опис
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Нето промена у капиталу
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Откажите фактури {0} први
@@ -3479,8 +3502,8 @@
,Sales Register,Продаја Регистрација
DocType: Daily Work Summary Settings Company,Send Emails At,Шаљу мејлове на
DocType: Quotation,Quotation Lost Reason,Понуда Лост разлог
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Изаберите Ваш домен
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Трансакција референца не {0} од {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Изаберите Ваш домен
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Трансакција референца не {0} од {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Не постоји ништа да измените .
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Преглед за овај месец и чекају активности
DocType: Customer Group,Customer Group Name,Кориснички Назив групе
@@ -3488,14 +3511,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Извештај о токовима готовине
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Износ кредита не може бити већи од максимални износ кредита {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,лиценца
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},Молимо вас да уклоните ову фактуру {0} од Ц-Форм {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},Молимо вас да уклоните ову фактуру {0} од Ц-Форм {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Молимо изаберите пренети ако такође желите да укључите претходну фискалну годину је биланс оставља на ову фискалну годину
DocType: GL Entry,Against Voucher Type,Против Вауцер Типе
DocType: Item,Attributes,Атрибути
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,"Пожалуйста, введите списать счет"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,"Пожалуйста, введите списать счет"
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Последњи Низ Датум
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Рачун {0} не припада компанији {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Серијски бројеви у низу {0} не поклапа са Деливери Ноте
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Серијски бројеви у низу {0} не поклапа са Деливери Ноте
DocType: Student,Guardian Details,гуардиан Детаљи
DocType: C-Form,C-Form,Ц-Форм
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Марк Присуство за више радника
@@ -3510,16 +3533,16 @@
DocType: Budget Account,Budget Amount,Износ буџета
DocType: Appraisal Template,Appraisal Template Title,Процена Шаблон Наслов
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Од датума {0} за Запослени {1} не може бити прије уласка Дате запосленог {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,коммерческий
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,коммерческий
DocType: Payment Entry,Account Paid To,Рачун Паид То
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Родитељ артикла {0} не сме бити лагеру предмета
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Сви производи или услуге.
DocType: Expense Claim,More Details,Више детаља
DocType: Supplier Quotation,Supplier Address,Снабдевач Адреса
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} буџета за налог {1} против {2} {3} је {4}. То ће премашити по {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Ред {0} # Рачун мора бити типа 'основним средствима'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Од Кол
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Правила за израчунавање износа испоруке за продају
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Ред {0} # Рачун мора бити типа 'основним средствима'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Од Кол
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Правила за израчунавање износа испоруке за продају
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Серия является обязательным
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Финансијске услуге
DocType: Student Sibling,Student ID,студентска
@@ -3527,13 +3550,13 @@
DocType: Tax Rule,Sales,Продајни
DocType: Stock Entry Detail,Basic Amount,Основни Износ
DocType: Training Event,Exam,испит
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Склад требуется для складе Пункт {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Склад требуется для складе Пункт {0}
DocType: Leave Allocation,Unused leaves,Неискоришћени листови
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Кр
DocType: Tax Rule,Billing State,Тецх Стате
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Пренос
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} није повезана са Парти налог {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Фетцх експлодирала бом ( укључујући подсклопова )
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} није повезана са Парти налог {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Фетцх експлодирала бом ( укључујући подсклопова )
DocType: Authorization Rule,Applicable To (Employee),Важећи Да (запослених)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Дуе Дате обавезна
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Повећање за Аттрибуте {0} не може бити 0
@@ -3561,7 +3584,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Сировина Шифра
DocType: Journal Entry,Write Off Based On,Отпис Басед Он
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Маке Леад
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Принт и Папирна
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Принт и Папирна
DocType: Stock Settings,Show Barcode Field,Схов Баркод Поље
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Пошаљи Супплиер Емаилс
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Плата већ обрађени за период од {0} и {1}, Оставите период апликација не може бити између овај период."
@@ -3569,14 +3592,16 @@
DocType: Guardian Interest,Guardian Interest,гуардиан камата
apps/erpnext/erpnext/config/hr.py +177,Training,тренинг
DocType: Timesheet,Employee Detail,zaposleni Детаљи
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Гуардиан1 маил ИД
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Гуардиан1 маил ИД
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Гуардиан1 маил ИД
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Гуардиан1 маил ИД
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,Следећи датум је дан и поновите на дан месеца морају бити једнаки
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Подешавања за интернет страницама
DocType: Offer Letter,Awaiting Response,Очекујем одговор
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Горе
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Горе
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},Неважећи атрибут {0} {1}
DocType: Supplier,Mention if non-standard payable account,Поменули да нестандардни плаћа рачун
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Исто ставка је више пута ушао. {листа}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Молимо одаберите групу процене осим "Све за оцењивање група"
DocType: Salary Slip,Earning & Deduction,Зарада и дедукције
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Опционо . Ова поставка ће се користити за филтрирање у различитим трансакцијама .
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Негативно Вредновање курс није дозвољен
@@ -3590,9 +3615,9 @@
DocType: Sales Invoice,Product Bundle Help,Производ Бундле Помоћ
,Monthly Attendance Sheet,Гледалаца Месечни лист
DocType: Production Order Item,Production Order Item,Производња наруџбини купца
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Нема података фоунд
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Нема података фоунд
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Трошкови укинуо Ассет
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Трошкови Центар је обавезан за пункт {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Трошкови Центар је обавезан за пункт {2}
DocType: Vehicle,Policy No,politika Нема
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Гет ставки из производа Бундле
DocType: Asset,Straight Line,Права линија
@@ -3601,7 +3626,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Разделити
DocType: GL Entry,Is Advance,Да ли Адванце
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Гледалаца Од Датум и радног То Дате је обавезна
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,"Пожалуйста, введите ' Является субподряду "", как Да или Нет"
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,"Пожалуйста, введите ' Является субподряду "", как Да или Нет"
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Последњи Комуникација Датум
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Последњи Комуникација Датум
DocType: Sales Team,Contact No.,Контакт број
@@ -3630,60 +3655,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Отварање Вредност
DocType: Salary Detail,Formula,формула
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Сериал #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Комиссия по продажам
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Комиссия по продажам
DocType: Offer Letter Term,Value / Description,Вредност / Опис
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Ред # {0}: имовине {1} не може се поднети, већ је {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Ред # {0}: имовине {1} не може се поднети, већ је {2}"
DocType: Tax Rule,Billing Country,Zemlja naplate
DocType: Purchase Order Item,Expected Delivery Date,Очекивани Датум испоруке
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Дебитне и кредитне није једнака за {0} # {1}. Разлика је {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,представительские расходы
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Маке Материал захтев
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,представительские расходы
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Маке Материал захтев
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Отворено артикла {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Счет Продажи {0} должно быть отменено до отмены этого заказ клиента
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Старост
DocType: Sales Invoice Timesheet,Billing Amount,Обрачун Износ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,"Неверный количество, указанное для элемента {0} . Количество должно быть больше 0 ."
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Пријаве за одмор.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Счет с существующей сделки не могут быть удалены
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Счет с существующей сделки не могут быть удалены
DocType: Vehicle,Last Carbon Check,Последња Угљен Одлазак
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,судебные издержки
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,судебные издержки
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Молимо одаберите количину на реду
DocType: Purchase Invoice,Posting Time,Постављање Време
DocType: Timesheet,% Amount Billed,% Фактурисаних износа
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Телефон Расходы
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Телефон Расходы
DocType: Sales Partner,Logo,Лого
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Проверите ово ако желите да натера кориснику да одабере серију пре чувања. Неће бити подразумевано ако проверите ово.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Нет товара с серийным № {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Нет товара с серийным № {0}
DocType: Email Digest,Open Notifications,Отворене Обавештења
DocType: Payment Entry,Difference Amount (Company Currency),Разлика Износ (Фирма валута)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,прямые расходы
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,прямые расходы
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} је неважећа е-маил адреса у "Обавештење \ Емаил Аддресс '
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Нови Кориснички Приход
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Командировочные расходы
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Командировочные расходы
DocType: Maintenance Visit,Breakdown,Слом
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Рачун: {0} са валутом: {1} не може бити изабран
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Рачун: {0} са валутом: {1} не може бити изабран
DocType: Bank Reconciliation Detail,Cheque Date,Чек Датум
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Рачун {0}: {1 Родитељ рачун} не припада компанији: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Рачун {0}: {1 Родитељ рачун} не припада компанији: {2}
DocType: Program Enrollment Tool,Student Applicants,Студент Кандидати
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Успешно избрисали све трансакције везане за ову компанију!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Успешно избрисали све трансакције везане за ову компанију!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Као и на датум
DocType: Appraisal,HR,ХР
DocType: Program Enrollment,Enrollment Date,upis Датум
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,пробни рад
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,пробни рад
apps/erpnext/erpnext/config/hr.py +115,Salary Components,плата компоненте
DocType: Program Enrollment Tool,New Academic Year,Нова школска година
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Повратак / одобрењу кредита
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Повратак / одобрењу кредита
DocType: Stock Settings,Auto insert Price List rate if missing,Аутоматско уметак Ценовник стопа ако недостаје
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Укупно Плаћени износ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Укупно Плаћени износ
DocType: Production Order Item,Transferred Qty,Пренето Кти
apps/erpnext/erpnext/config/learn.py +11,Navigating,Навигација
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,планирање
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Издато
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,планирање
+DocType: Material Request,Issued,Издато
DocType: Project,Total Billing Amount (via Time Logs),Укупно цард Износ (преко Тиме Протоколи)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Ми продајемо ову ставку
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Добављач Ид
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Ми продајемо ову ставку
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Добављач Ид
DocType: Payment Request,Payment Gateway Details,Паимент Гатеваи Детаљи
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Количину треба већи од 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Количину треба већи од 0
DocType: Journal Entry,Cash Entry,Готовина Ступање
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Дете чворови се може створити само под типа чворова 'групе'
DocType: Leave Application,Half Day Date,Полудневни Датум
@@ -3695,14 +3721,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Молимо поставите подразумевани рачун у Расходи Цлаим тип {0}
DocType: Assessment Result,Student Name,Име студента
DocType: Brand,Item Manager,Тачка директор
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,паиролл оплате
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,паиролл оплате
DocType: Buying Settings,Default Supplier Type,Уобичајено Снабдевач Тип
DocType: Production Order,Total Operating Cost,Укупни оперативни трошкови
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Примечание: Пункт {0} вошли несколько раз
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Сви контакти.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Компанија Скраћеница
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Компанија Скраћеница
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Пользователь {0} не существует
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,"Сырье не может быть такой же, как главный пункт"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,"Сырье не может быть такой же, как главный пункт"
DocType: Item Attribute Value,Abbreviation,Скраћеница
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Плаћање Ступање већ постоји
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Не Authroized с {0} превышает пределы
@@ -3711,35 +3737,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Сет Пореска Правило за куповину
DocType: Purchase Invoice,Taxes and Charges Added,Порези и накнаде додавања
,Sales Funnel,Продаја Левак
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Држава је обавезна
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Држава је обавезна
DocType: Project,Task Progress,zadatak Напредак
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Колица
,Qty to Transfer,Количина за трансфер
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Цитати на води или клијената.
DocType: Stock Settings,Role Allowed to edit frozen stock,Улога дозвољено да мењате замрзнуте залихе
,Territory Target Variance Item Group-Wise,Территория Целевая Разница Пункт Группа Мудрого
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Все Группы клиентов
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Все Группы клиентов
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,картон Месечно
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} је обавезно. Можда Мењачница запис није створен за {1} на {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} је обавезно. Можда Мењачница запис није створен за {1} на {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Пореска Шаблон је обавезно.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Рачун {0}: {1 Родитељ рачун} не постоји
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Рачун {0}: {1 Родитељ рачун} не постоји
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Ценовник Цена (Друштво валута)
DocType: Products Settings,Products Settings,производи подешавања
DocType: Account,Temporary,Привремен
DocType: Program,Courses,kursevi
DocType: Monthly Distribution Percentage,Percentage Allocation,Проценат расподеле
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,секретар
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,секретар
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Ако онемогућавање, "у речима" пољу неће бити видљив у свакој трансакцији"
DocType: Serial No,Distinct unit of an Item,Разликује јединица стране јединице
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Молимо поставите Цомпани
DocType: Pricing Rule,Buying,Куповина
DocType: HR Settings,Employee Records to be created by,Евиденција запослених које ће креирати
DocType: POS Profile,Apply Discount On,Аппли попуста на
,Reqd By Date,Рекд по датуму
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Повериоци
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Повериоци
DocType: Assessment Plan,Assessment Name,Процена Име
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Ред # {0}: Серијски број је обавезан
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Пункт Мудрый Налоговый Подробно
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Институт држава
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Институт држава
,Item-wise Price List Rate,Ставка - мудар Ценовник курс
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Снабдевач Понуда
DocType: Quotation,In Words will be visible once you save the Quotation.,У речи ће бити видљив када сачувате цитат.
@@ -3747,14 +3774,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Количина ({0}) не може бити део у низу {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,таксе
DocType: Attendance,ATT-,АТТ-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Штрих {0} уже используется в пункте {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Штрих {0} уже используется в пункте {1}
DocType: Lead,Add to calendar on this date,Додај у календар овог датума
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Правила для добавления стоимости доставки .
DocType: Item,Opening Stock,otvaranje Сток
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Требуется клиентов
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} је обавезна за повратак
DocType: Purchase Order,To Receive,Примити
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,усер@екампле.цом
DocType: Employee,Personal Email,Лични Е-маил
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Укупна разлика
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Ако је укључен, систем ће писати уносе рачуноводствене инвентар аутоматски."
@@ -3766,13 +3792,14 @@
DocType: Customer,From Lead,Од Леад
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Поруџбине пуштен за производњу.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Изаберите Фискална година ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,ПОС Профил потребно да ПОС Ентри
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,ПОС Профил потребно да ПОС Ентри
DocType: Program Enrollment Tool,Enroll Students,упис студената
DocType: Hub Settings,Name Token,Име токен
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Стандардна Продаја
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Атлеаст једно складиште је обавезно
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Атлеаст једно складиште је обавезно
DocType: Serial No,Out of Warranty,Од гаранције
DocType: BOM Replace Tool,Replace,Заменити
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Нема нађених производа.
DocType: Production Order,Unstopped,Унстоппед
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} против продаје фактуре {1}
DocType: Sales Invoice,SINV-,СИНВ-
@@ -3783,13 +3810,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Вредност акције Разлика
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Људски Ресурси
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Плаћање Плаћање Помирење
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,налоговые активы
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,налоговые активы
DocType: BOM Item,BOM No,БОМ Нема
DocType: Instructor,INS/,ИНС /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Јоурнал Ентри {0} нема налог {1} или већ упарен против другог ваучера
DocType: Item,Moving Average,Мовинг Авераге
DocType: BOM Replace Tool,The BOM which will be replaced,БОМ који ће бити замењен
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,електронске опреме
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,електронске опреме
DocType: Account,Debit,Задужење
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Листья должны быть выделены несколько 0,5"
DocType: Production Order,Operation Cost,Операција кошта
@@ -3797,7 +3824,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Изузетан Амт
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Поставите циљеве ставку Групе мудро ову особу продаје.
DocType: Stock Settings,Freeze Stocks Older Than [Days],"Морозильники Акции старше, чем [ дней ]"
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Ред # {0}: имовине је обавезан за фиксни средстава куповине / продаје
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Ред # {0}: имовине је обавезан за фиксни средстава куповине / продаје
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Ако два или више Цене Правила су пронадјени на основу горе наведеним условима, Приоритет се примењује. Приоритет је број између 0 до 20, док стандардна вредност нула (празно). Већи број значи да ће имати предност ако постоји више Цене Правила са истим условима."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Фискална година: {0} не постоји
DocType: Currency Exchange,To Currency,Валутном
@@ -3806,7 +3833,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Продајном курсу за ставку {0} је нижи од својих {1}. Продаје стопа буде атлеаст {2}
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Продајном курсу за ставку {0} је нижи од својих {1}. Продаје стопа буде атлеаст {2}
DocType: Item,Taxes,Порези
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Паид и није испоручена
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Паид и није испоручена
DocType: Project,Default Cost Center,Уобичајено Трошкови Центар
DocType: Bank Guarantee,End Date,Датум завршетка
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,stock Трансакције
@@ -3831,24 +3858,22 @@
DocType: Employee,Held On,Одржана
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Производња артикла
,Employee Information,Запослени Информације
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Ставка (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Ставка (%)
DocType: Stock Entry Detail,Additional Cost,Додатни трошак
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Финансовый год Дата окончания
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Не можете да филтрирате на основу ваучер Не , ако груписани по ваучер"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Направи понуду добављача
DocType: Quality Inspection,Incoming,Долазни
DocType: BOM,Materials Required (Exploded),Материјали Обавезно (Екплодед)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Додај корисника у вашој организацији, осим себе"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Датум постања не може бити будућност датум
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Ред # {0}: Серијски број {1} не одговара {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Повседневная Оставить
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Повседневная Оставить
DocType: Batch,Batch ID,Батцх ИД
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Примечание: {0}
,Delivery Note Trends,Достава Напомена трендови
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Овонедељном Преглед
-,In Stock Qty,На залихама Количина
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,На залихама Количина
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Рачун: {0} може да се ажурира само преко Стоцк промету
-DocType: Program Enrollment,Get Courses,Гет Курсеви
+DocType: Student Group Creation Tool,Get Courses,Гет Курсеви
DocType: GL Entry,Party,Странка
DocType: Sales Order,Delivery Date,Датум испоруке
DocType: Opportunity,Opportunity Date,Прилика Датум
@@ -3856,14 +3881,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Захтев за понуду тачком
DocType: Purchase Order,To Bill,Билу
DocType: Material Request,% Ordered,% Од А до Ж
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","За Студент Гроуп курс заснован, Курс ће бити потврђена за сваког студента из уписаних курсева у програм Упис."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Унесите е-маил адреса зарезима, фактура ће аутоматски бити послат на одређени датум"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,рад плаћен на акорд
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,рад плаћен на акорд
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Про. Куповни
DocType: Task,Actual Time (in Hours),Тренутно време (у сатима)
DocType: Employee,History In Company,Историја У друштву
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Билтен
DocType: Stock Ledger Entry,Stock Ledger Entry,Берза Леџер Ентри
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Кориснички> Кориснички Група> Територија
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Исто ставка је ушла више пута
DocType: Department,Leave Block List,Оставите Блоцк Лист
DocType: Sales Invoice,Tax ID,ПИБ
@@ -3878,30 +3903,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} јединице {1} потребна {2} довршите ову трансакцију.
DocType: Loan Type,Rate of Interest (%) Yearly,Каматна стопа (%) Годишња
DocType: SMS Settings,SMS Settings,СМС подешавања
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Привремене рачуни
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Црн
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Привремене рачуни
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Црн
DocType: BOM Explosion Item,BOM Explosion Item,БОМ Експлозија шифра
DocType: Account,Auditor,Ревизор
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} ставки производе
DocType: Cheque Print Template,Distance from top edge,Удаљеност од горње ивице
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Ценовник {0} је онемогућена или не постоји
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Ценовник {0} је онемогућена или не постоји
DocType: Purchase Invoice,Return,Повратак
DocType: Production Order Operation,Production Order Operation,Производња Ордер Операција
DocType: Pricing Rule,Disable,запрещать
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Начин плаћања је обавезан да изврши уплату
DocType: Project Task,Pending Review,Чека критику
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} није уписано у Батцх {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Средство {0} не може бити укинута, јер је већ {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Укупни расходи Цлаим (преко Екпенсе потраживања)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Кориснички Ид
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,марк Одсутан
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Ред {0}: Валута у БОМ # {1} треба да буде једнака изабране валуте {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Ред {0}: Валута у БОМ # {1} треба да буде једнака изабране валуте {2}
DocType: Journal Entry Account,Exchange Rate,Курс
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Заказ на продажу {0} не представлено
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Заказ на продажу {0} не представлено
DocType: Homepage,Tag Line,таг линија
DocType: Fee Component,Fee Component,naknada Компонента
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Управљање возним парком
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Адд ставке из
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Магацин {0}: {1 Родитељ рачун} не Болонг предузећу {2}
DocType: Cheque Print Template,Regular,редован
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Укупно Веигхтаге свих критеријума процене мора бити 100%
DocType: BOM,Last Purchase Rate,Последња куповина Стопа
@@ -3910,11 +3934,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Стоцк не може постојати за ставку {0} од има варијанте
,Sales Person-wise Transaction Summary,Продавац у питању трансакција Преглед
DocType: Training Event,Contact Number,Контакт број
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Магацин {0} не постоји
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Магацин {0} не постоји
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Регистер За ЕРПНект Хуб
DocType: Monthly Distribution,Monthly Distribution Percentages,Месечни Дистрибуција Проценти
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Изабрана опција не може имати Батцх
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Процена стопа није пронађен за тачком {0}, која је потребна да уради рачуноводствене ставке за {1} {2}. Ако је ставка трансакцијама као ставка узорка у {1}, молимо вас да поменете да је у {1} табели тачка. У супротном, молимо вас да створи долазни стоцк трансакцију за стопу процене тачка или поменути у записнику јединице, а затим покушајте достављање / отказивања тхис ентри"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Процена стопа није пронађен за тачком {0}, која је потребна да уради рачуноводствене ставке за {1} {2}. Ако је ставка трансакцијама као ставка узорка у {1}, молимо вас да поменете да је у {1} табели тачка. У супротном, молимо вас да створи долазни стоцк трансакцију за стопу процене тачка или поменути у записнику јединице, а затим покушајте достављање / отказивања тхис ентри"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% испоручених материјала на основу ове Отпремнице
DocType: Project,Customer Details,Кориснички Детаљи
DocType: Employee,Reports to,Извештаји
@@ -3922,41 +3946,43 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Унесите УРЛ параметар за пријемник бр
DocType: Payment Entry,Paid Amount,Плаћени Износ
DocType: Assessment Plan,Supervisor,надзорник
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,мрежи
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,мрежи
,Available Stock for Packing Items,На располагању лагер за паковање ставке
DocType: Item Variant,Item Variant,Итем Варијанта
DocType: Assessment Result Tool,Assessment Result Tool,Алат Резултат процена
DocType: BOM Scrap Item,BOM Scrap Item,БОМ отпад артикла
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Достављени налози се не могу избрисати
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Стање рачуна већ у задуживање, није вам дозвољено да поставите 'Стање Муст Бе' као 'Кредит'"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Управљање квалитетом
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Достављени налози се не могу избрисати
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Стање рачуна већ у задуживање, није вам дозвољено да поставите 'Стање Муст Бе' као 'Кредит'"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Управљање квалитетом
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Итем {0} је онемогућен
DocType: Employee Loan,Repay Fixed Amount per Period,Отплатити фиксан износ по периоду
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},"Пожалуйста, введите количество для Пункт {0}"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Кредит Напомена Амт
DocType: Employee External Work History,Employee External Work History,Запослени Спољни Рад Историја
DocType: Tax Rule,Purchase,Куповина
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Стање Кол
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Стање Кол
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Циљеви не може бити празна
DocType: Item Group,Parent Item Group,Родитељ тачка Група
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} за {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Цост центри
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Цост центри
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Стопа по којој је добављач валута претвара у основну валуту компаније
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Ров # {0}: ТИМИНГС сукоби са редом {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Дозволите Зеро Вредновање Рате
DocType: Training Event Employee,Invited,позван
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Више активни структуре плате фоунд фор запосленом {0} за одређени датум
DocType: Opportunity,Next Contact,Следећа Контакт
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Сетуп Гатеваи рачуни.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Сетуп Гатеваи рачуни.
DocType: Employee,Employment Type,Тип запослења
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,капитальные активы
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,капитальные активы
DocType: Payment Entry,Set Exchange Gain / Loss,Сет курсне / Губитак
+,GST Purchase Register,ПДВ Куповина Регистрација
,Cash Flow,Protok novca
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Период примене не могу бити на два намјена евиденције
DocType: Item Group,Default Expense Account,Уобичајено Трошкови налога
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Студент-маил ИД
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Студент-маил ИД
DocType: Employee,Notice (days),Обавештење ( дана )
DocType: Tax Rule,Sales Tax Template,Порез на промет Шаблон
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Изабрали ставке да спасе фактуру
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Изабрали ставке да спасе фактуру
DocType: Employee,Encashment Date,Датум Енцасхмент
DocType: Training Event,Internet,Интернет
DocType: Account,Stock Adjustment,Фото со Регулировка
@@ -3984,7 +4010,7 @@
DocType: Guardian,Guardian Of ,čuvar
DocType: Grading Scale Interval,Threshold,праг
DocType: BOM Replace Tool,Current BOM,Тренутни БОМ
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Додај сериал но
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Додај сериал но
apps/erpnext/erpnext/config/support.py +22,Warranty,гаранција
DocType: Purchase Invoice,Debit Note Issued,Задужењу Издато
DocType: Production Order,Warehouses,Складишта
@@ -3993,20 +4019,20 @@
DocType: Workstation,per hour,на сат
apps/erpnext/erpnext/config/buying.py +7,Purchasing,Куповина
DocType: Announcement,Announcement,објава
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Рачун за складишта ( сталне инвентуре ) ће бити направљен у оквиру овог рачуна .
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Склад не может быть удален как существует запись складе книга для этого склада .
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","За студентске групе Серија засноване, Студентски Серија ће бити потврђена за сваки студент из програма упис."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Склад не может быть удален как существует запись складе книга для этого склада .
DocType: Company,Distribution,Дистрибуција
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Износ Плаћени
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Пројецт Манагер
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Пројецт Манагер
,Quoted Item Comparison,Цитирано артикла Поређење
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,депеша
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Максимална дозвољена попуст за ставку: {0} је {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,депеша
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Максимална дозвољена попуст за ставку: {0} је {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Нето вредност имовине као на
DocType: Account,Receivable,Дебиторская задолженность
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Ред # {0}: Није дозвољено да промени снабдевача као Пурцхасе Ордер већ постоји
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Ред # {0}: Није дозвољено да промени снабдевача као Пурцхасе Ордер већ постоји
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Улога која је дозвољено да поднесе трансакције које превазилазе кредитне лимите.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Изабери ставке у Производња
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Основни подаци синхронизације, то би могло да потраје"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Изабери ставке у Производња
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Основни подаци синхронизације, то би могло да потраје"
DocType: Item,Material Issue,Материјал Издање
DocType: Hub Settings,Seller Description,Продавац Опис
DocType: Employee Education,Qualification,Квалификација
@@ -4026,7 +4052,6 @@
DocType: BOM,Rate Of Materials Based On,Стопа материјала на бази
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Подршка Аналтиицс
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Искључи све
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Компания на складах отсутствует {0}
DocType: POS Profile,Terms and Conditions,Услови
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Да би требало да буде дата у фискалну годину. Под претпоставком То Дате = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Овде можете одржавати висина, тежина, алергија, медицинску забринутост сл"
@@ -4041,19 +4066,18 @@
DocType: Sales Order Item,For Production,За производњу
DocType: Payment Request,payment_url,паимент_урл
DocType: Project Task,View Task,Погледај Задатак
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Ваша финансијска година почиње
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Опп / Олово%
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Опп / Олово%
DocType: Material Request,MREQ-,МРЕК-
,Asset Depreciations and Balances,Средстава Амортизација и ваге
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Износ {0} {1} је прешао из {2} у {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Износ {0} {1} је прешао из {2} у {3}
DocType: Sales Invoice,Get Advances Received,Гет аванси
DocType: Email Digest,Add/Remove Recipients,Адд / Ремове прималаца
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Сделка не допускается в отношении остановил производство ордена {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Сделка не допускается в отношении остановил производство ордена {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Да бисте подесили ову фискалну годину , као подразумевајуће , кликните на "" Сет ас Дефаулт '"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,Придружити
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Придружити
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Мањак Количина
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Тачка варијанта {0} постоји са истим атрибутима
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Тачка варијанта {0} постоји са истим атрибутима
DocType: Employee Loan,Repay from Salary,Отплатити од плате
DocType: Leave Application,LAP/,ЛАП /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Тражећи исплату од {0} {1} за износ {2}
@@ -4064,34 +4088,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Генерисати паковање признанице за да буде испоручена пакети. Користи се за обавијести пакет број, Садржај пакета и његову тежину."
DocType: Sales Invoice Item,Sales Order Item,Продаја Наручите артикла
DocType: Salary Slip,Payment Days,Дана исплате
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Складишта са дететом чворова не могу се претворити у ЛЕДГЕР
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Складишта са дететом чворова не могу се претворити у ЛЕДГЕР
DocType: BOM,Manage cost of operations,Управљање трошкове пословања
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Када неки од селектираних трансакција "Послао", е поп-уп аутоматски отворила послати емаил на вези "Контакт" у тој трансакцији, са трансакцијом као прилог. Корисник може или не може да пошаље поруку."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Глобальные настройки
DocType: Assessment Result Detail,Assessment Result Detail,Процена резултата Детаљ
DocType: Employee Education,Employee Education,Запослени Образовање
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Дупликат ставка група наћи у табели тачка групе
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,Потребно је да се донесе Сведениа.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,Потребно је да се донесе Сведениа.
DocType: Salary Slip,Net Pay,Нето плата
DocType: Account,Account,рачун
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Серийный номер {0} уже получил
,Requested Items To Be Transferred,Тражени Артикли ће се пренети
DocType: Expense Claim,Vehicle Log,возило се
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Магацин {0} није повезан на било који рачун, креирајте / Линк одговарајући (актива) налог за складиште."
DocType: Purchase Invoice,Recurring Id,Понављајући Ид
DocType: Customer,Sales Team Details,Продајни тим Детаљи
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Обриши трајно?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Обриши трајно?
DocType: Expense Claim,Total Claimed Amount,Укупан износ полаже
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Потенцијалне могућности за продају.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Неважећи {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Отпуск по болезни
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Неважећи {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Отпуск по болезни
DocType: Email Digest,Email Digest,Е-маил Дигест
DocType: Delivery Note,Billing Address Name,Адреса за наплату Име
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Робне куце
DocType: Warehouse,PIN,ПИН-
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Подесите школа у ЕРПНект
DocType: Sales Invoice,Base Change Amount (Company Currency),База Промена Износ (Фирма валута)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Нет учетной записи для следующих складов
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Нет учетной записи для следующих складов
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Први Сачувајте документ.
DocType: Account,Chargeable,Наплатив
DocType: Company,Change Abbreviation,Промена скраћеница
@@ -4109,7 +4132,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Ожидаемая дата поставки не может быть до заказа на Дата
DocType: Appraisal,Appraisal Template,Процена Шаблон
DocType: Item Group,Item Classification,Итем Класификација
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Менаџер за пословни развој
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Менаџер за пословни развој
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Одржавање посета Сврха
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,период
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Главна књига
@@ -4119,8 +4142,8 @@
DocType: Item Attribute Value,Attribute Value,Вредност атрибута
,Itemwise Recommended Reorder Level,Препоручени ниво Итемвисе Реордер
DocType: Salary Detail,Salary Detail,плата Детаљ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,Изаберите {0} први
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Батцх {0} од тачке {1} је истекао.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Изаберите {0} први
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Батцх {0} од тачке {1} је истекао.
DocType: Sales Invoice,Commission,комисија
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Време лист за производњу.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,сума ставке
@@ -4131,6 +4154,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,"""Замрзни акције старије од"" треба да буде мање од %d дана."
DocType: Tax Rule,Purchase Tax Template,Порез на промет Темплате
,Project wise Stock Tracking,Пројекат мудар Праћење залиха
+DocType: GST HSN Code,Regional,Регионални
DocType: Stock Entry Detail,Actual Qty (at source/target),Стварни Кол (на извору / циљне)
DocType: Item Customer Detail,Ref Code,Реф Код
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Запослених евиденција.
@@ -4141,13 +4165,13 @@
DocType: Email Digest,New Purchase Orders,Нове наруџбеницама
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Корен не може имати центар родитеља трошкова
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Изабери Марка ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Обука Евентс / Ресултс
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Акумулирана амортизација као на
DocType: Sales Invoice,C-Form Applicable,Ц-примењује
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Операција време мора бити већи од 0 за операцију {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Складиште је обавезно
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Складиште је обавезно
DocType: Supplier,Address and Contacts,Адреса и контакти
DocType: UOM Conversion Detail,UOM Conversion Detail,УОМ Конверзија Детаљ
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Држите га веб пријатељски 900пк ( В ) од 100пк ( х )
DocType: Program,Program Abbreviation,програм држава
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Производња поредак не може бити подигнута против тачка Темплате
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Оптужбе се ажурирају у рачуном против сваке ставке
@@ -4155,13 +4179,13 @@
DocType: Bank Guarantee,Start Date,Датум почетка
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Выделите листья на определенный срок.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Чекови и депозити погрешно ситуацију
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Рачун {0}: Не може да се доделити као родитељ налог
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Рачун {0}: Не може да се доделити као родитељ налог
DocType: Purchase Invoice Item,Price List Rate,Ценовник Оцени
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Створити цитате купаца
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Схов "У складишту" или "Није у складишту" заснован на лагеру на располагању у овом складишту.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Саставнице (БОМ)
DocType: Item,Average time taken by the supplier to deliver,Просечно време које је добављач за испоруку
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,Процена резултата
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,Процена резултата
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Радно време
DocType: Project,Expected Start Date,Очекивани датум почетка
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Уклоните ставку ако оптужбе се не примењује на ту ставку
@@ -4175,25 +4199,24 @@
DocType: Workstation,Operating Costs,Оперативни трошкови
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Акција ако целокупна месечна буџет Екцеедед
DocType: Purchase Invoice,Submit on creation,Пошаљи на стварању
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Валута за {0} мора бити {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Валута за {0} мора бити {1}
DocType: Asset,Disposal Date,odlaganje Датум
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Емаилс ће бити послат свим активних радника компаније у датом сат времена, ако немају одмора. Сажетак одговора ће бити послат у поноћ."
DocType: Employee Leave Approver,Employee Leave Approver,Запослени одсуство одобраватељ
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Ров {0}: Унос Прераспоређивање већ постоји у овој магацин {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Ров {0}: Унос Прераспоређивање већ постоји у овој магацин {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Не могу прогласити као изгубљен , јер Понуда је учињен ."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,обука Контакт
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Производственный заказ {0} должны быть представлены
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Производственный заказ {0} должны быть представлены
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},"Пожалуйста, выберите дату начала и дату окончания Пункт {0}"
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Наравно обавезна је у реду {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,До данас не може бити раније од датума
DocType: Supplier Quotation Item,Prevdoc DocType,Превдоц ДОЦТИПЕ
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Додај / измени Прицес
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Додај / измени Прицес
DocType: Batch,Parent Batch,родитељ Серија
DocType: Batch,Parent Batch,родитељ Серија
DocType: Cheque Print Template,Cheque Print Template,Чек Штампа Шаблон
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Дијаграм трошкова центара
,Requested Items To Be Ordered,Тражени ставке за Ж
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,Складиште компанија мора бити исти као друштво Аццоунт
DocType: Price List,Price List Name,Ценовник Име
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Дневни Рад Преглед за {0}
DocType: Employee Loan,Totals,Укупно
@@ -4215,55 +4238,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Введите действительные мобильных NOS
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Пожалуйста, введите сообщение перед отправкой"
DocType: Email Digest,Pending Quotations,у току Куотатионс
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Поинт-оф-Сале Профиле
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Поинт-оф-Сале Профиле
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Молимо Упдате СМС Сеттингс
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,необеспеченных кредитов
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,необеспеченных кредитов
DocType: Cost Center,Cost Center Name,Трошкови Име центар
DocType: Employee,B+,Б +
DocType: HR Settings,Max working hours against Timesheet,Мак радног времена против ТимеСхеет
DocType: Maintenance Schedule Detail,Scheduled Date,Планиран датум
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Укупно Плаћени Амт
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Укупно Плаћени Амт
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Порука већи од 160 карактера ће бити подељен на више Упис
DocType: Purchase Receipt Item,Received and Accepted,Примио и прихватио
+,GST Itemised Sales Register,ПДВ ставкама продаје Регистрација
,Serial No Service Contract Expiry,Серијски број услуга Уговор Истек
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Ви не можете кредитних и дебитних исти налог у исто време
DocType: Naming Series,Help HTML,Помоћ ХТМЛ
DocType: Student Group Creation Tool,Student Group Creation Tool,Студент Група Стварање Алат
DocType: Item,Variant Based On,Варијанту засновану на
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Всего Weightage назначен должна быть 100% . Это {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Ваши Добављачи
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Ваши Добављачи
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Не можете поставити као Лост као Продаја Наручите је направљен .
DocType: Request for Quotation Item,Supplier Part No,Добављач Део Бр
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',не могу одбити када категорија је за "процену вредности" или "Ваулатион и Тотал '
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Primio od
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Primio od
DocType: Lead,Converted,Претворено
DocType: Item,Has Serial No,Има Серијски број
DocType: Employee,Date of Issue,Датум издавања
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Од {0} {1} за
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Према куповина Сеттингс ако објекат Рециепт Обавезно == 'ДА', а затим за стварање фактури, корисник треба да креира Куповина потврду за прву ставку за {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Ред # {0}: Сет добављача за ставку {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Ред {0}: Сати вредност мора бити већа од нуле.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Сајт Слика {0} везани са тачком {1} не могу наћи
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Сајт Слика {0} везани са тачком {1} не могу наћи
DocType: Issue,Content Type,Тип садржаја
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,рачунар
DocType: Item,List this Item in multiple groups on the website.,Наведи ову ставку у више група на сајту.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Молимо вас да проверите Мулти валута опцију да дозволи рачуне са другој валути
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Итем: {0} не постоји у систему
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Нисте овлашћени да подесите вредност Фрозен
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Итем: {0} не постоји у систему
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Нисте овлашћени да подесите вредност Фрозен
DocType: Payment Reconciliation,Get Unreconciled Entries,Гет неусаглашених уносе
DocType: Payment Reconciliation,From Invoice Date,Од Датум рачуна
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,"валута наплате мора бити једнака валути или странка рачуна валути било једног, било дефаулт цомапани је"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Оставите уновчења
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Шта он ради ?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,"валута наплате мора бити једнака валути или странка рачуна валути било једног, било дефаулт цомапани је"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Оставите уновчења
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Шта он ради ?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Да Варехоусе
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Све Студент Пријемни
,Average Commission Rate,Просечан курс Комисија
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,"""Има серијски број"" не може бити ""Да"" за артикл који није на залихама"
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""Има серијски број"" не може бити ""Да"" за артикл који није на залихама"
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Гледалаца не може бити означен за будуће датуме
DocType: Pricing Rule,Pricing Rule Help,Правилник о ценама Помоћ
DocType: School House,House Name,хоусе Име
DocType: Purchase Taxes and Charges,Account Head,Рачун шеф
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Упдате додатне трошкове да израчуна слетео трошак ставке
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,электрический
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,электрический
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Додајте остатак свог организације као своје кориснике. Такође можете да додате позвати купце да вашем порталу тако да их додају из контаката
DocType: Stock Entry,Total Value Difference (Out - In),Укупна вредност Разлика (Оут - Ин)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Ред {0}: курс је обавезна
@@ -4273,7 +4298,7 @@
DocType: Item,Customer Code,Кориснички Код
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Подсетник за рођендан за {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Дана Од Последња Наручи
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Дебитна на рачун мора да буде биланса стања
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Дебитна на рачун мора да буде биланса стања
DocType: Buying Settings,Naming Series,Именовање Сериес
DocType: Leave Block List,Leave Block List Name,Оставите Име листу блокираних
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Осигурање Датум почетка треба да буде мања од осигурања Енд дате
@@ -4288,27 +4313,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Плата Слип запосленог {0} већ креиран за време стања {1}
DocType: Vehicle Log,Odometer,мерач за пређени пут
DocType: Sales Order Item,Ordered Qty,Ж Кол
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Ставка {0} је онемогућен
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Ставка {0} је онемогућен
DocType: Stock Settings,Stock Frozen Upto,Берза Фрозен Упто
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,БОМ не садржи никакву стоцк итем
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,БОМ не садржи никакву стоцк итем
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Период од периода до датума и обавезних се понављају {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Пројекат активност / задатак.
DocType: Vehicle Log,Refuelling Details,Рефуеллинг Детаљи
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Генериши стаје ПЛАТА
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Куповина се мора проверити, ако је применљиво Јер је изабрана као {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Куповина се мора проверити, ако је применљиво Јер је изабрана као {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Скидка должна быть меньше 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Последња куповина стопа није пронађен
DocType: Purchase Invoice,Write Off Amount (Company Currency),Отпис Износ (Фирма валута)
DocType: Sales Invoice Timesheet,Billing Hours,обрачун сат
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,Уобичајено БОМ за {0} није пронађен
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Ред # {0}: Молим вас сет количину преусмеравање
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Ред # {0}: Молим вас сет количину преусмеравање
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Додирните ставке да их додати
DocType: Fees,Program Enrollment,програм Упис
DocType: Landed Cost Voucher,Landed Cost Voucher,Слетео Трошкови Ваучер
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},"Пожалуйста, установите {0}"
DocType: Purchase Invoice,Repeat on Day of Month,Поновите на дан у месецу
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} неактиван Студент
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} неактиван Студент
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} неактиван Студент
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} неактиван Студент
DocType: Employee,Health Details,Здравље Детаљи
DocType: Offer Letter,Offer Letter Terms,Понуда Леттер Услови
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Да бисте направили захтев за плаћање је потребан референтни документ
@@ -4331,7 +4356,7 @@
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Пример:. АБЦД #####
Ако Радња је смештена и серијски број се не помиње у трансакцијама, онда аутоматски серијски број ће бити креирана на основу ове серије. Ако сте одувек желели да помиње експлицитно Сериал Нос за ову ставку. оставите празно."
DocType: Upload Attendance,Upload Attendance,Уплоад присуствовање
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,БОМ и Производња Количина се тражи
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,БОМ и Производња Количина се тражи
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Старење Опсег 2
DocType: SG Creation Tool Course,Max Strength,мак Снага
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,БОМ заменио
@@ -4341,8 +4366,8 @@
,Prospects Engaged But Not Converted,Изгледи ангажовани али не конвертују
DocType: Manufacturing Settings,Manufacturing Settings,Производња Подешавања
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Подешавање Е-маил
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Гуардиан1 Мобилни број
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,"Пожалуйста, введите валюту по умолчанию в компании Master"
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Гуардиан1 Мобилни број
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,"Пожалуйста, введите валюту по умолчанию в компании Master"
DocType: Stock Entry Detail,Stock Entry Detail,Берза Унос Детаљ
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Дневни Подсетник
DocType: Products Settings,Home Page is Products,Почетна страница је Производи
@@ -4351,7 +4376,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Нови налог Име
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Сировине комплету Цост
DocType: Selling Settings,Settings for Selling Module,Подешавања за Селлинг Модуле
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Кориснички сервис
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Кориснички сервис
DocType: BOM,Thumbnail,Умањени
DocType: Item Customer Detail,Item Customer Detail,Ставка Кориснички Детаљ
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Понуда кандидат посла.
@@ -4360,7 +4385,7 @@
DocType: Pricing Rule,Percentage,проценат
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Пункт {0} должен быть запас товара
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Уобичајено Ворк Ин Прогресс Варехоусе
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Настройки по умолчанию для бухгалтерских операций .
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Настройки по умолчанию для бухгалтерских операций .
DocType: Maintenance Visit,MV,СН
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Очекивани датум не може бити пре Материјал Захтев Датум
DocType: Purchase Invoice Item,Stock Qty,стоцк ком
@@ -4373,10 +4398,10 @@
DocType: Sales Order,Printing Details,Штампање Детаљи
DocType: Task,Closing Date,Датум затварања
DocType: Sales Order Item,Produced Quantity,Произведена количина
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,инжењер
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,инжењер
DocType: Journal Entry,Total Amount Currency,Укупан износ Валута
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Тражи Суб скупштине
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Код товара требуется на Row Нет {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Код товара требуется на Row Нет {0}
DocType: Sales Partner,Partner Type,Партнер Тип
DocType: Purchase Taxes and Charges,Actual,Стваран
DocType: Authorization Rule,Customerwise Discount,Цустомервисе Попуст
@@ -4393,11 +4418,11 @@
DocType: Item Reorder,Re-Order Level,Поново би Левел
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Унесите ставке и планирани Кол за које желите да подигне наређења производне или преузети сировине за анализу.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Гантт Цхарт
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Скраћено
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Скраћено
DocType: Employee,Applicable Holiday List,Важећи Холидаи Листа
DocType: Employee,Cheque,Чек
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Серия Обновлено
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Тип отчета является обязательным
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Тип отчета является обязательным
DocType: Item,Serial Number Series,Серијски број серија
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Склад является обязательным для складе Пункт {0} в строке {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Малопродаја и велепродаја
@@ -4419,7 +4444,7 @@
DocType: BOM,Materials,Материјали
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Ако се не проверава, листа ће морати да се дода сваком одељењу где има да се примењује."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Изворни и циљни Магацин не могу бити исти
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Дата публикации и постављање време је обавезна
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Дата публикации и постављање време је обавезна
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Налоговый шаблон для покупки сделок.
,Item Prices,Итем Цене
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,У речи ће бити видљив када сачувате поруџбеницу.
@@ -4429,22 +4454,23 @@
DocType: Purchase Invoice,Advance Payments,Адванце Плаћања
DocType: Purchase Taxes and Charges,On Net Total,Он Нет Укупно
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Вредност за атрибут {0} мора бити у распону од {1} {2} у корацима од {3} за тачком {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,"Целевая склад в строке {0} должно быть таким же , как производственного заказа"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,"Целевая склад в строке {0} должно быть таким же , как производственного заказа"
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,'Нотифицатион Емаил Аддрессес' не указано се понављају и% с
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,Валута не може да се промени након што уносе користите неки други валуте
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Валута не може да се промени након што уносе користите неки други валуте
DocType: Vehicle Service,Clutch Plate,цлутцх плате
DocType: Company,Round Off Account,Заокружити рачун
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,административные затраты
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,административные затраты
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Консалтинг
DocType: Customer Group,Parent Customer Group,Родитељ групу потрошача
DocType: Purchase Invoice,Contact Email,Контакт Емаил
DocType: Appraisal Goal,Score Earned,Оцена Еарнед
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Отказни рок
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Отказни рок
DocType: Asset Category,Asset Category Name,Средство Име категорије
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,То јекорен територија и не могу да се мењају .
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Продаја нових особа Име
DocType: Packing Slip,Gross Weight UOM,Бруто тежина УОМ
DocType: Delivery Note Item,Against Sales Invoice,Против продаје фактура
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Молимо унесите серијске бројеве за серијализованом ставку
DocType: Bin,Reserved Qty for Production,Резервисан Кти за производњу
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Остави неконтролисано ако не желите да размотри серије правећи курса на бази групе.
DocType: Asset,Frequency of Depreciation (Months),Учесталост амортизације (месеци)
@@ -4452,25 +4478,25 @@
DocType: Landed Cost Item,Landed Cost Item,Слетео Цена артикла
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Схов нула вредности
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Количина тачке добија након производњи / препакивање од датих количине сировина
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Подешавање једноставан сајт за своју организацију
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Подешавање једноставан сајт за своју организацију
DocType: Payment Reconciliation,Receivable / Payable Account,Примања / обавезе налог
DocType: Delivery Note Item,Against Sales Order Item,Против продаје Ордер тачком
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},Наведите Вредност атрибута за атрибут {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},Наведите Вредност атрибута за атрибут {0}
DocType: Item,Default Warehouse,Уобичајено Магацин
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Буџет не може бити додељен против групе рачуна {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,"Пожалуйста, введите МВЗ родительский"
DocType: Delivery Note,Print Without Amount,Принт Без Износ
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,Амортизација Датум
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Пореска Категорија не може бити "" Процена "" или "" Вредновање и Тотал "" , као сви предмети су не- залихама"
DocType: Issue,Support Team,Тим за подршку
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Истека (у данима)
DocType: Appraisal,Total Score (Out of 5),Укупна оцена (Оут оф 5)
DocType: Fee Structure,FS.,ФС.
-DocType: Program Enrollment,Batch,Серија
+DocType: Student Attendance Tool,Batch,Серија
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Баланс
DocType: Room,Seating Capacity,Број седишта
DocType: Issue,ISS-,ИСС-
DocType: Project,Total Expense Claim (via Expense Claims),Укупни расходи Цлаим (преко Расходи потраживања)
+DocType: GST Settings,GST Summary,ПДВ Преглед
DocType: Assessment Result,Total Score,Крајњи резултат
DocType: Journal Entry,Debit Note,Задужењу
DocType: Stock Entry,As per Stock UOM,По берза ЗОЦГ
@@ -4482,12 +4508,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Уобичајено готове робе Складиште
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Продаја Особа
DocType: SMS Parameter,SMS Parameter,СМС Параметар
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Буџет и трошкова центар
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Буџет и трошкова центар
DocType: Vehicle Service,Half Yearly,Пола Годишњи
DocType: Lead,Blog Subscriber,Блог Претплатник
DocType: Guardian,Alternate Number,Алтернативни број
DocType: Assessment Plan Criteria,Maximum Score,Максимални резултат
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Создание правил для ограничения операций на основе значений .
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Група ролл Нема
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Оставите празно ако се студентима групе годишње
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Оставите празно ако се студентима групе годишње
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Уколико је означено, Укупно нема. радних дана ће се укључити празника, а то ће смањити вредност зараде по дану"
@@ -4506,6 +4533,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Ово је засновано на трансакције против овог клијента. Погледајте рок доле за детаље
DocType: Supplier,Credit Days Based On,Кредитни дана по основу
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Ред {0}: Додељени износ {1} мора бити мање или једнако на износ уплате ступања {2}
+,Course wise Assessment Report,Наравно мудар Извештај о процени
DocType: Tax Rule,Tax Rule,Пореска Правило
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Одржавајте исту стопу Широм продајног циклуса
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,План време дневнике ван Воркстатион радног времена.
@@ -4514,7 +4542,7 @@
,Items To Be Requested,Артикли бити затражено
DocType: Purchase Order,Get Last Purchase Rate,Гет Ласт Рате Куповина
DocType: Company,Company Info,Подаци фирме
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Изабрати или додати новог купца
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Изабрати или додати новог купца
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Трошка је обавезан да резервишете трошковима захтев
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Применение средств ( активов )
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Ово је засновано на похађања овог запосленог
@@ -4522,27 +4550,29 @@
DocType: Fiscal Year,Year Start Date,Датум почетка године
DocType: Attendance,Employee Name,Запослени Име
DocType: Sales Invoice,Rounded Total (Company Currency),Заобљени Укупно (Друштво валута)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,Не могу да цоверт групи јер је изабран Тип рачуна.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Не могу да цоверт групи јер је изабран Тип рачуна.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} был изменен. Обновите .
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Стоп кориснике од доношења Леаве апликација на наредним данима.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Куповина Количина
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Добављач Понуда {0} је направљена
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,До краја године не може бити пре почетка године
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Примања запослених
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Примања запослених
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Упакованные количество должно равняться количество для Пункт {0} в строке {1}
DocType: Production Order,Manufactured Qty,Произведено Кол
DocType: Purchase Receipt Item,Accepted Quantity,Прихваћено Количина
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Молимо подесите подразумевани Хамптон Лист за запосленог {0} или Фирма {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} не постоји
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} не постоји
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Изаберите Батцх Бројеви
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Рачуни подигао купцима.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Ид пројецт
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Ред Не {0}: Износ не може бити већи од очекивању износ од трошковником потраживања {1}. У очекивању Износ је {2}
DocType: Maintenance Schedule,Schedule,Распоред
DocType: Account,Parent Account,Родитељ рачуна
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Доступно
DocType: Quality Inspection Reading,Reading 3,Читање 3
,Hub,Средиште
DocType: GL Entry,Voucher Type,Тип ваучера
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Ценовник није пронађен или онемогућен
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Ценовник није пронађен или онемогућен
DocType: Employee Loan Application,Approved,Одобрено
DocType: Pricing Rule,Price,цена
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',"Сотрудник освобожден от {0} должен быть установлен как "" левые"""
@@ -4553,7 +4583,8 @@
DocType: Selling Settings,Campaign Naming By,Кампания Именование По
DocType: Employee,Current Address Is,Тренутна Адреса Је
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,модификовани
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Опција. Поставља подразумевану валуту компаније, ако није наведено."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Опција. Поставља подразумевану валуту компаније, ако није наведено."
+DocType: Sales Invoice,Customer GSTIN,Кориснички ГСТИН
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Рачуноводствене ставке дневника.
DocType: Delivery Note Item,Available Qty at From Warehouse,Доступно на ком Од Варехоусе
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,Молимо изаберите Емплоиее Рецорд први.
@@ -4561,7 +4592,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Ред {0}: Партија / налог не подудара са {1} / {2} {3} у {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Унесите налог Екпенсе
DocType: Account,Stock,Залиха
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Ред # {0}: Референца Тип документа мора бити један од нарудзбенице, фактури или Јоурнал Ентри"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Ред # {0}: Референца Тип документа мора бити један од нарудзбенице, фактури или Јоурнал Ентри"
DocType: Employee,Current Address,Тренутна адреса
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Ако ставка је варијанта неким другим онда опис, слике, цене, порези итд ће бити постављен из шаблона, осим ако изричито наведено"
DocType: Serial No,Purchase / Manufacture Details,Куповина / Производња Детаљи
@@ -4574,8 +4605,8 @@
DocType: Pricing Rule,Min Qty,Мин Кол-во
DocType: Asset Movement,Transaction Date,Трансакција Датум
DocType: Production Plan Item,Planned Qty,Планирани Кол
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Укупно Пореска
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,За Количина (Мануфацтуред Кти) је обавезан
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Укупно Пореска
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,За Количина (Мануфацтуред Кти) је обавезан
DocType: Stock Entry,Default Target Warehouse,Уобичајено Циљна Магацин
DocType: Purchase Invoice,Net Total (Company Currency),Нето Укупно (Друштво валута)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Тхе Иеар Датум завршетка не може бити раније него претходне године датума почетка. Молимо исправите датуме и покушајте поново.
@@ -4589,15 +4620,12 @@
DocType: Hub Settings,Hub Settings,Хуб Подешавања
DocType: Project,Gross Margin %,Бруто маржа%
DocType: BOM,With Operations,Са операције
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Рачуноводствене ставке су већ учињени у валути {0} за компанију {1}. Изаберите обавеза или примања рачун са валутом {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Рачуноводствене ставке су већ учињени у валути {0} за компанију {1}. Изаберите обавеза или примања рачун са валутом {0}.
DocType: Asset,Is Existing Asset,Да ли је постојеће имовине
DocType: Salary Detail,Statistical Component,Статистички Компонента
DocType: Salary Detail,Statistical Component,Статистички Компонента
-,Monthly Salary Register,Месечна плата Регистрација
DocType: Warranty Claim,If different than customer address,Если отличается от адреса клиента
DocType: BOM Operation,BOM Operation,БОМ Операција
-DocType: School Settings,Validate the Student Group from Program Enrollment,Потврдите Студент Гроуп из програма Упис
-DocType: School Settings,Validate the Student Group from Program Enrollment,Потврдите Студент Гроуп из програма Упис
DocType: Purchase Taxes and Charges,On Previous Row Amount,На претходни ред Износ
DocType: Student,Home Address,Кућна адреса
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,трансфер имовине
@@ -4605,28 +4633,27 @@
DocType: Training Event,Event Name,Име догађаја
apps/erpnext/erpnext/config/schools.py +39,Admission,улаз
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Пријемни за {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Сезонски за постављање буџети, мете итд"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Ставка {0} је шаблон, изаберите једну од својих варијанти"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Сезонски за постављање буџети, мете итд"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Ставка {0} је шаблон, изаберите једну од својих варијанти"
DocType: Asset,Asset Category,средство Категорија
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Купац
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Чистая зарплата не может быть отрицательным
DocType: SMS Settings,Static Parameters,Статички параметри
DocType: Assessment Plan,Room,соба
DocType: Purchase Order,Advance Paid,Адванце Паид
DocType: Item,Item Tax,Ставка Пореска
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Материјал за добављача
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Акцизе фактура
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Акцизе фактура
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Тресхолд {0}% појављује више пута
DocType: Expense Claim,Employees Email Id,Запослени Емаил ИД
DocType: Employee Attendance Tool,Marked Attendance,Приметан Присуство
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Текущие обязательства
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Текущие обязательства
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Пошаљи СМС масовне вашим контактима
DocType: Program,Program Name,Назив програма
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Размислите пореза или оптужба за
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Стварна ком је обавезна
DocType: Employee Loan,Loan Type,Тип кредита
DocType: Scheduling Tool,Scheduling Tool,Заказивање Алат
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,кредитна картица
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,кредитна картица
DocType: BOM,Item to be manufactured or repacked,Ставка да буду произведени или препакује
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Настройки по умолчанию для биржевых операций .
DocType: Purchase Invoice,Next Date,Следећи датум
@@ -4642,10 +4669,10 @@
DocType: Stock Entry,Repack,Препаковати
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,"Вы должны Сохраните форму , прежде чем приступить"
DocType: Item Attribute,Numeric Values,Нумеричке вредности
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Прикрепите логотип
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Прикрепите логотип
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,stock Нивои
DocType: Customer,Commission Rate,Комисија Оцени
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Маке Вариант
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Маке Вариант
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Блок оставите апликације по одељењу.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Тип уплата мора бити један од Примите, Паи и интерни трансфер"
apps/erpnext/erpnext/config/selling.py +179,Analytics,аналитика
@@ -4653,45 +4680,45 @@
DocType: Vehicle,Model,модел
DocType: Production Order,Actual Operating Cost,Стварни Оперативни трошкови
DocType: Payment Entry,Cheque/Reference No,Чек / Референца број
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Корневая не могут быть изменены .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Корневая не могут быть изменены .
DocType: Item,Units of Measure,Мерних јединица
DocType: Manufacturing Settings,Allow Production on Holidays,Дозволите производња на празницима
DocType: Sales Order,Customer's Purchase Order Date,Наруџбенице купца Датум
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Капитал Сток
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Капитал Сток
DocType: Shopping Cart Settings,Show Public Attachments,Схов Публиц Прилози
DocType: Packing Slip,Package Weight Details,Пакет Тежина Детаљи
DocType: Payment Gateway Account,Payment Gateway Account,Паимент Гатеваи налог
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Након завршетка уплате преусмерава корисника на одабране стране.
DocType: Company,Existing Company,postojeća Фирма
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Порез Категорија је промењено у "Тотал", јер су сви предмети су не залихама"
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Изаберите ЦСВ датотеку
DocType: Student Leave Application,Mark as Present,Марк на поклон
DocType: Purchase Order,To Receive and Bill,За примање и Бил
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Најновији производи
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,дизајнер
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,дизајнер
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Услови коришћења шаблона
DocType: Serial No,Delivery Details,Достава Детаљи
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},МВЗ требуется в строке {0} в виде налогов таблицы для типа {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},МВЗ требуется в строке {0} в виде налогов таблицы для типа {1}
DocType: Program,Program Code,programski код
DocType: Terms and Conditions,Terms and Conditions Help,Правила и услови помоћ
,Item-wise Purchase Register,Тачка-мудар Куповина Регистрација
DocType: Batch,Expiry Date,Датум истека
-,Supplier Addresses and Contacts,Добављач Адресе и контакти
,accounts-browser,рачуни-претраживач
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,Прво изаберите категорију
apps/erpnext/erpnext/config/projects.py +13,Project master.,Пројекат господар.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Како би се омогућило над-наплате или преко-наручивања, упдате "Исправка" на лагеру подешавања или тачке."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Како би се омогућило над-наплате или преко-наручивања, упдате "Исправка" на лагеру подешавања или тачке."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Не показују као симбол $ итд поред валутама.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Пола дана)
DocType: Supplier,Credit Days,Кредитни Дана
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Маке Студент Батцх
DocType: Leave Type,Is Carry Forward,Је напред Царри
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Се ставке из БОМ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Се ставке из БОМ
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Олово Дани Тиме
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Ред # {0}: Постављање Дате мора бити исти као и датуму куповине {1} из средстава {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Ред # {0}: Постављање Дате мора бити исти као и датуму куповине {1} из средстава {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Молимо унесите продајних налога у горњој табели
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Не поднесе плата Слипс
,Stock Summary,стоцк Преглед
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Пребаци средство из једног складишта у друго
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Пребаци средство из једног складишта у друго
DocType: Vehicle,Petrol,бензин
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Саставница
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Ред {0}: Партија Тип и Странка је потребно за примања / обавезе рачуна {1}
@@ -4702,6 +4729,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Санкционисани Износ
DocType: GL Entry,Is Opening,Да ли Отварање
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Ров {0}: Дебит Унос се не може повезати са {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Счет {0} не существует
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Счет {0} не существует
DocType: Account,Cash,Готовина
DocType: Employee,Short biography for website and other publications.,Кратка биографија за сајт и других публикација.
diff --git a/erpnext/translations/sv.csv b/erpnext/translations/sv.csv
index 79aec58..c34f9a3 100644
--- a/erpnext/translations/sv.csv
+++ b/erpnext/translations/sv.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Konsumentprodukter
DocType: Item,Customer Items,Kundartiklar
DocType: Project,Costing and Billing,Kostnadsberäkning och fakturering
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Kontot {0}: Förälder kontot {1} kan inte vara en liggare
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Kontot {0}: Förälder kontot {1} kan inte vara en liggare
DocType: Item,Publish Item to hub.erpnext.com,Publish Post som hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,E-postmeddelanden
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Utvärdering
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,Utvärdering
DocType: Item,Default Unit of Measure,Standard mätenhet
DocType: SMS Center,All Sales Partner Contact,Alla försäljningspartners kontakter
DocType: Employee,Leave Approvers,Ledighetsgodkännare
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Växelkurs måste vara samma som {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Kundnamn
DocType: Vehicle,Natural Gas,Naturgas
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Bankkontot kan inte namnges som {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Bankkontot kan inte namnges som {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Huvudtyper (eller grupper) mot vilka bokföringsposter görs och balanser upprätthålls.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Utstående för {0} kan inte vara mindre än noll ({1})
DocType: Manufacturing Settings,Default 10 mins,Standard 10 minuter
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Alla Leverantörskontakter
DocType: Support Settings,Support Settings,support Inställningar
DocType: SMS Parameter,Parameter,Parameter
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Förväntad Slutdatum kan inte vara mindre än förväntat startdatum
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Förväntad Slutdatum kan inte vara mindre än förväntat startdatum
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Rad # {0}: Pris måste vara samma som {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Ny Ledighets ansökningan
,Batch Item Expiry Status,Batch Punkt Utgångs Status
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Bankväxel
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Bankväxel
DocType: Mode of Payment Account,Mode of Payment Account,Betalningssätt konto
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Visar varianter
DocType: Academic Term,Academic Term,Akademisk termin
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Material
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Kvantitet
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Konton tabell kan inte vara tomt.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Lån (skulder)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Lån (skulder)
DocType: Employee Education,Year of Passing,Passerande År
DocType: Item,Country of Origin,Ursprungsland
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,I Lager
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,I Lager
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,öppna frågor
DocType: Production Plan Item,Production Plan Item,Produktionsplan för artikel
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Användare {0} är redan tilldelad anställd {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Sjukvård
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Försenad betalning (dagar)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,tjänsten Expense
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} är redan refererad i försäljningsfaktura: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Serienummer: {0} är redan refererad i försäljningsfaktura: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Faktura
DocType: Maintenance Schedule Item,Periodicity,Periodicitet
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Räkenskapsårets {0} krävs
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Rad # {0}:
DocType: Timesheet,Total Costing Amount,Totala Kalkyl Mängd
DocType: Delivery Note,Vehicle No,Fordons nr
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,Välj Prislista
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Välj Prislista
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Rad # {0}: Betalning dokument krävs för att slutföra trasaction
DocType: Production Order Operation,Work In Progress,Pågående Arbete
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Välj datum
DocType: Employee,Holiday List,Holiday Lista
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Revisor
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Revisor
DocType: Cost Center,Stock User,Lager Användar
DocType: Company,Phone No,Telefonnr
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Kurs Scheman skapas:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Ny {0}: # {1}
,Sales Partners Commission,Försäljning Partners kommissionen
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Förkortning kan inte ha mer än 5 tecken
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Förkortning kan inte ha mer än 5 tecken
DocType: Payment Request,Payment Request,Betalningsbegäran
DocType: Asset,Value After Depreciation,Värde efter avskrivningar
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,Närvaro datum kan inte vara mindre än arbetstagarens Inträdesdatum
DocType: Grading Scale,Grading Scale Name,Bedömningsskala Namn
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Detta är en root-kontot och kan inte ändras.
+DocType: Sales Invoice,Company Address,Företags Adress
DocType: BOM,Operations,Verksamhet
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Det går inte att ställa in tillstånd på grund av rabatt för {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Bifoga CSV-fil med två kolumner, en för det gamla namnet och en för det nya namnet"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} inte i någon aktiv räkenskapsår.
DocType: Packed Item,Parent Detail docname,Överordnat Detalj doknamn
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referens: {0}, Artikelnummer: {1} och Kund: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Kg
DocType: Student Log,Log,Logga
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Öppning för ett jobb.
DocType: Item Attribute,Increment,Inkrement
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Reklam
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Samma Företaget anges mer än en gång
DocType: Employee,Married,Gift
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Ej tillåtet för {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Ej tillåtet för {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Få objekt från
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Stock kan inte uppdateras mot följesedel {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Stock kan inte uppdateras mot följesedel {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Produkten {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Inga föremål listade
DocType: Payment Reconciliation,Reconcile,Avstämma
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Nästa avskrivning Datum kan inte vara före Inköpsdatum
DocType: SMS Center,All Sales Person,Alla försäljningspersonal
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Månatlig Distribution ** hjälper du distribuerar budgeten / Mål över månader om du har säsongs i din verksamhet.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Inte artiklar hittade
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Inte artiklar hittade
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Lönestruktur saknas
DocType: Lead,Person Name,Namn
DocType: Sales Invoice Item,Sales Invoice Item,Fakturan Punkt
DocType: Account,Credit,Kredit
DocType: POS Profile,Write Off Cost Center,Avskrivning kostnadsställe
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",t.ex. "Primary School" eller "universitet"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",t.ex. "Primary School" eller "universitet"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,lagerrapporter
DocType: Warehouse,Warehouse Detail,Lagerdetalj
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Kreditgräns har överskridits för kund {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Kreditgräns har överskridits för kund {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Termen Slutdatum kan inte vara senare än slutet av året Datum för läsåret som termen är kopplad (läsåret {}). Rätta datum och försök igen.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Är Fast Asset" kan inte vara okontrollerat, som Asset rekord existerar mot objektet"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""Är Fast Asset" kan inte vara okontrollerat, som Asset rekord existerar mot objektet"
DocType: Vehicle Service,Brake Oil,bromsolja
DocType: Tax Rule,Tax Type,Skatte Typ
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Du har inte behörighet att lägga till eller uppdatera poster före {0}
DocType: BOM,Item Image (if not slideshow),Produktbild (om inte bildspel)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,En kund finns med samma namn
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Timmar / 60) * Faktisk produktionstid
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Välj BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Välj BOM
DocType: SMS Log,SMS Log,SMS-logg
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Kostnad levererat gods
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Semester på {0} är inte mellan Från datum och Till datum
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Från {0} till {1}
DocType: Item,Copy From Item Group,Kopiera från artikelgrupp
DocType: Journal Entry,Opening Entry,Öppnings post
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kund> Kundgrupp> Territorium
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Endast konto Pay
DocType: Employee Loan,Repay Over Number of Periods,Repay Över Antal perioder
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} är inte inskriven i den givna {2}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} är inte inskriven i den givna {2}
DocType: Stock Entry,Additional Costs,Merkostnader
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Konto med befintlig transaktioner kan inte omvandlas till grupp.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Konto med befintlig transaktioner kan inte omvandlas till grupp.
DocType: Lead,Product Enquiry,Produkt Förfrågan
DocType: Academic Term,Schools,skolor
+DocType: School Settings,Validate Batch for Students in Student Group,Validera sats för studenter i studentgruppen
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Ingen ledighet rekord hittades för arbetstagare {0} för {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Ange företaget först
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Välj Företaget först
@@ -175,49 +176,49 @@
DocType: BOM,Total Cost,Total Kostnad
DocType: Journal Entry Account,Employee Loan,Employee Loan
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Aktivitets Logg:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,Objektet existerar inte {0} i systemet eller har löpt ut
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Objektet existerar inte {0} i systemet eller har löpt ut
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Fastighet
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Kontoutdrag
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Läkemedel
DocType: Purchase Invoice Item,Is Fixed Asset,Är anläggningstillgång
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Tillgång Antal är {0}, behöver du {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Tillgång Antal är {0}, behöver du {1}"
DocType: Expense Claim Detail,Claim Amount,Fordringsbelopp
-DocType: Employee,Mr,Herr
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Duplicate kundgrupp finns i cutomer grupptabellen
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Leverantör Typ / leverantör
DocType: Naming Series,Prefix,Prefix
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Förbrukningsartiklar
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Förbrukningsartiklar
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Import logg
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Dra Material Begär typ Tillverkning baserat på ovanstående kriterier
DocType: Training Result Employee,Grade,Kvalitet
DocType: Sales Invoice Item,Delivered By Supplier,Levereras av Supplier
DocType: SMS Center,All Contact,Alla Kontakter
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Produktionsorder redan skapats för alla objekt med BOM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Årslön
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Produktionsorder redan skapats för alla objekt med BOM
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Årslön
DocType: Daily Work Summary,Daily Work Summary,Dagliga Work Sammandrag
DocType: Period Closing Voucher,Closing Fiscal Year,Stänger Räkenskapsårets
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} är fryst
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Välj befintligt företag för att skapa konto
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Stock Kostnader
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} är fryst
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Välj befintligt företag för att skapa konto
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Stock Kostnader
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Välj Target Warehouse
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Välj Target Warehouse
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,Ange Preferred Kontakt Email
+DocType: Program Enrollment,School Bus,Skolbuss
DocType: Journal Entry,Contra Entry,Konteringsanteckning
DocType: Journal Entry Account,Credit in Company Currency,Kredit i bolaget Valuta
DocType: Delivery Note,Installation Status,Installationsstatus
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Vill du uppdatera närvaro? <br> Föreliggande: {0} \ <br> Frånvarande: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Godkända + Avvisad Antal måste vara lika med mottagna kvantiteten för punkt {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Godkända + Avvisad Antal måste vara lika med mottagna kvantiteten för punkt {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Leverera råvaror för köp
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,Minst ett läge av betalning krävs för POS faktura.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,Minst ett läge av betalning krävs för POS faktura.
DocType: Products Settings,Show Products as a List,Visa produkter som en lista
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Hämta mallen, fyll lämpliga uppgifter och bifoga den modifierade filen. Alla datum och anställdas kombinationer i den valda perioden kommer i mallen, med befintliga närvaroutdrag"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,Produkt {0} är inte aktiv eller uttjänta har nåtts
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Exempel: Grundläggande matematik
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Om du vill inkludera skatt i rad {0} i punkt hastighet, skatter i rader {1} måste också inkluderas"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Produkt {0} är inte aktiv eller uttjänta har nåtts
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Exempel: Grundläggande matematik
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Om du vill inkludera skatt i rad {0} i punkt hastighet, skatter i rader {1} måste också inkluderas"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Inställningar för HR-modul
DocType: SMS Center,SMS Center,SMS Center
DocType: Sales Invoice,Change Amount,Ändra Mängd
@@ -227,7 +228,7 @@
DocType: Lead,Request Type,Typ av förfrågan
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,göra Employee
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Sändning
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Exekvering
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Exekvering
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Detaljer om de åtgärder som genomförs.
DocType: Serial No,Maintenance Status,Underhåll Status
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Leverantör krävs mot betalkonto {2}
@@ -255,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Offertbegäran kan nås genom att klicka på följande länk
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Fördela avgångar för året.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG Creation Tool Course
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,otillräcklig Stock
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,otillräcklig Stock
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Inaktivera kapacitetsplanering och tidsuppföljning
DocType: Email Digest,New Sales Orders,Ny kundorder
DocType: Bank Guarantee,Bank Account,Bankkonto
@@ -266,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log',Uppdaterad via "Time Log"
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Advance beloppet kan inte vara större än {0} {1}
DocType: Naming Series,Series List for this Transaction,Serie Lista för denna transaktion
+DocType: Company,Enable Perpetual Inventory,Aktivera evigt lager
DocType: Company,Default Payroll Payable Account,Standard Lön Betal konto
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Uppdatera E-postgrupp
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Uppdatera E-postgrupp
DocType: Sales Invoice,Is Opening Entry,Är öppen anteckning
DocType: Customer Group,Mention if non-standard receivable account applicable,Nämn om icke-standard mottagningskonto tillämpat
DocType: Course Schedule,Instructor Name,instruktör Namn
@@ -279,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Mot fakturaprodukt
,Production Orders in Progress,Aktiva Produktionsordrar
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Nettokassaflöde från finansiering
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","Localstorage är full, inte spara"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","Localstorage är full, inte spara"
DocType: Lead,Address & Contact,Adress och kontakt
DocType: Leave Allocation,Add unused leaves from previous allocations,Lägg oanvända blad från tidigare tilldelningar
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Nästa Återkommande {0} kommer att skapas på {1}
DocType: Sales Partner,Partner website,partner webbplats
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Lägg till vara
-,Contact Name,Kontaktnamn
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Kontaktnamn
DocType: Course Assessment Criteria,Course Assessment Criteria,Kriterier för bedömning Course
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Skapar lönebesked för ovan nämnda kriterier.
DocType: POS Customer Group,POS Customer Group,POS Kundgrupp
@@ -294,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Ingen beskrivning ges
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Begäran om köp.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Detta grundar sig på tidrapporter som skapats mot detta projekt
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Nettolön kan inte vara mindre än 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Nettolön kan inte vara mindre än 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Endast den valda Ledighets ansvarig kan lämna denna ledighets applikationen
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Avgångs Datum måste vara större än Datum för anställningsdatum
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Avgångar per år
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Avgångar per år
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Rad {0}: Kontrollera ""Är i förskott"" mot konto {1} om det är ett förskotts post."
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Lager {0} tillhör inte företaget {1}
DocType: Email Digest,Profit & Loss,Vinst förlust
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Liter
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Liter
DocType: Task,Total Costing Amount (via Time Sheet),Totalt Costing Belopp (via Tidrapportering)
DocType: Item Website Specification,Item Website Specification,Produkt hemsidespecifikation
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Lämna Blockerad
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Punkt {0} har nått slutet av sin livslängd på {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Punkt {0} har nått slutet av sin livslängd på {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,bankAnteckningar
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Årlig
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Lager Avstämning Punkt
@@ -313,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,Min Order kvantitet
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Student Group Creation Tool Course
DocType: Lead,Do Not Contact,Kontakta ej
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,Personer som undervisar i organisationen
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,Personer som undervisar i organisationen
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Den unika ID för att spåra alla återkommande fakturor. Det genereras på skicka.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Mjukvaruutvecklare
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Mjukvaruutvecklare
DocType: Item,Minimum Order Qty,Minimum Antal
DocType: Pricing Rule,Supplier Type,Leverantör Typ
DocType: Course Scheduling Tool,Course Start Date,Kursstart
@@ -324,11 +326,11 @@
DocType: Item,Publish in Hub,Publicera i Hub
DocType: Student Admission,Student Admission,Student Antagning
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Punkt {0} avbryts
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Punkt {0} avbryts
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Materialförfrågan
DocType: Bank Reconciliation,Update Clearance Date,Uppdatera Clearance Datum
DocType: Item,Purchase Details,Inköpsdetaljer
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Produkt {0} hittades inte i ""råvaror som levereras"" i beställning {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Produkt {0} hittades inte i ""råvaror som levereras"" i beställning {1}"
DocType: Employee,Relation,Förhållande
DocType: Shipping Rule,Worldwide Shipping,Världsomspännande sändnings
DocType: Student Guardian,Mother,Mor
@@ -347,6 +349,7 @@
DocType: Student Group Student,Student Group Student,Student Group Student
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Senaste
DocType: Vehicle Service,Inspection,Inspektion
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Lista
DocType: Email Digest,New Quotations,Nya Citat
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,E-post lönebesked till anställd baserat på föredragna e-post väljs i Employee
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,Den första Lämna godkännare i listan kommer att anges som standard Lämna godkännare
@@ -355,20 +358,20 @@
DocType: Asset,Next Depreciation Date,Nästa Av- Datum
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Aktivitet Kostnad per anställd
DocType: Accounts Settings,Settings for Accounts,Inställningar för konton
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Leverantör faktura nr existerar i inköpsfaktura {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Leverantör faktura nr existerar i inköpsfaktura {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Hantera Säljare.
DocType: Job Applicant,Cover Letter,Personligt brev
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Utestående checkar och insättningar för att rensa
DocType: Item,Synced With Hub,Synkroniserad med Hub
DocType: Vehicle,Fleet Manager,Fleet manager
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Rad # {0}: {1} kan inte vara negativt för produkten {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Fel Lösenord
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Fel Lösenord
DocType: Item,Variant Of,Variant av
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',"Avslutade Antal kan inte vara större än ""antal för Tillverkning '"
DocType: Period Closing Voucher,Closing Account Head,Stänger Konto Huvud
DocType: Employee,External Work History,Extern Arbetserfarenhet
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Cirkelreferens fel
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1 Namn
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 Namn
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,I ord (Export) kommer att vara synlig när du sparar följesedel.
DocType: Cheque Print Template,Distance from left edge,Avstånd från vänstra kanten
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} enheter [{1}] (# Form / Föremål / {1}) hittades i [{2}] (# Form / Lager / {2})
@@ -377,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Meddela via e-post om skapandet av automatisk Material Begäran
DocType: Journal Entry,Multi Currency,Flera valutor
DocType: Payment Reconciliation Invoice,Invoice Type,Faktura Typ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Följesedel
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Följesedel
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Ställa in skatter
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Kostnader för sålda Asset
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,Betalningsposten har ändrats efter att du hämtade den. Vänligen hämta igen.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} inlagd två gånger under punkten Skatt
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Betalningsposten har ändrats efter att du hämtade den. Vänligen hämta igen.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} inlagd två gånger under punkten Skatt
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Sammanfattning för denna vecka och pågående aktiviteter
DocType: Student Applicant,Admitted,medgav
DocType: Workstation,Rent Cost,Hyr Kostnad
@@ -400,25 +403,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Ange "Upprepa på Dag i månaden" fältvärde
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,I takt med vilket kundens Valuta omvandlas till kundens basvaluta
DocType: Course Scheduling Tool,Course Scheduling Tool,Naturligtvis Scheduling Tool
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rad # {0}: Inköp Faktura kan inte göras mot en befintlig tillgång {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Rad # {0}: Inköp Faktura kan inte göras mot en befintlig tillgång {1}
DocType: Item Tax,Tax Rate,Skattesats
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} som redan tilldelats för anställd {1} för perioden {2} till {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Välj Punkt
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Inköpsfakturan {0} är redan lämnad
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Inköpsfakturan {0} är redan lämnad
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Rad # {0}: Batch nr måste vara samma som {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Konvertera till icke-gruppen
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Batch (parti) i en punkt.
DocType: C-Form Invoice Detail,Invoice Date,Fakturadatum
DocType: GL Entry,Debit Amount,Debit Belopp
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Det kan bara finnas ett konto per Company i {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,Se bifogad fil
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Det kan bara finnas ett konto per Company i {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,Se bifogad fil
DocType: Purchase Order,% Received,% Emot
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Skapa studentgrupper
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Inställning Redan Komplett !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Kreditnotbelopp
,Finished Goods,Färdiga Varor
DocType: Delivery Note,Instructions,Instruktioner
DocType: Quality Inspection,Inspected By,Inspekteras av
DocType: Maintenance Visit,Maintenance Type,Servicetyp
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} är inte inskriven i kursen {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Serienummer {0} tillhör inte följesedel {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Lägg produkter
@@ -441,7 +446,7 @@
DocType: Request for Quotation,Request for Quotation,Offertförfrågan
DocType: Salary Slip Timesheet,Working Hours,Arbetstimmar
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Ändra start / aktuella sekvensnumret av en befintlig serie.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Skapa en ny kund
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Skapa en ny kund
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Om flera prissättningsregler fortsätta att gälla, kan användarna uppmanas att ställa Prioritet manuellt för att lösa konflikten."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Skapa inköpsorder
,Purchase Register,Inköpsregistret
@@ -453,7 +458,7 @@
DocType: Student Log,Medical,Medicinsk
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Anledning till att förlora
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Bly Ägaren kan inte vara densamma som den ledande
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,Tilldelade mängden kan inte större än ojusterad belopp
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,Tilldelade mängden kan inte större än ojusterad belopp
DocType: Announcement,Receiver,Mottagare
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Arbetsstation är stängd på följande datum enligt kalender: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Möjligheter
@@ -467,8 +472,7 @@
DocType: Assessment Plan,Examiner Name,examiner Namn
DocType: Purchase Invoice Item,Quantity and Rate,Kvantitet och betyg
DocType: Delivery Note,% Installed,% Installerad
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,Klassrum / Laboratorier etc där föreläsningar kan schemaläggas.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Leverantör> Leverantörstyp
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,Klassrum / Laboratorier etc där föreläsningar kan schemaläggas.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Ange företagetsnamn först
DocType: Purchase Invoice,Supplier Name,Leverantörsnamn
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Läs ERPNext Manual
@@ -478,7 +482,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Kontrollera Leverantörens unika Fakturanummer
DocType: Vehicle Service,Oil Change,Oljebyte
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.',"""Till Ärende nr."" kan inte vara mindre än ""Från ärende nr"""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Välgörenhets
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Välgörenhets
DocType: Production Order,Not Started,Inte Startat
DocType: Lead,Channel Partner,Kanalpartner
DocType: Account,Old Parent,Gammalt mål
@@ -488,20 +492,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Globala inställningar för alla tillverkningsprocesser.
DocType: Accounts Settings,Accounts Frozen Upto,Konton frysta upp till
DocType: SMS Log,Sent On,Skickas på
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Attribut {0} valda flera gånger i attribut Tabell
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Attribut {0} valda flera gånger i attribut Tabell
DocType: HR Settings,Employee record is created using selected field. ,Personal register skapas med hjälp av valda fältet.
DocType: Sales Order,Not Applicable,Inte Tillämpbar
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Semester topp.
DocType: Request for Quotation Item,Required Date,Obligatorisk Datum
DocType: Delivery Note,Billing Address,Fakturaadress
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Ange Artikelkod.
DocType: BOM,Costing,Kostar
DocType: Tax Rule,Billing County,Billings County
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Om markerad, kommer skattebeloppet anses redan ingå i Skriv värdet / Skriv beloppet"
DocType: Request for Quotation,Message for Supplier,Meddelande till leverantören
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Totalt Antal
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 E-post-ID
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 E-post-ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 E-post-ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 E-post-ID
DocType: Item,Show in Website (Variant),Visa på webbplatsen (Variant)
DocType: Employee,Health Concerns,Hälsoproblem
DocType: Process Payroll,Select Payroll Period,Välj Payroll Period
@@ -519,26 +522,28 @@
DocType: Sales Order Item,Used for Production Plan,Används för produktionsplan
DocType: Employee Loan,Total Payment,Total betalning
DocType: Manufacturing Settings,Time Between Operations (in mins),Time Between Operations (i minuter)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} avbryts så åtgärden kan inte slutföras
DocType: Customer,Buyer of Goods and Services.,Köpare av varor och tjänster.
DocType: Journal Entry,Accounts Payable,Leverantörsreskontra
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,De valda stycklistor är inte samma objekt
DocType: Pricing Rule,Valid Upto,Giltig Upp till
DocType: Training Event,Workshop,Verkstad
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Lista några av dina kunder. De kunde vara organisationer eller privatpersoner.
-,Enough Parts to Build,Tillräckligt med delar för att bygga
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Direkt inkomst
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Lista några av dina kunder. De kunde vara organisationer eller privatpersoner.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Tillräckligt med delar för att bygga
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Direkt inkomst
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Kan inte filtrera baserat på konto, om grupperad efter konto"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Handläggare
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Var god välj Kurs
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Var god välj Kurs
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Handläggare
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Var god välj Kurs
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Var god välj Kurs
DocType: Timesheet Detail,Hrs,H
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Välj Företag
DocType: Stock Entry Detail,Difference Account,Differenskonto
+DocType: Purchase Invoice,Supplier GSTIN,Leverantör GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Det går inte att stänga uppgiften då dess huvuduppgift {0} inte är stängd.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Ange vilket lager som Material Begäran kommer att anges mot
DocType: Production Order,Additional Operating Cost,Ytterligare driftkostnader
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Kosmetika
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","För att sammanfoga, måste följande egenskaper vara samma för båda objekten"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","För att sammanfoga, måste följande egenskaper vara samma för båda objekten"
DocType: Shipping Rule,Net Weight,Nettovikt
DocType: Employee,Emergency Phone,Nödtelefon
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Köpa
@@ -548,14 +553,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Ange grad för tröskelvärdet 0%
DocType: Sales Order,To Deliver,Att Leverera
DocType: Purchase Invoice Item,Item,Objekt
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Serienummer objekt kan inte vara en bråkdel
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Serienummer objekt kan inte vara en bråkdel
DocType: Journal Entry,Difference (Dr - Cr),Skillnad (Dr - Cr)
DocType: Account,Profit and Loss,Resultaträkning
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Hantera Underleverantörer
DocType: Project,Project will be accessible on the website to these users,Projektet kommer att vara tillgänglig på webbplatsen till dessa användare
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,I takt med vilket Prislistans valuta omvandlas till företagets basvaluta
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Kontot {0} tillhör inte företaget: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Förkortningen har redan används för ett annat företag
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Kontot {0} tillhör inte företaget: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Förkortningen har redan används för ett annat företag
DocType: Selling Settings,Default Customer Group,Standard Kundgrupp
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Om inaktiverad ""Rundad Totalt fältet inte syns i någon transaktion"
DocType: BOM,Operating Cost,Rörelse Kostnad
@@ -563,7 +568,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Inkrement kan inte vara 0
DocType: Production Planning Tool,Material Requirement,Material Krav
DocType: Company,Delete Company Transactions,Radera Företagstransactions
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Referensnummer och referens Datum är obligatorisk för Bank transaktion
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Referensnummer och referens Datum är obligatorisk för Bank transaktion
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Lägg till / redigera skatter och avgifter
DocType: Purchase Invoice,Supplier Invoice No,Leverantörsfaktura Nej
DocType: Territory,For reference,Som referens
@@ -574,22 +579,22 @@
DocType: Installation Note Item,Installation Note Item,Installeringsnotis objekt
DocType: Production Plan Item,Pending Qty,Väntar Antal
DocType: Budget,Ignore,Ignorera
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} är inte aktiv
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} är inte aktiv
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS skickas till följande nummer: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,kryss Setup dimensioner för utskrift
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,kryss Setup dimensioner för utskrift
DocType: Salary Slip,Salary Slip Timesheet,Lön Slip Tidrapport
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Leverantör Warehouse obligatorisk för underleverantörer inköpskvitto
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Leverantör Warehouse obligatorisk för underleverantörer inköpskvitto
DocType: Pricing Rule,Valid From,Giltig Från
DocType: Sales Invoice,Total Commission,Totalt kommissionen
DocType: Pricing Rule,Sales Partner,Försäljnings Partner
DocType: Buying Settings,Purchase Receipt Required,Inköpskvitto Krävs
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,Värderings Rate är obligatoriskt om ingående lager in
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,Värderings Rate är obligatoriskt om ingående lager in
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Inga träffar i Faktura tabellen
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Välj Företag och parti typ först
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Budget / räkenskapsåret.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Budget / räkenskapsåret.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,ackumulerade värden
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Tyvärr, kan serienumren inte slås samman"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Skapa kundorder
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Skapa kundorder
DocType: Project Task,Project Task,Projektuppgift
,Lead Id,Prospekt Id
DocType: C-Form Invoice Detail,Grand Total,Totalsumma
@@ -606,7 +611,7 @@
DocType: Job Applicant,Resume Attachment,CV Attachment
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Återkommande kunder
DocType: Leave Control Panel,Allocate,Fördela
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Sales Return
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Sales Return
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Obs: Totala antalet allokerade blad {0} inte bör vara mindre än vad som redan har godkänts blad {1} för perioden
DocType: Announcement,Posted By,Postat av
DocType: Item,Delivered by Supplier (Drop Ship),Levereras av leverantören (Drop Ship)
@@ -616,8 +621,8 @@
DocType: Quotation,Quotation To,Offert Till
DocType: Lead,Middle Income,Medelinkomst
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Öppning (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Standard mätenhet för punkt {0} kan inte ändras direkt eftersom du redan har gjort vissa transaktioner (s) med en annan UOM. Du måste skapa en ny punkt för att använda en annan standard UOM.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Avsatt belopp kan inte vara negativ
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Standard mätenhet för punkt {0} kan inte ändras direkt eftersom du redan har gjort vissa transaktioner (s) med en annan UOM. Du måste skapa en ny punkt för att använda en annan standard UOM.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Avsatt belopp kan inte vara negativ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Vänligen ställ in företaget
DocType: Purchase Order Item,Billed Amt,Fakturerat ant.
DocType: Training Result Employee,Training Result Employee,Utbildning Resultat anställd
@@ -629,7 +634,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Välj Betalkonto att Bank Entry
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Skapa anställda register för att hantera löv, räkningar och löner"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Lägg till kunskapsbasen
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Förslagsskrivning
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Förslagsskrivning
DocType: Payment Entry Deduction,Payment Entry Deduction,Betalning Entry Avdrag
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,En annan säljare {0} finns med samma anställningsid
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Om markerad, råvaror för objekt som är underleverantörer kommer att ingå i materialet Begäran"
@@ -644,7 +649,7 @@
DocType: Batch,Batch Description,Batch Beskrivning
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Skapa studentgrupper
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Skapa studentgrupper
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Betalning Gateway konto inte skapat, vänligen skapa ett manuellt."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Betalning Gateway konto inte skapat, vänligen skapa ett manuellt."
DocType: Sales Invoice,Sales Taxes and Charges,Försäljnings skatter och avgifter
DocType: Employee,Organization Profile,Organisation Profil
DocType: Student,Sibling Details,syskon Detaljer
@@ -666,11 +671,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Nettoförändring i Inventory
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Anställd lånehantering
DocType: Employee,Passport Number,Passnummer
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Relation med Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Chef
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Relation med Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Chef
DocType: Payment Entry,Payment From / To,Betalning från / till
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nya kreditgränsen är mindre än nuvarande utestående beloppet för kunden. Kreditgräns måste vara minst {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Samma objekt har angetts flera gånger.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Nya kreditgränsen är mindre än nuvarande utestående beloppet för kunden. Kreditgräns måste vara minst {0}
DocType: SMS Settings,Receiver Parameter,Mottagare Parameter
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""Baserad på"" och ""Gruppera efter"" kan inte vara samma"
DocType: Sales Person,Sales Person Targets,Försäljnings Person Mål
@@ -679,8 +683,9 @@
DocType: Issue,Resolution Date,Åtgärds Datum
DocType: Student Batch Name,Batch Name,batch Namn
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Tidrapport skapat:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},Ställ in standard Kontant eller bankkonto i betalningssätt {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Ställ in standard Kontant eller bankkonto i betalningssätt {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Skriva in
+DocType: GST Settings,GST Settings,GST-inställningar
DocType: Selling Settings,Customer Naming By,Kundnamn på
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Visar eleven som närvarande i Student Monthly Närvaro Rapport
DocType: Depreciation Schedule,Depreciation Amount,avskrivningsbelopp
@@ -702,6 +707,7 @@
DocType: Item,Material Transfer,Material Transfer
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Öppning (Dr)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Bokningstidsstämpel måste vara efter {0}
+,GST Itemised Purchase Register,GST Artized Purchase Register
DocType: Employee Loan,Total Interest Payable,Total ränta
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Landed Cost skatter och avgifter
DocType: Production Order Operation,Actual Start Time,Faktisk starttid
@@ -730,10 +736,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
DocType: Account,Accounts,Konton
DocType: Vehicle,Odometer Value (Last),Vägmätare Value (Senaste)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Marknadsföring
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marknadsföring
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Betalning Entry redan har skapats
DocType: Purchase Receipt Item Supplied,Current Stock,Nuvarande lager
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Rad # {0}: Asset {1} inte kopplad till punkt {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Rad # {0}: Asset {1} inte kopplad till punkt {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Förhandsvisning lönebesked
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Konto {0} har angetts flera gånger
DocType: Account,Expenses Included In Valuation,Kostnader ingår i rapporten
@@ -741,7 +747,7 @@
,Absent Student Report,Frånvarorapport Student
DocType: Email Digest,Next email will be sent on:,Nästa e-post kommer att skickas på:
DocType: Offer Letter Term,Offer Letter Term,Erbjudande Brev Villkor
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Produkten har varianter.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Produkten har varianter.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Produkt {0} hittades inte
DocType: Bin,Stock Value,Stock Värde
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,existerar inte företag {0}
@@ -750,8 +756,8 @@
DocType: Serial No,Warranty Expiry Date,Garanti Förfallodatum
DocType: Material Request Item,Quantity and Warehouse,Kvantitet och Lager
DocType: Sales Invoice,Commission Rate (%),Provisionsandel (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Var god välj Program
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Var god välj Program
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Var god välj Program
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Var god välj Program
DocType: Project,Estimated Cost,Beräknad kostnad
DocType: Purchase Order,Link to material requests,Länk till material förfrågningar
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Aerospace
@@ -765,14 +771,14 @@
DocType: Purchase Order,Supply Raw Materials,Supply Råvaror
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,Det datum då nästa faktura kommer att genereras. Det genereras på skicka.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Nuvarande Tillgångar
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} är inte en lagervara
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} är inte en lagervara
DocType: Mode of Payment Account,Default Account,Standard konto
DocType: Payment Entry,Received Amount (Company Currency),Erhållet belopp (Company valuta)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,Prospekt måste ställas in om Möjligheten är skapad av Prospekt
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,Välj helgdagar
DocType: Production Order Operation,Planned End Time,Planerat Sluttid
,Sales Person Target Variance Item Group-Wise,Försäljningen Person Mål Varians Post Group-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Konto med befintlig transaktioner kan inte omvandlas till liggaren
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Konto med befintlig transaktioner kan inte omvandlas till liggaren
DocType: Delivery Note,Customer's Purchase Order No,Kundens inköpsorder Nr
DocType: Budget,Budget Against,budget mot
DocType: Employee,Cell Number,Mobilnummer
@@ -784,15 +790,13 @@
DocType: Opportunity,Opportunity From,Möjlighet Från
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Månadslön uttalande.
DocType: BOM,Website Specifications,Webbplats Specifikationer
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Vänligen uppsätt nummerserien för deltagande via Setup> Numbers Series
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Från {0} av typen {1}
DocType: Warranty Claim,CI-,Cl
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Rad {0}: Omvandlingsfaktor är obligatoriskt
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Rad {0}: Omvandlingsfaktor är obligatoriskt
DocType: Employee,A+,A+
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Flera Pris Regler finns med samma kriterier, vänligen lösa konflikter genom att tilldela prioritet. Pris Regler: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,Det går inte att inaktivera eller avbryta BOM eftersom det är kopplat till andra stycklistor
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Flera Pris Regler finns med samma kriterier, vänligen lösa konflikter genom att tilldela prioritet. Pris Regler: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Det går inte att inaktivera eller avbryta BOM eftersom det är kopplat till andra stycklistor
DocType: Opportunity,Maintenance,Underhåll
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Inköpskvitto nummer som krävs för artikel {0}
DocType: Item Attribute Value,Item Attribute Value,Produkt Attribut Värde
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Säljkampanjer.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,göra Tidrapport
@@ -825,29 +829,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Asset skrotas via Journal Entry {0}
DocType: Employee Loan,Interest Income Account,Ränteintäkter Account
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Biotechnology
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Kontor underhållskostnader
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Kontor underhållskostnader
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Ställa in e-postkonto
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Ange Artikel först
DocType: Account,Liability,Ansvar
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,Sanktionerade Belopp kan inte vara större än fordringsbelopp i raden {0}.
DocType: Company,Default Cost of Goods Sold Account,Standardkostnad Konto Sålda Varor
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Prislista inte valt
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Prislista inte valt
DocType: Employee,Family Background,Familjebakgrund
DocType: Request for Quotation Supplier,Send Email,Skicka Epost
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Varning: Ogiltig Attachment {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Varning: Ogiltig Attachment {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Inget Tillstånd
DocType: Company,Default Bank Account,Standard bankkonto
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","För att filtrera baserat på partiet, väljer Party Typ först"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Uppdatera Stock"" kan inte kontrolleras eftersom produkter som inte levereras via {0}"
DocType: Vehicle,Acquisition Date,förvärvs~~POS=TRUNC
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Nos
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Nos
DocType: Item,Items with higher weightage will be shown higher,Produkter med högre medelvikt kommer att visas högre
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Bankavstämning Detalj
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Rad # {0}: Asset {1} måste lämnas in
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Rad # {0}: Asset {1} måste lämnas in
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Ingen anställd hittades
DocType: Supplier Quotation,Stopped,Stoppad
DocType: Item,If subcontracted to a vendor,Om underleverantörer till en leverantör
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Studentgruppen är redan uppdaterad.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Studentgruppen är redan uppdaterad.
DocType: SMS Center,All Customer Contact,Alla Kundkontakt
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Ladda lagersaldo via csv.
DocType: Warehouse,Tree Details,Tree Detaljerad information
@@ -859,13 +863,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Kostnadsställe {2} inte tillhör bolaget {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: konto {2} inte kan vara en grupp
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Punkt Row {idx}: {doctype} {doknamn} existerar inte i ovanstående "{doctype} tabellen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Tidrapport {0} är redan slutförts eller avbrutits
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Tidrapport {0} är redan slutförts eller avbrutits
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,Inga uppgifter
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Den dagen i den månad som auto faktura kommer att genereras t.ex. 05, 28 etc"
DocType: Asset,Opening Accumulated Depreciation,Ingående ackumulerade avskrivningar
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Betyg måste vara mindre än eller lika med 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Programmet Inskrivning Tool
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,C-Form arkiv
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C-Form arkiv
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Kunder och leverantör
DocType: Email Digest,Email Digest Settings,E-postutskick Inställningar
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Tack för din verksamhet!
@@ -875,17 +879,19 @@
DocType: Bin,Moving Average Rate,Rörligt medelvärdes hastighet
DocType: Production Planning Tool,Select Items,Välj objekt
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} mot räkning {1} daterad {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Fordons- / bussnummer
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Kursschema
DocType: Maintenance Visit,Completion Status,Slutförande Status
DocType: HR Settings,Enter retirement age in years,Ange pensionsåldern i år
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Target Lager
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Var god välj ett lager
DocType: Cheque Print Template,Starting location from left edge,Startplats från vänstra kanten
DocType: Item,Allow over delivery or receipt upto this percent,Tillåt överleverans eller mottagande upp till denna procent
DocType: Stock Entry,STE-,Stefan
DocType: Upload Attendance,Import Attendance,Import Närvaro
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Alla artikelgrupper
DocType: Process Payroll,Activity Log,Aktivitets Logg
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Netto Vinst / Förlust
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Netto Vinst / Förlust
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Komponera meddelandet automatiskt mot uppvisande av transaktioner.
DocType: Production Order,Item To Manufacture,Produkt för att tillverka
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} status är {2}
@@ -894,16 +900,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Inköpsorder till betalning
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Projicerad Antal
DocType: Sales Invoice,Payment Due Date,Förfallodag
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Punkt Variant {0} finns redan med samma attribut
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Punkt Variant {0} finns redan med samma attribut
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',"Öppna"
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Öppna för att göra
DocType: Notification Control,Delivery Note Message,Följesedel Meddelande
DocType: Expense Claim,Expenses,Kostnader
+,Support Hours,Stödtimmar
DocType: Item Variant Attribute,Item Variant Attribute,Punkt Variant Attribut
,Purchase Receipt Trends,Kvitto Trender
DocType: Process Payroll,Bimonthly,Varannan månad
DocType: Vehicle Service,Brake Pad,Brake Pad
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Forskning & Utveckling
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Forskning & Utveckling
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Belopp till fakturera
DocType: Company,Registration Details,Registreringsdetaljer
DocType: Timesheet,Total Billed Amount,Totala fakturerade beloppet
@@ -916,12 +923,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Endast Skaffa Råvaror
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Utvecklingssamtal.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Aktivera användning för Varukorgen ", som Kundvagnen är aktiverad och det bör finnas åtminstone en skattebestämmelse för Varukorgen"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Betalning Entry {0} är kopplad mot Order {1}, kontrollera om det ska dras i förskott i denna faktura."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Betalning Entry {0} är kopplad mot Order {1}, kontrollera om det ska dras i förskott i denna faktura."
DocType: Sales Invoice Item,Stock Details,Lager Detaljer
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Projekt Värde
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Butiksförsäljnig
DocType: Vehicle Log,Odometer Reading,mätarställning
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Kontosaldo redan i Kredit,du är inte tillåten att ställa in ""Balans måste vara"" som ""Debet '"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Kontosaldo redan i Kredit,du är inte tillåten att ställa in ""Balans måste vara"" som ""Debet '"
DocType: Account,Balance must be,Balans måste vara
DocType: Hub Settings,Publish Pricing,Publicera prissättning
DocType: Notification Control,Expense Claim Rejected Message,Räkning avvisas meddelande
@@ -931,7 +938,7 @@
DocType: Salary Slip,Working Days,Arbetsdagar
DocType: Serial No,Incoming Rate,Inkommande betyg
DocType: Packing Slip,Gross Weight,Bruttovikt
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,Namnet på ditt företag som du ställer in det här systemet.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,Namnet på ditt företag som du ställer in det här systemet.
DocType: HR Settings,Include holidays in Total no. of Working Days,Inkludera semester i Totalt antal. Arbetsdagar
DocType: Job Applicant,Hold,Håll
DocType: Employee,Date of Joining,Datum för att delta
@@ -942,20 +949,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Inköpskvitto
,Received Items To Be Billed,Mottagna objekt som ska faktureras
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Inlämnade lönebesked
-DocType: Employee,Ms,Fröken
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Valutakurs mästare.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Referens Doctype måste vara en av {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Valutakurs mästare.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referens Doctype måste vara en av {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Det går inte att hitta tidslucka i de närmaste {0} dagar för Operation {1}
DocType: Production Order,Plan material for sub-assemblies,Planera material för underenheter
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Säljpartners och Territory
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,Det går inte att automatiskt skapa konto eftersom det redan finns lagersaldo på kontot. Du måste skapa en matchande konto innan du kan göra en post på det här lagret
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} måste vara aktiv
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} måste vara aktiv
DocType: Journal Entry,Depreciation Entry,avskrivningar Entry
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Välj dokumenttyp först
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Avbryt Material {0} innan du avbryter detta Underhållsbesök
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Löpnummer {0} inte tillhör punkt {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Obligatorisk Antal
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Lager med befintlig transaktion kan inte konverteras till redovisningen.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Lager med befintlig transaktion kan inte konverteras till redovisningen.
DocType: Bank Reconciliation,Total Amount,Totala Summan
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Internet Publishing
DocType: Production Planning Tool,Production Orders,Produktionsorder
@@ -970,25 +975,26 @@
DocType: Fee Structure,Components,Komponenter
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Ange tillgångsslag i punkt {0}
DocType: Quality Inspection Reading,Reading 6,Avläsning 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Kan inte {0} {1} {2} utan någon negativ enastående faktura
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Kan inte {0} {1} {2} utan någon negativ enastående faktura
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Inköpsfakturan Advancerat
DocType: Hub Settings,Sync Now,Synkronisera nu
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Rad {0}: kreditering kan inte kopplas till en {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Definiera budget för budgetåret.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Definiera budget för budgetåret.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Standard Bank / Kontant konto kommer att uppdateras automatiskt i POS faktura när detta läge är valt.
DocType: Lead,LEAD-,LEDA-
DocType: Employee,Permanent Address Is,Permanent Adress är
DocType: Production Order Operation,Operation completed for how many finished goods?,Driften färdig för hur många färdiga varor?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,Varumärket
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Varumärket
DocType: Employee,Exit Interview Details,Avsluta intervju Detaljer
DocType: Item,Is Purchase Item,Är beställningsobjekt
DocType: Asset,Purchase Invoice,Inköpsfaktura
DocType: Stock Ledger Entry,Voucher Detail No,Rabatt Detalj nr
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Ny försäljningsfaktura
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Ny försäljningsfaktura
DocType: Stock Entry,Total Outgoing Value,Totalt Utgående Värde
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Öppningsdatum och Slutdatum bör ligga inom samma räkenskapsår
DocType: Lead,Request for Information,Begäran om upplysningar
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Synkroniserings Offline fakturor
+,LeaderBoard,leaderboard
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Synkroniserings Offline fakturor
DocType: Payment Request,Paid,Betalats
DocType: Program Fee,Program Fee,Kurskostnad
DocType: Salary Slip,Total in words,Totalt i ord
@@ -997,13 +1003,13 @@
DocType: Cheque Print Template,Has Print Format,Har Utskriftsformat
DocType: Employee Loan,Sanctioned,sanktionerade
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,är obligatoriskt. Kanske Valutaväxling posten inte skapas för
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Rad # {0}: Ange Löpnummer för punkt {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","För ""Produktgrupper"" poster, Lager, Serienummer och Batch kommer att övervägas från ""Packlistan"". Om Lager och Batch inte är samma för alla förpacknings objekt för alla ""Produktgrupper"" , kan dessa värden skrivas in i huvud produkten, kommer värden kopieras till ""Packlistan""."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Rad # {0}: Ange Löpnummer för punkt {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","För ""Produktgrupper"" poster, Lager, Serienummer och Batch kommer att övervägas från ""Packlistan"". Om Lager och Batch inte är samma för alla förpacknings objekt för alla ""Produktgrupper"" , kan dessa värden skrivas in i huvud produkten, kommer värden kopieras till ""Packlistan""."
DocType: Job Opening,Publish on website,Publicera på webbplats
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Transporter till kunder.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Leverantörsfakturor Datum kan inte vara större än Publiceringsdatum
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Leverantörsfakturor Datum kan inte vara större än Publiceringsdatum
DocType: Purchase Invoice Item,Purchase Order Item,Inköpsorder Artikeln
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Indirekt inkomst
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Indirekt inkomst
DocType: Student Attendance Tool,Student Attendance Tool,Student Närvaro Tool
DocType: Cheque Print Template,Date Settings,Datum Inställningar
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Varians
@@ -1021,21 +1027,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Kemisk
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Standard Bank / Cash konto kommer att uppdateras automatiskt i Lön Journal Entry när detta läge är valt.
DocType: BOM,Raw Material Cost(Company Currency),Råvarukostnaden (Företaget valuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Alla objekt har redan överförts till denna produktionsorder.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Alla objekt har redan överförts till denna produktionsorder.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Priset kan inte vara större än den som används i {1} {2}
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Row # {0}: Priset kan inte vara större än den som används i {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,Meter
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,Meter
DocType: Workstation,Electricity Cost,Elkostnad
DocType: HR Settings,Don't send Employee Birthday Reminders,Skicka inte anställdas födelsedagspåminnelser
DocType: Item,Inspection Criteria,Inspektionskriterier
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Överfört
DocType: BOM Website Item,BOM Website Item,BOM Website Post
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Ladda upp din brevhuvud och logotyp. (Du kan redigera dem senare).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Ladda upp din brevhuvud och logotyp. (Du kan redigera dem senare).
DocType: Timesheet Detail,Bill,Räkningen
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Nästa Avskrivningar Datum anges som tidigare datum
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Vit
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Vit
DocType: SMS Center,All Lead (Open),Alla Ledare (Öppna)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rad {0}: Antal inte tillgängligt för {4} i lager {1} vid utstationering tidpunkt för angivelsen ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Rad {0}: Antal inte tillgängligt för {4} i lager {1} vid utstationering tidpunkt för angivelsen ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Få utbetalda förskott
DocType: Item,Automatically Create New Batch,Skapa automatiskt nytt parti
DocType: Item,Automatically Create New Batch,Skapa automatiskt nytt parti
@@ -1046,13 +1052,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Min kundvagn
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Beställd Typ måste vara en av {0}
DocType: Lead,Next Contact Date,Nästa Kontakt Datum
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Öppning Antal
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,Ange konto för förändring Belopp
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Öppning Antal
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,Ange konto för förändring Belopp
DocType: Student Batch Name,Student Batch Name,Elev batchnamn
DocType: Holiday List,Holiday List Name,Semester Listnamn
DocType: Repayment Schedule,Balance Loan Amount,Balans Lånebelopp
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,schema Course
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Optioner
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Optioner
DocType: Journal Entry Account,Expense Claim,Utgiftsräkning
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Vill du verkligen vill återställa detta skrotas tillgång?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Antal för {0}
@@ -1064,12 +1070,12 @@
DocType: Company,Default Terms,Standardvillkor
DocType: Packing Slip Item,Packing Slip Item,Följesedels artikel
DocType: Purchase Invoice,Cash/Bank Account,Kontant / Bankkonto
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Specificera en {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Specificera en {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Borttagna objekt med någon förändring i kvantitet eller värde.
DocType: Delivery Note,Delivery To,Leverans till
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Attributtabell är obligatoriskt
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Attributtabell är obligatoriskt
DocType: Production Planning Tool,Get Sales Orders,Hämta kundorder
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} kan inte vara negativ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} kan inte vara negativ
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Rabatt
DocType: Asset,Total Number of Depreciations,Totalt Antal Avskrivningar
DocType: Sales Invoice Item,Rate With Margin,Betygsätt med marginal
@@ -1090,7 +1096,6 @@
DocType: Serial No,Creation Document No,Skapande Dokument nr
DocType: Issue,Issue,Problem
DocType: Asset,Scrapped,skrotas
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Kontot inte överens med bolaget
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Egenskaper för produktvarianter. t.ex. storlek, färg etc."
DocType: Purchase Invoice,Returns,avkastning
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP Lager
@@ -1102,12 +1107,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,"Produkt måste tillsättas med hjälp av ""få produkter från kvitton"" -knappen"
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Inkludera icke-lager
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Försäljnings Kostnader
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Försäljnings Kostnader
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Standard handla
DocType: GL Entry,Against,Mot
DocType: Item,Default Selling Cost Center,Standard Kostnadsställe Försäljning
DocType: Sales Partner,Implementation Partner,Genomförande Partner
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Postnummer
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Postnummer
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Kundorder {0} är {1}
DocType: Opportunity,Contact Info,Kontaktinformation
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Göra Stock Inlägg
@@ -1120,33 +1125,33 @@
DocType: Holiday List,Get Weekly Off Dates,Hämta Veckodagar
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,Slutdatum kan inte vara mindre än Startdatum
DocType: Sales Person,Select company name first.,Välj företagsnamn först.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Dr
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Offerter mottaget från leverantörer.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Till {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Medelålder
DocType: School Settings,Attendance Freeze Date,Dagsfrysningsdatum
DocType: School Settings,Attendance Freeze Date,Dagsfrysningsdatum
DocType: Opportunity,Your sales person who will contact the customer in future,Din säljare som kommer att kontakta kunden i framtiden
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Lista några av dina leverantörer. De kunde vara organisationer eller privatpersoner.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Lista några av dina leverantörer. De kunde vara organisationer eller privatpersoner.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Visa alla produkter
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimal ledningsålder (dagar)
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimal ledningsålder (dagar)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,alla stycklistor
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,alla stycklistor
DocType: Company,Default Currency,Standard Valuta
DocType: Expense Claim,From Employee,Från anställd
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Varning: Systemet kommer inte att kontrollera överdebitering, eftersom belopp för punkt {0} i {1} är noll"
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,"Varning: Systemet kommer inte att kontrollera överdebitering, eftersom belopp för punkt {0} i {1} är noll"
DocType: Journal Entry,Make Difference Entry,Skapa Differensinlägg
DocType: Upload Attendance,Attendance From Date,Närvaro Från datum
DocType: Appraisal Template Goal,Key Performance Area,Nyckelperformance Områden
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Transportfordon
+DocType: Program Enrollment,Transportation,Transportfordon
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Ogiltig Attribut
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} måste lämnas in
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} måste lämnas in
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Kvantitet måste vara mindre än eller lika med {0}
DocType: SMS Center,Total Characters,Totalt Tecken
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Välj BOM i BOM fältet för produkt{0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Välj BOM i BOM fältet för produkt{0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form faktura Detalj
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Betalning Avstämning Faktura
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Bidrag%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",Enligt Köpinställningarna om beställning krävs == 'JA' och sedan för att skapa Köpfaktura måste användaren skapa Köporder först för objektet {0}
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Organisationsnummer som referens. Skattenummer etc.
DocType: Sales Partner,Distributor,Distributör
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Varukorgen frakt Regel
@@ -1155,23 +1160,25 @@
,Ordered Items To Be Billed,Beställda varor att faktureras
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Från Range måste vara mindre än ligga
DocType: Global Defaults,Global Defaults,Globala standardinställningar
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Projektsamarbete Inbjudan
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Projektsamarbete Inbjudan
DocType: Salary Slip,Deductions,Avdrag
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Start Year
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},De första 2 siffrorna i GSTIN ska matcha med statligt nummer {0}
DocType: Purchase Invoice,Start date of current invoice's period,Startdatum för aktuell faktura period
DocType: Salary Slip,Leave Without Pay,Lämna utan lön
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Kapacitetsplanering Error
,Trial Balance for Party,Trial Balance för Party
DocType: Lead,Consultant,Konsult
DocType: Salary Slip,Earnings,Vinster
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Färdiga artiklar {0} måste anges för Tillverkningstypen
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Färdiga artiklar {0} måste anges för Tillverkningstypen
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Ingående redovisning Balans
+,GST Sales Register,GST Försäljningsregister
DocType: Sales Invoice Advance,Sales Invoice Advance,Försäljning Faktura Advance
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Ingenting att begära
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},En annan budget record '{0}' finns redan mot {1} {2} för räkenskapsåret {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',"Faktiskt startdatum" inte kan vara större än "Faktiskt slutdatum"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Ledning
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Ledning
DocType: Cheque Print Template,Payer Settings,Payer Inställningar
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Detta kommer att läggas till den punkt koden varianten. Till exempel, om din förkortning är "SM", och försändelsekoden är "T-TRÖJA", posten kod varianten kommer att vara "T-Shirt-SM""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Nettolön (i ord) kommer att vara synliga när du sparar lönebeskedet.
@@ -1188,8 +1195,8 @@
DocType: Employee Loan,Partially Disbursed,delvis Utbetalt
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Leverantörsdatabas.
DocType: Account,Balance Sheet,Balansräkning
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',"Kostnadcenter för artikel med artikelkod """
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Betalning läget är inte konfigurerad. Kontrollera, om kontot har satts på läge av betalningar eller på POS profil."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',"Kostnadcenter för artikel med artikelkod """
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Betalning läget är inte konfigurerad. Kontrollera, om kontot har satts på läge av betalningar eller på POS profil."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Din säljare kommer att få en påminnelse om detta datum att kontakta kunden
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Samma post kan inte anges flera gånger.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Ytterligare konton kan göras inom ramen för grupper, men poster kan göras mot icke-grupper"
@@ -1197,7 +1204,7 @@
DocType: Email Digest,Payables,Skulder
DocType: Course,Course Intro,kurs Introduktion
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Stock Entry {0} skapades
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Rad # {0}: avvisat antal kan inte anmälas för retur
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Rad # {0}: avvisat antal kan inte anmälas för retur
,Purchase Order Items To Be Billed,Inköpsorder Artiklar att faktureras
DocType: Purchase Invoice Item,Net Rate,Netto kostnad
DocType: Purchase Invoice Item,Purchase Invoice Item,Inköpsfaktura Artiklar
@@ -1224,7 +1231,7 @@
DocType: Sales Order,SO-,SÅ-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Välj prefix först
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Forskning
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Forskning
DocType: Maintenance Visit Purpose,Work Done,Arbete Gjort
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Ange minst ett attribut i tabellen attribut
DocType: Announcement,All Students,Alla studenter
@@ -1232,17 +1239,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Se journal
DocType: Grading Scale,Intervals,intervaller
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Tidigast
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Ett varugrupp finns med samma namn, ändra objektets namn eller byta namn på varugrupp"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Student Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Resten av världen
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Ett varugrupp finns med samma namn, ändra objektets namn eller byta namn på varugrupp"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No.
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Resten av världen
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Item {0} kan inte ha Batch
,Budget Variance Report,Budget Variationsrapport
DocType: Salary Slip,Gross Pay,Bruttolön
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Rad {0}: Aktivitetstyp är obligatorisk.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Lämnad utdelning
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Lämnad utdelning
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Redovisning Ledger
DocType: Stock Reconciliation,Difference Amount,Differensbelopp
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Balanserade vinstmedel
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Balanserade vinstmedel
DocType: Vehicle Log,Service Detail,tjänsten Detalj
DocType: BOM,Item Description,Produktbeskrivning
DocType: Student Sibling,Student Sibling,Student Syskon
@@ -1257,11 +1264,11 @@
DocType: Opportunity Item,Opportunity Item,Möjlighet Punkt
,Student and Guardian Contact Details,Student och Guardian Kontaktuppgifter
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Row {0}: För leverantören {0} E-postadress krävs för att skicka e-post
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Tillfällig Öppning
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Tillfällig Öppning
,Employee Leave Balance,Anställd Avgångskostnad
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Saldo konto {0} måste alltid vara {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Värderings takt som krävs för punkt i rad {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Exempel: Masters i datavetenskap
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Exempel: Masters i datavetenskap
DocType: Purchase Invoice,Rejected Warehouse,Avvisat Lager
DocType: GL Entry,Against Voucher,Mot Kupong
DocType: Item,Default Buying Cost Center,Standard Inköpsställe
@@ -1274,31 +1281,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Hämta utestående fakturor
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Kundorder {0} är inte giltig
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Inköpsorder hjälpa dig att planera och följa upp dina inköp
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Tyvärr, kan företagen inte slås samman"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Tyvärr, kan företagen inte slås samman"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",Den totala emissions / Transfer mängd {0} i Material Begäran {1} \ inte kan vara större än efterfrågat antal {2} till punkt {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Liten
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Liten
DocType: Employee,Employee Number,Anställningsnummer
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Ärendenr är redani bruk. Försök från ärende nr {0}
DocType: Project,% Completed,% Slutfört
,Invoiced Amount (Exculsive Tax),Fakturerat belopp (Exklusive skatt)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Produkt 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Konto huvudet {0} skapades
DocType: Supplier,SUPP-,leve-
DocType: Training Event,Training Event,utbildning Händelse
DocType: Item,Auto re-order,Auto återbeställning
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Totalt Uppnått
DocType: Employee,Place of Issue,Utgivningsplats
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Kontrakt
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Kontrakt
DocType: Email Digest,Add Quote,Lägg Citat
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},UOM coverfaktor krävs för UOM: {0} i punkt: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Indirekta kostnader
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM coverfaktor krävs för UOM: {0} i punkt: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Indirekta kostnader
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Rad {0}: Antal är obligatoriskt
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Jordbruk
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Sync basdata
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Dina produkter eller tjänster
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Sync basdata
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Dina produkter eller tjänster
DocType: Mode of Payment,Mode of Payment,Betalningssätt
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Website Bild bör vara en offentlig fil eller webbadress
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Website Bild bör vara en offentlig fil eller webbadress
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Detta är en rot varugrupp och kan inte ändras.
@@ -1307,17 +1313,17 @@
DocType: Warehouse,Warehouse Contact Info,Lagrets kontaktinfo
DocType: Payment Entry,Write Off Difference Amount,Skriv differensen Belopp
DocType: Purchase Invoice,Recurring Type,Återkommande Typ
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: Anställd e-post hittades inte, därför e-post skickas inte"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: Anställd e-post hittades inte, därför e-post skickas inte"
DocType: Item,Foreign Trade Details,Foreign Trade Detaljer
DocType: Email Digest,Annual Income,Årlig inkomst
DocType: Serial No,Serial No Details,Serial Inga detaljer
DocType: Purchase Invoice Item,Item Tax Rate,Produkt Skattesats
DocType: Student Group Student,Group Roll Number,Grupprullnummer
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",För {0} kan endast kreditkonton länkas mot en annan debitering
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Summan av alla uppgift vikter bör vara 1. Justera vikter av alla projektuppgifter i enlighet
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Följesedel {0} är inte lämnad
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Produkt {0} måste vara ett underleverantörs produkt
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Kapital Utrustning
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Summan av alla uppgift vikter bör vara 1. Justera vikter av alla projektuppgifter i enlighet
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Följesedel {0} är inte lämnad
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Produkt {0} måste vara ett underleverantörs produkt
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Kapital Utrustning
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Prissättning regel baseras först på ""Lägg till på' fälten, som kan vara artikel, artikelgrupp eller Märke."
DocType: Hub Settings,Seller Website,Säljare Webbplatsen
DocType: Item,ITEM-,PUNKT-
@@ -1335,7 +1341,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Det kan bara finnas en frakt Regel skick med 0 eller blank värde för "till värde"
DocType: Authorization Rule,Transaction,Transaktion
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Obs! Detta här kostnadsställe är en grupp. Det går inte att göra bokföringsposter mot grupper.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,Barnlager existerar för det här lagret. Du kan inte ta bort det här lagret.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Barnlager existerar för det här lagret. Du kan inte ta bort det här lagret.
DocType: Item,Website Item Groups,Webbplats artikelgrupper
DocType: Purchase Invoice,Total (Company Currency),Totalt (Company valuta)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Serienummer {0} in mer än en gång
@@ -1345,7 +1351,7 @@
DocType: Grading Scale Interval,Grade Code,grade kod
DocType: POS Item Group,POS Item Group,POS Artikelgrupp
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,E-postutskick:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} tillhör inte föremål {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} tillhör inte föremål {1}
DocType: Sales Partner,Target Distribution,Target Fördelning
DocType: Salary Slip,Bank Account No.,Bankkonto nr
DocType: Naming Series,This is the number of the last created transaction with this prefix,Detta är numret på den senast skapade transaktionen med detta prefix
@@ -1356,12 +1362,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Bokförtillgodskrivning automatiskt
DocType: BOM Operation,Workstation,Arbetsstation
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Offertförfrågan Leverantör
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Hårdvara
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Hårdvara
DocType: Sales Order,Recurring Upto,Återkommande kommande~~POS=HEADCOMP Upp
DocType: Attendance,HR Manager,HR-chef
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Välj ett företag
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Enskild ledighet
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Välj ett företag
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Enskild ledighet
DocType: Purchase Invoice,Supplier Invoice Date,Leverantörsfakturadatum
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,per
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Du måste aktivera Varukorgen
DocType: Payment Entry,Writeoff,nedskrivning
DocType: Appraisal Template Goal,Appraisal Template Goal,Bedömning Mall Mål
@@ -1372,10 +1379,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Överlappande förhållanden som råder mellan:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Mot Journal anteckning{0} är redan anpassat mot någon annan kupong
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Totalt ordervärde
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Mat
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Mat
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Åldringsräckvidd 3
DocType: Maintenance Schedule Item,No of Visits,Antal besök
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Mark Närvaro
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Mark Närvaro
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Underhållschema {0} existerar mot {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,Inlärning elev
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Valuta avslutnings Hänsyn måste vara {0}
@@ -1389,6 +1396,7 @@
DocType: Rename Tool,Utilities,Verktyg
DocType: Purchase Invoice Item,Accounting,Redovisning
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Var god välj satser för batched item
DocType: Asset,Depreciation Schedules,avskrivningstider
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Ansökningstiden kan inte vara utanför ledighet fördelningsperioden
DocType: Activity Cost,Projects,Projekt
@@ -1402,6 +1410,7 @@
DocType: POS Profile,Campaign,Kampanj
DocType: Supplier,Name and Type,Namn och typ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Godkännandestatus måste vara ""Godkänd"" eller ""Avvisad"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,bootstrap
DocType: Purchase Invoice,Contact Person,Kontaktperson
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"""Förväntat startdatum"" kan inte vara större än ""Förväntat slutdatum"""
DocType: Course Scheduling Tool,Course End Date,Kurs Slutdatum
@@ -1409,12 +1418,11 @@
DocType: Sales Order Item,Planned Quantity,Planerad Kvantitet
DocType: Purchase Invoice Item,Item Tax Amount,Produkt skattebeloppet
DocType: Item,Maintain Stock,Behåll Lager
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Aktie Inlägg redan skapats för produktionsorder
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Aktie Inlägg redan skapats för produktionsorder
DocType: Employee,Prefered Email,Föredragen E
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Netto Förändring av anläggningstillgång
DocType: Leave Control Panel,Leave blank if considered for all designations,Lämna tomt om det anses vara för alla beteckningar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Warehouse är obligatoriskt för icke koncernredovisning av typen Stock
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Avgift av typ ""faktiska"" i raden {0} kan inte ingå i artikelomsättningen"
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,"Avgift av typ ""faktiska"" i raden {0} kan inte ingå i artikelomsättningen"
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Från Daterad tid
DocType: Email Digest,For Company,För Företag
@@ -1424,15 +1432,15 @@
DocType: Sales Invoice,Shipping Address Name,Leveransadress Namn
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Kontoplan
DocType: Material Request,Terms and Conditions Content,Villkor Innehåll
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,kan inte vara större än 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Produkt {0} är inte en lagervara
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,kan inte vara större än 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Produkt {0} är inte en lagervara
DocType: Maintenance Visit,Unscheduled,Ledig
DocType: Employee,Owned,Ägs
DocType: Salary Detail,Depends on Leave Without Pay,Beror på avgång utan lön
DocType: Pricing Rule,"Higher the number, higher the priority","Högre nummer, högre prioritet"
,Purchase Invoice Trends,Inköpsfaktura Trender
DocType: Employee,Better Prospects,Bättre prospekt
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",Rad # {0}: Batch {1} har endast {2} qty. Var god välj en annan sats som har {3} antal tillgängliga eller dela raden i flera rader för att leverera / utgå från flera satser
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",Rad # {0}: Batch {1} har endast {2} qty. Var god välj en annan sats som har {3} antal tillgängliga eller dela raden i flera rader för att leverera / utgå från flera satser
DocType: Vehicle,License Plate,Registreringsskylt
DocType: Appraisal,Goals,Mål
DocType: Warranty Claim,Warranty / AMC Status,Garanti / AMC Status
@@ -1443,19 +1451,20 @@
,Batch-Wise Balance History,Batchvis Balans Historik
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Utskriftsinställningar uppdateras i respektive utskriftsformat
DocType: Package Code,Package Code,Package Code
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Lärling
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Lärling
+DocType: Purchase Invoice,Company GSTIN,Företaget GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Negativ Antal är inte tillåtet
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",Skatte detalj tabell hämtas från punkt mästare som en sträng och lagras i detta område. Används för skatter och avgifter
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Anställd kan inte anmäla sig själv.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Om kontot är fruset, är poster endast tillgängligt för begränsade användare."
DocType: Email Digest,Bank Balance,BANKTILLGODOHAVANDE
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Kontering för {0}: {1} kan endast göras i valuta: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Kontering för {0}: {1} kan endast göras i valuta: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Jobb profil, kvalifikationer som krävs osv"
DocType: Journal Entry Account,Account Balance,Balanskonto
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Skatte Regel för transaktioner.
DocType: Rename Tool,Type of document to rename.,Typ av dokument för att byta namn.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Vi köper detta objekt
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Vi köper detta objekt
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Kunden är skyldig mot Fordran konto {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Totala skatter och avgifter (Företags valuta)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Visa ej avslutad skatteårets P & L balanser
@@ -1466,29 +1475,30 @@
DocType: Stock Entry,Total Additional Costs,Totalt Merkostnader
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Skrot materialkostnader (Company valuta)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Sub Assemblies
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Sub Assemblies
DocType: Asset,Asset Name,tillgångs Namn
DocType: Project,Task Weight,uppgift Vikt
DocType: Shipping Rule Condition,To Value,Att Värdera
DocType: Asset Movement,Stock Manager,Lagrets direktör
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Källa lager är obligatoriskt för rad {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Följesedel
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Kontorshyra
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Källa lager är obligatoriskt för rad {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Följesedel
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Kontorshyra
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Setup SMS-gateway-inställningar
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Import misslyckades!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Ingen adress inlagd ännu.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Ingen adress inlagd ännu.
DocType: Workstation Working Hour,Workstation Working Hour,Arbetsstation arbetstimme
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Analytiker
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Analytiker
DocType: Item,Inventory,Inventering
DocType: Item,Sales Details,Försäljnings Detaljer
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,Med artiklar
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,I Antal
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,I Antal
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Bekräfta inskrivna kurs för studenter i studentgruppen
DocType: Notification Control,Expense Claim Rejected,Räkning avvisas
DocType: Item,Item Attribute,Produkt Attribut
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Regeringen
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Regeringen
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Räkningen {0} finns redan för fordons Log
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Institute Namn
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Institute Namn
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,Ange återbetalningsbeloppet
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Produkt Varianter
DocType: Company,Services,Tjänster
@@ -1498,18 +1508,18 @@
DocType: Sales Invoice,Source,Källa
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,show stängd
DocType: Leave Type,Is Leave Without Pay,Är ledighet utan lön
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Asset Kategori är obligatorisk för fast tillgångsposten
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset Kategori är obligatorisk för fast tillgångsposten
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Inga träffar i betalningstabellen
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Detta {0} konflikter med {1} för {2} {3}
DocType: Student Attendance Tool,Students HTML,studenter HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Budgetåret Startdatum
DocType: POS Profile,Apply Discount,Applicera rabatt
+DocType: Purchase Invoice Item,GST HSN Code,GST HSN-kod
DocType: Employee External Work History,Total Experience,Total Experience
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,öppna projekt
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Följesedlar avbryts
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Kassaflöde från investeringsverksamheten
DocType: Program Course,Program Course,program Kurs
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,"Frakt, spedition Avgifter"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,"Frakt, spedition Avgifter"
DocType: Homepage,Company Tagline for website homepage,Företag Tagline för webbplats hemsida
DocType: Item Group,Item Group Name,Produkt Gruppnamn
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Taken
@@ -1519,6 +1529,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,Skapa Leads
DocType: Maintenance Schedule,Schedules,Scheman
DocType: Purchase Invoice Item,Net Amount,Nettobelopp
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} har inte skickats in så åtgärden kan inte slutföras
DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detalj nr
DocType: Landed Cost Voucher,Additional Charges,Tillkommande avgifter
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Ytterligare rabattbeloppet (Företagsvaluta)
@@ -1534,6 +1545,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Månatliga återbetalningen belopp
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,Ställ in användar-ID fältet i en anställd post för att ställa in anställdes Roll
DocType: UOM,UOM Name,UOM Namn
+DocType: GST HSN Code,HSN Code,HSN-kod
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Bidragsbelopp
DocType: Purchase Invoice,Shipping Address,Leverans Adress
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Detta verktyg hjälper dig att uppdatera eller rätta mängden och värdering av lager i systemet. Det är oftast används för att synkronisera systemvärden och vad som faktiskt finns i dina lager.
@@ -1544,18 +1556,17 @@
DocType: Program Enrollment Tool,Program Enrollments,program Inskrivningar
DocType: Sales Invoice Item,Brand Name,Varumärke
DocType: Purchase Receipt,Transporter Details,Transporter Detaljer
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Standardlager krävs för vald post
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Låda
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Standardlager krävs för vald post
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Låda
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,möjlig Leverantör
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Organisationen
DocType: Budget,Monthly Distribution,Månads Fördelning
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Mottagare Lista är tom. Skapa Mottagare Lista
DocType: Production Plan Sales Order,Production Plan Sales Order,Produktionsplan för kundorder
DocType: Sales Partner,Sales Partner Target,Sales Partner Target
DocType: Loan Type,Maximum Loan Amount,Maximala lånebeloppet
DocType: Pricing Rule,Pricing Rule,Prissättning Regel
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Dubbelnummer för student {0}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Dubbelnummer för student {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Dubbelnummer för student {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Dubbelnummer för student {0}
DocType: Budget,Action if Annual Budget Exceeded,Åtgärd om årsbudgeten överskriden
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Material begäran om att inköpsorder
DocType: Shopping Cart Settings,Payment Success URL,Betalning Framgång URL
@@ -1568,11 +1579,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Ingående lagersaldo
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} måste bara finnas en gång
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Ej tillåtet att flytta mer {0} än {1} mot beställning {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Ej tillåtet att flytta mer {0} än {1} mot beställning {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Lämnar Avsatt framgångsrikt för {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Inga produkter att packa
DocType: Shipping Rule Condition,From Value,Från Värde
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Tillverknings Kvantitet är obligatorisk
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Tillverknings Kvantitet är obligatorisk
DocType: Employee Loan,Repayment Method,återbetalning Metod
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",Om markerad startsidan vara standardArtikelGrupp för webbplatsen
DocType: Quality Inspection Reading,Reading 4,Avläsning 4
@@ -1582,7 +1593,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Rad # {0}: Clearance datum {1} kan inte vara före check Datum {2}
DocType: Company,Default Holiday List,Standard kalender
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Rad {0}: Från tid och att tiden på {1} överlappar med {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Stock Skulder
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Stock Skulder
DocType: Purchase Invoice,Supplier Warehouse,Leverantör Lager
DocType: Opportunity,Contact Mobile No,Kontakt Mobil nr
,Material Requests for which Supplier Quotations are not created,Material Begäran för vilka leverantörsofferter är inte skapade
@@ -1593,35 +1604,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Skapa offert
apps/erpnext/erpnext/config/selling.py +216,Other Reports,andra rapporter
DocType: Dependent Task,Dependent Task,Beroende Uppgift
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Omvandlingsfaktor för standardmåttenhet måste vara en i raden {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Omvandlingsfaktor för standardmåttenhet måste vara en i raden {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Ledighet av typen {0} inte kan vara längre än {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Försök att planera verksamheten för X dagar i förväg.
DocType: HR Settings,Stop Birthday Reminders,Stop födelsedag Påminnelser
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Ställ Default Lön betalas konto i bolaget {0}
DocType: SMS Center,Receiver List,Mottagare Lista
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Sök Produkt
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Sök Produkt
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Förbrukad mängd
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Nettoförändring i Cash
DocType: Assessment Plan,Grading Scale,Betygsskala
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mätenhet {0} har angetts mer än en gång i Omvandlingsfaktor Tabell
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Mätenhet {0} har angetts mer än en gång i Omvandlingsfaktor Tabell
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,redan avslutat
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Lager i handen
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Betalning förfrågan finns redan {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Kostnad för utfärdade artiklar
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Antal får inte vara mer än {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Föregående räkenskapsperiod inte stängd
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Ålder (dagar)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Ålder (dagar)
DocType: Quotation Item,Quotation Item,Offert Artikel
+DocType: Customer,Customer POS Id,Kundens POS-ID
DocType: Account,Account Name,Kontonamn
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Från Datum kan inte vara större än Till Datum
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Serienummer {0} kvantitet {1} inte kan vara en fraktion
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Leverantör Typ mästare.
DocType: Purchase Order Item,Supplier Part Number,Leverantör Artikelnummer
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Konverteringskurs kan inte vara 0 eller 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Konverteringskurs kan inte vara 0 eller 1
DocType: Sales Invoice,Reference Document,referensdokument
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} är avbruten eller stoppad
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} är avbruten eller stoppad
DocType: Accounts Settings,Credit Controller,Kreditcontroller
DocType: Delivery Note,Vehicle Dispatch Date,Fordon Avgångs Datum
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Inköpskvitto {0} är inte lämnat
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Inköpskvitto {0} är inte lämnat
DocType: Company,Default Payable Account,Standard betalkonto
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Inställningar för webbutik som fraktregler, prislista mm"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% Fakturerad
@@ -1640,11 +1653,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Totala belopp som ersatts
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Detta grundar sig på stockar mot detta fordon. Se tidslinje nedan för mer information
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,Samla
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Mot leverantörsfakturor {0} den {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Mot leverantörsfakturor {0} den {1}
DocType: Customer,Default Price List,Standard Prislista
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Asset Rörelse rekord {0} skapades
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Du kan inte ta bort Räkenskapsårets {0}. Räkenskapsårets {0} är satt som standard i Globala inställningar
DocType: Journal Entry,Entry Type,Entry Type
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Ingen utvärderingsplan kopplad till denna bedömningsgrupp
,Customer Credit Balance,Kund tillgodohavande
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Netto Förändring av leverantörsskulder
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',"Kunder krävs för ""Kundrabatt"""
@@ -1653,7 +1667,7 @@
DocType: Quotation,Term Details,Term Detaljer
DocType: Project,Total Sales Cost (via Sales Order),Totala försäljningskostnader (via försäljningsorder)
DocType: Project,Total Sales Cost (via Sales Order),Totala försäljningskostnader (via försäljningsorder)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Det går inte att registrera mer än {0} studenter för denna elevgrupp.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Det går inte att registrera mer än {0} studenter för denna elevgrupp.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Lödräkning
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Lödräkning
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} måste vara större än 0
@@ -1676,7 +1690,7 @@
DocType: Sales Invoice,Packed Items,Packade artiklar
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Garantianspråk mot serienummer
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Ersätt en viss BOM i alla andra strukturlistor där det används. Det kommer att ersätta den gamla BOM länken, uppdatera kostnader och regenerera ""BOM Punkter"" tabellen som per nya BOM"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Total'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Total'
DocType: Shopping Cart Settings,Enable Shopping Cart,Aktivera Varukorgen
DocType: Employee,Permanent Address,Permanent Adress
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1692,9 +1706,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,Ange antingen Kvantitet eller Värderingsomsättning eller båda
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,Uppfyllelse
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Visa i varukorgen
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Marknadsföringskostnader
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Marknadsföringskostnader
,Item Shortage Report,Produkt Brist Rapportera
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Vikt nämns \ Vänligen ange ""Vikt UOM"" också"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Vikt nämns \ Vänligen ange ""Vikt UOM"" också"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Material Begäran används för att göra detta Lagerinlägg
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Nästa Avskrivningar Datum är obligatoriskt för ny tillgång
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Separat kursbaserad grupp för varje grupp
@@ -1704,17 +1718,18 @@
,Student Fee Collection,Student Fee Collection
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Skapa kontering för varje lagerförändring
DocType: Leave Allocation,Total Leaves Allocated,Totala Löv Avsatt
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Lager krävs vid Rad nr {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Ange ett giltigt räkenskapsåret start- och slutdatum
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Lager krävs vid Rad nr {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Ange ett giltigt räkenskapsåret start- och slutdatum
DocType: Employee,Date Of Retirement,Datum för pensionering
DocType: Upload Attendance,Get Template,Hämta mall
+DocType: Material Request,Transferred,Överförd
DocType: Vehicle,Doors,dörrar
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext Setup Complete!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Setup Complete!
DocType: Course Assessment Criteria,Weightage,Vikt
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Kostnadsställe krävs för "Resultaträkning" konto {2}. Ställ upp en standardkostnadsställe för bolaget.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"En Kundgrupp finns med samma namn, vänligen ändra Kundens namn eller döp om Kundgruppen"
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Ny kontakt
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"En Kundgrupp finns med samma namn, vänligen ändra Kundens namn eller döp om Kundgruppen"
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Ny kontakt
DocType: Territory,Parent Territory,Överordnat område
DocType: Quality Inspection Reading,Reading 2,Avläsning 2
DocType: Stock Entry,Material Receipt,Material Kvitto
@@ -1723,17 +1738,16 @@
DocType: Employee,AB+,AB+
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Om denna artikel har varianter, så det kan inte väljas i kundorder etc."
DocType: Lead,Next Contact By,Nästa Kontakt Vid
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Kvantitet som krävs för artikel {0} i rad {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},Lager {0} kan inte tas bort då kvantitet existerar för artiklar {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Kvantitet som krävs för artikel {0} i rad {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Lager {0} kan inte tas bort då kvantitet existerar för artiklar {1}
DocType: Quotation,Order Type,Beställ Type
DocType: Purchase Invoice,Notification Email Address,Anmälan E-postadress
,Item-wise Sales Register,Produktvis säljregister
DocType: Asset,Gross Purchase Amount,Bruttoköpesumma
DocType: Asset,Depreciation Method,avskrivnings Metod
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Off-line
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,Off-line
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Är denna skatt inkluderar i Basic kursen?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Totalt Target
-DocType: Program Course,Required,Nödvändig
DocType: Job Applicant,Applicant for a Job,Sökande för ett jobb
DocType: Production Plan Material Request,Production Plan Material Request,Produktionsplanen Material Begäran
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Inga produktionsorder skapas
@@ -1743,17 +1757,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Tillåt flera kundorder mot Kundens beställning
DocType: Student Group Instructor,Student Group Instructor,Studentgruppsinstruktör
DocType: Student Group Instructor,Student Group Instructor,Studentgruppsinstruktör
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 Mobile No
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Huvud
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile No
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Huvud
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Variant
DocType: Naming Series,Set prefix for numbering series on your transactions,Ställ prefix för nummerserie på dina transaktioner
DocType: Employee Attendance Tool,Employees HTML,Anställda HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Standard BOM ({0}) måste vara aktiv för denna artikel eller dess mall
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Standard BOM ({0}) måste vara aktiv för denna artikel eller dess mall
DocType: Employee,Leave Encashed?,Lämna inlösen?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Möjlighet Från fältet är obligatoriskt
DocType: Email Digest,Annual Expenses,årliga kostnader
DocType: Item,Variants,Varianter
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Skapa beställning
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Skapa beställning
DocType: SMS Center,Send To,Skicka Till
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Det finns inte tillräckligt ledighet balans för Lämna typ {0}
DocType: Payment Reconciliation Payment,Allocated amount,Avsatt mängd
@@ -1769,26 +1783,25 @@
DocType: Item,Serial Nos and Batches,Serienummer och partier
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Studentgruppsstyrkan
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Studentgruppsstyrkan
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Mot Journal anteckning {0} inte har någon matchat {1} inlägg
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Mot Journal anteckning {0} inte har någon matchat {1} inlägg
apps/erpnext/erpnext/config/hr.py +137,Appraisals,bedömningar
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Duplicera Löpnummer upp till punkt {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,En förutsättning för en frakt Regel
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Stig på
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Det går inte att overbill för Punkt {0} i rad {1} mer än {2}. För att möjliggöra överfakturering, ställ in köpa Inställningar"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Ställ filter baserat på punkt eller Warehouse
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Det går inte att overbill för Punkt {0} i rad {1} mer än {2}. För att möjliggöra överfakturering, ställ in köpa Inställningar"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Ställ filter baserat på punkt eller Warehouse
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Nettovikten av detta paket. (Beräknas automatiskt som summan av nettovikt av objekt)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Skapa ett konto för Lager och länka den. Detta kan inte göras automatiskt som ett konto med namn {0} finns redan
DocType: Sales Order,To Deliver and Bill,Att leverera och Bill
DocType: Student Group,Instructors,instruktörer
DocType: GL Entry,Credit Amount in Account Currency,Credit Belopp i konto Valuta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} måste lämnas in
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} måste lämnas in
DocType: Authorization Control,Authorization Control,Behörighetskontroll
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Rad # {0}: Avslag Warehouse är obligatoriskt mot förkastade Punkt {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Rad # {0}: Avslag Warehouse är obligatoriskt mot förkastade Punkt {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Betalning
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.",Lager {0} är inte länkat till något konto. Vänligen ange kontot i lageret eller sätt in det vanliga kontot i företaget {1}.
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Hantera order
DocType: Production Order Operation,Actual Time and Cost,Faktisk tid och kostnad
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Material Begäran om maximalt {0} kan göras till punkt {1} mot kundorder {2}
-DocType: Employee,Salutation,Salutation
DocType: Course,Course Abbreviation,Naturligtvis Förkortning
DocType: Student Leave Application,Student Leave Application,Student Lämna Application
DocType: Item,Will also apply for variants,Kommer också att ansöka om varianter
@@ -1800,12 +1813,12 @@
DocType: Quotation Item,Actual Qty,Faktiska Antal
DocType: Sales Invoice Item,References,Referenser
DocType: Quality Inspection Reading,Reading 10,Avläsning 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Lista dina produkter eller tjänster som du köper eller säljer. Se till att kontrollera varugruppen, mätenhet och andra egenskaper när du startar."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Lista dina produkter eller tjänster som du köper eller säljer. Se till att kontrollera varugruppen, mätenhet och andra egenskaper när du startar."
DocType: Hub Settings,Hub Node,Nav Nod
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Du har angett dubbletter. Vänligen rätta och försök igen.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Associate
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Associate
DocType: Asset Movement,Asset Movement,Asset Rörelse
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,ny vagn
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,ny vagn
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Produktt {0} är inte en serialiserad Produkt
DocType: SMS Center,Create Receiver List,Skapa Mottagare Lista
DocType: Vehicle,Wheels,hjul
@@ -1825,19 +1838,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Kan hänvisa till rad endast om avgiften är ""På föregående v Belopp"" eller ""Föregående rad Total"""
DocType: Sales Order Item,Delivery Warehouse,Leverans Lager
DocType: SMS Settings,Message Parameter,Meddelande Parameter
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Träd av finansiella kostnadsställen.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Träd av finansiella kostnadsställen.
DocType: Serial No,Delivery Document No,Leverans Dokument nr
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Ställ "Vinst / Förlust konto på Asset Avfallshantering 'i sällskap {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Hämta objekt från kvitton
DocType: Serial No,Creation Date,Skapelsedagen
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Punkt {0} visas flera gånger i prislista {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Försäljnings måste kontrolleras, i förekommande fall för väljs som {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Försäljnings måste kontrolleras, i förekommande fall för väljs som {0}"
DocType: Production Plan Material Request,Material Request Date,Material Request Datum
DocType: Purchase Order Item,Supplier Quotation Item,Leverantör offert Punkt
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Inaktiverar skapandet av tids stockar mot produktionsorder. Verksamheten får inte spåras mot produktionsorder
DocType: Student,Student Mobile Number,Student Mobilnummer
DocType: Item,Has Variants,Har Varianter
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Du har redan valt objekt från {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Du har redan valt objekt från {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Namn på månadens distribution
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Batch-ID är obligatoriskt
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Batch-ID är obligatoriskt
@@ -1848,12 +1861,12 @@
DocType: Budget,Fiscal Year,Räkenskapsår
DocType: Vehicle Log,Fuel Price,bränsle~~POS=TRUNC Pris
DocType: Budget,Budget,Budget
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Fast Asset Objektet måste vara en icke-lagervara.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Fast Asset Objektet måste vara en icke-lagervara.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Budget kan inte tilldelas mot {0}, eftersom det inte är en intäkt eller kostnad konto"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Uppnått
DocType: Student Admission,Application Form Route,Ansökningsblankett Route
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Territorium / Kund
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,t.ex. 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,t.ex. 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Lämna typ {0} kan inte tilldelas eftersom det lämnar utan lön
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Rad {0}: Tilldelad mängd {1} måste vara mindre än eller lika med att fakturerat utestående belopp {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,I Ord kommer att synas när du sparar fakturan.
@@ -1862,7 +1875,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Produkt {0} är inte inställt för Serial Nos. Kontrollera huvudprodukt
DocType: Maintenance Visit,Maintenance Time,Servicetid
,Amount to Deliver,Belopp att leverera
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,En produkt eller tjänst
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,En produkt eller tjänst
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Termen Startdatum kan inte vara tidigare än året Startdatum för läsåret som termen är kopplad (läsåret {}). Rätta datum och försök igen.
DocType: Guardian,Guardian Interests,Guardian Intressen
DocType: Naming Series,Current Value,Nuvarande Värde
@@ -1876,12 +1889,12 @@
must be greater than or equal to {2}","Rad {0}: Om du vill ställa {1} periodicitet, tidsskillnad mellan från och till dags datum \ måste vara större än eller lika med {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Detta är baserat på aktie rörelse. Se {0} för mer information
DocType: Pricing Rule,Selling,Försäljnings
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Belopp {0} {1} avräknas mot {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Belopp {0} {1} avräknas mot {2}
DocType: Employee,Salary Information,Lön Information
DocType: Sales Person,Name and Employee ID,Namn och Anställnings ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,Förfallodatum kan inte vara före Publiceringsdatum
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,Förfallodatum kan inte vara före Publiceringsdatum
DocType: Website Item Group,Website Item Group,Webbplats Produkt Grupp
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Tullar och skatter
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Tullar och skatter
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Ange Referensdatum
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} betalningsposter kan inte filtreras genom {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,Tabell för punkt som kommer att visas i Web Site
@@ -1898,9 +1911,9 @@
DocType: Payment Reconciliation Payment,Reference Row,referens Row
DocType: Installation Note,Installation Time,Installationstid
DocType: Sales Invoice,Accounting Details,Redovisning Detaljer
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Ta bort alla transaktioner för detta företag
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Rad # {0}: Operation {1} är inte klar för {2} st av färdiga varor i produktionsorder # {3}. Uppdatera driftstatus via Tidsloggar
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Investeringarna
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Ta bort alla transaktioner för detta företag
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Rad # {0}: Operation {1} är inte klar för {2} st av färdiga varor i produktionsorder # {3}. Uppdatera driftstatus via Tidsloggar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Investeringarna
DocType: Issue,Resolution Details,Åtgärds Detaljer
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,anslag
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Acceptanskriterier
@@ -1925,7 +1938,7 @@
DocType: Room,Room Name,Rums Namn
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Lämna inte kan tillämpas / avbryts innan {0}, som ledighet balans redan har carry-vidarebefordras i framtiden ledighet tilldelningspost {1}"
DocType: Activity Cost,Costing Rate,Kalkylfrekvens
-,Customer Addresses And Contacts,Kund adresser och kontakter
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Kund adresser och kontakter
,Campaign Efficiency,Kampanjseffektivitet
DocType: Discussion,Discussion,Diskussion
DocType: Payment Entry,Transaction ID,Transaktions ID
@@ -1936,14 +1949,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Totalt Billing Belopp (via Tidrapportering)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Upprepa kund Intäkter
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) måste ha rollen ""Utgiftsgodkännare"""
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Par
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Välj BOM och Antal för produktion
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Par
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Välj BOM och Antal för produktion
DocType: Asset,Depreciation Schedule,avskrivningsplanen
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Försäljningspartneradresser och kontakter
DocType: Bank Reconciliation Detail,Against Account,Mot Konto
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Halv Dag Datum bör vara mellan Från datum och hittills
DocType: Maintenance Schedule Detail,Actual Date,Faktiskt Datum
DocType: Item,Has Batch No,Har Sats nr
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Årlig Billing: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Årlig Billing: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Varor och tjänster Skatt (GST Indien)
DocType: Delivery Note,Excise Page Number,Punktnotering sidnummer
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Företag, är obligatorisk Från datum och Till datum"
DocType: Asset,Purchase Date,inköpsdatum
@@ -1951,11 +1966,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Ställ "Asset Avskrivningar kostnadsställe" i bolaget {0}
,Maintenance Schedules,Underhålls scheman
DocType: Task,Actual End Date (via Time Sheet),Faktisk Slutdatum (via Tidrapportering)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Belopp {0} {1} mot {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Belopp {0} {1} mot {2} {3}
,Quotation Trends,Offert Trender
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Produktgruppen nämns inte i huvudprodukten för objektet {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Debitering av konto måste vara ett mottagarkonto
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Produktgruppen nämns inte i huvudprodukten för objektet {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Debitering av konto måste vara ett mottagarkonto
DocType: Shipping Rule Condition,Shipping Amount,Fraktbelopp
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Lägg till kunder
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Väntande antal
DocType: Purchase Invoice Item,Conversion Factor,Omvandlingsfaktor
DocType: Purchase Order,Delivered,Levereras
@@ -1965,7 +1981,8 @@
DocType: Purchase Receipt,Vehicle Number,Fordonsnummer
DocType: Purchase Invoice,The date on which recurring invoice will be stop,Den dag då återkommande faktura kommer att stoppa
DocType: Employee Loan,Loan Amount,Lånebelopp
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Materials hittades inte för objektet {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Självkörande fordon
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Bill of Materials hittades inte för objektet {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Totalt tilldelade blad {0} kan inte vara mindre än redan godkända blad {1} för perioden
DocType: Journal Entry,Accounts Receivable,Kundreskontra
,Supplier-Wise Sales Analytics,Leverantör-Wise Sales Analytics
@@ -1983,22 +2000,21 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Räkning väntar på godkännande. Endast Utgiftsgodkännare kan uppdatera status.
DocType: Email Digest,New Expenses,nya kostnader
DocType: Purchase Invoice,Additional Discount Amount,Ytterligare rabatt Belopp
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Rad # {0}: Antal måste vara en, som objektet är en anläggningstillgång. Använd separat rad för flera st."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Rad # {0}: Antal måste vara en, som objektet är en anläggningstillgång. Använd separat rad för flera st."
DocType: Leave Block List Allow,Leave Block List Allow,Lämna Block List Tillåt
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Förkortning kan inte vara tomt
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Förkortning kan inte vara tomt
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Grupp till icke-Group
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Sport
DocType: Loan Type,Loan Name,Loan Namn
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Totalt Faktisk
DocType: Student Siblings,Student Siblings,elev Syskon
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Enhet
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,Ange Företag
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Enhet
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Ange Företag
,Customer Acquisition and Loyalty,Kundförvärv och Lojalitet
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Lager där du hanterar lager av avvisade föremål
DocType: Production Order,Skip Material Transfer,Hoppa över materialöverföring
DocType: Production Order,Skip Material Transfer,Hoppa över materialöverföring
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Det gick inte att hitta växelkursen för {0} till {1} för nyckeldatum {2}. Var god skapa en valutautbyteslista manuellt
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Din räkenskapsår slutar
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Det gick inte att hitta växelkursen för {0} till {1} för nyckeldatum {2}. Var god skapa en valutautbyteslista manuellt
DocType: POS Profile,Price List,Prislista
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} är nu standard räkenskapsår. Vänligen uppdatera din webbläsare för att ändringen ska träda i kraft.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Räkningar
@@ -2011,14 +2027,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Lagersaldo i Batch {0} kommer att bli negativ {1} till punkt {2} på Warehouse {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Efter Material Framställningar har höjts automatiskt baserat på punkt re-order nivå
DocType: Email Digest,Pending Sales Orders,I väntan på kundorder
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Konto {0} är ogiltig. Konto Valuta måste vara {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Konto {0} är ogiltig. Konto Valuta måste vara {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM omräkningsfaktor i rad {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Rad # {0}: Referensdokument Type måste vara en av kundorder, försäljningsfakturan eller journalanteckning"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Rad # {0}: Referensdokument Type måste vara en av kundorder, försäljningsfakturan eller journalanteckning"
DocType: Salary Component,Deduction,Avdrag
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Rad {0}: Från tid och till tid är obligatorisk.
DocType: Stock Reconciliation Item,Amount Difference,mängd Skillnad
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Artikel Pris till för {0} i prislista {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Artikel Pris till för {0} i prislista {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Ange anställnings Id för denna säljare
DocType: Territory,Classification of Customers by region,Klassificering av kunder per region
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Skillnad Belopp måste vara noll
@@ -2030,21 +2046,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Totalt Avdrag
,Production Analytics,produktions~~POS=TRUNC Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Kostnad Uppdaterad
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Kostnad Uppdaterad
DocType: Employee,Date of Birth,Födelsedatum
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Punkt {0} redan har returnerat
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Punkt {0} redan har returnerat
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Räkenskapsårets ** representerar budgetåret. Alla bokföringsposter och andra större transaktioner spåras mot ** räkenskapsår **.
DocType: Opportunity,Customer / Lead Address,Kund / Huvudadress
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Varning: Ogiltig SSL-certifikat på fäst {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Varning: Ogiltig SSL-certifikat på fäst {0}
DocType: Student Admission,Eligibility,Behörighet
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Leads hjälpa dig att få verksamheten, lägga till alla dina kontakter och mer som dina leder"
DocType: Production Order Operation,Actual Operation Time,Faktisk driftstid
DocType: Authorization Rule,Applicable To (User),Är tillämpligt för (Användare)
DocType: Purchase Taxes and Charges,Deduct,Dra av
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Arbetsbeskrivning
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Arbetsbeskrivning
DocType: Student Applicant,Applied,Applicerad
DocType: Sales Invoice Item,Qty as per Stock UOM,Antal per lager UOM
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2 Namn
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 Namn
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Specialtecken utom "-" ".", "#", och "/" inte tillåtet att namnge serie"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Håll koll på säljkampanjer. Håll koll på Prospekter, Offerter, kundorder etc från kampanjer för att mäta avkastning på investeringen."
DocType: Expense Claim,Approver,Godkännare
@@ -2055,8 +2071,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Löpnummer {0} är under garanti upp till {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Split följesedel i paket.
apps/erpnext/erpnext/hooks.py +87,Shipments,Transporter
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Kontosaldo ({0}) för {1} och lagervärde ({2}) för lager {3} måste vara samma
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Kontosaldo ({0}) för {1} och lagervärde ({2}) för lager {3} måste vara samma
DocType: Payment Entry,Total Allocated Amount (Company Currency),Sammanlagda anslaget (Company valuta)
DocType: Purchase Order Item,To be delivered to customer,Som skall levereras till kund
DocType: BOM,Scrap Material Cost,Skrot Material Kostnad
@@ -2064,21 +2078,22 @@
DocType: Purchase Invoice,In Words (Company Currency),I ord (Företagsvaluta)
DocType: Asset,Supplier,Leverantör
DocType: C-Form,Quarter,Kvartal
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Diverse Utgifter
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Diverse Utgifter
DocType: Global Defaults,Default Company,Standard Company
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Utgift eller differens konto är obligatoriskt för punkt {0} som den påverkar totala lagervärdet
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Utgift eller differens konto är obligatoriskt för punkt {0} som den påverkar totala lagervärdet
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Bank Namn
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Ovan
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Ovan
DocType: Employee Loan,Employee Loan Account,Anställd Lånekonto
DocType: Leave Application,Total Leave Days,Totalt semesterdagar
DocType: Email Digest,Note: Email will not be sent to disabled users,Obs: E-post kommer inte att skickas till inaktiverade användare
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Antal interaktioner
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Antal interaktioner
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Artikelnummer> Varugrupp> Varumärke
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Välj Företaget ...
DocType: Leave Control Panel,Leave blank if considered for all departments,Lämna tomt om det anses vara för alla avdelningar
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Typer av anställning (permanent, kontrakts, praktikant osv)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} är obligatoriskt för punkt {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} är obligatoriskt för punkt {1}
DocType: Process Payroll,Fortnightly,Var fjortonde dag
DocType: Currency Exchange,From Currency,Från Valuta
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Välj tilldelade beloppet, Faktura Typ och fakturanumret i minst en rad"
@@ -2101,7 +2116,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,"Klicka på ""Skapa schema"" för att få schemat"
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Det fanns fel vid borttagning följande scheman:
DocType: Bin,Ordered Quantity,Beställd kvantitet
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",t.ex. "Bygg verktyg för byggare"
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",t.ex. "Bygg verktyg för byggare"
DocType: Grading Scale,Grading Scale Intervals,Betygsskal
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: kontering för {2} kan endast göras i valuta: {3}
DocType: Production Order,In Process,Pågående
@@ -2116,12 +2131,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Studentgrupper skapade.
DocType: Sales Invoice,Total Billing Amount,Totalt Fakturerings Mängd
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Det måste finnas en standard inkommande e-postkonto aktiverat för att det ska fungera. Vänligen setup en standard inkommande e-postkonto (POP / IMAP) och försök igen.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Fordran Konto
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Rad # {0}: Asset {1} är redan {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Fordran Konto
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Rad # {0}: Asset {1} är redan {2}
DocType: Quotation Item,Stock Balance,Lagersaldo
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Kundorder till betalning
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ange Naming Series för {0} via Setup> Settings> Naming Series
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,vd
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,vd
DocType: Expense Claim Detail,Expense Claim Detail,Räkningen Detalj
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Välj rätt konto
DocType: Item,Weight UOM,Vikt UOM
@@ -2130,12 +2144,12 @@
DocType: Production Order Operation,Pending,Väntar
DocType: Course,Course Name,KURSNAMN
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Användare som kan godkänna en specifik arbetstagarens ledighet applikationer
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Kontorsutrustning
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Kontorsutrustning
DocType: Purchase Invoice Item,Qty,Antal
DocType: Fiscal Year,Companies,Företag
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Elektronik
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Höj material Begäran när lager når ombeställningsnivåer
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Heltid
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Heltid
DocType: Salary Structure,Employees,Anställda
DocType: Employee,Contact Details,Kontaktuppgifter
DocType: C-Form,Received Date,Mottaget Datum
@@ -2145,7 +2159,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Priserna kommer inte att visas om prislista inte är inställd
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Ange ett land för frakt regel eller kontrollera Världsomspännande sändnings
DocType: Stock Entry,Total Incoming Value,Totalt Inkommande Värde
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Debitering krävs
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Debitering krävs
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Tidrapporter hjälpa till att hålla reda på tid, kostnad och fakturering för aktiviteter som utförts av ditt team"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Inköps Prislista
DocType: Offer Letter Term,Offer Term,Erbjudandet Villkor
@@ -2154,17 +2168,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Betalning Avstämning
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,Välj Ansvariges namn
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Teknik
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Totalt Obetalda: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Totalt Obetalda: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM Webbplats Operation
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Erbjudande Brev
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Generera Material Begäran (GMB) och produktionsorder.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Sammanlagt fakturerat Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Sammanlagt fakturerat Amt
DocType: BOM,Conversion Rate,Omvandlingsfrekvens
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Sök produkt
DocType: Timesheet Detail,To Time,Till Time
DocType: Authorization Rule,Approving Role (above authorized value),Godkännande Roll (ovan auktoriserad värde)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Kredit till konto måste vara en skuld konto
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM rekursion: {0} kan inte vara över eller barn under {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Kredit till konto måste vara en skuld konto
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM rekursion: {0} kan inte vara över eller barn under {2}
DocType: Production Order Operation,Completed Qty,Avslutat Antal
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",För {0} kan bara debitkonton länkas mot en annan kreditering
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Prislista {0} är inaktiverad
@@ -2176,28 +2190,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} serienummer krävs för punkt {1}. Du har gett {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Nuvarande värderingensomsättning
DocType: Item,Customer Item Codes,Kund artikelnummer
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Exchange vinst / förlust
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Exchange vinst / förlust
DocType: Opportunity,Lost Reason,Förlorad Anledning
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Ny adress
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Ny adress
DocType: Quality Inspection,Sample Size,Provstorlek
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Ange Kvitto Dokument
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Alla objekt har redan fakturerats
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Alla objekt har redan fakturerats
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',Ange ett giltigt Från ärende nr "
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,Ytterligare kostnadsställen kan göras i grupperna men poster kan göras mot icke-grupper
DocType: Project,External,Extern
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Användare och behörigheter
DocType: Vehicle Log,VLOG.,VLOG.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Produktionsorder Skapad: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Produktionsorder Skapad: {0}
DocType: Branch,Branch,Bransch
DocType: Guardian,Mobile Number,Mobilnummer
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Tryckning och Branding
DocType: Bin,Actual Quantity,Verklig Kvantitet
DocType: Shipping Rule,example: Next Day Shipping,exempel: Nästa dag Leverans
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Löpnummer {0} hittades inte
-DocType: Scheduling Tool,Student Batch,elev Batch
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Dina kunder
+DocType: Program Enrollment,Student Batch,elev Batch
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,gör Student
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Du har blivit inbjuden att samarbeta i projektet: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Du har blivit inbjuden att samarbeta i projektet: {0}
DocType: Leave Block List Date,Block Date,Block Datum
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Ansök nu
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Faktiskt antal {0} / Vänta antal {1}
@@ -2207,7 +2220,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Skapa och hantera dagliga, vecko- och månads epostflöden."
DocType: Appraisal Goal,Appraisal Goal,Bedömning Mål
DocType: Stock Reconciliation Item,Current Amount,nuvarande belopp
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,Byggnader
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,Byggnader
DocType: Fee Structure,Fee Structure,avgift struktur
DocType: Timesheet Detail,Costing Amount,Kalkyl Mängd
DocType: Student Admission,Application Fee,Anmälningsavgift
@@ -2219,10 +2232,10 @@
DocType: POS Profile,[Select],[Välj]
DocType: SMS Log,Sent To,Skickat Till
DocType: Payment Request,Make Sales Invoice,Skapa fakturan
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,Mjukvara
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Mjukvara
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Next Kontakt Datum kan inte vara i det förflutna
DocType: Company,For Reference Only.,För referens.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Välj batchnummer
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Välj batchnummer
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Ogiltigt {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-retro
DocType: Sales Invoice Advance,Advance Amount,Förskottsmängd
@@ -2232,15 +2245,15 @@
DocType: Employee,Employment Details,Personaldetaljer
DocType: Employee,New Workplace,Ny Arbetsplats
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Ange som Stängt
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Ingen produkt med streckkod {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Ingen produkt med streckkod {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Ärendenr kan inte vara 0
DocType: Item,Show a slideshow at the top of the page,Visa ett bildspel på toppen av sidan
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,stycklistor
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Butiker
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,stycklistor
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Butiker
DocType: Serial No,Delivery Time,Leveranstid
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Åldring Baserad på
DocType: Item,End of Life,Uttjänta
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Resa
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Resa
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Ingen aktiv eller standard lönestruktur hittades för arbetstagare {0} för de givna datum
DocType: Leave Block List,Allow Users,Tillåt användare
DocType: Purchase Order,Customer Mobile No,Kund Mobil nr
@@ -2249,29 +2262,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Uppdatera Kostnad
DocType: Item Reorder,Item Reorder,Produkt Ändra ordning
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Visa lönebesked
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Transfermaterial
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Transfermaterial
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Ange verksamhet, driftskostnad och ger en unik drift nej till din verksamhet."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Detta dokument är över gränsen med {0} {1} för posten {4}. Är du göra en annan {3} mot samma {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Ställ återkommande efter att ha sparat
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Välj förändringsbelopp konto
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Detta dokument är över gränsen med {0} {1} för posten {4}. Är du göra en annan {3} mot samma {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Ställ återkommande efter att ha sparat
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Välj förändringsbelopp konto
DocType: Purchase Invoice,Price List Currency,Prislista Valuta
DocType: Naming Series,User must always select,Användaren måste alltid välja
DocType: Stock Settings,Allow Negative Stock,Tillåt Negativ lager
DocType: Installation Note,Installation Note,Installeringsnotis
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Lägg till skatter
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Lägg till skatter
DocType: Topic,Topic,Ämne
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Kassaflöde från finansiering
DocType: Budget Account,Budget Account,budget-konto
DocType: Quality Inspection,Verified By,Verifierad Av
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Det går inte att ändra bolagets standardvaluta, eftersom det redan finns transaktioner. Transaktioner måste avbokas att ändra valuta."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Det går inte att ändra bolagets standardvaluta, eftersom det redan finns transaktioner. Transaktioner måste avbokas att ändra valuta."
DocType: Grading Scale Interval,Grade Description,grade Beskrivning
DocType: Stock Entry,Purchase Receipt No,Inköpskvitto Nr
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Handpenning
DocType: Process Payroll,Create Salary Slip,Skapa lönebeskedet
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,spårbarhet
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Källa fonderna (skulder)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Kvantitet i rad {0} ({1}) måste vara samma som tillverkad mängd {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Källa fonderna (skulder)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Kvantitet i rad {0} ({1}) måste vara samma som tillverkad mängd {2}
DocType: Appraisal,Employee,Anställd
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Välj Batch
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} är fullt fakturerad
DocType: Training Event,End Time,Sluttid
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Aktiv Lön Struktur {0} hittades för anställd {1} för de givna datum
@@ -2283,11 +2297,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Obligatorisk På
DocType: Rename Tool,File to Rename,Fil att byta namn på
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Välj BOM till punkt i rad {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Fastställt BOM {0} finns inte till punkt {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Konto {0} matchar inte företaget {1} i Konto: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Fastställt BOM {0} finns inte till punkt {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Underhållsschema {0} måste avbrytas innanman kan dra avbryta kundorder
DocType: Notification Control,Expense Claim Approved,Räkningen Godkänd
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Lönebesked av personal {0} redan skapats för denna period
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Farmaceutiska
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Farmaceutiska
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Kostnad för köpta varor
DocType: Selling Settings,Sales Order Required,Kundorder krävs
DocType: Purchase Invoice,Credit To,Kredit till
@@ -2304,43 +2319,43 @@
DocType: Payment Gateway Account,Payment Account,Betalningskonto
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,Ange vilket bolag för att fortsätta
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Nettoförändring av kundfordringar
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Kompensations Av
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Kompensations Av
DocType: Offer Letter,Accepted,Godkända
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,Organisation
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,Organisation
DocType: SG Creation Tool Course,Student Group Name,Student gruppnamn
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Se till att du verkligen vill ta bort alla transaktioner för företag. Dina basdata kommer att förbli som det är. Denna åtgärd kan inte ångras.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Se till att du verkligen vill ta bort alla transaktioner för företag. Dina basdata kommer att förbli som det är. Denna åtgärd kan inte ångras.
DocType: Room,Room Number,Rumsnummer
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Ogiltig referens {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) kan inte vara större än planerad kvantitet ({2}) i produktionsorder {3}
DocType: Shipping Rule,Shipping Rule Label,Frakt Regel Etikett
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Användarforum
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Råvaror kan inte vara tomt.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Det gick inte att uppdatera lager, faktura innehåller släppa sjöfarten objekt."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Råvaror kan inte vara tomt.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Det gick inte att uppdatera lager, faktura innehåller släppa sjöfarten objekt."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Quick Journal Entry
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,Du kan inte ändra kurs om BOM nämnts mot någon artikel
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,Du kan inte ändra kurs om BOM nämnts mot någon artikel
DocType: Employee,Previous Work Experience,Tidigare Arbetslivserfarenhet
DocType: Stock Entry,For Quantity,För Antal
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Ange planerad Antal till punkt {0} vid rad {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} inte lämnad
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Begäran efter artiklar
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Separat produktionsorder kommer att skapas för varje färdig bra objekt.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} måste vara negativ i gengäld dokument
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} måste vara negativ i gengäld dokument
,Minutes to First Response for Issues,Minuter till First Response för frågor
DocType: Purchase Invoice,Terms and Conditions1,Villkor och Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,Namnet på institutet som du installerar systemet.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,Namnet på institutet som du installerar systemet.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Kontering frysta fram till detta datum, ingen kan göra / ändra posten förutom ange roll nedan."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,Vänligen spara dokumentet innan du skapar underhållsschema
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Projektstatus
DocType: UOM,Check this to disallow fractions. (for Nos),Markera att tillåta bråkdelar. (För NOS)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Följande produktionsorder skapades:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Följande produktionsorder skapades:
DocType: Student Admission,Naming Series (for Student Applicant),Naming Series (för Student Sökande)
DocType: Delivery Note,Transporter Name,Transportör Namn
DocType: Authorization Rule,Authorized Value,Auktoriserad Värde
DocType: BOM,Show Operations,Visa Operations
,Minutes to First Response for Opportunity,Minuter till First Response för Opportunity
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Totalt Frånvarande
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Produkt eller Lager för rad {0} matchar inte Materialförfrågan
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Produkt eller Lager för rad {0} matchar inte Materialförfrågan
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Måttenhet
DocType: Fiscal Year,Year End Date,År Slutdatum
DocType: Task Depends On,Task Depends On,Uppgift Beror på
@@ -2420,11 +2435,11 @@
DocType: Asset,Manual,Manuell
DocType: Salary Component Account,Salary Component Account,Lönedel konto
DocType: Global Defaults,Hide Currency Symbol,Dölj Valutasymbol
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","t.ex. bank, kontanter, kreditkort"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","t.ex. bank, kontanter, kreditkort"
DocType: Lead Source,Source Name,käll~~POS=TRUNC
DocType: Journal Entry,Credit Note,Kreditnota
DocType: Warranty Claim,Service Address,Serviceadress
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Möbler och inventarier
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Möbler och inventarier
DocType: Item,Manufacture,Tillverkning
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Vänligen Följesedel först
DocType: Student Applicant,Application Date,Ansökningsdatum
@@ -2434,7 +2449,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Utförsäljningsdatum inte nämnt
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Produktion
DocType: Guardian,Occupation,Ockupation
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Vänligen uppsättning Anställd Namn System i Mänskliga Resurser> HR Inställningar
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Rad {0}: Startdatum måste vara före slutdatum
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Totalt (Antal)
DocType: Sales Invoice,This Document,Det här dokumentet
@@ -2446,20 +2460,20 @@
DocType: Purchase Receipt,Time at which materials were received,Tidpunkt för material mottogs
DocType: Stock Ledger Entry,Outgoing Rate,Utgående betyg
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Organisation gren ledare.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,eller
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,eller
DocType: Sales Order,Billing Status,Faktureringsstatus
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Rapportera ett problem
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Utility Kostnader
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Utility Kostnader
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-Ovan
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Rad # {0}: Journal Entry {1} har inte hänsyn {2} eller redan matchas mot en annan kupong
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Rad # {0}: Journal Entry {1} har inte hänsyn {2} eller redan matchas mot en annan kupong
DocType: Buying Settings,Default Buying Price List,Standard Inköpslista
DocType: Process Payroll,Salary Slip Based on Timesheet,Lön Slip Baserat på Tidrapport
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Ingen anställd för ovan valda kriterier eller lönebeskedet redan skapat
DocType: Notification Control,Sales Order Message,Kundorder Meddelande
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Ange standardvärden som bolaget, Valuta, varande räkenskapsår, etc."
DocType: Payment Entry,Payment Type,Betalning Typ
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Var god välj en sats för objekt {0}. Det går inte att hitta en enda sats som uppfyller detta krav
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Var god välj en sats för objekt {0}. Det går inte att hitta en enda sats som uppfyller detta krav
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Var god välj en sats för objekt {0}. Det går inte att hitta en enda sats som uppfyller detta krav
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Var god välj en sats för objekt {0}. Det går inte att hitta en enda sats som uppfyller detta krav
DocType: Process Payroll,Select Employees,Välj Anställda
DocType: Opportunity,Potential Sales Deal,Potentiella säljmöjligheter
DocType: Payment Entry,Cheque/Reference Date,Check / Referens Datum
@@ -2479,7 +2493,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Kvitto dokument måste lämnas in
DocType: Purchase Invoice Item,Received Qty,Mottagna Antal
DocType: Stock Entry Detail,Serial No / Batch,Löpnummer / Batch
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Inte betalda och inte levereras
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Inte betalda och inte levereras
DocType: Product Bundle,Parent Item,Överordnad produkt
DocType: Account,Account Type,Användartyp
DocType: Delivery Note,DN-RET-,DN-retro
@@ -2494,25 +2508,24 @@
DocType: Bin,Reserved Quantity,Reserverad Kvantitet
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Ange giltig e-postadress
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Ange giltig e-postadress
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Det finns ingen obligatorisk kurs för programmet {0}
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Det finns ingen obligatorisk kurs för programmet {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Inköpskvitto artiklar
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Anpassa formulären
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,Resterande skuld
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,Resterande skuld
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Avskrivningsbelopp under perioden
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Funktionshindrade mall får inte vara standardmall
DocType: Account,Income Account,Inkomst konto
DocType: Payment Request,Amount in customer's currency,Belopp i kundens valuta
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Leverans
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Leverans
DocType: Stock Reconciliation Item,Current Qty,Aktuellt Antal
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",Se "Rate of Materials Based On" i kalkyl avsnitt
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Föregående
DocType: Appraisal Goal,Key Responsibility Area,Nyckelansvar Områden
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Student partier hjälpa dig att spåra närvaro, bedömningar och avgifter för studenter"
DocType: Payment Entry,Total Allocated Amount,Sammanlagda anslaget
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Ange standardinventeringskonto för evig inventering
DocType: Item Reorder,Material Request Type,Typ av Materialbegäran
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Journal Entry för löner från {0} till {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","Localstorage är full, inte spara"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","Localstorage är full, inte spara"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Rad {0}: UOM Omvandlingsfaktor är obligatorisk
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Ref
DocType: Budget,Cost Center,Kostnadscenter
@@ -2525,19 +2538,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",Prissättning regel görs för att skriva Prislista / definiera rabatt procentsats baserad på vissa kriterier.
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Lager kan endast ändras via lagerposter / följesedel / inköpskvitto
DocType: Employee Education,Class / Percentage,Klass / Procent
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Chef för Marknad och Försäljning
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Inkomstskatt
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Chef för Marknad och Försäljning
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Inkomstskatt
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Om du väljer prissättningsregel för ""Pris"", kommer det att överskriva Prislistas. Prissättningsregel priset är det slutliga priset, så ingen ytterligare rabatt bör tillämpas. Därför, i de transaktioner som kundorder, inköpsorder mm, kommer det att hämtas i ""Betygsätt fältet, snarare än"" Prislistavärde fältet."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Spår leder med Industry Type.
DocType: Item Supplier,Item Supplier,Produkt Leverantör
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,Ange Artikelkod att få batchnr
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},Välj ett värde för {0} offert_till {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,Ange Artikelkod att få batchnr
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Välj ett värde för {0} offert_till {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Alla adresser.
DocType: Company,Stock Settings,Stock Inställningar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Sammanslagning är endast möjligt om följande egenskaper är desamma i båda posterna. Är gruppen, Root typ, Företag"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Sammanslagning är endast möjligt om följande egenskaper är desamma i båda posterna. Är gruppen, Root typ, Företag"
DocType: Vehicle,Electric,Elektrisk
DocType: Task,% Progress,% framsteg
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Vinst / förlust på Asset Avfallshantering
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Vinst / förlust på Asset Avfallshantering
DocType: Training Event,Will send an email about the event to employees with status 'Open',Kommer att skicka ett e-postmeddelande om händelsen till anställda med status "Open"
DocType: Task,Depends on Tasks,Beror på Uppgifter
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Hantera Kundgruppsträd.
@@ -2546,7 +2559,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Nytt kostnadsställe Namn
DocType: Leave Control Panel,Leave Control Panel,Lämna Kontrollpanelen
DocType: Project,Task Completion,uppgift Slutförande
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Inte i lager
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Inte i lager
DocType: Appraisal,HR User,HR-Konto
DocType: Purchase Invoice,Taxes and Charges Deducted,Skatter och avgifter Avdragen
apps/erpnext/erpnext/hooks.py +116,Issues,Frågor
@@ -2557,22 +2570,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Ingen lön slip hittades mellan {0} och {1}
,Pending SO Items For Purchase Request,I avvaktan på SO Artiklar till inköpsanmodan
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Student Antagning
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} är inaktiverad
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} är inaktiverad
DocType: Supplier,Billing Currency,Faktureringsvaluta
DocType: Sales Invoice,SINV-RET-,SINV-retro
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Extra Stor
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Extra Stor
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Totalt löv
,Profit and Loss Statement,Resultaträkning
DocType: Bank Reconciliation Detail,Cheque Number,Check Nummer
,Sales Browser,Försäljnings Webbläsare
DocType: Journal Entry,Total Credit,Total Credit
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Varning: En annan {0} # {1} finns mot införande i lager {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Lokal
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Lokal
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Utlåning (tillgångar)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Gäldenärer
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Stor
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Stor
DocType: Homepage Featured Product,Homepage Featured Product,Hemsida Aktuell produkt
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Alla bedömningsgrupper
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Alla bedömningsgrupper
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Ny Lager Namn
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Totalt {0} ({1})
DocType: C-Form Invoice Detail,Territory,Territorium
@@ -2582,12 +2595,12 @@
DocType: Production Order Operation,Planned Start Time,Planerad starttid
DocType: Course,Assessment,Värdering
DocType: Payment Entry Reference,Allocated,Tilldelad
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Stäng balansräkning och bokföringsmässig vinst eller förlust.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Stäng balansräkning och bokföringsmässig vinst eller förlust.
DocType: Student Applicant,Application Status,ansökan Status
DocType: Fees,Fees,avgifter
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Ange växelkursen för att konvertera en valuta till en annan
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Offert {0} avbryts
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Totala utestående beloppet
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Totala utestående beloppet
DocType: Sales Partner,Targets,Mål
DocType: Price List,Price List Master,Huvudprislista
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Alla försäljningstransaktioner kan märkas mot flera ** säljare ** så att du kan ställa in och övervaka mål.
@@ -2619,12 +2632,12 @@
1. Address and Contact of your Company.","Standard Villkor som kan läggas till försäljning och inköp. Exempel: 1. giltighet erbjudandet. 1. Betalningsvillkor (på förhand på kredit, del förskott etc). 1. Vad är extra (eller betalas av kunden). 1. Säkerhet / användning varning. 1. Garanti om något. 1. Returer Policy. 1. Villkor för leverans, om tillämpligt. 1. Sätt att hantera konflikter, ersättning, ansvar, etc. 1. Adresser och kontaktinformation för ditt företag."
DocType: Attendance,Leave Type,Ledighetstyp
DocType: Purchase Invoice,Supplier Invoice Details,Detaljer leverantörsfaktura
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Utgift / Differens konto ({0}) måste vara ett ""vinst eller förlust"" konto"
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Utgift / Differens konto ({0}) måste vara ett ""vinst eller förlust"" konto"
DocType: Project,Copied From,Kopierad från
DocType: Project,Copied From,Kopierad från
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Namn fel: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,Brist
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} inte förknippas med {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} inte förknippas med {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Närvaro för anställd {0} är redan märkt
DocType: Packing Slip,If more than one package of the same type (for print),Om mer än ett paket av samma typ (för utskrift)
,Salary Register,lön Register
@@ -2642,22 +2655,23 @@
,Requested Qty,Begärt Antal
DocType: Tax Rule,Use for Shopping Cart,Används för Varukorgen
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Värde {0} för Attribut {1} finns inte i listan över giltiga Punkt attributvärden för punkt {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Välj serienummer
DocType: BOM Item,Scrap %,Skrot%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Avgifter kommer att fördelas proportionellt baserad på produktantal eller belopp, enligt ditt val"
DocType: Maintenance Visit,Purposes,Ändamål
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Minst ett objekt ska anges med negativt kvantitet i returdokument
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Minst ett objekt ska anges med negativt kvantitet i returdokument
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operation {0} längre än alla tillgängliga arbetstiden i arbetsstation {1}, bryta ner verksamheten i flera operationer"
,Requested,Begärd
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Anmärkningar
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Anmärkningar
DocType: Purchase Invoice,Overdue,Försenad
DocType: Account,Stock Received But Not Billed,Stock mottagits men inte faktureras
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Root Hänsyn måste vara en grupp
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Root Hänsyn måste vara en grupp
DocType: Fees,FEE.,AVGIFT.
DocType: Employee Loan,Repaid/Closed,Återbetalas / Stängd
DocType: Item,Total Projected Qty,Totala projicerade Antal
DocType: Monthly Distribution,Distribution Name,Distributions Namn
DocType: Course,Course Code,Kurskod
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Kvalitetskontroll krävs för punkt {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Kvalitetskontroll krävs för punkt {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,I takt med vilket vilken kundens valuta omvandlas till företagets basvaluta
DocType: Purchase Invoice Item,Net Rate (Company Currency),Netto kostnad (Företagsvaluta)
DocType: Salary Detail,Condition and Formula Help,Tillstånd och Formel Hjälp
@@ -2670,27 +2684,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Material Transfer för Tillverkning
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Rabatt Procent kan appliceras antingen mot en prislista eller för alla prislistor.
DocType: Purchase Invoice,Half-yearly,Halvårs
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Kontering för lager
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Kontering för lager
DocType: Vehicle Service,Engine Oil,Motorolja
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Var vänlig uppsättning Anställningsnamnssystem i mänsklig resurs> HR-inställningar
DocType: Sales Invoice,Sales Team1,Försäljnings Team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Punkt {0} inte existerar
DocType: Sales Invoice,Customer Address,Kundadress
DocType: Employee Loan,Loan Details,Loan Detaljer
+DocType: Company,Default Inventory Account,Standard Inventory Account
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,V {0}: Genomförd Antal måste vara större än noll.
DocType: Purchase Invoice,Apply Additional Discount On,Applicera ytterligare rabatt på
DocType: Account,Root Type,Root Typ
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Rad # {0}: Det går inte att returnera mer än {1} till artikel {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Rad # {0}: Det går inte att returnera mer än {1} till artikel {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Tomt
DocType: Item Group,Show this slideshow at the top of the page,Visa denna bildspel längst upp på sidan
DocType: BOM,Item UOM,Produkt UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Skattebelopp efter rabatt Belopp (Company valuta)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Target lager är obligatoriskt för rad {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Target lager är obligatoriskt för rad {0}
DocType: Cheque Print Template,Primary Settings,primära inställningar
DocType: Purchase Invoice,Select Supplier Address,Välj Leverantör Adress
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Lägg till anställda
DocType: Purchase Invoice Item,Quality Inspection,Kvalitetskontroll
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Extra Liten
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Liten
DocType: Company,Standard Template,standardmall
DocType: Training Event,Theory,Teori
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Varning: Material Begärt Antal är mindre än Minimum Antal
@@ -2698,7 +2714,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Juridisk person / Dotterbolag med en separat kontoplan som tillhör organisationen.
DocType: Payment Request,Mute Email,Mute E
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Mat, dryck och tobak"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Kan bara göra betalning mot ofakturerade {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Kan bara göra betalning mot ofakturerade {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Provisionshastighet kan inte vara större än 100
DocType: Stock Entry,Subcontract,Subkontrakt
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Ange {0} först
@@ -2711,18 +2727,18 @@
DocType: SMS Log,No of Sent SMS,Antal skickade SMS
DocType: Account,Expense Account,Utgiftskonto
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Programvara
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Färg
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Färg
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Bedömningsplanskriterier
DocType: Training Event,Scheduled,Planerad
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Offertförfrågan.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Välj punkt där ""Är Lagervara"" är ""Nej"" och ""Är försäljningsprodukt"" är ""Ja"" och det finns ingen annat produktpaket"
DocType: Student Log,Academic,Akademisk
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Totalt förskott ({0}) mot Order {1} kan inte vara större än totalsumman ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Totalt förskott ({0}) mot Order {1} kan inte vara större än totalsumman ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Välj Månads Distribution till ojämnt fördela målen mellan månader.
DocType: Purchase Invoice Item,Valuation Rate,Värderings betyg
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,Diesel
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Prislista Valuta inte valt
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Prislista Valuta inte valt
,Student Monthly Attendance Sheet,Student Monthly Närvaro Sheet
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Anställd {0} har redan ansökt om {1} mellan {2} och {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Projekt Startdatum
@@ -2735,7 +2751,7 @@
DocType: BOM,Scrap,Skrot
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Hantera Försäljning Partners.
DocType: Quality Inspection,Inspection Type,Inspektionstyp
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Lager med befintlig transaktion kan inte konverteras till gruppen.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Lager med befintlig transaktion kan inte konverteras till gruppen.
DocType: Assessment Result Tool,Result HTML,resultat HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Går ut den
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Lägg till elever
@@ -2743,13 +2759,13 @@
DocType: C-Form,C-Form No,C-form Nr
DocType: BOM,Exploded_items,Vidgade_artiklar
DocType: Employee Attendance Tool,Unmarked Attendance,omärkt Närvaro
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Forskare
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Forskare
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Programmet Inskrivning Tool Student
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Namn eller e-post är obligatoriskt
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Inkommande kvalitetskontroll.
DocType: Purchase Order Item,Returned Qty,Återvände Antal
DocType: Employee,Exit,Utgång
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Root Type är obligatorisk
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Root Type är obligatorisk
DocType: BOM,Total Cost(Company Currency),Totalkostnad (Company valuta)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Löpnummer {0} skapades
DocType: Homepage,Company Description for website homepage,Beskrivning av företaget för webbplats hemsida
@@ -2758,7 +2774,7 @@
DocType: Sales Invoice,Time Sheet List,Tidrapportering Lista
DocType: Employee,You can enter any date manually,Du kan ange något datum manuellt
DocType: Asset Category Account,Depreciation Expense Account,Avskrivningar konto
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Provanställning
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Provanställning
DocType: Customer Group,Only leaf nodes are allowed in transaction,Endast huvudnoder är tillåtna i transaktionen
DocType: Expense Claim,Expense Approver,Utgiftsgodkännare
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Rad {0}: Advance mot Kunden måste vara kredit
@@ -2772,10 +2788,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Kurs Scheman utgå:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Loggar för att upprätthålla sms leveransstatus
DocType: Accounts Settings,Make Payment via Journal Entry,Gör betalning via Journal Entry
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Tryckt på
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Tryckt på
DocType: Item,Inspection Required before Delivery,Inspektion krävs innan leverans
DocType: Item,Inspection Required before Purchase,Inspektion krävs innan köp
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Väntande Verksamhet
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Din organisation
DocType: Fee Component,Fees Category,avgifter Kategori
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Ange avlösningsdatum.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Ant
@@ -2785,9 +2802,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Ombeställningsnivå
DocType: Company,Chart Of Accounts Template,Konto Mall
DocType: Attendance,Attendance Date,Närvaro Datum
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Artikel Pris uppdaterad för {0} i prislista {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Artikel Pris uppdaterad för {0} i prislista {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Lön upplösning baserat på inkomster och avdrag.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Konto med underordnade noder kan inte omvandlas till liggaren
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Konto med underordnade noder kan inte omvandlas till liggaren
DocType: Purchase Invoice Item,Accepted Warehouse,Godkänt Lager
DocType: Bank Reconciliation Detail,Posting Date,Bokningsdatum
DocType: Item,Valuation Method,Värderingsmetod
@@ -2796,14 +2813,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Duplicera post
DocType: Program Enrollment Tool,Get Students,Få studenter
DocType: Serial No,Under Warranty,Under garanti
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Fel]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Fel]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,I Ord kommer att synas när du sparar kundorder.
,Employee Birthday,Anställd Födelsedag
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Elev Batch Närvaro Tool
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,gräns Korsade
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,gräns Korsade
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Tilldelningskapital
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,En termin med detta "Academic Year '{0} och" Term Name "{1} finns redan. Ändra dessa poster och försök igen.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}",Eftersom det finns transaktioner mot produkten {0} så kan du inte ändra värdet av {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}",Eftersom det finns transaktioner mot produkten {0} så kan du inte ändra värdet av {1}
DocType: UOM,Must be Whole Number,Måste vara heltal
DocType: Leave Control Panel,New Leaves Allocated (In Days),Nya Ledigheter Tilldelade (i dagar)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Serienummer {0} inte existerar
@@ -2812,6 +2829,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Fakturanummer
DocType: Shopping Cart Settings,Orders,Beställningar
DocType: Employee Leave Approver,Leave Approver,Ledighetsgodkännare
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Var god välj ett parti
DocType: Assessment Group,Assessment Group Name,Bedömning Gruppnamn
DocType: Manufacturing Settings,Material Transferred for Manufacture,Material Överfört för tillverkning
DocType: Expense Claim,"A user with ""Expense Approver"" role","En användare med ""Utgiftsgodkännare""-roll"
@@ -2821,9 +2839,10 @@
DocType: Target Detail,Target Detail,Måldetaljer
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,alla jobb
DocType: Sales Order,% of materials billed against this Sales Order,% Av material faktureras mot denna kundorder
+DocType: Program Enrollment,Mode of Transportation,Transportsätt
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Period Utgående Post
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Kostnadsställe med befintliga transaktioner kan inte omvandlas till grupp
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Mängden {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Mängden {0} {1} {2} {3}
DocType: Account,Depreciation,Avskrivningar
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Leverantör (s)
DocType: Employee Attendance Tool,Employee Attendance Tool,Anställd närvaro Tool
@@ -2831,7 +2850,7 @@
DocType: Supplier,Credit Limit,Kreditgräns
DocType: Production Plan Sales Order,Salse Order Date,Salse Orderdatum
DocType: Salary Component,Salary Component,lönedel
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Betalnings Inlägg {0} är un bundna
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Betalnings Inlägg {0} är un bundna
DocType: GL Entry,Voucher No,Rabatt nr
,Lead Owner Efficiency,Effektivitet hos ledningsägaren
,Lead Owner Efficiency,Effektivitet hos ledningsägaren
@@ -2843,11 +2862,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Mall av termer eller kontrakt.
DocType: Purchase Invoice,Address and Contact,Adress och Kontakt
DocType: Cheque Print Template,Is Account Payable,Är leverantörsskuld
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Lager kan inte uppdateras mot inköpskvitto {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Lager kan inte uppdateras mot inköpskvitto {0}
DocType: Supplier,Last Day of the Next Month,Sista dagen i nästa månad
DocType: Support Settings,Auto close Issue after 7 days,Stäng automatiskt Problem efter 7 dagar
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Lämna inte kan fördelas före {0}, som ledighet balans redan har carry-vidarebefordras i framtiden ledighet tilldelningspost {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),OBS: På grund / Referens Datum överstiger tillåtna kundkreditdagar från {0} dag (ar)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),OBS: På grund / Referens Datum överstiger tillåtna kundkreditdagar från {0} dag (ar)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Student Sökande
DocType: Asset Category Account,Accumulated Depreciation Account,Ackumulerade avskrivningar konto
DocType: Stock Settings,Freeze Stock Entries,Frys Lager Inlägg
@@ -2856,36 +2875,36 @@
DocType: Activity Cost,Billing Rate,Faktureringsfrekvens
,Qty to Deliver,Antal att leverera
,Stock Analytics,Arkiv Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Verksamheten kan inte lämnas tomt
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Verksamheten kan inte lämnas tomt
DocType: Maintenance Visit Purpose,Against Document Detail No,Mot Dokument Detalj nr
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Party Type är obligatorisk
DocType: Quality Inspection,Outgoing,Utgående
DocType: Material Request,Requested For,Begärd För
DocType: Quotation Item,Against Doctype,Mot Doctype
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} är avbruten eller stängd
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} är avbruten eller stängd
DocType: Delivery Note,Track this Delivery Note against any Project,Prenumerera på det här följesedel mot någon Project
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Nettokassaflöde från Investera
-,Is Primary Address,Är Primär adress
DocType: Production Order,Work-in-Progress Warehouse,Pågående Arbete - Lager
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Asset {0} måste lämnas in
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Publikrekord {0} finns mot Student {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Publikrekord {0} finns mot Student {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Referens # {0} den {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Avskrivningar Utslagen på grund av avyttring av tillgångar
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Hantera Adresser
DocType: Asset,Item Code,Produktkod
DocType: Production Planning Tool,Create Production Orders,Skapa produktionsorder
DocType: Serial No,Warranty / AMC Details,Garanti / AMC Detaljer
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Välj studenter manuellt för aktivitetsbaserad grupp
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Välj studenter manuellt för aktivitetsbaserad grupp
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Välj studenter manuellt för aktivitetsbaserad grupp
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Välj studenter manuellt för aktivitetsbaserad grupp
DocType: Journal Entry,User Remark,Användar Anmärkning
DocType: Lead,Market Segment,Marknadssegment
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Utbetalda beloppet kan inte vara större än den totala negativa utestående beloppet {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Utbetalda beloppet kan inte vara större än den totala negativa utestående beloppet {0}
DocType: Employee Internal Work History,Employee Internal Work History,Anställd interna arbetshistoria
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Closing (Dr)
DocType: Cheque Print Template,Cheque Size,Check Storlek
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Löpnummer {0} inte i lager
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Skatte mall för att sälja transaktioner.
DocType: Sales Invoice,Write Off Outstanding Amount,Avskrivning utestående belopp
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Konto {0} matchar inte företaget {1}
DocType: School Settings,Current Academic Year,Nuvarande akademiska året
DocType: School Settings,Current Academic Year,Nuvarande akademiska året
DocType: Stock Settings,Default Stock UOM,Standard Stock UOM
@@ -2901,27 +2920,27 @@
DocType: Asset,Double Declining Balance,Dubbel degressiv
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Sluten ordning kan inte avbrytas. ÖPPNA för att avbryta.
DocType: Student Guardian,Father,Far
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,"Update Stock" kan inte kontrolleras för anläggningstillgång försäljning
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"Update Stock" kan inte kontrolleras för anläggningstillgång försäljning
DocType: Bank Reconciliation,Bank Reconciliation,Bankavstämning
DocType: Attendance,On Leave,tjänstledig
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Hämta uppdateringar
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Account {2} inte tillhör bolaget {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Material Begäran {0} avbryts eller stoppas
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Lägg till några exempeldokument
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Lägg till några exempeldokument
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Lämna ledning
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Grupp per konto
DocType: Sales Order,Fully Delivered,Fullt Levererad
DocType: Lead,Lower Income,Lägre intäkter
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Källa och mål lager kan inte vara samma för rad {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Källa och mål lager kan inte vara samma för rad {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Differenskonto måste vara en tillgång / skuld kontotyp, eftersom denna lageravstämning är en öppnings post"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Betalats Beloppet får inte vara större än Loan Mängd {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Inköpsordernr som krävs för punkt {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Produktionsorder inte skapat
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Inköpsordernr som krävs för punkt {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Produktionsorder inte skapat
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"Från datum" måste vara efter "Till datum"
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Det går inte att ändra status som studerande {0} är kopplad med student ansökan {1}
DocType: Asset,Fully Depreciated,helt avskriven
,Stock Projected Qty,Lager Projicerad Antal
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Kund {0} tillhör inte projektet {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Kund {0} tillhör inte projektet {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Markerad Närvaro HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Citat är förslag, bud som du har skickat till dina kunder"
DocType: Sales Order,Customer's Purchase Order,Kundens beställning
@@ -2930,8 +2949,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Summan av Mängder av bedömningskriterier måste vara {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Ställ in Antal Avskrivningar bokat
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Värde eller Antal
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Produktioner Beställningar kan inte höjas för:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Minut
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Produktioner Beställningar kan inte höjas för:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Minut
DocType: Purchase Invoice,Purchase Taxes and Charges,Inköp skatter och avgifter
,Qty to Receive,Antal att ta emot
DocType: Leave Block List,Leave Block List Allowed,Lämna Block List tillåtna
@@ -2939,25 +2958,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Räkningen för fordons Log {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Rabatt (%) på prislista med marginal
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Rabatt (%) på prislista med marginal
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,alla Lager
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,alla Lager
DocType: Sales Partner,Retailer,Återförsäljare
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Tack till kontot måste vara ett balanskonto
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Tack till kontot måste vara ett balanskonto
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Alla Leverantörs Typer
DocType: Global Defaults,Disable In Words,Inaktivera uttrycker in
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,Produktkod är obligatoriskt eftersom Varan inte är automatiskt numrerad
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Produktkod är obligatoriskt eftersom Varan inte är automatiskt numrerad
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Offert {0} inte av typen {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Underhållsschema Produkt
DocType: Sales Order,% Delivered,% Levereras
DocType: Production Order,PRO-,PROFFS-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Checkräknings konto
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Checkräknings konto
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Skapa lönebeskedet
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Rad # {0}: Tilldelad mängd kan inte vara större än utestående belopp.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Bläddra BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Säkrade lån
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Säkrade lån
DocType: Purchase Invoice,Edit Posting Date and Time,Redigera Publiceringsdatum och tid
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Ställ Avskrivningar relaterade konton i tillgångsslag {0} eller Company {1}
DocType: Academic Term,Academic Year,Akademiskt år
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Ingående balans kapital
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Ingående balans kapital
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Värdering
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},E-post som skickas till leverantören {0}
@@ -2973,7 +2992,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Godkännande Roll kan inte vara samma som roll regel är tillämplig på
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Avbeställa Facebook Twitter Digest
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Meddelande Skickat
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Konto med underordnade noder kan inte ställas in som huvudbok
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Konto med underordnade noder kan inte ställas in som huvudbok
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,I takt med vilket Prislistans valuta omvandlas till kundens basvaluta
DocType: Purchase Invoice Item,Net Amount (Company Currency),Nettobelopp (Företagsvaluta)
@@ -3008,7 +3027,7 @@
DocType: Expense Claim,Approval Status,Godkännandestatus
DocType: Hub Settings,Publish Items to Hub,Publicera produkter i Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},Från Talet måste vara lägre än värdet i rad {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Elektronisk Överföring
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Elektronisk Överföring
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Kontrollera alla
DocType: Vehicle Log,Invoice Ref,faktura Ref
DocType: Purchase Order,Recurring Order,Återkommande Order
@@ -3021,19 +3040,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Bank- och betalnings
,Welcome to ERPNext,Välkommen till oss
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Prospekt till offert
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Inget mer att visa.
DocType: Lead,From Customer,Från Kunden
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Samtal
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Samtal
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,partier
DocType: Project,Total Costing Amount (via Time Logs),Totalt kalkyl Belopp (via Time Loggar)
DocType: Purchase Order Item Supplied,Stock UOM,Lager UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Inköpsorder {0} inte lämnad
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Inköpsorder {0} inte lämnad
DocType: Customs Tariff Number,Tariff Number,tariff Number
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Projicerad
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Serienummer {0} tillhör inte Lager {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Obs: Systemet kommer inte att kontrollera över leverans och överbokning till punkt {0} då kvantitet eller belopp är 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Obs: Systemet kommer inte att kontrollera över leverans och överbokning till punkt {0} då kvantitet eller belopp är 0
DocType: Notification Control,Quotation Message,Offert Meddelande
DocType: Employee Loan,Employee Loan Application,Employee låneansökan
DocType: Issue,Opening Date,Öppningsdatum
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Närvaro har markerats med framgång.
+DocType: Program Enrollment,Public Transport,Kollektivtrafik
DocType: Journal Entry,Remark,Anmärkning
DocType: Purchase Receipt Item,Rate and Amount,Andel och Belopp
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Kontotyp för {0} måste vara {1}
@@ -3041,32 +3063,32 @@
DocType: School Settings,Current Academic Term,Nuvarande akademisk term
DocType: School Settings,Current Academic Term,Nuvarande akademisk term
DocType: Sales Order,Not Billed,Inte Billed
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Både Lagren måste tillhöra samma företag
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Inga kontakter inlagda ännu.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Både Lagren måste tillhöra samma företag
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Inga kontakter inlagda ännu.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landad Kostnad rabattmängd
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Räkningar som framförts av leverantörer.
DocType: POS Profile,Write Off Account,Avskrivningskonto
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Debitnotifikation Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Rabattbelopp
DocType: Purchase Invoice,Return Against Purchase Invoice,Återgå mot inköpsfaktura
DocType: Item,Warranty Period (in days),Garantitiden (i dagar)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Relation med Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Relation med Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Netto kassaflöde från rörelsen
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,t.ex. moms
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,t.ex. moms
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Produkt 4
DocType: Student Admission,Admission End Date,Antagning Slutdatum
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Underleverantörer
DocType: Journal Entry Account,Journal Entry Account,Journalanteckning konto
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Student-gruppen
DocType: Shopping Cart Settings,Quotation Series,Offert Serie
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Ett objekt finns med samma namn ({0}), ändra objektets varugrupp eller byt namn på objektet"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Välj kund
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Ett objekt finns med samma namn ({0}), ändra objektets varugrupp eller byt namn på objektet"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Välj kund
DocType: C-Form,I,jag
DocType: Company,Asset Depreciation Cost Center,Avskrivning kostnadsställe
DocType: Sales Order Item,Sales Order Date,Kundorder Datum
DocType: Sales Invoice Item,Delivered Qty,Levererat Antal
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Om markerad, kommer alla barn i varje produktionspost ingå i materialet begäran."
DocType: Assessment Plan,Assessment Plan,Bedömningsplan
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Lager {0}: Företaget är obligatoriskt
DocType: Stock Settings,Limit Percent,gräns Procent
,Payment Period Based On Invoice Date,Betalningstiden Baserad på Fakturadatum
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Saknas valutakurser för {0}
@@ -3078,7 +3100,7 @@
DocType: Vehicle,Insurance Details,Insurance Information
DocType: Account,Payable,Betalning sker
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,Ange återbetalningstider
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Gäldenär ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Gäldenär ({0})
DocType: Pricing Rule,Margin,Marginal
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Nya kunder
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Bruttovinst%
@@ -3089,16 +3111,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Party är obligatoriskt
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,ämnet Namn
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Minst en av de sålda eller köpta måste väljas
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Välj typ av ditt företag.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Minst en av de sålda eller köpta måste väljas
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Välj typ av ditt företag.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Rad # {0}: Duplikat post i referenser {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Där tillverkningsprocesser genomförs.
DocType: Asset Movement,Source Warehouse,Källa Lager
DocType: Installation Note,Installation Date,Installations Datum
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Rad # {0}: Asset {1} tillhör inte företag {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Rad # {0}: Asset {1} tillhör inte företag {2}
DocType: Employee,Confirmation Date,Bekräftelsedatum
DocType: C-Form,Total Invoiced Amount,Sammanlagt fakturerat belopp
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Antal kan inte vara större än Max Antal
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Min Antal kan inte vara större än Max Antal
DocType: Account,Accumulated Depreciation,Ackumulerade avskrivningar
DocType: Stock Entry,Customer or Supplier Details,Kund eller leverantör Detaljer
DocType: Employee Loan Application,Required by Date,Krävs Datum
@@ -3119,22 +3141,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Månadsdistributions Procent
DocType: Territory,Territory Targets,Territorium Mål
DocType: Delivery Note,Transporter Info,Transporter info
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Ställ in default {0} i bolaget {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Ställ in default {0} i bolaget {1}
DocType: Cheque Print Template,Starting position from top edge,Utgångsläge från övre kanten
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Samma leverantör har angetts flera gånger
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Brutto Vinst / Förlust
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Inköpsorder Artikelleverans
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Företagsnamn kan inte vara företag
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Företagsnamn kan inte vara företag
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Brevhuvuden för utskriftsmallar.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,Titlar för utskriftsmallar t.ex. Proforma faktura.
DocType: Student Guardian,Student Guardian,Student Guardian
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Värderingsavgifter kan inte markerats som inklusive
DocType: POS Profile,Update Stock,Uppdatera lager
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Leverantör> Leverantörstyp
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Olika UOM för produkter kommer att leda till felaktiga (Total) Nettovikts värden. Se till att Nettovikt för varje post är i samma UOM.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM betyg
DocType: Asset,Journal Entry for Scrap,Journal Entry för skrot
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Vänligen hämta artikel från följesedel
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Journalanteckningar {0} är ej länkade
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Journalanteckningar {0} är ej länkade
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Register över alla meddelanden av typen e-post, telefon, chatt, besök, etc."
DocType: Manufacturer,Manufacturers used in Items,Tillverkare som används i artiklar
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Ange kostnadsställe för avrundning i bolaget
@@ -3183,34 +3206,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,Leverantören levererar till kunden
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# Form / Föremål / {0}) är slut
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Nästa datum måste vara större än Publiceringsdatum
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Visa skatte uppbrott
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},På grund / Referens Datum kan inte vara efter {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Visa skatte uppbrott
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},På grund / Referens Datum kan inte vara efter {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Data Import och export
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","Aktieposter existerar mot Warehouse {0}, alltså du kan inte åter tilldela eller ändra det"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Inga studenter Funnet
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Inga studenter Funnet
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Fakturabokningsdatum
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Sälja
DocType: Sales Invoice,Rounded Total,Avrundat Totalt
DocType: Product Bundle,List items that form the package.,Lista objekt som bildar paketet.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Procentuell Fördelning bör vara lika med 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,Välj bokningsdatum innan du väljer Party
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Välj bokningsdatum innan du väljer Party
DocType: Program Enrollment,School House,School House
DocType: Serial No,Out of AMC,Slut på AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Var god välj Citat
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Var god välj Citat
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Var god välj Citat
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Var god välj Citat
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Antal Avskrivningar bokat kan inte vara större än Totalt antal Avskrivningar
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Skapa Servicebesök
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,Vänligen kontakta för användaren som har roll försäljningschef {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,Vänligen kontakta för användaren som har roll försäljningschef {0}
DocType: Company,Default Cash Account,Standard Konto
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Företag (inte kund eller leverantör) ledare.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Detta grundar sig på närvaron av denna Student
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Inga studenter i
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Inga studenter i
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Lägga till fler objekt eller öppna fullständiga formen
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',Ange "Förväntat leveransdatum"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Följesedelsnoteringar {0} måste avbrytas innan du kan avbryta denna kundorder
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Betald belopp + Avskrivningsbelopp kan inte vara större än Totalsumma
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Betald belopp + Avskrivningsbelopp kan inte vara större än Totalsumma
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} är inte en giltig batchnummer för punkt {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Obs: Det finns inte tillräckligt med ledighetdagar för ledighet typ {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,Ogiltig GSTIN eller Ange NA för oregistrerad
DocType: Training Event,Seminar,Seminarium
DocType: Program Enrollment Fee,Program Enrollment Fee,Program inskrivningsavgift
DocType: Item,Supplier Items,Leverantör artiklar
@@ -3236,27 +3259,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Produkt 3
DocType: Purchase Order,Customer Contact Email,Kundkontakt Email
DocType: Warranty Claim,Item and Warranty Details,Punkt och garantiinformation
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Artikelnummer> Varugrupp> Varumärke
DocType: Sales Team,Contribution (%),Bidrag (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Obs: Betalningpost kommer inte skapas eftersom ""Kontanter eller bankkonto"" angavs inte"
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Välj Programmet för att hämta obligatoriska kurser.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Ansvarsområden
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Ansvarsområden
DocType: Expense Claim Account,Expense Claim Account,Räkningen konto
DocType: Sales Person,Sales Person Name,Försäljnings Person Namn
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Ange minst 1 faktura i tabellen
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Lägg till användare
DocType: POS Item Group,Item Group,Produkt Grupp
DocType: Item,Safety Stock,Säkerhetslager
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Framsteg% för en uppgift kan inte vara mer än 100.
DocType: Stock Reconciliation Item,Before reconciliation,Innan avstämning
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Till {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Skatter och avgifter Added (Company valuta)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Produkt Skatte Rad {0} måste ha typen Skatt eller intäkt eller kostnad eller Avgiftsbelagd
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Produkt Skatte Rad {0} måste ha typen Skatt eller intäkt eller kostnad eller Avgiftsbelagd
DocType: Sales Order,Partly Billed,Delvis Faktuerard
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Punkt {0} måste vara en fast tillgångspost
DocType: Item,Default BOM,Standard BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,Vänligen ange företagsnamn igen för att bekräfta
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Totalt Utestående Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Debiteringsnotering Belopp
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Vänligen ange företagsnamn igen för att bekräfta
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Totalt Utestående Amt
DocType: Journal Entry,Printing Settings,Utskriftsinställningar
DocType: Sales Invoice,Include Payment (POS),Inkluderar Betalning (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Totalt Betal måste vara lika med de sammanlagda kredit. Skillnaden är {0}
@@ -3270,16 +3291,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,I lager:
DocType: Notification Control,Custom Message,Anpassat Meddelande
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Investment Banking
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Kontant eller bankkonto är obligatoriskt för utbetalningensposten
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Studentadress
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Studentadress
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Kontant eller bankkonto är obligatoriskt för utbetalningensposten
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Vänligen uppsätt nummerserien för deltagande via Inställningar> Numreringsserie
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentadress
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Studentadress
DocType: Purchase Invoice,Price List Exchange Rate,Prislista Växelkurs
DocType: Purchase Invoice Item,Rate,Betygsätt
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Intern
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,Adressnamn
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Intern
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,Adressnamn
DocType: Stock Entry,From BOM,Från BOM
DocType: Assessment Code,Assessment Code,bedömning kod
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Grundläggande
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Grundläggande
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Arkiv transaktioner före {0} är frysta
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"Klicka på ""Skapa schema '"
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","t.ex. Kg, enhet, nr, m"
@@ -3289,11 +3311,11 @@
DocType: Salary Slip,Salary Structure,Lönestruktur
DocType: Account,Bank,Bank
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Flygbolag
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Problem Material
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Problem Material
DocType: Material Request Item,For Warehouse,För Lager
DocType: Employee,Offer Date,Erbjudandet Datum
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Citat
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Du befinner dig i offline-läge. Du kommer inte att kunna ladda tills du har nätverket.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,Du befinner dig i offline-läge. Du kommer inte att kunna ladda tills du har nätverket.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Inga studentgrupper skapas.
DocType: Purchase Invoice Item,Serial No,Serienummer
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Månatliga återbetalningen belopp kan inte vara större än Lånebelopp
@@ -3301,8 +3323,8 @@
DocType: Purchase Invoice,Print Language,print Språk
DocType: Salary Slip,Total Working Hours,Totala arbetstiden
DocType: Stock Entry,Including items for sub assemblies,Inklusive poster för underheter
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Ange värde måste vara positiv
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Alla territorierna
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Ange värde måste vara positiv
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Alla territorierna
DocType: Purchase Invoice,Items,Produkter
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Student är redan inskriven.
DocType: Fiscal Year,Year Name,År namn
@@ -3321,10 +3343,10 @@
DocType: Issue,Opening Time,Öppnings Tid
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Från och Till datum krävs
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Värdepapper och råvarubörserna
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standard mätenhet för Variant "{0}" måste vara samma som i Mall "{1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Standard mätenhet för Variant "{0}" måste vara samma som i Mall "{1}"
DocType: Shipping Rule,Calculate Based On,Beräkna baserad på
DocType: Delivery Note Item,From Warehouse,Från Warehouse
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Inga objekt med Bill of Materials att tillverka
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Inga objekt med Bill of Materials att tillverka
DocType: Assessment Plan,Supervisor Name,Supervisor Namn
DocType: Program Enrollment Course,Program Enrollment Course,Program Inskrivningskurs
DocType: Purchase Taxes and Charges,Valuation and Total,Värdering och Total
@@ -3339,18 +3361,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Dagar sedan senaste order"" måste vara större än eller lika med noll"
DocType: Process Payroll,Payroll Frequency,löne Frekvens
DocType: Asset,Amended From,Ändrat Från
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Råmaterial
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Råmaterial
DocType: Leave Application,Follow via Email,Följ via e-post
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Växter och maskinerier
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Växter och maskinerier
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Skattebelopp efter rabatt Belopp
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Det dagliga arbetet Sammanfattning Inställningar
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Valuta prislistan {0} är inte lika med den valda valutan {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Valuta prislistan {0} är inte lika med den valda valutan {1}
DocType: Payment Entry,Internal Transfer,Intern transaktion
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Underkonto existerar för det här kontot. Du kan inte ta bort det här kontot.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Underkonto existerar för det här kontot. Du kan inte ta bort det här kontot.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Antingen mål antal eller målbeloppet är obligatorisk
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Ingen standard BOM finns till punkt {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Ingen standard BOM finns till punkt {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Välj Publiceringsdatum först
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Öppningsdatum ska vara innan Slutdatum
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Ange Naming Series för {0} via Setup> Settings> Naming Series
DocType: Leave Control Panel,Carry Forward,Skicka Vidare
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Kostnadsställe med befintliga transaktioner kan inte omvandlas till liggaren
DocType: Department,Days for which Holidays are blocked for this department.,Dagar då helgdagar är blockerade för denna avdelning.
@@ -3360,11 +3383,10 @@
DocType: Issue,Raised By (Email),Höjt av (e-post)
DocType: Training Event,Trainer Name,Trainer Namn
DocType: Mode of Payment,General,Allmänt
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Fäst Brev
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Senaste kommunikationen
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Senaste kommunikationen
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Det går inte att dra bort när kategorin är angedd ""Värdering"" eller ""Värdering och Total"""
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lista dina skattehuvuden (t.ex. moms, tull etc, de bör ha unika namn) och deras standardpriser. Detta kommer att skapa en standardmall som du kan redigera och lägga till fler senare."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Lista dina skattehuvuden (t.ex. moms, tull etc, de bör ha unika namn) och deras standardpriser. Detta kommer att skapa en standardmall som du kan redigera och lägga till fler senare."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Serial Nos krävs för Serialiserad Punkt {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Match Betalningar med fakturor
DocType: Journal Entry,Bank Entry,Bank anteckning
@@ -3373,16 +3395,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Lägg till i kundvagn
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Gruppera efter
DocType: Guardian,Interests,Intressen
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Aktivera / inaktivera valutor.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Aktivera / inaktivera valutor.
DocType: Production Planning Tool,Get Material Request,Få Material Request
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Post Kostnader
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Post Kostnader
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Totalt (Amt)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Underhållning & Fritid
DocType: Quality Inspection,Item Serial No,Produkt Löpnummer
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Skapa anställda Records
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Totalt Närvarande
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,räkenskaper
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Timme
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Timme
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Nya Löpnummer kan inte ha Lager. Lagermåste ställas in av lagerpost eller inköpskvitto
DocType: Lead,Lead Type,Prospekt Typ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Du har inte behörighet att godkänna löv på Block Datum
@@ -3394,6 +3416,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,Den nya BOM efter byte
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Butiksförsäljning
DocType: Payment Entry,Received Amount,erhållet belopp
+DocType: GST Settings,GSTIN Email Sent On,GSTIN Email Sent On
+DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop av Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Skapa för hela kvantiteten, ignorera mängd redan på beställning"
DocType: Account,Tax,Skatt
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,MÄRKLÖS
@@ -3407,7 +3431,7 @@
DocType: Batch,Source Document Name,Källdokumentnamn
DocType: Job Opening,Job Title,Jobbtitel
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Skapa användare
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,Gram
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,Gram
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Kvantitet som Tillverkning måste vara större än 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Besöksrapport för service samtal.
DocType: Stock Entry,Update Rate and Availability,Uppdateringsfrekvens och tillgänglighet
@@ -3415,7 +3439,7 @@
DocType: POS Customer Group,Customer Group,Kundgrupp
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Nytt parti-id (valfritt)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Nytt parti-id (valfritt)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Utgiftskonto är obligatorisk för produkten {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Utgiftskonto är obligatorisk för produkten {0}
DocType: BOM,Website Description,Webbplats Beskrivning
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Nettoförändringen i eget kapital
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Vänligen avbryta inköpsfaktura {0} först
@@ -3425,8 +3449,8 @@
,Sales Register,Försäljningsregistret
DocType: Daily Work Summary Settings Company,Send Emails At,Skicka e-post Vid
DocType: Quotation,Quotation Lost Reason,Anledning förlorad Offert
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Välj din domän
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Transaktions referensnummer {0} daterad {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Välj din domän
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Transaktions referensnummer {0} daterad {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Det finns inget att redigera.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Sammanfattning för denna månad och pågående aktiviteter
DocType: Customer Group,Customer Group Name,Kundgruppnamn
@@ -3434,14 +3458,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Kassaflödesanalys
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Lånebeloppet kan inte överstiga Maximal låne Mängd {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Licens
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},Ta bort denna faktura {0} från C-Form {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},Ta bort denna faktura {0} från C-Form {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Välj Överföring om du även vill inkludera föregående räkenskapsårs balans till detta räkenskapsår
DocType: GL Entry,Against Voucher Type,Mot Kupongtyp
DocType: Item,Attributes,Attributer
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,Ange avskrivningskonto
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Ange avskrivningskonto
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Sista beställningsdatum
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Kontot {0} till inte företaget {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Serienumren i rad {0} matchar inte med leveransnotering
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Serienumren i rad {0} matchar inte med leveransnotering
DocType: Student,Guardian Details,Guardian Detaljer
DocType: C-Form,C-Form,C-Form
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Mark Närvaro för flera anställda
@@ -3456,16 +3480,16 @@
DocType: Budget Account,Budget Amount,budget~~POS=TRUNC
DocType: Appraisal Template,Appraisal Template Title,Bedömning mall Titel
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Från Date {0} för Employee {1} kan inte vara före anställdes Inträdesdatum {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Kommersiell
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Kommersiell
DocType: Payment Entry,Account Paid To,Konto betalt för att
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Moderbolaget Punkt {0} får inte vara en lagervara
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Alla produkter eller tjänster.
DocType: Expense Claim,More Details,Fler detaljer
DocType: Supplier Quotation,Supplier Address,Leverantör Adress
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} budget för kontot {1} mot {2} {3} är {4}. Det kommer att överskrida av {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Rad {0} # Hänsyn måste vara av typen "Fast Asset"
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Ut Antal
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Regler för att beräkna fraktbeloppet för en försäljning
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Rad {0} # Hänsyn måste vara av typen "Fast Asset"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Ut Antal
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Regler för att beräkna fraktbeloppet för en försäljning
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Serien är obligatorisk
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Finansiella Tjänster
DocType: Student Sibling,Student ID,Student-ID
@@ -3473,13 +3497,13 @@
DocType: Tax Rule,Sales,Försäljning
DocType: Stock Entry Detail,Basic Amount,BASBELOPP
DocType: Training Event,Exam,Examen
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Lager krävs för Lagervara {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Lager krävs för Lagervara {0}
DocType: Leave Allocation,Unused leaves,Oanvända blad
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,Faktureringsstaten
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Överföring
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} inte förknippas med Party-konto {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Fetch expanderande BOM (inklusive underenheter)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} inte förknippas med Party-konto {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Fetch expanderande BOM (inklusive underenheter)
DocType: Authorization Rule,Applicable To (Employee),Är tillämpligt för (anställd)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Förfallodatum är obligatorisk
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Påslag för Attribut {0} inte kan vara 0
@@ -3507,7 +3531,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Råvaru Artikelkod
DocType: Journal Entry,Write Off Based On,Avskrivning Baseras på
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,gör Lead
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Print och brevpapper
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Print och brevpapper
DocType: Stock Settings,Show Barcode Field,Show Barcode Field
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Skicka e-post Leverantörs
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",Lön redan behandlas för perioden mellan {0} och {1} Lämna ansökningstiden kan inte vara mellan detta datumintervall.
@@ -3515,14 +3539,16 @@
DocType: Guardian Interest,Guardian Interest,Guardian intresse
apps/erpnext/erpnext/config/hr.py +177,Training,Utbildning
DocType: Timesheet,Employee Detail,anställd Detalj
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 Email ID
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 Email ID
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,Nästa datum dag och Upprepa på dagen av månaden måste vara lika
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Inställningar för webbplats hemsida
DocType: Offer Letter,Awaiting Response,Väntar på svar
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Ovan
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Ovan
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},Ogiltig attribut {0} {1}
DocType: Supplier,Mention if non-standard payable account,Nämn om inte-standard betalnings konto
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Samma sak har skrivits in flera gånger. {lista}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Var god välj bedömningsgruppen annan än "Alla bedömningsgrupper"
DocType: Salary Slip,Earning & Deduction,Vinst & Avdrag
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Tillval. Denna inställning kommer att användas för att filtrera i olika transaktioner.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Negativt Värderingsvärde är inte tillåtet
@@ -3536,9 +3562,9 @@
DocType: Sales Invoice,Product Bundle Help,Produktpaket Hjälp
,Monthly Attendance Sheet,Månads Närvaroblad
DocType: Production Order Item,Production Order Item,Produktion Beställningsvara
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Ingen post hittades
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Ingen post hittades
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Kostnad för skrotas Asset
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Kostnadsställe är obligatorisk för punkt {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Kostnadsställe är obligatorisk för punkt {2}
DocType: Vehicle,Policy No,policy Nej
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Få artiklar från produkt Bundle
DocType: Asset,Straight Line,Rak linje
@@ -3547,7 +3573,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Dela
DocType: GL Entry,Is Advance,Är Advancerad
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Närvaro Från Datum och närvaro hittills är obligatorisk
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,"Ange ""Är underleverantör"" som Ja eller Nej"
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,"Ange ""Är underleverantör"" som Ja eller Nej"
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Senaste kommunikationsdatum
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Senaste kommunikationsdatum
DocType: Sales Team,Contact No.,Kontakt nr
@@ -3576,60 +3602,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,öppnings Värde
DocType: Salary Detail,Formula,Formel
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Seriell #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Försäljningsprovision
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Försäljningsprovision
DocType: Offer Letter Term,Value / Description,Värde / Beskrivning
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rad # {0}: Asset {1} kan inte lämnas, är det redan {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Rad # {0}: Asset {1} kan inte lämnas, är det redan {2}"
DocType: Tax Rule,Billing Country,Faktureringsland
DocType: Purchase Order Item,Expected Delivery Date,Förväntat leveransdatum
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Debet och kredit inte är lika för {0} # {1}. Skillnaden är {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Representationskostnader
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Gör Material Request
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Representationskostnader
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Gör Material Request
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Öppen föremål {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Fakturan {0} måste ställas in innan avbryta denna kundorder
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Ålder
DocType: Sales Invoice Timesheet,Billing Amount,Fakturerings Mängd
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Ogiltig mängd som anges för produkten {0}. Kvantitet bör vara större än 0.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Ansökan om ledighet.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Konto med befintlig transaktioner kan inte tas bort
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Konto med befintlig transaktioner kan inte tas bort
DocType: Vehicle,Last Carbon Check,Sista Carbon Check
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Rättsskydds
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Rättsskydds
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Var god välj antal på rad
DocType: Purchase Invoice,Posting Time,Boknings Tid
DocType: Timesheet,% Amount Billed,% Belopp fakturerat
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Telefon Kostnader
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Telefon Kostnader
DocType: Sales Partner,Logo,Logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Markera det här om du vill tvinga användaren att välja en serie innan du sparar. Det blir ingen standard om du kontrollera detta.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Ingen produkt med Löpnummer {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Ingen produkt med Löpnummer {0}
DocType: Email Digest,Open Notifications,Öppna Meddelanden
DocType: Payment Entry,Difference Amount (Company Currency),Skillnad Belopp (Company valuta)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Direkta kostnader
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Direkta kostnader
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} är en ogiltig e-postadress i "Notification \ e-postadress"
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Nya kund Intäkter
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Resekostnader
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Resekostnader
DocType: Maintenance Visit,Breakdown,Nedbrytning
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Konto: {0} med valuta: kan inte väljas {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Konto: {0} med valuta: kan inte väljas {1}
DocType: Bank Reconciliation Detail,Cheque Date,Check Datum
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Förälder konto {1} tillhör inte företaget: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Konto {0}: Förälder konto {1} tillhör inte företaget: {2}
DocType: Program Enrollment Tool,Student Applicants,elev Sökande
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Framgångsrikt bort alla transaktioner i samband med detta företag!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Framgångsrikt bort alla transaktioner i samband med detta företag!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Som på Date
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,Inskrivningsdatum
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Skyddstillsyn
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Skyddstillsyn
apps/erpnext/erpnext/config/hr.py +115,Salary Components,lönedelar
DocType: Program Enrollment Tool,New Academic Year,Nytt läsår
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Retur / kreditnota
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Retur / kreditnota
DocType: Stock Settings,Auto insert Price List rate if missing,Diskinmatning Prislista ränta om saknas
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Sammanlagda belopp som betalats
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Sammanlagda belopp som betalats
DocType: Production Order Item,Transferred Qty,Överfört Antal
apps/erpnext/erpnext/config/learn.py +11,Navigating,Navigera
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Planering
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Utfärdad
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planering
+DocType: Material Request,Issued,Utfärdad
DocType: Project,Total Billing Amount (via Time Logs),Totalt Billing Belopp (via Time Loggar)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Vi säljer detta objekt
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Leverantör Id
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Vi säljer detta objekt
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Leverantör Id
DocType: Payment Request,Payment Gateway Details,Betalning Gateway Detaljer
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Kvantitet bör vara större än 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Kvantitet bör vara större än 0
DocType: Journal Entry,Cash Entry,Kontantinlägg
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Underordnade noder kan endast skapas under "grupp" typ noder
DocType: Leave Application,Half Day Date,Halvdag Datum
@@ -3641,14 +3668,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Ställ in standardkonto i räkningen typ {0}
DocType: Assessment Result,Student Name,Elevs namn
DocType: Brand,Item Manager,Produktansvarig
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,Lön Betalning
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Lön Betalning
DocType: Buying Settings,Default Supplier Type,Standard Leverantörstyp
DocType: Production Order,Total Operating Cost,Totala driftskostnaderna
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Obs: Punkt {0} inlagd flera gånger
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Alla kontakter.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Företagetsförkortning
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Företagetsförkortning
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Användare {0} inte existerar
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,Råvaror kan inte vara samma som huvudartikel
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Råvaror kan inte vara samma som huvudartikel
DocType: Item Attribute Value,Abbreviation,Förkortning
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Betalning Entry redan existerar
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Inte auktoriserad eftersom {0} överskrider gränser
@@ -3657,35 +3684,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Ställ skatt Regel för varukorgen
DocType: Purchase Invoice,Taxes and Charges Added,Skatter och avgifter Added
,Sales Funnel,Försäljning tratt
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Förkortning är obligatorisk
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Förkortning är obligatorisk
DocType: Project,Task Progress,Task framsteg
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Kundvagn
,Qty to Transfer,Antal Transfer
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Offerter till prospekt eller kunder
DocType: Stock Settings,Role Allowed to edit frozen stock,Roll tillåtet att redigera fryst lager
,Territory Target Variance Item Group-Wise,Territory Mål Varians Post Group-Wise
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Alla kundgrupper
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Alla kundgrupper
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,ackumulerade månads
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} är obligatorisk. Kanske Valutaväxlingsposten inte är skapad för {1} till {2}.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} är obligatorisk. Kanske Valutaväxlingsposten inte är skapad för {1} till {2}.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Skatte Mall är obligatorisk.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Konto {0}: Förälder konto {1} existerar inte
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Konto {0}: Förälder konto {1} existerar inte
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Prislista värde (Företagsvaluta)
DocType: Products Settings,Products Settings,produkter Inställningar
DocType: Account,Temporary,Tillfällig
DocType: Program,Courses,Kurser
DocType: Monthly Distribution Percentage,Percentage Allocation,Procentuell Fördelning
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Sekreterare
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekreterare
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Om inaktivera, "uttrycker in" fältet inte kommer att vara synlig i någon transaktion"
DocType: Serial No,Distinct unit of an Item,Distinkt enhet för en försändelse
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Vänligen ange företaget
DocType: Pricing Rule,Buying,Köpa
DocType: HR Settings,Employee Records to be created by,Personal register som skall skapas av
DocType: POS Profile,Apply Discount On,Tillämpa rabatt på
,Reqd By Date,Reqd Efter datum
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Borgenärer
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Borgenärer
DocType: Assessment Plan,Assessment Name,bedömning Namn
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Rad # {0}: Löpnummer är obligatorisk
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Produktvis Skatte Detalj
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Institute Förkortning
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Institute Förkortning
,Item-wise Price List Rate,Produktvis Prislistavärde
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Leverantör Offert
DocType: Quotation,In Words will be visible once you save the Quotation.,I Ord kommer att synas när du sparar offerten.
@@ -3693,14 +3721,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Kvantitet ({0}) kan inte vara en fraktion i rad {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,ta ut avgifter
DocType: Attendance,ATT-,attrak-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Streckkod {0} används redan i punkt {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Streckkod {0} används redan i punkt {1}
DocType: Lead,Add to calendar on this date,Lägg till i kalender på denna dag
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Regler för att lägga fraktkostnader.
DocType: Item,Opening Stock,ingående lager
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Kunden är obligatoriskt
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} är obligatorisk för Retur
DocType: Purchase Order,To Receive,Att Motta
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Personligt E-post
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Totalt Varians
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Om det är aktiverat, kommer systemet att skicka bokföringsposter för inventering automatiskt."
@@ -3711,13 +3738,14 @@
DocType: Customer,From Lead,Från Prospekt
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Order släppts för produktion.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Välj räkenskapsår ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS profil som krävs för att göra POS inlägg
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS profil som krävs för att göra POS inlägg
DocType: Program Enrollment Tool,Enroll Students,registrera studenter
DocType: Hub Settings,Name Token,Namn token
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standardförsäljnings
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Minst ett lager är obligatorisk
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Minst ett lager är obligatorisk
DocType: Serial No,Out of Warranty,Ingen garanti
DocType: BOM Replace Tool,Replace,Ersätt
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Inga produkter hittades.
DocType: Production Order,Unstopped,icke stoppad
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} mot faktura {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3728,13 +3756,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Stock Värde Skillnad
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Personal administration
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Betalning Avstämning Betalning
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Skattefordringar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Skattefordringar
DocType: BOM Item,BOM No,BOM nr
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Journalanteckning {0} har inte konto {1} eller redan matchad mot andra kuponger
DocType: Item,Moving Average,Rörligt medelvärde
DocType: BOM Replace Tool,The BOM which will be replaced,BOM som kommer att ersättas
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,elektronisk utrustning
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,elektronisk utrustning
DocType: Account,Debit,Debit-
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Ledigheter ska fördelas i multiplar av 0,5"
DocType: Production Order,Operation Cost,Driftkostnad
@@ -3742,7 +3770,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Utestående Amt
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Uppsatta mål Punkt Gruppvis för säljare.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Freeze Lager Äldre än [dagar]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Rad # {0}: Asset är obligatoriskt för anläggningstillgång köp / försäljning
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Rad # {0}: Asset är obligatoriskt för anläggningstillgång köp / försäljning
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Om två eller flera Prissättningsregler hittas baserat på ovanstående villkor, tillämpas prioritet . Prioritet är ett tal mellan 0 till 20, medan standardvärdet är noll (tom). Högre siffra innebär det kommer att ha företräde om det finns flera prissättningsregler med samma villkor."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Räkenskapsårets: {0} inte existerar
DocType: Currency Exchange,To Currency,Till Valuta
@@ -3751,7 +3779,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Försäljningsfrekvensen för objektet {0} är lägre än dess {1}. Försäljningsfrekvensen bör vara minst {2}
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Försäljningsfrekvensen för objektet {0} är lägre än dess {1}. Försäljningsfrekvensen bör vara minst {2}
DocType: Item,Taxes,Skatter
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Betald och inte levererats
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Betald och inte levererats
DocType: Project,Default Cost Center,Standardkostnadsställe
DocType: Bank Guarantee,End Date,Slutdatum
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,aktietransaktioner
@@ -3776,24 +3804,22 @@
DocType: Employee,Held On,Höll På
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Produktions artikel
,Employee Information,Anställd Information
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Andel (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Andel (%)
DocType: Stock Entry Detail,Additional Cost,Extra kostnad
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Budgetåret Slutdatum
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",Kan inte filtrera baserat på kupong nr om grupperad efter kupong
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Skapa Leverantörsoffert
DocType: Quality Inspection,Incoming,Inkommande
DocType: BOM,Materials Required (Exploded),Material som krävs (Expanderad)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Lägg till användare till din organisation, annan än dig själv"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Publiceringsdatum kan inte vara framtida tidpunkt
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Rad # {0}: Löpnummer {1} inte stämmer överens med {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Tillfällig ledighet
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Tillfällig ledighet
DocType: Batch,Batch ID,Batch-ID
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Obs: {0}
,Delivery Note Trends,Följesedel Trender
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Veckans Sammanfattning
-,In Stock Qty,I lager Antal
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,I lager Antal
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Konto: {0} kan endast uppdateras via aktietransaktioner
-DocType: Program Enrollment,Get Courses,få Banor
+DocType: Student Group Creation Tool,Get Courses,få Banor
DocType: GL Entry,Party,Parti
DocType: Sales Order,Delivery Date,Leveransdatum
DocType: Opportunity,Opportunity Date,Möjlighet Datum
@@ -3801,14 +3827,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Offertförfrågan Punkt
DocType: Purchase Order,To Bill,Till Bill
DocType: Material Request,% Ordered,% Beordrade
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",För kursbaserad studentgrupp kommer kursen att valideras för varje student från de inskrivna kurser i programinsökan.
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Ange e-postadress separerade med kommatecken, kommer fakturan att skickas automatiskt visst datum"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Ackord
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Ackord
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Avg. Köpkurs
DocType: Task,Actual Time (in Hours),Faktisk tid (i timmar)
DocType: Employee,History In Company,Historia Företaget
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Nyhetsbrev
DocType: Stock Ledger Entry,Stock Ledger Entry,Lager Ledger Entry
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Kund> Kundgrupp> Territorium
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Samma objekt har angetts flera gånger
DocType: Department,Leave Block List,Lämna Block List
DocType: Sales Invoice,Tax ID,Skatte ID
@@ -3823,30 +3849,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} enheter av {1} behövs i {2} för att slutföra denna transaktion.
DocType: Loan Type,Rate of Interest (%) Yearly,Hastighet av intresse (%) Årlig
DocType: SMS Settings,SMS Settings,SMS Inställningar
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Tillfälliga konton
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Svart
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Tillfälliga konton
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Svart
DocType: BOM Explosion Item,BOM Explosion Item,BOM Explosions Punkt
DocType: Account,Auditor,Redigerare
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} objekt producerade
DocType: Cheque Print Template,Distance from top edge,Avståndet från den övre kanten
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Prislista {0} är inaktiverad eller inte existerar
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Prislista {0} är inaktiverad eller inte existerar
DocType: Purchase Invoice,Return,Återgå
DocType: Production Order Operation,Production Order Operation,Produktionsorder Drift
DocType: Pricing Rule,Disable,Inaktivera
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Verk betalning krävs för att göra en betalning
DocType: Project Task,Pending Review,Väntar På Granskning
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} är inte inskriven i batch {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Tillgångs {0} kan inte skrotas, eftersom det redan är {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Totalkostnadskrav (via utgiftsräkning)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Kundnummer
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Mark Frånvarande
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rad {0}: Valuta för BOM # {1} bör vara lika med den valda valutan {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Rad {0}: Valuta för BOM # {1} bör vara lika med den valda valutan {2}
DocType: Journal Entry Account,Exchange Rate,Växelkurs
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Kundorder {0} är inte lämnat
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Kundorder {0} är inte lämnat
DocType: Homepage,Tag Line,Tag Linje
DocType: Fee Component,Fee Component,avgift Komponent
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Fleet Management
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Lägga till objekt från
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Lager {0}: Moderbolaget konto {1} tillhör inte företaget {2}
DocType: Cheque Print Template,Regular,Regelbunden
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Total weightage av alla kriterier för bedömning måste vara 100%
DocType: BOM,Last Purchase Rate,Senaste Beställningsvärde
@@ -3855,11 +3880,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Stock kan inte existera till punkt {0} sedan har varianter
,Sales Person-wise Transaction Summary,Försäljningen person visa transaktion Sammanfattning
DocType: Training Event,Contact Number,Kontaktnummer
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Lager {0} existerar inte
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Lager {0} existerar inte
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Registrera För ERPNext Hub
DocType: Monthly Distribution,Monthly Distribution Percentages,Månadsdistributions Procentsatser
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Det valda alternativet kan inte ha Batch
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Värdering hastighet hittades inte för föremål {0}, vilket krävs för att göra bokföringsposter för {1} {2}. Om objektet är transaktions som prov objekt i {1}, nämn det i {1} Punkt tabellen. Annars kan du skapa ett inkommande lagertransaktion för objektet eller omnämnande värderingstakten i post och försök sedan inlämning / avbryta denna post"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Värdering hastighet hittades inte för föremål {0}, vilket krävs för att göra bokföringsposter för {1} {2}. Om objektet är transaktions som prov objekt i {1}, nämn det i {1} Punkt tabellen. Annars kan du skapa ett inkommande lagertransaktion för objektet eller omnämnande värderingstakten i post och försök sedan inlämning / avbryta denna post"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% Av material som levereras mot detta följesedel
DocType: Project,Customer Details,Kunduppgifter
DocType: Employee,Reports to,Rapporter till
@@ -3867,24 +3892,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Ange url parameter för mottagaren
DocType: Payment Entry,Paid Amount,Betalt belopp
DocType: Assessment Plan,Supervisor,Handledare
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Uppkopplad
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,Uppkopplad
,Available Stock for Packing Items,Tillgängligt lager för förpackningsprodukter
DocType: Item Variant,Item Variant,Produkt Variant
DocType: Assessment Result Tool,Assessment Result Tool,Bedömningsresultatverktyg
DocType: BOM Scrap Item,BOM Scrap Item,BOM Scrap Punkt
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Inlämnade order kan inte tas bort
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Kontosaldo redan i Debit, du är inte tillåten att ställa ""Balans måste vara"" som ""Kredit"""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Kvalitetshantering
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Inlämnade order kan inte tas bort
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Kontosaldo redan i Debit, du är inte tillåten att ställa ""Balans måste vara"" som ""Kredit"""
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Kvalitetshantering
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Punkt {0} har inaktiverats
DocType: Employee Loan,Repay Fixed Amount per Period,Återbetala fast belopp per period
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Vänligen ange antal förpackningar för artikel {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Kreditnot Amt
DocType: Employee External Work History,Employee External Work History,Anställd Extern Arbetserfarenhet
DocType: Tax Rule,Purchase,Inköp
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Balans Antal
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Balans Antal
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Mål kan inte vara tomt
DocType: Item Group,Parent Item Group,Överordnad produktgrupp
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} för {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Kostnadsställen
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Kostnadsställen
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,I takt med vilket leverantörens valuta omvandlas till företagets basvaluta
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Rad # {0}: Konflikt med tider rad {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Tillåt nollvärderingsfrekvens
@@ -3892,17 +3918,18 @@
DocType: Training Event Employee,Invited,inbjuden
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Flera aktiva lönestruktur hittades för arbetstagare {0} för de givna datum
DocType: Opportunity,Next Contact,Nästa Kontakta
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Setup Gateway konton.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Setup Gateway konton.
DocType: Employee,Employment Type,Anställnings Typ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Fasta tillgångar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Fasta tillgångar
DocType: Payment Entry,Set Exchange Gain / Loss,Ställ Exchange vinst / förlust
+,GST Purchase Register,GST inköpsregister
,Cash Flow,Pengaflöde
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Ansökningstiden kan inte vara över två alocation register
DocType: Item Group,Default Expense Account,Standardutgiftskonto
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Student E ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student E ID
DocType: Employee,Notice (days),Observera (dagar)
DocType: Tax Rule,Sales Tax Template,Moms Mall
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Välj objekt för att spara fakturan
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Välj objekt för att spara fakturan
DocType: Employee,Encashment Date,Inlösnings Datum
DocType: Training Event,Internet,internet
DocType: Account,Stock Adjustment,Lager för justering
@@ -3930,7 +3957,7 @@
DocType: Guardian,Guardian Of ,väktare
DocType: Grading Scale Interval,Threshold,Tröskel
DocType: BOM Replace Tool,Current BOM,Aktuell BOM
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Lägg till Serienr
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Lägg till Serienr
apps/erpnext/erpnext/config/support.py +22,Warranty,Garanti
DocType: Purchase Invoice,Debit Note Issued,Debetnota utfärdad
DocType: Production Order,Warehouses,Lager
@@ -3939,20 +3966,20 @@
DocType: Workstation,per hour,per timme
apps/erpnext/erpnext/config/buying.py +7,Purchasing,Köp av
DocType: Announcement,Announcement,Meddelande
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Konto för lagret (Perpetual Inventory) kommer att skapas inom ramen för detta konto.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Lager kan inte tas bort som lagrets huvudbok existerar för det här lagret.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",För gruppbaserad studentgrupp kommer studentenbatchen att valideras för varje student från programansökan.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Lager kan inte tas bort som lagrets huvudbok existerar för det här lagret.
DocType: Company,Distribution,Fördelning
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Betald Summa
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Projektledare
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Projektledare
,Quoted Item Comparison,Citerade föremål Jämförelse
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Skicka
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Max rabatt tillåtet för objektet: {0} är {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Skicka
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Max rabatt tillåtet för objektet: {0} är {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Substansvärdet på
DocType: Account,Receivable,Fordran
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Rad # {0}: Inte tillåtet att byta leverantör som beställning redan existerar
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Rad # {0}: Inte tillåtet att byta leverantör som beställning redan existerar
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Roll som får godkänna transaktioner som överstiger kreditgränser.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Välj produkter i Tillverkning
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Basdata synkronisering, kan det ta lite tid"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Välj produkter i Tillverkning
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Basdata synkronisering, kan det ta lite tid"
DocType: Item,Material Issue,Materialproblem
DocType: Hub Settings,Seller Description,Säljare Beskrivning
DocType: Employee Education,Qualification,Kvalifikation
@@ -3972,7 +3999,6 @@
DocType: BOM,Rate Of Materials Based On,Hastighet av material baserade på
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Stöd Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Avmarkera alla
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Företaget saknas i lager {0}
DocType: POS Profile,Terms and Conditions,Villkor
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Till Datum bör ligga inom räkenskapsåret. Förutsatt att Dag = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Här kan du behålla längd, vikt, allergier, medicinska problem etc"
@@ -3987,18 +4013,17 @@
DocType: Sales Order Item,For Production,För produktion
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Se uppgifter
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Din räkenskapsår som börjar på
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Asset Avskrivningar och saldon
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Belopp {0} {1} överförs från {2} till {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Belopp {0} {1} överförs från {2} till {3}
DocType: Sales Invoice,Get Advances Received,Få erhållna förskott
DocType: Email Digest,Add/Remove Recipients,Lägg till / ta bort mottagare
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Transaktion inte tillåtet mot stoppad produktionsorder {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Transaktion inte tillåtet mot stoppad produktionsorder {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","För att ställa denna verksamhetsåret som standard, klicka på "Ange som standard""
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,Ansluta sig
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Ansluta sig
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Brist Antal
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Punkt variant {0} finns med samma attribut
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Punkt variant {0} finns med samma attribut
DocType: Employee Loan,Repay from Salary,Repay från Lön
DocType: Leave Application,LAP/,KNÄ/
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Begärande betalning mot {0} {1} för mängden {2}
@@ -4009,34 +4034,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Skapa följesedlar efter paket som skall levereras. Används för att meddela kollinummer, paketets innehåll och dess vikt."
DocType: Sales Invoice Item,Sales Order Item,Försäljning Beställningsvara
DocType: Salary Slip,Payment Days,Betalningsdagar
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Lager med underordnade noder kan inte omvandlas till liggaren
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Lager med underordnade noder kan inte omvandlas till liggaren
DocType: BOM,Manage cost of operations,Hantera kostnaderna för verksamheten
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","När någon av de kontrollerade transaktionerna är""Skickat"", en e-post pop-up öppnas automatiskt för att skicka ett mail till den tillhörande ""Kontakt"" i denna transaktion, med transaktionen som en bifogad fil. Användaren kan eller inte kan skicka e-post."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Globala inställningar
DocType: Assessment Result Detail,Assessment Result Detail,Detaljer Bedömningsresultat
DocType: Employee Education,Employee Education,Anställd Utbildning
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Dubblett grupp finns i posten grupptabellen
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,Det behövs för att hämta produktdetaljer.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,Det behövs för att hämta produktdetaljer.
DocType: Salary Slip,Net Pay,Nettolön
DocType: Account,Account,Konto
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Serienummer {0} redan har mottagits
,Requested Items To Be Transferred,Efterfrågade artiklar som ska överföras
DocType: Expense Claim,Vehicle Log,fordonet Log
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Lager {0} är inte kopplat till något konto, vänligen skapa / koppla motsvarande (Asset) står för lagret."
DocType: Purchase Invoice,Recurring Id,Återkommande Id
DocType: Customer,Sales Team Details,Försäljnings Team Detaljer
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Ta bort permanent?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Ta bort permanent?
DocType: Expense Claim,Total Claimed Amount,Totalt yrkade beloppet
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Potentiella möjligheter för att sälja.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Ogiltigt {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Sjukskriven
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Ogiltigt {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Sjukskriven
DocType: Email Digest,Email Digest,E-postutskick
DocType: Delivery Note,Billing Address Name,Faktureringsadress Namn
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Varuhus
DocType: Warehouse,PIN,STIFT
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Setup din skola i ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Basförändring Belopp (Company valuta)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Inga bokföringsposter för följande lager
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Inga bokföringsposter för följande lager
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Spara dokumentet först.
DocType: Account,Chargeable,Avgift
DocType: Company,Change Abbreviation,Ändra Förkortning
@@ -4054,7 +4078,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Förväntat leveransdatum kan inte vara före beställningsdatum
DocType: Appraisal,Appraisal Template,Bedömning mall
DocType: Item Group,Item Classification,Produkt Klassificering
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Business Development Manager
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Business Development Manager
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Servicebesökets syfte
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Period
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Allmän huvudbok
@@ -4064,8 +4088,8 @@
DocType: Item Attribute Value,Attribute Value,Attribut Värde
,Itemwise Recommended Reorder Level,Produktvis Rekommenderad Ombeställningsnivå
DocType: Salary Detail,Salary Detail,lön Detalj
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,Välj {0} först
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Batch {0} av Punkt {1} har löpt ut.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Välj {0} först
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Batch {0} av Punkt {1} har löpt ut.
DocType: Sales Invoice,Commission,Kommissionen
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Tidrapportering för tillverkning.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Delsumma
@@ -4076,6 +4100,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`Frys lager äldre än` bör vara mindre än% d dagar.
DocType: Tax Rule,Purchase Tax Template,Köp Tax Mall
,Project wise Stock Tracking,Projektvis lager Spårning
+DocType: GST HSN Code,Regional,Regional
DocType: Stock Entry Detail,Actual Qty (at source/target),Faktiska Antal (vid källa/mål)
DocType: Item Customer Detail,Ref Code,Referenskod
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Personaldokument.
@@ -4086,13 +4111,13 @@
DocType: Email Digest,New Purchase Orders,Nya beställningar
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Root kan inte ha en överordnat kostnadsställe
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Välj märke ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Utbildningshändelser / resultat
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Ackumulerade avskrivningar som på
DocType: Sales Invoice,C-Form Applicable,C-Form Tillämplig
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Operation Time måste vara större än 0 för drift {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Warehouse är obligatoriskt
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Warehouse är obligatoriskt
DocType: Supplier,Address and Contacts,Adress och kontakter
DocType: UOM Conversion Detail,UOM Conversion Detail,UOM Omvandlings Detalj
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Håll det webb vänligt 900px (w) med 100px (h)
DocType: Program,Program Abbreviation,program Förkortning
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Produktionsorder kan inte skickas till en objektmall
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Avgifter uppdateras i inköpskvitto för varje post
@@ -4100,13 +4125,13 @@
DocType: Bank Guarantee,Start Date,Start Datum
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Tilldela avgångar under en period.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Checkar och Insättningar rensas felaktigt
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Konto {0}: Du kan inte tilldela sig själv som förälder konto
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Konto {0}: Du kan inte tilldela sig själv som förälder konto
DocType: Purchase Invoice Item,Price List Rate,Prislista värde
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Skapa kund citat
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",Visa "i lager" eller "Inte i lager" som bygger på lager tillgängliga i detta lager.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Bill of Materials (BOM)
DocType: Item,Average time taken by the supplier to deliver,Genomsnittlig tid det tar för leverantören att leverera
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,bedömning Resultat
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,bedömning Resultat
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Timmar
DocType: Project,Expected Start Date,Förväntat startdatum
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Ta bort alternativ om avgifter inte är tillämpade för denna post
@@ -4120,24 +4145,23 @@
DocType: Workstation,Operating Costs,Operations Kostnader
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Åtgärder om sammanlagda månadsbudgeten överskrids
DocType: Purchase Invoice,Submit on creation,Lämna in en skapelse
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Valuta för {0} måste vara {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Valuta för {0} måste vara {1}
DocType: Asset,Disposal Date,bortskaffande Datum
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","E-post kommer att skickas till alla aktiva anställda i bolaget vid en given timme, om de inte har semester. Sammanfattning av svaren kommer att sändas vid midnatt."
DocType: Employee Leave Approver,Employee Leave Approver,Anställd Lämna godkännare
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Rad {0}: En Beställnings post finns redan för detta lager {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Rad {0}: En Beställnings post finns redan för detta lager {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Det går inte att ange som förlorad, eftersom Offert har gjorts."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,utbildning Feedback
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Produktionsorder {0} måste lämnas in
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Produktionsorder {0} måste lämnas in
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Välj startdatum och slutdatum för punkt {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Kursen är obligatorisk i rad {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Hittills inte kan vara före startdatum
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Lägg till / redigera priser
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Lägg till / redigera priser
DocType: Batch,Parent Batch,Föräldragrupp
DocType: Cheque Print Template,Cheque Print Template,Check utskriftsmall
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Kontoplan på Kostnadsställen
,Requested Items To Be Ordered,Efterfrågade artiklar Beställningsvara
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,Lager företag måste vara densamma som Account företag
DocType: Price List,Price List Name,Pris Listnamn
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Det dagliga arbetet Sammandrag för {0}
DocType: Employee Loan,Totals,Totals
@@ -4159,55 +4183,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Ange giltiga mobil nos
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Ange meddelandet innan du skickar
DocType: Email Digest,Pending Quotations,avvaktan Citat
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Butikförsäljnings profil
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Butikförsäljnings profil
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Uppdatera SMS Inställningar
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Lån utan säkerhet
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Lån utan säkerhet
DocType: Cost Center,Cost Center Name,Kostnadcenter Namn
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Max arbetstid mot tidrapport
DocType: Maintenance Schedule Detail,Scheduled Date,Planerat datum
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Totalt betalade Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Totalt betalade Amt
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Meddelanden som är större än 160 tecken delas in i flera meddelanden
DocType: Purchase Receipt Item,Received and Accepted,Mottagit och godkänt
+,GST Itemised Sales Register,GST Artized Sales Register
,Serial No Service Contract Expiry,Löpnummer serviceavtal löper ut
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Du kan inte kreditera och debitera samma konto på samma gång
DocType: Naming Series,Help HTML,Hjälp HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Student Group Creation Tool
DocType: Item,Variant Based On,Variant Based On
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Totalt weightage delas ska vara 100%. Det är {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Dina Leverantörer
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Dina Leverantörer
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Kan inte ställa in då Förlorad kundorder är gjord.
DocType: Request for Quotation Item,Supplier Part No,Leverantör varunummer
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',Det går inte att dra när kategori är för "Värdering" eller "Vaulation och Total"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Mottagen från
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Mottagen från
DocType: Lead,Converted,Konverterad
DocType: Item,Has Serial No,Har Löpnummer
DocType: Employee,Date of Issue,Utgivningsdatum
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Från {0} för {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",Enligt Köpinställningar om inköp krävs == 'JA' och sedan för att skapa Köpfaktura måste användaren skapa Köp kvittot först för punkt {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Rad # {0}: Ställ Leverantör för punkt {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,V {0}: Timmar Värdet måste vara större än noll.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Website Bild {0} fäst till punkt {1} kan inte hittas
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Website Bild {0} fäst till punkt {1} kan inte hittas
DocType: Issue,Content Type,Typ av innehåll
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Dator
DocType: Item,List this Item in multiple groups on the website.,Lista detta objekt i flera grupper på webbplatsen.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Kontrollera flera valutor möjlighet att tillåta konton med annan valuta
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Produkt: {0} existerar inte i systemet
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Du har inte behörighet att ställa in Frysta värden
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Produkt: {0} existerar inte i systemet
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Du har inte behörighet att ställa in Frysta värden
DocType: Payment Reconciliation,Get Unreconciled Entries,Hämta ej verifierade Anteckningar
DocType: Payment Reconciliation,From Invoice Date,Från fakturadatum
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,Fakturerings valutan måste vara lika med antingen standard comapany valuta eller partikontovaluta
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Lämna inlösen
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Vad gör den?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,Fakturerings valutan måste vara lika med antingen standard comapany valuta eller partikontovaluta
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Lämna inlösen
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Vad gör den?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Till Warehouse
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Alla Student Antagning
,Average Commission Rate,Genomsnittligt commisionbetyg
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,"Har Löpnummer" kan inte vara "ja" för icke Beställningsvara
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"Har Löpnummer" kan inte vara "ja" för icke Beställningsvara
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Närvaro kan inte markeras för framtida datum
DocType: Pricing Rule,Pricing Rule Help,Prissättning Regel Hjälp
DocType: School House,House Name,Hus-namn
DocType: Purchase Taxes and Charges,Account Head,Kontohuvud
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Uppdatera merkostnader för att beräkna landade kostnaden för objekt
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Elektrisk
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Elektrisk
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Lägg till resten av din organisation som dina användare. Du kan också bjuda in Kunder till din portal genom att lägga till dem från Kontakter
DocType: Stock Entry,Total Value Difference (Out - In),Total Value Skillnad (Out - In)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Rad {0}: Växelkurser är obligatorisk
@@ -4217,7 +4243,7 @@
DocType: Item,Customer Code,Kund kod
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Påminnelse födelsedag för {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Dagar sedan senast Order
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Debitering av kontot måste vara ett balanskonto
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Debitering av kontot måste vara ett balanskonto
DocType: Buying Settings,Naming Series,Namge Serien
DocType: Leave Block List,Leave Block List Name,Lämna Blocklistnamn
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Insurance Startdatum bör vara mindre än försäkring Slutdatum
@@ -4232,27 +4258,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Lönebesked av personal {0} redan skapats för tidrapporten {1}
DocType: Vehicle Log,Odometer,Vägmätare
DocType: Sales Order Item,Ordered Qty,Beställde Antal
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Punkt {0} är inaktiverad
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Punkt {0} är inaktiverad
DocType: Stock Settings,Stock Frozen Upto,Lager Fryst Upp
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM inte innehåller någon lagervara
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM inte innehåller någon lagervara
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Period Från och period datum obligatoriska för återkommande {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Projektverksamhet / uppgift.
DocType: Vehicle Log,Refuelling Details,Tanknings Detaljer
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Generera lönebesked
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Köp måste anges, i förekommande fall väljs som {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Köp måste anges, i förekommande fall väljs som {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Rabatt måste vara mindre än 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Sista köpkurs hittades inte
DocType: Purchase Invoice,Write Off Amount (Company Currency),Skriv engångsavgift (Company valuta)
DocType: Sales Invoice Timesheet,Billing Hours,fakturerings Timmar
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,Standard BOM för {0} hittades inte
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Rad # {0}: Ställ in beställningsmängd
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Rad # {0}: Ställ in beställningsmängd
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Tryck på objekt för att lägga till dem här
DocType: Fees,Program Enrollment,programmet Inskrivning
DocType: Landed Cost Voucher,Landed Cost Voucher,Landad Kostnad rabatt
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Ställ in {0}
DocType: Purchase Invoice,Repeat on Day of Month,Upprepa på Månadsdag
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} är inaktiv student
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} är inaktiv student
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} är inaktiv student
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} är inaktiv student
DocType: Employee,Health Details,Hälsa Detaljer
DocType: Offer Letter,Offer Letter Terms,Erbjudande Brev Villkor
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,För att skapa en betalningsförfrågan krävs referensdokument
@@ -4274,7 +4300,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Exempel:. ABCD ##### Om serien är inställd och Löpnummer inte nämns i transaktioner, skapas automatiska serienummer utifrån denna serie. Om du alltid vill ange serienumren för denna artikel. lämna det tomt."
DocType: Upload Attendance,Upload Attendance,Ladda upp Närvaro
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM och tillverkningskvantitet krävs
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM och tillverkningskvantitet krävs
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Åldringsräckvidd 2
DocType: SG Creation Tool Course,Max Strength,max Styrka
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM ersatte
@@ -4284,8 +4310,8 @@
,Prospects Engaged But Not Converted,Utsikter Engaged Men Not Converted
DocType: Manufacturing Settings,Manufacturing Settings,Tillverknings Inställningar
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Ställa in e-post
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Mobile No
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Ange standardvaluta i Bolaget
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile No
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Ange standardvaluta i Bolaget
DocType: Stock Entry Detail,Stock Entry Detail,Stock Entry Detalj
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Dagliga påminnelser
DocType: Products Settings,Home Page is Products,Hemsida är produkter
@@ -4294,7 +4320,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Nytt kontonamn
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Råvaror Levererans Kostnad
DocType: Selling Settings,Settings for Selling Module,Inställningar för att sälja Modul
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Kundtjänst
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Kundtjänst
DocType: BOM,Thumbnail,Miniatyr
DocType: Item Customer Detail,Item Customer Detail,Produktdetaljer kund
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Erbjud kandidaten ett jobb.
@@ -4303,7 +4329,7 @@
DocType: Pricing Rule,Percentage,Procentsats
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Produkt {0} måste vara en lagervara
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Standard Work In Progress Warehouse
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Standardinställningarna för bokföringstransaktioner.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Standardinställningarna för bokföringstransaktioner.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Förväntat datum kan inte vara före datum för materialbegäran
DocType: Purchase Invoice Item,Stock Qty,Lager Antal
@@ -4317,10 +4343,10 @@
DocType: Sales Order,Printing Details,Utskrifter Detaljer
DocType: Task,Closing Date,Slutdatum
DocType: Sales Order Item,Produced Quantity,Producerat Kvantitet
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Ingenjör
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Ingenjör
DocType: Journal Entry,Total Amount Currency,Totalt Belopp Valuta
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Sök Sub Assemblies
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Produkt kod krävs vid Radnr {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Produkt kod krävs vid Radnr {0}
DocType: Sales Partner,Partner Type,Partner Typ
DocType: Purchase Taxes and Charges,Actual,Faktisk
DocType: Authorization Rule,Customerwise Discount,Kundrabatt
@@ -4337,11 +4363,11 @@
DocType: Item Reorder,Re-Order Level,Återuppta nivå
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Ange produkter och planerad ant. som du vill höja produktionsorder eller hämta råvaror för analys.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt-Schema
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Deltid
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Deltid
DocType: Employee,Applicable Holiday List,Tillämplig kalender
DocType: Employee,Cheque,Check
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Serie Uppdaterad
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Rapporttyp är obligatorisk
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Rapporttyp är obligatorisk
DocType: Item,Serial Number Series,Serial Number Series
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Lager är obligatoriskt för Lagervara {0} i rad {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Detaljhandel och grossisthandel
@@ -4363,7 +4389,7 @@
DocType: BOM,Materials,Material
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Om inte markerad, måste listan läggas till varje avdelning där den måste tillämpas."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Källa och Mål Warehouse kan inte vara samma
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Bokningsdatum och bokningstid är obligatorisk
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Bokningsdatum och bokningstid är obligatorisk
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Skatte mall för att köpa transaktioner.
,Item Prices,Produktpriser
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,I Ord kommer att synas när du sparar beställningen.
@@ -4373,22 +4399,23 @@
DocType: Purchase Invoice,Advance Payments,Förskottsbetalningar
DocType: Purchase Taxes and Charges,On Net Total,På Net Totalt
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Värde för Attribut {0} måste vara inom intervallet {1} till {2} i steg om {3} till punkt {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Target lager i rad {0} måste vara densamma som produktionsorder
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Target lager i rad {0} måste vara densamma som produktionsorder
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,"""Anmälan e-postadresser"" inte angett för återkommande% s"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,Valuta kan inte ändras efter att ha gjort poster med någon annan valuta
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Valuta kan inte ändras efter att ha gjort poster med någon annan valuta
DocType: Vehicle Service,Clutch Plate,kopplingslamell
DocType: Company,Round Off Account,Avrunda konto
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Administrativa kostnader
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Administrativa kostnader
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Konsultering
DocType: Customer Group,Parent Customer Group,Överordnad kundgrupp
DocType: Purchase Invoice,Contact Email,Kontakt E-Post
DocType: Appraisal Goal,Score Earned,Betyg förtjänat
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Uppsägningstid
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Uppsägningstid
DocType: Asset Category,Asset Category Name,Asset Kategori Namn
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Detta är en rot territorium och kan inte ändras.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Ny försäljnings Person Namn
DocType: Packing Slip,Gross Weight UOM,Bruttovikt UOM
DocType: Delivery Note Item,Against Sales Invoice,Mot fakturan
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Vänligen ange serienumren för seriell post
DocType: Bin,Reserved Qty for Production,Reserverad Kvantitet för produktion
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Lämna avmarkerad om du inte vill överväga batch medan du gör kursbaserade grupper.
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Lämna avmarkerad om du inte vill överväga batch medan du gör kursbaserade grupper.
@@ -4397,25 +4424,25 @@
DocType: Landed Cost Item,Landed Cost Item,Landad kostnadspost
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Visa nollvärden
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Antal av objekt som erhålls efter tillverkning / ompackning från givna mängder av råvaror
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Setup en enkel hemsida för min organisation
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Setup en enkel hemsida för min organisation
DocType: Payment Reconciliation,Receivable / Payable Account,Fordran / Betal konto
DocType: Delivery Note Item,Against Sales Order Item,Mot Försäljningvara
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},Ange Attribut Värde för attribut {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},Ange Attribut Värde för attribut {0}
DocType: Item,Default Warehouse,Standard Lager
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Budget kan inte tilldelas mot gruppkonto {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Ange huvud kostnadsställe
DocType: Delivery Note,Print Without Amount,Skriv ut utan Belopp
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,avskrivnings Datum
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,Skatte Kategori kan inte vara "Värdering" eller "Värdering och Total" som alla artiklar är icke-lager
DocType: Issue,Support Team,Support Team
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Ut (i dagar)
DocType: Appraisal,Total Score (Out of 5),Totalt Betyg (Out of 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Batch
+DocType: Student Attendance Tool,Batch,Batch
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Balans
DocType: Room,Seating Capacity,sittplatser
DocType: Issue,ISS-,ISS
DocType: Project,Total Expense Claim (via Expense Claims),Totalkostnadskrav (via räkningar)
+DocType: GST Settings,GST Summary,GST Sammanfattning
DocType: Assessment Result,Total Score,Totalpoäng
DocType: Journal Entry,Debit Note,Debetnota
DocType: Stock Entry,As per Stock UOM,Per Stock UOM
@@ -4427,12 +4454,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Standard färdigvarulagret
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Försäljnings person
DocType: SMS Parameter,SMS Parameter,SMS-Parameter
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Budget och kostnadsställe
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Budget och kostnadsställe
DocType: Vehicle Service,Half Yearly,Halvår
DocType: Lead,Blog Subscriber,Blogg Abonnent
DocType: Guardian,Alternate Number,alternativt nummer
DocType: Assessment Plan Criteria,Maximum Score,maximal Score
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Skapa regler för att begränsa transaktioner som grundar sig på värderingar.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Grupprull nr
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Lämna tomma om du gör elever grupper per år
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Lämna tomma om du gör elever grupper per år
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Om markerad, Totalt antal. arbetsdagar kommer att omfatta helgdagar, och detta kommer att minska värdet av lönen per dag"
@@ -4452,6 +4480,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Detta grundar sig på transaktioner mot denna kund. Se tidslinje nedan för mer information
DocType: Supplier,Credit Days Based On,Kredit dagar baserat på
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Rad {0}: Tilldelad mängd {1} måste vara mindre än eller lika med betalning Entry belopp {2}
+,Course wise Assessment Report,Kursfattig bedömningsrapport
DocType: Tax Rule,Tax Rule,Skatte Rule
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Behåll samma takt hela säljcykeln
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Planera tidsloggar utanför planerad arbetstid.
@@ -4460,7 +4489,7 @@
,Items To Be Requested,Produkter att begäras
DocType: Purchase Order,Get Last Purchase Rate,Hämta Senaste Beställningsvärdet
DocType: Company,Company Info,Företagsinfo
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Välj eller lägga till en ny kund
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Välj eller lägga till en ny kund
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Kostnadsställe krävs för att boka en räkningen
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Tillämpning av medel (tillgångar)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Detta är baserat på närvaron av detta till anställda
@@ -4468,27 +4497,29 @@
DocType: Fiscal Year,Year Start Date,År Startdatum
DocType: Attendance,Employee Name,Anställd Namn
DocType: Sales Invoice,Rounded Total (Company Currency),Avrundat Totalt (Företagsvaluta)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,Det går inte att konvertera till koncernen eftersom Kontotyp valts.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Det går inte att konvertera till koncernen eftersom Kontotyp valts.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} har ändrats. Vänligen uppdatera.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Stoppa användare från att göra Lämna program på följande dagarna.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Köpesumma
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Leverantör Offert {0} skapades
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,End år kan inte vara före startåret
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Ersättningar till anställda
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Ersättningar till anställda
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Packad kvantitet måste vara samma kvantitet för punkt {0} i rad {1}
DocType: Production Order,Manufactured Qty,Tillverkas Antal
DocType: Purchase Receipt Item,Accepted Quantity,Godkänd Kvantitet
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Vänligen ange ett standardkalender för anställd {0} eller Company {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} existerar inte
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} existerar inte
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Välj batchnummer
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Fakturor till kunder.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Projekt Id
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Rad nr {0}: Beloppet kan inte vara större än utestående beloppet mot utgiftsräkning {1}. I avvaktan på Beloppet är {2}
DocType: Maintenance Schedule,Schedule,Tidtabell
DocType: Account,Parent Account,Moderbolaget konto
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Tillgängligt
DocType: Quality Inspection Reading,Reading 3,Avläsning 3
,Hub,Nav
DocType: GL Entry,Voucher Type,Rabatt Typ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Prislista hittades inte eller avaktiverad
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Prislista hittades inte eller avaktiverad
DocType: Employee Loan Application,Approved,Godkänd
DocType: Pricing Rule,Price,Pris
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',"Anställd sparkades på {0} måste ställas in som ""lämnat"""
@@ -4499,7 +4530,8 @@
DocType: Selling Settings,Campaign Naming By,Kampanj namnges av
DocType: Employee,Current Address Is,Nuvarande adress är
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,ändrad
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Tillval. Ställer företagets standardvaluta, om inte annat anges."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Tillval. Ställer företagets standardvaluta, om inte annat anges."
+DocType: Sales Invoice,Customer GSTIN,Kund GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Redovisning journalanteckningar.
DocType: Delivery Note Item,Available Qty at From Warehouse,Tillgång Antal på From Warehouse
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,Välj Anställningsregister först.
@@ -4507,7 +4539,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Rad {0}: Party / konto stämmer inte med {1} / {2} i {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Ange utgiftskonto
DocType: Account,Stock,Lager
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Rad # {0}: Referensdokument Type måste vara en av inköpsorder, inköpsfaktura eller journalanteckning"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Rad # {0}: Referensdokument Type måste vara en av inköpsorder, inköpsfaktura eller journalanteckning"
DocType: Employee,Current Address,Nuvarande Adress
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Om artikeln är en variant av ett annat objekt kommer beskrivning, bild, prissättning, skatter etc att ställas från mallen om inte annat uttryckligen anges"
DocType: Serial No,Purchase / Manufacture Details,Inköp / Tillverknings Detaljer
@@ -4520,8 +4552,8 @@
DocType: Pricing Rule,Min Qty,Min Antal
DocType: Asset Movement,Transaction Date,Transaktionsdatum
DocType: Production Plan Item,Planned Qty,Planerade Antal
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Totalt Skatt
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,För Kvantitet (Tillverkad Antal) är obligatorisk
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Totalt Skatt
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,För Kvantitet (Tillverkad Antal) är obligatorisk
DocType: Stock Entry,Default Target Warehouse,Standard Valt Lager
DocType: Purchase Invoice,Net Total (Company Currency),Netto Totalt (Företagsvaluta)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Året Slutdatum kan inte vara tidigare än året Startdatum. Rätta datum och försök igen.
@@ -4535,15 +4567,12 @@
DocType: Hub Settings,Hub Settings,Nav Inställningar
DocType: Project,Gross Margin %,Bruttomarginal%
DocType: BOM,With Operations,Med verksamhet
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Bokföringsposter har redan gjorts i valuta {0} för företag {1}. Välj en fordran eller skuld konto med valuta {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Bokföringsposter har redan gjorts i valuta {0} för företag {1}. Välj en fordran eller skuld konto med valuta {0}.
DocType: Asset,Is Existing Asset,Är befintlig tillgång
DocType: Salary Detail,Statistical Component,Statistisk komponent
DocType: Salary Detail,Statistical Component,Statistisk komponent
-,Monthly Salary Register,Månadslön Register
DocType: Warranty Claim,If different than customer address,Om annan än kundens adress
DocType: BOM Operation,BOM Operation,BOM Drift
-DocType: School Settings,Validate the Student Group from Program Enrollment,Bekräfta studentgruppen från Programinmälan
-DocType: School Settings,Validate the Student Group from Program Enrollment,Bekräfta studentgruppen från Programinmälan
DocType: Purchase Taxes and Charges,On Previous Row Amount,På föregående v Belopp
DocType: Student,Home Address,Hemadress
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,överföring av tillgångar
@@ -4551,28 +4580,27 @@
DocType: Training Event,Event Name,Händelsenamn
apps/erpnext/erpnext/config/schools.py +39,Admission,Tillträde
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Antagning för {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Säsongs för att fastställa budgeten, mål etc."
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Punkt {0} är en mall, välj en av dess varianter"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Säsongs för att fastställa budgeten, mål etc."
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Punkt {0} är en mall, välj en av dess varianter"
DocType: Asset,Asset Category,tillgångsslag
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Inköparen
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Nettolön kan inte vara negativ
DocType: SMS Settings,Static Parameters,Statiska Parametrar
DocType: Assessment Plan,Room,Rum
DocType: Purchase Order,Advance Paid,Förskottsbetalning
DocType: Item,Item Tax,Produkt Skatt
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Material till leverantören
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Punkt Faktura
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Punkt Faktura
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Tröskel {0}% visas mer än en gång
DocType: Expense Claim,Employees Email Id,Anställdas E-post Id
DocType: Employee Attendance Tool,Marked Attendance,Marked Närvaro
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Nuvarande Åtaganden
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Nuvarande Åtaganden
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Skicka mass SMS till dina kontakter
DocType: Program,Program Name,program~~POS=TRUNC
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Värdera skatt eller avgift för
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Faktiska Antal är obligatorisk
DocType: Employee Loan,Loan Type,lånetyp
DocType: Scheduling Tool,Scheduling Tool,schemaläggning Tool
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Kreditkort
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Kreditkort
DocType: BOM,Item to be manufactured or repacked,Produkt som skall tillverkas eller packas
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Standardinställningarna för aktietransaktioner.
DocType: Purchase Invoice,Next Date,Nästa Datum
@@ -4588,10 +4616,10 @@
DocType: Stock Entry,Repack,Packa om
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Du måste spara formuläret innan du fortsätter
DocType: Item Attribute,Numeric Values,Numeriska värden
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Fäst Logo
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Fäst Logo
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,lager~~POS=TRUNC
DocType: Customer,Commission Rate,Provisionbetyg
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Gör Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Gör Variant
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Block ledighet applikationer avdelningsvis.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer",Betalning Type måste vara en av mottagning Betala och intern överföring
apps/erpnext/erpnext/config/selling.py +179,Analytics,Analytics
@@ -4599,45 +4627,45 @@
DocType: Vehicle,Model,Modell
DocType: Production Order,Actual Operating Cost,Faktisk driftkostnad
DocType: Payment Entry,Cheque/Reference No,Check / referensnummer
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Root kan inte redigeras.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Root kan inte redigeras.
DocType: Item,Units of Measure,Måttenheter
DocType: Manufacturing Settings,Allow Production on Holidays,Tillåt Produktion på helgdagar
DocType: Sales Order,Customer's Purchase Order Date,Kundens inköpsorder Datum
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Kapital Lager
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Kapital Lager
DocType: Shopping Cart Settings,Show Public Attachments,Visa offentliga bilagor
DocType: Packing Slip,Package Weight Details,Paket Vikt Detaljer
DocType: Payment Gateway Account,Payment Gateway Account,Betalning Gateway konto
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Efter betalning avslutad omdirigera användare till valda sidan.
DocType: Company,Existing Company,befintliga Company
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",Skattekategori har ändrats till "Totalt" eftersom alla artiklar är poster som inte är lagret
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Välj en csv-fil
DocType: Student Leave Application,Mark as Present,Mark som Present
DocType: Purchase Order,To Receive and Bill,Ta emot och Bill
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Utvalda Produkter
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Designer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Designer
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Villkor Mall
DocType: Serial No,Delivery Details,Leveransdetaljer
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Kostnadsställe krävs rad {0} i skatte tabellen för typ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Kostnadsställe krävs rad {0} i skatte tabellen för typ {1}
DocType: Program,Program Code,programkoden
DocType: Terms and Conditions,Terms and Conditions Help,Villkor Hjälp
,Item-wise Purchase Register,Produktvis Inköpsregister
DocType: Batch,Expiry Date,Utgångsdatum
-,Supplier Addresses and Contacts,Leverantör adresser och kontakter
,accounts-browser,konton-browser
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,Vänligen välj kategori först
apps/erpnext/erpnext/config/projects.py +13,Project master.,Projektchef.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","För att möjliggöra överfakturering eller över beställning, uppdatera "ersättning" i lager inställningar eller objekt."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","För att möjliggöra överfakturering eller över beställning, uppdatera "ersättning" i lager inställningar eller objekt."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Visa inte någon symbol som $ etc bredvid valutor.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Halv Dag)
DocType: Supplier,Credit Days,Kreditdagar
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Göra Student Batch
DocType: Leave Type,Is Carry Forward,Är Överförd
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Hämta artiklar från BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Hämta artiklar från BOM
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Ledtid dagar
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rad # {0}: Publiceringsdatum måste vara densamma som inköpsdatum {1} av tillgångar {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Rad # {0}: Publiceringsdatum måste vara densamma som inköpsdatum {1} av tillgångar {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Ange kundorder i tabellen ovan
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Inte lämnat lönebesked
,Stock Summary,lager Sammanfattning
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Överföra en tillgång från ett lager till ett annat
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Överföra en tillgång från ett lager till ett annat
DocType: Vehicle,Petrol,Bensin
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Bill of Materials
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Rad {0}: Parti Typ och Parti krävs för obetalda / konto {1}
@@ -4648,6 +4676,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Sanktionerade Belopp
DocType: GL Entry,Is Opening,Är Öppning
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Rad {0}: debitering kan inte kopplas till en {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Kontot {0} existerar inte
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Kontot {0} existerar inte
DocType: Account,Cash,Kontanter
DocType: Employee,Short biography for website and other publications.,Kort biografi för webbplatsen och andra publikationer.
diff --git a/erpnext/translations/ta.csv b/erpnext/translations/ta.csv
index e4209fe..d63df62 100644
--- a/erpnext/translations/ta.csv
+++ b/erpnext/translations/ta.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,நுகர்வோர் தயாரிப்புகள்
DocType: Item,Customer Items,வாடிக்கையாளர் பொருட்கள்
DocType: Project,Costing and Billing,செலவு மற்றும் பில்லிங்
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,கணக்கு {0}: பெற்றோர் கணக்கு {1} ஒரு பேரேட்டில் இருக்க முடியாது
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,கணக்கு {0}: பெற்றோர் கணக்கு {1} ஒரு பேரேட்டில் இருக்க முடியாது
DocType: Item,Publish Item to hub.erpnext.com,Hub.erpnext.com செய்ய உருப்படியை வெளியிட
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,மின்னஞ்சல் அறிவிப்புகள்
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,மதிப்பீட்டு
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,மதிப்பீட்டு
DocType: Item,Default Unit of Measure,மெஷர் முன்னிருப்பு அலகு
DocType: SMS Center,All Sales Partner Contact,அனைத்து விற்பனை வரன்வாழ்க்கை துணை தொடர்பு
DocType: Employee,Leave Approvers,குற்றம் விட்டு
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),மாற்று வீதம் அதே இருக்க வேண்டும் {0} {1} ({2})
DocType: Sales Invoice,Customer Name,வாடிக்கையாளர் பெயர்
DocType: Vehicle,Natural Gas,இயற்கை எரிவாயு
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},வங்கி கணக்கு என பெயரிடப்பட்டது {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},வங்கி கணக்கு என பெயரிடப்பட்டது {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"தலைவர்கள் (குழுக்களின்) எதிராக,
கணக்கு பதிவுகள் செய்யப்படுகின்றன மற்றும் சமநிலைகள் பராமரிக்கப்படுகிறது."
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),சிறந்த {0} பூஜ்யம் விட குறைவாக இருக்க முடியாது ( {1} )
@@ -52,28 +52,28 @@
DocType: SMS Center,All Supplier Contact,அனைத்து சப்ளையர் தொடர்பு
DocType: Support Settings,Support Settings,ஆதரவு அமைப்புகள்
DocType: SMS Parameter,Parameter,அளவுரு
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,எதிர்பார்த்த முடிவு தேதி எதிர்பார்க்கப்படுகிறது தொடக்க தேதி விட குறைவாக இருக்க முடியாது
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,எதிர்பார்த்த முடிவு தேதி எதிர்பார்க்கப்படுகிறது தொடக்க தேதி விட குறைவாக இருக்க முடியாது
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,ரோ # {0}: விகிதம் அதே இருக்க வேண்டும் {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,புதிய விடுப்பு விண்ணப்பம்
,Batch Item Expiry Status,தொகுதி பொருள் காலாவதியாகும் நிலை
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,வங்கி உண்டியல்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,வங்கி உண்டியல்
DocType: Mode of Payment Account,Mode of Payment Account,கொடுப்பனவு கணக்கு முறை
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,காட்டு மாறிகள்
DocType: Academic Term,Academic Term,கல்வி கால
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,பொருள்
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,அளவு
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,கணக்குகள் அட்டவணை காலியாக இருக்க முடியாது.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),கடன்கள் ( கடன்)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),கடன்கள் ( கடன்)
DocType: Employee Education,Year of Passing,தேர்ச்சி பெறுவதற்கான ஆண்டு
DocType: Item,Country of Origin,உருவான நாடு
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,பங்கு
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,பங்கு
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,திறந்த சிக்கல்கள்
DocType: Production Plan Item,Production Plan Item,உற்பத்தி திட்டம் பொருள்
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},பயனர் {0} ஏற்கனவே பணியாளர் ஒதுக்கப்படும் {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,உடல்நலம்
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),கட்டணம் தாமதம் (நாட்கள்)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,சேவை செலவு
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},வரிசை எண்: {0} ஏற்கனவே விற்பனை விலைப்பட்டியல் குறிக்கப்படுகிறது உள்ளது: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},வரிசை எண்: {0} ஏற்கனவே விற்பனை விலைப்பட்டியல் குறிக்கப்படுகிறது உள்ளது: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,விலைப்பட்டியல்
DocType: Maintenance Schedule Item,Periodicity,வட்டம்
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,நிதியாண்டு {0} தேவையான
@@ -85,18 +85,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,ரோ # {0}:
DocType: Timesheet,Total Costing Amount,மொத்த செலவு தொகை
DocType: Delivery Note,Vehicle No,வாகனம் இல்லை
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,விலை பட்டியல் தேர்ந்தெடுக்கவும்
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,விலை பட்டியல் தேர்ந்தெடுக்கவும்
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,ரோ # {0}: கொடுப்பனவு ஆவணம் trasaction முடிக்க வேண்டும்
DocType: Production Order Operation,Work In Progress,முன்னேற்றம் வேலை
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,தேதியைத் தேர்ந்தெடுக்கவும்
DocType: Employee,Holiday List,விடுமுறை பட்டியல்
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,கணக்கர்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,கணக்கர்
DocType: Cost Center,Stock User,பங்கு பயனர்
DocType: Company,Phone No,இல்லை போன்
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,நிச்சயமாக அட்டவணை உருவாக்கப்பட்ட:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},புதிய {0}: # {1}
,Sales Partners Commission,விற்பனை பங்குதாரர்கள் ஆணையம்
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,சுருக்கமான மேற்பட்ட 5 எழுத்துக்கள் முடியாது
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,சுருக்கமான மேற்பட்ட 5 எழுத்துக்கள் முடியாது
DocType: Payment Request,Payment Request,பணம் கோரிக்கை
DocType: Asset,Value After Depreciation,தேய்மானம் பிறகு மதிப்பு
DocType: Employee,O+,O +
@@ -104,13 +104,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,வருகை தேதி ஊழியர் இணைந்ததாக தேதி விட குறைவாக இருக்க முடியாது
DocType: Grading Scale,Grading Scale Name,தரம் பிரித்தல் அளவுகோல் பெயர்
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,இந்த ரூட் கணக்கு மற்றும் திருத்த முடியாது .
+DocType: Sales Invoice,Company Address,நிறுவன முகவரி
DocType: BOM,Operations,நடவடிக்கைகள்
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},தள்ளுபடி அடிப்படையில் அங்கீகாரம் அமைக்க முடியாது {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","இரண்டு பத்திகள், பழைய பெயர் ஒரு புதிய பெயர் ஒன்று CSV கோப்பு இணைக்கவும்"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} எந்த செயலில் நிதியாண்டு இல்லை.
DocType: Packed Item,Parent Detail docname,பெற்றோர் விரிவாக docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",குறிப்பு: {0} பொருள் குறியீடு: {1} மற்றும் வாடிக்கையாளர்: {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,கிலோ
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,கிலோ
DocType: Student Log,Log,புகுபதிகை
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,ஒரு வேலை திறப்பு.
DocType: Item Attribute,Increment,சம்பள உயர்வு
@@ -118,9 +119,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,விளம்பரம்
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,அதே நிறுவனம் ஒன்றுக்கு மேற்பட்ட முறை உள்ளிட்ட
DocType: Employee,Married,திருமணம்
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},அனுமதி இல்லை {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},அனுமதி இல்லை {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,இருந்து பொருட்களை பெற
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},பங்கு விநியோக குறிப்பு எதிராக மேம்படுத்தப்பட்டது முடியாது {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},பங்கு விநியோக குறிப்பு எதிராக மேம்படுத்தப்பட்டது முடியாது {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},தயாரிப்பு {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,உருப்படிகள் எதுவும் பட்டியலிடப்படவில்லை
DocType: Payment Reconciliation,Reconcile,சமரசம்
@@ -131,25 +132,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,அடுத்து தேய்மானம் தேதி கொள்முதல் தேதி முன்பாக இருக்கக் கூடாது
DocType: SMS Center,All Sales Person,அனைத்து விற்பனை நபர்
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** மாதாந்திர விநியோகம் ** நீங்கள் உங்கள் வணிக பருவகால இருந்தால் நீங்கள் மாதங்கள் முழுவதும் பட்ஜெட் / இலக்கு விநியோகிக்க உதவுகிறது.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,பொருட்களை காணவில்லை
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,பொருட்களை காணவில்லை
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,சம்பளத் திட்டத்தை காணாமல்
DocType: Lead,Person Name,நபர் பெயர்
DocType: Sales Invoice Item,Sales Invoice Item,விற்பனை விலைப்பட்டியல் பொருள்
DocType: Account,Credit,கடன்
DocType: POS Profile,Write Off Cost Center,செலவு மையம் இனிய எழுத
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",எ.கா. "முதன்மை பள்ளி" அல்லது "பல்கலைக்கழகம்"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",எ.கா. "முதன்மை பள்ளி" அல்லது "பல்கலைக்கழகம்"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,பங்கு அறிக்கைகள்
DocType: Warehouse,Warehouse Detail,சேமிப்பு கிடங்கு விரிவாக
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},கடன் எல்லை வாடிக்கையாளர் கடந்து {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},கடன் எல்லை வாடிக்கையாளர் கடந்து {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,கால முடிவு தேதி பின்னர் கால இணைக்கப்பட்ட செய்ய கல்வியாண்டின் ஆண்டு முடிவு தேதி விட முடியாது (கல்வி ஆண்டு {}). தேதிகள் சரிசெய்து மீண்டும் முயற்சிக்கவும்.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""நிலையான சொத்து உள்ளது" சொத்து சாதனை உருப்படியை எதிராக உள்ளது என, நீக்கம் செய்ய முடியாது"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""நிலையான சொத்து உள்ளது" சொத்து சாதனை உருப்படியை எதிராக உள்ளது என, நீக்கம் செய்ய முடியாது"
DocType: Vehicle Service,Brake Oil,பிரேக் ஆயில்
DocType: Tax Rule,Tax Type,வரி வகை
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},நீங்கள் முன் உள்ளீடுகளை சேர்க்க அல்லது மேம்படுத்தல் அங்கீகாரம் இல்லை {0}
DocType: BOM,Item Image (if not slideshow),பொருள் படம் (இல்லையென்றால் ஸ்லைடுஷோ)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,"ஒரு வாடிக்கையாளர் , அதே பெயரில்"
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(அவ்வேளை விகிதம் / 60) * உண்மையான நடவடிக்கையை நேரம்
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,BOM தேர்வு
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,BOM தேர்வு
DocType: SMS Log,SMS Log,எஸ்எம்எஸ் புகுபதிகை
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,வழங்கப்படுகிறது பொருட்களை செலவு
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,{0} விடுமுறை வரம்பு தேதி தேதி இடையே அல்ல
@@ -160,14 +161,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},இருந்து {0} {1}
DocType: Item,Copy From Item Group,பொருள் குழு நகல்
DocType: Journal Entry,Opening Entry,திறப்பு நுழைவு
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,வாடிக்கையாளர்> வாடிக்கையாளர் குழு> பிரதேசம்
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,கணக்கு சம்பளம்
DocType: Employee Loan,Repay Over Number of Periods,திருப்பி பாடவேளைகள் ஓவர் எண்
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} சேரவில்லை காண்பிக்கப் பெறும் {2}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} சேரவில்லை காண்பிக்கப் பெறும் {2}
DocType: Stock Entry,Additional Costs,கூடுதல் செலவுகள்
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,ஏற்கனவே பரிவர்த்தனை கணக்கு குழு மாற்றப்பட முடியாது .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,ஏற்கனவே பரிவர்த்தனை கணக்கு குழு மாற்றப்பட முடியாது .
DocType: Lead,Product Enquiry,தயாரிப்பு விசாரணை
DocType: Academic Term,Schools,பள்ளிகள்
+DocType: School Settings,Validate Batch for Students in Student Group,மாணவர் குழுமத்தின் மாணவர்களுக்கான தொகுதி சரிபார்க்கவும்
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},ஊழியர் காணப்படவில்லை விடுப்பு குறிப்பிடும் வார்த்தைகளோ {0} க்கான {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,முதல் நிறுவனம் உள்ளிடவும்
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,முதல் நிறுவனம் தேர்ந்தெடுக்கவும்
@@ -176,50 +177,50 @@
DocType: BOM,Total Cost,மொத்த செலவு
DocType: Journal Entry Account,Employee Loan,பணியாளர் கடன்
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,நடவடிக்கை பதிவு
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,பொருள் {0} அமைப்பில் இல்லை அல்லது காலாவதியானது
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,பொருள் {0} அமைப்பில் இல்லை அல்லது காலாவதியானது
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,வீடு
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,கணக்கு அறிக்கை
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,மருந்துப்பொருள்கள்
DocType: Purchase Invoice Item,Is Fixed Asset,நிலையான சொத்து உள்ளது
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","கிடைக்கும் தரமான {0}, உங்களுக்கு தேவையான {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","கிடைக்கும் தரமான {0}, உங்களுக்கு தேவையான {1}"
DocType: Expense Claim Detail,Claim Amount,உரிமை தொகை
-DocType: Employee,Mr,திரு
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,cutomer குழு அட்டவணையில் பிரதி வாடிக்கையாளர் குழு
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,வழங்குபவர் வகை / வழங்குபவர்
DocType: Naming Series,Prefix,முற்சேர்க்கை
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,நுகர்வோர்
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,நுகர்வோர்
DocType: Employee,B-,பி-
DocType: Upload Attendance,Import Log,புகுபதிகை இறக்குமதி
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,மேலே அளவுகோல்களை அடிப்படையாக வகை உற்பத்தி பொருள் வேண்டுகோள் இழுக்க
DocType: Training Result Employee,Grade,தரம்
DocType: Sales Invoice Item,Delivered By Supplier,சப்ளையர் மூலம் வழங்கப்படுகிறது
DocType: SMS Center,All Contact,அனைத்து தொடர்பு
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,உற்பத்தி ஆணை ஏற்கனவே BOM அனைத்து பொருட்கள் உருவாக்கப்பட்ட
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,ஆண்டு சம்பளம்
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,உற்பத்தி ஆணை ஏற்கனவே BOM அனைத்து பொருட்கள் உருவாக்கப்பட்ட
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,ஆண்டு சம்பளம்
DocType: Daily Work Summary,Daily Work Summary,தினசரி வேலை சுருக்கம்
DocType: Period Closing Voucher,Closing Fiscal Year,நிதியாண்டு மூடுவதற்கு
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} உறைந்து
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,கணக்கு வரைபடம் உருவாக்க இருக்கும் நிறுவனத்தை தேர்ந்தெடுக்கவும்
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,பங்கு செலவுகள்
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} உறைந்து
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,கணக்கு வரைபடம் உருவாக்க இருக்கும் நிறுவனத்தை தேர்ந்தெடுக்கவும்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,பங்கு செலவுகள்
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,இலக்கு கிடங்கு தேர்ந்தெடுக்கவும்
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,இலக்கு கிடங்கு தேர்ந்தெடுக்கவும்
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,உள்ளிடவும் விருப்பமான தொடர்பு மின்னஞ்சல்
+DocType: Program Enrollment,School Bus,பள்ளி பேருந்து
DocType: Journal Entry,Contra Entry,கான்ட்ரா நுழைவு
DocType: Journal Entry Account,Credit in Company Currency,நிறுவனத்தின் நாணய கடன்
DocType: Delivery Note,Installation Status,நிறுவல் நிலைமை
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",நீங்கள் வருகை புதுப்பிக்க விரும்புகிறீர்களா? <br> தற்போதைய: {0} \ <br> இருக்காது: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},ஏற்கப்பட்டது + நிராகரிக்கப்பட்டது அளவு பொருள் பெறப்பட்டது அளவு சமமாக இருக்க வேண்டும் {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},ஏற்கப்பட்டது + நிராகரிக்கப்பட்டது அளவு பொருள் பெறப்பட்டது அளவு சமமாக இருக்க வேண்டும் {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,வழங்கல் மூலப்பொருட்கள் வாங்க
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,கட்டணம் குறைந்தது ஒரு முறை பிஓஎஸ் விலைப்பட்டியல் தேவைப்படுகிறது.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,கட்டணம் குறைந்தது ஒரு முறை பிஓஎஸ் விலைப்பட்டியல் தேவைப்படுகிறது.
DocType: Products Settings,Show Products as a List,நிகழ்ச்சி பொருட்கள் ஒரு பட்டியல்
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records",", டெம்ப்ளேட் பதிவிறக்கம் பொருத்தமான தரவு நிரப்ப செய்தது கோப்பு இணைக்கவும்.
தேர்வு காலம் இருக்கும் அனைத்து தேதிகளும் ஊழியர் இணைந்து ஏற்கனவே உள்ள வருகைப் பதிவேடுகள் கொண்டு, டெம்ப்ளேட் வரும்"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,பொருள் {0} செயலில் இல்லை அல்லது வாழ்க்கை முடிவுக்கு வந்து விட்டது
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,உதாரணம்: அடிப்படை கணிதம்
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","வரிசையில் வரி ஆகியவை அடங்கும் {0} பொருள் விகிதம் , வரிசைகளில் வரிகளை {1} சேர்க்கப்பட்டுள்ளது"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,பொருள் {0} செயலில் இல்லை அல்லது வாழ்க்கை முடிவுக்கு வந்து விட்டது
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,உதாரணம்: அடிப்படை கணிதம்
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","வரிசையில் வரி ஆகியவை அடங்கும் {0} பொருள் விகிதம் , வரிசைகளில் வரிகளை {1} சேர்க்கப்பட்டுள்ளது"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,அலுவலக தொகுதி அமைப்புகள்
DocType: SMS Center,SMS Center,எஸ்எம்எஸ் மையம்
DocType: Sales Invoice,Change Amount,அளவு மாற்ற
@@ -229,7 +230,7 @@
DocType: Lead,Request Type,கோரிக்கை வகை
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,பணியாளர் செய்ய
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,ஒலிபரப்புதல்
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,நிர்வாகத்தினருக்கு
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,நிர்வாகத்தினருக்கு
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,குலையை மூடுதல் மேற்கொள்ளப்படும்.
DocType: Serial No,Maintenance Status,பராமரிப்பு நிலையை
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: சப்ளையர் செலுத்த வேண்டிய கணக்கு எதிராக தேவைப்படுகிறது {2}
@@ -257,7 +258,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,மேற்கோள் கோரிக்கை பின்வரும் இணைப்பை கிளிக் செய்வதன் மூலம் அணுக முடியும்
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,ஆண்டு இலைகள் ஒதுக்க.
DocType: SG Creation Tool Course,SG Creation Tool Course,எஸ்.ஜி. உருவாக்கக் கருவி பாடநெறி
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,போதிய பங்கு
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,போதிய பங்கு
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,முடக்கு கொள்ளளவு திட்டமிடுதல் நேரம் டிராக்கிங்
DocType: Email Digest,New Sales Orders,புதிய விற்பனை ஆணைகள்
DocType: Bank Guarantee,Bank Account,வங்கி கணக்கு
@@ -268,8 +269,9 @@
DocType: Production Order Operation,Updated via 'Time Log','டைம் பரிசீலனை' வழியாக புதுப்பிக்கப்பட்டது
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},அட்வான்ஸ் தொகை விட அதிகமாக இருக்க முடியாது {0} {1}
DocType: Naming Series,Series List for this Transaction,இந்த பரிவர்த்தனை தொடர் பட்டியல்
+DocType: Company,Enable Perpetual Inventory,இடைவிடாத சரக்கு இயக்கு
DocType: Company,Default Payroll Payable Account,இயல்புநிலை சம்பளப்பட்டியல் செலுத்த வேண்டிய கணக்கு
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,புதுப்பிக்கப்பட்டது மின்னஞ்சல் குழு
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,புதுப்பிக்கப்பட்டது மின்னஞ்சல் குழு
DocType: Sales Invoice,Is Opening Entry,நுழைவு திறக்கிறது
DocType: Customer Group,Mention if non-standard receivable account applicable,குறிப்பிட தரமற்ற பெறத்தக்க கணக்கு பொருந்தினால்
DocType: Course Schedule,Instructor Name,பயிற்றுவிப்பாளர் பெயர்
@@ -281,13 +283,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,விற்பனை விலைப்பட்டியல் பொருள் எதிராக
,Production Orders in Progress,முன்னேற்றம் உற்பத்தி ஆணைகள்
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,கடன் இருந்து நிகர பண
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage முழு உள்ளது, காப்பாற்ற முடியவில்லை"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage முழு உள்ளது, காப்பாற்ற முடியவில்லை"
DocType: Lead,Address & Contact,முகவரி மற்றும் தொடர்பு கொள்ள
DocType: Leave Allocation,Add unused leaves from previous allocations,முந்தைய ஒதுக்கீடுகளை இருந்து பயன்படுத்தப்படாத இலைகள் சேர்க்கவும்
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},அடுத்த தொடர் {0} ம் உருவாக்கப்பட்ட {1}
DocType: Sales Partner,Partner website,பங்குதாரரான வலைத்தளத்தில்
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,பொருள் சேர்
-,Contact Name,பெயர் தொடர்பு
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,பெயர் தொடர்பு
DocType: Course Assessment Criteria,Course Assessment Criteria,கோர்ஸ் மதிப்பீடு செய்க மதீப்பீட்டு
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,மேலே குறிப்பிட்டுள்ள அடிப்படை சம்பளம் சீட்டு உருவாக்குகிறது.
DocType: POS Customer Group,POS Customer Group,பிஓஎஸ் வாடிக்கையாளர் குழு
@@ -296,18 +298,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,கொடுக்கப்பட்ட விளக்கம் இல்லை
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,வாங்குவதற்கு கோரிக்கை.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,இந்த திட்டத்திற்கு எதிராக உருவாக்கப்பட்ட நேரம் தாள்கள் அடிப்படையாக கொண்டது
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,நிகர சம்பளம் 0 விட குறைவாக இருக்க முடியாது
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,நிகர சம்பளம் 0 விட குறைவாக இருக்க முடியாது
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,"தேர்வு விடுமுறை வீடு, இந்த விடுமுறை விண்ணப்பத்தை"
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,தேதி நிவாரணத்தில் சேர தேதி விட அதிகமாக இருக்க வேண்டும்
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,வருடத்திற்கு விடுப்பு
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,வருடத்திற்கு விடுப்பு
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,ரோ {0}: சரிபார்க்கவும் கணக்கு எதிராக 'அட்வான்ஸ்' என்ற {1} இந்த ஒரு முன்கூட்டியே நுழைவு என்றால்.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},கிடங்கு {0} அல்ல நிறுவனம் {1}
DocType: Email Digest,Profit & Loss,லாபம் மற்றும் நஷ்டம்
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,லிட்டர்
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,லிட்டர்
DocType: Task,Total Costing Amount (via Time Sheet),மொத்த செலவுவகை தொகை (நேரம் தாள் வழியாக)
DocType: Item Website Specification,Item Website Specification,பொருள் வலைத்தளம் குறிப்புகள்
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,தடுக்கப்பட்ட விட்டு
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},பொருள் {0} வாழ்க்கை அதன் இறுதியில் அடைந்துவிட்டது {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},பொருள் {0} வாழ்க்கை அதன் இறுதியில் அடைந்துவிட்டது {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,வங்கி பதிவுகள்
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,வருடாந்திர
DocType: Stock Reconciliation Item,Stock Reconciliation Item,பங்கு நல்லிணக்க பொருள்
@@ -315,9 +317,9 @@
DocType: Material Request Item,Min Order Qty,குறைந்தபட்ச ஆணை அளவு
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,மாணவர் குழு உருவாக்கம் கருவி பாடநெறி
DocType: Lead,Do Not Contact,தொடர்பு இல்லை
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,உங்கள் நிறுவனத்தில் உள்ள கற்பிக்க மக்கள்
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,உங்கள் நிறுவனத்தில் உள்ள கற்பிக்க மக்கள்
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,அனைத்து மீண்டும் பொருள் தேடும் தனிப்பட்ட ஐடி. அதை சமர்ப்பிக்க இல் உருவாக்கப்பட்டது.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,மென்பொருள் டெவலப்பர்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,மென்பொருள் டெவலப்பர்
DocType: Item,Minimum Order Qty,குறைந்தபட்ச ஆணை அளவு
DocType: Pricing Rule,Supplier Type,வழங்குபவர் வகை
DocType: Course Scheduling Tool,Course Start Date,பாடநெறி தொடக்க தேதி
@@ -326,11 +328,11 @@
DocType: Item,Publish in Hub,மையம் உள்ள வெளியிடு
DocType: Student Admission,Student Admission,மாணவர் சேர்க்கை
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,பொருள் {0} ரத்து
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,பொருள் {0} ரத்து
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,பொருள் கோரிக்கை
DocType: Bank Reconciliation,Update Clearance Date,இசைவு தேதி புதுப்பிக்க
DocType: Item,Purchase Details,கொள்முதல் விவரம்
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},கொள்முதல் ஆணை உள்ள 'மூலப்பொருட்கள் சப்ளை' அட்டவணை காணப்படவில்லை பொருள் {0} {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},கொள்முதல் ஆணை உள்ள 'மூலப்பொருட்கள் சப்ளை' அட்டவணை காணப்படவில்லை பொருள் {0} {1}
DocType: Employee,Relation,உறவு
DocType: Shipping Rule,Worldwide Shipping,உலகம் முழுவதும் கப்பல்
DocType: Student Guardian,Mother,தாய்
@@ -349,6 +351,7 @@
DocType: Student Group Student,Student Group Student,மாணவர் குழு மாணவர்
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,சமீபத்திய
DocType: Vehicle Service,Inspection,பரிசோதனை
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,பட்டியல்
DocType: Email Digest,New Quotations,புதிய மேற்கோள்கள்
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,விருப்பமான மின்னஞ்சல் பணியாளர் தேர்வு அடிப்படையில் ஊழியர் மின்னஞ்சல்கள் சம்பளம் சீட்டு
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,பட்டியலில் முதல் விடுப்பு சர்க்கார் தரப்பில் சாட்சி இயல்புநிலை விடுப்பு சர்க்கார் தரப்பில் சாட்சி என அமைக்க வேண்டும்
@@ -357,20 +360,20 @@
DocType: Asset,Next Depreciation Date,அடுத்த தேய்மானம் தேதி
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,பணியாளர் ஒன்றுக்கு நடவடிக்கை செலவு
DocType: Accounts Settings,Settings for Accounts,கணக்குகளைத் அமைப்புகள்
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},சப்ளையர் விலைப்பட்டியல் இல்லை கொள்முதல் விலைப்பட்டியல் உள்ளது {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},சப்ளையர் விலைப்பட்டியல் இல்லை கொள்முதல் விலைப்பட்டியல் உள்ளது {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,விற்பனை நபர் மரம் நிர்வகி .
DocType: Job Applicant,Cover Letter,முகப்பு கடிதம்
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,மிகச்சிறந்த காசோலைகள் மற்றும் அழிக்க வைப்பு
DocType: Item,Synced With Hub,ஹப் ஒத்திசைய
DocType: Vehicle,Fleet Manager,கடற்படை மேலாளர்
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},ரோ # {0}: {1} உருப்படியை எதிர்மறையாக இருக்க முடியாது {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,தவறான கடவுச்சொல்
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,தவறான கடவுச்சொல்
DocType: Item,Variant Of,மாறுபாடு
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',அது 'அளவு உற்பத்தி செய்ய' நிறைவு அளவு அதிகமாக இருக்க முடியாது
DocType: Period Closing Voucher,Closing Account Head,கணக்கு தலைமை மூடுவதற்கு
DocType: Employee,External Work History,வெளி வேலை வரலாறு
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,வட்ட குறிப்பு பிழை
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1 பெயர்
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 பெயர்
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,நீங்கள் டெலிவரி குறிப்பு சேமிக்க முறை வேர்ட்ஸ் (ஏற்றுமதி) காண முடியும்.
DocType: Cheque Print Template,Distance from left edge,இடது ஓரத்தில் இருந்து தூரம்
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),"{0} [{1}]
@@ -380,11 +383,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,தானியங்கி பொருள் கோரிக்கை உருவாக்கம் மின்னஞ்சல் மூலம் தெரிவிக்க
DocType: Journal Entry,Multi Currency,பல நாணய
DocType: Payment Reconciliation Invoice,Invoice Type,விலைப்பட்டியல் வகை
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,டெலிவரி குறிப்பு
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,டெலிவரி குறிப்பு
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,வரி அமைத்தல்
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,விற்கப்பட்டது சொத்து செலவு
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,நீங்கள் அதை இழுத்து பின்னர் கொடுப்பனவு நுழைவு மாற்றப்பட்டுள்ளது. மீண்டும் அதை இழுக்க கொள்ளவும்.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} பொருள் வரி இரண்டு முறை
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,நீங்கள் அதை இழுத்து பின்னர் கொடுப்பனவு நுழைவு மாற்றப்பட்டுள்ளது. மீண்டும் அதை இழுக்க கொள்ளவும்.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} பொருள் வரி இரண்டு முறை
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,இந்த வாரம் மற்றும் நிலுவையில் நடவடிக்கைகள் சுருக்கம்
DocType: Student Applicant,Admitted,ஒப்பு
DocType: Workstation,Rent Cost,வாடகை செலவு
@@ -403,25 +406,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,துறையில் மதிப்பு ' மாதம் நாளில் பூசை ' உள்ளிடவும்
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,விகிதம் இது வாடிக்கையாளர் நாணயத்தின் வாடிக்கையாளர் அடிப்படை நாணய மாற்றப்படும்
DocType: Course Scheduling Tool,Course Scheduling Tool,பாடநெறி திட்டமிடல் கருவி
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ரோ # {0}: கொள்முதல் விலைப்பட்டியல் இருக்கும் சொத்துடன் எதிராகவும் முடியாது {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},ரோ # {0}: கொள்முதல் விலைப்பட்டியல் இருக்கும் சொத்துடன் எதிராகவும் முடியாது {1}
DocType: Item Tax,Tax Rate,வரி விகிதம்
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} ஏற்கனவே பணியாளர் ஒதுக்கப்பட்ட {1} காலம் {2} க்கான {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,உருப்படி தேர்வுசெய்க
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,கொள்முதல் விலைப்பட்டியல் {0} ஏற்கனவே சமர்ப்பிக்கப்பட்ட
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,கொள்முதல் விலைப்பட்டியல் {0} ஏற்கனவே சமர்ப்பிக்கப்பட்ட
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},ரோ # {0}: கூறு எண் அதே இருக்க வேண்டும் {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,அல்லாத குழு மாற்றுக
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,ஒரு பொருள் ஒரு தொகுதி (நிறைய).
DocType: C-Form Invoice Detail,Invoice Date,விலைப்பட்டியல் தேதி
DocType: GL Entry,Debit Amount,பற்று தொகை
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},மட்டுமே கம்பெனி ஒன்றுக்கு 1 கணக்கு இருக்க முடியாது {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,இணைப்பு பார்க்கவும்
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},மட்டுமே கம்பெனி ஒன்றுக்கு 1 கணக்கு இருக்க முடியாது {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,இணைப்பு பார்க்கவும்
DocType: Purchase Order,% Received,% பெறப்பட்டது
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,மாணவர் குழுக்கள் உருவாக்க
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,அமைப்பு ஏற்கனவே முடிந்து !
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,கடன் குறிப்பு தொகை
,Finished Goods,முடிக்கப்பட்ட பொருட்கள்
DocType: Delivery Note,Instructions,அறிவுறுத்தல்கள்
DocType: Quality Inspection,Inspected By,மூலம் ஆய்வு
DocType: Maintenance Visit,Maintenance Type,பராமரிப்பு அமைப்பு
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} கோர்ஸ் பதிவுசெய்யாமலிருந்தால் உள்ளது {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},தொடர் இல {0} டெலிவரி குறிப்பு அல்ல {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext டெமோ
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,பொருட்களை சேர்க்க
@@ -444,7 +449,7 @@
DocType: Request for Quotation,Request for Quotation,விலைப்பட்டியலுக்கான கோரிக்கை
DocType: Salary Slip Timesheet,Working Hours,வேலை நேரங்கள்
DocType: Naming Series,Change the starting / current sequence number of an existing series.,ஏற்கனவே தொடரில் தற்போதைய / தொடக்க வரிசை எண் மாற்ற.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,ஒரு புதிய வாடிக்கையாளர் உருவாக்கவும்
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,ஒரு புதிய வாடிக்கையாளர் உருவாக்கவும்
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","பல விலை விதிகள் நிலவும் தொடர்ந்து இருந்தால், பயனர்கள் முரண்பாட்டை தீர்க்க கைமுறையாக முன்னுரிமை அமைக்க கேட்கப்பட்டது."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,கொள்முதல் ஆணைகள் உருவாக்க
,Purchase Register,பதிவு வாங்குவதற்கு
@@ -456,7 +461,7 @@
DocType: Student Log,Medical,மருத்துவம்
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,இழந்து காரணம்
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,முன்னணி உரிமையாளர் முன்னணி அதே இருக்க முடியாது
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,ஒதுக்கப்பட்ட தொகை சரிசெய்யப்படாத அளவு பெரியவனல்லவென்று முடியும்
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,ஒதுக்கப்பட்ட தொகை சரிசெய்யப்படாத அளவு பெரியவனல்லவென்று முடியும்
DocType: Announcement,Receiver,பெறுநர்
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},பணிநிலையம் விடுமுறை பட்டியல் படி பின்வரும் தேதிகளில் மூடப்பட்டுள்ளது {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,வாய்ப்புகள்
@@ -470,8 +475,7 @@
DocType: Assessment Plan,Examiner Name,பரிசோதகர் பெயர்
DocType: Purchase Invoice Item,Quantity and Rate,அளவு மற்றும் விகிதம்
DocType: Delivery Note,% Installed,% நிறுவப்பட்ட
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,வகுப்பறைகள் / ஆய்வுக்கூடங்கள் போன்றவை அங்கு விரிவுரைகள் திட்டமிடப்பட்டுள்ளது.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,சப்ளையர்> சப்ளையர் வகை
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,வகுப்பறைகள் / ஆய்வுக்கூடங்கள் போன்றவை அங்கு விரிவுரைகள் திட்டமிடப்பட்டுள்ளது.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,முதல் நிறுவனத்தின் பெயரை உள்ளிடுக
DocType: Purchase Invoice,Supplier Name,வழங்குபவர் பெயர்
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,ERPNext கையேட்டை வாசிக்க
@@ -481,7 +485,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,காசோலை சப்ளையர் விலைப்பட்டியல் எண் தனித்துவம்
DocType: Vehicle Service,Oil Change,ஆயில் மாற்றம்
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','வழக்கு எண் வேண்டும்' 'வழக்கு எண் வரம்பு' விட குறைவாக இருக்க முடியாது
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,லாபம்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,லாபம்
DocType: Production Order,Not Started,துவங்கவில்லை
DocType: Lead,Channel Partner,சேனல் வரன்வாழ்க்கை துணை
DocType: Account,Old Parent,பழைய பெற்றோர்
@@ -492,20 +496,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,அனைத்து உற்பத்தி செயல்முறைகள் உலக அமைப்புகள்.
DocType: Accounts Settings,Accounts Frozen Upto,உறைந்த வரை கணக்குகள்
DocType: SMS Log,Sent On,அன்று அனுப்பப்பட்டது
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,கற்பிதம் {0} காரணிகள் அட்டவணை பல முறை தேர்வு
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,கற்பிதம் {0} காரணிகள் அட்டவணை பல முறை தேர்வு
DocType: HR Settings,Employee record is created using selected field. ,பணியாளர் பதிவு தேர்ந்தெடுக்கப்பட்ட துறையில் பயன்படுத்தி உருவாக்கப்பட்டது.
DocType: Sales Order,Not Applicable,பொருந்தாது
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,விடுமுறை மாஸ்டர் .
DocType: Request for Quotation Item,Required Date,தேவையான தேதி
DocType: Delivery Note,Billing Address,பில்லிங் முகவரி
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,பொருள் கோட் உள்ளிடவும்.
DocType: BOM,Costing,செலவு
DocType: Tax Rule,Billing County,பில்லிங் உள்ளூரில்
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","தேர்ந்தெடுக்கப்பட்டால், ஏற்கனவே அச்சிடுக விகிதம் / அச்சிடுக தொகை சேர்க்கப்பட்டுள்ளது என, வரி தொகை"
DocType: Request for Quotation,Message for Supplier,சப்ளையர் செய்தி
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,மொத்த அளவு
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 மின்னஞ்சல் ஐடி
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 மின்னஞ்சல் ஐடி
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 மின்னஞ்சல் ஐடி
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 மின்னஞ்சல் ஐடி
DocType: Item,Show in Website (Variant),இணையதளத்தில் அமைந்துள்ள ஷோ (மாற்று)
DocType: Employee,Health Concerns,சுகாதார கவலைகள்
DocType: Process Payroll,Select Payroll Period,சம்பளப்பட்டியல் காலம் தேர்ந்தெடுக்கவும்
@@ -523,26 +526,28 @@
DocType: Sales Order Item,Used for Production Plan,உற்பத்தி திட்டத்தை பயன்படுத்திய
DocType: Employee Loan,Total Payment,மொத்த கொடுப்பனவு
DocType: Manufacturing Settings,Time Between Operations (in mins),(நிமிடங்கள்) செயல்களுக்கு இடையே நேரம்
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} ஓர் செயல் முடிவடைந்தால் முடியாது ரத்துசெய்யப்பட்டது
DocType: Customer,Buyer of Goods and Services.,பொருட்கள் மற்றும் சேவைகள் வாங்குபவர்.
DocType: Journal Entry,Accounts Payable,கணக்குகள் செலுத்த வேண்டிய
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,தேர்ந்தெடுக்கப்பட்ட BOM கள் அதே உருப்படியை இல்லை
DocType: Pricing Rule,Valid Upto,வரை செல்லுபடியாகும்
DocType: Training Event,Workshop,பட்டறை
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,உங்கள் வாடிக்கையாளர்களுக்கு ஒரு சில பட்டியல் . அவர்கள் நிறுவனங்கள் அல்லது தனிநபர்கள் இருக்க முடியும் .
-,Enough Parts to Build,போதும் பாகங்கள் கட்டுவது எப்படி
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,நேரடி வருமானம்
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,உங்கள் வாடிக்கையாளர்களுக்கு ஒரு சில பட்டியல் . அவர்கள் நிறுவனங்கள் அல்லது தனிநபர்கள் இருக்க முடியும் .
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,போதும் பாகங்கள் கட்டுவது எப்படி
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,நேரடி வருமானம்
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","கணக்கு மூலம் தொகுக்கப்பட்டுள்ளது என்றால் , கணக்கு அடிப்படையில் வடிகட்ட முடியாது"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,நிர்வாக அதிகாரி
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,கோர்ஸ் தேர்ந்தெடுக்கவும்
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,கோர்ஸ் தேர்ந்தெடுக்கவும்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,நிர்வாக அதிகாரி
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,கோர்ஸ் தேர்ந்தெடுக்கவும்
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,கோர்ஸ் தேர்ந்தெடுக்கவும்
DocType: Timesheet Detail,Hrs,மணி
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,நிறுவனத்தின் தேர்ந்தெடுக்கவும்
DocType: Stock Entry Detail,Difference Account,வித்தியாசம் கணக்கு
+DocType: Purchase Invoice,Supplier GSTIN,சப்ளையர் GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,அதன் சார்ந்து பணி {0} மூடவில்லை நெருக்கமாக பணி அல்ல முடியும்.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,பொருள் கோரிக்கை எழுப்பப்படும் எந்த கிடங்கு உள்ளிடவும்
DocType: Production Order,Additional Operating Cost,கூடுதல் இயக்க செலவு
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,ஒப்பனை
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","ஒன்றாக்க , பின்வரும் பண்புகளை இரு பொருட்களை சமமாக இருக்க வேண்டும்"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","ஒன்றாக்க , பின்வரும் பண்புகளை இரு பொருட்களை சமமாக இருக்க வேண்டும்"
DocType: Shipping Rule,Net Weight,நிகர எடை
DocType: Employee,Emergency Phone,அவசர தொலைபேசி
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,வாங்க
@@ -552,14 +557,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,ஆரம்பம் 0% அளவீட்டைக் வரையறுக்க கொள்ளவும்
DocType: Sales Order,To Deliver,வழங்க
DocType: Purchase Invoice Item,Item,பொருள்
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,சீரியல் எந்த உருப்படியை ஒரு பகுதியை இருக்க முடியாது
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,சீரியல் எந்த உருப்படியை ஒரு பகுதியை இருக்க முடியாது
DocType: Journal Entry,Difference (Dr - Cr),வேறுபாடு ( டாக்டர் - CR)
DocType: Account,Profit and Loss,இலாப நட்ட
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,நிர்வாக உப ஒப்பந்தமிடல்
DocType: Project,Project will be accessible on the website to these users,திட்ட இந்த பயனர்களுக்கு வலைத்தளத்தில் அணுக வேண்டும்
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,விலை பட்டியல் நாணய நிறுவனத்தின் அடிப்படை நாணய மாற்றப்படும் விகிதத்தை
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},கணக்கு {0} நிறுவனத்திற்கு சொந்தமானது இல்லை: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,சுருக்கமான ஏற்கனவே மற்றொரு நிறுவனம் பயன்படுத்தப்படும்
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},கணக்கு {0} நிறுவனத்திற்கு சொந்தமானது இல்லை: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,சுருக்கமான ஏற்கனவே மற்றொரு நிறுவனம் பயன்படுத்தப்படும்
DocType: Selling Settings,Default Customer Group,இயல்புநிலை வாடிக்கையாளர் குழு
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","முடக்கவும், 'வட்டமான மொத்த' என்றால் துறையில் எந்த பரிமாற்றத்தில் பார்க்க முடியாது"
DocType: BOM,Operating Cost,இயக்க செலவு
@@ -567,7 +572,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,சம்பள உயர்வு 0 இருக்க முடியாது
DocType: Production Planning Tool,Material Requirement,பொருள் தேவை
DocType: Company,Delete Company Transactions,நிறுவனத்தின் பரிவர்த்தனைகள் நீக்கு
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,குறிப்பு இல்லை மற்றும் பரிந்துரை தேதி வங்கி பரிவர்த்தனை அத்தியாவசியமானதாகும்
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,குறிப்பு இல்லை மற்றும் பரிந்துரை தேதி வங்கி பரிவர்த்தனை அத்தியாவசியமானதாகும்
DocType: Purchase Receipt,Add / Edit Taxes and Charges,வரிகள் மற்றும் கட்டணங்கள் சேர்க்க / திருத்தவும்
DocType: Purchase Invoice,Supplier Invoice No,வழங்குபவர் விலைப்பட்டியல் இல்லை
DocType: Territory,For reference,குறிப்பிற்கு
@@ -578,22 +583,22 @@
DocType: Installation Note Item,Installation Note Item,நிறுவல் குறிப்பு பொருள்
DocType: Production Plan Item,Pending Qty,நிலுவையில் அளவு
DocType: Budget,Ignore,புறக்கணி
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} செயலில் இல்லை
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} செயலில் இல்லை
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},எஸ்எம்எஸ் எண்களில் அனுப்பப்பட்டது: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,அச்சிடும் அமைப்பு காசோலை பரிமாணங்களை
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,அச்சிடும் அமைப்பு காசோலை பரிமாணங்களை
DocType: Salary Slip,Salary Slip Timesheet,சம்பளம் ஸ்லிப் டைம் ஷீட்
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,துணை ஒப்பந்த கொள்முதல் ரசீது கட்டாயமாக வழங்குபவர் கிடங்கு
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,துணை ஒப்பந்த கொள்முதல் ரசீது கட்டாயமாக வழங்குபவர் கிடங்கு
DocType: Pricing Rule,Valid From,செல்லுபடியான
DocType: Sales Invoice,Total Commission,மொத்த ஆணையம்
DocType: Pricing Rule,Sales Partner,விற்பனை வரன்வாழ்க்கை துணை
DocType: Buying Settings,Purchase Receipt Required,கொள்முதல் ரசீது தேவை
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,ஆரம்ப இருப்பு உள்ளிட்ட மதிப்பீட்டு மதிப்பீடு அத்தியாவசியமானதாகும்
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,ஆரம்ப இருப்பு உள்ளிட்ட மதிப்பீட்டு மதிப்பீடு அத்தியாவசியமானதாகும்
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,விலைப்பட்டியல் அட்டவணை காணப்படவில்லை பதிவுகள்
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,முதல் நிறுவனம் மற்றும் கட்சி வகை தேர்ந்தெடுக்கவும்
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,நிதி / கணக்கு ஆண்டு .
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,நிதி / கணக்கு ஆண்டு .
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,திரட்டப்பட்ட கலாச்சாரம்
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","மன்னிக்கவும், சீரியல் இலக்கங்கள் ஒன்றாக்க முடியாது"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,விற்பனை ஆணை செய்ய
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,விற்பனை ஆணை செய்ய
DocType: Project Task,Project Task,திட்ட பணி
,Lead Id,முன்னணி ஐடி
DocType: C-Form Invoice Detail,Grand Total,ஆக மொத்தம்
@@ -610,7 +615,7 @@
DocType: Job Applicant,Resume Attachment,துவைக்கும் இயந்திரம் இணைப்பு
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,மீண்டும் வாடிக்கையாளர்கள்
DocType: Leave Control Panel,Allocate,நிர்ணயி
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,விற்பனை Return
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,விற்பனை Return
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,குறிப்பு: மொத்த ஒதுக்கீடு இலைகள் {0} ஏற்கனவே ஒப்புதல் இலைகள் குறைவாக இருக்க கூடாது {1} காலம்
DocType: Announcement,Posted By,பதிவிட்டவர்
DocType: Item,Delivered by Supplier (Drop Ship),சப்ளையர் மூலம் வழங்கப்படுகிறது (டிராப் கப்பல்)
@@ -620,8 +625,8 @@
DocType: Quotation,Quotation To,என்று மேற்கோள்
DocType: Lead,Middle Income,நடுத்தர வருமானம்
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),திறப்பு (CR)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"நீங்கள் ஏற்கனவே மற்றொரு UOM சில பரிவர்த்தனை (ங்கள்) செய்துவிட்டேன் ஏனெனில் பொருள் நடவடிக்கையாக, இயல்புநிலை பிரிவு {0} நேரடியாக மாற்ற முடியாது. நீங்கள் வேறு ஒரு இயல்புநிலை UOM பயன்படுத்த ஒரு புதிய பொருள் உருவாக்க வேண்டும்."
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,ஒதுக்கப்பட்ட தொகை எதிர்மறை இருக்க முடியாது
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"நீங்கள் ஏற்கனவே மற்றொரு UOM சில பரிவர்த்தனை (ங்கள்) செய்துவிட்டேன் ஏனெனில் பொருள் நடவடிக்கையாக, இயல்புநிலை பிரிவு {0} நேரடியாக மாற்ற முடியாது. நீங்கள் வேறு ஒரு இயல்புநிலை UOM பயன்படுத்த ஒரு புதிய பொருள் உருவாக்க வேண்டும்."
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,ஒதுக்கப்பட்ட தொகை எதிர்மறை இருக்க முடியாது
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,நிறுவனத்தின் அமைக்கவும்
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,நிறுவனத்தின் அமைக்கவும்
DocType: Purchase Order Item,Billed Amt,கணக்கில் AMT
@@ -634,7 +639,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,வங்கி நுழைவு செய்ய கொடுப்பனவு கணக்கு தேர்ந்தெடுக்கவும்
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","இலைகள், இழப்பில் கூற்றுக்கள் மற்றும் சம்பள நிர்வகிக்க பணியாளர் பதிவுகளை உருவாக்க"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,அறிவு தளம் சேர்க்க
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,மானசாவுடன்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,மானசாவுடன்
DocType: Payment Entry Deduction,Payment Entry Deduction,கொடுப்பனவு நுழைவு விலக்கு
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,மற்றொரு விற்பனைப் {0} அதே பணியாளர் ஐடி கொண்டு உள்ளது
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","துணை ஒப்பந்த பொருள் கோரிக்கைகள் சேர்க்கப்படும் என்று பொருட்களை தேர்ந்தெடுக்கப்பட்டால், மூலப்பொருட்கள்"
@@ -649,7 +654,7 @@
DocType: Batch,Batch Description,தொகுதி விளக்கம்
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,மாணவர் குழுக்களை உருவாக்குகிறது
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,மாணவர் குழுக்களை உருவாக்குகிறது
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","பணம் நுழைவாயில் கணக்கு உருவாக்கப்பட்ட இல்லை, கைமுறையாக ஒரு உருவாக்க வேண்டும்."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","பணம் நுழைவாயில் கணக்கு உருவாக்கப்பட்ட இல்லை, கைமுறையாக ஒரு உருவாக்க வேண்டும்."
DocType: Sales Invoice,Sales Taxes and Charges,விற்பனை வரி மற்றும் கட்டணங்கள்
DocType: Employee,Organization Profile,அமைப்பு விவரம்
DocType: Student,Sibling Details,உடன்பிறந்தோர் விபரங்கள்
@@ -671,11 +676,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,சரக்கு நிகர மாற்றம்
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,பணியாளர் கடன் மேலாண்மை
DocType: Employee,Passport Number,பாஸ்போர்ட் எண்
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Guardian2 அரசுடன் உறவு
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,மேலாளர்
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2 அரசுடன் உறவு
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,மேலாளர்
DocType: Payment Entry,Payment From / To,/ இருந்து பணம்
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},புதிய கடன் வரம்பை வாடிக்கையாளர் தற்போதைய கடன் தொகையை விட குறைவாக உள்ளது. கடன் வரம்பு குறைந்தது இருக்க வேண்டும் {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,ஒரே பொருளைப் பலமுறை உள்ளிட்ட.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},புதிய கடன் வரம்பை வாடிக்கையாளர் தற்போதைய கடன் தொகையை விட குறைவாக உள்ளது. கடன் வரம்பு குறைந்தது இருக்க வேண்டும் {0}
DocType: SMS Settings,Receiver Parameter,ரிசீவர் அளவுரு
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'அடிப்படையாக கொண்டு ' மற்றும் ' குழு மூலம் ' அதே இருக்க முடியாது
DocType: Sales Person,Sales Person Targets,விற்பனை நபர் இலக்குகள்
@@ -684,8 +688,9 @@
DocType: Issue,Resolution Date,தீர்மானம் தேதி
DocType: Student Batch Name,Batch Name,தொகுதி பெயர்
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,டைம் ஷீட் உருவாக்கப்பட்ட:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},கொடுப்பனவு முறையில் இயல்புநிலை பண அல்லது வங்கி கணக்கு அமைக்கவும் {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},கொடுப்பனவு முறையில் இயல்புநிலை பண அல்லது வங்கி கணக்கு அமைக்கவும் {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,பதிவுசெய்யவும்
+DocType: GST Settings,GST Settings,ஜிஎஸ்டி அமைப்புகள்
DocType: Selling Settings,Customer Naming By,மூலம் பெயரிடுதல் வாடிக்கையாளர்
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,மாணவர் மாதாந்திர வருகை அறிக்கையில் போன்ற தற்போதைய மாணவர் காண்பிக்கும்
DocType: Depreciation Schedule,Depreciation Amount,தேய்மானம் தொகை
@@ -707,6 +712,7 @@
DocType: Item,Material Transfer,பொருள் மாற்றம்
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),திறப்பு ( டாக்டர் )
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},பதிவுசெய்ய நேர முத்திரை பின்னர் இருக்க வேண்டும் {0}
+,GST Itemised Purchase Register,ஜிஎஸ்டி வகைப்படுத்தப்பட்டவையாகவும் கொள்முதல் பதிவு
DocType: Employee Loan,Total Interest Payable,மொத்த வட்டி செலுத்த வேண்டிய
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Landed செலவு வரிகள் மற்றும் கட்டணங்கள்
DocType: Production Order Operation,Actual Start Time,உண்மையான தொடக்க நேரம்
@@ -735,10 +741,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
DocType: Account,Accounts,கணக்குகள்
DocType: Vehicle,Odometer Value (Last),ஓடோமீட்டர் மதிப்பு (கடைசி)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,சந்தைப்படுத்தல்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,சந்தைப்படுத்தல்
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,கொடுப்பனவு நுழைவு ஏற்கனவே உருவாக்கப்பட்ட
DocType: Purchase Receipt Item Supplied,Current Stock,தற்போதைய பங்கு
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},ரோ # {0}: சொத்து {1} பொருள் இணைக்கப்பட்ட இல்லை {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},ரோ # {0}: சொத்து {1} பொருள் இணைக்கப்பட்ட இல்லை {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,முன்னோட்டம் சம்பளம் ஸ்லிப்
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,கணக்கு {0} பல முறை உள்ளிட்ட வருகிறது
DocType: Account,Expenses Included In Valuation,செலவுகள் மதிப்பீட்டு சேர்க்கப்பட்டுள்ளது
@@ -746,7 +752,7 @@
,Absent Student Report,இல்லாத மாணவர் அறிக்கை
DocType: Email Digest,Next email will be sent on:,அடுத்த மின்னஞ்சலில் அனுப்பி வைக்கப்படும்:
DocType: Offer Letter Term,Offer Letter Term,கடிதம் கால சலுகை
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,பொருள் வகைகள் உண்டு.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,பொருள் வகைகள் உண்டு.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,பொருள் {0} இல்லை
DocType: Bin,Stock Value,பங்கு மதிப்பு
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,நிறுவனத்தின் {0} இல்லை
@@ -755,8 +761,8 @@
DocType: Serial No,Warranty Expiry Date,உத்தரவாதத்தை காலாவதியாகும் தேதி
DocType: Material Request Item,Quantity and Warehouse,அளவு மற்றும் சேமிப்பு கிடங்கு
DocType: Sales Invoice,Commission Rate (%),கமிஷன் விகிதம் (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,தேர்ந்தெடுக்கவும் திட்டம்
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,தேர்ந்தெடுக்கவும் திட்டம்
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,தேர்ந்தெடுக்கவும் திட்டம்
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,தேர்ந்தெடுக்கவும் திட்டம்
DocType: Project,Estimated Cost,விலை மதிப்பீடு
DocType: Purchase Order,Link to material requests,பொருள் கோரிக்கைகளை இணைப்பு
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,வான்வெளி
@@ -770,14 +776,14 @@
DocType: Purchase Order,Supply Raw Materials,வழங்கல் மூலப்பொருட்கள்
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,அடுத்து விலைப்பட்டியல் உருவாக்கப்படும் எந்த தேதி. அதை சமர்ப்பிக்க உருவாக்கப்படும்.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,நடப்பு சொத்துக்கள்
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} ஒரு பங்கு பொருள் அல்ல
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} ஒரு பங்கு பொருள் அல்ல
DocType: Mode of Payment Account,Default Account,முன்னிருப்பு கணக்கு
DocType: Payment Entry,Received Amount (Company Currency),பெறப்பட்ட தொகை (நிறுவனத்தின் நாணய)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,வாய்ப்பு முன்னணி தயாரிக்கப்படுகிறது என்றால் முன்னணி அமைக்க வேண்டும்
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,வாராந்திர ஆஃப் நாள் தேர்வு செய்க
DocType: Production Order Operation,Planned End Time,திட்டமிட்ட நேரம்
,Sales Person Target Variance Item Group-Wise,விற்பனை நபர் இலக்கு வேறுபாடு பொருள் குழு வாரியாக
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,ஏற்கனவே பரிவர்த்தனை கணக்கு பேரேடு மாற்றப்பட முடியாது
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,ஏற்கனவே பரிவர்த்தனை கணக்கு பேரேடு மாற்றப்பட முடியாது
DocType: Delivery Note,Customer's Purchase Order No,வாடிக்கையாளர் கொள்முதல் ஆணை இல்லை
DocType: Budget,Budget Against,வரவு செலவுத் திட்டத்திற்கு எதிராக
DocType: Employee,Cell Number,செல் எண்
@@ -789,15 +795,13 @@
DocType: Opportunity,Opportunity From,வாய்ப்பு வரம்பு
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,மாத சம்பளம் அறிக்கை.
DocType: BOM,Website Specifications,இணையத்தளம் விருப்பம்
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,அமைவு அமைப்பு வழியாக வருகை தொடரின் எண்ணிக்கையில்> எண் தொடர்
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0} இருந்து: {0} வகை {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,ரோ {0}: மாற்று காரணி கட்டாய ஆகிறது
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,ரோ {0}: மாற்று காரணி கட்டாய ஆகிறது
DocType: Employee,A+,ஒரு +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","பல விலை விதிகள் அளவுகோல் கொண்டு உள்ளது, முன்னுரிமை ஒதுக்க மூலம் மோதலை தீர்க்க தயவு செய்து. விலை விதிகள்: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,செயலிழக்க அல்லது அது மற்ற BOM கள் தொடர்பு உள்ளது என BOM ரத்துசெய்ய முடியாது
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","பல விலை விதிகள் அளவுகோல் கொண்டு உள்ளது, முன்னுரிமை ஒதுக்க மூலம் மோதலை தீர்க்க தயவு செய்து. விலை விதிகள்: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,செயலிழக்க அல்லது அது மற்ற BOM கள் தொடர்பு உள்ளது என BOM ரத்துசெய்ய முடியாது
DocType: Opportunity,Maintenance,பராமரிப்பு
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},பொருள் தேவை கொள்முதல் ரசீது எண் {0}
DocType: Item Attribute Value,Item Attribute Value,பொருள் மதிப்பு பண்பு
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,விற்பனை பிரச்சாரங்களை .
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,டைம் ஷீட் செய்ய
@@ -849,29 +853,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},பத்திரிகை நுழைவு வழியாக முறித்துள்ளது சொத்து {0}
DocType: Employee Loan,Interest Income Account,வட்டி வருமான கணக்கு
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,பயோடெக்னாலஜி
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,அலுவலகம் பராமரிப்பு செலவுகள்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,அலுவலகம் பராமரிப்பு செலவுகள்
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,மின்னஞ்சல் கணக்கை அமைத்ததற்கு
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,முதல் பொருள் உள்ளிடவும்
DocType: Account,Liability,பொறுப்பு
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ஒப்புதல் தொகை ரோ கூறுகின்றனர் காட்டிலும் அதிகமாக இருக்க முடியாது {0}.
DocType: Company,Default Cost of Goods Sold Account,பொருட்களை விற்பனை கணக்கு இயல்பான செலவு
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,விலை பட்டியல் தேர்வு
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,விலை பட்டியல் தேர்வு
DocType: Employee,Family Background,குடும்ப பின்னணி
DocType: Request for Quotation Supplier,Send Email,மின்னஞ்சல் அனுப்ப
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},எச்சரிக்கை: தவறான இணைப்பு {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},எச்சரிக்கை: தவறான இணைப்பு {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,அனுமதி இல்லை
DocType: Company,Default Bank Account,முன்னிருப்பு வங்கி கணக்கு
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",கட்சி அடிப்படையில் வடிகட்ட தேர்ந்தெடுக்கவும் கட்சி முதல் வகை
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"பொருட்களை வழியாக இல்லை, ஏனெனில் 'மேம்படுத்தல் பங்கு' சோதிக்க முடியாது, {0}"
DocType: Vehicle,Acquisition Date,வாங்கிய தேதி
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,இலக்கங்கள்
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,இலக்கங்கள்
DocType: Item,Items with higher weightage will be shown higher,அதிக முக்கியத்துவம் கொண்ட உருப்படிகள் அதிக காட்டப்படும்
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,வங்கி நல்லிணக்க விரிவாக
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,ரோ # {0}: சொத்து {1} சமர்ப்பிக்க வேண்டும்
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,ரோ # {0}: சொத்து {1} சமர்ப்பிக்க வேண்டும்
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,ஊழியர் இல்லை
DocType: Supplier Quotation,Stopped,நிறுத்தி
DocType: Item,If subcontracted to a vendor,ஒரு விற்பனையாளர் ஒப்பந்தக்காரர்களுக்கு என்றால்
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,மாணவர் குழு ஏற்கனவே புதுப்பிக்கப்பட்டது.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,மாணவர் குழு ஏற்கனவே புதுப்பிக்கப்பட்டது.
DocType: SMS Center,All Customer Contact,அனைத்து வாடிக்கையாளர் தொடர்பு
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Csv வழியாக பங்கு சமநிலை பதிவேற்றலாம்.
DocType: Warehouse,Tree Details,மரம் விபரங்கள்
@@ -883,13 +887,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: செலவு மையம் {2} நிறுவனத்தின் சொந்தம் இல்லை {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: கணக்கு {2} ஒரு குழுவாக இருக்க முடியாது
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,பொருள் வரிசையில் {அச்சுக்கோப்புகளை வாசிக்க}: {டாக்டைப்பானது} {docName} மேலே இல்லை '{டாக்டைப்பானது}' அட்டவணை
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,டைம் ஷீட் {0} ஏற்கனவே நிறைவு அல்லது ரத்து செய்யப்பட்டது
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,டைம் ஷீட் {0} ஏற்கனவே நிறைவு அல்லது ரத்து செய்யப்பட்டது
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,பணிகள் எதுவும் இல்லை
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","கார் விலைப்பட்டியல் 05, 28 எ.கா. உருவாக்கப்படும் மாதத்தின் நாள்"
DocType: Asset,Opening Accumulated Depreciation,குவிக்கப்பட்ட தேய்மானம் திறந்து
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,ஸ்கோர் குறைவாக அல்லது 5 சமமாக இருக்க வேண்டும்
DocType: Program Enrollment Tool,Program Enrollment Tool,திட்டம் சேர்க்கை கருவி
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,சி படிவம் பதிவுகள்
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,சி படிவம் பதிவுகள்
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,வாடிக்கையாளர் மற்றும் சப்ளையர்
DocType: Email Digest,Email Digest Settings,மின்னஞ்சல் டைஜஸ்ட் அமைப்புகள்
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,உங்கள் வணிக நன்றி!
@@ -899,17 +903,19 @@
DocType: Bin,Moving Average Rate,சராசரி விகிதம் நகரும்
DocType: Production Planning Tool,Select Items,தேர்ந்தெடு
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} பில் எதிராக {1} தேதியிட்ட {2}
+DocType: Program Enrollment,Vehicle/Bus Number,வாகன / பஸ் எண்
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,பாடநெறி அட்டவணை
DocType: Maintenance Visit,Completion Status,நிறைவு நிலைமை
DocType: HR Settings,Enter retirement age in years,ஆண்டுகளில் ஓய்வு பெறும் வயதை உள்ளிடவும்
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,இலக்கு கிடங்கு
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,ஒரு கிடங்கில் தேர்ந்தெடுக்கவும்
DocType: Cheque Print Template,Starting location from left edge,இடது ஓரத்தில் இருந்து இடம் தொடங்கி
DocType: Item,Allow over delivery or receipt upto this percent,இந்த சதவிகிதம் வரை விநியோக அல்லது ரசீது மீது அனுமதிக்கவும்
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,இறக்குமதி வருகை
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,அனைத்து பொருள் குழுக்கள்
DocType: Process Payroll,Activity Log,நடவடிக்கை பதிவு
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,நிகர லாபம் / இழப்பு
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,நிகர லாபம் / இழப்பு
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,தானாக நடவடிக்கைகள் சமர்ப்பிப்பு செய்தி உருவாக்கும் .
DocType: Production Order,Item To Manufacture,பொருள் உற்பத்தி செய்ய
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} நிலை {2} ஆகிறது
@@ -918,16 +924,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,கொடுப்பனவு ஆணை வாங்க
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,திட்டமிட்டிருந்தது அளவு
DocType: Sales Invoice,Payment Due Date,கொடுப்பனவு காரணமாக தேதி
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,பொருள் மாற்று {0} ஏற்கனவே அதே பண்புகளை கொண்ட உள்ளது
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,பொருள் மாற்று {0} ஏற்கனவே அதே பண்புகளை கொண்ட உள்ளது
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','திறந்து'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,செய்ய திறந்த
DocType: Notification Control,Delivery Note Message,டெலிவரி குறிப்பு செய்தி
DocType: Expense Claim,Expenses,செலவுகள்
+,Support Hours,ஆதரவு மணி
DocType: Item Variant Attribute,Item Variant Attribute,பொருள் மாற்று கற்பிதம்
,Purchase Receipt Trends,ரிசிப்ட் போக்குகள் வாங்குவதற்கு
DocType: Process Payroll,Bimonthly,இருமாதங்களுக்கு ஒருமுறை
DocType: Vehicle Service,Brake Pad,பிரேக் பேட்
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,ஆராய்ச்சி மற்றும் அபிவிருத்தி
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,ஆராய்ச்சி மற்றும் அபிவிருத்தி
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,ரசீது தொகை
DocType: Company,Registration Details,பதிவு விவரங்கள்
DocType: Timesheet,Total Billed Amount,மொத்த பில் தொகை
@@ -940,12 +947,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,ஒரே மூலப்பொருட்கள் பெறுதல்
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,செயல்திறன் மதிப்பிடுதல்.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","இயக்குவதால் என வண்டியில் செயல்படுத்தப்படும், 'வண்டியில் பயன்படுத்தவும்' மற்றும் வண்டியில் குறைந்தபட்சம் ஒரு வரி விதி இருக்க வேண்டும்"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","கொடுப்பனவு நுழைவு {0} ஆணை {1}, அது இந்த விலைப்பட்டியல் முன்பணமாக இழுத்து வேண்டும் என்றால் சரிபார்க்க இணைக்கப்பட்டுள்ளது."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","கொடுப்பனவு நுழைவு {0} ஆணை {1}, அது இந்த விலைப்பட்டியல் முன்பணமாக இழுத்து வேண்டும் என்றால் சரிபார்க்க இணைக்கப்பட்டுள்ளது."
DocType: Sales Invoice Item,Stock Details,பங்கு விபரங்கள்
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,திட்ட மதிப்பு
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,புள்ளி விற்பனை
DocType: Vehicle Log,Odometer Reading,ஓடோமீட்டர் படித்தல்
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","கணக்கு நிலுவை ஏற்கனவே கடன், நீங்கள் அமைக்க அனுமதி இல்லை 'டெபிட்' என 'சமநிலை இருக்க வேண்டும்'"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","கணக்கு நிலுவை ஏற்கனவே கடன், நீங்கள் அமைக்க அனுமதி இல்லை 'டெபிட்' என 'சமநிலை இருக்க வேண்டும்'"
DocType: Account,Balance must be,இருப்பு இருக்க வேண்டும்
DocType: Hub Settings,Publish Pricing,விலை வெளியிடு
DocType: Notification Control,Expense Claim Rejected Message,செலவு கோரிக்கை செய்தி நிராகரிக்கப்பட்டது
@@ -955,7 +962,7 @@
DocType: Salary Slip,Working Days,வேலை நாட்கள்
DocType: Serial No,Incoming Rate,உள்வரும் விகிதம்
DocType: Packing Slip,Gross Weight,மொத்த எடை
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,நீங்கள் இந்த அமைப்பை அமைக்க இது உங்கள் நிறுவனத்தின் பெயர் .
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,நீங்கள் இந்த அமைப்பை அமைக்க இது உங்கள் நிறுவனத்தின் பெயர் .
DocType: HR Settings,Include holidays in Total no. of Working Days,மொத்த எந்த விடுமுறை அடங்கும். வேலை நாட்கள்
DocType: Job Applicant,Hold,பிடி
DocType: Employee,Date of Joining,சேர்வது தேதி
@@ -966,20 +973,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,ரசீது வாங்க
,Received Items To Be Billed,கட்டணம் பெறப்படும் பொருட்கள்
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,சமர்ப்பிக்கப்பட்டது சம்பளம் துண்டுகளைக்
-DocType: Employee,Ms,Ms
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,நாணய மாற்று வீதம் மாஸ்டர் .
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},குறிப்பு டாக்டைப் ஒன்றாக இருக்க வேண்டும் {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,நாணய மாற்று வீதம் மாஸ்டர் .
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},குறிப்பு டாக்டைப் ஒன்றாக இருக்க வேண்டும் {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},ஆபரேஷன் அடுத்த {0} நாட்கள் நேரத்தில் கண்டுபிடிக்க முடியவில்லை {1}
DocType: Production Order,Plan material for sub-assemblies,துணை கூட்டங்கள் திட்டம் பொருள்
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,விற்பனை பங்குதாரர்கள் மற்றும் பிரதேச
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,ஏற்கனவே கணக்கில் பங்கு சமநிலை உள்ளது தானாக கணக்கு உருவாக்க முடியவில்லை. இந்த கிடங்கில் ஒரு நுழைவு செய்வதற்கு முன் ஒரு பொருத்தமான கணக்கு உருவாக்க வேண்டும்
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} செயலில் இருக்க வேண்டும்
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} செயலில் இருக்க வேண்டும்
DocType: Journal Entry,Depreciation Entry,தேய்மானம் நுழைவு
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,முதல் ஆவணம் வகையை தேர்ந்தெடுக்கவும்
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,இந்த பராமரிப்பு பணிகள் முன் பொருள் வருகைகள் {0} ரத்து
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},தொடர் இல {0} பொருள் அல்ல {1}
DocType: Purchase Receipt Item Supplied,Required Qty,தேவையான அளவு
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,தற்போதுள்ள பரிவர்த்தனை கிடங்குகள் பேரேடு மாற்றப்பட முடியாது.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,தற்போதுள்ள பரிவர்த்தனை கிடங்குகள் பேரேடு மாற்றப்பட முடியாது.
DocType: Bank Reconciliation,Total Amount,மொத்த தொகை
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,"இணைய
வெளியிடுதல்"
@@ -995,25 +1000,26 @@
DocType: Fee Structure,Components,கூறுகள்
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},தயவு செய்து பொருள் உள்ள சொத்து வகை நுழைய {0}
DocType: Quality Inspection Reading,Reading 6,6 படித்தல்
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,இல்லை {0} {1} {2} இல்லாமல் எந்த எதிர்மறை நிலுவையில் விலைப்பட்டியல் Can
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,இல்லை {0} {1} {2} இல்லாமல் எந்த எதிர்மறை நிலுவையில் விலைப்பட்டியல் Can
DocType: Purchase Invoice Advance,Purchase Invoice Advance,விலைப்பட்டியல் அட்வான்ஸ் வாங்குவதற்கு
DocType: Hub Settings,Sync Now,இப்போது ஒத்திசை
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},ரோ {0}: கடன் நுழைவு இணைத்தே ஒரு {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,ஒரு நிதி ஆண்டில் வரவு-செலவுத் திட்ட வரையறை.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,ஒரு நிதி ஆண்டில் வரவு-செலவுத் திட்ட வரையறை.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,இந்த முறையில் தேர்ந்தெடுக்கும் போது முன்னிருப்பு வங்கி / பண கணக்கு தானாக பிஓஎஸ் விலைப்பட்டியல் உள்ள புதுப்பிக்கப்படும்.
DocType: Lead,LEAD-,LEAD-
DocType: Employee,Permanent Address Is,நிரந்தர முகவரி
DocType: Production Order Operation,Operation completed for how many finished goods?,ஆபரேஷன் எத்தனை முடிக்கப்பட்ட பொருட்கள் நிறைவு?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,பிராண்ட்
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,பிராண்ட்
DocType: Employee,Exit Interview Details,பேட்டி விவரம் வெளியேற
DocType: Item,Is Purchase Item,கொள்முதல் பொருள்
DocType: Asset,Purchase Invoice,விலைப்பட்டியல் கொள்வனவு
DocType: Stock Ledger Entry,Voucher Detail No,ரசீது விரிவாக இல்லை
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,புதிய விற்பனை விலைப்பட்டியல்
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,புதிய விற்பனை விலைப்பட்டியல்
DocType: Stock Entry,Total Outgoing Value,மொத்த வெளிச்செல்லும் மதிப்பு
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,தேதி மற்றும் முடிவுத் திகதி திறந்து அதே நிதியாண்டு க்குள் இருக்க வேண்டும்
DocType: Lead,Request for Information,தகவல் கோரிக்கை
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,ஒத்திசைவு ஆஃப்லைன் பொருள்
+,LeaderBoard,முன்னிலை
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,ஒத்திசைவு ஆஃப்லைன் பொருள்
DocType: Payment Request,Paid,Paid
DocType: Program Fee,Program Fee,திட்டம் கட்டணம்
DocType: Salary Slip,Total in words,வார்த்தைகளில் மொத்த
@@ -1022,13 +1028,13 @@
DocType: Cheque Print Template,Has Print Format,அச்சு வடிவம்
DocType: Employee Loan,Sanctioned,ஒப்புதல்
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,இது அத்தியாவசியமானதாகும். ஒருவேளை இதற்கான பணப்பரிமாற்றப் பதிவு உருவாக்கபடவில்லை
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},ரோ # {0}: பொருள் சீரியல் இல்லை குறிப்பிடவும் {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'தயாரிப்பு மூட்டை' பொருட்களை, சேமிப்புக் கிடங்கு, தொ.எ. மற்றும் தொகுதி இல்லை 'பேக்கிங்கை பட்டியலில் மேஜையிலிருந்து கருதப்படுகிறது. கிடங்கு மற்றும் தொகுதி இல்லை எந்த 'தயாரிப்பு மூட்டை' உருப்படியை அனைத்து பொதி பொருட்களை அதே இருந்தால், அந்த மதிப்புகள் முக்கிய பொருள் அட்டவணை உள்ளிட்ட முடியும், மதிப்புகள் மேஜை '' பட்டியல் பொதி 'நகலெடுக்கப்படும்."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},ரோ # {0}: பொருள் சீரியல் இல்லை குறிப்பிடவும் {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'தயாரிப்பு மூட்டை' பொருட்களை, சேமிப்புக் கிடங்கு, தொ.எ. மற்றும் தொகுதி இல்லை 'பேக்கிங்கை பட்டியலில் மேஜையிலிருந்து கருதப்படுகிறது. கிடங்கு மற்றும் தொகுதி இல்லை எந்த 'தயாரிப்பு மூட்டை' உருப்படியை அனைத்து பொதி பொருட்களை அதே இருந்தால், அந்த மதிப்புகள் முக்கிய பொருள் அட்டவணை உள்ளிட்ட முடியும், மதிப்புகள் மேஜை '' பட்டியல் பொதி 'நகலெடுக்கப்படும்."
DocType: Job Opening,Publish on website,வலைத்தளத்தில் வெளியிடு
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,வாடிக்கையாளர்களுக்கு ஏற்றுமதி.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,சப்ளையர் விவரப்பட்டியல் தேதி பதிவுசெய்ய தேதி விட அதிகமாக இருக்க முடியாது
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,சப்ளையர் விவரப்பட்டியல் தேதி பதிவுசெய்ய தேதி விட அதிகமாக இருக்க முடியாது
DocType: Purchase Invoice Item,Purchase Order Item,ஆர்டர் பொருள் வாங்க
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,மறைமுக வருமானம்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,மறைமுக வருமானம்
DocType: Student Attendance Tool,Student Attendance Tool,மாணவர் வருகை கருவி
DocType: Cheque Print Template,Date Settings,தேதி அமைப்புகள்
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,மாறுபாடு
@@ -1046,21 +1052,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,இரசாயன
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,இந்த முறையில் தேர்ந்தெடுக்கப்பட்ட போது இயல்புநிலை வங்கி / பண கணக்கு தானாக சம்பளம் ஜர்னல் நுழைவு புதுப்பிக்கப்படும்.
DocType: BOM,Raw Material Cost(Company Currency),மூலப்பொருட்களின் விலை (நிறுவனத்தின் நாணய)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,அனைத்து பொருட்களும் ஏற்கனவே இந்த உத்தரவு க்கு மாற்றப்பட்டது.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,அனைத்து பொருட்களும் ஏற்கனவே இந்த உத்தரவு க்கு மாற்றப்பட்டது.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},ரோ # {0}: விகிதம் பயன்படுத்தப்படும் விகிதத்தை விட அதிகமாக இருக்க முடியாது {1} {2}
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},ரோ # {0}: விகிதம் பயன்படுத்தப்படும் விகிதத்தை விட அதிகமாக இருக்க முடியாது {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,மீட்டர்
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,மீட்டர்
DocType: Workstation,Electricity Cost,மின்சார செலவு
DocType: HR Settings,Don't send Employee Birthday Reminders,பணியாளர் நினைவூட்டல்கள் அனுப்ப வேண்டாம்
DocType: Item,Inspection Criteria,ஆய்வு வரையறைகள்
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,மாற்றப்பட்டால்
DocType: BOM Website Item,BOM Website Item,BOM இணையத்தளம் பொருள்
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,உங்கள் கடிதம் தலை மற்றும் சின்னம் பதிவேற்ற. (நீங்கள் பின்னர் அவர்களை திருத்த முடியும்).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,உங்கள் கடிதம் தலை மற்றும் சின்னம் பதிவேற்ற. (நீங்கள் பின்னர் அவர்களை திருத்த முடியும்).
DocType: Timesheet Detail,Bill,ரசீது
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,அடுத்த தேய்மானம் தேதி கடந்த தேதி உள்ளிட்ட வருகிறது
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,வெள்ளை
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,வெள்ளை
DocType: SMS Center,All Lead (Open),அனைத்து முன்னணி (திறந்த)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ரோ {0}: அளவு கிடைக்கவில்லை {4} கிடங்கில் {1} நுழைவு நேரம் வெளியிடும் ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),ரோ {0}: அளவு கிடைக்கவில்லை {4} கிடங்கில் {1} நுழைவு நேரம் வெளியிடும் ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,கட்டண முன்னேற்றங்கள் கிடைக்கும்
DocType: Item,Automatically Create New Batch,தானாகவே புதிய தொகுதி உருவாக்கவும்
DocType: Item,Automatically Create New Batch,தானாகவே புதிய தொகுதி உருவாக்கவும்
@@ -1071,13 +1077,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,என் வண்டியில்
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},ஒழுங்கு வகை ஒன்றாக இருக்க வேண்டும் {0}
DocType: Lead,Next Contact Date,அடுத்த தொடர்பு தேதி
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,திறந்து அளவு
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,தயவு செய்து தொகை மாற்றத்தைக் கணக்கில் நுழைய
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,திறந்து அளவு
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,தயவு செய்து தொகை மாற்றத்தைக் கணக்கில் நுழைய
DocType: Student Batch Name,Student Batch Name,மாணவர் தொகுதி பெயர்
DocType: Holiday List,Holiday List Name,விடுமுறை பட்டியல் பெயர்
DocType: Repayment Schedule,Balance Loan Amount,இருப்பு கடன் தொகை
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,அட்டவணை பாடநெறி
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,ஸ்டாக் ஆப்ஷன்ஸ்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,ஸ்டாக் ஆப்ஷன்ஸ்
DocType: Journal Entry Account,Expense Claim,இழப்பில் கோரிக்கை
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,நீங்கள் உண்மையில் இந்த முறித்துள்ளது சொத்து மீட்க வேண்டும் என்று விரும்புகிறீர்களா?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},ஐந்து அளவு {0}
@@ -1089,12 +1095,12 @@
DocType: Company,Default Terms,இயல்புநிலை நெறிமுறைகள்
DocType: Packing Slip Item,Packing Slip Item,ஸ்லிப் பொருள் பொதி
DocType: Purchase Invoice,Cash/Bank Account,பண / வங்கி கணக்கு
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},தயவு செய்து குறிப்பிட ஒரு {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},தயவு செய்து குறிப்பிட ஒரு {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,அளவு அல்லது மதிப்பு எந்த மாற்றமும் நீக்கப்பட்ட விடயங்கள்.
DocType: Delivery Note,Delivery To,வழங்கும்
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,கற்பிதம் அட்டவணையின் கட்டாயமாகும்
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,கற்பிதம் அட்டவணையின் கட்டாயமாகும்
DocType: Production Planning Tool,Get Sales Orders,விற்பனை ஆணைகள் கிடைக்கும்
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} எதிர்மறை இருக்க முடியாது
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} எதிர்மறை இருக்க முடியாது
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,தள்ளுபடி
DocType: Asset,Total Number of Depreciations,Depreciations எண்ணிக்கை
DocType: Sales Invoice Item,Rate With Margin,மார்ஜின் உடன் விகிதம்
@@ -1115,7 +1121,6 @@
DocType: Serial No,Creation Document No,உருவாக்கம் ஆவண இல்லை
DocType: Issue,Issue,சிக்கல்
DocType: Asset,Scrapped,முறித்துள்ளது
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,கணக்கு நிறுவனத்தின் பொருந்தவில்லை
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","பொருள் வகைகளையும் காரணிகள். எ.கா. அளவு, நிறம், முதலியன"
DocType: Purchase Invoice,Returns,ரிட்டர்ன்ஸ்
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,காதல் களம் கிடங்கு
@@ -1127,12 +1132,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,பொருள் பொத்தானை 'வாங்குதல் ரசீதுகள் இருந்து விடயங்கள் பெறவும்' பயன்படுத்தி சேர்க்க
DocType: Employee,A-,ஏ
DocType: Production Planning Tool,Include non-stock items,பங்கற்ற பொருட்களை சேர்க்க
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,விற்பனை செலவு
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,விற்பனை செலவு
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,ஸ்டாண்டர்ட் வாங்குதல்
DocType: GL Entry,Against,எதிராக
DocType: Item,Default Selling Cost Center,இயல்புநிலை விற்பனை செலவு மையம்
DocType: Sales Partner,Implementation Partner,செயல்படுத்தல் வரன்வாழ்க்கை துணை
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,ஜிப் குறியீடு
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,ஜிப் குறியீடு
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},விற்பனை ஆணை {0} {1}
DocType: Opportunity,Contact Info,தகவல் தொடர்பு
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,பங்கு பதிவுகள் செய்தல்
@@ -1145,33 +1150,33 @@
DocType: Holiday List,Get Weekly Off Dates,வாராந்திர இனிய தினங்கள் கிடைக்கும்
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,முடிவு தேதி தொடங்கும் நாள் விட குறைவாக இருக்க முடியாது
DocType: Sales Person,Select company name first.,முதல் நிறுவனத்தின் பெயரை தேர்ந்தெடுக்கவும்.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,டாக்டர்
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,மேற்கோள்கள் சப்ளையர்கள் இருந்து பெற்றார்.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},எப்படி {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,சராசரி வயது
DocType: School Settings,Attendance Freeze Date,வருகை உறைந்து தேதி
DocType: School Settings,Attendance Freeze Date,வருகை உறைந்து தேதி
DocType: Opportunity,Your sales person who will contact the customer in future,எதிர்காலத்தில் வாடிக்கையாளர் தொடர்பு யார் உங்கள் விற்பனை நபர்
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,உங்கள் சப்ளையர்கள் ஒரு சில பட்டியல் . அவர்கள் நிறுவனங்கள் அல்லது தனிநபர்கள் இருக்க முடியும் .
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,உங்கள் சப்ளையர்கள் ஒரு சில பட்டியல் . அவர்கள் நிறுவனங்கள் அல்லது தனிநபர்கள் இருக்க முடியும் .
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,அனைத்து பொருட்கள் காண்க
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),குறைந்தபட்ச முன்னணி வயது (நாட்கள்)
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),குறைந்தபட்ச முன்னணி வயது (நாட்கள்)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,அனைத்து BOM கள்
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,அனைத்து BOM கள்
DocType: Company,Default Currency,முன்னிருப்பு நாணயத்தின்
DocType: Expense Claim,From Employee,பணியாளர் இருந்து
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,எச்சரிக்கை: முறைமை {0} {1} பூஜ்யம் பொருள் தொகை என்பதால் overbilling பார்க்க மாட்டேன்
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,எச்சரிக்கை: முறைமை {0} {1} பூஜ்யம் பொருள் தொகை என்பதால் overbilling பார்க்க மாட்டேன்
DocType: Journal Entry,Make Difference Entry,வித்தியாசம் நுழைவு செய்ய
DocType: Upload Attendance,Attendance From Date,வரம்பு தேதி வருகை
DocType: Appraisal Template Goal,Key Performance Area,முக்கிய செயல்திறன் பகுதி
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,போக்குவரத்து
+DocType: Program Enrollment,Transportation,போக்குவரத்து
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,தவறான கற்பிதம்
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} சமர்ப்பிக்க வேண்டும்
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} சமர்ப்பிக்க வேண்டும்
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},அளவு குறைவாக அல்லது சமமாக இருக்க வேண்டும் {0}
DocType: SMS Center,Total Characters,மொத்த எழுத்துகள்
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},பொருள் BOM துறையில் BOM தேர்ந்தெடுக்கவும் {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},பொருள் BOM துறையில் BOM தேர்ந்தெடுக்கவும் {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,சி படிவம் விலைப்பட்டியல் விரிவாக
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,கொடுப்பனவு நல்லிணக்க விலைப்பட்டியல்
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,பங்களிப்பு%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","வாங்குதல் அமைப்புகள் படி கொள்முதல் ஆணை தேவைப்பட்டால் == 'ஆம்', பின்னர் கொள்முதல் விலைப்பட்டியல் உருவாக்கும், பயனர் உருப்படியை முதல் கொள்முதல் ஆணை உருவாக்க வேண்டும் {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,உங்கள் குறிப்பு நிறுவனத்தில் பதிவு எண்கள். வரி எண்கள் போன்ற
DocType: Sales Partner,Distributor,பகிர்கருவி
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,வண்டியில் கப்பல் விதி
@@ -1180,23 +1185,25 @@
,Ordered Items To Be Billed,கணக்கில் வேண்டும் உத்தரவிட்டது உருப்படிகள்
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,ரேஞ்ச் குறைவாக இருக்க வேண்டும் இருந்து விட வரையறைக்கு
DocType: Global Defaults,Global Defaults,உலக இயல்புநிலைகளுக்கு
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,திட்ட கூட்டு அழைப்பிதழ்
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,திட்ட கூட்டு அழைப்பிதழ்
DocType: Salary Slip,Deductions,விலக்கிற்கு
DocType: Leave Allocation,LAL/,லால் /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,தொடக்க ஆண்டு
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},GSTIN முதல் 2 இலக்கங்கள் மாநில எண் பொருந்த வேண்டும் {0}
DocType: Purchase Invoice,Start date of current invoice's period,தற்போதைய விலைப்பட்டியல் நேரத்தில் தேதி தொடங்கும்
DocType: Salary Slip,Leave Without Pay,சம்பளமில்லா விடுப்பு
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,கொள்ளளவு திட்டமிடுதல் பிழை
,Trial Balance for Party,கட்சி சோதனை இருப்பு
DocType: Lead,Consultant,பிறர் அறிவுரை வேண்டுபவர்
DocType: Salary Slip,Earnings,வருவாய்
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,முடிந்தது பொருள் {0} உற்பத்தி வகை நுழைவு உள்ளிட்ட
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,முடிந்தது பொருள் {0} உற்பத்தி வகை நுழைவு உள்ளிட்ட
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,திறந்து கணக்கு இருப்பு
+,GST Sales Register,ஜிஎஸ்டி விற்பனை பதிவு
DocType: Sales Invoice Advance,Sales Invoice Advance,விற்பனை விலைப்பட்டியல் முன்பணம்
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,எதுவும் கோர
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},மற்றொரு பட்ஜெட் சாதனை '{0}' ஏற்கனவே எதிராக உள்ளது {1} '{2}' நிதி ஆண்டிற்கான {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',' உண்மையான தொடக்க தேதி ' உண்மையான முடிவு தேதி' யை விட அதிகமாக இருக்க முடியாது
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,மேலாண்மை
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,மேலாண்மை
DocType: Cheque Print Template,Payer Settings,செலுத்துவோரை அமைப்புகள்
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","இந்த மாற்று பொருள் குறியீடு இணைக்கப்படும். உங்கள் சுருக்கம் ""எஸ்.எம்"", மற்றும் என்றால் உதாரணமாக, இந்த உருப்படியை குறியீடு ""சட்டை"", ""டி-சட்டை-எஸ்.எம்"" இருக்கும் மாறுபாடு உருப்படியை குறியீடு ஆகிறது"
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,நீங்கள் சம்பள விபரம் சேமிக்க முறை நிகர வருவாய் (வார்த்தைகளில்) காண முடியும்.
@@ -1213,8 +1220,8 @@
DocType: Employee Loan,Partially Disbursed,பகுதியளவு செலவிட்டு
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,வழங்குபவர் தரவுத்தள.
DocType: Account,Balance Sheet,இருப்பு தாள்
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ','பொருள் கோட் பொருள் சென்டர் செலவாகும்
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","பணம் செலுத்தும் முறை உள்ளமைக்கப்படவில்லை. கணக்கு கொடுப்பனவு முறை அல்லது பிஓஎஸ் பதிவு செய்தது பற்றி அமைக்க என்பதையும், சரிபார்க்கவும்."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ','பொருள் கோட் பொருள் சென்டர் செலவாகும்
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","பணம் செலுத்தும் முறை உள்ளமைக்கப்படவில்லை. கணக்கு கொடுப்பனவு முறை அல்லது பிஓஎஸ் பதிவு செய்தது பற்றி அமைக்க என்பதையும், சரிபார்க்கவும்."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,உங்கள் விற்பனை நபர் வாடிக்கையாளர் தொடர்பு கொள்ள இந்த தேதியில் ஒரு நினைவூட்டல் வரும்
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,அதே பொருளைப் பலமுறை உள்ளிட முடியாது.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","மேலும் கணக்குகளை குழுக்கள் கீழ் செய்யப்பட்ட, ஆனால் உள்ளீடுகளை அல்லாத குழுக்கள் எதிராகவும் முடியும்"
@@ -1222,7 +1229,7 @@
DocType: Email Digest,Payables,Payables
DocType: Course,Course Intro,பாடநெறி அறிமுகம்
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,பங்கு நுழைவு {0} உருவாக்கப்பட்ட
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,ரோ # {0}: அளவு கொள்முதல் ரிட்டன் உள்ளிட முடியாது நிராகரிக்கப்பட்டது
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,ரோ # {0}: அளவு கொள்முதல் ரிட்டன் உள்ளிட முடியாது நிராகரிக்கப்பட்டது
,Purchase Order Items To Be Billed,"பில்லிங் செய்யப்படும் விதமே இருக்கவும் செய்ய வாங்குதல், ஆர்டர் உருப்படிகள்"
DocType: Purchase Invoice Item,Net Rate,நிகர விகிதம்
DocType: Purchase Invoice Item,Purchase Invoice Item,விலைப்பட்டியல் பொருள் வாங்க
@@ -1249,7 +1256,7 @@
DocType: Sales Order,SO-,அதனால்-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,முதல் முன்னொட்டு தேர்வு செய்க
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,ஆராய்ச்சி
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,ஆராய்ச்சி
DocType: Maintenance Visit Purpose,Work Done,வேலை
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,காரணிகள் அட்டவணை குறைந்தது ஒரு கற்பிதம் குறிப்பிட தயவு செய்து
DocType: Announcement,All Students,அனைத்து மாணவர்கள்
@@ -1257,17 +1264,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,காட்சி லெட்ஜர்
DocType: Grading Scale,Intervals,இடைவெளிகள்
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,முந்தைய
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","ஒரு உருப்படி குழு அதே பெயரில் , உருப்படி பெயர் மாற்ற அல்லது உருப்படியை குழு பெயர்மாற்றம் செய்க"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,மாணவர் மொபைல் எண்
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,உலகம் முழுவதும்
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","ஒரு உருப்படி குழு அதே பெயரில் , உருப்படி பெயர் மாற்ற அல்லது உருப்படியை குழு பெயர்மாற்றம் செய்க"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,மாணவர் மொபைல் எண்
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,உலகம் முழுவதும்
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,பொருள் {0} பணி முடியாது
,Budget Variance Report,வரவு செலவு வேறுபாடு அறிக்கை
DocType: Salary Slip,Gross Pay,ஒட்டு மொத்த ஊதியம் / சம்பளம்
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,ரோ {0}: நடவடிக்கை வகை கட்டாயமாகும்.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,பங்கிலாபங்களைப்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,பங்கிலாபங்களைப்
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,கணக்கியல் பேரேடு
DocType: Stock Reconciliation,Difference Amount,வேறுபாடு தொகை
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,தக்க வருவாய்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,தக்க வருவாய்
DocType: Vehicle Log,Service Detail,சேவை விரிவாக
DocType: BOM,Item Description,பொருள் விளக்கம்
DocType: Student Sibling,Student Sibling,மாணவர் உடன்பிறந்தோர்
@@ -1282,11 +1289,11 @@
DocType: Opportunity Item,Opportunity Item,வாய்ப்பு தகவல்கள்
,Student and Guardian Contact Details,மாணவர் மற்றும் கார்டியன் தொடர்பு விவரங்கள்
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,ரோ {0}: சப்ளையர் க்கு {0} மின்னஞ்சல் முகவரி மின்னஞ்சல் அனுப்ப வேண்டும்
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,தற்காலிக திறப்பு
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,தற்காலிக திறப்பு
,Employee Leave Balance,பணியாளர் விடுப்பு இருப்பு
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},{0} எப்போதும் இருக்க வேண்டும் கணக்கு இருப்பு {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},மதிப்பீட்டு மதிப்பீடு வரிசையில் பொருள் தேவையான {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,உதாரணம்: கணினி அறிவியல் முதுநிலை
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,உதாரணம்: கணினி அறிவியல் முதுநிலை
DocType: Purchase Invoice,Rejected Warehouse,நிராகரிக்கப்பட்டது கிடங்கு
DocType: GL Entry,Against Voucher,வவுச்சர் எதிராக
DocType: Item,Default Buying Cost Center,இயல்புநிலை வாங்குதல் செலவு மையம்
@@ -1299,31 +1306,30 @@
DocType: Journal Entry,Get Outstanding Invoices,சிறந்த பற்றுச்சீட்டுகள் கிடைக்கும்
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,விற்பனை ஆணை {0} தவறானது
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,கொள்முதல் ஆணைகள் நீ திட்டமிட உதவும் உங்கள் கொள்முதல் சரி வர
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","மன்னிக்கவும், நிறுவனங்கள் ஒன்றாக்க முடியாது"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","மன்னிக்கவும், நிறுவனங்கள் ஒன்றாக்க முடியாது"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",மொத்த வெளியீடு மாற்றம் / அளவு {0} பொருள் கோரிக்கை {1} \ பொருள் {2} கோரிய அளவு அதிகமாக இருக்கக் கூடாது முடியும் {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,சிறிய
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,சிறிய
DocType: Employee,Employee Number,பணியாளர் எண்
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},வழக்கு எண் (கள்) ஏற்கனவே பயன்பாட்டில் உள்ளது. வழக்கு எண் இருந்து முயற்சி {0}
DocType: Project,% Completed,% முடிந்தது
,Invoiced Amount (Exculsive Tax),விலை விவரம் தொகை ( ஒதுக்கி தள்ளும் பண்புடைய வரி )
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,பொருள் 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,கணக்கு தலையில் {0} உருவாக்கப்பட்டது
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,பயிற்சி நிகழ்வு
DocType: Item,Auto re-order,வாகன மறு ஒழுங்கு
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,மொத்த Achieved
DocType: Employee,Place of Issue,இந்த இடத்தில்
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,ஒப்பந்த
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,ஒப்பந்த
DocType: Email Digest,Add Quote,ஆனால் சேர்க்கவும்
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},மொறட்டுவ பல்கலைகழகம் தேவையான மொறட்டுவ பல்கலைகழகம் Coversion காரணி: {0} உருப்படியை: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,மறைமுக செலவுகள்
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},மொறட்டுவ பல்கலைகழகம் தேவையான மொறட்டுவ பல்கலைகழகம் Coversion காரணி: {0} உருப்படியை: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,மறைமுக செலவுகள்
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,ரோ {0}: அளவு கட்டாய ஆகிறது
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,விவசாயம்
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,ஒத்திசைவு முதன்மை தரவு
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,உங்கள் தயாரிப்புகள் அல்லது சேவைகள்
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,ஒத்திசைவு முதன்மை தரவு
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,உங்கள் தயாரிப்புகள் அல்லது சேவைகள்
DocType: Mode of Payment,Mode of Payment,கட்டணம் செலுத்தும் முறை
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,இணைய பட ஒரு பொது கோப்பு அல்லது வலைத்தளத்தின் URL இருக்க வேண்டும்
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,இணைய பட ஒரு பொது கோப்பு அல்லது வலைத்தளத்தின் URL இருக்க வேண்டும்
DocType: Student Applicant,AP,ஆந்திர
DocType: Purchase Invoice Item,BOM,பொருட்களின் அளவுக்கான ரசீது(BOM)
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,இந்த ஒரு ரூட் உருப்படியை குழு மற்றும் திருத்த முடியாது .
@@ -1332,7 +1338,7 @@
DocType: Warehouse,Warehouse Contact Info,சேமிப்பு கிடங்கு தொடர்பு தகவல்
DocType: Payment Entry,Write Off Difference Amount,வேறுபாடு தொகை ஆஃப் எழுத
DocType: Purchase Invoice,Recurring Type,மீண்டும் வகை
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: ஊழியர் மின்னஞ்சல் கிடைக்கவில்லை, எனவே மின்னஞ்சல் அனுப்பப்படவில்லை."
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: ஊழியர் மின்னஞ்சல் கிடைக்கவில்லை, எனவே மின்னஞ்சல் அனுப்பப்படவில்லை."
DocType: Item,Foreign Trade Details,வெளிநாட்டு வர்த்தக விவரங்கள்
DocType: Email Digest,Annual Income,ஆண்டு வருமானம்
DocType: Serial No,Serial No Details,தொடர் எண் விவரம்
@@ -1340,10 +1346,10 @@
DocType: Student Group Student,Group Roll Number,குழு ரோல் எண்
DocType: Student Group Student,Group Roll Number,குழு ரோல் எண்
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",{0} மட்டுமே கடன் கணக்குகள் மற்றொரு பற்று நுழைவு எதிராக இணைக்கப்பட்ட ஐந்து
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,அனைத்து பணி எடைகள் மொத்த இருக்க வேண்டும் 1. அதன்படி அனைத்து திட்ட பணிகளை எடைகள் சரிசெய்யவும்
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,விநியோக குறிப்பு {0} சமர்ப்பிக்கவில்லை
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,பொருள் {0} ஒரு துணை ஒப்பந்தம் பொருள் இருக்க வேண்டும்
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,மூலதன கருவிகள்
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,அனைத்து பணி எடைகள் மொத்த இருக்க வேண்டும் 1. அதன்படி அனைத்து திட்ட பணிகளை எடைகள் சரிசெய்யவும்
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,விநியோக குறிப்பு {0} சமர்ப்பிக்கவில்லை
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,பொருள் {0} ஒரு துணை ஒப்பந்தம் பொருள் இருக்க வேண்டும்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,மூலதன கருவிகள்
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","விலை விதி முதல் பொருள், பொருள் பிரிவு அல்லது பிராண்ட் முடியும், துறையில் 'விண்ணப்பிக்க' அடிப்படையில் தேர்வு செய்யப்படுகிறது."
DocType: Hub Settings,Seller Website,விற்பனையாளர் வலைத்தளம்
DocType: Item,ITEM-,ITEM-
@@ -1361,7 +1367,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","மட்டுமே "" மதிப்பு "" 0 அல்லது வெற்று மதிப்பு ஒரு கப்பல் விதி நிலை இருக்க முடியாது"
DocType: Authorization Rule,Transaction,பரிவர்த்தனை
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,குறிப்பு: இந்த விலை மையம் ஒரு குழு உள்ளது. குழுக்களுக்கு எதிராக கணக்கியல் உள்ளீடுகள் செய்ய முடியாது .
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,குழந்தை கிடங்கில் இந்த களஞ்சியசாலை உள்ளது. நீங்கள் இந்த களஞ்சியசாலை நீக்க முடியாது.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,குழந்தை கிடங்கில் இந்த களஞ்சியசாலை உள்ளது. நீங்கள் இந்த களஞ்சியசாலை நீக்க முடியாது.
DocType: Item,Website Item Groups,இணைய தகவல்கள் குழுக்கள்
DocType: Purchase Invoice,Total (Company Currency),மொத்த (நிறுவனத்தின் நாணயம்)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,சீரியல் எண்ணை {0} க்கும் மேற்பட்ட முறை உள்ளிட்ட
@@ -1371,7 +1377,7 @@
DocType: Grading Scale Interval,Grade Code,தர குறியீடு
DocType: POS Item Group,POS Item Group,பிஓஎஸ் பொருள் குழு
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,மின்னஞ்சல் தொகுப்பு:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} பொருள் சேர்ந்தவர்கள் இல்லை {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} பொருள் சேர்ந்தவர்கள் இல்லை {1}
DocType: Sales Partner,Target Distribution,இலக்கு விநியோகம்
DocType: Salary Slip,Bank Account No.,வங்கி கணக்கு எண்
DocType: Naming Series,This is the number of the last created transaction with this prefix,இந்த முன்னொட்டு கடந்த உருவாக்கப்பட்ட பரிவர்த்தனை எண்ணிக்கை
@@ -1382,12 +1388,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,புத்தக சொத்து தேய்மானம் நுழைவு தானாகவே
DocType: BOM Operation,Workstation,பணிநிலையம்
DocType: Request for Quotation Supplier,Request for Quotation Supplier,மேற்கோள் சப்ளையர் கோரிக்கை
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,வன்பொருள்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,வன்பொருள்
DocType: Sales Order,Recurring Upto,தொடர் வரை
DocType: Attendance,HR Manager,அலுவலக மேலாளர்
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,ஒரு நிறுவனத்தின் தேர்ந்தெடுக்கவும்
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,தனிச்சலுகை விடுப்பு
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,ஒரு நிறுவனத்தின் தேர்ந்தெடுக்கவும்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,தனிச்சலுகை விடுப்பு
DocType: Purchase Invoice,Supplier Invoice Date,வழங்குபவர் விலைப்பட்டியல் தேதி
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,ஒன்றுக்கு
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,வண்டியில் செயல்படுத்த வேண்டும்
DocType: Payment Entry,Writeoff,Writeoff
DocType: Appraisal Template Goal,Appraisal Template Goal,"மதிப்பீட்டு வார்ப்புரு
@@ -1399,10 +1406,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,இடையே காணப்படும் ஒன்றுடன் ஒன்று நிலைமைகள் :
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,ஜர்னல் எதிராக நுழைவு {0} ஏற்கனவே வேறு சில ரசீது எதிரான சரிசெய்யப்பட்டது
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,மொத்த ஒழுங்கு மதிப்பு
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,உணவு
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,உணவு
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,வயதான ரேஞ்ச் 3
DocType: Maintenance Schedule Item,No of Visits,வருகைகள் எண்ணிக்கை
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,மார்க் Attendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,மார்க் Attendence
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},பராமரிப்பு அட்டவணை {0} எதிராக உள்ளது {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,பதிவுசெய்யும் மாணவர்
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},கணக்கை மூடுவதற்கான நாணயம் இருக்க வேண்டும் {0}
@@ -1416,6 +1423,7 @@
DocType: Rename Tool,Utilities,பயன்பாடுகள்
DocType: Purchase Invoice Item,Accounting,கணக்கியல்
DocType: Employee,EMP/,ஊழியர் /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,பேட்ச்சுடு உருப்படியை தொகுப்புகளும் தேர்ந்தெடுக்கவும்
DocType: Asset,Depreciation Schedules,தேய்மானம் கால அட்டவணைகள்
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,விண்ணப்ப காலம் வெளியே விடுப்பு ஒதுக்கீடு காலம் இருக்க முடியாது
DocType: Activity Cost,Projects,திட்டங்கள்
@@ -1429,6 +1437,7 @@
DocType: POS Profile,Campaign,பிரச்சாரம்
DocType: Supplier,Name and Type,பெயர் மற்றும் வகை
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',அங்கீகாரநிலையை அங்கீகரிக்கப்பட்ட 'அல்லது' நிராகரிக்கப்பட்டது '
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,பூட்ஸ்ட்ராப்
DocType: Purchase Invoice,Contact Person,நபர் தொடர்பு
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',' எதிர்பார்த்த தொடக்க தேதி ' 'எதிர்பார்த்த முடிவு தேதி ' ஐ விட அதிகமாக இருக்க முடியாது
DocType: Course Scheduling Tool,Course End Date,நிச்சயமாக முடிவு தேதி
@@ -1436,12 +1445,11 @@
DocType: Sales Order Item,Planned Quantity,திட்டமிட்ட அளவு
DocType: Purchase Invoice Item,Item Tax Amount,பொருள் வரி தொகை
DocType: Item,Maintain Stock,பங்கு பராமரிக்கவும்
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,ஏற்கனவே உற்பத்தி ஆணை உருவாக்கப்பட்ட பங்கு பதிவுகள்
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,ஏற்கனவே உற்பத்தி ஆணை உருவாக்கப்பட்ட பங்கு பதிவுகள்
DocType: Employee,Prefered Email,prefered மின்னஞ்சல்
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,நிலையான சொத்து நிகர மாற்றம்
DocType: Leave Control Panel,Leave blank if considered for all designations,அனைத்து வடிவ கருத்தில் இருந்தால் வெறுமையாக
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,கிடங்கு வகை இருப்பு அல்லாத குழு கணக்குகள் அத்தியாவசியமானதாகும்
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,வகை வரிசையில் {0} ல் ' உண்மையான ' பொறுப்பு மதிப்பிட சேர்க்கப்பட்டுள்ளது முடியாது
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,வகை வரிசையில் {0} ல் ' உண்மையான ' பொறுப்பு மதிப்பிட சேர்க்கப்பட்டுள்ளது முடியாது
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},அதிகபட்சம்: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,தேதி நேரம் இருந்து
DocType: Email Digest,For Company,நிறுவனத்தின்
@@ -1451,15 +1459,15 @@
DocType: Sales Invoice,Shipping Address Name,ஷிப்பிங் முகவரி பெயர்
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,கணக்கு விளக்கப்படம்
DocType: Material Request,Terms and Conditions Content,நிபந்தனைகள் உள்ளடக்கம்
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,100 க்கும் அதிகமாக இருக்க முடியாது
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,பொருள் {0} ஒரு பங்கு பொருள் அல்ல
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,100 க்கும் அதிகமாக இருக்க முடியாது
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,பொருள் {0} ஒரு பங்கு பொருள் அல்ல
DocType: Maintenance Visit,Unscheduled,திட்டமிடப்படாத
DocType: Employee,Owned,சொந்தமானது
DocType: Salary Detail,Depends on Leave Without Pay,சம்பளமில்லா விடுப்பு பொறுத்தது
DocType: Pricing Rule,"Higher the number, higher the priority","உயர் எண், அதிக முன்னுரிமை"
,Purchase Invoice Trends,விலைப்பட்டியல் போக்குகள் வாங்குவதற்கு
DocType: Employee,Better Prospects,நல்ல வாய்ப்புகள்
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","ரோ # {0}: தொகுதி {1} மட்டுமே {2} கொத்தமல்லி உள்ளது. கிடைக்க கொண்ட {3} கொத்தமல்லி மற்றொரு தொகுதி தேர்ந்தெடுக்கவும் அல்லது / பல தொகுப்புகளும் இருந்து பிரச்சினை வழங்க, பல வரிசைகள் ஒரு வரிசையில் பிரிக்கவும்"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","ரோ # {0}: தொகுதி {1} மட்டுமே {2} கொத்தமல்லி உள்ளது. கிடைக்க கொண்ட {3} கொத்தமல்லி மற்றொரு தொகுதி தேர்ந்தெடுக்கவும் அல்லது / பல தொகுப்புகளும் இருந்து பிரச்சினை வழங்க, பல வரிசைகள் ஒரு வரிசையில் பிரிக்கவும்"
DocType: Vehicle,License Plate,உரிமம் தகடு
DocType: Appraisal,Goals,இலக்குகளை
DocType: Warranty Claim,Warranty / AMC Status,உத்தரவாதத்தை / AMC நிலைமை
@@ -1470,7 +1478,8 @@
,Batch-Wise Balance History,தொகுதி ஞானமுடையவனாகவும் இருப்பு வரலாறு
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,அச்சு அமைப்புகள் அந்தந்த அச்சு வடிவம் மேம்படுத்தப்பட்டது
DocType: Package Code,Package Code,தொகுப்பு குறியீடு
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,வேலை கற்க நியமி
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,வேலை கற்க நியமி
+DocType: Purchase Invoice,Company GSTIN,நிறுவனம் GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,எதிர்மறை அளவு அனுமதி இல்லை
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","ஒரு சரம் போன்ற உருப்படியை மாஸ்டர் இருந்து எடுத்தது இந்த துறையில் சேமிக்கப்படும் வரி விவரம் அட்டவணை.
@@ -1478,12 +1487,12 @@
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,பணியாளர் தன்னை தெரிவிக்க முடியாது.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","கணக்கு முடக்கப்படும் என்றால், உள்ளீடுகளை தடை செய்த அனுமதிக்கப்படுகிறது ."
DocType: Email Digest,Bank Balance,வங்கி மீதி
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},{1} மட்டுமே நாணய முடியும்: {0} பைனான்ஸ் நுழைவு {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},{1} மட்டுமே நாணய முடியும்: {0} பைனான்ஸ் நுழைவு {2}
DocType: Job Opening,"Job profile, qualifications required etc.","வேலை சுயவிவரத்தை, தகுதிகள் தேவை முதலியன"
DocType: Journal Entry Account,Account Balance,கணக்கு இருப்பு
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,பரிவர்த்தனைகள் வரி விதி.
DocType: Rename Tool,Type of document to rename.,மறுபெயர் ஆவணம் வகை.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,நாம் இந்த பொருள் வாங்க
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,நாம் இந்த பொருள் வாங்க
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: வாடிக்கையாளர் பெறத்தக்க கணக்கு எதிராக தேவைப்படுகிறது {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),மொத்த வரி மற்றும் கட்டணங்கள் (நிறுவனத்தின் கரன்சி)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,மூடப்படாத நிதி ஆண்டில் பி & எல் நிலுவைகளை காட்டு
@@ -1494,29 +1503,30 @@
DocType: Stock Entry,Total Additional Costs,மொத்த கூடுதல் செலவுகள்
DocType: Course Schedule,SH,எஸ்.எச்
DocType: BOM,Scrap Material Cost(Company Currency),குப்பை பொருள் செலவு (நிறுவனத்தின் நாணய)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,துணை சபைகளின்
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,துணை சபைகளின்
DocType: Asset,Asset Name,சொத்து பெயர்
DocType: Project,Task Weight,டாஸ்க் எடை
DocType: Shipping Rule Condition,To Value,மதிப்பு
DocType: Asset Movement,Stock Manager,பங்கு மேலாளர்
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},மூல கிடங்கில் வரிசையில் கட்டாய {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,ஸ்லிப் பொதி
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,அலுவலகத்திற்கு வாடகைக்கு
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},மூல கிடங்கில் வரிசையில் கட்டாய {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,ஸ்லிப் பொதி
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,அலுவலகத்திற்கு வாடகைக்கு
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,அமைப்பு எஸ்எம்எஸ் வாயில் அமைப்புகள்
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,இறக்குமதி தோல்வி!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,இல்லை முகவரி இன்னும் கூறினார்.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,இல்லை முகவரி இன்னும் கூறினார்.
DocType: Workstation Working Hour,Workstation Working Hour,பணிநிலையம் வேலை செய்யும் நேரம்
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,ஆய்வாளர்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,ஆய்வாளர்
DocType: Item,Inventory,சரக்கு
DocType: Item,Sales Details,விற்பனை விவரம்
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,பொருட்களை கொண்டு
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,அளவு உள்ள
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,அளவு உள்ள
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,மாணவர் குழுமத்தின் மாணவர்களுக்கான என்ரோல்ட் கோர்ஸ் சரிபார்க்கவும்
DocType: Notification Control,Expense Claim Rejected,செலவு கோரிக்கை நிராகரிக்கப்பட்டது
DocType: Item,Item Attribute,பொருள் கற்பிதம்
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,அரசாங்கம்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,அரசாங்கம்
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,செலவு கூறுகின்றனர் {0} ஏற்கனவே வாகன பதிவு உள்ளது
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,நிறுவனம் பெயர்
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,நிறுவனம் பெயர்
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,தயவு செய்து கடனைத் திரும்பச் செலுத்தும் தொகை நுழைய
apps/erpnext/erpnext/config/stock.py +300,Item Variants,பொருள் மாறிகள்
DocType: Company,Services,சேவைகள்
@@ -1526,18 +1536,18 @@
DocType: Sales Invoice,Source,மூல
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,மூடப்பட்டது காட்டு
DocType: Leave Type,Is Leave Without Pay,சம்பளமில்லா விடுப்பு
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,சொத்து வகை நிலையான சொத்து உருப்படியை அத்தியாவசியமானதாகும்
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,சொத்து வகை நிலையான சொத்து உருப்படியை அத்தியாவசியமானதாகும்
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,கொடுப்பனவு அட்டவணை காணப்படவில்லை பதிவுகள்
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},இந்த {0} கொண்டு மோதல்கள் {1} க்கான {2} {3}
DocType: Student Attendance Tool,Students HTML,"மாணவர்கள், HTML"
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,நிதி ஆண்டு தொடக்கம் தேதி
DocType: POS Profile,Apply Discount,தள்ளுபடி விண்ணப்பிக்க
+DocType: Purchase Invoice Item,GST HSN Code,ஜிஎஸ்டி HSN குறியீடு
DocType: Employee External Work History,Total Experience,மொத்த அனுபவம்
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,திறந்த திட்டங்கள்
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,மூட்டை சீட்டு (கள்) ரத்து
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,முதலீடு இருந்து பண பரிமாற்ற
DocType: Program Course,Program Course,திட்டம் பாடநெறி
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,சரக்கு மற்றும் அனுப்புதல் கட்டணம்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,சரக்கு மற்றும் அனுப்புதல் கட்டணம்
DocType: Homepage,Company Tagline for website homepage,வலைத்தளத்தில் முகப்பு நிறுவனம் கோஷம்
DocType: Item Group,Item Group Name,பொருள் குழு பெயர்
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,எடுக்கப்பட்ட
@@ -1547,6 +1557,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,லீட்ஸ் உருவாக்கவும்
DocType: Maintenance Schedule,Schedules,கால அட்டவணைகள்
DocType: Purchase Invoice Item,Net Amount,நிகர விலை
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} ஓர் செயல் முடிவடைந்தால் முடியாது சமர்ப்பிக்க செய்யப்படவில்லை
DocType: Purchase Order Item Supplied,BOM Detail No,"BOM
விபரம் எண்"
DocType: Landed Cost Voucher,Additional Charges,கூடுதல் கட்டணங்கள்
@@ -1563,6 +1574,7 @@
DocType: Employee Loan,Monthly Repayment Amount,மாதாந்திர கட்டுந்தொகை
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,பணியாளர் பங்கு அமைக்க ஒரு பணியாளர் சாதனை பயனர் ஐடி துறையில் அமைக்கவும்
DocType: UOM,UOM Name,மொறட்டுவ பல்கலைகழகம் பெயர்
+DocType: GST HSN Code,HSN Code,HSN குறியீடு
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,பங்களிப்பு தொகை
DocType: Purchase Invoice,Shipping Address,கப்பல் முகவரி
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,"இந்த கருவியை நீங்கள் புதுப்பிக்க அல்லது அமைப்பு பங்கு அளவு மற்றும் மதிப்பீட்டு சரி செய்ய உதவுகிறது. இது பொதுவாக கணினியில் மதிப்புகள் என்ன, உண்மையில் உங்கள் கிடங்குகள் நிலவும் ஒருங்கிணைக்க பயன்படுகிறது."
@@ -1573,18 +1585,17 @@
DocType: Program Enrollment Tool,Program Enrollments,திட்டம் சேர்வதில்
DocType: Sales Invoice Item,Brand Name,குறியீட்டு பெயர்
DocType: Purchase Receipt,Transporter Details,இடமாற்றி விபரங்கள்
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,இயல்புநிலை கிடங்கில் தேர்ந்தெடுத்தவையை தேவை
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,பெட்டி
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,இயல்புநிலை கிடங்கில் தேர்ந்தெடுத்தவையை தேவை
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,பெட்டி
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,சாத்தியமான சப்ளையர்
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,அமைப்பு
DocType: Budget,Monthly Distribution,மாதாந்திர விநியோகம்
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,"ரிசீவர் பட்டியல் காலியாக உள்ளது . பெறுநர் பட்டியலை உருவாக்க , தயவு செய்து"
DocType: Production Plan Sales Order,Production Plan Sales Order,உற்பத்தி திட்டம் விற்பனை ஆணை
DocType: Sales Partner,Sales Partner Target,விற்பனை வரன்வாழ்க்கை துணை இலக்கு
DocType: Loan Type,Maximum Loan Amount,அதிகபட்ச கடன் தொகை
DocType: Pricing Rule,Pricing Rule,விலை விதி
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},மாணவர் க்கான பிரதி ரோல் எண்ணை {0}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},மாணவர் க்கான பிரதி ரோல் எண்ணை {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},மாணவர் க்கான பிரதி ரோல் எண்ணை {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},மாணவர் க்கான பிரதி ரோல் எண்ணை {0}
DocType: Budget,Action if Annual Budget Exceeded,அதிரடி ஆண்டு வரவு-செலவுத் மீறிவிட்டது
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,ஆணை வாங்க பொருள் வேண்டுதல்
DocType: Shopping Cart Settings,Payment Success URL,கட்டணம் வெற்றி URL ஐ
@@ -1597,11 +1608,11 @@
DocType: C-Form,III,மூன்றாம்
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,திறந்து பங்கு இருப்பு
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} ஒரு முறை மட்டுமே தோன்ற வேண்டும்
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},மேலும் பரிமாற்ற அனுமதி இல்லை {0} விட {1} கொள்முதல் ஆணை எதிராக {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},மேலும் பரிமாற்ற அனுமதி இல்லை {0} விட {1} கொள்முதல் ஆணை எதிராக {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},விடுப்பு வெற்றிகரமாக ஒதுக்கப்பட்ட {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,மூட்டை உருப்படிகள் எதுவும் இல்லை
DocType: Shipping Rule Condition,From Value,மதிப்பு இருந்து
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,உற்பத்தி அளவு கட்டாய ஆகிறது
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,உற்பத்தி அளவு கட்டாய ஆகிறது
DocType: Employee Loan,Repayment Method,திரும்பச் செலுத்துதல் முறை
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","தேர்ந்தெடுக்கப்பட்டால், முகப்பு பக்கம் வலைத்தளத்தில் இயல்புநிலை பொருள் குழு இருக்கும்"
DocType: Quality Inspection Reading,Reading 4,4 படித்தல்
@@ -1611,7 +1622,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},ரோ # {0}: இசைவு தேதி {1} காசோலை தேதி முன் இருக்க முடியாது {2}
DocType: Company,Default Holiday List,விடுமுறை பட்டியல் இயல்புநிலை
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},ரோ {0}: நேரம் மற்றும் நேரம் {1} கொண்டு மேலெழும் {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,பங்கு பொறுப்புகள்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,பங்கு பொறுப்புகள்
DocType: Purchase Invoice,Supplier Warehouse,வழங்குபவர் கிடங்கு
DocType: Opportunity,Contact Mobile No,மொபைல் எண் தொடர்பு
,Material Requests for which Supplier Quotations are not created,வழங்குபவர் மேற்கோள்கள் உருவாக்கப்பட்ட எந்த பொருள் கோரிக்கைகள்
@@ -1622,35 +1633,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,மேற்கோள் செய்ய
apps/erpnext/erpnext/config/selling.py +216,Other Reports,பிற அறிக்கைகள்
DocType: Dependent Task,Dependent Task,தங்கிவாழும் பணி
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},நடவடிக்கை இயல்புநிலை பிரிவு மாற்ற காரணி வரிசையில் 1 வேண்டும் {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},நடவடிக்கை இயல்புநிலை பிரிவு மாற்ற காரணி வரிசையில் 1 வேண்டும் {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},வகை விடுப்பு {0} மேலாக இருக்க முடியாது {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,முன்கூட்டியே எக்ஸ் நாட்கள் நடவடிக்கைகளுக்குத் திட்டமிட்டுள்ளது முயற்சி.
DocType: HR Settings,Stop Birthday Reminders,நிறுத்து நினைவூட்டல்கள்
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},நிறுவனத்தின் இயல்புநிலை சம்பளப்பட்டியல் செலுத்த வேண்டிய கணக்கு அமைக்கவும் {0}
DocType: SMS Center,Receiver List,ரிசீவர் பட்டியல்
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,தேடல் பொருள்
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,தேடல் பொருள்
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,உட்கொள்ளுகிறது தொகை
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,பண நிகர மாற்றம்
DocType: Assessment Plan,Grading Scale,தரம் பிரித்தல் ஸ்கேல்
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,நடவடிக்கை அலகு {0} மேலும் மாற்று காரணி அட்டவணை முறை விட உள்ளிட்ட
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,நடவடிக்கை அலகு {0} மேலும் மாற்று காரணி அட்டவணை முறை விட உள்ளிட்ட
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,ஏற்கனவே நிறைவு
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,கை பங்கு
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},பணம் கோரிக்கை ஏற்கனவே உள்ளது {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,வெளியிடப்படுகிறது பொருட்களை செலவு
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},அளவு அதிகமாக இருக்க கூடாது {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,முந்தைய நிதி ஆண்டில் மூடவில்லை
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),வயது (நாட்கள்)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),வயது (நாட்கள்)
DocType: Quotation Item,Quotation Item,மேற்கோள் பொருள்
+DocType: Customer,Customer POS Id,வாடிக்கையாளர் பிஓஎஸ் ஐடியை
DocType: Account,Account Name,கணக்கு பெயர்
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,தேதி முதல் இன்று வரை விட முடியாது
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,தொடர் இல {0} அளவு {1} ஒரு பகுதியை இருக்க முடியாது
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,வழங்குபவர் வகை மாஸ்டர் .
DocType: Purchase Order Item,Supplier Part Number,வழங்குபவர் பாகம் எண்
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,மாற்று விகிதம் 0 அல்லது 1 இருக்க முடியாது
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,மாற்று விகிதம் 0 அல்லது 1 இருக்க முடியாது
DocType: Sales Invoice,Reference Document,குறிப்பு ஆவண
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} ரத்து செய்யப்பட்டது அல்லது நிறுத்தி உள்ளது
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} ரத்து செய்யப்பட்டது அல்லது நிறுத்தி உள்ளது
DocType: Accounts Settings,Credit Controller,கடன் கட்டுப்பாட்டாளர்
DocType: Delivery Note,Vehicle Dispatch Date,வாகன அனுப்புகை தேதி
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,கொள்முதல் ரசீது {0} சமர்ப்பிக்க
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,கொள்முதல் ரசீது {0} சமர்ப்பிக்க
DocType: Company,Default Payable Account,இயல்புநிலை செலுத்த வேண்டிய கணக்கு
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","அத்தகைய கப்பல் விதிகள், விலை பட்டியல் முதலியன போன்ற ஆன்லைன் வணிக வண்டி அமைப்புகள்"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% வசூலிக்கப்படும்
@@ -1669,11 +1682,12 @@
DocType: Expense Claim,Total Amount Reimbursed,மொத்த அளவு திரும்ப
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,இந்த வாகன எதிராக பதிவுகள் அடிப்படையாக கொண்டது. விவரங்கள் கீழே காலவரிசை பார்க்க
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,சேகரிக்க
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},வழங்குபவர் எதிராக விலைப்பட்டியல் {0} தேதியிட்ட {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},வழங்குபவர் எதிராக விலைப்பட்டியல் {0} தேதியிட்ட {1}
DocType: Customer,Default Price List,முன்னிருப்பு விலை பட்டியல்
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,சொத்து இயக்கம் சாதனை {0} உருவாக்கப்பட்ட
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,நீங்கள் நீக்க முடியாது நிதியாண்டு {0}. நிதியாண்டு {0} உலகளாவிய அமைப்புகள் முன்னிருப்பாக அமைக்க உள்ளது
DocType: Journal Entry,Entry Type,நுழைவு வகை
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,இந்த மதிப்பீடு குழு இணைக்கப்பட்ட இல்லை மதிப்பீடு திட்டம்
,Customer Credit Balance,வாடிக்கையாளர் கடன் இருப்பு
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,செலுத்தத்தக்க கணக்குகள் நிகர மாற்றம்
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',வாடிக்கையாளர் வாரியாக தள்ளுபடி ' தேவையான வாடிக்கையாளர்
@@ -1681,7 +1695,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,விலை
DocType: Quotation,Term Details,கால விவரம்
DocType: Project,Total Sales Cost (via Sales Order),மொத்த விற்பனை செலவு (விற்பனை ஆணை வழியாக)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,{0} இந்த மாணவர் குழு மாணவர்கள் விட சேர முடியாது.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,{0} இந்த மாணவர் குழு மாணவர்கள் விட சேர முடியாது.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,முன்னணி கவுண்ட்
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,முன்னணி கவுண்ட்
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} 0 விட அதிகமாக இருக்க வேண்டும்
@@ -1704,7 +1718,7 @@
DocType: Sales Invoice,Packed Items,நிரம்பிய பொருட்கள்
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,வரிசை எண் எதிரான உத்தரவாதத்தை கூறுகின்றனர்
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","பயன்படுத்தப்படும் அமைந்துள்ள மற்ற அனைத்து BOM கள் ஒரு குறிப்பிட்ட BOM மாற்றவும். ஏனெனில், அது BOM இணைப்பு பதிலாக செலவு மேம்படுத்தல் மற்றும் புதிய BOM படி ""BOM வெடிப்பு பொருள்"" அட்டவணை மீண்டும் உருவாக்க வேண்டும்"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','மொத்தம்'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','மொத்தம்'
DocType: Shopping Cart Settings,Enable Shopping Cart,வண்டியில் இயக்கு
DocType: Employee,Permanent Address,நிரந்தர முகவரி
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1720,9 +1734,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,அளவு அல்லது மதிப்பீட்டு விகிதம் அல்லது இரண்டு அல்லது குறிப்பிடவும்
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,நிறைவேற்றுதல்
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,வண்டியில் காண்க
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,மார்க்கெட்டிங் செலவுகள்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,மார்க்கெட்டிங் செலவுகள்
,Item Shortage Report,பொருள் பற்றாக்குறை அறிக்கை
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","எடை கூட ""எடை UOM"" குறிப்பிட தயவு செய்து \n குறிப்பிடப்பட்டுள்ளது"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","எடை கூட ""எடை UOM"" குறிப்பிட தயவு செய்து \n குறிப்பிடப்பட்டுள்ளது"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,இந்த பங்கு நுழைவு செய்ய பயன்படுத்தப்படும் பொருள் கோரிக்கை
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,அடுத்த தேய்மானம் தேதி புதிய சொத்து அத்தியாவசியமானதாகும்
DocType: Student Group Creation Tool,Separate course based Group for every Batch,ஒவ்வொரு தொகுதி தனி நிச்சயமாக பொறுத்தே குழு
@@ -1732,17 +1746,18 @@
,Student Fee Collection,மாணவர் கட்டணம் சேகரிப்பு
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,ஒவ்வொரு பங்கு கணக்கு பதிவு செய்ய
DocType: Leave Allocation,Total Leaves Allocated,மொத்த இலைகள் ஒதுக்கப்பட்ட
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},ரோ இல்லை தேவையான கிடங்கு {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,செல்லுபடியாகும் நிதி ஆண்டின் தொடக்க மற்றும் முடிவு தேதிகளை உள்ளிடவும்
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},ரோ இல்லை தேவையான கிடங்கு {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,செல்லுபடியாகும் நிதி ஆண்டின் தொடக்க மற்றும் முடிவு தேதிகளை உள்ளிடவும்
DocType: Employee,Date Of Retirement,ஓய்வு தேதி
DocType: Upload Attendance,Get Template,வார்ப்புரு கிடைக்கும்
+DocType: Material Request,Transferred,மாற்றப்பட்டது
DocType: Vehicle,Doors,கதவுகள்
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext அமைவு முடிந்தது!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext அமைவு முடிந்தது!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: செலவு மையம் 'இலாப நட்ட கணக்கு தேவை {2}. நிறுவனத்தின் ஒரு இயல்பான செலவு மையம் அமைக்க கொள்ளவும்.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ஒரு வாடிக்கையாளர் குழு அதே பெயரில் வாடிக்கையாளர் பெயர் மாற்ற அல்லது வாடிக்கையாளர் குழு பெயர்மாற்றம் செய்க
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,புதிய தொடர்பு
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ஒரு வாடிக்கையாளர் குழு அதே பெயரில் வாடிக்கையாளர் பெயர் மாற்ற அல்லது வாடிக்கையாளர் குழு பெயர்மாற்றம் செய்க
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,புதிய தொடர்பு
DocType: Territory,Parent Territory,பெற்றோர் மண்டலம்
DocType: Quality Inspection Reading,Reading 2,2 படித்தல்
DocType: Stock Entry,Material Receipt,பொருள் ரசீது
@@ -1751,17 +1766,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","இந்த உருப்படியை வகைகள் உண்டு என்றால், அது விற்பனை ஆணைகள் முதலியன தேர்வு"
DocType: Lead,Next Contact By,அடுத்த தொடர்பு
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},உருப்படி தேவையான அளவு {0} வரிசையில் {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},அளவு பொருள் உள்ளது என கிடங்கு {0} நீக்க முடியாது {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},உருப்படி தேவையான அளவு {0} வரிசையில் {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},அளவு பொருள் உள்ளது என கிடங்கு {0} நீக்க முடியாது {1}
DocType: Quotation,Order Type,வரிசை வகை
DocType: Purchase Invoice,Notification Email Address,அறிவிப்பு மின்னஞ்சல் முகவரி
,Item-wise Sales Register,பொருள் வாரியான விற்பனை பதிவு
DocType: Asset,Gross Purchase Amount,மொத்த கொள்முதல் அளவு
DocType: Asset,Depreciation Method,தேய்மானம் முறை
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,ஆஃப்லைன்
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,ஆஃப்லைன்
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,இந்த வரி அடிப்படை விகிதம் சேர்க்கப்பட்டுள்ளது?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,மொத்த இலக்கு
-DocType: Program Course,Required,தேவையான
DocType: Job Applicant,Applicant for a Job,ஒரு வேலை விண்ணப்பதாரர்
DocType: Production Plan Material Request,Production Plan Material Request,உற்பத்தித் திட்டத்தைத் பொருள் வேண்டுகோள்
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,உருவாக்கப்பட்ட எந்த உற்பத்தி ஆணைகள்
@@ -1771,17 +1785,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,ஒரு வாடிக்கையாளர் கொள்முதல் ஆணை எதிராக பல விற்பனை ஆணைகள் அனுமதி
DocType: Student Group Instructor,Student Group Instructor,மாணவர் குழு பயிற்றுவிப்பாளர்
DocType: Student Group Instructor,Student Group Instructor,மாணவர் குழு பயிற்றுவிப்பாளர்
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 கைப்பேசி
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,முதன்மை
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 கைப்பேசி
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,முதன்மை
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,மாற்று
DocType: Naming Series,Set prefix for numbering series on your transactions,உங்கள் நடவடிக்கைகள் மீது தொடர் எண்ணுவதற்கான முன்னொட்டு அமைக்க
DocType: Employee Attendance Tool,Employees HTML,"ஊழியர், HTML"
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,"இயல்புநிலை BOM, ({0}) இந்த உருப்படியை அல்லது அதன் டெம்ப்ளேட் தீவிரமாக இருக்க வேண்டும்"
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,"இயல்புநிலை BOM, ({0}) இந்த உருப்படியை அல்லது அதன் டெம்ப்ளேட் தீவிரமாக இருக்க வேண்டும்"
DocType: Employee,Leave Encashed?,காசாக்கப்பட்டால் விட்டு?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,துறையில் இருந்து வாய்ப்பு கட்டாய ஆகிறது
DocType: Email Digest,Annual Expenses,வருடாந்த செலவுகள்
DocType: Item,Variants,மாறிகள்
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,கொள்முதல் ஆணை செய்ய
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,கொள்முதல் ஆணை செய்ய
DocType: SMS Center,Send To,அனுப்பு
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},விடுப்பு வகை போதுமான விடுப்பு சமநிலை இல்லை {0}
DocType: Payment Reconciliation Payment,Allocated amount,ஒதுக்கப்பட்டுள்ள தொகை
@@ -1796,26 +1810,25 @@
DocType: Item,Serial Nos and Batches,சீரியல் எண்கள் மற்றும் தொகுப்புகளும்
DocType: Item,Serial Nos and Batches,சீரியல் எண்கள் மற்றும் தொகுப்புகளும்
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,மாணவர் குழு வலிமை
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,ஜர்னல் எதிராக நுழைவு {0} எந்த வேறொன்றும் {1} நுழைவு இல்லை
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,ஜர்னல் எதிராக நுழைவு {0} எந்த வேறொன்றும் {1} நுழைவு இல்லை
apps/erpnext/erpnext/config/hr.py +137,Appraisals,மதிப்பீடுகளில்
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},நகல் சீரியல் இல்லை உருப்படி உள்ளிட்ட {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,ஒரு கப்பல் ஆட்சிக்கு ஒரு நிலையில்
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,தயவுசெய்து உள்ளீடவும்
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","வரிசையில் பொருள் {0} க்கான overbill முடியாது {1} விட {2}. அமைப்புகள் வாங்குவதில் அதிகமாக பில்லிங் அனுமதிக்க, அமைக்கவும்"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,பொருள் அல்லது கிடங்கில் அடிப்படையில் வடிகட்டி அமைக்கவும்
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","வரிசையில் பொருள் {0} க்கான overbill முடியாது {1} விட {2}. அமைப்புகள் வாங்குவதில் அதிகமாக பில்லிங் அனுமதிக்க, அமைக்கவும்"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,பொருள் அல்லது கிடங்கில் அடிப்படையில் வடிகட்டி அமைக்கவும்
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),இந்த தொகுப்பு நிகர எடை. (பொருட்களை நிகர எடை கூடுதல் போன்ற தானாக கணக்கிடப்படுகிறது)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,"இந்த கிடங்குக்கு ஒரு கணக்கை உருவாக்கவும், அது இணையுங்கள். இந்த பெயருடன் ஒரு கணக்கை தானாக செய்ய முடியாது {0} ஏற்கனவே உள்ளது"
DocType: Sales Order,To Deliver and Bill,வழங்க மசோதா
DocType: Student Group,Instructors,பயிற்றுனர்கள்
DocType: GL Entry,Credit Amount in Account Currency,கணக்கு நாணய கடன் தொகை
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} சமர்ப்பிக்க வேண்டும்
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} சமர்ப்பிக்க வேண்டும்
DocType: Authorization Control,Authorization Control,அங்கீகாரம் கட்டுப்பாடு
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ரோ # {0}: கிடங்கு நிராகரிக்கப்பட்டது நிராகரித்தது பொருள் எதிராக கட்டாயமாகும் {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},ரோ # {0}: கிடங்கு நிராகரிக்கப்பட்டது நிராகரித்தது பொருள் எதிராக கட்டாயமாகும் {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,கொடுப்பனவு
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","கிடங்கு {0} எந்த கணக்கிற்கானது அல்ல என்பதுடன், அந்த நிறுவனம் உள்ள கிடங்கில் பதிவில் கணக்கு அல்லது அமைக்க இயல்புநிலை சரக்கு கணக்கு குறிப்பிட தயவு செய்து {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,உங்கள் ஆர்டர்களை நிர்வகிக்கவும்
DocType: Production Order Operation,Actual Time and Cost,உண்மையான நேரம் மற்றும் செலவு
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},அதிகபட்ச பொருள் கோரிக்கை {0} உருப்படி {1} எதிராகவிற்பனை ஆணை {2}
-DocType: Employee,Salutation,வணக்கம் தெரிவித்தல்
DocType: Course,Course Abbreviation,பாடநெறி சுருக்கமான
DocType: Student Leave Application,Student Leave Application,மாணவர் விடுப்பு விண்ணப்பம்
DocType: Item,Will also apply for variants,கூட வகைகளில் விண்ணப்பிக்க
@@ -1827,12 +1840,12 @@
DocType: Quotation Item,Actual Qty,உண்மையான அளவு
DocType: Sales Invoice Item,References,குறிப்புகள்
DocType: Quality Inspection Reading,Reading 10,10 படித்தல்
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",உங்கள் தயாரிப்புகள் அல்லது நீங்கள் வாங்க அல்லது விற்க என்று சேவைகள் பட்டியலில் .
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",உங்கள் தயாரிப்புகள் அல்லது நீங்கள் வாங்க அல்லது விற்க என்று சேவைகள் பட்டியலில் .
DocType: Hub Settings,Hub Node,மையம் கணு
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,நீங்கள் போலி பொருட்களை நுழைந்தது. சரிசெய்து மீண்டும் முயற்சிக்கவும்.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,இணை
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,இணை
DocType: Asset Movement,Asset Movement,சொத்து இயக்கம்
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,புதிய வண்டி
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,புதிய வண்டி
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,பொருள் {0} ஒரு தொடர் பொருள் அல்ல
DocType: SMS Center,Create Receiver List,பெறுநர் பட்டியல் உருவாக்க
DocType: Vehicle,Wheels,வீல்ஸ்
@@ -1852,19 +1865,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',கட்டணம் வகை அல்லது ' முந்தைய வரிசை மொத்த ' முந்தைய வரிசை அளவு ' மட்டுமே வரிசையில் பார்க்கவும் முடியும்
DocType: Sales Order Item,Delivery Warehouse,டெலிவரி கிடங்கு
DocType: SMS Settings,Message Parameter,செய்தி அளவுரு
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,நிதி செலவு மையங்கள் மரம்.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,நிதி செலவு மையங்கள் மரம்.
DocType: Serial No,Delivery Document No,டெலிவரி ஆவண இல்லை
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},'சொத்துக்களை மீது லாபம் / நஷ்டம் கணக்கு' அமைக்க கம்பெனி உள்ள {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,கொள்முதல் ரசீதுகள் இருந்து விடயங்கள் பெறவும்
DocType: Serial No,Creation Date,உருவாக்கிய தேதி
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},பொருள் {0} விலை பட்டியல் பல முறை தோன்றும் {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","பொருந்துகின்ற என தேர்வு என்றால் விற்பனை, சரிபார்க்கப்பட வேண்டும் {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","பொருந்துகின்ற என தேர்வு என்றால் விற்பனை, சரிபார்க்கப்பட வேண்டும் {0}"
DocType: Production Plan Material Request,Material Request Date,பொருள் வேண்டுகோள் தேதி
DocType: Purchase Order Item,Supplier Quotation Item,வழங்குபவர் மேற்கோள் பொருள்
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,உற்பத்தி ஆணைகள் எதிராக நேரத்தில் பதிவுகள் உருவாக்கம் முடக்குகிறது. ஆபரேஷன்ஸ் உற்பத்தி ஒழுங்குக்கு எதிரான கண்காணிக்கப்படும்
DocType: Student,Student Mobile Number,மாணவர் மொபைல் எண்
DocType: Item,Has Variants,வகைகள் உண்டு
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},நீங்கள் ஏற்கனவே இருந்து பொருட்களை தேர்ந்தெடுத்த {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},நீங்கள் ஏற்கனவே இருந்து பொருட்களை தேர்ந்தெடுத்த {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,மாதாந்திர விநியோகம் பெயர்
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,தொகுப்பு ஐடி கட்டாயமாகும்
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,தொகுப்பு ஐடி கட்டாயமாகும்
@@ -1875,12 +1888,12 @@
DocType: Budget,Fiscal Year,நிதியாண்டு
DocType: Vehicle Log,Fuel Price,எரிபொருள் விலை
DocType: Budget,Budget,வரவு செலவு திட்டம்
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,நிலையான சொத்து பொருள் அல்லாத பங்கு உருப்படியை இருக்க வேண்டும்.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,நிலையான சொத்து பொருள் அல்லாத பங்கு உருப்படியை இருக்க வேண்டும்.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",அது ஒரு வருமான அல்லது செலவு கணக்கு அல்ல என பட்ஜெட் எதிராக {0} ஒதுக்கப்படும் முடியாது
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,அடைய
DocType: Student Admission,Application Form Route,விண்ணப்ப படிவம் வழி
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,மண்டலம் / வாடிக்கையாளர்
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,எ.கா. 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,எ.கா. 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,விட்டு வகை {0} அது சம்பளமில்லா விடுப்பு என்பதால் ஒதுக்கீடு முடியாது
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},ரோ {0}: ஒதுக்கப்பட்டுள்ள தொகை {1} குறைவாக இருக்க வேண்டும் அல்லது நிலுவை தொகை விலைப்பட்டியல் சமம் வேண்டும் {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,நீங்கள் விற்பனை விலைப்பட்டியல் சேமிக்க முறை சொற்கள் காணக்கூடியதாக இருக்கும்.
@@ -1889,7 +1902,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,பொருள் {0} சீரியல் எண்கள் சோதனை பொருள் மாஸ்டர் அமைப்பு அல்ல
DocType: Maintenance Visit,Maintenance Time,பராமரிப்பு நேரம்
,Amount to Deliver,அளவு வழங்க வேண்டும்
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,ஒரு பொருள் அல்லது சேவை
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,ஒரு பொருள் அல்லது சேவை
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,கால தொடக்க தேதி கால இணைக்கப்பட்ட செய்ய கல்வியாண்டின் ஆண்டு தொடக்க தேதி முன்னதாக இருக்க முடியாது (கல்வி ஆண்டு {}). தேதிகள் சரிசெய்து மீண்டும் முயற்சிக்கவும்.
DocType: Guardian,Guardian Interests,கார்டியன் ஆர்வம்
DocType: Naming Series,Current Value,தற்போதைய மதிப்பு
@@ -1904,12 +1917,12 @@
இடையே வேறுபாடு அதிகமாக அல்லது சமமாக இருக்க வேண்டும், {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,இந்த பங்கு இயக்கத்தை அடிப்படையாக கொண்டது. பார்க்க {0} விவரங்களுக்கு
DocType: Pricing Rule,Selling,விற்பனை
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},அளவு {0} {1} எதிராக கழிக்கப்படும் {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},அளவு {0} {1} எதிராக கழிக்கப்படும் {2}
DocType: Employee,Salary Information,சம்பளம் தகவல்
DocType: Sales Person,Name and Employee ID,பெயர் மற்றும் பணியாளர் ஐடி
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,காரணம் தேதி தேதி தகவல்களுக்கு முன் இருக்க முடியாது
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,காரணம் தேதி தேதி தகவல்களுக்கு முன் இருக்க முடியாது
DocType: Website Item Group,Website Item Group,இணைய தகவல்கள் குழு
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,கடமைகள் மற்றும் வரி
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,கடமைகள் மற்றும் வரி
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,குறிப்பு தேதியை உள்ளிடவும்
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} கட்டணம் உள்ளீடுகளை மூலம் வடிகட்டி முடியாது {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,வலை தளத்தில் காட்டப்படும் என்று பொருள் அட்டவணை
@@ -1926,9 +1939,9 @@
DocType: Payment Reconciliation Payment,Reference Row,குறிப்பு ரோ
DocType: Installation Note,Installation Time,நிறுவல் நேரம்
DocType: Sales Invoice,Accounting Details,கணக்கு விவரங்கள்
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,இந்த நிறுவனத்தின் அனைத்து பரிமாற்றங்கள் நீக்கு
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,ரோ # {0}: ஆபரேஷன் {1} உற்பத்தி முடிந்ததும் பொருட்களின் {2} கொத்தமல்லி நிறைவு இல்லை ஒழுங்கு # {3}. நேரம் பதிவுகள் வழியாக அறுவை சிகிச்சை நிலையை மேம்படுத்த தயவு செய்து
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,முதலீடுகள்
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,இந்த நிறுவனத்தின் அனைத்து பரிமாற்றங்கள் நீக்கு
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,ரோ # {0}: ஆபரேஷன் {1} உற்பத்தி முடிந்ததும் பொருட்களின் {2} கொத்தமல்லி நிறைவு இல்லை ஒழுங்கு # {3}. நேரம் பதிவுகள் வழியாக அறுவை சிகிச்சை நிலையை மேம்படுத்த தயவு செய்து
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,முதலீடுகள்
DocType: Issue,Resolution Details,தீர்மானம் விவரம்
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,ஒதுக்கீடுகள்
DocType: Item Quality Inspection Parameter,Acceptance Criteria,ஏற்று கொள்வதற்கான நிபந்தனை
@@ -1953,7 +1966,7 @@
DocType: Room,Room Name,அறை பெயர்
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","விடுப்பு சமநிலை ஏற்கனவே கேரி-அனுப்பி எதிர்கால விடுப்பு ஒதுக்கீடு சாதனை வருகிறது போல், முன் {0} ரத்து / பயன்படுத்த முடியாது விடவும் {1}"
DocType: Activity Cost,Costing Rate,இதற்கான செலவு மதிப்பீடு
-,Customer Addresses And Contacts,வாடிக்கையாளர் முகவரிகள் மற்றும் தொடர்புகள்
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,வாடிக்கையாளர் முகவரிகள் மற்றும் தொடர்புகள்
,Campaign Efficiency,பிரச்சாரத்தின் திறன்
DocType: Discussion,Discussion,கலந்துரையாடல்
DocType: Payment Entry,Transaction ID,நடவடிக்கை ஐடி
@@ -1964,14 +1977,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),மொத்த பில்லிங் அளவு (நேரம் தாள் வழியாக)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,மீண்டும் வாடிக்கையாளர் வருவாய்
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1})பங்கு 'செலவு ஒப்புதல்' வேண்டும்
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,இணை
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,ஆக்கத்துக்கான BOM மற்றும் அளவு தேர்ந்தெடுக்கவும்
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,இணை
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,ஆக்கத்துக்கான BOM மற்றும் அளவு தேர்ந்தெடுக்கவும்
DocType: Asset,Depreciation Schedule,தேய்மானம் அட்டவணை
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,விற்பனை பார்ட்னர் முகவரிகள் மற்றும் தொடர்புகள்
DocType: Bank Reconciliation Detail,Against Account,கணக்கு எதிராக
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,அரை நாள் தேதி வரம்பு தேதி தேதி இடையே இருக்க வேண்டும்
DocType: Maintenance Schedule Detail,Actual Date,உண்மையான தேதி
DocType: Item,Has Batch No,கூறு எண் உள்ளது
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},வருடாந்த பில்லிங்: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},வருடாந்த பில்லிங்: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),பொருட்கள் மற்றும் சேவைகள் வரி (ஜிஎஸ்டி இந்தியா)
DocType: Delivery Note,Excise Page Number,கலால் பக்கம் எண்
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","நிறுவனத்தின், வரம்பு தேதி மற்றும் தேதி கட்டாயமாகும்"
DocType: Asset,Purchase Date,கொள்முதல் தேதி
@@ -1979,12 +1994,13 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},நிறுவனத்தின் 'சொத்து தேய்மானம் செலவு மையம்' அமைக்கவும் {0}
,Maintenance Schedules,பராமரிப்பு அட்டவணை
DocType: Task,Actual End Date (via Time Sheet),உண்மையான முடிவு தேதி (நேரம் தாள் வழியாக)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},அளவு {0} {1} எதிராக {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},அளவு {0} {1} எதிராக {2} {3}
,Quotation Trends,மேற்கோள் போக்குகள்
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},"பொருள் குழு குறிப்பிடப்படவில்லை
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},"பொருள் குழு குறிப்பிடப்படவில்லை
உருப்படியை {0} ல் உருப்படியை மாஸ்டர்"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,கணக்கில் பற்று ஒரு பெறத்தக்க கணக்கு இருக்க வேண்டும்
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,கணக்கில் பற்று ஒரு பெறத்தக்க கணக்கு இருக்க வேண்டும்
DocType: Shipping Rule Condition,Shipping Amount,கப்பல் தொகை
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,வாடிக்கையாளர்கள் சேர்
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,நிலுவையில் தொகை
DocType: Purchase Invoice Item,Conversion Factor,மாற்ற காரணி
DocType: Purchase Order,Delivered,வழங்கினார்
@@ -1994,7 +2010,8 @@
DocType: Purchase Receipt,Vehicle Number,வாகன எண்
DocType: Purchase Invoice,The date on which recurring invoice will be stop,மீண்டும் விலைப்பட்டியல் நிறுத்த வேண்டும் எந்த தேதி
DocType: Employee Loan,Loan Amount,கடன்தொகை
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},ரோ {0}: பொருட்களை பில் பொருள் காணப்படவில்லை இல்லை {1}
+DocType: Program Enrollment,Self-Driving Vehicle,சுயமாக ஓட்டும் வாகன
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},ரோ {0}: பொருட்களை பில் பொருள் காணப்படவில்லை இல்லை {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,மொத்த ஒதுக்கீடு இலைகள் {0} குறைவாக இருக்க முடியாது காலம் ஏற்கனவே ஒப்புதல் இலைகள் {1} விட
DocType: Journal Entry,Accounts Receivable,கணக்குகள்
,Supplier-Wise Sales Analytics,வழங்குபவர் - தம்பதியினர் அனலிட்டிக்ஸ்
@@ -2012,22 +2029,21 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,செலவு கோரும் அனுமதிக்காக நிலுவையில் உள்ளது . மட்டுமே செலவு அப்ரூவரான நிலையை மேம்படுத்த முடியும் .
DocType: Email Digest,New Expenses,புதிய செலவுகள்
DocType: Purchase Invoice,Additional Discount Amount,கூடுதல் தள்ளுபடி தொகை
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ரோ # {0}: அளவு 1, உருப்படி ஒரு நிலையான சொத்தாக இருக்கிறது இருக்க வேண்டும். பல கொத்தமல்லி தனி வரிசையில் பயன்படுத்தவும்."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","ரோ # {0}: அளவு 1, உருப்படி ஒரு நிலையான சொத்தாக இருக்கிறது இருக்க வேண்டும். பல கொத்தமல்லி தனி வரிசையில் பயன்படுத்தவும்."
DocType: Leave Block List Allow,Leave Block List Allow,பிளாக் பட்டியல் அனுமதி விட்டு
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,சுருக்கம் வெற்று அல்லது இடைவெளி இருக்க முடியாது
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,சுருக்கம் வெற்று அல்லது இடைவெளி இருக்க முடியாது
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,அல்லாத குழு குழு
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,விளையாட்டு
DocType: Loan Type,Loan Name,கடன் பெயர்
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,உண்மையான மொத்த
DocType: Student Siblings,Student Siblings,மாணவர் உடன்பிறப்புகளின்
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,அலகு
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,நிறுவனத்தின் குறிப்பிடவும்
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,அலகு
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,நிறுவனத்தின் குறிப்பிடவும்
,Customer Acquisition and Loyalty,வாடிக்கையாளர் கையகப்படுத்துதல் மற்றும் லாயல்டி
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,நீங்கள் நிராகரித்து பொருட்களை பங்கு வைத்து எங்கே கிடங்கு
DocType: Production Order,Skip Material Transfer,பொருள் பரிமாற்ற செல்க
DocType: Production Order,Skip Material Transfer,பொருள் பரிமாற்ற செல்க
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,ஈடாக விகிதம் கண்டுபிடிக்க முடியவில்லை {0} {1} முக்கிய தேதி {2}. கைமுறையாக ஒரு செலாவணி பதிவை உருவாக்க கொள்ளவும்
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,உங்கள் நிதி ஆண்டில் முடிவடைகிறது
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,ஈடாக விகிதம் கண்டுபிடிக்க முடியவில்லை {0} {1} முக்கிய தேதி {2}. கைமுறையாக ஒரு செலாவணி பதிவை உருவாக்க கொள்ளவும்
DocType: POS Profile,Price List,விலை பட்டியல்
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} இப்போது இயல்புநிலை நிதியாண்டு ஆகிறது . விளைவு எடுக்க மாற்றம் உங்களது உலாவி புதுப்பிக்கவும் .
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,செலவு கூற்றுக்கள்
@@ -2040,14 +2056,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},தொகுதி பங்குச் சமநிலை {0} மாறும் எதிர்மறை {1} கிடங்கு உள்ள பொருள் {2} ஐந்து {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,பொருள் கோரிக்கைகள் தொடர்ந்து பொருள் மறு ஒழுங்கு நிலை அடிப்படையில் தானாக எழுப்பினார்
DocType: Email Digest,Pending Sales Orders,விற்பனை ஆணைகள் நிலுவையில்
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},கணக்கு {0} தவறானது. கணக்கு நாணய இருக்க வேண்டும் {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},கணக்கு {0} தவறானது. கணக்கு நாணய இருக்க வேண்டும் {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},மொறட்டுவ பல்கலைகழகம் மாற்ற காரணி வரிசையில் தேவைப்படுகிறது {0}
DocType: Production Plan Item,material_request_item,பொருள் கோரிக்கை உருப்படியை
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ரோ # {0}: குறிப்பு ஆவண வகை விற்பனை ஆணை ஒன்று, விற்பனை விலைப்பட்டியல் அல்லது பத்திரிகை நுழைவு இருக்க வேண்டும்"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","ரோ # {0}: குறிப்பு ஆவண வகை விற்பனை ஆணை ஒன்று, விற்பனை விலைப்பட்டியல் அல்லது பத்திரிகை நுழைவு இருக்க வேண்டும்"
DocType: Salary Component,Deduction,கழித்தல்
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,ரோ {0}: நேரம் இருந்து மற்றும் நேரம் கட்டாயமாகும்.
DocType: Stock Reconciliation Item,Amount Difference,தொகை வேறுபாடு
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},பொருள் விலை சேர்க்கப்பட்டது {0} விலை பட்டியல் {1} ல்
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},பொருள் விலை சேர்க்கப்பட்டது {0} விலை பட்டியல் {1} ல்
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,இந்த வியாபாரி பணியாளர் Id உள்ளிடவும்
DocType: Territory,Classification of Customers by region,பிராந்தியம் மூலம் வாடிக்கையாளர்கள் பிரிவுகள்
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,வேறுபாடு தொகை பூஜ்ஜியமாக இருக்க வேண்டும்
@@ -2059,21 +2075,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,மொத்த பொருத்தியறிதல்
,Production Analytics,உற்பத்தி அனலிட்டிக்ஸ்
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,செலவு புதுப்பிக்கப்பட்ட
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,செலவு புதுப்பிக்கப்பட்ட
DocType: Employee,Date of Birth,பிறந்த நாள்
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,பொருள் {0} ஏற்கனவே திரும்பினார்
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,பொருள் {0} ஏற்கனவே திரும்பினார்
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** நிதியாண்டு ** ஒரு நிதி ஆண்டு பிரதிபலிக்கிறது. அனைத்து உள்ளீடுகளை மற்றும் பிற முக்கிய பரிமாற்றங்கள் ** ** நிதியாண்டு எதிரான கண்காணிக்கப்படும்.
DocType: Opportunity,Customer / Lead Address,வாடிக்கையாளர் / முன்னணி முகவரி
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},எச்சரிக்கை: இணைப்பு தவறான SSL சான்றிதழ் {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},எச்சரிக்கை: இணைப்பு தவறான SSL சான்றிதழ் {0}
DocType: Student Admission,Eligibility,தகுதி
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads",தடங்கள் நீங்கள் வணிக உங்கள் தடங்கள் போன்ற உங்கள் தொடர்புகள் மற்றும் மேலும் சேர்க்க உதவ
DocType: Production Order Operation,Actual Operation Time,உண்மையான நடவடிக்கையை நேரம்
DocType: Authorization Rule,Applicable To (User),பொருந்தும் (பயனர்)
DocType: Purchase Taxes and Charges,Deduct,கழித்து
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,வேலை விபரம்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,வேலை விபரம்
DocType: Student Applicant,Applied,பிரயோக
DocType: Sales Invoice Item,Qty as per Stock UOM,பங்கு மொறட்டுவ பல்கலைகழகம் படி அளவு
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2 பெயர்
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 பெயர்
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","தவிர, சிறப்பு எழுத்துக்கள் ""-"" ""."", ""#"", மற்றும் ""/"" தொடர் பெயரிடும் அனுமதி இல்லை"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","விற்பனை பிரச்சாரங்கள் கண்காணிக்க. தடங்கள், மேற்கோள்கள் கண்காணிக்கவும், விற்பனை போன்றவை பிரச்சாரங்கள் இருந்து முதலீட்டு மீது மீண்டும் அளவிடுவதற்கு."
DocType: Expense Claim,Approver,சர்க்கார் தரப்பில் சாட்சி சொல்லும் குற்றவாளி
@@ -2084,8 +2100,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},தொடர் இல {0} வரை உத்தரவாதத்தை கீழ் உள்ளது {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,தொகுப்புகளை கொண்டு டெலிவரி குறிப்பு பிரிந்தது.
apps/erpnext/erpnext/hooks.py +87,Shipments,படுவதற்கு
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,கணக்கு இருப்பு ({0}) {1} மற்றும் பங்கு மதிப்பு ({2}) கிடங்குக்குமான {3} அதே இருக்க வேண்டும்
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,கணக்கு இருப்பு ({0}) {1} மற்றும் பங்கு மதிப்பு ({2}) கிடங்குக்குமான {3} அதே இருக்க வேண்டும்
DocType: Payment Entry,Total Allocated Amount (Company Currency),மொத்த ஒதுக்கப்பட்ட தொகை (நிறுவனத்தின் நாணய)
DocType: Purchase Order Item,To be delivered to customer,வாடிக்கையாளர் வழங்க வேண்டும்
DocType: BOM,Scrap Material Cost,குப்பை பொருள் செலவு
@@ -2093,21 +2107,22 @@
DocType: Purchase Invoice,In Words (Company Currency),சொற்கள் (நிறுவனத்தின் நாணய)
DocType: Asset,Supplier,கொடுப்பவர்
DocType: C-Form,Quarter,காலாண்டு
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,இதர செலவுகள்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,இதர செலவுகள்
DocType: Global Defaults,Default Company,முன்னிருப்பு நிறுவனத்தின்
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,செலவு வேறுபாடு கணக்கு கட்டாய உருப்படி {0} பாதிப்பை ஒட்டுமொத்த பங்கு மதிப்பு
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,செலவு வேறுபாடு கணக்கு கட்டாய உருப்படி {0} பாதிப்பை ஒட்டுமொத்த பங்கு மதிப்பு
DocType: Payment Request,PR,பொது
DocType: Cheque Print Template,Bank Name,வங்கி பெயர்
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,மேலே
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,மேலே
DocType: Employee Loan,Employee Loan Account,பணியாளர் கடன் கணக்கு
DocType: Leave Application,Total Leave Days,மொத்த விடுப்பு நாட்கள்
DocType: Email Digest,Note: Email will not be sent to disabled users,குறிப்பு: மின்னஞ்சல் ஊனமுற்ற செய்த அனுப்ப முடியாது
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,பரஸ்பர எண்ணிக்கை
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,பரஸ்பர எண்ணிக்கை
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,பொருள் குறியீடு> பொருள் குழு> பிராண்ட்
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,நிறுவனத்தின் தேர்ந்தெடுக்கவும் ...
DocType: Leave Control Panel,Leave blank if considered for all departments,அனைத்து துறைகளில் கருதப்படுகிறது என்றால் வெறுமையாக
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","வேலைவாய்ப்பு ( நிரந்தர , ஒப்பந்த , பயிற்சி முதலியன) வகைகள் ."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} பொருள் கட்டாய {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} பொருள் கட்டாய {1}
DocType: Process Payroll,Fortnightly,இரண்டு வாரங்களுக்கு ஒரு முறை
DocType: Currency Exchange,From Currency,நாணய இருந்து
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","குறைந்தது ஒரு வரிசையில் ஒதுக்கப்பட்டுள்ள தொகை, விலைப்பட்டியல் வகை மற்றும் விலைப்பட்டியல் எண் தேர்ந்தெடுக்கவும்"
@@ -2130,7 +2145,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,"அட்டவணை பெற ' உருவாக்குதல் அட்டவணை ' கிளிக் செய்து,"
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,பின்வரும் கால அட்டவணைகள் நீக்கும் போது தவறுகள் இருந்தன:
DocType: Bin,Ordered Quantity,உத்தரவிட்டார் அளவு
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","உதாரணமாக, "" கட்டுமான கருவிகள் கட்ட """
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","உதாரணமாக, "" கட்டுமான கருவிகள் கட்ட """
DocType: Grading Scale,Grading Scale Intervals,தரம் பிரித்தல் அளவுகோல் இடைவெளிகள்
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: நுழைவு கணக்கியல் {2} ல் நாணய மட்டுமே அவ்வாறு செய்யமுடியும்: {3}
DocType: Production Order,In Process,செயல்முறை உள்ள
@@ -2145,12 +2160,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} மாணவர் குழுக்கள் உருவாக்கப்பட்டது.
DocType: Sales Invoice,Total Billing Amount,மொத்த பில்லிங் அளவு
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,இந்த வேலை செயல்படுத்தப்படும் ஒரு இயல்பான உள்வரும் மின்னஞ்சல் கணக்கு இருக்க வேண்டும். அமைப்பு தயவு செய்து ஒரு இயல்பான உள்வரும் மின்னஞ்சல் கணக்கு (POP / IMAP) மீண்டும் முயற்சிக்கவும்.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,பெறத்தக்க கணக்கு
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},ரோ # {0}: சொத்து {1} ஏற்கனவே {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,பெறத்தக்க கணக்கு
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},ரோ # {0}: சொத்து {1} ஏற்கனவே {2}
DocType: Quotation Item,Stock Balance,பங்கு இருப்பு
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,செலுத்துதல் விற்பனை ஆணை
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} அமைப்பு> அமைப்புகள் வழியாக> பெயரிடுதல் தொடருக்கான தொடர் பெயரிடுதல் அமைக்கவும்
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,தலைமை நிர்வாக அதிகாரி
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,தலைமை நிர்வாக அதிகாரி
DocType: Expense Claim Detail,Expense Claim Detail,செலவு கோரிக்கை விவரம்
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,சரியான கணக்கில் தேர்ந்தெடுக்கவும்
DocType: Item,Weight UOM,எடை மொறட்டுவ பல்கலைகழகம்
@@ -2159,12 +2173,12 @@
DocType: Production Order Operation,Pending,முடிவுபெறாத
DocType: Course,Course Name,படிப்பின் பெயர்
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,ஒரு குறிப்பிட்ட ஊழியர் விடுப்பு விண்ணப்பங்கள் ஒப்புதல் முடியும் பயனர்கள்
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,அலுவலக உபகரணங்கள்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,அலுவலக உபகரணங்கள்
DocType: Purchase Invoice Item,Qty,அளவு
DocType: Fiscal Year,Companies,நிறுவனங்கள்
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,மின்னணுவியல்
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,பங்கு மறு ஒழுங்கு நிலை அடையும் போது பொருள் கோரிக்கை எழுப்ப
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,முழு நேர
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,முழு நேர
DocType: Salary Structure,Employees,ஊழியர்
DocType: Employee,Contact Details,விபரங்கள்
DocType: C-Form,Received Date,பெற்ற தேதி
@@ -2174,7 +2188,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,விலை பட்டியல் அமைக்கப்படவில்லை எனில் காண்பிக்கப்படும் விலைகளில் முடியாது
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,இந்த கப்பல் விதி ஒரு நாடு குறிப்பிட அல்லது உலகம் முழுவதும் கப்பல் சரிபார்க்கவும்
DocType: Stock Entry,Total Incoming Value,மொத்த உள்வரும் மதிப்பு
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,பற்று தேவைப்படுகிறது
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,பற்று தேவைப்படுகிறது
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets உங்கள் அணி செய்யப்படுகிறது செயல்பாடுகளுக்கு நேரம், செலவு மற்றும் பில்லிங் கண்காணிக்க உதவும்"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,கொள்முதல் விலை பட்டியல்
DocType: Offer Letter Term,Offer Term,சலுகை கால
@@ -2183,17 +2197,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,கொடுப்பனவு நல்லிணக்க
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,பொறுப்பாளர் நபரின் பெயர் தேர்வு செய்க
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,தொழில்நுட்ப
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},மொத்த செலுத்தப்படாத: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},மொத்த செலுத்தப்படாத: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM இணையத்தளம் ஆபரேஷன்
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,சலுகை கடிதம்
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,பொருள் கோரிக்கைகள் (எம்ஆர்பி) மற்றும் உற்பத்தி ஆணைகள் உருவாக்க.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,மொத்த விலை விவரம் விவரங்கள்
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,மொத்த விலை விவரம் விவரங்கள்
DocType: BOM,Conversion Rate,மாற்றம் விகிதம்
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,தயாரிப்பு தேடல்
DocType: Timesheet Detail,To Time,டைம்
DocType: Authorization Rule,Approving Role (above authorized value),(அங்கீகாரம் மதிப்பை மேலே) பாத்திரம் அப்ரூவிங்
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,கணக்கில் வரவு ஒரு செலுத்த வேண்டிய கணக்கு இருக்க வேண்டும்
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM மறுநிகழ்வு : {0} பெற்றோர் அல்லது குழந்தை இருக்க முடியாது {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,கணக்கில் வரவு ஒரு செலுத்த வேண்டிய கணக்கு இருக்க வேண்டும்
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM மறுநிகழ்வு : {0} பெற்றோர் அல்லது குழந்தை இருக்க முடியாது {2}
DocType: Production Order Operation,Completed Qty,முடிக்கப்பட்ட அளவு
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",{0} மட்டுமே டெபிட் கணக்குகள் மற்றொரு கடன் நுழைவு எதிராக இணைக்கப்பட்ட ஐந்து
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,விலை பட்டியல் {0} முடக்கப்பட்டுள்ளது
@@ -2205,28 +2219,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} பொருள் தேவையான சீரியல் எண்கள் {1}. நீங்கள் வழங்கிய {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,தற்போதைய மதிப்பீட்டு விகிதம்
DocType: Item,Customer Item Codes,வாடிக்கையாளர் பொருள் குறியீடுகள்
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,செலாவணி லாபம் / நஷ்டம்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,செலாவணி லாபம் / நஷ்டம்
DocType: Opportunity,Lost Reason,இழந்த காரணம்
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,புதிய முகவரி
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,புதிய முகவரி
DocType: Quality Inspection,Sample Size,மாதிரி அளவு
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,தயவு செய்து ரசீது ஆவண நுழைய
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,அனைத்து பொருட்களும் ஏற்கனவே விலை விவரம்
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,அனைத்து பொருட்களும் ஏற்கனவே விலை விவரம்
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.','வழக்கு எண் வரம்பு' சரியான குறிப்பிடவும்
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,மேலும் செலவு மையங்கள் குழுக்கள் கீழ் செய்யப்பட்ட ஆனால் உள்ளீடுகளை அல்லாத குழுக்கள் எதிராகவும் முடியும்
DocType: Project,External,வெளி
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,பயனர்கள் மற்றும் அனுமதிகள்
DocType: Vehicle Log,VLOG.,பதிவின்.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},உற்பத்தி ஆணைகள் உருவாக்கப்பட்டது: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},உற்பத்தி ஆணைகள் உருவாக்கப்பட்டது: {0}
DocType: Branch,Branch,கிளை
DocType: Guardian,Mobile Number,மொபைல் எண்
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,அச்சிடுதல் மற்றும் பிராண்டிங்
DocType: Bin,Actual Quantity,உண்மையான அளவு
DocType: Shipping Rule,example: Next Day Shipping,உதாரணமாக: அடுத்த நாள் கப்பல்
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,இல்லை தொ.இல. {0}
-DocType: Scheduling Tool,Student Batch,மாணவர் தொகுதி
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,உங்கள் வாடிக்கையாளர்கள்
+DocType: Program Enrollment,Student Batch,மாணவர் தொகுதி
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,மாணவர் செய்ய
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},நீங்கள் திட்டம் இணைந்து அழைக்கப்பட்டுள்ளனர்: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},நீங்கள் திட்டம் இணைந்து அழைக்கப்பட்டுள்ளனர்: {0}
DocType: Leave Block List Date,Block Date,தேதி தடை
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,இப்பொழுது விண்ணப்பியுங்கள்
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},உண்மையான அளவு {0} / காத்திருக்கும் அளவு {1}
@@ -2236,7 +2249,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","உருவாக்கவும் , தினசரி வாராந்திர மற்றும் மாதாந்திர மின்னஞ்சல் சுருக்கங்களின் நிர்வகிக்க ."
DocType: Appraisal Goal,Appraisal Goal,மதிப்பீட்டு இலக்கு
DocType: Stock Reconciliation Item,Current Amount,தற்போதைய அளவு
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,கட்டிடங்கள்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,கட்டிடங்கள்
DocType: Fee Structure,Fee Structure,கட்டணம் அமைப்பு
DocType: Timesheet Detail,Costing Amount,இதற்கான செலவு தொகை
DocType: Student Admission,Application Fee,விண்ணப்பக் கட்டணம்
@@ -2249,10 +2262,10 @@
DocType: POS Profile,[Select],[ தேர்ந்தெடு ]
DocType: SMS Log,Sent To,அனுப்பப்படும்
DocType: Payment Request,Make Sales Invoice,விற்பனை விலைப்பட்டியல் செய்ய
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,மென்பொருள்கள்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,மென்பொருள்கள்
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,அடுத்த தொடர்பு தேதி கடந்த காலத்தில் இருக்க முடியாது
DocType: Company,For Reference Only.,குறிப்பு மட்டும்.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,தொகுதி தேர்வு இல்லை
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,தொகுதி தேர்வு இல்லை
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},தவறான {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,முன்கூட்டியே தொகை
@@ -2262,15 +2275,15 @@
DocType: Employee,Employment Details,வேலை விவரம்
DocType: Employee,New Workplace,புதிய பணியிடத்தை
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,மூடப்பட்ட அமை
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},பார்கோடு கூடிய உருப்படி {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},பார்கோடு கூடிய உருப்படி {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,வழக்கு எண் 0 இருக்க முடியாது
DocType: Item,Show a slideshow at the top of the page,பக்கம் மேலே ஒரு ஸ்லைடு ஷோ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,ஸ்டோர்கள்
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,ஸ்டோர்கள்
DocType: Serial No,Delivery Time,விநியோக நேரம்
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,அடிப்படையில் மூப்படைதலுக்கான
DocType: Item,End of Life,வாழ்க்கை முடிவுக்கு
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,சுற்றுலா
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,சுற்றுலா
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,கொடுக்கப்பட்டுள்ள தேதிகளில் ஊழியர் {0} க்கு எந்த செயலில் அல்லது இயல்புநிலை சம்பளம் அமைப்பு
DocType: Leave Block List,Allow Users,பயனர்கள் அனுமதி
DocType: Purchase Order,Customer Mobile No,வாடிக்கையாளர் கைப்பேசி எண்
@@ -2279,29 +2292,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,மேம்படுத்தல்
DocType: Item Reorder,Item Reorder,உருப்படியை மறுவரிசைப்படுத்துக
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,சம்பளம் ஷோ ஸ்லிப்
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,மாற்றம் பொருள்
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,மாற்றம் பொருள்
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","நடவடிக்கைகள் , இயக்க செலவு குறிப்பிட உங்கள் நடவடிக்கைகள் ஒரு தனிப்பட்ட நடவடிக்கை இல்லை கொடுக்க ."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,இந்த ஆவணம் மூலம் எல்லை மீறிவிட்டது {0} {1} உருப்படியை {4}. நீங்கள் கவனிக்கிறீர்களா மற்றொரு {3} அதே எதிராக {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,சேமிப்பு பிறகு மீண்டும் அமைக்கவும்
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,மாற்றம் தேர்வு அளவு கணக்கு
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,இந்த ஆவணம் மூலம் எல்லை மீறிவிட்டது {0} {1} உருப்படியை {4}. நீங்கள் கவனிக்கிறீர்களா மற்றொரு {3} அதே எதிராக {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,சேமிப்பு பிறகு மீண்டும் அமைக்கவும்
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,மாற்றம் தேர்வு அளவு கணக்கு
DocType: Purchase Invoice,Price List Currency,விலை பட்டியல் நாணயத்தின்
DocType: Naming Series,User must always select,பயனர் எப்போதும் தேர்ந்தெடுக்க வேண்டும்
DocType: Stock Settings,Allow Negative Stock,எதிர்மறை பங்கு அனுமதிக்கும்
DocType: Installation Note,Installation Note,நிறுவல் குறிப்பு
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,வரிகளை சேர்க்க
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,வரிகளை சேர்க்க
DocType: Topic,Topic,தலைப்பு
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,கடன் இருந்து பண பரிமாற்ற
DocType: Budget Account,Budget Account,பட்ஜெட் கணக்கு
DocType: Quality Inspection,Verified By,மூலம் சரிபார்க்கப்பட்ட
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","ஏற்கனவே நடவடிக்கைகள் உள்ளன, ஏனெனில் , நிறுவனத்தின் இயல்புநிலை நாணய மாற்ற முடியாது. நடவடிக்கைகள் இயல்புநிலை நாணய மாற்ற இரத்து செய்யப்பட வேண்டும்."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","ஏற்கனவே நடவடிக்கைகள் உள்ளன, ஏனெனில் , நிறுவனத்தின் இயல்புநிலை நாணய மாற்ற முடியாது. நடவடிக்கைகள் இயல்புநிலை நாணய மாற்ற இரத்து செய்யப்பட வேண்டும்."
DocType: Grading Scale Interval,Grade Description,தரம் விளக்கம்
DocType: Stock Entry,Purchase Receipt No,இல்லை சீட்டு வாங்க
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,அக்கறையுடனான பணத்தை
DocType: Process Payroll,Create Salary Slip,சம்பளம் சீட்டு உருவாக்க
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,கண்டறிதல்
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),நிதி ஆதாரம் ( கடன்)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},அளவு வரிசையில் {0} ( {1} ) அதே இருக்க வேண்டும் உற்பத்தி அளவு {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),நிதி ஆதாரம் ( கடன்)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},அளவு வரிசையில் {0} ( {1} ) அதே இருக்க வேண்டும் உற்பத்தி அளவு {2}
DocType: Appraisal,Employee,ஊழியர்
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,தொகுதி தேர்வு
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} முழுமையாக வசூலிக்கப்படும்
DocType: Training Event,End Time,முடிவு நேரம்
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,செயலில் சம்பளம் அமைப்பு {0} கொடுக்கப்பட்ட தேதிகள் பணியாளர் {1} காணப்படவில்லை
@@ -2313,11 +2327,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,தேவையான அன்று
DocType: Rename Tool,File to Rename,மறுபெயர் கோப்புகள்
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},"தயவு செய்து வரிசையில் பொருள் BOM, தேர்வு {0}"
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},பொருள் இருப்பு இல்லை BOM {0} {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},கணக்கு {0} {1} கணக்கு முறை உள்ள நிறுவனத்துடன் இணைந்தது பொருந்தவில்லை: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},பொருள் இருப்பு இல்லை BOM {0} {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,பராமரிப்பு அட்டவணை {0} இந்த விற்பனை ஆணை ரத்து முன் ரத்து செய்யப்பட வேண்டும்
DocType: Notification Control,Expense Claim Approved,செலவு கோரிக்கை ஏற்கப்பட்டது
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,ஊழியர் சம்பளம் ஸ்லிப் {0} ஏற்கனவே இந்த காலத்தில் உருவாக்கப்பட்ட
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,மருந்து
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,மருந்து
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,வாங்கிய பொருட்களை செலவு
DocType: Selling Settings,Sales Order Required,விற்பனை ஆர்டர் தேவை
DocType: Purchase Invoice,Credit To,கடன்
@@ -2334,43 +2349,43 @@
DocType: Payment Gateway Account,Payment Account,கொடுப்பனவு கணக்கு
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,நிறுவனத்தின் தொடர குறிப்பிடவும்
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,கணக்குகள் நிகர மாற்றம்
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,இழப்பீட்டு இனிய
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,இழப்பீட்டு இனிய
DocType: Offer Letter,Accepted,ஏற்கப்பட்டது
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,அமைப்பு
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,அமைப்பு
DocType: SG Creation Tool Course,Student Group Name,மாணவர் குழு பெயர்
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,நீங்கள் உண்மையில் இந்த நிறுவனத்தின் அனைத்து பரிமாற்றங்கள் நீக்க வேண்டும் என்பதை உறுதி செய்யுங்கள். இது போன்ற உங்கள் மாஸ்டர் தரவு இருக்கும். இந்தச் செயலைச் செயல்.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,நீங்கள் உண்மையில் இந்த நிறுவனத்தின் அனைத்து பரிமாற்றங்கள் நீக்க வேண்டும் என்பதை உறுதி செய்யுங்கள். இது போன்ற உங்கள் மாஸ்டர் தரவு இருக்கும். இந்தச் செயலைச் செயல்.
DocType: Room,Room Number,அறை எண்
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},தவறான குறிப்பு {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) திட்டமிட்ட அளவை விட அதிகமாக இருக்க முடியாது ({2}) உற்பத்தி ஆணை {3}
DocType: Shipping Rule,Shipping Rule Label,கப்பல் விதி லேபிள்
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,பயனர் கருத்துக்களம்
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,மூலப்பொருட்கள் காலியாக இருக்க முடியாது.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","பங்கு புதுப்பிக்க முடியவில்லை, விலைப்பட்டியல் துளி கப்பல் உருப்படி உள்ளது."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,மூலப்பொருட்கள் காலியாக இருக்க முடியாது.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","பங்கு புதுப்பிக்க முடியவில்லை, விலைப்பட்டியல் துளி கப்பல் உருப்படி உள்ளது."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,விரைவு ஜர்னல் நுழைவு
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,BOM எந்த பொருளை agianst குறிப்பிட்டுள்ள நீங்கள் வீதம் மாற்ற முடியாது
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,BOM எந்த பொருளை agianst குறிப்பிட்டுள்ள நீங்கள் வீதம் மாற்ற முடியாது
DocType: Employee,Previous Work Experience,முந்தைய பணி அனுபவம்
DocType: Stock Entry,For Quantity,அளவு
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},பொருள் திட்டமிடப்பட்டுள்ளது அளவு உள்ளிடவும் {0} வரிசையில் {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} சமர்ப்பிக்கப்படவில்லை
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,பொருட்கள் கோரிக்கைகள்.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,தனி உற்பத்தி வரிசையில் ஒவ்வொரு முடிக்கப்பட்ட நல்ல உருப்படியை செய்தது.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} திரும்ப ஆவணத்தில் எதிர்மறை இருக்க வேண்டும்
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} திரும்ப ஆவணத்தில் எதிர்மறை இருக்க வேண்டும்
,Minutes to First Response for Issues,சிக்கல்கள் முதல் பதில் நிமிடங்கள்
DocType: Purchase Invoice,Terms and Conditions1,விதிமுறைகள் மற்றும் Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,சபையின் பெயரால் இது நீங்கள் இந்த அமைப்பை அமைக்க வேண்டும்.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,சபையின் பெயரால் இது நீங்கள் இந்த அமைப்பை அமைக்க வேண்டும்.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","இந்த தேதி வரை உறைநிலையில் பைனான்ஸ் நுழைவு, யாரும் / கீழே குறிப்பிட்ட பங்கை தவிர நுழைவு மாற்ற முடியும்."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,"பராமரிப்பு அட்டவணை உருவாக்கும் முன் ஆவணத்தை சேமிக்க , தயவு செய்து"
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,திட்டம் நிலை
DocType: UOM,Check this to disallow fractions. (for Nos),அனுமதிப்பதில்லை உராய்வுகள் இந்த சரிபார்க்கவும். (இலக்கங்கள் ஐந்து)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,பின்வரும் உற்பத்தித் தேவைகளை உருவாக்கப்பட்ட:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,பின்வரும் உற்பத்தித் தேவைகளை உருவாக்கப்பட்ட:
DocType: Student Admission,Naming Series (for Student Applicant),தொடர் பெயரிடும் (மாணவர் விண்ணப்பதாரர்கள்)
DocType: Delivery Note,Transporter Name,இடமாற்றி பெயர்
DocType: Authorization Rule,Authorized Value,அங்கீகரிக்கப்பட்ட மதிப்பு
DocType: BOM,Show Operations,ஆபரேஷன்ஸ் காட்டு
,Minutes to First Response for Opportunity,வாய்ப்பு முதல் பதில் நிமிடங்கள்
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,மொத்த இருக்காது
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,வரிசையில் பொருள் அல்லது கிடங்கு {0} பொருள் கோரிக்கை பொருந்தவில்லை
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,வரிசையில் பொருள் அல்லது கிடங்கு {0} பொருள் கோரிக்கை பொருந்தவில்லை
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,அளவிடத்தக்க அலகு
DocType: Fiscal Year,Year End Date,ஆண்டு முடிவு தேதி
DocType: Task Depends On,Task Depends On,பணி பொறுத்தது
@@ -2470,11 +2485,11 @@
DocType: Asset,Manual,கையேடு
DocType: Salary Component Account,Salary Component Account,சம்பளம் உபகரண கணக்கு
DocType: Global Defaults,Hide Currency Symbol,நாணய சின்னம் மறைக்க
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","எ.கா.வங்கி, பண, கடன் அட்டை"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","எ.கா.வங்கி, பண, கடன் அட்டை"
DocType: Lead Source,Source Name,மூல பெயர்
DocType: Journal Entry,Credit Note,வரவுக்குறிப்பு
DocType: Warranty Claim,Service Address,சேவை முகவரி
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,மரச்சாமான்கள் மற்றும் சாதனங்கள்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,மரச்சாமான்கள் மற்றும் சாதனங்கள்
DocType: Item,Manufacture,உற்பத்தி
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,"தயவு செய்து டெலிவரி முதல் குறிப்பு,"
DocType: Student Applicant,Application Date,விண்ணப்ப தேதி
@@ -2484,7 +2499,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,இசைவு தேதி குறிப்பிடப்படவில்லை
apps/erpnext/erpnext/config/manufacturing.py +7,Production,உற்பத்தி
DocType: Guardian,Occupation,தொழில்
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,அமைவு பணியாளர் மனித வள சிஸ்டம் பெயரிடுதல்> மனிதவள அமைப்புகள்
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,ரோ {0} : தொடங்கும் நாள் நிறைவு நாள் முன்னதாக இருக்க வேண்டும்
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),மொத்தம் (அளவு)
DocType: Sales Invoice,This Document,இந்த ஆவண
@@ -2496,20 +2510,20 @@
DocType: Purchase Receipt,Time at which materials were received,பொருட்கள் பெற்றனர் எந்த நேரத்தில்
DocType: Stock Ledger Entry,Outgoing Rate,வெளிச்செல்லும் விகிதம்
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,அமைப்பு கிளை மாஸ்டர் .
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,அல்லது
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,அல்லது
DocType: Sales Order,Billing Status,பில்லிங் நிலைமை
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,சிக்கலை புகார்
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,பயன்பாட்டு செலவுகள்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,பயன்பாட்டு செலவுகள்
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90 மேலே
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,ரோ # {0}: மற்றொரு ரசீது எதிராக பத்திரிகை நுழைவு {1} கணக்கு இல்லை {2} அல்லது ஏற்கனவே பொருந்தியது
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,ரோ # {0}: மற்றொரு ரசீது எதிராக பத்திரிகை நுழைவு {1} கணக்கு இல்லை {2} அல்லது ஏற்கனவே பொருந்தியது
DocType: Buying Settings,Default Buying Price List,இயல்புநிலை கொள்முதல் விலை பட்டியல்
DocType: Process Payroll,Salary Slip Based on Timesheet,சம்பளம் ஸ்லிப் டைம் ஷீட் அடிப்படையில்
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,மேலே தேர்ந்தெடுக்கப்பட்ட வரையறையில் அல்லது சம்பளம் சீட்டு இல்லை ஊழியர் ஏற்கனவே உருவாக்கப்பட்ட
DocType: Notification Control,Sales Order Message,விற்பனை ஆர்டர் செய்தி
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","முதலியன கம்பெனி, நாணய , நடப்பு நிதியாண்டில் , போன்ற அமை கலாச்சாரம்"
DocType: Payment Entry,Payment Type,கொடுப்பனவு வகை
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,பொருள் ஒரு தொகுதி தேர்ந்தெடுக்கவும் {0}. இந்த தேவையை நிறைவேற்றும் என்று ஒரு ஒற்றை தொகுதி கண்டுபிடிக்க முடியவில்லை
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,பொருள் ஒரு தொகுதி தேர்ந்தெடுக்கவும் {0}. இந்த தேவையை நிறைவேற்றும் என்று ஒரு ஒற்றை தொகுதி கண்டுபிடிக்க முடியவில்லை
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,பொருள் ஒரு தொகுதி தேர்ந்தெடுக்கவும் {0}. இந்த தேவையை நிறைவேற்றும் என்று ஒரு ஒற்றை தொகுதி கண்டுபிடிக்க முடியவில்லை
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,பொருள் ஒரு தொகுதி தேர்ந்தெடுக்கவும் {0}. இந்த தேவையை நிறைவேற்றும் என்று ஒரு ஒற்றை தொகுதி கண்டுபிடிக்க முடியவில்லை
DocType: Process Payroll,Select Employees,தேர்வு ஊழியர்
DocType: Opportunity,Potential Sales Deal,சாத்தியமான விற்பனை ஒப்பந்தம்
DocType: Payment Entry,Cheque/Reference Date,காசோலை / பரிந்துரை தேதி
@@ -2529,7 +2543,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,ரசீது ஆவணம் சமர்ப்பிக்க வேண்டும்
DocType: Purchase Invoice Item,Received Qty,பெற்றார் அளவு
DocType: Stock Entry Detail,Serial No / Batch,சீரியல் இல்லை / தொகுப்பு
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,அவர்களுக்கு ஊதியம் இல்லை மற்றும் பெறாதபோது
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,அவர்களுக்கு ஊதியம் இல்லை மற்றும் பெறாதபோது
DocType: Product Bundle,Parent Item,பெற்றோர் பொருள்
DocType: Account,Account Type,கணக்கு வகை
DocType: Delivery Note,DN-RET-,டி.என்-RET-
@@ -2544,24 +2558,24 @@
DocType: Bin,Reserved Quantity,ஒதுக்கப்பட்ட அளவு
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,சரியான மின்னஞ்சல் முகவரியை உள்ளிடவும்
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,சரியான மின்னஞ்சல் முகவரியை உள்ளிடவும்
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},திட்டம் எந்த கட்டாய வகுப்புகளும் உண்டு {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,ரசீது பொருட்கள் வாங்க
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,வடிவமைக்கப்படுகிறது படிவங்கள்
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,நிலுவைப்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,நிலுவைப்
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,காலத்தில் தேய்மானம் தொகை
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,முடக்கப்பட்டது டெம்ப்ளேட் இயல்புநிலை டெம்ப்ளேட் இருக்க கூடாது
DocType: Account,Income Account,வருமான கணக்கு
DocType: Payment Request,Amount in customer's currency,வாடிக்கையாளர் நாட்டின் நாணய தொகை
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,விநியோகம்
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,விநியோகம்
DocType: Stock Reconciliation Item,Current Qty,தற்போதைய அளவு
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",பகுதி செயற் கைக்கோள் நிலாவிலிருந்து உள்ள "அடிப்படையில் பொருட்களின் விகிதம்" பார்க்க
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,முன்
DocType: Appraisal Goal,Key Responsibility Area,முக்கிய பொறுப்பு பகுதி
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","மாணவர் தொகுப்புகளும் நீங்கள் வருகை, மாணவர்களுக்கு மதிப்பீடுகளை மற்றும் கட்டணங்கள் கண்காணிக்க உதவும்"
DocType: Payment Entry,Total Allocated Amount,மொத்த ஒதுக்கப்பட்ட தொகை
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,நிரந்தர சரக்கு இயல்புநிலை சரக்கு கணக்கை அமை
DocType: Item Reorder,Material Request Type,பொருள் கோரிக்கை வகை
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},{0} இலிருந்து சம்பளம் க்கான Accural ஜர்னல் நுழைவு {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save",LocalStorage நிரம்பி விட்டதால் காப்பாற்ற முடியவில்லை
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save",LocalStorage நிரம்பி விட்டதால் காப்பாற்ற முடியவில்லை
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,ரோ {0}: UOM மாற்றக் காரணி கட்டாயமாகும்
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,குறிப்
DocType: Budget,Cost Center,செலவு மையம்
@@ -2574,19 +2588,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","விலை விதி சில அடிப்படை அடிப்படையில், விலை பட்டியல் / தள்ளுபடி சதவீதம் வரையறுக்க மேலெழுத செய்யப்படுகிறது."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,கிடங்கு மட்டுமே பங்கு நுழைவு / டெலிவரி குறிப்பு / கொள்முதல் ரசீது மூலம் மாற்ற முடியும்
DocType: Employee Education,Class / Percentage,வர்க்கம் / சதவீதம்
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,சந்தைப்படுத்தல் மற்றும் விற்பனை தலைவர்
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,வருமான வரி
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,சந்தைப்படுத்தல் மற்றும் விற்பனை தலைவர்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,வருமான வரி
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","தேர்ந்தெடுக்கப்பட்ட விலை விதி 'விலை' செய்யப்படுகிறது என்றால், அது விலை பட்டியல் மேலெழுதும். விலை விதி விலை இறுதி விலை ஆகிறது, அதனால் எந்த மேலும் தள்ளுபடி பயன்படுத்த வேண்டும். எனவே, போன்றவை விற்பனை ஆணை, கொள்முதல் ஆணை போன்ற நடவடிக்கைகளில், அதை விட 'விலை பட்டியல் விகிதம்' துறையில் விட, 'விலை' துறையில் தந்தது."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,ட்ராக் தொழில் வகை செல்கிறது.
DocType: Item Supplier,Item Supplier,பொருள் சப்ளையர்
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,எந்த தொகுதி கிடைக்கும் பொருள் கோட் உள்ளிடவும்
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},ஒரு மதிப்பை தேர்ந்தெடுக்கவும் {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,எந்த தொகுதி கிடைக்கும் பொருள் கோட் உள்ளிடவும்
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},ஒரு மதிப்பை தேர்ந்தெடுக்கவும் {0} quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,அனைத்து முகவரிகள்.
DocType: Company,Stock Settings,பங்கு அமைப்புகள்
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","பின்வரும் பண்புகளைக் சாதனைகளை அதே இருந்தால் அதை இணைத்தல் மட்டுமே சாத்தியம். குழு, ரூட் வகை, நிறுவனம்"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","பின்வரும் பண்புகளைக் சாதனைகளை அதே இருந்தால் அதை இணைத்தல் மட்டுமே சாத்தியம். குழு, ரூட் வகை, நிறுவனம்"
DocType: Vehicle,Electric,எலக்ட்ரிக்
DocType: Task,% Progress,% முன்னேற்றம்
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,சொத்துக்கசொத்துக்கள் மீது லாபம் / நஷ்டம்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,சொத்துக்கசொத்துக்கள் மீது லாபம் / நஷ்டம்
DocType: Training Event,Will send an email about the event to employees with status 'Open',நிலையை கொண்டு ஊழியர்களுக்கு நிகழ்வை பற்றி ஒரு மின்னஞ்சல் அனுப்ப வேண்டும் 'திறந்த'
DocType: Task,Depends on Tasks,பணிகளைப் பொறுத்தது
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,வாடிக்கையாளர் குழு மரம் நிர்வகி .
@@ -2595,7 +2609,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,புதிய செலவு மையம் பெயர்
DocType: Leave Control Panel,Leave Control Panel,கண்ட்ரோல் பேனல் விட்டு
DocType: Project,Task Completion,பணி நிறைவு
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,பங்கு இல்லை
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,பங்கு இல்லை
DocType: Appraisal,HR User,அலுவலக பயனர்
DocType: Purchase Invoice,Taxes and Charges Deducted,கழிக்கப்படும் வரி மற்றும் கட்டணங்கள்
apps/erpnext/erpnext/hooks.py +116,Issues,சிக்கல்கள்
@@ -2606,22 +2620,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},சம்பளம் சீட்டு இல்லை ஆகியவற்றுக்கிடையில் காணப்படுகிறது {0} மற்றும் {1}
,Pending SO Items For Purchase Request,கொள்முதல் கோரிக்கை நிலுவையில் எனவே விடயங்கள்
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,மாணவர் சேர்க்கை
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} முடக்கப்பட்டுள்ளது
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} முடக்கப்பட்டுள்ளது
DocType: Supplier,Billing Currency,பில்லிங் நாணய
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,மிகப் பெரியது
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,மிகப் பெரியது
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,மொத்த இலைகள்
,Profit and Loss Statement,இலாப நட்ட அறிக்கை
DocType: Bank Reconciliation Detail,Cheque Number,காசோலை எண்
,Sales Browser,விற்னையாளர் உலாவி
DocType: Journal Entry,Total Credit,மொத்த கடன்
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},எச்சரிக்கை: மற்றொரு {0} # {1} பங்கு நுழைவதற்கு எதிராக உள்ளது {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,உள்ளூர்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,உள்ளூர்
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),கடன்கள் ( சொத்துக்கள் )
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,"இருப்பினும், கடனாளிகள்"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,பெரிய
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,பெரிய
DocType: Homepage Featured Product,Homepage Featured Product,முகப்பு இடம்பெற்றிருந்தது தயாரிப்பு
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,அனைத்து மதிப்பீடு குழுக்கள்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,அனைத்து மதிப்பீடு குழுக்கள்
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,புதிய கிடங்கு பெயர்
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),மொத்த {0} ({1})
DocType: C-Form Invoice Detail,Territory,மண்டலம்
@@ -2631,12 +2645,12 @@
DocType: Production Order Operation,Planned Start Time,திட்டமிட்ட தொடக்க நேரம்
DocType: Course,Assessment,மதிப்பீடு
DocType: Payment Entry Reference,Allocated,ஒதுக்கீடு
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Close இருப்புநிலை மற்றும் புத்தகம் லாபம் அல்லது நஷ்டம் .
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Close இருப்புநிலை மற்றும் புத்தகம் லாபம் அல்லது நஷ்டம் .
DocType: Student Applicant,Application Status,விண்ணப்பத்தின் நிலை
DocType: Fees,Fees,கட்டணம்
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,நாணயமாற்று வீத மற்றொரு வகையில் ஒரு நாணயத்தை மாற்ற குறிப்பிடவும்
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,மேற்கோள் {0} ரத்து
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,மொத்த நிலுவை தொகை
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,மொத்த நிலுவை தொகை
DocType: Sales Partner,Targets,இலக்குகள்
DocType: Price List,Price List Master,விலை பட்டியல் மாஸ்டர்
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,நீங்கள் அமைக்க மற்றும் இலக்குகள் கண்காணிக்க முடியும் என்று அனைத்து விற்பனை நடவடிக்கைகள் பல ** விற்பனை நபர்கள் ** எதிரான குறித்துள்ளார்.
@@ -2680,12 +2694,12 @@
1 வழிகள். முகவரி மற்றும் உங்கள் நிறுவனத்தின் தொடர்பு."
DocType: Attendance,Leave Type,வகை விட்டு
DocType: Purchase Invoice,Supplier Invoice Details,சப்ளையர் விவரப்பட்டியல் விவரங்கள்
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,செலவு / வித்தியாசம் கணக்கு ({0}) ஒரு 'லாபம் அல்லது நஷ்டம்' கணக்கு இருக்க வேண்டும்
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,செலவு / வித்தியாசம் கணக்கு ({0}) ஒரு 'லாபம் அல்லது நஷ்டம்' கணக்கு இருக்க வேண்டும்
DocType: Project,Copied From,இருந்து நகலெடுத்து
DocType: Project,Copied From,இருந்து நகலெடுத்து
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},பெயர் பிழை: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,பற்றாக்குறை
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{2} {3}உடன் {0} {1} தொடர்புடையது இல்லை
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{2} {3}உடன் {0} {1} தொடர்புடையது இல்லை
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,ஊழியர் வருகை {0} ஏற்கனவே குறிக்கப்பட்டுள்ளது
DocType: Packing Slip,If more than one package of the same type (for print),அதே வகை மேற்பட்ட தொகுப்பு (அச்சுக்கு)
,Salary Register,சம்பளம் பதிவு
@@ -2703,22 +2717,23 @@
,Requested Qty,கோரப்பட்ட அளவு
DocType: Tax Rule,Use for Shopping Cart,வண்டியில் பயன்படுத்தவும்
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},மதிப்பு {0} பண்பு {1} செல்லுபடியாகும் பொருள் பட்டியலில் இல்லை பொருள் பண்புக்கூறு மதிப்புகள் இல்லை {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,சீரியல் எண்கள் தேர்ந்தெடுக்கவும்
DocType: BOM Item,Scrap %,% கைவிட்டால்
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","கட்டணங்கள் விகிதாசாரத்தில் தேர்வு படி, உருப்படி கொத்தமல்லி அல்லது அளவு அடிப்படையில்"
DocType: Maintenance Visit,Purposes,நோக்கங்கள்
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,குறைந்தபட்சம் ஒரு பொருளை திருப்பி ஆவணம் எதிர்மறை அளவு உள்ளிட்ட
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,குறைந்தபட்சம் ஒரு பொருளை திருப்பி ஆவணம் எதிர்மறை அளவு உள்ளிட்ட
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","ஆபரேஷன் {0} பணிநிலையம் உள்ள எந்த கிடைக்க வேலை மணி நேரத்திற்கு {1}, பல நடவடிக்கைகளில் அறுவை சிகிச்சை உடைந்து"
,Requested,கோரப்பட்ட
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,குறிப்புகள் இல்லை
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,குறிப்புகள் இல்லை
DocType: Purchase Invoice,Overdue,காலங்கடந்த
DocType: Account,Stock Received But Not Billed,"பங்கு பெற்றார், ஆனால் கணக்கில் இல்லை"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,ரூட் கணக்கு ஒரு குழு இருக்க வேண்டும்
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,ரூட் கணக்கு ஒரு குழு இருக்க வேண்டும்
DocType: Fees,FEE.,கட்டணம்.
DocType: Employee Loan,Repaid/Closed,தீர்வையான / மூடப்பட்ட
DocType: Item,Total Projected Qty,மொத்த உத்தேச அளவு
DocType: Monthly Distribution,Distribution Name,விநியோக பெயர்
DocType: Course,Course Code,பாடநெறி குறியீடு
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},பொருள் தேவை தரமான ஆய்வு {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},பொருள் தேவை தரமான ஆய்வு {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,விகிதம் இது வாடிக்கையாளர் நாணய நிறுவனத்தின் அடிப்படை நாணய மாற்றப்படும்
DocType: Purchase Invoice Item,Net Rate (Company Currency),நிகர விகிதம் (நிறுவனத்தின் நாணயம்)
DocType: Salary Detail,Condition and Formula Help,நிபந்தனைகள் மற்றும் ஃபார்முலா உதவி
@@ -2731,27 +2746,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,உற்பத்தி பொருள் மாற்றம்
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,தள்ளுபடி சதவீதம் விலை பட்டியலை எதிராக அல்லது அனைத்து விலை பட்டியல் ஒன்று பயன்படுத்த முடியும்.
DocType: Purchase Invoice,Half-yearly,அரை ஆண்டு
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,பங்கு பைனான்ஸ் நுழைவு
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,பங்கு பைனான்ஸ் நுழைவு
DocType: Vehicle Service,Engine Oil,இயந்திர எண்ணெய்
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,அமைவு பணியாளர் மனித வள சிஸ்டம் பெயரிடுதல்> மனிதவள அமைப்புகள்
DocType: Sales Invoice,Sales Team1,விற்பனை Team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,பொருள் {0} இல்லை
DocType: Sales Invoice,Customer Address,வாடிக்கையாளர் முகவரி
DocType: Employee Loan,Loan Details,கடன் விவரங்கள்
+DocType: Company,Default Inventory Account,இயல்புநிலை சரக்கு கணக்கு
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,ரோ {0}: பூர்த்தி அளவு சுழியை விட பெரியதாக இருக்க வேண்டும்.
DocType: Purchase Invoice,Apply Additional Discount On,கூடுதல் தள்ளுபடி விண்ணப்பிக்கவும்
DocType: Account,Root Type,ரூட் வகை
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},ரோ # {0}: விட திரும்ப முடியாது {1} பொருள் {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},ரோ # {0}: விட திரும்ப முடியாது {1} பொருள் {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,சதி
DocType: Item Group,Show this slideshow at the top of the page,பக்கத்தின் மேல் இந்த காட்சியை காட்ட
DocType: BOM,Item UOM,பொருள் UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),தள்ளுபடி தொகை பின்னர் வரி அளவு (நிறுவனத்தின் நாணயம்)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},இலக்கு கிடங்கில் வரிசையில் கட்டாய {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},இலக்கு கிடங்கில் வரிசையில் கட்டாய {0}
DocType: Cheque Print Template,Primary Settings,முதன்மை அமைப்புகள்
DocType: Purchase Invoice,Select Supplier Address,சப்ளையர் முகவரி தேர்வு
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,ஊழியர் சேர்
DocType: Purchase Invoice Item,Quality Inspection,தரமான ஆய்வு
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,மிகச்சிறியது
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,மிகச்சிறியது
DocType: Company,Standard Template,ஸ்டாண்டர்ட் வார்ப்புரு
DocType: Training Event,Theory,தியரி
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,எச்சரிக்கை : அளவு கோரப்பட்ட பொருள் குறைந்தபட்ச ஆணை அளவு குறைவாக உள்ளது
@@ -2759,7 +2776,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,நிறுவனத்திற்கு சொந்தமான கணக்குகள் ஒரு தனி விளக்கப்படம் சட்ட நிறுவனம் / துணைநிறுவனத்திற்கு.
DocType: Payment Request,Mute Email,முடக்கு மின்னஞ்சல்
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","உணவு , குளிர்பானங்கள் & புகையிலை"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},மட்டுமே எதிரான கட்டணம் செய்யலாம் unbilled {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},மட்டுமே எதிரான கட்டணம் செய்யலாம் unbilled {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,கமிஷன் விகிதம் அதிகமாக 100 இருக்க முடியாது
DocType: Stock Entry,Subcontract,உள் ஒப்பந்தம்
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,முதல் {0} உள்ளிடவும்
@@ -2772,18 +2789,18 @@
DocType: SMS Log,No of Sent SMS,அனுப்பப்பட்டது எஸ்எம்எஸ் எண்ணிக்கை
DocType: Account,Expense Account,செலவு கணக்கு
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,மென்பொருள்
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,நிறம்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,நிறம்
DocType: Assessment Plan Criteria,Assessment Plan Criteria,மதிப்பீடு திட்டம் தகுதி
DocType: Training Event,Scheduled,திட்டமிடப்பட்ட
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,விலைப்பட்டியலுக்கான கோரிக்கை.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",""இல்லை" மற்றும் "விற்பனை பொருள் இது", "பங்கு உருப்படியை" எங்கே "ஆம்" என்று பொருள் தேர்ந்தெடுக்க மற்றும் வேறு எந்த தயாரிப்பு மூட்டை உள்ளது செய்க"
DocType: Student Log,Academic,கல்வி
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),மொத்த முன்கூட்டியே ({0}) ஒழுங்குக்கு எதிரான {1} மொத்தம் விட அதிகமாக இருக்க முடியாது ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),மொத்த முன்கூட்டியே ({0}) ஒழுங்குக்கு எதிரான {1} மொத்தம் விட அதிகமாக இருக்க முடியாது ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,ஒரே சீராக பரவி மாதங்கள் முழுவதும் இலக்குகளை விநியோகிக்க மாதாந்திர விநியோகம் தேர்ந்தெடுக்கவும்.
DocType: Purchase Invoice Item,Valuation Rate,மதிப்பீட்டு விகிதம்
DocType: Stock Reconciliation,SR/,எஸ்ஆர் /
DocType: Vehicle,Diesel,டீசல்
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,விலை பட்டியல் நாணய தேர்வு
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,விலை பட்டியல் நாணய தேர்வு
,Student Monthly Attendance Sheet,மாணவர் மாதாந்திர வருகை தாள்
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},பணியாளர் {0} ஏற்கனவே {2} {3} இடையே {1} விண்ணப்பித்துள்ளனர்
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,திட்ட தொடக்க தேதி
@@ -2795,7 +2812,7 @@
DocType: BOM,Scrap,குப்பை
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,விற்னையாளர் பங்குதாரர்கள் நிர்வகி.
DocType: Quality Inspection,Inspection Type,ஆய்வு அமைப்பு
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,தற்போதுள்ள பரிவர்த்தனை கிடங்குகள் குழு மாற்றப்பட முடியாது.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,தற்போதுள்ள பரிவர்த்தனை கிடங்குகள் குழு மாற்றப்பட முடியாது.
DocType: Assessment Result Tool,Result HTML,விளைவாக HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,அன்று காலாவதியாகிறது
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,மாணவர்கள் சேர்
@@ -2803,13 +2820,13 @@
DocType: C-Form,C-Form No,சி படிவம் எண்
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,குறியகற்றப்பட்டது வருகை
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,ஆராய்ச்சியாளர்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,ஆராய்ச்சியாளர்
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,திட்டம் சேர்க்கை கருவி மாணவர்
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,பெயர் அல்லது மின்னஞ்சல் அத்தியாவசியமானதாகும்
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,உள்வரும் தரத்தை ஆய்வு.
DocType: Purchase Order Item,Returned Qty,திரும்பி அளவு
DocType: Employee,Exit,வெளியேறு
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,ரூட் வகை கட்டாய ஆகிறது
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,ரூட் வகை கட்டாய ஆகிறது
DocType: BOM,Total Cost(Company Currency),மொத்த செலவு (நிறுவனத்தின் நாணய)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,தொடர் இல {0} உருவாக்கப்பட்டது
DocType: Homepage,Company Description for website homepage,இணைய முகப்பு நிறுவனம் விளக்கம்
@@ -2818,7 +2835,7 @@
DocType: Sales Invoice,Time Sheet List,நேரம் தாள் பட்டியல்
DocType: Employee,You can enter any date manually,நீங்கள் கைமுறையாக எந்த தேதி நுழைய முடியும்
DocType: Asset Category Account,Depreciation Expense Account,தேய்மானம் செலவில் கணக்கு
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,ப்ரொபேஷ்னரி காலம்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,ப்ரொபேஷ்னரி காலம்
DocType: Customer Group,Only leaf nodes are allowed in transaction,ஒரே இலை முனைகள் பரிமாற்றத்தில் அனுமதிக்கப்படுகிறது
DocType: Expense Claim,Expense Approver,செலவின தரப்பில் சாட்சி
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,ரோ {0}: வாடிக்கையாளர் எதிராக அட்வான்ஸ் கடன் இருக்க வேண்டும்
@@ -2832,10 +2849,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,நிச்சயமாக அட்டவணை நீக்கப்பட்டது:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,எஸ்எம்எஸ் விநியோகம் அந்தஸ்து தக்கவைப்பதற்கு பதிவுகள்
DocType: Accounts Settings,Make Payment via Journal Entry,பத்திரிகை நுழைவு வழியாக பணம் செலுத்து
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,அச்சிடப்பட்டது அன்று
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,அச்சிடப்பட்டது அன்று
DocType: Item,Inspection Required before Delivery,பரிசோதனை டெலிவரி முன் தேவையான
DocType: Item,Inspection Required before Purchase,பரிசோதனை வாங்கும் முன் தேவையான
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,நிலுவையில் நடவடிக்கைகள்
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,உங்கள் அமைப்பு
DocType: Fee Component,Fees Category,கட்டணம் பகுப்பு
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,தேதி நிவாரணத்தில் உள்ளிடவும்.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,விவரங்கள்
@@ -2845,9 +2863,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,மறுவரிசைப்படுத்துக நிலை
DocType: Company,Chart Of Accounts Template,கணக்குகள் டெம்ப்ளேட் வரைவு
DocType: Attendance,Attendance Date,வருகை தேதி
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},விலை பட்டியல் {1} ல் பொருள் விலை {0} மேம்படுத்தப்பட்டது
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},விலை பட்டியல் {1} ல் பொருள் விலை {0} மேம்படுத்தப்பட்டது
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,சம்பளம் கலைத்தல் வருமானம் மற்றும் துப்பறியும் அடிப்படையாக கொண்டது.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,குழந்தை முனைகளில் கணக்கு பேரேடு மாற்றப்பட முடியாது
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,குழந்தை முனைகளில் கணக்கு பேரேடு மாற்றப்பட முடியாது
DocType: Purchase Invoice Item,Accepted Warehouse,கிடங்கு ஏற்கப்பட்டது
DocType: Bank Reconciliation Detail,Posting Date,தேதி தகவல்களுக்கு
DocType: Item,Valuation Method,மதிப்பீட்டு முறை
@@ -2856,14 +2874,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,நுழைவு நகல்
DocType: Program Enrollment Tool,Get Students,மாணவர்கள் பெற
DocType: Serial No,Under Warranty,உத்தரவாதத்தின் கீழ்
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[பிழை]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[பிழை]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,நீங்கள் விற்பனை ஆணை சேமிக்க முறை சொற்கள் காணக்கூடியதாக இருக்கும்.
,Employee Birthday,பணியாளர் பிறந்தநாள்
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,மாணவர் தொகுதி வருகை கருவி
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,எல்லை குறுக்கு கோடிட்ட
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,எல்லை குறுக்கு கோடிட்ட
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,துணிகர முதலீடு
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"இந்த 'கல்வி ஆண்டு' கொண்ட ஒரு கல்விசார் கால {0} மற்றும் 'கால பெயர்' {1} ஏற்கனவே உள்ளது. இந்த உள்ளீடுகளை மாற்ற, மீண்டும் முயற்சிக்கவும்."
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","உருப்படியை {0} எதிராக இருக்கும் பரிமாற்றங்கள் உள்ளன, நீங்கள் மதிப்பு மாற்ற முடியாது {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","உருப்படியை {0} எதிராக இருக்கும் பரிமாற்றங்கள் உள்ளன, நீங்கள் மதிப்பு மாற்ற முடியாது {1}"
DocType: UOM,Must be Whole Number,முழு எண் இருக்க வேண்டும்
DocType: Leave Control Panel,New Leaves Allocated (In Days),புதிய விடுப்பு (நாட்களில்) ஒதுக்கப்பட்ட
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,தொடர் இல {0} இல்லை
@@ -2872,6 +2890,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,விலைப்பட்டியல் எண்
DocType: Shopping Cart Settings,Orders,ஆணைகள்
DocType: Employee Leave Approver,Leave Approver,சர்க்கார் தரப்பில் சாட்சி விட்டு
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,ஒரு தொகுதி தேர்ந்தெடுக்கவும்
DocType: Assessment Group,Assessment Group Name,மதிப்பீட்டு குழு பெயர்
DocType: Manufacturing Settings,Material Transferred for Manufacture,பொருள் உற்பத்தி மாற்றப்பட்டது
DocType: Expense Claim,"A user with ""Expense Approver"" role","""செலவு ஒப்புதல்"" பாத்திரம் ஒரு பயனர்"
@@ -2881,9 +2900,10 @@
DocType: Target Detail,Target Detail,இலக்கு விரிவாக
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,அனைத்து வேலைகள்
DocType: Sales Order,% of materials billed against this Sales Order,பொருட்கள்% இந்த விற்பனை ஆணை எதிராக வசூலிக்கப்படும்
+DocType: Program Enrollment,Mode of Transportation,போக்குவரத்தின் முறை
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,காலம் நிறைவு நுழைவு
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,ஏற்கனவே பரிவர்த்தனைகள் செலவு மையம் குழு மாற்றப்பட முடியாது
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},தொகை {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},தொகை {0} {1} {2} {3}
DocType: Account,Depreciation,மதிப்பிறக்கம் தேய்மானம்
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),வழங்குபவர் (கள்)
DocType: Employee Attendance Tool,Employee Attendance Tool,பணியாளர் வருகை கருவி
@@ -2891,7 +2911,7 @@
DocType: Supplier,Credit Limit,கடன் எல்லை
DocType: Production Plan Sales Order,Salse Order Date,Salse ஆர்டர் தேதி
DocType: Salary Component,Salary Component,சம்பளம் உபகரண
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,கொடுப்பனவு பதிவுகள் {0} ஐ.நா. இணைக்கப்பட்ட
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,கொடுப்பனவு பதிவுகள் {0} ஐ.நா. இணைக்கப்பட்ட
DocType: GL Entry,Voucher No,ரசீது இல்லை
,Lead Owner Efficiency,முன்னணி உரிமையாளர் திறன்
,Lead Owner Efficiency,முன்னணி உரிமையாளர் திறன்
@@ -2903,11 +2923,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,சொற்கள் அல்லது ஒப்பந்த வார்ப்புரு.
DocType: Purchase Invoice,Address and Contact,முகவரி மற்றும் தொடர்பு
DocType: Cheque Print Template,Is Account Payable,கணக்கு செலுத்தப்பட உள்ளது
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},பங்கு வாங்கும் ரசீது எதிராக புதுப்பிக்க முடியாது {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},பங்கு வாங்கும் ரசீது எதிராக புதுப்பிக்க முடியாது {0}
DocType: Supplier,Last Day of the Next Month,அடுத்த மாதத்தின் கடைசி நாளில்
DocType: Support Settings,Auto close Issue after 7 days,7 நாட்களுக்குப் பிறகு ஆட்டோ நெருங்கிய வெளியீடு
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","முன் ஒதுக்கீடு செய்யப்படும் {0}, விடுப்பு சமநிலை ஏற்கனவே கேரி-அனுப்பி எதிர்கால விடுப்பு ஒதுக்கீடு பதிவில் இருந்து வருகிறது {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),குறிப்பு: / குறிப்பு தேதி {0} நாள் அனுமதிக்கப்பட்ட வாடிக்கையாளர் கடன் அதிகமாகவும் (கள்)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),குறிப்பு: / குறிப்பு தேதி {0} நாள் அனுமதிக்கப்பட்ட வாடிக்கையாளர் கடன் அதிகமாகவும் (கள்)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,மாணவர் விண்ணப்பதாரர்
DocType: Asset Category Account,Accumulated Depreciation Account,திரண்ட தேய்மானம் கணக்கு
DocType: Stock Settings,Freeze Stock Entries,பங்கு பதிவுகள் நிறுத்தப்படலாம்
@@ -2916,36 +2936,36 @@
DocType: Activity Cost,Billing Rate,பில்லிங் விகிதம்
,Qty to Deliver,அடித்தளத்திருந்து அளவு
,Stock Analytics,பங்கு அனலிட்டிக்ஸ்
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,ஆபரேஷன்ஸ் வெறுமையாக முடியும்
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,ஆபரேஷன்ஸ் வெறுமையாக முடியும்
DocType: Maintenance Visit Purpose,Against Document Detail No,ஆவண விபரம் எண் எதிராக
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,கட்சி வகை அத்தியாவசியமானதாகும்
DocType: Quality Inspection,Outgoing,வெளிச்செல்லும்
DocType: Material Request,Requested For,கோரப்பட்ட
DocType: Quotation Item,Against Doctype,ஆவண வகை எதிராக
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} ரத்து செய்யப்பட்டது அல்லது மூடப்பட்டுள்ளது
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} ரத்து செய்யப்பட்டது அல்லது மூடப்பட்டுள்ளது
DocType: Delivery Note,Track this Delivery Note against any Project,எந்த திட்டம் எதிரான இந்த டெலிவரி குறிப்பு கண்காணிக்க
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,முதலீடு இருந்து நிகர பண
-,Is Primary Address,முதன்மை முகவரி
DocType: Production Order,Work-in-Progress Warehouse,"வேலை, செயலில் கிடங்கு"
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,சொத்து {0} சமர்ப்பிக்க வேண்டும்
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},வருகை பதிவு {0} மாணவர் எதிராக உள்ளது {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},வருகை பதிவு {0} மாணவர் எதிராக உள்ளது {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},குறிப்பு # {0} தேதியிட்ட {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,தேய்மானம் காரணமாக சொத்துக்களை அகற்றல் வெளியேற்றப்பட்டது
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,முகவரிகள் நிர்வகிக்கவும்
DocType: Asset,Item Code,பொருள் குறியீடு
DocType: Production Planning Tool,Create Production Orders,உற்பத்தி ஆணைகள் உருவாக்க
DocType: Serial No,Warranty / AMC Details,உத்தரவாதத்தை / AMC விவரம்
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,நடவடிக்கை பொறுத்தே குழு கைமுறையாகச் மாணவர்கள் தேர்வு
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,நடவடிக்கை பொறுத்தே குழு கைமுறையாகச் மாணவர்கள் தேர்வு
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,நடவடிக்கை பொறுத்தே குழு கைமுறையாகச் மாணவர்கள் தேர்வு
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,நடவடிக்கை பொறுத்தே குழு கைமுறையாகச் மாணவர்கள் தேர்வு
DocType: Journal Entry,User Remark,பயனர் குறிப்பு
DocType: Lead,Market Segment,சந்தை பிரிவு
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},செலுத்திய தொகை மொத்த எதிர்மறை கடன் தொகையை விட அதிகமாக இருக்க முடியாது {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},செலுத்திய தொகை மொத்த எதிர்மறை கடன் தொகையை விட அதிகமாக இருக்க முடியாது {0}
DocType: Employee Internal Work History,Employee Internal Work History,பணியாளர் உள் வேலை வரலாறு
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),நிறைவு (டாக்டர்)
DocType: Cheque Print Template,Cheque Size,காசோலை அளவு
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,தொடர் இல {0} இல்லை பங்கு
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,பரிவர்த்தனைகள் விற்பனை வரி வார்ப்புரு .
DocType: Sales Invoice,Write Off Outstanding Amount,சிறந்த தொகை இனிய எழுத
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},கணக்கு {0} நிறுவனத்துடன் இணைந்தது பொருந்தவில்லை {1}
DocType: School Settings,Current Academic Year,தற்போதைய கல்வி ஆண்டு
DocType: School Settings,Current Academic Year,தற்போதைய கல்வி ஆண்டு
DocType: Stock Settings,Default Stock UOM,முன்னிருப்பு பங்கு மொறட்டுவ பல்கலைகழகம்
@@ -2961,27 +2981,27 @@
DocType: Asset,Double Declining Balance,இரட்டை குறைவு சமநிலை
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,மூடப்பட்ட ஆர்டர் ரத்து செய்யப்படும். ரத்து Unclose.
DocType: Student Guardian,Father,அப்பா
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'மேம்படுத்தல் பங்கு' நிலையான சொத்து விற்பனை சோதிக்க முடியவில்லை
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'மேம்படுத்தல் பங்கு' நிலையான சொத்து விற்பனை சோதிக்க முடியவில்லை
DocType: Bank Reconciliation,Bank Reconciliation,வங்கி நல்லிணக்க
DocType: Attendance,On Leave,விடுப்பு மீது
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,மேம்படுத்தல்கள் கிடைக்கும்
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: கணக்கு {2} நிறுவனத்தின் சொந்தம் இல்லை {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,பொருள் கோரிக்கை {0} ரத்து அல்லது நிறுத்தி
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,ஒரு சில மாதிரி பதிவுகளை சேர்க்கவும்
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,ஒரு சில மாதிரி பதிவுகளை சேர்க்கவும்
apps/erpnext/erpnext/config/hr.py +301,Leave Management,மேலாண்மை விடவும்
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,கணக்கு குழு
DocType: Sales Order,Fully Delivered,முழுமையாக வழங்கப்படுகிறது
DocType: Lead,Lower Income,குறைந்த வருமானம்
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},மூல மற்றும் அடைவு கிடங்கில் வரிசையில் அதே இருக்க முடியாது {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},மூல மற்றும் அடைவு கிடங்கில் வரிசையில் அதே இருக்க முடியாது {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",இந்த பங்கு நல்லிணக்க ஒரு தொடக்க நுழைவு என்பதால் வேறுபாடு அக்கவுண்ட் சொத்து / பொறுப்பு வகை கணக்கு இருக்க வேண்டும்
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},செலவிட்டு தொகை கடன் தொகை அதிகமாக இருக்கக் கூடாது கொள்ளலாம் {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},கொள்முதல் ஆணை எண் பொருள் தேவை {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,உற்பத்தி ஆர்டர் உருவாக்கப்பட்டது இல்லை
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},கொள்முதல் ஆணை எண் பொருள் தேவை {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,உற்பத்தி ஆர்டர் உருவாக்கப்பட்டது இல்லை
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',' வரம்பு தேதி ' தேதி ' பிறகு இருக்க வேண்டும்
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},மாணவர் என நிலையை மாற்ற முடியாது {0} மாணவர் பயன்பாடு இணைந்தவர் {1}
DocType: Asset,Fully Depreciated,முழுமையாக தணியாக
,Stock Projected Qty,பங்கு அளவு திட்டமிடப்பட்ட
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},வாடிக்கையாளர் {0} திட்டம் அல்ல {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},வாடிக்கையாளர் {0} திட்டம் அல்ல {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,"அடையாளமிட்ட வருகை, HTML"
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",மேற்கோள்கள் முன்மொழிவுகள் நீங்கள் உங்கள் வாடிக்கையாளர்களுக்கு அனுப்பியுள்ளோம் ஏலம் உள்ளன
DocType: Sales Order,Customer's Purchase Order,வாடிக்கையாளர் கொள்முதல் ஆணை
@@ -2990,8 +3010,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,மதிப்பீடு அடிப்படியின் மதிப்பெண்கள் கூட்டுத்தொகை {0} இருக்க வேண்டும்.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Depreciations எண்ணிக்கை பதிவுசெய்தீர்கள் அமைக்கவும்
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,மதிப்பு அல்லது அளவு
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,புரொடக்சன்ஸ் ஆணைகள் எழுப்பியது முடியாது:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,நிமிஷம்
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,புரொடக்சன்ஸ் ஆணைகள் எழுப்பியது முடியாது:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,நிமிஷம்
DocType: Purchase Invoice,Purchase Taxes and Charges,கொள்முதல் வரி மற்றும் கட்டணங்கள்
,Qty to Receive,மதுரையில் அளவு
DocType: Leave Block List,Leave Block List Allowed,அனுமதிக்கப்பட்ட பிளாக் பட்டியல் விட்டு
@@ -2999,25 +3019,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},வாகன பதிவு செலவை கூறுகின்றனர் {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,மீது மார்ஜின் கொண்டு விலை பட்டியல் விகிதம் தள்ளுபடி (%)
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,மீது மார்ஜின் கொண்டு விலை பட்டியல் விகிதம் தள்ளுபடி (%)
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,அனைத்து கிடங்குகள்
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,அனைத்து கிடங்குகள்
DocType: Sales Partner,Retailer,சில்லறை
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,கணக்கில் பணம் வரவு ஒரு ஐந்தொகை கணக்கில் இருக்க வேண்டும்
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,கணக்கில் பணம் வரவு ஒரு ஐந்தொகை கணக்கில் இருக்க வேண்டும்
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,அனைத்து வழங்குபவர் வகைகள்
DocType: Global Defaults,Disable In Words,சொற்கள் முடக்கு
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,பொருள் தானாக எண் ஏனெனில் பொருள் கோட் கட்டாய ஆகிறது
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,பொருள் தானாக எண் ஏனெனில் பொருள் கோட் கட்டாய ஆகிறது
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},மேற்கோள் {0} அல்ல வகை {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,பராமரிப்பு அட்டவணை பொருள்
DocType: Sales Order,% Delivered,அனுப்பப்பட்டது%
DocType: Production Order,PRO-,சார்பு
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,வங்கி மிகைஎடுப்பு கணக்கு
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,வங்கி மிகைஎடுப்பு கணக்கு
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,சம்பள விபரம் செய்ய
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,ரோ # {0}: ஒதுக்கப்பட்டவை தொகை நிலுவையில் தொகையை விட அதிகமாக இருக்க முடியாது.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,"உலவ BOM,"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,பிணை கடன்கள்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,பிணை கடன்கள்
DocType: Purchase Invoice,Edit Posting Date and Time,இடுகையிடுதலுக்கான தேதி மற்றும் நேரம் திருத்த
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},சொத்து வகை {0} அல்லது நிறுவனத்தின் தேய்மானம் தொடர்பான கணக்குகள் அமைக்கவும் {1}
DocType: Academic Term,Academic Year,கல்வி ஆண்டில்
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,திறப்பு இருப்பு ஈக்விட்டி
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,திறப்பு இருப்பு ஈக்விட்டி
DocType: Lead,CRM,"CRM,"
DocType: Appraisal,Appraisal,மதிப்பிடுதல்
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},சப்ளையர் அனுப்பப்படும் மின்னஞ்சல் {0}
@@ -3033,7 +3053,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,பங்கு ஒப்புதல் ஆட்சி பொருந்தும் பாத்திரம் அதே இருக்க முடியாது
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,இந்த மின்னஞ்சல் டைஜஸ்ட் இருந்து விலகுவதற்காக
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,செய்தி அனுப்பப்பட்டது
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,குழந்தை முனைகளில் கணக்கு பேரேடு அமைக்க முடியாது
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,குழந்தை முனைகளில் கணக்கு பேரேடு அமைக்க முடியாது
DocType: C-Form,II,இரண்டாம்
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,விலை பட்டியல் நாணய வாடிக்கையாளர் அடிப்படை நாணய மாற்றப்படும் விகிதத்தை
DocType: Purchase Invoice Item,Net Amount (Company Currency),நிகர விலை (நிறுவனத்தின் நாணயம்)
@@ -3068,7 +3088,7 @@
DocType: Expense Claim,Approval Status,ஒப்புதல் நிலைமை
DocType: Hub Settings,Publish Items to Hub,மையம் வெளியிடு
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},மதிப்பு வரிசையில் மதிப்பு குறைவாக இருக்க வேண்டும் {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,வயர் மாற்றம்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,வயர் மாற்றம்
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,அனைத்து பாருங்கள்
DocType: Vehicle Log,Invoice Ref,விலைப்பட்டியல் குறிப்பு
DocType: Purchase Order,Recurring Order,வழக்கமாகத் தோன்றும் ஆணை
@@ -3081,19 +3101,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,வங்கி மற்றும் கொடுப்பனவுகள்
,Welcome to ERPNext,ERPNext வரவேற்கிறோம்
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,மேற்கோள் வழிவகுக்கும்
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,மேலும் காண்பிக்க எதுவும் இல்லை.
DocType: Lead,From Customer,வாடிக்கையாளர் இருந்து
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,அழைப்புகள்
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,அழைப்புகள்
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,தொகுப்புகளும்
DocType: Project,Total Costing Amount (via Time Logs),மொத்த செலவு தொகை (நேரத்தில் பதிவுகள் வழியாக)
DocType: Purchase Order Item Supplied,Stock UOM,பங்கு மொறட்டுவ பல்கலைகழகம்
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,கொள்முதல் ஆணை {0} சமர்ப்பிக்க
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,கொள்முதல் ஆணை {0} சமர்ப்பிக்க
DocType: Customs Tariff Number,Tariff Number,சுங்கத்தீர்வை எண்
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,திட்டமிடப்பட்ட
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},தொடர் இல {0} கிடங்கு அல்ல {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"குறிப்பு: இந்த அமைப்பு பொருள் விநியோகம் , மேல் முன்பதிவு பார்க்க மாட்டேன் {0} அளவு அல்லது அளவு 0 ஆகிறது"
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"குறிப்பு: இந்த அமைப்பு பொருள் விநியோகம் , மேல் முன்பதிவு பார்க்க மாட்டேன் {0} அளவு அல்லது அளவு 0 ஆகிறது"
DocType: Notification Control,Quotation Message,மேற்கோள் செய்தி
DocType: Employee Loan,Employee Loan Application,பணியாளர் கடன் விண்ணப்ப
DocType: Issue,Opening Date,தேதி திறப்பு
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,வருகை வெற்றிகரமாக குறிக்கப்பட்டுள்ளது.
+DocType: Program Enrollment,Public Transport,பொது போக்குவரத்து
DocType: Journal Entry,Remark,குறிப்பு
DocType: Purchase Receipt Item,Rate and Amount,விகிதம் மற்றும் தொகை
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},கணக்கு வகை {0} இருக்க வேண்டும் {1}
@@ -3101,32 +3124,32 @@
DocType: School Settings,Current Academic Term,தற்போதைய கல்வி கால
DocType: School Settings,Current Academic Term,தற்போதைய கல்வி கால
DocType: Sales Order,Not Billed,கட்டணம் இல்லை
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,இரண்டு கிடங்கு அதே நிறுவனத்திற்கு சொந்தமானது வேண்டும்
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,தொடர்புகள் இல்லை இன்னும் சேர்க்கப்படவில்லை.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,இரண்டு கிடங்கு அதே நிறுவனத்திற்கு சொந்தமானது வேண்டும்
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,தொடர்புகள் இல்லை இன்னும் சேர்க்கப்படவில்லை.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Landed செலவு ரசீது தொகை
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,பில்கள் விநியோகஸ்தர்கள் எழுப்பும்.
DocType: POS Profile,Write Off Account,கணக்கு இனிய எழுத
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,பற்று Amt குறிப்பு
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,தள்ளுபடி தொகை
DocType: Purchase Invoice,Return Against Purchase Invoice,எதிராக கொள்முதல் விலைப்பட்டியல் திரும்ப
DocType: Item,Warranty Period (in days),உத்தரவாதத்தை காலம் (நாட்கள்)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Guardian1 அரசுடன் உறவு
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1 அரசுடன் உறவு
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,செயல்பாடுகள் இருந்து நிகர பண
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,எ.கா. வரி
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,எ.கா. வரி
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,பொருள் 4
DocType: Student Admission,Admission End Date,சேர்க்கை முடிவு தேதி
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,துணை ஒப்பந்த
DocType: Journal Entry Account,Journal Entry Account,பத்திரிகை நுழைவு கணக்கு
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,மாணவர் குழு
DocType: Shopping Cart Settings,Quotation Series,மேற்கோள் தொடர்
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","ஒரு பொருளை ( {0} ) , உருப்படி குழு பெயர் மாற்ற அல்லது மறுபெயரிட தயவு செய்து அதே பெயரில்"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,வாடிக்கையாளர் தேர்ந்தெடுக்கவும்
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","ஒரு பொருளை ( {0} ) , உருப்படி குழு பெயர் மாற்ற அல்லது மறுபெயரிட தயவு செய்து அதே பெயரில்"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,வாடிக்கையாளர் தேர்ந்தெடுக்கவும்
DocType: C-Form,I,நான்
DocType: Company,Asset Depreciation Cost Center,சொத்து தேய்மானம் செலவு மையம்
DocType: Sales Order Item,Sales Order Date,விற்பனை ஆர்டர் தேதி
DocType: Sales Invoice Item,Delivered Qty,வழங்கப்படும் அளவு
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","தேர்ந்தெடுக்கப்பட்டால், ஒவ்வொரு தயாரிப்பு உருப்படியை அனைத்து குழந்தைகள் பொருள் கோரிக்கைகள் சேர்க்கப்படும்."
DocType: Assessment Plan,Assessment Plan,மதிப்பீடு திட்டம்
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,கிடங்கு {0}: நிறுவனத்தின் கட்டாய ஆகிறது
DocType: Stock Settings,Limit Percent,எல்லை சதவீதம்
,Payment Period Based On Invoice Date,விலைப்பட்டியல் தேதியின் அடிப்படையில் கொடுப்பனவு காலம்
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},காணாமல் நாணய மாற்று விகிதங்கள் {0}
@@ -3138,7 +3161,7 @@
DocType: Vehicle,Insurance Details,காப்புறுதி விபரங்கள்
DocType: Account,Payable,செலுத்த வேண்டிய
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,தயவு செய்து திரும்பச் செலுத்துதல் பீரியட்ஸ் நுழைய
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),"இருப்பினும், கடனாளிகள் ({0})"
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),"இருப்பினும், கடனாளிகள் ({0})"
DocType: Pricing Rule,Margin,விளிம்பு
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,புதிய வாடிக்கையாளர்கள்
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,மொத்த லாபம்%
@@ -3149,16 +3172,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,கட்சி அத்தியாவசியமானதாகும்
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,தலைப்பு பெயர்
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,விற்பனை அல்லது வாங்கும் குறைந்தபட்சம் ஒரு தேர்வு வேண்டும்
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,உங்கள் வணிக தன்மை தேர்ந்தெடுக்கவும்.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,விற்பனை அல்லது வாங்கும் குறைந்தபட்சம் ஒரு தேர்வு வேண்டும்
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,உங்கள் வணிக தன்மை தேர்ந்தெடுக்கவும்.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},ரோ # {0}: ஆதாரங்கள் நுழைவதற்கான நகல் {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,உற்பத்தி இயக்கங்களை எங்கே கொண்டுவரப்படுகின்றன.
DocType: Asset Movement,Source Warehouse,மூல கிடங்கு
DocType: Installation Note,Installation Date,நிறுவல் தேதி
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},ரோ # {0}: சொத்து {1} நிறுவனம் சொந்தமானது இல்லை {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},ரோ # {0}: சொத்து {1} நிறுவனம் சொந்தமானது இல்லை {2}
DocType: Employee,Confirmation Date,உறுதிப்படுத்தல் தேதி
DocType: C-Form,Total Invoiced Amount,மொத்த விலை விவரம் தொகை
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,குறைந்தபட்ச அளவு மேக்ஸ் அளவு அதிகமாக இருக்க முடியாது
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,குறைந்தபட்ச அளவு மேக்ஸ் அளவு அதிகமாக இருக்க முடியாது
DocType: Account,Accumulated Depreciation,திரட்டப்பட்ட தேய்மானம்
DocType: Stock Entry,Customer or Supplier Details,வாடிக்கையாளருக்கு அல்லது விபரங்கள்
DocType: Employee Loan Application,Required by Date,டேட் தேவையான
@@ -3179,22 +3202,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,மாதாந்திர விநியோகம் சதவீதம்
DocType: Territory,Territory Targets,மண்டலம் இலக்குகள்
DocType: Delivery Note,Transporter Info,போக்குவரத்து தகவல்
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},இயல்புநிலை {0} நிறுவனத்தின் அமைக்கவும் {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},இயல்புநிலை {0} நிறுவனத்தின் அமைக்கவும் {1}
DocType: Cheque Print Template,Starting position from top edge,தொடங்கி மேல் விளிம்பில் இருந்து நிலையை
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,அதே சப்ளையர் பல முறை உள்ளிட்ட வருகிறது
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,மொத்த லாபம் / இழப்பு
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,கொள்முதல் ஆணை பொருள் வழங்கியது
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,நிறுவனத்தின் பெயர் நிறுவனத்தின் இருக்க முடியாது
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,நிறுவனத்தின் பெயர் நிறுவனத்தின் இருக்க முடியாது
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,அச்சு வார்ப்புருக்கள் தலைமை பெயர்.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"அச்சு வார்ப்புருக்கள் தலைப்புகள் , எ.கா. செய்யறதுன்னு ."
DocType: Student Guardian,Student Guardian,மாணவர் கார்டியன்
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,மதிப்பீட்டு வகை குற்றச்சாட்டுக்கள் உள்ளீடான என குறிக்கப்பட்டுள்ளன
DocType: POS Profile,Update Stock,பங்கு புதுப்பிக்க
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,சப்ளையர்> சப்ளையர் வகை
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,பொருட்களை பல்வேறு மொறட்டுவ பல்கலைகழகம் தவறான ( மொத்த ) நிகர எடை மதிப்பு வழிவகுக்கும். ஒவ்வொரு பொருளின் நிகர எடை அதே மொறட்டுவ பல்கலைகழகம் உள்ளது என்று உறுதி.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM விகிதம்
DocType: Asset,Journal Entry for Scrap,ஸ்கிராப் பத்திரிகை நுழைவு
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,"டெலிவரி குறிப்பு இருந்து உருப்படிகள் இழுக்க , தயவு செய்து"
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,ஜர்னல் பதிவுகள் {0} ஐ.நா. இணைக்கப்பட்ட
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,ஜர்னல் பதிவுகள் {0} ஐ.நா. இணைக்கப்பட்ட
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","வகை மின்னஞ்சல், தொலைபேசி, அரட்டை, வருகை, முதலியன அனைத்து தகவல் பதிவு"
DocType: Manufacturer,Manufacturers used in Items,பொருட்கள் பயன்படுத்தப்படும் உற்பத்தியாளர்கள்
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,நிறுவனத்தின் வட்ட இனிய விலை மையம் குறிப்பிடவும்
@@ -3243,34 +3267,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,சப்ளையர் வாடிக்கையாளர் வழங்குகிறது
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# படிவம் / பொருள் / {0}) பங்கு வெளியே
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,அடுத்த நாள் பதிவுசெய்ய தேதி விட அதிகமாக இருக்க வேண்டும்
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,காட்டு வரி இடைவெளிக்கு அப்
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},காரணமாக / குறிப்பு தேதி பின்னர் இருக்க முடியாது {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,காட்டு வரி இடைவெளிக்கு அப்
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},காரணமாக / குறிப்பு தேதி பின்னர் இருக்க முடியாது {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,தரவு இறக்குமதி மற்றும் ஏற்றுமதி
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","பங்கு உள்ளீடுகளை, கிடங்கு {0} எதிராக உள்ளன எனவே நீங்கள் மீண்டும் ஒதுக்க அல்லது அதை மாற்ற முடியாது"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,மாணவர்கள் காணப்படவில்லை.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,மாணவர்கள் காணப்படவில்லை.
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,விலைப்பட்டியல் பதிவுசெய்ய தேதி
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,விற்க
DocType: Sales Invoice,Rounded Total,வட்டமான மொத்த
DocType: Product Bundle,List items that form the package.,தொகுப்பு அமைக்க என்று பட்டியல் உருப்படிகள்.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,சதவீதம் ஒதுக்கீடு 100% சமமாக இருக்க வேண்டும்
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,"கட்சி தேர்வு செய்யும் முன், பதிவுசெய்ய தேதி தேர்ந்தெடுக்கவும்"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,"கட்சி தேர்வு செய்யும் முன், பதிவுசெய்ய தேதி தேர்ந்தெடுக்கவும்"
DocType: Program Enrollment,School House,பள்ளி ஹவுஸ்
DocType: Serial No,Out of AMC,AMC வெளியே
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,மேற்கோள்கள் தேர்ந்தெடுக்கவும்
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,மேற்கோள்கள் தேர்ந்தெடுக்கவும்
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,மேற்கோள்கள் தேர்ந்தெடுக்கவும்
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,மேற்கோள்கள் தேர்ந்தெடுக்கவும்
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,முன்பதிவு செய்யப்பட்டது தேய்மானம் எண்ணிக்கையை விட அதிகமாக இருக்க முடியும்
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,பராமரிப்பு விஜயம் செய்ய
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,விற்பனை மாஸ்டர் மேலாளர் {0} பங்கு கொண்ட பயனர் தொடர்பு கொள்ளவும்
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,விற்பனை மாஸ்டர் மேலாளர் {0} பங்கு கொண்ட பயனர் தொடர்பு கொள்ளவும்
DocType: Company,Default Cash Account,இயல்புநிலை பண கணக்கு
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,நிறுவனத்தின் ( இல்லை வாடிக்கையாளருக்கு அல்லது வழங்குநருக்கு ) மாஸ்டர் .
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,இந்த மாணவர் வருகை அடிப்படையாக கொண்டது
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,எந்த மாணவர்
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,எந்த மாணவர்
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,மேலும் பொருட்களை அல்லது திறந்த முழு வடிவம் சேர்க்க
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',' எதிர்பார்த்த டெலிவரி தேதி ' உள்ளிடவும்
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,டெலிவரி குறிப்புகள் {0} இந்த விற்பனை ஆணை ரத்து முன் ரத்து செய்யப்பட வேண்டும்
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,பணம் அளவு + அளவு தள்ளுபடி கிராண்ட் மொத்த விட முடியாது
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,பணம் அளவு + அளவு தள்ளுபடி கிராண்ட் மொத்த விட முடியாது
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} உருப்படி ஒரு செல்லுபடியாகும் தொகுதி எண் அல்ல {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},குறிப்பு: விடுப்பு வகை போதுமான விடுப்பு சமநிலை இல்லை {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,தவறான GSTIN அல்லது பதியப்படாதது க்கான என்ஏ உள்ளிடவும்
DocType: Training Event,Seminar,கருத்தரங்கு
DocType: Program Enrollment Fee,Program Enrollment Fee,திட்டம் சேர்க்கை கட்டணம்
DocType: Item,Supplier Items,வழங்குபவர் பொருட்கள்
@@ -3296,28 +3320,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,பொருள் 3
DocType: Purchase Order,Customer Contact Email,வாடிக்கையாளர் தொடர்பு மின்னஞ்சல்
DocType: Warranty Claim,Item and Warranty Details,பொருள் மற்றும் உத்தரவாதத்தை விபரங்கள்
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,பொருள் குறியீடு> பொருள் குழு> பிராண்ட்
DocType: Sales Team,Contribution (%),பங்களிப்பு (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,குறிப்பு: கொடுப்பனவு நுழைவு ' பண அல்லது வங்கி கணக்கு ' குறிப்பிடப்படவில்லை என்பதால் உருவாக்கப்பட்டது முடியாது
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,கட்டாய படிப்புகள் எடுக்க திட்டம் தேர்ந்தெடுக்கவும்.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,கட்டாய படிப்புகள் எடுக்க திட்டம் தேர்ந்தெடுக்கவும்.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,பொறுப்புகள்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,பொறுப்புகள்
DocType: Expense Claim Account,Expense Claim Account,செலவு கூறுகின்றனர் கணக்கு
DocType: Sales Person,Sales Person Name,விற்பனை நபர் பெயர்
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,அட்டவணையில் குறைந்தது 1 விலைப்பட்டியல் உள்ளிடவும்
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,பயனர்கள் சேர்க்கவும்
DocType: POS Item Group,Item Group,பொருள் குழு
DocType: Item,Safety Stock,பாதுகாப்பு பங்கு
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,ஒரு பணி முன்னேற்றம்% 100 க்கும் மேற்பட்ட இருக்க முடியாது.
DocType: Stock Reconciliation Item,Before reconciliation,சமரசம் முன்
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},எப்படி {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),வரிகள் மற்றும் கட்டணங்கள் சேர்க்கப்பட்டது (நிறுவனத்தின் கரன்சி)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,பொருள் வரி வரிசையில் {0} வகை வரி அல்லது வருமான அல்லது செலவு அல்லது வசூலிக்கப்படும் கணக்கு இருக்க வேண்டும்
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,பொருள் வரி வரிசையில் {0} வகை வரி அல்லது வருமான அல்லது செலவு அல்லது வசூலிக்கப்படும் கணக்கு இருக்க வேண்டும்
DocType: Sales Order,Partly Billed,இதற்கு கட்டணம்
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,பொருள் {0} ஒரு நிலையான சொத்தின் பொருள் இருக்க வேண்டும்
DocType: Item,Default BOM,முன்னிருப்பு BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,மீண்டும் தட்டச்சு நிறுவனத்தின் பெயர் உறுதிப்படுத்த தயவு செய்து
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,மொத்த மிகச்சிறந்த விவரங்கள்
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,டெபிட் குறிப்பு தொகை
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,மீண்டும் தட்டச்சு நிறுவனத்தின் பெயர் உறுதிப்படுத்த தயவு செய்து
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,மொத்த மிகச்சிறந்த விவரங்கள்
DocType: Journal Entry,Printing Settings,அச்சிடுதல் அமைப்புகள்
DocType: Sales Invoice,Include Payment (POS),கொடுப்பனவு சேர்க்கவும் (பிஓஎஸ்)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},மொத்த பற்று மொத்த கடன் சமமாக இருக்க வேண்டும் .
@@ -3331,16 +3352,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,கையிருப்பில்:
DocType: Notification Control,Custom Message,தனிப்பயன் செய்தி
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,முதலீட்டு வங்கி
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,பண அல்லது வங்கி கணக்கு கொடுப்பனவு நுழைவு செய்யும் கட்டாய
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,மாணவர் முகவரி
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,மாணவர் முகவரி
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,பண அல்லது வங்கி கணக்கு கொடுப்பனவு நுழைவு செய்யும் கட்டாய
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,அமைவு அமைப்பு வழியாக வருகை தொடரின் எண்ணிக்கையில்> எண் தொடர்
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,மாணவர் முகவரி
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,மாணவர் முகவரி
DocType: Purchase Invoice,Price List Exchange Rate,விலை பட்டியல் செலாவணி விகிதம்
DocType: Purchase Invoice Item,Rate,விலை
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,நடமாட்டத்தை கட்டுபடுத்து
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,முகவரி பெயர்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,நடமாட்டத்தை கட்டுபடுத்து
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,முகவரி பெயர்
DocType: Stock Entry,From BOM,"BOM, இருந்து"
DocType: Assessment Code,Assessment Code,மதிப்பீடு குறியீடு
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,அடிப்படையான
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,அடிப்படையான
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,{0} முன் பங்கு பரிவர்த்தனைகள் உறைந்திருக்கும்
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"' உருவாக்குதல் அட்டவணை ' கிளிக் செய்து,"
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","எ.கா. கிலோ, அலகு, இலக்கங்கள், மீ"
@@ -3350,11 +3372,11 @@
DocType: Salary Slip,Salary Structure,சம்பளம் அமைப்பு
DocType: Account,Bank,வங்கி
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,விமானத்துறை
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,பிரச்சினை பொருள்
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,பிரச்சினை பொருள்
DocType: Material Request Item,For Warehouse,கிடங்கு
DocType: Employee,Offer Date,சலுகை தேதி
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,மேற்கோள்கள்
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,நீங்கள் ஆஃப்லைனில் உள்ளன. நீங்கள் பிணைய வேண்டும் வரை ஏற்றவும் முடியாது.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,நீங்கள் ஆஃப்லைனில் உள்ளன. நீங்கள் பிணைய வேண்டும் வரை ஏற்றவும் முடியாது.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,மாணவர் குழுக்கள் உருவாக்கப்படவில்லை.
DocType: Purchase Invoice Item,Serial No,இல்லை தொடர்
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,மாதாந்திர கட்டுந்தொகை கடன் தொகை அதிகமாக இருக்கக் கூடாது முடியும்
@@ -3362,8 +3384,8 @@
DocType: Purchase Invoice,Print Language,அச்சு மொழி
DocType: Salary Slip,Total Working Hours,மொத்த வேலை நேரங்கள்
DocType: Stock Entry,Including items for sub assemblies,துணை தொகுதிகளுக்கான உருப்படிகள் உட்பட
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,உள்ளிடவும் மதிப்பு நேர்மறையாக இருக்க வேண்டும்
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,அனைத்து பிரதேசங்களையும்
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,உள்ளிடவும் மதிப்பு நேர்மறையாக இருக்க வேண்டும்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,அனைத்து பிரதேசங்களையும்
DocType: Purchase Invoice,Items,பொருட்கள்
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,மாணவர் ஏற்கனவே பதிவு செய்யப்பட்டது.
DocType: Fiscal Year,Year Name,ஆண்டு பெயர்
@@ -3382,10 +3404,10 @@
DocType: Issue,Opening Time,நேரம் திறந்து
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,தேவையான தேதிகள் மற்றும் இதயம்
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,செக்யூரிட்டிஸ் & பண்ட பரிமாற்ற
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',மாற்று அளவீடு இயல்புநிலை யூனிட் '{0}' டெம்ப்ளேட் அதே இருக்க வேண்டும் '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',மாற்று அளவீடு இயல்புநிலை யூனிட் '{0}' டெம்ப்ளேட் அதே இருக்க வேண்டும் '{1}'
DocType: Shipping Rule,Calculate Based On,ஆனால் அடிப்படையில் கணக்கிட
DocType: Delivery Note Item,From Warehouse,கிடங்கில் இருந்து
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,பொருட்களை பில் கொண்டு உருப்படிகள் இல்லை தயாரிப்பதற்கான
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,பொருட்களை பில் கொண்டு உருப்படிகள் இல்லை தயாரிப்பதற்கான
DocType: Assessment Plan,Supervisor Name,மேற்பார்வையாளர் பெயர்
DocType: Program Enrollment Course,Program Enrollment Course,திட்டம் பதிவு கோர்ஸ்
DocType: Program Enrollment Course,Program Enrollment Course,திட்டம் பதிவு கோர்ஸ்
@@ -3401,18 +3423,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,' கடைசி ஆர்டர் நாட்களில் ' அதிகமாக அல்லது பூஜ்ஜியத்திற்கு சமமாக இருக்க வேண்டும்
DocType: Process Payroll,Payroll Frequency,சம்பளப்பட்டியல் அதிர்வெண்
DocType: Asset,Amended From,முதல் திருத்தப்பட்ட
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,மூலப்பொருட்களின்
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,மூலப்பொருட்களின்
DocType: Leave Application,Follow via Email,மின்னஞ்சல் வழியாக பின்பற்றவும்
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,செடிகள் மற்றும் இயந்திரங்கள்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,செடிகள் மற்றும் இயந்திரங்கள்
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,தள்ளுபடி தொகை பிறகு வரி தொகை
DocType: Daily Work Summary Settings,Daily Work Summary Settings,தினசரி வேலை சுருக்கம் அமைப்புகள்
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},விலை பட்டியல் {0} நாணய தேர்ந்தெடுக்கப்பட்ட நாணயத்துடன் ஒத்த அல்ல {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},விலை பட்டியல் {0} நாணய தேர்ந்தெடுக்கப்பட்ட நாணயத்துடன் ஒத்த அல்ல {1}
DocType: Payment Entry,Internal Transfer,உள்நாட்டு மாற்றம்
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,குழந்தை கணக்கு இந்த கணக்கு உள்ளது . நீங்கள் இந்த கணக்கை நீக்க முடியாது .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,குழந்தை கணக்கு இந்த கணக்கு உள்ளது . நீங்கள் இந்த கணக்கை நீக்க முடியாது .
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,இலக்கு அளவு அல்லது இலக்கு அளவு கட்டாயமாகும்.
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},"இயல்புநிலை BOM, பொருள் உள்ளது {0}"
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},"இயல்புநிலை BOM, பொருள் உள்ளது {0}"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,முதல் பதிவுசெய்ய தேதி தேர்ந்தெடுக்கவும்
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,தேதி திறந்து தேதி மூடுவதற்கு முன் இருக்க வேண்டும்
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} அமைப்பு> அமைப்புகள் வழியாக> பெயரிடுதல் தொடருக்கான தொடர் பெயரிடுதல் அமைக்கவும்
DocType: Leave Control Panel,Carry Forward,முன்னெடுத்து செல்
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,ஏற்கனவே பரிவர்த்தனைகள் செலவு மையம் லெட்ஜரிடம் மாற்ற முடியாது
DocType: Department,Days for which Holidays are blocked for this department.,இது விடுமுறை நாட்கள் இந்த துறை தடுக்கப்பட்டது.
@@ -3422,11 +3445,10 @@
DocType: Issue,Raised By (Email),(மின்னஞ்சல்) மூலம் எழுப்பப்பட்ட
DocType: Training Event,Trainer Name,பயிற்சி பெயர்
DocType: Mode of Payment,General,பொதுவான
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,லெட்டர் இணைக்கவும்
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,கடைசியாக தொடர்பாடல்
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,கடைசியாக தொடர்பாடல்
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',வகை ' மதிப்பீட்டு ' அல்லது ' மதிப்பீடு மற்றும் மொத்த ' உள்ளது போது கழித்து முடியாது
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","உங்கள் வரி தலைகள் பட்டியல் (எ.கா. வரி, சுங்க போன்றவை; அவர்கள் தனிப்பட்ட பெயர்கள் இருக்க வேண்டும்) மற்றும் அவர்களது தரத்தை விகிதங்கள். இந்த நீங்கள் திருத்தலாம் மற்றும் மேலும் பின்னர் சேர்க்க நிலைப்படுத்தப்பட்ட டெம்ப்ளேட், உருவாக்கும்."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","உங்கள் வரி தலைகள் பட்டியல் (எ.கா. வரி, சுங்க போன்றவை; அவர்கள் தனிப்பட்ட பெயர்கள் இருக்க வேண்டும்) மற்றும் அவர்களது தரத்தை விகிதங்கள். இந்த நீங்கள் திருத்தலாம் மற்றும் மேலும் பின்னர் சேர்க்க நிலைப்படுத்தப்பட்ட டெம்ப்ளேட், உருவாக்கும்."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},தொடராக பொருள் தொடர் இலக்கங்கள் தேவையான {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,பொருள் கொண்ட போட்டி கொடுப்பனவு
DocType: Journal Entry,Bank Entry,வங்கி நுழைவு
@@ -3435,16 +3457,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,வணிக வண்டியில் சேர்
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,குழு மூலம்
DocType: Guardian,Interests,ஆர்வம்
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,/ முடக்கு நாணயங்கள் செயல்படுத்து.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,/ முடக்கு நாணயங்கள் செயல்படுத்து.
DocType: Production Planning Tool,Get Material Request,பொருள் வேண்டுகோள் பெற
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,தபால் செலவுகள்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,தபால் செலவுகள்
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),மொத்தம் (விவரங்கள்)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,பொழுதுபோக்கு & ஓய்வு
DocType: Quality Inspection,Item Serial No,பொருள் தொடர் எண்
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,பணியாளர் ரெக்கார்ட்ஸ் உருவாக்கவும்
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,மொத்த தற்போதைய
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,கணக்கு அறிக்கைகள்
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,மணி
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,மணி
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,புதிய சீரியல் இல்லை கிடங்கு முடியாது . கிடங்கு பங்கு நுழைவு அல்லது கொள்முதல் ரசீது மூலம் அமைக்க வேண்டும்
DocType: Lead,Lead Type,முன்னணி வகை
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,நீங்கள் பிளாக் தேதிகள் இலைகள் ஒப்புதல் அங்கீகாரம் இல்லை
@@ -3456,6 +3478,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,மாற்று பின்னர் புதிய BOM
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,விற்பனை செய்யுமிடம்
DocType: Payment Entry,Received Amount,பெறப்பட்ட தொகை
+DocType: GST Settings,GSTIN Email Sent On,GSTIN மின்னஞ்சல் அனுப்பப்படும்
+DocType: Program Enrollment,Pick/Drop by Guardian,/ கார்டியன் மூலம் டிராப் எடு
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order",", முழு அளவு உருவாக்க பொருட்டு ஏற்கனவே அளவு புறக்கணித்து"
DocType: Account,Tax,வரி
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,குறிக்கப்பட்டுள்ளது இல்லை
@@ -3469,7 +3493,7 @@
DocType: Batch,Source Document Name,மூல ஆவண பெயர்
DocType: Job Opening,Job Title,வேலை தலைப்பு
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,பயனர்கள் உருவாக்கவும்
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,கிராம
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,கிராம
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,உற்பத்தி செய்ய அளவு 0 அதிகமாக இருக்க வேண்டும்.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,பராமரிப்பு அழைப்பு அறிக்கையை பார்க்க.
DocType: Stock Entry,Update Rate and Availability,மேம்படுத்தல் விகிதம் மற்றும் கிடைக்கும்
@@ -3477,7 +3501,7 @@
DocType: POS Customer Group,Customer Group,வாடிக்கையாளர் பிரிவு
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),புதிய தொகுப்பு ஐடி (விரும்பினால்)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),புதிய தொகுப்பு ஐடி (விரும்பினால்)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},செலவு கணக்கு உருப்படியை கட்டாய {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},செலவு கணக்கு உருப்படியை கட்டாய {0}
DocType: BOM,Website Description,இணையதளத்தில் விளக்கம்
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,ஈக்விட்டி நிகர மாற்றம்
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,கொள்முதல் விலைப்பட்டியல் {0} ரத்து செய்க முதல்
@@ -3487,8 +3511,8 @@
,Sales Register,விற்பனை பதிவு
DocType: Daily Work Summary Settings Company,Send Emails At,மின்னஞ்சல்களை அனுப்பவும்
DocType: Quotation,Quotation Lost Reason,மேற்கோள் காரணம் லாஸ்ட்
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,உங்கள் டொமைன் தேர்வு
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},பரிவர்த்தனை குறிப்பு இல்லை {0} தேதியிட்ட {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,உங்கள் டொமைன் தேர்வு
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},பரிவர்த்தனை குறிப்பு இல்லை {0} தேதியிட்ட {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,திருத்த எதுவும் இல்லை .
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,இந்த மாதம் மற்றும் நிலுவையில் நடவடிக்கைகள் சுருக்கம்
DocType: Customer Group,Customer Group Name,வாடிக்கையாளர் குழு பெயர்
@@ -3496,14 +3520,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,பணப்பாய்வு அறிக்கை
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},கடன் தொகை அதிகபட்ச கடன் தொகை தாண்ட முடியாது {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,உரிமம்
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},சி-படிவம் இந்த விலைப்பட்டியல் {0} நீக்கவும் {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},சி-படிவம் இந்த விலைப்பட்டியல் {0} நீக்கவும் {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,நீங்கள் முந்தைய நிதி ஆண்டின் இருப்புநிலை இந்த நிதி ஆண்டு விட்டு சேர்க்க விரும்பினால் முன் எடுத்து கொள்ளவும்
DocType: GL Entry,Against Voucher Type,வவுச்சர் வகை எதிராக
DocType: Item,Attributes,கற்பிதங்கள்
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,கணக்கு எழுத உள்ளிடவும்
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,கணக்கு எழுத உள்ளிடவும்
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,கடைசி ஆர்டர் தேதி
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},கணக்கு {0} செய்கிறது நிறுவனம் சொந்தமானது {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,வரிசையில் {0} இல் சீரியல் எண்கள் டெலிவரி குறிப்பு உடன் பொருந்தவில்லை
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,வரிசையில் {0} இல் சீரியல் எண்கள் டெலிவரி குறிப்பு உடன் பொருந்தவில்லை
DocType: Student,Guardian Details,பாதுகாவலர் விபரங்கள்
DocType: C-Form,C-Form,சி படிவம்
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,பல ஊழியர்கள் மார்க் வருகை
@@ -3518,16 +3542,16 @@
DocType: Budget Account,Budget Amount,பட்ஜெட் தொகை
DocType: Appraisal Template,Appraisal Template Title,மதிப்பீட்டு வார்ப்புரு தலைப்பு
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},வரம்பு தேதி {0} க்கான பணியாளர் {1} ஊழியர் இணைந்ததாக தேதி முன்பாக இருக்கக் கூடாது {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,வர்த்தகம்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,வர்த்தகம்
DocType: Payment Entry,Account Paid To,கணக்கில் பணம்
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,பெற்றோர் பொருள் {0} ஒரு பங்கு பொருள் இருக்க கூடாது
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,அனைத்து தயாரிப்புகள் அல்லது சேவைகள்.
DocType: Expense Claim,More Details,மேலும் விபரங்கள்
DocType: Supplier Quotation,Supplier Address,வழங்குபவர் முகவரி
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} கணக்கு பட்ஜெட் {1} எதிராக {2} {3} ஆகும் {4}. இது தாண்டிவிட {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',ரோ {0} # கணக்கு வகை இருக்க வேண்டும் 'நிலையான சொத்து'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,அளவு அவுட்
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,ஒரு விற்பனை கப்பல் அளவு கணக்கிட விதிகள்
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',ரோ {0} # கணக்கு வகை இருக்க வேண்டும் 'நிலையான சொத்து'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,அளவு அவுட்
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,ஒரு விற்பனை கப்பல் அளவு கணக்கிட விதிகள்
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,தொடர் கட்டாயமாகும்
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,நிதி சேவைகள்
DocType: Student Sibling,Student ID,மாணவர் அடையாளம்
@@ -3535,14 +3559,14 @@
DocType: Tax Rule,Sales,விற்பனை
DocType: Stock Entry Detail,Basic Amount,அடிப்படை தொகை
DocType: Training Event,Exam,தேர்வு
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},பங்கு பொருள் தேவை கிடங்கு {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},பங்கு பொருள் தேவை கிடங்கு {0}
DocType: Leave Allocation,Unused leaves,பயன்படுத்தப்படாத இலைகள்
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,பில்லிங் மாநிலம்
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,பரிமாற்றம்
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},"{0} {1} கட்சி கணக்கு {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},"{0} {1} கட்சி கணக்கு {2}
உடன் தொடர்புடைய இல்லை"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),( துணை கூட்டங்கள் உட்பட ) வெடித்தது BOM எடு
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),( துணை கூட்டங்கள் உட்பட ) வெடித்தது BOM எடு
DocType: Authorization Rule,Applicable To (Employee),பொருந்தும் (பணியாளர்)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,தேதி அத்தியாவசியமானதாகும்
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,பண்பு உயர்வு {0} 0 இருக்க முடியாது
@@ -3570,7 +3594,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,மூலப்பொருட்களின் பொருள் குறியீடு
DocType: Journal Entry,Write Off Based On,ஆனால் அடிப்படையில் இனிய எழுத
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,முன்னணி செய்ய
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,அச்சு மற்றும் ஸ்டேஷனரி
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,அச்சு மற்றும் ஸ்டேஷனரி
DocType: Stock Settings,Show Barcode Field,காட்டு பார்கோடு களம்
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,சப்ளையர் மின்னஞ்சல்கள் அனுப்ப
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","சம்பளம் ஏற்கனவே இடையே {0} மற்றும் {1}, விட்டு பயன்பாடு காலத்தில் இந்த தேதி வரம்பில் இடையே இருக்க முடியாது காலத்தில் பதப்படுத்தப்பட்ட."
@@ -3578,14 +3602,16 @@
DocType: Guardian Interest,Guardian Interest,பாதுகாவலர் வட்டி
apps/erpnext/erpnext/config/hr.py +177,Training,பயிற்சி
DocType: Timesheet,Employee Detail,பணியாளர் விபரம்
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 மின்னஞ்சல் ஐடி
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 மின்னஞ்சல் ஐடி
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 மின்னஞ்சல் ஐடி
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 மின்னஞ்சல் ஐடி
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,அடுத்து தேதி நாள் மற்றும் மாதம் நாளில் மீண்டும் சமமாக இருக்க வேண்டும்
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,இணைய முகப்பு அமைப்புகள்
DocType: Offer Letter,Awaiting Response,பதிலை எதிர்பார்த்திருப்பதாகவும்
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,மேலே
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,மேலே
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},தவறான கற்பிதம் {0} {1}
DocType: Supplier,Mention if non-standard payable account,குறிப்பிட தரமற்ற செலுத்தப்பட கணக்கு என்றால்
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},அதே பொருளைப் பலமுறை நுழைந்தது வருகிறது. {பட்டியலில்}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',தயவு செய்து 'அனைத்து மதிப்பீடு குழுக்கள்' தவிர வேறு மதிப்பீடு குழு தேர்வு
DocType: Salary Slip,Earning & Deduction,சம்பாதிக்கும் & விலக்கு
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,விருப்ப . இந்த அமைப்பு பல்வேறு நடவடிக்கைகளில் வடிகட்ட பயன்படும்.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,எதிர்மறை மதிப்பீட்டு விகிதம் அனுமதி இல்லை
@@ -3599,9 +3625,9 @@
DocType: Sales Invoice,Product Bundle Help,தயாரிப்பு மூட்டை உதவி
,Monthly Attendance Sheet,மாதாந்திர பங்கேற்கும் தாள்
DocType: Production Order Item,Production Order Item,உத்தரவு பொருள்
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,எந்த பதிவும் இல்லை
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,எந்த பதிவும் இல்லை
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,முறித்துள்ளது சொத்து செலவு
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: செலவு மையம் பொருள் அத்தியாவசியமானதாகும் {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: செலவு மையம் பொருள் அத்தியாவசியமானதாகும் {2}
DocType: Vehicle,Policy No,கொள்கை இல்லை
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,தயாரிப்பு மூட்டை இருந்து பொருட்களை பெற
DocType: Asset,Straight Line,நேர் கோடு
@@ -3610,7 +3636,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,பிரி
DocType: GL Entry,Is Advance,முன்பணம்
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,தேதி தேதி மற்றும் வருகை வருகை கட்டாய ஆகிறது
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,உள்ளிடவும் ஆம் அல்லது இல்லை என ' துணை ஒப்பந்தம்'
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,உள்ளிடவும் ஆம் அல்லது இல்லை என ' துணை ஒப்பந்தம்'
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,கடைசியாக தொடர்பாடல் தேதி
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,கடைசியாக தொடர்பாடல் தேதி
DocType: Sales Team,Contact No.,தொடர்பு எண்
@@ -3639,60 +3665,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,திறப்பு மதிப்பு
DocType: Salary Detail,Formula,சூத்திரம்
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,தொடர் #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,விற்பனையில் கமிஷன்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,விற்பனையில் கமிஷன்
DocType: Offer Letter Term,Value / Description,மதிப்பு / விளக்கம்
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ரோ # {0}: சொத்து {1} சமர்ப்பிக்க முடியாது, அது ஏற்கனவே {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","ரோ # {0}: சொத்து {1} சமர்ப்பிக்க முடியாது, அது ஏற்கனவே {2}"
DocType: Tax Rule,Billing Country,பில்லிங் நாடு
DocType: Purchase Order Item,Expected Delivery Date,எதிர்பார்க்கப்படுகிறது டெலிவரி தேதி
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,கடன் மற்றும் பற்று {0} # சம அல்ல {1}. வித்தியாசம் இருக்கிறது {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,பொழுதுபோக்கு செலவினங்கள்
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,பொருள் வேண்டுகோள் செய்ய
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,பொழுதுபோக்கு செலவினங்கள்
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,பொருள் வேண்டுகோள் செய்ய
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},திறந்த பொருள் {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,கவிஞருக்கு {0} இந்த விற்பனை ஆணை ரத்து முன் ரத்து செய்யப்பட வேண்டும்
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,வயது
DocType: Sales Invoice Timesheet,Billing Amount,பில்லிங் அளவு
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,உருப்படி குறிப்பிடப்பட்டது அளவு {0} . அளவு 0 அதிகமாக இருக்க வேண்டும் .
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,விடுமுறை விண்ணப்பங்கள்.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,ஏற்கனவே பரிவர்த்தனை கணக்கு நீக்க முடியாது
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,ஏற்கனவே பரிவர்த்தனை கணக்கு நீக்க முடியாது
DocType: Vehicle,Last Carbon Check,கடந்த கார்பன் சோதனை
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,சட்ட செலவுகள்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,சட்ட செலவுகள்
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,வரிசையில் அளவு தேர்ந்தெடுக்கவும்
DocType: Purchase Invoice,Posting Time,நேரம் தகவல்களுக்கு
DocType: Timesheet,% Amount Billed,% தொகை
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,தொலைபேசி செலவுகள்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,தொலைபேசி செலவுகள்
DocType: Sales Partner,Logo,சின்னம்
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,நீங்கள் பயனர் சேமிப்பு முன்பு ஒரு தொடர் தேர்ந்தெடுக்க கட்டாயப்படுத்தும் விரும்பினால் இந்த சோதனை. இந்த சோதனை என்றால் இல்லை இயல்பாக இருக்கும்.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},சீரியல் எண் இல்லை பொருள் {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},சீரியல் எண் இல்லை பொருள் {0}
DocType: Email Digest,Open Notifications,திறந்த அறிவிப்புகள்
DocType: Payment Entry,Difference Amount (Company Currency),வேறுபாடு தொகை (நிறுவனத்தின் நாணய)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,நேரடி செலவுகள்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,நேரடி செலவுகள்
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} 'அறிவித்தல் \ மின்னஞ்சல் முகவரி' உள்ள ஒரு தவறான மின்னஞ்சல் முகவரி
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,புதிய வாடிக்கையாளர் வருவாய்
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,போக்குவரத்து செலவுகள்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,போக்குவரத்து செலவுகள்
DocType: Maintenance Visit,Breakdown,முறிவு
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,கணக்கு: {0} நாணயத்துடன்: {1} தேர்வு செய்ய முடியாது
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,கணக்கு: {0} நாணயத்துடன்: {1} தேர்வு செய்ய முடியாது
DocType: Bank Reconciliation Detail,Cheque Date,காசோலை தேதி
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},கணக்கு {0}: பெற்றோர் கணக்கு {1} நிறுவனத்திற்கு சொந்தமானது இல்லை: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},கணக்கு {0}: பெற்றோர் கணக்கு {1} நிறுவனத்திற்கு சொந்தமானது இல்லை: {2}
DocType: Program Enrollment Tool,Student Applicants,மாணவர் விண்ணப்பதாரர்கள்
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,வெற்றிகரமாக இந்த நிறுவனம் தொடர்பான அனைத்து நடவடிக்கைகளில் நீக்கப்பட்டது!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,வெற்றிகரமாக இந்த நிறுவனம் தொடர்பான அனைத்து நடவடிக்கைகளில் நீக்கப்பட்டது!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,தேதி வரை
DocType: Appraisal,HR,மனிதவள
DocType: Program Enrollment,Enrollment Date,பதிவு தேதி
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,சோதனை காலம்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,சோதனை காலம்
apps/erpnext/erpnext/config/hr.py +115,Salary Components,சம்பளம் கூறுகள்
DocType: Program Enrollment Tool,New Academic Year,புதிய கல்வி ஆண்டு
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,திரும்ப / கடன் குறிப்பு
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,திரும்ப / கடன் குறிப்பு
DocType: Stock Settings,Auto insert Price List rate if missing,வாகன நுழைவு விலை பட்டியல் விகிதம் காணாமல் என்றால்
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,மொத்த கட்டண தொகை
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,மொத்த கட்டண தொகை
DocType: Production Order Item,Transferred Qty,அளவு மாற்றம்
apps/erpnext/erpnext/config/learn.py +11,Navigating,வழிநடத்தல்
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,திட்டமிடல்
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,வெளியிடப்படுகிறது
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,திட்டமிடல்
+DocType: Material Request,Issued,வெளியிடப்படுகிறது
DocType: Project,Total Billing Amount (via Time Logs),மொத்த பில்லிங் அளவு (நேரத்தில் பதிவுகள் வழியாக)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,நாம் இந்த பொருளை விற்க
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,வழங்குபவர் அடையாளம்
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,நாம் இந்த பொருளை விற்க
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,வழங்குபவர் அடையாளம்
DocType: Payment Request,Payment Gateway Details,பணம் நுழைவாயில் விபரங்கள்
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,அளவு 0 அதிகமாக இருக்க வேண்டும்
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,அளவு 0 அதிகமாக இருக்க வேண்டும்
DocType: Journal Entry,Cash Entry,பண நுழைவு
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,குழந்தை முனைகளில் மட்டும் 'குரூப்' வகை முனைகளில் கீழ் உருவாக்கப்பட்ட முடியும்
DocType: Leave Application,Half Day Date,அரை நாள் தேதி
@@ -3704,14 +3731,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},செலவு கூறுகின்றனர் வகை இயல்புநிலை கணக்கு அமைக்கவும் {0}
DocType: Assessment Result,Student Name,மாணவன் பெயர்
DocType: Brand,Item Manager,பொருள் மேலாளர்
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,செலுத்த வேண்டிய சம்பளப்பட்டியல்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,செலுத்த வேண்டிய சம்பளப்பட்டியல்
DocType: Buying Settings,Default Supplier Type,முன்னிருப்பு சப்ளையர் வகை
DocType: Production Order,Total Operating Cost,மொத்த இயக்க செலவு
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,குறிப்பு: பொருள் {0} பல முறை உள்ளிட்ட
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,அனைத்து தொடர்புகள்.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,நிறுவனத்தின் சுருக்கமான
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,நிறுவனத்தின் சுருக்கமான
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,பயனர் {0} இல்லை
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,மூலப்பொருள் முக்கிய பொருள் அதே இருக்க முடியாது
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,மூலப்பொருள் முக்கிய பொருள் அதே இருக்க முடியாது
DocType: Item Attribute Value,Abbreviation,சுருக்கமான
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,கொடுப்பனவு நுழைவு ஏற்கனவே உள்ளது
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} வரம்புகளை அதிகமாக இருந்து அங்கீகாரம் இல்லை
@@ -3720,49 +3747,49 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,வண்டியை அமைக்க வரி விதி
DocType: Purchase Invoice,Taxes and Charges Added,வரிகள் மற்றும் கட்டணங்கள் சேர்க்கப்பட்டது
,Sales Funnel,விற்பனை நீக்க
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,சுருக்கம் கட்டாயமாகும்
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,சுருக்கம் கட்டாயமாகும்
DocType: Project,Task Progress,டாஸ்க் முன்னேற்றம்
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,வண்டியில்
,Qty to Transfer,இடமாற்றம் அளவு
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,தாங்கியவர்கள் விளைவாக அல்லது வாடிக்கையாளர்களுக்கு மேற்கோள்.
DocType: Stock Settings,Role Allowed to edit frozen stock,உறைந்த பங்கு திருத்த அனுமதி பங்கு
,Territory Target Variance Item Group-Wise,மண்டலம் இலக்கு வேறுபாடு பொருள் குழு வாரியாக
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,அனைத்து வாடிக்கையாளர் குழுக்கள்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,அனைத்து வாடிக்கையாளர் குழுக்கள்
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,திரட்டப்பட்ட மாதாந்திர
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} கட்டாயமாகும். ஒருவேளை செலாவணி சாதனை {2} செய்ய {1} உருவாக்கப்பட்டது அல்ல.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} கட்டாயமாகும். ஒருவேளை செலாவணி சாதனை {2} செய்ய {1} உருவாக்கப்பட்டது அல்ல.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,வரி டெம்ப்ளேட் கட்டாயமாகும்.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,கணக்கு {0}: பெற்றோர் கணக்கு {1} இல்லை
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,கணக்கு {0}: பெற்றோர் கணக்கு {1} இல்லை
DocType: Purchase Invoice Item,Price List Rate (Company Currency),விலை பட்டியல் விகிதம் (நிறுவனத்தின் கரன்சி)
DocType: Products Settings,Products Settings,தயாரிப்புகள் அமைப்புகள்
DocType: Account,Temporary,தற்காலிக
DocType: Program,Courses,மைதானங்கள்
DocType: Monthly Distribution Percentage,Percentage Allocation,சதவீத ஒதுக்கீடு
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,காரியதரிசி
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,காரியதரிசி
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","முடக்கினால், துறையில் 'வார்த்தையில்' எந்த பரிமாற்றத்தில் காண முடியாது"
DocType: Serial No,Distinct unit of an Item,"ஒரு பொருள், மாறுபட்ட அலகு"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,நிறுவனத்தின் அமைக்கவும்
DocType: Pricing Rule,Buying,வாங்குதல்
DocType: HR Settings,Employee Records to be created by,பணியாளர் ரெக்கார்ட்ஸ் விவரங்களை வேண்டும்
DocType: POS Profile,Apply Discount On,தள்ளுபடி விண்ணப்பிக்கவும்
,Reqd By Date,தேதி வாக்கில் Reqd
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,பற்றாளர்களின்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,பற்றாளர்களின்
DocType: Assessment Plan,Assessment Name,மதிப்பீடு பெயர்
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,ரோ # {0}: தொடர் எந்த கட்டாய ஆகிறது
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,பொருள் வாரியாக வரி விவரம்
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,நிறுவனம் சுருக்கமான
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,நிறுவனம் சுருக்கமான
,Item-wise Price List Rate,பொருள் வாரியான விலை பட்டியல் விகிதம்
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,வழங்குபவர் விலைப்பட்டியல்
DocType: Quotation,In Words will be visible once you save the Quotation.,நீங்கள் மேற்கோள் சேமிக்க முறை சொற்கள் காணக்கூடியதாக இருக்கும்.
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},அளவு ({0}) வரிசையில் ஒரு பகுதியை இருக்க முடியாது {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,கட்டணம் சேகரிக்க
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},பார்கோடு {0} ஏற்கனவே பொருள் பயன்படுத்தப்படுகிறது {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},பார்கோடு {0} ஏற்கனவே பொருள் பயன்படுத்தப்படுகிறது {1}
DocType: Lead,Add to calendar on this date,இந்த தேதி நாள்காட்டியில் சேர்க்கவும்
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,கப்பல் செலவுகள் சேர்த்து விதிகள் .
DocType: Item,Opening Stock,ஆரம்ப இருப்பு
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,வாடிக்கையாளர் தேவை
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} திரும்ப அத்தியாவசியமானதாகும்
DocType: Purchase Order,To Receive,பெற
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,தனிப்பட்ட மின்னஞ்சல்
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,மொத்த மாற்றத்துடன்
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","இயலுமைப்படுத்த என்றால், கணினி தானாக சரக்கு கணக்கியல் உள்ளீடுகள் பதிவு."
@@ -3774,13 +3801,14 @@
DocType: Customer,From Lead,முன்னணி இருந்து
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ஆணைகள் உற்பத்தி வெளியிடப்பட்டது.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,நிதியாண்டு தேர்ந்தெடுக்கவும் ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,பிஓஎஸ் செய்தது பிஓஎஸ் நுழைவு செய்ய வேண்டும்
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,பிஓஎஸ் செய்தது பிஓஎஸ் நுழைவு செய்ய வேண்டும்
DocType: Program Enrollment Tool,Enroll Students,மாணவர்கள் பதிவுசெய்யவும்
DocType: Hub Settings,Name Token,பெயர் டோக்கன்
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,ஸ்டாண்டர்ட் விற்பனை
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,குறைந்தது ஒரு கிடங்கில் அவசியமானதாகும்
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,குறைந்தது ஒரு கிடங்கில் அவசியமானதாகும்
DocType: Serial No,Out of Warranty,உத்தரவாதத்தை வெளியே
DocType: BOM Replace Tool,Replace,பதிலாக
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,இல்லை பொருட்கள் கண்டுபிடிக்கப்பட்டது.
DocType: Production Order,Unstopped,திறவுண்டுபோகும்
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} விற்பனை விலைப்பட்டியல்க்கு எதிரான {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3791,13 +3819,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,பங்கு மதிப்பு வேறுபாடு
apps/erpnext/erpnext/config/learn.py +234,Human Resource,மையம் வள
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,கொடுப்பனவு நல்லிணக்க கொடுப்பனவு
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,வரி சொத்துகள்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,வரி சொத்துகள்
DocType: BOM Item,BOM No,BOM எண்
DocType: Instructor,INS/,ஐஎன்எஸ் /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,பத்திரிகை நுழைவு {0} {1} அல்லது ஏற்கனவே மற்ற ரசீது எதிராக பொருந்தியது கணக்கு இல்லை
DocType: Item,Moving Average,சராசரியாக நகர்கிறது
DocType: BOM Replace Tool,The BOM which will be replaced,பதிலீடு செய்யப்படும் BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,மின்னியல் சாதனங்கள்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,மின்னியல் சாதனங்கள்
DocType: Account,Debit,பற்று
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,இலைகள் 0.5 மடங்குகள் ஒதுக்கீடு
DocType: Production Order,Operation Cost,அறுவை சிகிச்சை செலவு
@@ -3805,7 +3833,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,மிகச்சிறந்த விவரங்கள்
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,தொகுப்பு இந்த விற்பனை நபர் குழு வாரியான பொருள் குறிவைக்கிறது.
DocType: Stock Settings,Freeze Stocks Older Than [Days],உறைதல் பங்குகள் பழைய [days]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,ரோ # {0}: சொத்துக்கான நிலையான சொத்து வாங்க / விற்க அத்தியாவசியமானதாகும்
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,ரோ # {0}: சொத்துக்கான நிலையான சொத்து வாங்க / விற்க அத்தியாவசியமானதாகும்
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","இரண்டு அல்லது அதற்கு மேற்பட்ட விலை விதிகள் மேலே நிபந்தனைகளை அடிப்படையாகக் காணப்படுகின்றன என்றால், முன்னுரிமை பயன்படுத்தப்படுகிறது. இயல்புநிலை மதிப்பு பூஜ்யம் (வெற்று) இருக்கும் போது முன்னுரிமை 20 0 இடையில் ஒரு எண். உயர் எண்ணிக்கை அதே நிலையில் பல விலை விதிகள் உள்ளன என்றால் அதை முன்னுரிமை எடுக்கும்."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,நிதியாண்டு {0} இல்லை உள்ளது
DocType: Currency Exchange,To Currency,நாணய செய்ய
@@ -3813,7 +3841,7 @@
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,செலவின உரிமைகோரல் வகைகள்.
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},அதன் {1} உருப்படியை விகிதம் விற்பனை {0} விட குறைவாக உள்ளது. விகிதம் விற்பனை இருக்க வேண்டும் குறைந்தது {2}
DocType: Item,Taxes,வரி
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,ஊதியம் மற்றும் பெறாதபோது
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,ஊதியம் மற்றும் பெறாதபோது
DocType: Project,Default Cost Center,இயல்புநிலை விலை மையம்
DocType: Bank Guarantee,End Date,இறுதி நாள்
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,பங்கு பரிவர்த்தனைகள்
@@ -3838,24 +3866,22 @@
DocType: Employee,Held On,அன்று நடைபெற்ற
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,உற்பத்தி பொருள்
,Employee Information,பணியாளர் தகவல்
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),விகிதம் (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),விகிதம் (%)
DocType: Stock Entry Detail,Additional Cost,கூடுதல் செலவு
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,நிதி ஆண்டு முடிவு தேதி
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","வவுச்சர் அடிப்படையில் வடிகட்ட முடியாது இல்லை , ரசீது மூலம் தொகுக்கப்பட்டுள்ளது என்றால்"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,வழங்குபவர் மேற்கோள் செய்ய
DocType: Quality Inspection,Incoming,உள்வரும்
DocType: BOM,Materials Required (Exploded),பொருட்கள் தேவை (விரிவான)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","உன்னை தவிர, உங்கள் நிறுவனத்தின் பயனர் சேர்க்க"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,பதிவுசெய்ய தேதி எதிர்கால தேதியில் இருக்க முடியாது
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},ரோ # {0}: தொ.எ. {1} பொருந்தவில்லை {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,தற்செயல் விடுப்பு
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,தற்செயல் விடுப்பு
DocType: Batch,Batch ID,தொகுதி அடையாள
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},குறிப்பு: {0}
,Delivery Note Trends,பந்து குறிப்பு போக்குகள்
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,இந்த வார சுருக்கம்
-,In Stock Qty,பங்கு அளவு உள்ள
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,பங்கு அளவு உள்ள
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,கணக்கு: {0} மட்டுமே பங்கு பரிவர்த்தனைகள் வழியாக புதுப்பிக்க முடியும்
-DocType: Program Enrollment,Get Courses,மைதானங்கள் பெற
+DocType: Student Group Creation Tool,Get Courses,மைதானங்கள் பெற
DocType: GL Entry,Party,கட்சி
DocType: Sales Order,Delivery Date,விநியோக தேதி
DocType: Opportunity,Opportunity Date,வாய்ப்பு தேதி
@@ -3863,14 +3889,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,மேற்கோள் பொருள் கோரிக்கை
DocType: Purchase Order,To Bill,மசோதாவுக்கு
DocType: Material Request,% Ordered,% உத்தரவிட்டார்
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","கோர்ஸ் சார்ந்த மாணவர் குழுக்களுக்கான, கோர்ஸ் திட்டம் பதிவு சேர்ந்தார் பாடப்பிரிவுகள் இருந்து ஒவ்வொரு மாணவர் மதிப்பாய்வு செய்யப்படும்."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","பிரிக்கப்பட்ட உள்ளிடவும் மின்னஞ்சல் முகவரி, விலைப்பட்டியல் குறிப்பிட்ட தேதியில் தானாக அனுப்பியிருந்தோம் வேண்டும்"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,சிறுதுண்டு வேலைக்கு
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,சிறுதுண்டு வேலைக்கு
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,சராசரி. வாங்குதல் விகிதம்
DocType: Task,Actual Time (in Hours),(மணிகளில்) உண்மையான நேரம்
DocType: Employee,History In Company,நிறுவனத்தின் ஆண்டு வரலாறு
apps/erpnext/erpnext/config/learn.py +107,Newsletters,செய்தி மடல்
DocType: Stock Ledger Entry,Stock Ledger Entry,பங்கு லெட்ஜர் நுழைவு
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,வாடிக்கையாளர்> வாடிக்கையாளர் குழு> பிரதேசம்
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,அதே பொருளைப் பலமுறை நுழைந்தது வருகிறது
DocType: Department,Leave Block List,பிளாக் பட்டியல் விட்டு
DocType: Sales Invoice,Tax ID,வரி ஐடி
@@ -3885,30 +3911,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} அலகுகள் {1} {2} இந்த பரிவர்த்தனையை நிறைவு செய்ய தேவை.
DocType: Loan Type,Rate of Interest (%) Yearly,வட்டி விகிதம் (%) வருடாந்திரம்
DocType: SMS Settings,SMS Settings,SMS அமைப்புகள்
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,தற்காலிக கணக்குகளை
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,கருப்பு
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,தற்காலிக கணக்குகளை
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,கருப்பு
DocType: BOM Explosion Item,BOM Explosion Item,BOM வெடிப்பு பொருள்
DocType: Account,Auditor,ஆடிட்டர்
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} உற்பத்தி பொருட்களை
DocType: Cheque Print Template,Distance from top edge,மேல் விளிம்பில் இருந்து தூரம்
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,விலை பட்டியல் {0} முடக்கப்பட்டால் அல்லது இல்லை
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,விலை பட்டியல் {0} முடக்கப்பட்டால் அல்லது இல்லை
DocType: Purchase Invoice,Return,திரும்ப
DocType: Production Order Operation,Production Order Operation,உத்தரவு ஆபரேஷன்
DocType: Pricing Rule,Disable,முடக்கு
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,கட்டணம் செலுத்தும் முறை கட்டணம் செலுத்துவதற்கு தேவைப்படுகிறது
DocType: Project Task,Pending Review,விமர்சனம் நிலுவையில்
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} தொகுதி சேரவில்லை உள்ளது {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}",அது ஏற்கனவே உள்ளது என சொத்து {0} குறைத்து முடியாது {1}
DocType: Task,Total Expense Claim (via Expense Claim),(செலவு கூறுகின்றனர் வழியாக) மொத்த செலவு கூறுகின்றனர்
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,வாடிக்கையாளர் அடையாள
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,குறி இல்லாமல்
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ரோ {0}: டெலி # கரன்சி {1} தேர்வு நாணய சமமாக இருக்க வேண்டும் {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},ரோ {0}: டெலி # கரன்சி {1} தேர்வு நாணய சமமாக இருக்க வேண்டும் {2}
DocType: Journal Entry Account,Exchange Rate,அயல்நாட்டு நாணய பரிமாற்ற விகிதம் வீதம்
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,விற்பனை ஆணை {0} சமர்ப்பிக்க
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,விற்பனை ஆணை {0} சமர்ப்பிக்க
DocType: Homepage,Tag Line,டேக் லைன்
DocType: Fee Component,Fee Component,கட்டண பகுதியிலேயே
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,கடற்படை மேலாண்மை
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,இருந்து பொருட்களை சேர்க்கவும்
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},கிடங்கு {0}: பெற்றோர் கணக்கு {1} நிறுவனம் bolong இல்லை {2}
DocType: Cheque Print Template,Regular,வழக்கமான
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,அனைத்து மதிப்பீடு அடிப்படியின் மொத்த முக்கியத்துவத்தைச் 100% இருக்க வேண்டும்
DocType: BOM,Last Purchase Rate,கடந்த கொள்முதல் விலை
@@ -3917,11 +3942,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,பொருள் இருக்க முடியாது பங்கு {0} என்பதால் வகைகள் உண்டு
,Sales Person-wise Transaction Summary,விற்பனை நபர் வாரியான பரிவர்த்தனை சுருக்கம்
DocType: Training Event,Contact Number,தொடர்பு எண்
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,கிடங்கு {0} இல்லை
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,கிடங்கு {0} இல்லை
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,ERPNext மையம் பதிவு
DocType: Monthly Distribution,Monthly Distribution Percentages,மாதாந்திர விநியோகம் சதவீதங்கள்
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,தேர்ந்தெடுக்கப்பட்ட உருப்படியை தொகுதி முடியாது
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","மதிப்பீடு விகிதம் பொருள் {0} கணக்கு உள்ளீடுகளை செய்ய நேர்ந்தால் எந்த காணப்படவில்லை {1} {2}. உருப்படி ஒரு மாதிரி உருப்படியாக transacting என்றால் {1}, {1} பொருள் அட்டவணையில் என்று குறிப்பிடவும். இல்லையெனில், பொருள் பதிவில் உருப்படியை அல்லது குறிப்பிடவும் மதிப்பீட்டு விகிதம் ஒரு உள்வரும் பங்கு பரிவர்த்தனை உருவாக்க செய்யவும், பின் இந்த நுழைவு ரத்து / அள்ளிப்பதற்கு முயற்சி"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","மதிப்பீடு விகிதம் பொருள் {0} கணக்கு உள்ளீடுகளை செய்ய நேர்ந்தால் எந்த காணப்படவில்லை {1} {2}. உருப்படி ஒரு மாதிரி உருப்படியாக transacting என்றால் {1}, {1} பொருள் அட்டவணையில் என்று குறிப்பிடவும். இல்லையெனில், பொருள் பதிவில் உருப்படியை அல்லது குறிப்பிடவும் மதிப்பீட்டு விகிதம் ஒரு உள்வரும் பங்கு பரிவர்த்தனை உருவாக்க செய்யவும், பின் இந்த நுழைவு ரத்து / அள்ளிப்பதற்கு முயற்சி"
DocType: Delivery Note,% of materials delivered against this Delivery Note,இந்த டெலிவரி குறிப்பு எதிராக அளிக்கப்பட்ட பொருட்களை%
DocType: Project,Customer Details,வாடிக்கையாளர் விவரம்
DocType: Employee,Reports to,அறிக்கைகள்
@@ -3929,24 +3954,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,ரிசீவர் இலக்கங்கள் URL ஐ அளவுரு உள்ளிடவும்
DocType: Payment Entry,Paid Amount,பணம் தொகை
DocType: Assessment Plan,Supervisor,மேற்பார்வையாளர்
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,ஆன்லைன்
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,ஆன்லைன்
,Available Stock for Packing Items,பொருட்கள் பொதி கிடைக்கும் பங்கு
DocType: Item Variant,Item Variant,பொருள் மாற்று
DocType: Assessment Result Tool,Assessment Result Tool,மதிப்பீடு முடிவு கருவி
DocType: BOM Scrap Item,BOM Scrap Item,டெலி ஸ்க்ராப் பொருள்
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,சமர்ப்பிக்கப்பட்ட ஆர்டர்களைப் நீக்க முடியாது
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ஏற்கனவே பற்று உள்ள கணக்கு நிலுவை, நீங்கள் 'கடன்' இருப்பு வேண்டும் 'அமைக்க அனுமதி இல்லை"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,தர மேலாண்மை
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,சமர்ப்பிக்கப்பட்ட ஆர்டர்களைப் நீக்க முடியாது
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ஏற்கனவே பற்று உள்ள கணக்கு நிலுவை, நீங்கள் 'கடன்' இருப்பு வேண்டும் 'அமைக்க அனுமதி இல்லை"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,தர மேலாண்மை
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,பொருள் {0} முடக்கப்பட்டுள்ளது
DocType: Employee Loan,Repay Fixed Amount per Period,காலம் ஒன்றுக்கு நிலையான தொகை திருப்பி
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},பொருள் எண்ணிக்கையை உள்ளிடவும் {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,கடன் குறிப்பு Amt
DocType: Employee External Work History,Employee External Work History,பணியாளர் வெளி வேலை வரலாறு
DocType: Tax Rule,Purchase,கொள்முதல்
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,இருப்பு அளவு
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,இருப்பு அளவு
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,இலக்குகளை காலியாக இருக்கக்கூடாது
DocType: Item Group,Parent Item Group,பெற்றோர் பொருள் பிரிவு
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} க்கான {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,செலவு மையங்கள்
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,செலவு மையங்கள்
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,அளிப்பாளரின் நாணய நிறுவனத்தின் அடிப்படை நாணய மாற்றப்படும் விகிதத்தை
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},ரோ # {0}: வரிசையில் நேரம் மோதல்கள் {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,ஜீரோ மதிப்பீடு விகிதம் அனுமதி
@@ -3954,18 +3980,19 @@
DocType: Training Event Employee,Invited,அழைப்பு
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,செயலில் உள்ள பல சம்பளம் கட்டமைப்புகள் கொடுக்கப்பட்டுள்ள தேதிகளில் ஊழியர் {0} காணப்படவில்லை
DocType: Opportunity,Next Contact,அடுத்த தொடர்பு
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,அமைப்பு நுழைவாயில் கணக்குகள்.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,அமைப்பு நுழைவாயில் கணக்குகள்.
DocType: Employee,Employment Type,வேலை வகை
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,நிலையான சொத்துக்கள்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,நிலையான சொத்துக்கள்
DocType: Payment Entry,Set Exchange Gain / Loss,இழப்பு செலாவணி கெயின் அமைக்கவும் /
+,GST Purchase Register,ஜிஎஸ்டி கொள்முதல் பதிவு
,Cash Flow,பண பரிமாற்ற
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,"விண்ணப்ப காலம் இரண்டு
ஒதுக்கீடு பதிவுகள் முழுவதும் இருக்க முடியாது"
DocType: Item Group,Default Expense Account,முன்னிருப்பு செலவு கணக்கு
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,மாணவர் மின்னஞ்சல் ஐடி
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,மாணவர் மின்னஞ்சல் ஐடி
DocType: Employee,Notice (days),அறிவிப்பு ( நாட்கள்)
DocType: Tax Rule,Sales Tax Template,விற்பனை வரி டெம்ப்ளேட்
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,விலைப்பட்டியல் காப்பாற்ற பொருட்களை தேர்வு
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,விலைப்பட்டியல் காப்பாற்ற பொருட்களை தேர்வு
DocType: Employee,Encashment Date,பணமாக்கல் தேதி
DocType: Training Event,Internet,இணைய
DocType: Account,Stock Adjustment,பங்கு சீரமைப்பு
@@ -3994,7 +4021,7 @@
DocType: Guardian,Guardian Of ,ஆனால் கார்டியன்
DocType: Grading Scale Interval,Threshold,ஆரம்பம்
DocType: BOM Replace Tool,Current BOM,தற்போதைய பொருட்களின் அளவுக்கான ரசீது
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,தொடர் எண் சேர்
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,தொடர் எண் சேர்
apps/erpnext/erpnext/config/support.py +22,Warranty,உத்தரவாதத்தை
DocType: Purchase Invoice,Debit Note Issued,டெபிட் குறிப்பை வெளியிட்டு
DocType: Production Order,Warehouses,கிடங்குகள்
@@ -4003,20 +4030,20 @@
DocType: Workstation,per hour,ஒரு மணி நேரத்திற்கு
apps/erpnext/erpnext/config/buying.py +7,Purchasing,வாங்கும்
DocType: Announcement,Announcement,அறிவிப்பு
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,கிடங்கு ( நிரந்தர இருப்பு ) கணக்கு இந்த கணக்கு கீழ் உருவாக்கப்பட்டது.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,பங்கு லெட்ஜர் நுழைவு கிடங்கு உள்ளது என கிடங்கு நீக்க முடியாது .
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","தொகுதி அடிப்படையிலான மாணவர் குழுக்களுக்கான, மாணவர் தொகுதி திட்டம் பதிவு இருந்து ஒவ்வொரு மாணவர் மதிப்பாய்வு செய்யப்படும்."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,பங்கு லெட்ஜர் நுழைவு கிடங்கு உள்ளது என கிடங்கு நீக்க முடியாது .
DocType: Company,Distribution,பகிர்ந்தளித்தல்
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,கட்டண தொகை
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,திட்ட மேலாளர்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,திட்ட மேலாளர்
,Quoted Item Comparison,மேற்கோள் காட்டப்பட்டது பொருள் ஒப்பீட்டு
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,அனுப்புகை
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,அதிகபட்சம் தள்ளுபடி உருப்படியை அனுமதி: {0} {1}% ஆகும்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,அனுப்புகை
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,அதிகபட்சம் தள்ளுபடி உருப்படியை அனுமதி: {0} {1}% ஆகும்
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,நிகர சொத்து மதிப்பு என
DocType: Account,Receivable,பெறத்தக்க
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ரோ # {0}: கொள்முதல் ஆணை ஏற்கனவே உள்ளது என சப்ளையர் மாற்ற அனுமதி
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,ரோ # {0}: கொள்முதல் ஆணை ஏற்கனவே உள்ளது என சப்ளையர் மாற்ற அனுமதி
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,அமைக்க கடன் எல்லை மீறிய நடவடிக்கைகளை சமர்ப்பிக்க அனுமதி என்று பாத்திரம்.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,உற்பத்தி உருப்படிகளைத் தேர்ந்தெடுக்கவும்
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","மாஸ்டர் தரவு ஒத்திசைவை, அது சில நேரம் ஆகலாம்"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,உற்பத்தி உருப்படிகளைத் தேர்ந்தெடுக்கவும்
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","மாஸ்டர் தரவு ஒத்திசைவை, அது சில நேரம் ஆகலாம்"
DocType: Item,Material Issue,பொருள் வழங்கல்
DocType: Hub Settings,Seller Description,விற்பனையாளர் விளக்கம்
DocType: Employee Education,Qualification,தகுதி
@@ -4036,7 +4063,6 @@
DocType: BOM,Rate Of Materials Based On,ஆனால் அடிப்படையில் பொருட்களின் விகிதம்
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,ஆதரவு Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,அனைத்தையும் தேர்வுநீக்கு
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},நிறுவனத்தின் கிடங்குகளில் காணவில்லை {0}
DocType: POS Profile,Terms and Conditions,நிபந்தனைகள்
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},தேதி நிதி ஆண்டின் க்குள் இருக்க வேண்டும். தேதி நிலையினை = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","இங்கே நீங்கள் உயரம், எடை, ஒவ்வாமை, மருத்துவ கவலைகள் பராமரிக்க முடியும்"
@@ -4051,19 +4077,18 @@
DocType: Sales Order Item,For Production,உற்பத்திக்கான
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,காண்க பணி
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,உங்கள் நிதி ஆண்டு தொடங்கும்
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,எதிரில் / முன்னணி%
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,எதிரில் / முன்னணி%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,சொத்து Depreciations மற்றும் சமநிலைகள்
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},அளவு {0} {1} இருந்து இடமாற்றம் {2} க்கு {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},அளவு {0} {1} இருந்து இடமாற்றம் {2} க்கு {3}
DocType: Sales Invoice,Get Advances Received,முன்னேற்றம் பெற்ற கிடைக்கும்
DocType: Email Digest,Add/Remove Recipients,சேர்க்க / பெற்றவர்கள் அகற்று
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},பரிவர்த்தனை நிறுத்தி உத்தரவு எதிரான அனுமதி இல்லை {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},பரிவர்த்தனை நிறுத்தி உத்தரவு எதிரான அனுமதி இல்லை {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","இயல்புநிலை என இந்த நிதியாண்டில் அமைக்க, ' இயல்புநிலை அமை ' கிளிக்"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,சேர
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,சேர
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,பற்றாக்குறைவே அளவு
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,பொருள் மாறுபாடு {0} அதே பண்புகளை கொண்ட உள்ளது
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,பொருள் மாறுபாடு {0} அதே பண்புகளை கொண்ட உள்ளது
DocType: Employee Loan,Repay from Salary,சம்பளம் இருந்து திருப்பி
DocType: Leave Application,LAP/,மடியில் /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},எதிராக கட்டணம் கோருகிறது {0} {1} அளவு {2}
@@ -4074,34 +4099,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","தொகுப்புகள் வழங்க வேண்டும் ஐந்து சீட்டுகள் பொதி உருவாக்குதல். தொகுப்பு எண், தொகுப்பு உள்ளடக்கங்களை மற்றும் அதன் எடை தெரிவிக்க பயன்படுகிறது."
DocType: Sales Invoice Item,Sales Order Item,விற்பனை ஆணை உருப்படி
DocType: Salary Slip,Payment Days,கட்டணம் நாட்கள்
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,குழந்தை முனைகள் கொண்ட கிடங்குகள் லெட்ஜர் மாற்றப்பட முடியாது
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,குழந்தை முனைகள் கொண்ட கிடங்குகள் லெட்ஜர் மாற்றப்பட முடியாது
DocType: BOM,Manage cost of operations,செயற்பாடுகளின் செலவு நிர்வகி
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","சரி நடவடிக்கைகள் எந்த "Submitted" போது, ஒரு மின்னஞ்சல் பாப் அப் தானாகவே ஒரு இணைப்பாக பரிவர்த்தனை மூலம், அந்த பரிமாற்றத்தில் தொடர்புடைய "தொடர்பு" ஒரு மின்னஞ்சல் அனுப்ப திறக்கப்பட்டது. பயனர் அல்லது மின்னஞ்சல் அனுப்ப முடியாது."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,உலகளாவிய அமைப்புகள்
DocType: Assessment Result Detail,Assessment Result Detail,மதிப்பீடு முடிவு விவரம்
DocType: Employee Education,Employee Education,பணியாளர் கல்வி
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,உருப்படியை குழு அட்டவணையில் பிரதி உருப்படியை குழு
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,அது பொருள் விவரம் எடுக்க தேவை.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,அது பொருள் விவரம் எடுக்க தேவை.
DocType: Salary Slip,Net Pay,நிகர சம்பளம்
DocType: Account,Account,கணக்கு
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,தொடர் இல {0} ஏற்கனவே பெற்றுள்ளது
,Requested Items To Be Transferred,மாற்றப்படுவதற்கு கோரப்பட்ட விடயங்கள்
DocType: Expense Claim,Vehicle Log,வாகன பதிவு
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","கிடங்கு {0} எந்த கணக்கில் இணைக்கப்பட்ட இல்லை, / கிடங்கு இணைக்க தொடர்புடைய (சொத்து) கணக்கை உருவாக்க தயவு செய்து."
DocType: Purchase Invoice,Recurring Id,மீண்டும் அடையாளம்
DocType: Customer,Sales Team Details,விற்பனை குழு விவரம்
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,நிரந்தரமாக நீக்கு?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,நிரந்தரமாக நீக்கு?
DocType: Expense Claim,Total Claimed Amount,மொத்த கோரப்பட்ட தொகை
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,விற்பனை திறன் வாய்ப்புகள்.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},தவறான {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,விடுப்பு
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},தவறான {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,விடுப்பு
DocType: Email Digest,Email Digest,மின்னஞ்சல் டைஜஸ்ட்
DocType: Delivery Note,Billing Address Name,பில்லிங் முகவரி பெயர்
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,பல்பொருள் அங்காடி
DocType: Warehouse,PIN,PIN ஐ
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,ERPNext உங்கள் பள்ளி அமைப்பு
DocType: Sales Invoice,Base Change Amount (Company Currency),மாற்றம் அடிப்படை தொகை (நிறுவனத்தின் நாணய)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,பின்வரும் கிடங்குகள் இல்லை கணக்கியல் உள்ளீடுகள்
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,பின்வரும் கிடங்குகள் இல்லை கணக்கியல் உள்ளீடுகள்
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,முதல் ஆவணம் சேமிக்கவும்.
DocType: Account,Chargeable,குற்றம் சாட்டப்பட தக்க
DocType: Company,Change Abbreviation,மாற்றம் சுருக்கமான
@@ -4119,7 +4143,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,எதிர்பார்க்கப்படுகிறது டெலிவரி தேதி கொள்முதல் ஆணை தேதி முன் இருக்க முடியாது
DocType: Appraisal,Appraisal Template,மதிப்பீட்டு வார்ப்புரு
DocType: Item Group,Item Classification,பொருள் பிரிவுகள்
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,வணிக மேம்பாட்டு மேலாளர்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,வணிக மேம்பாட்டு மேலாளர்
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,பராமரிப்பு வருகை நோக்கம்
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,காலம்
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,பொது பேரேடு
@@ -4129,8 +4153,8 @@
DocType: Item Attribute Value,Attribute Value,மதிப்பு பண்பு
,Itemwise Recommended Reorder Level,இனவாரியாக மறுவரிசைப்படுத்துக நிலை பரிந்துரைக்கப்படுகிறது
DocType: Salary Detail,Salary Detail,சம்பளம் விபரம்
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,முதல் {0} தேர்வு செய்க
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,பொருள் ஒரு தொகுதி {0} {1} காலாவதியாகிவிட்டது.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,முதல் {0} தேர்வு செய்க
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,பொருள் ஒரு தொகுதி {0} {1} காலாவதியாகிவிட்டது.
DocType: Sales Invoice,Commission,தரகு
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,உற்பத்தி நேரம் தாள்.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,கூட்டுத்தொகை
@@ -4141,6 +4165,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,` விட பழைய உறைந்து பங்குகள் ` % d நாட்கள் குறைவாக இருக்க வேண்டும் .
DocType: Tax Rule,Purchase Tax Template,வரி வார்ப்புரு வாங்க
,Project wise Stock Tracking,திட்டத்தின் வாரியாக ஸ்டாக் தடமறிதல்
+DocType: GST HSN Code,Regional,பிராந்திய
DocType: Stock Entry Detail,Actual Qty (at source/target),உண்மையான அளவு (ஆதாரம் / இலக்கு)
DocType: Item Customer Detail,Ref Code,Ref கோட்
apps/erpnext/erpnext/config/hr.py +12,Employee records.,ஊழியர் பதிவுகள்.
@@ -4151,13 +4176,13 @@
DocType: Email Digest,New Purchase Orders,புதிய கொள்முதல் ஆணை
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,ரூட் ஒரு பெற்றோர் செலவு சென்டர் முடியாது
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,தேர்வு பிராண்ட் ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,பயிற்சி நிகழ்வுகள் / முடிவுகள்
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,என தேய்மானம் திரட்டப்பட்ட
DocType: Sales Invoice,C-Form Applicable,பொருந்தாது சி படிவம்
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},ஆபரேஷன் நேரம் ஆபரேஷன் 0 விட இருக்க வேண்டும் {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,கிடங்கு கட்டாயமாகும்
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,கிடங்கு கட்டாயமாகும்
DocType: Supplier,Address and Contacts,முகவரி மற்றும் தொடர்புகள்
DocType: UOM Conversion Detail,UOM Conversion Detail,மொறட்டுவ பல்கலைகழகம் மாற்றம் விரிவாக
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),அதை வலை நட்பு வைத்து 900px (w) by 100px (h)
DocType: Program,Program Abbreviation,திட்டம் சுருக்கமான
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,உத்தரவு ஒரு பொருள் டெம்ப்ளேட் எதிராக எழுப்பப்பட்ட
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,கட்டணங்கள் ஒவ்வொரு உருப்படியை எதிரான வாங்கும் ரசீது இல் புதுப்பிக்கப்பட்டது
@@ -4165,13 +4190,13 @@
DocType: Bank Guarantee,Start Date,தொடக்க தேதி
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,ஒரு காலத்தில் இலைகள் ஒதுக்க.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,காசோலைகள் மற்றும் வைப்பு தவறாக அகற்றப்படும்
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,கணக்கு {0}: நீங்கள் பெற்றோர் கணக்கு தன்னை ஒதுக்க முடியாது
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,கணக்கு {0}: நீங்கள் பெற்றோர் கணக்கு தன்னை ஒதுக்க முடியாது
DocType: Purchase Invoice Item,Price List Rate,விலை பட்டியல் விகிதம்
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,வாடிக்கையாளர் மேற்கோள் உருவாக்கவும்
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",இந்த கிடங்கில் கிடைக்கும் பங்கு அடிப்படையில் "ஸ்டாக் இல்லை" "இருப்பு" காட்டு அல்லது.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),பொருட்களின் அளவுக்கான ரசீது (BOM)
DocType: Item,Average time taken by the supplier to deliver,சப்ளையர் எடுக்கப்படும் சராசரி நேரம் வழங்க
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,மதிப்பீடு முடிவு
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,மதிப்பீடு முடிவு
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,மணி
DocType: Project,Expected Start Date,எதிர்பார்க்கப்படுகிறது தொடக்க தேதி
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,குற்றச்சாட்டுக்கள் அந்த பொருளை பொருந்தாது என்றால் உருப்படியை அகற்று
@@ -4185,25 +4210,24 @@
DocType: Workstation,Operating Costs,செலவுகள்
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,அதிரடி என்றால் திரட்டப்பட்ட மாதாந்திர பட்ஜெட்டை மீறய
DocType: Purchase Invoice,Submit on creation,உருவாக்கம் சமர்ப்பிக்க
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},நாணய {0} இருக்க வேண்டும் {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},நாணய {0} இருக்க வேண்டும் {1}
DocType: Asset,Disposal Date,நீக்கம் தேதி
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","மின்னஞ்சல்கள் அவர்கள் விடுமுறை இல்லை என்றால், கொடுக்கப்பட்ட நேரத்தில் நிறுவனத்தின் அனைத்து செயலில் ஊழியர் அனுப்பி வைக்கப்படும். மறுமொழிகளின் சுருக்கம் நள்ளிரவில் அனுப்பப்படும்."
DocType: Employee Leave Approver,Employee Leave Approver,பணியாளர் விடுப்பு ஒப்புதல்
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},ரோ {0}: ஒரு மறுவரிசைப்படுத்துக நுழைவு ஏற்கனவே இந்த கிடங்கு உள்ளது {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},ரோ {0}: ஒரு மறுவரிசைப்படுத்துக நுழைவு ஏற்கனவே இந்த கிடங்கு உள்ளது {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","இழந்தது மேற்கோள் செய்யப்பட்டது ஏனெனில் , அறிவிக்க முடியாது ."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,பயிற்சி மதிப்பீட்டு
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,உத்தரவு {0} சமர்ப்பிக்க வேண்டும்
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,உத்தரவு {0} சமர்ப்பிக்க வேண்டும்
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},தொடக்க தேதி மற்றும் பொருள் முடிவு தேதி தேர்வு செய்க {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},பாடநெறி வரிசையில் கட்டாய {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,தேதி தேதி முதல் முன் இருக்க முடியாது
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc டாக்டைப்பின்
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,திருத்த/ விலை சேர்க்கவும்
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,திருத்த/ விலை சேர்க்கவும்
DocType: Batch,Parent Batch,பெற்றோர் தொகுதி
DocType: Batch,Parent Batch,பெற்றோர் தொகுதி
DocType: Cheque Print Template,Cheque Print Template,காசோலை அச்சு வார்ப்புரு
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,செலவு மையங்கள் விளக்கப்படம்
,Requested Items To Be Ordered,கேட்டு கேட்டு விடயங்கள்
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,கிடங்கு நிறுவனம் கணக்கு நிறுவனம் அதே இருக்க வேண்டும்
DocType: Price List,Price List Name,விலை பட்டியல் பெயர்
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},தினசரி வேலை சுருக்கம் {0}
DocType: Employee Loan,Totals,மொத்த
@@ -4225,55 +4249,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,சரியான மொபைல் இலக்கங்கள் உள்ளிடவும்
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,அனுப்புவதற்கு முன் செய்தி உள்ளிடவும்
DocType: Email Digest,Pending Quotations,மேற்கோள்கள் நிலுவையில்
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,புள்ளி விற்பனை செய்தது
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,புள்ளி விற்பனை செய்தது
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,SMS அமைப்புகள் மேம்படுத்த
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,பிணையற்ற கடன்கள்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,பிணையற்ற கடன்கள்
DocType: Cost Center,Cost Center Name,மையம் பெயர் செலவு
DocType: Employee,B+,பி
DocType: HR Settings,Max working hours against Timesheet,அதிகபட்சம் டைம் ஷீட் எதிராக உழைக்கும் மணி
DocType: Maintenance Schedule Detail,Scheduled Date,திட்டமிடப்பட்ட தேதி
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,மொத்த பணம் விவரங்கள்
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,மொத்த பணம் விவரங்கள்
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,60 எழுத்துகளுக்கு அதிகமாக செய்திகள் பல செய்திகளை பிரிந்தது
DocType: Purchase Receipt Item,Received and Accepted,பெற்று ஏற்கப்பட்டது
+,GST Itemised Sales Register,ஜிஎஸ்டி வகைப்படுத்தப்பட்டவையாகவும் விற்பனை பதிவு
,Serial No Service Contract Expiry,தொடர் எண் சேவை ஒப்பந்தம் காலாவதியாகும்
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,நீங்கள் கடன் மற்றும் அதே நேரத்தில் அதே கணக்கு பற்று முடியாது
DocType: Naming Series,Help HTML,HTML உதவி
DocType: Student Group Creation Tool,Student Group Creation Tool,மாணவர் குழு உருவாக்கம் கருவி
DocType: Item,Variant Based On,மாற்று சார்ந்த அன்று
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},ஒதுக்கப்படும் மொத்த தாக்கத்தில் 100 % இருக்க வேண்டும். இது {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,உங்கள் சப்ளையர்கள்
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,உங்கள் சப்ளையர்கள்
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,விற்பனை ஆணை உள்ளது என இழந்தது அமைக்க முடியாது.
DocType: Request for Quotation Item,Supplier Part No,சப்ளையர் பகுதி இல்லை
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',வகை 'மதிப்பீட்டு' அல்லது 'Vaulation மற்றும் மொத்த' க்கான போது கழித்து முடியாது
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,பெறப்படும்
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,பெறப்படும்
DocType: Lead,Converted,மாற்றப்படுகிறது
DocType: Item,Has Serial No,வரிசை எண் உள்ளது
DocType: Employee,Date of Issue,இந்த தேதி
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: இருந்து {0} க்கான {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","வாங்குதல் அமைப்புகள் படி கொள்முதல் Reciept தேவையான == 'ஆம்', பின்னர் கொள்முதல் விலைப்பட்டியல் உருவாக்கும், பயனர் உருப்படியை முதல் கொள்முதல் ரசீது உருவாக்க வேண்டும் என்றால் {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},ரோ # {0}: உருப்படியை அமைக்க சப்ளையர் {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,ரோ {0}: மணி மதிப்பு பூஜ்யம் விட அதிகமாக இருக்க வேண்டும்.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,பொருள் {1} இணைக்கப்பட்ட வலைத்தளம் பட {0} காணலாம்
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,பொருள் {1} இணைக்கப்பட்ட வலைத்தளம் பட {0} காணலாம்
DocType: Issue,Content Type,உள்ளடக்க வகை
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,கணினி
DocType: Item,List this Item in multiple groups on the website.,வலைத்தளத்தில் பல குழுக்கள் இந்த உருப்படி பட்டியல்.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,மற்ற நாணய கணக்குகளை அனுமதிக்க பல நாணய விருப்பத்தை சரிபார்க்கவும்
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,பொருள்: {0} அமைப்பு இல்லை
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,நீங்கள் உறைந்த மதிப்பை அமைக்க அதிகாரம் இல்லை
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,பொருள்: {0} அமைப்பு இல்லை
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,நீங்கள் உறைந்த மதிப்பை அமைக்க அதிகாரம் இல்லை
DocType: Payment Reconciliation,Get Unreconciled Entries,ஒப்புரவாகவேயில்லை பதிவுகள் பெற
DocType: Payment Reconciliation,From Invoice Date,விலைப்பட்டியல் வரம்பு தேதி
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,பில்லிங் நாணய இயல்புநிலை comapany நாணய அல்லது கட்சி கணக்கு நாணயம் சமமாக இருக்க வேண்டும்
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,விடுப்பிற்கீடான பணம் பெறுதல்
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,அது என்ன?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,பில்லிங் நாணய இயல்புநிலை comapany நாணய அல்லது கட்சி கணக்கு நாணயம் சமமாக இருக்க வேண்டும்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,விடுப்பிற்கீடான பணம் பெறுதல்
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,அது என்ன?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,சேமிப்பு கிடங்கு வேண்டும்
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,அனைத்து மாணவர் சேர்க்கை
,Average Commission Rate,சராசரி கமிஷன் விகிதம்
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,' சீரியல் இல்லை உள்ளது ' அல்லாத பங்கு உருப்படியை 'ஆம்' இருக்க முடியாது
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,' சீரியல் இல்லை உள்ளது ' அல்லாத பங்கு உருப்படியை 'ஆம்' இருக்க முடியாது
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,வருகை எதிர்கால நாட்களுக்கு குறித்தது முடியாது
DocType: Pricing Rule,Pricing Rule Help,விலை விதி உதவி
DocType: School House,House Name,ஹவுஸ் பெயர்
DocType: Purchase Taxes and Charges,Account Head,கணக்கு ஒதுக்கும் தலைப்பு - பிரிவு
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,பொருட்களை தரையிறங்கியது செலவு கணக்கிட கூடுதல் செலவுகள் புதுப்பிக்கவும்
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,மின்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,மின்
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,உங்கள் பயனர்கள் உங்கள் நிறுவனத்தில் மீதமுள்ள சேர்க்கவும். நீங்கள் தொடர்புகளிலிருந்து சேர்த்து அவற்றை உங்கள் போர்டல் வாடிக்கையாளர்கள் அழைக்க சேர்க்க முடியும்
DocType: Stock Entry,Total Value Difference (Out - In),மொத்த மதிப்பு வேறுபாடு (அவுட் - ல்)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,ரோ {0}: மாற்று வீதம் கட்டாயமாகும்
@@ -4283,7 +4309,7 @@
DocType: Item,Customer Code,வாடிக்கையாளர் கோட்
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},பிறந்த நாள் நினைவூட்டல் {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,கடந்த சில நாட்களாக கடைசி ஆர்டர்
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,கணக்கில் பற்று ஒரு ஐந்தொகை கணக்கில் இருக்க வேண்டும்
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,கணக்கில் பற்று ஒரு ஐந்தொகை கணக்கில் இருக்க வேண்டும்
DocType: Buying Settings,Naming Series,தொடர் பெயரிடும்
DocType: Leave Block List,Leave Block List Name,பிளாக் பட்டியல் பெயர் விட்டு
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,காப்புறுதி தொடக்க தேதி காப்புறுதி முடிவு தேதி விட குறைவாக இருக்க வேண்டும்
@@ -4298,26 +4324,26 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},ஊழியர் சம்பளம் ஸ்லிப் {0} ஏற்கனவே நேரம் தாள் உருவாக்கப்பட்ட {1}
DocType: Vehicle Log,Odometer,ஓடோமீட்டர்
DocType: Sales Order Item,Ordered Qty,அளவு உத்தரவிட்டார்
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,பொருள் {0} முடக்கப்பட்டுள்ளது
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,பொருள் {0} முடக்கப்பட்டுள்ளது
DocType: Stock Settings,Stock Frozen Upto,பங்கு வரை உறை
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,டெலி எந்த பங்கு உருப்படியை கொண்டிருக்கும் இல்லை
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,டெலி எந்த பங்கு உருப்படியை கொண்டிருக்கும் இல்லை
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},வரம்பு மற்றும் காலம் மீண்டும் மீண்டும் கட்டாய தேதிகள் காலம் {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,திட்ட செயல்பாடு / பணி.
DocType: Vehicle Log,Refuelling Details,Refuelling விபரங்கள்
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,சம்பளம் சீட்டுகள் உருவாக்குதல்
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","பொருந்துகின்ற என தேர்வு என்றால் வாங்குதல், சரிபார்க்கப்பட வேண்டும் {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","பொருந்துகின்ற என தேர்வு என்றால் வாங்குதல், சரிபார்க்கப்பட வேண்டும் {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,தள்ளுபடி 100 க்கும் குறைவான இருக்க வேண்டும்
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,கடைசியாக கொள்முதல் விகிதம் இல்லை
DocType: Purchase Invoice,Write Off Amount (Company Currency),தொகை ஆஃப் எழுத (நிறுவனத்தின் நாணய)
DocType: Sales Invoice Timesheet,Billing Hours,பில்லிங் மணி
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,"{0} இல்லை இயல்புநிலை BOM,"
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,ரோ # {0}: மீள் கட்டளை அளவு அமைக்க கொள்ளவும்
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,ரோ # {0}: மீள் கட்டளை அளவு அமைக்க கொள்ளவும்
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,அவர்களை இங்கே சேர்க்கலாம் உருப்படிகளை தட்டவும்
DocType: Fees,Program Enrollment,திட்டம் பதிவு
DocType: Landed Cost Voucher,Landed Cost Voucher,Landed செலவு வவுச்சர்
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},அமைக்கவும் {0}
DocType: Purchase Invoice,Repeat on Day of Month,மாதம் ஒரு நாள் மீண்டும்
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} மாணவர் செயலற்று
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} மாணவர் செயலற்று
DocType: Employee,Health Details,சுகாதார விவரம்
DocType: Offer Letter,Offer Letter Terms,கடிதம் சொற்கள் வழங்குகின்றன
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,ஒரு கொடுப்பனவு வேண்டுகோள் குறிப்பு ஆவணம் தேவை உருவாக்க
@@ -4340,7 +4366,7 @@
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","உதாரணம்:. தொடர் அமைக்க மற்றும் சீரியல் பரிமாற்றங்கள் குறிப்பிடப்பட்டுள்ளது இல்லை என்றால் ABCD, #####
, பின்னர் தானாக வரிசை எண் இந்த தொடரை அடிப்படையாக கொண்டு உருவாக்கப்பட்டது. நீங்கள் எப்போதும் வெளிப்படையாக இந்த உருப்படியை தொடர் இல குறிப்பிட வேண்டும் என்றால். இதை நிரப்புவதில்லை."
DocType: Upload Attendance,Upload Attendance,பங்கேற்கும் பதிவேற்ற
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,"BOM, மற்றும் தயாரிப்பு தேவையான அளவு"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,"BOM, மற்றும் தயாரிப்பு தேவையான அளவு"
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,வயதான ரேஞ்ச் 2
DocType: SG Creation Tool Course,Max Strength,அதிகபட்சம் வலிமை
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM மாற்றவும்
@@ -4350,8 +4376,8 @@
,Prospects Engaged But Not Converted,வாய்ப்புக்கள் நிச்சயமானவர் ஆனால் மாற்றப்படவில்லை
DocType: Manufacturing Settings,Manufacturing Settings,உற்பத்தி அமைப்புகள்
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,மின்னஞ்சல் அமைத்தல்
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 கைப்பேசி
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,நிறுவனத்தின் முதன்மை இயல்புநிலை நாணய உள்ளிடவும்
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 கைப்பேசி
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,நிறுவனத்தின் முதன்மை இயல்புநிலை நாணய உள்ளிடவும்
DocType: Stock Entry Detail,Stock Entry Detail,பங்கு நுழைவு விரிவாக
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,டெய்லி நினைவூட்டல்கள்
DocType: Products Settings,Home Page is Products,முகப்பு பக்கம் தயாரிப்புகள் ஆகும்
@@ -4360,7 +4386,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,புதிய கணக்கு பெயர்
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,மூலப்பொருட்கள் விலை வழங்கியது
DocType: Selling Settings,Settings for Selling Module,தொகுதி விற்பனையான அமைப்புகள்
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,வாடிக்கையாளர் சேவை
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,வாடிக்கையாளர் சேவை
DocType: BOM,Thumbnail,சிறு
DocType: Item Customer Detail,Item Customer Detail,பொருள் வாடிக்கையாளர் விபரம்
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,ஆஃபர் வேட்பாளர் ஒரு வேலை.
@@ -4369,7 +4395,7 @@
DocType: Pricing Rule,Percentage,சதவிதம்
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,பொருள் {0} ஒரு பங்கு பொருளாக இருக்க வேண்டும்
DocType: Manufacturing Settings,Default Work In Progress Warehouse,முன்னேற்றம் கிடங்கில் இயல்புநிலை வேலை
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,கணக்கு பரிமாற்றங்கள் இயல்புநிலை அமைப்புகளை .
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,கணக்கு பரிமாற்றங்கள் இயல்புநிலை அமைப்புகளை .
DocType: Maintenance Visit,MV,எம்.வி.
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,எதிர்பார்க்கப்படுகிறது தேதி பொருள் கோரிக்கை தேதி முன் இருக்க முடியாது
DocType: Purchase Invoice Item,Stock Qty,பங்கு அளவு
@@ -4383,10 +4409,10 @@
DocType: Sales Order,Printing Details,அச்சிடுதல் விபரங்கள்
DocType: Task,Closing Date,தேதி மூடுவது
DocType: Sales Order Item,Produced Quantity,உற்பத்தி அளவு
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,பொறியாளர்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,பொறியாளர்
DocType: Journal Entry,Total Amount Currency,மொத்த தொகை நாணய
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,தேடல் துணை கூட்டங்கள்
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},வரிசை எண் தேவையான பொருள் குறியீடு {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},வரிசை எண் தேவையான பொருள் குறியீடு {0}
DocType: Sales Partner,Partner Type,வரன்வாழ்க்கை துணை வகை
DocType: Purchase Taxes and Charges,Actual,உண்மையான
DocType: Authorization Rule,Customerwise Discount,வாடிக்கையாளர் வாரியாக தள்ளுபடி
@@ -4403,11 +4429,11 @@
DocType: Item Reorder,Re-Order Level,மீண்டும் ஒழுங்கு நிலை
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,நீங்கள் உற்பத்தி ஆர்டர்கள் உயர்த்த அல்லது ஆய்வில் மூலப்பொருட்கள் பதிவிறக்க வேண்டிய உருப்படிகளை மற்றும் திட்டமிட்ட அளவு உள்ளிடவும்.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,காண்ட் விளக்கப்படம்
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,பகுதி நேர
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,பகுதி நேர
DocType: Employee,Applicable Holiday List,பொருந்தும் விடுமுறை பட்டியல்
DocType: Employee,Cheque,காசோலை
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,தொடர் இற்றை
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,புகார் வகை கட்டாய ஆகிறது
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,புகார் வகை கட்டாய ஆகிறது
DocType: Item,Serial Number Series,வரிசை எண் தொடர்
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},கிடங்கு பங்கு பொருள் கட்டாய {0} வரிசையில் {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,சில்லறை & விற்பனை
@@ -4429,7 +4455,7 @@
DocType: BOM,Materials,பொருட்கள்
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","சரி இல்லை என்றால், பட்டியலில் அதை பயன்படுத்த வேண்டும் ஒவ்வொரு துறை சேர்க்க வேண்டும்."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,மூல மற்றும் அடைவு கிடங்கு அதே இருக்க முடியாது
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,தகவல்களுக்கு தேதி மற்றும் தகவல்களுக்கு நேரம் கட்டாய ஆகிறது
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,தகவல்களுக்கு தேதி மற்றும் தகவல்களுக்கு நேரம் கட்டாய ஆகிறது
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,பரிவர்த்தனைகள் வாங்கும் வரி வார்ப்புரு .
,Item Prices,பொருள் விலைகள்
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,நீங்கள் கொள்முதல் ஆணை சேமிக்க முறை சொற்கள் காணக்கூடியதாக இருக்கும்.
@@ -4439,22 +4465,23 @@
DocType: Purchase Invoice,Advance Payments,அட்வான்ஸ் கொடுப்பனவு
DocType: Purchase Taxes and Charges,On Net Total,நிகர மொத்தம்
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},கற்பிதம் {0} மதிப்பு எல்லைக்குள் இருக்க வேண்டும் {1} க்கு {2} அதிகரிப்பில் {3} பொருள் {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,வரிசையில் இலக்கு கிடங்கில் {0} அதே இருக்க வேண்டும் உத்தரவு
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,வரிசையில் இலக்கு கிடங்கில் {0} அதே இருக்க வேண்டும் உத்தரவு
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,% கள் மீண்டும் மீண்டும் குறிப்பிடப்படவில்லை 'அறிவிப்பு மின்னஞ்சல் முகவரிகளில்'
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,நாணய வேறு நாணயங்களுக்கு பயன்படுத்தி உள்ளீடுகள் செய்வதில் பிறகு மாற்றிக்கொள்ள
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,நாணய வேறு நாணயங்களுக்கு பயன்படுத்தி உள்ளீடுகள் செய்வதில் பிறகு மாற்றிக்கொள்ள
DocType: Vehicle Service,Clutch Plate,கிளட்ச் தட்டு
DocType: Company,Round Off Account,கணக்கு ஆஃப் சுற்றுக்கு
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,நிர்வாக செலவுகள்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,நிர்வாக செலவுகள்
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,ஆலோசனை
DocType: Customer Group,Parent Customer Group,பெற்றோர் வாடிக்கையாளர் பிரிவு
DocType: Purchase Invoice,Contact Email,மின்னஞ்சல் தொடர்பு
DocType: Appraisal Goal,Score Earned,ஜூலை ஈட்டிய
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,அறிவிப்பு காலம்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,அறிவிப்பு காலம்
DocType: Asset Category,Asset Category Name,சொத்து வகை பெயர்
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,இந்த வேர் பகுதியில் மற்றும் திருத்த முடியாது .
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,புதிய விற்பனைப் பெயர்
DocType: Packing Slip,Gross Weight UOM,மொத்த எடை மொறட்டுவ பல்கலைகழகம்
DocType: Delivery Note Item,Against Sales Invoice,விற்பனை விலைப்பட்டியல் எதிராக
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,தயவு செய்து தொடராக உருப்படியை தொடர் எண்கள் நுழைய
DocType: Bin,Reserved Qty for Production,உற்பத்திக்கான அளவு ஒதுக்கப்பட்ட
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,நீங்கள் நிச்சயமாக அடிப்படையிலான குழுக்களைக் செய்யும் போது தொகுதி கருத்தில் கொள்ள விரும்பவில்லை என்றால் தேர்வுசெய்யாமல் விடவும்.
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,நீங்கள் நிச்சயமாக அடிப்படையிலான குழுக்களைக் செய்யும் போது தொகுதி கருத்தில் கொள்ள விரும்பவில்லை என்றால் தேர்வுசெய்யாமல் விடவும்.
@@ -4463,25 +4490,25 @@
DocType: Landed Cost Item,Landed Cost Item,இறங்கினார் செலவு பொருள்
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,பூஜ்ய மதிப்புகள் காட்டு
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,உருப்படி அளவு மூலப்பொருட்களை கொடுக்கப்பட்ட அளவு இருந்து உற்பத்தி / repacking பின்னர் பெறப்படும்
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,அமைப்பு என் அமைப்பு ஒரு எளிய வலைத்தளம்
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,அமைப்பு என் அமைப்பு ஒரு எளிய வலைத்தளம்
DocType: Payment Reconciliation,Receivable / Payable Account,பெறத்தக்க / செலுத்த வேண்டிய கணக்கு
DocType: Delivery Note Item,Against Sales Order Item,விற்பனை ஆணை பொருள் எதிராக
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},பண்பு மதிப்பு பண்பு குறிப்பிடவும் {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},பண்பு மதிப்பு பண்பு குறிப்பிடவும் {0}
DocType: Item,Default Warehouse,இயல்புநிலை சேமிப்பு கிடங்கு
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},பட்ஜெட் குழு கணக்கை எதிராக ஒதுக்கப்படும் முடியாது {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,பெற்றோர் செலவு சென்டர் உள்ளிடவும்
DocType: Delivery Note,Print Without Amount,மொத்த தொகை இல்லாமல் அச்சிட
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,தேய்மானம் தேதி
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,வரி பகுப்பு ' மதிப்பீட்டு ' அல்லது ' மதிப்பீடு மற்றும் மொத்த ' அனைத்து பொருட்களை அல்லாத பங்கு பொருட்களை இருக்க முடியாது
DocType: Issue,Support Team,ஆதரவு குழு
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),காலாவதி (நாட்களில்)
DocType: Appraisal,Total Score (Out of 5),மொத்த மதிப்பெண் (5 அவுட்)
DocType: Fee Structure,FS.,இருக்கும் FS.
-DocType: Program Enrollment,Batch,கூட்டம்
+DocType: Student Attendance Tool,Batch,கூட்டம்
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,இருப்பு
DocType: Room,Seating Capacity,அமரும்
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),மொத்த செலவு கூறுகின்றனர் (செலவு பற்றிய கூற்றுக்கள் வழியாக)
+DocType: GST Settings,GST Summary,ஜிஎஸ்டி சுருக்கம்
DocType: Assessment Result,Total Score,மொத்த மதிப்பெண்
DocType: Journal Entry,Debit Note,பற்றுக்குறிப்பு
DocType: Stock Entry,As per Stock UOM,பங்கு மொறட்டுவ பல்கலைகழகம் படி
@@ -4492,12 +4519,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,இயல்புநிலை முடிக்கப்பட்ட பொருட்கள் கிடங்கு
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,விற்பனை நபர்
DocType: SMS Parameter,SMS Parameter,எஸ்எம்எஸ் அளவுரு
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,பட்ஜெட் மற்றும் செலவு மையம்
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,பட்ஜெட் மற்றும் செலவு மையம்
DocType: Vehicle Service,Half Yearly,அரையாண்டு
DocType: Lead,Blog Subscriber,வலைப்பதிவு சந்தாதாரர்
DocType: Guardian,Alternate Number,மாற்று எண்
DocType: Assessment Plan Criteria,Maximum Score,அதிகபட்ச மதிப்பெண்
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,மதிப்புகள் அடிப்படையில் நடவடிக்கைகளை கட்டுப்படுத்த விதிகளை உருவாக்க .
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,குழு ரோல் இல்லை
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,நீங்கள் வருடத்திற்கு மாணவர்கள் குழுக்கள் செய்தால் காலியாக விடவும்
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,நீங்கள் வருடத்திற்கு மாணவர்கள் குழுக்கள் செய்தால் காலியாக விடவும்
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","சரி என்றால், மொத்த இல்லை. வேலை நாட்கள் விடுமுறை அடங்கும், இந்த நாள் ஒன்றுக்கு சம்பளம் மதிப்பு குறையும்"
@@ -4517,6 +4545,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,இந்த வாடிக்கையாளர் எதிராக பரிமாற்றங்கள் அடிப்படையாக கொண்டது. விவரங்கள் கீழே காலவரிசை பார்க்க
DocType: Supplier,Credit Days Based On,கடன் நாட்கள் அடிப்படையில்
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},ரோ {0}: ஒதுக்கப்பட்ட தொகை {1} விட குறைவாக இருக்க அல்லது கொடுப்பனவு நுழைவு அளவு சமம் வேண்டும் {2}
+,Course wise Assessment Report,கோர்ஸ் வாரியாக மதிப்பீட்டு அறிக்கைக்காக
DocType: Tax Rule,Tax Rule,வரி விதி
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,விற்பனை சைக்கிள் முழுவதும் அதே விகிதத்தில் பராமரிக்க
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,வர்க்ஸ்டேஷன் பணிநேரம் தவிர்த்து நேரத்தில் பதிவுகள் திட்டமிட்டுள்ளோம்.
@@ -4525,7 +4554,7 @@
,Items To Be Requested,கோரப்பட்ட பொருட்களை
DocType: Purchase Order,Get Last Purchase Rate,கடைசியாக கொள்முதல் விலை கிடைக்கும்
DocType: Company,Company Info,நிறுவன தகவல்
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,தேர்ந்தெடுக்கவும் அல்லது புதிய வாடிக்கையாளர் சேர்க்க
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,தேர்ந்தெடுக்கவும் அல்லது புதிய வாடிக்கையாளர் சேர்க்க
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,செலவு மையம் ஒரு செலவினமாக கூற்றை பதிவு செய்ய தேவைப்படுகிறது
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),நிதி பயன்பாடு ( சொத்துக்கள் )
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,இந்த பணியாளர் வருகை அடிப்படையாக கொண்டது
@@ -4533,27 +4562,29 @@
DocType: Fiscal Year,Year Start Date,ஆண்டு தொடக்க தேதி
DocType: Attendance,Employee Name,பணியாளர் பெயர்
DocType: Sales Invoice,Rounded Total (Company Currency),வட்டமான மொத்த (நிறுவனத்தின் கரன்சி)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,"கணக்கு வகை தேர்வு, ஏனெனில் குழு இரகசிய முடியாது."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"கணக்கு வகை தேர்வு, ஏனெனில் குழு இரகசிய முடியாது."
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} மாற்றப்பட்டுள்ளது . புதுப்பிக்கவும்.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,பின்வரும் நாட்களில் விடுப்பு விண்ணப்பங்கள் செய்து பயனர்களை நிறுத்த.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,கொள்முதல் அளவு
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,சப்ளையர் மேற்கோள் {0} உருவாக்கப்பட்ட
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,இறுதி ஆண்டு தொடக்க ஆண்டு முன் இருக்க முடியாது
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,பணியாளர் நன்மைகள்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,பணியாளர் நன்மைகள்
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},{0} வரிசையில் {1} நிரம்பிய அளவு உருப்படி அளவு சமமாக வேண்டும்
DocType: Production Order,Manufactured Qty,உற்பத்தி அளவு
DocType: Purchase Receipt Item,Accepted Quantity,அளவு ஏற்கப்பட்டது
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},ஒரு இயல்பான விடுமுறை பட்டியல் பணியாளர் அமைக்க தயவு செய்து {0} அல்லது நிறுவனத்தின் {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} இல்லை
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} இல்லை
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,தொகுதி எண்கள் தேர்வு
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,பில்கள் வாடிக்கையாளர்கள் உயர்த்தப்பட்டுள்ளது.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,திட்ட ஐடி
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},ரோ இல்லை {0}: தொகை செலவு கூறுகின்றனர் {1} எதிராக தொகை நிலுவையில் விட அதிகமாக இருக்க முடியாது. நிலுவையில் அளவு {2}
DocType: Maintenance Schedule,Schedule,அனுபந்தம்
DocType: Account,Parent Account,பெற்றோர் கணக்கு
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,கிடைக்கக்கூடிய
DocType: Quality Inspection Reading,Reading 3,3 படித்தல்
,Hub,மையம்
DocType: GL Entry,Voucher Type,ரசீது வகை
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,விலை பட்டியல் காணப்படும் அல்லது ஊனமுற்ற
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,விலை பட்டியல் காணப்படும் அல்லது ஊனமுற்ற
DocType: Employee Loan Application,Approved,ஏற்பளிக்கப்பட்ட
DocType: Pricing Rule,Price,விலை
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0} ம் நிம்மதியாக பணியாளர் 'இடது' அமைக்க வேண்டும்
@@ -4564,7 +4595,8 @@
DocType: Selling Settings,Campaign Naming By,பிரச்சாரம் பெயரிடும் மூலம்
DocType: Employee,Current Address Is,தற்போதைய முகவரி
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,மாற்றம்
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","விருப்ப. குறிப்பிடப்படவில்லை என்றால், நிறுவனத்தின் இயல்புநிலை நாணய அமைக்கிறது."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","விருப்ப. குறிப்பிடப்படவில்லை என்றால், நிறுவனத்தின் இயல்புநிலை நாணய அமைக்கிறது."
+DocType: Sales Invoice,Customer GSTIN,வாடிக்கையாளர் GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,கணக்கு ஜர்னல் பதிவுகள்.
DocType: Delivery Note Item,Available Qty at From Warehouse,கிடங்கில் இருந்து கிடைக்கும் அளவு
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,முதல் பணியாளர் பதிவு தேர்ந்தெடுத்து கொள்ளவும்.
@@ -4572,7 +4604,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},ரோ {0}: கட்சி / கணக்கு பொருந்தவில்லை {1} / {2} உள்ள {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,செலவு கணக்கு உள்ளிடவும்
DocType: Account,Stock,பங்கு
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ரோ # {0}: குறிப்பு ஆவண வகை கொள்முதல் ஆணை ஒன்று, கொள்முதல் விலைப்பட்டியல் அல்லது பத்திரிகை நுழைவு இருக்க வேண்டும்"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","ரோ # {0}: குறிப்பு ஆவண வகை கொள்முதல் ஆணை ஒன்று, கொள்முதல் விலைப்பட்டியல் அல்லது பத்திரிகை நுழைவு இருக்க வேண்டும்"
DocType: Employee,Current Address,தற்போதைய முகவரி
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","வெளிப்படையாக குறிப்பிட்ட வரை பின்னர் உருப்படியை விளக்கம், படம், விலை, வரி டெம்ப்ளேட் இருந்து அமைக்க வேண்டும் போன்றவை மற்றொரு உருப்படியை ஒரு மாறுபாடு இருக்கிறது என்றால்"
DocType: Serial No,Purchase / Manufacture Details,கொள்முதல் / உற்பத்தி விவரம்
@@ -4585,8 +4617,8 @@
DocType: Pricing Rule,Min Qty,குறைந்தபட்ச அளவு
DocType: Asset Movement,Transaction Date,பரிவர்த்தனை தேதி
DocType: Production Plan Item,Planned Qty,திட்டமிட்ட அளவு
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,மொத்த வரி
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,அளவு (அளவு உற்பத்தி) என்பது கட்டாயம்
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,மொத்த வரி
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,அளவு (அளவு உற்பத்தி) என்பது கட்டாயம்
DocType: Stock Entry,Default Target Warehouse,முன்னிருப்பு அடைவு கிடங்கு
DocType: Purchase Invoice,Net Total (Company Currency),நிகர மொத்தம் (நிறுவனத்தின் நாணயம்)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,ஆண்டு முடிவு தேதியின் ஆண்டு தொடக்க தேதி முன்னதாக இருக்க முடியாது. தேதிகள் சரிசெய்து மீண்டும் முயற்சிக்கவும்.
@@ -4600,15 +4632,12 @@
DocType: Hub Settings,Hub Settings,மையம் அமைப்புகள்
DocType: Project,Gross Margin %,மொத்த அளவு%
DocType: BOM,With Operations,செயல்பாடுகள் மூலம்
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,கணக்கு உள்ளீடுகளை ஏற்கனவே நாணய செய்யப்பட்டுள்ளது {0} நிறுவனம் {1}. நாணயத்துடன் ஒரு பெறத்தக்க செலுத்தவேண்டிய கணக்கைத் தேர்ந்தெடுக்கவும் {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,கணக்கு உள்ளீடுகளை ஏற்கனவே நாணய செய்யப்பட்டுள்ளது {0} நிறுவனம் {1}. நாணயத்துடன் ஒரு பெறத்தக்க செலுத்தவேண்டிய கணக்கைத் தேர்ந்தெடுக்கவும் {0}.
DocType: Asset,Is Existing Asset,இருக்கும் சொத்து
DocType: Salary Detail,Statistical Component,புள்ளி உபகரண
DocType: Salary Detail,Statistical Component,புள்ளி உபகரண
-,Monthly Salary Register,மாத சம்பளம் பதிவு
DocType: Warranty Claim,If different than customer address,என்றால் வாடிக்கையாளர் தான் முகவரி விட வேறு
DocType: BOM Operation,BOM Operation,BOM ஆபரேஷன்
-DocType: School Settings,Validate the Student Group from Program Enrollment,திட்டம் பதிவு இருந்து மாணவர் குழு சரிபார்க்கவும்
-DocType: School Settings,Validate the Student Group from Program Enrollment,திட்டம் பதிவு இருந்து மாணவர் குழு சரிபார்க்கவும்
DocType: Purchase Taxes and Charges,On Previous Row Amount,முந்தைய வரிசை தொகை
DocType: Student,Home Address,வீட்டு முகவரி
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,மாற்றம் சொத்து
@@ -4616,28 +4645,27 @@
DocType: Training Event,Event Name,நிகழ்வு பெயர்
apps/erpnext/erpnext/config/schools.py +39,Admission,சேர்க்கை
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},சேர்க்கை {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","அமைக்க வரவு செலவு திட்டம், இலக்குகளை முதலியன உங்கம்மா"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","{0} பொருள் ஒரு டெம்ப்ளேட் உள்ளது, அதன் வகைகள் ஒன்றைத் தேர்ந்தெடுக்கவும்"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","அமைக்க வரவு செலவு திட்டம், இலக்குகளை முதலியன உங்கம்மா"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","{0} பொருள் ஒரு டெம்ப்ளேட் உள்ளது, அதன் வகைகள் ஒன்றைத் தேர்ந்தெடுக்கவும்"
DocType: Asset,Asset Category,சொத்து வகை
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,வாங்குபவர்
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,நிகர ஊதியம் எதிர்மறை இருக்க முடியாது
DocType: SMS Settings,Static Parameters,நிலையான அளவுருக்களை
DocType: Assessment Plan,Room,அறை
DocType: Purchase Order,Advance Paid,முன்பணம்
DocType: Item,Item Tax,பொருள் வரி
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,சப்ளையர் பொருள்
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,கலால் விலைப்பட்டியல்
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,கலால் விலைப்பட்டியல்
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,உயர் அளவு {0}% முறை மேல் காட்சிக்கு
DocType: Expense Claim,Employees Email Id,ஊழியர்கள் மின்னஞ்சல் விலாசம்
DocType: Employee Attendance Tool,Marked Attendance,அடையாளமிட்ட வருகை
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,நடப்பு பொறுப்புகள்
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,நடப்பு பொறுப்புகள்
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,உங்கள் தொடர்புகள் வெகுஜன எஸ்எம்எஸ் அனுப்ப
DocType: Program,Program Name,திட்டம் பெயர்
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,வரி அல்லது பொறுப்பு கருத்தில்
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,உண்மையான அளவு கட்டாய ஆகிறது
DocType: Employee Loan,Loan Type,கடன் வகை
DocType: Scheduling Tool,Scheduling Tool,திட்டமிடல் கருவி
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,கடன் அட்டை
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,கடன் அட்டை
DocType: BOM,Item to be manufactured or repacked,உருப்படியை உற்பத்தி அல்லது repacked வேண்டும்
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,பங்கு பரிவர்த்தனை இயல்புநிலை அமைப்புகளை .
DocType: Purchase Invoice,Next Date,அடுத்த நாள்
@@ -4653,10 +4681,10 @@
DocType: Stock Entry,Repack,RePack
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,தொடர்வதற்கு முன் படிவத்தை சேமிக்க வேண்டும்
DocType: Item Attribute,Numeric Values,எண்மதிப்பையும்
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,லோகோ இணைக்கவும்
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,லோகோ இணைக்கவும்
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,பங்கு நிலைகள்
DocType: Customer,Commission Rate,தரகு விகிதம்
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,மாற்று செய்ய
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,மாற்று செய்ய
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,துறை மூலம் பயன்பாடுகள் விட்டு தடுக்கும்.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","கொடுப்பனவு வகை ஏற்றுக்கொண்டு ஒன்று இருக்க செலுத்த, உள்நாட் மாற்றம் வேண்டும்"
apps/erpnext/erpnext/config/selling.py +179,Analytics,அனலிட்டிக்ஸ்
@@ -4664,45 +4692,45 @@
DocType: Vehicle,Model,மாதிரி
DocType: Production Order,Actual Operating Cost,உண்மையான இயக்க செலவு
DocType: Payment Entry,Cheque/Reference No,காசோலை / குறிப்பு இல்லை
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,ரூட் திருத்த முடியாது .
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,ரூட் திருத்த முடியாது .
DocType: Item,Units of Measure,அளவின் அலகுகள்
DocType: Manufacturing Settings,Allow Production on Holidays,விடுமுறை உற்பத்தி அனுமதி
DocType: Sales Order,Customer's Purchase Order Date,வாடிக்கையாளர் கொள்முதல் ஆணை தேதி
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,மூலதன கையிருப்பு
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,மூலதன கையிருப்பு
DocType: Shopping Cart Settings,Show Public Attachments,பொது இணைப்புகள் காட்டு
DocType: Packing Slip,Package Weight Details,தொகுப்பு எடை விவரம்
DocType: Payment Gateway Account,Payment Gateway Account,பணம் நுழைவாயில் கணக்கு
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,கட்டணம் முடிந்த பிறகு தேர்ந்தெடுக்கப்பட்ட பக்கம் பயனர் திருப்பி.
DocType: Company,Existing Company,தற்போதுள்ள நிறுவனம்
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",வரி பிரிவு "மொத்த" மாற்றப்பட்டுள்ளது அனைத்து பொருட்கள் அல்லாத பங்கு பொருட்களை ஏனெனில்
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,ஒரு கோப்பை தேர்ந்தெடுக்கவும்
DocType: Student Leave Application,Mark as Present,தற்போதைய மார்க்
DocType: Purchase Order,To Receive and Bill,பெறுதல் மற்றும் பில்
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,சிறப்பு தயாரிப்புகள்
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,வடிவமைப்புகள்
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,வடிவமைப்புகள்
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,நிபந்தனைகள் வார்ப்புரு
DocType: Serial No,Delivery Details,விநியோக விவரம்
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},செலவு மையம் வரிசையில் தேவைப்படுகிறது {0} வரி அட்டவணையில் வகை {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},செலவு மையம் வரிசையில் தேவைப்படுகிறது {0} வரி அட்டவணையில் வகை {1}
DocType: Program,Program Code,திட்டம் குறியீடு
DocType: Terms and Conditions,Terms and Conditions Help,விதிமுறைகள் மற்றும் நிபந்தனைகள் உதவி
,Item-wise Purchase Register,பொருள் வாரியான கொள்முதல் பதிவு
DocType: Batch,Expiry Date,காலாவதியாகும் தேதி
-,Supplier Addresses and Contacts,வழங்குபவர் முகவரிகள் மற்றும் தொடர்புகள்
,accounts-browser,கணக்குகள் உலாவி
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,முதல் வகையை தேர்ந்தெடுக்கவும்
apps/erpnext/erpnext/config/projects.py +13,Project master.,திட்டம் மாஸ்டர்.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","பங்கு அமைப்புகள் அல்லது பொருள் உள்ள "அலவன்ஸ்" புதுப்பிக்க, மேல்-பில்லிங் அல்லது மேல்-வரிசைப்படுத்தும் அனுமதிக்க."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","பங்கு அமைப்புகள் அல்லது பொருள் உள்ள "அலவன்ஸ்" புதுப்பிக்க, மேல்-பில்லிங் அல்லது மேல்-வரிசைப்படுத்தும் அனுமதிக்க."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,நாணயங்கள் அடுத்த $ ஹிப்ரு போன்றவை எந்த சின்னம் காட்டாதே.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(அரை நாள்)
DocType: Supplier,Credit Days,கடன் நாட்கள்
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,மாணவர் தொகுதி செய்ய
DocType: Leave Type,Is Carry Forward,முன்னோக்கி எடுத்துச்செல்
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,BOM இருந்து பொருட்களை பெற
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,BOM இருந்து பொருட்களை பெற
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,நேரம் நாட்கள் வழிவகுக்கும்
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ரோ # {0}: தேதி பதிவுசெய்ய கொள்முதல் தேதி அதே இருக்க வேண்டும் {1} சொத்தின் {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},ரோ # {0}: தேதி பதிவுசெய்ய கொள்முதல் தேதி அதே இருக்க வேண்டும் {1} சொத்தின் {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,தயவு செய்து மேலே உள்ள அட்டவணையில் விற்பனை ஆணைகள் நுழைய
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,சமர்ப்பிக்கப்பட்டது சம்பளம் துண்டுகளைக் இல்லை
,Stock Summary,பங்கு சுருக்கம்
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,ஒருவரையொருவர் நோக்கி கிடங்கில் இருந்து ஒரு சொத்து பரிமாற்றம்
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,ஒருவரையொருவர் நோக்கி கிடங்கில் இருந்து ஒரு சொத்து பரிமாற்றம்
DocType: Vehicle,Petrol,பெட்ரோல்
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,பொருட்களின் பில்
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},ரோ {0}: கட்சி வகை மற்றும் கட்சி பெறத்தக்க / செலுத்த வேண்டிய கணக்கிற்கு தேவையான {1}
@@ -4713,6 +4741,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,ஒப்புதல் தொகை
DocType: GL Entry,Is Opening,திறக்கிறது
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},ரோ {0}: ஒப்புதல் நுழைவு இணைத்தே ஒரு {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,கணக்கு {0} இல்லை
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,கணக்கு {0} இல்லை
DocType: Account,Cash,பணம்
DocType: Employee,Short biography for website and other publications.,இணையதளம் மற்றும் பிற வெளியீடுகள் குறுகிய வாழ்க்கை.
diff --git a/erpnext/translations/te.csv b/erpnext/translations/te.csv
index 54f64a2..1f2bb56 100644
--- a/erpnext/translations/te.csv
+++ b/erpnext/translations/te.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,కన్జ్యూమర్ ప్రొడక్ట్స్
DocType: Item,Customer Items,కస్టమర్ అంశాలు
DocType: Project,Costing and Billing,ఖర్చయ్యే బిల్లింగ్
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,ఖాతా {0}: మాతృ ఖాతా {1} ఒక లెడ్జర్ ఉండకూడదు
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,ఖాతా {0}: మాతృ ఖాతా {1} ఒక లెడ్జర్ ఉండకూడదు
DocType: Item,Publish Item to hub.erpnext.com,Hub.erpnext.com అంశం ప్రచురించు
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,ఇమెయిల్ ప్రకటనలు
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,మూల్యాంకనం
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,మూల్యాంకనం
DocType: Item,Default Unit of Measure,మెజర్ డిఫాల్ట్ యూనిట్
DocType: SMS Center,All Sales Partner Contact,అన్ని అమ్మకపు భాగస్వామిగా సంప్రదించండి
DocType: Employee,Leave Approvers,Approvers వదిలి
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),ఎక్స్చేంజ్ రేట్ అదే ఉండాలి {0} {1} ({2})
DocType: Sales Invoice,Customer Name,వినియోగదారుని పేరు
DocType: Vehicle,Natural Gas,సహజవాయువు
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},బ్యాంక్ ఖాతా పేరుతో సాధ్యం కాదు {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},బ్యాంక్ ఖాతా పేరుతో సాధ్యం కాదు {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,తలలు (లేదా సమూహాలు) ఇది వ్యతిరేకంగా అకౌంటింగ్ ఎంట్రీలు తయారు చేస్తారు మరియు నిల్వలను నిర్వహించబడుతున్నాయి.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),అత్యుత్తమ {0} ఉండకూడదు కంటే తక్కువ సున్నా ({1})
DocType: Manufacturing Settings,Default 10 mins,10 నిమిషాలు డిఫాల్ట్
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,అన్ని సరఫరాదారు సంప్రదించండి
DocType: Support Settings,Support Settings,మద్దతు సెట్టింగ్లు
DocType: SMS Parameter,Parameter,పరామితి
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,ఊహించినది ముగింపు తేదీ ఊహించిన ప్రారంభం తేదీ కంటే తక్కువ ఉండకూడదు
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,ఊహించినది ముగింపు తేదీ ఊహించిన ప్రారంభం తేదీ కంటే తక్కువ ఉండకూడదు
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,రో # {0}: రేటు అదే ఉండాలి {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,న్యూ లీవ్ అప్లికేషన్
,Batch Item Expiry Status,బ్యాచ్ అంశం గడువు హోదా
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,బ్యాంక్ డ్రాఫ్ట్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,బ్యాంక్ డ్రాఫ్ట్
DocType: Mode of Payment Account,Mode of Payment Account,చెల్లింపు ఖాతా మోడ్
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,షో రకరకాలు
DocType: Academic Term,Academic Term,అకడమిక్ టర్మ్
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,మెటీరియల్
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,పరిమాణం
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,అకౌంట్స్ పట్టిక ఖాళీగా ఉండరాదు.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),రుణాలు (లయబిలిటీస్)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),రుణాలు (లయబిలిటీస్)
DocType: Employee Education,Year of Passing,తరలింపు ఇయర్
DocType: Item,Country of Origin,మూలం యొక్క దేశం
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,అందుబాటులో ఉంది
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,అందుబాటులో ఉంది
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,ఓపెన్ ఇష్యూస్
DocType: Production Plan Item,Production Plan Item,ఉత్పత్తి ప్రణాళిక అంశం
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},వాడుకరి {0} ఇప్పటికే ఉద్యోగి కేటాయించిన {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,ఆరోగ్య సంరక్షణ
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),చెల్లింపు లో ఆలస్యం (రోజులు)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,సర్వీస్ ఖర్చుల
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},క్రమ సంఖ్య: {0} ఇప్పటికే సేల్స్ వాయిస్ లో రిఫరెన్సుగా ఉంటుంది: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},క్రమ సంఖ్య: {0} ఇప్పటికే సేల్స్ వాయిస్ లో రిఫరెన్సుగా ఉంటుంది: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,వాయిస్
DocType: Maintenance Schedule Item,Periodicity,ఆవర్తకత
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ఫిస్కల్ ఇయర్ {0} అవసరం
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,రో # {0}:
DocType: Timesheet,Total Costing Amount,మొత్తం వ్యయంతో మొత్తం
DocType: Delivery Note,Vehicle No,వాహనం లేవు
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,ధర జాబితా దయచేసి ఎంచుకోండి
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,ధర జాబితా దయచేసి ఎంచుకోండి
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,రో # {0}: చెల్లింపు పత్రం trasaction పూర్తి అవసరం
DocType: Production Order Operation,Work In Progress,పని జరుగుచున్నది
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,దయచేసి తేదీని ఎంచుకోండి
DocType: Employee,Holiday List,హాలిడే జాబితా
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,అకౌంటెంట్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,అకౌంటెంట్
DocType: Cost Center,Stock User,స్టాక్ వాడుకరి
DocType: Company,Phone No,ఫోన్ సంఖ్య
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,కోర్సు షెడ్యూల్స్ రూపొందించినవారు:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},న్యూ {0}: # {1}
,Sales Partners Commission,సేల్స్ భాగస్వాములు కమిషన్
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,కంటే ఎక్కువ 5 అక్షరాలు కాదు సంక్షిప్తీకరణ
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,కంటే ఎక్కువ 5 అక్షరాలు కాదు సంక్షిప్తీకరణ
DocType: Payment Request,Payment Request,చెల్లింపు అభ్యర్థన
DocType: Asset,Value After Depreciation,విలువ తరుగుదల తరువాత
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,హాజరు తేదీ ఉద్యోగి చేరిన తేదీ కంటే తక్కువ ఉండకూడదు
DocType: Grading Scale,Grading Scale Name,గ్రేడింగ్ స్కేల్ పేరు
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,ఈ root ఖాతా ఉంది మరియు సవరించడం సాధ్యం కాదు.
+DocType: Sales Invoice,Company Address,సంస్థ చిరునామా
DocType: BOM,Operations,ఆపరేషన్స్
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},డిస్కౌంట్ ఆధారంగా అధికార సెట్ చెయ్యబడదు {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","రెండు నిలువు, పాత పేరు ఒక మరియు కొత్త పేరు కోసం ఒక csv ఫైల్ అటాచ్"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ఏ క్రియాశీల ఫిస్కల్ ఇయర్ లో.
DocType: Packed Item,Parent Detail docname,మాతృ వివరాలు docname
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","సూచన: {0}, Item కోడ్: {1} మరియు కస్టమర్: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,కిలొగ్రామ్
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,కిలొగ్రామ్
DocType: Student Log,Log,లోనికి ప్రవేశించండి
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,ఒక Job కొరకు తెరవడం.
DocType: Item Attribute,Increment,పెంపు
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,ప్రకటనలు
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,అదే కంపెనీ ఒకసారి కంటే ఎక్కువ ఎంటర్ ఉంది
DocType: Employee,Married,వివాహితులు
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},కోసం అనుమతి లేదు {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},కోసం అనుమతి లేదు {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,నుండి అంశాలను పొందండి
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},స్టాక్ డెలివరీ గమనిక వ్యతిరేకంగా నవీకరించబడింది సాధ్యం కాదు {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},స్టాక్ డెలివరీ గమనిక వ్యతిరేకంగా నవీకరించబడింది సాధ్యం కాదు {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},ఉత్పత్తి {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,జాబితా అంశాలను తోబుట్టువుల
DocType: Payment Reconciliation,Reconcile,పునరుద్దరించటానికి
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,తదుపరి అరుగుదల తేదీ కొనుగోలు తేదీ ముందు ఉండకూడదు
DocType: SMS Center,All Sales Person,అన్ని సేల్స్ పర్సన్
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** మంత్లీ పంపిణీ ** మీరు నెలల అంతటా బడ్జెట్ / టార్గెట్ పంపిణీ మీరు మీ వ్యాపారంలో seasonality కలిగి ఉంటే సహాయపడుతుంది.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,వస్తువులను కనుగొన్నారు
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,వస్తువులను కనుగొన్నారు
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,జీతం నిర్మాణం మిస్సింగ్
DocType: Lead,Person Name,వ్యక్తి పేరు
DocType: Sales Invoice Item,Sales Invoice Item,సేల్స్ వాయిస్ అంశం
DocType: Account,Credit,క్రెడిట్
DocType: POS Profile,Write Off Cost Center,ఖర్చు సెంటర్ ఆఫ్ వ్రాయండి
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",ఉదా "ప్రాథమిక స్కూల్" లేదా "విశ్వవిద్యాలయం"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",ఉదా "ప్రాథమిక స్కూల్" లేదా "విశ్వవిద్యాలయం"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,స్టాక్ నివేదికలు
DocType: Warehouse,Warehouse Detail,వేర్హౌస్ వివరాలు
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},క్రెడిట్ పరిమితి కస్టమర్ కోసం దాటింది చేయబడింది {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},క్రెడిట్ పరిమితి కస్టమర్ కోసం దాటింది చేయబడింది {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,టర్మ్ ముగింపు తేదీ తర్వాత అకడమిక్ ఇయర్ ఇయర్ ఎండ్ తేదీ పదం సంబంధమున్న కంటే ఉండకూడదు (అకాడమిక్ ఇయర్ {}). దయచేసి తేదీలు సరిచేసి మళ్ళీ ప్రయత్నించండి.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""స్థిర ఆస్తిగా", అనియంత్రిత ఉండకూడదు అసెట్ రికార్డు అంశం వ్యతిరేకంగా కాలమే"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",""స్థిర ఆస్తిగా", అనియంత్రిత ఉండకూడదు అసెట్ రికార్డు అంశం వ్యతిరేకంగా కాలమే"
DocType: Vehicle Service,Brake Oil,బ్రేక్ ఆయిల్
DocType: Tax Rule,Tax Type,పన్ను టైప్
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},మీరు ముందు ఎంట్రీలు జోడించడానికి లేదా నవీకరణ అధికారం లేదు {0}
DocType: BOM,Item Image (if not slideshow),అంశం చిత్రం (స్లైడ్ లేకపోతే)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,ఒక కస్టమర్ అదే పేరుతో
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(గంట రేట్ / 60) * అసలు ఆపరేషన్ సమయం
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,బిఒఎం ఎంచుకోండి
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,బిఒఎం ఎంచుకోండి
DocType: SMS Log,SMS Log,SMS లోనికి
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,పంపిణీ వస్తువుల ధర
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,{0} లో సెలవు తేదీ నుండి నేటివరకు మధ్య జరిగేది కాదు
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},నుండి {0} కు {1}
DocType: Item,Copy From Item Group,అంశం గ్రూప్ నుండి కాపీ
DocType: Journal Entry,Opening Entry,ఓపెనింగ్ ఎంట్రీ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,కస్టమర్> కస్టమర్ గ్రూప్> భూభాగం
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,ఖాతా చెల్లించండి మాత్రమే
DocType: Employee Loan,Repay Over Number of Periods,చెల్లింపులో కాలాల ఓవర్ సంఖ్య
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} లో చేరాడు లేదు ఇచ్చిన {2}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} లో చేరాడు లేదు ఇచ్చిన {2}
DocType: Stock Entry,Additional Costs,అదనపు వ్యయాలు
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,ఉన్న లావాదేవీతో ఖాతా సమూహం మార్చబడుతుంది సాధ్యం కాదు.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,ఉన్న లావాదేవీతో ఖాతా సమూహం మార్చబడుతుంది సాధ్యం కాదు.
DocType: Lead,Product Enquiry,ఉత్పత్తి ఎంక్వయిరీ
DocType: Academic Term,Schools,పాఠశాలలు
+DocType: School Settings,Validate Batch for Students in Student Group,స్టూడెంట్ గ్రూప్ లో స్టూడెంట్స్ కోసం బ్యాచ్ ప్రమాణీకరించు
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},తోబుట్టువుల సెలవు రికార్డు ఉద్యోగికి దొరకలేదు {0} కోసం {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,మొదటి కంపెనీ నమోదు చేయండి
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,మొదటి కంపెనీ దయచేసి ఎంచుకోండి
@@ -175,49 +176,49 @@
DocType: BOM,Total Cost,మొత్తం వ్యయం
DocType: Journal Entry Account,Employee Loan,ఉద్యోగి లోన్
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,కార్యాచరణ లోనికి ప్రవేశించండి
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,{0} అంశం వ్యవస్థ ఉనికిలో లేదు లేదా గడువు ముగిసింది
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,{0} అంశం వ్యవస్థ ఉనికిలో లేదు లేదా గడువు ముగిసింది
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,హౌసింగ్
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,ఖాతా ప్రకటన
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,ఫార్మాస్యూటికల్స్
DocType: Purchase Invoice Item,Is Fixed Asset,స్థిర ఆస్తి ఉంది
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","అందుబాటులో అంశాల {0}, మీరు అవసరం {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","అందుబాటులో అంశాల {0}, మీరు అవసరం {1}"
DocType: Expense Claim Detail,Claim Amount,క్లెయిమ్ సొమ్ము
-DocType: Employee,Mr,శ్రీ
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,cutomer సమూహం పట్టిక కనిపించే నకిలీ కస్టమర్ సమూహం
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,సరఫరాదారు పద్ధతి / సరఫరాదారు
DocType: Naming Series,Prefix,ఆదిపదం
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,వినిమయ
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,వినిమయ
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,దిగుమతుల చిట్టా
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,పైన ప్రమాణం ఆధారిత రకం తయారీ విషయ అభ్యర్థన పుల్
DocType: Training Result Employee,Grade,గ్రేడ్
DocType: Sales Invoice Item,Delivered By Supplier,సరఫరాదారు ద్వారా పంపిణీ
DocType: SMS Center,All Contact,అన్ని సంప్రదించండి
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,ఉత్పత్తి ఆర్డర్ ఇప్పటికే BOM అన్ని అంశాలను రూపొందించినవారు
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,వార్షిక జీతం
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,ఉత్పత్తి ఆర్డర్ ఇప్పటికే BOM అన్ని అంశాలను రూపొందించినవారు
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,వార్షిక జీతం
DocType: Daily Work Summary,Daily Work Summary,డైలీ వర్క్ సారాంశం
DocType: Period Closing Voucher,Closing Fiscal Year,ఫిస్కల్ ఇయర్ మూసివేయడం
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} ఘనీభవించిన
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,దయచేసి ఖాతాల చార్ట్ సృష్టించడానికి ఉన్న కంపెనీ ఎంచుకోండి
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,స్టాక్ ఖర్చులు
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} ఘనీభవించిన
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,దయచేసి ఖాతాల చార్ట్ సృష్టించడానికి ఉన్న కంపెనీ ఎంచుకోండి
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,స్టాక్ ఖర్చులు
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,టార్గెట్ వేర్హౌస్ ఎంచుకోండి
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,టార్గెట్ వేర్హౌస్ ఎంచుకోండి
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,నమోదు చేయండి ఇష్టపడే సంప్రదించండి ఇమెయిల్
+DocType: Program Enrollment,School Bus,స్కూల్ బస్
DocType: Journal Entry,Contra Entry,పద్దు
DocType: Journal Entry Account,Credit in Company Currency,కంపెనీ కరెన్సీ లో క్రెడిట్
DocType: Delivery Note,Installation Status,సంస్థాపన స్థితి
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",మీరు హాజరు అప్డేట్ అనుకుంటున్నారు? <br> ప్రస్తుతం: {0} \ <br> ఆబ్సెంట్: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},ప్యాక్ చేసిన అంశాల తిరస్కరించబడిన అంగీకరించిన + అంశం అందుకున్నారు పరిమాణం సమానంగా ఉండాలి {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},ప్యాక్ చేసిన అంశాల తిరస్కరించబడిన అంగీకరించిన + అంశం అందుకున్నారు పరిమాణం సమానంగా ఉండాలి {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,సప్లై రా మెటీరియల్స్ కొనుగోలు కోసం
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,చెల్లింపు మోడ్ అయినా POS వాయిస్ అవసరం.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,చెల్లింపు మోడ్ అయినా POS వాయిస్ అవసరం.
DocType: Products Settings,Show Products as a List,షో ఉత్పత్తులు జాబితా
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records",", మూస తగిన డేటా నింపి ఆ మారిన ఫైలులో అటాచ్. ఎంపిక కాలంలో అన్ని తేదీలు మరియు ఉద్యోగి కలయిక ఉన్న హాజరు రికార్డుల తో, టెంప్లేట్ వస్తాయి"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,{0} ఐటెమ్ చురుకుగా కాదు లేదా జీవితాంతం చేరుకుంది చెయ్యబడింది
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,ఉదాహరణ: బేసిక్ గణితం
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","అంశం రేటు వరుసగా {0} లో పన్ను చేర్చడానికి, వరుసలలో పన్నులు {1} కూడా చేర్చారు తప్పక"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,{0} ఐటెమ్ చురుకుగా కాదు లేదా జీవితాంతం చేరుకుంది చెయ్యబడింది
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,ఉదాహరణ: బేసిక్ గణితం
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","అంశం రేటు వరుసగా {0} లో పన్ను చేర్చడానికి, వరుసలలో పన్నులు {1} కూడా చేర్చారు తప్పక"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,ఆర్ మాడ్యూల్ కోసం సెట్టింగులు
DocType: SMS Center,SMS Center,SMS సెంటర్
DocType: Sales Invoice,Change Amount,మొత్తం మారుతుంది
@@ -227,7 +228,7 @@
DocType: Lead,Request Type,అభ్యర్థన పద్ధతి
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,ఉద్యోగి చేయండి
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,బ్రాడ్కాస్టింగ్
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,ఎగ్జిక్యూషన్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,ఎగ్జిక్యూషన్
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,కార్యకలాపాల వివరాలను చేపట్టారు.
DocType: Serial No,Maintenance Status,నిర్వహణ స్థితి
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: సరఫరాదారు చెల్లించవలసిన ఖాతాఫై అవసరం {2}
@@ -255,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,క్రింది లింక్ పై క్లిక్ చేసి కొటేషన్ కోసం అభ్యర్థన ప్రాప్తి చేయవచ్చు
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,సంవత్సరం ఆకులు కేటాయించుటకు.
DocType: SG Creation Tool Course,SG Creation Tool Course,ఎస్జి సృష్టి సాధనం కోర్సు
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,సరిపోని స్టాక్
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,సరిపోని స్టాక్
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,ఆపివేయి సామర్థ్యం ప్రణాళిక మరియు సమయం ట్రాకింగ్
DocType: Email Digest,New Sales Orders,న్యూ సేల్స్ ఆర్డర్స్
DocType: Bank Guarantee,Bank Account,బ్యాంకు ఖాతా
@@ -266,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log','టైం లోగ్' ద్వారా నవీకరించబడింది
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},అడ్వాన్స్ మొత్తాన్ని కంటే ఎక్కువ ఉండకూడదు {0} {1}
DocType: Naming Series,Series List for this Transaction,ఈ లావాదేవీ కోసం సిరీస్ జాబితా
+DocType: Company,Enable Perpetual Inventory,శాశ్వత ఇన్వెంటరీ ప్రారంభించు
DocType: Company,Default Payroll Payable Account,డిఫాల్ట్ పేరోల్ చెల్లించవలసిన ఖాతా
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,ఇమెయిల్ అప్డేట్ గ్రూప్
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,ఇమెయిల్ అప్డేట్ గ్రూప్
DocType: Sales Invoice,Is Opening Entry,ఎంట్రీ ప్రారంభ ఉంది
DocType: Customer Group,Mention if non-standard receivable account applicable,మెన్షన్ ప్రామాణికం కాని స్వీకరించదగిన ఖాతా వర్తిస్తే
DocType: Course Schedule,Instructor Name,బోధకుడు పేరు
@@ -279,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,సేల్స్ వాయిస్ అంశం వ్యతిరేకంగా
,Production Orders in Progress,ప్రోగ్రెస్ లో ఉత్పత్తి ఆర్డర్స్
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,ఫైనాన్సింగ్ నుండి నికర నగదు
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage పూర్తి, సేవ్ లేదు"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage పూర్తి, సేవ్ లేదు"
DocType: Lead,Address & Contact,చిరునామా & సంప్రదింపు
DocType: Leave Allocation,Add unused leaves from previous allocations,మునుపటి కేటాయింపులు నుండి ఉపయోగించని ఆకులు జోడించండి
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},తదుపరి పునరావృత {0} లో రూపొందే {1}
DocType: Sales Partner,Partner website,భాగస్వామి వెబ్సైట్
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,చేర్చు
-,Contact Name,సంప్రదింపు పేరు
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,సంప్రదింపు పేరు
DocType: Course Assessment Criteria,Course Assessment Criteria,కోర్సు అంచనా ప్రమాణం
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,పైన పేర్కొన్న ప్రమాణాలను కోసం జీతం స్లిప్ సృష్టిస్తుంది.
DocType: POS Customer Group,POS Customer Group,POS కస్టమర్ గ్రూప్
@@ -294,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,ఇచ్చిన వివరణను
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,కొనుగోలు కోసం అభ్యర్థన.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,ఈ ఈ ప్రాజెక్టుకు వ్యతిరేకంగా రూపొందించినవారు షీట్లుగా ఆధారంగా
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,నికర పే కంటే తక్కువ 0 కాదు
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,నికర పే కంటే తక్కువ 0 కాదు
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,మాత్రమే ఎంచుకున్న లీవ్ అప్రూవర్గా ఈ లీవ్ అప్లికేషన్ సమర్పించవచ్చు
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,తేదీ ఉపశమనం చేరడం తేదీ కంటే ఎక్కువ ఉండాలి
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,సంవత్సరానికి ఆకులు
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,సంవత్సరానికి ఆకులు
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,రో {0}: తనిఖీ చేయండి ఖాతా వ్యతిరేకంగా 'అడ్వాన్స్ ఈజ్' {1} ఈ అడ్వాన్సుగా ఎంట్రీ ఉంటే.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},{0} వేర్హౌస్ కంపెనీకి చెందినది కాదు {1}
DocType: Email Digest,Profit & Loss,లాభం & నష్టం
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,లీటరు
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,లీటరు
DocType: Task,Total Costing Amount (via Time Sheet),మొత్తం ఖర్చు మొత్తం (సమయం షీట్ ద్వారా)
DocType: Item Website Specification,Item Website Specification,అంశం వెబ్సైట్ స్పెసిఫికేషన్
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Leave నిరోధిత
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},అంశం {0} జీవితం యొక్క దాని ముగింపు చేరుకుంది {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},అంశం {0} జీవితం యొక్క దాని ముగింపు చేరుకుంది {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,బ్యాంక్ ఎంట్రీలు
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,వార్షిక
DocType: Stock Reconciliation Item,Stock Reconciliation Item,స్టాక్ సయోధ్య అంశం
@@ -313,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,Min ఆర్డర్ ప్యాక్ చేసిన అంశాల
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,స్టూడెంట్ గ్రూప్ సృష్టి సాధనం కోర్సు
DocType: Lead,Do Not Contact,సంప్రదించండి చేయవద్దు
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,మీ సంస్థ వద్ద బోధిస్తారు వ్యక్తుల
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,మీ సంస్థ వద్ద బోధిస్తారు వ్యక్తుల
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,అన్ని పునరావృత ఇన్వాయిస్లు ట్రాకింగ్ కోసం ఏకైక ID. ఇది submit న రవాణా జరుగుతుంది.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,సాఫ్ట్వేర్ డెవలపర్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,సాఫ్ట్వేర్ డెవలపర్
DocType: Item,Minimum Order Qty,కనీస ఆర్డర్ ప్యాక్ చేసిన అంశాల
DocType: Pricing Rule,Supplier Type,సరఫరాదారు టైప్
DocType: Course Scheduling Tool,Course Start Date,కోర్సు ప్రారంభ తేదీ
@@ -324,11 +326,11 @@
DocType: Item,Publish in Hub,హబ్ లో ప్రచురించండి
DocType: Student Admission,Student Admission,విద్యార్థి అడ్మిషన్
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,{0} అంశం రద్దు
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,{0} అంశం రద్దు
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,మెటీరియల్ అభ్యర్థన
DocType: Bank Reconciliation,Update Clearance Date,నవీకరణ క్లియరెన్స్ తేదీ
DocType: Item,Purchase Details,కొనుగోలు వివరాలు
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},కొనుగోలు ఆర్డర్ లో 'రా మెటీరియల్స్ పంపినవి' పట్టికలో దొరకలేదు అంశం {0} {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},కొనుగోలు ఆర్డర్ లో 'రా మెటీరియల్స్ పంపినవి' పట్టికలో దొరకలేదు అంశం {0} {1}
DocType: Employee,Relation,రిలేషన్
DocType: Shipping Rule,Worldwide Shipping,ప్రపంచవ్యాప్తంగా షిప్పింగ్
DocType: Student Guardian,Mother,తల్లి
@@ -347,6 +349,7 @@
DocType: Student Group Student,Student Group Student,స్టూడెంట్ గ్రూప్ విద్యార్థి
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,తాజా
DocType: Vehicle Service,Inspection,ఇన్స్పెక్షన్
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,జాబితా
DocType: Email Digest,New Quotations,న్యూ కొటేషన్స్
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,ఇష్టపడే ఇమెయిల్ లో ఉద్యోగి ఎంపిక ఆధారంగా ఉద్యోగి ఇమెయిళ్ళు జీతం స్లిప్
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,జాబితాలో మొదటి లీవ్ అప్రూవర్గా డిఫాల్ట్ లీవ్ అప్రూవర్గా సెట్ చేయబడుతుంది
@@ -355,20 +358,20 @@
DocType: Asset,Next Depreciation Date,తదుపరి అరుగుదల తేదీ
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,ఉద్యోగి ప్రతి కార్యాచరణ ఖర్చు
DocType: Accounts Settings,Settings for Accounts,అకౌంట్స్ కోసం సెట్టింగులు
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},సరఫరాదారు వాయిస్ లేవు కొనుగోలు వాయిస్ లో ఉంది {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},సరఫరాదారు వాయిస్ లేవు కొనుగోలు వాయిస్ లో ఉంది {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,సేల్స్ పర్సన్ ట్రీ నిర్వహించండి.
DocType: Job Applicant,Cover Letter,కవర్ లెటర్
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,అత్యుత్తమ చెక్కుల మరియు క్లియర్ డిపాజిట్లు
DocType: Item,Synced With Hub,హబ్ సమకాలీకరించబడింది
DocType: Vehicle,Fleet Manager,విమానాల మేనేజర్
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},రో # {0}: {1} అంశం కోసం ప్రతికూల ఉండకూడదు {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,సరియినది కాని రహస్య పదము
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,సరియినది కాని రహస్య పదము
DocType: Item,Variant Of,వేరియంట్
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',కంటే 'ప్యాక్ చేసిన అంశాల తయారీకి' పూర్తి ప్యాక్ చేసిన అంశాల ఎక్కువ ఉండకూడదు
DocType: Period Closing Voucher,Closing Account Head,ఖాతా తల ముగింపు
DocType: Employee,External Work History,బాహ్య వర్క్ చరిత్ర
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,సర్క్యులర్ సూచన లోపం
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1 పేరు
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 పేరు
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,మీరు డెలివరీ గమనిక సేవ్ ఒకసారి పదాలు (ఎగుమతి) లో కనిపిస్తుంది.
DocType: Cheque Print Template,Distance from left edge,ఎడమ అంచు నుండి దూరం
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{1}] యొక్క యూనిట్లలో (# ఫారం / అంశం / {1}) [{2}] కనిపించే (# ఫారం / వేర్హౌస్ / {2})
@@ -377,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,ఆటోమేటిక్ మెటీరియల్ అభ్యర్థన సృష్టి పై ఇమెయిల్ ద్వారా తెలియజేయి
DocType: Journal Entry,Multi Currency,మల్టీ కరెన్సీ
DocType: Payment Reconciliation Invoice,Invoice Type,వాయిస్ పద్ధతి
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,డెలివరీ గమనిక
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,డెలివరీ గమనిక
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,పన్నులు ఏర్పాటు
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,సోల్డ్ ఆస్తి యొక్క ధర
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,మీరు వైదొలగిన తర్వాత చెల్లింపు ఎంట్రీ మారిస్తే. మళ్ళీ తీసి దయచేసి.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} అంశం పన్ను రెండుసార్లు ఎంటర్
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,మీరు వైదొలగిన తర్వాత చెల్లింపు ఎంట్రీ మారిస్తే. మళ్ళీ తీసి దయచేసి.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} అంశం పన్ను రెండుసార్లు ఎంటర్
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,ఈ వారం పెండింగ్ కార్యకలాపాలకు సారాంశం
DocType: Student Applicant,Admitted,చేరినవారి
DocType: Workstation,Rent Cost,రెంట్ ఖర్చు
@@ -400,25 +403,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,నమోదు రంగంలో విలువ 'డే ఆఫ్ ది మంత్ రిపీట్' దయచేసి
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,కస్టమర్ కరెన్సీ కస్టమర్ బేస్ కరెన్సీ మార్చబడుతుంది రేటుపై
DocType: Course Scheduling Tool,Course Scheduling Tool,కోర్సు షెడ్యూల్ టూల్
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},రో # {0}: కొనుగోలు వాయిస్ ఇప్పటికే ఉన్న ఆస్తి వ్యతిరేకంగా చేయలేము {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},రో # {0}: కొనుగోలు వాయిస్ ఇప్పటికే ఉన్న ఆస్తి వ్యతిరేకంగా చేయలేము {1}
DocType: Item Tax,Tax Rate,పన్ను శాతమ్
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} ఇప్పటికే ఉద్యోగి కోసం కేటాయించిన {1} కాలానికి {2} కోసం {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,అంశాన్ని ఎంచుకోండి
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,వాయిస్ {0} ఇప్పటికే సమర్పించిన కొనుగోలు
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,వాయిస్ {0} ఇప్పటికే సమర్పించిన కొనుగోలు
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},రో # {0}: బ్యాచ్ లేవు అదే ఉండాలి {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,కాని గ్రూప్ మార్చు
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,ఒక అంశం యొక్క బ్యాచ్ (చాలా).
DocType: C-Form Invoice Detail,Invoice Date,వాయిస్ తేదీ
DocType: GL Entry,Debit Amount,డెబిట్ మొత్తం
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},మాత్రమే కంపెనీవారి ప్రతి 1 ఖాతా ఉండగలడు {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,అటాచ్మెంట్ చూడండి
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},మాత్రమే కంపెనీవారి ప్రతి 1 ఖాతా ఉండగలడు {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,అటాచ్మెంట్ చూడండి
DocType: Purchase Order,% Received,% పొందింది
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,విద్యార్థి సమూహాలు సృష్టించండి
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,సెటప్ ఇప్పటికే సంపూర్ణ !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,క్రెడిట్ గమనిక మొత్తం
,Finished Goods,తయారైన వస్తువులు
DocType: Delivery Note,Instructions,సూచనలు
DocType: Quality Inspection,Inspected By,తనిఖీలు
DocType: Maintenance Visit,Maintenance Type,నిర్వహణ పద్ధతి
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} కోర్సు చేరాడు లేదు {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},సీరియల్ లేవు {0} డెలివరీ గమనిక చెందినది కాదు {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext డెమో
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,అంశాలు జోడించండి
@@ -441,7 +446,7 @@
DocType: Request for Quotation,Request for Quotation,కొటేషన్ కోసం అభ్యర్థన
DocType: Salary Slip Timesheet,Working Hours,పని గంటలు
DocType: Naming Series,Change the starting / current sequence number of an existing series.,అప్పటికే ఉన్న సిరీస్ ప్రారంభం / ప్రస్తుత క్రమ సంఖ్య మార్చండి.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,ఒక కొత్త కస్టమర్ సృష్టించు
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,ఒక కొత్త కస్టమర్ సృష్టించు
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","బహుళ ధర రూల్స్ వ్యాప్తి చెందడం కొనసాగుతుంది, వినియోగదారులు పరిష్కరించవచ్చు మానవీయంగా ప్రాధాన్యత సెట్ కోరతారు."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,కొనుగోలు ఉత్తర్వులు సృష్టించు
,Purchase Register,కొనుగోలు నమోదు
@@ -453,7 +458,7 @@
DocType: Student Log,Medical,మెడికల్
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,కోల్పోయినందుకు కారణము
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,లీడ్ యజమాని లీడ్ అదే ఉండకూడదు
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,కేటాయించిన మొత్తాన్ని అన్ఏడ్జస్టెడ్ మొత్తానికన్నా ఎక్కువ కాదు
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,కేటాయించిన మొత్తాన్ని అన్ఏడ్జస్టెడ్ మొత్తానికన్నా ఎక్కువ కాదు
DocType: Announcement,Receiver,స్వీకర్త
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},కార్యక్షేత్ర హాలిడే జాబితా ప్రకారం క్రింది తేదీలు మూసివేయబడింది: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,అవకాశాలు
@@ -467,8 +472,7 @@
DocType: Assessment Plan,Examiner Name,ఎగ్జామినర్ పేరు
DocType: Purchase Invoice Item,Quantity and Rate,పరిమాణ మరియు రేటు
DocType: Delivery Note,% Installed,% వ్యవస్థాపించిన
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,తరగతి / లాబొరేటరీస్ తదితర ఉపన్యాసాలు షెడ్యూల్ చేసుకోవచ్చు.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,సరఫరాదారు> సరఫరాదారు టైప్
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,తరగతి / లాబొరేటరీస్ తదితర ఉపన్యాసాలు షెడ్యూల్ చేసుకోవచ్చు.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,మొదటి కంపెనీ పేరును నమోదు చేయండి
DocType: Purchase Invoice,Supplier Name,సరఫరా చేయువాని పేరు
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,ERPNext మాన్యువల్ చదువు
@@ -478,7 +482,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,పరిశీలించడం సరఫరాదారు వాయిస్ సంఖ్య ప్రత్యేకత
DocType: Vehicle Service,Oil Change,ఆయిల్ మార్చండి
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','కేసు కాదు' 'కేస్ నెం నుండి' కంటే తక్కువ ఉండకూడదు
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,నాన్ ప్రాఫిట్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,నాన్ ప్రాఫిట్
DocType: Production Order,Not Started,మొదలుపెట్టలేదు
DocType: Lead,Channel Partner,ఛానల్ జీవిత భాగస్వామిలో
DocType: Account,Old Parent,పాత మాతృ
@@ -489,20 +493,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,అన్ని తయారీ ప్రక్రియలకు గ్లోబల్ సెట్టింగులు.
DocType: Accounts Settings,Accounts Frozen Upto,ఘనీభవించిన వరకు అకౌంట్స్
DocType: SMS Log,Sent On,న పంపిన
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,లక్షణం {0} గుణాలు పట్టిక పలుమార్లు ఎంపిక
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,లక్షణం {0} గుణాలు పట్టిక పలుమార్లు ఎంపిక
DocType: HR Settings,Employee record is created using selected field. ,Employee రికార్డు ఎంపిక రంగంలో ఉపయోగించి రూపొందించినవారు ఉంది.
DocType: Sales Order,Not Applicable,వర్తించదు
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,హాలిడే మాస్టర్.
DocType: Request for Quotation Item,Required Date,అవసరం తేదీ
DocType: Delivery Note,Billing Address,రశీదు చిరునామా
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,అంశం కోడ్ను నమోదు చేయండి.
DocType: BOM,Costing,ఖరీదు
DocType: Tax Rule,Billing County,బిల్లింగ్ కౌంటీ
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","తనిఖీ ఉంటే ఇప్పటికే ప్రింట్ రేటు / ప్రింట్ మొత్తం చేర్చబడుతుంది వంటి, పన్ను మొత్తాన్ని పరిగణించబడుతుంది"
DocType: Request for Quotation,Message for Supplier,సరఫరాదారు సందేశాన్ని
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,మొత్తం ప్యాక్ చేసిన అంశాల
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 ఇమెయిల్ ID
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 ఇమెయిల్ ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 ఇమెయిల్ ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 ఇమెయిల్ ID
DocType: Item,Show in Website (Variant),లో వెబ్సైట్ షో (వేరియంట్)
DocType: Employee,Health Concerns,ఆరోగ్య కారణాల
DocType: Process Payroll,Select Payroll Period,పేరోల్ కాలం ఎంచుకోండి
@@ -520,26 +523,28 @@
DocType: Sales Order Item,Used for Production Plan,ఉత్పత్తి ప్లాన్ వుపయోగించే
DocType: Employee Loan,Total Payment,మొత్తం చెల్లింపు
DocType: Manufacturing Settings,Time Between Operations (in mins),(నిమిషాలు) ఆపరేషన్స్ మధ్య సమయం
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} చర్య పూర్తి చేయబడదు కాబట్టి రద్దు
DocType: Customer,Buyer of Goods and Services.,గూడ్స్ అండ్ సర్వీసెస్ కొనుగోలుదారు.
DocType: Journal Entry,Accounts Payable,చెల్లించవలసిన ఖాతాలు
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,ఎంపిక BOMs అదే అంశం కోసం కాదు
DocType: Pricing Rule,Valid Upto,చెల్లుబాటు అయ్యే వరకు
DocType: Training Event,Workshop,వర్క్షాప్
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,మీ వినియోగదారులు కొన్ని జాబితా. వారు సంస్థలు లేదా వ్యక్తులతో కావచ్చు.
-,Enough Parts to Build,తగినంత భాగాలు బిల్డ్
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,ప్రత్యక్ష ఆదాయం
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,మీ వినియోగదారులు కొన్ని జాబితా. వారు సంస్థలు లేదా వ్యక్తులతో కావచ్చు.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,తగినంత భాగాలు బిల్డ్
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,ప్రత్యక్ష ఆదాయం
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","ఖాతా ద్వారా సమూహం ఉంటే, ఖాతా ఆధారంగా వేరు చేయలేని"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,అడ్మినిస్ట్రేటివ్ ఆఫీసర్
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,దయచేసి కోర్సు ఎంచుకోండి
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,దయచేసి కోర్సు ఎంచుకోండి
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,అడ్మినిస్ట్రేటివ్ ఆఫీసర్
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,దయచేసి కోర్సు ఎంచుకోండి
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,దయచేసి కోర్సు ఎంచుకోండి
DocType: Timesheet Detail,Hrs,గంటలు
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,కంపెనీ దయచేసి ఎంచుకోండి
DocType: Stock Entry Detail,Difference Account,తేడా ఖాతా
+DocType: Purchase Invoice,Supplier GSTIN,సరఫరాదారు GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,దాని ఆధారపడి పని {0} సంవృతం కాదు దగ్గరగా పని కాదు.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,మెటీరియల్ అభ్యర్థన పెంచింది చేయబడే గిడ్డంగి నమోదు చేయండి
DocType: Production Order,Additional Operating Cost,అదనపు నిర్వహణ ఖర్చు
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,కాస్మటిక్స్
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","విలీనం, క్రింది రెండు లక్షణాలతో అంశాలను అదే ఉండాలి"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","విలీనం, క్రింది రెండు లక్షణాలతో అంశాలను అదే ఉండాలి"
DocType: Shipping Rule,Net Weight,నికర బరువు
DocType: Employee,Emergency Phone,అత్యవసర ఫోన్
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,కొనుగోలు
@@ -549,14 +554,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,దయచేసి త్రెష్ 0% గ్రేడ్ నిర్వచించే
DocType: Sales Order,To Deliver,రక్షిం
DocType: Purchase Invoice Item,Item,అంశం
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,సీరియల్ ఏ అంశం ఒక భిన్నం ఉండకూడదు
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,సీరియల్ ఏ అంశం ఒక భిన్నం ఉండకూడదు
DocType: Journal Entry,Difference (Dr - Cr),తేడా (డాక్టర్ - CR)
DocType: Account,Profit and Loss,లాభం మరియు నష్టం
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,మేనేజింగ్ ఉప
DocType: Project,Project will be accessible on the website to these users,ప్రాజెక్టు ఈ వినియోగదారులకు వెబ్ సైట్ అందుబాటులో ఉంటుంది
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,రేటు ధర జాబితా కరెన్సీ కంపెనీ బేస్ కరెన్సీ మార్చబడుతుంది
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},{0} ఖాతా కంపెనీకి చెందదు: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,సంక్షిప్త ఇప్పటికే మరొక సంస్థ కోసం ఉపయోగిస్తారు
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},{0} ఖాతా కంపెనీకి చెందదు: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,సంక్షిప్త ఇప్పటికే మరొక సంస్థ కోసం ఉపయోగిస్తారు
DocType: Selling Settings,Default Customer Group,డిఫాల్ట్ కస్టమర్ గ్రూప్
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","ఆపివేసినా, 'నున్నటి మొత్తం' రంగంలో ఏ లావాదేవీ లో కనిపించవు"
DocType: BOM,Operating Cost,నిర్వహణ ఖర్చు
@@ -564,7 +569,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,పెంపు 0 ఉండకూడదు
DocType: Production Planning Tool,Material Requirement,వస్తు అవసరాల
DocType: Company,Delete Company Transactions,కంపెనీ లావాదేవీలు తొలగించు
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,రిఫరెన్స్ ఇక లేవు ప్రస్తావన తేదీ బ్యాంక్ లావాదేవీల తప్పనిసరి
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,రిఫరెన్స్ ఇక లేవు ప్రస్తావన తేదీ బ్యాంక్ లావాదేవీల తప్పనిసరి
DocType: Purchase Receipt,Add / Edit Taxes and Charges,/ మార్చు పన్నులు మరియు ఆరోపణలు జోడించండి
DocType: Purchase Invoice,Supplier Invoice No,సరఫరాదారు వాయిస్ లేవు
DocType: Territory,For reference,సూచన కోసం
@@ -575,22 +580,22 @@
DocType: Installation Note Item,Installation Note Item,సంస్థాపన సూచన అంశం
DocType: Production Plan Item,Pending Qty,పెండింగ్ ప్యాక్ చేసిన అంశాల
DocType: Budget,Ignore,విస్మరించు
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} సక్రియ కాదు
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} సక్రియ కాదు
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS క్రింది సంఖ్యలను పంపిన: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,ముద్రణా సెటప్ చెక్ కొలతలు
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,ముద్రణా సెటప్ చెక్ కొలతలు
DocType: Salary Slip,Salary Slip Timesheet,జీతం స్లిప్ TIMESHEET
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,ఉప-ఒప్పంద కొనుగోలు రసీదులు తప్పనిసరి సరఫరాదారు వేర్హౌస్
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,ఉప-ఒప్పంద కొనుగోలు రసీదులు తప్పనిసరి సరఫరాదారు వేర్హౌస్
DocType: Pricing Rule,Valid From,నుండి వరకు చెల్లుతుంది
DocType: Sales Invoice,Total Commission,మొత్తం కమిషన్
DocType: Pricing Rule,Sales Partner,సేల్స్ భాగస్వామి
DocType: Buying Settings,Purchase Receipt Required,కొనుగోలు రసీదులు అవసరం
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,తెరవడం స్టాక్ ఎంటర్ చేస్తే వాల్యువేషన్ రేటు తప్పనిసరి
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,తెరవడం స్టాక్ ఎంటర్ చేస్తే వాల్యువేషన్ రేటు తప్పనిసరి
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,వాయిస్ పట్టిక కనుగొనబడలేదు రికార్డులు
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,మొదటి కంపెనీ మరియు పార్టీ రకాన్ని ఎంచుకోండి
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,ఫైనాన్షియల్ / అకౌంటింగ్ సంవత్సరం.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,ఫైనాన్షియల్ / అకౌంటింగ్ సంవత్సరం.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,పోగుచేసిన విలువలు
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","క్షమించండి, సీరియల్ సంఖ్యలు విలీనం సాధ్యం కాదు"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,సేల్స్ ఆర్డర్ చేయండి
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,సేల్స్ ఆర్డర్ చేయండి
DocType: Project Task,Project Task,ప్రాజెక్ట్ టాస్క్
,Lead Id,లీడ్ ID
DocType: C-Form Invoice Detail,Grand Total,సంపూర్ణ మొత్తము
@@ -607,7 +612,7 @@
DocType: Job Applicant,Resume Attachment,పునఃప్రారంభం జోడింపు
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,పునరావృత
DocType: Leave Control Panel,Allocate,కేటాయించాల్సిన
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,సేల్స్ చూపించు
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,సేల్స్ చూపించు
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,గమనిక: మొత్తం కేటాయించింది ఆకులు {0} ఇప్పటికే ఆమోదం ఆకులు కంటే తక్కువ ఉండకూడదు {1} కాలానికి
DocType: Announcement,Posted By,ద్వారా పోస్ట్
DocType: Item,Delivered by Supplier (Drop Ship),సరఫరాదారు ద్వారా పంపిణీ (డ్రాప్ షిప్)
@@ -617,8 +622,8 @@
DocType: Quotation,Quotation To,.కొటేషన్
DocType: Lead,Middle Income,మధ్య ఆదాయ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),ప్రారంభ (CR)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,మీరు ఇప్పటికే మరొక UoM కొన్ని ట్రాన్సాక్షన్ (లు) చేసిన ఎందుకంటే అంశం కోసం మెజర్ అప్రమేయ యూనిట్ {0} నేరుగా మారలేదు. మీరు వేరే డిఫాల్ట్ UoM ఉపయోగించడానికి ఒక కొత్త అంశాన్ని సృష్టించడానికి అవసరం.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,కేటాయించింది మొత్తం ప్రతికూల ఉండకూడదు
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,మీరు ఇప్పటికే మరొక UoM కొన్ని ట్రాన్సాక్షన్ (లు) చేసిన ఎందుకంటే అంశం కోసం మెజర్ అప్రమేయ యూనిట్ {0} నేరుగా మారలేదు. మీరు వేరే డిఫాల్ట్ UoM ఉపయోగించడానికి ఒక కొత్త అంశాన్ని సృష్టించడానికి అవసరం.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,కేటాయించింది మొత్తం ప్రతికూల ఉండకూడదు
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,కంపెనీ సెట్ దయచేసి
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,కంపెనీ సెట్ దయచేసి
DocType: Purchase Order Item,Billed Amt,బిల్ ఆంట్
@@ -631,7 +636,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,బ్యాంక్ ఎంట్రీ చేయడానికి చెల్లింపు ఖాతా ఎంచుకోండి
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","ఆకులు, వ్యయం వాదనలు మరియు పేరోల్ నిర్వహించడానికి ఉద్యోగి రికార్డులు సృష్టించు"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,నాలెడ్జ్ బేస్ జోడించండి
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,ప్రతిపాదన రాయడం
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,ప్రతిపాదన రాయడం
DocType: Payment Entry Deduction,Payment Entry Deduction,చెల్లింపు ఎంట్రీ తీసివేత
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,మరో సేల్స్ పర్సన్ {0} అదే ఉద్యోగి ఐడితో ఉంది
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests",ఉప-ఒప్పంద మెటీరియల్ రిక్వెస్ట్ చేర్చబడుతుంది అని అంశాలను ఎంచుకుని ఉంటే ముడి పదార్థాలు
@@ -646,7 +651,7 @@
DocType: Batch,Batch Description,బ్యాచ్ వివరణ
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,విద్యార్థి సంఘాలు సృష్టిస్తోంది
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,విద్యార్థి సంఘాలు సృష్టిస్తోంది
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","చెల్లింపు గేట్వే ఖాతా సృష్టించలేదు, దయచేసి ఒక్క సృష్టించడానికి."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","చెల్లింపు గేట్వే ఖాతా సృష్టించలేదు, దయచేసి ఒక్క సృష్టించడానికి."
DocType: Sales Invoice,Sales Taxes and Charges,సేల్స్ పన్నులు మరియు ఆరోపణలు
DocType: Employee,Organization Profile,ఆర్గనైజేషన్ ప్రొఫైల్
DocType: Student,Sibling Details,తోబుట్టువులు వివరాలు
@@ -668,11 +673,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,ఇన్వెంటరీ నికర మార్పును
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,ఉద్యోగి లోన్ మేనేజ్మెంట్
DocType: Employee,Passport Number,పాస్పోర్ట్ సంఖ్య
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Guardian2 తో రిలేషన్
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,మేనేజర్
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2 తో రిలేషన్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,మేనేజర్
DocType: Payment Entry,Payment From / To,చెల్లింపు / నుండి
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},క్రొత్త క్రెడిట్ పరిమితి కస్టమర్ ప్రస్తుత అసాధారణ మొత్తం కంటే తక్కువగా ఉంటుంది. క్రెడిట్ పరిమితి కనీసం ఉండాలి {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,అదే అంశం అనేకసార్లు ఎంటర్ చెయ్యబడింది.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},క్రొత్త క్రెడిట్ పరిమితి కస్టమర్ ప్రస్తుత అసాధారణ మొత్తం కంటే తక్కువగా ఉంటుంది. క్రెడిట్ పరిమితి కనీసం ఉండాలి {0}
DocType: SMS Settings,Receiver Parameter,స్వీకర్త పారామిత
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,మరియు 'గ్రూప్ ద్వారా' 'ఆధారంగా' అదే ఉండకూడదు
DocType: Sales Person,Sales Person Targets,సేల్స్ పర్సన్ టార్గెట్స్
@@ -681,8 +685,9 @@
DocType: Issue,Resolution Date,రిజల్యూషన్ తేదీ
DocType: Student Batch Name,Batch Name,బ్యాచ్ పేరు
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timesheet రూపొందించినవారు:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},చెల్లింపు విధానం లో డిఫాల్ట్ నగదు లేదా బ్యాంక్ ఖాతా సెట్ దయచేసి {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},చెల్లింపు విధానం లో డిఫాల్ట్ నగదు లేదా బ్యాంక్ ఖాతా సెట్ దయచేసి {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,నమోదు
+DocType: GST Settings,GST Settings,జిఎస్టి సెట్టింగులు
DocType: Selling Settings,Customer Naming By,ద్వారా కస్టమర్ నేమింగ్
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,స్టూడెంట్ మంత్లీ హాజరు రిపోర్ట్ లో విధంగా ప్రస్తుతం విద్యార్థి చూపిస్తుంది
DocType: Depreciation Schedule,Depreciation Amount,అరుగుదల మొత్తం
@@ -704,6 +709,7 @@
DocType: Item,Material Transfer,మెటీరియల్ ట్రాన్స్ఫర్
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),ఓపెనింగ్ (డాక్టర్)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},పోస్టింగ్ స్టాంప్ తర్వాత ఉండాలి {0}
+,GST Itemised Purchase Register,జిఎస్టి వర్గీకరించబడ్డాయి కొనుగోలు నమోదు
DocType: Employee Loan,Total Interest Payable,చెల్లించవలసిన మొత్తం వడ్డీ
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,అడుగుపెట్టాయి ఖర్చు పన్నులు మరియు ఆరోపణలు
DocType: Production Order Operation,Actual Start Time,వాస్తవ ప్రారంభ సమయం
@@ -732,10 +738,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
DocType: Account,Accounts,అకౌంట్స్
DocType: Vehicle,Odometer Value (Last),ఓడోమీటార్ విలువ (చివరి)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,మార్కెటింగ్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,మార్కెటింగ్
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,చెల్లింపు ఎంట్రీ ఇప్పటికే రూపొందించినవారు ఉంటుంది
DocType: Purchase Receipt Item Supplied,Current Stock,ప్రస్తుత స్టాక్
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},రో # {0}: ఆస్తి {1} అంశం ముడిపడి లేదు {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},రో # {0}: ఆస్తి {1} అంశం ముడిపడి లేదు {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,ప్రివ్యూ వేతనం స్లిప్
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,ఖాతా {0} అనేకసార్లు నమోదు చేసిన
DocType: Account,Expenses Included In Valuation,ఖర్చులు విలువలో
@@ -743,7 +749,7 @@
,Absent Student Report,కరువవడంతో విద్యార్థి నివేదిక
DocType: Email Digest,Next email will be sent on:,తదుపరి ఇమెయిల్ పంపబడుతుంది:
DocType: Offer Letter Term,Offer Letter Term,లెటర్ టర్మ్ ఆఫర్
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,అంశం రకాల్లో.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,అంశం రకాల్లో.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,అంశం {0} దొరకలేదు
DocType: Bin,Stock Value,స్టాక్ విలువ
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,కంపెనీ {0} ఉనికిలో లేదు
@@ -752,8 +758,8 @@
DocType: Serial No,Warranty Expiry Date,వారంటీ గడువు తేదీ
DocType: Material Request Item,Quantity and Warehouse,పరిమాణ మరియు వేర్హౌస్
DocType: Sales Invoice,Commission Rate (%),కమిషన్ రేటు (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,దయచేసి ఎంచుకోండి ప్రోగ్రామ్
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,దయచేసి ఎంచుకోండి ప్రోగ్రామ్
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,దయచేసి ఎంచుకోండి ప్రోగ్రామ్
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,దయచేసి ఎంచుకోండి ప్రోగ్రామ్
DocType: Project,Estimated Cost,అంచనా వ్యయం
DocType: Purchase Order,Link to material requests,పదార్థం అభ్యర్థనలు లింక్
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,ఏరోస్పేస్
@@ -767,14 +773,14 @@
DocType: Purchase Order,Supply Raw Materials,సప్లై రా మెటీరియల్స్
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,తదుపరి ఇన్వాయిస్ ఉత్పత్తి అవుతుంది తేదీ. ఇది submit న రవాణా జరుగుతుంది.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,ప్రస్తుత ఆస్తులు
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} స్టాక్ అంశం కాదు
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} స్టాక్ అంశం కాదు
DocType: Mode of Payment Account,Default Account,డిఫాల్ట్ ఖాతా
DocType: Payment Entry,Received Amount (Company Currency),అందుకున్న మొత్తం (కంపెనీ కరెన్సీ)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,అవకాశం లీడ్ నుండి తయారు చేస్తారు ఉంటే లీడ్ ఏర్పాటు చేయాలి
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,వీక్లీ ఆఫ్ రోజును ఎంచుకోండి
DocType: Production Order Operation,Planned End Time,అనుకున్న ముగింపు సమయం
,Sales Person Target Variance Item Group-Wise,సేల్స్ పర్సన్ టార్గెట్ విస్తృతి అంశం గ్రూప్-వైజ్
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,ఇప్పటికే లావాదేవీతో ఖాతా లెడ్జర్ మార్చబడతాయి కాదు
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,ఇప్పటికే లావాదేవీతో ఖాతా లెడ్జర్ మార్చబడతాయి కాదు
DocType: Delivery Note,Customer's Purchase Order No,కస్టమర్ యొక్క కొనుగోలు ఆర్డర్ సంఖ్య
DocType: Budget,Budget Against,బడ్జెట్ వ్యతిరేకంగా
DocType: Employee,Cell Number,సెల్ సంఖ్య
@@ -786,15 +792,13 @@
DocType: Opportunity,Opportunity From,నుండి అవకాశం
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,మంత్లీ జీతం ప్రకటన.
DocType: BOM,Website Specifications,వెబ్సైట్ లక్షణాలు
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,దయచేసి సెటప్ను> సెటప్ ద్వారా హాజరు ధారావాహిక సంఖ్యలో నంబరింగ్ సిరీస్
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: నుండి {0} రకం {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,రో {0}: మార్పిడి ఫాక్టర్ తప్పనిసరి
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,రో {0}: మార్పిడి ఫాక్టర్ తప్పనిసరి
DocType: Employee,A+,ఒక +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","అదే ప్రమాణాల బహుళ ధర రూల్స్ ఉనికిలో ఉంది, ప్రాధాన్యత కేటాయించి వివాద పరిష్కారం దయచేసి. ధర నియమాలు: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,సోమరిగాచేయు లేదా ఇతర BOMs తో అనుసంధానం BOM రద్దు కాదు
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","అదే ప్రమాణాల బహుళ ధర రూల్స్ ఉనికిలో ఉంది, ప్రాధాన్యత కేటాయించి వివాద పరిష్కారం దయచేసి. ధర నియమాలు: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,సోమరిగాచేయు లేదా ఇతర BOMs తో అనుసంధానం BOM రద్దు కాదు
DocType: Opportunity,Maintenance,నిర్వహణ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},అంశం అవసరం కొనుగోలు రసీదులు సంఖ్య {0}
DocType: Item Attribute Value,Item Attribute Value,అంశం విలువను ఆపాదించే
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,సేల్స్ ప్రచారాలు.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,tIMESHEET చేయండి
@@ -827,30 +831,30 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},ఆస్తి జర్నల్ ఎంట్రీ ద్వారా చిత్తు {0}
DocType: Employee Loan,Interest Income Account,వడ్డీ ఆదాయం ఖాతా
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,బయోటెక్నాలజీ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,ఆఫీసు నిర్వహణ ఖర్చులు
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,ఆఫీసు నిర్వహణ ఖర్చులు
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ఇమెయిల్ ఖాతా ఏర్పాటు
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,మొదటి అంశం నమోదు చేయండి
DocType: Account,Liability,బాధ్యత
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,మంజూరు మొత్తం రో లో క్లెయిమ్ సొమ్ము కంటే ఎక్కువ ఉండకూడదు {0}.
DocType: Company,Default Cost of Goods Sold Account,గూడ్స్ సోల్డ్ ఖాతా యొక్క డిఫాల్ట్ ఖర్చు
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,ధర జాబితా ఎంచుకోలేదు
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,ధర జాబితా ఎంచుకోలేదు
DocType: Employee,Family Background,కుటుంబ నేపథ్యం
DocType: Request for Quotation Supplier,Send Email,ఇమెయిల్ పంపండి
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},హెచ్చరిక: చెల్లని జోడింపు {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},హెచ్చరిక: చెల్లని జోడింపు {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,అనుమతి లేదు
DocType: Company,Default Bank Account,డిఫాల్ట్ బ్యాంక్ ఖాతా
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",పార్టీ ఆధారంగా ఫిల్టర్ ఎన్నుకోండి పార్టీ మొదటి రకం
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},అంశాలను ద్వారా పంపిణీ లేదు ఎందుకంటే 'సరిచేయబడిన స్టాక్' తనిఖీ చెయ్యబడదు {0}
DocType: Vehicle,Acquisition Date,సంపాదన తేది
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Nos
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Nos
DocType: Item,Items with higher weightage will be shown higher,అధిక వెయిటేజీ ఉన్న అంశాలు అధికంగా చూపబడుతుంది
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,బ్యాంక్ సయోధ్య వివరాలు
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,రో # {0}: ఆస్తి {1} సమర్పించాలి
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,రో # {0}: ఆస్తి {1} సమర్పించాలి
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,ఏ ఉద్యోగి దొరకలేదు
DocType: Supplier Quotation,Stopped,ఆగిపోయింది
DocType: Item,If subcontracted to a vendor,"ఒక వ్యాపారికి బహుకరించింది, మరలా ఉంటే"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,స్టూడెంట్ గ్రూప్ ఇప్పటికే నవీకరించబడింది.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,స్టూడెంట్ గ్రూప్ ఇప్పటికే నవీకరించబడింది.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,స్టూడెంట్ గ్రూప్ ఇప్పటికే నవీకరించబడింది.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,స్టూడెంట్ గ్రూప్ ఇప్పటికే నవీకరించబడింది.
DocType: SMS Center,All Customer Contact,అన్ని కస్టమర్ సంప్రదించండి
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Csv ద్వారా స్టాక్ సంతులనం అప్లోడ్.
DocType: Warehouse,Tree Details,ట్రీ వివరాలు
@@ -862,13 +866,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: వ్యయ కేంద్రం {2} కంపెనీ చెందదు {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: ఖాతా {2} ఒక గ్రూప్ ఉండకూడదు
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,అంశం రో {IDX}: {doctype} {DOCNAME} లేదు పైన ఉనికిలో లేదు '{doctype}' పట్టిక
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Timesheet {0} ఇప్పటికే పూర్తి లేదా రద్దు
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} ఇప్పటికే పూర్తి లేదా రద్దు
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,విధులు లేవు
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","ఆటో ఇన్వాయిస్ 05, 28 etc ఉదా ఉత్పత్తి అవుతుంది ఇది నెల రోజు"
DocType: Asset,Opening Accumulated Depreciation,పోగుచేసిన తరుగుదల తెరవడం
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,స్కోరు 5 కంటే తక్కువ లేదా సమానంగా ఉండాలి
DocType: Program Enrollment Tool,Program Enrollment Tool,ప్రోగ్రామ్ నమోదు టూల్
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,సి ఫారం రికార్డులు
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,సి ఫారం రికార్డులు
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,కస్టమర్ మరియు సరఫరాదారు
DocType: Email Digest,Email Digest Settings,ఇమెయిల్ డైజెస్ట్ సెట్టింగ్స్
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,మీ వ్యాపారానికి ధన్యవాదములు!
@@ -878,17 +882,19 @@
DocType: Bin,Moving Average Rate,సగటు రేటు మూవింగ్
DocType: Production Planning Tool,Select Items,ఐటమ్లను ఎంచుకోండి
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} బిల్లుకు వ్యతిరేకంగా {1} నాటి {2}
+DocType: Program Enrollment,Vehicle/Bus Number,వెహికల్ / బస్ సంఖ్య
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,కోర్సు షెడ్యూల్
DocType: Maintenance Visit,Completion Status,పూర్తి స్థితి
DocType: HR Settings,Enter retirement age in years,సంవత్సరాలలో విరమణ వయసు ఎంటర్
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,టార్గెట్ వేర్హౌస్
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,దయచేసి ఒక గిడ్డంగి ఎంచుకోండి
DocType: Cheque Print Template,Starting location from left edge,ఎడమ అంచు నుండి నగర ప్రారంభిస్తోంది
DocType: Item,Allow over delivery or receipt upto this percent,ఈ శాతం వరకు డెలివరీ లేదా రసీదులు పైగా అనుమతించు
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,దిగుమతి హాజరు
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,అన్ని అంశం గుంపులు
DocType: Process Payroll,Activity Log,కార్యాచరణ లాగ్
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,నికర లాభం / నష్టం
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,నికర లాభం / నష్టం
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,స్వయంచాలకంగా లావాదేవీల సమర్పణ సందేశాన్ని కంపోజ్.
DocType: Production Order,Item To Manufacture,అంశం తయారీకి
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} స్థితి {2} ఉంది
@@ -897,16 +903,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,చెల్లింపు కు ఆర్డర్ కొనుగోలు
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,ప్రొజెక్టెడ్ ప్యాక్ చేసిన అంశాల
DocType: Sales Invoice,Payment Due Date,చెల్లింపు గడువు తేదీ
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,అంశం వేరియంట్ {0} ఇప్పటికే అదే గుణ ఉంది
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,అంశం వేరియంట్ {0} ఇప్పటికే అదే గుణ ఉంది
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','ప్రారంభిస్తున్నాడు'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,డు ఓపెన్
DocType: Notification Control,Delivery Note Message,డెలివరీ గమనిక సందేశం
DocType: Expense Claim,Expenses,ఖర్చులు
+,Support Hours,మద్దతు గంటలు
DocType: Item Variant Attribute,Item Variant Attribute,అంశం వేరియంట్ లక్షణం
,Purchase Receipt Trends,కొనుగోలు రసీదులు ట్రెండ్లులో
DocType: Process Payroll,Bimonthly,పక్ష
DocType: Vehicle Service,Brake Pad,బ్రేక్ ప్యాడ్
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,రీసెర్చ్ & డెవలప్మెంట్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,రీసెర్చ్ & డెవలప్మెంట్
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,బిల్ మొత్తం
DocType: Company,Registration Details,నమోదు వివరాలు
DocType: Timesheet,Total Billed Amount,మొత్తం కస్టమర్లకు మొత్తం
@@ -919,12 +926,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,కేవలం రా మెటీరియల్స్ పొందుము
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,చేసిన పనికి పొగడ్తలు.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","సమర్ధించే షాపింగ్ కార్ట్ ప్రారంభించబడింది వంటి, 'షాపింగ్ కార్ట్ ఉపయోగించండి' మరియు షాపింగ్ కార్ట్ కోసం కనీసం ఒక పన్ను రూల్ ఉండాలి"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","చెల్లింపు ఎంట్రీ {0} ఆర్డర్ {1}, ఈ వాయిస్ లో అడ్వాన్సుగా తీసుకున్నాడు తప్పకుండా తనిఖీ వ్యతిరేకంగా ముడిపడి ఉంది."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","చెల్లింపు ఎంట్రీ {0} ఆర్డర్ {1}, ఈ వాయిస్ లో అడ్వాన్సుగా తీసుకున్నాడు తప్పకుండా తనిఖీ వ్యతిరేకంగా ముడిపడి ఉంది."
DocType: Sales Invoice Item,Stock Details,స్టాక్ వివరాలు
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,ప్రాజెక్టు విలువ
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,పాయింట్ ఆఫ్ అమ్మకానికి
DocType: Vehicle Log,Odometer Reading,ఓడోమీటార్ పఠనం
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","ఇప్పటికే క్రెడిట్ ఖాతా సంతులనం, మీరు 'డెబిట్' గా 'సంతులనం ఉండాలి' సెట్ అనుమతి లేదు"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","ఇప్పటికే క్రెడిట్ ఖాతా సంతులనం, మీరు 'డెబిట్' గా 'సంతులనం ఉండాలి' సెట్ అనుమతి లేదు"
DocType: Account,Balance must be,సంతులనం ఉండాలి
DocType: Hub Settings,Publish Pricing,ధర ప్రచురించు
DocType: Notification Control,Expense Claim Rejected Message,ఖర్చుల వాదనను త్రోసిపుచ్చాడు సందేశం
@@ -934,7 +941,7 @@
DocType: Salary Slip,Working Days,వర్కింగ్ డేస్
DocType: Serial No,Incoming Rate,ఇన్కమింగ్ రేటు
DocType: Packing Slip,Gross Weight,స్థూల బరువు
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,మీ కంపెనీ పేరు ఇది కోసం మీరు ఈ వ్యవస్థ ఏర్పాటు.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,మీ కంపెనీ పేరు ఇది కోసం మీరు ఈ వ్యవస్థ ఏర్పాటు.
DocType: HR Settings,Include holidays in Total no. of Working Days,ఏ మొత్తం లో సెలవులు చేర్చండి. వర్కింగ్ డేస్
DocType: Job Applicant,Hold,హోల్డ్
DocType: Employee,Date of Joining,చేరిన తేదీ
@@ -945,20 +952,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,కొనుగోలు రసీదులు
,Received Items To Be Billed,స్వీకరించిన అంశాలు బిల్ టు
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Submitted జీతం స్లిప్స్
-DocType: Employee,Ms,కుమారి
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,కరెన్సీ మార్పిడి రేటు మాస్టర్.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},రిఫరెన్స్ doctype యొక్క ఒక ఉండాలి {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,కరెన్సీ మార్పిడి రేటు మాస్టర్.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},రిఫరెన్స్ doctype యొక్క ఒక ఉండాలి {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},ఆపరేషన్ కోసం తదుపరి {0} రోజుల్లో టైమ్ స్లాట్ దొరక్కపోతే {1}
DocType: Production Order,Plan material for sub-assemblies,ఉప శాసనసభలకు ప్రణాళిక పదార్థం
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,సేల్స్ భాగస్వాములు అండ్ టెరిటరీ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,ఖాతాలో స్టాక్ సంతులనం ఇప్పటికే ఉంది గా స్వయంచాలకంగా ఖాతా సృష్టించలేను. మీరు ఈ గిడ్డంగి ఒక ఎంట్రీ చేయడానికి ముందు మీరు ఒక సరిపోలే ఖాతా సృష్టించాలి
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,బిఒఎం {0} సక్రియ ఉండాలి
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,బిఒఎం {0} సక్రియ ఉండాలి
DocType: Journal Entry,Depreciation Entry,అరుగుదల ఎంట్రీ
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,మొదటి డాక్యుమెంట్ రకాన్ని ఎంచుకోండి
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,ఈ నిర్వహణ సందర్శించండి రద్దు ముందు రద్దు మెటీరియల్ సందర్శనల {0}
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},సీరియల్ లేవు {0} అంశం చెందినది కాదు {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Required ప్యాక్ చేసిన అంశాల
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,ఉన్న లావాదేవీతో గిడ్డంగులు లెడ్జర్ మార్చబడతాయి కాదు.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,ఉన్న లావాదేవీతో గిడ్డంగులు లెడ్జర్ మార్చబడతాయి కాదు.
DocType: Bank Reconciliation,Total Amount,మొత్తం డబ్బు
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,ఇంటర్నెట్ పబ్లిషింగ్
DocType: Production Planning Tool,Production Orders,ఉత్పత్తి ఆర్డర్స్
@@ -973,25 +978,26 @@
DocType: Fee Structure,Components,భాగాలు
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Item లో అసెట్ వర్గం నమోదు చేయండి {0}
DocType: Quality Inspection Reading,Reading 6,6 పఠనం
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,కాదు {0} {1} {2} లేకుండా ఏ ప్రతికూల అత్యుత్తమ వాయిస్ కెన్
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,కాదు {0} {1} {2} లేకుండా ఏ ప్రతికూల అత్యుత్తమ వాయిస్ కెన్
DocType: Purchase Invoice Advance,Purchase Invoice Advance,వాయిస్ అడ్వాన్స్ కొనుగోలు
DocType: Hub Settings,Sync Now,ఇప్పుడు సమకాలీకరించు
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},రో {0}: క్రెడిట్ ఎంట్రీ తో జతచేయవచ్చు ఒక {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,ఆర్థిక సంవత్సరం బడ్జెట్లో నిర్వచించండి.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,ఆర్థిక సంవత్సరం బడ్జెట్లో నిర్వచించండి.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,ఈ మోడ్ ఎంపిక ఉన్నప్పుడు డిఫాల్ట్ బ్యాంక్ / నగదు ఖాతా స్వయంచాలకంగా POS వాయిస్ అప్డేట్ అవుతుంది.
DocType: Lead,LEAD-,LEAD-
DocType: Employee,Permanent Address Is,శాశ్వత చిరునామా
DocType: Production Order Operation,Operation completed for how many finished goods?,ఆపరేషన్ ఎన్ని తయారైన వస్తువులు పూర్తిచేయాలని?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,బ్రాండ్
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,బ్రాండ్
DocType: Employee,Exit Interview Details,ఇంటర్వ్యూ నిష్క్రమించు వివరాలు
DocType: Item,Is Purchase Item,కొనుగోలు అంశం
DocType: Asset,Purchase Invoice,కొనుగోలు వాయిస్
DocType: Stock Ledger Entry,Voucher Detail No,ఓచర్ వివరాలు లేవు
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,న్యూ సేల్స్ వాయిస్
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,న్యూ సేల్స్ వాయిస్
DocType: Stock Entry,Total Outgoing Value,మొత్తం అవుట్గోయింగ్ విలువ
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,తేదీ మరియు ముగింపు తేదీ తెరవడం అదే ఫిస్కల్ ఇయర్ లోపల ఉండాలి
DocType: Lead,Request for Information,సమాచారం కోసం అభ్యర్థన
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,సమకాలీకరణ ఆఫ్లైన్ రసీదులు
+,LeaderBoard,లీడర్బోర్డ్
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,సమకాలీకరణ ఆఫ్లైన్ రసీదులు
DocType: Payment Request,Paid,చెల్లింపు
DocType: Program Fee,Program Fee,ప్రోగ్రామ్ రుసుము
DocType: Salary Slip,Total in words,పదాలు లో మొత్తం
@@ -1000,13 +1006,13 @@
DocType: Cheque Print Template,Has Print Format,ప్రింట్ ఫార్మాట్ ఉంది
DocType: Employee Loan,Sanctioned,మంజూరు
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,తప్పనిసరి. బహుశా కరెన్సీ ఎక్స్ఛేంజ్ రికార్డు కోసం సృష్టించబడలేదు
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},రో # {0}: అంశం కోసం ఏ సీరియల్ రాయండి {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'ఉత్పత్తి కట్ట అంశాలు, గిడ్డంగి, సీరియల్ లేవు మరియు బ్యాచ్ కోసం కాదు' ప్యాకింగ్ జాబితా 'పట్టిక నుండి పరిగణించబడుతుంది. వేర్హౌస్ మరియు బ్యాచ్ ఏ 'ఉత్పత్తి కట్ట' అంశం కోసం అన్ని ప్యాకింగ్ అంశాలను ఒకటే ఉంటే, ఆ విలువలు ప్రధాన అంశం పట్టిక ఎంటర్ చెయ్యబడతాయి, విలువలు పట్టిక 'జాబితా ప్యాకింగ్' కాపీ అవుతుంది."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},రో # {0}: అంశం కోసం ఏ సీరియల్ రాయండి {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'ఉత్పత్తి కట్ట అంశాలు, గిడ్డంగి, సీరియల్ లేవు మరియు బ్యాచ్ కోసం కాదు' ప్యాకింగ్ జాబితా 'పట్టిక నుండి పరిగణించబడుతుంది. వేర్హౌస్ మరియు బ్యాచ్ ఏ 'ఉత్పత్తి కట్ట' అంశం కోసం అన్ని ప్యాకింగ్ అంశాలను ఒకటే ఉంటే, ఆ విలువలు ప్రధాన అంశం పట్టిక ఎంటర్ చెయ్యబడతాయి, విలువలు పట్టిక 'జాబితా ప్యాకింగ్' కాపీ అవుతుంది."
DocType: Job Opening,Publish on website,వెబ్ సైట్ ప్రచురించు
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,వినియోగదారులకు ప్యాకేజీల.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,సరఫరాదారు ఇన్వాయిస్ తేదీ వ్యాఖ్యలు తేదీ కన్నా ఎక్కువ ఉండకూడదు
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,సరఫరాదారు ఇన్వాయిస్ తేదీ వ్యాఖ్యలు తేదీ కన్నా ఎక్కువ ఉండకూడదు
DocType: Purchase Invoice Item,Purchase Order Item,ఆర్డర్ అంశం కొనుగోలు
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,పరోక్ష ఆదాయం
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,పరోక్ష ఆదాయం
DocType: Student Attendance Tool,Student Attendance Tool,విద్యార్థి హాజరు టూల్
DocType: Cheque Print Template,Date Settings,తేదీ సెట్టింగులు
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,అంతర్భేధం
@@ -1024,21 +1030,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,కెమికల్
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,ఈ మోడ్ ఎంపిక ఉన్నప్పుడు డిఫాల్ట్ బ్యాంక్ / నగదు ఖాతా స్వయంచాలకంగా జీతం జర్నల్ ఎంట్రీ లో అప్డేట్ అవుతుంది.
DocType: BOM,Raw Material Cost(Company Currency),రా మెటీరియల్ ఖర్చు (కంపెనీ కరెన్సీ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,అన్ని అంశాలను ఇప్పటికే ఈ ఉత్పత్తి ఆర్డర్ కోసం బదిలీ చేశారు.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,అన్ని అంశాలను ఇప్పటికే ఈ ఉత్పత్తి ఆర్డర్ కోసం బదిలీ చేశారు.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},రో # {0}: రేటు ఉపయోగిస్తారు రేటు కంటే ఎక్కువ ఉండకూడదు {1} {2}
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},రో # {0}: రేటు ఉపయోగిస్తారు రేటు కంటే ఎక్కువ ఉండకూడదు {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,మీటర్
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,మీటర్
DocType: Workstation,Electricity Cost,విద్యుత్ ఖర్చు
DocType: HR Settings,Don't send Employee Birthday Reminders,Employee జన్మదిన రిమైండర్లు పంపవద్దు
DocType: Item,Inspection Criteria,ఇన్స్పెక్షన్ ప్రమాణం
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,బదిలీ
DocType: BOM Website Item,BOM Website Item,బిఒఎం వెబ్సైట్ అంశం
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,మీ లేఖ తల మరియు లోగో అప్లోడ్. (మీరు తర్వాత వాటిని సవరించవచ్చు).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,మీ లేఖ తల మరియు లోగో అప్లోడ్. (మీరు తర్వాత వాటిని సవరించవచ్చు).
DocType: Timesheet Detail,Bill,బిల్
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,తదుపరి అరుగుదల తేదీ గత తేదీగా ఎంటర్ ఉంది
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,వైట్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,వైట్
DocType: SMS Center,All Lead (Open),అన్ని లీడ్ (ఓపెన్)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),రో {0}: కోసం ప్యాక్ చేసిన అంశాల అందుబాటులో లేదు {4} గిడ్డంగిలో {1} ప్రవేశం సమయం పోస్ట్ చేయడంలో ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),రో {0}: కోసం ప్యాక్ చేసిన అంశాల అందుబాటులో లేదు {4} గిడ్డంగిలో {1} ప్రవేశం సమయం పోస్ట్ చేయడంలో ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,అడ్వాన్సెస్ పొందుతారు
DocType: Item,Automatically Create New Batch,ఆటోమేటిక్గా కొత్త బ్యాచ్ సృష్టించు
DocType: Item,Automatically Create New Batch,ఆటోమేటిక్గా కొత్త బ్యాచ్ సృష్టించు
@@ -1049,13 +1055,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,నా కార్ట్
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},ఆర్డర్ రకం ఒకటి ఉండాలి {0}
DocType: Lead,Next Contact Date,తదుపరి సంప్రదించండి తేదీ
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,ప్యాక్ చేసిన అంశాల తెరవడం
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,మొత్తం చేంజ్ ఖాతాను నమోదు చేయండి
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,ప్యాక్ చేసిన అంశాల తెరవడం
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,మొత్తం చేంజ్ ఖాతాను నమోదు చేయండి
DocType: Student Batch Name,Student Batch Name,స్టూడెంట్ బ్యాచ్ పేరు
DocType: Holiday List,Holiday List Name,హాలిడే జాబితా పేరు
DocType: Repayment Schedule,Balance Loan Amount,సంతులనం రుణ మొత్తం
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,షెడ్యూల్ కోర్సు
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,స్టాక్ ఆప్షన్స్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,స్టాక్ ఆప్షన్స్
DocType: Journal Entry Account,Expense Claim,ఖర్చు చెప్పడం
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,మీరు నిజంగా ఈ చిత్తు ఆస్తి పునరుద్ధరించేందుకు పెట్టమంటారా?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},కోసం చేసిన అంశాల {0}
@@ -1067,12 +1073,12 @@
DocType: Company,Default Terms,డిఫాల్ట్ నిబంధనలు
DocType: Packing Slip Item,Packing Slip Item,ప్యాకింగ్ స్లిప్ అంశం
DocType: Purchase Invoice,Cash/Bank Account,క్యాష్ / బ్యాంక్ ఖాతా
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},దయచేసి పేర్కొనండి ఒక {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},దయచేసి పేర్కొనండి ఒక {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,పరిమాణం లేదా విలువ ఎటువంటి మార్పు తొలగించబడిన అంశాలు.
DocType: Delivery Note,Delivery To,డెలివరీ
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,లక్షణం పట్టిక తప్పనిసరి
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,లక్షణం పట్టిక తప్పనిసరి
DocType: Production Planning Tool,Get Sales Orders,సేల్స్ ఆర్డర్స్ పొందండి
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} ప్రతికూల ఉండకూడదు
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} ప్రతికూల ఉండకూడదు
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,డిస్కౌంట్
DocType: Asset,Total Number of Depreciations,Depreciations మొత్తం సంఖ్య
DocType: Sales Invoice Item,Rate With Margin,మార్జిన్ తో రేటు
@@ -1093,7 +1099,6 @@
DocType: Serial No,Creation Document No,సృష్టి డాక్యుమెంట్ లేవు
DocType: Issue,Issue,సమస్య
DocType: Asset,Scrapped,రద్దు
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,ఖాతా కంపెనీతో సరిపోలడం లేదు
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","అంశం రకరకాలు గుణాలు. ఉదా సైజు, రంగు మొదలైనవి"
DocType: Purchase Invoice,Returns,రిటర్న్స్
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP వేర్హౌస్
@@ -1105,12 +1110,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,అంశం బటన్ 'కొనుగోలు రసీదులు నుండి అంశాలు పొందండి' ఉపయోగించి జత చేయాలి
DocType: Employee,A-,ఒక-
DocType: Production Planning Tool,Include non-stock items,కాని స్టాక్ అంశాలను చేర్చండి
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,సేల్స్ ఖర్చులు
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,సేల్స్ ఖర్చులు
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,ప్రామాణిక కొనుగోలు
DocType: GL Entry,Against,ఎగైనెస్ట్
DocType: Item,Default Selling Cost Center,డిఫాల్ట్ సెల్లింగ్ ఖర్చు సెంటర్
DocType: Sales Partner,Implementation Partner,అమలు భాగస్వామి
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,జిప్ కోడ్
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,జిప్ కోడ్
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},అమ్మకాల ఆర్డర్ {0} ఉంది {1}
DocType: Opportunity,Contact Info,సంప్రదింపు సమాచారం
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,స్టాక్ ఎంట్రీలు మేకింగ్
@@ -1123,33 +1128,33 @@
DocType: Holiday List,Get Weekly Off Dates,వీక్లీ ఆఫ్ తేదీలు పొందండి
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,ముగింపు తేదీ ప్రారంభ తేదీ కంటే తక్కువ ఉండకూడదు
DocType: Sales Person,Select company name first.,మొదటిది ఎంచుకోండి కంపెనీ పేరు.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,డాక్టర్
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,కొటేషన్స్ పంపిణీదారుల నుండి పొందింది.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},కు {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,సగటు వయసు
DocType: School Settings,Attendance Freeze Date,హాజరు ఫ్రీజ్ తేదీ
DocType: School Settings,Attendance Freeze Date,హాజరు ఫ్రీజ్ తేదీ
DocType: Opportunity,Your sales person who will contact the customer in future,భవిష్యత్తులో కస్టమర్ కలుసుకుని మీ అమ్మకాలు వ్యక్తి
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,మీ సరఫరాదారులు కొన్ని జాబితా. వారు సంస్థలు లేదా వ్యక్తులతో కావచ్చు.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,మీ సరఫరాదారులు కొన్ని జాబితా. వారు సంస్థలు లేదా వ్యక్తులతో కావచ్చు.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,అన్ని ఉత్పత్తులను చూడండి
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),కనీస లీడ్ వయసు (డేస్)
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),కనీస లీడ్ వయసు (డేస్)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,అన్ని BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,అన్ని BOMs
DocType: Company,Default Currency,డిఫాల్ట్ కరెన్సీ
DocType: Expense Claim,From Employee,Employee నుండి
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,హెచ్చరిక: సిస్టమ్ అంశం కోసం మొత్తం నుండి overbilling తనిఖీ చెయ్యదు {0} లో {1} సున్నా
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,హెచ్చరిక: సిస్టమ్ అంశం కోసం మొత్తం నుండి overbilling తనిఖీ చెయ్యదు {0} లో {1} సున్నా
DocType: Journal Entry,Make Difference Entry,తేడా ఎంట్రీ చేయండి
DocType: Upload Attendance,Attendance From Date,తేదీ నుండి హాజరు
DocType: Appraisal Template Goal,Key Performance Area,కీ పనితీరు ఏరియా
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,రవాణా
+DocType: Program Enrollment,Transportation,రవాణా
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,చెల్లని లక్షణం
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} సమర్పించాలి
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} సమర్పించాలి
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},పరిమాణం కంటే తక్కువ లేదా సమానంగా ఉండాలి {0}
DocType: SMS Center,Total Characters,మొత్తం అక్షరాలు
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},అంశం కోసం BOM రంగంలో BOM దయచేసి ఎంచుకోండి {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},అంశం కోసం BOM రంగంలో BOM దయచేసి ఎంచుకోండి {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,సి ఫారం వాయిస్ వివరాలు
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,చెల్లింపు సయోధ్య వాయిస్
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,కాంట్రిబ్యూషన్%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","కొనుగోలు సెట్టింగులు ప్రకారం ఉంటే కొనుగోలు ఆర్డర్ అవసరం == 'అవును', అప్పుడు కొనుగోలు వాయిస్ సృష్టించడానికి, యూజర్ అంశం కోసం మొదటి కొనుగోలు ఆర్డర్ సృష్టించాలి {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,మీ సూచన కోసం కంపెనీ నమోదు సంఖ్యలు. పన్ను సంఖ్యలు మొదలైనవి
DocType: Sales Partner,Distributor,పంపిణీదారు
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,షాపింగ్ కార్ట్ షిప్పింగ్ రూల్
@@ -1158,23 +1163,25 @@
,Ordered Items To Be Billed,క్రమ అంశాలు బిల్ టు
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,రేంజ్ తక్కువ ఉండాలి కంటే పరిధి
DocType: Global Defaults,Global Defaults,గ్లోబల్ డిఫాల్ట్
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,ప్రాజెక్టు కొలాబరేషన్ ఆహ్వానం
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,ప్రాజెక్టు కొలాబరేషన్ ఆహ్వానం
DocType: Salary Slip,Deductions,తగ్గింపులకు
DocType: Leave Allocation,LAL/,లాల్ /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,ప్రారంభ సంవత్సరం
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},మొదటి 2 GSTIN అంకెలు రాష్ట్ర సంఖ్య తో మ్యాచ్ ఉండాలి {0}
DocType: Purchase Invoice,Start date of current invoice's period,ప్రస్తుత వాయిస్ యొక్క కాలం తేదీ ప్రారంభించండి
DocType: Salary Slip,Leave Without Pay,పే లేకుండా వదిలి
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,పరిమాణ ప్రణాళికా లోపం
,Trial Balance for Party,పార్టీ కోసం ట్రయల్ బ్యాలెన్స్
DocType: Lead,Consultant,కన్సల్టెంట్
DocType: Salary Slip,Earnings,సంపాదన
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,పూర్తయ్యింది అంశం {0} తయారీ రకం ప్రవేశానికి ఎంటర్ చెయ్యాలి
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,పూర్తయ్యింది అంశం {0} తయారీ రకం ప్రవేశానికి ఎంటర్ చెయ్యాలి
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,తెరవడం అకౌంటింగ్ సంతులనం
+,GST Sales Register,జిఎస్టి సేల్స్ నమోదు
DocType: Sales Invoice Advance,Sales Invoice Advance,సేల్స్ వాయిస్ అడ్వాన్స్
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,నథింగ్ అభ్యర్థించవచ్చు
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},మరో బడ్జెట్ రికార్డు '{0}' ఇప్పటికే వ్యతిరేకంగా ఉంది {1} '{2}' ఆర్థిక సంవత్సరానికి {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date','అసలు ప్రారంభ తేదీ' 'వాస్తవిక ముగింపు తేదీ' కంటే ఎక్కువ ఉండకూడదు
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,మేనేజ్మెంట్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,మేనేజ్మెంట్
DocType: Cheque Print Template,Payer Settings,చెల్లింపుదారు సెట్టింగులు
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","ఈ శ్రేణి Item కోడ్ చేర్చవలసి ఉంటుంది. మీ సంక్షిప్త "SM" మరియు ఉదాహరణకు, అంశం కోడ్ "T- షర్టు", "T- షర్టు-SM" ఉంటుంది వేరియంట్ అంశం కోడ్"
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,మీరు వేతనం స్లిప్ సేవ్ ఒకసారి (మాటలలో) నికర పే కనిపిస్తుంది.
@@ -1191,8 +1198,8 @@
DocType: Employee Loan,Partially Disbursed,పాక్షికంగా పంపించబడతాయి
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,సరఫరాదారు డేటాబేస్.
DocType: Account,Balance Sheet,బ్యాలెన్స్ షీట్
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ','అంశం కోడ్ అంశం సెంటర్ ఖర్చు
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",చెల్లింపు రకం కన్ఫిగర్ చేయబడలేదు. ఖాతా చెల్లింపులు మోడ్ మీద లేదా POS ప్రొఫైల్ సెట్ చేయబడ్డాయి వచ్చారో లేదో తనిఖీ చేయండి.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ','అంశం కోడ్ అంశం సెంటర్ ఖర్చు
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",చెల్లింపు రకం కన్ఫిగర్ చేయబడలేదు. ఖాతా చెల్లింపులు మోడ్ మీద లేదా POS ప్రొఫైల్ సెట్ చేయబడ్డాయి వచ్చారో లేదో తనిఖీ చేయండి.
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,మీ అమ్మకాలు వ్యక్తి కస్టమర్ సంప్రదించండి తేదీన ఒక రిమైండర్ పొందుతారు
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,అదే అంశం అనేకసార్లు ఎంటర్ చేయలేరు.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","మరింత ఖాతాల గుంపులు కింద తయారు చేయవచ్చు, కానీ ఎంట్రీలు కాని గుంపులు వ్యతిరేకంగా తయారు చేయవచ్చు"
@@ -1200,7 +1207,7 @@
DocType: Email Digest,Payables,Payables
DocType: Course,Course Intro,కోర్సు ఉపోద్ఘాతం
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,స్టాక్ ఎంట్రీ {0} రూపొందించారు
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,రో # {0}: ప్యాక్ చేసిన అంశాల కొనుగోలు చూపించు నమోదు కాదు తిరస్కరించబడిన
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,రో # {0}: ప్యాక్ చేసిన అంశాల కొనుగోలు చూపించు నమోదు కాదు తిరస్కరించబడిన
,Purchase Order Items To Be Billed,కొనుగోలు ఆర్డర్ అంశాలు బిల్ టు
DocType: Purchase Invoice Item,Net Rate,నికర రేటు
DocType: Purchase Invoice Item,Purchase Invoice Item,వాయిస్ అంశం కొనుగోలు
@@ -1226,7 +1233,7 @@
DocType: Sales Order,SO-,SO-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,మొదటి ఉపసర్గ దయచేసి ఎంచుకోండి
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,రీసెర్చ్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,రీసెర్చ్
DocType: Maintenance Visit Purpose,Work Done,పని చేసారు
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,గుణాలు పట్టిక లో కనీసం ఒక లక్షణం రాయండి
DocType: Announcement,All Students,అన్ని స్టూడెంట్స్
@@ -1234,17 +1241,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,చూడండి లెడ్జర్
DocType: Grading Scale,Intervals,విరామాలు
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,తొట్టతొలి
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","ఒక అంశం గ్రూప్ అదే పేరుతో, అంశం పేరు మార్చడానికి లేదా అంశం సమూహం పేరు దయచేసి"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,స్టూడెంట్ మొబైల్ నెంబరు
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,ప్రపంచంలోని మిగిలిన
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","ఒక అంశం గ్రూప్ అదే పేరుతో, అంశం పేరు మార్చడానికి లేదా అంశం సమూహం పేరు దయచేసి"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,స్టూడెంట్ మొబైల్ నెంబరు
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,ప్రపంచంలోని మిగిలిన
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,అంశం {0} బ్యాచ్ ఉండకూడదు
,Budget Variance Report,బడ్జెట్ విస్తృతి నివేదిక
DocType: Salary Slip,Gross Pay,స్థూల పే
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,రో {0}: కార్యాచరణ టైప్ తప్పనిసరి.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,డివిడెండ్ చెల్లించిన
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,డివిడెండ్ చెల్లించిన
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,అకౌంటింగ్ లెడ్జర్
DocType: Stock Reconciliation,Difference Amount,తేడా సొమ్ము
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,అలాగే సంపాదన
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,అలాగే సంపాదన
DocType: Vehicle Log,Service Detail,సర్వీస్ వివరాలు
DocType: BOM,Item Description,వస్తువు వివరణ
DocType: Student Sibling,Student Sibling,స్టూడెంట్ తోబుట్టువులు
@@ -1258,11 +1265,11 @@
DocType: Opportunity Item,Opportunity Item,అవకాశం అంశం
,Student and Guardian Contact Details,స్టూడెంట్ మరియు గార్డియన్ సంప్రదించాల్సిన
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,రో {0}: సరఫరాదారు కోసం {0} ఇమెయిల్ అడ్రసు పంపించవలసిన అవసరం ఉంది
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,తాత్కాలిక ప్రారంభోత్సవం
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,తాత్కాలిక ప్రారంభోత్సవం
,Employee Leave Balance,ఉద్యోగి సెలవు సంతులనం
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},ఖాతా సంతులనం {0} ఎల్లప్పుడూ ఉండాలి {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},వరుసగా అంశం అవసరం వాల్యువేషన్ రేటు {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,ఉదాహరణ: కంప్యూటర్ సైన్స్ మాస్టర్స్
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,ఉదాహరణ: కంప్యూటర్ సైన్స్ మాస్టర్స్
DocType: Purchase Invoice,Rejected Warehouse,తిరస్కరించబడిన వేర్హౌస్
DocType: GL Entry,Against Voucher,ఓచర్ వ్యతిరేకంగా
DocType: Item,Default Buying Cost Center,డిఫాల్ట్ కొనుగోలు ఖర్చు సెంటర్
@@ -1275,31 +1282,30 @@
DocType: Journal Entry,Get Outstanding Invoices,అసాధారణ ఇన్వాయిస్లు పొందండి
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,అమ్మకాల ఆర్డర్ {0} చెల్లదు
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,కొనుగోలు ఆర్డర్లు మీరు ప్లాన్ సహాయం మరియు మీ కొనుగోళ్లపై అనుసరించాల్సి
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","క్షమించండి, కంపెనీలు విలీనం సాధ్యం కాదు"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","క్షమించండి, కంపెనీలు విలీనం సాధ్యం కాదు"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",మొత్తం ఇష్యూ / ట్రాన్స్ఫర్ పరిమాణం {0} మెటీరియల్ అభ్యర్థన {1} \ అంశం కోసం అభ్యర్థించిన పరిమాణం {2} కంటే ఎక్కువ ఉండకూడదు {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,చిన్న
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,చిన్న
DocType: Employee,Employee Number,Employee సంఖ్య
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},కేస్ లేదు (s) ఇప్పటికే ఉపయోగంలో ఉంది. కేస్ నో నుండి ప్రయత్నించండి {0}
DocType: Project,% Completed,% పూర్తయింది
,Invoiced Amount (Exculsive Tax),ఇన్వాయిస్ మొత్తం (Exculsive పన్ను)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,అంశం 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,ఖాతా తల {0} రూపొందించినవారు
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,శిక్షణ ఈవెంట్
DocType: Item,Auto re-order,ఆటో క్రమాన్ని
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,మొత్తం ఆర్జిత
DocType: Employee,Place of Issue,ఇష్యూ ప్లేస్
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,కాంట్రాక్ట్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,కాంట్రాక్ట్
DocType: Email Digest,Add Quote,కోట్ జోడించండి
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},UoM అవసరం UoM coversion ఫ్యాక్టర్: {0} Item లో: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,పరోక్ష ఖర్చులు
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UoM అవసరం UoM coversion ఫ్యాక్టర్: {0} Item లో: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,పరోక్ష ఖర్చులు
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,రో {0}: Qty తప్పనిసరి
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,వ్యవసాయం
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,సమకాలీకరణ మాస్టర్ డేటా
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,మీ ఉత్పత్తులు లేదా సేవల
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,సమకాలీకరణ మాస్టర్ డేటా
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,మీ ఉత్పత్తులు లేదా సేవల
DocType: Mode of Payment,Mode of Payment,చెల్లింపు విధానం
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,వెబ్సైట్ చిత్రం పబ్లిక్ ఫైలు లేదా వెబ్సైట్ URL అయి ఉండాలి
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,వెబ్సైట్ చిత్రం పబ్లిక్ ఫైలు లేదా వెబ్సైట్ URL అయి ఉండాలి
DocType: Student Applicant,AP,ఏపీ
DocType: Purchase Invoice Item,BOM,బిఒఎం
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,ఈ రూట్ అంశం సమూహం ఉంది మరియు సవరించడం సాధ్యం కాదు.
@@ -1308,7 +1314,7 @@
DocType: Warehouse,Warehouse Contact Info,వేర్హౌస్ సంప్రదింపు సమాచారం
DocType: Payment Entry,Write Off Difference Amount,తేడా మొత్తం ఆఫ్ వ్రాయండి
DocType: Purchase Invoice,Recurring Type,పునరావృత టైప్
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: ఉద్యోగి ఇమెయిల్ దొరకలేదు, అందుకే పంపలేదు ఇమెయిల్"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: ఉద్యోగి ఇమెయిల్ దొరకలేదు, అందుకే పంపలేదు ఇమెయిల్"
DocType: Item,Foreign Trade Details,ఫారిన్ ట్రేడ్ వివరాలు
DocType: Email Digest,Annual Income,వార్షిక ఆదాయం
DocType: Serial No,Serial No Details,సీరియల్ సంఖ్య వివరాలు
@@ -1316,10 +1322,10 @@
DocType: Student Group Student,Group Roll Number,గ్రూప్ రోల్ సంఖ్య
DocType: Student Group Student,Group Roll Number,గ్రూప్ రోల్ సంఖ్య
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","{0}, కేవలం క్రెడిట్ ఖాతాల మరొక డెబిట్ ప్రవేశం వ్యతిరేకంగా లింక్ చేయవచ్చు కోసం"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,అన్ని పని బరువులు మొత్తం 1 ఉండాలి తదనుగుణంగా ప్రణాళిక పనులు బరువులు సర్దుబాటు చేయండి
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,డెలివరీ గమనిక {0} సమర్పించిన లేదు
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,అంశం {0} ఒక ఉప-ఒప్పంద అంశం ఉండాలి
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,రాజధాని పరికరాలు
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,అన్ని పని బరువులు మొత్తం 1 ఉండాలి తదనుగుణంగా ప్రణాళిక పనులు బరువులు సర్దుబాటు చేయండి
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,డెలివరీ గమనిక {0} సమర్పించిన లేదు
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,అంశం {0} ఒక ఉప-ఒప్పంద అంశం ఉండాలి
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,రాజధాని పరికరాలు
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","ధర రూల్ మొదటి ఆధారంగా ఎంపిక ఉంటుంది అంశం, అంశం గ్రూప్ లేదా బ్రాండ్ కావచ్చు, ఫీల్డ్ 'న వర్తించు'."
DocType: Hub Settings,Seller Website,అమ్మకాల వెబ్సైట్
DocType: Item,ITEM-,ITEM-
@@ -1337,7 +1343,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",మాత్రమే "విలువ ఎలా" 0 లేదా ఖాళీ విలువ ఒక షిప్పింగ్ రూల్ కండిషన్ ఉండగలడు
DocType: Authorization Rule,Transaction,లావాదేవీ
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,గమనిక: ఈ ఖర్చు సెంటర్ ఒక సమూహం. గ్రూపులు వ్యతిరేకంగా అకౌంటింగ్ ఎంట్రీలు చేయలేరు.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,చైల్డ్ గిడ్డంగిలో ఈ గిడ్డంగిలో అవసరమయ్యారు. మీరు ఈ గిడ్డంగిలో తొలగించలేరు.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,చైల్డ్ గిడ్డంగిలో ఈ గిడ్డంగిలో అవసరమయ్యారు. మీరు ఈ గిడ్డంగిలో తొలగించలేరు.
DocType: Item,Website Item Groups,వెబ్సైట్ అంశం గుంపులు
DocType: Purchase Invoice,Total (Company Currency),మొత్తం (కంపెనీ కరెన్సీ)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,{0} క్రమ సంఖ్య ఒకసారి కంటే ఎక్కువ ప్రవేశించింది
@@ -1347,7 +1353,7 @@
DocType: Grading Scale Interval,Grade Code,గ్రేడ్ కోడ్
DocType: POS Item Group,POS Item Group,POS అంశం గ్రూప్
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,సారాంశ ఇమెయిల్:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},బిఒఎం {0} అంశం చెందినది కాదు {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},బిఒఎం {0} అంశం చెందినది కాదు {1}
DocType: Sales Partner,Target Distribution,టార్గెట్ పంపిణీ
DocType: Salary Slip,Bank Account No.,బ్యాంక్ ఖాతా నంబర్
DocType: Naming Series,This is the number of the last created transaction with this prefix,ఈ ఉపసర్గ గత రూపొందించినవారు లావాదేవీ సంఖ్య
@@ -1358,12 +1364,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,బుక్ అసెట్ అరుగుదల ఎంట్రీ స్వయంచాలకంగా
DocType: BOM Operation,Workstation,కార్యక్షేత్ర
DocType: Request for Quotation Supplier,Request for Quotation Supplier,కొటేషన్ సరఫరాదారు కోసం అభ్యర్థన
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,హార్డ్వేర్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,హార్డ్వేర్
DocType: Sales Order,Recurring Upto,పునరావృత వరకు
DocType: Attendance,HR Manager,HR మేనేజర్
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,ఒక కంపెనీ దయచేసి ఎంచుకోండి
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,ప్రివిలేజ్ లీవ్
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,ఒక కంపెనీ దయచేసి ఎంచుకోండి
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,ప్రివిలేజ్ లీవ్
DocType: Purchase Invoice,Supplier Invoice Date,సరఫరాదారు వాయిస్ తేదీ
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,పర్
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,మీరు షాపింగ్ కార్ట్ ఎనేబుల్ చెయ్యాలి
DocType: Payment Entry,Writeoff,Writeoff
DocType: Appraisal Template Goal,Appraisal Template Goal,అప్రైసల్ మూస గోల్
@@ -1374,10 +1381,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,మధ్య దొరకలేదు అతివ్యాప్తి పరిస్థితులు:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,జర్నల్ వ్యతిరేకంగా ఎంట్రీ {0} ఇప్పటికే కొన్ని ఇతర రసీదును వ్యతిరేకంగా సర్దుబాటు
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,మొత్తం ఆర్డర్ విలువ
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,ఆహార
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,ఆహార
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,ఏజింగ్ రేంజ్ 3
DocType: Maintenance Schedule Item,No of Visits,సందర్శనల సంఖ్య
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,మార్క్ Attendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,మార్క్ Attendence
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},నిర్వహణ షెడ్యూల్ {0} వ్యతిరేకంగా ఉంది {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,నమోదు అవుతున్న విద్యార్ధి
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},మూసివేయబడిన ఖాతా కరెన్సీ ఉండాలి {0}
@@ -1391,6 +1398,7 @@
DocType: Rename Tool,Utilities,యుటిలిటీస్
DocType: Purchase Invoice Item,Accounting,అకౌంటింగ్
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,దయచేసి సమూహం చేయబడిన అంశం వంతులవారీగా ఎంచుకోండి
DocType: Asset,Depreciation Schedules,అరుగుదల షెడ్యూల్స్
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,అప్లికేషన్ కాలం వెలుపల సెలవు కేటాయింపు కాలం ఉండకూడదు
DocType: Activity Cost,Projects,ప్రాజెక్ట్స్
@@ -1404,6 +1412,7 @@
DocType: POS Profile,Campaign,ప్రచారం
DocType: Supplier,Name and Type,పేరు మరియు టైప్
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',ఆమోద స్థితి 'అప్రూవ్డ్ లేదా' తిరస్కరించింది 'తప్పక
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,బూట్స్ట్రాప్
DocType: Purchase Invoice,Contact Person,పర్సన్ సంప్రదించండి
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','ఊహించిన ప్రారంభం తేది' కంటే ఎక్కువ 'ఊహించినది ముగింపు తేదీ' ఉండకూడదు
DocType: Course Scheduling Tool,Course End Date,కోర్సు ముగింపు తేదీ
@@ -1411,12 +1420,11 @@
DocType: Sales Order Item,Planned Quantity,ప్రణాళిక పరిమాణం
DocType: Purchase Invoice Item,Item Tax Amount,అంశం పన్ను సొమ్ము
DocType: Item,Maintain Stock,స్టాక్ నిర్వహించడానికి
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,ఇప్పటికే ఉత్పత్తి ఆర్డర్ రూపొందించినవారు స్టాక్ ఎంట్రీలు
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,ఇప్పటికే ఉత్పత్తి ఆర్డర్ రూపొందించినవారు స్టాక్ ఎంట్రీలు
DocType: Employee,Prefered Email,prefered ఇమెయిల్
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,స్థిర ఆస్తి నికర మార్పును
DocType: Leave Control Panel,Leave blank if considered for all designations,అన్ని వివరణలకు భావిస్తారు ఉంటే ఖాళీ వదిలి
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,వేర్హౌస్ రకం స్టాక్ కాని గ్రూప్ ఖాతాలు తప్పనిసరి
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,రకం 'యదార్థ' వరుసగా బాధ్యతలు {0} అంశాన్ని రేటు చేర్చారు సాధ్యం కాదు
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,రకం 'యదార్థ' వరుసగా బాధ్యతలు {0} అంశాన్ని రేటు చేర్చారు సాధ్యం కాదు
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},మాక్స్: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,తేదీసమయం నుండి
DocType: Email Digest,For Company,కంపెనీ
@@ -1426,15 +1434,15 @@
DocType: Sales Invoice,Shipping Address Name,షిప్పింగ్ చిరునామా పేరు
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,ఖాతాల చార్ట్
DocType: Material Request,Terms and Conditions Content,నియమాలు మరియు నిబంధనలు కంటెంట్
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,100 కంటే ఎక్కువ ఉండకూడదు
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,{0} అంశం స్టాక్ అంశం కాదు
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,100 కంటే ఎక్కువ ఉండకూడదు
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,{0} అంశం స్టాక్ అంశం కాదు
DocType: Maintenance Visit,Unscheduled,అనుకోని
DocType: Employee,Owned,ఆధ్వర్యంలోని
DocType: Salary Detail,Depends on Leave Without Pay,పే లేకుండా వదిలి ఆధారపడి
DocType: Pricing Rule,"Higher the number, higher the priority","అధిక సంఖ్య, ఎక్కువ ప్రాధాన్యత"
,Purchase Invoice Trends,వాయిస్ ట్రెండ్లులో కొనుగోలు
DocType: Employee,Better Prospects,మెరుగైన అవకాశాలు
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","రో # {0}: బ్యాచ్ {1} కేవలం {2} అంశాల ఉంది. దయచేసి {3} అంశాల అందుబాటులో ఉంది మరొక బ్యాచ్ ఎంచుకోండి లేదా బహుళ బ్యాచ్లు నుండి బట్వాడా / సమస్య, బహుళ వరుసలు లోకి వరుసగా విడిపోయి"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","రో # {0}: బ్యాచ్ {1} కేవలం {2} అంశాల ఉంది. దయచేసి {3} అంశాల అందుబాటులో ఉంది మరొక బ్యాచ్ ఎంచుకోండి లేదా బహుళ బ్యాచ్లు నుండి బట్వాడా / సమస్య, బహుళ వరుసలు లోకి వరుసగా విడిపోయి"
DocType: Vehicle,License Plate,లైసెన్స్ ప్లేట్
DocType: Appraisal,Goals,లక్ష్యాలు
DocType: Warranty Claim,Warranty / AMC Status,వారంటీ / AMC స్థితి
@@ -1445,19 +1453,20 @@
,Batch-Wise Balance History,బ్యాచ్-వైజ్ సంతులనం చరిత్ర
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,ముద్రణా సెట్టింగ్లను సంబంధిత print ఫార్మాట్లో నవీకరించబడింది
DocType: Package Code,Package Code,ప్యాకేజీ కోడ్
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,అప్రెంటిస్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,అప్రెంటిస్
+DocType: Purchase Invoice,Company GSTIN,కంపెనీ GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,ప్రతికూల పరిమాణం అనుమతి లేదు
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",ఒక స్ట్రింగ్ వంటి అంశం మాస్టర్ నుండి తెచ్చిన మరియు ఈ రంగంలో నిల్వ పన్ను వివరాలు పట్టిక. పన్నులు మరియు ఆరోపణలు వాడిన
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Employee తనను రిపోర్ట్ చేయలేరు.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.",ఖాతా ఘనీభవించిన ఉంటే ప్రవేశాలు పరిమితం వినియోగదారులు అనుమతించబడతాయి.
DocType: Email Digest,Bank Balance,బ్యాంకు బ్యాలెన్స్
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},{1} ఏకైక కరెన్సీగా తయారు చేయవచ్చు: {0} కోసం అకౌంటింగ్ ఎంట్రీ {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},{1} ఏకైక కరెన్సీగా తయారు చేయవచ్చు: {0} కోసం అకౌంటింగ్ ఎంట్రీ {2}
DocType: Job Opening,"Job profile, qualifications required etc.","జాబ్ ప్రొఫైల్, అర్హతలు అవసరం మొదలైనవి"
DocType: Journal Entry Account,Account Balance,ఖాతా నిలువ
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,లావాదేవీలకు పన్ను రూల్.
DocType: Rename Tool,Type of document to rename.,పత్రం రకం రీనేమ్.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,మేము ఈ అంశం కొనుగోలు
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,మేము ఈ అంశం కొనుగోలు
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: కస్టమర్ స్వీకరించదగిన ఖాతాఫై అవసరం {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),మొత్తం పన్నులు మరియు ఆరోపణలు (కంపెనీ కరెన్సీ)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,మూసివేయబడని ఆర్థిక సంవత్సరం పి & L నిల్వలను చూపించు
@@ -1468,29 +1477,30 @@
DocType: Stock Entry,Total Additional Costs,మొత్తం అదనపు వ్యయాలు
DocType: Course Schedule,SH,ఎస్హెచ్
DocType: BOM,Scrap Material Cost(Company Currency),స్క్రాప్ మెటీరియల్ ఖర్చు (కంపెనీ కరెన్సీ)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,సబ్ అసెంబ్లీలకు
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,సబ్ అసెంబ్లీలకు
DocType: Asset,Asset Name,ఆస్తి పేరు
DocType: Project,Task Weight,టాస్క్ బరువు
DocType: Shipping Rule Condition,To Value,విలువ
DocType: Asset Movement,Stock Manager,స్టాక్ మేనేజర్
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},మూల గిడ్డంగి వరుసగా తప్పనిసరి {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,ప్యాకింగ్ స్లిప్
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,ఆఫీసు రెంట్
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},మూల గిడ్డంగి వరుసగా తప్పనిసరి {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,ప్యాకింగ్ స్లిప్
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,ఆఫీసు రెంట్
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,సెటప్ SMS గేట్వే సెట్టింగులు
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,దిగుమతి విఫలమైంది!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,ఏ చిరునామా ఇంకా జోడించారు.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,ఏ చిరునామా ఇంకా జోడించారు.
DocType: Workstation Working Hour,Workstation Working Hour,కార్యక్షేత్ర పని గంట
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,అనలిస్ట్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,అనలిస్ట్
DocType: Item,Inventory,ఇన్వెంటరీ
DocType: Item,Sales Details,సేల్స్ వివరాలు
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,అంశాలు తో
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,ప్యాక్ చేసిన అంశాల లో
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,ప్యాక్ చేసిన అంశాల లో
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,స్టూడెంట్ గ్రూప్ లో స్టూడెంట్స్ కోసం చేరాడు కోర్సు ప్రమాణీకరించు
DocType: Notification Control,Expense Claim Rejected,ఖర్చుల వాదనను త్రోసిపుచ్చాడు
DocType: Item,Item Attribute,అంశం లక్షణం
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,ప్రభుత్వం
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,ప్రభుత్వం
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,ఖర్చు చెప్పడం {0} ఇప్పటికే వాహనం లోనికి ప్రవేశించండి ఉంది
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,ఇన్స్టిట్యూట్ పేరు
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,ఇన్స్టిట్యూట్ పేరు
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,తిరిగి చెల్లించే మొత్తాన్ని నమోదు చేయండి
apps/erpnext/erpnext/config/stock.py +300,Item Variants,అంశం రకరకాలు
DocType: Company,Services,సర్వీసులు
@@ -1500,18 +1510,18 @@
DocType: Sales Invoice,Source,మూల
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,మూసి షో
DocType: Leave Type,Is Leave Without Pay,పే లేకుండా వదిలి ఉంటుంది
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,ఆస్తి వర్గం స్థిర ఆస్తి అంశం తప్పనిసరి
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,ఆస్తి వర్గం స్థిర ఆస్తి అంశం తప్పనిసరి
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,చెల్లింపు పట్టిక కనుగొనబడలేదు రికార్డులు
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},ఈ {0} తో విభేదాలు {1} కోసం {2} {3}
DocType: Student Attendance Tool,Students HTML,స్టూడెంట్స్ HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,ఆర్థిక సంవత్సరం ప్రారంభ తేదీ
DocType: POS Profile,Apply Discount,డిస్కౌంట్ వర్తించు
+DocType: Purchase Invoice Item,GST HSN Code,జిఎస్టి HSN కోడ్
DocType: Employee External Work History,Total Experience,మొత్తం ఎక్స్పీరియన్స్
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,ఓపెన్ ప్రాజెక్ట్స్
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,రద్దు ప్యాకింగ్ స్లిప్ (లు)
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,ఇన్వెస్టింగ్ నుండి నగదు ప్రవాహ
DocType: Program Course,Program Course,ప్రోగ్రామ్ కోర్సు
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,ఫ్రైట్ మరియు ఫార్వార్డింగ్ ఛార్జీలు
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,ఫ్రైట్ మరియు ఫార్వార్డింగ్ ఛార్జీలు
DocType: Homepage,Company Tagline for website homepage,వెబ్సైట్ హోమ్ కోసం కంపెనీ ట్యాగ్లైన్
DocType: Item Group,Item Group Name,అంశం గ్రూప్ పేరు
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,తీసుకోబడినది
@@ -1521,6 +1531,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,లీడ్స్ సృష్టించు
DocType: Maintenance Schedule,Schedules,షెడ్యూల్స్
DocType: Purchase Invoice Item,Net Amount,నికర మొత్తం
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} సమర్పించిన చేయలేదు చర్య పూర్తి చేయబడదు కాబట్టి
DocType: Purchase Order Item Supplied,BOM Detail No,బిఒఎం వివరాలు లేవు
DocType: Landed Cost Voucher,Additional Charges,అదనపు ఛార్జీలు
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),అదనపు డిస్కౌంట్ మొత్తం (కంపెనీ కరెన్సీ)
@@ -1536,6 +1547,7 @@
DocType: Employee Loan,Monthly Repayment Amount,మంత్లీ నంతవరకు మొత్తం
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,Employee పాత్ర సెట్ ఒక ఉద్యోగి రికార్డు వాడుకరి ID రంగంలో సెట్ చెయ్యండి
DocType: UOM,UOM Name,UoM పేరు
+DocType: GST HSN Code,HSN Code,HSN కోడ్
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,చందా మొత్తాన్ని
DocType: Purchase Invoice,Shipping Address,షిప్పింగ్ చిరునామా
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,ఈ సాధనం అప్డేట్ లేదా వ్యవస్థలో స్టాక్ పరిమాణం మరియు మదింపు పరిష్కరించడానికి సహాయపడుతుంది. ఇది సాధారణంగా వ్యవస్థ విలువలు ఏ వాస్తవానికి మీ గిడ్డంగుల్లో ఉంది సమకాలీకరించడానికి ఉపయోగిస్తారు.
@@ -1546,18 +1558,17 @@
DocType: Program Enrollment Tool,Program Enrollments,ప్రోగ్రామ్ నమోదు
DocType: Sales Invoice Item,Brand Name,బ్రాండ్ పేరు
DocType: Purchase Receipt,Transporter Details,ట్రాన్స్పోర్టర్ వివరాలు
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,డిఫాల్ట్ గిడ్డంగిలో ఎంచుకున్న అంశం కోసం అవసరం
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,బాక్స్
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,డిఫాల్ట్ గిడ్డంగిలో ఎంచుకున్న అంశం కోసం అవసరం
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,బాక్స్
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,సాధ్యమైన సరఫరాదారు
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,సంస్థ
DocType: Budget,Monthly Distribution,మంత్లీ పంపిణీ
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,స్వీకర్త జాబితా ఖాళీగా ఉంది. స్వీకర్త జాబితా సృష్టించడానికి దయచేసి
DocType: Production Plan Sales Order,Production Plan Sales Order,ఉత్పత్తి ప్రణాళిక అమ్మకాల ఆర్డర్
DocType: Sales Partner,Sales Partner Target,సేల్స్ భాగస్వామిలో టార్గెట్
DocType: Loan Type,Maximum Loan Amount,గరిష్ఠ రుణ మొత్తం
DocType: Pricing Rule,Pricing Rule,ధర రూల్
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},విద్యార్థి కోసం నకిలీ రోల్ నంబర్ {0}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},విద్యార్థి కోసం నకిలీ రోల్ నంబర్ {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},విద్యార్థి కోసం నకిలీ రోల్ నంబర్ {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},విద్యార్థి కోసం నకిలీ రోల్ నంబర్ {0}
DocType: Budget,Action if Annual Budget Exceeded,యాక్షన్ వార్షిక బడ్జెట్ మించింది ఉంటే
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,ఆర్డర్ కొనుగోలు మెటీరియల్ అభ్యర్థన
DocType: Shopping Cart Settings,Payment Success URL,చెల్లింపు విజయవంతం URL
@@ -1570,11 +1581,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,తెరవడం స్టాక్ సంతులనం
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} ఒక్కసారి మాత్రమే కనిపిస్తుంది ఉండాలి
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},మరింత బదిలీ చేయాలా అనుమతి లేదు {0} కంటే {1} కొనుగోలు ఆర్డర్ వ్యతిరేకంగా {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},మరింత బదిలీ చేయాలా అనుమతి లేదు {0} కంటే {1} కొనుగోలు ఆర్డర్ వ్యతిరేకంగా {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},విజయవంతంగా కేటాయించిన లీవ్స్ {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,ఏ అంశాలు సర్దుకుని
DocType: Shipping Rule Condition,From Value,విలువ నుంచి
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,తయారీ పరిమాణం తప్పనిసరి
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,తయారీ పరిమాణం తప్పనిసరి
DocType: Employee Loan,Repayment Method,తిరిగి చెల్లించే విధానం
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","తనిఖీ, హోమ్ పేజీ వెబ్సైట్ కోసం డిఫాల్ట్ అంశం గ్రూప్ ఉంటుంది"
DocType: Quality Inspection Reading,Reading 4,4 పఠనం
@@ -1584,7 +1595,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},రో # {0}: క్లియరెన్స్ తేదీ {1} ప్రిపే తేదీ ముందు ఉండకూడదు {2}
DocType: Company,Default Holiday List,హాలిడే జాబితా డిఫాల్ట్
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},రో {0}: నుండి సమయం మరియు సమయం {1} తో కలిసిపోయే ఉంది {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,స్టాక్ బాధ్యతలు
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,స్టాక్ బాధ్యతలు
DocType: Purchase Invoice,Supplier Warehouse,సరఫరాదారు వేర్హౌస్
DocType: Opportunity,Contact Mobile No,సంప్రదించండి మొబైల్ లేవు
,Material Requests for which Supplier Quotations are not created,సరఫరాదారు కొటేషన్స్ రూపొందించినవారు లేని పదార్థం అభ్యర్థనలు
@@ -1595,35 +1606,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,కొటేషన్ చేయండి
apps/erpnext/erpnext/config/selling.py +216,Other Reports,ఇతర నివేదికలు
DocType: Dependent Task,Dependent Task,అస్వతంత్ర టాస్క్
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},మెజర్ యొక్క డిఫాల్ట్ యూనిట్ మార్పిడి అంశం వరుసగా 1 ఉండాలి {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},మెజర్ యొక్క డిఫాల్ట్ యూనిట్ మార్పిడి అంశం వరుసగా 1 ఉండాలి {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},రకం లీవ్ {0} కంటే ఎక్కువ ఉండరాదు {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,ముందుగానే X రోజులు కార్యకలాపాలు ప్రణాళిక ప్రయత్నించండి.
DocType: HR Settings,Stop Birthday Reminders,ఆపు జన్మదిన రిమైండర్లు
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},కంపెనీ డిఫాల్ట్ పేరోల్ చెల్లించవలసిన ఖాతా సెట్ దయచేసి {0}
DocType: SMS Center,Receiver List,స్వీకర్త జాబితా
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,శోధన అంశం
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,శోధన అంశం
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,వినియోగించిన మొత్తం
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,నగదు నికర మార్పు
DocType: Assessment Plan,Grading Scale,గ్రేడింగ్ స్కేల్
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,మెజర్ {0} యొక్క యూనిట్ మార్పిడి ఫాక్టర్ టేబుల్ లో ఒకసారి కంటే ఎక్కువ నమోదు చేయబడింది
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,మెజర్ {0} యొక్క యూనిట్ మార్పిడి ఫాక్టర్ టేబుల్ లో ఒకసారి కంటే ఎక్కువ నమోదు చేయబడింది
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,ఇప్పటికే పూర్తి
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,చేతిలో స్టాక్
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},చెల్లింపు అభ్యర్థన ఇప్పటికే ఉంది {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,జారీచేయబడింది వస్తువుల ధర
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},పరిమాణం కంటే ఎక్కువ ఉండకూడదు {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,మునుపటి ఆర్థిక సంవత్సరం మూసివేయబడింది లేదు
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),వయసు (రోజులు)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),వయసు (రోజులు)
DocType: Quotation Item,Quotation Item,కొటేషన్ అంశం
+DocType: Customer,Customer POS Id,కస్టమర్ POS Id
DocType: Account,Account Name,ఖాతా పేరు
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,తేదీ తేదీ కంటే ఎక్కువ ఉండకూడదు నుండి
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,సీరియల్ లేవు {0} పరిమాణం {1} ఒక భిన్నం ఉండకూడదు
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,సరఫరాదారు టైప్ మాస్టర్.
DocType: Purchase Order Item,Supplier Part Number,సరఫరాదారు పార్ట్ సంఖ్య
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,మార్పిడి రేటు 0 లేదా 1 ఉండకూడదు
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,మార్పిడి రేటు 0 లేదా 1 ఉండకూడదు
DocType: Sales Invoice,Reference Document,రిఫరెన్స్ డాక్యుమెంట్
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} రద్దు లేదా ఆగిపోయిన
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} రద్దు లేదా ఆగిపోయిన
DocType: Accounts Settings,Credit Controller,క్రెడిట్ కంట్రోలర్
DocType: Delivery Note,Vehicle Dispatch Date,వాహనం డిస్పాచ్ తేదీ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,కొనుగోలు రసీదులు {0} సమర్పించిన లేదు
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,కొనుగోలు రసీదులు {0} సమర్పించిన లేదు
DocType: Company,Default Payable Account,డిఫాల్ట్ చెల్లించవలసిన ఖాతా
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","ఇటువంటి షిప్పింగ్ నియమాలు, ధర జాబితా మొదలైనవి ఆన్లైన్ షాపింగ్ కార్ట్ కోసం సెట్టింగులు"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% కస్టమర్లకు
@@ -1642,11 +1655,12 @@
DocType: Expense Claim,Total Amount Reimbursed,మొత్తం మొత్తం డబ్బులు
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,ఈ ఈ వాహనం వ్యతిరేకంగా లాగ్లను ఆధారంగా. వివరాల కోసం ఈ క్రింది కాలక్రమం చూడండి
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,సేకరించండి
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},సరఫరాదారు వ్యతిరేకంగా వాయిస్ {0} నాటి {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},సరఫరాదారు వ్యతిరేకంగా వాయిస్ {0} నాటి {1}
DocType: Customer,Default Price List,డిఫాల్ట్ ధర జాబితా
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,ఆస్తి ఉద్యమం రికార్డు {0} రూపొందించారు
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,మీరు తొలగించలేరు ఫిస్కల్ ఇయర్ {0}. ఫిస్కల్ ఇయర్ {0} గ్లోబల్ సెట్టింగ్స్ లో డిఫాల్ట్ గా సెట్
DocType: Journal Entry,Entry Type,ఎంట్రీ రకం
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,తోబుట్టువుల అంచనా ప్రణాళిక ఈ అంచనా సమూహం ముడిపడి
,Customer Credit Balance,కస్టమర్ క్రెడిట్ సంతులనం
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,చెల్లించవలసిన అకౌంట్స్ నికర మార్పును
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount','Customerwise డిస్కౌంట్' అవసరం కస్టమర్
@@ -1655,7 +1669,7 @@
DocType: Quotation,Term Details,టర్మ్ వివరాలు
DocType: Project,Total Sales Cost (via Sales Order),మొత్తం సేల్స్ ఖర్చు (అమ్మకాల ఉత్తర్వు ద్వారా)
DocType: Project,Total Sales Cost (via Sales Order),మొత్తం సేల్స్ ఖర్చు (అమ్మకాల ఉత్తర్వు ద్వారా)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,{0} ఈ విద్యార్థి సమూహం కోసం విద్యార్థులు కంటే మరింత నమోదు చేయలేరు.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,{0} ఈ విద్యార్థి సమూహం కోసం విద్యార్థులు కంటే మరింత నమోదు చేయలేరు.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,లీడ్ కౌంట్
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} 0 కంటే ఎక్కువ ఉండాలి
DocType: Manufacturing Settings,Capacity Planning For (Days),(రోజులు) పరిమాణ ప్రణాళికా
@@ -1677,7 +1691,7 @@
DocType: Sales Invoice,Packed Items,ప్యాక్ చేసిన అంశాలు
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,సీరియల్ నంబర్ వ్యతిరేకంగా వారంటీ దావా
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM",అది ఉపయోగించిన అన్ని ఇతర BOMs ఒక నిర్దిష్ట BOM పునఃస్థాపించుము. ఇది పాత BOM లింక్ స్థానంలో ఖర్చు అప్డేట్ మరియు నూతన BOM ప్రకారం "BOM ప్రేలుడు అంశం" పట్టిక పునరుత్పత్తి చేస్తుంది
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','మొత్తం'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','మొత్తం'
DocType: Shopping Cart Settings,Enable Shopping Cart,షాపింగ్ కార్ట్ ప్రారంభించు
DocType: Employee,Permanent Address,శాశ్వత చిరునామా
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1693,9 +1707,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,పరిమాణం లేదా మదింపు రేటు లేదా రెండు గాని రాయండి
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,నిర్వాహ
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,కార్ట్ లో చూడండి
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,మార్కెటింగ్ ఖర్చులు
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,మార్కెటింగ్ ఖర్చులు
,Item Shortage Report,అంశం కొరత రిపోర్ట్
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","బరువు \ n దయచేసి చాలా "బరువు UoM" చెప్పలేదు, ప్రస్తావించబడింది"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","బరువు \ n దయచేసి చాలా "బరువు UoM" చెప్పలేదు, ప్రస్తావించబడింది"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,మెటీరియల్ అభ్యర్థన ఈ స్టాక్ ఎంట్రీ చేయడానికి ఉపయోగిస్తారు
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,తదుపరి అరుగుదల తేదీ నూతన ఆస్తి తప్పనిసరి
DocType: Student Group Creation Tool,Separate course based Group for every Batch,ప్రతి బ్యాచ్ కోసం ప్రత్యేక కోర్సు ఆధారంగా గ్రూప్
@@ -1705,17 +1719,18 @@
,Student Fee Collection,విద్యార్థి ఫీజు కలెక్షన్
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,ప్రతి స్టాక్ ఉద్యమం కోసం అకౌంటింగ్ ఎంట్రీ చేయండి
DocType: Leave Allocation,Total Leaves Allocated,మొత్తం ఆకులు కేటాయించిన
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},రో లేవు అవసరం వేర్హౌస్ {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,చెల్లుబాటు అయ్యే ఆర్థిక సంవత్సరం ప్రారంభ మరియు ముగింపు తేదీలను ఎంటర్ చేయండి
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},రో లేవు అవసరం వేర్హౌస్ {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,చెల్లుబాటు అయ్యే ఆర్థిక సంవత్సరం ప్రారంభ మరియు ముగింపు తేదీలను ఎంటర్ చేయండి
DocType: Employee,Date Of Retirement,రిటైర్మెంట్ డేట్ అఫ్
DocType: Upload Attendance,Get Template,మూస పొందండి
+DocType: Material Request,Transferred,బదిలీ
DocType: Vehicle,Doors,ది డోర్స్
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext సెటప్ పూర్తి!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext సెటప్ పూర్తి!
DocType: Course Assessment Criteria,Weightage,వెయిటేజీ
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: వ్యయ కేంద్రం 'లాభం మరియు నష్టం' ఖాతా కోసం అవసరం {2}. కంపెనీ కోసం ఒక డిఫాల్ట్ వ్యయ కేంద్రం ఏర్పాటు చేయండి.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ఒక కస్టమర్ గ్రూప్ అదే పేరుతో కస్టమర్ పేరును లేదా కస్టమర్ గ్రూప్ పేరు దయచేసి
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,న్యూ సంప్రదించండి
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ఒక కస్టమర్ గ్రూప్ అదే పేరుతో కస్టమర్ పేరును లేదా కస్టమర్ గ్రూప్ పేరు దయచేసి
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,న్యూ సంప్రదించండి
DocType: Territory,Parent Territory,మాతృ భూభాగం
DocType: Quality Inspection Reading,Reading 2,2 చదివే
DocType: Stock Entry,Material Receipt,మెటీరియల్ స్వీకరణపై
@@ -1724,17 +1739,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","ఈ అంశాన్ని రకాల్లో, అప్పుడు అది అమ్మకాలు ఆదేశాలు మొదలైనవి ఎంపిక సాధ్యం కాదు"
DocType: Lead,Next Contact By,నెక్స్ట్ సంప్రదించండి
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},వరుసగా అంశం {0} కోసం అవసరం పరిమాణం {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},పరిమాణం అంశం కోసం ఉనికిలో వేర్హౌస్ {0} తొలగించబడవు {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},వరుసగా అంశం {0} కోసం అవసరం పరిమాణం {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},పరిమాణం అంశం కోసం ఉనికిలో వేర్హౌస్ {0} తొలగించబడవు {1}
DocType: Quotation,Order Type,ఆర్డర్ రకం
DocType: Purchase Invoice,Notification Email Address,ప్రకటన ఇమెయిల్ అడ్రస్
,Item-wise Sales Register,అంశం వారీగా సేల్స్ నమోదు
DocType: Asset,Gross Purchase Amount,స్థూల కొనుగోలు మొత్తాన్ని
DocType: Asset,Depreciation Method,అరుగుదల విధానం
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,ఆఫ్లైన్
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,ఆఫ్లైన్
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,ప్రాథమిక రేటు లో కూడా ఈ పన్ను?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,మొత్తం టార్గెట్
-DocType: Program Course,Required,లు గుర్తించబడతాయి
DocType: Job Applicant,Applicant for a Job,ఒక Job కొరకు అభ్యర్ధించే
DocType: Production Plan Material Request,Production Plan Material Request,ఉత్పత్తి ప్రణాళిక మెటీరియల్ అభ్యర్థన
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,సృష్టించలేదు ఉత్పత్తి ఆర్డర్స్
@@ -1744,17 +1758,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,ఒక కస్టమర్ యొక్క కొనుగోలు ఆర్డర్ వ్యతిరేకంగా బహుళ సేల్స్ ఆర్డర్స్ అనుమతించు
DocType: Student Group Instructor,Student Group Instructor,స్టూడెంట్ గ్రూప్ బోధకుడు
DocType: Student Group Instructor,Student Group Instructor,స్టూడెంట్ గ్రూప్ బోధకుడు
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 మొబైల్ లేవు
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,ప్రధాన
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 మొబైల్ లేవు
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,ప్రధాన
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,వేరియంట్
DocType: Naming Series,Set prefix for numbering series on your transactions,మీ లావాదేవీలపై సిరీస్ నంబరింగ్ కోసం సెట్ ఉపసర్గ
DocType: Employee Attendance Tool,Employees HTML,ఉద్యోగులు HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,డిఫాల్ట్ BOM ({0}) ఈ అంశం లేదా దాని టెంప్లేట్ కోసం చురుకుగా ఉండాలి
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,డిఫాల్ట్ BOM ({0}) ఈ అంశం లేదా దాని టెంప్లేట్ కోసం చురుకుగా ఉండాలి
DocType: Employee,Leave Encashed?,Encashed వదిలి?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,ఫీల్డ్ నుండి అవకాశం తప్పనిసరి
DocType: Email Digest,Annual Expenses,వార్షిక ఖర్చులు
DocType: Item,Variants,రకరకాలు
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,కొనుగోలు ఆర్డర్ చేయండి
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,కొనుగోలు ఆర్డర్ చేయండి
DocType: SMS Center,Send To,పంపే
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},లీవ్ పద్ధతి కోసం తగినంత సెలవు సంతులనం లేదు {0}
DocType: Payment Reconciliation Payment,Allocated amount,కేటాయించింది మొత్తం
@@ -1770,26 +1784,25 @@
DocType: Item,Serial Nos and Batches,సీరియల్ Nos మరియు ఇస్తున్న
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,స్టూడెంట్ గ్రూప్ శక్తి
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,స్టూడెంట్ గ్రూప్ శక్తి
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,జర్నల్ వ్యతిరేకంగా ఎంట్రీ {0} ఏదైనా సరిపోలని {1} ఎంట్రీ లేదు
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,జర్నల్ వ్యతిరేకంగా ఎంట్రీ {0} ఏదైనా సరిపోలని {1} ఎంట్రీ లేదు
apps/erpnext/erpnext/config/hr.py +137,Appraisals,అంచనాలు
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},సీరియల్ అంశం ఏదీ ప్రవేశించింది నకిలీ {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,ఒక షిప్పింగ్ రూల్ ఒక పరిస్థితి
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,దయచేసి నమోదు చెయ్యండి
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","అంశం {0} కోసం overbill కాదు వరుసగా {1} కంటే ఎక్కువ {2}. ఓవర్ బిల్లింగ్ అనుమతించేందుకు, సెట్టింగులు కొనుగోలు లో సెట్ చెయ్యండి"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,అంశం లేదా వేర్హౌస్ ఆధారంగా వడపోత సెట్ చెయ్యండి
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","అంశం {0} కోసం overbill కాదు వరుసగా {1} కంటే ఎక్కువ {2}. ఓవర్ బిల్లింగ్ అనుమతించేందుకు, సెట్టింగులు కొనుగోలు లో సెట్ చెయ్యండి"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,అంశం లేదా వేర్హౌస్ ఆధారంగా వడపోత సెట్ చెయ్యండి
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),ఈ ప్యాకేజీ యొక్క నికర బరువు. (అంశాలను నికర బరువు మొత్తంగా స్వయంచాలకంగా లెక్కించిన)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,ఈ వేర్హౌస్ ఒక ఖాతాను సృష్టించండి మరియు లింక్ దయచేసి. ఈ పేరుతో ఒక ఖాతాను స్వయంచాలకంగా చేయలేము {0} ఇప్పటికే ఉంది
DocType: Sales Order,To Deliver and Bill,బట్వాడా మరియు బిల్
DocType: Student Group,Instructors,బోధకులు
DocType: GL Entry,Credit Amount in Account Currency,ఖాతా కరెన్సీ లో క్రెడిట్ మొత్తం
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,బిఒఎం {0} సమర్పించాలి
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,బిఒఎం {0} సమర్పించాలి
DocType: Authorization Control,Authorization Control,అధికార కంట్రోల్
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},రో # {0}: వేర్హౌస్ తిరస్కరించబడిన తిరస్కరించిన వస్తువు వ్యతిరేకంగా తప్పనిసరి {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},రో # {0}: వేర్హౌస్ తిరస్కరించబడిన తిరస్కరించిన వస్తువు వ్యతిరేకంగా తప్పనిసరి {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,చెల్లింపు
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.",వేర్హౌస్ {0} ఏదైనా ఖాతాకు లింక్ లేదు కంపెనీలో లేదా గిడ్డంగి రికార్డు ఖాతా సిద్ధ జాబితా ఖాతా తెలియజేస్తూ {1}.
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,మీ ఆర్డర్లను నిర్వహించండి
DocType: Production Order Operation,Actual Time and Cost,అసలు సమయం మరియు ఖర్చు
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},గరిష్ట {0} యొక్క పదార్థం అభ్యర్థన {1} అమ్మకాల ఆర్డర్ వ్యతిరేకంగా అంశం కోసం తయారు చేయవచ్చు {2}
-DocType: Employee,Salutation,సెల్యుటేషన్
DocType: Course,Course Abbreviation,కోర్సు సంక్షిప్తీకరణ
DocType: Student Leave Application,Student Leave Application,స్టూడెంట్ లీవ్ అప్లికేషన్
DocType: Item,Will also apply for variants,కూడా రూపాంతరాలు వర్తిస్తాయని
@@ -1801,12 +1814,12 @@
DocType: Quotation Item,Actual Qty,వాస్తవ ప్యాక్ చేసిన అంశాల
DocType: Sales Invoice Item,References,సూచనలు
DocType: Quality Inspection Reading,Reading 10,10 పఠనం
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","మీరు కొనుగోలు లేదా విక్రయించడం మీ ఉత్పత్తులు లేదా సేవల జాబితా. మీరు మొదలుపెడితే మెజర్ మరియు ఇతర లక్షణాలు అంశం గ్రూప్, యూనిట్ తనిఖీ నిర్ధారించుకోండి."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","మీరు కొనుగోలు లేదా విక్రయించడం మీ ఉత్పత్తులు లేదా సేవల జాబితా. మీరు మొదలుపెడితే మెజర్ మరియు ఇతర లక్షణాలు అంశం గ్రూప్, యూనిట్ తనిఖీ నిర్ధారించుకోండి."
DocType: Hub Settings,Hub Node,హబ్ నోడ్
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,మీరు నకిలీ అంశాలను నమోదు చేసారు. సరిదిద్ది మళ్లీ ప్రయత్నించండి.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,అసోసియేట్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,అసోసియేట్
DocType: Asset Movement,Asset Movement,ఆస్తి ఉద్యమం
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,న్యూ కార్ట్
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,న్యూ కార్ట్
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,{0} అంశం సీరియల్ అంశం కాదు
DocType: SMS Center,Create Receiver List,స్వీకర్త జాబితా సృష్టించు
DocType: Vehicle,Wheels,వీల్స్
@@ -1826,19 +1839,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',లేదా 'మునుపటి రో మొత్తం' 'మునుపటి రో మొత్తం మీద' ఛార్జ్ రకం మాత్రమే ఉంటే వరుసగా సూచించవచ్చు
DocType: Sales Order Item,Delivery Warehouse,డెలివరీ వేర్హౌస్
DocType: SMS Settings,Message Parameter,సందేశం పారామిత
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,ఆర్థిక వ్యయం సెంటర్స్ చెట్టు.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,ఆర్థిక వ్యయం సెంటర్స్ చెట్టు.
DocType: Serial No,Delivery Document No,డెలివరీ డాక్యుమెంట్ లేవు
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},కంపెనీ 'ఆస్తి తొలగింపు పై పెరుగుట / నష్టం ఖాతాకు' సెట్ దయచేసి {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,కొనుగోలు రసీదులు నుండి అంశాలను పొందండి
DocType: Serial No,Creation Date,సృష్టి తేదీ
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},{0} అంశం ధర జాబితా లో అనేకసార్లు కనిపిస్తుంది {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","వర్తించే ఎంపిక ఉంది ఉంటే సెల్లింగ్, తనిఖీ చెయ్యాలి {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","వర్తించే ఎంపిక ఉంది ఉంటే సెల్లింగ్, తనిఖీ చెయ్యాలి {0}"
DocType: Production Plan Material Request,Material Request Date,మెటీరియల్ అభ్యర్థన తేదీ
DocType: Purchase Order Item,Supplier Quotation Item,సరఫరాదారు కొటేషన్ అంశం
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,ఉత్పత్తి ఆర్డర్స్ వ్యతిరేకంగా సమయం చిట్టాల యొక్క సృష్టి ఆపివేస్తుంది. ఆపరేషన్స్ ఉత్పత్తి ఉత్తర్వు మీద ట్రాక్ ఉండదు
DocType: Student,Student Mobile Number,స్టూడెంట్ మొబైల్ నంబర్
DocType: Item,Has Variants,రకాల్లో
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},మీరు ఇప్పటికే ఎంపిక నుండి అంశాలను రోజులో {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},మీరు ఇప్పటికే ఎంపిక నుండి అంశాలను రోజులో {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,మంత్లీ పంపిణీ పేరు
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,బ్యాచ్ ID తప్పనిసరి
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,బ్యాచ్ ID తప్పనిసరి
@@ -1849,12 +1862,12 @@
DocType: Budget,Fiscal Year,ఆర్థిక సంవత్సరం
DocType: Vehicle Log,Fuel Price,ఇంధన ధర
DocType: Budget,Budget,బడ్జెట్
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,స్థిర ఆస్తి అంశం కాని స్టాక్ అంశం ఉండాలి.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,స్థిర ఆస్తి అంశం కాని స్టాక్ అంశం ఉండాలి.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",అది ఒక ఆదాయం వ్యయం ఖాతా కాదు బడ్జెట్ వ్యతిరేకంగా {0} కేటాయించిన సాధ్యం కాదు
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,ఆర్జిత
DocType: Student Admission,Application Form Route,అప్లికేషన్ ఫారం రూట్
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,భూభాగం / కస్టమర్
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,ఉదా 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,ఉదా 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,టైప్ {0} పే లేకుండా వదిలి ఉంటుంది నుండి కేటాయించబడతాయి కాదు వదిలి
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},రో {0}: కేటాయించిన మొత్తాన్ని {1} కంటే తక్కువ ఉండాలి లేదా అసాధారణ మొత్తాన్ని ఇన్వాయిస్ సమానం తప్పనిసరిగా {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,మీరు సేల్స్ వాయిస్ సేవ్ ఒకసారి వర్డ్స్ కనిపిస్తుంది.
@@ -1863,7 +1876,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,{0} అంశం సీరియల్ నాస్ కొరకు సెటప్ కాదు. అంశం మాస్టర్ తనిఖీ
DocType: Maintenance Visit,Maintenance Time,నిర్వహణ సమయం
,Amount to Deliver,మొత్తం అందించేందుకు
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,ఒక ఉత్పత్తి లేదా సేవ
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,ఒక ఉత్పత్తి లేదా సేవ
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,టర్మ్ ప్రారంభ తేదీ పదం సంబంధమున్న విద్యా సంవత్సరం ఇయర్ ప్రారంభ తేదీ కంటే ముందు ఉండకూడదు (అకాడమిక్ ఇయర్ {}). దయచేసి తేదీలు సరిచేసి మళ్ళీ ప్రయత్నించండి.
DocType: Guardian,Guardian Interests,గార్డియన్ అభిరుచులు
DocType: Naming Series,Current Value,కరెంట్ వేల్యూ
@@ -1877,12 +1890,12 @@
must be greater than or equal to {2}",రో {0}: సెట్ చేసేందుకు {1} ఆవర్తకత నుండి మరియు తేదీ \ మధ్య తేడా కంటే ఎక్కువ లేదా సమానంగా ఉండాలి {2}
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,ఈ స్టాక్ ఉద్యమం ఆధారంగా. చూడండి {0} వివరాలకు
DocType: Pricing Rule,Selling,సెల్లింగ్
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},మొత్తం {0} {1} వ్యతిరేకంగా తీసివేయబడుతుంది {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},మొత్తం {0} {1} వ్యతిరేకంగా తీసివేయబడుతుంది {2}
DocType: Employee,Salary Information,జీతం ఇన్ఫర్మేషన్
DocType: Sales Person,Name and Employee ID,పేరు మరియు Employee ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,గడువు తేదీ తేదీ చేసినది ముందు ఉండరాదు
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,గడువు తేదీ తేదీ చేసినది ముందు ఉండరాదు
DocType: Website Item Group,Website Item Group,వెబ్సైట్ అంశం గ్రూప్
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,సుంకాలు మరియు పన్నుల
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,సుంకాలు మరియు పన్నుల
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,సూచన తేదీని ఎంటర్ చేయండి
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} చెల్లింపు ఎంట్రీలు ద్వారా వడపోత కాదు {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,వెబ్ సైట్ లో చూపబడుతుంది ఆ అంశం కోసం టేబుల్
@@ -1899,9 +1912,9 @@
DocType: Payment Reconciliation Payment,Reference Row,రిఫరెన్స్ రో
DocType: Installation Note,Installation Time,సంస్థాపన సమయం
DocType: Sales Invoice,Accounting Details,అకౌంటింగ్ వివరాలు
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,ఈ కంపెనీ కోసం అన్ని లావాదేవీలు తొలగించు
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,రో # {0}: ఆపరేషన్ {1} ఉత్పత్తి లో పూర్తి వస్తువుల {2} అంశాల పూర్తిచేయాలని కాదు ఆజ్ఞాపించాలని # {3}. సమయం దినచర్య ద్వారా ఆపరేషన్ డేట్ దయచేసి
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,ఇన్వెస్ట్మెంట్స్
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,ఈ కంపెనీ కోసం అన్ని లావాదేవీలు తొలగించు
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,రో # {0}: ఆపరేషన్ {1} ఉత్పత్తి లో పూర్తి వస్తువుల {2} అంశాల పూర్తిచేయాలని కాదు ఆజ్ఞాపించాలని # {3}. సమయం దినచర్య ద్వారా ఆపరేషన్ డేట్ దయచేసి
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,ఇన్వెస్ట్మెంట్స్
DocType: Issue,Resolution Details,రిజల్యూషన్ వివరాలు
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,కేటాయింపులు
DocType: Item Quality Inspection Parameter,Acceptance Criteria,అంగీకారం ప్రమాణం
@@ -1926,7 +1939,7 @@
DocType: Room,Room Name,రూమ్ పేరు
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",సెలవు సంతులనం ఇప్పటికే క్యారీ-ఫార్వార్డ్ భవిష్యత్తులో సెలవు కేటాయింపు రికార్డు ఉంది ప్రవేశానికి ముందు {0} రద్దు / అనువర్తిత సాధ్యం కాదు వదిలి {1}
DocType: Activity Cost,Costing Rate,ఖరీదు రేటు
-,Customer Addresses And Contacts,కస్టమర్ చిరునామాల్లో కాంటాక్ట్స్
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,కస్టమర్ చిరునామాల్లో కాంటాక్ట్స్
,Campaign Efficiency,ప్రచారం సమర్థత
,Campaign Efficiency,ప్రచారం సమర్థత
DocType: Discussion,Discussion,చర్చా
@@ -1938,14 +1951,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),మొత్తం బిల్లింగ్ మొత్తం (సమయం షీట్ ద్వారా)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,తిరిగి కస్టమర్ రెవెన్యూ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) పాత్ర 'ఖర్చుల అప్రూవర్గా' కలిగి ఉండాలి
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,పెయిర్
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,ఉత్పత్తి కోసం BOM మరియు ప్యాక్ చేసిన అంశాల ఎంచుకోండి
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,పెయిర్
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,ఉత్పత్తి కోసం BOM మరియు ప్యాక్ చేసిన అంశాల ఎంచుకోండి
DocType: Asset,Depreciation Schedule,అరుగుదల షెడ్యూల్
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,అమ్మకపు భాగస్వామిగా చిరునామాల్లో కాంటాక్ట్స్
DocType: Bank Reconciliation Detail,Against Account,ఖాతా వ్యతిరేకంగా
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,హాఫ్ డే తేదీ తేదీ నుండి నేటివరకు మధ్య ఉండాలి
DocType: Maintenance Schedule Detail,Actual Date,అసలు తేదీ
DocType: Item,Has Batch No,బ్యాచ్ లేవు ఉంది
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},వార్షిక బిల్లింగ్: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},వార్షిక బిల్లింగ్: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),గూడ్స్ అండ్ సర్వీసెస్ టాక్స్ (జిఎస్టి భారతదేశం)
DocType: Delivery Note,Excise Page Number,ఎక్సైజ్ పేజీ సంఖ్య
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","కంపెనీ, తేదీ నుండి మరియు తేదీ తప్పనిసరి"
DocType: Asset,Purchase Date,కొనిన తేదీ
@@ -1953,11 +1968,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},'ఆస్తి అరుగుదల వ్యయ కేంద్రం' కంపెనీవారి సెట్ దయచేసి {0}
,Maintenance Schedules,నిర్వహణ షెడ్యూల్స్
DocType: Task,Actual End Date (via Time Sheet),ముగింపు తేదీ (సమయం షీట్ ద్వారా)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},మొత్తం {0} {1} వ్యతిరేకంగా {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},మొత్తం {0} {1} వ్యతిరేకంగా {2} {3}
,Quotation Trends,కొటేషన్ ట్రెండ్లులో
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},అంశం గ్రూప్ అంశం కోసం అంశాన్ని మాస్టర్ ప్రస్తావించలేదు {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,ఖాతాకు డెబిట్ ఒక స్వీకరించదగిన ఖాతా ఉండాలి
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},అంశం గ్రూప్ అంశం కోసం అంశాన్ని మాస్టర్ ప్రస్తావించలేదు {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,ఖాతాకు డెబిట్ ఒక స్వీకరించదగిన ఖాతా ఉండాలి
DocType: Shipping Rule Condition,Shipping Amount,షిప్పింగ్ మొత్తం
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,వినియోగదారుడు జోడించండి
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,పెండింగ్ మొత్తం
DocType: Purchase Invoice Item,Conversion Factor,మార్పిడి ఫాక్టర్
DocType: Purchase Order,Delivered,పంపిణీ
@@ -1967,7 +1983,8 @@
DocType: Purchase Receipt,Vehicle Number,వాహనం సంఖ్య
DocType: Purchase Invoice,The date on which recurring invoice will be stop,పునరావృత ఇన్వాయిస్ ఆపడానికి చేయబడే తేదీ
DocType: Employee Loan,Loan Amount,అప్పు మొత్తం
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},రో {0}: మెటీరియల్స్ బిల్ అంశం దొరకలేదు {1}
+DocType: Program Enrollment,Self-Driving Vehicle,సెల్ఫ్-డ్రైవింగ్ వాహనం
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},రో {0}: మెటీరియల్స్ బిల్ అంశం దొరకలేదు {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,మొత్తం కేటాయించింది ఆకులు {0} తక్కువ ఉండకూడదు కాలం కోసం ఇప్పటికే ఆమోదం ఆకులు {1} కంటే
DocType: Journal Entry,Accounts Receivable,స్వీకరించదగిన ఖాతాలు
,Supplier-Wise Sales Analytics,సరఫరాదారు వివేకవంతుడు సేల్స్ Analytics
@@ -1985,21 +2002,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,ఖర్చు చెప్పడం ఆమోదం లభించవలసి ఉంది. మాత్రమే ఖర్చుల అప్రూవర్గా డేట్ చేయవచ్చు.
DocType: Email Digest,New Expenses,న్యూ ఖర్చులు
DocType: Purchase Invoice,Additional Discount Amount,అదనపు డిస్కౌంట్ మొత్తం
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","రో # {0}: ప్యాక్ చేసిన అంశాల 1, అంశం ఒక స్థిర ఆస్తి ఉంది ఉండాలి. దయచేసి బహుళ అంశాల కోసం ప్రత్యేక వరుస ఉపయోగించడానికి."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","రో # {0}: ప్యాక్ చేసిన అంశాల 1, అంశం ఒక స్థిర ఆస్తి ఉంది ఉండాలి. దయచేసి బహుళ అంశాల కోసం ప్రత్యేక వరుస ఉపయోగించడానికి."
DocType: Leave Block List Allow,Leave Block List Allow,బ్లాక్ జాబితా అనుమతించు వదిలి
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Abbr ఖాళీ లేదా ఖాళీ ఉండరాదు
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr ఖాళీ లేదా ఖాళీ ఉండరాదు
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,కాని గ్రూప్ గ్రూప్
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,క్రీడలు
DocType: Loan Type,Loan Name,లోన్ పేరు
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,యదార్థమైన మొత్తం
DocType: Student Siblings,Student Siblings,స్టూడెంట్ తోబుట్టువుల
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,యూనిట్
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,కంపెనీ రాయండి
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,యూనిట్
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,కంపెనీ రాయండి
,Customer Acquisition and Loyalty,కస్టమర్ అక్విజిషన్ అండ్ లాయల్టీ
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,మీరు తిరస్కరించారు అంశాల స్టాక్ కలిగివున్నాయి గిడ్డంగిలో
DocType: Production Order,Skip Material Transfer,మెటీరియల్ ట్రాన్స్ఫర్ దాటవేయి
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,మారక రేటు దొరక్కపోతే {0} కు {1} కీ తేదీ కోసం {2}. దయచేసి కరెన్సీ ఎక్స్ఛేంజ్ రికార్డు మానవీయంగా సృష్టించడానికి
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,మీ ఆర్థిక సంవత్సరం ముగుస్తుంది
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,మారక రేటు దొరక్కపోతే {0} కు {1} కీ తేదీ కోసం {2}. దయచేసి కరెన్సీ ఎక్స్ఛేంజ్ రికార్డు మానవీయంగా సృష్టించడానికి
DocType: POS Profile,Price List,కొనుగోలు ధర
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} డిఫాల్ట్ ఫిస్కల్ ఇయర్ ఇప్పుడు. మార్పు ప్రభావితం కావడానికి మీ బ్రౌజర్ రిఫ్రెష్ చెయ్యండి.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,ఖర్చు వాదనలు
@@ -2012,14 +2028,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},బ్యాచ్ లో స్టాక్ సంతులనం {0} అవుతుంది ప్రతికూల {1} Warehouse వద్ద అంశం {2} కోసం {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,మెటీరియల్ అభ్యర్థనలను తరువాత అంశం యొక్క క్రమాన్ని స్థాయి ఆధారంగా స్వయంచాలకంగా బడ్డాయి
DocType: Email Digest,Pending Sales Orders,సేల్స్ ఆర్డర్స్ పెండింగ్లో
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},ఖాతా {0} చెల్లదు. ఖాతా కరెన్సీ ఉండాలి {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},ఖాతా {0} చెల్లదు. ఖాతా కరెన్సీ ఉండాలి {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UoM మార్పిడి అంశం వరుసగా అవసరం {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","రో # {0}: రిఫరెన్స్ డాక్యుమెంట్ టైప్ అమ్మకాల ఉత్తర్వు ఒకటి, సేల్స్ వాయిస్ లేదా జర్నల్ ఎంట్రీ ఉండాలి"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","రో # {0}: రిఫరెన్స్ డాక్యుమెంట్ టైప్ అమ్మకాల ఉత్తర్వు ఒకటి, సేల్స్ వాయిస్ లేదా జర్నల్ ఎంట్రీ ఉండాలి"
DocType: Salary Component,Deduction,తీసివేత
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,రో {0}: టైమ్ నుండి మరియు సమయం తప్పనిసరి.
DocType: Stock Reconciliation Item,Amount Difference,మొత్తం తక్షణ
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},అంశం ధర కోసం జోడించిన {0} ధర జాబితా లో {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},అంశం ధర కోసం జోడించిన {0} ధర జాబితా లో {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,ఈ విక్రయాల వ్యక్తి యొక్క ఉద్యోగి ID నమోదు చేయండి
DocType: Territory,Classification of Customers by region,ప్రాంతం ద్వారా వినియోగదారుడు వర్గీకరణ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,తేడా సొమ్ము సున్నా ఉండాలి
@@ -2031,21 +2047,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,మొత్తం తీసివేత
,Production Analytics,ఉత్పత్తి Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,ధర నవీకరించబడింది
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,ధర నవీకరించబడింది
DocType: Employee,Date of Birth,పుట్టిన తేది
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,అంశం {0} ఇప్పటికే తిరిగి చెయ్యబడింది
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,అంశం {0} ఇప్పటికే తిరిగి చెయ్యబడింది
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ఫిస్కల్ ఇయర్ ** ఆర్థిక సంవత్సరం సూచిస్తుంది. అన్ని అకౌంటింగ్ ఎంట్రీలు మరియు ఇతర ప్రధాన లావాదేవీల ** ** ఫిస్కల్ ఇయర్ వ్యతిరేకంగా చూడబడతాయి.
DocType: Opportunity,Customer / Lead Address,కస్టమర్ / లీడ్ చిరునామా
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},హెచ్చరిక: అటాచ్మెంట్ చెల్లని SSL సర్టిఫికెట్ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},హెచ్చరిక: అటాచ్మెంట్ చెల్లని SSL సర్టిఫికెట్ {0}
DocType: Student Admission,Eligibility,అర్హత
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","లీడ్స్ మీరు వ్యాపార, అన్ని మీ పరిచయాలను మరియు మరింత మీ లీడ్స్ జోడించడానికి పొందడానికి సహాయంగా"
DocType: Production Order Operation,Actual Operation Time,అసలు ఆపరేషన్ సమయం
DocType: Authorization Rule,Applicable To (User),వర్తించదగిన (వాడుకరి)
DocType: Purchase Taxes and Charges,Deduct,తీసివేయు
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,ఉద్యోగ వివరణ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,ఉద్యోగ వివరణ
DocType: Student Applicant,Applied,అప్లైడ్
DocType: Sales Invoice Item,Qty as per Stock UOM,ప్యాక్ చేసిన అంశాల స్టాక్ UoM ప్రకారం
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2 పేరు
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 పేరు
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","తప్ప ప్రత్యేక అక్షరాలను "-" ".", "#", మరియు "/" సిరీస్ నామకరణ లో అనుమతించబడవు"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","సేల్స్ ప్రచారాలు ట్రాక్. లీడ్స్, కొటేషన్స్ ట్రాక్, అమ్మకాల ఉత్తర్వు etc ప్రచారాలు నుండి పెట్టుబడి పై రాబడి కొలవడానికి."
DocType: Expense Claim,Approver,అప్రూవర్గా
@@ -2056,8 +2072,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},సీరియల్ లేవు {0} వరకు వారంటీ కింద {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,ప్యాకేజీలు స్ప్లిట్ డెలివరీ గమనించండి.
apps/erpnext/erpnext/hooks.py +87,Shipments,ప్యాకేజీల
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,ఖాతా సంతులనం ({0}) {1} మరియు స్టాక్ విలువ ({2}) గిడ్డంగి కోసం {3} అదే ఉండాలి
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,ఖాతా సంతులనం ({0}) {1} మరియు స్టాక్ విలువ ({2}) గిడ్డంగి కోసం {3} అదే ఉండాలి
DocType: Payment Entry,Total Allocated Amount (Company Currency),మొత్తం కేటాయించిన మొత్తం (కంపెనీ కరెన్సీ)
DocType: Purchase Order Item,To be delivered to customer,కస్టమర్ పంపిణీ ఉంటుంది
DocType: BOM,Scrap Material Cost,స్క్రాప్ మెటీరియల్ కాస్ట్
@@ -2065,21 +2079,22 @@
DocType: Purchase Invoice,In Words (Company Currency),వర్డ్స్ (కంపెనీ కరెన్సీ)
DocType: Asset,Supplier,సరఫరాదారు
DocType: C-Form,Quarter,క్వార్టర్
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,ఇతరాలు ఖర్చులు
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,ఇతరాలు ఖర్చులు
DocType: Global Defaults,Default Company,డిఫాల్ట్ కంపెనీ
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ఖర్చుల లేదా తక్షణ ఖాతా అంశం {0} వంటి ప్రభావితం మొత్తం మీద స్టాక్ విలువ తప్పనిసరి
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ఖర్చుల లేదా తక్షణ ఖాతా అంశం {0} వంటి ప్రభావితం మొత్తం మీద స్టాక్ విలువ తప్పనిసరి
DocType: Payment Request,PR,పిఆర్
DocType: Cheque Print Template,Bank Name,బ్యాంకు పేరు
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Above
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Above
DocType: Employee Loan,Employee Loan Account,ఉద్యోగి రుణ ఖాతా
DocType: Leave Application,Total Leave Days,మొత్తం లీవ్ డేస్
DocType: Email Digest,Note: Email will not be sent to disabled users,గమనిక: ఇమెయిల్ వికలాంగ వినియోగదారులకు పంపబడదు
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,ఇంటరాక్షన్ సంఖ్య
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,ఇంటరాక్షన్ సంఖ్య
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,అంశం code> అంశం గ్రూప్> బ్రాండ్
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,కంపెనీ ఎంచుకోండి ...
DocType: Leave Control Panel,Leave blank if considered for all departments,అన్ని శాఖల కోసం భావిస్తారు ఉంటే ఖాళీ వదిలి
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","ఉపాధి రకాలు (శాశ్వత, కాంట్రాక్టు ఇంటర్న్ మొదలైనవి)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} అంశం తప్పనిసరి {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} అంశం తప్పనిసరి {1}
DocType: Process Payroll,Fortnightly,పక్ష
DocType: Currency Exchange,From Currency,కరెన్సీ నుండి
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","కనీసం ఒక వరుసలో కేటాయించిన మొత్తం, వాయిస్ పద్ధతి మరియు వాయిస్ సంఖ్య దయచేసి ఎంచుకోండి"
@@ -2102,7 +2117,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,షెడ్యూల్ పొందడానికి 'రూపొందించండి షెడ్యూల్' క్లిక్ చేయండి
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,కింది షెడ్యూల్ తొలగిచడంలో లోపాలున్నాయి:
DocType: Bin,Ordered Quantity,క్రమ పరిమాణం
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",ఉదా "బిల్డర్ల కోసం టూల్స్ బిల్డ్"
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",ఉదా "బిల్డర్ల కోసం టూల్స్ బిల్డ్"
DocType: Grading Scale,Grading Scale Intervals,గ్రేడింగ్ స్కేల్ విరామాలు
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: {2} కోసం అకౌంటింగ్ ప్రవేశం మాత్రమే కరెన్సీ తయారు చేయవచ్చు: {3}
DocType: Production Order,In Process,ప్రక్రియ లో
@@ -2117,12 +2132,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} స్టూడెంట్ గ్రూప్స్ రూపొందించినవారు.
DocType: Sales Invoice,Total Billing Amount,మొత్తం బిల్లింగ్ మొత్తం
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,ఒక డిఫాల్ట్ ఇన్కమింగ్ ఇమెయిల్ ఖాతాకు ఈ పని కోసం ప్రారంభించిన ఉండాలి. దయచేసి సెటప్ డిఫాల్ట్ ఇన్కమింగ్ ఇమెయిల్ ఖాతా (POP / IMAP కాదు) మరియు మళ్లీ ప్రయత్నించండి.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,స్వీకరించదగిన ఖాతా
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},రో # {0}: ఆస్తి {1} ఇప్పటికే ఉంది {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,స్వీకరించదగిన ఖాతా
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},రో # {0}: ఆస్తి {1} ఇప్పటికే ఉంది {2}
DocType: Quotation Item,Stock Balance,స్టాక్ సంతులనం
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,చెల్లింపు కు అమ్మకాల ఆర్డర్
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} సెటప్> సెట్టింగ్స్ ద్వారా> నామకరణ సిరీస్ నామకరణ సెట్ దయచేసి
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,సియిఒ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,సియిఒ
DocType: Expense Claim Detail,Expense Claim Detail,ఖర్చు చెప్పడం వివరాలు
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,సరైన ఖాతాను ఎంచుకోండి
DocType: Item,Weight UOM,బరువు UoM
@@ -2131,12 +2145,12 @@
DocType: Production Order Operation,Pending,పెండింగ్
DocType: Course,Course Name,కోర్సు పేరు
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,ఒక నిర్దిష్ట ఉద్యోగి సెలవు అప్లికేషన్లు ఆమోదించవచ్చు చేసిన వాడుకరులు
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,ఆఫీసు పరికరాలు
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,ఆఫీసు పరికరాలు
DocType: Purchase Invoice Item,Qty,ప్యాక్ చేసిన అంశాల
DocType: Fiscal Year,Companies,కంపెనీలు
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,ఎలక్ట్రానిక్స్
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,స్టాక్ క్రమాన్ని స్థాయి చేరుకున్నప్పుడు మెటీరియల్ అభ్యర్థన రైజ్
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,పూర్తి సమయం
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,పూర్తి సమయం
DocType: Salary Structure,Employees,ఉద్యోగులు
DocType: Employee,Contact Details,సంప్రదింపు వివరాలు
DocType: C-Form,Received Date,స్వీకరించిన తేదీ
@@ -2146,7 +2160,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,ధర జాబితా సెట్ చెయ్యకపోతే ధరలు చూపబడవు
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,ఈ షిప్పింగ్ రూల్ ఒక దేశం పేర్కొనండి లేదా ప్రపంచవ్యాప్తం షిప్పింగ్ తనిఖీ చేయండి
DocType: Stock Entry,Total Incoming Value,మొత్తం ఇన్కమింగ్ విలువ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,డెబిట్ అవసరం ఉంది
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,డెబిట్ అవసరం ఉంది
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets మీ జట్టు చేసిన కృత్యాలు కోసం సమయం, ఖర్చు మరియు బిల్లింగ్ ట్రాక్ సహాయం"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,కొనుగోలు ధర జాబితా
DocType: Offer Letter Term,Offer Term,ఆఫర్ టర్మ్
@@ -2155,17 +2169,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,చెల్లింపు సయోధ్య
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,ఏసిపి వ్యక్తి యొక్క పేరు ఎంచుకోండి
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,టెక్నాలజీ
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},మొత్తం చెల్లించని: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},మొత్తం చెల్లించని: {0}
DocType: BOM Website Operation,BOM Website Operation,బిఒఎం వెబ్సైట్ ఆపరేషన్
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,లెటర్ ఆఫర్
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,మెటీరియల్ అభ్యర్థనలు (MRP) మరియు ఉత్పత్తి ఆర్డర్స్ ఉత్పత్తి.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,మొత్తం ఇన్వాయిస్ ఆంట్
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,మొత్తం ఇన్వాయిస్ ఆంట్
DocType: BOM,Conversion Rate,మారకపు ధర
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,ఉత్పత్తి శోధన
DocType: Timesheet Detail,To Time,సమయం
DocType: Authorization Rule,Approving Role (above authorized value),(అధికారం విలువ పై) Role ఆమోదిస్తోంది
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,ఖాతాకు క్రెడిట్ ఒక చెల్లించవలసిన ఖాతా ఉండాలి
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},బిఒఎం సూత్రం: {0} యొక్క పేరెంట్ లేదా బాల ఉండకూడదు {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,ఖాతాకు క్రెడిట్ ఒక చెల్లించవలసిన ఖాతా ఉండాలి
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},బిఒఎం సూత్రం: {0} యొక్క పేరెంట్ లేదా బాల ఉండకూడదు {2}
DocType: Production Order Operation,Completed Qty,పూర్తైన ప్యాక్ చేసిన అంశాల
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","{0}, మాత్రమే డెబిట్ ఖాతాల మరో క్రెడిట్ ప్రవేశానికి వ్యతిరేకంగా లింక్ చేయవచ్చు కోసం"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,ధర జాబితా {0} నిలిపివేయబడింది
@@ -2177,28 +2191,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} అంశం అవసరం సీరియల్ సంఖ్యలు {1}. మీరు అందించిన {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,ప్రస్తుత లెక్కింపు రేటు
DocType: Item,Customer Item Codes,కస్టమర్ Item కోడులు
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,ఎక్స్చేంజ్ పెరుగుట / నష్టం
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,ఎక్స్చేంజ్ పెరుగుట / నష్టం
DocType: Opportunity,Lost Reason,లాస్ట్ కారణము
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,క్రొత్త చిరునామా
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,క్రొత్త చిరునామా
DocType: Quality Inspection,Sample Size,నమూనా పరిమాణం
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,స్వీకరణపై డాక్యుమెంట్ నమోదు చేయండి
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,అన్ని అంశాలను ఇప్పటికే ఇన్వాయిస్ చేశారు
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,అన్ని అంశాలను ఇప్పటికే ఇన్వాయిస్ చేశారు
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.','కేస్ నెం నుండి' చెల్లని రాయండి
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,మరింత ఖర్చు కేంద్రాలు గుంపులు కింద తయారు చేయవచ్చు కానీ ఎంట్రీలు కాని గుంపులు వ్యతిరేకంగా తయారు చేయవచ్చు
DocType: Project,External,బాహ్య
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,వినియోగదారులు మరియు అనుమతులు
DocType: Vehicle Log,VLOG.,VLOG.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},ఉత్పత్తి ఆర్డర్స్ రూపొందించబడింది: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},ఉత్పత్తి ఆర్డర్స్ రూపొందించబడింది: {0}
DocType: Branch,Branch,బ్రాంచ్
DocType: Guardian,Mobile Number,మొబైల్ నంబర్
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,ముద్రణ మరియు బ్రాండింగ్
DocType: Bin,Actual Quantity,వాస్తవ పరిమాణం
DocType: Shipping Rule,example: Next Day Shipping,ఉదాహరణకు: తదుపరి డే షిప్పింగ్
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,దొరకలేదు సీరియల్ లేవు {0}
-DocType: Scheduling Tool,Student Batch,స్టూడెంట్ బ్యాచ్
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,మీ కస్టమర్స్
+DocType: Program Enrollment,Student Batch,స్టూడెంట్ బ్యాచ్
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,స్టూడెంట్ చేయండి
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},మీరు ప్రాజెక్ట్ సహకరించడానికి ఆహ్వానించబడ్డారు: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},మీరు ప్రాజెక్ట్ సహకరించడానికి ఆహ్వానించబడ్డారు: {0}
DocType: Leave Block List Date,Block Date,బ్లాక్ తేదీ
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,ఇప్పుడు వర్తించు
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},అసలు ప్యాక్ చేసిన అంశాల {0} / వేచి ప్యాక్ చేసిన అంశాల {1}
@@ -2207,7 +2220,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.",సృష్టించు మరియు రోజువారీ వార మరియు నెలసరి ఇమెయిల్ Digests నిర్వహించండి.
DocType: Appraisal Goal,Appraisal Goal,అప్రైసల్ గోల్
DocType: Stock Reconciliation Item,Current Amount,ప్రస్తుత మొత్తం
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,భవనాలు
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,భవనాలు
DocType: Fee Structure,Fee Structure,ఫీజు స్ట్రక్చర్
DocType: Timesheet Detail,Costing Amount,ఖరీదు మొత్తం
DocType: Student Admission,Application Fee,అప్లికేషన్ రుసుము
@@ -2219,10 +2232,10 @@
DocType: POS Profile,[Select],[ఎంచుకోండి]
DocType: SMS Log,Sent To,పంపిన
DocType: Payment Request,Make Sales Invoice,సేల్స్ వాయిస్ చేయండి
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,సాఫ్ట్వేర్పై
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,సాఫ్ట్వేర్పై
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,తదుపరి సంప్రదించండి తేదీ గతంలో ఉండకూడదు
DocType: Company,For Reference Only.,సూచన ఓన్లి.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,బ్యాచ్ ఎంచుకోండి లేవు
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,బ్యాచ్ ఎంచుకోండి లేవు
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},చెల్లని {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,అడ్వాన్స్ మొత్తం
@@ -2232,15 +2245,15 @@
DocType: Employee,Employment Details,ఉపాధి వివరాలు
DocType: Employee,New Workplace,కొత్త కార్యాలయంలో
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,ముగించబడినది గా సెట్
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},బార్కోడ్ ఐటెమ్ను {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},బార్కోడ్ ఐటెమ్ను {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,కేస్ నం 0 ఉండకూడదు
DocType: Item,Show a slideshow at the top of the page,పేజీ ఎగువన ఒక స్లైడ్ చూపించు
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,దుకాణాలు
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,దుకాణాలు
DocType: Serial No,Delivery Time,డెలివరీ సమయం
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,ఆధారంగా ఏజింగ్
DocType: Item,End of Life,లైఫ్ ఎండ్
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,ప్రయాణం
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,ప్రయాణం
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,సక్రియ లేదా డిఫాల్ట్ జీతం నిర్మాణం ఇచ్చిన తేదీలు ఉద్యోగుల {0} కనుగొనబడలేదు
DocType: Leave Block List,Allow Users,వినియోగదారులు అనుమతించు
DocType: Purchase Order,Customer Mobile No,కస్టమర్ మొబైల్ లేవు
@@ -2249,29 +2262,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,నవీకరణ ఖర్చు
DocType: Item Reorder,Item Reorder,అంశం క్రమాన్ని మార్చు
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,జీతం షో స్లిప్
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,ట్రాన్స్ఫర్ మెటీరియల్
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,ట్రాన్స్ఫర్ మెటీరియల్
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","కార్యకలాపాలు, నిర్వహణ ఖర్చు పేర్కొనండి మరియు మీ కార్యకలాపాలను ఎలాంటి ఒక ఏకైక ఆపరేషన్ ఇస్తాయి."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,ఈ పత్రం పరిమితి {0} {1} అంశం {4}. మీరు తయారు మరొక {3} అదే వ్యతిరేకంగా {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,గండం పునరావృత సెట్ చెయ్యండి
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,మార్పు ఎంచుకోండి మొత్తం ఖాతా
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,ఈ పత్రం పరిమితి {0} {1} అంశం {4}. మీరు తయారు మరొక {3} అదే వ్యతిరేకంగా {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,గండం పునరావృత సెట్ చెయ్యండి
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,మార్పు ఎంచుకోండి మొత్తం ఖాతా
DocType: Purchase Invoice,Price List Currency,ధర జాబితా కరెన్సీ
DocType: Naming Series,User must always select,వినియోగదారు ఎల్లప్పుడూ ఎంచుకోవాలి
DocType: Stock Settings,Allow Negative Stock,ప్రతికూల స్టాక్ అనుమతించు
DocType: Installation Note,Installation Note,సంస్థాపన సూచన
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,పన్నులు జోడించండి
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,పన్నులు జోడించండి
DocType: Topic,Topic,టాపిక్
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,ఫైనాన్సింగ్ నుండి నగదు ప్రవాహ
DocType: Budget Account,Budget Account,బడ్జెట్ ఖాతా
DocType: Quality Inspection,Verified By,ద్వారా ధృవీకరించబడిన
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","ఇప్పటికే లావాదేవీలు ఉన్నాయి ఎందుకంటే, కంపెనీ యొక్క డిఫాల్ట్ కరెన్సీ మార్చలేరు. ట్రాన్సాక్షన్స్ డిఫాల్ట్ కరెన్సీ మార్చడానికి రద్దు చేయాలి."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","ఇప్పటికే లావాదేవీలు ఉన్నాయి ఎందుకంటే, కంపెనీ యొక్క డిఫాల్ట్ కరెన్సీ మార్చలేరు. ట్రాన్సాక్షన్స్ డిఫాల్ట్ కరెన్సీ మార్చడానికి రద్దు చేయాలి."
DocType: Grading Scale Interval,Grade Description,గ్రేడ్ వివరణ
DocType: Stock Entry,Purchase Receipt No,కొనుగోలు రసీదులు లేవు
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,ఎర్నెస్ట్ మనీ
DocType: Process Payroll,Create Salary Slip,వేతనం స్లిప్ సృష్టించు
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,కనిపెట్టగలిగే శక్తి
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),ఫండ్స్ యొక్క మూలం (లయబిలిటీస్)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},వరుసగా పరిమాణం {0} ({1}) మాత్రమే తయారు పరిమాణం సమానంగా ఉండాలి {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),ఫండ్స్ యొక్క మూలం (లయబిలిటీస్)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},వరుసగా పరిమాణం {0} ({1}) మాత్రమే తయారు పరిమాణం సమానంగా ఉండాలి {2}
DocType: Appraisal,Employee,Employee
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,బ్యాచ్ ఎంచుకోండి
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} పూర్తిగా బిల్
DocType: Training Event,End Time,ముగింపు సమయం
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Active జీతం నిర్మాణం {0} ఇచ్చిన తేదీలు ఉద్యోగుల {1} కనుగొనబడలేదు
@@ -2283,11 +2297,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Required న
DocType: Rename Tool,File to Rename,పేరుమార్చు దాఖలు
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},దయచేసి రో అంశం బిఒఎం ఎంచుకోండి {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},అంశం కోసం లేదు పేర్కొన్న BOM {0} {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},ఖాతా {0} {1} లో ఖాతా మోడ్ కంపెనీతో సరిపోలడం లేదు: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},అంశం కోసం లేదు పేర్కొన్న BOM {0} {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,నిర్వహణ షెడ్యూల్ {0} ఈ అమ్మకాల ఆర్డర్ రద్దు ముందే రద్దు చేయాలి
DocType: Notification Control,Expense Claim Approved,ఖర్చు చెప్పడం ఆమోదించబడింది
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,ఉద్యోగి వేతనం స్లిప్ {0} ఇప్పటికే ఈ కాలానికి రూపొందించినవారు
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,ఫార్మాస్యూటికల్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,ఫార్మాస్యూటికల్
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,కొనుగోలు వస్తువుల ధర
DocType: Selling Settings,Sales Order Required,అమ్మకాల ఆర్డర్ అవసరం
DocType: Purchase Invoice,Credit To,క్రెడిట్
@@ -2304,43 +2319,43 @@
DocType: Payment Gateway Account,Payment Account,చెల్లింపు ఖాతా
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,కొనసాగాలని కంపెనీ రాయండి
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,స్వీకరించదగిన ఖాతాలు నికర మార్పును
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,పరిహార ఆఫ్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,పరిహార ఆఫ్
DocType: Offer Letter,Accepted,Accepted
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,సంస్థ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,సంస్థ
DocType: SG Creation Tool Course,Student Group Name,స్టూడెంట్ గ్రూప్ పేరు
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,మీరు నిజంగా ఈ సంస్థ కోసం అన్ని లావాదేవీలు తొలగించాలనుకుంటున్నారా నిర్ధారించుకోండి. ఇది వంటి మీ మాస్టర్ డేటా అలాగే ఉంటుంది. ఈ చర్య రద్దు సాధ్యం కాదు.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,మీరు నిజంగా ఈ సంస్థ కోసం అన్ని లావాదేవీలు తొలగించాలనుకుంటున్నారా నిర్ధారించుకోండి. ఇది వంటి మీ మాస్టర్ డేటా అలాగే ఉంటుంది. ఈ చర్య రద్దు సాధ్యం కాదు.
DocType: Room,Room Number,గది సంఖ్య
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},చెల్లని సూచన {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ప్రణాళిక quanitity కంటే ఎక్కువ ఉండకూడదు ({2}) ఉత్పత్తి ఆర్డర్ {3}
DocType: Shipping Rule,Shipping Rule Label,షిప్పింగ్ రూల్ లేబుల్
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,వాడుకరి ఫోరం
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,రా మెటీరియల్స్ ఖాళీ ఉండకూడదు.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","స్టాక్ అప్డేట్ కాలేదు, ఇన్వాయిస్ డ్రాప్ షిప్పింగ్ అంశం కలిగి."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,రా మెటీరియల్స్ ఖాళీ ఉండకూడదు.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","స్టాక్ అప్డేట్ కాలేదు, ఇన్వాయిస్ డ్రాప్ షిప్పింగ్ అంశం కలిగి."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,త్వరిత జర్నల్ ఎంట్రీ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,బిఒఎం ఏ అంశం agianst పేర్కొన్నారు ఉంటే మీరు రేటు మార్చలేరు
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,బిఒఎం ఏ అంశం agianst పేర్కొన్నారు ఉంటే మీరు రేటు మార్చలేరు
DocType: Employee,Previous Work Experience,మునుపటి పని అనుభవం
DocType: Stock Entry,For Quantity,పరిమాణం
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},వరుస వద్ద అంశం {0} ప్రణాలిక ప్యాక్ చేసిన అంశాల నమోదు చేయండి {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} సమర్పించిన లేదు
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,అంశాలను అభ్యర్థనలు.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,ప్రత్యేక నిర్మాణ ఆర్డర్ ప్రతి పూర్తయిన మంచి అంశం రూపొందించినవారు ఉంటుంది.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} తిరిగి పత్రంలో ప్రతికూల ఉండాలి
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} తిరిగి పత్రంలో ప్రతికూల ఉండాలి
,Minutes to First Response for Issues,సమస్యలకు మొదటి రెస్పాన్స్ మినిట్స్
DocType: Purchase Invoice,Terms and Conditions1,నిబంధనలు మరియు Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,ఇన్స్టిట్యూట్ యొక్క పేరు ఇది కోసం మీరు ఈ వ్యవస్థ ఏర్పాటు చేస్తారు.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,ఇన్స్టిట్యూట్ యొక్క పేరు ఇది కోసం మీరు ఈ వ్యవస్థ ఏర్పాటు చేస్తారు.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",ఈ తేదీ వరకు స్తంభింప అకౌంటింగ్ ఎంట్రీ ఎవరూ / అలా క్రింద పేర్కొన్న పాత్ర తప్ప ఎంట్రీ సవరించవచ్చు.
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,నిర్వహణ షెడ్యూల్ రూపొందించడానికి ముందు పత్రం సేవ్ దయచేసి
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,ప్రాజెక్టు హోదా
DocType: UOM,Check this to disallow fractions. (for Nos),భిన్నాలు నిరాకరించేందుకు ఈ తనిఖీ. (NOS కోసం)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,క్రింది ఉత్పత్తి ఆర్డర్స్ ఏర్పరచారు:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,క్రింది ఉత్పత్తి ఆర్డర్స్ ఏర్పరచారు:
DocType: Student Admission,Naming Series (for Student Applicant),సిరీస్ నేమింగ్ (స్టూడెంట్ దరఖాస్తుదారు కోసం)
DocType: Delivery Note,Transporter Name,ట్రాన్స్పోర్టర్ పేరు
DocType: Authorization Rule,Authorized Value,ఆథరైజ్డ్ విలువ
DocType: BOM,Show Operations,ఆపరేషన్స్ షో
,Minutes to First Response for Opportunity,అవకాశం కోసం మొదటి రెస్పాన్స్ మినిట్స్
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,మొత్తం కరువవడంతో
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,వరుసగా {0} సరిపోలడం లేదు మెటీరియల్ అభ్యర్థన కోసం WorldWideThemes.net అంశం లేదా వేర్హౌస్
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,వరుసగా {0} సరిపోలడం లేదు మెటీరియల్ అభ్యర్థన కోసం WorldWideThemes.net అంశం లేదా వేర్హౌస్
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,కొలమానం
DocType: Fiscal Year,Year End Date,ఇయర్ ముగింపు తేదీ
DocType: Task Depends On,Task Depends On,టాస్క్ ఆధారపడి
@@ -2419,11 +2434,11 @@
DocType: Asset,Manual,మాన్యువల్
DocType: Salary Component Account,Salary Component Account,జీతం భాగం ఖాతా
DocType: Global Defaults,Hide Currency Symbol,కరెన్సీ మానవ చిత్ర దాచు
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","ఉదా బ్యాంక్, నగదు, క్రెడిట్ కార్డ్"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","ఉదా బ్యాంక్, నగదు, క్రెడిట్ కార్డ్"
DocType: Lead Source,Source Name,మూలం పేరు
DocType: Journal Entry,Credit Note,క్రెడిట్ గమనిక
DocType: Warranty Claim,Service Address,సర్వీస్ చిరునామా
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,సామాగ్రీ మరియు ఫిక్స్చర్స్
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,సామాగ్రీ మరియు ఫిక్స్చర్స్
DocType: Item,Manufacture,తయారీ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,దయచేసి డెలివరీ గమనిక మొదటి
DocType: Student Applicant,Application Date,దరఖాస్తు తేదీ
@@ -2433,7 +2448,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,క్లియరెన్స్ తేదీ ప్రస్తావించలేదు
apps/erpnext/erpnext/config/manufacturing.py +7,Production,ఉత్పత్తి
DocType: Guardian,Occupation,వృత్తి
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,దయచేసి సెటప్ను ఉద్యోగి మానవ వనరుల వ్యవస్థ నామకరణ> ఆర్ సెట్టింగులు
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,రో {0}: ప్రారంభ తేదీ ముగింపు తేదీ ముందు ఉండాలి
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),మొత్తం () ప్యాక్ చేసిన అంశాల
DocType: Sales Invoice,This Document,ఈ డాక్యుమెంట్
@@ -2445,20 +2459,20 @@
DocType: Purchase Receipt,Time at which materials were received,పదార్థాలు అందుకున్న సమయంలో
DocType: Stock Ledger Entry,Outgoing Rate,అవుట్గోయింగ్ రేటు
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,ఆర్గనైజేషన్ శాఖ మాస్టర్.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,లేదా
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,లేదా
DocType: Sales Order,Billing Status,బిల్లింగ్ స్థితి
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,ఒక సమస్యను నివేదించండి
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,యుటిలిటీ ఖర్చులు
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,యుటిలిటీ ఖర్చులు
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-ఉపరితలం
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,రో # {0}: జర్నల్ ఎంట్రీ {1} లేదు ఖాతా లేదు {2} లేదా ఇప్పటికే మరొక రసీదును జతచేసేందుకు
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,రో # {0}: జర్నల్ ఎంట్రీ {1} లేదు ఖాతా లేదు {2} లేదా ఇప్పటికే మరొక రసీదును జతచేసేందుకు
DocType: Buying Settings,Default Buying Price List,డిఫాల్ట్ కొనుగోలు ధర జాబితా
DocType: Process Payroll,Salary Slip Based on Timesheet,జీతం స్లిప్ TIMESHEET ఆధారంగా
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,పైన ఎంచుకున్న విధానం లేదా జీతం స్లిప్ కోసం ఏ ఉద్యోగి ఇప్పటికే రూపొందించినవారు
DocType: Notification Control,Sales Order Message,అమ్మకాల ఆర్డర్ సందేశం
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","మొదలైనవి కంపెనీ, కరెన్సీ, ప్రస్తుత ఆర్థిక సంవత్సరంలో వంటి సెట్ డిఫాల్ట్ విలువలు"
DocType: Payment Entry,Payment Type,చెల్లింపు పద్ధతి
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,దయచేసి అంశం కోసం ఒక బ్యాచ్ ఎంచుకోండి {0}. ఈ అవసరాన్ని తీర్చగల ఒకే బ్యాచ్ దొరక్కపోతే
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,దయచేసి అంశం కోసం ఒక బ్యాచ్ ఎంచుకోండి {0}. ఈ అవసరాన్ని తీర్చగల ఒకే బ్యాచ్ దొరక్కపోతే
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,దయచేసి అంశం కోసం ఒక బ్యాచ్ ఎంచుకోండి {0}. ఈ అవసరాన్ని తీర్చగల ఒకే బ్యాచ్ దొరక్కపోతే
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,దయచేసి అంశం కోసం ఒక బ్యాచ్ ఎంచుకోండి {0}. ఈ అవసరాన్ని తీర్చగల ఒకే బ్యాచ్ దొరక్కపోతే
DocType: Process Payroll,Select Employees,Select ఉద్యోగులు
DocType: Opportunity,Potential Sales Deal,సంభావ్య సేల్స్ డీల్
DocType: Payment Entry,Cheque/Reference Date,ప్రిపే / ప్రస్తావన తేదీ
@@ -2478,7 +2492,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,స్వీకరణపై పత్రం సమర్పించాలి
DocType: Purchase Invoice Item,Received Qty,స్వీకరించిన ప్యాక్ చేసిన అంశాల
DocType: Stock Entry Detail,Serial No / Batch,సీరియల్ లేవు / బ్యాచ్
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,చెల్లించిన మరియు పంపిణీ లేదు
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,చెల్లించిన మరియు పంపిణీ లేదు
DocType: Product Bundle,Parent Item,మాతృ అంశం
DocType: Account,Account Type,ఖాతా రకం
DocType: Delivery Note,DN-RET-,డిఎన్-RET-
@@ -2492,25 +2506,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),డెలివరీ కోసం ప్యాకేజీ గుర్తింపు (ముద్రణ కోసం)
DocType: Bin,Reserved Quantity,రిసర్వ్డ్ పరిమాణం
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,చెల్లుబాటు అయ్యే ఇమెయిల్ చిరునామాను నమోదు చేయండి
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},కార్యక్రమం ఏ తప్పనిసరి కోర్సు ఉంది {0}
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},కార్యక్రమం ఏ తప్పనిసరి కోర్సు ఉంది {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,కొనుగోలు రసీదులు అంశాలు
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,మలచుకొనుట పత్రాలు
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,బకాయిలో
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,బకాయిలో
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,కాలంలో అరుగుదల మొత్తం
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,వికలాంగుల టెంప్లేట్ డిఫాల్ట్ టెంప్లేట్ ఉండకూడదు
DocType: Account,Income Account,ఆదాయపు ఖాతా
DocType: Payment Request,Amount in customer's currency,కస్టమర్ యొక్క కరెన్సీ లో మొత్తం
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,డెలివరీ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,డెలివరీ
DocType: Stock Reconciliation Item,Current Qty,ప్రస్తుత ప్యాక్ చేసిన అంశాల
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",చూడండి వ్యయంతో విభాగం లో "Materials బేస్డ్ న రేటు"
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,మునుపటి
DocType: Appraisal Goal,Key Responsibility Area,కీ బాధ్యత ఏరియా
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","స్టూడెంట్ ఇస్తున్న మీరు విద్యార్థులకు హాజరు, లెక్కింపులు మరియు ఫీజు ట్రాక్ సహాయం"
DocType: Payment Entry,Total Allocated Amount,మొత్తం కేటాయించిన సొమ్ము
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,శాశ్వత జాబితా కోసం డిఫాల్ట్ జాబితా ఖాతా సెట్
DocType: Item Reorder,Material Request Type,మెటీరియల్ అభ్యర్థన పద్ధతి
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},నుండి {0} కు వేతనాల కోసం Accural జర్నల్ ఎంట్రీ {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage పూర్తి, సేవ్ లేదు"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage పూర్తి, సేవ్ లేదు"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,రో {0}: UoM మార్పిడి ఫాక్టర్ తప్పనిసరి
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Ref
DocType: Budget,Cost Center,వ్యయ కేంద్రం
@@ -2523,19 +2536,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","ధర నియమం కొన్ని ప్రమాణాల ఆధారంగా, / ధర జాబితా తిరిగి రాస్తుంది డిస్కౌంట్ శాతం నిర్వచించడానికి తయారు చేస్తారు."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,వేర్హౌస్ మాత్రమే స్టాక్ ఎంట్రీ ద్వారా మార్చవచ్చు / డెలివరీ గమనిక / కొనుగోలు రసీదులు
DocType: Employee Education,Class / Percentage,క్లాస్ / శాతం
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,మార్కెటింగ్ మరియు సేల్స్ హెడ్
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,ఆదాయ పన్ను
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,మార్కెటింగ్ మరియు సేల్స్ హెడ్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,ఆదాయ పన్ను
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","ఎంపిక ధర రూల్ 'ధర' కోసం చేసిన ఉంటే, అది ధర జాబితా తిరిగి రాస్తుంది. ధర రూల్ ధర తుది ధర ఇది, కాబట్టి ఎటువంటి తగ్గింపు పూయాలి. అందుకే, etc అమ్మకాల ఉత్తర్వు, పర్చేజ్ ఆర్డర్ వంటి లావాదేవీలు, అది కాకుండా 'ధర జాబితా రేటు' రంగంగా కాకుండా, 'రేటు' ఫీల్డ్లో సందేశం పొందబడుతుంది."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,ట్రాక్ పరిశ్రమ రకం ద్వారా నడిపించును.
DocType: Item Supplier,Item Supplier,అంశం సరఫరాదారు
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,బ్యాచ్ ఏ పొందడానికి అంశం కోడ్ను నమోదు చేయండి
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},{0} quotation_to కోసం ఒక విలువను ఎంచుకోండి దయచేసి {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,బ్యాచ్ ఏ పొందడానికి అంశం కోడ్ను నమోదు చేయండి
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},{0} quotation_to కోసం ఒక విలువను ఎంచుకోండి దయచేసి {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,అన్ని చిరునామాలు.
DocType: Company,Stock Settings,స్టాక్ సెట్టింగ్స్
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","క్రింది రెండు లక్షణాలతో రికార్డులలో అదే ఉంటే విలీనం మాత్రమే సాధ్యమవుతుంది. గ్రూప్ రూట్ రకం, కంపెనీ"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","క్రింది రెండు లక్షణాలతో రికార్డులలో అదే ఉంటే విలీనం మాత్రమే సాధ్యమవుతుంది. గ్రూప్ రూట్ రకం, కంపెనీ"
DocType: Vehicle,Electric,ఎలక్ట్రిక్
DocType: Task,% Progress,% ప్రోగ్రెస్
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,ఆస్తి తొలగింపు లాభపడిన / నష్టం
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,ఆస్తి తొలగింపు లాభపడిన / నష్టం
DocType: Training Event,Will send an email about the event to employees with status 'Open',హోదాతో ఉద్యోగులకు ఈవెంట్ గురించి ఒక ఇమెయిల్ పంపుతుంది 'ఓపెన్'
DocType: Task,Depends on Tasks,విధులు ఆధారపడి
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,కస్టమర్ గ్రూప్ ట్రీ నిర్వహించండి.
@@ -2544,7 +2557,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,కొత్త ఖర్చు సెంటర్ పేరు
DocType: Leave Control Panel,Leave Control Panel,కంట్రోల్ ప్యానెల్ వదిలి
DocType: Project,Task Completion,టాస్క్ పూర్తి
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,కాదు స్టాక్
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,కాదు స్టాక్
DocType: Appraisal,HR User,ఆర్ వాడుకరి
DocType: Purchase Invoice,Taxes and Charges Deducted,పన్నులు మరియు ఆరోపణలు తగ్గించబడుతూ
apps/erpnext/erpnext/hooks.py +116,Issues,ఇష్యూస్
@@ -2555,22 +2568,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},తోబుట్టువుల జీతం స్లిప్ మధ్య దొరకలేదు {0} మరియు {1}
,Pending SO Items For Purchase Request,కొనుగోలు అభ్యర్థన SO పెండింగ్లో ఉన్న అంశాలు
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,స్టూడెంట్ అడ్మిషన్స్
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} నిలిపివేయబడింది
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} నిలిపివేయబడింది
DocType: Supplier,Billing Currency,బిల్లింగ్ కరెన్సీ
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,ఎక్స్ ట్రా లార్జ్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,ఎక్స్ ట్రా లార్జ్
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,మొత్తం ఆకులు
,Profit and Loss Statement,లాభం మరియు నష్టం స్టేట్మెంట్
DocType: Bank Reconciliation Detail,Cheque Number,ప్రిపే సంఖ్య
,Sales Browser,సేల్స్ బ్రౌజర్
DocType: Journal Entry,Total Credit,మొత్తం క్రెడిట్
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},హెచ్చరిక: మరో {0} # {1} స్టాక్ ప్రవేశానికి వ్యతిరేకంగా ఉంది {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,స్థానిక
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,స్థానిక
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),రుణాలు మరియు అడ్వాన్సెస్ (ఆస్తులు)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,రుణగ్రస్తులు
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,పెద్ద
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,పెద్ద
DocType: Homepage Featured Product,Homepage Featured Product,హోమ్పేజీ ఫీచర్ ఉత్పత్తి
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,అన్ని అసెస్మెంట్ గుంపులు
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,అన్ని అసెస్మెంట్ గుంపులు
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,న్యూ వేర్హౌస్ పేరు
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),మొత్తం {0} ({1})
DocType: C-Form Invoice Detail,Territory,భూభాగం
@@ -2580,12 +2593,12 @@
DocType: Production Order Operation,Planned Start Time,అనుకున్న ప్రారంభ సమయం
DocType: Course,Assessment,అసెస్మెంట్
DocType: Payment Entry Reference,Allocated,కేటాయించిన
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Close బ్యాలెన్స్ షీట్ మరియు పుస్తకం లాభం లేదా నష్టం.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Close బ్యాలెన్స్ షీట్ మరియు పుస్తకం లాభం లేదా నష్టం.
DocType: Student Applicant,Application Status,ధరఖాస్తు
DocType: Fees,Fees,ఫీజు
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ఎక్స్చేంజ్ రేట్ మరొక లోకి ఒక కరెన్సీ మార్చేందుకు పేర్కొనండి
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,కొటేషన్ {0} రద్దు
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,మొత్తం అసాధారణ మొత్తాన్ని
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,మొత్తం అసాధారణ మొత్తాన్ని
DocType: Sales Partner,Targets,టార్గెట్స్
DocType: Price List,Price List Master,ధర జాబితా మాస్టర్
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,మీరు సెట్ మరియు లక్ష్యాలు మానిటర్ విధంగా అన్ని సేల్స్ లావాదేవీలు బహుళ ** సేల్స్ పర్సన్స్ ** వ్యతిరేకంగా ట్యాగ్ చేయవచ్చు.
@@ -2617,11 +2630,11 @@
1. Address and Contact of your Company.","ప్రామాణిక నిబంధనలు మరియు సేల్స్ అండ్ కొనుగోళ్లు చేర్చవచ్చు పరిస్థితిలు. ఉదాహరణలు: ఆఫర్ 1. చెల్లుబాటు. 1. చెల్లింపు నిబంధనలు (క్రెడిట్ న అడ్వాన్సు భాగం పంచుకున్నారు ముందుగానే etc). 1. అదనపు (లేదా కస్టమర్ ద్వారా చెల్లించవలసిన) ఏమిటి. 1. భద్రత / వాడుక హెచ్చరిక. 1. వారంటీ ఏదైనా ఉంటే. 1. విధానం రిటర్న్స్. షిప్పింగ్ 1. నిబంధనలు వర్తిస్తే. వివాదాలు ప్రసంగిస్తూ నష్టపరిహారం, బాధ్యత 1. వేస్, మొదలైనవి 1. చిరునామా మరియు మీ సంస్థ సంప్రదించండి."
DocType: Attendance,Leave Type,లీవ్ టైప్
DocType: Purchase Invoice,Supplier Invoice Details,సరఫరాదారు ఇన్వాయిస్ వివరాలు
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,ఖర్చుల / తేడా ఖాతా ({0}) ఒక 'లాభం లేదా నష్టం ఖాతా ఉండాలి
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,ఖర్చుల / తేడా ఖాతా ({0}) ఒక 'లాభం లేదా నష్టం ఖాతా ఉండాలి
DocType: Project,Copied From,నుండి కాపీ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},దోషం: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,కొరత
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} సంబంధం లేదు {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} సంబంధం లేదు {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,ఉద్యోగి {0} కోసం హాజరు ఇప్పటికే గుర్తించబడింది
DocType: Packing Slip,If more than one package of the same type (for print),ఉంటే ఒకే రకమైన ఒకటి కంటే ఎక్కువ ప్యాకేజీ (ముద్రణ కోసం)
,Salary Register,జీతం నమోదు
@@ -2639,22 +2652,23 @@
,Requested Qty,అభ్యర్థించిన ప్యాక్ చేసిన అంశాల
DocType: Tax Rule,Use for Shopping Cart,షాపింగ్ కార్ట్ ఉపయోగించండి
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},విలువ {0} లక్షణం కోసం {1} లేదు చెల్లదు అంశం జాబితాలో ఉనికిలో అంశం లక్షణం విలువలు {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,సీరియల్ సంఖ్యలు ఎంచుకోండి
DocType: BOM Item,Scrap %,స్క్రాప్%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","ఆరోపణలు ఎంత మీ ఎంపిక ప్రకారం, అంశం అంశాల లేదా మొత్తం ఆధారంగా పంపిణీ చేయబడుతుంది"
DocType: Maintenance Visit,Purposes,ప్రయోజనాల
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,కనీసం ఒక అంశం తిరిగి పత్రంలో ప్రతికూల పరిమాణం తో నమోదు చేయాలి
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,కనీసం ఒక అంశం తిరిగి పత్రంలో ప్రతికూల పరిమాణం తో నమోదు చేయాలి
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","ఆపరేషన్ {0} వర్క్స్టేషన్ ఏ అందుబాటులో పని గంటల కంటే ఎక్కువ {1}, బహుళ కార్యకలాపాలు లోకి ఆపరేషన్ విచ్ఛిన్నం"
,Requested,అభ్యర్థించిన
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,సంఖ్య వ్యాఖ్యలు
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,సంఖ్య వ్యాఖ్యలు
DocType: Purchase Invoice,Overdue,మీరిన
DocType: Account,Stock Received But Not Billed,స్టాక్ అందుకుంది కానీ బిల్ చేయబడలేదు
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,రూటు ఖాతా సమూహం ఉండాలి
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,రూటు ఖాతా సమూహం ఉండాలి
DocType: Fees,FEE.,రుసుము.
DocType: Employee Loan,Repaid/Closed,తిరిగి చెల్లించడం / ముగించబడినది
DocType: Item,Total Projected Qty,మొత్తం అంచనా ప్యాక్ చేసిన అంశాల
DocType: Monthly Distribution,Distribution Name,పంపిణీ పేరు
DocType: Course,Course Code,కోర్సు కోడ్
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},అంశం కోసం అవసరం నాణ్యత తనిఖీ {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},అంశం కోసం అవసరం నాణ్యత తనిఖీ {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,ఇది కస్టమర్ యొక్క కరెన్సీ రేటుపై కంపెనీ బేస్ కరెన్సీ మార్చబడుతుంది
DocType: Purchase Invoice Item,Net Rate (Company Currency),నికర రేటు (కంపెనీ కరెన్సీ)
DocType: Salary Detail,Condition and Formula Help,కండిషన్ మరియు ఫార్ములా సహాయం
@@ -2667,27 +2681,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,తయారీ కోసం మెటీరియల్ ట్రాన్స్ఫర్
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,డిస్కౌంట్ శాతం ఒక ధర జాబితా వ్యతిరేకంగా లేదా అన్ని ధర జాబితా కోసం గాని అన్వయించవచ్చు.
DocType: Purchase Invoice,Half-yearly,సగం వార్షిక
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,స్టాక్ కోసం అకౌంటింగ్ ఎంట్రీ
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,స్టాక్ కోసం అకౌంటింగ్ ఎంట్రీ
DocType: Vehicle Service,Engine Oil,ఇంజన్ ఆయిల్
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,దయచేసి సెటప్ను ఉద్యోగి మానవ వనరుల వ్యవస్థ నామకరణ> ఆర్ సెట్టింగులు
DocType: Sales Invoice,Sales Team1,సేల్స్ team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,అంశం {0} ఉనికిలో లేదు
DocType: Sales Invoice,Customer Address,కస్టమర్ చిరునామా
DocType: Employee Loan,Loan Details,లోన్ వివరాలు
+DocType: Company,Default Inventory Account,డిఫాల్ట్ ఇన్వెంటరీ ఖాతా
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,రో {0}: పూర్తి ప్యాక్ చేసిన అంశాల సున్నా కంటే ఎక్కువ ఉండాలి.
DocType: Purchase Invoice,Apply Additional Discount On,అదనపు డిస్కౌంట్ న వర్తించు
DocType: Account,Root Type,రూట్ రకం
DocType: Item,FIFO,ఎఫ్ఐఎఫ్ఓ
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},రో # {0}: కంటే తిరిగి కాంట్ {1} అంశం కోసం {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},రో # {0}: కంటే తిరిగి కాంట్ {1} అంశం కోసం {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,ప్లాట్
DocType: Item Group,Show this slideshow at the top of the page,పేజీ ఎగువన ఈ స్లైడ్ చూపించు
DocType: BOM,Item UOM,అంశం UoM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),డిస్కౌంట్ మొత్తాన్ని తర్వాత పన్ను మొత్తం (కంపెనీ కరెన్సీ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},టార్గెట్ గిడ్డంగి వరుసగా తప్పనిసరి {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},టార్గెట్ గిడ్డంగి వరుసగా తప్పనిసరి {0}
DocType: Cheque Print Template,Primary Settings,ప్రాథమిక సెట్టింగులు
DocType: Purchase Invoice,Select Supplier Address,సరఫరాదారు అడ్రస్ ఎంచుకోండి
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,ఉద్యోగులను జోడించు
DocType: Purchase Invoice Item,Quality Inspection,నాణ్యత తనిఖీ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,అదనపు చిన్న
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,అదనపు చిన్న
DocType: Company,Standard Template,ప్రామాణిక మూస
DocType: Training Event,Theory,థియరీ
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,హెచ్చరిక: Qty అభ్యర్థించిన మెటీరియల్ కనీస ఆర్డర్ ప్యాక్ చేసిన అంశాల కంటే తక్కువ
@@ -2695,7 +2711,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,సంస్థ చెందిన ఖాతాల ప్రత్యేక చార్ట్ తో లీగల్ సంస్థ / అనుబంధ.
DocType: Payment Request,Mute Email,మ్యూట్ ఇమెయిల్
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","ఫుడ్, బేవరేజ్ పొగాకు"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},మాత్రమే వ్యతిరేకంగా చెల్లింపు చేయవచ్చు unbilled {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},మాత్రమే వ్యతిరేకంగా చెల్లింపు చేయవచ్చు unbilled {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,కమిషన్ రేటు కంటే ఎక్కువ 100 ఉండకూడదు
DocType: Stock Entry,Subcontract,Subcontract
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,ముందుగా {0} నమోదు చేయండి
@@ -2708,18 +2724,18 @@
DocType: SMS Log,No of Sent SMS,పంపిన SMS సంఖ్య
DocType: Account,Expense Account,అధిక వ్యయ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,సాఫ్ట్వేర్
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,కలర్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,కలర్
DocType: Assessment Plan Criteria,Assessment Plan Criteria,అసెస్మెంట్ ప్రణాళిక ప్రమాణం
DocType: Training Event,Scheduled,షెడ్యూల్డ్
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,కొటేషన్ కోసం అభ్యర్థన.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",""నో" మరియు "సేల్స్ అంశం" "స్టాక్ అంశం ఏమిటంటే" పేరు "అవును" ఉంది అంశాన్ని ఎంచుకుని, ఏ ఇతర ఉత్పత్తి కట్ట ఉంది దయచేసి"
DocType: Student Log,Academic,అకడమిక్
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),మొత్తం ముందుగానే ({0}) ఉత్తర్వు మీద {1} గ్రాండ్ మొత్తం కన్నా ఎక్కువ ఉండకూడదు ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),మొత్తం ముందుగానే ({0}) ఉత్తర్వు మీద {1} గ్రాండ్ మొత్తం కన్నా ఎక్కువ ఉండకూడదు ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,అసమానంగా నెలల అంతటా లక్ష్యాలను పంపిణీ మంత్లీ పంపిణీ ఎంచుకోండి.
DocType: Purchase Invoice Item,Valuation Rate,వాల్యువేషన్ రేటు
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,డీజిల్
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,ధర జాబితా కరెన్సీ ఎంపిక లేదు
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,ధర జాబితా కరెన్సీ ఎంపిక లేదు
,Student Monthly Attendance Sheet,స్టూడెంట్ మంత్లీ హాజరు షీట్
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Employee {0} ఇప్పటికే దరఖాస్తు చేశారు {1} మధ్య {2} మరియు {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,ప్రాజెక్ట్ ప్రారంభ తేదీ
@@ -2731,7 +2747,7 @@
DocType: BOM,Scrap,స్క్రాప్
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,సేల్స్ భాగస్వాములు నిర్వహించండి.
DocType: Quality Inspection,Inspection Type,ఇన్స్పెక్షన్ టైప్
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,ఉన్న లావాదేవీతో గిడ్డంగులు సమూహం మార్చబడతాయి కాదు.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,ఉన్న లావాదేవీతో గిడ్డంగులు సమూహం మార్చబడతాయి కాదు.
DocType: Assessment Result Tool,Result HTML,ఫలితం HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,గడువు ముగిసేది
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,స్టూడెంట్స్ జోడించండి
@@ -2739,13 +2755,13 @@
DocType: C-Form,C-Form No,సి ఫారం లేవు
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,పేరుపెట్టని హాజరు
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,పరిశోధకులు
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,పరిశోధకులు
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,ప్రోగ్రామ్ నమోదు టూల్ విద్యార్థి
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,పేరు లేదా ఇమెయిల్ తప్పనిసరి
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,ఇన్కమింగ్ నాణ్యత తనిఖీ.
DocType: Purchase Order Item,Returned Qty,తిరిగి ప్యాక్ చేసిన అంశాల
DocType: Employee,Exit,నిష్క్రమణ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,రూట్ టైప్ తప్పనిసరి
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,రూట్ టైప్ తప్పనిసరి
DocType: BOM,Total Cost(Company Currency),మొత్తం వ్యయం (కంపెనీ కరెన్సీ)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,{0} రూపొందించినవారు సీరియల్ లేవు
DocType: Homepage,Company Description for website homepage,వెబ్సైట్ హోమ్ కోసం కంపెనీ వివరణ
@@ -2754,7 +2770,7 @@
DocType: Sales Invoice,Time Sheet List,సమయం షీట్ జాబితా
DocType: Employee,You can enter any date manually,మీరు మానవీయంగా ఏ తేదీ నమోదు చేయవచ్చు
DocType: Asset Category Account,Depreciation Expense Account,అరుగుదల వ్యయం ఖాతా
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,ప్రొబేషనరీ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,ప్రొబేషనరీ
DocType: Customer Group,Only leaf nodes are allowed in transaction,కేవలం ఆకు నోడ్స్ లావాదేవీ అనుమతించబడతాయి
DocType: Expense Claim,Expense Approver,ఖర్చుల అప్రూవర్గా
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,రో {0}: కస్టమర్ వ్యతిరేకంగా అడ్వాన్స్ క్రెడిట్ ఉండాలి
@@ -2767,10 +2783,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,కోర్సు షెడ్యూల్స్ తొలగించారు:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,SMS పంపిణీ స్థితి నిర్వహించాల్సిన దినచర్య
DocType: Accounts Settings,Make Payment via Journal Entry,జర్నల్ ఎంట్రీ ద్వారా చెల్లింపు చేయండి
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,ప్రింటెడ్ న
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,ప్రింటెడ్ న
DocType: Item,Inspection Required before Delivery,ఇన్స్పెక్షన్ డెలివరీ ముందు అవసరం
DocType: Item,Inspection Required before Purchase,తనిఖీ కొనుగోలు ముందు అవసరం
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,పెండింగ్ చర్యలు
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,మీ ఆర్గనైజేషన్
DocType: Fee Component,Fees Category,ఫీజు వర్గం
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,తేదీ ఉపశమనం ఎంటర్ చెయ్యండి.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,ఆంట్
@@ -2780,9 +2797,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,క్రమాన్ని మార్చు స్థాయి
DocType: Company,Chart Of Accounts Template,అకౌంట్స్ మూస చార్ట్
DocType: Attendance,Attendance Date,హాజరు తేదీ
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},అంశం ధర {0} లో ధర జాబితా కోసం నవీకరించబడింది {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},అంశం ధర {0} లో ధర జాబితా కోసం నవీకరించబడింది {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,ఎర్నింగ్ మరియు తీసివేత ఆధారంగా జీతం విడిపోవటం.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,పిల్లల నోడ్స్ తో ఖాతా లెడ్జర్ మార్చబడతాయి కాదు
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,పిల్లల నోడ్స్ తో ఖాతా లెడ్జర్ మార్చబడతాయి కాదు
DocType: Purchase Invoice Item,Accepted Warehouse,అంగీకరించిన వేర్హౌస్
DocType: Bank Reconciliation Detail,Posting Date,పోస్ట్ చేసిన తేదీ
DocType: Item,Valuation Method,మదింపు పద్ధతి
@@ -2791,14 +2808,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,నకిలీ ఎంట్రీ
DocType: Program Enrollment Tool,Get Students,స్టూడెంట్స్ పొందండి
DocType: Serial No,Under Warranty,వారంటీ కింద
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[లోపం]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[లోపం]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,మీరు అమ్మకాల ఉత్తర్వు సేవ్ ఒకసారి వర్డ్స్ కనిపిస్తుంది.
,Employee Birthday,Employee పుట్టినరోజు
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,స్టూడెంట్ బ్యాచ్ హాజరు టూల్
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,పరిమితి దాటి
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,పరిమితి దాటి
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,వెంచర్ కాపిటల్
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,ఈ 'విద్యా సంవత్సరం' ఒక విద్యాపరమైన పదం {0} మరియు 'టర్మ్ పేరు' {1} ఇప్పటికే ఉంది. ఈ ప్రవేశాలు మార్చి మళ్ళీ ప్రయత్నించండి.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","అంశం {0} వ్యతిరేకంగా ఇప్పటికే లావాదేవీలు ఉన్నాయి, మీరు విలువ మార్చలేరు {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","అంశం {0} వ్యతిరేకంగా ఇప్పటికే లావాదేవీలు ఉన్నాయి, మీరు విలువ మార్చలేరు {1}"
DocType: UOM,Must be Whole Number,మొత్తం సంఖ్య ఉండాలి
DocType: Leave Control Panel,New Leaves Allocated (In Days),(రోజుల్లో) కేటాయించిన కొత్త ఆకులు
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,సీరియల్ లేవు {0} ఉనికిలో లేదు
@@ -2807,6 +2824,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,ఇన్వాయిస్ సంఖ్యా
DocType: Shopping Cart Settings,Orders,ఆర్డర్స్
DocType: Employee Leave Approver,Leave Approver,అప్రూవర్గా వదిలి
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,దయచేసి బ్యాచ్ ఎంచుకోండి
DocType: Assessment Group,Assessment Group Name,అసెస్మెంట్ గ్రూప్ పేరు
DocType: Manufacturing Settings,Material Transferred for Manufacture,మెటీరియల్ తయారీకి బదిలీ
DocType: Expense Claim,"A user with ""Expense Approver"" role","ఖర్చుల అప్రూవర్గా" పాత్ర తో ఒక వినియోగదారు
@@ -2816,9 +2834,10 @@
DocType: Target Detail,Target Detail,టార్గెట్ వివరాలు
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,అన్ని ఉద్యోగాలు
DocType: Sales Order,% of materials billed against this Sales Order,పదార్థాల% ఈ అమ్మకాల ఆర్డర్ వ్యతిరేకంగా బిల్
+DocType: Program Enrollment,Mode of Transportation,రవాణా విధానం
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,కాలం ముగింపు ఎంట్రీ
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,ఉన్న లావాదేవీలతో ఖర్చు సెంటర్ సమూహం మార్చబడతాయి కాదు
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},మొత్తం {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},మొత్తం {0} {1} {2} {3}
DocType: Account,Depreciation,అరుగుదల
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),సరఫరాదారు (లు)
DocType: Employee Attendance Tool,Employee Attendance Tool,ఉద్యోగి హాజరు టూల్
@@ -2826,7 +2845,7 @@
DocType: Supplier,Credit Limit,క్రెడిట్ పరిమితి
DocType: Production Plan Sales Order,Salse Order Date,Salse ఆర్డర్ తేదీ
DocType: Salary Component,Salary Component,జీతం భాగం
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,చెల్లింపు ఎంట్రీలు {0} అన్ చేయబడినాయి
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,చెల్లింపు ఎంట్రీలు {0} అన్ చేయబడినాయి
DocType: GL Entry,Voucher No,ఓచర్ లేవు
,Lead Owner Efficiency,జట్టు యజమాని సమర్థత
DocType: Leave Allocation,Leave Allocation,కేటాయింపు వదిలి
@@ -2837,11 +2856,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,నిబంధనలు ఒప్పందం మూస.
DocType: Purchase Invoice,Address and Contact,చిరునామా మరియు సంప్రదించు
DocType: Cheque Print Template,Is Account Payable,ఖాతా చెల్లించవలసిన ఉంది
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},స్టాక్ కొనుగోలు స్వీకరణపై వ్యతిరేకంగా నవీకరించడం సాధ్యపడదు {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},స్టాక్ కొనుగోలు స్వీకరణపై వ్యతిరేకంగా నవీకరించడం సాధ్యపడదు {0}
DocType: Supplier,Last Day of the Next Month,వచ్చే నెల చివరి డే
DocType: Support Settings,Auto close Issue after 7 days,7 రోజుల తరువాత ఆటో దగ్గరగా ఇష్యూ
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","ముందు కేటాయించబడతాయి కాదు వదిలేయండి {0}, సెలవు సంతులనం ఇప్పటికే క్యారీ-ఫార్వార్డ్ భవిష్యత్తులో సెలవు కేటాయింపు రికార్డు ఉన్నాడు, {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),గమనిక: కారణంగా / సూచన తేదీ {0} రోజు ద్వారా అనుమతి కస్టమర్ క్రెడిట్ రోజుల మించి (లు)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),గమనిక: కారణంగా / సూచన తేదీ {0} రోజు ద్వారా అనుమతి కస్టమర్ క్రెడిట్ రోజుల మించి (లు)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,స్టూడెంట్ దరఖాస్తుదారు
DocType: Asset Category Account,Accumulated Depreciation Account,పోగుచేసిన తరుగుదల ఖాతా
DocType: Stock Settings,Freeze Stock Entries,ఫ్రీజ్ స్టాక్ ఎంట్రీలు
@@ -2850,35 +2869,35 @@
DocType: Activity Cost,Billing Rate,బిల్లింగ్ రేటు
,Qty to Deliver,పంపిణీ చేయడానికి అంశాల
,Stock Analytics,స్టాక్ Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,ఆపరేషన్స్ ఖాళీగా కాదు
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,ఆపరేషన్స్ ఖాళీగా కాదు
DocType: Maintenance Visit Purpose,Against Document Detail No,డాక్యుమెంట్ వివరాలు వ్యతిరేకంగా ఏ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,పార్టీ టైప్ తప్పనిసరి
DocType: Quality Inspection,Outgoing,అవుట్గోయింగ్
DocType: Material Request,Requested For,కోసం అభ్యర్థించిన
DocType: Quotation Item,Against Doctype,Doctype వ్యతిరేకంగా
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} రద్దు లేదా మూసివేయబడింది
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} రద్దు లేదా మూసివేయబడింది
DocType: Delivery Note,Track this Delivery Note against any Project,ఏ ప్రాజెక్టు వ్యతిరేకంగా ఈ డెలివరీ గమనిక ట్రాక్
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,ఇన్వెస్టింగ్ నుండి నికర నగదు
-,Is Primary Address,ప్రాథమిక చిరునామా
DocType: Production Order,Work-in-Progress Warehouse,పని లో ప్రోగ్రెస్ వేర్హౌస్
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,ఆస్తి {0} సమర్పించాలి
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},హాజరు రికార్డ్ {0} విద్యార్థి వ్యతిరేకంగా ఉంది {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},హాజరు రికార్డ్ {0} విద్యార్థి వ్యతిరేకంగా ఉంది {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},సూచన # {0} నాటి {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,అరుగుదల కారణంగా ఆస్తులు పారవేయడం కు తొలగించబడ్డాడు
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,చిరునామాలు నిర్వహించండి
DocType: Asset,Item Code,Item కోడ్
DocType: Production Planning Tool,Create Production Orders,ఉత్పత్తి ఆర్డర్స్ సృష్టించు
DocType: Serial No,Warranty / AMC Details,వారంటీ / AMC వివరాలు
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,కార్యాచరణ ఆధారంగా గ్రూప్ కోసం మానవీయంగా విద్యార్థులు ఎంచుకోండి
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,కార్యాచరణ ఆధారంగా గ్రూప్ కోసం మానవీయంగా విద్యార్థులు ఎంచుకోండి
DocType: Journal Entry,User Remark,వాడుకరి వ్యాఖ్య
DocType: Lead,Market Segment,మార్కెట్ విభాగానికీ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},మొత్తం చెల్లించారు మొత్తం ప్రతికూల అసాధారణ మొత్తం కంటే ఎక్కువ ఉండకూడదు {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},మొత్తం చెల్లించారు మొత్తం ప్రతికూల అసాధారణ మొత్తం కంటే ఎక్కువ ఉండకూడదు {0}
DocType: Employee Internal Work History,Employee Internal Work History,Employee అంతర్గత వర్క్ చరిత్ర
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),మూసివేయడం (డాక్టర్)
DocType: Cheque Print Template,Cheque Size,ప్రిపే సైజు
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,లేదు స్టాక్ సీరియల్ లేవు {0}
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,లావాదేవీలు అమ్మకం పన్ను టెంప్లేట్.
DocType: Sales Invoice,Write Off Outstanding Amount,అత్యుత్తమ మొత్తం ఆఫ్ వ్రాయండి
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},ఖాతా {0} కంపెనీతో సరిపోలడం లేదు {1}
DocType: School Settings,Current Academic Year,ప్రస్తుత విద్యా సంవత్సరం
DocType: Stock Settings,Default Stock UOM,డిఫాల్ట్ స్టాక్ UoM
DocType: Asset,Number of Depreciations Booked,Depreciations సంఖ్య బుక్
@@ -2893,27 +2912,27 @@
DocType: Asset,Double Declining Balance,డబుల్ తగ్గుతున్న సంతులనం
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,క్లోజ్డ్ క్రమంలో రద్దు చేయబడదు. రద్దు Unclose.
DocType: Student Guardian,Father,తండ్రి
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'సరిచేయబడిన స్టాక్' స్థిర ఆస్తి అమ్మకం కోసం తనిఖీ చెయ్యబడదు
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'సరిచేయబడిన స్టాక్' స్థిర ఆస్తి అమ్మకం కోసం తనిఖీ చెయ్యబడదు
DocType: Bank Reconciliation,Bank Reconciliation,బ్యాంక్ సయోధ్య
DocType: Attendance,On Leave,సెలవులో ఉన్నాను
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,నవీకరణలు పొందండి
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: ఖాతా {2} కంపెనీ చెందదు {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,మెటీరియల్ అభ్యర్థన {0} రద్దు లేదా ఆగిపోయిన
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,కొన్ని నమూనా రికార్డులు జోడించండి
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,కొన్ని నమూనా రికార్డులు జోడించండి
apps/erpnext/erpnext/config/hr.py +301,Leave Management,మేనేజ్మెంట్ వదిలి
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,ఖాతా గ్రూప్
DocType: Sales Order,Fully Delivered,పూర్తిగా పంపిణీ
DocType: Lead,Lower Income,తక్కువ ఆదాయ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},మూల మరియు లక్ష్య గిడ్డంగి వరుసగా ఒకే ఉండకూడదు {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},మూల మరియు లక్ష్య గిడ్డంగి వరుసగా ఒకే ఉండకూడదు {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","ఈ స్టాక్ సయోధ్య ఒక ప్రారంభ ఎంట్రీ నుండి తేడా ఖాతా, ఒక ఆస్తి / బాధ్యత రకం ఖాతా ఉండాలి"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},పంపించబడతాయి మొత్తాన్ని రుణ మొత్తం కంటే ఎక్కువ ఉండకూడదు {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},అంశం అవసరం ఆర్డర్ సంఖ్య కొనుగోలు {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,ఉత్పత్తి ఆర్డర్ సృష్టించలేదు
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},అంశం అవసరం ఆర్డర్ సంఖ్య కొనుగోలు {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,ఉత్పత్తి ఆర్డర్ సృష్టించలేదు
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','తేదీ నుండి' తర్వాత 'తేదీ' ఉండాలి
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},విద్యార్థిగా స్థితిని మార్చలేరు {0} విద్యార్ధి అప్లికేషన్ ముడిపడి ఉంటుంది {1}
DocType: Asset,Fully Depreciated,పూర్తిగా విలువ తగ్గుతున్న
,Stock Projected Qty,స్టాక్ ప్యాక్ చేసిన అంశాల ప్రొజెక్టెడ్
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},చెందదు {0} కస్టమర్ ప్రొజెక్ట్ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},చెందదు {0} కస్టమర్ ప్రొజెక్ట్ {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,గుర్తించ హాజరు HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","సుభాషితాలు, ప్రతిపాదనలు ఉన్నాయి మీరు మీ వినియోగదారులకు పంపారు వేలం"
DocType: Sales Order,Customer's Purchase Order,కస్టమర్ యొక్క కొనుగోలు ఆర్డర్
@@ -2922,33 +2941,33 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,అంచనా ప్రమాణం స్కోర్లు మొత్తం {0} ఉండాలి.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,దయచేసి Depreciations సంఖ్య బుక్ సెట్
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,విలువ లేదా ప్యాక్ చేసిన అంశాల
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,ప్రొడక్షన్స్ ఆర్డర్స్ పెంచుతాడు సాధ్యం కాదు:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,నిమిషం
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,ప్రొడక్షన్స్ ఆర్డర్స్ పెంచుతాడు సాధ్యం కాదు:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,నిమిషం
DocType: Purchase Invoice,Purchase Taxes and Charges,పన్నులు మరియు ఆరోపణలు కొనుగోలు
,Qty to Receive,స్వీకరించడానికి అంశాల
DocType: Leave Block List,Leave Block List Allowed,బ్లాక్ జాబితా అనుమతించబడినవి వదిలి
DocType: Grading Scale Interval,Grading Scale Interval,గ్రేడింగ్ స్కేల్ ఇంటర్వెల్
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},వాహనం లోనికి ప్రవేశించండి వ్యయం దావా {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,లాభాలతో ధర జాబితా రేటు తగ్గింపు (%)
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,అన్ని గిడ్డంగులు
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,అన్ని గిడ్డంగులు
DocType: Sales Partner,Retailer,రీటైలర్
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,ఖాతాకు క్రెడిట్ బాలన్స్ షీట్ ఖాతా ఉండాలి
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,ఖాతాకు క్రెడిట్ బాలన్స్ షీట్ ఖాతా ఉండాలి
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,అన్ని సరఫరాదారు రకాలు
DocType: Global Defaults,Disable In Words,వర్డ్స్ ఆపివేయి
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,వస్తువు దానంతటదే లెక్కించబడ్డాయి లేదు ఎందుకంటే Item కోడ్ తప్పనిసరి
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,వస్తువు దానంతటదే లెక్కించబడ్డాయి లేదు ఎందుకంటే Item కోడ్ తప్పనిసరి
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},కొటేషన్ {0} కాదు రకం {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,నిర్వహణ షెడ్యూల్ అంశం
DocType: Sales Order,% Delivered,% పంపిణీ
DocType: Production Order,PRO-,ప్రో-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,బ్యాంక్ ఓవర్డ్రాఫ్ట్ ఖాతా
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,బ్యాంక్ ఓవర్డ్రాఫ్ట్ ఖాతా
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,వేతనం స్లిప్ చేయండి
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,రో # {0}: కేటాయించిన సొమ్ము బాకీ మొత్తం కంటే ఎక్కువ ఉండకూడదు.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,బ్రౌజ్ BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,సెక్యూర్డ్ లోన్స్
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,సెక్యూర్డ్ లోన్స్
DocType: Purchase Invoice,Edit Posting Date and Time,పోస్ట్ చేసిన తేదీ మరియు సమయం మార్చు
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},ఆస్తి వర్గం {0} లేదా కంపెనీ లో అరుగుదల సంబంధించిన అకౌంట్స్ సెట్ దయచేసి {1}
DocType: Academic Term,Academic Year,విద్యా సంవత్సరం
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,ఓపెనింగ్ సంతులనం ఈక్విటీ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,ఓపెనింగ్ సంతులనం ఈక్విటీ
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,అప్రైసల్
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},సరఫరాదారు పంపిన ఇమెయిల్ {0}
@@ -2964,7 +2983,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,రోల్ ఆమోదిస్తోంది పాలన వర్తిస్తుంది పాత్ర అదే ఉండకూడదు
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,ఈ ఇమెయిల్ డైజెస్ట్ నుండి సభ్యత్వాన్ని రద్దు
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,సందేశం పంపబడింది
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,పిల్లల నోడ్స్ తో ఖాతా లెడ్జర్ సెట్ కాదు
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,పిల్లల నోడ్స్ తో ఖాతా లెడ్జర్ సెట్ కాదు
DocType: C-Form,II,రెండవ
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,రేటు ధర జాబితా కరెన్సీ కస్టమర్ యొక్క బేస్ కరెన్సీ మార్చబడుతుంది
DocType: Purchase Invoice Item,Net Amount (Company Currency),నికర మొత్తం (కంపెనీ కరెన్సీ)
@@ -2998,7 +3017,7 @@
DocType: Expense Claim,Approval Status,ఆమోద స్థితి
DocType: Hub Settings,Publish Items to Hub,హబ్ కు అంశాలను ప్రచురించడానికి
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},విలువ వరుసగా విలువ కంటే తక్కువ ఉండాలి నుండి {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,వైర్ ట్రాన్స్ఫర్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,వైర్ ట్రాన్స్ఫర్
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,అన్ని తనిఖీ
DocType: Vehicle Log,Invoice Ref,వాయిస్ Ref
DocType: Purchase Order,Recurring Order,పునరావృత ఆర్డర్
@@ -3011,51 +3030,54 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,బ్యాంకింగ్ మరియు చెల్లింపులు
,Welcome to ERPNext,ERPNext కు స్వాగతం
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,కొటేషన్ దారి
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,ఇంకేమీ చూపించడానికి.
DocType: Lead,From Customer,కస్టమర్ నుండి
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,కాల్స్
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,కాల్స్
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,వంతులవారీగా
DocType: Project,Total Costing Amount (via Time Logs),మొత్తం వ్యయంతో మొత్తం (టైమ్ దినచర్య ద్వారా)
DocType: Purchase Order Item Supplied,Stock UOM,స్టాక్ UoM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,ఆర్డర్ {0} సమర్పించిన లేదు కొనుగోలు
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,ఆర్డర్ {0} సమర్పించిన లేదు కొనుగోలు
DocType: Customs Tariff Number,Tariff Number,టారిఫ్ సంఖ్య
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,ప్రొజెక్టెడ్
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},సీరియల్ లేవు {0} వేర్హౌస్ చెందినది కాదు {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,గమనిక: {0} పరిమాణం లేదా మొత్తం 0 డెలివరీ ఓవర్ మరియు ఓవర్ బుకింగ్ అంశం కోసం సిస్టమ్ తనిఖీ చెయ్యదు
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,గమనిక: {0} పరిమాణం లేదా మొత్తం 0 డెలివరీ ఓవర్ మరియు ఓవర్ బుకింగ్ అంశం కోసం సిస్టమ్ తనిఖీ చెయ్యదు
DocType: Notification Control,Quotation Message,కొటేషన్ సందేశం
DocType: Employee Loan,Employee Loan Application,ఉద్యోగి లోన్ అప్లికేషన్
DocType: Issue,Opening Date,ప్రారంభ తేదీ
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,హాజరు విజయవంతంగా మార్క్ చెయ్యబడింది.
+DocType: Program Enrollment,Public Transport,ప్రజా రవాణా
DocType: Journal Entry,Remark,వ్యాఖ్యలపై
DocType: Purchase Receipt Item,Rate and Amount,రేటు మరియు పరిమాణం
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},ఖాతా రకం కోసం {0} ఉండాలి {1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,ఆకులు మరియు హాలిడే
DocType: School Settings,Current Academic Term,ప్రస్తుత విద్యా టర్మ్
DocType: Sales Order,Not Billed,బిల్ చేయబడలేదు
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,రెండు వేర్హౌస్ అదే కంపెనీకి చెందిన ఉండాలి
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,పరిచయాలు లేవు ఇంకా జోడించారు.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,రెండు వేర్హౌస్ అదే కంపెనీకి చెందిన ఉండాలి
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,పరిచయాలు లేవు ఇంకా జోడించారు.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,అడుగుపెట్టాయి ఖర్చు ఓచర్ మొత్తం
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,సప్లయర్స్ పెంచింది బిల్లులు.
DocType: POS Profile,Write Off Account,ఖాతా ఆఫ్ వ్రాయండి
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,డెబిట్ గమనిక ఆంట్
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,డిస్కౌంట్ మొత్తం
DocType: Purchase Invoice,Return Against Purchase Invoice,ఎగైనెస్ట్ కొనుగోలు వాయిస్ తిరిగి
DocType: Item,Warranty Period (in days),(రోజుల్లో) వారంటీ వ్యవధి
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Guardian1 తో రిలేషన్
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1 తో రిలేషన్
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,ఆపరేషన్స్ నుండి నికర నగదు
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,ఉదా వేట్
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,ఉదా వేట్
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,అంశం 4
DocType: Student Admission,Admission End Date,అడ్మిషన్ ముగింపు తేదీ
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,సబ్ కాంట్రాక్టు
DocType: Journal Entry Account,Journal Entry Account,జర్నల్ ఎంట్రీ ఖాతా
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,స్టూడెంట్ గ్రూప్
DocType: Shopping Cart Settings,Quotation Series,కొటేషన్ సిరీస్
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","ఒక అంశం అదే పేరుతో ({0}), అంశం గుంపు పేరు మార్చడానికి లేదా అంశం పేరు దయచేసి"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,దయచేసి కస్టమర్ ఎంచుకోండి
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","ఒక అంశం అదే పేరుతో ({0}), అంశం గుంపు పేరు మార్చడానికి లేదా అంశం పేరు దయచేసి"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,దయచేసి కస్టమర్ ఎంచుకోండి
DocType: C-Form,I,నేను
DocType: Company,Asset Depreciation Cost Center,ఆస్తి అరుగుదల వ్యయ కేంద్రం
DocType: Sales Order Item,Sales Order Date,సేల్స్ ఆర్డర్ తేదీ
DocType: Sales Invoice Item,Delivered Qty,పంపిణీ ప్యాక్ చేసిన అంశాల
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","తనిఖీ చేస్తే, ప్రతి ఉత్పత్తి అంశాన్ని లందరును మెటీరియల్ రిక్వెస్ట్ చేర్చబడుతుంది."
DocType: Assessment Plan,Assessment Plan,అసెస్మెంట్ ప్రణాళిక
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,వేర్హౌస్ {0}: కంపనీ తప్పనిసరి
DocType: Stock Settings,Limit Percent,పరిమితి శాతం
,Payment Period Based On Invoice Date,వాయిస్ తేదీ ఆధారంగా చెల్లింపు కాలం
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},తప్పిపోయిన కరెన్సీ మారక {0}
@@ -3067,7 +3089,7 @@
DocType: Vehicle,Insurance Details,భీమా వివరాలు
DocType: Account,Payable,చెల్లించవలసిన
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,తిరిగి చెల్లించే కాలాలు నమోదు చేయండి
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),రుణగ్రస్తులు ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),రుణగ్రస్తులు ({0})
DocType: Pricing Rule,Margin,మార్జిన్
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,కొత్త వినియోగదారులు
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,స్థూల లాభం%
@@ -3078,16 +3100,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,పార్టీ తప్పనిసరి
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,టాపిక్ పేరు
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,సెల్లింగ్ లేదా కొనుగోలు కనీసం ఒక ఎంపిక చేయాలి
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,మీ వ్యాపార స్వభావం ఎంచుకోండి.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,సెల్లింగ్ లేదా కొనుగోలు కనీసం ఒక ఎంపిక చేయాలి
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,మీ వ్యాపార స్వభావం ఎంచుకోండి.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},రో # {0}: సూచనలు లో ఎంట్రీ నకిలీ {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,ఉత్పాదక కార్యకలాపాల ఎక్కడ నిర్వహిస్తున్నారు.
DocType: Asset Movement,Source Warehouse,మూల వేర్హౌస్
DocType: Installation Note,Installation Date,సంస్థాపన తేదీ
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},రో # {0}: ఆస్తి {1} లేదు కంపెనీకి చెందిన లేదు {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},రో # {0}: ఆస్తి {1} లేదు కంపెనీకి చెందిన లేదు {2}
DocType: Employee,Confirmation Date,నిర్ధారణ తేదీ
DocType: C-Form,Total Invoiced Amount,మొత్తం ఇన్వాయిస్ మొత్తం
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min ప్యాక్ చేసిన అంశాల మాక్స్ ప్యాక్ చేసిన అంశాల కంటే ఎక్కువ ఉండకూడదు
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Min ప్యాక్ చేసిన అంశాల మాక్స్ ప్యాక్ చేసిన అంశాల కంటే ఎక్కువ ఉండకూడదు
DocType: Account,Accumulated Depreciation,పోగుచేసిన తరుగుదల
DocType: Stock Entry,Customer or Supplier Details,కస్టమర్ లేదా సరఫరాదారు వివరాలు
DocType: Employee Loan Application,Required by Date,తేదీ ద్వారా అవసరం
@@ -3108,22 +3130,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,మంత్లీ పంపిణీ శాతం
DocType: Territory,Territory Targets,భూభాగం టార్గెట్స్
DocType: Delivery Note,Transporter Info,ట్రాన్స్పోర్టర్ సమాచారం
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},డిఫాల్ట్ {0} లో కంపెనీ సెట్ దయచేసి {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},డిఫాల్ట్ {0} లో కంపెనీ సెట్ దయచేసి {1}
DocType: Cheque Print Template,Starting position from top edge,టాప్ అంచు నుండి ప్రారంభ స్థానం
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,అదే సరఫరాదారు అనేకసార్లు నమోదు చేసిన
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,స్థూల లాభం / నష్టం
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,ఆర్డర్ అంశం పంపినవి కొనుగోలు
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,కంపెనీ పేరు కంపెనీ ఉండకూడదు
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,కంపెనీ పేరు కంపెనీ ఉండకూడదు
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,ముద్రణ టెంప్లేట్లు లెటర్ హెడ్స్.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,ముద్రణ టెంప్లేట్లు కోసం శీర్షికలు ప్రొఫార్మా ఇన్వాయిస్ ఉదా.
DocType: Student Guardian,Student Guardian,స్టూడెంట్ గార్డియన్
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,వాల్యువేషన్ రకం ఆరోపణలు ఇన్క్లుసివ్ వంటి గుర్తించబడిన చేయవచ్చు
DocType: POS Profile,Update Stock,నవీకరణ స్టాక్
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,సరఫరాదారు> సరఫరాదారు టైప్
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"అంశాలు, వివిధ UoM తప్పు (మొత్తం) నికర బరువు విలువ దారి తీస్తుంది. ప్రతి అంశం యొక్క నికర బరువు అదే UoM లో ఉంది నిర్ధారించుకోండి."
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,బిఒఎం రేటు
DocType: Asset,Journal Entry for Scrap,స్క్రాప్ జర్నల్ ఎంట్రీ
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,డెలివరీ గమనిక అంశాలను తీసి దయచేసి
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,జర్నల్ ఎంట్రీలు {0}-అన్ జత చేయబడినాయి
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,జర్నల్ ఎంట్రీలు {0}-అన్ జత చేయబడినాయి
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","రకం ఇమెయిల్, ఫోన్, చాట్, సందర్శన, మొదలైనవి అన్ని కమ్యూనికేషన్స్ రికార్డ్"
DocType: Manufacturer,Manufacturers used in Items,వాడబడేది తయారీదారులు
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,కంపెనీ లో రౌండ్ ఆఫ్ కాస్ట్ సెంటర్ చెప్పలేదు దయచేసి
@@ -3170,33 +3193,33 @@
DocType: Sales Order Item,Supplier delivers to Customer,సరఫరాదారు కస్టమర్ కు అందిస్తాడు
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (# ఫారం / అంశం / {0}) స్టాక్ ముగిసింది
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,తదుపరి తేదీ వ్యాఖ్యలు తేదీ కంటే ఎక్కువ ఉండాలి
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,షో పన్ను విడిపోవడానికి
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},కారణంగా / సూచన తేదీ తర్వాత ఉండకూడదు {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,షో పన్ను విడిపోవడానికి
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},కారణంగా / సూచన తేదీ తర్వాత ఉండకూడదు {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,డేటా దిగుమతి మరియు ఎగుమతి
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","స్టాక్ ఎంట్రీలు అందుకే మీరు తిరిగి కేటాయించి లేదా సవరించడానికి కాదు, వేర్హౌస్ {0} వ్యతిరేకంగా ఉనికిలో"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,తోబుట్టువుల విద్యార్థులు దొరకలేదు
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,తోబుట్టువుల విద్యార్థులు దొరకలేదు
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,వాయిస్ పోస్టింగ్ తేదీ
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,సెల్
DocType: Sales Invoice,Rounded Total,నున్నటి మొత్తం
DocType: Product Bundle,List items that form the package.,ప్యాకేజీ రూపొందించే జాబితా అంశాలను.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,శాతం కేటాయింపు 100% సమానంగా ఉండాలి
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,దయచేసి పార్టీ ఎంచుకోవడం ముందు పోస్టింగ్ తేదిని ఎంచుకోండి
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,దయచేసి పార్టీ ఎంచుకోవడం ముందు పోస్టింగ్ తేదిని ఎంచుకోండి
DocType: Program Enrollment,School House,స్కూల్ హౌస్
DocType: Serial No,Out of AMC,AMC యొక్క అవుట్
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,దయచేసి కొటేషన్స్ ఎంచుకోండి
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,దయచేసి కొటేషన్స్ ఎంచుకోండి
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,బుక్ Depreciations సంఖ్య Depreciations మొత్తం సంఖ్య కంటే ఎక్కువ ఉండకూడదు
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,నిర్వహణ సందర్శించండి చేయండి
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,సేల్స్ మాస్టర్ మేనేజర్ {0} పాత్ర కలిగిన వినియోగదారుకు సంప్రదించండి
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,సేల్స్ మాస్టర్ మేనేజర్ {0} పాత్ర కలిగిన వినియోగదారుకు సంప్రదించండి
DocType: Company,Default Cash Account,డిఫాల్ట్ నగదు ఖాతా
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,కంపెనీ (కాదు కస్టమర్ లేదా సరఫరాదారు) మాస్టర్.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,ఈ ఈ విద్యార్థి హాజరు ఆధారంగా
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,స్టూడెంట్స్ లో లేవు
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,స్టూడెంట్స్ లో లేవు
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,మరింత అంశాలు లేదా ఓపెన్ పూర్తి రూపం జోడించండి
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date','ఊహించినది డెలివరీ తేదీ' నమోదు చేయండి
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,డెలివరీ గమనికలు {0} ఈ అమ్మకాల ఆర్డర్ రద్దు ముందే రద్దు చేయాలి
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,చెల్లించిన మొత్తం పరిమాణం గ్రాండ్ మొత్తం కంటే ఎక్కువ ఉండకూడదు ఆఫ్ వ్రాయండి +
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,చెల్లించిన మొత్తం పరిమాణం గ్రాండ్ మొత్తం కంటే ఎక్కువ ఉండకూడదు ఆఫ్ వ్రాయండి +
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} అంశం కోసం ఒక చెల్లుబాటులో బ్యాచ్ సంఖ్య కాదు {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},గమనిక: లీవ్ పద్ధతి కోసం తగినంత సెలవు సంతులనం లేదు {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,చెల్లని GSTIN లేదా నమోదుకాని కోసం NA ఎంటర్
DocType: Training Event,Seminar,సెమినార్
DocType: Program Enrollment Fee,Program Enrollment Fee,ప్రోగ్రామ్ నమోదు రుసుము
DocType: Item,Supplier Items,సరఫరాదారు అంశాలు
@@ -3222,28 +3245,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,ఐటమ్ 3
DocType: Purchase Order,Customer Contact Email,కస్టమర్ సంప్రదించండి ఇమెయిల్
DocType: Warranty Claim,Item and Warranty Details,అంశం మరియు వారంటీ వివరాలు
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,అంశం code> అంశం గ్రూప్> బ్రాండ్
DocType: Sales Team,Contribution (%),కాంట్రిబ్యూషన్ (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,గమనిక: చెల్లింపు ఎంట్రీ నుండి రూపొందించినవారు కాదు 'నగదు లేదా బ్యాంక్ ఖాతా' పేర్కొనబడలేదు
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,తప్పనిసరి కోర్సులు పొందడంలో ప్రోగ్రామ్ ఎంచుకోండి.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,తప్పనిసరి కోర్సులు పొందడంలో ప్రోగ్రామ్ ఎంచుకోండి.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,బాధ్యతలు
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,బాధ్యతలు
DocType: Expense Claim Account,Expense Claim Account,ఖర్చు చెప్పడం ఖాతా
DocType: Sales Person,Sales Person Name,సేల్స్ పర్సన్ పేరు
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,పట్టిక కనీసం 1 ఇన్వాయిస్ నమోదు చేయండి
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,వినియోగదారులను జోడించండి
DocType: POS Item Group,Item Group,అంశం గ్రూప్
DocType: Item,Safety Stock,భద్రత స్టాక్
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,కార్యానికి ప్రోగ్రెస్% కంటే ఎక్కువ 100 ఉండకూడదు.
DocType: Stock Reconciliation Item,Before reconciliation,సయోధ్య ముందు
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},కు {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),పన్నులు మరియు ఆరోపణలు చేర్చబడింది (కంపెనీ కరెన్సీ)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,అంశం పన్ను రో {0} రకం పన్ను లేదా ఆదాయం వ్యయం లేదా విధింపదగిన యొక్క ఖాతా ఉండాలి
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,అంశం పన్ను రో {0} రకం పన్ను లేదా ఆదాయం వ్యయం లేదా విధింపదగిన యొక్క ఖాతా ఉండాలి
DocType: Sales Order,Partly Billed,పాక్షికంగా గుర్తింపు పొందిన
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,అంశం {0} ఒక స్థిర ఆస్తి అంశం ఉండాలి
DocType: Item,Default BOM,డిఫాల్ట్ BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,తిరిగి రకం కంపెనీ పేరు నిర్ధారించడానికి దయచేసి
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,మొత్తం అద్భుతమైన ఆంట్
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,డెబిట్ గమనిక మొత్తం
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,తిరిగి రకం కంపెనీ పేరు నిర్ధారించడానికి దయచేసి
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,మొత్తం అద్భుతమైన ఆంట్
DocType: Journal Entry,Printing Settings,ప్రింటింగ్ సెట్టింగ్స్
DocType: Sales Invoice,Include Payment (POS),చెల్లింపు చేర్చండి (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},మొత్తం డెబిట్ మొత్తం క్రెడిట్ సమానంగా ఉండాలి. తేడా {0}
@@ -3257,16 +3277,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,అందుబాటులో ఉంది:
DocType: Notification Control,Custom Message,కస్టమ్ సందేశం
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,ఇన్వెస్ట్మెంట్ బ్యాంకింగ్
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,నగదు లేదా బ్యాంక్ ఖాతా చెల్లింపు ప్రవేశం చేయడానికి తప్పనిసరి
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,స్టూడెంట్ అడ్రస్
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,స్టూడెంట్ అడ్రస్
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,నగదు లేదా బ్యాంక్ ఖాతా చెల్లింపు ప్రవేశం చేయడానికి తప్పనిసరి
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,దయచేసి సెటప్ను> సెటప్ ద్వారా హాజరు ధారావాహిక సంఖ్యలో నంబరింగ్ సిరీస్
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,స్టూడెంట్ అడ్రస్
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,స్టూడెంట్ అడ్రస్
DocType: Purchase Invoice,Price List Exchange Rate,ధర జాబితా ఎక్స్చేంజ్ రేట్
DocType: Purchase Invoice Item,Rate,రేటు
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,ఇంటర్న్
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,చిరునామా పేరు
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,ఇంటర్న్
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,చిరునామా పేరు
DocType: Stock Entry,From BOM,బిఒఎం నుండి
DocType: Assessment Code,Assessment Code,అసెస్మెంట్ కోడ్
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,ప్రాథమిక
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,ప్రాథమిక
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,{0} స్తంభింప ముందు స్టాక్ లావాదేవీలు
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule','రూపొందించండి షెడ్యూల్' క్లిక్ చేయండి
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","ఉదా కిలోల యూనిట్, నాస్, m"
@@ -3276,11 +3297,11 @@
DocType: Salary Slip,Salary Structure,జీతం నిర్మాణం
DocType: Account,Bank,బ్యాంక్
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,వైనానిక
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,ఇష్యూ మెటీరియల్
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,ఇష్యూ మెటీరియల్
DocType: Material Request Item,For Warehouse,వేర్హౌస్ కోసం
DocType: Employee,Offer Date,ఆఫర్ తేదీ
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,కొటేషన్స్
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,మీరు ఆఫ్లైన్ మోడ్లో ఉన్నాయి. మీరు నెట్వర్కు వరకు రీలోడ్ చేయలేరు.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,మీరు ఆఫ్లైన్ మోడ్లో ఉన్నాయి. మీరు నెట్వర్కు వరకు రీలోడ్ చేయలేరు.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,తోబుట్టువుల స్టూడెంట్ గ్రూప్స్ రూపొందించినవారు.
DocType: Purchase Invoice Item,Serial No,సీరియల్ లేవు
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,మంత్లీ నంతవరకు మొత్తాన్ని రుణ మొత్తం కంటే ఎక్కువ ఉండకూడదు
@@ -3288,8 +3309,8 @@
DocType: Purchase Invoice,Print Language,ప్రింట్ భాషా
DocType: Salary Slip,Total Working Hours,మొత్తం వర్కింగ్ అవర్స్
DocType: Stock Entry,Including items for sub assemblies,ఉప శాసనసభలకు అంశాలు సహా
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,ఎంటర్ విలువ సానుకూల ఉండాలి
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,అన్ని ప్రాంతాలు
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,ఎంటర్ విలువ సానుకూల ఉండాలి
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,అన్ని ప్రాంతాలు
DocType: Purchase Invoice,Items,అంశాలు
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,విద్యార్థిని అప్పటికే చేరతాడు.
DocType: Fiscal Year,Year Name,ఇయర్ పేరు
@@ -3308,10 +3329,10 @@
DocType: Issue,Opening Time,ప్రారంభ సమయం
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,నుండి మరియు అవసరమైన తేదీలు
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,సెక్యూరిటీస్ అండ్ కమోడిటీ ఎక్స్చేంజెస్
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',వేరియంట్ కోసం మెజర్ అప్రమేయ యూనిట్ '{0}' మూస లో అదే ఉండాలి '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',వేరియంట్ కోసం మెజర్ అప్రమేయ యూనిట్ '{0}' మూస లో అదే ఉండాలి '{1}'
DocType: Shipping Rule,Calculate Based On,బేస్డ్ న లెక్కించు
DocType: Delivery Note Item,From Warehouse,గిడ్డంగి నుండి
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,మెటీరియల్స్ బిల్ తో ఏ ఐటంలు తయారీకి
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,మెటీరియల్స్ బిల్ తో ఏ ఐటంలు తయారీకి
DocType: Assessment Plan,Supervisor Name,సూపర్వైజర్ పేరు
DocType: Program Enrollment Course,Program Enrollment Course,ప్రోగ్రామ్ ఎన్రోల్మెంట్ కోర్సు
DocType: Program Enrollment Course,Program Enrollment Course,ప్రోగ్రామ్ ఎన్రోల్మెంట్ కోర్సు
@@ -3327,18 +3348,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'లాస్ట్ ఆర్డర్ నుండి డేస్' సున్నా కంటే ఎక్కువ లేదా సమానంగా ఉండాలి
DocType: Process Payroll,Payroll Frequency,పేరోల్ ఫ్రీక్వెన్సీ
DocType: Asset,Amended From,సవరించిన
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,ముడి సరుకు
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,ముడి సరుకు
DocType: Leave Application,Follow via Email,ఇమెయిల్ ద్వారా అనుసరించండి
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,మొక్కలు మరియు Machineries
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,మొక్కలు మరియు Machineries
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,డిస్కౌంట్ మొత్తాన్ని తర్వాత పన్ను సొమ్ము
DocType: Daily Work Summary Settings,Daily Work Summary Settings,డైలీ వర్క్ సారాంశం సెట్టింగులు
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},ధర జాబితా {0} యొక్క ద్రవ్యం ఎంచుకున్న కరెన్సీతో పోలి కాదు {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},ధర జాబితా {0} యొక్క ద్రవ్యం ఎంచుకున్న కరెన్సీతో పోలి కాదు {1}
DocType: Payment Entry,Internal Transfer,అంతర్గత బదిలీ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,చైల్డ్ ఖాతా ఈ ఖాతా అవసరమయ్యారు. మీరు ఈ ఖాతా తొలగించలేరు.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,చైల్డ్ ఖాతా ఈ ఖాతా అవసరమయ్యారు. మీరు ఈ ఖాతా తొలగించలేరు.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,గాని లక్ష్యాన్ని అంశాల లేదా లక్ష్యం మొత్తం తప్పనిసరి
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},డిఫాల్ట్ BOM అంశం కోసం ఉంది {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},డిఫాల్ట్ BOM అంశం కోసం ఉంది {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,మొదటి పోస్టింగ్ తేదీ దయచేసి ఎంచుకోండి
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,తేదీ తెరవడం తేదీ మూసివేయడం ముందు ఉండాలి
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} సెటప్> సెట్టింగ్స్ ద్వారా> నామకరణ సిరీస్ నామకరణ సెట్ దయచేసి
DocType: Leave Control Panel,Carry Forward,కుంటున్న
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,ఉన్న లావాదేవీలతో ఖర్చు సెంటర్ లెడ్జర్ మార్చబడతాయి కాదు
DocType: Department,Days for which Holidays are blocked for this department.,రోజులు సెలవులు ఈ విభాగం కోసం బ్లాక్ చేయబడతాయి.
@@ -3348,11 +3370,10 @@
DocType: Issue,Raised By (Email),లేవనెత్తారు (ఇమెయిల్)
DocType: Training Event,Trainer Name,శిక్షణ పేరు
DocType: Mode of Payment,General,జనరల్
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,లెటర్హెడ్ అటాచ్
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,చివరి కమ్యూనికేషన్
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,చివరి కమ్యూనికేషన్
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',వర్గం 'వాల్యువేషన్' లేదా 'వాల్యుయేషన్ మరియు సంపూర్ణమైనది' కోసం ఉన్నప్పుడు తీసివేయు కాదు
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","మీ పన్ను తలలు జాబితా (ఉదా వ్యాట్ కస్టమ్స్ etc; వారు ఏకైక పేర్లు ఉండాలి) మరియు వారి ప్రామాణిక రేట్లు. ఈ మీరు సవరించవచ్చు మరియు తరువాత జోడించవచ్చు ఇది ఒక ప్రామాణిక టెంప్లేట్, సృష్టిస్తుంది."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","మీ పన్ను తలలు జాబితా (ఉదా వ్యాట్ కస్టమ్స్ etc; వారు ఏకైక పేర్లు ఉండాలి) మరియు వారి ప్రామాణిక రేట్లు. ఈ మీరు సవరించవచ్చు మరియు తరువాత జోడించవచ్చు ఇది ఒక ప్రామాణిక టెంప్లేట్, సృష్టిస్తుంది."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},సీరియల్ అంశం కోసం సీరియల్ మేము అవసరం {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,రసీదులు చెల్లింపుల మ్యాచ్
DocType: Journal Entry,Bank Entry,బ్యాంక్ ఎంట్రీ
@@ -3361,16 +3382,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,కార్ట్ జోడించు
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,గ్రూప్ ద్వారా
DocType: Guardian,Interests,అభిరుచులు
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,/ డిసేబుల్ కరెన్సీలు ప్రారంభించు.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,/ డిసేబుల్ కరెన్సీలు ప్రారంభించు.
DocType: Production Planning Tool,Get Material Request,మెటీరియల్ అభ్యర్థన పొందండి
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,పోస్టల్ ఖర్చులు
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,పోస్టల్ ఖర్చులు
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),మొత్తం (ఆంట్)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,వినోదం & లీజర్
DocType: Quality Inspection,Item Serial No,అంశం సీరియల్ లేవు
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,ఉద్యోగి రికార్డ్స్ సృష్టించండి
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,మొత్తం ప్రెజెంట్
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,అకౌంటింగ్ ప్రకటనలు
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,అవర్
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,అవర్
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,కొత్త సీరియల్ లేవు వేర్హౌస్ కలిగి చేయవచ్చు. వేర్హౌస్ స్టాక్ ఎంట్రీ లేదా కొనుగోలు రసీదులు ద్వారా ఏర్పాటు చేయాలి
DocType: Lead,Lead Type,లీడ్ టైప్
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,మీరు బ్లాక్ తేదీలు ఆకులు ఆమోదించడానికి అధికారం లేదు
@@ -3382,6 +3403,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,భర్తీ తర్వాత కొత్త BOM
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,అమ్మకానికి పాయింట్
DocType: Payment Entry,Received Amount,అందుకున్న మొత్తం
+DocType: GST Settings,GSTIN Email Sent On,GSTIN ఇమెయిల్ పంపించే
+DocType: Program Enrollment,Pick/Drop by Guardian,/ గార్డియన్ ద్వారా డ్రాప్ ఎంచుకోండి
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","ఆర్డర్ మీద ఇప్పటికే పరిమాణం విస్మరించి, పూర్తి పరిమాణం సృష్టించండి"
DocType: Account,Tax,పన్ను
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,గుర్తించబడిన
@@ -3395,7 +3418,7 @@
DocType: Batch,Source Document Name,మూల డాక్యుమెంట్ పేరు
DocType: Job Opening,Job Title,ఉద్యోగ శీర్షిక
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,యూజర్లను సృష్టించండి
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,గ్రామ
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,గ్రామ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,తయారీకి పరిమాణం 0 కన్నా ఎక్కువ ఉండాలి.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,నిర్వహణ కాల్ కోసం నివేదిక సందర్శించండి.
DocType: Stock Entry,Update Rate and Availability,నవీకరణ రేటు మరియు అందుబాటు
@@ -3403,7 +3426,7 @@
DocType: POS Customer Group,Customer Group,కస్టమర్ గ్రూప్
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),న్యూ బ్యాచ్ ID (ఆప్షనల్)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),న్యూ బ్యాచ్ ID (ఆప్షనల్)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},ఖర్చు ఖాతా అంశం తప్పనిసరి {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},ఖర్చు ఖాతా అంశం తప్పనిసరి {0}
DocType: BOM,Website Description,వెబ్సైట్ వివరణ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,ఈక్విటీ నికర మార్పు
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,మొదటి కొనుగోలు వాయిస్ {0} రద్దు చేయండి
@@ -3413,8 +3436,8 @@
,Sales Register,సేల్స్ నమోదు
DocType: Daily Work Summary Settings Company,Send Emails At,వద్ద ఇమెయిల్స్ పంపడం
DocType: Quotation,Quotation Lost Reason,కొటేషన్ లాస్ట్ కారణము
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,మీ డొమైన్ ఎంచుకోండి
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},లావాదేవీ ప్రస్తావన {0} నాటి {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,మీ డొమైన్ ఎంచుకోండి
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},లావాదేవీ ప్రస్తావన {0} నాటి {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,సవరించడానికి ఉంది ఏమీ.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,ఈ నెల పెండింగ్ కార్యకలాపాలకు సారాంశం
DocType: Customer Group,Customer Group Name,కస్టమర్ గ్రూప్ పేరు
@@ -3422,14 +3445,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,లావాదేవి నివేదిక
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},రుణ మొత్తం గరిష్ట రుణ మొత్తం మించకూడదు {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,లైసెన్సు
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},సి ఫారం నుండి ఈ వాయిస్ {0} తొలగించడానికి దయచేసి {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},సి ఫారం నుండి ఈ వాయిస్ {0} తొలగించడానికి దయచేసి {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,మీరు కూడా గత ఆర్థిక సంవత్సరం సంతులనం ఈ ఆర్థిక సంవత్సరం ఆకులు ఉన్నాయి అనుకుంటే కుంటున్న దయచేసి ఎంచుకోండి
DocType: GL Entry,Against Voucher Type,ఓచర్ పద్ధతి వ్యతిరేకంగా
DocType: Item,Attributes,గుణాలు
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,ఖాతా ఆఫ్ వ్రాయండి నమోదు చేయండి
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,ఖాతా ఆఫ్ వ్రాయండి నమోదు చేయండి
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,చివరి ఆర్డర్ తేదీ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},ఖాతా {0} చేస్తుంది కంపెనీ చెందినవి కాదు {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,వరుసగా {0} లో సీరియల్ సంఖ్యలు డెలివరీ గమనిక సరిపోలడం లేదు
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,వరుసగా {0} లో సీరియల్ సంఖ్యలు డెలివరీ గమనిక సరిపోలడం లేదు
DocType: Student,Guardian Details,గార్డియన్ వివరాలు
DocType: C-Form,C-Form,సి ఫారం
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,బహుళ ఉద్యోగులకు మార్క్ హాజరు
@@ -3444,16 +3467,16 @@
DocType: Budget Account,Budget Amount,బడ్జెట్ మొత్తం
DocType: Appraisal Template,Appraisal Template Title,అప్రైసల్ మూస శీర్షిక
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},తేదీ నుండి {0} ఎంప్లాయ్ {1} ఉద్యోగి చేరిన తేదీ ముందు ఉండకూడదు {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,కమర్షియల్స్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,కమర్షియల్స్
DocType: Payment Entry,Account Paid To,ఖాతా చెల్లింపు
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,మాతృ అంశం {0} స్టాక్ అంశం ఉండకూడదు
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,అన్ని ఉత్పత్తులు లేదా సేవలు.
DocType: Expense Claim,More Details,మరిన్ని వివరాలు
DocType: Supplier Quotation,Supplier Address,సరఫరాదారు చిరునామా
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} ఖాతా కోసం బడ్జెట్ {1} వ్యతిరేకంగా {2} {3} ఉంది {4}. ఇది మించి {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',రో {0} # ఖాతా రకం ఉండాలి 'స్థిర ఆస్తి'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,ప్యాక్ చేసిన అంశాల అవుట్
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,నిబంధనలు అమ్మకానికి షిప్పింగ్ మొత్తం లెక్కించేందుకు
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',రో {0} # ఖాతా రకం ఉండాలి 'స్థిర ఆస్తి'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,ప్యాక్ చేసిన అంశాల అవుట్
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,నిబంధనలు అమ్మకానికి షిప్పింగ్ మొత్తం లెక్కించేందుకు
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,సిరీస్ తప్పనిసరి
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,ఫైనాన్షియల్ సర్వీసెస్
DocType: Student Sibling,Student ID,విద్యార్థి ID
@@ -3461,13 +3484,13 @@
DocType: Tax Rule,Sales,సేల్స్
DocType: Stock Entry Detail,Basic Amount,ప్రాథమిక సొమ్ము
DocType: Training Event,Exam,పరీక్షా
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},వేర్హౌస్ స్టాక్ అంశం అవసరం {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},వేర్హౌస్ స్టాక్ అంశం అవసరం {0}
DocType: Leave Allocation,Unused leaves,ఉపయోగించని ఆకులు
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,బిల్లింగ్ రాష్ట్రం
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,ట్రాన్స్ఫర్
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} పార్టీ ఖాతాతో అనుబంధితమైన లేదు {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),(ఉప అసెంబ్లీలను సహా) పేలింది BOM పొందు
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} పార్టీ ఖాతాతో అనుబంధితమైన లేదు {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),(ఉప అసెంబ్లీలను సహా) పేలింది BOM పొందు
DocType: Authorization Rule,Applicable To (Employee),వర్తించదగిన (ఉద్యోగి)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,గడువు తేదీ తప్పనిసరి
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,గుణానికి పెంపు {0} 0 ఉండకూడదు
@@ -3495,7 +3518,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,రా మెటీరియల్ Item కోడ్
DocType: Journal Entry,Write Off Based On,బేస్డ్ న ఆఫ్ వ్రాయండి
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,లీడ్ చేయండి
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,ముద్రణ మరియు స్టేషనరీ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,ముద్రణ మరియు స్టేషనరీ
DocType: Stock Settings,Show Barcode Field,షో బార్కోడ్ ఫీల్డ్
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,సరఫరాదారు ఇమెయిల్స్ పంపడం
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","జీతం ఇప్పటికే మధ్య {0} మరియు {1}, అప్లికేషన్ కాలం వదిలి ఈ తేదీ పరిధి మధ్య ఉండకూడదు కాలానికి ప్రాసెస్."
@@ -3503,14 +3526,16 @@
DocType: Guardian Interest,Guardian Interest,గార్డియన్ వడ్డీ
apps/erpnext/erpnext/config/hr.py +177,Training,శిక్షణ
DocType: Timesheet,Employee Detail,ఉద్యోగి వివరాలు
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 ఇమెయిల్ ID
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 ఇమెయిల్ ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 ఇమెయిల్ ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 ఇమెయిల్ ID
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,తదుపరి తేదీ రోజు మరియు నెల దినాన రిపీట్ సమానంగా ఉండాలి
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,వెబ్సైట్ హోమ్ కోసం సెట్టింగులు
DocType: Offer Letter,Awaiting Response,రెస్పాన్స్ వేచిఉండి
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,పైన
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,పైన
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},చెల్లని లక్షణం {0} {1}
DocType: Supplier,Mention if non-standard payable account,చెప్పలేదు ప్రామాణికం కాని చెల్లించవలసిన ఖాతా ఉంటే
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},అదే అంశం అనేకసార్లు ఎంటర్ చెయ్యబడింది. {జాబితా}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',దయచేసి 'అన్ని అసెస్మెంట్ గుంపులు' కంటే ఇతర అంచనా సమూహం ఎంచుకోండి
DocType: Salary Slip,Earning & Deduction,ఎర్నింగ్ & తీసివేత
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,ఐచ్ఛికము. ఈ సెట్టింగ్ వివిధ లావాదేవీలలో ఫిల్టర్ ఉపయోగించబడుతుంది.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,ప్రతికూల వాల్యువేషన్ రేటు అనుమతి లేదు
@@ -3524,9 +3549,9 @@
DocType: Sales Invoice,Product Bundle Help,ఉత్పత్తి కట్ట సహాయం
,Monthly Attendance Sheet,మంత్లీ హాజరు షీట్
DocType: Production Order Item,Production Order Item,ఉత్పత్తి ఆర్డర్ అంశం
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,నగరాలు ఏవీ లేవు రికార్డు
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,నగరాలు ఏవీ లేవు రికార్డు
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,చిత్తు ఆస్తి యొక్క ధర
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: కాస్ట్ సెంటర్ అంశం తప్పనిసరి {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: కాస్ట్ సెంటర్ అంశం తప్పనిసరి {2}
DocType: Vehicle,Policy No,విధానం లేవు
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,ఉత్పత్తి కట్ట నుండి అంశాలు పొందండి
DocType: Asset,Straight Line,సరళ రేఖ
@@ -3535,7 +3560,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,స్ప్లిట్
DocType: GL Entry,Is Advance,అడ్వాన్స్ ఉంది
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,తేదీ తేదీ మరియు హాజరును హాజరు తప్పనిసరి
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,"అవును లేదా సంఖ్య వంటి 'బహుకరించింది, మరలా ఉంది' నమోదు చేయండి"
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,"అవును లేదా సంఖ్య వంటి 'బహుకరించింది, మరలా ఉంది' నమోదు చేయండి"
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,చివరి కమ్యూనికేషన్ తేదీ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,చివరి కమ్యూనికేషన్ తేదీ
DocType: Sales Team,Contact No.,సంప్రదించండి నం
@@ -3564,60 +3589,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,ఓపెనింగ్ విలువ
DocType: Salary Detail,Formula,ఫార్ములా
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,సీరియల్ #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,సేల్స్ కమిషన్
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,సేల్స్ కమిషన్
DocType: Offer Letter Term,Value / Description,విలువ / వివరణ
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","రో # {0}: ఆస్తి {1} సమర్పించిన కాదు, అది ఇప్పటికే ఉంది {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","రో # {0}: ఆస్తి {1} సమర్పించిన కాదు, అది ఇప్పటికే ఉంది {2}"
DocType: Tax Rule,Billing Country,బిల్లింగ్ దేశం
DocType: Purchase Order Item,Expected Delivery Date,ఊహించినది డెలివరీ తేదీ
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,డెబిట్ మరియు క్రెడిట్ {0} # సమాన కాదు {1}. తేడా ఉంది {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,వినోదం ఖర్చులు
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,మెటీరియల్ అభ్యర్థన చేయడానికి
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,వినోదం ఖర్చులు
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,మెటీరియల్ అభ్యర్థన చేయడానికి
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},ఓపెన్ అంశం {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,ఈ అమ్మకాల ఆర్డర్ రద్దు ముందు వాయిస్ {0} రద్దు చేయాలి సేల్స్
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,వయసు
DocType: Sales Invoice Timesheet,Billing Amount,బిల్లింగ్ మొత్తం
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,అంశం కోసం పేర్కొన్న చెల్లని పరిమాణం {0}. పరిమాణం 0 కన్నా ఎక్కువ ఉండాలి.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,సెలవు కోసం అప్లికేషన్స్.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,ఇప్పటికే లావాదేవీతో ఖాతా తొలగించడం సాధ్యం కాదు
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,ఇప్పటికే లావాదేవీతో ఖాతా తొలగించడం సాధ్యం కాదు
DocType: Vehicle,Last Carbon Check,చివరి కార్బన్ పరిశీలించడం
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,లీగల్ ఖర్చులు
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,లీగల్ ఖర్చులు
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,దయచేసి వరుసగా న పరిమాణం ఎంచుకోండి
DocType: Purchase Invoice,Posting Time,పోస్టింగ్ సమయం
DocType: Timesheet,% Amount Billed,% మొత్తం కస్టమర్లకు
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,టెలిఫోన్ ఖర్చులు
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,టెలిఫోన్ ఖర్చులు
DocType: Sales Partner,Logo,లోగో
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,మీరు సేవ్ ముందు వరుస ఎంచుకోండి యూజర్ బలవంతం అనుకుంటే ఈ తనిఖీ. మీరు ఈ తనిఖీ ఉంటే ఏ డిఫాల్ట్ ఉంటుంది.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},సీరియల్ లేవు ఐటెమ్ను {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},సీరియల్ లేవు ఐటెమ్ను {0}
DocType: Email Digest,Open Notifications,ఓపెన్ ప్రకటనలు
DocType: Payment Entry,Difference Amount (Company Currency),తేడా మొత్తం (కంపెనీ కరెన్సీ)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,ప్రత్యక్ష ఖర్చులు
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,ప్రత్యక్ష ఖర్చులు
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} 'నోటిఫికేషన్ \ ఇమెయిల్ చిరునామాకు చెల్లని ఇమెయిల్ చిరునామా
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,కొత్త కస్టమర్ రెవెన్యూ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,ప్రయాణ ఖర్చులు
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,ప్రయాణ ఖర్చులు
DocType: Maintenance Visit,Breakdown,విభజన
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,ఖాతా: {0} కరెన్సీతో: {1} ఎంపిక సాధ్యం కాదు
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,ఖాతా: {0} కరెన్సీతో: {1} ఎంపిక సాధ్యం కాదు
DocType: Bank Reconciliation Detail,Cheque Date,ప్రిపే తేదీ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},ఖాతా {0}: మాతృ ఖాతా {1} సంస్థ చెందదు: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},ఖాతా {0}: మాతృ ఖాతా {1} సంస్థ చెందదు: {2}
DocType: Program Enrollment Tool,Student Applicants,స్టూడెంట్ దరఖాస్తుదారులు
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,విజయవంతంగా ఈ కంపెనీకి సంబంధించిన అన్ని లావాదేవీలు తొలగించబడింది!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,విజయవంతంగా ఈ కంపెనీకి సంబంధించిన అన్ని లావాదేవీలు తొలగించబడింది!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,తేదీ నాటికి
DocType: Appraisal,HR,ఆర్
DocType: Program Enrollment,Enrollment Date,నమోదు తేదీ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,పరిశీలన
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,పరిశీలన
apps/erpnext/erpnext/config/hr.py +115,Salary Components,జీతం భాగాలు
DocType: Program Enrollment Tool,New Academic Year,కొత్త విద్యా సంవత్సరం
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,రిటర్న్ / క్రెడిట్ గమనిక
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,రిటర్న్ / క్రెడిట్ గమనిక
DocType: Stock Settings,Auto insert Price List rate if missing,ఆటో చొప్పించు ధర జాబితా రేటు లేదు ఉంటే
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,మొత్తం చెల్లించిన మొత్తాన్ని
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,మొత్తం చెల్లించిన మొత్తాన్ని
DocType: Production Order Item,Transferred Qty,బదిలీ ప్యాక్ చేసిన అంశాల
apps/erpnext/erpnext/config/learn.py +11,Navigating,నావిగేట్
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,ప్లానింగ్
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,జారి చేయబడిన
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,ప్లానింగ్
+DocType: Material Request,Issued,జారి చేయబడిన
DocType: Project,Total Billing Amount (via Time Logs),మొత్తం బిల్లింగ్ మొత్తం (టైమ్ దినచర్య ద్వారా)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,మేము ఈ అంశం అమ్మే
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,సరఫరాదారు Id
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,మేము ఈ అంశం అమ్మే
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,సరఫరాదారు Id
DocType: Payment Request,Payment Gateway Details,చెల్లింపు గేట్వే వివరాలు
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,పరిమాణం 0 కన్నా ఎక్కువ ఉండాలి
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,పరిమాణం 0 కన్నా ఎక్కువ ఉండాలి
DocType: Journal Entry,Cash Entry,క్యాష్ ఎంట్రీ
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,చైల్డ్ నోడ్స్ మాత్రమే 'గ్రూప్' రకం నోడ్స్ క్రింద రూపొందించినవారు చేయవచ్చు
DocType: Leave Application,Half Day Date,హాఫ్ డే తేదీ
@@ -3629,14 +3655,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},ఖర్చుల దావా రకం లో డిఫాల్ట్ ఖాతా సెట్ దయచేసి {0}
DocType: Assessment Result,Student Name,విద్యార్థి పేరు
DocType: Brand,Item Manager,అంశం మేనేజర్
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,పేరోల్ చెల్లించవలసిన
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,పేరోల్ చెల్లించవలసిన
DocType: Buying Settings,Default Supplier Type,డిఫాల్ట్ సరఫరాదారు టైప్
DocType: Production Order,Total Operating Cost,మొత్తం నిర్వహణ వ్యయంలో
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,గమనిక: అంశం {0} అనేకసార్లు ఎంటర్
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,అన్ని కాంటాక్ట్స్.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,కంపెనీ సంక్షిప్తీకరణ
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,కంపెనీ సంక్షిప్తీకరణ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,వాడుకరి {0} ఉనికిలో లేదు
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,ముడిపదార్ధాల ప్రధాన అంశం అదే ఉండకూడదు
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,ముడిపదార్ధాల ప్రధాన అంశం అదే ఉండకూడదు
DocType: Item Attribute Value,Abbreviation,సంక్షిప్త
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,చెల్లింపు ఎంట్రీ ఇప్పటికే ఉంది
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} పరిమితులు మించిపోయింది నుండి authroized లేదు
@@ -3645,35 +3671,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,షాపింగ్ కార్ట్ సెట్ పన్ను రూల్
DocType: Purchase Invoice,Taxes and Charges Added,పన్నులు మరియు ఆరోపణలు చేర్చబడింది
,Sales Funnel,అమ్మకాల గరాటు
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,సంక్షిప్త తప్పనిసరి
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,సంక్షిప్త తప్పనిసరి
DocType: Project,Task Progress,టాస్క్ ప్రోగ్రెస్
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,కార్ట్
,Qty to Transfer,బదిలీ చేసిన అంశాల
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,లీడ్స్ లేదా వినియోగదారుడు కోట్స్.
DocType: Stock Settings,Role Allowed to edit frozen stock,పాత్ర ఘనీభవించిన స్టాక్ సవరించడానికి అనుమతించబడినవి
,Territory Target Variance Item Group-Wise,భూభాగం టార్గెట్ విస్తృతి అంశం గ్రూప్-వైజ్
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,అన్ని కస్టమర్ సమూహాలు
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,అన్ని కస్టమర్ సమూహాలు
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,పోగుచేసిన మంత్లీ
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} తప్పనిసరి. బహుశా కరెన్సీ ఎక్స్ఛేంజ్ రికార్డు {1} {2} కోసం సృష్టించబడలేదు.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} తప్పనిసరి. బహుశా కరెన్సీ ఎక్స్ఛేంజ్ రికార్డు {1} {2} కోసం సృష్టించబడలేదు.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,పన్ను మూస తప్పనిసరి.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,ఖాతా {0}: మాతృ ఖాతా {1} ఉనికిలో లేదు
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,ఖాతా {0}: మాతృ ఖాతా {1} ఉనికిలో లేదు
DocType: Purchase Invoice Item,Price List Rate (Company Currency),ధర జాబితా రేటు (కంపెనీ కరెన్సీ)
DocType: Products Settings,Products Settings,ఉత్పత్తులు సెట్టింగులు
DocType: Account,Temporary,తాత్కాలిక
DocType: Program,Courses,కోర్సులు
DocType: Monthly Distribution Percentage,Percentage Allocation,శాతం కేటాయింపు
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,కార్యదర్శి
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,కార్యదర్శి
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","డిసేబుల్ ఉన్నా, ఫీల్డ్ 'వర్డ్స్' ఏ లావాదేవీ లో కనిపించవు"
DocType: Serial No,Distinct unit of an Item,ఒక అంశం యొక్క విలక్షణ యూనిట్
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,కంపెనీ సెట్ దయచేసి
DocType: Pricing Rule,Buying,కొనుగోలు
DocType: HR Settings,Employee Records to be created by,Employee రికార్డ్స్ ద్వారా సృష్టించబడుతుంది
DocType: POS Profile,Apply Discount On,డిస్కౌంట్ న వర్తించు
,Reqd By Date,Reqd తేదీ ద్వారా
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,రుణదాతల
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,రుణదాతల
DocType: Assessment Plan,Assessment Name,అసెస్మెంట్ పేరు
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,రో # {0}: సీరియల్ సంఖ్య తప్పనిసరి ఉంది
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,అంశం వైజ్ పన్ను వివరాలు
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,ఇన్స్టిట్యూట్ సంక్షిప్తీకరణ
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,ఇన్స్టిట్యూట్ సంక్షిప్తీకరణ
,Item-wise Price List Rate,అంశం వారీగా ధర జాబితా రేటు
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,సరఫరాదారు కొటేషన్
DocType: Quotation,In Words will be visible once you save the Quotation.,మీరు కొటేషన్ సేవ్ ఒకసారి వర్డ్స్ కనిపిస్తుంది.
@@ -3681,14 +3708,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},మొత్తము ({0}) వరుసలో ఒక భిన్నం ఉండకూడదు {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,ఫీజు సేకరించండి
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},బార్కోడ్ {0} ఇప్పటికే అంశం ఉపయోగిస్తారు {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},బార్కోడ్ {0} ఇప్పటికే అంశం ఉపయోగిస్తారు {1}
DocType: Lead,Add to calendar on this date,ఈ తేదీ క్యాలెండర్ జోడించండి
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,షిప్పింగ్ ఖర్చులు జోడించడం కోసం రూల్స్.
DocType: Item,Opening Stock,తెరవడం స్టాక్
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,కస్టమర్ అవసరం
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} రిటర్న్ తప్పనిసరి
DocType: Purchase Order,To Receive,అందుకోవడం
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,వ్యక్తిగత ఇమెయిల్
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,మొత్తం మార్పులలో
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","ప్రారంభించబడితే, సిస్టమ్ స్వయంచాలకంగా జాబితా కోసం అకౌంటింగ్ ఎంట్రీలు పోస్ట్ ఉంటుంది."
@@ -3699,13 +3725,14 @@
DocType: Customer,From Lead,లీడ్ నుండి
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,ఆర్డర్స్ ఉత్పత్తి కోసం విడుదల చేసింది.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,ఫిస్కల్ ఇయర్ ఎంచుకోండి ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS ప్రొఫైల్ POS ఎంట్రీ చేయడానికి అవసరం
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS ప్రొఫైల్ POS ఎంట్రీ చేయడానికి అవసరం
DocType: Program Enrollment Tool,Enroll Students,విద్యార్ధులను నమోదు
DocType: Hub Settings,Name Token,పేరు టోకెన్
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,ప్రామాణిక సెల్లింగ్
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,కనీసం ఒక గిడ్డంగి తప్పనిసరి
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,కనీసం ఒక గిడ్డంగి తప్పనిసరి
DocType: Serial No,Out of Warranty,వారంటీ బయటకు
DocType: BOM Replace Tool,Replace,పునఃస్థాపించుము
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,ఏ ఉత్పత్తులు దొరకలేదు.
DocType: Production Order,Unstopped,Unstopped
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} సేల్స్ వాయిస్ వ్యతిరేకంగా {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3716,13 +3743,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,స్టాక్ విలువ తేడా
apps/erpnext/erpnext/config/learn.py +234,Human Resource,మానవ వనరుల
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,చెల్లింపు సయోధ్య చెల్లింపు
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,పన్ను ఆస్తులను
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,పన్ను ఆస్తులను
DocType: BOM Item,BOM No,బిఒఎం లేవు
DocType: Instructor,INS/,ఐఎన్ఎస్ /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,జర్నల్ ఎంట్రీ {0} {1} లేదా ఇప్పటికే ఇతర రసీదును జతచేసేందుకు ఖాతా లేదు
DocType: Item,Moving Average,మూవింగ్ సగటు
DocType: BOM Replace Tool,The BOM which will be replaced,భర్తీ చేయబడే BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,ఎలక్ట్రానిక్ పరికరాలు
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,ఎలక్ట్రానిక్ పరికరాలు
DocType: Account,Debit,డెబిట్
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,ఆకులు 0.5 యొక్క గుణిజాలుగా లో కేటాయించింది తప్పక
DocType: Production Order,Operation Cost,ఆపరేషన్ ఖర్చు
@@ -3730,7 +3757,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,అత్యుత్తమ ఆంట్
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,సెట్ లక్ష్యాలను అంశం గ్రూప్ వారీగా ఈ సేల్స్ పర్సన్ కోసం.
DocType: Stock Settings,Freeze Stocks Older Than [Days],ఫ్రీజ్ స్టాక్స్ కంటే పాత [డేస్]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,రో # {0}: ఆస్తి స్థిర ఆస్తి కొనుగోలు / అమ్మకాలు తప్పనిసరి
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,రో # {0}: ఆస్తి స్థిర ఆస్తి కొనుగోలు / అమ్మకాలు తప్పనిసరి
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","రెండు లేదా అంతకంటే ఎక్కువ ధర రూల్స్ పై నిబంధనలకు ఆధారంగా కనబడక పోతే, ప్రాధాన్య వర్తించబడుతుంది. డిఫాల్ట్ విలువ సున్నా (ఖాళీ) కు చేరుకుంది ప్రాధాన్యత 20 కు మధ్య 0 ఒక సంఖ్య. హయ్యర్ సంఖ్య అదే పరిస్థితులు బహుళ ధర రూల్స్ ఉన్నాయి ఉంటే అది ప్రాధాన్యత పడుతుంది అంటే."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,ఫిస్కల్ ఇయర్: {0} చేస్తుంది ఉందో
DocType: Currency Exchange,To Currency,కరెన్సీ
@@ -3739,7 +3766,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},దాని {1} సెల్లింగ్ అంశం కోసం రేటు {0} కంటే తక్కువగా ఉంటుంది. సెల్లింగ్ రేటు ఉండాలి కనీసం {2}
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},దాని {1} సెల్లింగ్ అంశం కోసం రేటు {0} కంటే తక్కువగా ఉంటుంది. సెల్లింగ్ రేటు ఉండాలి కనీసం {2}
DocType: Item,Taxes,పన్నులు
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,చెల్లింపు మరియు పంపిణీ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,చెల్లింపు మరియు పంపిణీ
DocType: Project,Default Cost Center,డిఫాల్ట్ ఖర్చు సెంటర్
DocType: Bank Guarantee,End Date,ముగింపు తేదీ
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,స్టాక్ లావాదేవీలు
@@ -3764,24 +3791,22 @@
DocType: Employee,Held On,హెల్డ్ న
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,ఉత్పత్తి అంశం
,Employee Information,Employee ఇన్ఫర్మేషన్
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),రేటు (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),రేటు (%)
DocType: Stock Entry Detail,Additional Cost,అదనపు ఖర్చు
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,ఆర్థిక సంవత్సరం ముగింపు తేదీ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","ఓచర్ లేవు ఆధారంగా వడపోత కాదు, ఓచర్ ద్వారా సమూహం ఉంటే"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,సరఫరాదారు కొటేషన్ చేయండి
DocType: Quality Inspection,Incoming,ఇన్కమింగ్
DocType: BOM,Materials Required (Exploded),మెటీరియల్స్ (పేలుతున్న) అవసరం
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","మీరే కంటే ఇతర, మీ సంస్థకు వినియోగదారులను జోడించు"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,పోస్ట్ చేసిన తేదీ భవిష్య తేదీలో ఉండకూడదు
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},రో # {0}: సీరియల్ లేవు {1} తో సరిపోలడం లేదు {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,సాధారణం లీవ్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,సాధారణం లీవ్
DocType: Batch,Batch ID,బ్యాచ్ ID
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},గమనిక: {0}
,Delivery Note Trends,డెలివరీ గమనిక ట్రెండ్లులో
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,ఈ వారపు సారాంశం
-,In Stock Qty,స్టాక్ ప్యాక్ చేసిన అంశాల లో
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,స్టాక్ ప్యాక్ చేసిన అంశాల లో
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,ఖాతా: {0} మాత్రమే స్టాక్ లావాదేవీలు ద్వారా నవీకరించబడింది చేయవచ్చు
-DocType: Program Enrollment,Get Courses,కోర్సులు పొందండి
+DocType: Student Group Creation Tool,Get Courses,కోర్సులు పొందండి
DocType: GL Entry,Party,పార్టీ
DocType: Sales Order,Delivery Date,డెలివరీ తేదీ
DocType: Opportunity,Opportunity Date,అవకాశం తేదీ
@@ -3789,14 +3814,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,కొటేషన్ అంశం కోసం అభ్యర్థన
DocType: Purchase Order,To Bill,బిల్
DocType: Material Request,% Ordered,% క్రమ
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","కోర్సు ఆధారంగా విద్యార్థి సమూహం కోసం, కోర్సు ప్రోగ్రామ్ ఎన్రోల్మెంట్ చేరాడు కోర్సులు నుండి ప్రతి విద్యార్థి కోసం చెల్లుబాటు అవుతుంది."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","ఎంటర్ ఇమెయిల్ అడ్రస్ కామాలతో వేరు, ఇన్వాయిస్ ప్రత్యేక తేదీ స్వయంచాలకంగా మెయిల్ చేయబడుతుంది"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Piecework
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Piecework
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,కనీస. బైయింగ్ రేట్
DocType: Task,Actual Time (in Hours),(గంటల్లో) వాస్తవ సమయం
DocType: Employee,History In Company,కంపెనీ చరిత్ర
apps/erpnext/erpnext/config/learn.py +107,Newsletters,వార్తాలేఖలు
DocType: Stock Ledger Entry,Stock Ledger Entry,స్టాక్ లెడ్జర్ ఎంట్రీ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,కస్టమర్> కస్టమర్ గ్రూప్> భూభాగం
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,అదే అంశం అనేకసార్లు నమోదయ్యేలా
DocType: Department,Leave Block List,బ్లాక్ జాబితా వదిలి
DocType: Sales Invoice,Tax ID,పన్ను ID
@@ -3811,30 +3836,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} యొక్క యూనిట్లలో {1} {2} ఈ లావాదేవీని పూర్తి చేయడానికి అవసరమవుతారు.
DocType: Loan Type,Rate of Interest (%) Yearly,ఆసక్తి రేటు (%) సుడి
DocType: SMS Settings,SMS Settings,SMS సెట్టింగ్లు
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,తాత్కాలిక అకౌంట్స్
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,బ్లాక్
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,తాత్కాలిక అకౌంట్స్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,బ్లాక్
DocType: BOM Explosion Item,BOM Explosion Item,బిఒఎం ప్రేలుడు అంశం
DocType: Account,Auditor,ఆడిటర్
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} అంశాలు ఉత్పత్తి
DocType: Cheque Print Template,Distance from top edge,టాప్ అంచు నుండి దూరం
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,ధర జాబితా {0} నిలిపివేస్తే లేదా ఉనికిలో లేదు
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,ధర జాబితా {0} నిలిపివేస్తే లేదా ఉనికిలో లేదు
DocType: Purchase Invoice,Return,రిటర్న్
DocType: Production Order Operation,Production Order Operation,ఉత్పత్తి ఆర్డర్ ఆపరేషన్
DocType: Pricing Rule,Disable,ఆపివేయి
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,చెల్లింపు విధానం ఒక చెల్లింపు చేయడానికి అవసరం
DocType: Project Task,Pending Review,సమీక్ష పెండింగ్లో
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} బ్యాచ్ చేరాడు లేదు {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}",అది ఇప్పటికే ఉంది ఆస్తుల {0} బహిష్కరించాలని కాదు {1}
DocType: Task,Total Expense Claim (via Expense Claim),(ఖర్చు చెప్పడం ద్వారా) మొత్తం ఖర్చు చెప్పడం
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,కస్టమర్ ఐడి
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,మార్క్ కరువవడంతో
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},రో {0}: పాఠశాల బిఒఎం # కరెన్సీ {1} ఎంపిక కరెన్సీ సమానంగా ఉండాలి {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},రో {0}: పాఠశాల బిఒఎం # కరెన్సీ {1} ఎంపిక కరెన్సీ సమానంగా ఉండాలి {2}
DocType: Journal Entry Account,Exchange Rate,ఎక్స్చేంజ్ రేట్
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,అమ్మకాల ఆర్డర్ {0} సమర్పించిన లేదు
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,అమ్మకాల ఆర్డర్ {0} సమర్పించిన లేదు
DocType: Homepage,Tag Line,ట్యాగ్ లైన్
DocType: Fee Component,Fee Component,ఫీజు భాగం
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,ఫ్లీట్ మేనేజ్మెంట్
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,నుండి అంశాలను జోడించండి
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},వేర్హౌస్ {0}: మాతృ ఖాతా {1} సంస్థ bolong లేదు {2}
DocType: Cheque Print Template,Regular,రెగ్యులర్
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,అన్ని అసెస్మెంట్ ప్రమాణ మొత్తం వెయిటేజీ 100% ఉండాలి
DocType: BOM,Last Purchase Rate,చివరి కొనుగోలు రేటు
@@ -3843,11 +3867,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,అంశం కోసం ఉండలేవు స్టాక్ {0} నుండి రకాల్లో
,Sales Person-wise Transaction Summary,సేల్స్ పర్సన్ వారీగా లావాదేవీ సారాంశం
DocType: Training Event,Contact Number,సంప్రదించండి సంఖ్య
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,వేర్హౌస్ {0} ఉనికిలో లేదు
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,వేర్హౌస్ {0} ఉనికిలో లేదు
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,ERPNext హబ్ నమోదు
DocType: Monthly Distribution,Monthly Distribution Percentages,మంత్లీ పంపిణీ శాతములు
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,ఎంచుకున్న అంశం బ్యాచ్ ఉండకూడదు
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","వాల్యువేషన్ రేటు అంశం {0} కోసం అకౌంటింగ్ ఎంట్రీలు చేయాల్సి ఉంది ఇది కోసం దొరకలేదు {1} {2}. అంశం లో ఒక నమూనా అంశం వంటి లావాదేవీ ఉంటే {1}, {1} అంశం పట్టికలో పేర్కొన్నాయి దయచేసి. లేకపోతే, అంశం రికార్డు అంశం లేదా ప్రస్తావన మదింపు రేటు ఇన్కమింగ్ స్టాక్ లావాదేవీ సృష్టించండి, తరువాత submiting ప్రయత్నించండి / ఈ ఎంట్రీ రద్దు దయచేసి"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","వాల్యువేషన్ రేటు అంశం {0} కోసం అకౌంటింగ్ ఎంట్రీలు చేయాల్సి ఉంది ఇది కోసం దొరకలేదు {1} {2}. అంశం లో ఒక నమూనా అంశం వంటి లావాదేవీ ఉంటే {1}, {1} అంశం పట్టికలో పేర్కొన్నాయి దయచేసి. లేకపోతే, అంశం రికార్డు అంశం లేదా ప్రస్తావన మదింపు రేటు ఇన్కమింగ్ స్టాక్ లావాదేవీ సృష్టించండి, తరువాత submiting ప్రయత్నించండి / ఈ ఎంట్రీ రద్దు దయచేసి"
DocType: Delivery Note,% of materials delivered against this Delivery Note,పదార్థాల% ఈ డెలివరీ గమనిక వ్యతిరేకంగా పంపిణీ
DocType: Project,Customer Details,కస్టమర్ వివరాలు
DocType: Employee,Reports to,కు నివేదికలు
@@ -3855,24 +3879,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,రిసీవర్ nos కోసం URL పరామితి ఎంటర్
DocType: Payment Entry,Paid Amount,మొత్తం చెల్లించారు
DocType: Assessment Plan,Supervisor,సూపర్వైజర్
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,ఆన్లైన్
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,ఆన్లైన్
,Available Stock for Packing Items,ప్యాకింగ్ అంశాలను అందుబాటులో స్టాక్
DocType: Item Variant,Item Variant,అంశం వేరియంట్
DocType: Assessment Result Tool,Assessment Result Tool,అసెస్మెంట్ ఫలితం టూల్
DocType: BOM Scrap Item,BOM Scrap Item,బిఒఎం స్క్రాప్ అంశం
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,సమర్పించిన ఆర్డర్లను తొలగించలేరని
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ఇప్పటికే డెబిట్ ఖాతా సంతులనం, మీరు 'క్రెడిట్' గా 'సంతులనం ఉండాలి' సెట్ అనుమతి లేదు"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,క్వాలిటీ మేనేజ్మెంట్
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,సమర్పించిన ఆర్డర్లను తొలగించలేరని
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","ఇప్పటికే డెబిట్ ఖాతా సంతులనం, మీరు 'క్రెడిట్' గా 'సంతులనం ఉండాలి' సెట్ అనుమతి లేదు"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,క్వాలిటీ మేనేజ్మెంట్
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,అంశం {0} ఆపివేయబడింది
DocType: Employee Loan,Repay Fixed Amount per Period,ఒక్కో వ్యవధి స్థిర మొత్తం చెల్లింపులో
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},అంశం పరిమాణం నమోదు చేయండి {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,క్రెడిట్ గమనిక ఆంట్
DocType: Employee External Work History,Employee External Work History,Employee బాహ్య వర్క్ చరిత్ర
DocType: Tax Rule,Purchase,కొనుగోలు
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,సంతులనం ప్యాక్ చేసిన అంశాల
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,సంతులనం ప్యాక్ చేసిన అంశాల
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,లక్ష్యాలు ఖాళీగా ఉండకూడదు
DocType: Item Group,Parent Item Group,మాతృ అంశం గ్రూప్
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} కోసం {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,ఖర్చు కేంద్రాలు
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,ఖర్చు కేంద్రాలు
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,ఇది సరఫరాదారు యొక్క కరెన్సీ రేటుపై కంపెనీ బేస్ కరెన్సీ మార్చబడుతుంది
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},రో # {0}: వరుస టైమింగ్స్ విభేదాలు {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,అనుమతించు జీరో వాల్యువేషన్ రేటు
@@ -3880,17 +3905,18 @@
DocType: Training Event Employee,Invited,ఆహ్వానించారు
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,ఇచ్చిన తేదీలు ఉద్యోగుల {0} కనుగొనబడలేదు బహుళ క్రియాశీల జీతం స్ట్రక్చర్స్
DocType: Opportunity,Next Contact,తదుపరి సంప్రదించండి
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,సెటప్ గేట్వే ఖాతాలు.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,సెటప్ గేట్వే ఖాతాలు.
DocType: Employee,Employment Type,ఉపాధి రకం
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,స్థిర ఆస్తులు
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,స్థిర ఆస్తులు
DocType: Payment Entry,Set Exchange Gain / Loss,నష్టం సెట్ ఎక్స్చేంజ్ పెరుగుట /
+,GST Purchase Register,జిఎస్టి కొనుగోలు నమోదు
,Cash Flow,నగదు ప్రవాహం
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,అప్లికేషన్ కాలం రెండు alocation రికార్డులు అంతటా ఉండకూడదు
DocType: Item Group,Default Expense Account,డిఫాల్ట్ వ్యయం ఖాతా
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,స్టూడెంట్ అడ్రెస్
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,స్టూడెంట్ అడ్రెస్
DocType: Employee,Notice (days),నోటీసు (రోజులు)
DocType: Tax Rule,Sales Tax Template,సేల్స్ టాక్స్ మూస
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,ఇన్వాయిస్ సేవ్ చెయ్యడానికి ఐటమ్లను ఎంచుకోండి
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,ఇన్వాయిస్ సేవ్ చెయ్యడానికి ఐటమ్లను ఎంచుకోండి
DocType: Employee,Encashment Date,ఎన్క్యాష్మెంట్ తేదీ
DocType: Training Event,Internet,ఇంటర్నెట్
DocType: Account,Stock Adjustment,స్టాక్ అడ్జస్ట్మెంట్
@@ -3919,7 +3945,7 @@
DocType: Guardian,Guardian Of ,ది గార్డియన్
DocType: Grading Scale Interval,Threshold,త్రెష్
DocType: BOM Replace Tool,Current BOM,ప్రస్తుత BOM
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,సీరియల్ లేవు జోడించండి
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,సీరియల్ లేవు జోడించండి
apps/erpnext/erpnext/config/support.py +22,Warranty,వారంటీ
DocType: Purchase Invoice,Debit Note Issued,డెబిట్ గమనిక జారీచేయబడింది
DocType: Production Order,Warehouses,గిడ్డంగులు
@@ -3928,20 +3954,20 @@
DocType: Workstation,per hour,గంటకు
apps/erpnext/erpnext/config/buying.py +7,Purchasing,కొనుగోలు
DocType: Announcement,Announcement,ప్రకటన
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,గిడ్డంగి (శాశ్వత ఇన్వెంటరీ) కోసం ఖాతాకు ఈ ఖాతా కింద సృష్టించబడుతుంది.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,స్టాక్ లెడ్జర్ ఎంట్రీ ఈ గిడ్డంగి కోసం ఉనికిలో గిడ్డంగి తొలగించడం సాధ్యం కాదు.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","బ్యాచ్ ఆధారంగా స్టూడెంట్ గ్రూప్, స్టూడెంట్ బ్యాచ్ ప్రోగ్రామ్ ఎన్రోల్మెంట్ నుండి ప్రతి విద్యార్థి కోసం చెల్లుబాటు అవుతుంది."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,స్టాక్ లెడ్జర్ ఎంట్రీ ఈ గిడ్డంగి కోసం ఉనికిలో గిడ్డంగి తొలగించడం సాధ్యం కాదు.
DocType: Company,Distribution,పంపిణీ
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,కట్టిన డబ్బు
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,ప్రాజెక్ట్ మేనేజర్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,ప్రాజెక్ట్ మేనేజర్
,Quoted Item Comparison,ఉల్లేఖించిన అంశం పోలిక
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,డిస్పాచ్
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,అంశం కోసం మాక్స్ డిస్కౌంట్: {0} {1}% ఉంది
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,డిస్పాచ్
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,అంశం కోసం మాక్స్ డిస్కౌంట్: {0} {1}% ఉంది
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,నికర ఆస్తుల విలువ గా
DocType: Account,Receivable,స్వీకరించదగిన
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,రో # {0}: కొనుగోలు ఆర్డర్ ఇప్పటికే ఉనికిలో సరఫరాదారు మార్చడానికి అనుమతి లేదు
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,రో # {0}: కొనుగోలు ఆర్డర్ ఇప్పటికే ఉనికిలో సరఫరాదారు మార్చడానికి అనుమతి లేదు
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,సెట్ క్రెడిట్ పరిధులకు మించిన లావాదేవీలు submit అనుమతి పాత్ర.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,తయారీ ఐటెమ్లను ఎంచుకోండి
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","మాస్టర్ డేటా సమకాలీకరించడాన్ని, కొంత సమయం పడుతుంది"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,తయారీ ఐటెమ్లను ఎంచుకోండి
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","మాస్టర్ డేటా సమకాలీకరించడాన్ని, కొంత సమయం పడుతుంది"
DocType: Item,Material Issue,మెటీరియల్ ఇష్యూ
DocType: Hub Settings,Seller Description,అమ్మకాల వివరణ
DocType: Employee Education,Qualification,అర్హతలు
@@ -3961,7 +3987,6 @@
DocType: BOM,Rate Of Materials Based On,రేటు పదార్థాల బేస్డ్ న
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,మద్దతు Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,అన్నింటినీ
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},కంపెనీ గిడ్డంగుల్లో లేదు {0}
DocType: POS Profile,Terms and Conditions,నిబంధనలు మరియు షరతులు
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},తేదీ ఫిస్కల్ ఇయర్ లోపల ఉండాలి. = తేదీ ఊహిస్తే {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","ఇక్కడ మీరు etc ఎత్తు, బరువు, అలెర్జీలు, వైద్య ఆందోళనలు అందుకోగలదు"
@@ -3976,19 +4001,18 @@
DocType: Sales Order Item,For Production,ప్రొడక్షన్
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,చూడండి టాస్క్
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,మీ ఆర్థిక సంవత్సరం ప్రారంభమవుతుంది
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / లీడ్%
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / లీడ్%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,ఆస్తి Depreciations మరియు నిల్వలను
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},మొత్తం {0} {1} నుంచి బదిలీ {2} నుండి {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},మొత్తం {0} {1} నుంచి బదిలీ {2} నుండి {3}
DocType: Sales Invoice,Get Advances Received,అడ్వాన్సెస్ స్వీకరించిన గెట్
DocType: Email Digest,Add/Remove Recipients,గ్రహీతలు జోడించు / తొలగించు
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},లావాదేవీ ఆగిపోయింది ఉత్పత్తి వ్యతిరేకంగా అనుమతి లేదు ఆర్డర్ {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},లావాదేవీ ఆగిపోయింది ఉత్పత్తి వ్యతిరేకంగా అనుమతి లేదు ఆర్డర్ {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",డిఫాల్ట్ గా ఈ ఆర్థిక సంవత్సరం సెట్ 'డిఫాల్ట్ గా సెట్' పై క్లిక్
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,చేరండి
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,చేరండి
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,కొరత ప్యాక్ చేసిన అంశాల
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,అంశం వేరియంట్ {0} అదే లక్షణాలు తో ఉంది
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,అంశం వేరియంట్ {0} అదే లక్షణాలు తో ఉంది
DocType: Employee Loan,Repay from Salary,జీతం నుండి తిరిగి
DocType: Leave Application,LAP/,LAP /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},వ్యతిరేకంగా చెల్లింపు అభ్యర్థించడం {0} {1} మొత్తం {2}
@@ -3999,34 +4023,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","ప్యాకేజీలు అందజేసిన కోసం స్లిప్స్ ప్యాకింగ్ ఉత్పత్తి. ప్యాకేజీ సంఖ్య, ప్యాకేజీ విషయాలు మరియు దాని బరువు తెలియజేయడానికి వాడతారు."
DocType: Sales Invoice Item,Sales Order Item,అమ్మకాల ఆర్డర్ అంశం
DocType: Salary Slip,Payment Days,చెల్లింపు డేస్
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,పిల్లల నోడ్స్ తో గిడ్డంగులు లెడ్జర్ మార్చబడతాయి కాదు
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,పిల్లల నోడ్స్ తో గిడ్డంగులు లెడ్జర్ మార్చబడతాయి కాదు
DocType: BOM,Manage cost of operations,కార్యకలాపాల వ్యయాన్ని నిర్వహించండి
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","తనిఖీ లావాదేవీల ఏ "సమర్పించిన" చేసినప్పుడు, ఒక ఇమెయిల్ పాప్ అప్ స్వయంచాలకంగా జోడింపుగా లావాదేవీతో, ఆ లావాదేవీ సంబంధం "సంప్రదించండి" కు ఒక ఇమెయిల్ పంపండి తెరిచింది. యూజర్ మారవచ్చు లేదా ఇమెయిల్ పంపలేరు."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,గ్లోబల్ సెట్టింగులు
DocType: Assessment Result Detail,Assessment Result Detail,అసెస్మెంట్ ఫలితం వివరాలు
DocType: Employee Education,Employee Education,Employee ఎడ్యుకేషన్
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,అంశం సమూహం పట్టిక కనిపించే నకిలీ అంశం సమూహం
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,ఇది అంశం వివరాలు పొందడం అవసరమవుతుంది.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,ఇది అంశం వివరాలు పొందడం అవసరమవుతుంది.
DocType: Salary Slip,Net Pay,నికర పే
DocType: Account,Account,ఖాతా
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,సీరియల్ లేవు {0} ఇప్పటికే అందింది
,Requested Items To Be Transferred,అభ్యర్థించిన అంశాలు బదిలీ
DocType: Expense Claim,Vehicle Log,వాహనం లోనికి ప్రవేశించండి
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","వేర్హౌస్ {0} ఏదైనా ఖాతాకు అనుసంధానం లేదు, సృష్టించండి / గిడ్డంగి కోసం లింకున్న సంబంధిత (అసెట్) ఖాతా."
DocType: Purchase Invoice,Recurring Id,పునరావృత Id
DocType: Customer,Sales Team Details,సేల్స్ టీం వివరాలు
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,శాశ్వతంగా తొలగించాలా?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,శాశ్వతంగా తొలగించాలా?
DocType: Expense Claim,Total Claimed Amount,మొత్తం క్లెయిమ్ చేసిన మొత్తం
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,అమ్మకం కోసం సమర్థవంతమైన అవకాశాలు.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},చెల్లని {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,అనారొగ్యపు సెలవు
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},చెల్లని {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,అనారొగ్యపు సెలవు
DocType: Email Digest,Email Digest,ఇమెయిల్ డైజెస్ట్
DocType: Delivery Note,Billing Address Name,బిల్లింగ్ చిరునామా పేరు
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,డిపార్ట్మెంట్ స్టోర్స్
DocType: Warehouse,PIN,పిన్
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,లో ERPNext మీ స్కూల్ సెటప్
DocType: Sales Invoice,Base Change Amount (Company Currency),బేస్ మార్చు మొత్తం (కంపెనీ కరెన్సీ)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,క్రింది గిడ్డంగులు కోసం అకౌంటింగ్ ఎంట్రీలు
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,క్రింది గిడ్డంగులు కోసం అకౌంటింగ్ ఎంట్రీలు
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,మొదటి డాక్యుమెంట్ సేవ్.
DocType: Account,Chargeable,విధింపదగిన
DocType: Company,Change Abbreviation,మార్పు సంక్షిప్తీకరణ
@@ -4044,7 +4067,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,ఊహించినది డెలివరీ తేదీ కొనుగోలు ఆర్డర్ తేదీ ముందు ఉండరాదు
DocType: Appraisal,Appraisal Template,అప్రైసల్ మూస
DocType: Item Group,Item Classification,అంశం వర్గీకరణ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,వ్యాపారం అభివృద్ధి మేనేజర్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,వ్యాపారం అభివృద్ధి మేనేజర్
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,నిర్వహణ సందర్శించండి పర్పస్
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,కాలం
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,సాధారణ లెడ్జర్
@@ -4054,8 +4077,8 @@
DocType: Item Attribute Value,Attribute Value,విలువ లక్షణం
,Itemwise Recommended Reorder Level,Itemwise క్రమాన్ని స్థాయి సిఫార్సు
DocType: Salary Detail,Salary Detail,జీతం వివరాలు
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,ముందుగా {0} దయచేసి ఎంచుకోండి
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,అంశం బ్యాచ్ {0} {1} గడువు ముగిసింది.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,ముందుగా {0} దయచేసి ఎంచుకోండి
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,అంశం బ్యాచ్ {0} {1} గడువు ముగిసింది.
DocType: Sales Invoice,Commission,కమిషన్
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,తయారీ కోసం సమయం షీట్.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,పూర్తికాని
@@ -4066,6 +4089,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`ఫ్రీజ్ స్టాక్స్ పాత Than`% d రోజుల కంటే తక్కువగా ఉండాలి.
DocType: Tax Rule,Purchase Tax Template,పన్ను మూస కొనుగోలు
,Project wise Stock Tracking,ప్రాజెక్టు వారీగా స్టాక్ ట్రాకింగ్
+DocType: GST HSN Code,Regional,ప్రాంతీయ
DocType: Stock Entry Detail,Actual Qty (at source/target),(మూలం / లక్ష్యం వద్ద) వాస్తవ ప్యాక్ చేసిన అంశాల
DocType: Item Customer Detail,Ref Code,Ref కోడ్
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Employee రికార్డులు.
@@ -4076,13 +4100,13 @@
DocType: Email Digest,New Purchase Orders,న్యూ కొనుగోలు ఉత్తర్వులు
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,రూట్ ఒక పేరెంట్ ఖర్చు సెంటర్ ఉండకూడదు
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Select బ్రాండ్ ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,శిక్షణ ఈవెంట్స్ / ఫలితాలు
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,గా అరుగుదల పోగుచేసిన
DocType: Sales Invoice,C-Form Applicable,సి ఫారం వర్తించే
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},ఆపరేషన్ సమయం ఆపరేషన్ కోసం 0 కంటే ఎక్కువ ఉండాలి {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,వేర్హౌస్ తప్పనిసరి
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,వేర్హౌస్ తప్పనిసరి
DocType: Supplier,Address and Contacts,చిరునామా మరియు కాంటాక్ట్స్
DocType: UOM Conversion Detail,UOM Conversion Detail,UoM మార్పిడి వివరాలు
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),100 px ద్వారా అది (w) వెబ్ స్నేహపూర్వక 900px ఉంచండి (h)
DocType: Program,Program Abbreviation,ప్రోగ్రామ్ సంక్షిప్తీకరణ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,ఉత్పత్తి ఆర్డర్ ఒక అంశం మూస వ్యతిరేకంగా లేవనెత్తిన సాధ్యం కాదు
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,ఆరోపణలు ప్రతి అంశం వ్యతిరేకంగా కొనుగోలు రసీదులు లో నవీకరించబడింది ఉంటాయి
@@ -4090,13 +4114,13 @@
DocType: Bank Guarantee,Start Date,ప్రారంబపు తేది
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,ఒక కాలానికి ఆకులు కేటాయించుటకు.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,చెక్కుల మరియు డిపాజిట్లు తప్పుగా క్లియర్
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,ఖాతా {0}: మీరు పేరెంట్ ఖాతా గా కేటాయించలేరు
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,ఖాతా {0}: మీరు పేరెంట్ ఖాతా గా కేటాయించలేరు
DocType: Purchase Invoice Item,Price List Rate,ధర జాబితా రేటు
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,కస్టమర్ కోట్స్ సృష్టించు
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","స్టాక్ లో" లేదా ఈ గిడ్డంగిలో అందుబాటులో స్టాక్ ఆధారంగా "నాట్ స్టాక్ లో" షో.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),వస్తువుల యొక్క జామా ఖర్చు (BOM)
DocType: Item,Average time taken by the supplier to deliver,సరఫరాదారు తీసుకున్న సగటు సమయం బట్వాడా
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,అసెస్మెంట్ ఫలితం
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,అసెస్మెంట్ ఫలితం
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,గంటలు
DocType: Project,Expected Start Date,ఊహించిన ప్రారంభం తేదీ
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,ఆరోపణలు ఆ అంశం వర్తించదు ఉంటే అంశాన్ని తొలగించు
@@ -4110,25 +4134,24 @@
DocType: Workstation,Operating Costs,నిర్వహణ వ్యయాలు
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,యాక్షన్ సేకరించారు మంత్లీ బడ్జెట్ మించింది ఉంటే
DocType: Purchase Invoice,Submit on creation,సృష్టి సమర్పించండి
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},కరెన్సీ కోసం {0} ఉండాలి {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},కరెన్సీ కోసం {0} ఉండాలి {1}
DocType: Asset,Disposal Date,తొలగింపు తేదీ
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","ఇమెయిళ్ళు వారు సెలవు లేకపోతే, ఇచ్చిన గంట వద్ద కంపెనీ అన్ని యాక్టివ్ ఉద్యోగులు పంపబడును. ప్రతిస్పందనల సారాంశం అర్ధరాత్రి పంపబడుతుంది."
DocType: Employee Leave Approver,Employee Leave Approver,ఉద్యోగి సెలవు అప్రూవర్గా
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},రో {0}: ఒక క్రమాన్ని ఎంట్రీ ఇప్పటికే ఈ గిడ్డంగి కోసం ఉంది {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},రో {0}: ఒక క్రమాన్ని ఎంట్రీ ఇప్పటికే ఈ గిడ్డంగి కోసం ఉంది {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","కొటేషన్ చేయబడింది ఎందుకంటే, కోల్పోయిన డిక్లేర్ కాదు."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,శిక్షణ అభిప్రాయం
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,ఆర్డర్ {0} సమర్పించాలి ఉత్పత్తి
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,ఆర్డర్ {0} సమర్పించాలి ఉత్పత్తి
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},అంశం కోసం ప్రారంభ తేదీ మరియు ముగింపు తేదీ దయచేసి ఎంచుకోండి {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},కోర్సు వరుసగా తప్పనిసరి {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,తేదీ తేదీ నుండి ముందు ఉండరాదు
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,/ మార్చు ధరలు జోడించండి
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,/ మార్చు ధరలు జోడించండి
DocType: Batch,Parent Batch,మాతృ బ్యాచ్
DocType: Batch,Parent Batch,మాతృ బ్యాచ్
DocType: Cheque Print Template,Cheque Print Template,ప్రిపే ప్రింట్ మూస
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,ఖర్చు కేంద్రాలు చార్ట్
,Requested Items To Be Ordered,అభ్యర్థించిన అంశాలు ఆదేశించింది ఉండాలి
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,వేర్హౌస్ కంపెనీ ఖాతా సంస్థ వలె ఉండాలి
DocType: Price List,Price List Name,ధర జాబితా పేరు
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},డైలీ వర్క్ సారాంశం {0}
DocType: Employee Loan,Totals,మొత్తాలు
@@ -4150,55 +4173,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,చెల్లే మొబైల్ nos నమోదు చేయండి
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,పంపే ముందు సందేశాన్ని నమోదు చేయండి
DocType: Email Digest,Pending Quotations,పెండింగ్లో కొటేషన్స్
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,పాయింట్ ఆఫ్ అమ్మకానికి ప్రొఫైల్
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,పాయింట్ ఆఫ్ అమ్మకానికి ప్రొఫైల్
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,SMS సెట్టింగ్లు అప్డేట్ దయచేసి
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,హామీలేని రుణాలు
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,హామీలేని రుణాలు
DocType: Cost Center,Cost Center Name,ఖర్చు సెంటర్ పేరు
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,మాక్స్ TIMESHEET వ్యతిరేకంగా పని గంటలు
DocType: Maintenance Schedule Detail,Scheduled Date,షెడ్యూల్డ్ తేదీ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,మొత్తం చెల్లించిన ఆంట్
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,మొత్తం చెల్లించిన ఆంట్
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 అక్షరాల కంటే ఎక్కువ సందేశాలు బహుళ సందేశాలను విభజించబడింది ఉంటుంది
DocType: Purchase Receipt Item,Received and Accepted,అందుకున్నారు మరియు Accepted
+,GST Itemised Sales Register,జిఎస్టి వర్గీకరించబడ్డాయి సేల్స్ నమోదు
,Serial No Service Contract Expiry,సీరియల్ లేవు సర్వీస్ కాంట్రాక్ట్ గడువు
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,మీరు క్రెడిట్ మరియు అదే సమయంలో అదే అకౌంటు డెబిట్ కాదు
DocType: Naming Series,Help HTML,సహాయం HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,స్టూడెంట్ గ్రూప్ సృష్టి సాధనం
DocType: Item,Variant Based On,వేరియంట్ బేస్డ్ న
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},100% ఉండాలి కేటాయించిన మొత్తం వెయిటేజీ. ఇది {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,మీ సరఫరాదారులు
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,మీ సరఫరాదారులు
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,అమ్మకాల ఆర్డర్ చేసిన ఓడిపోయింది సెట్ చెయ్యబడదు.
DocType: Request for Quotation Item,Supplier Part No,సరఫరాదారు పార్ట్ లేవు
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',వర్గం 'మదింపు' లేదా 'Vaulation మరియు మొత్తం' కోసం ఉన్నప్పుడు తీసివేయు కాదు
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,నుండి అందుకున్న
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,నుండి అందుకున్న
DocType: Lead,Converted,కన్వర్టెడ్
DocType: Item,Has Serial No,సీరియల్ లేవు ఉంది
DocType: Employee,Date of Issue,జారీ చేసిన తేది
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: నుండి {0} కోసం {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","కొనుగోలు సెట్టింగులు ప్రకారం కొనుగోలు Reciept అవసరం == 'అవును', అప్పుడు కొనుగోలు వాయిస్ సృష్టించడానికి, యూజర్ అంశం కోసం మొదటి కొనుగోలు స్వీకరణపై సృష్టించాలి ఉంటే {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},రో # {0}: అంశాన్ని సెట్ సరఫరాదారు {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,రో {0}: గంటలు విలువ సున్నా కంటే ఎక్కువ ఉండాలి.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,అంశం {1} జత వెబ్సైట్ చిత్రం {0} కనుగొనబడలేదు
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,అంశం {1} జత వెబ్సైట్ చిత్రం {0} కనుగొనబడలేదు
DocType: Issue,Content Type,కంటెంట్ రకం
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,కంప్యూటర్
DocType: Item,List this Item in multiple groups on the website.,వెబ్ సైట్ బహుళ సమూహాలు ఈ అంశం జాబితా.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,ఇతర కరెన్సీ ఖాతాల అనుమతించటానికి మల్టీ కరెన్సీ ఎంపికను తనిఖీ చేయండి
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,అంశం: {0} వ్యవస్థ ఉనికిలో లేదు
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,మీరు స్తంభింపచేసిన విలువ సెట్ అధికారం లేదు
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,అంశం: {0} వ్యవస్థ ఉనికిలో లేదు
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,మీరు స్తంభింపచేసిన విలువ సెట్ అధికారం లేదు
DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled ఎంట్రీలు పొందండి
DocType: Payment Reconciliation,From Invoice Date,వాయిస్ తేదీ నుండి
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,బిల్లింగ్ కరెన్సీ డిఫాల్ట్ comapany యొక్క గాని కరెన్సీ లేదా పార్టీ ఖాతా కరెన్సీ సమానంగా ఉండాలి
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,ఎన్క్యాష్మెంట్ వదిలి
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,ఇది ఏమి చేస్తుంది?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,బిల్లింగ్ కరెన్సీ డిఫాల్ట్ comapany యొక్క గాని కరెన్సీ లేదా పార్టీ ఖాతా కరెన్సీ సమానంగా ఉండాలి
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,ఎన్క్యాష్మెంట్ వదిలి
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,ఇది ఏమి చేస్తుంది?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,గిడ్డంగి
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,అన్ని విద్యార్థి అడ్మిషన్స్
,Average Commission Rate,సగటు కమిషన్ రేటు
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,'అవును' ఉంటుంది కాని స్టాక్ అంశం కోసం కాదు 'సీరియల్ చెప్పడం'
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'అవును' ఉంటుంది కాని స్టాక్ అంశం కోసం కాదు 'సీరియల్ చెప్పడం'
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,హాజరు భవిష్యత్తులో తేదీలు కోసం గుర్తించబడవు
DocType: Pricing Rule,Pricing Rule Help,ధర రూల్ సహాయం
DocType: School House,House Name,హౌస్ పేరు
DocType: Purchase Taxes and Charges,Account Head,ఖాతా హెడ్
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,అంశాల దిగిన ఖర్చు లెక్కించేందుకు అదనపు ఖర్చులు అప్డేట్
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,ఎలక్ట్రికల్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,ఎలక్ట్రికల్
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,మీ వినియోగదారులు మీ సంస్థ యొక్క మిగిలిన జోడించండి. మీరు కూడా కాంటాక్ట్స్ నుండి వారిని జోడించడం ద్వారా మీ పోర్టల్ వినియోగదారుడు ఆహ్వానించండి జోడించవచ్చు
DocType: Stock Entry,Total Value Difference (Out - In),మొత్తం విలువ తేడా (అవుట్ - ఇన్)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,రో {0}: ఎక్స్చేంజ్ రేట్ తప్పనిసరి
@@ -4208,7 +4233,7 @@
DocType: Item,Customer Code,కస్టమర్ కోడ్
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},పుట్టినరోజు రిమైండర్ {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,చివరి ఆర్డర్ నుండి రోజుల్లో
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,ఖాతాకు డెబిట్ బాలన్స్ షీట్ ఖాతా ఉండాలి
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,ఖాతాకు డెబిట్ బాలన్స్ షీట్ ఖాతా ఉండాలి
DocType: Buying Settings,Naming Series,నామకరణ సిరీస్
DocType: Leave Block List,Leave Block List Name,బ్లాక్ జాబితా వదిలి పేరు
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,భీమా తేదీ ప్రారంభించండి భీమా ముగింపు తేదీ కంటే తక్కువ ఉండాలి
@@ -4223,27 +4248,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},ఉద్యోగి వేతనం స్లిప్ {0} ఇప్పటికే సమయం షీట్ కోసం సృష్టించబడింది {1}
DocType: Vehicle Log,Odometer,ఓడోమీటార్
DocType: Sales Order Item,Ordered Qty,క్రమ ప్యాక్ చేసిన అంశాల
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,అంశం {0} నిలిపివేయబడింది
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,అంశం {0} నిలిపివేయబడింది
DocType: Stock Settings,Stock Frozen Upto,స్టాక్ ఘనీభవించిన వరకు
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,బిఒఎం ఏ స్టాక్ అంశం కలిగి లేదు
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,బిఒఎం ఏ స్టాక్ అంశం కలిగి లేదు
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},నుండి మరియు కాలం పునరావృత తప్పనిసరి తేదీలు కాలం {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,ప్రాజెక్టు చర్య / పని.
DocType: Vehicle Log,Refuelling Details,Refuelling వివరాలు
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,జీతం స్లిప్స్ రూపొందించండి
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}",వర్తించే ఎంపిక ఉంది ఉంటే కొనుగోలు తనిఖీ చెయ్యాలి {0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}",వర్తించే ఎంపిక ఉంది ఉంటే కొనుగోలు తనిఖీ చెయ్యాలి {0}
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,డిస్కౌంట్ 100 కంటే తక్కువ ఉండాలి
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,గత కొనుగోలు రేటు దొరకలేదు
DocType: Purchase Invoice,Write Off Amount (Company Currency),మొత్తం ఆఫ్ వ్రాయండి (కంపెనీ కరెన్సీ)
DocType: Sales Invoice Timesheet,Billing Hours,బిల్లింగ్ గంటలు
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,కోసం {0} దొరకలేదు డిఫాల్ట్ బిఒఎం
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,రో # {0}: క్రమాన్ని పరిమాణం సెట్ చెయ్యండి
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,రో # {0}: క్రమాన్ని పరిమాణం సెట్ చెయ్యండి
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,వాటిని ఇక్కడ జోడించడానికి అంశాలను నొక్కండి
DocType: Fees,Program Enrollment,ప్రోగ్రామ్ నమోదు
DocType: Landed Cost Voucher,Landed Cost Voucher,అడుగుపెట్టాయి ఖర్చు ఓచర్
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},సెట్ దయచేసి {0}
DocType: Purchase Invoice,Repeat on Day of Month,నెల రోజు రిపీట్
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} క్రియారహితంగా విద్యార్థి
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} క్రియారహితంగా విద్యార్థి
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} క్రియారహితంగా విద్యార్థి
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} క్రియారహితంగా విద్యార్థి
DocType: Employee,Health Details,ఆరోగ్యం వివరాలు
DocType: Offer Letter,Offer Letter Terms,లెటర్ నిబంధనలు ఆఫర్
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,ఒక చెల్లింపు అభ్యర్థన సూచన పత్రం అవసరం సృష్టించడానికి
@@ -4265,7 +4290,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","ఉదాహరణ:. వరుస సెట్ మరియు సీరియల్ లేవు లావాదేవీలు పేర్కొన్నారు చేయకపోతే ABCD #####, అప్పుడు ఆటోమేటిక్ క్రమ సంఖ్య ఈ సిరీస్ ఆధారంగా రూపొందించినవారు ఉంటుంది. మీరు ఎల్లప్పుడు స్పస్టముగా ఈ అంశం కోసం సీరియల్ మేము చెప్పలేదు అనుకొంటే. ఈ ఖాళీ వదిలి."
DocType: Upload Attendance,Upload Attendance,అప్లోడ్ హాజరు
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,బిఒఎం అండ్ మానుఫ్యాక్చరింగ్ పరిమాణం అవసరం
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,బిఒఎం అండ్ మానుఫ్యాక్చరింగ్ పరిమాణం అవసరం
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,ఏజింగ్ రేంజ్ 2
DocType: SG Creation Tool Course,Max Strength,మాక్స్ శక్తి
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,బిఒఎం భర్తీ
@@ -4275,8 +4300,8 @@
,Prospects Engaged But Not Converted,ప్రాస్పెక్టస్ ఎంగేజ్డ్ కానీ మారలేదు
DocType: Manufacturing Settings,Manufacturing Settings,తయారీ సెట్టింగ్స్
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,ఇమెయిల్ ఏర్పాటు
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 మొబైల్ లేవు
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,కంపెనీ మాస్టర్ డిఫాల్ట్ కరెన్సీ నమోదు చేయండి
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 మొబైల్ లేవు
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,కంపెనీ మాస్టర్ డిఫాల్ట్ కరెన్సీ నమోదు చేయండి
DocType: Stock Entry Detail,Stock Entry Detail,స్టాక్ ఎంట్రీ వివరాలు
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,రోజువారీ రిమైండర్లు
DocType: Products Settings,Home Page is Products,హోం పేజి ఉత్పత్తులు ఉంది
@@ -4285,7 +4310,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,కొత్త ఖాతా పేరు
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,రా మెటీరియల్స్ పంపినవి ఖర్చు
DocType: Selling Settings,Settings for Selling Module,మాడ్యూల్ సెల్లింగ్ కోసం సెట్టింగులు
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,వినియోగదారుల సేవ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,వినియోగదారుల సేవ
DocType: BOM,Thumbnail,సూక్ష్మచిత్రం
DocType: Item Customer Detail,Item Customer Detail,అంశం కస్టమర్ వివరాలు
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,ఆఫర్ అభ్యర్థి ఒక జాబ్.
@@ -4294,7 +4319,7 @@
DocType: Pricing Rule,Percentage,శాతం
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,అంశం {0} స్టాక్ అంశం ఉండాలి
DocType: Manufacturing Settings,Default Work In Progress Warehouse,ప్రోగ్రెస్ వేర్హౌస్ డిఫాల్ట్ వర్క్
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,అకౌంటింగ్ లావాదేవీలకు డిఫాల్ట్ సెట్టింగులను.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,అకౌంటింగ్ లావాదేవీలకు డిఫాల్ట్ సెట్టింగులను.
DocType: Maintenance Visit,MV,ఎంవి
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,ఊహించినది తేదీ మెటీరియల్ అభ్యర్థన తేదీ ముందు ఉండరాదు
DocType: Purchase Invoice Item,Stock Qty,స్టాక్ ప్యాక్ చేసిన అంశాల
@@ -4308,10 +4333,10 @@
DocType: Sales Order,Printing Details,ప్రింటింగ్ వివరాలు
DocType: Task,Closing Date,ముగింపు తేదీ
DocType: Sales Order Item,Produced Quantity,ఉత్పత్తి చేసే పరిమాణం
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,ఇంజినీర్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,ఇంజినీర్
DocType: Journal Entry,Total Amount Currency,మొత్తం పరిమాణం కరెన్సీ
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,శోధన సబ్ అసెంబ్లీలకు
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Item కోడ్ రో లేవు అవసరం {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Item కోడ్ రో లేవు అవసరం {0}
DocType: Sales Partner,Partner Type,భాగస్వామి రకం
DocType: Purchase Taxes and Charges,Actual,వాస్తవ
DocType: Authorization Rule,Customerwise Discount,Customerwise డిస్కౌంట్
@@ -4328,11 +4353,11 @@
DocType: Item Reorder,Re-Order Level,రీ-ఆర్డర్ స్థాయి
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,మీరు ఉత్పత్తి ఆర్డర్లు పెంచడానికి లేదా విశ్లేషణకు ముడి పదార్థాలు డౌన్లోడ్ కోరుకుంటున్న అంశాలు మరియు ప్రణాళిక చేసిన అంశాల ఎంటర్.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,గాంట్ చార్ట్
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,పార్ట్ టైమ్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,పార్ట్ టైమ్
DocType: Employee,Applicable Holiday List,వర్తించే హాలిడే జాబితా
DocType: Employee,Cheque,ప్రిపే
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,సిరీస్ నవీకరించబడింది
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,నివేదిక రకం తప్పనిసరి
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,నివేదిక రకం తప్పనిసరి
DocType: Item,Serial Number Series,క్రమ సంఖ్య సిరీస్
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},వేర్హౌస్ వరుసగా స్టాక్ అంశం {0} తప్పనిసరి {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,రిటైల్ & టోకు
@@ -4354,7 +4379,7 @@
DocType: BOM,Materials,మెటీరియల్స్
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","తనిఖీ లేకపోతే, జాబితా అనువర్తిత వుంటుంది పేరు ప్రతి శాఖ చేర్చబడుతుంది ఉంటుంది."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,మూల మరియు టార్గెట్ వేర్హౌస్ అదే ఉండకూడదు
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,తేదీ పోస్ట్ మరియు సమయం పోస్ట్ తప్పనిసరి
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,తేదీ పోస్ట్ మరియు సమయం పోస్ట్ తప్పనిసరి
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,లావాదేవీలు కొనుగోలు కోసం పన్ను టెంప్లేట్.
,Item Prices,అంశం ధరలు
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,మీరు కొనుగోలు ఆర్డర్ సేవ్ ఒకసారి వర్డ్స్ కనిపిస్తుంది.
@@ -4364,22 +4389,23 @@
DocType: Purchase Invoice,Advance Payments,అడ్వాన్స్ చెల్లింపులు
DocType: Purchase Taxes and Charges,On Net Total,నికర మొత్తం
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},లక్షణం {0} విలువ పరిధిలో ఉండాలి {1} కు {2} యొక్క ఇంక్రిమెంట్ {3} అంశం {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,{0} వరుసగా టార్గెట్ గిడ్డంగి ఉత్పత్తి ఆర్డర్ అదే ఉండాలి
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,{0} వరుసగా టార్గెట్ గిడ్డంగి ఉత్పత్తి ఆర్డర్ అదే ఉండాలి
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,% S పునరావృత పేర్కొనబడలేదు 'నోటిఫికేషన్ ఇమెయిల్ చిరునామాలు'
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,కరెన్సీ కొన్ని ఇతర కరెన్సీ ఉపయోగించి ఎంట్రీలు తరువాత మారలేదు
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,కరెన్సీ కొన్ని ఇతర కరెన్సీ ఉపయోగించి ఎంట్రీలు తరువాత మారలేదు
DocType: Vehicle Service,Clutch Plate,క్లచ్ ప్లేట్
DocType: Company,Round Off Account,ఖాతా ఆఫ్ రౌండ్
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,పరిపాలనాపరమైన ఖర్చులను
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,పరిపాలనాపరమైన ఖర్చులను
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,కన్సల్టింగ్
DocType: Customer Group,Parent Customer Group,మాతృ కస్టమర్ గ్రూప్
DocType: Purchase Invoice,Contact Email,సంప్రదించండి ఇమెయిల్
DocType: Appraisal Goal,Score Earned,స్కోరు సాధించాడు
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,నోటీసు కాలం
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,నోటీసు కాలం
DocType: Asset Category,Asset Category Name,ఆస్తి వర్గం పేరు
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,ఈ రూట్ భూభాగం ఉంది మరియు సవరించడం సాధ్యం కాదు.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,న్యూ సేల్స్ పర్సన్ పేరు
DocType: Packing Slip,Gross Weight UOM,స్థూల బరువు UoM
DocType: Delivery Note Item,Against Sales Invoice,సేల్స్ వాయిస్ వ్యతిరేకంగా
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,సీరియల్ అంశం కోసం సీరియల్ సంఖ్యలు నమోదు చేయండి
DocType: Bin,Reserved Qty for Production,ప్రొడక్షన్ ప్యాక్ చేసిన అంశాల రిసర్వ్డ్
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,మీరు కోర్సు ఆధారంగా సమూహాలు చేస్తున్నప్పుటికీ బ్యాచ్ పరిగణలోకి అనుకుంటే ఎంచుకోవద్దు.
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,మీరు కోర్సు ఆధారంగా సమూహాలు చేస్తున్నప్పుటికీ బ్యాచ్ పరిగణలోకి అనుకుంటే ఎంచుకోవద్దు.
@@ -4388,25 +4414,25 @@
DocType: Landed Cost Item,Landed Cost Item,అడుగుపెట్టాయి ఖర్చు అంశం
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,సున్నా విలువలు చూపించు
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,అంశం యొక్క మొత్తము ముడి పదార్థాల ఇచ్చిన పరిమాణంలో నుండి repacking / తయారీ తర్వాత పొందిన
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,సెటప్ నా సంస్థ కోసం ఒక సాధారణ వెబ్సైట్
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,సెటప్ నా సంస్థ కోసం ఒక సాధారణ వెబ్సైట్
DocType: Payment Reconciliation,Receivable / Payable Account,స్వీకరించదగిన / చెల్లించవలసిన ఖాతా
DocType: Delivery Note Item,Against Sales Order Item,అమ్మకాల ఆర్డర్ అంశం వ్యతిరేకంగా
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},గుణానికి విలువ లక్షణం రాయండి {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},గుణానికి విలువ లక్షణం రాయండి {0}
DocType: Item,Default Warehouse,డిఫాల్ట్ వేర్హౌస్
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},బడ్జెట్ గ్రూప్ ఖాతా వ్యతిరేకంగా కేటాయించిన సాధ్యం కాదు {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,మాతృ ఖర్చు సెంటర్ నమోదు చేయండి
DocType: Delivery Note,Print Without Amount,పరిమాణం లేకుండా ముద్రించండి
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,అరుగుదల తేదీ
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,అన్ని అంశాలను కాని స్టాక్ అంశాలను ఉన్నాయి పన్ను వర్గం 'వాల్యుయేషన్' లేదా 'వాల్యుయేషన్ మరియు సంపూర్ణమైనది' ఉండకూడదు
DocType: Issue,Support Team,మద్దతు బృందం
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),గడువు (డేస్)
DocType: Appraisal,Total Score (Out of 5),(5) మొత్తం స్కోరు
DocType: Fee Structure,FS.,ఎఫ్ఎస్.
-DocType: Program Enrollment,Batch,బ్యాచ్
+DocType: Student Attendance Tool,Batch,బ్యాచ్
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,సంతులనం
DocType: Room,Seating Capacity,సీటింగ్ కెపాసిటీ
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),మొత్తం ఖర్చుల దావా (ఖర్చు వాదనలు ద్వారా)
+DocType: GST Settings,GST Summary,జిఎస్టి సారాంశం
DocType: Assessment Result,Total Score,మొత్తం స్కోరు
DocType: Journal Entry,Debit Note,డెబిట్ గమనిక
DocType: Stock Entry,As per Stock UOM,స్టాక్ UoM ప్రకారం
@@ -4418,12 +4444,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,డిఫాల్ట్ తయారైన వస్తువులు వేర్హౌస్
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,సేల్స్ పర్సన్
DocType: SMS Parameter,SMS Parameter,SMS పారామిత
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,బడ్జెట్ మరియు వ్యయ కేంద్రం
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,బడ్జెట్ మరియు వ్యయ కేంద్రం
DocType: Vehicle Service,Half Yearly,అర్ధవార్షిక
DocType: Lead,Blog Subscriber,బ్లాగు సబ్స్క్రయిబర్
DocType: Guardian,Alternate Number,ప్రత్యామ్నాయ సంఖ్య
DocType: Assessment Plan Criteria,Maximum Score,గుణము
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,విలువలు ఆధారంగా లావాదేవీలు పరిమితం చేయడానికి నిబంధనలు సృష్టించు.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,గ్రూప్ రోల్ లేవు
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,మీరు సంవత్సరానికి విద్యార్థులు సమూహాలు చేస్తే ఖాళీ వదిలి
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,మీరు సంవత్సరానికి విద్యార్థులు సమూహాలు చేస్తే ఖాళీ వదిలి
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","ఎంచుకుంటే, మొత్తం no. వర్కింగ్ డేస్ సెలవులు కలిగి ఉంటుంది, మరియు ఈ జీతం రోజుకి విలువ తగ్గిస్తుంది"
@@ -4442,6 +4469,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,ఈ ఈ కస్టమర్ వ్యతిరేకంగా లావాదేవీలు ఆధారంగా. వివరాల కోసం ఈ క్రింది కాలక్రమం చూడండి
DocType: Supplier,Credit Days Based On,క్రెడిట్ డేస్ ఆధారంగా
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},రో {0}: కేటాయించిన మొత్తాన్ని {1} కంటే తక్కువకు లేదా చెల్లింపు ఎంట్రీ మొత్తం సమానం తప్పనిసరిగా {2}
+,Course wise Assessment Report,కోర్సు వారీగా మదింపు నివేదిక
DocType: Tax Rule,Tax Rule,పన్ను రూల్
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,సేల్స్ సైకిల్ అంతటా అదే రేటు నిర్వహించడానికి
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,కార్యక్షేత్ర పని గంటలు సమయం లాగ్లను ప్లాన్.
@@ -4450,7 +4478,7 @@
,Items To Be Requested,అంశాలు అభ్యర్థించిన టు
DocType: Purchase Order,Get Last Purchase Rate,గత కొనుగోలు రేటు పొందండి
DocType: Company,Company Info,కంపెనీ సమాచారం
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,ఎంచుకోండి లేదా కొత్త కస్టమర్ జోడించడానికి
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,ఎంచుకోండి లేదా కొత్త కస్టమర్ జోడించడానికి
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,వ్యయ కేంద్రం ఒక వ్యయం దావా బుక్ అవసరం
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),ఫండ్స్ (ఆస్తులు) యొక్క అప్లికేషన్
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,ఈ ఈ ఉద్యోగి హాజరు ఆధారంగా
@@ -4458,27 +4486,29 @@
DocType: Fiscal Year,Year Start Date,సంవత్సరం ప్రారంభం తేదీ
DocType: Attendance,Employee Name,ఉద్యోగి పేరు
DocType: Sales Invoice,Rounded Total (Company Currency),నున్నటి మొత్తం (కంపెనీ కరెన్సీ)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,ఖాతా రకం ఎంపిక ఎందుకంటే గ్రూప్ ప్రచ్ఛన్న కాదు.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,ఖాతా రకం ఎంపిక ఎందుకంటే గ్రూప్ ప్రచ్ఛన్న కాదు.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} మారిస్తే. రిఫ్రెష్ చెయ్యండి.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,కింది రోజులలో లీవ్ అప్లికేషన్స్ తయారీ నుండి వినియోగదారులు ఆపు.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,కొనుగోలు మొత్తాన్ని
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,సరఫరాదారు కొటేషన్ {0} రూపొందించారు
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,ముగింపు సంవత్సరం ప్రారంభ సంవత్సరం కంటే ముందు ఉండకూడదు
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,ఉద్యోగుల లాభాల
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,ఉద్యోగుల లాభాల
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},ప్యాక్ పరిమాణం వరుసగా అంశం {0} పరిమాణం సమానంగా ఉండాలి {1}
DocType: Production Order,Manufactured Qty,తయారు ప్యాక్ చేసిన అంశాల
DocType: Purchase Receipt Item,Accepted Quantity,అంగీకరించిన పరిమాణం
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},ఒక డిఫాల్ట్ ఉద్యోగి కోసం హాలిడే జాబితా సెట్ దయచేసి {0} లేదా కంపెనీ {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} చేస్తుంది ఉందో
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} చేస్తుంది ఉందో
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,బ్యాచ్ సంఖ్యలు ఎంచుకోండి
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,వినియోగదారుడు ఎదిగింది బిల్లులు.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,ప్రాజెక్ట్ ఐడి
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},రో లేవు {0}: మొత్తం ఖర్చు చెప్పడం {1} వ్యతిరేకంగా మొత్తం పెండింగ్ కంటే ఎక్కువ ఉండకూడదు. పెండింగ్ మొత్తంలో {2}
DocType: Maintenance Schedule,Schedule,షెడ్యూల్
DocType: Account,Parent Account,మాతృ ఖాతా
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,అందుబాటులో
DocType: Quality Inspection Reading,Reading 3,3 పఠనం
,Hub,హబ్
DocType: GL Entry,Voucher Type,ఓచర్ టైప్
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,ధర జాబితా దొరకలేదు లేదా డిసేబుల్ లేదు
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,ధర జాబితా దొరకలేదు లేదా డిసేబుల్ లేదు
DocType: Employee Loan Application,Approved,ఆమోదించబడింది
DocType: Pricing Rule,Price,ధర
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0} ఏర్పాటు చేయాలి మీద ఉపశమనం ఉద్యోగి 'Left' గా
@@ -4489,7 +4519,8 @@
DocType: Selling Settings,Campaign Naming By,ద్వారా ప్రచారం నేమింగ్
DocType: Employee,Current Address Is,ప్రస్తుత చిరునామా
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,చివరి మార్పు
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","ఐచ్ఛికము. పేర్కొనబడలేదు ఉంటే, కంపెనీ యొక్క డిఫాల్ట్ కరెన్సీ అమర్చుతుంది."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","ఐచ్ఛికము. పేర్కొనబడలేదు ఉంటే, కంపెనీ యొక్క డిఫాల్ట్ కరెన్సీ అమర్చుతుంది."
+DocType: Sales Invoice,Customer GSTIN,కస్టమర్ GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,అకౌంటింగ్ జర్నల్ ఎంట్రీలు.
DocType: Delivery Note Item,Available Qty at From Warehouse,గిడ్డంగి నుండి వద్ద అందుబాటులో ప్యాక్ చేసిన అంశాల
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,మొదటి ఉద్యోగి రికార్డ్ ఎంచుకోండి.
@@ -4497,7 +4528,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},రో {0}: పార్టీ / ఖాతాతో సరిపోలడం లేదు {1} / {2} లో {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,ఖర్చుల ఖాతాను నమోదు చేయండి
DocType: Account,Stock,స్టాక్
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","రో # {0}: రిఫరెన్స్ డాక్యుమెంట్ టైప్ కొనుగోలు ఆర్డర్ ఒకటి, కొనుగోలు వాయిస్ లేదా జర్నల్ ఎంట్రీ ఉండాలి"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","రో # {0}: రిఫరెన్స్ డాక్యుమెంట్ టైప్ కొనుగోలు ఆర్డర్ ఒకటి, కొనుగోలు వాయిస్ లేదా జర్నల్ ఎంట్రీ ఉండాలి"
DocType: Employee,Current Address,ప్రస్తుత చిరునామా
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","స్పష్టంగా పేర్కొన్న తప్ప తరువాత అంశం వివరణ, చిత్రం, ధర, పన్నులు టెంప్లేట్ నుండి సెట్ చేయబడతాయి etc మరొక అంశం యొక్క ఒక వైవిధ్యం ఉంటే"
DocType: Serial No,Purchase / Manufacture Details,కొనుగోలు / తయారీ వివరాలు
@@ -4510,8 +4541,8 @@
DocType: Pricing Rule,Min Qty,Min ప్యాక్ చేసిన అంశాల
DocType: Asset Movement,Transaction Date,లావాదేవీ తేదీ
DocType: Production Plan Item,Planned Qty,అనుకున్న ప్యాక్ చేసిన అంశాల
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,మొత్తం పన్ను
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,పరిమాణం (ప్యాక్ చేసిన అంశాల తయారు) తప్పనిసరి
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,మొత్తం పన్ను
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,పరిమాణం (ప్యాక్ చేసిన అంశాల తయారు) తప్పనిసరి
DocType: Stock Entry,Default Target Warehouse,డిఫాల్ట్ టార్గెట్ వేర్హౌస్
DocType: Purchase Invoice,Net Total (Company Currency),నికర మొత్తం (కంపెనీ కరెన్సీ)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,ఇయర్ ఎండ్ తేదీ ఇయర్ ప్రారంభ తేదీ కంటే ముందు ఉండకూడదు. దయచేసి తేదీలు సరిచేసి మళ్ళీ ప్రయత్నించండి.
@@ -4525,14 +4556,12 @@
DocType: Hub Settings,Hub Settings,హబ్ సెట్టింగ్స్
DocType: Project,Gross Margin %,స్థూల సరిహద్దు %
DocType: BOM,With Operations,ఆపరేషన్స్ తో
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,అకౌంటింగ్ ఎంట్రీలు ఇప్పటికే కరెన్సీ చేసారు {0} సంస్థ కోసం {1}. కరెన్సీతో గానీ స్వీకరించదగిన లేదా చెల్లించవలసిన ఖాతాను ఎంచుకోండి {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,అకౌంటింగ్ ఎంట్రీలు ఇప్పటికే కరెన్సీ చేసారు {0} సంస్థ కోసం {1}. కరెన్సీతో గానీ స్వీకరించదగిన లేదా చెల్లించవలసిన ఖాతాను ఎంచుకోండి {0}.
DocType: Asset,Is Existing Asset,ఆస్తి ఉన్న ఈజ్
DocType: Salary Detail,Statistical Component,స్టాటిస్టికల్ భాగం
DocType: Salary Detail,Statistical Component,స్టాటిస్టికల్ భాగం
-,Monthly Salary Register,మంత్లీ జీతం నమోదు
DocType: Warranty Claim,If different than customer address,కస్టమర్ చిరునామా కంటే వివిధ ఉంటే
DocType: BOM Operation,BOM Operation,బిఒఎం ఆపరేషన్
-DocType: School Settings,Validate the Student Group from Program Enrollment,ప్రోగ్రామ్ ఎన్రోల్మెంట్ నుండి స్టూడెంట్ గ్రూప్ ప్రమాణీకరించు
DocType: Purchase Taxes and Charges,On Previous Row Amount,మునుపటి రో మొత్తం మీద
DocType: Student,Home Address,హోం చిరునామా
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,ట్రాన్స్ఫర్ ఆస్తి
@@ -4540,28 +4569,27 @@
DocType: Training Event,Event Name,ఈవెంట్ పేరు
apps/erpnext/erpnext/config/schools.py +39,Admission,అడ్మిషన్
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},కోసం ప్రవేశాలు {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","సెట్ బడ్జెట్లు, లక్ష్యాలను మొదలైనవి కోసం కాలికోద్యోగం"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","{0} అంశం ఒక టెంప్లేట్, దాని వైవిధ్యాలు ఒకటి ఎంచుకోండి దయచేసి"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","సెట్ బడ్జెట్లు, లక్ష్యాలను మొదలైనవి కోసం కాలికోద్యోగం"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","{0} అంశం ఒక టెంప్లేట్, దాని వైవిధ్యాలు ఒకటి ఎంచుకోండి దయచేసి"
DocType: Asset,Asset Category,ఆస్తి వర్గం
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,కొనుగోలుదారు
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,నికర పే ప్రతికూల ఉండకూడదు
DocType: SMS Settings,Static Parameters,స్టాటిక్ పారామితులు
DocType: Assessment Plan,Room,గది
DocType: Purchase Order,Advance Paid,అడ్వాన్స్ చెల్లింపు
DocType: Item,Item Tax,అంశం పన్ను
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,సరఫరాదారు మెటీరియల్
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,ఎక్సైజ్ వాయిస్
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,ఎక్సైజ్ వాయిస్
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,ప్రభావసీమ {0}% ఒకసారి కంటే ఎక్కువ కనిపిస్తుంది
DocType: Expense Claim,Employees Email Id,ఉద్యోగులు ఇమెయిల్ ఐడి
DocType: Employee Attendance Tool,Marked Attendance,గుర్తించ హాజరు
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,ప్రస్తుత బాధ్యతలు
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,ప్రస్తుత బాధ్యతలు
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,మాస్ SMS మీ పరిచయాలను పంపండి
DocType: Program,Program Name,ప్రోగ్రామ్ పేరు
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,పన్ను లేదా ఛార్జ్ పరిగణించండి
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,వాస్తవ ప్యాక్ చేసిన అంశాల తప్పనిసరి
DocType: Employee Loan,Loan Type,లోన్ టైప్
DocType: Scheduling Tool,Scheduling Tool,షెడ్యూలింగ్ టూల్
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,క్రెడిట్ కార్డ్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,క్రెడిట్ కార్డ్
DocType: BOM,Item to be manufactured or repacked,అంశం తయారు లేదా repacked వుంటుంది
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,స్టాక్ లావాదేవీలకు డిఫాల్ట్ సెట్టింగులను.
DocType: Purchase Invoice,Next Date,తదుపరి తేదీ
@@ -4577,10 +4605,10 @@
DocType: Stock Entry,Repack,Repack
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,మీరు కొనసాగే ముందు రూపం సేవ్ చేయాలి
DocType: Item Attribute,Numeric Values,సంఖ్యా విలువలు
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,లోగో అటాచ్
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,లోగో అటాచ్
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,స్టాక్ స్థాయిలు
DocType: Customer,Commission Rate,కమిషన్ రేటు
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,వేరియంట్ చేయండి
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,వేరియంట్ చేయండి
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,శాఖ బ్లాక్ సెలవు అప్లికేషన్లు.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","చెల్లింపు పద్ధతి, స్వీకరించండి ఒకటి ఉండాలి చెల్లించండి మరియు అంతర్గత బదిలీ"
apps/erpnext/erpnext/config/selling.py +179,Analytics,విశ్లేషణలు
@@ -4588,45 +4616,45 @@
DocType: Vehicle,Model,మోడల్
DocType: Production Order,Actual Operating Cost,వాస్తవ ఆపరేటింగ్ వ్యయం
DocType: Payment Entry,Cheque/Reference No,ప్రిపే / సూచన నో
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,రూట్ సంపాదకీయం సాధ్యం కాదు.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,రూట్ సంపాదకీయం సాధ్యం కాదు.
DocType: Item,Units of Measure,యూనిట్స్ ఆఫ్ మెజర్
DocType: Manufacturing Settings,Allow Production on Holidays,సెలవులు నిర్మాణం అనుమతించు
DocType: Sales Order,Customer's Purchase Order Date,కస్టమర్ యొక్క కొనుగోలు ఆర్డర్ తేదీ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,మూలధన నిల్వలను
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,మూలధన నిల్వలను
DocType: Shopping Cart Settings,Show Public Attachments,పబ్లిక్ అటాచ్మెంట్లు చూపించు
DocType: Packing Slip,Package Weight Details,ప్యాకేజీ బరువు వివరాలు
DocType: Payment Gateway Account,Payment Gateway Account,చెల్లింపు గేట్వే ఖాతా
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,చెల్లింపు పూర్తయిన తర్వాత ఎంపిక పేజీకి వినియోగదారు మళ్ళింపు.
DocType: Company,Existing Company,ఇప్పటికే కంపెనీ
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",పన్ను వర్గం "మొత్తం" మార్చబడింది ఆల్ కాని స్టాక్ అంశాలను ఎందుకంటే
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,ఒక csv ఫైల్ను ఎంచుకోండి
DocType: Student Leave Application,Mark as Present,కానుకగా మార్క్
DocType: Purchase Order,To Receive and Bill,స్వీకరించండి మరియు బిల్
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,లక్షణం చేసిన ఉత్పత్తులు
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,డిజైనర్
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,డిజైనర్
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,నియమాలు మరియు నిబంధనలు మూస
DocType: Serial No,Delivery Details,డెలివరీ వివరాలు
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},రకం కోసం ఖర్చు సెంటర్ వరుసగా అవసరం {0} పన్నులు పట్టిక {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},రకం కోసం ఖర్చు సెంటర్ వరుసగా అవసరం {0} పన్నులు పట్టిక {1}
DocType: Program,Program Code,ప్రోగ్రామ్ కోడ్
DocType: Terms and Conditions,Terms and Conditions Help,నియమాలు మరియు నిబంధనలు సహాయం
,Item-wise Purchase Register,అంశం వారీగా కొనుగోలు నమోదు
DocType: Batch,Expiry Date,గడువు తీరు తేదీ
-,Supplier Addresses and Contacts,సరఫరాదారు చిరునామాలు మరియు కాంటాక్ట్స్
,accounts-browser,ఖాతాల బ్రౌజర్
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,మొదటి వర్గం ఎంచుకోండి దయచేసి
apps/erpnext/erpnext/config/projects.py +13,Project master.,ప్రాజెక్టు మాస్టర్.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","స్టాక్ సెట్టింగులు లేదా Item లో "అనుమతి" అప్డేట్, ఓవర్ బిల్లింగ్ లేదా ఓవర్ ఆర్దరింగ్ అనుమతించుటకు."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","స్టాక్ సెట్టింగులు లేదా Item లో "అనుమతి" అప్డేట్, ఓవర్ బిల్లింగ్ లేదా ఓవర్ ఆర్దరింగ్ అనుమతించుటకు."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,కరెన్సీ etc $ వంటి ఏ చిహ్నం తదుపరి చూపవద్దు.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(హాఫ్ డే)
DocType: Supplier,Credit Days,క్రెడిట్ డేస్
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,స్టూడెంట్ బ్యాచ్ చేయండి
DocType: Leave Type,Is Carry Forward,ఫార్వర్డ్ కారి ఉంటుంది
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,బిఒఎం నుండి అంశాలు పొందండి
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,బిఒఎం నుండి అంశాలు పొందండి
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,సమయం రోజులు లీడ్
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},రో # {0}: తేదీ పోస్టింగ్ కొనుగోలు తేదీని అదే ఉండాలి {1} ఆస్తి యొక్క {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},రో # {0}: తేదీ పోస్టింగ్ కొనుగోలు తేదీని అదే ఉండాలి {1} ఆస్తి యొక్క {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,పైన ఇచ్చిన పట్టికలో సేల్స్ ఆర్డర్స్ నమోదు చేయండి
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,సమర్పించలేదు జీతం స్లిప్స్
,Stock Summary,స్టాక్ సారాంశం
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,మరొక గిడ్డంగి నుండి ఒక ఆస్తి బదిలీ
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,మరొక గిడ్డంగి నుండి ఒక ఆస్తి బదిలీ
DocType: Vehicle,Petrol,పెట్రోల్
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,వస్తువుల యొక్క జామా ఖర్చు
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},రో {0}: పార్టీ పద్ధతి మరియు పార్టీ స్వీకరించదగిన / చెల్లించవలసిన ఖాతా కోసం అవసరం {1}
@@ -4637,6 +4665,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,మంజూరు సొమ్ము
DocType: GL Entry,Is Opening,ప్రారంభమని
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},రో {0}: డెబిట్ ప్రవేశం తో జతచేయవచ్చు ఒక {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,ఖాతా {0} ఉనికిలో లేదు
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,ఖాతా {0} ఉనికిలో లేదు
DocType: Account,Cash,క్యాష్
DocType: Employee,Short biography for website and other publications.,వెబ్సైట్ మరియు ఇతర ప్రచురణలకు క్లుప్త జీవితచరిత్ర.
diff --git a/erpnext/translations/th.csv b/erpnext/translations/th.csv
index f2b3872..09a8cf8 100644
--- a/erpnext/translations/th.csv
+++ b/erpnext/translations/th.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,สินค้าอุปโภคบริโภค
DocType: Item,Customer Items,รายการลูกค้า
DocType: Project,Costing and Billing,ต้นทุนและการเรียกเก็บเงิน
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,บัญชี {0}: บัญชีผู้ปกครอง {1} ไม่สามารถแยกประเภท
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,บัญชี {0}: บัญชีผู้ปกครอง {1} ไม่สามารถแยกประเภท
DocType: Item,Publish Item to hub.erpnext.com,เผยแพร่รายการที่จะ hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,การแจ้งเตือน ทางอีเมล์
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,การประเมินผล
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,การประเมินผล
DocType: Item,Default Unit of Measure,หน่วยเริ่มต้นของวัด
DocType: SMS Center,All Sales Partner Contact,ทั้งหมดติดต่อพันธมิตรการขาย
DocType: Employee,Leave Approvers,ฝากผู้อนุมัติ
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),อัตราแลกเปลี่ยนจะต้องเป็นเช่นเดียวกับ {0} {1} ({2})
DocType: Sales Invoice,Customer Name,ชื่อลูกค้า
DocType: Vehicle,Natural Gas,ก๊าซธรรมชาติ
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},บัญชีธนาคารไม่สามารถตั้งชื่อเป็น {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},บัญชีธนาคารไม่สามารถตั้งชื่อเป็น {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,หัว (หรือกลุ่ม) กับบัญชีรายการที่จะทำและจะรักษายอด
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),ที่โดดเด่นสำหรับ {0} ไม่ สามารถน้อยกว่า ศูนย์ ( {1})
DocType: Manufacturing Settings,Default 10 mins,เริ่มต้น 10 นาที
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,ติดต่อผู้ผลิตทั้งหมด
DocType: Support Settings,Support Settings,การตั้งค่าการสนับสนุน
DocType: SMS Parameter,Parameter,พารามิเตอร์
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,คาดว่าวันที่สิ้นสุดไม่สามารถจะน้อยกว่าที่คาดว่าจะเริ่มวันที่
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,คาดว่าวันที่สิ้นสุดไม่สามารถจะน้อยกว่าที่คาดว่าจะเริ่มวันที่
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,แถว # {0}: ให้คะแนนจะต้องเป็นเช่นเดียวกับ {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,แอพลิเคชันออกใหม่
,Batch Item Expiry Status,Batch รายการสถานะหมดอายุ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,ตั๋วแลกเงิน
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,ตั๋วแลกเงิน
DocType: Mode of Payment Account,Mode of Payment Account,โหมดของการบัญชีการชำระเงิน
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,แสดงหลากหลายรูปแบบ
DocType: Academic Term,Academic Term,ระยะทางวิชาการ
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,วัสดุ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,จำนวน
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,ตารางบัญชีต้องไม่ว่างเปล่า
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),เงินให้กู้ยืม ( หนี้สิน )
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),เงินให้กู้ยืม ( หนี้สิน )
DocType: Employee Education,Year of Passing,ปีที่ผ่าน
DocType: Item,Country of Origin,ประเทศแหล่งกำเนิดสินค้า
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,ในสต็อก
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,ในสต็อก
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,เปิดประเด็น
DocType: Production Plan Item,Production Plan Item,สินค้าแผนการผลิต
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},ผู้ใช้ {0} จะถูก กำหนดให้กับ พนักงาน {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,การดูแลสุขภาพ
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ความล่าช้าในการชำระเงิน (วัน)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,ค่าใช้จ่ายในการให้บริการ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},หมายเลขซีเรียล: {0} มีการอ้างถึงในใบแจ้งหนี้การขายแล้ว: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},หมายเลขซีเรียล: {0} มีการอ้างถึงในใบแจ้งหนี้การขายแล้ว: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,ใบกำกับสินค้า
DocType: Maintenance Schedule Item,Periodicity,การเป็นช่วง ๆ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,ปีงบประมาณ {0} จะต้อง
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,แถว # {0}:
DocType: Timesheet,Total Costing Amount,จํานวนต้นทุนรวม
DocType: Delivery Note,Vehicle No,รถไม่มี
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,เลือกรายชื่อราคา
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,เลือกรายชื่อราคา
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,แถว # {0}: เอกสารการชำระเงินจะต้องดำเนินการธุรกรรม
DocType: Production Order Operation,Work In Progress,ทำงานในความคืบหน้า
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,กรุณาเลือกวันที่
DocType: Employee,Holiday List,รายการวันหยุด
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,นักบัญชี
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,นักบัญชี
DocType: Cost Center,Stock User,หุ้นผู้ใช้
DocType: Company,Phone No,โทรศัพท์ไม่มี
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,ตารางหลักสูตรการสร้าง:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},ใหม่ {0}: # {1}
,Sales Partners Commission,สำนักงานคณะกรรมการกำกับการขายหุ้นส่วน
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,ตัวอักษรย่อ ห้ามมีความยาวมากกว่า 5 ตัวอักษร
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,ตัวอักษรย่อ ห้ามมีความยาวมากกว่า 5 ตัวอักษร
DocType: Payment Request,Payment Request,คำขอชำระเงิน
DocType: Asset,Value After Depreciation,ค่าหลังจากค่าเสื่อมราคา
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,วันที่เข้าร่วมประชุมไม่น้อยกว่าวันที่เข้าร่วมของพนักงาน
DocType: Grading Scale,Grading Scale Name,การวัดผลการศึกษาชื่อชั่ง
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,นี่คือบัญชี รากและ ไม่สามารถแก้ไขได้
+DocType: Sales Invoice,Company Address,ที่อยู่ บริษัท
DocType: BOM,Operations,การดำเนินงาน
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},ไม่สามารถตั้งค่า การอนุญาต บนพื้นฐานของ ส่วนลดพิเศษสำหรับ {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name",แนบไฟล์ csv ที่มีสองคอลัมน์หนึ่งชื่อเก่าและหนึ่งสำหรับชื่อใหม่
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} ไม่ได้อยู่ในปีงบประมาณใดๆ
DocType: Packed Item,Parent Detail docname,docname รายละเอียดผู้ปกครอง
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",ข้อมูลอ้างอิง: {0} รหัสรายการ: {1} และลูกค้า: {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,กิโลกรัม
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,กิโลกรัม
DocType: Student Log,Log,เข้าสู่ระบบ
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,เปิดงาน
DocType: Item Attribute,Increment,การเพิ่มขึ้น
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,การโฆษณา
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,บริษัท เดียวกันจะเข้ามามากกว่าหนึ่งครั้ง
DocType: Employee,Married,แต่งงาน
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},ไม่อนุญาตสำหรับ {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},ไม่อนุญาตสำหรับ {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,รับรายการจาก
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},หุ้น ไม่สามารถปรับปรุง กับ การจัดส่งสินค้า หมายเหตุ {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},หุ้น ไม่สามารถปรับปรุง กับ การจัดส่งสินค้า หมายเหตุ {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},สินค้า {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,ไม่มีรายการที่ระบุไว้
DocType: Payment Reconciliation,Reconcile,คืนดี
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,ถัดไปวันที่ค่าเสื่อมราคาที่ไม่สามารถจะซื้อก่อนวันที่
DocType: SMS Center,All Sales Person,คนขายทั้งหมด
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** การกระจายรายเดือน ** จะช่วยให้คุณแจกจ่ายงบประมาณ / เป้าหมายข้ามเดือนถ้าคุณมีฤดูกาลในธุรกิจของคุณ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,ไม่พบรายการ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,ไม่พบรายการ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,โครงสร้างเงินเดือนที่ขาดหายไป
DocType: Lead,Person Name,คนที่ชื่อ
DocType: Sales Invoice Item,Sales Invoice Item,รายการใบแจ้งหนี้การขาย
DocType: Account,Credit,เครดิต
DocType: POS Profile,Write Off Cost Center,เขียนปิดศูนย์ต้นทุน
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",เช่น "โรงเรียนประถม" หรือ "มหาวิทยาลัย"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",เช่น "โรงเรียนประถม" หรือ "มหาวิทยาลัย"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,รายงานสต็อกสินค้า
DocType: Warehouse,Warehouse Detail,รายละเอียดคลังสินค้า
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},วงเงินสินเชื่อที่ได้รับการข้ามสำหรับลูกค้า {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},วงเงินสินเชื่อที่ได้รับการข้ามสำหรับลูกค้า {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,วันที่สิ้นสุดระยะเวลาที่ไม่สามารถจะช้ากว่าปีวันที่สิ้นสุดปีการศึกษาที่คำว่ามีการเชื่อมโยง (ปีการศึกษา {}) โปรดแก้ไขวันและลองอีกครั้ง
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","ไม่สามารถเพิกถอน ""คือสินทรัพย์ถาวร"" ได้เพราะมีบันทึกสินทรัพย์ที่อยู่กับรายการ"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","ไม่สามารถเพิกถอน ""คือสินทรัพย์ถาวร"" ได้เพราะมีบันทึกสินทรัพย์ที่อยู่กับรายการ"
DocType: Vehicle Service,Brake Oil,น้ำมันเบรค
DocType: Tax Rule,Tax Type,ประเภทภาษี
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},คุณยังไม่ได้ รับอนุญาตให้ เพิ่มหรือปรับปรุง รายการ ก่อนที่ {0}
DocType: BOM,Item Image (if not slideshow),รูปภาพสินค้า (ถ้าไม่สไลด์โชว์)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,ลูกค้าที่มีอยู่ ที่มีชื่อเดียวกัน
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(อัตราค่าแรง / 60) * เวลาที่ดำเนินงานจริง
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,เลือก BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,เลือก BOM
DocType: SMS Log,SMS Log,เข้าสู่ระบบ SMS
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,ค่าใช้จ่ายในการจัดส่งสินค้า
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,วันหยุดในวันที่ {0} ไม่ได้ระหว่างนับจากวันและวันที่
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},จาก {0} เป็น {1}
DocType: Item,Copy From Item Group,คัดลอกจากกลุ่มสินค้า
DocType: Journal Entry,Opening Entry,เปิดรายการ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ลูกค้า> กลุ่มลูกค้า> เขตแดน
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,บัญชีจ่ายเพียง
DocType: Employee Loan,Repay Over Number of Periods,ชำระคืนกว่าจำนวนงวด
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} ไม่ได้ลงทะเบียนเรียนใน {2}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} ไม่ได้ลงทะเบียนเรียนใน {2}
DocType: Stock Entry,Additional Costs,ค่าใช้จ่ายเพิ่มเติม
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,บัญชี กับการทำธุรกรรม ที่มีอยู่ ไม่สามารถ แปลงเป็น กลุ่ม
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,บัญชี กับการทำธุรกรรม ที่มีอยู่ ไม่สามารถ แปลงเป็น กลุ่ม
DocType: Lead,Product Enquiry,สอบถามสินค้า
DocType: Academic Term,Schools,โรงเรียน
+DocType: School Settings,Validate Batch for Students in Student Group,ตรวจสอบรุ่นสำหรับนักเรียนในกลุ่มนักเรียน
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},ไม่มีประวัติการลาพบพนักงาน {0} สำหรับ {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,กรุณากรอก บริษัท แรก
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,กรุณาเลือก บริษัท แรก
@@ -175,50 +176,50 @@
DocType: BOM,Total Cost,ค่าใช้จ่ายรวม
DocType: Journal Entry Account,Employee Loan,เงินกู้พนักงาน
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,บันทึกกิจกรรม:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,รายการที่ {0} ไม่อยู่ใน ระบบหรือ หมดอายุแล้ว
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,รายการที่ {0} ไม่อยู่ใน ระบบหรือ หมดอายุแล้ว
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,อสังหาริมทรัพย์
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,งบบัญชี
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,ยา
DocType: Purchase Invoice Item,Is Fixed Asset,เป็นสินทรัพย์ถาวร
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}",จำนวนที่มีอยู่ {0} คุณต้อง {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}",จำนวนที่มีอยู่ {0} คุณต้อง {1}
DocType: Expense Claim Detail,Claim Amount,จำนวนการเรียกร้อง
-DocType: Employee,Mr,นาย
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,กลุ่มลูกค้าซ้ำที่พบในตารางกลุ่มปัก
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,ประเภท ผู้ผลิต / ผู้จัดจำหน่าย
DocType: Naming Series,Prefix,อุปสรรค
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,วัสดุสิ้นเปลือง
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,วัสดุสิ้นเปลือง
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,นำเข้าสู่ระบบ
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,ดึงขอวัสดุประเภทผลิตตามเกณฑ์ดังกล่าวข้างต้น
DocType: Training Result Employee,Grade,เกรด
DocType: Sales Invoice Item,Delivered By Supplier,จัดส่งโดยผู้ผลิต
DocType: SMS Center,All Contact,ติดต่อทั้งหมด
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,ใบสั่งผลิตสร้างไว้แล้วสำหรับรายการทั้งหมดที่มี BOM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,เงินเดือนประจำปี
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,ใบสั่งผลิตสร้างไว้แล้วสำหรับรายการทั้งหมดที่มี BOM
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,เงินเดือนประจำปี
DocType: Daily Work Summary,Daily Work Summary,สรุปการทำงานประจำวัน
DocType: Period Closing Voucher,Closing Fiscal Year,ปิดปีงบประมาณ
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} ถูกระงับการใช้งานชั่วคราว
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,กรุณาเลือก บริษัท ที่มีอยู่สำหรับการสร้างผังบัญชี
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,ค่าใช้จ่ายใน สต็อก
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} ถูกระงับการใช้งานชั่วคราว
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,กรุณาเลือก บริษัท ที่มีอยู่สำหรับการสร้างผังบัญชี
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,ค่าใช้จ่ายใน สต็อก
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,เลือกคลังข้อมูลเป้าหมาย
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,เลือกคลังข้อมูลเป้าหมาย
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,กรุณาใส่อีเมล์ที่ต้องการติดต่อ
+DocType: Program Enrollment,School Bus,รถโรงเรียน
DocType: Journal Entry,Contra Entry,ในทางตรงกันข้ามการเข้า
DocType: Journal Entry Account,Credit in Company Currency,เครดิตสกุลเงินใน บริษัท
DocType: Delivery Note,Installation Status,สถานะการติดตั้ง
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",คุณต้องการที่จะปรับปรุงการเข้าร่วม? <br> ปัจจุบัน: {0} \ <br> ขาด: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},จำนวนสินค้าที่ผ่านการตรวจรับ + จำนวนสินค้าที่ไม่ผ่านการตรวจรับ จะต้องมีปริมาณเท่ากับ จำนวน สืนค้าที่ได้รับ สำหรับ รายการ {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},จำนวนสินค้าที่ผ่านการตรวจรับ + จำนวนสินค้าที่ไม่ผ่านการตรวจรับ จะต้องมีปริมาณเท่ากับ จำนวน สืนค้าที่ได้รับ สำหรับ รายการ {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,วัตถุดิบสำหรับการซื้อวัสดุสิ้นเปลือง
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,อย่างน้อยหนึ่งโหมดการชำระเงินเป็นสิ่งจำเป็นสำหรับใบแจ้งหนี้ จุดขาย
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,อย่างน้อยหนึ่งโหมดการชำระเงินเป็นสิ่งจำเป็นสำหรับใบแจ้งหนี้ จุดขาย
DocType: Products Settings,Show Products as a List,แสดงผลิตภัณฑ์ที่เป็นรายการ
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","ดาวน์โหลดแม่แบบกรอกข้อมูลที่เหมาะสมและแนบไฟล์ที่ถูกแก้ไข
ทุกวันและการรวมกันของพนักงานในระยะเวลาที่เลือกจะมาในแม่แบบที่มีการบันทึกการเข้าร่วมที่มีอยู่"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,รายการที่ {0} ไม่ได้ใช้งาน หรือจุดสิ้นสุดของ ชีวิต ได้ถึง
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,ตัวอย่าง: วิชาคณิตศาสตร์พื้นฐาน
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",จะรวมถึง ภาษี ในแถว {0} ใน อัตรา รายการ ภาษี ใน แถว {1} จะต้องรวม
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,รายการที่ {0} ไม่ได้ใช้งาน หรือจุดสิ้นสุดของ ชีวิต ได้ถึง
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,ตัวอย่าง: วิชาคณิตศาสตร์พื้นฐาน
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",จะรวมถึง ภาษี ในแถว {0} ใน อัตรา รายการ ภาษี ใน แถว {1} จะต้องรวม
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,การตั้งค่าสำหรับ โมดูล ทรัพยากรบุคคล
DocType: SMS Center,SMS Center,ศูนย์ SMS
DocType: Sales Invoice,Change Amount,เปลี่ยนจำนวน
@@ -228,7 +229,7 @@
DocType: Lead,Request Type,ชนิดของการร้องขอ
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,สร้างพนักงาน
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,บรอดคาสติ้ง
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,การปฏิบัติ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,การปฏิบัติ
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,รายละเอียดของการดำเนินการดำเนินการ
DocType: Serial No,Maintenance Status,สถานะการบำรุงรักษา
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: ผู้ผลิตเป็นสิ่งจำเป็นสำหรับบัญชีเจ้าหนี้ {2}
@@ -256,7 +257,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,การขอใบเสนอราคาสามารถเข้าถึงได้โดยการคลิกที่ลิงค์ต่อไปนี้
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,จัดสรรใบสำหรับปี
DocType: SG Creation Tool Course,SG Creation Tool Course,SG หลักสูตรการสร้างเครื่องมือ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,ไม่เพียงพอที่แจ้ง
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,ไม่เพียงพอที่แจ้ง
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,การวางแผนความจุปิดการใช้งานและการติดตามเวลา
DocType: Email Digest,New Sales Orders,คำสั่งขายใหม่
DocType: Bank Guarantee,Bank Account,บัญชีเงินฝาก
@@ -267,8 +268,9 @@
DocType: Production Order Operation,Updated via 'Time Log',ปรับปรุงแล้วทาง 'บันทึกเวลา'
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},จำนวนเงินล่วงหน้าไม่สามารถจะสูงกว่า {0} {1}
DocType: Naming Series,Series List for this Transaction,รายชื่อชุดสำหรับการทำธุรกรรมนี้
+DocType: Company,Enable Perpetual Inventory,เปิดใช้พื้นที่โฆษณาถาวร
DocType: Company,Default Payroll Payable Account,เริ่มต้นเงินเดือนบัญชีเจ้าหนี้
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,อีเมลกลุ่มปรับปรุง
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,อีเมลกลุ่มปรับปรุง
DocType: Sales Invoice,Is Opening Entry,จะเปิดรายการ
DocType: Customer Group,Mention if non-standard receivable account applicable,ถ้าพูดถึงไม่ได้มาตรฐานลูกหนี้บังคับ
DocType: Course Schedule,Instructor Name,ชื่ออาจารย์ผู้สอน
@@ -280,13 +282,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,กับใบแจ้งหนี้การขายสินค้า
,Production Orders in Progress,สั่งซื้อ การผลิตใน ความคืบหน้า
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,เงินสดสุทธิจากการจัดหาเงินทุน
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save",LocalStorage เต็มไม่ได้บันทึก
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save",LocalStorage เต็มไม่ได้บันทึก
DocType: Lead,Address & Contact,ที่อยู่และการติดต่อ
DocType: Leave Allocation,Add unused leaves from previous allocations,เพิ่มใบไม่ได้ใช้จากการจัดสรรก่อนหน้า
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},ที่เกิดขึ้นต่อไป {0} จะถูกสร้างขึ้นบน {1}
DocType: Sales Partner,Partner website,เว็บไซต์พันธมิตร
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,เพิ่มรายการ
-,Contact Name,ชื่อผู้ติดต่อ
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,ชื่อผู้ติดต่อ
DocType: Course Assessment Criteria,Course Assessment Criteria,เกณฑ์การประเมินหลักสูตร
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,สร้างสลิปเงินเดือนสำหรับเกณฑ์ดังกล่าวข้างต้น
DocType: POS Customer Group,POS Customer Group,กลุ่มลูกค้า จุดขายหน้าร้าน
@@ -295,18 +297,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,ให้ คำอธิบาย
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,ขอซื้อ
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,นี้จะขึ้นอยู่กับแผ่น Time ที่สร้างขึ้นกับโครงการนี้
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,จ่ายสุทธิไม่สามารถน้อยกว่า 0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,จ่ายสุทธิไม่สามารถน้อยกว่า 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,เพียง เลือก ผู้อนุมัติ ออกสามารถส่ง ออกจาก โปรแกรมนี้
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,บรรเทา วันที่ ต้องมากกว่า วันที่ เข้าร่วม
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,ใบต่อปี
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,ใบต่อปี
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,แถว {0}: โปรดตรวจสอบ 'เป็นล่วงหน้า' กับบัญชี {1} ถ้านี้เป็นรายการล่วงหน้า
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},คลังสินค้า {0} ไม่ได้เป็นของ บริษัท {1}
DocType: Email Digest,Profit & Loss,กำไรขาดทุน
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,ลิตร
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,ลิตร
DocType: Task,Total Costing Amount (via Time Sheet),รวมคำนวณต้นทุนจำนวนเงิน (ผ่านใบบันทึกเวลา)
DocType: Item Website Specification,Item Website Specification,สเปกเว็บไซต์รายการ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,ฝากที่ถูกบล็อก
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},รายการ {0} ได้ ถึงจุดสิ้นสุด ของ ชีวิตบน {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},รายการ {0} ได้ ถึงจุดสิ้นสุด ของ ชีวิตบน {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,รายการธนาคาร
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,ประจำปี
DocType: Stock Reconciliation Item,Stock Reconciliation Item,สต็อกสินค้าสมานฉันท์
@@ -314,9 +316,9 @@
DocType: Material Request Item,Min Order Qty,จำนวนสั่งซื้อขั้นต่ำ
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,คอร์สกลุ่มนักศึกษาสร้างเครื่องมือ
DocType: Lead,Do Not Contact,ไม่ ติดต่อ
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,คนที่สอนในองค์กรของคุณ
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,คนที่สอนในองค์กรของคุณ
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,ID ไม่ซ้ำกันสำหรับการติดตามใบแจ้งหนี้ที่เกิดขึ้นทั้งหมด มันถูกสร้างขึ้นเมื่อส่ง
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,นักพัฒนาซอฟต์แวร์
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,นักพัฒนาซอฟต์แวร์
DocType: Item,Minimum Order Qty,จำนวนสั่งซื้อขั้นต่ำ
DocType: Pricing Rule,Supplier Type,ประเภทผู้ผลิต
DocType: Course Scheduling Tool,Course Start Date,แน่นอนวันที่เริ่มต้น
@@ -325,11 +327,11 @@
DocType: Item,Publish in Hub,เผยแพร่ใน Hub
DocType: Student Admission,Student Admission,การรับสมัครนักศึกษา
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,รายการ {0} จะถูกยกเลิก
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,รายการ {0} จะถูกยกเลิก
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,ขอวัสดุ
DocType: Bank Reconciliation,Update Clearance Date,อัพเดทวันที่ Clearance
DocType: Item,Purchase Details,รายละเอียดการซื้อ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},รายการ {0} ไม่พบใน 'วัตถุดิบมา' ตารางในการสั่งซื้อ {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},รายการ {0} ไม่พบใน 'วัตถุดิบมา' ตารางในการสั่งซื้อ {1}
DocType: Employee,Relation,ความสัมพันธ์
DocType: Shipping Rule,Worldwide Shipping,การจัดส่งสินค้าทั่วโลก
DocType: Student Guardian,Mother,แม่
@@ -348,6 +350,7 @@
DocType: Student Group Student,Student Group Student,นักศึกษากลุ่ม
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,ล่าสุด
DocType: Vehicle Service,Inspection,การตรวจสอบ
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,รายการ
DocType: Email Digest,New Quotations,ใบเสนอราคาใหม่
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,สลิปอีเมล์เงินเดือนให้กับพนักงานบนพื้นฐานของอีเมลที่ต้องการเลือกในการพนักงาน
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,อนุมัติไว้ครั้งแรกในรายการจะถูกกำหนดเป็นค่าเริ่มต้นอนุมัติไว้
@@ -356,20 +359,20 @@
DocType: Asset,Next Depreciation Date,ถัดไปวันที่ค่าเสื่อมราคา
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,ค่าใช้จ่ายในกิจกรรมต่อพนักงาน
DocType: Accounts Settings,Settings for Accounts,การตั้งค่าสำหรับบัญชี
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},ผู้ผลิตใบแจ้งหนี้ไม่มีอยู่ในการซื้อใบแจ้งหนี้ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},ผู้ผลิตใบแจ้งหนี้ไม่มีอยู่ในการซื้อใบแจ้งหนี้ {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,จัดการ คนขาย ต้นไม้
DocType: Job Applicant,Cover Letter,จดหมาย
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,เช็คที่โดดเด่นและเงินฝากที่จะล้าง
DocType: Item,Synced With Hub,ซิงค์กับฮับ
DocType: Vehicle,Fleet Manager,ผู้จัดการกอง
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},แถว # {0}: {1} ไม่สามารถลบสำหรับรายการ {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,รหัสผ่านไม่ถูกต้อง
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,รหัสผ่านไม่ถูกต้อง
DocType: Item,Variant Of,แตกต่างจาก
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',เสร็จสมบูรณ์จำนวนไม่สามารถจะสูงกว่า 'จำนวนการผลิต'
DocType: Period Closing Voucher,Closing Account Head,ปิดหัวบัญชี
DocType: Employee,External Work History,ประวัติการทำงานภายนอก
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,ข้อผิดพลาดในการอ้างอิงแบบวงกลม
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,ชื่อ Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,ชื่อ Guardian1
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,ในคำพูดของ (ส่งออก) จะปรากฏเมื่อคุณบันทึกหมายเหตุจัดส่งสินค้า
DocType: Cheque Print Template,Distance from left edge,ระยะห่างจากขอบด้านซ้าย
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} หน่วย [{1}] (แบบ # รายการ / / {1}) ที่พบใน [{2}] (แบบ # / คลังสินค้า / {2})
@@ -378,11 +381,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,แจ้งทางอีเมล์เมื่อการสร้างการร้องขอวัสดุโดยอัตโนมัติ
DocType: Journal Entry,Multi Currency,หลายสกุลเงิน
DocType: Payment Reconciliation Invoice,Invoice Type,ประเภทใบแจ้งหนี้
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,หมายเหตุจัดส่งสินค้า
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,หมายเหตุจัดส่งสินค้า
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,การตั้งค่าภาษี
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,ต้นทุนของทรัพย์สินที่ขาย
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,เข้าชำระเงินได้รับการแก้ไขหลังจากที่คุณดึงมัน กรุณาดึงมันอีกครั้ง
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} ได้บันทึกเป็นครั้งที่สองใน รายการ ภาษี
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,เข้าชำระเงินได้รับการแก้ไขหลังจากที่คุณดึงมัน กรุณาดึงมันอีกครั้ง
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} ได้บันทึกเป็นครั้งที่สองใน รายการ ภาษี
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,สรุปในสัปดาห์นี้และกิจกรรมที่ค้างอยู่
DocType: Student Applicant,Admitted,ที่ยอมรับ
DocType: Workstation,Rent Cost,ต้นทุนการ ให้เช่า
@@ -401,25 +404,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,กรุณากรอก ' ทำซ้ำ ในวัน เดือน ' ค่าของฟิลด์
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,อัตราที่สกุลเงินลูกค้าจะแปลงเป็นสกุลเงินหลักของลูกค้า
DocType: Course Scheduling Tool,Course Scheduling Tool,หลักสูตรเครื่องมือการตั้งเวลา
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},แถว # {0}: ซื้อใบแจ้งหนี้ไม่สามารถทำกับเนื้อหาที่มีอยู่ {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},แถว # {0}: ซื้อใบแจ้งหนี้ไม่สามารถทำกับเนื้อหาที่มีอยู่ {1}
DocType: Item Tax,Tax Rate,อัตราภาษี
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} จัดสรรสำหรับพนักงาน {1} แล้วสำหรับรอบระยะเวลา {2} ถึง {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,เลือกรายการ
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,ซื้อ ใบแจ้งหนี้ {0} มีการส่ง แล้ว
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,ซื้อ ใบแจ้งหนี้ {0} มีการส่ง แล้ว
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},แถว # {0}: รุ่นที่ไม่มีจะต้องเป็นเช่นเดียวกับ {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,แปลงที่ไม่ใช่กลุ่ม
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,แบทช์ (มาก) ของรายการ
DocType: C-Form Invoice Detail,Invoice Date,วันที่ออกใบแจ้งหนี้
DocType: GL Entry,Debit Amount,จำนวนเงินเดบิต
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},มีเพียงสามารถเป็น 1 บัญชีต่อ บริษัท {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,โปรดดูสิ่งที่แนบมา
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},มีเพียงสามารถเป็น 1 บัญชีต่อ บริษัท {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,โปรดดูสิ่งที่แนบมา
DocType: Purchase Order,% Received,% ที่ได้รับแล้ว
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,สร้างกลุ่มนักศึกษา
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,การติดตั้ง เสร็จสมบูรณ์ แล้ว !
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,เครดิตจำนวนเงิน
,Finished Goods,สินค้า สำเร็จรูป
DocType: Delivery Note,Instructions,คำแนะนำ
DocType: Quality Inspection,Inspected By,การตรวจสอบโดย
DocType: Maintenance Visit,Maintenance Type,ประเภทการบำรุงรักษา
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} ไม่ได้ลงทะเบียนเรียนในหลักสูตร {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},อนุกรม ไม่มี {0} ไม่ได้อยู่ใน การจัดส่งสินค้า หมายเหตุ {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext สาธิต
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,เพิ่มรายการ
@@ -442,7 +447,7 @@
DocType: Request for Quotation,Request for Quotation,ขอใบเสนอราคา
DocType: Salary Slip Timesheet,Working Hours,เวลาทำการ
DocType: Naming Series,Change the starting / current sequence number of an existing series.,เปลี่ยนหมายเลขลำดับเริ่มต้น / ปัจจุบันของชุดที่มีอยู่
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,สร้างลูกค้าใหม่
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,สร้างลูกค้าใหม่
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",ถ้ากฎการกำหนดราคาหลายยังคงเหนือกว่าผู้ใช้จะขอให้ตั้งลำดับความสำคัญด้วยตนเองเพื่อแก้ไขความขัดแย้ง
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,สร้างใบสั่งซื้อ
,Purchase Register,สั่งซื้อสมัครสมาชิก
@@ -454,7 +459,7 @@
DocType: Student Log,Medical,การแพทย์
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,เหตุผล สำหรับการสูญเสีย
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,เจ้าของตะกั่วไม่สามารถเช่นเดียวกับตะกั่ว
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,จำนวนเงินที่จัดสรรไม่สามารถมากกว่าจำนวนเท็มเพลต
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,จำนวนเงินที่จัดสรรไม่สามารถมากกว่าจำนวนเท็มเพลต
DocType: Announcement,Receiver,ผู้รับ
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},เวิร์คสเตชั่จะปิดทำการในวันที่ต่อไปนี้เป็นรายชื่อต่อวันหยุด: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,โอกาส
@@ -468,8 +473,7 @@
DocType: Assessment Plan,Examiner Name,ชื่อผู้ตรวจสอบ
DocType: Purchase Invoice Item,Quantity and Rate,จำนวนและอัตรา
DocType: Delivery Note,% Installed,% ที่ติดตั้งแล้ว
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,ห้องเรียน / ห้องปฏิบัติการอื่น ๆ ที่บรรยายสามารถกำหนด
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,ผู้จัดจำหน่าย> ประเภทผู้จัดจำหน่าย
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,ห้องเรียน / ห้องปฏิบัติการอื่น ๆ ที่บรรยายสามารถกำหนด
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,กรุณาใส่ ชื่อของ บริษัท เป็นครั้งแรก
DocType: Purchase Invoice,Supplier Name,ชื่อผู้จัดจำหน่าย
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,อ่านคู่มือ ERPNext
@@ -479,7 +483,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,ผู้ตรวจสอบใบแจ้งหนี้จำนวนเอกลักษณ์
DocType: Vehicle Service,Oil Change,เปลี่ยนถ่ายน้ำมัน
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','ถึงหมายเลขกรณี' ไม่สามารถจะน้อยกว่า 'จากหมายเลขกรณี'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,องค์กรไม่แสวงหากำไร
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,องค์กรไม่แสวงหากำไร
DocType: Production Order,Not Started,ยังไม่เริ่มต้น
DocType: Lead,Channel Partner,พันธมิตรช่องทาง
DocType: Account,Old Parent,ผู้ปกครองเก่า
@@ -490,20 +494,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,การตั้งค่าโดยรวม สำหรับกระบวนการผลิตทั้งหมด
DocType: Accounts Settings,Accounts Frozen Upto,บัญชีถูกแช่แข็งจนถึง
DocType: SMS Log,Sent On,ส่ง
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,แอตทริบิวต์ {0} เลือกหลายครั้งในคุณสมบัติตาราง
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,แอตทริบิวต์ {0} เลือกหลายครั้งในคุณสมบัติตาราง
DocType: HR Settings,Employee record is created using selected field. ,ระเบียนของพนักงานจะถูกสร้างขึ้นโดยใช้เขตข้อมูลที่เลือก
DocType: Sales Order,Not Applicable,ไม่สามารถใช้งาน
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,นาย ฮอลิเดย์
DocType: Request for Quotation Item,Required Date,วันที่ที่ต้องการ
DocType: Delivery Note,Billing Address,ที่อยู่ในการเรียกเก็บเงิน
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,กรุณากรอก รหัสสินค้า
DocType: BOM,Costing,ต้นทุน
DocType: Tax Rule,Billing County,การเรียกเก็บเงินเคาน์ตี้
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount",หากการตรวจสอบจำนวนเงินภาษีจะถือว่าเป็นรวมอยู่ในอัตราพิมพ์ / จำนวนพิมพ์
DocType: Request for Quotation,Message for Supplier,ข้อความหาผู้จัดจำหน่าย
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,จำนวนรวม
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,รหัสอีเมล Guardian2
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,รหัสอีเมล Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,รหัสอีเมล Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,รหัสอีเมล Guardian2
DocType: Item,Show in Website (Variant),แสดงในเว็บไซต์ (Variant)
DocType: Employee,Health Concerns,ความกังวลเรื่องสุขภาพ
DocType: Process Payroll,Select Payroll Period,เลือกระยะเวลาการจ่ายเงินเดือน
@@ -521,26 +524,28 @@
DocType: Sales Order Item,Used for Production Plan,ที่ใช้ในการวางแผนการผลิต
DocType: Employee Loan,Total Payment,การชำระเงินรวม
DocType: Manufacturing Settings,Time Between Operations (in mins),เวลาระหว่างการดำเนินงาน (ในนาที)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} ถูกยกเลิกดังนั้นการดำเนินการไม่สามารถทำได้
DocType: Customer,Buyer of Goods and Services.,ผู้ซื้อสินค้าและบริการ
DocType: Journal Entry,Accounts Payable,บัญชีเจ้าหนี้
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,BOMs ที่เลือกไม่ได้สำหรับรายการเดียวกัน
DocType: Pricing Rule,Valid Upto,ที่ถูกต้องไม่เกิน
DocType: Training Event,Workshop,โรงงาน
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,รายการ บางส่วนของ ลูกค้าของคุณ พวกเขาจะเป็น องค์กร หรือบุคคล
-,Enough Parts to Build,อะไหล่พอที่จะสร้าง
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,รายได้ โดยตรง
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,รายการ บางส่วนของ ลูกค้าของคุณ พวกเขาจะเป็น องค์กร หรือบุคคล
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,อะไหล่พอที่จะสร้าง
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,รายได้ โดยตรง
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account",ไม่สามารถกรอง ตาม บัญชี ถ้า จัดกลุ่มตาม บัญชี
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,พนักงานธุรการ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,กรุณาเลือกหลักสูตร
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,กรุณาเลือกหลักสูตร
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,พนักงานธุรการ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,กรุณาเลือกหลักสูตร
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,กรุณาเลือกหลักสูตร
DocType: Timesheet Detail,Hrs,ชั่วโมง
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,กรุณาเลือก บริษัท
DocType: Stock Entry Detail,Difference Account,บัญชี ที่แตกต่างกัน
+DocType: Purchase Invoice,Supplier GSTIN,ผู้จัดจำหน่าย GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,ไม่สามารถปิดงานเป็นงานขึ้นอยู่กับ {0} ไม่ได้ปิด
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,กรุณากรอก คลังสินค้า ที่ ขอ วัสดุ จะ ได้รับการเลี้ยงดู
DocType: Production Order,Additional Operating Cost,เพิ่มเติมต้นทุนการดำเนินงาน
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,เครื่องสำอาง
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items",ที่จะ ผสาน คุณสมบัติต่อไปนี้ จะต้อง เหมือนกันสำหรับ ทั้งสองรายการ
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items",ที่จะ ผสาน คุณสมบัติต่อไปนี้ จะต้อง เหมือนกันสำหรับ ทั้งสองรายการ
DocType: Shipping Rule,Net Weight,ปริมาณสุทธิ
DocType: Employee,Emergency Phone,โทรศัพท์ ฉุกเฉิน
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,ซื้อ
@@ -550,14 +555,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,โปรดกำหนดระดับสำหรับเกณฑ์ 0%
DocType: Sales Order,To Deliver,ที่จะส่งมอบ
DocType: Purchase Invoice Item,Item,สินค้า
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,อนุกรมไม่มีรายการไม่สามารถเป็นเศษส่วน
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,อนุกรมไม่มีรายการไม่สามารถเป็นเศษส่วน
DocType: Journal Entry,Difference (Dr - Cr),แตกต่าง ( ดร. - Cr )
DocType: Account,Profit and Loss,กำไรและ ขาดทุน
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,รับเหมาช่วงการจัดการ
DocType: Project,Project will be accessible on the website to these users,โครงการจะสามารถเข้าถึงได้บนเว็บไซต์ของผู้ใช้เหล่านี้
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,อัตราที่สกุลเงินรายการราคาจะถูกแปลงเป็นสกุลเงินหลักของ บริษัท
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},บัญชี {0} ไม่ได้เป็นของ บริษัท : {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,ชื่อย่อที่ใช้แล้วสำหรับ บริษัท อื่น
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},บัญชี {0} ไม่ได้เป็นของ บริษัท : {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,ชื่อย่อที่ใช้แล้วสำหรับ บริษัท อื่น
DocType: Selling Settings,Default Customer Group,กลุ่มลูกค้าเริ่มต้น
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction",ถ้าปิดการใช้งาน 'ปัดรวมฟิลด์จะมองไม่เห็นในการทำธุรกรรมใด ๆ
DocType: BOM,Operating Cost,ค่าใช้จ่ายในการดำเนินงาน
@@ -565,7 +570,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,ไม่สามารถเพิ่มเป็น 0
DocType: Production Planning Tool,Material Requirement,ความต้องการวัสดุ
DocType: Company,Delete Company Transactions,ลบรายการที่ บริษัท
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,อ้างอิงและการอ้างอิงวันที่มีผลบังคับใช้สำหรับการทำธุรกรรมธนาคาร
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,อ้างอิงและการอ้างอิงวันที่มีผลบังคับใช้สำหรับการทำธุรกรรมธนาคาร
DocType: Purchase Receipt,Add / Edit Taxes and Charges,เพิ่ม / แก้ไข ภาษีและค่าธรรมเนียม
DocType: Purchase Invoice,Supplier Invoice No,ใบแจ้งหนี้ที่ผู้ผลิตไม่มี
DocType: Territory,For reference,สำหรับการอ้างอิง
@@ -576,22 +581,22 @@
DocType: Installation Note Item,Installation Note Item,รายการหมายเหตุการติดตั้ง
DocType: Production Plan Item,Pending Qty,รอดำเนินการจำนวน
DocType: Budget,Ignore,ไม่สนใจ
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} ไม่ได้ใช้งาน
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} ไม่ได้ใช้งาน
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS ที่ส่งไปยังหมายเลขดังต่อไปนี้: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,ขนาดการตั้งค่าการตรวจสอบสำหรับการพิมพ์
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,ขนาดการตั้งค่าการตรวจสอบสำหรับการพิมพ์
DocType: Salary Slip,Salary Slip Timesheet,Timesheet สลิปเงินเดือน
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,คลังสินค้า ผู้จัดจำหน่าย ผลบังคับใช้สำหรับ ย่อย ทำสัญญา รับซื้อ
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,คลังสินค้า ผู้จัดจำหน่าย ผลบังคับใช้สำหรับ ย่อย ทำสัญญา รับซื้อ
DocType: Pricing Rule,Valid From,ที่ถูกต้อง จาก
DocType: Sales Invoice,Total Commission,คณะกรรมการรวม
DocType: Pricing Rule,Sales Partner,พันธมิตรการขาย
DocType: Buying Settings,Purchase Receipt Required,รับซื้อที่จำเป็น
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,อัตราการประเมินมีผลบังคับใช้หากเปิดการแจ้งเข้ามา
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,อัตราการประเมินมีผลบังคับใช้หากเปิดการแจ้งเข้ามา
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,ไม่พบใบแจ้งหนี้ในตารางบันทึก
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,กรุณาเลือก บริษัท และประเภทพรรคแรก
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,การเงิน รอบปีบัญชี /
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,การเงิน รอบปีบัญชี /
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,ค่าสะสม
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged",ขออภัย อนุกรม Nos ไม่สามารถ รวม
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,สร้างการขายสินค้า
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,สร้างการขายสินค้า
DocType: Project Task,Project Task,โครงการงาน
,Lead Id,รหัสช่องทาง
DocType: C-Form Invoice Detail,Grand Total,รวมทั้งสิ้น
@@ -608,7 +613,7 @@
DocType: Job Applicant,Resume Attachment,Resume สิ่งที่แนบมา
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,ทำซ้ำลูกค้า
DocType: Leave Control Panel,Allocate,จัดสรร
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,ขายกลับ
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,ขายกลับ
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,หมายเหตุ: ใบที่จัดสรรทั้งหมด {0} ไม่ควรจะน้อยกว่าใบอนุมัติแล้ว {1} สําหรับงวด
DocType: Announcement,Posted By,โพสโดย
DocType: Item,Delivered by Supplier (Drop Ship),จัดส่งโดยผู้ผลิต (Drop Ship)
@@ -618,8 +623,8 @@
DocType: Quotation,Quotation To,ใบเสนอราคาเพื่อ
DocType: Lead,Middle Income,มีรายได้ปานกลาง
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),เปิด ( Cr )
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,เริ่มต้นหน่วยวัดสำหรับรายการ {0} ไม่สามารถเปลี่ยนแปลงได้โดยตรงเพราะคุณได้ทำแล้วการทำธุรกรรมบาง (s) กับ UOM อื่น คุณจะต้องสร้างรายการใหม่ที่จะใช้ที่แตกต่างกันเริ่มต้น UOM
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,จำนวนเงินที่จัดสรร ไม่สามารถ ลบ
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,เริ่มต้นหน่วยวัดสำหรับรายการ {0} ไม่สามารถเปลี่ยนแปลงได้โดยตรงเพราะคุณได้ทำแล้วการทำธุรกรรมบาง (s) กับ UOM อื่น คุณจะต้องสร้างรายการใหม่ที่จะใช้ที่แตกต่างกันเริ่มต้น UOM
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,จำนวนเงินที่จัดสรร ไม่สามารถ ลบ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,โปรดตั้ง บริษัท
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,โปรดตั้ง บริษัท
DocType: Purchase Order Item,Billed Amt,จำนวนจำนวนมากที่สุด
@@ -632,7 +637,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,เลือกบัญชีการชำระเงินเพื่อเข้าธนาคาร
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll",สร้างระเบียนของพนักงานในการจัดการใบเรียกร้องค่าใช้จ่ายและเงินเดือน
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,เพิ่มในฐานความรู้
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,การเขียน ข้อเสนอ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,การเขียน ข้อเสนอ
DocType: Payment Entry Deduction,Payment Entry Deduction,หักรายการชำระเงิน
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,อีกคนขาย {0} อยู่กับรหัสพนักงานเดียวกัน
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests",หากตรวจสอบวัตถุดิบสำหรับรายการที่ย่อยได้ทำสัญญาจะรวมอยู่ในคำขอวัสดุ
@@ -647,7 +652,7 @@
DocType: Batch,Batch Description,คำอธิบาย Batch
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,การสร้างกลุ่มนักเรียน
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,การสร้างกลุ่มนักเรียน
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.",Payment Gateway บัญชีไม่ได้สร้างโปรดสร้างด้วยตนเอง
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.",Payment Gateway บัญชีไม่ได้สร้างโปรดสร้างด้วยตนเอง
DocType: Sales Invoice,Sales Taxes and Charges,ภาษีการขายและค่าใช้จ่าย
DocType: Employee,Organization Profile,องค์กร รายละเอียด
DocType: Student,Sibling Details,รายละเอียดพี่น้อง
@@ -669,11 +674,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,เปลี่ยนสุทธิในสินค้าคงคลัง
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,การบริหารจัดการเงินกู้พนักงาน
DocType: Employee,Passport Number,หมายเลขหนังสือเดินทาง
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,ความสัมพันธ์กับ Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,ผู้จัดการ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,ความสัมพันธ์กับ Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,ผู้จัดการ
DocType: Payment Entry,Payment From / To,การชำระเงินจาก / ถึง
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},วงเงินสินเชื่อใหม่น้อยกว่าจำนวนเงินที่ค้างในปัจจุบันสำหรับลูกค้า วงเงินสินเชื่อจะต้องมีอย่างน้อย {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,รายการเดียวกันได้รับการป้อนหลายครั้ง
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},วงเงินสินเชื่อใหม่น้อยกว่าจำนวนเงินที่ค้างในปัจจุบันสำหรับลูกค้า วงเงินสินเชื่อจะต้องมีอย่างน้อย {0}
DocType: SMS Settings,Receiver Parameter,พารามิเตอร์รับ
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'ขึ้นอยู่กับ' และ 'จัดกลุ่มโดย' ต้องไม่เหมือนกัน
DocType: Sales Person,Sales Person Targets,ขายเป้าหมายคน
@@ -682,8 +686,9 @@
DocType: Issue,Resolution Date,วันที่ความละเอียด
DocType: Student Batch Name,Batch Name,ชื่อแบทช์
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timesheet สร้าง:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},กรุณาตั้ง ค่าเริ่มต้น เงินสด หรือ บัญชีเงินฝากธนาคาร ใน โหมด ของ การชำระเงิน {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},กรุณาตั้ง ค่าเริ่มต้น เงินสด หรือ บัญชีเงินฝากธนาคาร ใน โหมด ของ การชำระเงิน {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,ลงทะเบียน
+DocType: GST Settings,GST Settings,การตั้งค่า GST
DocType: Selling Settings,Customer Naming By,การตั้งชื่อตามลูกค้า
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,จะแสดงให้นักเรียนเป็นปัจจุบันในรายงานผลการเข้าร่วมประชุมรายเดือนนักศึกษา
DocType: Depreciation Schedule,Depreciation Amount,จำนวนเงินค่าเสื่อมราคา
@@ -705,6 +710,7 @@
DocType: Item,Material Transfer,โอนวัสดุ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),เปิด ( Dr)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},การโพสต์ จะต้องมี การประทับเวลา หลังจาก {0}
+,GST Itemised Purchase Register,GST ลงทะเบียนซื้อสินค้า
DocType: Employee Loan,Total Interest Payable,ดอกเบี้ยรวมเจ้าหนี้
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,ที่ดินภาษีต้นทุนและค่าใช้จ่าย
DocType: Production Order Operation,Actual Start Time,เวลาเริ่มต้นที่เกิดขึ้นจริง
@@ -733,10 +739,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
DocType: Account,Accounts,บัญชี
DocType: Vehicle,Odometer Value (Last),ราคาเครื่องวัดระยะทาง (สุดท้าย)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,การตลาด
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,การตลาด
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,รายการชำระเงินที่สร้างไว้แล้ว
DocType: Purchase Receipt Item Supplied,Current Stock,สต็อกปัจจุบัน
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},แถว # {0}: สินทรัพย์ {1} ไม่เชื่อมโยงกับรายการ {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},แถว # {0}: สินทรัพย์ {1} ไม่เชื่อมโยงกับรายการ {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,ดูตัวอย่างสลิปเงินเดือน
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,บัญชี {0} ได้รับการป้อนหลายครั้ง
DocType: Account,Expenses Included In Valuation,ค่าใช้จ่ายรวมอยู่ในการประเมินมูลค่า
@@ -744,7 +750,7 @@
,Absent Student Report,รายงานนักศึกษาขาด
DocType: Email Digest,Next email will be sent on:,อีเมล์ถัดไปจะถูกส่งเมื่อ:
DocType: Offer Letter Term,Offer Letter Term,เสนอระยะจดหมาย
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,รายการที่มีสายพันธุ์
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,รายการที่มีสายพันธุ์
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,รายการที่ {0} ไม่พบ
DocType: Bin,Stock Value,มูลค่าหุ้น
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,บริษัท {0} ไม่อยู่
@@ -753,8 +759,8 @@
DocType: Serial No,Warranty Expiry Date,วันหมดอายุการรับประกัน
DocType: Material Request Item,Quantity and Warehouse,ปริมาณและคลังสินค้า
DocType: Sales Invoice,Commission Rate (%),อัตราค่าคอมมิชชั่น (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,โปรดเลือกโปรแกรม
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,โปรดเลือกโปรแกรม
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,โปรดเลือกโปรแกรม
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,โปรดเลือกโปรแกรม
DocType: Project,Estimated Cost,ค่าใช้จ่ายประมาณ
DocType: Purchase Order,Link to material requests,เชื่อมโยงไปยังการร้องขอวัสดุ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,การบินและอวกาศ
@@ -768,14 +774,14 @@
DocType: Purchase Order,Supply Raw Materials,ซัพพลายวัตถุดิบ
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,วันที่ใบแจ้งหนี้ต่อไปจะถูกสร้างขึ้น มันถูกสร้างขึ้นบนส่ง
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,สินทรัพย์หมุนเวียน
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} ไม่ได้เป็นรายการควบคุมสต้อก
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} ไม่ได้เป็นรายการควบคุมสต้อก
DocType: Mode of Payment Account,Default Account,บัญชีเริ่มต้น
DocType: Payment Entry,Received Amount (Company Currency),ได้รับจำนวนเงิน ( บริษัท สกุล)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,ต้องตั้งช่องทาง ถ้า โอกาสถูกสร้างมาจากช่องทาง
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,กรุณาเลือก วันหยุด ประจำสัปดาห์
DocType: Production Order Operation,Planned End Time,เวลาสิ้นสุดการวางแผน
,Sales Person Target Variance Item Group-Wise,คน ขาย เป้าหมาย แปรปรวน กลุ่มสินค้า - ฉลาด
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,บัญชี กับการทำธุรกรรม ที่มีอยู่ ไม่สามารถ แปลงเป็น บัญชีแยกประเภท
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,บัญชี กับการทำธุรกรรม ที่มีอยู่ ไม่สามารถ แปลงเป็น บัญชีแยกประเภท
DocType: Delivery Note,Customer's Purchase Order No,ใบสั่งซื้อของลูกค้าไม่มี
DocType: Budget,Budget Against,งบประมาณป้องกันและปราบปราม
DocType: Employee,Cell Number,จำนวนเซลล์
@@ -787,15 +793,13 @@
DocType: Opportunity,Opportunity From,โอกาสจาก
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,งบเงินเดือน
DocType: BOM,Website Specifications,ข้อมูลจำเพาะเว็บไซต์
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,กรุณาตั้งหมายเลขชุดสำหรับการเข้าร่วมประชุมผ่านทาง Setup> Numbering Series
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: จาก {0} ประเภท {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,แถว {0}: ปัจจัยการแปลงมีผลบังคับใช้
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,แถว {0}: ปัจจัยการแปลงมีผลบังคับใช้
DocType: Employee,A+,A+
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",กฎราคาหลายอยู่กับเกณฑ์เดียวกันโปรดแก้ปัญหาความขัดแย้งโดยการกำหนดลำดับความสำคัญ กฎราคา: {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,ไม่สามารถยกเลิกการใช้งานหรือยกเลิก BOM ตามที่มีการเชื่อมโยงกับ BOMs อื่น ๆ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",กฎราคาหลายอยู่กับเกณฑ์เดียวกันโปรดแก้ปัญหาความขัดแย้งโดยการกำหนดลำดับความสำคัญ กฎราคา: {0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,ไม่สามารถยกเลิกการใช้งานหรือยกเลิก BOM ตามที่มีการเชื่อมโยงกับ BOMs อื่น ๆ
DocType: Opportunity,Maintenance,การบำรุงรักษา
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},จำนวน รับซื้อ ที่จำเป็นสำหรับ รายการ {0}
DocType: Item Attribute Value,Item Attribute Value,รายการค่าแอตทริบิวต์
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,แคมเปญการขาย
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,สร้างเวลาการทำงาน
@@ -847,30 +851,30 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},สินทรัพย์ทิ้งผ่านทางวารสารรายการ {0}
DocType: Employee Loan,Interest Income Account,บัญชีรายได้ดอกเบี้ย
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,เทคโนโลยีชีวภาพ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,ค่าใช้จ่ายใน การบำรุงรักษา สำนักงาน
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,ค่าใช้จ่ายใน การบำรุงรักษา สำนักงาน
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,การตั้งค่าบัญชีอีเมล
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,กรุณากรอก รายการ แรก
DocType: Account,Liability,ความรับผิดชอบ
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,ตามทำนองคลองธรรมจำนวนเงินไม่สามารถจะสูงกว่าจำนวนเงินที่เรียกร้องในแถว {0}
DocType: Company,Default Cost of Goods Sold Account,เริ่มต้นค่าใช้จ่ายของบัญชีที่ขายสินค้า
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,ราคา ไม่ได้เลือก
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,ราคา ไม่ได้เลือก
DocType: Employee,Family Background,ภูมิหลังของครอบครัว
DocType: Request for Quotation Supplier,Send Email,ส่งอีเมล์
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},คำเตือน: สิ่งที่แนบมาไม่ถูกต้อง {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},คำเตือน: สิ่งที่แนบมาไม่ถูกต้อง {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,ไม่ได้รับอนุญาต
DocType: Company,Default Bank Account,บัญชีธนาคารเริ่มต้น
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",ในการกรองขึ้นอยู่กับพรรคเลือกพรรคพิมพ์ครั้งแรก
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'การปรับสต็อก' ไม่สามารถตรวจสอบได้เพราะรายการไม่ได้จัดส่งผ่านทาง {0}
DocType: Vehicle,Acquisition Date,การได้มาซึ่งวัน
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Nos
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Nos
DocType: Item,Items with higher weightage will be shown higher,รายการที่มี weightage ที่สูงขึ้นจะแสดงที่สูงขึ้น
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,รายละเอียดการกระทบยอดธนาคาร
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,แถว # {0}: สินทรัพย์ {1} จะต้องส่ง
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,แถว # {0}: สินทรัพย์ {1} จะต้องส่ง
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,พบว่า พนักงานที่ ไม่มี
DocType: Supplier Quotation,Stopped,หยุด
DocType: Item,If subcontracted to a vendor,ถ้าเหมาไปยังผู้ขาย
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,มีการอัปเดตกลุ่มนักเรียนแล้ว
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,มีการอัปเดตกลุ่มนักเรียนแล้ว
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,มีการอัปเดตกลุ่มนักเรียนแล้ว
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,มีการอัปเดตกลุ่มนักเรียนแล้ว
DocType: SMS Center,All Customer Contact,ติดต่อลูกค้าทั้งหมด
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,อัพโหลดสมดุลหุ้นผ่าน CSV
DocType: Warehouse,Tree Details,รายละเอียดต้นไม้
@@ -882,13 +886,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: ศูนย์ต้นทุน {2} ไม่ได้เป็นของ บริษัท {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: บัญชี {2} ไม่สามารถเป็นกลุ่ม
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,รายการแถว {IDX}: {DOCTYPE} {} DOCNAME ไม่อยู่ในข้างต้น '{} DOCTYPE' ตาราง
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Timesheet {0} เสร็จสมบูรณ์แล้วหรือยกเลิก
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} เสร็จสมบูรณ์แล้วหรือยกเลิก
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,ไม่มีงาน
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","วันของเดือนที่ใบแจ้งหนี้อัตโนมัติจะถูกสร้างขึ้นเช่น 05, 28 ฯลฯ"
DocType: Asset,Opening Accumulated Depreciation,เปิดค่าเสื่อมราคาสะสม
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,คะแนน ต้องน้อยกว่า หรือ เท่ากับ 5
DocType: Program Enrollment Tool,Program Enrollment Tool,เครื่องมือการลงทะเบียนโปรแกรม
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,C- บันทึก แบบฟอร์ม
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C- บันทึก แบบฟอร์ม
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,ลูกค้าและผู้จัดจำหน่าย
DocType: Email Digest,Email Digest Settings,การตั้งค่าอีเมลเด่น
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,ขอบคุณสำหรับธุรกิจของคุณ!
@@ -898,17 +902,19 @@
DocType: Bin,Moving Average Rate,ย้ายอัตราเฉลี่ย
DocType: Production Planning Tool,Select Items,เลือกรายการ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} กับบิล {1} ลงวันที่ {2}
+DocType: Program Enrollment,Vehicle/Bus Number,หมายเลขรถ / รถโดยสาร
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,ตารางเรียน
DocType: Maintenance Visit,Completion Status,สถานะเสร็จ
DocType: HR Settings,Enter retirement age in years,ใส่อายุเกษียณในปีที่ผ่าน
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,คลังสินค้าเป้าหมาย
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,โปรดเลือกคลังสินค้า
DocType: Cheque Print Template,Starting location from left edge,สถานที่เริ่มต้นจากขอบด้านซ้าย
DocType: Item,Allow over delivery or receipt upto this percent,อนุญาตให้ส่งมอบหรือใบเสร็จรับเงินได้ไม่เกินร้อยละนี้
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,การเข้าร่วมประชุมและนำเข้า
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,ทั้งหมด รายการ กลุ่ม
DocType: Process Payroll,Activity Log,บันทึกกิจกรรม
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,กำไร / ขาดทุน
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,กำไร / ขาดทุน
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,เขียนข้อความ โดยอัตโนมัติใน การส่ง ของ การทำธุรกรรม
DocType: Production Order,Item To Manufacture,รายการที่จะผลิต
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} สถานะเป็น {2}
@@ -917,16 +923,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,การสั่งซื้อที่จะชำระเงิน
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,จำนวนที่คาดการณ์ไว้
DocType: Sales Invoice,Payment Due Date,วันที่ครบกำหนด ชำระเงิน
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,รายการตัวแปร {0} อยู่แล้วที่มีลักษณะเดียวกัน
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,รายการตัวแปร {0} อยู่แล้วที่มีลักษณะเดียวกัน
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','กำลังเปิด'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,เปิดให้ทำ
DocType: Notification Control,Delivery Note Message,ข้อความหมายเหตุจัดส่งสินค้า
DocType: Expense Claim,Expenses,รายจ่าย
+,Support Hours,ชั่วโมงการสนับสนุน
DocType: Item Variant Attribute,Item Variant Attribute,รายการตัวแปรคุณสมบัติ
,Purchase Receipt Trends,ซื้อแนวโน้มใบเสร็จรับเงิน
DocType: Process Payroll,Bimonthly,สองเดือนต่อครั้ง
DocType: Vehicle Service,Brake Pad,ผ้าเบรค
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,การวิจัยและพัฒนา
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,การวิจัยและพัฒนา
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,จำนวนเงินที่จะเรียกเก็บเงิน
DocType: Company,Registration Details,รายละเอียดการลงทะเบียน
DocType: Timesheet,Total Billed Amount,รวมเงินที่เรียกเก็บ
@@ -939,12 +946,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,ขอรับเฉพาะวัตถุดิบ
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,ประเมินผลการปฏิบัติ
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",การเปิดใช้งาน 'ใช้สำหรับรถเข็น' เป็นรถเข็นถูกเปิดใช้งานและควรจะมีกฎภาษีอย่างน้อยหนึ่งสำหรับรถเข็น
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",รายการชำระเงิน {0} มีการเชื่อมโยงกับการสั่งซื้อ {1} ตรวจสอบว่ามันควรจะดึงล่วงหน้าในใบแจ้งหนี้นี้
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",รายการชำระเงิน {0} มีการเชื่อมโยงกับการสั่งซื้อ {1} ตรวจสอบว่ามันควรจะดึงล่วงหน้าในใบแจ้งหนี้นี้
DocType: Sales Invoice Item,Stock Details,หุ้นรายละเอียด
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,มูลค่าโครงการ
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,จุดขาย
DocType: Vehicle Log,Odometer Reading,การอ่านมาตรวัดระยะทาง
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",ยอดเงินในบัญชีแล้วในเครดิตคุณไม่ได้รับอนุญาตให้ตั้ง 'ยอดดุลต้องเป็น' เป็น 'เดบิต'
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",ยอดเงินในบัญชีแล้วในเครดิตคุณไม่ได้รับอนุญาตให้ตั้ง 'ยอดดุลต้องเป็น' เป็น 'เดบิต'
DocType: Account,Balance must be,ยอดเงินจะต้องเป็น
DocType: Hub Settings,Publish Pricing,เผยแพร่ราคา
DocType: Notification Control,Expense Claim Rejected Message,เรียกร้องค่าใช้จ่ายที่ถูกปฏิเสธข้อความ
@@ -954,7 +961,7 @@
DocType: Salary Slip,Working Days,วันทำการ
DocType: Serial No,Incoming Rate,อัตราเข้า
DocType: Packing Slip,Gross Weight,น้ำหนักรวม
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,ชื่อของ บริษัท ของคุณ ที่คุณ มีการตั้งค่า ระบบนี้
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,ชื่อของ บริษัท ของคุณ ที่คุณ มีการตั้งค่า ระบบนี้
DocType: HR Settings,Include holidays in Total no. of Working Days,รวมถึงวันหยุดในไม่รวม ของวันทําการ
DocType: Job Applicant,Hold,ถือ
DocType: Employee,Date of Joining,วันที่ของการเข้าร่วม
@@ -965,20 +972,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,ใบเสร็จรับเงินการสั่งซื้อ
,Received Items To Be Billed,รายการที่ได้รับจะถูกเรียกเก็บเงิน
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,ส่งสลิปเงินเดือน
-DocType: Employee,Ms,นางสาว / นาง
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,นาย อัตรา แลกเปลี่ยนเงินตราต่างประเทศ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},อ้างอิง Doctype ต้องเป็นหนึ่งใน {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,นาย อัตรา แลกเปลี่ยนเงินตราต่างประเทศ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},อ้างอิง Doctype ต้องเป็นหนึ่งใน {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},ไม่สามารถหาช่วงเวลาใน {0} วันถัดไปสำหรับการปฏิบัติงาน {1}
DocType: Production Order,Plan material for sub-assemblies,วัสดุแผนประกอบย่อย
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,พันธมิตรการขายและดินแดน
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,โดยอัตโนมัติไม่สามารถสร้างบัญชีที่มีอยู่แล้วความสมดุลหุ้นในบัญชี คุณต้องสร้างบัญชีการจับคู่ก่อนที่คุณจะสามารถทำรายการในคลังสินค้านี้
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} จะต้องใช้งาน
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} จะต้องใช้งาน
DocType: Journal Entry,Depreciation Entry,รายการค่าเสื่อมราคา
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,เลือกประเภทของเอกสารที่แรก
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,ยกเลิก การเข้าชม วัสดุ {0} ก่อนที่จะ ยกเลิก การบำรุงรักษา นี้ เยี่ยมชม
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},อนุกรม ไม่มี {0} ไม่ได้อยู่ใน รายการ {1}
DocType: Purchase Receipt Item Supplied,Required Qty,จำนวนที่ต้องการ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,โกดังกับการทำธุรกรรมที่มีอยู่ไม่สามารถแปลงบัญชีแยกประเภท
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,โกดังกับการทำธุรกรรมที่มีอยู่ไม่สามารถแปลงบัญชีแยกประเภท
DocType: Bank Reconciliation,Total Amount,รวมเป็นเงิน
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,สำนักพิมพ์ ทางอินเทอร์เน็ต
DocType: Production Planning Tool,Production Orders,คำสั่งซื้อการผลิต
@@ -993,25 +998,26 @@
DocType: Fee Structure,Components,ส่วนประกอบ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},กรุณากรอกประเภทสินทรัพย์ในข้อ {0}
DocType: Quality Inspection Reading,Reading 6,Reading 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,ไม่สามารถ {0} {1} {2} โดยไม่ต้องมีใบแจ้งหนี้ที่โดดเด่นในเชิงลบ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,ไม่สามารถ {0} {1} {2} โดยไม่ต้องมีใบแจ้งหนี้ที่โดดเด่นในเชิงลบ
DocType: Purchase Invoice Advance,Purchase Invoice Advance,ใบแจ้งหนี้การซื้อล่วงหน้า
DocType: Hub Settings,Sync Now,ซิงค์เดี๋ยวนี้
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},แถว {0}: รายการเครดิตไม่สามารถเชื่อมโยงกับ {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,กำหนดงบประมาณสำหรับปีงบการเงิน
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,กำหนดงบประมาณสำหรับปีงบการเงิน
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,เริ่มต้นบัญชีธนาคาร / เงินสดจะถูกปรับปรุงโดยอัตโนมัติในใบแจ้งหนี้ POS เมื่อโหมดนี้ถูกเลือก
DocType: Lead,LEAD-,ตะกั่ว
DocType: Employee,Permanent Address Is,ที่อยู่ ถาวร เป็น
DocType: Production Order Operation,Operation completed for how many finished goods?,การดำเนินการเสร็จสมบูรณ์สำหรับวิธีการหลายสินค้าสำเร็จรูป?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,ยี่ห้อ
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,ยี่ห้อ
DocType: Employee,Exit Interview Details,ออกจากรายละเอียดการสัมภาษณ์
DocType: Item,Is Purchase Item,รายการซื้อเป็น
DocType: Asset,Purchase Invoice,ซื้อใบแจ้งหนี้
DocType: Stock Ledger Entry,Voucher Detail No,รายละเอียดบัตรกำนัลไม่มี
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,ใบแจ้งหนี้การขายใหม่
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,ใบแจ้งหนี้การขายใหม่
DocType: Stock Entry,Total Outgoing Value,มูลค่าที่ส่งออกทั้งหมด
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,เปิดวันที่และวันปิดควรจะอยู่ในปีงบประมาณเดียวกัน
DocType: Lead,Request for Information,การร้องขอข้อมูล
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,ซิงค์ออฟไลน์ใบแจ้งหนี้
+,LeaderBoard,ลีดเดอร์
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,ซิงค์ออฟไลน์ใบแจ้งหนี้
DocType: Payment Request,Paid,ชำระ
DocType: Program Fee,Program Fee,ค่าธรรมเนียมโครงการ
DocType: Salary Slip,Total in words,รวมอยู่ในคำพูด
@@ -1020,13 +1026,13 @@
DocType: Cheque Print Template,Has Print Format,มีรูปแบบการพิมพ์
DocType: Employee Loan,Sanctioned,ตามทำนองคลองธรรม
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,จำเป็นต้องใช้ ลองตรวจสอบบันทึกแลกเปลี่ยนเงินตราต่างประเทศที่อาจจะยังไม่ได้ถูกสร้างขึ้น
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},แถว # {0}: โปรดระบุหมายเลขเครื่องกับรายการ {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","สำหรับรายการ 'Bundle สินค้า, คลังสินค้า, ไม่มี Serial และรุ่นที่จะไม่ได้รับการพิจารณาจาก' บรรจุรายชื่อ 'ตาราง ถ้าคลังสินค้าและรุ่นที่ไม่มีเหมือนกันสำหรับรายการที่บรรจุทั้งหมดรายการใด ๆ 'Bundle สินค้า' ค่าเหล่านั้นสามารถป้อนในตารางรายการหลักค่าจะถูกคัดลอกไปบรรจุรายชื่อ 'ตาราง"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},แถว # {0}: โปรดระบุหมายเลขเครื่องกับรายการ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","สำหรับรายการ 'Bundle สินค้า, คลังสินค้า, ไม่มี Serial และรุ่นที่จะไม่ได้รับการพิจารณาจาก' บรรจุรายชื่อ 'ตาราง ถ้าคลังสินค้าและรุ่นที่ไม่มีเหมือนกันสำหรับรายการที่บรรจุทั้งหมดรายการใด ๆ 'Bundle สินค้า' ค่าเหล่านั้นสามารถป้อนในตารางรายการหลักค่าจะถูกคัดลอกไปบรรจุรายชื่อ 'ตาราง"
DocType: Job Opening,Publish on website,เผยแพร่บนเว็บไซต์
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,จัดส่งให้กับลูกค้า
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,วันที่จัดจำหน่ายใบแจ้งหนี้ไม่สามารถมีค่ามากกว่าการโพสต์วันที่
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,วันที่จัดจำหน่ายใบแจ้งหนี้ไม่สามารถมีค่ามากกว่าการโพสต์วันที่
DocType: Purchase Invoice Item,Purchase Order Item,สั่งซื้อสินค้าสั่งซื้อ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,รายได้ ทางอ้อม
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,รายได้ ทางอ้อม
DocType: Student Attendance Tool,Student Attendance Tool,เครื่องมือนักศึกษาเข้าร่วม
DocType: Cheque Print Template,Date Settings,การตั้งค่าของวันที่
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,ความแปรปรวน
@@ -1044,21 +1050,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,สารเคมี
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,เริ่มต้นของบัญชีธนาคาร / เงินสดจะได้รับการปรับปรุงโดยอัตโนมัติในเงินเดือนวารสารรายการเมื่อโหมดนี้จะถูกเลือก
DocType: BOM,Raw Material Cost(Company Currency),ต้นทุนวัตถุดิบ ( บริษัท สกุล)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,รายการทั้งหมดที่ได้รับการโอนใบสั่งผลิตนี้
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,รายการทั้งหมดที่ได้รับการโอนใบสั่งผลิตนี้
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},แถว # {0}: อัตราไม่สามารถสูงกว่าอัตราที่ใช้ใน {1} {2}
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},แถว # {0}: อัตราไม่สามารถสูงกว่าอัตราที่ใช้ใน {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,เมตร
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,เมตร
DocType: Workstation,Electricity Cost,ค่าใช้จ่าย ไฟฟ้า
DocType: HR Settings,Don't send Employee Birthday Reminders,อย่าส่ง พนักงาน เตือนวันเกิด
DocType: Item,Inspection Criteria,เกณฑ์การตรวจสอบ
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,โอน
DocType: BOM Website Item,BOM Website Item,BOM รายการเว็บไซต์
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,อัปโหลดหัวจดหมายของคุณและโลโก้ (คุณสามารถแก้ไขได้ในภายหลัง)
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,อัปโหลดหัวจดหมายของคุณและโลโก้ (คุณสามารถแก้ไขได้ในภายหลัง)
DocType: Timesheet Detail,Bill,บิล
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,ถัดไปวันที่มีการป้อนค่าเสื่อมราคาเป็นวันที่ผ่านมา
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,ขาว
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,ขาว
DocType: SMS Center,All Lead (Open),ช่องทางทั้งหมด (เปิด)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),แถว {0}: จำนวนไม่สามารถใช้ได้สำหรับ {4} ในคลังสินค้า {1} ที่โพสต์เวลาของรายการ ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),แถว {0}: จำนวนไม่สามารถใช้ได้สำหรับ {4} ในคลังสินค้า {1} ที่โพสต์เวลาของรายการ ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,รับเงินทดรองจ่าย
DocType: Item,Automatically Create New Batch,สร้างชุดงานใหม่โดยอัตโนมัติ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,สร้าง
@@ -1068,13 +1074,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,รถเข็นของฉัน
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},ประเภทการสั่งซื้อต้องเป็นหนึ่งใน {0}
DocType: Lead,Next Contact Date,วันที่ถัดไปติดต่อ
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,เปิด จำนวน
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,กรุณากรอกบัญชีเพื่อการเปลี่ยนแปลงจำนวน
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,เปิด จำนวน
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,กรุณากรอกบัญชีเพื่อการเปลี่ยนแปลงจำนวน
DocType: Student Batch Name,Student Batch Name,นักศึกษาชื่อชุด
DocType: Holiday List,Holiday List Name,ชื่อรายการวันหยุด
DocType: Repayment Schedule,Balance Loan Amount,ยอดคงเหลือวงเงินกู้
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,ตารางเรียน
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,ตัวเลือกหุ้น
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,ตัวเลือกหุ้น
DocType: Journal Entry Account,Expense Claim,เรียกร้องค่าใช้จ่าย
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,จริงๆคุณต้องการเรียกคืนสินทรัพย์ไนต์นี้หรือไม่?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},จำนวนสำหรับ {0}
@@ -1086,12 +1092,12 @@
DocType: Company,Default Terms,ข้อกำหนดในการเริ่มต้น
DocType: Packing Slip Item,Packing Slip Item,บรรจุรายการสลิป
DocType: Purchase Invoice,Cash/Bank Account,เงินสด / บัญชีธนาคาร
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},โปรดระบุ {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},โปรดระบุ {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,รายการที่ลบออกด้วยการเปลี่ยนแปลงในปริมาณหรือไม่มีค่า
DocType: Delivery Note,Delivery To,เพื่อจัดส่งสินค้า
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,ตาราง Attribute มีผลบังคับใช้
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,ตาราง Attribute มีผลบังคับใช้
DocType: Production Planning Tool,Get Sales Orders,รับการสั่งซื้อการขาย
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} ไม่สามารถเป็นจำนวนลบได้
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} ไม่สามารถเป็นจำนวนลบได้
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,ส่วนลด
DocType: Asset,Total Number of Depreciations,จำนวนรวมของค่าเสื่อมราคา
DocType: Sales Invoice Item,Rate With Margin,อัตรากับ Margin
@@ -1112,7 +1118,6 @@
DocType: Serial No,Creation Document No,การสร้าง เอกสาร ไม่มี
DocType: Issue,Issue,ปัญหา
DocType: Asset,Scrapped,ทะเลาะวิวาท
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,บัญชีไม่ตรงกับบริษัท
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","คุณสมบัติสำหรับความหลากหลายของสินค้า เช่นขนาด, สี ฯลฯ"
DocType: Purchase Invoice,Returns,ผลตอบแทน
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP คลังสินค้า
@@ -1124,12 +1129,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,รายการจะต้องมีการเพิ่มการใช้ 'รับรายการสั่งซื้อจากใบเสร็จรับเงิน' ปุ่ม
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,รวมถึงรายการที่ไม่สต็อก
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,ค่าใช้จ่ายในการขาย
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,ค่าใช้จ่ายในการขาย
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,การซื้อมาตรฐาน
DocType: GL Entry,Against,กับ
DocType: Item,Default Selling Cost Center,ขาย เริ่มต้นที่ ศูนย์ต้นทุน
DocType: Sales Partner,Implementation Partner,พันธมิตรการดำเนินงาน
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,รหัสไปรษณีย์
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,รหัสไปรษณีย์
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},ใบสั่งขาย {0} เป็น {1}
DocType: Opportunity,Contact Info,ข้อมูลการติดต่อ
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,ทำรายการสต็อก
@@ -1142,33 +1147,33 @@
DocType: Holiday List,Get Weekly Off Dates,รับวันปิดสัปดาห์
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,วันที่สิ้นสุด ไม่สามารถ จะน้อยกว่า วันเริ่มต้น
DocType: Sales Person,Select company name first.,เลือกชื่อ บริษัท แรก
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,ดร
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,ใบเสนอราคาที่ได้รับจากผู้จัดจำหน่าย
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},เพื่อ {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,อายุเฉลี่ย
DocType: School Settings,Attendance Freeze Date,วันที่เข้าร่วมตรึง
DocType: School Settings,Attendance Freeze Date,วันที่เข้าร่วมตรึง
DocType: Opportunity,Your sales person who will contact the customer in future,คนขายของคุณที่จะติดต่อกับลูกค้าในอนาคต
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,รายการ บางส่วนของ ซัพพลายเออร์ ของคุณ พวกเขาจะเป็น องค์กร หรือบุคคล
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,รายการ บางส่วนของ ซัพพลายเออร์ ของคุณ พวกเขาจะเป็น องค์กร หรือบุคคล
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,ดูผลิตภัณฑ์ทั้งหมด
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),อายุนำขั้นต่ำ (วัน)
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),อายุนำขั้นต่ำ (วัน)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,BOMs ทั้งหมด
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,BOMs ทั้งหมด
DocType: Company,Default Currency,สกุลเงินเริ่มต้น
DocType: Expense Claim,From Employee,จากพนักงาน
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,คำเตือน: ระบบ จะไม่ตรวจสอบ overbilling ตั้งแต่ จำนวนเงิน รายการ {0} ใน {1} เป็นศูนย์
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,คำเตือน: ระบบ จะไม่ตรวจสอบ overbilling ตั้งแต่ จำนวนเงิน รายการ {0} ใน {1} เป็นศูนย์
DocType: Journal Entry,Make Difference Entry,บันทึกผลต่าง
DocType: Upload Attendance,Attendance From Date,ผู้เข้าร่วมจากวันที่
DocType: Appraisal Template Goal,Key Performance Area,พื้นที่การดำเนินงานหลัก
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,การขนส่ง
+DocType: Program Enrollment,Transportation,การขนส่ง
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,แอตทริบิวต์ไม่ถูกต้อง
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} จำเป็นต้องส่ง
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} จำเป็นต้องส่ง
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},ปริมาณต้องน้อยกว่าหรือเท่ากับ {0}
DocType: SMS Center,Total Characters,ตัวอักษรรวม
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},กรุณาเลือก BOM BOM ในด้านการพิจารณาวาระที่ {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},กรุณาเลือก BOM BOM ในด้านการพิจารณาวาระที่ {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form รายละเอียดใบแจ้งหนี้
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,กระทบยอดใบแจ้งหนี้การชำระเงิน
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,เงินสมทบ%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",ตามการตั้งค่าการซื้อหากต้องการสั่งซื้อสินค้า == 'ใช่' จากนั้นสำหรับการสร้างใบกำกับการซื้อผู้ใช้จำเป็นต้องสร้างใบสั่งซื้อก่อนสำหรับรายการ {0}
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,เลขทะเบียน บริษัท สำหรับการอ้างอิงของคุณ ตัวเลขภาษี ฯลฯ
DocType: Sales Partner,Distributor,ผู้จัดจำหน่าย
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,รถเข็นกฎการจัดส่งสินค้า
@@ -1177,23 +1182,25 @@
,Ordered Items To Be Billed,รายการที่สั่งซื้อจะเรียกเก็บเงิน
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,จากช่วงจะต้องมีน้อยกว่าในช่วง
DocType: Global Defaults,Global Defaults,เริ่มต้นทั่วโลก
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,ขอเชิญร่วมโครงการ
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,ขอเชิญร่วมโครงการ
DocType: Salary Slip,Deductions,การหักเงิน
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,ปีวันเริ่มต้น
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},ตัวเลข 2 หลักแรกของ GSTIN ควรตรงกับหมายเลข State {0}
DocType: Purchase Invoice,Start date of current invoice's period,วันที่เริ่มต้นของระยะเวลาการออกใบแจ้งหนี้ปัจจุบัน
DocType: Salary Slip,Leave Without Pay,ฝากโดยไม่ต้องจ่าย
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,ข้อผิดพลาดการวางแผนกำลังการผลิต
,Trial Balance for Party,งบทดลองสำหรับพรรค
DocType: Lead,Consultant,ผู้ให้คำปรึกษา
DocType: Salary Slip,Earnings,ผลกำไร
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,เสร็จสิ้นรายการ {0} ต้องป้อนสำหรับรายการประเภทการผลิต
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,เสร็จสิ้นรายการ {0} ต้องป้อนสำหรับรายการประเภทการผลิต
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,เปิดยอดคงเหลือบัญชี
+,GST Sales Register,ลงทะเบียนการขาย GST
DocType: Sales Invoice Advance,Sales Invoice Advance,ขายใบแจ้งหนี้ล่วงหน้า
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,ไม่มีอะไรที่จะ ขอ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},บันทึกงบประมาณอีก '{0}' อยู่แล้วกับ {1} "{2} 'สำหรับปีงบการเงิน {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',' วันเริ่มต้น จริง ' ไม่สามารถ จะมากกว่า ' วันสิ้นสุด จริง '
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,การจัดการ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,การจัดการ
DocType: Cheque Print Template,Payer Settings,การตั้งค่าการชำระเงิน
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","นี้จะถูกผนวกเข้ากับรหัสสินค้าของตัวแปร ตัวอย่างเช่นถ้าย่อของคุณคือ ""เอสเอ็ม"" และรหัสรายการคือ ""เสื้อยืด"" รหัสรายการของตัวแปรจะเป็น ""เสื้อ-SM"""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,จ่ายสุทธิ (คำ) จะสามารถมองเห็นได้เมื่อคุณบันทึกสลิปเงินเดือน
@@ -1210,8 +1217,8 @@
DocType: Employee Loan,Partially Disbursed,การเบิกจ่ายบางส่วน
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,ฐานข้อมูลผู้ผลิต
DocType: Account,Balance Sheet,รายงานงบดุล
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',ศูนย์ต้นทุนสำหรับสินค้าที่มีรหัสสินค้า '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",วิธีการชำระเงินไม่ได้กำหนดค่า กรุณาตรวจสอบไม่ว่าจะเป็นบัญชีที่ได้รับการตั้งค่าในโหมดของการชำระเงินหรือบนโปรไฟล์ POS
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',ศูนย์ต้นทุนสำหรับสินค้าที่มีรหัสสินค้า '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",วิธีการชำระเงินไม่ได้กำหนดค่า กรุณาตรวจสอบไม่ว่าจะเป็นบัญชีที่ได้รับการตั้งค่าในโหมดของการชำระเงินหรือบนโปรไฟล์ POS
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,คนขายของคุณจะรับการแจ้งเตือนในวันนี้ที่จะติดต่อลูกค้า
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,รายการเดียวกันไม่สามารถเข้ามาหลายครั้ง
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups",บัญชีเพิ่มเติมสามารถทำภายใต้กลุ่ม แต่รายการที่สามารถทำกับกลุ่มที่ไม่
@@ -1219,7 +1226,7 @@
DocType: Email Digest,Payables,เจ้าหนี้
DocType: Course,Course Intro,หลักสูตรแนะนำ
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,แจ้งรายการ {0} สร้าง
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,แถว # {0}: ปฏิเสธจำนวนไม่สามารถเข้าไปอยู่ในการซื้อกลับ
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,แถว # {0}: ปฏิเสธจำนวนไม่สามารถเข้าไปอยู่ในการซื้อกลับ
,Purchase Order Items To Be Billed,รายการใบสั่งซื้อที่จะได้รับจำนวนมากที่สุด
DocType: Purchase Invoice Item,Net Rate,อัตราการสุทธิ
DocType: Purchase Invoice Item,Purchase Invoice Item,สั่งซื้อสินค้าใบแจ้งหนี้
@@ -1246,7 +1253,7 @@
DocType: Sales Order,SO-,ดังนั้น-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,กรุณาเลือก คำนำหน้า เป็นครั้งแรก
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,การวิจัย
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,การวิจัย
DocType: Maintenance Visit Purpose,Work Done,งานที่ทำ
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,โปรดระบุอย่างน้อยหนึ่งแอตทริบิวต์ในตารางคุณสมบัติ
DocType: Announcement,All Students,นักเรียนทุกคน
@@ -1254,17 +1261,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,ดู บัญชีแยกประเภท
DocType: Grading Scale,Intervals,ช่วงเวลา
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,ที่เก่าแก่ที่สุด
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group",รายการกลุ่ม ที่มีอยู่ ที่มีชื่อเดียวกัน กรุณาเปลี่ยน ชื่อรายการหรือเปลี่ยนชื่อ กลุ่ม รายการ
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,หมายเลขโทรศัพท์มือถือของนักเรียน
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,ส่วนที่เหลือ ของโลก
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group",รายการกลุ่ม ที่มีอยู่ ที่มีชื่อเดียวกัน กรุณาเปลี่ยน ชื่อรายการหรือเปลี่ยนชื่อ กลุ่ม รายการ
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,หมายเลขโทรศัพท์มือถือของนักเรียน
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,ส่วนที่เหลือ ของโลก
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,รายการ {0} ไม่สามารถมีแบทช์
,Budget Variance Report,รายงานความแปรปรวนของงบประมาณ
DocType: Salary Slip,Gross Pay,จ่ายขั้นต้น
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,แถว {0}: ประเภทกิจกรรมมีผลบังคับใช้
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,การจ่ายเงินปันผล
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,การจ่ายเงินปันผล
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,บัญชีแยกประเภท
DocType: Stock Reconciliation,Difference Amount,ความแตกต่างจำนวน
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,กำไรสะสม
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,กำไรสะสม
DocType: Vehicle Log,Service Detail,รายละเอียดบริการ
DocType: BOM,Item Description,รายละเอียดสินค้า
DocType: Student Sibling,Student Sibling,พี่น้องนักศึกษา
@@ -1279,11 +1286,11 @@
DocType: Opportunity Item,Opportunity Item,รายการโอกาส
,Student and Guardian Contact Details,นักเรียนและผู้ปกครองรายละเอียดการติดต่อ
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,แถว {0}: สำหรับผู้จัดจำหน่าย {0} อีเมล์จะต้องส่งอีเมล
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,เปิดชั่วคราว
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,เปิดชั่วคราว
,Employee Leave Balance,ยอดคงเหลือพนักงานออก
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},ยอดคงเหลือ บัญชี {0} จะต้อง {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},อัตราการประเมินที่จำเป็นสำหรับรายการในแถว {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,ตัวอย่าง: ปริญญาโทในสาขาวิทยาศาสตร์คอมพิวเตอร์
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,ตัวอย่าง: ปริญญาโทในสาขาวิทยาศาสตร์คอมพิวเตอร์
DocType: Purchase Invoice,Rejected Warehouse,คลังสินค้าปฏิเสธ
DocType: GL Entry,Against Voucher,กับบัตรกำนัล
DocType: Item,Default Buying Cost Center,ศูนย์รายจ่ายการซื้อเริ่มต้น
@@ -1296,31 +1303,30 @@
DocType: Journal Entry,Get Outstanding Invoices,รับใบแจ้งหนี้ค้าง
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,การขายสินค้า {0} ไม่ถูกต้อง
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,คำสั่งซื้อที่ช่วยให้คุณวางแผนและติดตามในการซื้อสินค้าของคุณ
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged",ขออภัย บริษัท ไม่สามารถ รวม
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged",ขออภัย บริษัท ไม่สามารถ รวม
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",ปริมาณการเบิก / โอนทั้งหมด {0} วัสดุในการจอง {1} \ ไม่สามารถจะสูงกว่าปริมาณการร้องขอ {2} สำหรับรายการ {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,เล็ก
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,เล็ก
DocType: Employee,Employee Number,จำนวนพนักงาน
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},กรณีที่ ไม่ ( s) การใช้งานแล้ว ลอง จาก กรณี ไม่มี {0}
DocType: Project,% Completed,% เสร็จสมบูรณ์
,Invoiced Amount (Exculsive Tax),จำนวนเงินที่ ออกใบแจ้งหนี้ ( Exculsive ภาษี )
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,รายการที่ 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,หัวบัญชีสำหรับ {0} ได้ถูกสร้างขึ้น
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,กิจกรรมการฝึกอบรม
DocType: Item,Auto re-order,Auto สั่งซื้อใหม่
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,รวมประสบความสำเร็จ
DocType: Employee,Place of Issue,สถานที่ได้รับการรับรอง
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,สัญญา
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,สัญญา
DocType: Email Digest,Add Quote,เพิ่มอ้าง
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},ปัจจัย Coversion UOM จำเป็นสำหรับ UOM: {0} ในรายการ: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,ค่าใช้จ่าย ทางอ้อม
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},ปัจจัย Coversion UOM จำเป็นสำหรับ UOM: {0} ในรายการ: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,ค่าใช้จ่าย ทางอ้อม
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,แถว {0}: จำนวนมีผลบังคับใช้
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,การเกษตร
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,ซิงค์ข้อมูลหลัก
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,สินค้า หรือ บริการของคุณ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,ซิงค์ข้อมูลหลัก
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,สินค้า หรือ บริการของคุณ
DocType: Mode of Payment,Mode of Payment,โหมดของการชำระเงิน
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,ภาพ Website ควรจะเป็นไฟล์สาธารณะหรือ URL ของเว็บไซต์
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,ภาพ Website ควรจะเป็นไฟล์สาธารณะหรือ URL ของเว็บไซต์
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,กลุ่มนี้เป็นกลุ่ม รายการที่ ราก และ ไม่สามารถแก้ไขได้
@@ -1329,7 +1335,7 @@
DocType: Warehouse,Warehouse Contact Info,ข้อมูลติดต่อคลังสินค้า
DocType: Payment Entry,Write Off Difference Amount,จำนวนหนี้สูญความแตกต่าง
DocType: Purchase Invoice,Recurring Type,ประเภทที่เกิดขึ้น
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent",{0}: ไม่พบอีเมลของพนักงาน อีเมล์นี้จึงไม่ได้ถูกส่ง
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent",{0}: ไม่พบอีเมลของพนักงาน อีเมล์นี้จึงไม่ได้ถูกส่ง
DocType: Item,Foreign Trade Details,รายละเอียดการค้าต่างประเทศ
DocType: Email Digest,Annual Income,รายได้ต่อปี
DocType: Serial No,Serial No Details,รายละเอียดหมายเลขเครื่อง
@@ -1337,10 +1343,10 @@
DocType: Student Group Student,Group Roll Number,หมายเลขกลุ่ม
DocType: Student Group Student,Group Roll Number,หมายเลขกลุ่ม
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",มีบัญชีประเภทเครดิตเท่านั้น ที่สามารถเชื่อมโยงกับรายการประเภทเดบิต สำหรับ {0}
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,รวมทุกน้ำหนักงานควรจะ 1. โปรดปรับน้ำหนักของงานโครงการทั้งหมดตาม
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,หมายเหตุ การจัดส่ง {0} ไม่ได้ ส่ง
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,รายการ {0} จะต้องเป็น รายการ ย่อย หด
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,อุปกรณ์ ทุน
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,รวมทุกน้ำหนักงานควรจะ 1. โปรดปรับน้ำหนักของงานโครงการทั้งหมดตาม
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,หมายเหตุ การจัดส่ง {0} ไม่ได้ ส่ง
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,รายการ {0} จะต้องเป็น รายการ ย่อย หด
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,อุปกรณ์ ทุน
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",กฎข้อแรกคือการกำหนดราคาเลือกตาม 'สมัครในสนามซึ่งจะมีรายการกลุ่มสินค้าหรือยี่ห้อ
DocType: Hub Settings,Seller Website,เว็บไซต์ขาย
DocType: Item,ITEM-,ITEM-
@@ -1358,7 +1364,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","มีเพียงสามารถเป็น สภาพ กฎ การจัดส่งสินค้า ที่มี 0 หรือ ค่าว่าง สำหรับ "" ค่า """
DocType: Authorization Rule,Transaction,การซื้อขาย
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,หมายเหตุ : ศูนย์ต้นทุน นี้เป็น กลุ่ม ไม่สามารถสร้าง รายการบัญชี กับ กลุ่ม
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,คลังสินค้าที่มีอยู่สำหรับเด็กคลังสินค้านี้ คุณไม่สามารถลบคลังสินค้านี้
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,คลังสินค้าที่มีอยู่สำหรับเด็กคลังสินค้านี้ คุณไม่สามารถลบคลังสินค้านี้
DocType: Item,Website Item Groups,กลุ่มรายการเว็บไซต์
DocType: Purchase Invoice,Total (Company Currency),รวม (บริษัท สกุลเงิน)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,หมายเลข {0} เข้ามา มากกว่าหนึ่งครั้ง
@@ -1368,7 +1374,7 @@
DocType: Grading Scale Interval,Grade Code,รหัสเกรด
DocType: POS Item Group,POS Item Group,กลุ่มสินค้า จุดขาย
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ส่งอีเมล์หัวข้อสำคัญ:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} ไม่ได้อยู่ในรายการ {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} ไม่ได้อยู่ในรายการ {1}
DocType: Sales Partner,Target Distribution,การกระจายเป้าหมาย
DocType: Salary Slip,Bank Account No.,เลขที่บัญชีธนาคาร
DocType: Naming Series,This is the number of the last created transaction with this prefix,นี่คือหมายเลขของรายการที่สร้างขึ้นล่าสุดกับคำนำหน้านี้
@@ -1379,12 +1385,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,บัญชีค่าเสื่อมราคาสินทรัพย์โดยอัตโนมัติ
DocType: BOM Operation,Workstation,เวิร์คสเตชั่
DocType: Request for Quotation Supplier,Request for Quotation Supplier,การขอใบเสนอราคาผู้ผลิต
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,ฮาร์ดแวร์
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,ฮาร์ดแวร์
DocType: Sales Order,Recurring Upto,ที่เกิดขึ้นไม่เกิน
DocType: Attendance,HR Manager,HR Manager
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,กรุณาเลือก บริษัท
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,สิทธิ ออก
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,กรุณาเลือก บริษัท
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,สิทธิ ออก
DocType: Purchase Invoice,Supplier Invoice Date,วันที่ใบแจ้งหนี้ผู้จัดจำหน่าย
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,ต่อ
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,คุณจำเป็นต้องเปิดการใช้งานรถเข็น
DocType: Payment Entry,Writeoff,ตัดค่าใช้จ่าย
DocType: Appraisal Template Goal,Appraisal Template Goal,เป้าหมายเทมเพลทประเมิน
@@ -1395,10 +1402,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,เงื่อนไข ที่ทับซ้อนกัน ระหว่าง พบ :
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,กับอนุทิน {0} จะถูกปรับแล้วกับบางบัตรกำนัลอื่น ๆ
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,มูลค่าการสั่งซื้อทั้งหมด
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,อาหาร
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,อาหาร
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,ช่วงสูงอายุ 3
DocType: Maintenance Schedule Item,No of Visits,ไม่มีการเข้าชม
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,มาร์ค Attendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,มาร์ค Attendence
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},กำหนดการซ่อมบำรุง {0} อยู่กับ {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,นักเรียนเข้าศึกษา
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},สกุลเงินของบัญชีจะต้องปิด {0}
@@ -1412,6 +1419,7 @@
DocType: Rename Tool,Utilities,ยูทิลิตี้
DocType: Purchase Invoice Item,Accounting,การบัญชี
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,โปรดเลือก batches สำหรับ batched item
DocType: Asset,Depreciation Schedules,ตารางค่าเสื่อมราคา
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,รับสมัครไม่สามารถออกจากนอกระยะเวลาการจัดสรร
DocType: Activity Cost,Projects,โครงการ
@@ -1425,6 +1433,7 @@
DocType: POS Profile,Campaign,รณรงค์
DocType: Supplier,Name and Type,ชื่อและประเภท
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',สถานะการอนุมัติ ต้อง 'อนุมัติ ' หรือ ' ปฏิเสธ '
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,เงินทุน
DocType: Purchase Invoice,Contact Person,Contact Person
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','วันที่คาดว่าจะเริ่มต้น' ไม่สามารถ จะมากกว่า 'วันที่คาดว่าจะจบ'
DocType: Course Scheduling Tool,Course End Date,แน่นอนวันที่สิ้นสุด
@@ -1432,12 +1441,11 @@
DocType: Sales Order Item,Planned Quantity,จำนวนวางแผน
DocType: Purchase Invoice Item,Item Tax Amount,จำนวนภาษีรายการ
DocType: Item,Maintain Stock,รักษาสต็อก
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,รายการสต็อกที่สร้างไว้แล้วสำหรับการสั่งซื้อการผลิต
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,รายการสต็อกที่สร้างไว้แล้วสำหรับการสั่งซื้อการผลิต
DocType: Employee,Prefered Email,ที่ต้องการอีเมล์
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,เปลี่ยนสุทธิในสินทรัพย์ถาวร
DocType: Leave Control Panel,Leave blank if considered for all designations,เว้นไว้หากพิจารณากำหนดทั้งหมด
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,คลังสินค้าเป็นข้อบังคับสำหรับบัญชีกลุ่มที่ไม่ใช่ประเภทการแจ้ง
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,ค่าใช้จ่าย ประเภท ' จริง ' ในแถว {0} ไม่สามารถ รวมอยู่ใน อัตรา รายการ
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,ค่าใช้จ่าย ประเภท ' จริง ' ในแถว {0} ไม่สามารถ รวมอยู่ใน อัตรา รายการ
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},สูงสุด: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,จาก Datetime
DocType: Email Digest,For Company,สำหรับ บริษัท
@@ -1447,15 +1455,15 @@
DocType: Sales Invoice,Shipping Address Name,การจัดส่งสินค้าที่อยู่ชื่อ
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,ผังบัญชี
DocType: Material Request,Terms and Conditions Content,ข้อตกลงและเงื่อนไขเนื้อหา
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,ไม่สามารถมีค่ามากกว่า 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,รายการที่ {0} ไม่ได้เป็น รายการ สต็อก
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,ไม่สามารถมีค่ามากกว่า 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,รายการที่ {0} ไม่ได้เป็น รายการ สต็อก
DocType: Maintenance Visit,Unscheduled,ไม่ได้หมายกำหนดการ
DocType: Employee,Owned,เจ้าของ
DocType: Salary Detail,Depends on Leave Without Pay,ขึ้นอยู่กับการออกโดยไม่จ่ายเงิน
DocType: Pricing Rule,"Higher the number, higher the priority",สูงกว่าจำนวนที่สูงขึ้นมีความสำคัญ
,Purchase Invoice Trends,แนวโน้มการซื้อใบแจ้งหนี้
DocType: Employee,Better Prospects,อนาคตที่ดีกว่า
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",แถว # {0}: กลุ่ม {1} มีเพียง {2} จำนวน โปรดเลือกชุดที่มีจำนวน {3} จำนวนที่มีอยู่หรือแบ่งแถวเป็นหลายแถวเพื่อส่งมอบ / ออกจากแบทช์หลายรายการ
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",แถว # {0}: กลุ่ม {1} มีเพียง {2} จำนวน โปรดเลือกชุดที่มีจำนวน {3} จำนวนที่มีอยู่หรือแบ่งแถวเป็นหลายแถวเพื่อส่งมอบ / ออกจากแบทช์หลายรายการ
DocType: Vehicle,License Plate,ป้ายทะเบียนรถ
DocType: Appraisal,Goals,เป้าหมาย
DocType: Warranty Claim,Warranty / AMC Status,สถานะการรับประกัน / AMC
@@ -1466,7 +1474,8 @@
,Batch-Wise Balance History,ชุดฉลาดประวัติยอดคงเหลือ
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,ตั้งค่าการพิมพ์การปรับปรุงในรูปแบบการพิมพ์ที่เกี่ยวข้อง
DocType: Package Code,Package Code,รหัสแพคเกจ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,เด็กฝึกงาน
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,เด็กฝึกงาน
+DocType: Purchase Invoice,Company GSTIN,บริษัท GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,จำนวน เชิงลบ ไม่ได้รับอนุญาต
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","ตารางรายละเอียดภาษีเรียกจากต้นแบบรายการเป็นสตริงและเก็บไว้ในฟิลด์นี้
@@ -1474,12 +1483,12 @@
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,พนักงานไม่สามารถรายงานให้กับตัวเอง
DocType: Account,"If the account is frozen, entries are allowed to restricted users.",หากบัญชีถูกแช่แข็ง รายการ จะได้รับอนุญาต ให้กับผู้ใช้ ที่ จำกัด
DocType: Email Digest,Bank Balance,ยอดเงินในธนาคาร
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},บัญชีรายการสำหรับ {0}: {1} สามารถทำได้ในสกุลเงิน: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},บัญชีรายการสำหรับ {0}: {1} สามารถทำได้ในสกุลเงิน: {2}
DocType: Job Opening,"Job profile, qualifications required etc.",รายละเอียด งาน คุณสมบัติ ที่จำเป็น อื่น ๆ
DocType: Journal Entry Account,Account Balance,ยอดเงินในบัญชี
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,กฎภาษีสำหรับการทำธุรกรรม
DocType: Rename Tool,Type of document to rename.,ประเภทของเอกสารที่จะเปลี่ยนชื่อ
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,เราซื้อ รายการ นี้
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,เราซื้อ รายการ นี้
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: ลูกค้าเป็นสิ่งจำเป็นในบัญชีลูกหนี้ {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),รวมภาษีและค่าบริการ (สกุลเงิน บริษัท )
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,แสดงยอดคงเหลือ P & L ปีงบประมาณ unclosed ของ
@@ -1490,29 +1499,30 @@
DocType: Stock Entry,Total Additional Costs,รวมค่าใช้จ่ายเพิ่มเติม
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),ต้นทุนเศษวัสดุ ( บริษัท สกุล)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,ประกอบ ย่อย
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,ประกอบ ย่อย
DocType: Asset,Asset Name,ชื่อสินทรัพย์
DocType: Project,Task Weight,งานน้ำหนัก
DocType: Shipping Rule Condition,To Value,เพื่อให้มีค่า
DocType: Asset Movement,Stock Manager,ผู้จัดการ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},คลังสินค้า ที่มา มีผลบังคับใช้ แถว {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,สลิป
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,สำนักงาน ให้เช่า
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},คลังสินค้า ที่มา มีผลบังคับใช้ แถว {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,สลิป
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,สำนักงาน ให้เช่า
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,การตั้งค่าการติดตั้งเกตเวย์ SMS
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,นำเข้า ล้มเหลว
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,ที่อยู่ไม่เพิ่มเลย
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,ที่อยู่ไม่เพิ่มเลย
DocType: Workstation Working Hour,Workstation Working Hour,เวิร์คสเตชั่ชั่วโมงการทำงาน
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,นักวิเคราะห์
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,นักวิเคราะห์
DocType: Item,Inventory,รายการสินค้า
DocType: Item,Sales Details,รายละเอียดการขาย
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,กับรายการ
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,ในจำนวน
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,ในจำนวน
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,ตรวจสอบความถูกต้องของหลักสูตรการลงทะเบียนสำหรับนักเรียนในกลุ่มนักเรียน
DocType: Notification Control,Expense Claim Rejected,เรียกร้องค่าใช้จ่ายที่ถูกปฏิเสธ
DocType: Item,Item Attribute,รายการแอตทริบิวต์
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,รัฐบาล
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,รัฐบาล
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,ค่าใช้จ่ายในการเรียกร้อง {0} อยู่แล้วสำหรับการเข้าสู่ระบบยานพาหนะ
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,ชื่อสถาบัน
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,ชื่อสถาบัน
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,กรุณากรอกจำนวนเงินการชำระหนี้
apps/erpnext/erpnext/config/stock.py +300,Item Variants,รายการที่แตกต่าง
DocType: Company,Services,การบริการ
@@ -1522,18 +1532,18 @@
DocType: Sales Invoice,Source,แหล่ง
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,แสดงปิด
DocType: Leave Type,Is Leave Without Pay,ถูกทิ้งไว้โดยไม่ต้องจ่ายเงิน
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,ประเภทสินทรัพย์ที่มีผลบังคับใช้สำหรับรายการสินทรัพย์ถาวร
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,ประเภทสินทรัพย์ที่มีผลบังคับใช้สำหรับรายการสินทรัพย์ถาวร
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,ไม่พบในตารางการชำระเงินบันทึก
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},นี้ {0} ขัดแย้งกับ {1} สำหรับ {2} {3}
DocType: Student Attendance Tool,Students HTML,นักเรียน HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,วันเริ่มต้น ปี การเงิน
DocType: POS Profile,Apply Discount,ใช้ส่วนลด
+DocType: Purchase Invoice Item,GST HSN Code,รหัส HSST ของ GST
DocType: Employee External Work History,Total Experience,ประสบการณ์รวม
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,เปิดโครงการ
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,บรรจุ สลิป (s) ยกเลิก
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,กระแสเงินสดจากการลงทุน
DocType: Program Course,Program Course,หลักสูตรโปรแกรม
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,การขนส่งสินค้าและ การส่งต่อ ค่าใช้จ่าย
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,การขนส่งสินค้าและ การส่งต่อ ค่าใช้จ่าย
DocType: Homepage,Company Tagline for website homepage,บริษัท สโลแกนสำหรับหน้าแรกของเว็บไซต์
DocType: Item Group,Item Group Name,ชื่อกลุ่มสินค้า
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,ยึด
@@ -1543,6 +1553,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,สร้างโอกาสในการขาย
DocType: Maintenance Schedule,Schedules,ตารางเวลา
DocType: Purchase Invoice Item,Net Amount,ปริมาณสุทธิ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,ยังไม่ได้ส่ง {0} {1} รายการดังนั้นการดำเนินการไม่สามารถทำได้
DocType: Purchase Order Item Supplied,BOM Detail No,รายละเอียด BOM ไม่มี
DocType: Landed Cost Voucher,Additional Charges,ค่าใช้จ่ายเพิ่มเติม
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),จำนวนส่วนลดเพิ่มเติม (สกุลเงิน บริษัท )
@@ -1558,6 +1569,7 @@
DocType: Employee Loan,Monthly Repayment Amount,จำนวนเงินที่ชำระหนี้รายเดือน
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,กรุณาตั้งค่าข้อมูลรหัสผู้ใช้ในการบันทึกพนักงานที่จะตั้งบทบาทของพนักงาน
DocType: UOM,UOM Name,ชื่อ UOM
+DocType: GST HSN Code,HSN Code,รหัส HSN
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,จํานวนเงินสมทบ
DocType: Purchase Invoice,Shipping Address,ที่อยู่จัดส่ง
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,เครื่องมือนี้จะช่วยให้คุณในการปรับปรุงหรือแก้ไขปริมาณและมูลค่าของหุ้นในระบบ มันมักจะใช้ในการประสานระบบค่าและสิ่งที่มีอยู่จริงในคลังสินค้าของคุณ
@@ -1568,18 +1580,17 @@
DocType: Program Enrollment Tool,Program Enrollments,การลงทะเบียนโปรแกรม
DocType: Sales Invoice Item,Brand Name,ชื่อยี่ห้อ
DocType: Purchase Receipt,Transporter Details,รายละเอียด Transporter
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,คลังสินค้าเริ่มต้นเป็นสิ่งจำเป็นสำหรับรายการที่เลือก
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,กล่อง
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,คลังสินค้าเริ่มต้นเป็นสิ่งจำเป็นสำหรับรายการที่เลือก
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,กล่อง
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,ผู้ผลิตที่เป็นไปได้
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,องค์การ
DocType: Budget,Monthly Distribution,การกระจายรายเดือน
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,รายชื่อ ผู้รับ ว่างเปล่า กรุณาสร้าง รายชื่อ รับ
DocType: Production Plan Sales Order,Production Plan Sales Order,แผนสั่งซื้อขาย
DocType: Sales Partner,Sales Partner Target,เป้าหมายยอดขายพันธมิตร
DocType: Loan Type,Maximum Loan Amount,จำนวนเงินกู้สูงสุด
DocType: Pricing Rule,Pricing Rule,กฎ การกำหนดราคา
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},หมายเลขม้วนซ้ำสำหรับนักเรียน {0}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},หมายเลขม้วนซ้ำสำหรับนักเรียน {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},หมายเลขม้วนซ้ำสำหรับนักเรียน {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},หมายเลขม้วนซ้ำสำหรับนักเรียน {0}
DocType: Budget,Action if Annual Budget Exceeded,ดำเนินการหากเกินงบประมาณรายจ่ายประจำปี
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,สร้างคำขอวัสดุไปเป็นใบสั่งซื้อ
DocType: Shopping Cart Settings,Payment Success URL,URL ที่ประสบความสำเร็จการชำระเงิน
@@ -1592,11 +1603,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,เปิดหุ้นคงเหลือ
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} ต้องปรากฏเพียงครั้งเดียว
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},ไม่อนุญาตให้โอนมากขึ้น {0} กว่า {1} กับใบสั่งซื้อ {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},ไม่อนุญาตให้โอนมากขึ้น {0} กว่า {1} กับใบสั่งซื้อ {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},ใบ จัดสรร ประสบความสำเร็จ ในการ {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,ไม่มี รายการ ที่จะแพ็ค
DocType: Shipping Rule Condition,From Value,จากมูลค่า
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,จำนวนการผลิต นี้มีความจำเป็น
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,จำนวนการผลิต นี้มีความจำเป็น
DocType: Employee Loan,Repayment Method,วิธีการชำระหนี้
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",หากตรวจสอบหน้าแรกจะเป็นกลุ่มสินค้าเริ่มต้นสำหรับเว็บไซต์
DocType: Quality Inspection Reading,Reading 4,Reading 4
@@ -1606,7 +1617,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},แถว # {0}: วัน Clearance {1} ไม่สามารถจะก่อนวันที่เช็ค {2}
DocType: Company,Default Holiday List,เริ่มต้นรายการที่ฮอลิเดย์
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},แถว {0}: จากเวลาและเวลาของ {1} มีการทับซ้อนกันด้วย {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,หนี้สิน หุ้น
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,หนี้สิน หุ้น
DocType: Purchase Invoice,Supplier Warehouse,คลังสินค้าผู้จัดจำหน่าย
DocType: Opportunity,Contact Mobile No,เบอร์มือถือไม่มี
,Material Requests for which Supplier Quotations are not created,ขอ วัสดุ ที่ ใบเสนอราคา ของผู้ผลิต ไม่ได้สร้างขึ้น
@@ -1617,35 +1628,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,ทำให้ใบเสนอราคา
apps/erpnext/erpnext/config/selling.py +216,Other Reports,รายงานอื่น ๆ
DocType: Dependent Task,Dependent Task,ขึ้นอยู่กับงาน
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},ปัจจัย การแปลง หน่วย เริ่มต้น ของการวัด จะต้อง อยู่ในแถว ที่ 1 {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},ปัจจัย การแปลง หน่วย เริ่มต้น ของการวัด จะต้อง อยู่ในแถว ที่ 1 {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},การลา ประเภท {0} ไม่สามารถ จะยาวกว่า {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,ลองวางแผน X วันล่วงหน้า
DocType: HR Settings,Stop Birthday Reminders,หยุด วันเกิด การแจ้งเตือน
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},กรุณาตั้งค่าเริ่มต้นเงินเดือนบัญชีเจ้าหนี้ บริษัท {0}
DocType: SMS Center,Receiver List,รายชื่อผู้รับ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,ค้นหาค้นหาสินค้า
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,ค้นหาค้นหาสินค้า
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,บริโภคจํานวนเงิน
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,เปลี่ยนเป็นเงินสดสุทธิ
DocType: Assessment Plan,Grading Scale,ระดับคะแนน
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,หน่วย ของการวัด {0} ได้รับการป้อน มากกว่าหนึ่งครั้งใน การแปลง ปัจจัย ตาราง
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,หน่วย ของการวัด {0} ได้รับการป้อน มากกว่าหนึ่งครั้งใน การแปลง ปัจจัย ตาราง
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,เสร็จสิ้นแล้ว
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,หุ้นอยู่ในมือ
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},รวมเข้ากับการชำระเงินที่มีอยู่แล้ว {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,ค่าใช้จ่ายของรายการที่ออก
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},จำนวนต้องไม่เกิน {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,ปีก่อนหน้านี้ทางการเงินไม่ได้ปิด
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),อายุ (วัน)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),อายุ (วัน)
DocType: Quotation Item,Quotation Item,รายการใบเสนอราคา
+DocType: Customer,Customer POS Id,รหัสลูกค้าของลูกค้า
DocType: Account,Account Name,ชื่อบัญชี
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,จากวันที่ไม่สามารถจะมากกว่านัด
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,อนุกรม ไม่มี {0} ปริมาณ {1} ไม่สามารถเป็น ส่วนหนึ่ง
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,ประเภท ผู้ผลิต หลัก
DocType: Purchase Order Item,Supplier Part Number,หมายเลขชิ้นส่วนของผู้ผลิต
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,อัตราการแปลง ไม่สามารถเป็น 0 หรือ 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,อัตราการแปลง ไม่สามารถเป็น 0 หรือ 1
DocType: Sales Invoice,Reference Document,เอกสารอ้างอิง
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} ถูกยกเลิกหรือหยุดแล้ว
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} ถูกยกเลิกหรือหยุดแล้ว
DocType: Accounts Settings,Credit Controller,ควบคุมเครดิต
DocType: Delivery Note,Vehicle Dispatch Date,วันที่ส่งรถ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,รับซื้อ {0} ไม่ได้ ส่ง
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,รับซื้อ {0} ไม่ได้ ส่ง
DocType: Company,Default Payable Account,เริ่มต้นเจ้าหนี้การค้า
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.",การตั้งค่าสำหรับตะกร้าช้อปปิ้งออนไลน์เช่นกฎการจัดส่งรายการราคา ฯลฯ
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% เรียกเก็บเงินแล้ว
@@ -1664,11 +1677,12 @@
DocType: Expense Claim,Total Amount Reimbursed,รวมจำนวนเงินชดเชย
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,แห่งนี้ตั้งอยู่บนพื้นฐานของบันทึกกับรถคันนี้ ดูระยะเวลารายละเอียดด้านล่าง
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,เก็บ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},กับผู้ผลิตใบแจ้งหนี้ {0} วัน {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},กับผู้ผลิตใบแจ้งหนี้ {0} วัน {1}
DocType: Customer,Default Price List,รายการราคาเริ่มต้น
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,บันทึกการเคลื่อนไหวของสินทรัพย์ {0} สร้าง
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,คุณไม่สามารถลบปีงบประมาณ {0} ปีงบประมาณ {0} ตั้งเป็นค่าเริ่มต้นในการตั้งค่าส่วนกลาง
DocType: Journal Entry,Entry Type,ประเภทรายการ
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,ไม่มีแผนการประเมินที่เชื่อมโยงกับกลุ่มประเมินนี้
,Customer Credit Balance,เครดิตบาลานซ์ลูกค้า
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,เปลี่ยนสุทธิในบัญชีเจ้าหนี้
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',ลูกค้า จำเป็นต้องใช้ สำหรับ ' Customerwise ส่วนลด '
@@ -1677,7 +1691,7 @@
DocType: Quotation,Term Details,รายละเอียดคำ
DocType: Project,Total Sales Cost (via Sales Order),ยอดขายรวม (ผ่านใบสั่งขาย)
DocType: Project,Total Sales Cost (via Sales Order),ยอดขายรวม (ผ่านใบสั่งขาย)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,ไม่สามารถลงทะเบียนมากกว่า {0} นักเรียนสำหรับนักเรียนกลุ่มนี้
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,ไม่สามารถลงทะเบียนมากกว่า {0} นักเรียนสำหรับนักเรียนกลุ่มนี้
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,นับตะกั่ว
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,นับตะกั่ว
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} ต้องมากกว่า 0
@@ -1700,7 +1714,7 @@
DocType: Sales Invoice,Packed Items,บรรจุรายการ
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,รับประกันเรียกร้องกับหมายเลขเครื่อง
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","แทนที่ BOM โดยเฉพาะอย่างยิ่งใน BOMs อื่น ๆ ที่มีการใช้ แทนที่มันจะเชื่อมโยง BOM เก่าปรับปรุงค่าใช้จ่ายและงอกใหม่ ""BOM ระเบิดรายการ"" ตารางตาม BOM ใหม่"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','ทั้งหมด'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','ทั้งหมด'
DocType: Shopping Cart Settings,Enable Shopping Cart,เปิดการใช้งานรถเข็น
DocType: Employee,Permanent Address,ที่อยู่ถาวร
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1716,9 +1730,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,โปรดระบุ ทั้ง จำนวน หรือ อัตรา การประเมิน หรือทั้งสองอย่าง
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,การบรรลุเป้าหมาย
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,ดูในรถเข็น
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,ค่าใช้จ่ายใน การตลาด
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,ค่าใช้จ่ายใน การตลาด
,Item Shortage Report,รายงานสินค้าไม่เพียงพอ
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","น้ำหนักที่ถูกกล่าวถึง, \n กรุณาระบุ ""น้ำหนัก UOM"" เกินไป"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","น้ำหนักที่ถูกกล่าวถึง, \n กรุณาระบุ ""น้ำหนัก UOM"" เกินไป"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,ขอวัสดุที่ใช้เพื่อให้รายการสินค้านี้
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,ถัดไปวันที่มีผลบังคับใช้ค่าเสื่อมราคาของสินทรัพย์ใหม่
DocType: Student Group Creation Tool,Separate course based Group for every Batch,แยกกลุ่มตามหลักสูตรสำหรับทุกกลุ่ม
@@ -1728,17 +1742,18 @@
,Student Fee Collection,การเก็บค่าบริการนักศึกษา
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,ทำให้ รายการ บัญชี สำหรับ ทุก การเคลื่อนไหวของ หุ้น
DocType: Leave Allocation,Total Leaves Allocated,ใบรวมจัดสรร
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},ต้องระบุโกดังที่แถว {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,กรุณากรอกเริ่มต้นปีงบการเงินที่ถูกต้องและวันที่สิ้นสุด
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},ต้องระบุโกดังที่แถว {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,กรุณากรอกเริ่มต้นปีงบการเงินที่ถูกต้องและวันที่สิ้นสุด
DocType: Employee,Date Of Retirement,วันที่ของการเกษียณอายุ
DocType: Upload Attendance,Get Template,รับแม่แบบ
+DocType: Material Request,Transferred,โอน
DocType: Vehicle,Doors,ประตู
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,การติดตั้ง ERPNext เสร็จสิ้น
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,การติดตั้ง ERPNext เสร็จสิ้น
DocType: Course Assessment Criteria,Weightage,weightage
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: 'ศูนย์ต้นทุน' เป็นสิ่งจำเป็นสำหรับบัญชี 'กำไรขาดทุน ' {2} โปรดตั้งค่าเริ่มต้นสำหรับศูนย์ต้นทุนของบริษัท
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,กลุ่ม ลูกค้าที่มีอยู่ ที่มีชื่อเดียวกัน โปรด เปลี่ยนชื่อ ลูกค้าหรือเปลี่ยนชื่อ กลุ่ม ลูกค้า
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,ติดต่อใหม่
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,กลุ่ม ลูกค้าที่มีอยู่ ที่มีชื่อเดียวกัน โปรด เปลี่ยนชื่อ ลูกค้าหรือเปลี่ยนชื่อ กลุ่ม ลูกค้า
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,ติดต่อใหม่
DocType: Territory,Parent Territory,ดินแดนปกครอง
DocType: Quality Inspection Reading,Reading 2,Reading 2
DocType: Stock Entry,Material Receipt,ใบเสร็จรับเงินวัสดุ
@@ -1747,17 +1762,16 @@
DocType: Employee,AB+,AB+
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",หากรายการนี้มีสายพันธุ์แล้วมันไม่สามารถเลือกในการสั่งซื้อการขายอื่น ๆ
DocType: Lead,Next Contact By,ติดต่อถัดไป
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},จำนวน รายการ ที่จำเป็นสำหรับ {0} ในแถว {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},คลังสินค้า {0} ไม่สามารถลบได้ เนื่องจากมีรายการ {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},จำนวน รายการ ที่จำเป็นสำหรับ {0} ในแถว {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},คลังสินค้า {0} ไม่สามารถลบได้ เนื่องจากมีรายการ {1}
DocType: Quotation,Order Type,ประเภทสั่งซื้อ
DocType: Purchase Invoice,Notification Email Address,ที่อยู่อีเมลการแจ้งเตือน
,Item-wise Sales Register,การขายสินค้าที่ชาญฉลาดสมัครสมาชิก
DocType: Asset,Gross Purchase Amount,จำนวนการสั่งซื้อขั้นต้น
DocType: Asset,Depreciation Method,วิธีการคิดค่าเสื่อมราคา
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,ออฟไลน์
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,ออฟไลน์
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,คือภาษีนี้รวมอยู่ในอัตราขั้นพื้นฐาน?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,เป้าหมายรวม
-DocType: Program Course,Required,จำเป็นต้องใช้
DocType: Job Applicant,Applicant for a Job,สำหรับผู้สมัครงาน
DocType: Production Plan Material Request,Production Plan Material Request,แผนการผลิตวัสดุที่ขอ
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,ไม่มี ใบสั่ง ผลิต สร้างขึ้น
@@ -1767,17 +1781,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,อนุญาตให้หลายคำสั่งขายกับการสั่งซื้อของลูกค้า
DocType: Student Group Instructor,Student Group Instructor,ผู้สอนกลุ่มนักเรียน
DocType: Student Group Instructor,Student Group Instructor,ผู้สอนกลุ่มนักเรียน
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 มือถือไม่มี
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,หลัก
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 มือถือไม่มี
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,หลัก
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,ตัวแปร
DocType: Naming Series,Set prefix for numbering series on your transactions,กำหนดคำนำหน้าสำหรับหมายเลขชุดทำธุรกรรมของคุณ
DocType: Employee Attendance Tool,Employees HTML,พนักงาน HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,BOM ค่าเริ่มต้น ({0}) จะต้องใช้งานสำหรับรายการนี้หรือแม่แบบของมัน
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,BOM ค่าเริ่มต้น ({0}) จะต้องใช้งานสำหรับรายการนี้หรือแม่แบบของมัน
DocType: Employee,Leave Encashed?,ฝาก Encashed?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,โอกาสจากข้อมูลมีผลบังคับใช้
DocType: Email Digest,Annual Expenses,ค่าใช้จ่ายประจำปี
DocType: Item,Variants,สายพันธุ์
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,สร้างใบสั่งซื้อ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,สร้างใบสั่งซื้อ
DocType: SMS Center,Send To,ส่งให้
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},ที่มีอยู่ไม่ สมดุล เพียงพอสำหรับ การลา ออกจาก ประเภท {0}
DocType: Payment Reconciliation Payment,Allocated amount,จำนวนเงินที่จัดสรร
@@ -1793,26 +1807,25 @@
DocType: Item,Serial Nos and Batches,หมายเลขและชุดเลขที่ผลิตภัณฑ์
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,ความแรงของกลุ่มนักศึกษา
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,ความแรงของกลุ่มนักศึกษา
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,กับอนุทิน {0} ไม่ได้มีที่ไม่มีใครเทียบ {1} รายการ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,กับอนุทิน {0} ไม่ได้มีที่ไม่มีใครเทียบ {1} รายการ
apps/erpnext/erpnext/config/hr.py +137,Appraisals,การประเมินผล
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},ซ้ำ หมายเลขเครื่อง ป้อนสำหรับ รายการ {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,เงื่อนไขสำหรับกฎการจัดส่งสินค้า
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,กรุณากรอก
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",ไม่สามารถ overbill สำหรับรายการ {0} ในแถว {1} มากกว่า {2} ในการอนุญาตให้มากกว่าการเรียกเก็บเงินโปรดตั้งค่าในการซื้อการตั้งค่า
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,กรุณาตั้งค่าตัวกรองขึ้นอยู่กับสินค้าหรือคลังสินค้า
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",ไม่สามารถ overbill สำหรับรายการ {0} ในแถว {1} มากกว่า {2} ในการอนุญาตให้มากกว่าการเรียกเก็บเงินโปรดตั้งค่าในการซื้อการตั้งค่า
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,กรุณาตั้งค่าตัวกรองขึ้นอยู่กับสินค้าหรือคลังสินค้า
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),น้ำหนักสุทธิของแพคเกจนี้ (คำนวณโดยอัตโนมัติเป็นที่รวมของน้ำหนักสุทธิของรายการ)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,โปรดสร้างบัญชีสำหรับคลังสินค้านี้และเชื่อมโยง นี้ไม่สามารถทำได้โดยอัตโนมัติเป็นบัญชีที่มีชื่อ {0} อยู่แล้ว
DocType: Sales Order,To Deliver and Bill,การส่งและบิล
DocType: Student Group,Instructors,อาจารย์ผู้สอน
DocType: GL Entry,Credit Amount in Account Currency,จำนวนเงินเครดิตสกุลเงินในบัญชี
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} จะต้องส่ง
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} จะต้องส่ง
DocType: Authorization Control,Authorization Control,ควบคุมการอนุมัติ
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},แถว # {0}: ปฏิเสธคลังสินค้ามีผลบังคับใช้กับปฏิเสธรายการ {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},แถว # {0}: ปฏิเสธคลังสินค้ามีผลบังคับใช้กับปฏิเสธรายการ {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,วิธีการชำระเงิน
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.",คลังสินค้า {0} ไม่ได้เชื่อมโยงกับบัญชีใด ๆ โปรดระบุบัญชีในบันทึกคลังสินค้าหรือตั้งค่าบัญชีพื้นที่เก็บข้อมูลเริ่มต้นใน บริษัท {1}
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,จัดการคำสั่งซื้อของคุณ
DocType: Production Order Operation,Actual Time and Cost,เวลาที่เกิดขึ้นจริงและค่าใช้จ่าย
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},ขอ วัสดุ สูงสุด {0} สามารถทำ รายการ {1} กับ การขายสินค้า {2}
-DocType: Employee,Salutation,ประณม
DocType: Course,Course Abbreviation,ชื่อย่อแน่นอน
DocType: Student Leave Application,Student Leave Application,แอพลิเคชันออกจากนักศึกษา
DocType: Item,Will also apply for variants,นอกจากนี้ยังจะใช้สำหรับสายพันธุ์
@@ -1824,12 +1837,12 @@
DocType: Quotation Item,Actual Qty,จำนวนจริง
DocType: Sales Invoice Item,References,อ้างอิง
DocType: Quality Inspection Reading,Reading 10,อ่าน 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",รายการสินค้า หรือบริการที่คุณ ซื้อหรือขาย ของคุณ
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",รายการสินค้า หรือบริการที่คุณ ซื้อหรือขาย ของคุณ
DocType: Hub Settings,Hub Node,Hub โหนด
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,คุณได้ป้อนรายการซ้ำกัน กรุณาแก้ไขและลองอีกครั้ง
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,ภาคี
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,ภาคี
DocType: Asset Movement,Asset Movement,การเคลื่อนไหวของสินทรัพย์
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,รถเข็นใหม่
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,รถเข็นใหม่
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,รายการที่ {0} ไม่ได้เป็นรายการ ต่อเนื่อง
DocType: SMS Center,Create Receiver List,สร้างรายการรับ
DocType: Vehicle,Wheels,ล้อ
@@ -1849,19 +1862,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',สามารถดู แถว เฉพาะในกรณีที่ ค่าใช้จ่าย ประเภทคือ ใน แถว หน้า จำนวน 'หรือ' แล้ว แถว รวม
DocType: Sales Order Item,Delivery Warehouse,คลังสินค้าจัดส่งสินค้า
DocType: SMS Settings,Message Parameter,พารามิเตอร์ข้อความ
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,ต้นไม้ของศูนย์ต้นทุนทางการเงิน
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,ต้นไม้ของศูนย์ต้นทุนทางการเงิน
DocType: Serial No,Delivery Document No,เอกสารจัดส่งสินค้าไม่มี
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},โปรดตั้ง 'บัญชี / ขาดทุนกำไรจากการขายสินทรัพย์ใน บริษัท {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,รับสินค้าจากการสั่งซื้อใบเสร็จรับเงิน
DocType: Serial No,Creation Date,วันที่สร้าง
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},รายการ {0} ปรากฏขึ้น หลายครั้งใน ราคาตามรายการ {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}",ขายจะต้องตรวจสอบถ้าใช้สำหรับการถูกเลือกเป็น {0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}",ขายจะต้องตรวจสอบถ้าใช้สำหรับการถูกเลือกเป็น {0}
DocType: Production Plan Material Request,Material Request Date,วันที่ขอใช้วัสดุ
DocType: Purchase Order Item,Supplier Quotation Item,รายการใบเสนอราคาของผู้ผลิต
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,ปิดการใช้งานการสร้างบันทึกเวลากับการสั่งซื้อการผลิต การดำเนินงานจะไม่ได้รับการติดตามกับใบสั่งผลิต
DocType: Student,Student Mobile Number,หมายเลขโทรศัพท์มือถือของนักเรียน
DocType: Item,Has Variants,มีหลากหลายรูปแบบ
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},คุณได้เลือกแล้วรายการจาก {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},คุณได้เลือกแล้วรายการจาก {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,ชื่อของการกระจายรายเดือน
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,ต้องใช้รหัสแบทช์
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,ต้องใช้รหัสแบทช์
@@ -1872,12 +1885,12 @@
DocType: Budget,Fiscal Year,ปีงบประมาณ
DocType: Vehicle Log,Fuel Price,ราคาน้ำมัน
DocType: Budget,Budget,งบประมาณ
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,รายการสินทรัพย์ถาวรจะต้องเป็นรายการที่ไม่สต็อก
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,รายการสินทรัพย์ถาวรจะต้องเป็นรายการที่ไม่สต็อก
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",งบประมาณไม่สามารถกำหนดกับ {0} เป็นมันไม่ได้เป็นบัญชีรายได้หรือค่าใช้จ่าย
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,ที่ประสบความสำเร็จ
DocType: Student Admission,Application Form Route,แบบฟอร์มใบสมัครเส้นทาง
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,มณฑล / ลูกค้า
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,เช่น 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,เช่น 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,การออกจากชนิด {0} ไม่สามารถได้รับการจัดสรรตั้งแต่มันถูกทิ้งไว้โดยไม่ต้องจ่าย
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},แถว {0}: จำนวนจัดสรร {1} ต้องน้อยกว่าหรือเท่ากับใบแจ้งหนี้ยอดคงค้าง {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,ในคำพูดของจะสามารถมองเห็นได้เมื่อคุณบันทึกใบแจ้งหนี้การขาย
@@ -1886,7 +1899,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,รายการที่ {0} ไม่ได้ ติดตั้ง สำหรับต้นแบบ อนุกรม Nos ได้ ตรวจสอบ รายการ
DocType: Maintenance Visit,Maintenance Time,ระยะเวลาการบำรุงรักษา
,Amount to Deliver,ปริมาณการส่ง
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,สินค้าหรือบริการ
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,สินค้าหรือบริการ
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,วันที่เริ่มวาระจะต้องไม่เร็วกว่าปีวันเริ่มต้นของปีการศึกษาที่คำว่ามีการเชื่อมโยง (ปีการศึกษา {}) โปรดแก้ไขวันและลองอีกครั้ง
DocType: Guardian,Guardian Interests,สนใจการ์เดียน
DocType: Naming Series,Current Value,ค่าปัจจุบัน
@@ -1901,12 +1914,12 @@
ต้องมากกว่าหรือเท่ากับ {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,นี้ขึ้นอยู่กับการเคลื่อนไหวของหุ้น ดู {0} สำหรับรายละเอียด
DocType: Pricing Rule,Selling,การขาย
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},จำนวน {0} {1} หักกับ {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},จำนวน {0} {1} หักกับ {2}
DocType: Employee,Salary Information,ข้อมูลเงินเดือน
DocType: Sales Person,Name and Employee ID,ชื่อและลูกจ้าง ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,วันที่ครบกำหนด ไม่สามารถ ก่อน วันที่ประกาศ
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,วันที่ครบกำหนด ไม่สามารถ ก่อน วันที่ประกาศ
DocType: Website Item Group,Website Item Group,กลุ่มสินค้าเว็บไซต์
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,หน้าที่ และภาษี
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,หน้าที่ และภาษี
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,กรุณากรอก วันที่ อ้างอิง
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} รายการชำระเงินไม่สามารถกรองโดย {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,ตารางสำหรับรายการที่จะแสดงในเว็บไซต์
@@ -1923,9 +1936,9 @@
DocType: Payment Reconciliation Payment,Reference Row,แถวอ้างอิง
DocType: Installation Note,Installation Time,เวลาติดตั้ง
DocType: Sales Invoice,Accounting Details,รายละเอียดบัญชี
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,ลบการทำธุรกรรมทั้งหมดของ บริษัท นี้
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,แถว #{0}: การดำเนินการ {1} ยังไม่เสร็จสมบูรณ์สำหรับ {2} จำนวนของสินค้าที่เสร็จแล้วตามคำสั่งผลิต # {3} โปรดปรับปรุงสถานะการทำงานผ่านทางบันทึกเวลา
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,เงินลงทุน
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,ลบการทำธุรกรรมทั้งหมดของ บริษัท นี้
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,แถว #{0}: การดำเนินการ {1} ยังไม่เสร็จสมบูรณ์สำหรับ {2} จำนวนของสินค้าที่เสร็จแล้วตามคำสั่งผลิต # {3} โปรดปรับปรุงสถานะการทำงานผ่านทางบันทึกเวลา
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,เงินลงทุน
DocType: Issue,Resolution Details,รายละเอียดความละเอียด
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,การจัดสรร
DocType: Item Quality Inspection Parameter,Acceptance Criteria,เกณฑ์การยอมรับ กําหนดเกณฑ์ การยอมรับ
@@ -1950,7 +1963,7 @@
DocType: Room,Room Name,ชื่อห้อง
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",ฝากไม่สามารถใช้ / ยกเลิกก่อน {0} เป็นสมดุลลาได้รับแล้วนำติดตัวส่งต่อไปในอนาคตอันลาบันทึกจัดสรร {1}
DocType: Activity Cost,Costing Rate,อัตราการคิดต้นทุน
-,Customer Addresses And Contacts,ที่อยู่ของลูกค้าและการติดต่อ
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,ที่อยู่ของลูกค้าและการติดต่อ
,Campaign Efficiency,ประสิทธิภาพแคมเปญ
,Campaign Efficiency,ประสิทธิภาพแคมเปญ
DocType: Discussion,Discussion,การสนทนา
@@ -1962,14 +1975,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),จำนวนเงินที่เรียกเก็บเงินรวม (ผ่านใบบันทึกเวลา)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,ซ้ำรายได้ของลูกค้า
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) ต้องมีสิทธิ์เป็น 'ผู้อนุมัติค่าใช้จ่าย'
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,คู่
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,เลือก BOM และจำนวนการผลิต
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,คู่
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,เลือก BOM และจำนวนการผลิต
DocType: Asset,Depreciation Schedule,กำหนดการค่าเสื่อมราคา
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,ที่อยู่และที่อยู่ติดต่อของฝ่ายขาย
DocType: Bank Reconciliation Detail,Against Account,กับบัญชี
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,ครึ่งวันวันควรอยู่ระหว่างนับจากวันและวันที่
DocType: Maintenance Schedule Detail,Actual Date,วันที่เกิดขึ้นจริง
DocType: Item,Has Batch No,ชุดมีไม่มี
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},การเรียกเก็บเงินประจำปี: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},การเรียกเก็บเงินประจำปี: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),ภาษีสินค้าและบริการ (GST India)
DocType: Delivery Note,Excise Page Number,หมายเลขหน้าสรรพสามิต
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory",บริษัท นับจากวันที่และวันที่มีผลบังคับใช้
DocType: Asset,Purchase Date,วันที่ซื้อ
@@ -1977,11 +1992,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},โปรดตั้ง 'ศูนย์สินทรัพย์ค่าเสื่อมราคาค่าใช้จ่ายใน บริษัท {0}
,Maintenance Schedules,กำหนดการบำรุงรักษา
DocType: Task,Actual End Date (via Time Sheet),ที่เกิดขึ้นจริงวันที่สิ้นสุด (ผ่านใบบันทึกเวลา)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},จำนวน {0} {1} กับ {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},จำนวน {0} {1} กับ {2} {3}
,Quotation Trends,ใบเสนอราคา แนวโน้ม
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},กลุ่มสินค้าไม่ได้กล่าวถึงในหลักรายการสำหรับรายการที่ {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,เดบิตในการบัญชีจะต้องเป็นบัญชีลูกหนี้
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},กลุ่มสินค้าไม่ได้กล่าวถึงในหลักรายการสำหรับรายการที่ {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,เดบิตในการบัญชีจะต้องเป็นบัญชีลูกหนี้
DocType: Shipping Rule Condition,Shipping Amount,จำนวนการจัดส่งสินค้า
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,เพิ่มลูกค้า
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,จำนวนเงินที่ รอดำเนินการ
DocType: Purchase Invoice Item,Conversion Factor,ปัจจัยการเปลี่ยนแปลง
DocType: Purchase Order,Delivered,ส่ง
@@ -1991,7 +2007,8 @@
DocType: Purchase Receipt,Vehicle Number,จำนวนยานพาหนะ
DocType: Purchase Invoice,The date on which recurring invoice will be stop,วันที่ใบแจ้งหนี้ที่เกิดขึ้นจะถูกหยุด
DocType: Employee Loan,Loan Amount,การกู้ยืมเงิน
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},แถว {0}: Bill of Materials ไม่พบรายการ {1}
+DocType: Program Enrollment,Self-Driving Vehicle,รถยนต์ขับเอง
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},แถว {0}: Bill of Materials ไม่พบรายการ {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,ใบจัดสรรรวม {0} ไม่สามารถจะน้อยกว่าการอนุมัติแล้วใบ {1} สําหรับงวด
DocType: Journal Entry,Accounts Receivable,ลูกหนี้
,Supplier-Wise Sales Analytics,ผู้ผลิต ฉลาด Analytics ขาย
@@ -2008,22 +2025,21 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,ค่าใช้จ่ายที่ เรียกร้อง คือการ รอการอนุมัติ เพียง แต่ผู้อนุมัติ ค่าใช้จ่าย สามารถอัปเดต สถานะ
DocType: Email Digest,New Expenses,ค่าใช้จ่ายใหม่
DocType: Purchase Invoice,Additional Discount Amount,จำนวนส่วนลดเพิ่มเติม
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",แถว # {0}: จำนวนต้องเป็น 1 เป็นรายการที่เป็นสินทรัพย์ถาวร โปรดใช้แถวแยกต่างหากสำหรับจำนวนหลาย
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",แถว # {0}: จำนวนต้องเป็น 1 เป็นรายการที่เป็นสินทรัพย์ถาวร โปรดใช้แถวแยกต่างหากสำหรับจำนวนหลาย
DocType: Leave Block List Allow,Leave Block List Allow,ฝากรายการบล็อกอนุญาตให้
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,เงื่อนไขที่ไม่สามารถเป็นที่ว่างเปล่าหรือพื้นที่
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,เงื่อนไขที่ไม่สามารถเป็นที่ว่างเปล่าหรือพื้นที่
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,กลุ่มที่ไม่ใช่กลุ่ม
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,กีฬา
DocType: Loan Type,Loan Name,ชื่อเงินกู้
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,ทั้งหมดที่เกิดขึ้นจริง
DocType: Student Siblings,Student Siblings,พี่น้องนักศึกษา
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,หน่วย
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,โปรดระบุ บริษัท
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,หน่วย
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,โปรดระบุ บริษัท
,Customer Acquisition and Loyalty,การซื้อ ของลูกค้าและ ความจงรักภักดี
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,คลังสินค้าที่คุณจะรักษาสต็อกของรายการปฏิเสธ
DocType: Production Order,Skip Material Transfer,ข้ามการถ่ายโอนวัสดุ
DocType: Production Order,Skip Material Transfer,ข้ามการถ่ายโอนวัสดุ
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,ไม่สามารถหาอัตราแลกเปลี่ยนสำหรับ {0} ถึง {1} สำหรับวันสำคัญ {2} โปรดสร้างบันทึกการแลกเปลี่ยนสกุลเงินด้วยตนเอง
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,ปี การเงินของคุณ จะสิ้นสุดลงใน
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,ไม่สามารถหาอัตราแลกเปลี่ยนสำหรับ {0} ถึง {1} สำหรับวันสำคัญ {2} โปรดสร้างบันทึกการแลกเปลี่ยนสกุลเงินด้วยตนเอง
DocType: POS Profile,Price List,บัญชีแจ้งราคาสินค้า
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} ตอนนี้เป็นปีงบประมาณเริ่มต้น กรุณารีเฟรชเบราว์เซอร์ ของคุณ สำหรับการเปลี่ยนแปลงที่จะมีผลบังคับใช้
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,ค่าใช้จ่ายในการเรียกร้อง
@@ -2036,14 +2052,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},สมดุลหุ้นใน Batch {0} จะกลายเป็นเชิงลบ {1} สำหรับรายการ {2} ที่โกดัง {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,ต่อไปนี้ขอวัสดุได้รับการยกโดยอัตโนมัติตามระดับสั่งซื้อใหม่ของรายการ
DocType: Email Digest,Pending Sales Orders,รอดำเนินการคำสั่งขาย
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},บัญชี {0} ไม่ถูกต้อง สกุลเงินในบัญชีจะต้องเป็น {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},บัญชี {0} ไม่ถูกต้อง สกุลเงินในบัญชีจะต้องเป็น {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},ปัจจัย UOM แปลง จะต้อง อยู่ในแถว {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","แถว # {0}: การอ้างอิงเอกสารชนิดต้องเป็นหนึ่งในการสั่งซื้อสินค้าขาย, การขายใบแจ้งหนี้หรือวารสารรายการ"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","แถว # {0}: การอ้างอิงเอกสารชนิดต้องเป็นหนึ่งในการสั่งซื้อสินค้าขาย, การขายใบแจ้งหนี้หรือวารสารรายการ"
DocType: Salary Component,Deduction,การหัก
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,แถว {0}: จากเวลาและต้องการเวลามีผลบังคับใช้
DocType: Stock Reconciliation Item,Amount Difference,จำนวนเงินที่แตกต่าง
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},รายการสินค้าเพิ่มสำหรับ {0} ในราคา {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},รายการสินค้าเพิ่มสำหรับ {0} ในราคา {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,กรุณากรอกพนักงาน Id นี้คนขาย
DocType: Territory,Classification of Customers by region,การจำแนกประเภทของลูกค้าตามภูมิภาค
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,ความแตกต่างจำนวนเงินต้องเป็นศูนย์
@@ -2055,21 +2071,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,หักรวม
,Production Analytics,Analytics ผลิต
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,ค่าใช้จ่ายในการปรับปรุง
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,ค่าใช้จ่ายในการปรับปรุง
DocType: Employee,Date of Birth,วันเกิด
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,รายการ {0} ได้รับ กลับมา แล้ว
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,รายการ {0} ได้รับ กลับมา แล้ว
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** ปีงบประมาณ ** หมายถึงปีทางการเงิน ทุกรายการบัญชีและการทำธุรกรรมอื่น ๆ ที่สำคัญมีการติดตามต่อปี ** ** การคลัง
DocType: Opportunity,Customer / Lead Address,ลูกค้า / ที่อยู่
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},คำเตือน: ใบรับรอง SSL ที่ไม่ถูกต้องในสิ่งที่แนบมา {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},คำเตือน: ใบรับรอง SSL ที่ไม่ถูกต้องในสิ่งที่แนบมา {0}
DocType: Student Admission,Eligibility,เหมาะ
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads",นำไปสู่การช่วยให้คุณได้รับธุรกิจเพิ่มรายชื่อทั้งหมดของคุณและมากขึ้นเป็นผู้นำของคุณ
DocType: Production Order Operation,Actual Operation Time,เวลาการดำเนินงานที่เกิดขึ้นจริง
DocType: Authorization Rule,Applicable To (User),ที่ใช้บังคับกับ (User)
DocType: Purchase Taxes and Charges,Deduct,หัก
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,รายละเอียดตำแหน่งงาน
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,รายละเอียดตำแหน่งงาน
DocType: Student Applicant,Applied,ประยุกต์
DocType: Sales Invoice Item,Qty as per Stock UOM,จำนวนตามสต็อก UOM
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,ชื่อ Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,ชื่อ Guardian2
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","อักขระพิเศษยกเว้น ""-"" ""."", ""#"" และ ""/"" ไม่ได้รับอนุญาตในการตั้งชื่อชุด"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.",ติดตามงานส่งเสริมการขาย ติดตามช่องทาง ใบเสนอราคา ใบสั่งขายต่างๆ ฯลฯ จากงานส่งเสริมการตลาดเพื่อวัดอัตราผลตอบแทนจากการลงทุน
DocType: Expense Claim,Approver,อนุมัติ
@@ -2080,8 +2096,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},อนุกรม ไม่มี {0} อยู่ภายใต้การ รับประกัน ไม่เกิน {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,แยกหมายเหตุจัดส่งสินค้าเข้าไปในแพคเกจ
apps/erpnext/erpnext/hooks.py +87,Shipments,การจัดส่ง
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,ยอดบัญชี ({0}) สำหรับ {1} และมูลค่าหุ้น ({2}) สำหรับคลังสินค้า {3} ต้องเหมือนกัน
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,ยอดบัญชี ({0}) สำหรับ {1} และมูลค่าหุ้น ({2}) สำหรับคลังสินค้า {3} ต้องเหมือนกัน
DocType: Payment Entry,Total Allocated Amount (Company Currency),รวมจัดสรร ( บริษัท สกุล)
DocType: Purchase Order Item,To be delivered to customer,ที่จะส่งมอบให้กับลูกค้า
DocType: BOM,Scrap Material Cost,ต้นทุนเศษวัสดุ
@@ -2089,21 +2103,22 @@
DocType: Purchase Invoice,In Words (Company Currency),ในคำ (สกุลเงิน บริษัท)
DocType: Asset,Supplier,ผู้จัดจำหน่าย
DocType: C-Form,Quarter,ไตรมาส
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,ค่าใช้จ่าย เบ็ดเตล็ด
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,ค่าใช้จ่าย เบ็ดเตล็ด
DocType: Global Defaults,Default Company,บริษัท เริ่มต้น
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ค่าใช้จ่าย หรือ ความแตกต่าง บัญชี มีผลบังคับใช้ กับ รายการ {0} ที่มัน มีผลกระทบต่อ มูลค่า หุ้น โดยรวม
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,ค่าใช้จ่าย หรือ ความแตกต่าง บัญชี มีผลบังคับใช้ กับ รายการ {0} ที่มัน มีผลกระทบต่อ มูลค่า หุ้น โดยรวม
DocType: Payment Request,PR,พีอาร์
DocType: Cheque Print Template,Bank Name,ชื่อธนาคาร
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,- ขึ้นไป
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,- ขึ้นไป
DocType: Employee Loan,Employee Loan Account,พนักงานบัญชีเงินกู้
DocType: Leave Application,Total Leave Days,วันที่เดินทางทั้งหมด
DocType: Email Digest,Note: Email will not be sent to disabled users,หมายเหตุ: อีเมล์ของคุณจะไม่ถูกส่งไปยังผู้ใช้คนพิการ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,จำนวนการโต้ตอบ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,จำนวนการโต้ตอบ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,รหัสรายการ> กลุ่มรายการ> แบรนด์
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,เลือก บริษัท ...
DocType: Leave Control Panel,Leave blank if considered for all departments,เว้นไว้หากพิจารณาให้หน่วยงานทั้งหมด
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).",ประเภท ของการจ้างงาน ( ถาวร สัญญา ฝึกงาน ฯลฯ )
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} ต้องระบุสำหรับ รายการ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} ต้องระบุสำหรับ รายการ {1}
DocType: Process Payroll,Fortnightly,รายปักษ์
DocType: Currency Exchange,From Currency,จากสกุลเงิน
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",กรุณาเลือกจำนวนเงินที่จัดสรรประเภทใบแจ้งหนี้และจำนวนใบแจ้งหนี้ในอย่างน้อยหนึ่งแถว
@@ -2126,7 +2141,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,กรุณา คลิกที่ 'สร้าง ตาราง ' ที่จะได้รับ ตารางเวลา
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,มีข้อผิดพลาดขณะลบตารางต่อไปนี้เป็น:
DocType: Bin,Ordered Quantity,จำนวนสั่ง
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","เช่น ""เครื่องมือการสร้างสำหรับผู้ก่อสร้าง """
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","เช่น ""เครื่องมือการสร้างสำหรับผู้ก่อสร้าง """
DocType: Grading Scale,Grading Scale Intervals,ช่วงการวัดผลการชั่ง
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: รายการบัญชีสำหรับ {2} สามารถทำในเฉพาะสกุลเงิน: {3}
DocType: Production Order,In Process,ในกระบวนการ
@@ -2141,12 +2156,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} กลุ่มนักเรียนสร้างขึ้น
DocType: Sales Invoice,Total Billing Amount,การเรียกเก็บเงินจำนวนเงินรวม
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,ต้องมีบัญชีเริ่มต้นเข้าอีเมล์เปิดการใช้งานสำหรับการทำงาน กรุณาตั้งค่าเริ่มต้นของบัญชีอีเมลขาเข้า (POP / IMAP) และลองอีกครั้ง
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,ลูกหนี้การค้า
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},แถว # {0}: สินทรัพย์ {1} อยู่แล้ว {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,ลูกหนี้การค้า
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},แถว # {0}: สินทรัพย์ {1} อยู่แล้ว {2}
DocType: Quotation Item,Stock Balance,ยอดคงเหลือสต็อก
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,ใบสั่งขายถึงการชำระเงิน
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,โปรดตั้งค่าชุดการตั้งชื่อสำหรับ {0} ผ่านการตั้งค่า> การตั้งค่า> การตั้งชื่อซีรี่ส์
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,ผู้บริหารสูงสุด
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,ผู้บริหารสูงสุด
DocType: Expense Claim Detail,Expense Claim Detail,รายละเอียดค่าใช้จ่ายสินไหม
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,กรุณาเลือกบัญชีที่ถูกต้อง
DocType: Item,Weight UOM,UOM น้ำหนัก
@@ -2155,12 +2169,12 @@
DocType: Production Order Operation,Pending,คาราคาซัง
DocType: Course,Course Name,หลักสูตรการอบรม
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,ผู้ใช้ที่สามารถอนุมัติพนักงานเฉพาะแอพพลิเคลา
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,อุปกรณ์ สำนักงาน
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,อุปกรณ์ สำนักงาน
DocType: Purchase Invoice Item,Qty,จำนวน
DocType: Fiscal Year,Companies,บริษัท
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,อิเล็กทรอนิกส์
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,ยกคำขอวัสดุเมื่อหุ้นถึงระดับใหม่สั่ง
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,เต็มเวลา
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,เต็มเวลา
DocType: Salary Structure,Employees,พนักงาน
DocType: Employee,Contact Details,รายละเอียดการติดต่อ
DocType: C-Form,Received Date,วันที่ได้รับ
@@ -2170,7 +2184,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,ราคาจะไม่แสดงถ้าราคาไม่ได้ตั้งค่า
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,โปรดระบุประเทศสำหรับกฎการจัดส่งสินค้านี้หรือตรวจสอบการจัดส่งสินค้าทั่วโลก
DocType: Stock Entry,Total Incoming Value,ค่าเข้ามาทั้งหมด
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,เดบิตในการที่จะต้อง
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,เดบิตในการที่จะต้อง
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team",Timesheets ช่วยให้การติดตามของเวลาค่าใช้จ่ายและการเรียกเก็บเงินสำหรับกิจกรรมที่ทำโดยทีมงานของคุณ
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,ซื้อราคา
DocType: Offer Letter Term,Offer Term,ระยะเวลาเสนอ
@@ -2179,17 +2193,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,กระทบยอดการชำระเงิน
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,กรุณา เลือกชื่อ Incharge บุคคล
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,เทคโนโลยี
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},รวมค้างชำระ: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},รวมค้างชำระ: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM การดำเนินงานเว็บไซต์
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,จดหมายเสนอ
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,สร้างคำขอวัสดุ (MRP) และคำสั่งการผลิต
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,รวมใบแจ้งหนี้ Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,รวมใบแจ้งหนี้ Amt
DocType: BOM,Conversion Rate,อัตราการแปลง
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,ค้นหาสินค้า
DocType: Timesheet Detail,To Time,ถึงเวลา
DocType: Authorization Rule,Approving Role (above authorized value),อนุมัติบทบาท (สูงกว่าค่าที่ได้รับอนุญาต)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,เครดิตการบัญชีจะต้องเป็นบัญชีเจ้าหนี้
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM เรียกซ้ำ : {0} ไม่สามารถ เป็นผู้ปกครอง หรือเด็ก ของ {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,เครดิตการบัญชีจะต้องเป็นบัญชีเจ้าหนี้
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM เรียกซ้ำ : {0} ไม่สามารถ เป็นผู้ปกครอง หรือเด็ก ของ {2}
DocType: Production Order Operation,Completed Qty,จำนวนเสร็จ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",มีบัญชีประเภทเดบิตเท่านั้น ที่สามารถเชื่อมโยงกับรายการประเภทเครดิต สำหรับ {0}
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,ราคา {0} ถูกปิดใช้งาน
@@ -2201,28 +2215,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} เลขหมายประจำเครื่องจำเป็นสำหรับรายการ {1} คุณได้ให้ {2}
DocType: Stock Reconciliation Item,Current Valuation Rate,อัตราการประเมินมูลค่าปัจจุบัน
DocType: Item,Customer Item Codes,ลูกค้ารหัสสินค้า
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,กำไรจากอัตราแลกเปลี่ยน / ขาดทุน
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,กำไรจากอัตราแลกเปลี่ยน / ขาดทุน
DocType: Opportunity,Lost Reason,เหตุผลที่สูญหาย
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,ที่อยู่ใหม่
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,ที่อยู่ใหม่
DocType: Quality Inspection,Sample Size,ขนาดของกลุ่มตัวอย่าง
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,กรุณากรอกเอกสารใบเสร็จรับเงิน
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,รายการทั้งหมดที่ ได้รับการ ออกใบแจ้งหนี้ แล้ว
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,รายการทั้งหมดที่ ได้รับการ ออกใบแจ้งหนี้ แล้ว
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',โปรดระบุที่ถูกต้อง 'จากคดีหมายเลข'
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,ศูนย์ต้นทุนเพิ่มเติมสามารถทำภายใต้กลุ่ม แต่รายการที่สามารถทำกับกลุ่มที่ไม่
DocType: Project,External,ภายนอก
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,ผู้ใช้และสิทธิ์
DocType: Vehicle Log,VLOG.,VLOG
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},ใบสั่งผลิตที่สร้างไว้: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},ใบสั่งผลิตที่สร้างไว้: {0}
DocType: Branch,Branch,สาขา
DocType: Guardian,Mobile Number,เบอร์มือถือ
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,การพิมพ์และ การสร้างแบรนด์
DocType: Bin,Actual Quantity,จำนวนที่เกิดขึ้นจริง
DocType: Shipping Rule,example: Next Day Shipping,ตัวอย่างเช่นการจัดส่งสินค้าวันถัดไป
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,ไม่มี Serial {0} ไม่พบ
-DocType: Scheduling Tool,Student Batch,ชุดนักศึกษา
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,ลูกค้าของคุณ
+DocType: Program Enrollment,Student Batch,ชุดนักศึกษา
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,ทำให้นักศึกษา
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},คุณได้รับเชิญที่จะทำงานร่วมกันในโครงการ: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},คุณได้รับเชิญที่จะทำงานร่วมกันในโครงการ: {0}
DocType: Leave Block List Date,Block Date,บล็อกวันที่
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,ลงทะเบียนเลย
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},จำนวนจริง {0} / รอจำนวน {1}
@@ -2232,7 +2245,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.",การสร้างและจัดการ รายวันรายสัปดาห์ และรายเดือน ย่อยสลาย ทางอีเมล์
DocType: Appraisal Goal,Appraisal Goal,เป้าหมายการประเมิน
DocType: Stock Reconciliation Item,Current Amount,จำนวนเงินในปัจจุบัน
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,สิ่งปลูกสร้าง
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,สิ่งปลูกสร้าง
DocType: Fee Structure,Fee Structure,โครงสร้างค่าธรรมเนียม
DocType: Timesheet Detail,Costing Amount,ต้นทุนปริมาณ
DocType: Student Admission,Application Fee,ค่าธรรมเนียมการสมัคร
@@ -2244,10 +2257,10 @@
DocType: POS Profile,[Select],[เลือก ]
DocType: SMS Log,Sent To,ส่งไปยัง
DocType: Payment Request,Make Sales Invoice,สร้างใบแจ้งหนี้
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,โปรแกรม
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,โปรแกรม
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,ถัดไปติดต่อวันที่ไม่สามารถอยู่ในอดีตที่ผ่านมา
DocType: Company,For Reference Only.,สำหรับการอ้างอิงเท่านั้น
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,เลือกแบทช์
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,เลือกแบทช์
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},ไม่ถูกต้อง {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,จำนวนล่วงหน้า
@@ -2257,15 +2270,15 @@
DocType: Employee,Employment Details,รายละเอียดการจ้างงาน
DocType: Employee,New Workplace,สถานที่ทำงานใหม่
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,ตั้งเป็นปิด
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},ไม่มีรายการ ที่มี บาร์โค้ด {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},ไม่มีรายการ ที่มี บาร์โค้ด {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,คดีหมายเลข ไม่สามารถ เป็น 0
DocType: Item,Show a slideshow at the top of the page,สไลด์โชว์ที่ด้านบนของหน้า
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,ร้านค้า
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,ร้านค้า
DocType: Serial No,Delivery Time,เวลาจัดส่งสินค้า
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,เอจจิ้ง อยู่ ที่
DocType: Item,End of Life,ในตอนท้ายของชีวิต
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,การเดินทาง
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,การเดินทาง
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,ไม่มีการใช้งานหรือเริ่มต้นโครงสร้างเงินเดือนของพนักงานพบ {0} สำหรับวันที่กำหนด
DocType: Leave Block List,Allow Users,อนุญาตให้ผู้ใช้งาน
DocType: Purchase Order,Customer Mobile No,มือถือของลูกค้าไม่มี
@@ -2274,29 +2287,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,ปรับปรุง ค่าใช้จ่าย
DocType: Item Reorder,Item Reorder,รายการ Reorder
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,สลิปเงินเดือนที่ต้องการแสดง
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,โอน วัสดุ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,โอน วัสดุ
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",ระบุการดำเนินการ ค่าใช้จ่าย ในการดำเนินงาน และให้การดำเนินการ ที่ไม่ซ้ำกัน ในการ ดำเนินงานของคุณ
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,เอกสารนี้เป็นเกินขีด จำกัด โดย {0} {1} สำหรับรายการ {4} คุณกำลังทำอีก {3} กับเดียวกัน {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,กรุณาตั้งค่าที่เกิดขึ้นหลังจากการบันทึก
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,บัญชีจำนวนเงินที่เลือกเปลี่ยน
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,เอกสารนี้เป็นเกินขีด จำกัด โดย {0} {1} สำหรับรายการ {4} คุณกำลังทำอีก {3} กับเดียวกัน {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,กรุณาตั้งค่าที่เกิดขึ้นหลังจากการบันทึก
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,บัญชีจำนวนเงินที่เลือกเปลี่ยน
DocType: Purchase Invoice,Price List Currency,สกุลเงินรายการราคา
DocType: Naming Series,User must always select,ผู้ใช้จะต้องเลือก
DocType: Stock Settings,Allow Negative Stock,อนุญาตให้สต็อกเชิงลบ
DocType: Installation Note,Installation Note,หมายเหตุการติดตั้ง
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,เพิ่ม ภาษี
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,เพิ่ม ภาษี
DocType: Topic,Topic,กระทู้
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,กระแสเงินสดจากการจัดหาเงินทุน
DocType: Budget Account,Budget Account,งบประมาณของบัญชี
DocType: Quality Inspection,Verified By,ตรวจสอบโดย
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",ไม่สามารถเปลี่ยน สกุลเงินเริ่มต้น ของ บริษัท เนื่องจากมี การทำธุรกรรม ที่มีอยู่ รายการที่ จะต้อง ยกเลิก การเปลี่ยน สกุลเงินเริ่มต้น
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",ไม่สามารถเปลี่ยน สกุลเงินเริ่มต้น ของ บริษัท เนื่องจากมี การทำธุรกรรม ที่มีอยู่ รายการที่ จะต้อง ยกเลิก การเปลี่ยน สกุลเงินเริ่มต้น
DocType: Grading Scale Interval,Grade Description,ชั้นประถมศึกษาปีคำอธิบาย
DocType: Stock Entry,Purchase Receipt No,หมายเลขใบเสร็จรับเงิน (ซื้อ)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,เงินมัดจำ
DocType: Process Payroll,Create Salary Slip,สร้างสลิปเงินเดือน
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,ตรวจสอบย้อนกลับ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),แหล่งที่มาของ เงินทุน ( หนี้สิน )
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},จำนวน ในแถว {0} ({1} ) จะต้อง เป็นเช่นเดียวกับ ปริมาณ การผลิต {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),แหล่งที่มาของ เงินทุน ( หนี้สิน )
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},จำนวน ในแถว {0} ({1} ) จะต้อง เป็นเช่นเดียวกับ ปริมาณ การผลิต {2}
DocType: Appraisal,Employee,ลูกจ้าง
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,เลือกแบทช์
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} ได้ถูกเรียกเก็บเงินเต็มจำนวน
DocType: Training Event,End Time,เวลาสิ้นสุด
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,โครงสร้างเงินเดือนที่ต้องการใช้งาน {0} พบพนักงาน {1} สำหรับวันที่กำหนด
@@ -2308,11 +2322,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,ต้องใช้ใน
DocType: Rename Tool,File to Rename,การเปลี่ยนชื่อไฟล์
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},กรุณาเลือก BOM สำหรับสินค้าในแถว {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},ระบุ BOM {0} ไม่อยู่สำหรับรายการ {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},บัญชี {0} ไม่ตรงกับ บริษัท {1} ในโหมดบัญชี: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},ระบุ BOM {0} ไม่อยู่สำหรับรายการ {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,ตาราง การบำรุงรักษา {0} ต้อง ถูกยกเลิก ก่อนที่จะ ยกเลิกการ สั่งซื้อการขาย นี้
DocType: Notification Control,Expense Claim Approved,เรียกร้องค่าใช้จ่ายที่ได้รับอนุมัติ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,สลิปเงินเดือนของพนักงาน {0} สร้างไว้แล้วสำหรับช่วงเวลานี้
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,เภสัชกรรม
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,เภสัชกรรม
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,ค่าใช้จ่ายของรายการที่ซื้อ
DocType: Selling Settings,Sales Order Required,สั่งซื้อยอดขายที่ต้องการ
DocType: Purchase Invoice,Credit To,เครดิต
@@ -2329,43 +2344,43 @@
DocType: Payment Gateway Account,Payment Account,บัญชีการชำระเงิน
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,โปรดระบุ บริษัท ที่จะดำเนินการ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,เปลี่ยนสุทธิในบัญชีลูกหนี้
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,ชดเชย ปิด
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,ชดเชย ปิด
DocType: Offer Letter,Accepted,ได้รับการยอมรับแล้ว
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,องค์กร
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,องค์กร
DocType: SG Creation Tool Course,Student Group Name,ชื่อกลุ่มนักศึกษา
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,โปรดตรวจสอบว่าคุณต้องการที่จะลบการทำธุรกรรมทั้งหมดของ บริษัท นี้ ข้อมูลหลักของคุณจะยังคงอยู่อย่างที่มันเป็น การดำเนินการนี้ไม่สามารถยกเลิกได้
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,โปรดตรวจสอบว่าคุณต้องการที่จะลบการทำธุรกรรมทั้งหมดของ บริษัท นี้ ข้อมูลหลักของคุณจะยังคงอยู่อย่างที่มันเป็น การดำเนินการนี้ไม่สามารถยกเลิกได้
DocType: Room,Room Number,หมายเลขห้อง
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},การอ้างอิงที่ไม่ถูกต้อง {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) ไม่สามารถกำหนดให้สูงกว่าปริมาณที่วางแผนไว้ ({2}) ในการสั่งผลิต {3}
DocType: Shipping Rule,Shipping Rule Label,ป้ายกฎการจัดส่งสินค้า
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,ผู้ใช้งานฟอรั่ม
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,วัตถุดิบไม่สามารถมีช่องว่าง
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","ไม่สามารถอัปเดสต็อก, ใบแจ้งหนี้ที่มีรายการการขนส่งลดลง"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,วัตถุดิบไม่สามารถมีช่องว่าง
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","ไม่สามารถอัปเดสต็อก, ใบแจ้งหนี้ที่มีรายการการขนส่งลดลง"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,วารสารรายการด่วน
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,คุณไม่สามารถเปลี่ยน อัตรา ถ้า BOM กล่าว agianst รายการใด ๆ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,คุณไม่สามารถเปลี่ยน อัตรา ถ้า BOM กล่าว agianst รายการใด ๆ
DocType: Employee,Previous Work Experience,ประสบการณ์การทำงานก่อนหน้า
DocType: Stock Entry,For Quantity,สำหรับจำนวน
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},กรุณากรอก จำนวน การ วางแผน รายการ {0} ที่ แถว {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} ยังไม่ได้ส่ง
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,ขอรายการ
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,เพื่อผลิตแยกจะถูกสร้างขึ้นสำหรับรายการที่ดีในแต่ละสำเร็จรูป
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} จะต้องติดลบในเอกสารตีกลับ
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} จะต้องติดลบในเอกสารตีกลับ
,Minutes to First Response for Issues,นาทีเพื่อตอบสนองแรกสำหรับปัญหา
DocType: Purchase Invoice,Terms and Conditions1,ข้อตกลงและ Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,ชื่อของสถาบันที่คุณมีการตั้งค่าระบบนี้
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,ชื่อของสถาบันที่คุณมีการตั้งค่าระบบนี้
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",รายการบัญชีแช่แข็งถึงวันนี้ไม่มีใครสามารถทำ / แก้ไขรายการยกเว้นบทบาทที่ระบุไว้ด้านล่าง
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,กรุณา บันทึกเอกสารก่อนที่จะ สร้าง ตารางการบำรุงรักษา
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,สถานะโครงการ
DocType: UOM,Check this to disallow fractions. (for Nos),ตรวจสอบนี้จะไม่อนุญาตให้เศษส่วน (สำหรับ Nos)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,คำสั่งซื้อการผลิตต่อไปนี้ถูกสร้าง:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,คำสั่งซื้อการผลิตต่อไปนี้ถูกสร้าง:
DocType: Student Admission,Naming Series (for Student Applicant),การตั้งชื่อชุด (สำหรับนักศึกษาสมัคร)
DocType: Delivery Note,Transporter Name,ชื่อ Transporter
DocType: Authorization Rule,Authorized Value,มูลค่าที่ได้รับอนุญาต
DocType: BOM,Show Operations,แสดงการดำเนินงาน
,Minutes to First Response for Opportunity,นาทีเพื่อตอบสนองแรกโอกาส
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,ขาดทั้งหมด
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,สินค้าหรือ โกดัง แถว {0} ไม่ตรงกับที่ ขอ วัสดุ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,สินค้าหรือ โกดัง แถว {0} ไม่ตรงกับที่ ขอ วัสดุ
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,หน่วยของการวัด
DocType: Fiscal Year,Year End Date,วันสิ้นปี
DocType: Task Depends On,Task Depends On,ขึ้นอยู่กับงาน
@@ -2465,11 +2480,11 @@
DocType: Asset,Manual,คู่มือ
DocType: Salary Component Account,Salary Component Account,บัญชีเงินเดือนตัวแทน
DocType: Global Defaults,Hide Currency Symbol,ซ่อนสัญลักษณ์สกุลเงิน
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","เช่น ธนาคาร, เงินสด, บัตรเครดิต"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","เช่น ธนาคาร, เงินสด, บัตรเครดิต"
DocType: Lead Source,Source Name,แหล่งที่มาของชื่อ
DocType: Journal Entry,Credit Note,หมายเหตุเครดิต
DocType: Warranty Claim,Service Address,ที่อยู่บริการ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,เฟอร์นิเจอร์และติดตั้ง
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,เฟอร์นิเจอร์และติดตั้ง
DocType: Item,Manufacture,ผลิต
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,กรุณาหมายเหตุการจัดส่งครั้งแรก
DocType: Student Applicant,Application Date,วันรับสมัคร
@@ -2479,7 +2494,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,โปรโมชั่น วันที่ ไม่ได้กล่าวถึง
apps/erpnext/erpnext/config/manufacturing.py +7,Production,การผลิต
DocType: Guardian,Occupation,อาชีพ
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,โปรดตั้งค่าระบบการตั้งชื่อพนักงานในทรัพยากรบุคคล> การตั้งค่าทรัพยากรบุคคล
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,แถว {0}: วันที่ เริ่มต้น ต้องอยู่ก่อน วันที่สิ้นสุด
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),รวม (จำนวน)
DocType: Sales Invoice,This Document,เอกสารฉบับนี้
@@ -2491,20 +2505,20 @@
DocType: Purchase Receipt,Time at which materials were received,เวลาที่ได้รับวัสดุ
DocType: Stock Ledger Entry,Outgoing Rate,อัตราการส่งออก
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,ปริญญาโท สาขา องค์กร
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,หรือ
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,หรือ
DocType: Sales Order,Billing Status,สถานะการเรียกเก็บเงิน
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,รายงาน ฉบับ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,ค่าใช้จ่ายใน ยูทิลิตี้
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,ค่าใช้จ่ายใน ยูทิลิตี้
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90-ขึ้นไป
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,แถว # {0}: วารสารรายการ {1} ไม่มีบัญชี {2} หรือมีอยู่แล้วจับคู่กับบัตรกำนัลอื่น
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,แถว # {0}: วารสารรายการ {1} ไม่มีบัญชี {2} หรือมีอยู่แล้วจับคู่กับบัตรกำนัลอื่น
DocType: Buying Settings,Default Buying Price List,รายการราคาซื้อเริ่มต้น
DocType: Process Payroll,Salary Slip Based on Timesheet,สลิปเงินเดือนจาก Timesheet
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,ไม่มีพนักงานสำหรับเกณฑ์ที่เลือกข้างต้นหรือสลิปเงินเดือนที่สร้างไว้แล้ว
DocType: Notification Control,Sales Order Message,ข้อความสั่งซื้อขาย
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",การตั้ง ค่าเริ่มต้น เช่น บริษัท สกุลเงิน ปัจจุบัน ปีงบประมาณ ฯลฯ
DocType: Payment Entry,Payment Type,ประเภท การชำระเงิน
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,โปรดเลือกแบทช์สำหรับรายการ {0} ไม่สามารถหาชุดงานเดี่ยวที่ตอบสนองความต้องการนี้ได้
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,โปรดเลือกแบทช์สำหรับรายการ {0} ไม่สามารถหาชุดงานเดี่ยวที่ตอบสนองความต้องการนี้ได้
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,โปรดเลือกแบทช์สำหรับรายการ {0} ไม่สามารถหาชุดงานเดี่ยวที่ตอบสนองความต้องการนี้ได้
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,โปรดเลือกแบทช์สำหรับรายการ {0} ไม่สามารถหาชุดงานเดี่ยวที่ตอบสนองความต้องการนี้ได้
DocType: Process Payroll,Select Employees,เลือกพนักงาน
DocType: Opportunity,Potential Sales Deal,ที่อาจเกิดขึ้น Deal ขาย
DocType: Payment Entry,Cheque/Reference Date,เช็ค / วันที่อ้างอิง
@@ -2524,7 +2538,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,เอกสารใบเสร็จรับเงินจะต้องส่ง
DocType: Purchase Invoice Item,Received Qty,จำนวนที่ได้รับ
DocType: Stock Entry Detail,Serial No / Batch,หมายเลขเครื่อง / ชุด
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,การชำระเงินไม่ได้และไม่ได้ส่งมอบ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,การชำระเงินไม่ได้และไม่ได้ส่งมอบ
DocType: Product Bundle,Parent Item,รายการหลัก
DocType: Account,Account Type,ประเภทบัญชี
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2539,25 +2553,24 @@
DocType: Bin,Reserved Quantity,จำนวนสงวน
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,โปรดป้อนที่อยู่อีเมลที่ถูกต้อง
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,โปรดป้อนที่อยู่อีเมลที่ถูกต้อง
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},ไม่มีหลักสูตรบังคับสำหรับโปรแกรม {0}
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},ไม่มีหลักสูตรบังคับสำหรับโปรแกรม {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,ซื้อสินค้าใบเสร็จรับเงิน
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,การปรับรูปแบบ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,arrear
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,arrear
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,จำนวนเงินค่าเสื่อมราคาในช่วงระยะเวลา
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,แม่แบบสำหรับผู้พิการจะต้องไม่เป็นแม่แบบเริ่มต้น
DocType: Account,Income Account,บัญชีรายได้
DocType: Payment Request,Amount in customer's currency,จำนวนเงินในสกุลเงินของลูกค้า
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,การจัดส่งสินค้า
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,การจัดส่งสินค้า
DocType: Stock Reconciliation Item,Current Qty,จำนวนปัจจุบัน
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",โปรดดูที่ "ค่าของวัสดุบนพื้นฐานของ" ต้นทุนในมาตรา
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,ก่อนหน้า
DocType: Appraisal Goal,Key Responsibility Area,พื้นที่ความรับผิดชอบหลัก
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students",ชุดนักศึกษาช่วยให้คุณติดตามการเข้าร่วมการประเมินและค่าธรรมเนียมสำหรับนักเรียน
DocType: Payment Entry,Total Allocated Amount,จำนวนเงินที่ได้รับจัดสรร
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,ตั้งค่าบัญชีพื้นที่โฆษณาเริ่มต้นสำหรับพื้นที่โฆษณาถาวร
DocType: Item Reorder,Material Request Type,ประเภทของการขอวัสดุ
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural วารสารรายการสำหรับเงินเดือนจาก {0} เป็น {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save",LocalStorage เต็มไม่ได้บันทึก
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save",LocalStorage เต็มไม่ได้บันทึก
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,แถว {0}: UOM ปัจจัยการแปลงมีผลบังคับใช้
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,อ้าง
DocType: Budget,Cost Center,ศูนย์ต้นทุน
@@ -2570,19 +2583,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",กฎการกำหนดราคาจะทำเพื่อแทนที่ราคาตามรายการ / กำหนดเปอร์เซ็นต์ส่วนลดขึ้นอยู่กับเงื่อนไขบางอย่าง
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,คลังสินค้า สามารถเปลี่ยนผ่านทาง รายการสต๊อก / บันทึกการส่งมอบ / ใบสั่งซื้อ
DocType: Employee Education,Class / Percentage,ระดับ / ร้อยละ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,หัวหน้าฝ่ายการตลาด และการขาย
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,ภาษีเงินได้
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,หัวหน้าฝ่ายการตลาด และการขาย
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,ภาษีเงินได้
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.",ถ้ากฎการกำหนดราคาที่เลือกจะทำเพื่อ 'ราคา' มันจะเขียนทับราคา กำหนดราคากฎเป็นราคาสุดท้ายจึงไม่มีส่วนลดต่อไปควรจะนำมาใช้ ดังนั้นในการทำธุรกรรมเช่นสั่งซื้อการขาย ฯลฯ สั่งซื้อจะถูกเรียกในสาขา 'อัตรา' มากกว่าข้อมูล 'ราคาอัตรา'
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,ติดตาม ช่องทาง ตามประเภทอุตสาหกรรม
DocType: Item Supplier,Item Supplier,ผู้ผลิตรายการ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,กรุณากรอก รหัสสินค้า ที่จะได้รับ ชุด ไม่
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},กรุณาเลือก ค่าสำหรับ {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,กรุณากรอก รหัสสินค้า ที่จะได้รับ ชุด ไม่
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},กรุณาเลือก ค่าสำหรับ {0} quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,ที่อยู่ทั้งหมด
DocType: Company,Stock Settings,การตั้งค่าหุ้น
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",การควบรวมจะเป็นไปได้ถ้าคุณสมบัติต่อไปนี้จะเหมือนกันทั้งในบันทึก เป็นกลุ่มประเภทราก บริษัท
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",การควบรวมจะเป็นไปได้ถ้าคุณสมบัติต่อไปนี้จะเหมือนกันทั้งในบันทึก เป็นกลุ่มประเภทราก บริษัท
DocType: Vehicle,Electric,ไฟฟ้า
DocType: Task,% Progress,% ความคืบหน้า
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,กำไร / ขาดทุนจากการขายสินทรัพย์
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,กำไร / ขาดทุนจากการขายสินทรัพย์
DocType: Training Event,Will send an email about the event to employees with status 'Open',จะส่งอีเมลเกี่ยวกับเหตุการณ์ที่ให้กับพนักงานที่มีสถานะ 'เปิด'
DocType: Task,Depends on Tasks,ขึ้นอยู่กับงาน
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,จัดการ กลุ่ม ลูกค้า ต้นไม้
@@ -2591,7 +2604,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,ใหม่ ชื่อ ศูนย์ต้นทุน
DocType: Leave Control Panel,Leave Control Panel,ฝากแผงควบคุม
DocType: Project,Task Completion,เสร็จงาน
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,ไม่ได้อยู่ในสต็อก
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,ไม่ได้อยู่ในสต็อก
DocType: Appraisal,HR User,ผู้ใช้งานทรัพยากรบุคคล
DocType: Purchase Invoice,Taxes and Charges Deducted,ภาษีและค่าบริการหัก
apps/erpnext/erpnext/hooks.py +116,Issues,ปัญหา
@@ -2602,22 +2615,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},ไม่มีสลิปเงินเดือนพบกันระหว่าง {0} และ {1}
,Pending SO Items For Purchase Request,รายการที่รอดำเนินการเพื่อให้ใบขอซื้อ
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,การรับสมัครนักศึกษา
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} ถูกปิดใช้งาน
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} ถูกปิดใช้งาน
DocType: Supplier,Billing Currency,สกุลเงินการเรียกเก็บเงิน
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,ขนาดใหญ่พิเศษ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,ขนาดใหญ่พิเศษ
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,ใบรวม
,Profit and Loss Statement,งบกำไรขาดทุน
DocType: Bank Reconciliation Detail,Cheque Number,จำนวนเช็ค
,Sales Browser,ขาย เบราว์เซอร์
DocType: Journal Entry,Total Credit,เครดิตรวม
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},คำเตือน: อีก {0} # {1} อยู่กับรายการหุ้น {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,ในประเทศ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,ในประเทศ
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),เงินให้กู้ยืม และ เงินทดรอง ( สินทรัพย์ )
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,ลูกหนี้
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,ใหญ่
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,ใหญ่
DocType: Homepage Featured Product,Homepage Featured Product,โฮมเพจสินค้าแนะนำ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,ทุกกลุ่มการประเมิน
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,ทุกกลุ่มการประเมิน
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,ชื่อคลังสินค้าใหม่
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),รวม {0} ({1})
DocType: C-Form Invoice Detail,Territory,อาณาเขต
@@ -2627,12 +2640,12 @@
DocType: Production Order Operation,Planned Start Time,เวลาเริ่มต้นการวางแผน
DocType: Course,Assessment,การประเมินผล
DocType: Payment Entry Reference,Allocated,จัดสรร
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,ปิด งบดุล และงบกำไร ขาดทุน หรือ หนังสือ
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,ปิด งบดุล และงบกำไร ขาดทุน หรือ หนังสือ
DocType: Student Applicant,Application Status,สถานะการสมัคร
DocType: Fees,Fees,ค่าธรรมเนียม
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,ระบุอัตราแลกเปลี่ยนการแปลงสกุลเงินหนึ่งไปยังอีก
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,ใบเสนอราคา {0} จะถูกยกเลิก
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,ยอดคงค้างทั้งหมด
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,ยอดคงค้างทั้งหมด
DocType: Sales Partner,Targets,เป้าหมาย
DocType: Price List,Price List Master,ราคาโท
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,ขายทำธุรกรรมทั้งหมดสามารถติดแท็กกับหลายบุคคลที่ขาย ** ** เพื่อให้คุณสามารถตั้งค่าและตรวจสอบเป้าหมาย
@@ -2676,12 +2689,12 @@
1 ที่อยู่และการติดต่อของ บริษัท ของคุณ"
DocType: Attendance,Leave Type,ฝากประเภท
DocType: Purchase Invoice,Supplier Invoice Details,ผู้ผลิตรายละเอียดใบแจ้งหนี้
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,ค่าใช้จ่ายบัญชี / แตกต่าง ({0}) จะต้องเป็นบัญชี 'กำไรหรือขาดทุน'
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,ค่าใช้จ่ายบัญชี / แตกต่าง ({0}) จะต้องเป็นบัญชี 'กำไรหรือขาดทุน'
DocType: Project,Copied From,คัดลอกจาก
DocType: Project,Copied From,คัดลอกจาก
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},ข้อผิดพลาดชื่อ: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,ความขาดแคลน
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} ไม่เชื่อมโยงกับ {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} ไม่เชื่อมโยงกับ {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,เข้าร่วม สำหรับพนักงาน {0} จะถูกทำเครื่องหมาย แล้ว
DocType: Packing Slip,If more than one package of the same type (for print),หากมีมากกว่าหนึ่งแพคเกจประเภทเดียวกัน (พิมพ์)
,Salary Register,เงินเดือนที่ต้องการสมัครสมาชิก
@@ -2699,22 +2712,23 @@
,Requested Qty,ขอ จำนวน
DocType: Tax Rule,Use for Shopping Cart,ใช้สำหรับรถเข็น
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},ราคา {0} สำหรับแอตทริบิวต์ {1} ไม่อยู่ในรายชื่อของรายการที่ถูกต้องแอตทริบิวต์ค่าสำหรับรายการ {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,เลือกหมายเลขผลิตภัณฑ์
DocType: BOM Item,Scrap %,เศษ%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection",ค่าใช้จ่ายจะถูกกระจายไปตามสัดส่วนในปริมาณรายการหรือจำนวนเงินตามที่คุณเลือก
DocType: Maintenance Visit,Purposes,วัตถุประสงค์
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,อย่างน้อยหนึ่งรายการที่ควรจะใส่ที่มีปริมาณเชิงลบในเอกสารกลับมา
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,อย่างน้อยหนึ่งรายการที่ควรจะใส่ที่มีปริมาณเชิงลบในเอกสารกลับมา
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations",การดำเนินงาน {0} นานกว่าชั่วโมงการทำงานใด ๆ ที่มีอยู่ในเวิร์กสเตชัน {1} ทำลายลงการดำเนินงานในการดำเนินงานหลาย
,Requested,ร้องขอ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,หมายเหตุไม่มี
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,หมายเหตุไม่มี
DocType: Purchase Invoice,Overdue,เกินกำหนด
DocType: Account,Stock Received But Not Billed,สินค้าที่ได้รับ แต่ไม่ได้เรียกเก็บ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,บัญชีรากจะต้องเป็นกลุ่ม
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,บัญชีรากจะต้องเป็นกลุ่ม
DocType: Fees,FEE.,ค่าธรรมเนียม
DocType: Employee Loan,Repaid/Closed,ชำระคืน / ปิด
DocType: Item,Total Projected Qty,รวมประมาณการจำนวน
DocType: Monthly Distribution,Distribution Name,ชื่อการแจกจ่าย
DocType: Course,Course Code,รหัสรายวิชา
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},การตรวจสอบคุณภาพ ที่จำเป็นสำหรับ รายการ {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},การตรวจสอบคุณภาพ ที่จำเป็นสำหรับ รายการ {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,อัตราที่สกุลเงินของลูกค้าจะถูกแปลงเป็นสกุลเงินหลักของ บริษัท
DocType: Purchase Invoice Item,Net Rate (Company Currency),อัตราการสุทธิ (บริษัท สกุลเงิน)
DocType: Salary Detail,Condition and Formula Help,เงื่อนไขและสูตรช่วยเหลือ
@@ -2727,27 +2741,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,โอนวัสดุสำหรับการผลิต
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,ร้อยละส่วนลดสามารถนำไปใช้อย่างใดอย่างหนึ่งกับราคาหรือราคาตามรายการทั้งหมด
DocType: Purchase Invoice,Half-yearly,รายหกเดือน
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,เข้าบัญชีสำหรับสต็อก
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,เข้าบัญชีสำหรับสต็อก
DocType: Vehicle Service,Engine Oil,น้ำมันเครื่อง
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,กรุณาติดตั้ง System Employee Naming System ใน Human Resource> HR Settings
DocType: Sales Invoice,Sales Team1,ขาย Team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,รายการที่ {0} ไม่อยู่
DocType: Sales Invoice,Customer Address,ที่อยู่ของลูกค้า
DocType: Employee Loan,Loan Details,รายละเอียดเงินกู้
+DocType: Company,Default Inventory Account,บัญชีพื้นที่โฆษณาเริ่มต้น
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,แถว {0}: เสร็จสมบูรณ์จำนวนจะต้องมากกว่าศูนย์
DocType: Purchase Invoice,Apply Additional Discount On,สมัครสมาชิกเพิ่มเติมส่วนลด
DocType: Account,Root Type,ประเภท ราก
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},แถว # {0}: ไม่สามารถกลับมามากกว่า {1} สำหรับรายการ {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},แถว # {0}: ไม่สามารถกลับมามากกว่า {1} สำหรับรายการ {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,พล็อต
DocType: Item Group,Show this slideshow at the top of the page,แสดงภาพสไลด์นี้ที่ด้านบนของหน้า
DocType: BOM,Item UOM,UOM รายการ
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),จํานวนเงินภาษีหลังจากที่จำนวนส่วนลด (บริษัท สกุลเงิน)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},คลังสินค้า เป้าหมาย จำเป็นสำหรับ แถว {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},คลังสินค้า เป้าหมาย จำเป็นสำหรับ แถว {0}
DocType: Cheque Print Template,Primary Settings,การตั้งค่าหลัก
DocType: Purchase Invoice,Select Supplier Address,เลือกที่อยู่ผู้ผลิต
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,เพิ่มพนักงาน
DocType: Purchase Invoice Item,Quality Inspection,การตรวจสอบคุณภาพ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,ขนาดเล็กเป็นพิเศษ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,ขนาดเล็กเป็นพิเศษ
DocType: Company,Standard Template,แม่แบบมาตรฐาน
DocType: Training Event,Theory,ทฤษฎี
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,คำเตือน: ขอ วัสดุ จำนวน น้อยกว่า จำนวน สั่งซื้อขั้นต่ำ
@@ -2755,7 +2771,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,นิติบุคคล / สาขา ที่มีผังบัญชีแยกกัน ภายใต้องค์กร
DocType: Payment Request,Mute Email,ปิดเสียงอีเมล์
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","อาหาร, เครื่องดื่ม และ ยาสูบ"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},สามารถชำระเงินยังไม่เรียกเก็บกับ {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},สามารถชำระเงินยังไม่เรียกเก็บกับ {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,อัตราค่านายหน้า ไม่สามารถ จะมากกว่า 100
DocType: Stock Entry,Subcontract,สัญญารับช่วง
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,กรุณากรอก {0} แรก
@@ -2768,18 +2784,18 @@
DocType: SMS Log,No of Sent SMS,ไม่มี SMS ที่ส่ง
DocType: Account,Expense Account,บัญชีค่าใช้จ่าย
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,ซอฟต์แวร์
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,สี
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,สี
DocType: Assessment Plan Criteria,Assessment Plan Criteria,เกณฑ์การประเมินผลแผน
DocType: Training Event,Scheduled,กำหนด
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,ขอใบเสนอราคา.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",กรุณาเลือกรายการที่ "เป็นสต็อกสินค้า" เป็น "ไม่" และ "ขายเป็นรายการ" คือ "ใช่" และไม่มีการ Bundle สินค้าอื่น ๆ
DocType: Student Log,Academic,วิชาการ
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ล่วงหน้ารวม ({0}) กับการสั่งซื้อ {1} ไม่สามารถจะสูงกว่าแกรนด์รวม ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),ล่วงหน้ารวม ({0}) กับการสั่งซื้อ {1} ไม่สามารถจะสูงกว่าแกรนด์รวม ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,เลือกการกระจายรายเดือนที่จะไม่สม่ำเสมอกระจายเป้าหมายข้ามเดือน
DocType: Purchase Invoice Item,Valuation Rate,อัตราการประเมิน
DocType: Stock Reconciliation,SR/,อาร์ /
DocType: Vehicle,Diesel,ดีเซล
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,สกุลเงิน ราคา ไม่ได้เลือก
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,สกุลเงิน ราคา ไม่ได้เลือก
,Student Monthly Attendance Sheet,นักศึกษาแผ่นเข้าร่วมประชุมรายเดือน
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},พนักงาน {0} ได้ใช้ แล้วสำหรับ {1} ระหว่าง {2} และ {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,วันที่เริ่มต้นโครงการ
@@ -2792,7 +2808,7 @@
DocType: BOM,Scrap,เศษ
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,การจัดการหุ้นส่วนขาย
DocType: Quality Inspection,Inspection Type,ประเภทการตรวจสอบ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,โกดังกับการทำธุรกรรมที่มีอยู่ไม่สามารถแปลงไปยังกลุ่ม
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,โกดังกับการทำธุรกรรมที่มีอยู่ไม่สามารถแปลงไปยังกลุ่ม
DocType: Assessment Result Tool,Result HTML,ผล HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,หมดอายุเมื่อวันที่
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,เพิ่มนักเรียน
@@ -2800,13 +2816,13 @@
DocType: C-Form,C-Form No,C-Form ไม่มี
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,เข้าร่วมประชุมที่ไม่มีเครื่องหมาย
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,นักวิจัย
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,นักวิจัย
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,โปรแกรมการลงทะเบียนเรียนเครื่องมือ
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,ชื่อหรืออีเมล์มีผลบังคับใช้
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,การตรวจสอบคุณภาพที่เข้ามา
DocType: Purchase Order Item,Returned Qty,จำนวนกลับ
DocType: Employee,Exit,ทางออก
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,ประเภท ราก มีผลบังคับใช้
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,ประเภท ราก มีผลบังคับใช้
DocType: BOM,Total Cost(Company Currency),ค่าใช้จ่ายรวม ( บริษัท สกุล)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,อนุกรม ไม่มี {0} สร้าง
DocType: Homepage,Company Description for website homepage,รายละเอียด บริษัท สำหรับหน้าแรกของเว็บไซต์
@@ -2815,7 +2831,7 @@
DocType: Sales Invoice,Time Sheet List,เวลารายการแผ่น
DocType: Employee,You can enter any date manually,คุณสามารถป้อนวันที่ได้ด้วยตนเอง
DocType: Asset Category Account,Depreciation Expense Account,บัญชีค่าเสื่อมราคาค่าใช้จ่าย
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,ระยะเวลาการฝึกงาน
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,ระยะเวลาการฝึกงาน
DocType: Customer Group,Only leaf nodes are allowed in transaction,โหนดใบเท่านั้นที่จะเข้าในการทำธุรกรรม
DocType: Expense Claim,Expense Approver,ค่าใช้จ่ายที่อนุมัติ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,แถว {0}: ล่วงหน้ากับลูกค้าจะต้องมีเครดิต
@@ -2829,10 +2845,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,ตารางหลักสูตรการลบ:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,บันทึกการรักษาสถานะการจัดส่งทาง SMS
DocType: Accounts Settings,Make Payment via Journal Entry,ชำระเงินผ่านวารสารรายการ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,พิมพ์บน
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,พิมพ์บน
DocType: Item,Inspection Required before Delivery,ตรวจสอบก่อนที่จะต้องจัดส่งสินค้า
DocType: Item,Inspection Required before Purchase,ตรวจสอบที่จำเป็นก่อนที่จะซื้อ
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,ที่รอดำเนินการกิจกรรม
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,องค์กรของคุณ
DocType: Fee Component,Fees Category,ค่าธรรมเนียมหมวดหมู่
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,กรุณากรอก วันที่ บรรเทา
apps/erpnext/erpnext/controllers/trends.py +149,Amt,amt
@@ -2842,9 +2859,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,สั่งซื้อใหม่ระดับ
DocType: Company,Chart Of Accounts Template,ผังบัญชีแม่แบบ
DocType: Attendance,Attendance Date,วันที่เข้าร่วม
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},รายการราคาปรับปรุงสำหรับ {0} ในราคา {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},รายการราคาปรับปรุงสำหรับ {0} ในราคา {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,การล่มสลายเงินเดือนขึ้นอยู่กับกำไรและหัก
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,บัญชีที่มี ต่อมน้ำเด็ก ไม่สามารถ แปลงเป็น บัญชีแยกประเภท
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,บัญชีที่มี ต่อมน้ำเด็ก ไม่สามารถ แปลงเป็น บัญชีแยกประเภท
DocType: Purchase Invoice Item,Accepted Warehouse,คลังสินค้าได้รับการยอมรับ
DocType: Bank Reconciliation Detail,Posting Date,โพสต์วันที่
DocType: Item,Valuation Method,วิธีการประเมิน
@@ -2853,14 +2870,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,รายการ ที่ซ้ำกัน
DocType: Program Enrollment Tool,Get Students,การรับนักเรียน
DocType: Serial No,Under Warranty,อยู่ภายในการรับประกัน
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[ข้อผิดพลาด]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[ข้อผิดพลาด]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,ในคำพูดของจะสามารถมองเห็นได้เมื่อคุณบันทึกการสั่งซื้อการขาย
,Employee Birthday,วันเกิดของพนักงาน
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,นักศึกษาเข้าร่วมชุดเครื่องมือ
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,จำกัด การข้าม
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,จำกัด การข้าม
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,บริษัท ร่วมทุน
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,ระยะทางวิชาการกับเรื่องนี้ 'ปีการศึกษา' {0} และ 'ระยะชื่อ' {1} อยู่แล้ว โปรดแก้ไขรายการเหล่านี้และลองอีกครั้ง
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}",เนื่องจากมีการทำธุรกรรมที่มีอยู่กับรายการ {0} คุณไม่สามารถเปลี่ยนค่าของ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}",เนื่องจากมีการทำธุรกรรมที่มีอยู่กับรายการ {0} คุณไม่สามารถเปลี่ยนค่าของ {1}
DocType: UOM,Must be Whole Number,ต้องเป็นจำนวนเต็ม
DocType: Leave Control Panel,New Leaves Allocated (In Days),ใบใหม่ที่จัดสรร (ในวัน)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,อนุกรม ไม่มี {0} ไม่อยู่
@@ -2869,6 +2886,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,จำนวนใบแจ้งหนี้
DocType: Shopping Cart Settings,Orders,คำสั่งซื้อ
DocType: Employee Leave Approver,Leave Approver,ฝากอนุมัติ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,โปรดเลือกแบทช์
DocType: Assessment Group,Assessment Group Name,ชื่อกลุ่มการประเมิน
DocType: Manufacturing Settings,Material Transferred for Manufacture,โอนวัสดุเพื่อการผลิต
DocType: Expense Claim,"A user with ""Expense Approver"" role","ผู้ใช้ที่มีบทบาท ""อนุมัติค่าใช้จ่าย"""
@@ -2878,9 +2896,10 @@
DocType: Target Detail,Target Detail,รายละเอียดเป้าหมาย
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,งานทั้งหมด
DocType: Sales Order,% of materials billed against this Sales Order,% ของวัสดุที่เรียกเก็บเงินเทียบกับคำสั่งขายนี้
+DocType: Program Enrollment,Mode of Transportation,โหมดการเดินทาง
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,ระยะเวลาการเข้าปิดบัญชี
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,ศูนย์ต้นทุน กับการทำธุรกรรม ที่มีอยู่ ไม่สามารถ แปลงเป็น กลุ่ม
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},จำนวน {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},จำนวน {0} {1} {2} {3}
DocType: Account,Depreciation,ค่าเสื่อมราคา
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),ผู้ผลิต (s)
DocType: Employee Attendance Tool,Employee Attendance Tool,เครื่องมือเข้าร่วมประชุมพนักงาน
@@ -2888,7 +2907,7 @@
DocType: Supplier,Credit Limit,วงเงินสินเชื่อ
DocType: Production Plan Sales Order,Salse Order Date,Salse วันที่สั่งซื้อ
DocType: Salary Component,Salary Component,เงินเดือนที่ต้องการตัวแทน
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,รายการชำระเงิน {0} ยกเลิกการเชื่อมโยง
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,รายการชำระเงิน {0} ยกเลิกการเชื่อมโยง
DocType: GL Entry,Voucher No,บัตรกำนัลไม่มี
,Lead Owner Efficiency,ประสิทธิภาพของเจ้าของตะกั่ว
,Lead Owner Efficiency,ประสิทธิภาพของเจ้าของตะกั่ว
@@ -2900,11 +2919,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,แม่ของข้อตกลงหรือสัญญา
DocType: Purchase Invoice,Address and Contact,ที่อยู่และการติดต่อ
DocType: Cheque Print Template,Is Account Payable,เป็นเจ้าหนี้
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},หุ้นไม่สามารถปรับปรุงกับใบเสร็จรับเงิน {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},หุ้นไม่สามารถปรับปรุงกับใบเสร็จรับเงิน {0}
DocType: Supplier,Last Day of the Next Month,วันสุดท้ายของเดือนถัดไป
DocType: Support Settings,Auto close Issue after 7 days,รถยนต์ใกล้ฉบับหลังจาก 7 วัน
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",ออกจากไม่สามารถได้รับการจัดสรรก่อน {0} เป็นสมดุลลาได้รับแล้วนำติดตัวส่งต่อไปในอนาคตอันลาบันทึกจัดสรร {1}
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),หมายเหตุ: เนื่องจาก / วันอ้างอิงเกินวันที่ได้รับอนุญาตให้เครดิตของลูกค้าโดย {0} วัน (s)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),หมายเหตุ: เนื่องจาก / วันอ้างอิงเกินวันที่ได้รับอนุญาตให้เครดิตของลูกค้าโดย {0} วัน (s)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,สมัครนักศึกษา
DocType: Asset Category Account,Accumulated Depreciation Account,บัญชีค่าเสื่อมราคาสะสม
DocType: Stock Settings,Freeze Stock Entries,ตรึงคอมเมนต์สินค้า
@@ -2913,36 +2932,36 @@
DocType: Activity Cost,Billing Rate,อัตราการเรียกเก็บเงิน
,Qty to Deliver,จำนวนที่จะส่งมอบ
,Stock Analytics,สต็อก Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,การดำเนินงานไม่สามารถเว้นว่าง
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,การดำเนินงานไม่สามารถเว้นว่าง
DocType: Maintenance Visit Purpose,Against Document Detail No,กับรายละเอียดของเอกสารเลขที่
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,ประเภทของบุคคลที่มีผลบังคับใช้
DocType: Quality Inspection,Outgoing,ขาออก
DocType: Material Request,Requested For,สำหรับ การร้องขอ
DocType: Quotation Item,Against Doctype,กับ ประเภทเอกสาร
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} ถูกยกเลิกหรือปิดแล้ว
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} ถูกยกเลิกหรือปิดแล้ว
DocType: Delivery Note,Track this Delivery Note against any Project,ติดตามการจัดส่งสินค้าหมายเหตุนี้กับโครงการใด ๆ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,เงินสดสุทธิจากการลงทุน
-,Is Primary Address,เป็นที่อยู่หลัก
DocType: Production Order,Work-in-Progress Warehouse,คลังสินค้าทำงานในความคืบหน้า
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,สินทรัพย์ {0} จะต้องส่ง
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},ผู้เข้าร่วมบันทึก {0} อยู่กับนักศึกษา {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},ผู้เข้าร่วมบันทึก {0} อยู่กับนักศึกษา {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},อ้างอิง # {0} วันที่ {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,ค่าเสื่อมราคาตัดออกเนื่องจากการจำหน่ายไปซึ่งสินทรัพย์
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,การจัดการที่อยู่
DocType: Asset,Item Code,รหัสสินค้า
DocType: Production Planning Tool,Create Production Orders,สร้างคำสั่งซื้อการผลิต
DocType: Serial No,Warranty / AMC Details,รายละเอียดการรับประกัน / AMC
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,เลือกนักเรียนด้วยตนเองสำหรับกลุ่มกิจกรรม
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,เลือกนักเรียนด้วยตนเองสำหรับกลุ่มกิจกรรม
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,เลือกนักเรียนด้วยตนเองสำหรับกลุ่มกิจกรรม
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,เลือกนักเรียนด้วยตนเองสำหรับกลุ่มกิจกรรม
DocType: Journal Entry,User Remark,หมายเหตุผู้ใช้
DocType: Lead,Market Segment,ส่วนตลาด
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},ที่เรียกชำระแล้วจำนวนเงินที่ไม่สามารถจะสูงกว่ายอดรวมที่โดดเด่นในเชิงลบ {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},ที่เรียกชำระแล้วจำนวนเงินที่ไม่สามารถจะสูงกว่ายอดรวมที่โดดเด่นในเชิงลบ {0}
DocType: Employee Internal Work History,Employee Internal Work History,ประวัติการทำงานของพนักงานภายใน
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),ปิด (Dr)
DocType: Cheque Print Template,Cheque Size,ขนาดเช็ค
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,อนุกรม ไม่มี {0} ไม่ได้อยู่ใน สต็อก
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,แม่แบบ ภาษี สำหรับการขาย ในการทำธุรกรรม
DocType: Sales Invoice,Write Off Outstanding Amount,เขียนปิดยอดคงค้าง
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},บัญชี {0} ไม่ตรงกับ บริษัท {1}
DocType: School Settings,Current Academic Year,ปีการศึกษาปัจจุบัน
DocType: School Settings,Current Academic Year,ปีการศึกษาปัจจุบัน
DocType: Stock Settings,Default Stock UOM,เริ่มต้น UOM สต็อก
@@ -2958,27 +2977,27 @@
DocType: Asset,Double Declining Balance,ยอดลดลงสองครั้ง
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,ปิดเพื่อไม่สามารถยกเลิกได้ Unclose ที่จะยกเลิก
DocType: Student Guardian,Father,พ่อ
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,ไม่สามารถตรวจสอบ 'การปรับสต๊อก' สำหรับการขายสินทรัพย์ถาวร
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,ไม่สามารถตรวจสอบ 'การปรับสต๊อก' สำหรับการขายสินทรัพย์ถาวร
DocType: Bank Reconciliation,Bank Reconciliation,กระทบยอดธนาคาร
DocType: Attendance,On Leave,ลา
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,ได้รับการปรับปรุง
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: บัญชี {2} ไม่ได้เป็นของ บริษัท {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,คำขอใช้วัสดุ {0} ถูกยกเลิก หรือ ระงับแล้ว
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,เพิ่มบันทึกไม่กี่ตัวอย่าง
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,เพิ่มบันทึกไม่กี่ตัวอย่าง
apps/erpnext/erpnext/config/hr.py +301,Leave Management,ออกจากการบริหารจัดการ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,จัดกลุ่มตามบัญชี
DocType: Sales Order,Fully Delivered,จัดส่งอย่างเต็มที่
DocType: Lead,Lower Income,รายได้ต่ำ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},แหล่งที่มาและ คลังสินค้า เป้าหมาย ไม่สามารถเป็น เหมือนกันสำหรับ แถว {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},แหล่งที่มาและ คลังสินค้า เป้าหมาย ไม่สามารถเป็น เหมือนกันสำหรับ แถว {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",บัญชีที่แตกต่างจะต้องเป็นสินทรัพย์ / รับผิดบัญชีประเภทตั้งแต่นี้กระทบยอดสต็อกเป็นรายการเปิด
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},การเบิกจ่ายจำนวนเงินที่ไม่สามารถจะสูงกว่าจำนวนเงินกู้ {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},จำนวน การสั่งซื้อ สินค้า ที่จำเป็นสำหรับ {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,ใบสั่งผลิตไม่ได้สร้าง
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},จำนวน การสั่งซื้อ สินค้า ที่จำเป็นสำหรับ {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,ใบสั่งผลิตไม่ได้สร้าง
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','จาก วันที่ ' ต้อง เป็นหลังจากที่ ' นัด '
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},ไม่สามารถเปลี่ยนสถานะเป็นนักเรียน {0} มีการเชื่อมโยงกับโปรแกรมนักเรียน {1}
DocType: Asset,Fully Depreciated,ค่าเสื่อมราคาหมด
,Stock Projected Qty,หุ้น ที่คาดการณ์ จำนวน
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},ลูกค้า {0} ไม่ได้อยู่ใน โครงการ {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},ลูกค้า {0} ไม่ได้อยู่ใน โครงการ {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,ผู้เข้าร่วมการทำเครื่องหมาย HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",ใบเสนอราคาข้อเสนอการเสนอราคาที่คุณส่งให้กับลูกค้าของคุณ
DocType: Sales Order,Customer's Purchase Order,การสั่งซื้อของลูกค้า
@@ -2987,8 +3006,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,ผลรวมของคะแนนของเกณฑ์การประเมินจะต้อง {0}
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,กรุณาตั้งค่าจำนวนค่าเสื่อมราคาจอง
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,ค่าหรือ จำนวน
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,สั่งซื้อโปรดักชั่นไม่สามารถยกขึ้นเพื่อ:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,นาที
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,สั่งซื้อโปรดักชั่นไม่สามารถยกขึ้นเพื่อ:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,นาที
DocType: Purchase Invoice,Purchase Taxes and Charges,ภาษีซื้อและค่าบริการ
,Qty to Receive,จำนวน การรับ
DocType: Leave Block List,Leave Block List Allowed,ฝากรายการบล็อกอนุญาตให้นำ
@@ -2996,25 +3015,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},การเรียกร้องค่าใช้จ่ายสำหรับยานพาหนะเข้าสู่ระบบ {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ส่วนลด (%) ของราคาตามราคาตลาด
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ส่วนลด (%) ของราคาตามราคาตลาด
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,โกดังทั้งหมด
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,โกดังทั้งหมด
DocType: Sales Partner,Retailer,พ่อค้าปลีก
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,เครดิตไปยังบัญชีจะต้องเป็นบัญชีงบดุล
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,เครดิตไปยังบัญชีจะต้องเป็นบัญชีงบดุล
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,ทุก ประเภท ของผู้ผลิต
DocType: Global Defaults,Disable In Words,ปิดการใช้งานในคำพูด
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,รหัสสินค้า ที่จำเป็น เพราะ สินค้า ไม่ เลขโดยอัตโนมัติ
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,รหัสสินค้า ที่จำเป็น เพราะ สินค้า ไม่ เลขโดยอัตโนมัติ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},ไม่ได้ ชนิดของ ใบเสนอราคา {0} {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,รายการกำหนดการซ่อมบำรุง
DocType: Sales Order,% Delivered,% จัดส่งแล้ว
DocType: Production Order,PRO-,มือโปร-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,บัญชี เงินเบิกเกินบัญชี ธนาคาร
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,บัญชี เงินเบิกเกินบัญชี ธนาคาร
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,สร้างสลิปเงินเดือน
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,แถว # {0}: จำนวนที่จัดสรรไว้ต้องไม่เกินยอดค้างชำระ
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,ดู BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,เงินให้กู้ยืม ที่มีหลักประกัน
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,เงินให้กู้ยืม ที่มีหลักประกัน
DocType: Purchase Invoice,Edit Posting Date and Time,แก้ไขวันที่โพสต์และเวลา
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},กรุณาตั้งค่าบัญชีที่เกี่ยวข้องกับค่าเสื่อมราคาสินทรัพย์ในหมวดหมู่ {0} หรือ บริษัท {1}
DocType: Academic Term,Academic Year,ปีการศึกษา
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,เปิดทุนคงเหลือ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,เปิดทุนคงเหลือ
DocType: Lead,CRM,การจัดการลูกค้าสัมพันธ์
DocType: Appraisal,Appraisal,การตีราคา
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},อีเมลที่ส่งถึงผู้จัดจำหน่าย {0}
@@ -3030,7 +3049,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,อนุมัติ บทบาท ไม่สามารถเป็น เช่นเดียวกับ บทบาทของ กฎใช้กับ
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,ยกเลิกการรับอีเมล์ Digest นี้
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,ข้อความส่งแล้ว
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,บัญชีที่มีโหนดลูกไม่สามารถกำหนดให้เป็นบัญชีแยกประเภท
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,บัญชีที่มีโหนดลูกไม่สามารถกำหนดให้เป็นบัญชีแยกประเภท
DocType: C-Form,II,ครั้งที่สอง
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,อัตราที่สกุลเงินรายการราคาจะถูกแปลงเป็นสกุลเงินหลักของลูกค้า
DocType: Purchase Invoice Item,Net Amount (Company Currency),ปริมาณสุทธิ (บริษัท สกุลเงิน)
@@ -3065,7 +3084,7 @@
DocType: Expense Claim,Approval Status,สถานะการอนุมัติ
DocType: Hub Settings,Publish Items to Hub,เผยแพร่รายการไปยัง Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},จากค่า ต้องน้อยกว่า ค่า ในแถว {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,โอนเงิน
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,โอนเงิน
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,ตรวจสอบทั้งหมด
DocType: Vehicle Log,Invoice Ref,Ref ใบแจ้งหนี้
DocType: Purchase Order,Recurring Order,การสั่งซื้อที่เกิดขึ้น
@@ -3078,19 +3097,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,การธนาคารและการชำระเงิน
,Welcome to ERPNext,ขอต้อนรับสู่ ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,นำไปสู่การเสนอราคา
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,ไม่มีอะไรมากที่จะแสดง
DocType: Lead,From Customer,จากลูกค้า
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,โทร
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,โทร
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,แบทช์
DocType: Project,Total Costing Amount (via Time Logs),จํานวนต้นทุนรวม (ผ่านบันทึกเวลา)
DocType: Purchase Order Item Supplied,Stock UOM,UOM สต็อก
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,สั่งซื้อ {0} ไม่ได้ ส่ง
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,สั่งซื้อ {0} ไม่ได้ ส่ง
DocType: Customs Tariff Number,Tariff Number,จำนวนภาษี
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,ที่คาดการณ์ไว้
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},อนุกรม ไม่มี {0} ไม่ได้อยู่ใน โกดัง {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,หมายเหตุ : ระบบ จะไม่ตรวจสอบ มากกว่าการ ส่งมอบและ มากกว่าการ จอง รายการ {0} เป็น ปริมาณ หรือจำนวน เป็น 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,หมายเหตุ : ระบบ จะไม่ตรวจสอบ มากกว่าการ ส่งมอบและ มากกว่าการ จอง รายการ {0} เป็น ปริมาณ หรือจำนวน เป็น 0
DocType: Notification Control,Quotation Message,ข้อความใบเสนอราคา
DocType: Employee Loan,Employee Loan Application,ขอกู้เงินของพนักงาน
DocType: Issue,Opening Date,เปิดวันที่
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,ผู้เข้าร่วมได้รับการประสบความสำเร็จในการทำเครื่องหมาย
+DocType: Program Enrollment,Public Transport,การคมนาคมสาธารณะ
DocType: Journal Entry,Remark,คำพูด
DocType: Purchase Receipt Item,Rate and Amount,อัตราและปริมาณ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},ประเภทบัญชีสำหรับ {0} 'จะต้อง {1}
@@ -3098,32 +3120,32 @@
DocType: School Settings,Current Academic Term,ระยะเวลาการศึกษาปัจจุบัน
DocType: School Settings,Current Academic Term,ระยะเวลาการศึกษาปัจจุบัน
DocType: Sales Order,Not Billed,ไม่ได้เรียกเก็บ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,ทั้ง คลังสินค้า ต้องอยู่ใน บริษัท เดียวกัน
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,ไม่มีที่ติดต่อเข้ามาเลย
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,ทั้ง คลังสินค้า ต้องอยู่ใน บริษัท เดียวกัน
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,ไม่มีที่ติดต่อเข้ามาเลย
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,ที่ดินจํานวนเงินค่าใช้จ่ายคูปอง
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,ตั๋วเงินยกโดยซัพพลายเออร์
DocType: POS Profile,Write Off Account,เขียนทันทีบัญชี
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,เดบิตหมายเหตุ Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,จำนวน ส่วนลด
DocType: Purchase Invoice,Return Against Purchase Invoice,กลับไปกับการซื้อใบแจ้งหนี้
DocType: Item,Warranty Period (in days),ระยะเวลารับประกัน (วัน)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,ความสัมพันธ์กับ Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,ความสัมพันธ์กับ Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,เงินสดจากการดำเนินงานสุทธิ
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,เช่น ภาษีมูลค่าเพิ่ม
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,เช่น ภาษีมูลค่าเพิ่ม
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,วาระที่ 4
DocType: Student Admission,Admission End Date,การรับสมัครวันที่สิ้นสุด
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,ย่อยทำสัญญา
DocType: Journal Entry Account,Journal Entry Account,วารสารบัญชีเข้า
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,กลุ่มนักศึกษา
DocType: Shopping Cart Settings,Quotation Series,ชุดใบเสนอราคา
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item",รายการที่มีอยู่ ที่มีชื่อเดียวกัน ({0}) กรุณาเปลี่ยนชื่อกลุ่ม รายการ หรือเปลี่ยนชื่อ รายการ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,กรุณาเลือกลูกค้า
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item",รายการที่มีอยู่ ที่มีชื่อเดียวกัน ({0}) กรุณาเปลี่ยนชื่อกลุ่ม รายการ หรือเปลี่ยนชื่อ รายการ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,กรุณาเลือกลูกค้า
DocType: C-Form,I,ผม
DocType: Company,Asset Depreciation Cost Center,สินทรัพย์ศูนย์ต้นทุนค่าเสื่อมราคา
DocType: Sales Order Item,Sales Order Date,วันที่สั่งซื้อขาย
DocType: Sales Invoice Item,Delivered Qty,จำนวนส่ง
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.",หากตรวจสอบเด็กทุกคนของรายการการผลิตแต่ละคนจะถูกรวมอยู่ในการร้องขอวัสดุ
DocType: Assessment Plan,Assessment Plan,แผนการประเมิน
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,คลังสินค้า {0}: บริษัท มีผลบังคับใช้
DocType: Stock Settings,Limit Percent,ร้อยละขีด จำกัด
,Payment Period Based On Invoice Date,ระยะเวลา ในการชำระเงิน ตาม ใบแจ้งหนี้ ใน วันที่
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},สกุลเงินที่หายไปอัตราแลกเปลี่ยนสำหรับ {0}
@@ -3135,7 +3157,7 @@
DocType: Vehicle,Insurance Details,รายละเอียดการประกันภัย
DocType: Account,Payable,ที่ต้องชำระ
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,กรุณากรอกระยะเวลาการชำระคืน
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),ลูกหนี้ ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),ลูกหนี้ ({0})
DocType: Pricing Rule,Margin,ขอบ
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,ลูกค้าใหม่
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,% กำไรขั้นต้น
@@ -3146,16 +3168,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,พรรคมีผลบังคับใช้
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,ชื่อกระทู้
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,อย่างน้อยต้องเลือกหนึ่งในการขาย หรือการซื้อ
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,เลือกลักษณะของธุรกิจของคุณ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,อย่างน้อยต้องเลือกหนึ่งในการขาย หรือการซื้อ
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,เลือกลักษณะของธุรกิจของคุณ
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},แถว # {0}: รายการซ้ำในเอกสารอ้างอิง {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,สถานที่ที่ดำเนินการผลิต
DocType: Asset Movement,Source Warehouse,คลังสินค้าที่มา
DocType: Installation Note,Installation Date,วันที่ติดตั้ง
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},แถว # {0}: สินทรัพย์ {1} ไม่ได้เป็นของ บริษัท {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},แถว # {0}: สินทรัพย์ {1} ไม่ได้เป็นของ บริษัท {2}
DocType: Employee,Confirmation Date,ยืนยัน วันที่
DocType: C-Form,Total Invoiced Amount,มูลค่าใบแจ้งหนี้รวม
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,นาที จำนวน ไม่สามารถ จะมากกว่า จำนวน สูงสุด
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,นาที จำนวน ไม่สามารถ จะมากกว่า จำนวน สูงสุด
DocType: Account,Accumulated Depreciation,ค่าเสื่อมราคาสะสม
DocType: Stock Entry,Customer or Supplier Details,ลูกค้าหรือผู้ผลิตรายละเอียด
DocType: Employee Loan Application,Required by Date,จำเป็นโดยวันที่
@@ -3176,22 +3198,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,การกระจายรายเดือนร้อยละ
DocType: Territory,Territory Targets,เป้าหมายดินแดน
DocType: Delivery Note,Transporter Info,ข้อมูลการขนย้าย
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},กรุณาตั้งค่าเริ่มต้น {0} ใน บริษัท {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},กรุณาตั้งค่าเริ่มต้น {0} ใน บริษัท {1}
DocType: Cheque Print Template,Starting position from top edge,ตำแหน่งเริ่มต้นจากขอบด้านบน
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,ผลิตเดียวกันได้รับการป้อนหลายครั้ง
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,กำไร/ขาดทุน ขั้นต้น
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,รายการสั่งซื้อที่จำหน่าย
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,ชื่อ บริษัท ที่ไม่สามารถเป็น บริษัท
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,ชื่อ บริษัท ที่ไม่สามารถเป็น บริษัท
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,หัว จดหมาย สำหรับการพิมพ์ แม่แบบ
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,ชื่อ แม่แบบ สำหรับการพิมพ์ เช่นผู้ Proforma Invoice
DocType: Student Guardian,Student Guardian,เดอะการ์เดียนักศึกษา
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,ค่าใช้จ่ายประเภทการประเมินไม่สามารถทำเครื่องหมายเป็น Inclusive
DocType: POS Profile,Update Stock,อัพเดทสต็อก
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,ผู้จัดจำหน่าย> ประเภทผู้จัดจำหน่าย
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM ที่แตกต่างกัน สำหรับรายการที่ จะ นำไปสู่การ ที่ไม่ถูกต้อง ( รวม ) ค่า น้ำหนักสุทธิ ให้แน่ใจว่า น้ำหนักสุทธิ ของแต่ละรายการ ที่อยู่ในUOM เดียวกัน
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,อัตรา BOM
DocType: Asset,Journal Entry for Scrap,วารสารรายการเศษ
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,กรุณา ดึง รายการจาก การจัดส่งสินค้า หมายเหตุ
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,รายการบันทึก {0} จะยกเลิกการเชื่อมโยง
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,รายการบันทึก {0} จะยกเลิกการเชื่อมโยง
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.",บันทึกการสื่อสารทั้งหมดของอีเมลประเภทโทรศัพท์แชทเข้าชม ฯลฯ
DocType: Manufacturer,Manufacturers used in Items,ผู้ผลิตนำมาใช้ในรายการ
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,กรุณาระบุรอบปิดศูนย์ต้นทุนของ บริษัท
@@ -3240,34 +3263,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,ผู้ผลิตมอบให้กับลูกค้า
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}] (แบบ # รายการ / / {0}) ไม่มีในสต๊อก
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,วันถัดไปจะต้องมากกว่าการโพสต์วันที่
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,แสดงภาษีผิดขึ้น
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},เนื่องจาก / วันอ้างอิงต้องไม่อยู่หลัง {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,แสดงภาษีผิดขึ้น
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},เนื่องจาก / วันอ้างอิงต้องไม่อยู่หลัง {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,ข้อมูลนำเข้าและส่งออก
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it",รายการสต็อกที่มีอยู่กับคลังสินค้า {0} ดังนั้นคุณจะไม่สามารถกำหนดหรือปรับเปลี่ยน
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,ไม่พบนักเรียน
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,ไม่พบนักเรียน
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,ใบแจ้งหนี้วันที่โพสต์
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,ขาย
DocType: Sales Invoice,Rounded Total,รวมกลม
DocType: Product Bundle,List items that form the package.,รายการที่สร้างแพคเกจ
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,ร้อยละ จัดสรร ควรจะเท่ากับ 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,กรุณาเลือกวันที่โพสต์ก่อนที่จะเลือกพรรค
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,กรุณาเลือกวันที่โพสต์ก่อนที่จะเลือกพรรค
DocType: Program Enrollment,School House,โรงเรียนบ้าน
DocType: Serial No,Out of AMC,ออกของ AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,โปรดเลือกใบเสนอราคา
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,โปรดเลือกใบเสนอราคา
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,โปรดเลือกใบเสนอราคา
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,โปรดเลือกใบเสนอราคา
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,จำนวนค่าเสื่อมราคาจองไม่สามารถจะสูงกว่าจำนวนค่าเสื่อมราคา
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,ทำให้ การบำรุงรักษา เยี่ยมชม
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,กรุณาติดต่อผู้ใช้ที่มีผู้จัดการฝ่ายขายโท {0} บทบาท
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,กรุณาติดต่อผู้ใช้ที่มีผู้จัดการฝ่ายขายโท {0} บทบาท
DocType: Company,Default Cash Account,บัญชีเงินสดเริ่มต้น
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,บริษัท (ไม่ใช่ ลูกค้า หรือ ซัพพลายเออร์ ) เจ้านาย
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,นี้ขึ้นอยู่กับการเข้าร่วมประชุมของนักศึกษานี้
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,ไม่มีนักเรียนเข้ามา
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,ไม่มีนักเรียนเข้ามา
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,เพิ่มรายการมากขึ้นหรือเต็มรูปแบบเปิด
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',"โปรดป้อน "" วันที่ส่ง ที่คาดหวัง '"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ใบนำส่งสินค้า {0} ต้องถูกยกเลิก ก่อนยกเลิกคำสั่งขายนี้
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,ชำระ เงิน + เขียน ปิด จำนวน ไม่สามารถ จะสูงกว่า แกรนด์ รวม
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,ชำระ เงิน + เขียน ปิด จำนวน ไม่สามารถ จะสูงกว่า แกรนด์ รวม
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} ไม่ได้เป็น จำนวน ชุดที่ถูกต้องสำหรับ รายการ {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},หมายเหตุ : มี ไม่ สมดุล เพียงพอสำหรับ การลา ออกจาก ประเภท {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN ไม่ถูกต้องหรือป้อน NA สำหรับที่ไม่ได้ลงทะเบียน
DocType: Training Event,Seminar,สัมมนา
DocType: Program Enrollment Fee,Program Enrollment Fee,ค่าลงทะเบียนหลักสูตร
DocType: Item,Supplier Items,ผู้ผลิตรายการ
@@ -3293,28 +3316,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,วาระที่ 3
DocType: Purchase Order,Customer Contact Email,อีเมล์ที่ใช้ติดต่อลูกค้า
DocType: Warranty Claim,Item and Warranty Details,รายการและรายละเอียดการรับประกัน
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,รหัสรายการ> กลุ่มสินค้า> แบรนด์
DocType: Sales Team,Contribution (%),สมทบ (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,หมายเหตุ : รายการ การชำระเงินจะ ไม่ได้รับการ สร้างขึ้นตั้งแต่ ' เงินสด หรือ บัญชี ธนาคาร ไม่ได้ระบุ
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,เลือกโปรแกรมเพื่อดึงข้อมูลหลักสูตรที่บังคับ
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,เลือกโปรแกรมเพื่อดึงข้อมูลหลักสูตรที่บังคับ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,ความรับผิดชอบ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,ความรับผิดชอบ
DocType: Expense Claim Account,Expense Claim Account,บัญชีค่าใช้จ่ายเรียกร้อง
DocType: Sales Person,Sales Person Name,ชื่อคนขาย
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,กรุณากรอก atleast 1 ใบแจ้งหนี้ ในตาราง
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,เพิ่มผู้ใช้
DocType: POS Item Group,Item Group,กลุ่มสินค้า
DocType: Item,Safety Stock,หุ้นที่ปลอดภัย
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,% ความคืบหน้าสำหรับงานไม่ได้มากกว่า 100
DocType: Stock Reconciliation Item,Before reconciliation,ก่อนที่จะกลับไปคืนดี
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},ไปที่ {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),ภาษีและค่าใช้จ่ายเพิ่ม (สกุลเงิน บริษัท )
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,รายการ แถว ภาษี {0} ต้องมีบัญชี ภาษี ประเภท หรือ รายได้ หรือ ค่าใช้จ่าย หรือ คิดค่าบริการได้
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,รายการ แถว ภาษี {0} ต้องมีบัญชี ภาษี ประเภท หรือ รายได้ หรือ ค่าใช้จ่าย หรือ คิดค่าบริการได้
DocType: Sales Order,Partly Billed,จำนวนมากที่สุดเป็นส่วนใหญ่
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,รายการ {0} จะต้องเป็นรายการสินทรัพย์ถาวร
DocType: Item,Default BOM,BOM เริ่มต้น
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,กรุณาชื่อ บริษัท อีกครั้งเพื่อยืนยันชนิด
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,รวมที่โดดเด่น Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,วงเงินเดบิตหมายเหตุ
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,กรุณาชื่อ บริษัท อีกครั้งเพื่อยืนยันชนิด
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,รวมที่โดดเด่น Amt
DocType: Journal Entry,Printing Settings,การตั้งค่าการพิมพ์
DocType: Sales Invoice,Include Payment (POS),รวมถึงการชำระเงิน (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},เดบิต รวม ต้องเท่ากับ เครดิต รวม
@@ -3328,16 +3348,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,มีสินค้า:
DocType: Notification Control,Custom Message,ข้อความที่กำหนดเอง
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,วาณิชธนกิจ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,เงินสดหรือ บัญชีธนาคาร มีผลบังคับใช้ สำหรับการทำ รายการ ชำระเงิน
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,ที่อยู่ของนักเรียน
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,ที่อยู่ของนักเรียน
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,เงินสดหรือ บัญชีธนาคาร มีผลบังคับใช้ สำหรับการทำ รายการ ชำระเงิน
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,กรุณาตั้งหมายเลขชุดสำหรับการเข้าร่วมประชุมผ่านทาง Setup> Numbering Series
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ที่อยู่ของนักเรียน
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,ที่อยู่ของนักเรียน
DocType: Purchase Invoice,Price List Exchange Rate,ราคาอัตราแลกเปลี่ยนรายชื่อ
DocType: Purchase Invoice Item,Rate,อัตรา
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,แพทย์ฝึกหัด
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,ชื่อที่อยู่
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,แพทย์ฝึกหัด
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,ชื่อที่อยู่
DocType: Stock Entry,From BOM,จาก BOM
DocType: Assessment Code,Assessment Code,รหัสการประเมิน
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,ขั้นพื้นฐาน
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,ขั้นพื้นฐาน
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,ก่อนที่จะทำธุรกรรมหุ้น {0} ถูกแช่แข็ง
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',กรุณา คลิกที่ 'สร้าง ตาราง '
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","เช่น กิโลกรัม, หน่วย, Nos, m"
@@ -3347,11 +3368,11 @@
DocType: Salary Slip,Salary Structure,โครงสร้างเงินเดือน
DocType: Account,Bank,ธนาคาร
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,สายการบิน
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,ฉบับวัสดุ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,ฉบับวัสดุ
DocType: Material Request Item,For Warehouse,สำหรับโกดัง
DocType: Employee,Offer Date,ข้อเสนอ วันที่
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,ใบเสนอราคา
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,คุณกำลังอยู่ในโหมดออฟไลน์ คุณจะไม่สามารถที่จะโหลดจนกว่าคุณจะมีเครือข่าย
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,คุณกำลังอยู่ในโหมดออฟไลน์ คุณจะไม่สามารถที่จะโหลดจนกว่าคุณจะมีเครือข่าย
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,ไม่มีกลุ่มนักศึกษาสร้าง
DocType: Purchase Invoice Item,Serial No,อนุกรมไม่มี
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,จำนวนเงินที่ชำระหนี้รายเดือนไม่สามารถจะสูงกว่าจำนวนเงินกู้
@@ -3359,8 +3380,8 @@
DocType: Purchase Invoice,Print Language,พิมพ์ภาษา
DocType: Salary Slip,Total Working Hours,รวมชั่วโมงทำงาน
DocType: Stock Entry,Including items for sub assemblies,รวมทั้งรายการสำหรับส่วนประกอบย่อย
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,ค่าใส่ต้องเป็นบวก
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,ดินแดน ทั้งหมด
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,ค่าใส่ต้องเป็นบวก
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,ดินแดน ทั้งหมด
DocType: Purchase Invoice,Items,รายการ
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,นักศึกษาลงทะเบียนเรียนแล้ว
DocType: Fiscal Year,Year Name,ชื่อปี
@@ -3379,10 +3400,10 @@
DocType: Issue,Opening Time,เปิดเวลา
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,จากและถึง วันที่คุณต้องการ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,หลักทรัพย์และ การแลกเปลี่ยน สินค้าโภคภัณฑ์
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',เริ่มต้นหน่วยวัดสำหรับตัวแปร '{0}' จะต้องเป็นเช่นเดียวกับในแม่แบบ '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',เริ่มต้นหน่วยวัดสำหรับตัวแปร '{0}' จะต้องเป็นเช่นเดียวกับในแม่แบบ '{1}'
DocType: Shipping Rule,Calculate Based On,การคำนวณพื้นฐานตาม
DocType: Delivery Note Item,From Warehouse,จากคลังสินค้า
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,ไม่มีรายการที่มี Bill of Materials การผลิต
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,ไม่มีรายการที่มี Bill of Materials การผลิต
DocType: Assessment Plan,Supervisor Name,ชื่อผู้บังคับบัญชา
DocType: Program Enrollment Course,Program Enrollment Course,หลักสูตรการลงทะเบียนเรียน
DocType: Program Enrollment Course,Program Enrollment Course,หลักสูตรการลงทะเบียนเรียน
@@ -3398,18 +3419,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,' ตั้งแต่ วันที่ สั่งซื้อ ล่าสุด ' ต้องมากกว่า หรือเท่ากับศูนย์
DocType: Process Payroll,Payroll Frequency,เงินเดือนความถี่
DocType: Asset,Amended From,แก้ไขเพิ่มเติมจาก
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,วัตถุดิบ
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,วัตถุดิบ
DocType: Leave Application,Follow via Email,ผ่านทางอีเมล์ตาม
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,พืชและไบ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,พืชและไบ
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,จำนวน ภาษี หลังจากที่ จำนวน ส่วนลด
DocType: Daily Work Summary Settings,Daily Work Summary Settings,การตั้งค่าการทำงานในชีวิตประจำวันอย่างย่อ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},สกุลเงินของรายการราคา {0} ไม่คล้ายกับสกุลเงินที่เลือก {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},สกุลเงินของรายการราคา {0} ไม่คล้ายกับสกุลเงินที่เลือก {1}
DocType: Payment Entry,Internal Transfer,โอนภายใน
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,บัญชีของเด็ก ที่มีอยู่ สำหรับบัญชีนี้ คุณไม่สามารถลบ บัญชีนี้
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,บัญชีของเด็ก ที่มีอยู่ สำหรับบัญชีนี้ คุณไม่สามารถลบ บัญชีนี้
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,ทั้ง จำนวน เป้าหมาย หรือจำนวน เป้าหมายที่ มีผลบังคับใช้
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},ไม่มี BOM เริ่มต้น แล้วสำหรับ รายการ {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},ไม่มี BOM เริ่มต้น แล้วสำหรับ รายการ {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,กรุณาเลือกวันที่โพสต์แรก
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,เปิดวันที่ควรเป็นก่อนที่จะปิดวันที่
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,โปรดตั้งค่าชุดการตั้งชื่อสำหรับ {0} ผ่านการตั้งค่า> การตั้งค่า> การตั้งชื่อซีรี่ส์
DocType: Leave Control Panel,Carry Forward,Carry Forward
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,ศูนย์ต้นทุน กับการทำธุรกรรม ที่มีอยู่ ไม่สามารถ แปลงเป็น บัญชีแยกประเภท
DocType: Department,Days for which Holidays are blocked for this department.,วันที่วันหยุดจะถูกบล็อกสำหรับแผนกนี้
@@ -3419,10 +3441,9 @@
DocType: Issue,Raised By (Email),โดยยก (อีเมล์)
DocType: Training Event,Trainer Name,ชื่อเทรนเนอร์
DocType: Mode of Payment,General,ทั่วไป
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,แนบ จดหมาย
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,การสื่อสารครั้งล่าสุด
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',ไม่ สามารถหัก เมื่อ เป็น หมวดหมู่ สำหรับ ' ประเมิน ' หรือ ' การประเมิน และการ รวม
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",ชื่อหัวภาษีของคุณ (เช่นภาษีมูลค่าเพิ่มศุลกากร ฯลฯ พวกเขาควรจะมีชื่อไม่ซ้ำกัน) และอัตรามาตรฐานของพวกเขา นี้จะสร้างแม่แบบมาตรฐานซึ่งคุณสามารถแก้ไขและเพิ่มมากขึ้นในภายหลัง
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",ชื่อหัวภาษีของคุณ (เช่นภาษีมูลค่าเพิ่มศุลกากร ฯลฯ พวกเขาควรจะมีชื่อไม่ซ้ำกัน) และอัตรามาตรฐานของพวกเขา นี้จะสร้างแม่แบบมาตรฐานซึ่งคุณสามารถแก้ไขและเพิ่มมากขึ้นในภายหลัง
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},อนุกรม Nos จำเป็นสำหรับ รายการ เนื่อง {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,การชำระเงินการแข่งขันกับใบแจ้งหนี้
DocType: Journal Entry,Bank Entry,ธนาคารเข้า
@@ -3431,16 +3452,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,ใส่ในรถเข็น
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,กลุ่มตาม
DocType: Guardian,Interests,ความสนใจ
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,เปิด / ปิดการใช้งาน สกุลเงิน
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,เปิด / ปิดการใช้งาน สกุลเงิน
DocType: Production Planning Tool,Get Material Request,ได้รับวัสดุที่ขอ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,ค่าใช้จ่าย ไปรษณีย์
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,ค่าใช้จ่าย ไปรษณีย์
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),รวม (Amt)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,บันเทิงและ การพักผ่อน
DocType: Quality Inspection,Item Serial No,รายการ Serial No.
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,สร้างประวัติพนักงาน
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,ปัจจุบันทั้งหมด
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,รายการบัญชี
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,ชั่วโมง
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,ชั่วโมง
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,ใหม่ หมายเลขเครื่อง ไม่สามารถมี คลังสินค้า คลังสินค้า จะต้องตั้งค่า โดย สต็อก รายการ หรือ รับซื้อ
DocType: Lead,Lead Type,ชนิดช่องทาง
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,คุณไม่ได้รับอนุญาตในการอนุมัติใบในวันที่ถูกบล็อก
@@ -3452,6 +3473,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,BOM ใหม่หลังจากเปลี่ยน
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,จุดขาย
DocType: Payment Entry,Received Amount,จำนวนเงินที่ได้รับ
+DocType: GST Settings,GSTIN Email Sent On,ส่งอีเมล GSTIN แล้ว
+DocType: Program Enrollment,Pick/Drop by Guardian,เลือก / วางโดย Guardian
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order",สร้างปริมาณเต็มรูปแบบโดยไม่คำนึงถึงปริมาณที่มีอยู่แล้วในการสั่งซื้อ
DocType: Account,Tax,ภาษี
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,ไม่ได้ทำเครื่องหมาย
@@ -3465,7 +3488,7 @@
DocType: Batch,Source Document Name,ชื่อเอกสารต้นทาง
DocType: Job Opening,Job Title,ตำแหน่งงาน
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,สร้างผู้ใช้
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,กรัม
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,กรัม
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,ปริมาณการผลิตจะต้องมากกว่า 0
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,เยี่ยมชมรายงานสำหรับการบำรุงรักษาโทร
DocType: Stock Entry,Update Rate and Availability,ปรับปรุงอัตราและความพร้อมใช้งาน
@@ -3473,7 +3496,7 @@
DocType: POS Customer Group,Customer Group,กลุ่มลูกค้า
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),รหัสแบทช์ใหม่ (ไม่บังคับ)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),รหัสแบทช์ใหม่ (ไม่บังคับ)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},บัญชีค่าใช้จ่าย ที่จำเป็น สำหรับรายการที่ {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},บัญชีค่าใช้จ่าย ที่จำเป็น สำหรับรายการที่ {0}
DocType: BOM,Website Description,คำอธิบายเว็บไซต์
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,เปลี่ยนสุทธิในส่วนของ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,กรุณายกเลิกการซื้อใบแจ้งหนี้ {0} แรก
@@ -3483,8 +3506,8 @@
,Sales Register,ขายสมัครสมาชิก
DocType: Daily Work Summary Settings Company,Send Emails At,ส่งอีเมล์ที่
DocType: Quotation,Quotation Lost Reason,ใบเสนอราคา Lost เหตุผล
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,เลือกโดเมนของคุณ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},การอ้างอิงการทำธุรกรรมไม่มี {0} วันที่ {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,เลือกโดเมนของคุณ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},การอ้างอิงการทำธุรกรรมไม่มี {0} วันที่ {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,ไม่มีอะไรที่จะ แก้ไข คือ
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,สรุปในเดือนนี้และกิจกรรมที่อยู่ระหว่างดำเนินการ
DocType: Customer Group,Customer Group Name,ชื่อกลุ่มลูกค้า
@@ -3492,14 +3515,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,งบกระแสเงินสด
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},วงเงินกู้ไม่เกินจำนวนเงินกู้สูงสุดของ {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,การอนุญาต
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},กรุณาลบนี้ใบแจ้งหนี้ {0} จาก C-แบบฟอร์ม {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},กรุณาลบนี้ใบแจ้งหนี้ {0} จาก C-แบบฟอร์ม {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,เลือกดำเนินการต่อถ้าคุณยังต้องการที่จะรวมถึงความสมดุลในปีงบประมาณก่อนหน้านี้ออกไปในปีงบการเงิน
DocType: GL Entry,Against Voucher Type,กับประเภทบัตร
DocType: Item,Attributes,คุณลักษณะ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,กรุณากรอกตัวอักษร เขียน ปิด บัญชี
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,กรุณากรอกตัวอักษร เขียน ปิด บัญชี
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,วันที่สั่งซื้อล่าสุด
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},บัญชี {0} ไม่ได้เป็นของ บริษัท {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,หมายเลขซีเรียลในแถว {0} ไม่ตรงกับหมายเหตุการจัดส่ง
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,หมายเลขซีเรียลในแถว {0} ไม่ตรงกับหมายเหตุการจัดส่ง
DocType: Student,Guardian Details,รายละเอียดผู้ปกครอง
DocType: C-Form,C-Form,C-Form
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,มาร์คเข้าร่วมสำหรับพนักงานหลาย
@@ -3514,16 +3537,16 @@
DocType: Budget Account,Budget Amount,จำนวนงบประมาณ
DocType: Appraisal Template,Appraisal Template Title,หัวข้อแม่แบบประเมิน
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},จากวันที่ {0} สำหรับพนักงาน {1} ไม่สามารถก่อนที่พนักงานเข้าร่วมวันที่ {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,เชิงพาณิชย์
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,เชิงพาณิชย์
DocType: Payment Entry,Account Paid To,บัญชีชำระเงิน
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,ผู้ปกครองรายการ {0} ต้องไม่เป็นรายการสต็อก
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,ผลิตภัณฑ์หรือบริการ ทั้งหมด
DocType: Expense Claim,More Details,รายละเอียดเพิ่มเติม
DocType: Supplier Quotation,Supplier Address,ที่อยู่ผู้ผลิต
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} งบประมาณสำหรับบัญชี {1} กับ {2} {3} คือ {4} บัญชีจะเกินโดย {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',แถว {0} # บัญชีต้องเป็นชนิด 'สินทรัพย์ถาวร'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,ออก จำนวน
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,กฎระเบียบในการคำนวณปริมาณการขนส่งสินค้าสำหรับการขาย
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',แถว {0} # บัญชีต้องเป็นชนิด 'สินทรัพย์ถาวร'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,ออก จำนวน
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,กฎระเบียบในการคำนวณปริมาณการขนส่งสินค้าสำหรับการขาย
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,ชุด มีผลบังคับใช้
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,บริการทางการเงิน
DocType: Student Sibling,Student ID,รหัสนักศึกษา
@@ -3531,13 +3554,13 @@
DocType: Tax Rule,Sales,ขาย
DocType: Stock Entry Detail,Basic Amount,จํานวนเงินขั้นพื้นฐาน
DocType: Training Event,Exam,การสอบ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},คลังสินค้า ที่จำเป็นสำหรับ รายการ หุ้น {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},คลังสินค้า ที่จำเป็นสำหรับ รายการ หุ้น {0}
DocType: Leave Allocation,Unused leaves,ใบที่ไม่ได้ใช้
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,รัฐเรียกเก็บเงิน
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,โอน
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} ไม่ได้เชื่อมโยงกับบัญชี {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),เรียก BOM ระเบิด (รวมถึงการ ประกอบย่อย )
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} ไม่ได้เชื่อมโยงกับบัญชี {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),เรียก BOM ระเบิด (รวมถึงการ ประกอบย่อย )
DocType: Authorization Rule,Applicable To (Employee),ที่ใช้บังคับกับ (พนักงาน)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,วันที่ครบกำหนดมีผลบังคับใช้
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,เพิ่มสำหรับแอตทริบิวต์ {0} ไม่สามารถเป็น 0
@@ -3565,7 +3588,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,วัสดุดิบรหัสสินค้า
DocType: Journal Entry,Write Off Based On,เขียนปิดขึ้นอยู่กับ
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,ทำให้ตะกั่ว
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,พิมพ์และเครื่องเขียน
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,พิมพ์และเครื่องเขียน
DocType: Stock Settings,Show Barcode Field,แสดงฟิลด์บาร์โค้ด
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,ส่งอีเมลผู้ผลิต
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",เงินเดือนที่ต้องการการประมวลผลแล้วสำหรับรอบระยะเวลาระหว่าง {0} และ {1} ฝากรับสมัครไม่สามารถอยู่ระหว่างช่วงวันที่นี้
@@ -3573,14 +3596,16 @@
DocType: Guardian Interest,Guardian Interest,ผู้ปกครองที่น่าสนใจ
apps/erpnext/erpnext/config/hr.py +177,Training,การอบรม
DocType: Timesheet,Employee Detail,รายละเอียดการทำงานของพนักงาน
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,รหัสอีเมล Guardian1
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,รหัสอีเมล Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,รหัสอีเมล Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,รหัสอีเมล Guardian1
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,วันวันถัดไปและทำซ้ำในวันเดือนจะต้องเท่ากัน
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,การตั้งค่าสำหรับหน้าแรกของเว็บไซต์
DocType: Offer Letter,Awaiting Response,รอการตอบสนอง
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,สูงกว่า
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,สูงกว่า
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},แอตทริบิวต์ไม่ถูกต้อง {0} {1}
DocType: Supplier,Mention if non-standard payable account,พูดถึงบัญชีที่ต้องชำระเงินที่ไม่ได้มาตรฐาน
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},มีการป้อนรายการเดียวกันหลายครั้ง {รายการ}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',โปรดเลือกกลุ่มการประเมินอื่นนอกเหนือจาก 'กลุ่มการประเมินทั้งหมด'
DocType: Salary Slip,Earning & Deduction,รายได้และการหัก
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,ไม่จำเป็น การตั้งค่านี้ จะถูก ใช้ในการกรอง ในการทำธุรกรรม ต่างๆ
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,อัตรา การประเมิน เชิงลบ ไม่ได้รับอนุญาต
@@ -3594,9 +3619,9 @@
DocType: Sales Invoice,Product Bundle Help,Bundle สินค้าช่วยเหลือ
,Monthly Attendance Sheet,แผ่นผู้เข้าร่วมรายเดือน
DocType: Production Order Item,Production Order Item,การผลิตรายการสั่งซื้อ
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,บันทึกไม่พบ
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,บันทึกไม่พบ
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,ราคาทุนของสินทรัพย์ทะเลาะวิวาท
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: จำเป็นต้องระบุศูนย์ต้นทุนสำหรับรายการ {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: จำเป็นต้องระบุศูนย์ต้นทุนสำหรับรายการ {2}
DocType: Vehicle,Policy No,ไม่มีนโยบาย
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,รับรายการจาก Bundle สินค้า
DocType: Asset,Straight Line,เส้นตรง
@@ -3605,7 +3630,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,แยก
DocType: GL Entry,Is Advance,ล่วงหน้า
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,เข้าร่วมประชุม จาก วันที่และ การเข้าร่วมประชุม เพื่อให้ มีผลบังคับใช้ วันที่
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,กรุณากรอก ' คือ รับเหมา ' เป็น ใช่หรือไม่ใช่
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,กรุณากรอก ' คือ รับเหมา ' เป็น ใช่หรือไม่ใช่
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,วันที่ผ่านรายการล่าสุด
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,วันที่ผ่านรายการล่าสุด
DocType: Sales Team,Contact No.,ติดต่อหมายเลข
@@ -3634,60 +3659,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,ราคาเปิด
DocType: Salary Detail,Formula,สูตร
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,สำนักงานคณะกรรมการกำกับ การขาย
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,สำนักงานคณะกรรมการกำกับ การขาย
DocType: Offer Letter Term,Value / Description,ค่า / รายละเอียด
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",แถว # {0}: สินทรัพย์ {1} ไม่สามารถส่งมันมีอยู่แล้ว {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",แถว # {0}: สินทรัพย์ {1} ไม่สามารถส่งมันมีอยู่แล้ว {2}
DocType: Tax Rule,Billing Country,ประเทศการเรียกเก็บเงิน
DocType: Purchase Order Item,Expected Delivery Date,คาดว่าวันที่ส่ง
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,เดบิตและเครดิตไม่เท่ากันสำหรับ {0} # {1} ความแตกต่างคือ {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,ค่าใช้จ่ายใน ความบันเทิง
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,ทำให้วัสดุที่ขอ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,ค่าใช้จ่ายใน ความบันเทิง
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,ทำให้วัสดุที่ขอ
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},เปิดรายการ {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,ใบแจ้งหนี้ การขาย {0} ต้อง ถูกยกเลิก ก่อนที่จะ ยกเลิกการ สั่งซื้อการขาย นี้
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,อายุ
DocType: Sales Invoice Timesheet,Billing Amount,จำนวนเงินที่เรียกเก็บ
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,ปริมาณ ที่ไม่ถูกต้อง ที่ระบุไว้ สำหรับรายการที่ {0} ปริมาณ ที่ควรจะเป็น มากกว่า 0
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,โปรแกรมประยุกต์สำหรับการลา
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,บัญชี ที่มีอยู่ กับการทำธุรกรรม ไม่สามารถลบได้
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,บัญชี ที่มีอยู่ กับการทำธุรกรรม ไม่สามารถลบได้
DocType: Vehicle,Last Carbon Check,ตรวจสอบคาร์บอนล่าสุด
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,ค่าใช้จ่ายทางกฎหมาย
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,ค่าใช้จ่ายทางกฎหมาย
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,โปรดเลือกปริมาณในแถว
DocType: Purchase Invoice,Posting Time,โพสต์เวลา
DocType: Timesheet,% Amount Billed,% ของยอดเงินที่เรียกเก็บแล้ว
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,ค่าใช้จ่าย โทรศัพท์
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,ค่าใช้จ่าย โทรศัพท์
DocType: Sales Partner,Logo,เครื่องหมาย
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,ตรวจสอบเรื่องนี้ถ้าคุณต้องการบังคับให้ผู้ใช้เลือกชุดก่อนที่จะบันทึก จะมีค่าเริ่มต้นไม่ถ้าคุณตรวจสอบนี้
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},ไม่มีรายการ ที่มี หมายเลขเครื่อง {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},ไม่มีรายการ ที่มี หมายเลขเครื่อง {0}
DocType: Email Digest,Open Notifications,เปิดการแจ้งเตือน
DocType: Payment Entry,Difference Amount (Company Currency),ความแตกต่างจำนวนเงิน ( บริษัท สกุล)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,ค่าใช้จ่าย โดยตรง
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,ค่าใช้จ่าย โดยตรง
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} เป็นที่อยู่อีเมลที่ไม่ถูกต้องใน ' การแจ้งเตือน \ ที่อยู่อีเมล์ '
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,รายได้ลูกค้าใหม่
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,ค่าใช้จ่ายใน การเดินทาง
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,ค่าใช้จ่ายใน การเดินทาง
DocType: Maintenance Visit,Breakdown,การเสีย
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,บัญชี: {0} กับสกุลเงิน: {1} ไม่สามารถเลือกได้
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,บัญชี: {0} กับสกุลเงิน: {1} ไม่สามารถเลือกได้
DocType: Bank Reconciliation Detail,Cheque Date,วันที่เช็ค
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},บัญชี {0}: บัญชีผู้ปกครอง {1} ไม่ได้เป็นของ บริษัท : {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},บัญชี {0}: บัญชีผู้ปกครอง {1} ไม่ได้เป็นของ บริษัท : {2}
DocType: Program Enrollment Tool,Student Applicants,สมัครนักศึกษา
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,ประสบความสำเร็จในการทำธุรกรรมที่ถูกลบทั้งหมดที่เกี่ยวข้องกับ บริษัท นี้!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,ประสบความสำเร็จในการทำธุรกรรมที่ถูกลบทั้งหมดที่เกี่ยวข้องกับ บริษัท นี้!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,ขณะที่ในวันที่
DocType: Appraisal,HR,ทรัพยากรบุคคล
DocType: Program Enrollment,Enrollment Date,วันที่ลงทะเบียน
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,การทดลอง
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,การทดลอง
apps/erpnext/erpnext/config/hr.py +115,Salary Components,ส่วนประกอบเงินเดือน
DocType: Program Enrollment Tool,New Academic Year,ปีการศึกษาใหม่
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,กลับมา / หมายเหตุเครดิต
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,กลับมา / หมายเหตุเครดิต
DocType: Stock Settings,Auto insert Price List rate if missing,แทรกอัตโนมัติราคาอัตรารายชื่อถ้าขาดหายไป
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,รวมจำนวนเงินที่จ่าย
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,รวมจำนวนเงินที่จ่าย
DocType: Production Order Item,Transferred Qty,โอน จำนวน
apps/erpnext/erpnext/config/learn.py +11,Navigating,การนำ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,การวางแผน
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,ออก
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,การวางแผน
+DocType: Material Request,Issued,ออก
DocType: Project,Total Billing Amount (via Time Logs),จำนวนเงินที่เรียกเก็บเงินรวม (ผ่านบันทึกเวลา)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,เราขาย สินค้า นี้
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Id ผู้ผลิต
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,เราขาย สินค้า นี้
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Id ผู้ผลิต
DocType: Payment Request,Payment Gateway Details,การชำระเงินรายละเอียดเกตเวย์
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,ปริมาณที่ควรจะเป็นมากกว่า 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,ปริมาณที่ควรจะเป็นมากกว่า 0
DocType: Journal Entry,Cash Entry,เงินสดเข้า
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,โหนดลูกจะสามารถสร้างได้ภายใต้ 'กลุ่ม' ต่อมน้ำประเภท
DocType: Leave Application,Half Day Date,ครึ่งวันวัน
@@ -3699,14 +3725,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},กรุณาตั้งค่าบัญชีเริ่มต้นในการเรียกร้องค่าใช้จ่ายประเภท {0}
DocType: Assessment Result,Student Name,ชื่อนักเรียน
DocType: Brand,Item Manager,ผู้จัดการฝ่ายรายการ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,เงินเดือนเจ้าหนี้
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,เงินเดือนเจ้าหนี้
DocType: Buying Settings,Default Supplier Type,ซัพพลายเออร์ชนิดเริ่มต้น
DocType: Production Order,Total Operating Cost,ค่าใช้จ่ายการดำเนินงานรวม
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,หมายเหตุ : รายการ {0} เข้ามา หลายครั้ง
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,ติดต่อทั้งหมด
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,ชื่อย่อ บริษัท
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,ชื่อย่อ บริษัท
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,ผู้ใช้ {0} ไม่อยู่
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,วัตถุดิบที่ ไม่สามารถเป็น เช่นเดียวกับ รายการ หลัก
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,วัตถุดิบที่ ไม่สามารถเป็น เช่นเดียวกับ รายการ หลัก
DocType: Item Attribute Value,Abbreviation,ตัวย่อ
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,รายการชำระเงินที่มีอยู่แล้ว
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,ไม่ authroized ตั้งแต่ {0} เกินขีด จำกัด
@@ -3715,35 +3741,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,ตั้งกฎภาษีสำหรับรถเข็น
DocType: Purchase Invoice,Taxes and Charges Added,ภาษีและค่าบริการเพิ่ม
,Sales Funnel,ช่องทาง ขาย
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,ชื่อย่อมีผลบังคับใช้
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,ชื่อย่อมีผลบังคับใช้
DocType: Project,Task Progress,ความคืบหน้าของงาน
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,เกวียน
,Qty to Transfer,จำนวน การโอน
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,ใบเสนอราคาไปยังช่องทาง หรือลูกค้า
DocType: Stock Settings,Role Allowed to edit frozen stock,บทบาทอนุญาตให้แก้ไขหุ้นแช่แข็ง
,Territory Target Variance Item Group-Wise,มณฑล เป้าหมาย แปรปรวน กลุ่มสินค้า - ฉลาด
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,ทุกกลุ่ม ลูกค้า
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,ทุกกลุ่ม ลูกค้า
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,สะสมรายเดือน
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} มีความจำเป็น รายการบันทึกอัตราแลกเปลี่ยนเงินตราไม่ได้สร้างขึ้นสำหรับ {1} เป็น {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} มีความจำเป็น รายการบันทึกอัตราแลกเปลี่ยนเงินตราไม่ได้สร้างขึ้นสำหรับ {1} เป็น {2}
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,แม่แบบภาษีมีผลบังคับใช้
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,บัญชี {0}: บัญชีผู้ปกครอง {1} ไม่อยู่
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,บัญชี {0}: บัญชีผู้ปกครอง {1} ไม่อยู่
DocType: Purchase Invoice Item,Price List Rate (Company Currency),อัตราราคาปกติ (สกุลเงิน บริษัท )
DocType: Products Settings,Products Settings,การตั้งค่าผลิตภัณฑ์
DocType: Account,Temporary,ชั่วคราว
DocType: Program,Courses,หลักสูตร
DocType: Monthly Distribution Percentage,Percentage Allocation,การจัดสรรร้อยละ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,เลขา
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,เลขา
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",หากปิดการใช้งาน 'ในคำว่า' ข้อมูลจะไม่สามารถมองเห็นได้ในการทำธุรกรรมใด ๆ
DocType: Serial No,Distinct unit of an Item,หน่วยที่แตกต่างของสินค้า
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,โปรดตั้ง บริษัท
DocType: Pricing Rule,Buying,การซื้อ
DocType: HR Settings,Employee Records to be created by,ระเบียนพนักงานที่จะถูกสร้างขึ้นโดย
DocType: POS Profile,Apply Discount On,ใช้ส่วนลด
,Reqd By Date,reqd โดยวันที่
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,เจ้าหนี้
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,เจ้าหนี้
DocType: Assessment Plan,Assessment Name,ชื่อการประเมิน
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,แถว # {0}: ไม่มีอนุกรมมีผลบังคับใช้
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,รายการ ฉลาด รายละเอียด ภาษี
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,สถาบันชื่อย่อ
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,สถาบันชื่อย่อ
,Item-wise Price List Rate,รายการ ฉลาด อัตรา ราคาตามรายการ
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,ใบเสนอราคาของผู้ผลิต
DocType: Quotation,In Words will be visible once you save the Quotation.,ในคำพูดของจะสามารถมองเห็นได้เมื่อคุณบันทึกใบเสนอราคา
@@ -3751,14 +3778,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},จำนวน ({0}) ไม่สามารถเป็นเศษเล็กเศษน้อยในแถว {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,เก็บค่าธรรมเนียม
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},บาร์โค้ด {0} ได้ใช้แล้วในรายการ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},บาร์โค้ด {0} ได้ใช้แล้วในรายการ {1}
DocType: Lead,Add to calendar on this date,เพิ่มไปยังปฏิทินของวันนี้
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,กฎระเบียบ สำหรับการเพิ่ม ค่าใช้จ่ายใน การจัดส่งสินค้า
DocType: Item,Opening Stock,เปิดการแจ้ง
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,ลูกค้า จะต้อง
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} จำเป็นต้องกำหนด สำหรับการทำรายการคืน
DocType: Purchase Order,To Receive,ที่จะได้รับ
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,อีเมลส่วนตัว
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,ความแปรปรวนทั้งหมด
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",ถ้าเปิดใช้งานระบบจะโพสต์รายการบัญชีสำหรับสินค้าคงคลังโดยอัตโนมัติ
@@ -3769,13 +3795,14 @@
DocType: Customer,From Lead,จากช่องทาง
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,คำสั่งปล่อยให้การผลิต
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,เลือกปีงบประมาณ ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,รายละเอียด จุดขาย จำเป็นต้องทำให้ จุดขาย บันทึกได้
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,รายละเอียด จุดขาย จำเป็นต้องทำให้ จุดขาย บันทึกได้
DocType: Program Enrollment Tool,Enroll Students,รับสมัครนักเรียน
DocType: Hub Settings,Name Token,ชื่อ Token
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,ขาย มาตรฐาน
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,อย่างน้อยหนึ่งคลังสินค้ามีผลบังคับใช้
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,อย่างน้อยหนึ่งคลังสินค้ามีผลบังคับใช้
DocType: Serial No,Out of Warranty,ออกจากการรับประกัน
DocType: BOM Replace Tool,Replace,แทนที่
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,ไม่พบผลิตภัณฑ์
DocType: Production Order,Unstopped,เบิก
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} กับการขายใบแจ้งหนี้ {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3786,13 +3813,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,ความแตกต่างมูลค่าหุ้น
apps/erpnext/erpnext/config/learn.py +234,Human Resource,ทรัพยากรมนุษย์
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,กระทบยอดการชำระเงิน
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,สินทรัพย์ ภาษี
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,สินทรัพย์ ภาษี
DocType: BOM Item,BOM No,BOM ไม่มี
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,อนุทิน {0} ไม่มีบัญชี {1} หรือการจับคู่แล้วกับบัตรกำนัลอื่น ๆ
DocType: Item,Moving Average,ค่าเฉลี่ยเคลื่อนที่
DocType: BOM Replace Tool,The BOM which will be replaced,BOM ซึ่งจะถูกแทนที่
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,อุปกรณ์อิเล็กทรอนิกส์
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,อุปกรณ์อิเล็กทรอนิกส์
DocType: Account,Debit,หักบัญชี
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,ใบ จะต้องมีการ จัดสรร หลายรายการ 0.5
DocType: Production Order,Operation Cost,ค่าใช้จ่ายในการดำเนินงาน
@@ -3800,7 +3827,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Amt ดีเด่น
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,ตั้งเป้ากลุ่มสินค้าที่ชาญฉลาดสำหรับการนี้คนขาย
DocType: Stock Settings,Freeze Stocks Older Than [Days],ตรึง หุ้น เก่า กว่า [ วัน ]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,แถว # {0}: สินทรัพย์เป็นข้อบังคับสำหรับสินทรัพย์ถาวรซื้อ / ขาย
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,แถว # {0}: สินทรัพย์เป็นข้อบังคับสำหรับสินทรัพย์ถาวรซื้อ / ขาย
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",ถ้าสองคนหรือมากกว่ากฎการกำหนดราคาจะพบตามเงื่อนไขข้างต้นลำดับความสำคัญถูกนำไปใช้ ลำดับความสำคัญเป็นจำนวนระหว่าง 0-20 ในขณะที่ค่าเริ่มต้นเป็นศูนย์ (ว่าง) จำนวนที่สูงขึ้นหมายความว่ามันจะมีความสำคัญถ้ามีกฎกำหนดราคาหลายเงื่อนไขเดียวกัน
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,ปีงบประมาณ: {0} ไม่อยู่
DocType: Currency Exchange,To Currency,กับสกุลเงิน
@@ -3809,7 +3836,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},อัตราการขายสำหรับรายการ {0} ต่ำกว่า {1} อัตราการขายต้องน้อยที่สุด {2}
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},อัตราการขายสำหรับรายการ {0} ต่ำกว่า {1} อัตราการขายต้องน้อยที่สุด {2}
DocType: Item,Taxes,ภาษี
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,การชำระเงินและไม่ได้ส่งมอบ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,การชำระเงินและไม่ได้ส่งมอบ
DocType: Project,Default Cost Center,เริ่มต้นที่ศูนย์ต้นทุน
DocType: Bank Guarantee,End Date,วันที่สิ้นสุด
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,ทำธุรกรรมซื้อขายหุ้น
@@ -3834,24 +3861,22 @@
DocType: Employee,Held On,จัดขึ้นเมื่อวันที่
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,การผลิตสินค้า
,Employee Information,ข้อมูลของพนักงาน
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),อัตรา (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),อัตรา (%)
DocType: Stock Entry Detail,Additional Cost,ค่าใช้จ่ายเพิ่มเติม
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,ปี การเงิน สิ้นสุด วันที่
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",ไม่สามารถกรอง ตาม คูปอง ไม่ ถ้า จัดกลุ่มตาม คูปอง
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,ทำ ใบเสนอราคา ของผู้ผลิต
DocType: Quality Inspection,Incoming,ขาเข้า
DocType: BOM,Materials Required (Exploded),วัสดุบังคับ (ระเบิด)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself",เพิ่มผู้ใช้องค์กรของคุณอื่นที่ไม่ใช่ตัวเอง
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,โพสต์วันที่ไม่สามารถเป็นวันที่ในอนาคต
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},แถว # {0}: ไม่มี Serial {1} ไม่ตรงกับ {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,สบาย ๆ ออก
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,สบาย ๆ ออก
DocType: Batch,Batch ID,ID ชุด
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},หมายเหตุ : {0}
,Delivery Note Trends,แนวโน้มหมายเหตุการจัดส่งสินค้า
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,ข้อมูลอย่างนี้สัปดาห์
-,In Stock Qty,ในสต็อกจำนวน
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,ในสต็อกจำนวน
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,บัญชี: {0} เท่านั้นที่สามารถได้รับการปรับปรุงผ่านการทำธุรกรรมสต็อก
-DocType: Program Enrollment,Get Courses,รับหลักสูตร
+DocType: Student Group Creation Tool,Get Courses,รับหลักสูตร
DocType: GL Entry,Party,งานเลี้ยง
DocType: Sales Order,Delivery Date,วันที่ส่ง
DocType: Opportunity,Opportunity Date,วันที่มีโอกาส
@@ -3859,14 +3884,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,ขอใบเสนอราคารายการ
DocType: Purchase Order,To Bill,บิล
DocType: Material Request,% Ordered,% สั่งแล้ว
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",สำหรับกลุ่มนักศึกษาหลักสูตรจะมีการตรวจสอบหลักสูตรสำหรับนักเรียนทุกคนจากหลักสูตรที่ลงทะเบียนเรียนในการลงทะเบียนหลักสูตร
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date",ป้อนที่อยู่อีเมลคั่นด้วยเครื่องหมายจุลภาคใบแจ้งหนี้จะถูกส่งโดยอัตโนมัติในวันที่โดยเฉพาะอย่างยิ่ง
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,งานเหมา
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,งานเหมา
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,ราคาซื้อเฉลี่ย
DocType: Task,Actual Time (in Hours),เวลาที่เกิดขึ้นจริง (ในชั่วโมง)
DocType: Employee,History In Company,ประวัติใน บริษัท
apps/erpnext/erpnext/config/learn.py +107,Newsletters,จดหมายข่าว
DocType: Stock Ledger Entry,Stock Ledger Entry,รายการสินค้าบัญชีแยกประเภท
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,ลูกค้า> กลุ่มลูกค้า> เขตแดน
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,รายการเดียวกันได้รับการป้อนหลายครั้ง
DocType: Department,Leave Block List,ฝากรายการบล็อก
DocType: Sales Invoice,Tax ID,ประจำตัวผู้เสียภาษี
@@ -3881,30 +3906,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,ต้องการ {1} อย่างน้อย {0} หน่วย ใน {2} เพื่อที่จะทำธุรกรรมนี้
DocType: Loan Type,Rate of Interest (%) Yearly,อัตราดอกเบี้ย (%) ประจำปี
DocType: SMS Settings,SMS Settings,การตั้งค่า SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,บัญชีชั่วคราว
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,สีดำ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,บัญชีชั่วคราว
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,สีดำ
DocType: BOM Explosion Item,BOM Explosion Item,รายการระเบิด BOM
DocType: Account,Auditor,ผู้สอบบัญชี
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} รายการผลิตแล้ว
DocType: Cheque Print Template,Distance from top edge,ระยะห่างจากขอบด้านบน
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,ราคา {0} เป็นคนพิการหรือไม่มีอยู่
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,ราคา {0} เป็นคนพิการหรือไม่มีอยู่
DocType: Purchase Invoice,Return,กลับ
DocType: Production Order Operation,Production Order Operation,การดำเนินงานการผลิตการสั่งซื้อ
DocType: Pricing Rule,Disable,ปิดการใช้งาน
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,โหมดการชำระเงินจะต้องชำระเงิน
DocType: Project Task,Pending Review,รอตรวจทาน
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} ไม่ได้ลงทะเบียนเรียนในแบทช์ {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}",สินทรัพย์ {0} ไม่สามารถทิ้งขณะที่มันมีอยู่แล้ว {1}
DocType: Task,Total Expense Claim (via Expense Claim),การเรียกร้องค่าใช้จ่ายรวม (ผ่านการเรียกร้องค่าใช้จ่าย)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,รหัสลูกค้า
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,มาร์คขาด
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},แถว {0}: สกุลเงินของ BOM # {1} ควรจะเท่ากับสกุลเงินที่เลือก {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},แถว {0}: สกุลเงินของ BOM # {1} ควรจะเท่ากับสกุลเงินที่เลือก {2}
DocType: Journal Entry Account,Exchange Rate,อัตราแลกเปลี่ยน
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,การขายสินค้า {0} ไม่ได้ ส่ง
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,การขายสินค้า {0} ไม่ได้ ส่ง
DocType: Homepage,Tag Line,สายแท็ก
DocType: Fee Component,Fee Component,ค่าบริการตัวแทน
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,การจัดการ Fleet
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,เพิ่มรายการจาก
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},คลังสินค้า {0}: บัญชีหลัก {1} ไม่อยู่ใน บริษัท {2}
DocType: Cheque Print Template,Regular,ปกติ
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,weightage รวมทุกเกณฑ์การประเมินจะต้อง 100%
DocType: BOM,Last Purchase Rate,อัตราซื้อล่าสุด
@@ -3913,11 +3937,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,หุ้นไม่สามารถที่มีอยู่สำหรับรายการ {0} ตั้งแต่มีสายพันธุ์
,Sales Person-wise Transaction Summary,การขายอย่างย่อรายการคนฉลาด
DocType: Training Event,Contact Number,เบอร์ติดต่อ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,ไม่พบคลังสินค้า {0} ในระบบ
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,ไม่พบคลังสินค้า {0} ในระบบ
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,ลงทะเบียนสำหรับ ERPNext Hub
DocType: Monthly Distribution,Monthly Distribution Percentages,เปอร์เซ็นต์การกระจายรายเดือน
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,รายการที่เลือกไม่สามารถมีแบทช์
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry",อัตราการประเมินไม่พบรายการ {0} ซึ่งเป็นสิ่งจำเป็นที่ต้องทำรายการบัญชีสำหรับ {1} {2} หากรายการที่จะทำธุรกรรมเป็นรายการตัวอย่างใน {1} กรุณาพูดถึงว่าใน {1} ตารางรายการ มิฉะนั้นโปรดสร้างธุรกรรมหุ้นขาเข้าสำหรับสินค้าหรือการกล่าวถึงอัตราการประเมินมูลค่าในรายการบันทึกแล้วลอง submiting / ยกเลิกรายการนี้
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry",อัตราการประเมินไม่พบรายการ {0} ซึ่งเป็นสิ่งจำเป็นที่ต้องทำรายการบัญชีสำหรับ {1} {2} หากรายการที่จะทำธุรกรรมเป็นรายการตัวอย่างใน {1} กรุณาพูดถึงว่าใน {1} ตารางรายการ มิฉะนั้นโปรดสร้างธุรกรรมหุ้นขาเข้าสำหรับสินค้าหรือการกล่าวถึงอัตราการประเมินมูลค่าในรายการบันทึกแล้วลอง submiting / ยกเลิกรายการนี้
DocType: Delivery Note,% of materials delivered against this Delivery Note,% ของวัสดุที่ส่งมอบเทียบกับหมายเหตุการจัดส่งนี้
DocType: Project,Customer Details,รายละเอียดลูกค้า
DocType: Employee,Reports to,รายงานไปยัง
@@ -3925,24 +3949,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,ป้อนพารามิเตอร์ URL สำหรับ Nos รับ
DocType: Payment Entry,Paid Amount,จำนวนเงินที่ชำระ
DocType: Assessment Plan,Supervisor,ผู้ดูแล
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,ออนไลน์
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,ออนไลน์
,Available Stock for Packing Items,สต็อกสำหรับการบรรจุรายการ
DocType: Item Variant,Item Variant,รายการตัวแปร
DocType: Assessment Result Tool,Assessment Result Tool,เครื่องมือการประเมินผล
DocType: BOM Scrap Item,BOM Scrap Item,BOM เศษรายการ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,คำสั่งที่ส่งมาไม่สามารถลบได้
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",ยอดเงินในบัญชีแล้วในเดบิตคุณไม่ได้รับอนุญาตให้ตั้ง 'ยอดดุลต้องเป็น' เป็น 'เครดิต
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,การบริหารจัดการคุณภาพ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,คำสั่งที่ส่งมาไม่สามารถลบได้
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",ยอดเงินในบัญชีแล้วในเดบิตคุณไม่ได้รับอนุญาตให้ตั้ง 'ยอดดุลต้องเป็น' เป็น 'เครดิต
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,การบริหารจัดการคุณภาพ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,รายการ {0} ถูกปิดใช้งาน
DocType: Employee Loan,Repay Fixed Amount per Period,ชำระคืนจำนวนคงที่ต่อปีระยะเวลา
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},กรุณากรอก ปริมาณ รายการ {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,หมายเหตุเครดิตหมายเหตุ
DocType: Employee External Work History,Employee External Work History,ประวัติการทำงานของพนักงานภายนอก
DocType: Tax Rule,Purchase,ซื้อ
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,คงเหลือ จำนวน
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,คงเหลือ จำนวน
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,เป้าหมายต้องไม่ว่างเปล่า
DocType: Item Group,Parent Item Group,กลุ่มสินค้าหลัก
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} สำหรับ {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,ศูนย์ต้นทุน
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,ศูนย์ต้นทุน
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,อัตราที่สกุลเงินของซัพพลายเออร์จะถูกแปลงเป็นสกุลเงินหลักของ บริษัท
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},แถว # {0}: ความขัดแย้งกับจังหวะแถว {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,อนุญาตให้ใช้อัตราการประเมินค่าเป็นศูนย์
@@ -3950,17 +3975,18 @@
DocType: Training Event Employee,Invited,ได้รับเชิญ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,หลายโครงสร้างเงินเดือนที่ต้องการใช้งานพบพนักงาน {0} สำหรับวันที่กำหนด
DocType: Opportunity,Next Contact,ติดต่อถัดไป
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,บัญชีการติดตั้งเกตเวย์
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,บัญชีการติดตั้งเกตเวย์
DocType: Employee,Employment Type,ประเภทการจ้างงาน
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,สินทรัพย์ถาวร
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,สินทรัพย์ถาวร
DocType: Payment Entry,Set Exchange Gain / Loss,ตั้งแลกเปลี่ยนกำไร / ขาดทุน
+,GST Purchase Register,ลงทะเบียนซื้อ GST
,Cash Flow,กระแสเงินสด
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,รับสมัครไม่สามารถบันทึกในสอง alocation
DocType: Item Group,Default Expense Account,บัญชีค่าใช้จ่ายเริ่มต้น
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,อีเมล์ ID นักศึกษา
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,อีเมล์ ID นักศึกษา
DocType: Employee,Notice (days),แจ้งให้ทราบล่วงหน้า (วัน)
DocType: Tax Rule,Sales Tax Template,แม่แบบภาษีการขาย
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,เลือกรายการที่จะบันทึกในใบแจ้งหนี้
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,เลือกรายการที่จะบันทึกในใบแจ้งหนี้
DocType: Employee,Encashment Date,วันที่การได้เป็นเงินสด
DocType: Training Event,Internet,อินเทอร์เน็ต
DocType: Account,Stock Adjustment,การปรับ สต็อก
@@ -3989,7 +4015,7 @@
DocType: Guardian,Guardian Of ,ผู้ปกครองของ
DocType: Grading Scale Interval,Threshold,ธรณีประตู
DocType: BOM Replace Tool,Current BOM,BOM ปัจจุบัน
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,เพิ่ม หมายเลขซีเรียล
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,เพิ่ม หมายเลขซีเรียล
apps/erpnext/erpnext/config/support.py +22,Warranty,การรับประกัน
DocType: Purchase Invoice,Debit Note Issued,หมายเหตุเดบิตที่ออก
DocType: Production Order,Warehouses,โกดัง
@@ -3998,20 +4024,20 @@
DocType: Workstation,per hour,ต่อชั่วโมง
apps/erpnext/erpnext/config/buying.py +7,Purchasing,การจัดซื้อ
DocType: Announcement,Announcement,การประกาศ
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,บัญชีสำหรับ คลังสินค้า( Inventory ตลอด ) จะถูก สร้างขึ้นภายใต้ บัญชี นี้
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,คลังสินค้า ไม่สามารถลบได้ เนื่องจากรายการ บัญชีแยกประเภทหุ้น มีไว้สำหรับ คลังสินค้า นี้
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",สำหรับกลุ่มนักเรียนที่เป็นกลุ่มแบบแบทช์ชุดนักเรียนจะได้รับการตรวจสอบสำหรับนักเรียนทุกคนจากการลงทะเบียนเรียนของโปรแกรม
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,คลังสินค้า ไม่สามารถลบได้ เนื่องจากรายการ บัญชีแยกประเภทหุ้น มีไว้สำหรับ คลังสินค้า นี้
DocType: Company,Distribution,การกระจาย
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,จำนวนเงินที่ชำระ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,ผู้จัดการโครงการ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,ผู้จัดการโครงการ
,Quoted Item Comparison,เปรียบเทียบรายการที่ยกมา
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,ส่งไป
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,ส่วนลดสูงสุดที่ได้รับอนุญาตสำหรับรายการ: {0} เป็น {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,ส่งไป
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,ส่วนลดสูงสุดที่ได้รับอนุญาตสำหรับรายการ: {0} เป็น {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,มูลค่าทรัพย์สินสุทธิ ณ วันที่
DocType: Account,Receivable,ลูกหนี้
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,แถว # {0}: ไม่อนุญาตให้ผู้ผลิตที่จะเปลี่ยนเป็นใบสั่งซื้ออยู่แล้ว
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,แถว # {0}: ไม่อนุญาตให้ผู้ผลิตที่จะเปลี่ยนเป็นใบสั่งซื้ออยู่แล้ว
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,บทบาทที่ได้รับอนุญาตให้ส่งการทำธุรกรรมที่เกินวงเงินที่กำหนด
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,เลือกรายการที่จะผลิต
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","การซิงค์ข้อมูลหลัก, อาจทำงานบางช่วงเวลา"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,เลือกรายการที่จะผลิต
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","การซิงค์ข้อมูลหลัก, อาจทำงานบางช่วงเวลา"
DocType: Item,Material Issue,บันทึกการใช้วัสดุ
DocType: Hub Settings,Seller Description,รายละเอียดผู้ขาย
DocType: Employee Education,Qualification,คุณสมบัติ
@@ -4031,7 +4057,6 @@
DocType: BOM,Rate Of Materials Based On,อัตราวัสดุตาม
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Analtyics สนับสนุน
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,ยกเลิกการเลือกทั้งหมด
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},บริษัท ที่ขาดหายไป ในคลังสินค้า {0}
DocType: POS Profile,Terms and Conditions,ข้อตกลงและเงื่อนไข
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},วันที่ควรจะเป็นภายในปีงบประมาณ สมมติว่านัด = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","ที่นี่คุณสามารถรักษาความสูงน้ำหนัก, ภูมิแพ้, ฯลฯ ปัญหาด้านการแพทย์"
@@ -4046,19 +4071,18 @@
DocType: Sales Order Item,For Production,สำหรับการผลิต
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,ดูงาน
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,ปี การเงินของคุณ จะเริ่มต้นใน
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,ค่าเสื่อมราคาสินทรัพย์และยอดคงเหลือ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},จำนวน {0} {1} โอนจาก {2} เป็น {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},จำนวน {0} {1} โอนจาก {2} เป็น {3}
DocType: Sales Invoice,Get Advances Received,รับเงินรับล่วงหน้า
DocType: Email Digest,Add/Remove Recipients,เพิ่ม / ลบ ชื่อผู้รับ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},การทำธุรกรรมที่ ไม่ได้รับอนุญาต กับ หยุด การผลิต สั่งซื้อ {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},การทำธุรกรรมที่ ไม่ได้รับอนุญาต กับ หยุด การผลิต สั่งซื้อ {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",การตั้งค่า นี้ ปีงบประมาณ เป็นค่าเริ่มต้น ให้คลิกที่ 'ตั้ง เป็นค่าเริ่มต้น '
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,ร่วม
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,ร่วม
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,ปัญหาการขาดแคลนจำนวน
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,ตัวแปรรายการ {0} อยู่ที่มีลักษณะเดียวกัน
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,ตัวแปรรายการ {0} อยู่ที่มีลักษณะเดียวกัน
DocType: Employee Loan,Repay from Salary,ชำระคืนจากเงินเดือน
DocType: Leave Application,LAP/,ตัก/
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},ร้องขอการชำระเงินจาก {0} {1} สำหรับจำนวนเงิน {2}
@@ -4069,34 +4093,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","สร้างบรรจุภัณฑ์สำหรับแพคเกจที่จะส่งมอบ ที่ใช้ในการแจ้งหมายเลขแพคเกจ, แพคเกจเนื้อหาและน้ำหนักของมัน"
DocType: Sales Invoice Item,Sales Order Item,รายการสั่งซื้อการขาย
DocType: Salary Slip,Payment Days,วันชำระเงิน
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,โกดังกับโหนดลูกไม่สามารถแปลงบัญชีแยกประเภท
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,โกดังกับโหนดลูกไม่สามารถแปลงบัญชีแยกประเภท
DocType: BOM,Manage cost of operations,จัดการค่าใช้จ่ายในการดำเนินงาน
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.",เมื่อใดของการทำธุรกรรมการตรวจสอบเป็น "Submitted" อีเมล์แบบ pop-up เปิดโดยอัตโนมัติในการส่งอีเมลไปยัง "ติดต่อ" ที่เกี่ยวข้องในการทำธุรกรรมที่มีการทำธุรกรรมเป็นสิ่งที่แนบ ผู้ใช้อาจจะหรือไม่อาจจะส่งอีเมล
apps/erpnext/erpnext/config/setup.py +14,Global Settings,การตั้งค่าสากล
DocType: Assessment Result Detail,Assessment Result Detail,การประเมินผลรายละเอียด
DocType: Employee Education,Employee Education,การศึกษาการทำงานของพนักงาน
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,กลุ่มรายการที่ซ้ำกันที่พบในตารางกลุ่มรายการ
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,มันเป็นสิ่งจำเป็นที่จะดึงรายละเอียดสินค้า
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,มันเป็นสิ่งจำเป็นที่จะดึงรายละเอียดสินค้า
DocType: Salary Slip,Net Pay,จ่ายสุทธิ
DocType: Account,Account,บัญชี
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,อนุกรม ไม่มี {0} ได้รับ อยู่แล้ว
,Requested Items To Be Transferred,รายการที่ได้รับการร้องขอจะถูกถ่ายโอน
DocType: Expense Claim,Vehicle Log,ยานพาหนะเข้าสู่ระบบ
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.",คลังสินค้า {0} ไม่เชื่อมโยงกับบัญชีใด ๆ โปรดสร้าง / เชื่อมโยงที่สอดคล้องกัน (สินทรัพย์) บัญชีคลังสินค้า
DocType: Purchase Invoice,Recurring Id,รหัสที่เกิดขึ้น
DocType: Customer,Sales Team Details,ขายรายละเอียดทีม
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,ลบอย่างถาวร?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,ลบอย่างถาวร?
DocType: Expense Claim,Total Claimed Amount,จำนวนรวมอ้าง
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,โอกาสที่มีศักยภาพสำหรับการขาย
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},ไม่ถูกต้อง {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,ป่วย ออกจาก
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},ไม่ถูกต้อง {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,ป่วย ออกจาก
DocType: Email Digest,Email Digest,ข่าวสารทางอีเมล
DocType: Delivery Note,Billing Address Name,ชื่อที่อยู่การเรียกเก็บเงิน
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,ห้างสรรพสินค้า
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,การติดตั้งของโรงเรียนใน ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),ฐานจำนวนเปลี่ยน (สกุลเงินบริษัท)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,ไม่มี รายการบัญชี สำหรับคลังสินค้า ดังต่อไปนี้
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,ไม่มี รายการบัญชี สำหรับคลังสินค้า ดังต่อไปนี้
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,บันทึกเอกสารครั้งแรก
DocType: Account,Chargeable,รับผิดชอบ
DocType: Company,Change Abbreviation,เปลี่ยนชื่อย่อ
@@ -4114,7 +4137,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,วันที่ส่ง ที่คาดว่าจะ ไม่สามารถเป็น วัน ก่อนที่จะ สั่งซื้อ
DocType: Appraisal,Appraisal Template,แม่แบบการประเมิน
DocType: Item Group,Item Classification,การจัดประเภทรายการ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,ผู้จัดการฝ่ายพัฒนาธุรกิจ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,ผู้จัดการฝ่ายพัฒนาธุรกิจ
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,วัตถุประสงค์การเข้ามาบำรุงรักษา
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,ระยะเวลา
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,บัญชีแยกประเภท
@@ -4124,8 +4147,8 @@
DocType: Item Attribute Value,Attribute Value,ค่าแอตทริบิวต์
,Itemwise Recommended Reorder Level,แนะนำ Itemwise Reorder ระดับ
DocType: Salary Detail,Salary Detail,รายละเอียดเงินเดือน
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,กรุณาเลือก {0} ครั้งแรก
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,รุ่นที่ {0} ของรายการ {1} หมดอายุ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,กรุณาเลือก {0} ครั้งแรก
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,รุ่นที่ {0} ของรายการ {1} หมดอายุ
DocType: Sales Invoice,Commission,ค่านายหน้า
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,ใบบันทึกเวลาการผลิต
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,ไม่ทั้งหมด
@@ -4136,6 +4159,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,ค่าของ `อายัด (freeze) Stock ที่เก่ากว่า ` ควรจะ มีขนาดเล็กกว่า % d วัน
DocType: Tax Rule,Purchase Tax Template,ซื้อแม่แบบภาษี
,Project wise Stock Tracking,หุ้นติดตามโครงการที่ชาญฉลาด
+DocType: GST HSN Code,Regional,ของแคว้น
DocType: Stock Entry Detail,Actual Qty (at source/target),จำนวนที่เกิดขึ้นจริง (ที่มา / เป้าหมาย)
DocType: Item Customer Detail,Ref Code,รหัส Ref
apps/erpnext/erpnext/config/hr.py +12,Employee records.,ระเบียนพนักงาน
@@ -4146,13 +4170,13 @@
DocType: Email Digest,New Purchase Orders,สั่งซื้อใหม่
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,รากไม่สามารถมีศูนย์ต้นทุนผู้ปกครอง
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,เลือกยี่ห้อ ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,กิจกรรม / ผลการฝึกอบรม
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,ค่าเสื่อมราคาสะสม ณ วันที่
DocType: Sales Invoice,C-Form Applicable,C-Form สามารถนำไปใช้ได้
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},เวลาการดำเนินงานจะต้องมากกว่า 0 สำหรับการปฏิบัติงาน {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,ต้องระบุคลังสินค้า
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,ต้องระบุคลังสินค้า
DocType: Supplier,Address and Contacts,ที่อยู่และที่ติดต่อ
DocType: UOM Conversion Detail,UOM Conversion Detail,รายละเอียดการแปลง UOM
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),ให้มัน เว็บ 900px มิตร (กว้าง ) โดย 100px (ซ)
DocType: Program,Program Abbreviation,ชื่อย่อโปรแกรม
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,ใบสั่งผลิตไม่สามารถขึ้นกับแม่แบบรายการ
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,ค่าใช้จ่ายที่มีการปรับปรุงในใบเสร็จรับเงินกับแต่ละรายการ
@@ -4160,13 +4184,13 @@
DocType: Bank Guarantee,Start Date,วันที่เริ่มต้น
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,จัดสรร ใบ เป็นระยะเวลา
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,เช็คและเงินฝากล้างไม่ถูกต้อง
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,บัญชี {0}: คุณไม่สามารถกำหนดตัวเองเป็นบัญชีผู้ปกครอง
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,บัญชี {0}: คุณไม่สามารถกำหนดตัวเองเป็นบัญชีผู้ปกครอง
DocType: Purchase Invoice Item,Price List Rate,อัตราราคาตามรายการ
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,สร้างคำพูดของลูกค้า
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",แสดง "ในสต็อก" หรือ "ไม่อยู่ในสต็อก" บนพื้นฐานของหุ้นที่มีอยู่ในคลังสินค้านี้
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),บิลวัสดุ (BOM)
DocType: Item,Average time taken by the supplier to deliver,เวลาเฉลี่ยที่ถ่ายโดยผู้ผลิตเพื่อส่งมอบ
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,สรุปผลการประเมิน
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,สรุปผลการประเมิน
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,ชั่วโมง
DocType: Project,Expected Start Date,วันที่เริ่มต้นคาดว่า
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,ลบรายการค่าใช้จ่ายถ้าไม่สามารถใช้ได้กับรายการที่
@@ -4180,25 +4204,24 @@
DocType: Workstation,Operating Costs,ค่าใช้จ่ายในการดำเนินงาน
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,ดำเนินการหากสะสมเกินงบประมาณรายเดือน
DocType: Purchase Invoice,Submit on creation,ส่งในการสร้าง
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},สกุลเงินสำหรับ {0} 'จะต้อง {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},สกุลเงินสำหรับ {0} 'จะต้อง {1}
DocType: Asset,Disposal Date,วันที่จำหน่าย
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",อีเมลจะถูกส่งไปยังพนักงานที่ใช้งานทั้งหมดของ บริษัท ในเวลาที่กำหนดหากพวกเขาไม่ได้มีวันหยุด บทสรุปของการตอบสนองจะถูกส่งในเวลาเที่ยงคืน
DocType: Employee Leave Approver,Employee Leave Approver,อนุมัติพนักงานออก
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},แถว {0}: รายการสั่งซื้อใหม่อยู่แล้วสำหรับคลังสินค้านี้ {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},แถว {0}: รายการสั่งซื้อใหม่อยู่แล้วสำหรับคลังสินค้านี้ {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.",ไม่ สามารถประกาศ เป็น หายไป เพราะ ใบเสนอราคา ได้รับการทำ
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,การฝึกอบรมผลตอบรับ
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,สั่งผลิต {0} จะต้องส่ง
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,สั่งผลิต {0} จะต้องส่ง
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},กรุณาเลือก วันเริ่มต้น และ วันที่สิ้นสุด สำหรับรายการที่ {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},แน่นอนมีผลบังคับใช้ในแถว {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,วันที่ ไม่สามารถ ก่อนที่จะ นับจากวันที่
DocType: Supplier Quotation Item,Prevdoc DocType,DocType Prevdoc
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,เพิ่ม / แก้ไขราคา
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,เพิ่ม / แก้ไขราคา
DocType: Batch,Parent Batch,กลุ่มผู้ปกครอง
DocType: Batch,Parent Batch,กลุ่มผู้ปกครอง
DocType: Cheque Print Template,Cheque Print Template,แม่แบบการพิมพ์เช็ค
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,แผนภูมิของศูนย์ต้นทุน
,Requested Items To Be Ordered,รายการที่ได้รับการร้องขอที่จะสั่งซื้อ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,บริษัท คลังสินค้าจะต้องเป็นเช่นเดียวกับ บริษัท บัญชี
DocType: Price List,Price List Name,ชื่อรายการราคา
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},สรุปการทำงานประจำวันสำหรับ {0}
DocType: Employee Loan,Totals,ผลรวม
@@ -4220,55 +4243,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,กรุณากรอก กัดกร่อน มือถือ ที่ถูกต้อง
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,กรุณาใส่ข้อความ ก่อนที่จะส่ง
DocType: Email Digest,Pending Quotations,ที่รอการอนุมัติใบเสนอราคา
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,จุดขายข้อมูลส่วนตัว
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,จุดขายข้อมูลส่วนตัว
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,กรุณาอัปเดตการตั้งค่า SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,เงินให้กู้ยืม ที่ไม่มีหลักประกัน
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,เงินให้กู้ยืม ที่ไม่มีหลักประกัน
DocType: Cost Center,Cost Center Name,ค่าใช้จ่ายชื่อศูนย์
DocType: Employee,B+,B+
DocType: HR Settings,Max working hours against Timesheet,แม็กซ์ชั่วโมงการทำงานกับ Timesheet
DocType: Maintenance Schedule Detail,Scheduled Date,วันที่กำหนด
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,ทั้งหมดที่จ่าย Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,ทั้งหมดที่จ่าย Amt
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,ข้อความที่ยาวกว่า 160 ตัวอักษร จะถูกแบ่งออกเป็นหลายข้อความ
DocType: Purchase Receipt Item,Received and Accepted,และได้รับการยอมรับ
+,GST Itemised Sales Register,GST ลงทะเบียนสินค้า
,Serial No Service Contract Expiry,อนุกรมไม่มีหมดอายุสัญญาบริการ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,คุณไม่ สามารถเครดิต และ หักเงินจากบัญชี เดียวกันในเวลาเดียวกัน
DocType: Naming Series,Help HTML,วิธีใช้ HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,เครื่องมือการสร้างกลุ่มนักศึกษา
DocType: Item,Variant Based On,ตัวแปรอยู่บนพื้นฐานของ
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},weightage รวม ที่ได้รับมอบหมาย ควรจะ 100% มันเป็น {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,ซัพพลายเออร์ ของคุณ
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,ซัพพลายเออร์ ของคุณ
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,ไม่สามารถตั้งค่า ที่ หายไป ในขณะที่ การขายสินค้า ที่ทำ
DocType: Request for Quotation Item,Supplier Part No,ผู้ผลิตชิ้นส่วน
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',ไม่สามารถหักค่าใช้จ่ายเมื่อเป็นหมวดหมู่สำหรับ 'การประเมินค่า' หรือ 'Vaulation และรวม
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,ที่ได้รับจาก
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,ที่ได้รับจาก
DocType: Lead,Converted,แปลง
DocType: Item,Has Serial No,มีซีเรียลไม่มี
DocType: Employee,Date of Issue,วันที่ออก
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: จาก {0} สำหรับ {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",ตามการตั้งค่าการซื้อหาก Purchase Reciept Required == 'YES' จากนั้นสำหรับการสร้าง Invoice ซื้อผู้ใช้ต้องสร้างใบเสร็จการรับสินค้าเป็นอันดับแรกสำหรับรายการ {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},แถว # {0}: ตั้งผู้ผลิตสำหรับรายการ {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,แถว {0}: ค่าเวลาทำการต้องมีค่ามากกว่าศูนย์
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,ภาพ Website {0} แนบไปกับรายการ {1} ไม่สามารถพบได้
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,ภาพ Website {0} แนบไปกับรายการ {1} ไม่สามารถพบได้
DocType: Issue,Content Type,ประเภทเนื้อหา
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,คอมพิวเตอร์
DocType: Item,List this Item in multiple groups on the website.,รายการนี้ในหลายกลุ่มในเว็บไซต์
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,กรุณาตรวจสอบตัวเลือกสกุลเงินที่จะอนุญาตให้มีหลายบัญชีที่มีสกุลเงินอื่น ๆ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,รายการ: {0} ไม่อยู่ในระบบ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,คุณยังไม่ได้ รับอนุญาตให้ กำหนดค่า แช่แข็ง
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,รายการ: {0} ไม่อยู่ในระบบ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,คุณยังไม่ได้ รับอนุญาตให้ กำหนดค่า แช่แข็ง
DocType: Payment Reconciliation,Get Unreconciled Entries,คอมเมนต์ได้รับ Unreconciled
DocType: Payment Reconciliation,From Invoice Date,จากวันที่ใบแจ้งหนี้
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,สกุลเงินที่เรียกเก็บเงินจะต้องเท่ากับสกุลเงินของบริษัทเริ่มต้นหรือหรือสกุลเงินของบัญชีฝ่ายใดฝ่ายหนึ่ง
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,ปล่อยให้เป็นเงินสด
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,มัน ทำอะไรได้บ้าง
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,สกุลเงินที่เรียกเก็บเงินจะต้องเท่ากับสกุลเงินของบริษัทเริ่มต้นหรือหรือสกุลเงินของบัญชีฝ่ายใดฝ่ายหนึ่ง
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,ปล่อยให้เป็นเงินสด
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,มัน ทำอะไรได้บ้าง
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,ไปที่โกดัง
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,ทั้งหมดเป็นนักศึกษา
,Average Commission Rate,อัตราเฉลี่ยของค่าคอมมิชชั่น
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,'มีเลขซีเรียล' ไม่สามารถเป็น 'ใช่' สำหรับรายการที่ไม่ใช่สต็อก
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'มีเลขซีเรียล' ไม่สามารถเป็น 'ใช่' สำหรับรายการที่ไม่ใช่สต็อก
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,ผู้เข้าร่วมไม่สามารถทำเครื่องหมายสำหรับวันที่ในอนาคต
DocType: Pricing Rule,Pricing Rule Help,กฎการกำหนดราคาช่วยเหลือ
DocType: School House,House Name,ชื่อบ้าน
DocType: Purchase Taxes and Charges,Account Head,หัวบัญชี
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,ปรับปรุงค่าใช้จ่ายเพิ่มเติมในการคำนวณค่าใช้จ่ายในที่ดินของรายการ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,ไฟฟ้า
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,ไฟฟ้า
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,เพิ่มส่วนที่เหลือขององค์กรของคุณเป็นผู้ใช้ของคุณ นอกจากนี้คุณยังสามารถเพิ่มเชิญลูกค้าพอร์ทัลของคุณด้วยการเพิ่มจากรายชื่อ
DocType: Stock Entry,Total Value Difference (Out - In),ความแตกต่างมูลค่ารวม (Out - In)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,แถว {0}: อัตราแลกเปลี่ยนที่มีผลบังคับใช้
@@ -4278,7 +4303,7 @@
DocType: Item,Customer Code,รหัสลูกค้า
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},เตือนวันเกิดสำหรับ {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,ตั้งแต่ วันที่ สั่งซื้อ ล่าสุด
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,เพื่อเดบิตบัญชีจะต้องเป็นบัญชีงบดุล
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,เพื่อเดบิตบัญชีจะต้องเป็นบัญชีงบดุล
DocType: Buying Settings,Naming Series,การตั้งชื่อซีรีส์
DocType: Leave Block List,Leave Block List Name,ฝากชื่อรายการที่ถูกบล็อก
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,วันประกันเริ่มต้นควรจะน้อยกว่าวันประกันสิ้นสุด
@@ -4293,27 +4318,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},สลิปเงินเดือนของพนักงาน {0} สร้างไว้แล้วสำหรับแผ่นเวลา {1}
DocType: Vehicle Log,Odometer,วัดระยะทาง
DocType: Sales Order Item,Ordered Qty,สั่งซื้อ จำนวน
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,รายการ {0} ถูกปิดใช้งาน
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,รายการ {0} ถูกปิดใช้งาน
DocType: Stock Settings,Stock Frozen Upto,สต็อกไม่เกิน Frozen
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM ไม่ได้มีรายการสินค้าใด ๆ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM ไม่ได้มีรายการสินค้าใด ๆ
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},ระยะเวลาเริ่มต้นและระยะเวลาในการบังคับใช้สำหรับวันที่เกิดขึ้น {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,กิจกรรมของโครงการ / งาน
DocType: Vehicle Log,Refuelling Details,รายละเอียดเชื้อเพลิง
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,สร้าง Slips เงินเดือน
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}",ต้องเลือก การซื้อ ถ้าเลือก ใช้ได้กับ เป็น {0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}",ต้องเลือก การซื้อ ถ้าเลือก ใช้ได้กับ เป็น {0}
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,ส่วนลด จะต้อง น้อยกว่า 100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,ไม่พบอัตราการซื้อล่าสุด
DocType: Purchase Invoice,Write Off Amount (Company Currency),เขียนปิดจำนวนเงิน (บริษัท สกุล)
DocType: Sales Invoice Timesheet,Billing Hours,ชั่วโมงทำการเรียกเก็บเงิน
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,BOM เริ่มต้นสำหรับ {0} ไม่พบ
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,แถว # {0}: กรุณาตั้งค่าปริมาณการสั่งซื้อ
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,แถว # {0}: กรุณาตั้งค่าปริมาณการสั่งซื้อ
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,แตะรายการเพื่อเพิ่มที่นี่
DocType: Fees,Program Enrollment,การลงทะเบียนโปรแกรม
DocType: Landed Cost Voucher,Landed Cost Voucher,ที่ดินคูปองต้นทุน
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},กรุณาตั้ง {0}
DocType: Purchase Invoice,Repeat on Day of Month,ทำซ้ำในวันเดือน
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} เป็นนักเรียนที่ไม่ได้ใช้งาน
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} เป็นนักเรียนที่ไม่ได้ใช้งาน
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} เป็นนักเรียนที่ไม่ได้ใช้งาน
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} เป็นนักเรียนที่ไม่ได้ใช้งาน
DocType: Employee,Health Details,รายละเอียดสุขภาพ
DocType: Offer Letter,Offer Letter Terms,เสนอเงื่อนไขจดหมาย
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,ในการสร้างเอกสารอ้างอิงคำขอการชำระเงินต้องระบุ
@@ -4336,7 +4361,7 @@
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","ตัวอย่าง:. ABCD #####
ถ้าชุดคือชุดและที่เก็บไม่ได้กล่าวถึงในการทำธุรกรรมแล้วหมายเลขประจำเครื่องอัตโนมัติจะถูกสร้างขึ้นบนพื้นฐานของซีรีส์นี้ หากคุณเคยต้องการที่จะพูดถึงอย่างชัดเจนเลขที่ผลิตภัณฑ์สำหรับรายการนี้ ปล่อยให้ว่างนี้"
DocType: Upload Attendance,Upload Attendance,อัพโหลดผู้เข้าร่วม
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,รายการวัสดุและปริมาณการผลิตจะต้อง
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,รายการวัสดุและปริมาณการผลิตจะต้อง
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,ช่วงสูงอายุ 2
DocType: SG Creation Tool Course,Max Strength,ความแรงของแม็กซ์
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM แทนที่
@@ -4346,8 +4371,8 @@
,Prospects Engaged But Not Converted,แนวโน้มมีส่วนร่วม แต่ไม่ได้แปลง
DocType: Manufacturing Settings,Manufacturing Settings,การตั้งค่าการผลิต
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,การตั้งค่าอีเมล์
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 มือถือไม่มี
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,กรุณาใส่ สกุลเงินเริ่มต้น ใน บริษัท มาสเตอร์
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 มือถือไม่มี
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,กรุณาใส่ สกุลเงินเริ่มต้น ใน บริษัท มาสเตอร์
DocType: Stock Entry Detail,Stock Entry Detail,รายละเอียดรายการสินค้า
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,การแจ้งเตือนทุกวัน
DocType: Products Settings,Home Page is Products,หน้าแรกคือผลิตภัณฑ์
@@ -4356,7 +4381,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,ชื่อ บัญชีผู้ใช้ใหม่
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,วัตถุดิบที่จำหน่ายค่าใช้จ่าย
DocType: Selling Settings,Settings for Selling Module,การตั้งค่าสำหรับการขายโมดูล
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,บริการลูกค้า
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,บริการลูกค้า
DocType: BOM,Thumbnail,รูปขนาดย่อ
DocType: Item Customer Detail,Item Customer Detail,รายละเอียดรายการของลูกค้า
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,ผู้สมัครเสนองาน
@@ -4365,7 +4390,7 @@
DocType: Pricing Rule,Percentage,ร้อยละ
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,รายการ {0} จะต้องมี รายการ หุ้น
DocType: Manufacturing Settings,Default Work In Progress Warehouse,เริ่มต้นการทำงานในความคืบหน้าโกดัง
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,ตั้งค่าเริ่มต้น สำหรับการทำธุรกรรม ทางบัญชี
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,ตั้งค่าเริ่มต้น สำหรับการทำธุรกรรม ทางบัญชี
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,วันที่ คาดว่าจะ ไม่สามารถเป็น วัสดุ ก่อนที่จะ ขอ วันที่
DocType: Purchase Invoice Item,Stock Qty,จำนวนหุ้น
@@ -4379,10 +4404,10 @@
DocType: Sales Order,Printing Details,รายละเอียดการพิมพ์
DocType: Task,Closing Date,ปิดวันที่
DocType: Sales Order Item,Produced Quantity,จำนวนที่ผลิต
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,วิศวกร
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,วิศวกร
DocType: Journal Entry,Total Amount Currency,รวมสกุลเงินจำนวนเงิน
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,ค้นหาประกอบย่อย
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},รหัสสินค้า ที่จำเป็น ที่ แถว ไม่มี {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},รหัสสินค้า ที่จำเป็น ที่ แถว ไม่มี {0}
DocType: Sales Partner,Partner Type,ประเภทคู่
DocType: Purchase Taxes and Charges,Actual,ตามความเป็นจริง
DocType: Authorization Rule,Customerwise Discount,ส่วนลด Customerwise
@@ -4399,11 +4424,11 @@
DocType: Item Reorder,Re-Order Level,ระดับ Re-Order
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,ป้อนรายการและจำนวนที่วางแผนไว้สำหรับที่คุณต้องการที่จะยกระดับการสั่งผลิตหรือดาวน์โหลดวัตถุดิบสำหรับการวิเคราะห์
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,แผนภูมิแกนต์
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Part-time
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Part-time
DocType: Employee,Applicable Holiday List,รายการวันหยุดที่ใช้บังคับ
DocType: Employee,Cheque,เช็ค
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,ชุด ล่าสุด
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,ประเภทรายงาน มีผลบังคับใช้
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,ประเภทรายงาน มีผลบังคับใช้
DocType: Item,Serial Number Series,ชุด หมายเลข
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},คลังสินค้า จำเป็นสำหรับ รายการสต๊อก {0} ในแถว {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,ค้าปลีกและ ขายส่ง
@@ -4425,7 +4450,7 @@
DocType: BOM,Materials,วัสดุ
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",ถ้าไม่ได้ตรวจสอบรายชื่อจะต้องมีการเพิ่มแต่ละแผนกที่มันจะต้องมีการใช้
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,ต้นทางและปลายทางคลังสินค้าไม่สามารถจะเหมือนกัน
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,วันที่โพสต์และโพสต์เวลามีผลบังคับใช้
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,วันที่โพสต์และโพสต์เวลามีผลบังคับใช้
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,แม่แบบภาษี สำหรับการทำธุรกรรมการซื้อ
,Item Prices,รายการราคาสินค้า
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,ในคำพูดของจะสามารถมองเห็นได้เมื่อคุณบันทึกใบสั่งซื้อ
@@ -4435,22 +4460,23 @@
DocType: Purchase Invoice,Advance Payments,การชำระเงินล่วงหน้า
DocType: Purchase Taxes and Charges,On Net Total,เมื่อรวมสุทธิ
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},ค่าสำหรับแอตทริบิวต์ {0} จะต้องอยู่ในช่วงของ {1} เป็น {2} ในการเพิ่มขึ้นของ {3} สำหรับรายการ {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,คลังสินค้า เป้าหมาย ในแถว {0} จะต้อง เป็นเช่นเดียวกับ การผลิต การสั่งซื้อ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,คลังสินค้า เป้าหมาย ในแถว {0} จะต้อง เป็นเช่นเดียวกับ การผลิต การสั่งซื้อ
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,'ที่อยู่อีเมลการแจ้งเตือน' ไม่ได้ระบุสำหรับ %s ที่เกิดขึ้นซ้ำๆ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,สกุลเงินไม่สามารถเปลี่ยนแปลงได้หลังจากการทำรายการโดยใช้เงินสกุลอื่น
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,สกุลเงินไม่สามารถเปลี่ยนแปลงได้หลังจากการทำรายการโดยใช้เงินสกุลอื่น
DocType: Vehicle Service,Clutch Plate,จานคลัทช์
DocType: Company,Round Off Account,ปิดรอบบัญชี
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,ค่าใช้จ่ายใน การดูแลระบบ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,ค่าใช้จ่ายใน การดูแลระบบ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,การให้คำปรึกษา
DocType: Customer Group,Parent Customer Group,กลุ่มลูกค้าผู้ปกครอง
DocType: Purchase Invoice,Contact Email,ติดต่ออีเมล์
DocType: Appraisal Goal,Score Earned,คะแนนที่ได้รับ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,ระยะเวลาการแจ้งให้ทราบล่วงหน้า
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,ระยะเวลาการแจ้งให้ทราบล่วงหน้า
DocType: Asset Category,Asset Category Name,สินทรัพย์ชื่อหมวดหมู่
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,นี่คือ ดินแดนของ รากและ ไม่สามารถแก้ไขได้
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,ชื่อใหม่คนขาย
DocType: Packing Slip,Gross Weight UOM,น้ำหนักรวม UOM
DocType: Delivery Note Item,Against Sales Invoice,กับขายใบแจ้งหนี้
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,โปรดป้อนหมายเลขซีเรียลสำหรับรายการต่อเนื่อง
DocType: Bin,Reserved Qty for Production,ลิขสิทธิ์จำนวนการผลิต
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,ปล่อยให้ไม่ทำเครื่องหมายหากคุณไม่ต้องการพิจารณาชุดในขณะที่สร้างกลุ่มตามหลักสูตร
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,ปล่อยให้ไม่ทำเครื่องหมายหากคุณไม่ต้องการพิจารณาชุดในขณะที่สร้างกลุ่มตามหลักสูตร
@@ -4459,25 +4485,25 @@
DocType: Landed Cost Item,Landed Cost Item,รายการค่าใช้จ่ายลง
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,แสดงค่าศูนย์
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,จำนวนสินค้าที่ได้หลังการผลิต / บรรจุใหม่จากจำนวนวัตถุดิบที่มี
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,การตั้งค่าเว็บไซต์ที่ง่ายสำหรับองค์กรของฉัน
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,การตั้งค่าเว็บไซต์ที่ง่ายสำหรับองค์กรของฉัน
DocType: Payment Reconciliation,Receivable / Payable Account,ลูกหนี้ / เจ้าหนี้การค้า
DocType: Delivery Note Item,Against Sales Order Item,กับการขายรายการสั่งซื้อ
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},โปรดระบุคุณสมบัติราคาแอตทริบิวต์ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},โปรดระบุคุณสมบัติราคาแอตทริบิวต์ {0}
DocType: Item,Default Warehouse,คลังสินค้าเริ่มต้น
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},งบประมาณไม่สามารถกำหนดกลุ่มกับบัญชี {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,กรุณาใส่ ศูนย์ ค่าใช้จ่าย ของผู้ปกครอง
DocType: Delivery Note,Print Without Amount,พิมพ์ที่ไม่มีจำนวน
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,วันค่าเสื่อมราคา
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,หมวดหมู่ ภาษี ไม่สามารถ ' ประเมิน ' หรือ ' การประเมิน และ รวม เป็นรายการ ทุก รายการที่ไม่ สต็อก
DocType: Issue,Support Team,ทีมสนับสนุน
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),หมดอายุ (ในวัน)
DocType: Appraisal,Total Score (Out of 5),คะแนนรวม (out of 5)
DocType: Fee Structure,FS.,FS
-DocType: Program Enrollment,Batch,ชุด
+DocType: Student Attendance Tool,Batch,ชุด
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,สมดุล
DocType: Room,Seating Capacity,ความจุของที่นั่ง
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),การเรียกร้องค่าใช้จ่ายรวม (ผ่านการเรียกร้องค่าใช้จ่าย)
+DocType: GST Settings,GST Summary,สรุป GST
DocType: Assessment Result,Total Score,คะแนนรวม
DocType: Journal Entry,Debit Note,หมายเหตุเดบิต
DocType: Stock Entry,As per Stock UOM,เป็นต่อสต็อก UOM
@@ -4489,12 +4515,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,เริ่มต้นโกดังสินค้าสำเร็จรูป
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,พนักงานขาย
DocType: SMS Parameter,SMS Parameter,พารามิเตอร์ SMS
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,งบประมาณและศูนย์ต้นทุน
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,งบประมาณและศูนย์ต้นทุน
DocType: Vehicle Service,Half Yearly,ประจำปีครึ่ง
DocType: Lead,Blog Subscriber,สมาชิกบล็อก
DocType: Guardian,Alternate Number,หมายเลขอื่น
DocType: Assessment Plan Criteria,Maximum Score,คะแนนสูงสุด
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,สร้างกฎ เพื่อ จำกัด การ ทำธุรกรรม ตามค่า
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,หมายเลขกลุ่มไม่มี
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,เว้นว่างไว้ถ้าคุณทำกลุ่มนักเรียนต่อปี
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,เว้นว่างไว้ถ้าคุณทำกลุ่มนักเรียนต่อปี
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day",ถ้าการตรวจสอบรวมกัน ของวันทําการจะรวมถึงวันหยุดและนี้จะช่วยลดค่าของเงินเดือนที่ต้องการต่อวัน
@@ -4514,6 +4541,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,นี้ขึ้นอยู่กับการทำธุรกรรมกับลูกค้านี้ ดูระยะเวลารายละเอียดด้านล่าง
DocType: Supplier,Credit Days Based On,วันขึ้นอยู่กับเครดิต
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},แถว {0}: จัดสรร {1} 'จะต้องน้อยกว่าหรือเท่ากับจำนวนเงินที่ชำระเงินเข้า {2}
+,Course wise Assessment Report,รายงานการประเมินหลักสูตรอย่างชาญฉลาด
DocType: Tax Rule,Tax Rule,กฎภาษี
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,รักษาอัตราเดียวตลอดวงจรการขาย
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,บันทึกเวลานอกแผนเวิร์คสเตชั่ชั่วโมงทำงาน
@@ -4522,7 +4550,7 @@
,Items To Be Requested,รายการที่จะ ได้รับการร้องขอ
DocType: Purchase Order,Get Last Purchase Rate,รับซื้อให้ล่าสุด
DocType: Company,Company Info,ข้อมูล บริษัท
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,เลือกหรือเพิ่มลูกค้าใหม่
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,เลือกหรือเพิ่มลูกค้าใหม่
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,ศูนย์ต้นทุนจะต้องสำรองการเรียกร้องค่าใช้จ่าย
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),การใช้ประโยชน์กองทุน (สินทรัพย์)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,นี้ขึ้นอยู่กับการเข้าร่วมของพนักงานนี้
@@ -4530,27 +4558,29 @@
DocType: Fiscal Year,Year Start Date,วันที่เริ่มต้นปี
DocType: Attendance,Employee Name,ชื่อของพนักงาน
DocType: Sales Invoice,Rounded Total (Company Currency),รวมกลม (สกุลเงิน บริษัท )
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,ไม่สามารถแอบแฝงเข้ากลุ่มเพราะประเภทบัญชีถูกเลือก
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,ไม่สามารถแอบแฝงเข้ากลุ่มเพราะประเภทบัญชีถูกเลือก
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} ถูกแก้ไขแล้ว กรุณาโหลดใหม่อีกครั้ง
DocType: Leave Block List,Stop users from making Leave Applications on following days.,หยุดผู้ใช้จากการทำแอพพลิเคที่เดินทางในวันที่ดังต่อไปนี้
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,ปริมาณการซื้อ
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,ใบเสนอราคาผู้ผลิต {0} สร้าง
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,ปีที่จบการไม่สามารถก่อนที่จะเริ่มปี
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,ผลประโยชน์ของพนักงาน
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,ผลประโยชน์ของพนักงาน
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},ปริมาณ การบรรจุ จะต้องเท่ากับ ปริมาณ สินค้า {0} ในแถว {1}
DocType: Production Order,Manufactured Qty,จำนวนการผลิต
DocType: Purchase Receipt Item,Accepted Quantity,จำนวนที่ยอมรับ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},กรุณาตั้งค่าเริ่มต้นรายการวันหยุดสำหรับพนักงาน {0} หรือ บริษัท {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: ไม่พบ {1}
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: ไม่พบ {1}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,เลือกเลขแบทช์
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,ตั๋วเงินยกให้กับลูกค้า
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Id โครงการ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},แถวไม่มี {0}: จำนวนเงินไม่สามารถจะสูงกว่าจำนวนเงินที่ค้างอยู่กับค่าใช้จ่ายในการเรียกร้อง {1} ที่รอดำเนินการเป็นจำนวน {2}
DocType: Maintenance Schedule,Schedule,กำหนดการ
DocType: Account,Parent Account,บัญชีผู้ปกครอง
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,ที่มีจำหน่าย
DocType: Quality Inspection Reading,Reading 3,Reading 3
,Hub,ดุม
DocType: GL Entry,Voucher Type,ประเภทบัตรกำนัล
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,ราคาไม่พบหรือคนพิการ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,ราคาไม่พบหรือคนพิการ
DocType: Employee Loan Application,Approved,ได้รับการอนุมัติ
DocType: Pricing Rule,Price,ราคา
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',พนักงาน โล่งใจ ที่ {0} จะต้องตั้งค่า เป็น ' ซ้าย '
@@ -4561,7 +4591,8 @@
DocType: Selling Settings,Campaign Naming By,ตั้งชื่อ ตาม แคมเปญ
DocType: Employee,Current Address Is,ที่อยู่ ปัจจุบัน เป็น
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,การแก้ไข
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.",ตัวเลือก ตั้งสกุลเงินเริ่มต้นของ บริษัท ฯ หากไม่ได้ระบุไว้
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.",ตัวเลือก ตั้งสกุลเงินเริ่มต้นของ บริษัท ฯ หากไม่ได้ระบุไว้
+DocType: Sales Invoice,Customer GSTIN,ลูกค้า GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,รายการบันทึกบัญชี
DocType: Delivery Note Item,Available Qty at From Warehouse,จำนวนที่จำหน่ายจากคลังสินค้า
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,กรุณาเลือกพนักงานบันทึกครั้งแรก
@@ -4569,7 +4600,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},แถว {0}: ปาร์ตี้ / บัญชีไม่ตรงกับ {1} / {2} ใน {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,กรุณากรอกบัญชีค่าใช้จ่าย
DocType: Account,Stock,คลังสินค้า
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","แถว # {0}: การอ้างอิงเอกสารชนิดต้องเป็นหนึ่งในการสั่งซื้อ, ซื้อใบแจ้งหนี้หรือวารสารรายการ"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","แถว # {0}: การอ้างอิงเอกสารชนิดต้องเป็นหนึ่งในการสั่งซื้อ, ซื้อใบแจ้งหนี้หรือวารสารรายการ"
DocType: Employee,Current Address,ที่อยู่ปัจจุบัน
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","หากรายการเป็นตัวแปรของรายการอื่นแล้วคำอธิบายภาพ, การกำหนดราคาภาษี ฯลฯ จะถูกตั้งค่าจากแม่นอกจากที่ระบุไว้อย่างชัดเจน"
DocType: Serial No,Purchase / Manufacture Details,รายละเอียด การซื้อ / การผลิต
@@ -4582,8 +4613,8 @@
DocType: Pricing Rule,Min Qty,จำนวนขั้นตำ่
DocType: Asset Movement,Transaction Date,วันที่ทำรายการ
DocType: Production Plan Item,Planned Qty,จำนวนวางแผน
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,ภาษีทั้งหมด
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,สำหรับปริมาณ (ผลิตจำนวน) มีผลบังคับใช้
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,ภาษีทั้งหมด
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,สำหรับปริมาณ (ผลิตจำนวน) มีผลบังคับใช้
DocType: Stock Entry,Default Target Warehouse,คลังสินค้าเป้าหมายเริ่มต้น
DocType: Purchase Invoice,Net Total (Company Currency),รวมสุทธิ (สกุลเงิน บริษัท )
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,ปีวันที่สิ้นสุดไม่สามารถจะเร็วกว่าปีวันเริ่มต้น โปรดแก้ไขวันและลองอีกครั้ง
@@ -4597,15 +4628,12 @@
DocType: Hub Settings,Hub Settings,การตั้งค่า Hub
DocType: Project,Gross Margin %,กำไรขั้นต้น %
DocType: BOM,With Operations,กับการดำเนินงาน
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,รายการบัญชีที่ได้รับการทำในสกุลเงิน {0} สำหรับ บริษัท {1} กรุณาเลือกบัญชีลูกหนี้หรือเจ้าหนี้กับสกุลเงิน {0}
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,รายการบัญชีที่ได้รับการทำในสกุลเงิน {0} สำหรับ บริษัท {1} กรุณาเลือกบัญชีลูกหนี้หรือเจ้าหนี้กับสกุลเงิน {0}
DocType: Asset,Is Existing Asset,เป็นสินทรัพย์ที่มีอยู่
DocType: Salary Detail,Statistical Component,ส่วนประกอบทางสถิติ
DocType: Salary Detail,Statistical Component,ส่วนประกอบทางสถิติ
-,Monthly Salary Register,สมัครสมาชิกเงินเดือน
DocType: Warranty Claim,If different than customer address,หาก แตกต่างจาก ที่อยู่ของลูกค้า
DocType: BOM Operation,BOM Operation,การดำเนินงาน BOM
-DocType: School Settings,Validate the Student Group from Program Enrollment,ยืนยันกลุ่มนักศึกษาจากการลงทะเบียนโปรแกรม
-DocType: School Settings,Validate the Student Group from Program Enrollment,ยืนยันกลุ่มนักศึกษาจากการลงทะเบียนโปรแกรม
DocType: Purchase Taxes and Charges,On Previous Row Amount,เกี่ยวกับจำนวนเงินแถวก่อนหน้า
DocType: Student,Home Address,ที่อยู่บ้าน
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,การโอนสินทรัพย์
@@ -4613,28 +4641,27 @@
DocType: Training Event,Event Name,ชื่องาน
apps/erpnext/erpnext/config/schools.py +39,Admission,การรับเข้า
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},การรับสมัครสำหรับ {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.",ฤดูกาลสำหรับงบประมาณการตั้งค่าเป้าหมาย ฯลฯ
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants",รายการ {0} เป็นแม่แบบโปรดเลือกหนึ่งในตัวแปรของมัน
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.",ฤดูกาลสำหรับงบประมาณการตั้งค่าเป้าหมาย ฯลฯ
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants",รายการ {0} เป็นแม่แบบโปรดเลือกหนึ่งในตัวแปรของมัน
DocType: Asset,Asset Category,ประเภทสินทรัพย์
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,ผู้ซื้อ
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,จ่ายสุทธิ ไม่สามารถ ลบ
DocType: SMS Settings,Static Parameters,พารามิเตอร์คง
DocType: Assessment Plan,Room,ห้อง
DocType: Purchase Order,Advance Paid,จ่ายล่วงหน้า
DocType: Item,Item Tax,ภาษีสินค้า
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,วัสดุในการจัดจำหน่าย
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,สรรพสามิตใบแจ้งหนี้
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,สรรพสามิตใบแจ้งหนี้
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,treshold {0}% ปรากฏมากกว่าหนึ่งครั้ง
DocType: Expense Claim,Employees Email Id,Email รหัสพนักงาน
DocType: Employee Attendance Tool,Marked Attendance,ผู้เข้าร่วมการทำเครื่องหมาย
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,หนี้สินหมุนเวียน
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,หนี้สินหมุนเวียน
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,ส่ง SMS มวลการติดต่อของคุณ
DocType: Program,Program Name,ชื่อโครงการ
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,พิจารณาภาษีหรือคิดค่าบริการสำหรับ
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,จำนวนที่เกิดขึ้นจริงมีผลบังคับใช้
DocType: Employee Loan,Loan Type,ประเภทเงินกู้
DocType: Scheduling Tool,Scheduling Tool,เครื่องมือการตั้งเวลา
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,บัตรเครดิต
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,บัตรเครดิต
DocType: BOM,Item to be manufactured or repacked,รายการที่จะผลิตหรือ repacked
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,ตั้งค่าเริ่มต้น สำหรับการทำธุรกรรม หุ้น
DocType: Purchase Invoice,Next Date,วันที่ถัดไป
@@ -4650,10 +4677,10 @@
DocType: Stock Entry,Repack,หีบห่ออีกครั้ง
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,คุณต้องบันทึกแบบฟอร์มก่อนที่จะดำเนินการต่อ
DocType: Item Attribute,Numeric Values,ค่าที่เป็นตัวเลข
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,แนบ โลโก้
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,แนบ โลโก้
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,ระดับสต็อก
DocType: Customer,Commission Rate,อัตราค่าคอมมิชชั่น
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,ทำให้ตัวแปร
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,ทำให้ตัวแปร
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,ปิดกั้นการใช้งานออกโดยกรม
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer",ประเภทการชำระเงินต้องเป็นหนึ่งในการรับชำระเงินและการโอนเงินภายใน
apps/erpnext/erpnext/config/selling.py +179,Analytics,Analytics
@@ -4661,45 +4688,45 @@
DocType: Vehicle,Model,แบบ
DocType: Production Order,Actual Operating Cost,ต้นทุนการดำเนินงานที่เกิดขึ้นจริง
DocType: Payment Entry,Cheque/Reference No,เช็ค / อ้างอิง
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,ราก ไม่สามารถแก้ไขได้
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,ราก ไม่สามารถแก้ไขได้
DocType: Item,Units of Measure,หน่วยวัด
DocType: Manufacturing Settings,Allow Production on Holidays,อนุญาตให้ผลิตในวันหยุด
DocType: Sales Order,Customer's Purchase Order Date,วันที่สั่งซื้อของลูกค้าสั่งซื้อ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,ทุนหลักทรัพย์
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,ทุนหลักทรัพย์
DocType: Shopping Cart Settings,Show Public Attachments,แสดงเอกสารแนบสาธารณะ
DocType: Packing Slip,Package Weight Details,รายละเอียดแพคเกจน้ำหนัก
DocType: Payment Gateway Account,Payment Gateway Account,บัญชี Gateway การชำระเงิน
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,หลังจากเสร็จสิ้นการชำระเงินเปลี่ยนเส้นทางผู้ใช้ไปยังหน้าเลือก
DocType: Company,Existing Company,บริษัท ที่มีอยู่
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",หมวดหมู่ภาษีได้เปลี่ยนเป็น "ยอดรวม" แล้วเนื่องจากรายการทั้งหมดเป็นรายการที่ไม่ใช่สต็อค
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,เลือกไฟล์ CSV
DocType: Student Leave Application,Mark as Present,มาร์คเป็นปัจจุบัน
DocType: Purchase Order,To Receive and Bill,การรับและบิล
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,แนะนำผลิตภัณฑ์
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,นักออกแบบ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,นักออกแบบ
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,ข้อตกลงและเงื่อนไขของแม่แบบ
DocType: Serial No,Delivery Details,รายละเอียดการจัดส่งสินค้า
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},ศูนย์ต้นทุน ที่จะต้อง อยู่ในแถว {0} ในตาราง ภาษี สำหรับประเภท {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},ศูนย์ต้นทุน ที่จะต้อง อยู่ในแถว {0} ในตาราง ภาษี สำหรับประเภท {1}
DocType: Program,Program Code,รหัสโปรแกรม
DocType: Terms and Conditions,Terms and Conditions Help,ข้อตกลงและเงื่อนไขช่วยเหลือ
,Item-wise Purchase Register,สมัครสมาชิกสั่งซื้อสินค้าที่ชาญฉลาด
DocType: Batch,Expiry Date,วันหมดอายุ
-,Supplier Addresses and Contacts,ที่อยู่ ของผู้ผลิต และผู้ติดต่อ
,accounts-browser,บัญชีเบราว์เซอร์
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,กรุณาเลือก หมวดหมู่ แรก
apps/erpnext/erpnext/config/projects.py +13,Project master.,ต้นแบบโครงการ
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.",ในการอนุญาตให้มากกว่าการเรียกเก็บเงินหรือการสั่งซื้ออัปเดต "ค่าเผื่อ" ในการตั้งค่าการแจ้งหรือรายการ
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.",ในการอนุญาตให้มากกว่าการเรียกเก็บเงินหรือการสั่งซื้ออัปเดต "ค่าเผื่อ" ในการตั้งค่าการแจ้งหรือรายการ
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,ไม่แสดงสัญลักษณ์ใด ๆ เช่น ฯลฯ $ ต่อไปกับเงินสกุล
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(ครึ่งวัน)
DocType: Supplier,Credit Days,วันเครดิต
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,สร้างกลุ่มนักศึกษา
DocType: Leave Type,Is Carry Forward,เป็น Carry Forward
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,รับสินค้า จาก BOM
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,รับสินค้า จาก BOM
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,นำวันเวลา
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},แถว # {0}: โพสต์วันที่ต้องเป็นเช่นเดียวกับวันที่ซื้อ {1} สินทรัพย์ {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},แถว # {0}: โพสต์วันที่ต้องเป็นเช่นเดียวกับวันที่ซื้อ {1} สินทรัพย์ {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,โปรดป้อนคำสั่งขายในตารางข้างต้น
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,ไม่ได้ส่งสลิปเงินเดือน
,Stock Summary,แจ้งข้อมูลอย่างย่อ
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,โอนสินทรัพย์จากที่หนึ่งไปยังอีกคลังสินค้า
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,โอนสินทรัพย์จากที่หนึ่งไปยังอีกคลังสินค้า
DocType: Vehicle,Petrol,เบนซิน
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Bill of Materials
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},แถว {0}: ประเภทพรรคและพรรคเป็นสิ่งจำเป็นสำหรับลูกหนี้ / เจ้าหนี้บัญชี {1}
@@ -4710,6 +4737,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,จำนวนตามทำนองคลองธรรม
DocType: GL Entry,Is Opening,คือการเปิด
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},แถว {0}: รายการเดบิตไม่สามารถเชื่อมโยงกับ {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,บัญชี {0} ไม่อยู่
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,บัญชี {0} ไม่อยู่
DocType: Account,Cash,เงินสด
DocType: Employee,Short biography for website and other publications.,ชีวประวัติสั้นสำหรับเว็บไซต์และสิ่งพิมพ์อื่น ๆ
diff --git a/erpnext/translations/tr.csv b/erpnext/translations/tr.csv
index e7c6690..dd49a4b 100644
--- a/erpnext/translations/tr.csv
+++ b/erpnext/translations/tr.csv
@@ -7,12 +7,12 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Tüketici Ürünleri
DocType: Item,Customer Items,Müşteri Öğeler
DocType: Project,Costing and Billing,Maliyet ve Faturalandırma
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Hesap {0}: Ana hesap {1} bir defter olamaz
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Hesap {0}: Ana hesap {1} bir defter olamaz
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Hesap {0}: Ana hesap {1} bir defter olamaz
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Hesap {0}: Ana hesap {1} bir defter olamaz
DocType: Item,Publish Item to hub.erpnext.com,Hub.erpnext.com için Öğe Yayınla
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,E-posta Bildirimleri
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,E-posta Bildirimleri
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Değerlendirme
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,Değerlendirme
DocType: Item,Default Unit of Measure,Varsayılan Ölçü Birimi
DocType: SMS Center,All Sales Partner Contact,Bütün Satış Ortakları İrtibatları
DocType: Employee,Leave Approvers,İzin Onaylayanlar
@@ -44,7 +44,7 @@
DocType: Sales Invoice,Customer Name,Müşteri Adı
DocType: Sales Invoice,Customer Name,Müşteri Adı
DocType: Vehicle,Natural Gas,Doğal gaz
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Banka hesabı olarak adlandırılan olamaz {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Banka hesabı olarak adlandırılan olamaz {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Kafaları (veya gruplar) kendisine karşı Muhasebe Girişler yapılır ve dengeler korunur.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),{0} için bekleyen sıfırdan az olamaz ({1})
DocType: Manufacturing Settings,Default 10 mins,10 dakika Standart
@@ -61,12 +61,12 @@
DocType: Support Settings,Support Settings,Destek Ayarları
DocType: SMS Parameter,Parameter,Parametre
DocType: SMS Parameter,Parameter,Parametre
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Beklenen Bitiş Tarihi Beklenen Başlangıç Tarihinden daha az olamaz
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Beklenen Bitiş Tarihi Beklenen Başlangıç Tarihinden daha az olamaz
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,Satır # {0}: Puan aynı olmalıdır {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Yeni İzin Uygulaması
,Batch Item Expiry Status,Toplu Öğe Bitiş Durumu
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Banka Havalesi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Banka poliçesi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Banka Havalesi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Banka poliçesi
DocType: Mode of Payment Account,Mode of Payment Account,Ödeme Şekli Hesabı
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Göster Varyantlar
DocType: Academic Term,Academic Term,Akademik Dönem
@@ -74,11 +74,11 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Miktar
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Miktar
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Hesap Tablosu boş olamaz.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Krediler (Yükümlülükler)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Krediler (Yükümlülükler)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Krediler (Yükümlülükler)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Krediler (Yükümlülükler)
DocType: Employee Education,Year of Passing,Geçiş Yılı
DocType: Item,Country of Origin,Menşei ülke
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,Stokta Var
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,Stokta Var
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Açık sorunlar
DocType: Production Plan Item,Production Plan Item,Üretim Planı nesnesi
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Kullanıcı {0} zaten Çalışan {1} e atanmış
@@ -86,7 +86,7 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Sağlık hizmeti
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Ödeme Gecikme (Gün)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,hizmet Gideri
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},"Seri Numarası: {0}, Satış Faturasında zaten atıfta bulunuldu: {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},"Seri Numarası: {0}, Satış Faturasında zaten atıfta bulunuldu: {1}"
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Fatura
DocType: Maintenance Schedule Item,Periodicity,Periyodik olarak tekrarlanma
DocType: Maintenance Schedule Item,Periodicity,Periyodik olarak tekrarlanma
@@ -102,21 +102,21 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Satır # {0}:
DocType: Timesheet,Total Costing Amount,Toplam Maliyet Tutarı
DocType: Delivery Note,Vehicle No,Araç No
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,Fiyat Listesi seçiniz
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Fiyat Listesi seçiniz
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Satır # {0}: Ödeme belge trasaction tamamlamak için gereklidir
DocType: Production Order Operation,Work In Progress,Devam eden iş
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,tarih seçiniz
DocType: Employee,Holiday List,Tatil Listesi
DocType: Employee,Holiday List,Tatil Listesi
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Muhasebeci
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Muhasebeci
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Muhasebeci
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Muhasebeci
DocType: Cost Center,Stock User,Hisse Senedi Kullanıcı
DocType: Company,Phone No,Telefon No
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Ders Programları oluşturuldu:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Yeni {0}: # {1}
,Sales Partners Commission,Satış Ortakları Komisyonu
,Sales Partners Commission,Satış Ortakları Komisyonu
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Kısaltma 5 karakterden fazla olamaz.
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Kısaltma 5 karakterden fazla olamaz.
DocType: Payment Request,Payment Request,Ödeme isteği
DocType: Asset,Value After Depreciation,Amortisman sonra değer
DocType: Employee,O+,O +
@@ -124,6 +124,7 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,Seyirci tarih çalışanın katılmadan tarihten daha az olamaz
DocType: Grading Scale,Grading Scale Name,Not Verme Ölçeği Adı
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Bu bir kök hesabıdır ve düzenlenemez.
+DocType: Sales Invoice,Company Address,şirket adresi
DocType: BOM,Operations,Operasyonlar
DocType: BOM,Operations,Operasyonlar
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},{0} için indirim temelinde yetki ayarlanamaz
@@ -131,8 +132,8 @@
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} Aktif mali dönem içinde değil.
DocType: Packed Item,Parent Detail docname,Ana Detay belgesi adı
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Referans: {0}, Ürün Kodu: {1} ve Müşteri: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Kilogram
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Kilogram
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Kilogram
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Kilogram
DocType: Student Log,Log,Giriş
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,İş Açılışı.
DocType: Item Attribute,Increment,Artım
@@ -142,9 +143,9 @@
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Aynı şirket birden fazla girilir
DocType: Employee,Married,Evli
DocType: Employee,Married,Evli
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Izin verilmez {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Izin verilmez {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Öğeleri alın
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Stok İrsaliye {0} karşısı güncellenmez
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Stok İrsaliye {0} karşısı güncellenmez
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Ürün {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Listelenen öğe yok
DocType: Payment Reconciliation,Reconcile,Uzlaştırmak
@@ -158,25 +159,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Sonraki Amortisman Tarihi Satın Alma Tarihinden önce olamaz
DocType: SMS Center,All Sales Person,Bütün Satış Kişileri
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,İşinizde sezonluk değişkenlik varsa **Aylık Dağılım** Bütçe/Hedef'i aylara dağıtmanıza yardımcı olur.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,ürün bulunamadı
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,ürün bulunamadı
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Maaş Yapısı Eksik
DocType: Lead,Person Name,Kişi Adı
DocType: Sales Invoice Item,Sales Invoice Item,Satış Faturası Ürünü
DocType: Account,Credit,Kredi
DocType: POS Profile,Write Off Cost Center,Borç Silme Maliyet Merkezi
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""","örneğin, "İlköğretim Okulu" ya da "Üniversite""
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""","örneğin, "İlköğretim Okulu" ya da "Üniversite""
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Stok Raporları
DocType: Warehouse,Warehouse Detail,Depo Detayı
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Kredi limiti müşteri için aşıldı {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Kredi limiti müşteri için aşıldı {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Dönem Bitiş Tarihi sonradan terim bağlantılı olduğu için Akademik Yılı Yıl Sonu tarihi daha olamaz (Akademik Yılı {}). tarihleri düzeltmek ve tekrar deneyin.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","'Sabit Varlıktır' seçimi kaldırılamaz, çünkü Varlık kayıtları bulunuyor"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","'Sabit Varlıktır' seçimi kaldırılamaz, çünkü Varlık kayıtları bulunuyor"
DocType: Vehicle Service,Brake Oil,fren Yağı
DocType: Tax Rule,Tax Type,Vergi Türü
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},{0} dan önceki girdileri ekleme veya güncelleme yetkiniz yok
DocType: BOM,Item Image (if not slideshow),Ürün Görüntü (yoksa slayt)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Aynı isimle bulunan bir müşteri
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Saat Hızı / 60) * Gerçek Çalışma Süresi
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,seç BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,seç BOM
DocType: SMS Log,SMS Log,SMS Kayıtları
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Teslim Öğeler Maliyeti
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,{0} üzerinde tatil Tarihten itibaren ve Tarihi arasında değil
@@ -187,15 +188,15 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Gönderen {0} için {1}
DocType: Item,Copy From Item Group,Ürün Grubundan kopyalayın
DocType: Journal Entry,Opening Entry,Açılış Girdisi
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Müşteri> Müşteri Grubu> Bölge
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Hesabı yalnızca öde
DocType: Employee Loan,Repay Over Number of Periods,Sürelerinin Üzeri sayısı Repay
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},"{0} - {1}, verilen {2} alan adına kayıtlı değil"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},"{0} - {1}, verilen {2} alan adına kayıtlı değil"
DocType: Stock Entry,Additional Costs,Ek maliyetler
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,İşlem görmüş hesaplar gruba dönüştürülemez.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,İşlem görmüş hesaplar gruba dönüştürülemez.
DocType: Lead,Product Enquiry,Ürün Sorgulama
DocType: Lead,Product Enquiry,Ürün Sorgulama
DocType: Academic Term,Schools,Okullar
+DocType: School Settings,Validate Batch for Students in Student Group,Öğrenci Topluluğundaki Öğrenciler İçin Toplu İşi Doğrula
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},çalışan için bulunamadı izin rekor {0} için {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Lütfen ilk önce şirketi girin
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,İlk Şirket seçiniz
@@ -206,56 +207,55 @@
DocType: Journal Entry Account,Employee Loan,Çalışan Kredi
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Etkinlik Günlüğü:
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Etkinlik Günlüğü:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,Ürün {0} sistemde yoktur veya süresi dolmuştur
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Ürün {0} sistemde yoktur veya süresi dolmuştur
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Gayrimenkul
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Gayrimenkul
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Hesap Beyanı
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Ecza
DocType: Purchase Invoice Item,Is Fixed Asset,Sabit Varlık
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Uygun miktar {0}, ihtiyacınız {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Uygun miktar {0}, ihtiyacınız {1}"
DocType: Expense Claim Detail,Claim Amount,Hasar Tutarı
DocType: Expense Claim Detail,Claim Amount,Hasar Tutarı
-DocType: Employee,Mr,Bay
-DocType: Employee,Mr,Bay
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,cutomer grubu tablosunda bulunan yinelenen müşteri grubu
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Tedarikçi Türü / Tedarikçi
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Tedarikçi Türü / Tedarikçi
DocType: Naming Series,Prefix,Önek
DocType: Naming Series,Prefix,Önek
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Tüketilir
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Tüketilir
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,İthalat Günlüğü
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Yukarıdaki kriterlere dayalı tip Üretim Malzeme İsteği çekin
DocType: Training Result Employee,Grade,sınıf
DocType: Sales Invoice Item,Delivered By Supplier,Tedarikçi Tarafından Teslim
DocType: SMS Center,All Contact,Tüm İrtibatlar
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Üretim Sipariş zaten BOM ile tüm öğeler için yaratılmış
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Yıllık Gelir
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Üretim Sipariş zaten BOM ile tüm öğeler için yaratılmış
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Yıllık Gelir
DocType: Daily Work Summary,Daily Work Summary,Günlük Çalışma Özeti
DocType: Period Closing Voucher,Closing Fiscal Year,Mali Yılı Kapanış
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} donduruldu
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Hesap tablosu oluşturmak için Varolan Firma seçiniz
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Stok Giderleri
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Stok Giderleri
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} donduruldu
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Hesap tablosu oluşturmak için Varolan Firma seçiniz
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Stok Giderleri
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Stok Giderleri
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Hedef Ambarı'nı seçin
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Hedef Ambarı'nı seçin
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,Tercih İletişim Email giriniz
+DocType: Program Enrollment,School Bus,Okul otobüsü
DocType: Journal Entry,Contra Entry,Hesaba Alacak Girişi
DocType: Journal Entry Account,Credit in Company Currency,Şirket Para Kredi
DocType: Delivery Note,Installation Status,Kurulum Durumu
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Eğer yoklama güncellemek istiyor musunuz? <br> Mevcut: {0} \ <br> Yok: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Onaylanan ve reddedilen miktarların toplamı alınan ürün miktarına eşit olmak zorundadır. {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Onaylanan ve reddedilen miktarların toplamı alınan ürün miktarına eşit olmak zorundadır. {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Tedarik Hammadde Satın Alma için
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,Ödeme en az bir mod POS fatura için gereklidir.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,Ödeme en az bir mod POS fatura için gereklidir.
DocType: Products Settings,Show Products as a List,Ürünlerine bir liste olarak
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records",", Şablon İndir uygun verileri doldurmak ve değiştirilmiş dosya ekleyin.
Seçilen dönemde tüm tarihler ve çalışan kombinasyonu mevcut katılım kayıtları ile, şablonda gelecek"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,Ürün {0} aktif değil veya kullanım ömrünün sonuna gelindi
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Örnek: Temel Matematik
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Satır {0} a vergi eklemek için {1} satırlarındaki vergiler de dahil edilmelidir
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Ürün {0} aktif değil veya kullanım ömrünün sonuna gelindi
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Örnek: Temel Matematik
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",Satır {0} a vergi eklemek için {1} satırlarındaki vergiler de dahil edilmelidir
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,İK Modülü Ayarları
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,İK Modülü Ayarları
DocType: SMS Center,SMS Center,SMS Merkezi
@@ -269,8 +269,8 @@
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Çalışan Girişi Yap
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Yayın
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Yayın
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Yerine Getirme
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Yerine Getirme
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Yerine Getirme
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Yerine Getirme
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Operasyonların detayları gerçekleştirdi.
DocType: Serial No,Maintenance Status,Bakım Durumu
DocType: Serial No,Maintenance Status,Bakım Durumu
@@ -302,7 +302,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,tırnak talebi aşağıdaki linke tıklayarak ulaşabilirsiniz
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Yıllık tahsis izni.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG Oluşturma Aracı Kursu
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,Yetersiz Stok
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,Yetersiz Stok
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Devre Dışı Bırak Kapasite Planlama ve Zaman Takip
DocType: Email Digest,New Sales Orders,Yeni Satış Emirleri
DocType: Bank Guarantee,Bank Account,Banka Hesabı
@@ -316,8 +316,9 @@
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},Peşin miktar daha büyük olamaz {0} {1}
DocType: Naming Series,Series List for this Transaction,Bu İşlem için Seri Listesi
DocType: Naming Series,Series List for this Transaction,Bu İşlem için Seri Listesi
+DocType: Company,Enable Perpetual Inventory,Sürekli Envanteri Etkinleştir
DocType: Company,Default Payroll Payable Account,Standart Bordro Ödenecek Hesap
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Güncelleme E-posta Grubu
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Güncelleme E-posta Grubu
DocType: Sales Invoice,Is Opening Entry,Açılış Girdisi
DocType: Customer Group,Mention if non-standard receivable account applicable,Mansiyon standart dışı alacak hesabı varsa
DocType: Course Schedule,Instructor Name,Öğretim Elemanının Adı
@@ -330,13 +331,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,Satış Faturası Ürün Karşılığı
,Production Orders in Progress,Devam eden Üretim Siparişleri
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Finansman Sağlanan Net Nakit
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","YerelDepolama dolu, tasarruf etmedi"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","YerelDepolama dolu, tasarruf etmedi"
DocType: Lead,Address & Contact,Adres ve İrtibat
DocType: Leave Allocation,Add unused leaves from previous allocations,Önceki tahsisleri kullanılmayan yaprakları ekleyin
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Sonraki Dönüşümlü {0} üzerinde oluşturulur {1}
DocType: Sales Partner,Partner website,Ortak web sitesi
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Ürün Ekle
-,Contact Name,İletişim İsmi
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,İletişim İsmi
DocType: Course Assessment Criteria,Course Assessment Criteria,Ders Değerlendirme Kriterleri
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Yukarıda belirtilen kriterler için maaş makbuzu oluştur.
DocType: POS Customer Group,POS Customer Group,POS Müşteri Grubu
@@ -345,19 +346,19 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Açıklama verilmemiştir
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Satın alma talebi
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,"Bu, bu projeye karşı oluşturulan Zaman kağıtları dayanmaktadır"
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Net Ücret az 0 olamaz
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Net Ücret az 0 olamaz
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Yalnızca seçilen izin onaylayıcı bu İzin uygulamasını verebilir
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Ayrılma tarihi Katılma tarihinden sonra olmalıdır
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Yıl başına bırakır
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Yıl başına bırakır
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Satır {0}: kontrol edin Hesabı karşı 'Advance mı' {1} Bu bir avans giriş ise.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Depo {0} Şirket {1}e ait değildir
DocType: Email Digest,Profit & Loss,Kar kaybı
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Litre
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Litre
DocType: Task,Total Costing Amount (via Time Sheet),(Zaman Formu aracılığıyla) Toplam Maliyet Tutarı
DocType: Item Website Specification,Item Website Specification,Ürün Web Sitesi Özellikleri
DocType: Item Website Specification,Item Website Specification,Ürün Web Sitesi Özellikleri
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,İzin engellendi
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Ürün {0} {1}de kullanım ömrünün sonuna gelmiştir.
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Ürün {0} {1}de kullanım ömrünün sonuna gelmiştir.
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Banka Girişler
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Yıllık
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Yıllık
@@ -366,10 +367,10 @@
DocType: Material Request Item,Min Order Qty,Minimum sipariş miktarı
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Öğrenci Grubu Oluşturma Aracı Kursu
DocType: Lead,Do Not Contact,İrtibata Geçmeyin
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,kuruluşunuz öğretmek insanlar
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,kuruluşunuz öğretmek insanlar
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Bütün mükerrer faturaları izlemek için özel kimlik. Teslimatta oluşturulacaktır.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Yazılım Geliştirici
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Yazılım Geliştirici
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Yazılım Geliştirici
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Yazılım Geliştirici
DocType: Item,Minimum Order Qty,Minimum Sipariş Miktarı
DocType: Pricing Rule,Supplier Type,Tedarikçi Türü
DocType: Pricing Rule,Supplier Type,Tedarikçi Türü
@@ -379,12 +380,12 @@
DocType: Item,Publish in Hub,Hub Yayınla
DocType: Student Admission,Student Admission,Öğrenci Kabulü
,Terretory,Bölge
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Ürün {0} iptal edildi
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Ürün {0} iptal edildi
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Malzeme Talebi
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Malzeme Talebi
DocType: Bank Reconciliation,Update Clearance Date,Güncelleme Alma Tarihi
DocType: Item,Purchase Details,Satın alma Detayları
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Satın Alma Emri 'Hammadde Tedarik' tablosunda bulunamadı Item {0} {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Satın Alma Emri 'Hammadde Tedarik' tablosunda bulunamadı Item {0} {1}
DocType: Employee,Relation,İlişki
DocType: Shipping Rule,Worldwide Shipping,Dünya çapında Nakliye
DocType: Student Guardian,Mother,anne
@@ -408,6 +409,7 @@
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Son
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Son
DocType: Vehicle Service,Inspection,muayene
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Liste
DocType: Email Digest,New Quotations,Yeni Fiyat Teklifleri
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,Çalışan seçilen tercih edilen e-posta dayalı çalışana e-postalar maaş kayma
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,İlk kullanıcı sistem yöneticisi olacaktır (daha sonra değiştirebilirsiniz)
@@ -416,20 +418,20 @@
DocType: Asset,Next Depreciation Date,Bir sonraki değer kaybı tarihi
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Çalışan başına Etkinlik Maliyeti
DocType: Accounts Settings,Settings for Accounts,Hesaplar için Ayarlar
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},"Tedarikçi Fatura Numarası, {0} nolu Satınalma Faturasında bulunuyor."
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},"Tedarikçi Fatura Numarası, {0} nolu Satınalma Faturasında bulunuyor."
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Satış Elemanı Ağacını Yönetin.
DocType: Job Applicant,Cover Letter,Ön yazı
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Üstün Çekler ve temizlemek için Mevduat
DocType: Item,Synced With Hub,Hub ile Senkronize
DocType: Vehicle,Fleet Manager,Filo Yöneticisi
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Satır # {0}: {1} öğe için negatif olamaz {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Yanlış Şifre
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Yanlış Şifre
DocType: Item,Variant Of,Of Varyant
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',Daha 'Miktar imalatı için' Tamamlandı Adet büyük olamaz
DocType: Period Closing Voucher,Closing Account Head,Kapanış Hesap Başkanı
DocType: Employee,External Work History,Dış Çalışma Geçmişi
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Dairesel Referans Hatası
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1 Adı
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 Adı
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Tutarın Yazılı Hali (İhracat) İrsaliyeyi kaydettiğinizde görünür olacaktır.
DocType: Cheque Print Template,Distance from left edge,sol kenarından olan uzaklık
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} miktar [{1}](#Form/Item/{1}) bulunduğu yer [{2}](#Form/Warehouse/{2})
@@ -440,11 +442,11 @@
DocType: Journal Entry,Multi Currency,Çoklu Para Birimi
DocType: Payment Reconciliation Invoice,Invoice Type,Fatura Türü
DocType: Payment Reconciliation Invoice,Invoice Type,Fatura Türü
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,İrsaliye
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,İrsaliye
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Vergiler kurma
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Satılan Varlığın Maliyeti
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,Bunu çekti sonra Ödeme Giriş modifiye edilmiştir. Tekrar çekin lütfen.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} iki kere ürün vergisi girildi
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Bunu çekti sonra Ödeme Giriş modifiye edilmiştir. Tekrar çekin lütfen.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} iki kere ürün vergisi girildi
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Bu hafta ve bekleyen aktiviteler için Özet
DocType: Student Applicant,Admitted,Başvuruldu
DocType: Workstation,Rent Cost,Kira Bedeli
@@ -464,23 +466,24 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,Ayın 'Belli Gününde Tekrarla' alanına değer giriniz
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Müşteri Para Biriminin Müşterinin temel birimine dönüştürülme oranı
DocType: Course Scheduling Tool,Course Scheduling Tool,Ders Planlama Aracı
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Satır # {0}: Alış Fatura varolan varlık karşı yapılamaz {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Satır # {0}: Alış Fatura varolan varlık karşı yapılamaz {1}
DocType: Item Tax,Tax Rate,Vergi Oranı
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} zaten Çalışan tahsis {1} dönem {2} için {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Öğe Seç
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Satın alma Faturası {0} zaten teslim edildi
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Satın alma Faturası {0} zaten teslim edildi
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Satır # {0}: Toplu Hayır aynı olmalıdır {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Olmayan gruba dönüştürme
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Bir Öğe toplu (lot).
DocType: C-Form Invoice Detail,Invoice Date,Fatura Tarihi
DocType: C-Form Invoice Detail,Invoice Date,Fatura Tarihi
DocType: GL Entry,Debit Amount,Borç Tutarı
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Sadece Şirket'in başına 1 Hesap olabilir {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,Eke bakın
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Sadece Şirket'in başına 1 Hesap olabilir {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,Eke bakın
DocType: Purchase Order,% Received,% Alındı
DocType: Purchase Order,% Received,% Alındı
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Öğrenci Grupları Oluşturma
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Kurulum Tamamlandı!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Kredi Not Tutarı
,Finished Goods,Mamüller
,Finished Goods,Mamüller
DocType: Delivery Note,Instructions,Talimatlar
@@ -488,6 +491,7 @@
DocType: Quality Inspection,Inspected By,Denetleyen
DocType: Maintenance Visit,Maintenance Type,Bakım Türü
DocType: Maintenance Visit,Maintenance Type,Bakım Türü
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} Kurs {2} 'e kayıtlı değil
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Seri No {0} İrsaliye {1} e ait değil
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demosu
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Ürünler Ekle
@@ -513,7 +517,7 @@
DocType: Request for Quotation,Request for Quotation,Fiyat Teklif Talebi
DocType: Salary Slip Timesheet,Working Hours,Iş saatleri
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Varolan bir serinin başlangıç / geçerli sıra numarasını değiştirin.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Yeni müşteri oluştur
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Yeni müşteri oluştur
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Birden fazla fiyatlandırma Kuralo hakimse, kullanıcılardan zorunu çözmek için Önceliği elle ayarlamaları istenir"
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Satınalma Siparişleri oluşturun
,Purchase Register,Satın alma kaydı
@@ -528,7 +532,7 @@
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Kaybetme nedeni
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Kaybetme nedeni
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Kurşun Sahibi Kurşun gibi aynı olamaz
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,"Ayrılmış miktar, ayarlanmamış miktardan büyük olamaz."
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,"Ayrılmış miktar, ayarlanmamış miktardan büyük olamaz."
DocType: Announcement,Receiver,Alıcı
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},İş İstasyonu Tatil List göre aşağıdaki tarihlerde kapalı: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Fırsatlar
@@ -546,8 +550,7 @@
DocType: Assessment Plan,Examiner Name,sınav Adı
DocType: Purchase Invoice Item,Quantity and Rate,Miktarı ve Oranı
DocType: Delivery Note,% Installed,% Montajlanan
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,Derslik / dersler planlanmış olabilir Laboratuvarlar vb.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Tedarikçi> Tedarikçi Türü
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,Derslik / dersler planlanmış olabilir Laboratuvarlar vb.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Lütfen ilk önce şirket adını girin
DocType: Purchase Invoice,Supplier Name,Tedarikçi Adı
DocType: Purchase Invoice,Supplier Name,Tedarikçi Adı
@@ -558,7 +561,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Kontrol Tedarikçi Fatura Numarası Teklik
DocType: Vehicle Service,Oil Change,Yağ değişimi
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','Son Olay No' 'İlk Olay No' dan küçük olamaz.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Kar Yok
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Kar Yok
DocType: Production Order,Not Started,Başlatan Değil
DocType: Lead,Channel Partner,Kanal Ortağı
DocType: Lead,Channel Partner,Kanal Ortağı
@@ -570,7 +573,7 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Tüm üretim süreçleri için genel ayarlar.
DocType: Accounts Settings,Accounts Frozen Upto,Dondurulmuş hesaplar
DocType: SMS Log,Sent On,Gönderim Zamanı
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Özellik {0} Nitelikler Tablo birden çok kez seçilmiş
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Özellik {0} Nitelikler Tablo birden çok kez seçilmiş
DocType: HR Settings,Employee record is created using selected field. ,Çalışan kaydı seçilen alan kullanılarak yapılmıştır
DocType: Sales Order,Not Applicable,Uygulanamaz
DocType: Sales Order,Not Applicable,Uygulanamaz
@@ -578,16 +581,14 @@
DocType: Request for Quotation Item,Required Date,Gerekli Tarih
DocType: Request for Quotation Item,Required Date,Gerekli Tarih
DocType: Delivery Note,Billing Address,Faturalama Adresi
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Ürün Kodu girin.
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Ürün Kodu girin.
DocType: BOM,Costing,Maliyetlendirme
DocType: BOM,Costing,Maliyetlendirme
DocType: Tax Rule,Billing County,fatura İlçe
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","İşaretli ise, vergi miktarının hali hazırda Basım Oranında/Basım Miktarında dahil olduğu düşünülecektir"
DocType: Request for Quotation,Message for Supplier,Tedarikçi için mesaj
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Toplam Adet
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 E-posta Kimliği
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 E-posta Kimliği
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 E-posta Kimliği
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 E-posta Kimliği
DocType: Item,Show in Website (Variant),Web Sitesi göster (Varyant)
DocType: Employee,Health Concerns,Sağlık Sorunları
DocType: Process Payroll,Select Payroll Period,Bordro Dönemi seçin
@@ -607,29 +608,31 @@
DocType: Sales Order Item,Used for Production Plan,Üretim Planı için kullanılan
DocType: Employee Loan,Total Payment,Toplam ödeme
DocType: Manufacturing Settings,Time Between Operations (in mins),(Dakika içinde) Operasyonlar Arası Zaman
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,"{0} {1} iptal edildi, böylece işlem tamamlanamadı"
DocType: Customer,Buyer of Goods and Services.,Mal ve Hizmet Alıcı.
DocType: Journal Entry,Accounts Payable,Vadesi gelmiş hesaplar
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Seçilen malzeme listeleri aynı madde için değildir
DocType: Pricing Rule,Valid Upto,Tarihine kadar geçerli
DocType: Training Event,Workshop,Atölye
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Müşterilerinizin birkaçını listeleyin. Bunlar kuruluşlar veya bireyler olabilir.
-,Enough Parts to Build,Yeter Parçaları Build
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Doğrudan Gelir
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Doğrudan Gelir
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Müşterilerinizin birkaçını listeleyin. Bunlar kuruluşlar veya bireyler olabilir.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Yeter Parçaları Build
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Doğrudan Gelir
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Doğrudan Gelir
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Hesap, olarak gruplandırıldı ise Hesaba dayalı filtreleme yapamaz"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,İdari Memur
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,İdari Memur
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Lütfen Kursu seçin
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Lütfen Kursu seçin
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,İdari Memur
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,İdari Memur
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Lütfen Kursu seçin
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Lütfen Kursu seçin
DocType: Timesheet Detail,Hrs,saat
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Firma seçiniz
DocType: Stock Entry Detail,Difference Account,Fark Hesabı
DocType: Stock Entry Detail,Difference Account,Fark Hesabı
+DocType: Purchase Invoice,Supplier GSTIN,Tedarikçi GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Bağımlı görevi {0} kapalı değil yakın bir iş değildir Can.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Malzeme Talebinin yapılacağı Depoyu girin
DocType: Production Order,Additional Operating Cost,Ek İşletme Maliyeti
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Bakım ürünleri
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Birleştirmek için, aşağıdaki özellikler her iki Ürün için de aynı olmalıdır"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Birleştirmek için, aşağıdaki özellikler her iki Ürün için de aynı olmalıdır"
DocType: Shipping Rule,Net Weight,Net Ağırlık
DocType: Employee,Emergency Phone,Acil Telefon
DocType: Employee,Emergency Phone,Acil Telefon
@@ -641,7 +644,7 @@
DocType: Sales Order,To Deliver,Teslim edilecek
DocType: Purchase Invoice Item,Item,Ürün
DocType: Purchase Invoice Item,Item,Ürün
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Seri hiçbir öğe bir kısmını olamaz
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Seri hiçbir öğe bir kısmını olamaz
DocType: Journal Entry,Difference (Dr - Cr),Fark (Dr - Cr)
DocType: Journal Entry,Difference (Dr - Cr),Fark (Dr - Cr)
DocType: Account,Profit and Loss,Kar ve Zarar
@@ -649,8 +652,8 @@
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Yönetme Taşeronluk
DocType: Project,Project will be accessible on the website to these users,Proje internet sitesinde şu kullanıcılar için erişilebilir olacak
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Fiyat listesi para biriminin şirketin temel para birimine dönüştürülme oranı
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Hesap {0} Şirkete ait değil: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Kısaltma zaten başka bir şirket için kullanılıyor
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Hesap {0} Şirkete ait değil: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Kısaltma zaten başka bir şirket için kullanılıyor
DocType: Selling Settings,Default Customer Group,Varsayılan Müşteri Grubu
DocType: Selling Settings,Default Customer Group,Varsayılan Müşteri Grubu
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Devre dışıysa, 'Yuvarlanmış Toplam' alanı hiçbir işlemde görünmeyecektir."
@@ -659,7 +662,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Artım 0 olamaz
DocType: Production Planning Tool,Material Requirement,Malzeme İhtiyacı
DocType: Company,Delete Company Transactions,Şirket İşlemleri sil
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Referans No ve Referans Tarih Banka işlem için zorunludur
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Referans No ve Referans Tarih Banka işlem için zorunludur
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Ekle / Düzenle Vergi ve Harçlar
DocType: Purchase Invoice,Supplier Invoice No,Tedarikçi Fatura No
DocType: Purchase Invoice,Supplier Invoice No,Tedarikçi Fatura No
@@ -674,11 +677,11 @@
DocType: Production Plan Item,Pending Qty,Bekleyen Adet
DocType: Budget,Ignore,Yoksay
DocType: Budget,Ignore,Yoksay
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} aktif değil
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} aktif değil
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS aşağıdaki numaralardan gönderilen: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,Baskı için Kurulum onay boyutları
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Baskı için Kurulum onay boyutları
DocType: Salary Slip,Salary Slip Timesheet,Maaş Kayma Zaman Çizelgesi
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Alt Sözleşmeye bağlı Alım makbuzu için Tedarikçi deposu zorunludur
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Alt Sözleşmeye bağlı Alım makbuzu için Tedarikçi deposu zorunludur
DocType: Pricing Rule,Valid From,Itibaren geçerli
DocType: Pricing Rule,Valid From,Itibaren geçerli
DocType: Sales Invoice,Total Commission,Toplam Komisyon
@@ -686,14 +689,14 @@
DocType: Pricing Rule,Sales Partner,Satış Ortağı
DocType: Pricing Rule,Sales Partner,Satış Ortağı
DocType: Buying Settings,Purchase Receipt Required,Gerekli Satın alma makbuzu
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,Açılış Stok girdiyseniz Değerleme Oranı zorunludur
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,Açılış Stok girdiyseniz Değerleme Oranı zorunludur
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Fatura tablosunda kayıt bulunamadı
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Fatura tablosunda kayıt bulunamadı
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,İlk Şirket ve Parti Tipi seçiniz
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Mali / Muhasebe yılı.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Mali / Muhasebe yılı.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Birikmiş Değerler
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Üzgünüz, seri numaraları birleştirilemiyor"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Satış Emri verin
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Satış Emri verin
DocType: Project Task,Project Task,Proje Görevi
,Lead Id,Talep Yaratma Kimliği
DocType: C-Form Invoice Detail,Grand Total,Genel Toplam
@@ -712,7 +715,7 @@
DocType: Job Applicant,Resume Attachment,Devam Eklenti
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Tekrar Müşteriler
DocType: Leave Control Panel,Allocate,Tahsis
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Satış İade
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Satış İade
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Not: Toplam tahsis edilen yaprakları {0} zaten onaylanmış yaprakları daha az olmamalıdır {1} dönem için
DocType: Announcement,Posted By,Tarafından gönderildi
DocType: Item,Delivered by Supplier (Drop Ship),Yüklenici tarafından teslim (Bırak Gemi)
@@ -725,8 +728,8 @@
DocType: Lead,Middle Income,Orta Gelir
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Açılış (Cr)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Açılış (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Zaten başka Ölçü Birimi bazı işlem (ler) yaptık çünkü Öğe için Ölçü Varsayılan Birim {0} doğrudan değiştirilemez. Farklı Standart Ölçü Birimi kullanmak için yeni bir öğe oluşturmanız gerekecektir.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Tahsis edilen miktar negatif olamaz
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Zaten başka Ölçü Birimi bazı işlem (ler) yaptık çünkü Öğe için Ölçü Varsayılan Birim {0} doğrudan değiştirilemez. Farklı Standart Ölçü Birimi kullanmak için yeni bir öğe oluşturmanız gerekecektir.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Tahsis edilen miktar negatif olamaz
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Lütfen şirketi ayarlayın.
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Lütfen şirketi ayarlayın.
DocType: Purchase Order Item,Billed Amt,Faturalı Tutarı
@@ -739,8 +742,8 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Seç Ödeme Hesabı Banka girişi yapmak için
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Yaprakları, harcama talepleri ve bordro yönetmek için Çalışan kaydı oluşturma"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Bilgi Bankası'na ekle
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Teklifi Yazma
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Teklifi Yazma
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Teklifi Yazma
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Teklifi Yazma
DocType: Payment Entry Deduction,Payment Entry Deduction,Ödeme Giriş Kesintisi
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Başka Satış Kişi {0} aynı Çalışan kimliği ile var
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Malzeme İstekler dahil edilecek taşeronluk olan öğeler için, hammadde işaretli ise"
@@ -756,7 +759,7 @@
DocType: Timesheet,Billed,Faturalanmış
DocType: Batch,Batch Description,Toplu Açıklama
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Öğrenci grupları oluşturma
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Ödeme Gateway Hesabı oluşturulmaz, el bir tane oluşturun lütfen."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Ödeme Gateway Hesabı oluşturulmaz, el bir tane oluşturun lütfen."
DocType: Sales Invoice,Sales Taxes and Charges,Satış Vergi ve Harçlar
DocType: Employee,Organization Profile,Kuruluş Profili
DocType: Student,Sibling Details,kardeş Detaylar
@@ -782,12 +785,11 @@
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Çalışan Kredi Yönetimi
DocType: Employee,Passport Number,Pasaport Numarası
DocType: Employee,Passport Number,Pasaport Numarası
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Guardian2 ile İlişkisi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Yönetici
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Yönetici
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2 ile İlişkisi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Yönetici
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Yönetici
DocType: Payment Entry,Payment From / To,From / To Ödeme
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Yeni kredi limiti müşteri için geçerli kalan miktar daha azdır. Kredi limiti en az olmak zorundadır {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Aynı madde birden çok kez girildi.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Yeni kredi limiti müşteri için geçerli kalan miktar daha azdır. Kredi limiti en az olmak zorundadır {0}
DocType: SMS Settings,Receiver Parameter,Alıcı Parametre
DocType: SMS Settings,Receiver Parameter,Alıcı Parametre
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Dayalıdır' ve 'Grubundadır' aynı olamaz
@@ -798,8 +800,9 @@
DocType: Issue,Resolution Date,Karar Tarihi
DocType: Student Batch Name,Batch Name,toplu Adı
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Zaman Çizelgesi oluşturuldu:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},{0} Ödeme şeklinde varsayılan nakit veya banka hesabı ayarlayınız
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},{0} Ödeme şeklinde varsayılan nakit veya banka hesabı ayarlayınız
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,kaydetmek
+DocType: GST Settings,GST Settings,GST Ayarları
DocType: Selling Settings,Customer Naming By,Müşterinin Bilinen Adı
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Öğrenci Aylık Seyirci Raporunda olarak Şimdiki öğrenci gösterecek
DocType: Depreciation Schedule,Depreciation Amount,Amortisman Tutarı
@@ -826,6 +829,7 @@
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Açılış (Dr)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Açılış (Dr)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Gönderme zamanı damgası {0}'dan sonra olmalıdır
+,GST Itemised Purchase Register,GST'ye göre Satın Alınan Kayıt
DocType: Employee Loan,Total Interest Payable,Ödenecek Toplam Faiz
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Indi Maliyet Vergiler ve Ücretler
DocType: Production Order Operation,Actual Start Time,Gerçek Başlangıç Zamanı
@@ -858,12 +862,12 @@
DocType: Account,Accounts,Hesaplar
DocType: Account,Accounts,Hesaplar
DocType: Vehicle,Odometer Value (Last),Sayaç Değeri (Son)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Pazarlama
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Pazarlama
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Pazarlama
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Pazarlama
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Ödeme giriş zaten yaratılır
DocType: Purchase Receipt Item Supplied,Current Stock,Güncel Stok
DocType: Purchase Receipt Item Supplied,Current Stock,Güncel Stok
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},"Satır {0}: Sabit Varlık {1}, {2} kalemiyle ilişkilendirilmiş değil"
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},"Satır {0}: Sabit Varlık {1}, {2} kalemiyle ilişkilendirilmiş değil"
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Önizleme Maaş Kayma
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Hesap {0} birden çok kez girilmiş
DocType: Account,Expenses Included In Valuation,Değerlemeye dahil giderler
@@ -871,7 +875,7 @@
,Absent Student Report,Olmayan Öğrenci Raporu
DocType: Email Digest,Next email will be sent on:,Sonraki e-posta gönderilecek:
DocType: Offer Letter Term,Offer Letter Term,Mektubu Dönem Teklif
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Öğe varyantları vardır.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Öğe varyantları vardır.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Ürün {0} bulunamadı
DocType: Bin,Stock Value,Stok Değeri
DocType: Bin,Stock Value,Stok Değeri
@@ -884,7 +888,7 @@
DocType: Material Request Item,Quantity and Warehouse,Miktar ve Depo
DocType: Sales Invoice,Commission Rate (%),Komisyon Oranı (%)
DocType: Sales Invoice,Commission Rate (%),Komisyon Oranı (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Lütfen Program Seçiniz
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Lütfen Program Seçiniz
DocType: Project,Estimated Cost,Tahmini maliyeti
DocType: Purchase Order,Link to material requests,materyal isteklere Bağlantı
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Havacılık ve Uzay;
@@ -900,7 +904,7 @@
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,Bir sonraki fatura oluşturulur tarih. Bu teslim oluşturulur.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Mevcut Varlıklar
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Mevcut Varlıklar
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} bir stok ürünü değildir.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} bir stok ürünü değildir.
DocType: Mode of Payment Account,Default Account,Varsayılan Hesap
DocType: Mode of Payment Account,Default Account,Varsayılan Hesap
DocType: Payment Entry,Received Amount (Company Currency),Alınan Tutar (Şirket Para Birimi)
@@ -908,7 +912,7 @@
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,Haftalık izin gününü seçiniz
DocType: Production Order Operation,Planned End Time,Planlanan Bitiş Zamanı
,Sales Person Target Variance Item Group-Wise,Satış Personeli Hedef Varyans Ürün Grup Bilgisi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,İşlem görmüş hesaplar muhasebe defterine dönüştürülemez.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,İşlem görmüş hesaplar muhasebe defterine dönüştürülemez.
DocType: Delivery Note,Customer's Purchase Order No,Müşterinin Sipariş numarası
DocType: Budget,Budget Against,bütçe Karşı
DocType: Employee,Cell Number,Hücre sayısı
@@ -923,16 +927,14 @@
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Aylık maaş beyanı.
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Aylık maaş beyanı.
DocType: BOM,Website Specifications,Web Sitesi Özellikleri
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Lütfen Kurulum aracılığıyla Katılım için numaralandırma serisini ayarlayın> Serileri Numaralandırma
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: gönderen {0} çeşidi {1}
DocType: Warranty Claim,CI-,CI
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Satır {0}: Dönüşüm katsayısı zorunludur
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Satır {0}: Dönüşüm katsayısı zorunludur
DocType: Employee,A+,A+
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Çoklu Fiyat Kuralları aynı kriterler ile var, öncelik atayarak çatışma çözmek lütfen. Fiyat Kuralları: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,Devre dışı bırakmak veya diğer ürün ağaçları ile bağlantılı olarak BOM iptal edilemiyor
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Çoklu Fiyat Kuralları aynı kriterler ile var, öncelik atayarak çatışma çözmek lütfen. Fiyat Kuralları: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Devre dışı bırakmak veya diğer ürün ağaçları ile bağlantılı olarak BOM iptal edilemiyor
DocType: Opportunity,Maintenance,Bakım
DocType: Opportunity,Maintenance,Bakım
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Ürün {0} için gerekli Satın alma makbuzu numarası
DocType: Item Attribute Value,Item Attribute Value,Ürün Özellik Değeri
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Satış kampanyaları.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Zaman Çizelgesi olun
@@ -986,35 +988,35 @@
DocType: Employee Loan,Interest Income Account,Faiz Gelir Hesabı
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Biyoteknoloji
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Biyoteknoloji
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Ofis Bakım Giderleri
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Ofis Bakım Giderleri
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,E-posta Hesabı Oluşturma
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Ürün Kodu girin
DocType: Account,Liability,Borç
DocType: Account,Liability,Borç
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,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}.
DocType: Company,Default Cost of Goods Sold Account,Ürünler Satılan Hesabı Varsayılan Maliyeti
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Fiyat Listesi seçilmemiş
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Fiyat Listesi seçilmemiş
DocType: Employee,Family Background,Aile Geçmişi
DocType: Request for Quotation Supplier,Send Email,E-posta Gönder
DocType: Request for Quotation Supplier,Send Email,E-posta Gönder
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Uyarı: Geçersiz Eklenti {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Uyarı: Geçersiz Eklenti {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,İzin yok
DocType: Company,Default Bank Account,Varsayılan Banka Hesabı
DocType: Company,Default Bank Account,Varsayılan Banka Hesabı
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",Parti dayalı filtrelemek için seçin Parti ilk yazınız
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},'Stok Güncelle' seçilemez çünkü ürünler {0} ile teslim edilmemiş.
DocType: Vehicle,Acquisition Date,Edinme tarihi
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,adet
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,adet
DocType: Item,Items with higher weightage will be shown higher,Yüksek weightage Öğeler yüksek gösterilir
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Banka Uzlaşma Detay
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Banka Uzlaşma Detay
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Satır {0}: Sabit Varlık {1} gönderilmelidir
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Satır {0}: Sabit Varlık {1} gönderilmelidir
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Çalışan bulunmadı
DocType: Supplier Quotation,Stopped,Durduruldu
DocType: Supplier Quotation,Stopped,Durduruldu
DocType: Item,If subcontracted to a vendor,Bir satıcıya taşeron durumunda
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Öğrenci Grubu zaten güncellendi.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Öğrenci Grubu zaten güncellendi.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Öğrenci Grubu zaten güncellendi.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Öğrenci Grubu zaten güncellendi.
DocType: SMS Center,All Customer Contact,Bütün Müşteri İrtibatları
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Csv üzerinden stok bakiyesini yükle.
DocType: Warehouse,Tree Details,ağaç Detayları
@@ -1026,14 +1028,14 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Maliyet Merkezi {2} Şirket'e ait olmayan {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Hesap {2} Grup olamaz
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Ürün Satır {idx}: {doctype} {docname} Yukarıdaki mevcut değildir '{doctype}' tablosu
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Zaman Çizelgesi {0} tamamlanmış veya iptal edilir
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Zaman Çizelgesi {0} tamamlanmış veya iptal edilir
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,görev yok
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Otomatik fatura 05, 28 vb gibi oluşturulur hangi ayın günü"
DocType: Asset,Opening Accumulated Depreciation,Birikmiş Amortisman Açılış
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Skor 5'ten az veya eşit olmalıdır
DocType: Program Enrollment Tool,Program Enrollment Tool,Programı Kaydı Aracı
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,C-Form kayıtları
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,C-Form kayıtları
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C-Form kayıtları
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C-Form kayıtları
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Müşteri ve Tedarikçi
DocType: Email Digest,Email Digest Settings,E-Mail Bülteni ayarları
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,İşiniz için teşekkür ederim!
@@ -1043,11 +1045,13 @@
DocType: Bin,Moving Average Rate,Hareketli Ortalama Kuru
DocType: Production Planning Tool,Select Items,Ürünleri Seçin
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} Bill karşı {1} tarihli {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Araç / Otobüs Numarası
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Kurs programı
DocType: Maintenance Visit,Completion Status,Tamamlanma Durumu
DocType: Maintenance Visit,Completion Status,Tamamlanma Durumu
DocType: HR Settings,Enter retirement age in years,yıllarda emeklilik yaşı girin
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Hedef Depo
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Lütfen bir depo seçiniz
DocType: Cheque Print Template,Starting location from left edge,sol kenarından yerini başlayan
DocType: Item,Allow over delivery or receipt upto this percent,Bu kadar yüzde teslimatı veya makbuz üzerinde izin ver
DocType: Stock Entry,STE-,STE-
@@ -1055,7 +1059,7 @@
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Bütün Ürün Grupları
DocType: Process Payroll,Activity Log,Etkinlik Günlüğü
DocType: Process Payroll,Activity Log,Etkinlik Günlüğü
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Net Kar / Zarar
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Net Kar / Zarar
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,İşlemlerin sunulmasında otomatik olarak mesaj oluştur.
DocType: Production Order,Item To Manufacture,Üretilecek Ürün
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} durum {2} olduğu
@@ -1065,18 +1069,19 @@
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Öngörülen Tutar
DocType: Sales Invoice,Payment Due Date,Son Ödeme Tarihi
DocType: Sales Invoice,Payment Due Date,Son Ödeme Tarihi
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Öğe Variant {0} zaten aynı özelliklere sahip bulunmaktadır
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Öğe Variant {0} zaten aynı özelliklere sahip bulunmaktadır
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','Açılış'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,To Do Aç
DocType: Notification Control,Delivery Note Message,İrsaliye Mesajı
DocType: Expense Claim,Expenses,Giderler
DocType: Expense Claim,Expenses,Giderler
+,Support Hours,Destek Saatleri
DocType: Item Variant Attribute,Item Variant Attribute,Öğe Varyant Özellik
,Purchase Receipt Trends,Satın alma makbuzu eğilimleri
DocType: Process Payroll,Bimonthly,iki ayda bir
DocType: Vehicle Service,Brake Pad,Fren pedalı
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Araştırma ve Geliştirme
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Araştırma ve Geliştirme
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Araştırma ve Geliştirme
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Araştırma ve Geliştirme
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Faturalanacak Tutar
DocType: Company,Registration Details,Kayıt Detayları
DocType: Company,Registration Details,Kayıt Detayları
@@ -1093,12 +1098,12 @@
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Performans değerlendirme.
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Performans değerlendirme.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Etkinleştirme Alışveriş Sepeti etkin olarak, 'Alışveriş Sepeti için kullan' ve Alışveriş Sepeti için en az bir vergi Kural olmalıdır"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Ödeme giriş {0} Sipariş, bu faturada avans olarak çekilmiş olmalıdır eğer {1}, kontrol karşı bağlantılıdır."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Ödeme giriş {0} Sipariş, bu faturada avans olarak çekilmiş olmalıdır eğer {1}, kontrol karşı bağlantılıdır."
DocType: Sales Invoice Item,Stock Details,Stok Detayları
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Proje Bedeli
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Satış Noktası
DocType: Vehicle Log,Odometer Reading,Kilometre sayacı okuma
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",Bakiye alacaklı durumdaysa borçlu duruma çevrilemez.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",Bakiye alacaklı durumdaysa borçlu duruma çevrilemez.
DocType: Account,Balance must be,Bakiye şu olmalıdır
DocType: Hub Settings,Publish Pricing,Fiyatlandırma Yayınla
DocType: Notification Control,Expense Claim Rejected Message,Gider Talebi Reddedildi Mesajı
@@ -1110,7 +1115,7 @@
DocType: Serial No,Incoming Rate,Gelen Oranı
DocType: Packing Slip,Gross Weight,Brüt Ağırlık
DocType: Packing Slip,Gross Weight,Brüt Ağırlık
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,Bu sistemi kurduğunu şirketinizin adı
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,Bu sistemi kurduğunu şirketinizin adı
DocType: HR Settings,Include holidays in Total no. of Working Days,Çalışma günlerinin toplam sayısı ile tatilleri dahil edin
DocType: Job Applicant,Hold,Muhafaza et
DocType: Employee,Date of Joining,Katılma Tarihi
@@ -1122,21 +1127,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Satın Alma İrsaliyesi
,Received Items To Be Billed,Faturalanacak Alınan Malzemeler
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Ekleyen Maaş Fiş
-DocType: Employee,Ms,Bayan
-DocType: Employee,Ms,Bayan
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Ana Döviz Kuru.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Referans Doctype biri olmalı {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Ana Döviz Kuru.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Referans Doctype biri olmalı {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Çalışma için bir sonraki {0} günlerde Zaman Slot bulamayan {1}
DocType: Production Order,Plan material for sub-assemblies,Alt-montajlar Plan malzeme
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Satış Ortakları ve Bölge
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,Zaten Hesaptaki stok bakiyesi olmadığı için otomatik Hesabı oluşturulamaz. Deponun üzerinde bir girdi yapabilmek için bir eşleştirme hesabı oluşturmalısınız
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} aktif olmalıdır
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} aktif olmalıdır
DocType: Journal Entry,Depreciation Entry,Amortisman kayıt
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Önce belge türünü seçiniz
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Bu Bakım Ziyaretini iptal etmeden önce Malzeme Ziyareti {0} iptal edin
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Seri No {0} Ürün {1} e ait değil
DocType: Purchase Receipt Item Supplied,Required Qty,Gerekli Adet
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Mevcut işlem ile depolar defterine dönüştürülür edilemez.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Mevcut işlem ile depolar defterine dönüştürülür edilemez.
DocType: Bank Reconciliation,Total Amount,Toplam Tutar
DocType: Bank Reconciliation,Total Amount,Toplam Tutar
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,İnternet Yayıncılığı
@@ -1154,27 +1156,28 @@
DocType: Fee Structure,Components,Bileşenler
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Ürün Varlık Kategori giriniz {0}
DocType: Quality Inspection Reading,Reading 6,6 Okuma
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,değil {0} {1} {2} olmadan herhangi bir olumsuz ödenmemiş fatura Can
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,değil {0} {1} {2} olmadan herhangi bir olumsuz ödenmemiş fatura Can
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Fatura peşin alım
DocType: Hub Settings,Sync Now,Sync Şimdi
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Satır {0}: Kredi giriş ile bağlantılı edilemez bir {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Bir mali yıl için bütçeyi tanımlayın.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Bir mali yıl için bütçeyi tanımlayın.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Bu mod seçildiğinde Varsayılan Banka / Kasa hesabı otomatik olarak POS Faturada güncellenecektir.
DocType: Lead,LEAD-,ÖNCÜLÜK ETMEK-
DocType: Employee,Permanent Address Is,Kalıcı Adres
DocType: Production Order Operation,Operation completed for how many finished goods?,Operasyon kaç mamul tamamlandı?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,Marka
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Marka
DocType: Employee,Exit Interview Details,Çıkış Görüşmesi Detayları
DocType: Item,Is Purchase Item,Satın Alma Maddesi
DocType: Asset,Purchase Invoice,Satınalma Faturası
DocType: Asset,Purchase Invoice,Satınalma Faturası
DocType: Stock Ledger Entry,Voucher Detail No,Föy Detay no
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Yeni Satış Faturası
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Yeni Satış Faturası
DocType: Stock Entry,Total Outgoing Value,Toplam Giden Değeri
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Tarih ve Kapanış Tarihi Açılış aynı Mali Yılı içinde olmalıdır
DocType: Lead,Request for Information,Bilgi İsteği
DocType: Lead,Request for Information,Bilgi İsteği
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Senkronizasyon Çevrimdışı Faturalar
+,LeaderBoard,Liderler Sıralaması
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Senkronizasyon Çevrimdışı Faturalar
DocType: Payment Request,Paid,Ücretli
DocType: Program Fee,Program Fee,Program Ücreti
DocType: Salary Slip,Total in words,Sözlü Toplam
@@ -1183,15 +1186,15 @@
DocType: Cheque Print Template,Has Print Format,Baskı Biçimi vardır
DocType: Employee Loan,Sanctioned,onaylanmış
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,zorunludur. Döviz kur kayıdının yaratılamadığı hesap
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Satır # {0}: Ürün{1} için seri no belirtiniz
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'Ürün Bundle' öğeler, Depo, Seri No ve Toplu No 'Ambalaj Listesi' tablodan kabul edilecektir. Depo ve Toplu Hayır herhangi bir 'Ürün Bundle' öğe için tüm ambalaj öğeler için aynı ise, bu değerler ana Öğe tabloda girilebilir, değerler tablosu 'Listesi Ambalaj' kopyalanacaktır."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Satır # {0}: Ürün{1} için seri no belirtiniz
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","'Ürün Bundle' öğeler, Depo, Seri No ve Toplu No 'Ambalaj Listesi' tablodan kabul edilecektir. Depo ve Toplu Hayır herhangi bir 'Ürün Bundle' öğe için tüm ambalaj öğeler için aynı ise, bu değerler ana Öğe tabloda girilebilir, değerler tablosu 'Listesi Ambalaj' kopyalanacaktır."
DocType: Job Opening,Publish on website,Web sitesinde yayımlamak
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Müşterilere yapılan sevkiyatlar.
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Müşterilere yapılan sevkiyatlar.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,"Tedarikçi Fatura Tarihi, postalama tarihinden büyük olamaz"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,"Tedarikçi Fatura Tarihi, postalama tarihinden büyük olamaz"
DocType: Purchase Invoice Item,Purchase Order Item,Satınalma Siparişi Ürünleri
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Dolaylı Gelir
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Dolaylı Gelir
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Dolaylı Gelir
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Dolaylı Gelir
DocType: Student Attendance Tool,Student Attendance Tool,Öğrenci Devam Aracı
DocType: Cheque Print Template,Date Settings,Tarih Ayarları
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Varyans
@@ -1212,22 +1215,22 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Kimyasal
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Bu mod seçildiğinde varsayılan Banka / Kasa hesabı otomatik Maaş Dergisi girdisi güncellenecektir.
DocType: BOM,Raw Material Cost(Company Currency),Hammadde Maliyeti (Şirket Para Birimi)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Tüm öğeler zaten bu üretim Sipariş devredilmiştir.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Tüm öğeler zaten bu üretim Sipariş devredilmiştir.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Sıra # {0}: Oran, {1} {2} 'de kullanılan hızdan daha büyük olamaz"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Sıra # {0}: Oran, {1} {2} 'de kullanılan hızdan daha büyük olamaz"
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,Metre
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,Metre
DocType: Workstation,Electricity Cost,Elektrik Maliyeti
DocType: Workstation,Electricity Cost,Elektrik Maliyeti
DocType: HR Settings,Don't send Employee Birthday Reminders,Çalışanların Doğumgünü Hatırlatmalarını gönderme
DocType: Item,Inspection Criteria,Muayene Kriterleri
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Aktarılan
DocType: BOM Website Item,BOM Website Item,BOM Sitesi Öğe
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Mektup baş ve logosu yükleyin. (Daha sonra bunları düzenleyebilirsiniz).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Mektup baş ve logosu yükleyin. (Daha sonra bunları düzenleyebilirsiniz).
DocType: Timesheet Detail,Bill,fatura
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Sonraki Amortisman Tarihi geçmiş tarih olarak girilir
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Beyaz
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Beyaz
DocType: SMS Center,All Lead (Open),Bütün Başlıklar (Açık)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Satır {0}: için Adet mevcut değil {4} depoda {1} giriş saati gönderme de ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Satır {0}: için Adet mevcut değil {4} depoda {1} giriş saati gönderme de ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Avansları Öde
DocType: Item,Automatically Create New Batch,Otomatik olarak Yeni Toplu Oluştur
DocType: Item,Automatically Create New Batch,Otomatik olarak Yeni Toplu Oluştur
@@ -1238,14 +1241,14 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Benim Sepeti
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Sipariş türü şunlardan biri olmalıdır {0}
DocType: Lead,Next Contact Date,Sonraki İrtibat Tarihi
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Açılış Miktarı
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,Değişim Miktarı Hesabı giriniz
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Açılış Miktarı
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,Değişim Miktarı Hesabı giriniz
DocType: Student Batch Name,Student Batch Name,Öğrenci Toplu Adı
DocType: Holiday List,Holiday List Name,Tatil Listesi Adı
DocType: Holiday List,Holiday List Name,Tatil Listesi Adı
DocType: Repayment Schedule,Balance Loan Amount,Bakiye Kredi Miktarı
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Program Ders
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Stok Seçenekleri
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Stok Seçenekleri
DocType: Journal Entry Account,Expense Claim,Gider Talebi
DocType: Journal Entry Account,Expense Claim,Gider Talebi
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Eğer gerçekten bu hurdaya varlığın geri yüklemek istiyor musunuz?
@@ -1259,13 +1262,13 @@
DocType: Packing Slip Item,Packing Slip Item,Ambalaj Makbuzu Ürünleri
DocType: Purchase Invoice,Cash/Bank Account,Kasa / Banka Hesabı
DocType: Purchase Invoice,Cash/Bank Account,Kasa / Banka Hesabı
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Lütfen belirtin a {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Lütfen belirtin a {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Miktar veya değer hiçbir değişiklik ile kaldırıldı öğeler.
DocType: Delivery Note,Delivery To,Teslim
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Özellik tablosu zorunludur
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Özellik tablosu zorunludur
DocType: Production Planning Tool,Get Sales Orders,Satış Şiparişlerini alın
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} negatif olamaz
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} negatif olamaz
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} negatif olamaz
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} negatif olamaz
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Indirim
DocType: Asset,Total Number of Depreciations,Amortismanlar Sayısı
DocType: Sales Invoice Item,Rate With Margin,Marjla Oran
@@ -1287,7 +1290,6 @@
DocType: Serial No,Creation Document No,Oluşturulan Belge Tarihi
DocType: Issue,Issue,Sayı
DocType: Asset,Scrapped,Hurda edilmiş
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Hesap firması ile eşleşmiyor
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Öğe Variantların için bağlıyor. Örneğin Boyut, Renk vb"
DocType: Purchase Invoice,Returns,İade
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP Depo
@@ -1300,8 +1302,8 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,Ürün düğmesi 'satın alma makbuzlarını Öğeleri alın' kullanılarak eklenmelidir
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Stokta olmayan öğeleri içerir
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Satış Giderleri
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Satış Giderleri
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Satış Giderleri
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Satış Giderleri
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Standart Satın Alma
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Standart Satın Alma
DocType: GL Entry,Against,Karşı
@@ -1309,12 +1311,12 @@
DocType: Item,Default Selling Cost Center,Standart Satış Maliyet Merkezi
DocType: Sales Partner,Implementation Partner,Uygulama Ortağı
DocType: Sales Partner,Implementation Partner,Uygulama Ortağı
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Posta Kodu
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Posta Kodu
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Satış Sipariş {0} {1}
DocType: Opportunity,Contact Info,İletişim Bilgileri
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Stok Girişleri Yapımı
DocType: Packing Slip,Net Weight UOM,Net Ağırlık Ölçü Birimi
-apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +20,{0} Results,{0} Sonuç
+apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +20,{0} Results,{0} Sonuçlar
DocType: Item,Default Supplier,Standart Tedarikçi
DocType: Item,Default Supplier,Standart Tedarikçi
DocType: Manufacturing Settings,Over Production Allowance Percentage,Üretim Ödeneği Yüzde üzerinde
@@ -1323,7 +1325,6 @@
DocType: Holiday List,Get Weekly Off Dates,Haftalık Hesap Kesim tarihlerini alın
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,"Bitiş Tarihi, Başlangıç Tarihinden daha az olamaz"
DocType: Sales Person,Select company name first.,Önce şirket adı seçiniz
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Dr
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Tedarikçilerden alınan teklifler.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Şu kişi(lere) {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Ortalama Yaş
@@ -1331,28 +1332,29 @@
DocType: School Settings,Attendance Freeze Date,Seyirci Dondurma Tarihi
DocType: School Settings,Attendance Freeze Date,Seyirci Dondurma Tarihi
DocType: Opportunity,Your sales person who will contact the customer in future,Müşteriyle ileride irtibat kuracak satış kişiniz
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Tedarikçilerinizin birkaçını listeleyin. Bunlar kuruluşlar veya bireyler olabilir.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Tedarikçilerinizin birkaçını listeleyin. Bunlar kuruluşlar veya bireyler olabilir.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Tüm Ürünleri görüntüle
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimum Kurşun Yaşı (Gün)
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Minimum Kurşun Yaşı (Gün)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,Tüm malzeme listeleri
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Tüm malzeme listeleri
DocType: Company,Default Currency,Varsayılan Para Birimi
DocType: Expense Claim,From Employee,Çalışanlardan
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Uyarı: {1} deki {0} ürünü miktarı sıfır olduğu için sistem fazla faturalamayı kontrol etmeyecektir
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Uyarı: {1} deki {0} ürünü miktarı sıfır olduğu için sistem fazla faturalamayı kontrol etmeyecektir
DocType: Journal Entry,Make Difference Entry,Fark Girişi yapın
DocType: Upload Attendance,Attendance From Date,Tarihten itibaren katılım
DocType: Appraisal Template Goal,Key Performance Area,Kilit Performans Alanı
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Taşıma
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Taşıma
+DocType: Program Enrollment,Transportation,Taşıma
+DocType: Program Enrollment,Transportation,Taşıma
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,geçersiz Özellik
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} teslim edilmelidir
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} teslim edilmelidir
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Miktara göre daha az veya ona eşit olmalıdır {0}
DocType: SMS Center,Total Characters,Toplam Karakterler
DocType: SMS Center,Total Characters,Toplam Karakterler
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Ürün için BOM BOM alanında seçiniz {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Ürün için BOM BOM alanında seçiniz {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Form Fatura Ayrıntısı
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Ödeme Mutabakat Faturası
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Katkı%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Satın Alma Siparişi Gereklise Satın Alma Ayarlarına göre == 'EVET', ardından Satın Alma Faturası oluşturmak için kullanıcı {0} öğesi için önce Satın Alma Siparişi yaratmalıdır."
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Referans için şirket kayıt numaraları. Vergi numaraları vb
DocType: Sales Partner,Distributor,Dağıtımcı
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Alışveriş Sepeti Nakliye Kural
@@ -1361,11 +1363,12 @@
,Ordered Items To Be Billed,Faturalanacak Sipariş Edilen Ürünler
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Menzil az olmak zorundadır Kimden daha Range için
DocType: Global Defaults,Global Defaults,Küresel Varsayılanlar
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Proje Ortak Çalışma Daveti
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Proje Ortak Çalışma Daveti
DocType: Salary Slip,Deductions,Kesintiler
DocType: Salary Slip,Deductions,Kesintiler
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Başlangıç yılı
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},GSTIN'in ilk 2 hanesi {0} durum numarasıyla eşleşmelidir.
DocType: Purchase Invoice,Start date of current invoice's period,Cari fatura döneminin Başlangıç tarihi
DocType: Salary Slip,Leave Without Pay,Ücretsiz İzin
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Kapasite Planlama Hatası
@@ -1373,15 +1376,16 @@
DocType: Lead,Consultant,Danışman
DocType: Lead,Consultant,Danışman
DocType: Salary Slip,Earnings,Kazanç
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Öğe bitirdi {0} imalatı tipi giriş için girilmelidir
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Öğe bitirdi {0} imalatı tipi giriş için girilmelidir
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Açılış Muhasebe Dengesi
+,GST Sales Register,GST Satış Kaydı
DocType: Sales Invoice Advance,Sales Invoice Advance,Satış Fatura Avansı
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Talep edecek bir şey yok
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Başka bir bütçe rekoru '{0}' zaten karşı var {1} '{2}' mali yıl için {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',"'Fiili Başlangıç Tarihi', 'Fiili Bitiş Tarihi' den büyük olamaz"
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',"'Fiili Başlangıç Tarihi', 'Fiili Bitiş Tarihi' den büyük olamaz"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Yönetim
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Yönetim
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Yönetim
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Yönetim
DocType: Cheque Print Template,Payer Settings,ödeyici Ayarları
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Bu varyant Ürün Kodu eklenecektir. Senin kısaltması ""SM"", ve eğer, örneğin, ürün kodu ""T-Shirt"", ""T-Shirt-SM"" olacak varyantın madde kodu"
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Net Ödeme (sözlü) Maaş Makbuzunu kaydettiğinizde görünecektir
@@ -1400,8 +1404,8 @@
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Tedarikçi Veritabanı.
DocType: Account,Balance Sheet,Bilanço
DocType: Account,Balance Sheet,Bilanço
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ','Ürün Kodu Ürün için Merkezi'ni Maliyet
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",Ödeme Modu yapılandırılmamış. Hesap Ödemeler Modu veya POS Profili ayarlanmış olup olmadığını kontrol edin.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ','Ürün Kodu Ürün için Merkezi'ni Maliyet
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",Ödeme Modu yapılandırılmamış. Hesap Ödemeler Modu veya POS Profili ayarlanmış olup olmadığını kontrol edin.
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Satış kişiniz bu tarihte müşteriyle irtibata geçmek için bir hatırlama alacaktır
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Aynı madde birden çok kez girilemez.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Ek hesaplar Gruplar altında yapılabilir, ancak girişler olmayan Gruplar karşı yapılabilir"
@@ -1410,7 +1414,7 @@
DocType: Email Digest,Payables,Borçlar
DocType: Course,Course Intro,Ders giriş
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Stok Giriş {0} oluşturuldu
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Satır # {0}: Miktar Satınalma Return girilemez Reddedildi
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Satır # {0}: Miktar Satınalma Return girilemez Reddedildi
,Purchase Order Items To Be Billed,Faturalanacak Satınalma Siparişi Kalemleri
DocType: Purchase Invoice Item,Net Rate,Net Hızı
DocType: Purchase Invoice Item,Purchase Invoice Item,Satın alma Faturası Ürünleri
@@ -1441,8 +1445,8 @@
DocType: Sales Order,SO-,YANİ-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Önce Ön ek seçiniz
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Araştırma
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Araştırma
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Araştırma
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Araştırma
DocType: Maintenance Visit Purpose,Work Done,Yapılan İş
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Nitelikler masada en az bir özellik belirtin
DocType: Announcement,All Students,Tüm Öğrenciler
@@ -1451,17 +1455,17 @@
DocType: Grading Scale,Intervals,Aralıklar
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,En erken
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,En erken
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Bir Ürün grubu aynı isimle bulunuyorsa, lütfen Ürün veya Ürün grubu adını değiştirin"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Öğrenci Mobil No
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Dünyanın geri kalanı
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Bir Ürün grubu aynı isimle bulunuyorsa, lütfen Ürün veya Ürün grubu adını değiştirin"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Öğrenci Mobil No
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Dünyanın geri kalanı
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Öğe {0} Toplu olamaz
,Budget Variance Report,Bütçe Fark Raporu
DocType: Salary Slip,Gross Pay,Brüt Ödeme
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Satır {0}: Etkinlik Türü zorunludur.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Temettü Ücretli
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Temettü Ücretli
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Muhasebe Defteri
DocType: Stock Reconciliation,Difference Amount,Fark Tutarı
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Dağıtılmamış Karlar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Dağıtılmamış Karlar
DocType: Vehicle Log,Service Detail,hizmet Detayı
DocType: BOM,Item Description,Ürün Tanımı
DocType: Student Sibling,Student Sibling,Öğrenci Kardeş
@@ -1476,11 +1480,11 @@
DocType: Opportunity Item,Opportunity Item,Fırsat Ürünü
,Student and Guardian Contact Details,Öğrenci ve Guardian İletişim Bilgileri
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Satır {0}: tedarikçisi için {0} E-posta Adresi e-posta göndermek için gereklidir
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Geçici Açma
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Geçici Açma
,Employee Leave Balance,Çalışanın Kalan İzni
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Hesap {0} her zaman dengede olmalı {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Arka arkaya Ürün için gerekli değerleme Oranı {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Örnek: Bilgisayar Bilimleri Yüksek Lisans
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Örnek: Bilgisayar Bilimleri Yüksek Lisans
DocType: Purchase Invoice,Rejected Warehouse,Reddedilen Depo
DocType: Purchase Invoice,Rejected Warehouse,Reddedilen Depo
DocType: GL Entry,Against Voucher,Dekont Karşılığı
@@ -1495,36 +1499,35 @@
DocType: Journal Entry,Get Outstanding Invoices,Bekleyen Faturaları alın
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Satış Sipariş {0} geçerli değildir
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Satın alma siparişleri planı ve alışverişlerinizi takip
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Üzgünüz, şirketler birleştirilemiyor"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Üzgünüz, şirketler birleştirilemiyor"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",Malzeme Talebi toplam Sayı / Aktarım miktarı {0} {1} \ Ürün için istenen miktar {2} daha büyük olamaz {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Küçük
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Küçük
DocType: Employee,Employee Number,Çalışan sayısı
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Konu Numarası/numaraları zaten kullanımda. Konu No {0} olarak deneyin.
DocType: Project,% Completed,% Tamamlanan
,Invoiced Amount (Exculsive Tax),Faturalanan Tutar (Vergi Hariç)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Madde 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Hesap başlığı {0} oluşturuldu
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,Eğitim Etkinlik
DocType: Item,Auto re-order,Otomatik yeniden sipariş
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Toplam Elde
DocType: Employee,Place of Issue,Verildiği yer
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Sözleşme
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Sözleşme
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Sözleşme
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Sözleşme
DocType: Email Digest,Add Quote,Alıntı ekle
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},Ürün {1} de Ölçü Birimi: {0} için Ölçü Birimi dönüştürme katsayısı gereklidir.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Dolaylı Giderler
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Dolaylı Giderler
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Ürün {1} de Ölçü Birimi: {0} için Ölçü Birimi dönüştürme katsayısı gereklidir.
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Dolaylı Giderler
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Dolaylı Giderler
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Satır {0}: Miktar zorunludur
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Satır {0}: Miktar zorunludur
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Tarım
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Tarım
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Senkronizasyon Ana Veri
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Ürünleriniz veya hizmetleriniz
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Senkronizasyon Ana Veri
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Ürünleriniz veya hizmetleriniz
DocType: Mode of Payment,Mode of Payment,Ödeme Şekli
DocType: Mode of Payment,Mode of Payment,Ödeme Şekli
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Web Sitesi Resim kamu dosya veya web sitesi URL olmalıdır
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Web Sitesi Resim kamu dosya veya web sitesi URL olmalıdır
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,Ürün Ağacı
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Bu bir kök Ürün grubudur ve düzenlenemez.
@@ -1534,7 +1537,7 @@
DocType: Warehouse,Warehouse Contact Info,Depo İletişim Bilgileri
DocType: Payment Entry,Write Off Difference Amount,Fark Tutarı Kapalı yaz
DocType: Purchase Invoice,Recurring Type,Tekrarlanma Türü
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent",{0}: Çalışanın e-posta adresi bulunamadığı için e-posta gönderilemedi
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent",{0}: Çalışanın e-posta adresi bulunamadığı için e-posta gönderilemedi
DocType: Item,Foreign Trade Details,Dış Ticaret Detayları
DocType: Email Digest,Annual Income,Yıllık gelir
DocType: Serial No,Serial No Details,Seri No Detayları
@@ -1543,11 +1546,11 @@
DocType: Purchase Invoice Item,Item Tax Rate,Ürün Vergi Oranı
DocType: Student Group Student,Group Roll Number,Grup Rulosu Numarası
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","{0}, sadece kredi hesapları başka bir ödeme girişine karşı bağlantılı olabilir için"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,tüm görev ağırlıkları toplamı 1. buna göre tüm proje görevleri ağırlıkları ayarlayın olmalıdır
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,İrsaliye {0} teslim edilmedi
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Ürün {0} bir taşeron ürünü olmalıdır
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Sermaye Ekipmanları
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Sermaye Ekipmanları
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,tüm görev ağırlıkları toplamı 1. buna göre tüm proje görevleri ağırlıkları ayarlayın olmalıdır
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,İrsaliye {0} teslim edilmedi
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Ürün {0} bir taşeron ürünü olmalıdır
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Sermaye Ekipmanları
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Sermaye Ekipmanları
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Fiyatlandırma Kuralı ilk olarak 'Uygula' alanı üzerinde seçilir, bu bir Ürün, Grup veya Marka olabilir."
DocType: Hub Settings,Seller Website,Satıcı Sitesi
DocType: Item,ITEM-,ITEM-
@@ -1569,7 +1572,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Sadece ""değerini"" için 0 veya boş değere sahip bir Nakliye Kural Durumu olabilir"
DocType: Authorization Rule,Transaction,İşlem
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Not: Bu Maliyet Merkezi bir Grup. Gruplara karşı muhasebe kayıtları yapamazsınız.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,Çocuk depo bu depo için vardır. Bu depo silemezsiniz.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Çocuk depo bu depo için vardır. Bu depo silemezsiniz.
DocType: Item,Website Item Groups,Web Sitesi Ürün Grupları
DocType: Item,Website Item Groups,Web Sitesi Ürün Grupları
DocType: Purchase Invoice,Total (Company Currency),Toplam (Şirket Para)
@@ -1581,7 +1584,7 @@
DocType: Grading Scale Interval,Grade Code,sınıf Kodu
DocType: POS Item Group,POS Item Group,POS Ürün Grubu
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Digest e-posta:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} Öğe ait değil {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} Öğe ait değil {1}
DocType: Sales Partner,Target Distribution,Hedef Dağıtımı
DocType: Salary Slip,Bank Account No.,Banka Hesap No
DocType: Naming Series,This is the number of the last created transaction with this prefix,Bu ön ekle son oluşturulmuş işlemlerin sayısıdır
@@ -1593,16 +1596,17 @@
DocType: BOM Operation,Workstation,İş İstasyonu
DocType: BOM Operation,Workstation,İş İstasyonu
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Fiyat Teklif Talebi Tedarikçisi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Donanım
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Donanım
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Donanım
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Donanım
DocType: Sales Order,Recurring Upto,Tekrarlanan Kadar
DocType: Attendance,HR Manager,İK Yöneticisi
DocType: Attendance,HR Manager,İK Yöneticisi
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Bir Şirket seçiniz
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Privilege bırak
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Privilege bırak
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Bir Şirket seçiniz
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Privilege bırak
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Privilege bırak
DocType: Purchase Invoice,Supplier Invoice Date,Tedarikçi Fatura Tarihi
DocType: Purchase Invoice,Supplier Invoice Date,Tedarikçi Fatura Tarihi
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,başına
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Alışveriş sepetini etkinleştirmeniz gereklidir
DocType: Payment Entry,Writeoff,Hurdaya çıkarmak
DocType: Appraisal Template Goal,Appraisal Template Goal,Değerlendirme Şablonu Hedefi
@@ -1613,11 +1617,11 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Şunların arasında çakışan koşullar bulundu:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Journal Karşı giriş {0} zaten başka çeki karşı ayarlanır
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Toplam Sipariş Miktarı
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Yiyecek Grupları
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Yiyecek Grupları
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Yiyecek Grupları
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Yiyecek Grupları
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Yaşlanma Aralığı 3
DocType: Maintenance Schedule Item,No of Visits,Ziyaret sayısı
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Mark Devam
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Mark Devam
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},{1} ile ilgili Bakım Çizelgesi {0} var
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,kaydolunan öğrenci
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Kapanış Hesap Para olmalıdır {0}
@@ -1634,6 +1638,7 @@
DocType: Purchase Invoice Item,Accounting,Muhasebe
DocType: Purchase Invoice Item,Accounting,Muhasebe
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Toplanan öğe için lütfen toplu seç
DocType: Asset,Depreciation Schedules,Amortisman Çizelgeleri
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Uygulama süresi dışında izin tahsisi dönemi olamaz
DocType: Activity Cost,Projects,Projeler
@@ -1650,6 +1655,7 @@
DocType: POS Profile,Campaign,Kampanya
DocType: Supplier,Name and Type,Adı ve Türü
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Onay Durumu 'Onaylandı' veya 'Reddedildi' olmalıdır
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,çizme atkısı
DocType: Purchase Invoice,Contact Person,İrtibat Kişi
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"'Beklenen Başlangıç Tarihi', 'Beklenen Bitiş Tarihi' den büyük olamaz"
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"'Beklenen Başlangıç Tarihi', 'Beklenen Bitiş Tarihi' den büyük olamaz"
@@ -1661,12 +1667,11 @@
DocType: Purchase Invoice Item,Item Tax Amount,Ürün Vergi Tutarı
DocType: Purchase Invoice Item,Item Tax Amount,Ürün Vergi Tutarı
DocType: Item,Maintain Stock,Stok koruyun
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Zaten Üretim Siparişi için oluşturulan Stok Girişler
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Zaten Üretim Siparişi için oluşturulan Stok Girişler
DocType: Employee,Prefered Email,Tercih edilen e-posta
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Sabit Varlık Net Değişim
DocType: Leave Control Panel,Leave blank if considered for all designations,Tüm tanımları için kabul ise boş bırakın
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Depo tipi Stokta olmayan grup Hesaplar için zorunludur
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Satır {0}'daki 'Gerçek' ücret biçimi Ürün Br.Fiyatına dahil edilemez
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Satır {0}'daki 'Gerçek' ücret biçimi Ürün Br.Fiyatına dahil edilemez
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,DateTime Gönderen
DocType: Email Digest,For Company,Şirket için
@@ -1678,15 +1683,15 @@
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Hesap Tablosu
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Hesap Tablosu
DocType: Material Request,Terms and Conditions Content,Şartlar ve Koşullar İçeriği
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,100 'den daha büyük olamaz
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Ürün {0} bir stok ürünü değildir
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,100 'den daha büyük olamaz
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Ürün {0} bir stok ürünü değildir
DocType: Maintenance Visit,Unscheduled,Plânlanmamış
DocType: Employee,Owned,Hisseli
DocType: Salary Detail,Depends on Leave Without Pay,Pay olmadan İzni bağlıdır
DocType: Pricing Rule,"Higher the number, higher the priority","Yüksek sayı, yüksek öncelikli"
,Purchase Invoice Trends,Satın alma fatura eğilimleri
DocType: Employee,Better Prospects,Iyi Beklentiler
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",Sıra # {0}: Toplu işlem {1} yalnızca {2} adetlik bir miktara sahip. Lütfen {3} adet mevcut olan başka bir partiyi seçin veya satırı birden çok partiye dağıtmak / yayınlamak için satırı birden çok satıra bölün.
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",Sıra # {0}: Toplu işlem {1} yalnızca {2} adetlik bir miktara sahip. Lütfen {3} adet mevcut olan başka bir partiyi seçin veya satırı birden çok partiye dağıtmak / yayınlamak için satırı birden çok satıra bölün.
DocType: Vehicle,License Plate,Plaka
DocType: Appraisal,Goals,Hedefler
DocType: Appraisal,Goals,Hedefler
@@ -1700,8 +1705,9 @@
,Batch-Wise Balance History,Parti-Bilgi Bakiye Geçmişi
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,"Yazdırma ayarları, ilgili baskı biçiminde güncellendi"
DocType: Package Code,Package Code,Paket Kodu
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Çırak
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Çırak
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Çırak
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Çırak
+DocType: Purchase Invoice,Company GSTIN,Şirket GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Negatif Miktara izin verilmez
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","Bir dize olarak madde ustadan getirilen ve bu alanda depolanan vergi detay tablo.
@@ -1709,13 +1715,13 @@
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Çalışan kendi kendine rapor olamaz.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Hesap dondurulmuş ise, girdiler kısıtlı kullanıcılara açıktır."
DocType: Email Digest,Bank Balance,Banka hesap bakiyesi
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},{1} sadece para yapılabilir: {0} Muhasebe Kayıt {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},{1} sadece para yapılabilir: {0} Muhasebe Kayıt {2}
DocType: Job Opening,"Job profile, qualifications required etc.","İş Profili, gerekli nitelikler vb"
DocType: Journal Entry Account,Account Balance,Hesap Bakiyesi
DocType: Journal Entry Account,Account Balance,Hesap Bakiyesi
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Işlemler için vergi Kural.
DocType: Rename Tool,Type of document to rename.,Yeniden adlandırılacak Belge Türü.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Bu ürünü alıyoruz
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Bu ürünü alıyoruz
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Alacak hesabı {2} için müşteri tanımlanmalıdır.
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Toplam Vergi ve Harçlar (Şirket Para Birimi)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,kapanmamış mali yılın P & L dengeleri göster
@@ -1727,35 +1733,36 @@
DocType: Stock Entry,Total Additional Costs,Toplam Ek Maliyetler
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Hurda Malzeme Maliyeti (Şirket Para Birimi)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Alt Kurullar
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Alt Kurullar
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Alt Kurullar
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Alt Kurullar
DocType: Asset,Asset Name,Varlık Adı
DocType: Project,Task Weight,görev Ağırlığı
DocType: Shipping Rule Condition,To Value,Değer Vermek
DocType: Shipping Rule Condition,To Value,Değer Vermek
DocType: Asset Movement,Stock Manager,Stok Müdürü
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Satır {0} Kaynak depo zorunludur
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Ambalaj Makbuzu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Ofis Kiraları
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Ofis Kiraları
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Satır {0} Kaynak depo zorunludur
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Ambalaj Makbuzu
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Ofis Kiraları
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Ofis Kiraları
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Kurulum SMS ağ geçidi ayarları
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Kurulum SMS ağ geçidi ayarları
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,İthalat Başarısız oldu
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Hiçbir adres Henüz eklenmiş.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Hiçbir adres Henüz eklenmiş.
DocType: Workstation Working Hour,Workstation Working Hour,İş İstasyonu Çalışma Saati
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Analist
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Analist
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Analist
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Analist
DocType: Item,Inventory,Stok
DocType: Item,Sales Details,Satış Ayrıntılar
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,Öğeler ile
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,Miktarında
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,Miktarında
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Kayıtlı Dersi Öğrenci Grubu Öğrencileri için Doğrula
DocType: Notification Control,Expense Claim Rejected,Gider Talebi Reddedildi
DocType: Item,Item Attribute,Ürün Özellik
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Devlet
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Devlet
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Devlet
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Devlet
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Gider Talep {0} zaten Araç giriş için var
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Kurum İsmi
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Kurum İsmi
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,geri ödeme miktarı giriniz
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Öğe Türevleri
DocType: Company,Services,Servisler
@@ -1767,20 +1774,20 @@
DocType: Sales Invoice,Source,Kaynak
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Kapalı olanları göster
DocType: Leave Type,Is Leave Without Pay,Pay Yapmadan mı
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Sabit Varlık için Varlık Kategorisi zorunludur
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Sabit Varlık için Varlık Kategorisi zorunludur
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Ödeme tablosunda kayıt bulunamadı
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Ödeme tablosunda kayıt bulunamadı
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Bu {0} çatışmalar {1} için {2} {3}
DocType: Student Attendance Tool,Students HTML,Öğrenciler HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Mali Yıl Başlangıç Tarihi
DocType: POS Profile,Apply Discount,İndirim uygula
+DocType: Purchase Invoice Item,GST HSN Code,GST HSN Kodu
DocType: Employee External Work History,Total Experience,Toplam Deneyim
DocType: Employee External Work History,Total Experience,Toplam Deneyim
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Açık Projeler
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Ambalaj Makbuzları İptal Edildi
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Yatırım Nakit Akışı
DocType: Program Course,Program Course,programı Ders
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Navlun ve Sevkiyat Ücretleri
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Navlun ve Sevkiyat Ücretleri
DocType: Homepage,Company Tagline for website homepage,web sitesinin ana Company Slogan
DocType: Item Group,Item Group Name,Ürün Grup Adı
DocType: Item Group,Item Group Name,Ürün Grup Adı
@@ -1791,6 +1798,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,İlanlar oluştur
DocType: Maintenance Schedule,Schedules,Programlar
DocType: Purchase Invoice Item,Net Amount,Net Miktar
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} gönderilmedi, bu nedenle eylem tamamlanamadı"
DocType: Purchase Order Item Supplied,BOM Detail No,BOM Detay yok
DocType: Landed Cost Voucher,Additional Charges,Ek ücretler
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Ek İndirim Tutarı (Şirket Para Birimi)
@@ -1807,6 +1815,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Aylık Geri Ödeme Tutarı
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,Çalışan Rolü ayarlamak için Çalışan kaydındaki Kullanıcı Kimliği alanını Lütfen
DocType: UOM,UOM Name,Ölçü Birimi
+DocType: GST HSN Code,HSN Code,HSN Kodu
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Katkı Tutarı
DocType: Purchase Invoice,Shipping Address,Teslimat Adresi
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,"Bu araç, güncellemek veya sistemde stok miktarı ve değerleme düzeltmek için yardımcı olur. Genellikle sistem değerlerini ve ne aslında depolarda var eşitlemek için kullanılır."
@@ -1818,12 +1827,10 @@
DocType: Sales Invoice Item,Brand Name,Marka Adı
DocType: Sales Invoice Item,Brand Name,Marka Adı
DocType: Purchase Receipt,Transporter Details,Taşıyıcı Detayları
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Standart depo seçilen öğe için gereklidir
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Kutu
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Kutu
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Standart depo seçilen öğe için gereklidir
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Kutu
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Kutu
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,Olası Tedarikçi
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Organizasyon
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Organizasyon
DocType: Budget,Monthly Distribution,Aylık Dağılımı
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Alıcı listesi boş. Alıcı listesi oluşturunuz
DocType: Production Plan Sales Order,Production Plan Sales Order,Üretim Planı Satış Siparişi
@@ -1831,8 +1838,8 @@
DocType: Sales Partner,Sales Partner Target,Satış Ortağı Hedefi
DocType: Loan Type,Maximum Loan Amount,Maksimum Kredi Miktarı
DocType: Pricing Rule,Pricing Rule,Fiyatlandırma Kuralı
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},{0} öğrencisi için yinelenen rulo numarası
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},{0} öğrencisi için yinelenen rulo numarası
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},{0} öğrencisi için yinelenen rulo numarası
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},{0} öğrencisi için yinelenen rulo numarası
DocType: Budget,Action if Annual Budget Exceeded,Yıllık Bütçe aşıldıysa yapılacak işlem
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Satınalma Siparişi Malzeme Talebi
DocType: Shopping Cart Settings,Payment Success URL,Ödeme Başarı URL
@@ -1847,12 +1854,12 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Açılış Stok Dengesi
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} sadece bir kez yer almalıdır
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Daha fazla tranfer izin yok {0} daha {1} Satınalma Siparişi karşı {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Daha fazla tranfer izin yok {0} daha {1} Satınalma Siparişi karşı {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},İzinler {0} için başarıyla tahsis edildi
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Ambalajlanacak Ürün Yok
DocType: Shipping Rule Condition,From Value,Değerden
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Üretim Miktarı zorunludur
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Üretim Miktarı zorunludur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Üretim Miktarı zorunludur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Üretim Miktarı zorunludur
DocType: Employee Loan,Repayment Method,Geri Ödeme Yöntemi
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Seçili ise, Ana sayfa web sitesi için varsayılan Ürün Grubu olacak"
DocType: Quality Inspection Reading,Reading 4,4 Okuma
@@ -1862,7 +1869,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Satır # {0}: Boşluk tarihi {1} Çek tarihinden önce olamaz {2}
DocType: Company,Default Holiday List,Tatil Listesini Standart
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Satır {0}: Zaman ve zaman {1} ile örtüşen {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Stok Yükümlülükleri
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Stok Yükümlülükleri
DocType: Purchase Invoice,Supplier Warehouse,Tedarikçi Deposu
DocType: Purchase Invoice,Supplier Warehouse,Tedarikçi Deposu
DocType: Opportunity,Contact Mobile No,İrtibat Mobil No
@@ -1874,38 +1881,40 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Teklifi Yap
apps/erpnext/erpnext/config/selling.py +216,Other Reports,diğer Raporlar
DocType: Dependent Task,Dependent Task,Bağımlı Görev
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Tedbir varsayılan Birimi için dönüşüm faktörü satırda 1 olmalıdır {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Tedbir varsayılan Birimi için dönüşüm faktörü satırda 1 olmalıdır {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Tip{0} izin {1}'den uzun olamaz
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Peşin X gün için operasyonlar planlama deneyin.
DocType: HR Settings,Stop Birthday Reminders,Doğum günü hatırlatıcılarını durdur
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Şirket Standart Bordro Ödenecek Hesap ayarlayın {0}
DocType: SMS Center,Receiver List,Alıcı Listesi
DocType: SMS Center,Receiver List,Alıcı Listesi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Arama Öğe
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Arama Öğe
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Tüketilen Tutar
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Nakit Net Değişim
DocType: Assessment Plan,Grading Scale,Notlandırma ölçeği
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Ölçü Birimi {0} Dönüşüm katsayısı tablosunda birden fazla kez girildi.
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Ölçü Birimi {0} Dönüşüm katsayısı tablosunda birden fazla kez girildi.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,Zaten tamamlandı
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Elde Edilen Stoklar
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Ödeme Talebi zaten var {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,İhraç Öğeler Maliyeti
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Miktar fazla olmamalıdır {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Geçmiş Mali Yıl kapatılmamış
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Yaş (Gün)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Yaş (Gün)
DocType: Quotation Item,Quotation Item,Teklif Ürünü
+DocType: Customer,Customer POS Id,Müşteri POS Kimliği
DocType: Account,Account Name,Hesap adı
DocType: Account,Account Name,Hesap adı
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,Tarihten itibaren tarihe kadardan ileride olamaz
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Seri No {0} miktar {1} kesir olamaz
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Tedarikçi Türü Alanı.
DocType: Purchase Order Item,Supplier Part Number,Tedarikçi Parti Numarası
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Dönüşüm oranı 0 veya 1 olamaz
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Dönüşüm oranı 0 veya 1 olamaz
DocType: Sales Invoice,Reference Document,referans Belgesi
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} iptal edilmiş veya durdurulmuş
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} iptal edilmiş veya durdurulmuş
DocType: Accounts Settings,Credit Controller,Kredi Kontrolü
DocType: Delivery Note,Vehicle Dispatch Date,Araç Sevk Tarihi
DocType: Delivery Note,Vehicle Dispatch Date,Araç Sevk Tarihi
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Satın alma makbuzu {0} teslim edilmedi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Satın alma makbuzu {0} teslim edilmedi
DocType: Company,Default Payable Account,Standart Ödenecek Hesap
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Böyle nakliye kuralları, fiyat listesi vb gibi online alışveriş sepeti için Ayarlar"
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% Faturalandırıldı
@@ -1926,12 +1935,13 @@
DocType: Expense Claim,Total Amount Reimbursed,Toplam Tutar Geri ödenen
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,"Bu, bu Araç karşı günlükleri dayanmaktadır. Ayrıntılar için aşağıdaki zaman çizelgesini bakın"
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,Toplamak
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Tedarikçi karşı Fatura {0} tarihli {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Tedarikçi karşı Fatura {0} tarihli {1}
DocType: Customer,Default Price List,Standart Fiyat Listesi
DocType: Customer,Default Price List,Standart Fiyat Listesi
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Varlık Hareket kaydı {0} oluşturuldu
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Silemezsiniz Mali Yılı {0}. Mali yıl {0} Genel ayarlar varsayılan olarak ayarlanır
DocType: Journal Entry,Entry Type,Girdi Türü
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Bu değerlendirme grubuyla bağlantılı bir değerlendirme planı yok
,Customer Credit Balance,Müşteri Kredi Bakiyesi
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Borç Hesapları Net Değişim
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount','Müşteri indirimi' için gereken müşteri
@@ -1941,7 +1951,7 @@
DocType: Quotation,Term Details,Dönem Ayrıntıları
DocType: Project,Total Sales Cost (via Sales Order),Toplam Satış Maliyeti (Satış Siparişi Yoluyla)
DocType: Project,Total Sales Cost (via Sales Order),Toplam Satış Maliyeti (Satış Siparişi Yoluyla)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Bu öğrenci grubu için {0} öğrencilere göre daha kayıt olamaz.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Bu öğrenci grubu için {0} öğrencilere göre daha kayıt olamaz.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Kurşun Sayısı
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Kurşun Sayısı
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} değeri 0 dan büyük olmalı
@@ -1965,7 +1975,7 @@
DocType: Sales Invoice,Packed Items,Paketli Ürünler
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Seri No. karşı Garanti İddiası
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Kullanılan tüm diğer reçetelerde belirli BOM değiştirin. Bu, eski BOM bağlantısını yerine maliyet güncelleme ve yeni BOM göre ""BOM Patlama Öğe"" tablosunu yeniden edecek"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Toplam'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Toplam'
DocType: Shopping Cart Settings,Enable Shopping Cart,Alışveriş Sepeti etkinleştirin
DocType: Employee,Permanent Address,Daimi Adres
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1984,11 +1994,11 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,Miktar veya Değerleme Br.Fiyatı ya da her ikisini de belirtiniz
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,yerine getirme
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Sepet Görüntüle
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Pazarlama Giderleri
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Pazarlama Giderleri
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Pazarlama Giderleri
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Pazarlama Giderleri
,Item Shortage Report,Ürün yetersizliği Raporu
,Item Shortage Report,Ürün yetersizliği Raporu
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Ağırlık çok ""Ağırlık Ölçü Birimi"" belirtiniz \n, söz edilmektedir"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Ağırlık çok ""Ağırlık Ölçü Birimi"" belirtiniz \n, söz edilmektedir"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Bu stok girdisini yapmak için kullanılan Malzeme Talebi
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Sonraki Amortisman Tarihi yeni varlık için zorunludur
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Her Toplu İş için Ayrılmış Kurs Tabanlı Grup
@@ -1998,18 +2008,19 @@
,Student Fee Collection,Öğrenci Ücret Toplama
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Her Stok Hareketi için Muhasebe kaydı oluştur
DocType: Leave Allocation,Total Leaves Allocated,Ayrılan toplam izinler
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Satır No gerekli Depo {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Geçerli Mali Yılı Başlangıç ve Bitiş Tarihleri girin
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Satır No gerekli Depo {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Geçerli Mali Yılı Başlangıç ve Bitiş Tarihleri girin
DocType: Employee,Date Of Retirement,Emeklilik Tarihiniz
DocType: Employee,Date Of Retirement,Emeklilik Tarihiniz
DocType: Upload Attendance,Get Template,Şablon alın
+DocType: Material Request,Transferred,aktarılan
DocType: Vehicle,Doors,Kapılar
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext Kurulumu Tamamlandı!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Kurulumu Tamamlandı!
DocType: Course Assessment Criteria,Weightage,Ağırlık
DocType: Packing Slip,PS-,ps
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Kar/zarar hesabı {2} için Masraf Merkezi tanımlanmalıdır. Lütfen aktif şirket için varsayılan bir Masraf Merkezi tanımlayın.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Aynı adda bir Müşteri Grubu bulunmaktadır. Lütfen Müşteri Grubu ismini değiştirin.
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Yeni bağlantı
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Aynı adda bir Müşteri Grubu bulunmaktadır. Lütfen Müşteri Grubu ismini değiştirin.
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Yeni bağlantı
DocType: Territory,Parent Territory,Ana Bölge
DocType: Quality Inspection Reading,Reading 2,2 Okuma
DocType: Stock Entry,Material Receipt,Malzeme Alındısı
@@ -2019,8 +2030,8 @@
DocType: Employee,AB+,AB+
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Bu öğeyi varyantları varsa, o zaman satış siparişleri vb seçilemez"
DocType: Lead,Next Contact By,Sonraki İrtibat
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Satır {1} deki Ürün {0} için gereken miktar
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},Ürün {1} için miktar mevcut olduğundan depo {0} silinemez
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Satır {1} deki Ürün {0} için gereken miktar
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Ürün {1} için miktar mevcut olduğundan depo {0} silinemez
DocType: Quotation,Order Type,Sipariş Türü
DocType: Quotation,Order Type,Sipariş Türü
DocType: Purchase Invoice,Notification Email Address,Bildirim E-posta Adresi
@@ -2028,10 +2039,9 @@
,Item-wise Sales Register,Ürün bilgisi Satış Kaydı
DocType: Asset,Gross Purchase Amount,Brüt sipariş tutarı
DocType: Asset,Depreciation Method,Amortisman Yöntemi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Çevrimdışı
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,Çevrimdışı
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Bu Vergi Temel Br.Fiyata dahil mi?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Toplam Hedef
-DocType: Program Course,Required,gereklidir
DocType: Job Applicant,Applicant for a Job,İş için aday
DocType: Production Plan Material Request,Production Plan Material Request,Üretim Planı Malzeme Talebi
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Üretim Emri Oluşturulmadı
@@ -2043,18 +2053,18 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Bir Müşterinin Satınalma Siparişi karşı birden Satış Siparişine izin ver
DocType: Student Group Instructor,Student Group Instructor,Öğrenci Grubu Eğitmeni
DocType: Student Group Instructor,Student Group Instructor,Öğrenci Grubu Eğitmeni
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 Mobil yok
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Ana
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Ana
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobil yok
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Ana
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Ana
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Varyant
DocType: Naming Series,Set prefix for numbering series on your transactions,İşlemlerinizde seri numaralandırma için ön ek ayarlayın
DocType: Employee Attendance Tool,Employees HTML,"Çalışanlar, HTML"
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Standart BOM ({0}) Bu öğe veya şablon için aktif olmalıdır
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Standart BOM ({0}) Bu öğe veya şablon için aktif olmalıdır
DocType: Employee,Leave Encashed?,İzin Tahsil Edilmiş mi?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Kimden alanında Fırsat zorunludur
DocType: Email Digest,Annual Expenses,yıllık giderler
DocType: Item,Variants,Varyantlar
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Satın Alma Emri verin
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Satın Alma Emri verin
DocType: SMS Center,Send To,Gönder
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},İzin tipi{0} için yeterli izin bakiyesi yok
DocType: Payment Reconciliation Payment,Allocated amount,Ayrılan miktarı
@@ -2072,29 +2082,27 @@
DocType: Item,Serial Nos and Batches,Seri No ve Katlar
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Öğrenci Grubu Gücü
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Öğrenci Grubu Gücü
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Journal Karşı giriş {0} herhangi eşsiz {1} girişi yok
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Journal Karşı giriş {0} herhangi eşsiz {1} girişi yok
apps/erpnext/erpnext/config/hr.py +137,Appraisals,Appraisals
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Çoğaltın Seri No Ürün için girilen {0}
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Çoğaltın Seri No Ürün için girilen {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Nakliye Kuralı için koşul
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Girin lütfen
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Arka arkaya Item {0} için Overbill olamaz {1} daha {2}. aşırı faturalama sağlamak için, Ayarlar Alış belirlenen lütfen"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Madde veya Depo dayalı filtre ayarlayın
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Arka arkaya Item {0} için Overbill olamaz {1} daha {2}. aşırı faturalama sağlamak için, Ayarlar Alış belirlenen lütfen"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Madde veya Depo dayalı filtre ayarlayın
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Bu paketin net ağırlığı (Ürünlerin net toplamından otomatik olarak hesaplanır)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Bu Atölyesi için Hesap oluşturmak ve bağlamak edin. Bu {0} zaten mevcut adıyla bir hesap olarak otomatik yapılamaz
DocType: Sales Order,To Deliver and Bill,Teslim edilecek ve Faturalanacak
DocType: Student Group,Instructors,Ders
DocType: GL Entry,Credit Amount in Account Currency,Hesap Para Birimi Kredi Tutarı
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} teslim edilmelidir
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} teslim edilmelidir
DocType: Authorization Control,Authorization Control,Yetki Kontrolü
DocType: Authorization Control,Authorization Control,Yetki Kontrolü
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Satır # {0}: Depo Reddedildi reddedilen Öğe karşı zorunludur {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Satır # {0}: Depo Reddedildi reddedilen Öğe karşı zorunludur {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Tahsilat
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Depo {0} herhangi bir hesaba bağlı değil, lütfen depo kaydındaki hesaptaki sözcükten veya {1} şirketindeki varsayılan envanter hesabını belirtin."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,siparişlerinizi yönetin
DocType: Production Order Operation,Actual Time and Cost,Gerçek Zaman ve Maliyet
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Maksimum {0} Malzeme Talebi Malzeme {1} için Satış Emri {2} karşılığında yapılabilir
-DocType: Employee,Salutation,Hitap
-DocType: Employee,Salutation,Hitap
DocType: Course,Course Abbreviation,Ders Kısaltma
DocType: Student Leave Application,Student Leave Application,Öğrenci bırak Uygulaması
DocType: Item,Will also apply for variants,Ayrıca varyantları için geçerli olacaktır
@@ -2106,13 +2114,13 @@
DocType: Quotation Item,Actual Qty,Gerçek Adet
DocType: Sales Invoice Item,References,Kaynaklar
DocType: Quality Inspection Reading,Reading 10,10 Okuma
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Sattığınız veya satın aldığınız ürün veya hizmetleri listeleyin, başladığınızda Ürün grubunu, ölçü birimini ve diğer özellikleri işaretlediğinizden emin olun"
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Sattığınız veya satın aldığınız ürün veya hizmetleri listeleyin, başladığınızda Ürün grubunu, ölçü birimini ve diğer özellikleri işaretlediğinizden emin olun"
DocType: Hub Settings,Hub Node,Hub Düğüm
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Yinelenen Ürünler girdiniz. Lütfen düzeltip yeniden deneyin.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Ortak
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Ortak
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Ortak
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Ortak
DocType: Asset Movement,Asset Movement,Varlık Hareketi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,Yeni Sepet
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Yeni Sepet
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Ürün {0} bir seri Ürün değildir
DocType: SMS Center,Create Receiver List,Alıcı listesi oluşturma
DocType: Vehicle,Wheels,Tekerlekler
@@ -2134,20 +2142,20 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Eğer ücret biçimi 'Önceki Ham Miktar' veya 'Önceki Ham Totk' ise referans verebilir
DocType: Sales Order Item,Delivery Warehouse,Teslim Depo
DocType: SMS Settings,Message Parameter,Mesaj Parametresi
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Finansal Maliyet Merkezleri Ağacı.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Finansal Maliyet Merkezleri Ağacı.
DocType: Serial No,Delivery Document No,Teslim Belge No
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Şirket 'Varlık Elden Çıkarılmasına İlişkin Kâr / Zarar Hesabı' set Lütfen {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Satınalma Makbuzlar Gönderen Ürünleri alın
DocType: Serial No,Creation Date,Oluşturulma Tarihi
DocType: Serial No,Creation Date,Oluşturulma Tarihi
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Ürün {0} Fiyat Listesi {1} birden çok kez görüntülenir
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}",Uygulanabilir {0} olarak seçildiyse satış işaretlenmelidir
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}",Uygulanabilir {0} olarak seçildiyse satış işaretlenmelidir
DocType: Production Plan Material Request,Material Request Date,Malzeme Talep Tarihi
DocType: Purchase Order Item,Supplier Quotation Item,Tedarikçi Teklif ürünü
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Üretim Siparişleri karşı gerçek zamanlı günlükleri oluşturulmasını devre dışı bırakır. Operasyonlar Üretim Emri karşı izlenen edilmeyecektir
DocType: Student,Student Mobile Number,Öğrenci Cep Numarası
DocType: Item,Has Variants,Varyasyoları var
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Zaten öğeleri seçtiniz {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Zaten öğeleri seçtiniz {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Aylık Dağıtım Adı
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Toplu İşlem Kimliği zorunludur
DocType: Sales Person,Parent Sales Person,Ana Satış Elemanı
@@ -2158,13 +2166,13 @@
DocType: Vehicle Log,Fuel Price,yakıt Fiyatı
DocType: Budget,Budget,Bütçe
DocType: Budget,Budget,Bütçe
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Sabit Kıymet Öğe olmayan bir stok kalemi olmalıdır.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Sabit Kıymet Öğe olmayan bir stok kalemi olmalıdır.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Bir gelir ya da gider hesabı değil gibi Bütçe, karşı {0} atanamaz"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Arşivlendi
DocType: Student Admission,Application Form Route,Başvuru Formu Rota
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Bölge / Müşteri
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,örneğin 5
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,örneğin 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,örneğin 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,örneğin 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,o ödeme olmadan terk beri Türü {0} tahsis edilemez bırakın
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Satır {0}: Tahsis miktar {1} daha az ya da olağanüstü miktarda fatura eşit olmalıdır {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,Satış faturasını kaydettiğinizde görünür olacaktır.
@@ -2175,7 +2183,7 @@
DocType: Maintenance Visit,Maintenance Time,Bakım Zamanı
DocType: Maintenance Visit,Maintenance Time,Bakım Zamanı
,Amount to Deliver,Teslim edilecek tutar
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Ürün veya Hizmet
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Ürün veya Hizmet
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Dönem Başlangıç Tarihi terim bağlantılı olduğu için Akademik Yılı Year Başlangıç Tarihi daha önce olamaz (Akademik Yılı {}). tarihleri düzeltmek ve tekrar deneyin.
DocType: Guardian,Guardian Interests,Guardian İlgi
DocType: Naming Series,Current Value,Mevcut değer
@@ -2194,13 +2202,13 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Bu stok hareketi dayanmaktadır. Bkz {0} ayrıntılar için
DocType: Pricing Rule,Selling,Satış
DocType: Pricing Rule,Selling,Satış
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},"{0} {1} miktarı, {2}'ye karşılık düşürülecek"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},"{0} {1} miktarı, {2}'ye karşılık düşürülecek"
DocType: Employee,Salary Information,Maaş Bilgisi
DocType: Sales Person,Name and Employee ID,İsim ve Çalışan Kimliği
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,Bitiş Tarihi gönderim tarihinden önce olamaz
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,Bitiş Tarihi gönderim tarihinden önce olamaz
DocType: Website Item Group,Website Item Group,Web Sitesi Ürün Grubu
DocType: Website Item Group,Website Item Group,Web Sitesi Ürün Grubu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Harç ve Vergiler
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Harç ve Vergiler
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Referrans tarihi girin
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} ödeme girişleri şu tarafından filtrelenemez {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,Web Sitesi gösterilir Öğe için Tablo
@@ -2218,10 +2226,10 @@
DocType: Installation Note,Installation Time,Kurulum Zaman
DocType: Installation Note,Installation Time,Kurulum Zaman
DocType: Sales Invoice,Accounting Details,Muhasebe Detayları
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Bu şirket için bütün İşlemleri sil
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Satır # {0}: {1} Çalışma Üretimde mamul mal {2} qty tamamlanmış değil Sipariş # {3}. Zaman Kayıtlar üzerinden çalışma durumunu güncelleyin Lütfen
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Yatırımlar
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Yatırımlar
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Bu şirket için bütün İşlemleri sil
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Satır # {0}: {1} Çalışma Üretimde mamul mal {2} qty tamamlanmış değil Sipariş # {3}. Zaman Kayıtlar üzerinden çalışma durumunu güncelleyin Lütfen
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Yatırımlar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Yatırımlar
DocType: Issue,Resolution Details,Karar Detayları
DocType: Issue,Resolution Details,Karar Detayları
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,tahsisler
@@ -2248,8 +2256,8 @@
DocType: Room,Room Name,Oda ismi
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Izin dengesi zaten carry iletilen gelecek izin tahsisi kayıtlarında olduğu gibi, daha önce {0} iptal / tatbik edilemez bırakın {1}"
DocType: Activity Cost,Costing Rate,Maliyet Oranı
-,Customer Addresses And Contacts,Müşteri Adresleri ve İletişim Bilgileri
-,Customer Addresses And Contacts,Müşteri Adresleri Ve İletişim
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Müşteri Adresleri ve İletişim Bilgileri
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Müşteri Adresleri Ve İletişim
,Campaign Efficiency,Kampanya Verimliliği
,Campaign Efficiency,Kampanya Verimliliği
DocType: Discussion,Discussion,Tartışma
@@ -2262,15 +2270,17 @@
DocType: Task,Total Billing Amount (via Time Sheet),Toplam Fatura Tutarı (Zaman Sheet yoluyla)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Tekrar Müşteri Gelir
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) rolü 'Gider onaylayansanız' olmalıdır
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Çift
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Çift
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Üretim için BOM ve Miktar seçin
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Çift
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Çift
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Üretim için BOM ve Miktar seçin
DocType: Asset,Depreciation Schedule,Amortisman Programı
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Satış Ortağı Adresleri ve Kişiler
DocType: Bank Reconciliation Detail,Against Account,Hesap karşılığı
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Yarım Gün Tarih Tarihinden ve Tarihi arasında olmalıdır
DocType: Maintenance Schedule Detail,Actual Date,Gerçek Tarih
DocType: Item,Has Batch No,Parti No Var
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Yıllık Fatura: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Yıllık Fatura: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Mal ve Hizmet Vergisi (GST India)
DocType: Delivery Note,Excise Page Number,Tüketim Sayfa Numarası
DocType: Delivery Note,Excise Page Number,Tüketim Sayfa Numarası
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Şirket, Tarihten itibaren ve Tarihi zorunludur"
@@ -2279,12 +2289,13 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Lütfen firma {0} için 'Varlık Değer Kaybı Maliyet Merkezi' tanımlayın
,Maintenance Schedules,Bakım Programları
DocType: Task,Actual End Date (via Time Sheet),Gerçek tamamlanma tarihi (Zaman Tablosu'ndan)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},{0} {1} Miktarları {2} {3}'e karşılık
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},{0} {1} Miktarları {2} {3}'e karşılık
,Quotation Trends,Teklif Trendleri
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Ürün {0} içim Ürün alanında Ürün grubu belirtilmemiş
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Hesaba için Bankamatik bir Alacak hesabı olması gerekir
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Ürün {0} içim Ürün alanında Ürün grubu belirtilmemiş
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Hesaba için Bankamatik bir Alacak hesabı olması gerekir
DocType: Shipping Rule Condition,Shipping Amount,Kargo Tutarı
DocType: Shipping Rule Condition,Shipping Amount,Kargo Tutarı
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Müşteriyi Ekleyin
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Bekleyen Tutar
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Bekleyen Tutar
DocType: Purchase Invoice Item,Conversion Factor,Katsayı
@@ -2295,7 +2306,8 @@
DocType: Purchase Receipt,Vehicle Number,Araç Sayısı
DocType: Purchase Invoice,The date on which recurring invoice will be stop,Yinelenen faturanın durdurulacağı tarih
DocType: Employee Loan,Loan Amount,Kredi miktarı
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Satır {0}: Malzeme Listesi Öğe için bulunamadı {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Kendinden Sürüşlü Araç
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Satır {0}: Malzeme Listesi Öğe için bulunamadı {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Toplam ayrılan yapraklar {0} az olamaz dönem için önceden onaylanmış yaprakları {1} den
DocType: Journal Entry,Accounts Receivable,Alacak hesapları
DocType: Journal Entry,Accounts Receivable,Alacak hesapları
@@ -2315,26 +2327,25 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Gider Talebi onay bekliyor. Yalnızca Gider yetkilisi durumu güncelleyebilir.
DocType: Email Digest,New Expenses,yeni giderler
DocType: Purchase Invoice,Additional Discount Amount,Ek İndirim Tutarı
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Satır # {0}: öğe sabit kıymet olarak Adet, 1 olmalıdır. Birden fazla qty için ayrı bir satır kullanın."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Satır # {0}: öğe sabit kıymet olarak Adet, 1 olmalıdır. Birden fazla qty için ayrı bir satır kullanın."
DocType: Leave Block List Allow,Leave Block List Allow,İzin engel listesi müsaade eder
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Kısaltma boş veya boşluktan oluşamaz
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Kısaltma boş veya boşluktan oluşamaz
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Sigara Grup Grup
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Spor
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Spor
DocType: Loan Type,Loan Name,kredi Ad
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Gerçek Toplam
DocType: Student Siblings,Student Siblings,Öğrenci Kardeşleri
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Birim
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Birim
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,Şirket belirtiniz
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,Şirket belirtiniz
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Birim
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Birim
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Şirket belirtiniz
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Şirket belirtiniz
,Customer Acquisition and Loyalty,Müşteri Kazanma ve Bağlılık
,Customer Acquisition and Loyalty,Müşteri Edinme ve Sadakat
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,Reddedilen Ürün stoklarını muhafaza ettiğiniz depo
DocType: Production Order,Skip Material Transfer,Malzeme Transferini Atla
DocType: Production Order,Skip Material Transfer,Malzeme Transferini Atla
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Anahtar tarih {2} için {0} ila {1} arası döviz kuru bulunamadı. Lütfen bir Döviz Değiştirme kaydı el ile oluşturun
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Mali yılınız şu tarihte sona eriyor:
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Anahtar tarih {2} için {0} ila {1} arası döviz kuru bulunamadı. Lütfen bir Döviz Değiştirme kaydı el ile oluşturun
DocType: POS Profile,Price List,Fiyat listesi
DocType: POS Profile,Price List,Fiyat listesi
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} varsayılan Mali Yıldır. Değiştirmek için tarayıcınızı yenileyiniz
@@ -2349,15 +2360,15 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Toplu stok bakiyesi {0} olacak olumsuz {1} Warehouse Ürün {2} için {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Malzeme İstekleri ardından öğesinin yeniden sipariş seviyesine göre otomatik olarak gündeme gelmiş
DocType: Email Digest,Pending Sales Orders,Satış Siparişleri Bekleyen
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Hesap {0} geçersiz. Hesap Para olmalıdır {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Hesap {0} geçersiz. Hesap Para olmalıdır {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Ölçü Birimi Dönüşüm katsayısı satır {0} da gereklidir
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",Satır # {0}: Referans Doküman Türü Satış Sipariş biri Satış Fatura veya günlük girdisi olmalıdır
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",Satır # {0}: Referans Doküman Türü Satış Sipariş biri Satış Fatura veya günlük girdisi olmalıdır
DocType: Salary Component,Deduction,Kesinti
DocType: Salary Component,Deduction,Kesinti
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Satır {0}: From Time ve Zaman için zorunludur.
DocType: Stock Reconciliation Item,Amount Difference,tutar Farkı
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Ürün Fiyatı için katma {0} Fiyat Listesi {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Ürün Fiyatı için katma {0} Fiyat Listesi {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Bu satış kişinin Çalışan Kimliği giriniz
DocType: Territory,Classification of Customers by region,Bölgelere göre Müşteriler sınıflandırılması
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Fark Tutar sıfır olmalıdır
@@ -2370,22 +2381,22 @@
DocType: Salary Slip,Total Deduction,Toplam Kesinti
DocType: Salary Slip,Total Deduction,Toplam Kesinti
,Production Analytics,Üretim Analytics
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Maliyet Güncelleme
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Maliyet Güncelleme
DocType: Employee,Date of Birth,Doğum tarihi
DocType: Employee,Date of Birth,Doğum tarihi
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Ürün {0} zaten iade edilmiş
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Ürün {0} zaten iade edilmiş
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Mali Yılı ** Mali Yılı temsil eder. Tüm muhasebe kayıtları ve diğer önemli işlemler ** ** Mali Yılı karşı izlenir.
DocType: Opportunity,Customer / Lead Address,Müşteri Adresi
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Uyarı: eki Geçersiz SSL sertifikası {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Uyarı: eki Geçersiz SSL sertifikası {0}
DocType: Student Admission,Eligibility,uygunluk
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","İlanlar iş, tüm kişileri ve daha fazla potansiyel müşteri olarak eklemek yardımcı"
DocType: Production Order Operation,Actual Operation Time,Gerçek Çalışma Süresi
DocType: Authorization Rule,Applicable To (User),(Kullanıcıya) Uygulanabilir
DocType: Purchase Taxes and Charges,Deduct,Düşmek
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,İş Tanımı
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,İş Tanımı
DocType: Student Applicant,Applied,Başvuruldu
DocType: Sales Invoice Item,Qty as per Stock UOM,Her Stok Ölçü Birimi (birim) için miktar
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2 Adı
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 Adı
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Dışında Özel Karakterler ""-"" ""."", ""#"", ve ""/"" serisi adlandırma izin verilmiyor"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Satış Kampanyaları Takip Edin. İlanlar, Özlü Sözler takip edin, Satış Sipariş vb Kampanyalar dan Yatırım Dönüş ölçmek için."
DocType: Expense Claim,Approver,Onaylayan
@@ -2399,8 +2410,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Seri No {0} {1} uyarınca garantide
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,İrsaliyeyi ambalajlara böl.
apps/erpnext/erpnext/hooks.py +87,Shipments,Gönderiler
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Depo {3} için {1} için hesap bakiyesi ({0}) ve stokta değeri ({2}) aynı olmalıdır
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Depo {3} için {1} için hesap bakiyesi ({0}) ve stokta değeri ({2}) aynı olmalıdır
DocType: Payment Entry,Total Allocated Amount (Company Currency),Toplam Ayrılan Tutar (Şirket Para Birimi)
DocType: Purchase Order Item,To be delivered to customer,Müşteriye teslim edilmek üzere
DocType: BOM,Scrap Material Cost,Hurda Malzeme Maliyet
@@ -2410,23 +2419,24 @@
DocType: Asset,Supplier,Tedarikçi
DocType: C-Form,Quarter,Çeyrek
DocType: C-Form,Quarter,Çeyrek
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Çeşitli Giderler
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Çeşitli Giderler
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Çeşitli Giderler
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Çeşitli Giderler
DocType: Global Defaults,Default Company,Standart Firma
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Ürün {0} için gider veya fark hesabı bütün stok değerini etkilediği için zorunludur
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Ürün {0} için gider veya fark hesabı bütün stok değerini etkilediği için zorunludur
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Banka Adı
DocType: Cheque Print Template,Bank Name,Banka Adı
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Üstte
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Üstte
DocType: Employee Loan,Employee Loan Account,Çalışan Kredi Hesabı
DocType: Leave Application,Total Leave Days,Toplam bırak Günler
DocType: Email Digest,Note: Email will not be sent to disabled users,Not: E-posta engelli kullanıcılara gönderilmeyecektir
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Etkileşim Sayısı
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Etkileşim Sayısı
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Ürün Kodu> Ürün Grubu> Marka
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Firma Seçin ...
DocType: Leave Control Panel,Leave blank if considered for all departments,Tüm bölümler için kabul ise boş bırakın
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","İstihdam (daimi, sözleşmeli, stajyer vb) Türleri."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} Ürün {1} için zorunludur
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} Ürün {1} için zorunludur
DocType: Process Payroll,Fortnightly,iki haftada bir
DocType: Currency Exchange,From Currency,Para biriminden
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","En az bir satırda Tahsis Tutar, Fatura Türü ve Fatura Numarası seçiniz"
@@ -2452,7 +2462,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,Programı almak için 'Program Oluştura' tıklayınız
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Aşağıdaki programları silerken hata oluştu:
DocType: Bin,Ordered Quantity,Sipariş Edilen Miktar
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","örneğin """"İnşaatçılar için inşaat araçları"
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","örneğin """"İnşaatçılar için inşaat araçları"
DocType: Grading Scale,Grading Scale Intervals,Not Verme Ölçeği Aralıkları
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: {2} için muhasebe kaydı yalnızca bu para birimi ile yapılabilir: {3}
DocType: Production Order,In Process,Süreci
@@ -2466,13 +2476,12 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Öğrenci Grupları oluşturuldu.
DocType: Sales Invoice,Total Billing Amount,Toplam Fatura Tutarı
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Bu çalışması için etkin bir varsayılan gelen e-posta hesabı olmalıdır. Lütfen kurulum varsayılan gelen e-posta hesabı (POP / IMAP) ve tekrar deneyin.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Alacak Hesabı
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Satır {0}: Sabit Varlık {1} zaten {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Alacak Hesabı
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Satır {0}: Sabit Varlık {1} zaten {2}
DocType: Quotation Item,Stock Balance,Stok Bakiye
DocType: Quotation Item,Stock Balance,Stok Bakiye
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Ödeme Satış Sipariş
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Lütfen Kurulum> Ayarlar> Adlandırma Serisi aracılığıyla {0} için Naming Series'i ayarlayın.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,CEO
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO
DocType: Expense Claim Detail,Expense Claim Detail,Gideri Talebi Detayı
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Doğru hesabı seçin
DocType: Item,Weight UOM,Ağırlık Ölçü Birimi
@@ -2482,14 +2491,14 @@
DocType: Production Order Operation,Pending,Bekliyor
DocType: Course,Course Name,Ders Adı
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Belirli bir çalışanın izni uygulamalarını onaylayabilir Kullanıcılar
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Ofis Gereçleri
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Ofis Gereçleri
DocType: Purchase Invoice Item,Qty,Miktar
DocType: Purchase Invoice Item,Qty,Miktar
DocType: Fiscal Year,Companies,Şirketler
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Elektronik
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Elektronik
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Stok yeniden sipariş düzeyine ulaştığında Malzeme talebinde bulun
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Tam zamanlı
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Tam zamanlı
DocType: Salary Structure,Employees,Çalışanlar
DocType: Employee,Contact Details,İletişim Bilgileri
DocType: C-Form,Received Date,Alınan Tarih
@@ -2499,7 +2508,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Fiyat Listesi ayarlı değilse fiyatları gösterilmeyecektir
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Bu Nakliye Kural için bir ülke belirtin ya da Dünya Denizcilik'in kontrol edin
DocType: Stock Entry,Total Incoming Value,Toplam Gelen Değeri
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Bankamatik To gereklidir
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Bankamatik To gereklidir
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Zaman çizelgeleri ekip tarafından yapılan aktiviteler için zaman, maliyet ve fatura izlemenize yardımcı"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Satınalma Fiyat Listesi
DocType: Offer Letter Term,Offer Term,Teklif Dönem
@@ -2509,18 +2518,18 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,Sorumlu kişinin adını seçiniz
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Teknoloji
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Teknoloji
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Toplam Ödenmemiş: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Toplam Ödenmemiş: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM Sitesi Operasyonu
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Mektubu Teklif
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Malzeme İstekleri (MRP) ve Üretim Emirleri oluşturun.
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Malzeme İstekleri (MRP) ve Üretim Emirleri oluşturun.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Toplam Faturalandırılan Tutarı
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Toplam Faturalandırılan Tutarı
DocType: BOM,Conversion Rate,Dönüşüm oranı
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Ürün Arama
DocType: Timesheet Detail,To Time,Zamana
DocType: Authorization Rule,Approving Role (above authorized value),(Yetkili değerin üstünde) Rolü onaylanması
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Hesaba için Kredi bir Ödenecek hesabı olması gerekir
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM özyineleme: {0} ebeveyn veya çocuk olamaz {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Hesaba için Kredi bir Ödenecek hesabı olması gerekir
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM özyineleme: {0} ebeveyn veya çocuk olamaz {2}
DocType: Production Order Operation,Completed Qty,Tamamlanan Adet
DocType: Production Order Operation,Completed Qty,Tamamlanan Adet
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","{0}, sadece banka hesapları başka bir kredi girişine karşı bağlantılı olabilir için"
@@ -2534,19 +2543,19 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} Öğe için gerekli Seri Numaraları {1}. Sağladığınız {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Güncel Değerleme Oranı
DocType: Item,Customer Item Codes,Müşteri Ürün Kodları
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Değişim Kâr / Zarar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Değişim Kâr / Zarar
DocType: Opportunity,Lost Reason,Kayıp Nedeni
DocType: Opportunity,Lost Reason,Kayıp Nedeni
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Yeni Adres
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Yeni Adres
DocType: Quality Inspection,Sample Size,Numune Miktarı
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Makbuz Belge giriniz
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Bütün Ürünler zaten faturalandırılmıştır
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Bütün Ürünler zaten faturalandırılmıştır
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',Lütfen geçerlli bir 'durum nodan başlayarak' belirtiniz
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,"Daha fazla masraf Gruplar altında yapılabilir, ancak girişleri olmayan Gruplar karşı yapılabilir"
DocType: Project,External,Harici
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Kullanıcılar ve İzinler
DocType: Vehicle Log,VLOG.,VLOG.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Üretim Siparişleri düzenlendi: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Üretim Siparişleri düzenlendi: {0}
DocType: Branch,Branch,Şube
DocType: Guardian,Mobile Number,Cep numarası
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Baskı ve Markalaşma
@@ -2554,11 +2563,9 @@
DocType: Bin,Actual Quantity,Gerçek Miktar
DocType: Shipping Rule,example: Next Day Shipping,Örnek: Bir sonraki gün sevkiyat
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Bulunamadı Seri No {0}
-DocType: Scheduling Tool,Student Batch,Öğrenci Toplu
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Müşterileriniz
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Müşterileriniz
+DocType: Program Enrollment,Student Batch,Öğrenci Toplu
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Öğrenci olun
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},{0} projesine katkıda bulunmak için davet edildiniz
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},{0} projesine katkıda bulunmak için davet edildiniz
DocType: Leave Block List Date,Block Date,Blok Tarih
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Şimdi Başvur
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Gerçek Miktar {0} / Bekleyen Miktar {1}
@@ -2569,7 +2576,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Günlük, haftalık ve aylık e-posta özetleri oluştur."
DocType: Appraisal Goal,Appraisal Goal,Değerlendirme Hedefi
DocType: Stock Reconciliation Item,Current Amount,Güncel Tutar
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,Binalar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,Binalar
DocType: Fee Structure,Fee Structure,ücret Yapısı
DocType: Timesheet Detail,Costing Amount,Maliyet Tutarı
DocType: Student Admission,Application Fee,Başvuru ücreti
@@ -2583,10 +2590,10 @@
DocType: POS Profile,[Select],[Seç]
DocType: SMS Log,Sent To,Gönderildiği Kişi
DocType: Payment Request,Make Sales Invoice,Satış Faturası Oluştur
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,Yazılımlar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Yazılımlar
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Sonraki İletişim Tarih geçmişte olamaz
DocType: Company,For Reference Only.,Başvuru için sadece.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Toplu İş Numarayı Seç
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Toplu İş Numarayı Seç
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Geçersiz {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-ret
DocType: Sales Invoice Advance,Advance Amount,Avans miktarı
@@ -2599,18 +2606,18 @@
DocType: Employee,Employment Details,İstihdam Detayları
DocType: Employee,New Workplace,Yeni İş Yeri
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Kapalı olarak ayarla
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Barkodlu Ürün Yok {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Barkodlu Ürün Yok {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Durum No 0 olamaz
DocType: Item,Show a slideshow at the top of the page,Sayfanın üstünde bir slayt gösterisi göster
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,BOM'ları
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Mağazalar
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Mağazalar
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,BOM'ları
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Mağazalar
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Mağazalar
DocType: Serial No,Delivery Time,İrsaliye Zamanı
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Yaşlanma Temeli
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Dayalı Yaşlanma
DocType: Item,End of Life,Kullanım süresi Sonu
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Gezi
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Gezi
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Gezi
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Gezi
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Verilen tarihler için çalışan {0} için bulunamadı aktif veya varsayılan Maaş Yapısı
DocType: Leave Block List,Allow Users,Kullanıcılara İzin Ver
DocType: Purchase Order,Customer Mobile No,Müşteri Mobil Hayır
@@ -2620,34 +2627,35 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Güncelleme Maliyeti
DocType: Item Reorder,Item Reorder,Ürün Yeniden Sipariş
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Göster Maaş Kayma
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Transfer Malzemesi
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Transfer Malzemesi
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","İşlemleri, işlem maliyetlerini belirtiniz ve işlemlerinize kendilerine özgü işlem numaraları veriniz."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Bu belge ile sınırı üzerinde {0} {1} öğe için {4}. yapıyoruz aynı karşı başka {3} {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,kaydettikten sonra yinelenen ayarlayın
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Seç değişim miktarı hesabı
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Bu belge ile sınırı üzerinde {0} {1} öğe için {4}. yapıyoruz aynı karşı başka {3} {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,kaydettikten sonra yinelenen ayarlayın
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Seç değişim miktarı hesabı
DocType: Purchase Invoice,Price List Currency,Fiyat Listesi Para Birimi
DocType: Purchase Invoice,Price List Currency,Fiyat Listesi Para Birimi
DocType: Naming Series,User must always select,Kullanıcı her zaman seçmelidir
DocType: Stock Settings,Allow Negative Stock,Negatif Stok izni
DocType: Installation Note,Installation Note,Kurulum Not
DocType: Installation Note,Installation Note,Kurulum Not
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Vergileri Ekle
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Vergileri Ekle
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Vergileri Ekle
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Vergileri Ekle
DocType: Topic,Topic,konu
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Finansman Nakit Akışı
DocType: Budget Account,Budget Account,Bütçe Hesabı
DocType: Quality Inspection,Verified By,Onaylayan Kişi
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Mevcut işlemler olduğundan, şirketin varsayılan para birimini değiştiremezsiniz. İşlemler Varsayılan para birimini değiştirmek için iptal edilmelidir."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Mevcut işlemler olduğundan, şirketin varsayılan para birimini değiştiremezsiniz. İşlemler Varsayılan para birimini değiştirmek için iptal edilmelidir."
DocType: Grading Scale Interval,Grade Description,sınıf Açıklama
DocType: Stock Entry,Purchase Receipt No,Satın alma makbuzu numarası
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Kaparo
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Kaparo
DocType: Process Payroll,Create Salary Slip,Maaş Makbuzu Oluştur
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,izlenebilirlik
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Fon kaynakları (Yükümlülükler)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Satır {0} ({1}) deki miktar üretilen miktar {2} ile aynı olmalıdır
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Fon kaynakları (Yükümlülükler)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Satır {0} ({1}) deki miktar üretilen miktar {2} ile aynı olmalıdır
DocType: Appraisal,Employee,Çalışan
DocType: Appraisal,Employee,Çalışan
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Toplu İş Seç
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} tam fatura edilir
DocType: Training Event,End Time,Bitiş Zamanı
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Verilen tarihlerde çalışan {1} bulundu Aktif Maaş Yapısı {0}
@@ -2660,11 +2668,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Gerekli Açık
DocType: Rename Tool,File to Rename,Rename Dosya
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Satır Öğe için BOM seçiniz {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Ürün için yok Belirtilen BOM {0} {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},"Hesap {0}, Hesap Modu'nda {1} Şirketle eşleşmiyor: {2}"
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Ürün için yok Belirtilen BOM {0} {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Bakım Programı {0} bu Satış Emri iptal edilmeden önce iptal edilmelidir
DocType: Notification Control,Expense Claim Approved,Gideri Talebi Onaylandı
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,çalışanın maaş Kuponu {0} zaten bu dönem için oluşturulan
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Ecza
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Ecza
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Satın Öğeler Maliyeti
DocType: Selling Settings,Sales Order Required,Satış Sipariş Gerekli
DocType: Purchase Invoice,Credit To,Kredi için
@@ -2684,21 +2693,21 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,Devam etmek için Firma belirtin
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,Devam etmek için Firma belirtin
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Alacak Hesapları Net Değişim
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Telafi İzni
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Telafi İzni
DocType: Offer Letter,Accepted,Onaylanmış
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,organizasyon
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,organizasyon
DocType: SG Creation Tool Course,Student Group Name,Öğrenci Grubu Adı
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Bu şirkete ait bütün işlemleri silmek istediğinizden emin olun. Ana veriler olduğu gibi kalacaktır. Bu işlem geri alınamaz.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Bu şirkete ait bütün işlemleri silmek istediğinizden emin olun. Ana veriler olduğu gibi kalacaktır. Bu işlem geri alınamaz.
DocType: Room,Room Number,Oda numarası
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Geçersiz referans {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) planlanan quanitity daha büyük olamaz ({2}) Üretim Sipariş {3}
DocType: Shipping Rule,Shipping Rule Label,Kargo Kural Etiketi
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,kullanıcı Forumu
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Hammaddeler boş olamaz.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Stok güncelleme olamazdı, fatura damla nakliye öğe içeriyor."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Hammaddeler boş olamaz.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Stok güncelleme olamazdı, fatura damla nakliye öğe içeriyor."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Hızlı Kayıt Girdisi
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,Herhangi bir Ürünye karşo BOM belirtildiyse oran değiştiremezsiniz.
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,Herhangi bir Ürünye karşo BOM belirtildiyse oran değiştiremezsiniz.
DocType: Employee,Previous Work Experience,Önceki İş Deneyimi
DocType: Employee,Previous Work Experience,Önceki İş Deneyimi
DocType: Stock Entry,For Quantity,Miktar
@@ -2706,22 +2715,22 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} teslim edilmedi
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Ürün istekleri.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Her mamül madde için ayrı üretim emri oluşturulacaktır.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} return belgesinde negatif olmalıdır
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} return belgesinde negatif olmalıdır
,Minutes to First Response for Issues,Sorunları İlk Tepki Dakika
DocType: Purchase Invoice,Terms and Conditions1,Şartlar ve Koşullar 1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,Enstitünün adı kendisi için bu sistemi kuruyoruz.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,Enstitünün adı kendisi için bu sistemi kuruyoruz.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Muhasebe entry bu tarihe kadar dondurulmuş, kimse / aşağıda belirtilen rolü dışında girdisini değiştirin yapabilirsiniz."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,Bakım programı oluşturmadan önce belgeyi kaydedin
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Proje Durumu
DocType: UOM,Check this to disallow fractions. (for Nos),Kesirlere izin vermemek için işaretleyin (Numaralar için)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Aşağıdaki Üretim Siparişleri yaratıldı:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Aşağıdaki Üretim Siparişleri yaratıldı:
DocType: Student Admission,Naming Series (for Student Applicant),Seri İsimlendirme (Öğrenci Başvuru için)
DocType: Delivery Note,Transporter Name,Taşıyıcı Adı
DocType: Authorization Rule,Authorized Value,Yetkili Değer
DocType: BOM,Show Operations,göster İşlemleri
,Minutes to First Response for Opportunity,Fırsat İlk Tepki Dakika
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Toplam Yok
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Satır {0} daki Ürün veya Depo Ürün isteğini karşılamıyor
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Satır {0} daki Ürün veya Depo Ürün isteğini karşılamıyor
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Ölçü Birimi
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Ölçü Birimi
DocType: Fiscal Year,Year End Date,Yıl Bitiş Tarihi
@@ -2830,13 +2839,13 @@
DocType: Asset,Manual,Manuel
DocType: Salary Component Account,Salary Component Account,Maaş Bileşen Hesabı
DocType: Global Defaults,Hide Currency Symbol,Para birimi simgesini gizle
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","Örneğin: Banka, Nakit, Kredi Kartı"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","Örneğin: Banka, Nakit, Kredi Kartı"
DocType: Lead Source,Source Name,kaynak Adı
DocType: Journal Entry,Credit Note,Kredi mektubu
DocType: Journal Entry,Credit Note,Kredi mektubu
DocType: Warranty Claim,Service Address,Servis Adresi
DocType: Warranty Claim,Service Address,Servis Adresi
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Döşeme ve demirbaşlar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Döşeme ve demirbaşlar
DocType: Item,Manufacture,Üretim
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Lütfen İrsaliye ilk
DocType: Student Applicant,Application Date,Başvuru Tarihi
@@ -2848,7 +2857,6 @@
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Üretim
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Üretim
DocType: Guardian,Occupation,Meslek
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Lütfen İnsan Kaynağında Çalışan Adlandırma Sistemini kurun> HR Ayarları
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Satır {0}: Başlangıç tarihi bitiş tarihinden önce olmalıdır
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Toplam (Adet)
DocType: Sales Invoice,This Document,Bu belge
@@ -2861,14 +2869,14 @@
DocType: Purchase Receipt,Time at which materials were received,Malzemelerin alındığı zaman
DocType: Stock Ledger Entry,Outgoing Rate,Giden Oranı
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Kuruluş Şube Alanı
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,veya
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,veya
DocType: Sales Order,Billing Status,Fatura Durumu
DocType: Sales Order,Billing Status,Fatura Durumu
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Hata Bildir
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Yardımcı Giderleri
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Yardımcı Giderleri
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Yardımcı Giderleri
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Yardımcı Giderleri
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90 üzerinde
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Satır # {0}: günlük girdisi {1} hesabı yok {2} ya da zaten başka bir çeki karşı eşleşti
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Satır # {0}: günlük girdisi {1} hesabı yok {2} ya da zaten başka bir çeki karşı eşleşti
DocType: Buying Settings,Default Buying Price List,Standart Alış Fiyat Listesi
DocType: Buying Settings,Default Buying Price List,Standart Alış Fiyat Listesi
DocType: Process Payroll,Salary Slip Based on Timesheet,Çizelgesi dayanarak maaş Kayma
@@ -2877,8 +2885,8 @@
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Şirket, Para Birimi, Mali yıl vb gibi standart değerleri ayarlayın"
DocType: Payment Entry,Payment Type,Ödeme Şekli
DocType: Payment Entry,Payment Type,Ödeme Şekli
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Lütfen {0} Öğe için bir Toplu İşareti seçin. Bu gereksinimi karşılayan tek bir toplu bulunamadı
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Lütfen {0} Öğe için bir Toplu İşareti seçin. Bu gereksinimi karşılayan tek bir toplu bulunamadı
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Lütfen {0} Öğe için bir Toplu İşareti seçin. Bu gereksinimi karşılayan tek bir toplu bulunamadı
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Lütfen {0} Öğe için bir Toplu İşareti seçin. Bu gereksinimi karşılayan tek bir toplu bulunamadı
DocType: Process Payroll,Select Employees,Seçin Çalışanlar
DocType: Opportunity,Potential Sales Deal,Potansiyel Satış Fırsat
DocType: Payment Entry,Cheque/Reference Date,Çek / Referans Tarihi
@@ -2901,7 +2909,7 @@
DocType: Purchase Invoice Item,Received Qty,Alınan Miktar
DocType: Purchase Invoice Item,Received Qty,Alınan Miktar
DocType: Stock Entry Detail,Serial No / Batch,Seri No / Parti
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Değil Ücretli ve Teslim Edilmedi
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Değil Ücretli ve Teslim Edilmedi
DocType: Product Bundle,Parent Item,Ana Ürün
DocType: Account,Account Type,Hesap Tipi
DocType: Delivery Note,DN-RET-,DN-ret
@@ -2916,27 +2924,26 @@
DocType: Bin,Reserved Quantity,Ayrılan Miktar
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Lütfen geçerli e-posta adresini girin
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Lütfen geçerli e-posta adresini girin
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},{0} programı için zorunlu bir ders bulunmamaktadır.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},{0} programı için zorunlu bir ders bulunmamaktadır.
DocType: Landed Cost Voucher,Purchase Receipt Items,Satın alma makbuzu Ürünleri
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Özelleştirme Formları
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,bakiye
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,bakiye
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,döneminde Amortisman Tutarı
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Engelli şablon varsayılan şablon olmamalıdır
DocType: Account,Income Account,Gelir Hesabı
DocType: Account,Income Account,Gelir Hesabı
DocType: Payment Request,Amount in customer's currency,Müşterinin para miktarı
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,İrsaliye
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,İrsaliye
DocType: Stock Reconciliation Item,Current Qty,Güncel Adet
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section","Maliyetlendirme Bölümünde ""Dayalı Ürünler Br.Fiyatına"" bakınız"
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Önceki
DocType: Appraisal Goal,Key Responsibility Area,Kilit Sorumluluk Alanı
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Öğrenci Partileri Eğer öğrenciler için katılım, değerlendirme ve ücretler izlemenize yardımcı"
DocType: Payment Entry,Total Allocated Amount,Toplam Ayrılan Tutar
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Sürekli envanter için varsayılan envanter hesabı ayarla
DocType: Item Reorder,Material Request Type,Malzeme İstek Türü
DocType: Item Reorder,Material Request Type,Malzeme İstek Türü
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},{0} olarak maaş Accural günlük girdisi {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save",YerelDepolama dolu kurtarmadı
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save",YerelDepolama dolu kurtarmadı
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Satır {0}: Ölçü Birimi Dönüşüm Faktörü zorunludur
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Ref
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Ref
@@ -2952,23 +2959,23 @@
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Depo yalnızca Stok Girdisi / İrsaliye / Satın Alım Makbuzu üzerinden değiştirilebilir
DocType: Employee Education,Class / Percentage,Sınıf / Yüzde
DocType: Employee Education,Class / Percentage,Sınıf / Yüzde
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Satış ve Pazarlama Müdürü
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Gelir vergisi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Gelir vergisi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Satış ve Pazarlama Müdürü
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Gelir vergisi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Gelir vergisi
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Seçilen Fiyatlandırma Kural 'Fiyat' için yapılırsa, bu fiyat listesi üzerine yazılır. Fiyatlandırma Kural fiyat nihai fiyat, bu yüzden başka indirim uygulanmalıdır. Dolayısıyla, vb Satış Siparişi, Satınalma Siparişi gibi işlemlerde, oldukça 'Fiyat Listesi Oranı' alanına daha, 'Oranı' alanına getirilen edilecektir."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Sanayi Tipine Göre izleme talebi.
DocType: Item Supplier,Item Supplier,Ürün Tedarikçisi
DocType: Item Supplier,Item Supplier,Ürün Tedarikçisi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,Toplu almak için Ürün Kodu girin
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},{0} - {1} teklifi için bir değer seçiniz
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,Toplu almak için Ürün Kodu girin
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},{0} - {1} teklifi için bir değer seçiniz
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Tüm adresler.
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Tüm adresler.
DocType: Company,Stock Settings,Stok Ayarları
DocType: Company,Stock Settings,Stok Ayarları
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Aşağıdaki özelliklerin her ikisi, kayıtlarında aynı ise birleştirme mümkündür. Grup, Kök tipi, Şirket"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Aşağıdaki özelliklerin her ikisi, kayıtlarında aynı ise birleştirme mümkündür. Grup, Kök tipi, Şirket"
DocType: Vehicle,Electric,Elektrik
DocType: Task,% Progress,% İlerleme
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Varlık Bertaraf Kâr / Zarar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Varlık Bertaraf Kâr / Zarar
DocType: Training Event,Will send an email about the event to employees with status 'Open',durumu ile çalışanlara etkinlikle ilgili bir e-posta göndereceğiz 'Aç'
DocType: Task,Depends on Tasks,Görevler bağlıdır
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Müşteri Grupbu Ağacını Yönetin.
@@ -2978,7 +2985,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Yeni Maliyet Merkezi Adı
DocType: Leave Control Panel,Leave Control Panel,İzin Kontrol Paneli
DocType: Project,Task Completion,görev Tamamlama
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Stokta yok
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Stokta yok
DocType: Appraisal,HR User,İK Kullanıcı
DocType: Purchase Invoice,Taxes and Charges Deducted,Mahsup Vergi ve Harçlar
apps/erpnext/erpnext/hooks.py +116,Issues,Sorunlar
@@ -2989,10 +2996,10 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},arasında bulunamadı maaş kayma {0} ve {1}
,Pending SO Items For Purchase Request,Satın Alma Talebi bekleyen PO Ürünleri
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Öğrenci Kabulleri
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} devre dışı
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} devre dışı
DocType: Supplier,Billing Currency,Fatura Döviz
DocType: Sales Invoice,SINV-RET-,SINV-ret
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Ekstra Büyük
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Ekstra Büyük
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Toplam Yapraklar
,Profit and Loss Statement,Kar ve Zarar Tablosu
,Profit and Loss Statement,Kar ve Zarar Tablosu
@@ -3001,14 +3008,14 @@
,Sales Browser,Satış Tarayıcı
DocType: Journal Entry,Total Credit,Toplam Kredi
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Uyarı: Başka {0} # {1} stok girişi karşı var {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Yerel
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Yerel
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Yerel
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Yerel
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Krediler ve avanslar (Varlıklar)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Krediler ve avanslar (Varlıklar)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Borçlular
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Büyük
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Büyük
DocType: Homepage Featured Product,Homepage Featured Product,Anasayfa Özel Ürün
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Bütün Değerlendirme Grupları
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Bütün Değerlendirme Grupları
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Yeni Depo Adı
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Toplam {0} ({1})
DocType: C-Form Invoice Detail,Territory,Bölge
@@ -3020,12 +3027,12 @@
DocType: Production Order Operation,Planned Start Time,Planlanan Başlangıç Zamanı
DocType: Course,Assessment,değerlendirme
DocType: Payment Entry Reference,Allocated,Ayrılan
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Bilançoyu Kapat ve Kar veya Zararı ayır.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Bilançoyu Kapat ve Kar veya Zararı ayır.
DocType: Student Applicant,Application Status,Başvuru Durumu
DocType: Fees,Fees,harç
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Döviz Kuru içine başka bir para birimi dönüştürme belirtin
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Teklif {0} iptal edildi
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Toplam Alacakların Tutarı
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Toplam Alacakların Tutarı
DocType: Sales Partner,Targets,Hedefler
DocType: Price List,Price List Master,Fiyat Listesi Ana
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Ayarlamak ve hedefleri izleyebilirsiniz böylece tüm satış işlemleri birden ** Satış Kişilerin ** karşı etiketlenmiş olabilir.
@@ -3070,12 +3077,12 @@
1 Yolları. Adres ve Şirket İletişim."
DocType: Attendance,Leave Type,İzin Tipi
DocType: Purchase Invoice,Supplier Invoice Details,Tedarikçi Fatura Ayrıntıları
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Gider / Fark hesabı({0}), bir 'Kar veya Zarar' hesabı olmalıdır"
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Gider / Fark hesabı({0}), bir 'Kar veya Zarar' hesabı olmalıdır"
DocType: Project,Copied From,Kopyalanacak
DocType: Project,Copied From,Kopyalanacak
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Adı hatası: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,Kıtlık
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} şunlarla ilintili değil: {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} şunlarla ilintili değil: {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Çalışan {0} için devam zaten işaretlenmiştir
DocType: Packing Slip,If more than one package of the same type (for print),(Baskı için) aynı ambalajdan birden fazla varsa
,Salary Register,Maaş Kayıt
@@ -3094,24 +3101,25 @@
,Requested Qty,İstenen miktar
DocType: Tax Rule,Use for Shopping Cart,Alışveriş Sepeti kullanın
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Değer {0} özniteliği için {1} Öğe için Özellik Değerleri geçerli Öğe listesinde bulunmayan {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Seri Numaralarını Seçin
DocType: BOM Item,Scrap %,Hurda %
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Masraflar orantılı seçiminize göre, madde qty veya miktarına göre dağıtılmış olacak"
DocType: Maintenance Visit,Purposes,Amaçları
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,En az bir öğe dönüş belgesinde negatif miktar ile girilmelidir
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,En az bir öğe dönüş belgesinde negatif miktar ile girilmelidir
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Çalışma {0} iş istasyonunda herhangi bir mevcut çalışma saatleri daha uzun {1}, birden operasyonlarına operasyon yıkmak"
,Requested,Talep
,Requested,Talep
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Hiçbir Açıklamalar
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Hiçbir Açıklamalar
DocType: Purchase Invoice,Overdue,Vadesi geçmiş
DocType: Account,Stock Received But Not Billed,Alınmış ancak faturalanmamış stok
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Kök Hesabı bir grup olmalı
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Kök Hesabı bir grup olmalı
DocType: Fees,FEE.,FEE.
DocType: Employee Loan,Repaid/Closed,/ Ödenmiş Kapalı
DocType: Item,Total Projected Qty,Tahmini toplam Adet
DocType: Monthly Distribution,Distribution Name,Dağıtım Adı
DocType: Monthly Distribution,Distribution Name,Dağıtım Adı
DocType: Course,Course Code,Kurs kodu
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Ürün {0} için gerekli Kalite Kontrol
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Ürün {0} için gerekli Kalite Kontrol
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Müşterinin para biriminin şirketin temel para birimine dönüştürülme oranı
DocType: Purchase Invoice Item,Net Rate (Company Currency),Net Oranı (Şirket Para)
DocType: Salary Detail,Condition and Formula Help,Kondisyon ve Formula Yardım
@@ -3125,32 +3133,34 @@
DocType: Stock Entry,Material Transfer for Manufacture,Üretim için Materyal Transfer
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,İndirim Yüzdesi bir Fiyat listesine veya bütün fiyat listelerine karşı uygulanabilir.
DocType: Purchase Invoice,Half-yearly,Yarı Yıllık
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Stokta Muhasebe Giriş
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Stokta Muhasebe Giriş
DocType: Vehicle Service,Engine Oil,Motor yağı
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Lütfen İnsan Kaynağında Çalışan Adlandırma Sistemini kurun> HR Ayarları
DocType: Sales Invoice,Sales Team1,Satış Ekibi1
DocType: Sales Invoice,Sales Team1,Satış Ekibi1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Ürün {0} yoktur
DocType: Sales Invoice,Customer Address,Müşteri Adresi
DocType: Sales Invoice,Customer Address,Müşteri Adresi
DocType: Employee Loan,Loan Details,kredi Detayları
+DocType: Company,Default Inventory Account,Varsayılan Envanter Hesabı
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Satır {0}: Tamamlandı Adet sıfırdan büyük olmalıdır.
DocType: Purchase Invoice,Apply Additional Discount On,Ek İndirim On Uygula
DocType: Account,Root Type,Kök Tipi
DocType: Account,Root Type,Kök Tipi
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Satır # {0}: daha geri olamaz {1} Öğe için {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Satır # {0}: daha geri olamaz {1} Öğe için {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Konu
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Konu
DocType: Item Group,Show this slideshow at the top of the page,Sayfanın üstünde bu slayt gösterisini göster
DocType: BOM,Item UOM,Ürün Ölçü Birimi
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),İndirim Tutarı sonra Vergi Tutarı (Şirket Para)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Satır {0} için hedef depo zorunludur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Satır {0} için hedef depo zorunludur
DocType: Cheque Print Template,Primary Settings,İlköğretim Ayarlar
DocType: Purchase Invoice,Select Supplier Address,Seç Tedarikçi Adresi
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Çalışan ekle
DocType: Purchase Invoice Item,Quality Inspection,Kalite Kontrol
DocType: Purchase Invoice Item,Quality Inspection,Kalite Kontrol
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Extra Small
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Extra Small
DocType: Company,Standard Template,standart Şablon
DocType: Training Event,Theory,teori
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Uyarı: İstenen Ürün Miktarı Minimum Sipariş Miktarından az
@@ -3160,7 +3170,7 @@
DocType: Payment Request,Mute Email,Sessiz E-posta
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Gıda, İçecek ve Tütün"
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Gıda, İçecek ve Tütün"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Sadece karşı ödeme yapabilirsiniz faturalanmamış {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Sadece karşı ödeme yapabilirsiniz faturalanmamış {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Komisyon oranı 100'den fazla olamaz
DocType: Stock Entry,Subcontract,Alt sözleşme
DocType: Stock Entry,Subcontract,Alt sözleşme
@@ -3177,19 +3187,19 @@
DocType: Account,Expense Account,Gider Hesabı
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Yazılım
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Yazılım
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Renk
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Renk
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Değerlendirme Planı Kriterleri
DocType: Training Event,Scheduled,Planlandı
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Fiyat Teklif Talebi.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Hayır" ve "Satış Öğe mı" "Stok Öğe mı" nerede "Evet" ise Birimini seçmek ve başka hiçbir Ürün Paketi var Lütfen
DocType: Student Log,Academic,Akademik
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Toplam avans ({0}) Sipariş karşı {1} Genel Toplam den büyük olamaz ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Toplam avans ({0}) Sipariş karşı {1} Genel Toplam den büyük olamaz ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Dengesiz ay boyunca hedefleri dağıtmak için Aylık Dağıtım seçin.
DocType: Purchase Invoice Item,Valuation Rate,Değerleme Oranı
DocType: Purchase Invoice Item,Valuation Rate,Değerleme Oranı
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,Dizel
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Fiyat Listesi para birimi seçilmemiş
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Fiyat Listesi para birimi seçilmemiş
,Student Monthly Attendance Sheet,Öğrenci Aylık Hazirun Cetveli
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Çalışan {0} hali hazırda {2} ve {3} arasında {1} için başvurmuştur
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Proje Başlangıç Tarihi
@@ -3203,7 +3213,7 @@
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Satış Ortaklarını Yönetin.
DocType: Quality Inspection,Inspection Type,Muayene Türü
DocType: Quality Inspection,Inspection Type,Muayene Türü
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Mevcut işlem ile depolar grubuna dönüştürülemez.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Mevcut işlem ile depolar grubuna dönüştürülemez.
DocType: Assessment Result Tool,Result HTML,Sonuç HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Tarihinde sona eriyor
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Öğrenci ekle
@@ -3212,8 +3222,8 @@
DocType: C-Form,C-Form No,C-Form No
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,Işaretsiz Seyirci
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Araştırmacı
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Araştırmacı
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Araştırmacı
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Araştırmacı
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Programı Kaydı Aracı Öğrenci
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Adı veya E-posta zorunludur
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Gelen kalite kontrol.
@@ -3221,8 +3231,8 @@
DocType: Purchase Order Item,Returned Qty,İade edilen Adet
DocType: Employee,Exit,Çıkış
DocType: Employee,Exit,Çıkış
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Kök Tipi zorunludur
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Kök Tipi zorunludur
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Kök Tipi zorunludur
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Kök Tipi zorunludur
DocType: BOM,Total Cost(Company Currency),Toplam Maliyet (Şirket Para Birimi)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Seri No {0} oluşturuldu
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Seri No {0} oluşturuldu
@@ -3232,7 +3242,7 @@
DocType: Sales Invoice,Time Sheet List,Zaman Çizelgesi Listesi
DocType: Employee,You can enter any date manually,Elle herhangi bir tarihi girebilirsiniz
DocType: Asset Category Account,Depreciation Expense Account,Amortisman Giderleri Hesabı
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Deneme süresi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Deneme süresi
DocType: Customer Group,Only leaf nodes are allowed in transaction,İşlemde yalnızca yaprak düğümlere izin verilir
DocType: Expense Claim,Expense Approver,Gider Approver
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Satır {0}: Müşteriye karşı Advance kredi olmalı
@@ -3247,10 +3257,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Ders Programları silindi:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Sms teslim durumunu korumak için Günlükleri
DocType: Accounts Settings,Make Payment via Journal Entry,Dergi Giriş aracılığıyla Ödeme Yap
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Baskılı Açık
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,Baskılı Açık
DocType: Item,Inspection Required before Delivery,Muayene Teslim önce Gerekli
DocType: Item,Inspection Required before Purchase,Muayene Satın Alma önce Gerekli
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Bekleyen Etkinlikleri
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Kuruluşunuz
DocType: Fee Component,Fees Category,Ücretler Kategori
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Lütfen Boşaltma tarihi girin.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
@@ -3261,9 +3272,9 @@
DocType: Company,Chart Of Accounts Template,Hesaplar Şablon Grafik
DocType: Attendance,Attendance Date,Katılım Tarihi
DocType: Attendance,Attendance Date,Katılım Tarihi
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Ürün Fiyatı {0} Fiyat Listesi için güncellenmiş {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Ürün Fiyatı {0} Fiyat Listesi için güncellenmiş {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Kazanç ve Kesintiye göre Maaş Aralığı.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Alt hesapları bulunan hesaplar muhasebe defterine dönüştürülemez.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Alt hesapları bulunan hesaplar muhasebe defterine dönüştürülemez.
DocType: Purchase Invoice Item,Accepted Warehouse,Kabul edilen depo
DocType: Bank Reconciliation Detail,Posting Date,Gönderme Tarihi
DocType: Bank Reconciliation Detail,Posting Date,Gönderme Tarihi
@@ -3276,17 +3287,17 @@
DocType: Program Enrollment Tool,Get Students,Öğrenciler alın
DocType: Serial No,Under Warranty,Garanti Altında
DocType: Serial No,Under Warranty,Garanti Altında
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Hata]
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Hata]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Hata]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Hata]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,Satış emrini kaydettiğinizde görünür olacaktır.
,Employee Birthday,Çalışan Doğum Günü
,Employee Birthday,Çalışan Doğum Günü
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Öğrenci Toplu Katılım Aracı
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,sınır Çapraz
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,sınır Çapraz
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Girişim Sermayesi
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Girişim Sermayesi
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Bu 'Akademik Yılı' ile akademik bir terim {0} ve 'Vadeli Adı' {1} zaten var. Bu girişleri değiştirmek ve tekrar deneyin.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","öğe {0} karşı varolan işlemler vardır gibi, değerini değiştiremezsiniz {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","öğe {0} karşı varolan işlemler vardır gibi, değerini değiştiremezsiniz {1}"
DocType: UOM,Must be Whole Number,Tam Numara olmalı
DocType: Leave Control Panel,New Leaves Allocated (In Days),Tahsis Edilen Yeni İzinler (Günler)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Seri No {0} yok
@@ -3298,6 +3309,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Fatura Numarası
DocType: Shopping Cart Settings,Orders,Siparişler
DocType: Employee Leave Approver,Leave Approver,İzin Onaylayan
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Lütfen bir parti seçin
DocType: Assessment Group,Assessment Group Name,Değerlendirme Grubu Adı
DocType: Manufacturing Settings,Material Transferred for Manufacture,Üretim için Materyal Transfer
DocType: Expense Claim,"A user with ""Expense Approver"" role","""Gider Onaylayıcısı"" rolü ile bir kullanıcı"
@@ -3307,9 +3319,10 @@
DocType: Target Detail,Target Detail,Hedef Detayı
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,Tüm İşler
DocType: Sales Order,% of materials billed against this Sales Order,% malzemenin faturası bu Satış Emri karşılığında oluşturuldu
+DocType: Program Enrollment,Mode of Transportation,Ulaşım Şekli
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Dönem Kapanış Girişi
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Maliyet Merkezi mevcut işlemlere gruba dönüştürülemez
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Miktar {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Miktar {0} {1} {2} {3}
DocType: Account,Depreciation,Amortisman
DocType: Account,Depreciation,Amortisman
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Tedarikçi (ler)
@@ -3319,7 +3332,7 @@
DocType: Supplier,Credit Limit,Kredi Limiti
DocType: Production Plan Sales Order,Salse Order Date,Salse Sipariş Tarihi
DocType: Salary Component,Salary Component,Maaş Bileşeni
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Ödeme Girişler {0}-un bağlantılıdır
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Ödeme Girişler {0}-un bağlantılıdır
DocType: GL Entry,Voucher No,Föy No
,Lead Owner Efficiency,Kurşun Sahibi Verimliliği
DocType: Leave Allocation,Leave Allocation,İzin Tahsisi
@@ -3330,11 +3343,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Şart veya sözleşmeler şablonu.
DocType: Purchase Invoice,Address and Contact,Adresler ve Kontaklar
DocType: Cheque Print Template,Is Account Payable,Ödenecek Hesap mı
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Stok Satın Alma Makbuzu karşı güncellenmiş edilemez {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Stok Satın Alma Makbuzu karşı güncellenmiş edilemez {0}
DocType: Supplier,Last Day of the Next Month,Sonraki Ay Son Gün
DocType: Support Settings,Auto close Issue after 7 days,7 gün sonra otomatik yakın Sayı
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Önce tahsis edilemez bırakın {0}, izin dengesi zaten carry iletilen gelecek izin tahsisi kayıtlarında olduğu gibi {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Not: nedeniyle / Referans Tarihi {0} gün izin müşteri kredi günü aştığı (ler)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Not: nedeniyle / Referans Tarihi {0} gün izin müşteri kredi günü aştığı (ler)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,Öğrenci Başvuru
DocType: Asset Category Account,Accumulated Depreciation Account,Birikmiş Amortisman Hesabı
DocType: Stock Settings,Freeze Stock Entries,Donmuş Stok Girdileri
@@ -3343,7 +3356,7 @@
DocType: Activity Cost,Billing Rate,Fatura Oranı
,Qty to Deliver,Teslim Edilecek Miktar
,Stock Analytics,Stok Analizi
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Operasyon boş bırakılamaz
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Operasyon boş bırakılamaz
DocType: Maintenance Visit Purpose,Against Document Detail No,Belge Detay No Karşılığı
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Parti Tipi zorunludur
DocType: Quality Inspection,Outgoing,Giden
@@ -3351,13 +3364,12 @@
DocType: Material Request,Requested For,Için talep
DocType: Material Request,Requested For,Için talep
DocType: Quotation Item,Against Doctype,Belge Tipi Karşılığı
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} iptal edildi veya kapatıldı
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} iptal edildi veya kapatıldı
DocType: Delivery Note,Track this Delivery Note against any Project,Bu irsaliyeyi bütün Projelere karşı takip et
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Yatırım Kaynaklanan Net Nakit
-,Is Primary Address,Birincil Adres mı
DocType: Production Order,Work-in-Progress Warehouse,Devam eden depo işi
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,{0} ın varlığı onaylanmalı
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Seyirci Tutanak {0} Öğrenci karşı var {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Seyirci Tutanak {0} Öğrenci karşı var {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Referans # {0} tarihli {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Referans # {0} tarihli {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Amortisman nedeniyle varlıkların elden çıkarılması elendi
@@ -3367,10 +3379,10 @@
DocType: Production Planning Tool,Create Production Orders,Üretim Emirleri Oluştur
DocType: Serial No,Warranty / AMC Details,Garanti / AMC Detayları
DocType: Serial No,Warranty / AMC Details,Garanti / AMC Detayları
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Etkinliğe Dayalı Grup için öğrencileri manuel olarak seçin
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Etkinliğe Dayalı Grup için öğrencileri manuel olarak seçin
DocType: Journal Entry,User Remark,Kullanıcı Açıklaması
DocType: Lead,Market Segment,Pazar Segmenti
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},"Ödenen tutar, toplam negatif ödenmemiş miktardan daha fazla olamaz {0}"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},"Ödenen tutar, toplam negatif ödenmemiş miktardan daha fazla olamaz {0}"
DocType: Employee Internal Work History,Employee Internal Work History,Çalışan Dahili İş Geçmişi
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Kapanış (Dr)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Kapanış (Dr)
@@ -3378,6 +3390,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Seri No {0} stokta değil
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Satış işlemleri için vergi şablonu.
DocType: Sales Invoice,Write Off Outstanding Amount,Bekleyen Miktarı Sil
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},"Hesap {0}, Şirket {1} ile eşleşmiyor"
DocType: School Settings,Current Academic Year,Mevcut Akademik Yıl
DocType: School Settings,Current Academic Year,Mevcut Akademik Yıl
DocType: Stock Settings,Default Stock UOM,Varsayılan Stok Ölçü Birimi
@@ -3393,29 +3406,29 @@
DocType: Asset,Double Declining Balance,Çift Azalan Bakiye
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Kapalı sipariş iptal edilemez. iptal etmek için açıklamak.
DocType: Student Guardian,Father,baba
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'Stoğu Güncelle' sabit varlık satışları için kullanılamaz
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Stoğu Güncelle' sabit varlık satışları için kullanılamaz
DocType: Bank Reconciliation,Bank Reconciliation,Banka Uzlaşma
DocType: Bank Reconciliation,Bank Reconciliation,Banka Uzlaşma
DocType: Attendance,On Leave,İzinli
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Güncellemeler Alın
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Hesap {2} Şirket'e ait olmayan {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Malzeme Talebi {0} iptal edilmiş veya durdurulmuştur
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Birkaç örnek kayıt ekle
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Birkaç örnek kayıt ekle
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Yönetim bırakın
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Hesap Grubu
DocType: Sales Order,Fully Delivered,Tamamen Teslim Edilmiş
DocType: Lead,Lower Income,Alt Gelir
DocType: Lead,Lower Income,Alt Gelir
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Kaynak ve hedef depo Satır {0} için aynu olamaz
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Kaynak ve hedef depo Satır {0} için aynu olamaz
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Bu Stok Uzlaşma bir Açılış Giriş olduğundan fark Hesabı, bir Aktif / Pasif tipi hesabı olmalıdır"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Bir Kullanım Tutarı Kredi Miktarı daha büyük olamaz {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Ürüni {0} için Satınalma Siparişi numarası gerekli
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Üretim Sipariş oluşturulmadı
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Ürüni {0} için Satınalma Siparişi numarası gerekli
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Üretim Sipariş oluşturulmadı
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Tarihten itibaren ' Tarihine Kadar' dan sonra olmalıdır
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},öğrenci olarak durumunu değiştirmek olamaz {0} öğrenci uygulaması ile bağlantılı {1}
DocType: Asset,Fully Depreciated,Değer kaybı tamamlanmış
,Stock Projected Qty,Öngörülen Stok Miktarı
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Müşteri {0} projeye ait değil {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Müşteri {0} projeye ait değil {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,İşaretlenmiş Devamlılık HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Alıntılar, müşterilerinize gönderilen adres teklifler önerileri şunlardır"
DocType: Sales Order,Customer's Purchase Order,Müşterinin Sipariş
@@ -3424,9 +3437,9 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Değerlendirme Kriterleri Puanlarının Toplamı {0} olması gerekir.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Amortisman Sayısı rezervasyonu ayarlayın
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Değer veya Miktar
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Productions Siparişler için yükseltilmiş olamaz:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Dakika
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Dakika
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Productions Siparişler için yükseltilmiş olamaz:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Dakika
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Dakika
DocType: Purchase Invoice,Purchase Taxes and Charges,Alım Vergi ve Harçları
,Qty to Receive,Alınacak Miktar
DocType: Leave Block List,Leave Block List Allowed,Müsaade edilen izin engel listesi
@@ -3434,28 +3447,28 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Araç giriş için Gider Talep {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Fiyat Listesindeki İndirim (%) Marjlı Oran
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Fiyat Listesindeki İndirim (%) Marjlı Oran
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,Tüm Depolar
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Tüm Depolar
DocType: Sales Partner,Retailer,Perakendeci
DocType: Sales Partner,Retailer,Perakendeci
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Hesabın için Kredi bir bilanço hesabı olmalıdır
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Hesabın için Kredi bir bilanço hesabı olmalıdır
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Bütün Tedarikçi Tipleri
DocType: Global Defaults,Disable In Words,Words devre dışı bırak
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,Ürün Kodu zorunludur çünkü Ürün otomatik olarak numaralandırmaz
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Ürün Kodu zorunludur çünkü Ürün otomatik olarak numaralandırmaz
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Teklif {0} {1} türünde
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Bakım Programı Ürünü
DocType: Sales Order,% Delivered,% Teslim Edildi
DocType: Production Order,PRO-,yanlısı
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Banka Kredili Mevduat Hesabı
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Banka Kredili Mevduat Hesabı
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Banka Kredili Mevduat Hesabı
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Banka Kredili Mevduat Hesabı
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Maaş Makbuzu Oluştur
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,"Sıra # {0}: Tahsis Edilen Miktar, ödenmemiş tutardan büyük olamaz."
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,BOM Araştır
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Teminatlı Krediler
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Teminatlı Krediler
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Teminatlı Krediler
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Teminatlı Krediler
DocType: Purchase Invoice,Edit Posting Date and Time,Düzenleme Gönderme Tarihi ve Saati
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Lütfen Değer Kaybı ile ilgili Hesapları, Varlık Kategori {0} veya Firma {1} içinde belirleyin"
DocType: Academic Term,Academic Year,Akademik Yıl
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Açılış Bakiyesi Hisse
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Açılış Bakiyesi Hisse
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Appraisal:Değerlendirme
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},{0} tedarikçisine e-posta gönderildi
@@ -3473,7 +3486,7 @@
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Bu e-posta Digest aboneliğinden çık
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Gönderilen Mesaj
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Gönderilen Mesaj
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Alt düğümleri olan hesaplar Hesap Defteri olarak ayarlanamaz
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Alt düğümleri olan hesaplar Hesap Defteri olarak ayarlanamaz
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,Fiyat listesi para biriminin müşterinin temel para birimine dönüştürülme oranı
DocType: Purchase Invoice Item,Net Amount (Company Currency),Net Tutar (Şirket Para)
@@ -3511,8 +3524,8 @@
DocType: Expense Claim,Approval Status,Onay Durumu
DocType: Hub Settings,Publish Items to Hub,Hub Öğe yayınlayın
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},"Değerden, {0} satırındaki değerden az olmalıdır"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Elektronik transfer
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Elektronik transfer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Elektronik transfer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Elektronik transfer
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Tümünü kontrol
DocType: Vehicle Log,Invoice Ref,fatura Ref
DocType: Purchase Order,Recurring Order,Tekrarlayan Sipariş
@@ -3526,22 +3539,25 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Bankacılık ve Ödemeler
,Welcome to ERPNext,Hoşgeldiniz
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Teklif yol
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Hiçbir şey daha göstermek için.
DocType: Lead,From Customer,Müşteriden
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Aramalar
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Aramalar
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Aramalar
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Aramalar
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,Partiler
DocType: Project,Total Costing Amount (via Time Logs),Toplam Maliyet Tutarı (Zaman Kayıtlar üzerinden)
DocType: Purchase Order Item Supplied,Stock UOM,Stok Ölçü Birimi
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Satınalma Siparişi {0} teslim edilmedi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Satınalma Siparişi {0} teslim edilmedi
DocType: Customs Tariff Number,Tariff Number,Tarife Numarası
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Öngörülen
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Öngörülen
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Seri No {0} Depo {1} e ait değil
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Not: Miktar 0 olduğundan ötürü sistem Ürün {0} için teslimat ve ayırma kontrolü yapmayacaktır
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Not: Miktar 0 olduğundan ötürü sistem Ürün {0} için teslimat ve ayırma kontrolü yapmayacaktır
DocType: Notification Control,Quotation Message,Teklif Mesajı
DocType: Employee Loan,Employee Loan Application,Çalışan Kredi Başvurusu
DocType: Issue,Opening Date,Açılış Tarihi
DocType: Issue,Opening Date,Açılış Tarihi
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Mevcudiyet başarıyla işaretlendi
+DocType: Program Enrollment,Public Transport,Toplu taşıma
DocType: Journal Entry,Remark,Dikkat
DocType: Purchase Receipt Item,Rate and Amount,Oran ve Miktar
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},{0} için hesap türü {1} olmalı
@@ -3549,26 +3565,27 @@
DocType: School Settings,Current Academic Term,Mevcut Akademik Dönem
DocType: School Settings,Current Academic Term,Mevcut Akademik Dönem
DocType: Sales Order,Not Billed,Faturalanmamış
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Her iki depo da aynı şirkete ait olmalıdır
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Hiç kişiler Henüz eklenmiş.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Her iki depo da aynı şirkete ait olmalıdır
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Hiç kişiler Henüz eklenmiş.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Indi Maliyet Çeki Miktarı
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Tedarikçiler tarafından artırılan faturalar
DocType: POS Profile,Write Off Account,Hesabı Kapat
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Borç Notu Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,İndirim Tutarı
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,İndirim Tutarı
DocType: Purchase Invoice,Return Against Purchase Invoice,Karşı Satınalma Fatura Dönüş
DocType: Item,Warranty Period (in days),(Gün) Garanti Süresi
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Guardian1 ile İlişkisi
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1 ile İlişkisi
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Faaliyetlerden Kaynaklanan Net Nakit
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,Örneğin KDV
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,Örneğin KDV
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Madde 4
DocType: Student Admission,Admission End Date,Kabul Bitiş Tarihi
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Taşeronluk
DocType: Journal Entry Account,Journal Entry Account,Kayıt Girdisi Hesabı
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Öğrenci Grubu
DocType: Shopping Cart Settings,Quotation Series,Teklif Serisi
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Bir Ürün aynı isimle bulunuyorsa ({0}), lütfen madde grubunun veya maddenin adını değiştirin"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,müşteri seçiniz
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Bir Ürün aynı isimle bulunuyorsa ({0}), lütfen madde grubunun veya maddenin adını değiştirin"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,müşteri seçiniz
DocType: C-Form,I,ben
DocType: Company,Asset Depreciation Cost Center,Varlık Değer Kaybı Maliyet Merkezi
DocType: Sales Order Item,Sales Order Date,Satış Sipariş Tarihi
@@ -3576,8 +3593,6 @@
DocType: Sales Invoice Item,Delivered Qty,Teslim Edilen Miktar
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Eğer işaretli ise, her üretim öğesinin tüm çocukların Malzeme İstekler dahil edilecektir."
DocType: Assessment Plan,Assessment Plan,Değerlendirme Planı
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Depo {0}: Şirket zorunludur
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Depo {0}: Şirket zorunludur
DocType: Stock Settings,Limit Percent,Sınır Yüzde
,Payment Period Based On Invoice Date,Fatura Tarihine Dayalı Ödeme Süresi
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Eksik Döviz Kurları {0}
@@ -3589,7 +3604,7 @@
DocType: Vehicle,Insurance Details,Sigorta Detayları
DocType: Account,Payable,Borç
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,Geri Ödeme Süreleri giriniz
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Borçlular ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Borçlular ({0})
DocType: Pricing Rule,Margin,Kar Marjı
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Yeni Müşteriler
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Brüt Kazanç%
@@ -3600,19 +3615,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Parti zorunludur
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,Konu Adı
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Satış veya Alıştan en az biri seçilmelidir
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,işinizin doğası seçin.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Satış veya Alıştan en az biri seçilmelidir
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,işinizin doğası seçin.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Satır # {0}: Referanslarda çoğaltılmış girdi {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Üretim operasyonları nerede yapılmaktadır.
DocType: Asset Movement,Source Warehouse,Kaynak Depo
DocType: Asset Movement,Source Warehouse,Kaynak Depo
DocType: Installation Note,Installation Date,Kurulum Tarihi
DocType: Installation Note,Installation Date,Kurulum Tarihi
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},"Satır {0}: Sabit Varlık {1}, {2} firmasına ait değil"
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},"Satır {0}: Sabit Varlık {1}, {2} firmasına ait değil"
DocType: Employee,Confirmation Date,Onay Tarihi
DocType: Employee,Confirmation Date,Onay Tarihi
DocType: C-Form,Total Invoiced Amount,Toplam Faturalanmış Tutar
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Minimum Miktar Maksimum Miktardan Fazla olamaz
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Minimum Miktar Maksimum Miktardan Fazla olamaz
DocType: Account,Accumulated Depreciation,Birikmiş Amortisman
DocType: Stock Entry,Customer or Supplier Details,Müşteri ya da Tedarikçi Detayları
DocType: Employee Loan Application,Required by Date,Tarihe Göre Gerekli
@@ -3636,22 +3651,23 @@
DocType: Territory,Territory Targets,Bölge Hedefleri
DocType: Territory,Territory Targets,Bölge Hedefleri
DocType: Delivery Note,Transporter Info,Taşıyıcı Bilgisi
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Şirket varsayılan {0} set Lütfen {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Şirket varsayılan {0} set Lütfen {1}
DocType: Cheque Print Template,Starting position from top edge,üst kenardan başlama pozisyonu
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Aynı Tedarikçi birden fazla kez girilmiş
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Brüt Kar / Zarar
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Tedarik edilen Satınalma Siparişi Ürünü
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Şirket Adı olamaz
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Şirket Adı olamaz
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Baskı şablonları için antetli kağıtlar
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Baskı Şablonları için başlıklar, örneğin Proforma Fatura"
DocType: Student Guardian,Student Guardian,Öğrenci Guardian
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Değerleme tipi ücretleri dahil olarak işaretlenmiş olamaz
DocType: POS Profile,Update Stock,Stok güncelle
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Tedarikçi> Tedarikçi Türü
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,Ürünler için farklı Ölçü Birimi yanlış (Toplam) net ağırlıklı değere yol açacaktır. Net ağırlıklı değerin aynı olduğundan emin olun.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Oranı
DocType: Asset,Journal Entry for Scrap,Hurda için kayıt girişi
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,İrsaliyeden Ürünleri çekin
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Dergi Girişler {0}-un bağlı olduğu
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Dergi Girişler {0}-un bağlı olduğu
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Tip e-posta, telefon, chat, ziyaretin, vb her iletişimin Kayıt"
DocType: Manufacturer,Manufacturers used in Items,Öğeler kullanılan Üreticileri
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Şirket Yuvarlak Off Maliyet Merkezi'ni belirtiniz
@@ -3702,36 +3718,36 @@
DocType: Sales Order Item,Supplier delivers to Customer,Tedarikçi Müşteriye teslim
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}](#Form/Item/{0}) stokta yok
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Sonraki Tarih Gönderme Tarihi daha büyük olmalıdır
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Göster vergi break-up
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Due / Referans Tarihi sonra olamaz {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Göster vergi break-up
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Due / Referans Tarihi sonra olamaz {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,İçeri/Dışarı Aktar
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","Stok girişleri dolayısıyla yeniden atamak veya değiştiremez, {0} Warehouse karşı mevcut"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Hiçbir öğrenci Bulundu
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Hiçbir öğrenci Bulundu
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Fatura Gönderme Tarihi
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Satmak
DocType: Sales Invoice,Rounded Total,Yuvarlanmış Toplam
DocType: Product Bundle,List items that form the package.,Ambalajı oluşturan Ürünleri listeleyin
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Yüzde Tahsisi % 100'e eşit olmalıdır
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,Partiyi seçmeden önce Gönderme Tarihi seçiniz
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Partiyi seçmeden önce Gönderme Tarihi seçiniz
DocType: Program Enrollment,School House,Okul Evi
DocType: Serial No,Out of AMC,Çıkış AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Lütfen Teklifler'i seçin
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Lütfen Teklifler'i seçin
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Lütfen Teklifler'i seçin
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Lütfen Teklifler'i seçin
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Rezervasyon amortismanları sayısı amortismanlar Toplam Sayısı fazla olamaz
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Bakım Ziyareti Yapın
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,Satış Usta Müdürü {0} role sahip kullanıcıya irtibata geçiniz
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,Satış Usta Müdürü {0} role sahip kullanıcıya irtibata geçiniz
DocType: Company,Default Cash Account,Standart Kasa Hesabı
DocType: Company,Default Cash Account,Standart Kasa Hesabı
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Şirket (değil Müşteri veya alanı) usta.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,"Bu, bu Öğrencinin katılımıyla dayanmaktadır"
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Içinde öğrenci yok
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Içinde öğrenci yok
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Daha fazla ürün ekle veya Tam formu aç
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date','Beklenen Teslim Tarihi' girin
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date','Beklenen Teslim Tarihi' girin
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Satış Emri iptal edilmeden önce İrsaliyeler {0} iptal edilmelidir
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Ödenen miktar + Borç İptali Toplamdan fazla olamaz
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Ödenen miktar + Borç İptali Toplamdan fazla olamaz
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} Ürün {1} için geçerli bir parti numarası değildir
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Not: İzin tipi {0} için yeterli izin günü kalmamış
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,Kayıtlı Olmadığı İçin Geçersiz GSTIN veya Gir NA
DocType: Training Event,Seminar,seminer
DocType: Program Enrollment Fee,Program Enrollment Fee,Program Kayıt Ücreti
DocType: Item,Supplier Items,Tedarikçi Öğeler
@@ -3759,17 +3775,13 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Madde 3
DocType: Purchase Order,Customer Contact Email,Müşteri İletişim E-mail
DocType: Warranty Claim,Item and Warranty Details,Ürün ve Garanti Detayları
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Ürün Kodu> Ürün Grubu> Marka
DocType: Sales Team,Contribution (%),Katkı Payı (%)
DocType: Sales Team,Contribution (%),Katkı Payı (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"'Nakit veya Banka Hesabı' belirtilmediğinden ötürü, Ödeme Girdisi oluşturulmayacaktır"
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Zorunlu dersleri almak için Programı seçin.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Zorunlu dersleri almak için Programı seçin.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Sorumluluklar
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Sorumluluklar
DocType: Expense Claim Account,Expense Claim Account,Gider Talep Hesabı
DocType: Sales Person,Sales Person Name,Satış Personeli Adı
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Tabloya en az 1 fatura girin
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Kullanıcı Ekle
DocType: POS Item Group,Item Group,Ürün Grubu
DocType: POS Item Group,Item Group,Ürün Grubu
DocType: Item,Safety Stock,Emniyet Stoğu
@@ -3777,12 +3789,13 @@
DocType: Stock Reconciliation Item,Before reconciliation,Uzlaşma önce
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Şu kişiye {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Eklenen Vergi ve Harçlar (Şirket Para Birimi)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Ürün Vergi Satırı {0} Vergi Gelir Gider veya Ödenebilir türde hesabı olmalıdır.
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Ürün Vergi Satırı {0} Vergi Gelir Gider veya Ödenebilir türde hesabı olmalıdır.
DocType: Sales Order,Partly Billed,Kısmen Faturalandı
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Öğe {0} Sabit Kıymet Öğe olmalı
DocType: Item,Default BOM,Standart BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,Re-tipi şirket ismi onaylamak için lütfen
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Toplam Alacakların Tutarı
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Borç Not Tutarı
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Re-tipi şirket ismi onaylamak için lütfen
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Toplam Alacakların Tutarı
DocType: Journal Entry,Printing Settings,Baskı Ayarları
DocType: Sales Invoice,Include Payment (POS),Ödeme Dahil (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},"Toplam Borç Toplam Krediye eşit olmalıdırr. Aradaki fark, {0}"
@@ -3799,18 +3812,19 @@
DocType: Notification Control,Custom Message,Özel Mesaj
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Yatırım Bankacılığı
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Yatırım Bankacılığı
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Kasa veya Banka Hesabı ödeme girişi yapmak için zorunludur
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Öğrenci Adresi
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Öğrenci Adresi
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Kasa veya Banka Hesabı ödeme girişi yapmak için zorunludur
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Kurulum ile Seyirci için numaralandırma serisini ayarlayın> Serileri Numaralandırma
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Öğrenci Adresi
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Öğrenci Adresi
DocType: Purchase Invoice,Price List Exchange Rate,Fiyat Listesi Döviz Kuru
DocType: Purchase Invoice Item,Rate,Birim Fiyat
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Stajyer
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Stajyer
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,Adres Adı
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Stajyer
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Stajyer
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,Adres Adı
DocType: Stock Entry,From BOM,BOM Gönderen
DocType: Assessment Code,Assessment Code,Değerlendirme Kodu
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Temel
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Temel
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Temel
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Temel
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,{0} dan önceki stok işlemleri dondurulmuştur
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule','Takvim Oluştura' tıklayınız
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","Örneğin Kg, Birimi, No, m"
@@ -3823,13 +3837,13 @@
DocType: Account,Bank,Banka
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Havayolu
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Havayolu
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Sayı Malzeme
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Sayı Malzeme
DocType: Material Request Item,For Warehouse,Depo için
DocType: Material Request Item,For Warehouse,Depo için
DocType: Employee,Offer Date,Teklif Tarihi
DocType: Employee,Offer Date,Teklif Tarihi
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Özlü Sözler
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Çevrimdışı moddasınız. Bağlantıyı sağlayıncaya kadar yenileneme yapamayacaksınız.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,Çevrimdışı moddasınız. Bağlantıyı sağlayıncaya kadar yenileneme yapamayacaksınız.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Hiçbir Öğrenci Grupları oluşturuldu.
DocType: Purchase Invoice Item,Serial No,Seri No
DocType: Purchase Invoice Item,Serial No,Seri No
@@ -3838,8 +3852,8 @@
DocType: Purchase Invoice,Print Language,baskı Dili
DocType: Salary Slip,Total Working Hours,Toplam Çalışma Saatleri
DocType: Stock Entry,Including items for sub assemblies,Alt montajlar için öğeleri içeren
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Enter değeri pozitif olmalıdır
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Bütün Bölgeler
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Enter değeri pozitif olmalıdır
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Bütün Bölgeler
DocType: Purchase Invoice,Items,Ürünler
DocType: Purchase Invoice,Items,Ürünler
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Öğrenci zaten kayıtlı olduğu.
@@ -3861,10 +3875,10 @@
DocType: Issue,Opening Time,Açılış Zamanı
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,Tarih aralığı gerekli
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Teminatlar ve Emtia Borsaları
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Variant için Ölçü Varsayılan Birim '{0}' Şablon aynı olmalıdır '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Variant için Ölçü Varsayılan Birim '{0}' Şablon aynı olmalıdır '{1}'
DocType: Shipping Rule,Calculate Based On,Tabanlı hesaplayın
DocType: Delivery Note Item,From Warehouse,Atölyesi'nden
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Malzeme Listesine Öğe Yok İmalat için
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Malzeme Listesine Öğe Yok İmalat için
DocType: Assessment Plan,Supervisor Name,Süpervizör Adı
DocType: Program Enrollment Course,Program Enrollment Course,Program Kayıt Kursu
DocType: Program Enrollment Course,Program Enrollment Course,Program Kayıt Kursu
@@ -3882,20 +3896,21 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'Son Siparişten bu yana geçen süre' sıfırdan büyük veya sıfıra eşit olmalıdır
DocType: Process Payroll,Payroll Frequency,Bordro Frekansı
DocType: Asset,Amended From,İtibaren değiştirilmiş
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Hammadde
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Hammadde
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Hammadde
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Hammadde
DocType: Leave Application,Follow via Email,E-posta ile takip
DocType: Leave Application,Follow via Email,E-posta ile takip
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Bitkiler ve Makinaları
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Bitkiler ve Makinaları
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,İndirim Tutarından sonraki vergi miktarı
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Günlük Çalışma Özet Ayarları
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},fiyat listesi {0} Döviz seçilen para birimi ile benzer değildir {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},fiyat listesi {0} Döviz seçilen para birimi ile benzer değildir {1}
DocType: Payment Entry,Internal Transfer,İç transfer
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Bu hesap için çocuk hesabı var. Bu hesabı silemezsiniz.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Bu hesap için çocuk hesabı var. Bu hesabı silemezsiniz.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Hedef miktarı veya hedef tutarı zorunludur
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Ürün {0} için Varsayılan BOM mevcut değildir
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Ürün {0} için Varsayılan BOM mevcut değildir
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,İlk Gönderme Tarihi seçiniz
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Tarih Açılış Tarihi Kapanış önce olmalıdır
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Lütfen Kurulum> Ayarlar> Adlandırma Serisi aracılığıyla {0} için Naming Series'i ayarlayın.
DocType: Leave Control Panel,Carry Forward,Nakletmek
DocType: Leave Control Panel,Carry Forward,Nakletmek
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Maliyet Merkezi mevcut işlemlere ana deftere dönüştürülemez
@@ -3908,11 +3923,10 @@
DocType: Training Event,Trainer Name,eğitmen Adı
DocType: Mode of Payment,General,Genel
DocType: Mode of Payment,General,Genel
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Antetli Kağıt Ekleyin
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Son İletişim
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Son İletişim
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Kategori 'Değerleme' veya 'Toplam ve Değerleme' olduğu zaman çıkarılamaz
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Vergi kafaları Liste (örn KDV, gümrük vb; onlar benzersiz adlara sahip olmalıdır) ve bunların standart oranları. Bu düzenlemek ve daha sonra ekleyebilirsiniz standart bir şablon oluşturmak olacaktır."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Vergi kafaları Liste (örn KDV, gümrük vb; onlar benzersiz adlara sahip olmalıdır) ve bunların standart oranları. Bu düzenlemek ve daha sonra ekleyebilirsiniz standart bir şablon oluşturmak olacaktır."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Seri Ürün{0} için Seri numaraları gereklidir
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Faturalar ile maç Ödemeleri
DocType: Journal Entry,Bank Entry,Banka Girişi
@@ -3922,10 +3936,10 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Sepete ekle
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Grup tarafından
DocType: Guardian,Interests,İlgi
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,/ Para birimlerini etkinleştir/devre dışı bırak.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,/ Para birimlerini etkinleştir/devre dışı bırak.
DocType: Production Planning Tool,Get Material Request,Malzeme İsteği alın
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Posta Giderleri
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Posta Giderleri
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Posta Giderleri
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Posta Giderleri
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Toplam (Amt)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Eğlence ve Boş Zaman
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Eğlence ve Boş Zaman
@@ -3934,8 +3948,8 @@
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Çalışan Kayıtları Oluşturma
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Toplam Mevcut
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Muhasebe Tabloları
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Saat
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Saat
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Saat
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Saat
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Yeni Seri No Warehouse olamaz. Depo Stok girişiyle veya alım makbuzuyla ayarlanmalıdır
DocType: Lead,Lead Type,Talep Yaratma Tipi
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Blok Tarihlerdeki çıkışları onaylama yetkiniz yok
@@ -3947,6 +3961,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,Değiştirilmesinden sonra yeni BOM
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Satış Noktası
DocType: Payment Entry,Received Amount,alınan Tutar
+DocType: GST Settings,GSTIN Email Sent On,GSTIN E-postayla Gönderildi
+DocType: Program Enrollment,Pick/Drop by Guardian,Koruyucu tarafından Pick / Bırak
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order",Tam miktar oluşturma amacıyla zaten miktar göz ardı
DocType: Account,Tax,Vergi
DocType: Account,Tax,Vergi
@@ -3963,7 +3979,7 @@
DocType: Batch,Source Document Name,Kaynak Belge Adı
DocType: Job Opening,Job Title,İş Unvanı
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,Kullanıcılar oluştur
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,Gram
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,Gram
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Üretim Miktar 0'dan büyük olmalıdır.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Bakım araması için ziyaret raporu.
DocType: Stock Entry,Update Rate and Availability,Güncelleme Oranı ve Kullanılabilirlik
@@ -3972,7 +3988,7 @@
DocType: POS Customer Group,Customer Group,Müşteri Grubu
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Yeni Toplu İşlem Kimliği (İsteğe Bağlı)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Yeni Toplu İşlem Kimliği (İsteğe Bağlı)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Ürün {0} için gider hesabı zorunludur
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Ürün {0} için gider hesabı zorunludur
DocType: BOM,Website Description,Web Sitesi Açıklaması
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Özkaynak Net Değişim
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Lütfen önce iptal edin: Satınalma Faturası {0}
@@ -3983,8 +3999,8 @@
,Sales Register,Satış Kayıt
DocType: Daily Work Summary Settings Company,Send Emails At,At e-postalar gönderin
DocType: Quotation,Quotation Lost Reason,Teklif Kayıp Nedeni
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Domain seçin
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},İşlem referans yok {0} tarihli {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Domain seçin
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},İşlem referans yok {0} tarihli {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Düzenlenecek bir şey yok
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Bu ay ve bekleyen aktiviteler için Özet
DocType: Customer Group,Customer Group Name,Müşteri Grup Adı
@@ -3993,14 +4009,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Nakit Akım Tablosu
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Kredi Miktarı Maksimum Kredi Tutarı geçemez {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,Lisans
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},C-Form bu Fatura {0} kaldırın lütfen {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},C-Form bu Fatura {0} kaldırın lütfen {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Geçen mali yılın bakiyelerini bu mali yıla dahil etmek isterseniz Lütfen İleri Taşıyı seçin
DocType: GL Entry,Against Voucher Type,Dekont Tipi Karşılığı
DocType: Item,Attributes,Nitelikler
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,Borç Silme Hesabı Girin
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Borç Silme Hesabı Girin
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Son Sipariş Tarihi
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Hesap {0} yapan şirkete ait değil {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,{0} satırındaki Seri Numaraları Teslimat Notu ile eşleşmiyor
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,{0} satırındaki Seri Numaraları Teslimat Notu ile eşleşmiyor
DocType: Student,Guardian Details,Guardian Detayları
DocType: C-Form,C-Form,C-Formu
DocType: C-Form,C-Form,C-Formu
@@ -4017,8 +4033,8 @@
DocType: Budget Account,Budget Amount,Bütçe Miktarı
DocType: Appraisal Template,Appraisal Template Title,Değerlendirme Şablonu Başlığı
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Tarihinden {0} için Çalışan {1} çalışanın katılmadan tarihi önce olamaz {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Ticari
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Ticari
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Ticari
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Ticari
DocType: Payment Entry,Account Paid To,Hesap şuna ödenmiş
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Veli Öğe {0} Stok Öğe olmamalıdır
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Bütün Ürünler veya Hizmetler.
@@ -4027,9 +4043,9 @@
DocType: Supplier Quotation,Supplier Address,Tedarikçi Adresi
DocType: Supplier Quotation,Supplier Address,Tedarikçi Adresi
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} {2} {3} için {1} bütçe hesabı {4} tanımlıdır. Bütçe {5} kadar aşılacaktır.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Satır {0}: Hesap türü 'Sabit Varlık' olmalıdır
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Çıkış Miktarı
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Bir Satış için nakliye miktarı hesaplama için kuralları
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Satır {0}: Hesap türü 'Sabit Varlık' olmalıdır
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Çıkış Miktarı
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Bir Satış için nakliye miktarı hesaplama için kuralları
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Seri zorunludur
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Finansal Hizmetler
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Finansal Hizmetler
@@ -4038,14 +4054,14 @@
DocType: Tax Rule,Sales,Satışlar
DocType: Stock Entry Detail,Basic Amount,Temel Tutar
DocType: Training Event,Exam,sınav
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Stok Ürünü {0} için depo gereklidir
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Stok Ürünü {0} için depo gereklidir
DocType: Leave Allocation,Unused leaves,Kullanılmayan yapraklar
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,Fatura Kamu
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Transfer
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Transfer
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} şu Parti Hesabıyla ilintili değil: {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),(Alt-montajlar dahil) patlamış BOM'ları getir
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} şu Parti Hesabıyla ilintili değil: {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),(Alt-montajlar dahil) patlamış BOM'ları getir
DocType: Authorization Rule,Applicable To (Employee),(Çalışana) uygulanabilir
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Due Date zorunludur
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Attribute için Artım {0} 0 olamaz
@@ -4076,7 +4092,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Hammadde Malzeme Kodu
DocType: Journal Entry,Write Off Based On,Dayalı Borç Silme
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Kurşun olun
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Baskı ve Kırtasiye
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Baskı ve Kırtasiye
DocType: Stock Settings,Show Barcode Field,Göster Barkod Alanı
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Tedarikçi E-postalarını Gönder
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Maaş zaten {0} ve {1}, bu tarih aralığında olamaz başvuru süresini bırakın arasındaki dönem için işlenmiş."
@@ -4084,14 +4100,16 @@
DocType: Guardian Interest,Guardian Interest,Guardian İlgi
apps/erpnext/erpnext/config/hr.py +177,Training,Eğitim
DocType: Timesheet,Employee Detail,Çalışan Detay
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 E-posta Kimliği
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 E-posta Kimliği
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 E-posta Kimliği
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 E-posta Kimliği
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,Sonraki tarih günü ve eşit olmalıdır Ay gününde tekrarlayın
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Web sitesi ana sayfası için Ayarlar
DocType: Offer Letter,Awaiting Response,Tepki bekliyor
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Yukarıdaki
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Yukarıdaki
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},Geçersiz özellik {0} {1}
DocType: Supplier,Mention if non-standard payable account,Standart dışı borç hesabı ise
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Aynı öğe birden çok kez girildi. {liste}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Lütfen 'Tüm Değerlendirme Grupları' dışındaki değerlendirme grubunu seçin.
DocType: Salary Slip,Earning & Deduction,Kazanma & Kesintisi
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,İsteğe bağlı. Bu ayar çeşitli işlemlerde filtreleme yapmak için kullanılacaktır
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Negatif Değerleme Br.Fiyatına izin verilmez
@@ -4108,9 +4126,9 @@
DocType: Sales Invoice,Product Bundle Help,Ürün Paketi Yardımı
,Monthly Attendance Sheet,Aylık Katılım Cetveli
DocType: Production Order Item,Production Order Item,Üretim Sipariş Öğe
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Kayıt bulunamAdı
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Kayıt bulunamAdı
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Hurdaya Varlığın Maliyeti
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},Ürün{2} için {0} {1}: Maliyert Merkezi zorunludur
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},Ürün{2} için {0} {1}: Maliyert Merkezi zorunludur
DocType: Vehicle,Policy No,Politika yok
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Ürün Bundle Öğeleri alın
DocType: Asset,Straight Line,Düz Çizgi
@@ -4118,7 +4136,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Bölünmüş
DocType: GL Entry,Is Advance,Avans
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,tarihinden Tarihine kadar katılım zorunludur
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,'Taşeron var mı' alanına Evet veya Hayır giriniz
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,'Taşeron var mı' alanına Evet veya Hayır giriniz
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Son İletişim Tarihi
DocType: Sales Team,Contact No.,İletişim No
DocType: Bank Reconciliation,Payment Entries,Ödeme Girişler
@@ -4149,72 +4167,73 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,açılış Değeri
DocType: Salary Detail,Formula,formül
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Seri #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Satış Komisyonu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Satış Komisyonu
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Satış Komisyonu
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Satış Komisyonu
DocType: Offer Letter Term,Value / Description,Değer / Açıklama
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Satır {0}: Sabit Varlık {1} gönderilemedi, zaten {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Satır {0}: Sabit Varlık {1} gönderilemedi, zaten {2}"
DocType: Tax Rule,Billing Country,Fatura Ülke
DocType: Purchase Order Item,Expected Delivery Date,Beklenen Teslim Tarihi
DocType: Purchase Order Item,Expected Delivery Date,Beklenen Teslim Tarihi
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Borç ve Kredi {0} # için eşit değil {1}. Fark {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Eğlence Giderleri
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Eğlence Giderleri
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Malzeme İsteği olun
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Eğlence Giderleri
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Eğlence Giderleri
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Malzeme İsteği olun
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Açık Öğe {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Satış Faturası {0} bu Satış Siparişi iptal edilmeden önce iptal edilmelidir
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Yaş
DocType: Sales Invoice Timesheet,Billing Amount,Fatura Tutarı
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Ürün {0} için geçersiz miktar belirtildi. Miktar 0 dan fazla olmalıdır
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,İzin başvuruları.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,İşlem görmüş hesaplar silinemez.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,İşlem görmüş hesaplar silinemez.
DocType: Vehicle,Last Carbon Check,Son Karbon Kontrol
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Yasal Giderler
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Yasal Giderler
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Yasal Giderler
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Yasal Giderler
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Lütfen satırdaki miktarı seçin
DocType: Purchase Invoice,Posting Time,Gönderme Zamanı
DocType: Purchase Invoice,Posting Time,Gönderme Zamanı
DocType: Timesheet,% Amount Billed,% Faturalanan Tutar
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Telefon Giderleri
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Telefon Giderleri
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Telefon Giderleri
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Telefon Giderleri
DocType: Sales Partner,Logo,Logo
DocType: Sales Partner,Logo,Logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Kullanıcıya kaydetmeden önce seri seçtirmek istiyorsanız işaretleyin. Eğer işaretlerseniz atanmış seri olmayacaktır.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Seri Numaralı Ürün Yok {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Seri Numaralı Ürün Yok {0}
DocType: Email Digest,Open Notifications,Açık Bildirimler
DocType: Payment Entry,Difference Amount (Company Currency),Fark Tutarı (Şirket Para Birimi)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Doğrudan Giderler
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Doğrudan Giderler
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Doğrudan Giderler
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Doğrudan Giderler
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} 'Bildirim \ E-posta Adresi' geçersiz e-posta adresi
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Yeni Müşteri Gelir
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Seyahat Giderleri
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Seyahat Giderleri
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Seyahat Giderleri
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Seyahat Giderleri
DocType: Maintenance Visit,Breakdown,Arıza
DocType: Maintenance Visit,Breakdown,Arıza
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Hesap: {0} para ile: {1} seçilemez
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Hesap: {0} para ile: {1} seçilemez
DocType: Bank Reconciliation Detail,Cheque Date,Çek Tarih
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Hesap {0}: Ana hesap {1} şirkete ait değil: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Hesap {0}: Ana hesap {1} şirkete ait değil: {2}
DocType: Program Enrollment Tool,Student Applicants,Öğrenci Başvuru sahipleri
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Başarıyla bu şirket ile ilgili tüm işlemleri silindi!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Başarıyla bu şirket ile ilgili tüm işlemleri silindi!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Tarihinde gibi
DocType: Appraisal,HR,İK
DocType: Program Enrollment,Enrollment Date,başvuru tarihi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Deneme Süresi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Deneme Süresi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Deneme Süresi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Deneme Süresi
apps/erpnext/erpnext/config/hr.py +115,Salary Components,Maaş Bileşenleri
DocType: Program Enrollment Tool,New Academic Year,Yeni Akademik Yıl
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,İade / Kredi Notu
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,İade / Kredi Notu
DocType: Stock Settings,Auto insert Price List rate if missing,Otomatik ekleme Fiyat Listesi oranı eksik ise
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Toplam Ödenen Tutar
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Toplam Ödenen Tutar
DocType: Production Order Item,Transferred Qty,Transfer Edilen Miktar
apps/erpnext/erpnext/config/learn.py +11,Navigating,Gezinme
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Planlama
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Planlama
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Veriliş
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planlama
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Planlama
+DocType: Material Request,Issued,Veriliş
DocType: Project,Total Billing Amount (via Time Logs),Toplam Fatura Tutarı (Zaman Kayıtlar üzerinden)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Bu ürünü satıyoruz
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Tedarikçi Kimliği
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Bu ürünü satıyoruz
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Tedarikçi Kimliği
DocType: Payment Request,Payment Gateway Details,Ödeme Gateway Detayları
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Miktar 0'dan büyük olmalıdır
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Miktar 0'dan büyük olmalıdır
DocType: Journal Entry,Cash Entry,Nakit Girişi
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Çocuk düğümleri sadece 'Grup' tür düğüm altında oluşturulabilir
DocType: Leave Application,Half Day Date,Yarım Gün Tarih
@@ -4226,7 +4245,7 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Gider Talep Tip varsayılan hesap ayarlayın {0}
DocType: Assessment Result,Student Name,Öğrenci adı
DocType: Brand,Item Manager,Ürün Yöneticisi
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,Ödenecek Bordro
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Ödenecek Bordro
DocType: Buying Settings,Default Supplier Type,Standart Tedarikçii Türü
DocType: Production Order,Total Operating Cost,Toplam İşletme Maliyeti
DocType: Production Order,Total Operating Cost,Toplam İşletme Maliyeti
@@ -4234,9 +4253,9 @@
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Not: Ürün {0} birden çok kez girilmiş
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Tüm Kişiler.
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Tüm Kişiler.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Şirket Kısaltma
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Şirket Kısaltma
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Kullanıcı {0} yok
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,Hammadde ana Malzeme ile aynı olamaz
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Hammadde ana Malzeme ile aynı olamaz
DocType: Item Attribute Value,Abbreviation,Kısaltma
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Ödeme giriş zaten var
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} Yetkili değil {0} sınırı aşar
@@ -4245,18 +4264,18 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Alışveriş sepeti için ayarla Vergi Kural
DocType: Purchase Invoice,Taxes and Charges Added,Eklenen Vergi ve Harçlar
,Sales Funnel,Satış Yolu
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Kısaltma zorunludur
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Kısaltma zorunludur
DocType: Project,Task Progress,görev İlerleme
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Araba
,Qty to Transfer,Transfer edilecek Miktar
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Müşterilere veya Taleplere verilen fiyatlar.
DocType: Stock Settings,Role Allowed to edit frozen stock,dondurulmuş stok düzenlemeye İzinli rol
,Territory Target Variance Item Group-Wise,Bölge Hedef Varyans Ürün Grubu
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Bütün Müşteri Grupları
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Bütün Müşteri Grupları
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Birikmiş Aylık
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} zorunludur. {1} ve {2} için Döviz kaydı oluşturulmayabilir.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} zorunludur. {1} ve {2} için Döviz kaydı oluşturulmayabilir.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Vergi Şablon zorunludur.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Hesap {0}: Ana hesap {1} yok
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Hesap {0}: Ana hesap {1} yok
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Fiyat Listesi Oranı (Şirket para birimi)
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Fiyat Listesi Oranı (Şirket para birimi)
DocType: Products Settings,Products Settings,Ürünler Ayarları
@@ -4264,19 +4283,20 @@
DocType: Program,Courses,Dersler
DocType: Monthly Distribution Percentage,Percentage Allocation,Yüzde Tahsisi
DocType: Monthly Distribution Percentage,Percentage Allocation,Yüzde Tahsisi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Sekreter
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Sekreter
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekreter
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Sekreter
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","devre dışı ise, bu alanda 'sözleriyle' herhangi bir işlem görünür olmayacak"
DocType: Serial No,Distinct unit of an Item,Bir Öğe Farklı birim
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Lütfen şirket ayarlayın
DocType: Pricing Rule,Buying,Satın alma
DocType: HR Settings,Employee Records to be created by,Oluşturulacak Çalışan Kayıtları
DocType: POS Profile,Apply Discount On,İndirim On Uygula
,Reqd By Date,Teslim Tarihi
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Alacaklılar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Alacaklılar
DocType: Assessment Plan,Assessment Name,Değerlendirme Adı
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Satır # {0}: Seri No zorunludur
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Ürün Vergi Detayları
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Enstitü Kısaltma
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Enstitü Kısaltma
,Item-wise Price List Rate,Ürün bilgisi Fiyat Listesi Oranı
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Tedarikçi Teklifi
DocType: Quotation,In Words will be visible once you save the Quotation.,fiyat teklifini kaydettiğinizde görünür olacaktır
@@ -4284,7 +4304,7 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Miktar ({0}) {1} sırasındaki kesir olamaz
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,Ücretleri toplayın
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Barkod {0} zaten Ürün {1} de kullanılmış
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Barkod {0} zaten Ürün {1} de kullanılmış
DocType: Lead,Add to calendar on this date,Bu tarihe Takvime ekle
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Nakliye maliyetleri ekleme Kuralları.
DocType: Item,Opening Stock,Açılış Stok
@@ -4292,7 +4312,6 @@
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Müşteri gereklidir
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} Dönüş için zorunludur
DocType: Purchase Order,To Receive,Almak
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Kişisel E-posta
DocType: Employee,Personal Email,Kişisel E-posta
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Toplam Varyans
@@ -4307,16 +4326,17 @@
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Üretim için verilen emirler.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Mali Yıl Seçin ...
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Mali Yıl Seçin ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS Profil POS Girişi yapmak için gerekli
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS Profil POS Girişi yapmak için gerekli
DocType: Program Enrollment Tool,Enroll Students,Öğrenciler kayıt
DocType: Hub Settings,Name Token,İsim Jetonu
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standart Satış
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Standart Satış
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,En az bir depo zorunludur
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,En az bir depo zorunludur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,En az bir depo zorunludur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,En az bir depo zorunludur
DocType: Serial No,Out of Warranty,Garanti Dışı
DocType: Serial No,Out of Warranty,Garanti Dışı
DocType: BOM Replace Tool,Replace,Değiştir
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Hiçbir ürün bulunamadı.
DocType: Production Order,Unstopped,Altınçağ'da
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} Satış Faturasına karşı {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -4329,14 +4349,14 @@
DocType: Stock Ledger Entry,Stock Value Difference,Stok Değer Farkı
apps/erpnext/erpnext/config/learn.py +234,Human Resource,İnsan Kaynakları
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Ödeme Mutabakat Ödemesi
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Vergi Varlıkları
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Vergi Varlıkları
DocType: BOM Item,BOM No,BOM numarası
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Günlük girdisi {0} {1} ya da zaten başka bir çeki karşı eşleşen hesabınız yok
DocType: Item,Moving Average,Hareketli Ortalama
DocType: Item,Moving Average,Hareketli Ortalama
DocType: BOM Replace Tool,The BOM which will be replaced,Değiştirilecek BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,Elektronik Ekipmanlar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,Elektronik Ekipmanlar
DocType: Account,Debit,Borç
DocType: Account,Debit,Borç
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,İzinler 0.5 katlanarak tahsis edilmelidir
@@ -4345,7 +4365,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Alacak tutarı
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Bu Satış Kişisi için Ürün Grubu hedefleri ayarlayın
DocType: Stock Settings,Freeze Stocks Older Than [Days],[Days] daha eski donmuş stoklar
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Satır # {0}: Varlık sabit kıymet alım / satım için zorunludur
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Satır # {0}: Varlık sabit kıymet alım / satım için zorunludur
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","İki ya da daha fazla Fiyatlandırma Kuralları yukarıdaki koşullara dayalı bulundu ise, Öncelik uygulanır. Varsayılan değer sıfır (boş) ise Öncelik 0 ile 20 arasında bir sayıdır. Yüksek numarası aynı koşullarda birden Fiyatlandırma Kuralları varsa o öncelik alacak demektir."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Mali Yılı: {0} does not var
DocType: Currency Exchange,To Currency,Para Birimi
@@ -4356,7 +4376,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},"{0} öğesinin satış oranı, onun {1} değerinden düşük. Satış oranı atleast olmalıdır {2}"
DocType: Item,Taxes,Vergiler
DocType: Item,Taxes,Vergiler
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Ücretli ve Teslim Edilmedi
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Ücretli ve Teslim Edilmedi
DocType: Project,Default Cost Center,Standart Maliyet Merkezi
DocType: Bank Guarantee,End Date,Bitiş Tarihi
DocType: Bank Guarantee,End Date,Bitiş Tarihi
@@ -4385,27 +4405,24 @@
DocType: Employee,Held On,Yapılan
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Üretim Öğe
,Employee Information,Çalışan Bilgileri
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Oranı (%)
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Oranı (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Oranı (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Oranı (%)
DocType: Stock Entry Detail,Additional Cost,Ek maliyet
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Mali Yıl Bitiş Tarihi
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Mali Yıl Bitiş Tarihi
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Dekont, olarak gruplandırıldı ise Makbuz numarasına dayalı filtreleme yapamaz"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Tedarikçi Teklifi Oluştur
DocType: Quality Inspection,Incoming,Alınan
DocType: BOM,Materials Required (Exploded),Gerekli Malzemeler (patlamış)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself",Kendiniz dışında kuruluşunuz kullanıcıları ekle
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Gönderme Tarihi gelecek tarih olamaz
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Satır # {0}: Seri No {1} ile eşleşmiyor {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Mazeret İzni
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Mazeret İzni
DocType: Batch,Batch ID,Seri Kimliği
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Not: {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Not: {0}
,Delivery Note Trends,İrsaliye Eğilimleri;
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Bu Haftanın Özeti
-,In Stock Qty,Stok Adet
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Stok Adet
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Hesap: {0} sadece Stok İşlemleri üzerinden güncellenebilir
-DocType: Program Enrollment,Get Courses,Kursları alın
+DocType: Student Group Creation Tool,Get Courses,Kursları alın
DocType: GL Entry,Party,Taraf
DocType: Sales Order,Delivery Date,İrsaliye Tarihi
DocType: Opportunity,Opportunity Date,Fırsat tarihi
@@ -4413,15 +4430,15 @@
DocType: Request for Quotation Item,Request for Quotation Item,Fiyat Teklif Talebi Kalemi
DocType: Purchase Order,To Bill,Faturala
DocType: Material Request,% Ordered,% Sipariş edildi
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Kurs Tabanlı Öğrenci Grubu için, Kurs, Kayıt Edilen Program Kayıt Kurslarından her öğrenci için geçerli olacak."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","virgülle ayırarak giriniz E-posta Adresi, fatura belirli bir tarihte otomatik olarak postalanacaktır"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Parça başı iş
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Parça başı iş
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Parça başı iş
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Parça başı iş
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Ort. Alış Oranı
DocType: Task,Actual Time (in Hours),Gerçek Zaman (Saat olarak)
DocType: Employee,History In Company,Şirketteki Geçmişi
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Haber Bültenleri
DocType: Stock Ledger Entry,Stock Ledger Entry,Stok Defter Girdisi
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Müşteri> Müşteri Grubu> Bölge
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Aynı madde birden çok kez girildi
DocType: Department,Leave Block List,İzin engel listesi
DocType: Sales Invoice,Tax ID,Vergi numarası
@@ -4437,30 +4454,29 @@
DocType: Loan Type,Rate of Interest (%) Yearly,İlgi Oranı (%) Yıllık
DocType: SMS Settings,SMS Settings,SMS Ayarları
DocType: SMS Settings,SMS Settings,SMS Ayarları
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Geçici Hesaplar
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Siyah
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Geçici Hesaplar
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Siyah
DocType: BOM Explosion Item,BOM Explosion Item,BOM Patlatılmış Malzemeler
DocType: Account,Auditor,Denetçi
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} ürün üretildi
DocType: Cheque Print Template,Distance from top edge,üst kenarından uzaklık
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Fiyat Listesi {0} devre dışı veya yok
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Fiyat Listesi {0} devre dışı veya yok
DocType: Purchase Invoice,Return,Dönüş
DocType: Production Order Operation,Production Order Operation,Üretim Sipariş Operasyonu
DocType: Pricing Rule,Disable,Devre Dışı Bırak
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Ödeme Modu ödeme yapmak için gereklidir
DocType: Project Task,Pending Review,Bekleyen İnceleme
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} Küme {2} 'ye kayıtlı değil
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","{0} varlığı hurda edilemez, {1} da var olarak gözüküyor"
DocType: Task,Total Expense Claim (via Expense Claim),(Gider İstem aracılığıyla) Toplam Gider İddiası
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Müşteri Kimliği
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Gelmedi işaretle
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Satır {0}: BOM # Döviz {1} seçilen para birimi eşit olmalıdır {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Satır {0}: BOM # Döviz {1} seçilen para birimi eşit olmalıdır {2}
DocType: Journal Entry Account,Exchange Rate,Döviz Kuru
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Satış Sipariş {0} teslim edilmedi
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Satış Sipariş {0} teslim edilmedi
DocType: Homepage,Tag Line,Etiket Hattı
DocType: Fee Component,Fee Component,ücret Bileşeni
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Filo yönetimi
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Öğe ekleme
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Depo {0}: Ana hesap {1} Şirket {2} ye ait değildir
DocType: Cheque Print Template,Regular,Düzenli
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Bütün Değerlendirme Kriterleri Toplam weightage% 100 olmalıdır
DocType: BOM,Last Purchase Rate,Son Satış Fiyatı
@@ -4470,11 +4486,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Ürün için var olamaz Stok {0} yana varyantları vardır
,Sales Person-wise Transaction Summary,Satış Personeli bilgisi İşlem Özeti
DocType: Training Event,Contact Number,İletişim numarası
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Depo {0} yoktur
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Depo {0} yoktur
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,ERPNext Hub için Kayıt
DocType: Monthly Distribution,Monthly Distribution Percentages,Aylık Dağılımı Yüzdeler
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Seçilen öğe Toplu olamaz
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Değerleme oranı için muhasebe kayıtlarını yapmasını gerektiren durumlar Madde {0} için bulunamadı {1} {2}. öğesi örnek bir öğe olarak işlem yapan ise {1}, {1} Öğe tabloda bu belirtin. Aksi takdirde, / submiting deneyin bu girişi iptal sonra Öğe kaydındaki madde veya söz değerleme oranı için gelen stok hareket oluşturmak ve lütfen"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Değerleme oranı için muhasebe kayıtlarını yapmasını gerektiren durumlar Madde {0} için bulunamadı {1} {2}. öğesi örnek bir öğe olarak işlem yapan ise {1}, {1} Öğe tabloda bu belirtin. Aksi takdirde, / submiting deneyin bu girişi iptal sonra Öğe kaydındaki madde veya söz değerleme oranı için gelen stok hareket oluşturmak ve lütfen"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% malzeme bu İrsaliye karşılığında teslim edildi
DocType: Project,Customer Details,Müşteri Detayları
DocType: Project,Customer Details,Müşteri Detayları
@@ -4485,25 +4501,26 @@
DocType: Payment Entry,Paid Amount,Ödenen Tutar
DocType: Payment Entry,Paid Amount,Ödenen Tutar
DocType: Assessment Plan,Supervisor,supervisor
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,İnternet üzerinden
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,İnternet üzerinden
,Available Stock for Packing Items,Ambalajlama Ürünleri için mevcut stok
DocType: Item Variant,Item Variant,Öğe Varyant
DocType: Assessment Result Tool,Assessment Result Tool,Değerlendirme Sonucu Aracı
DocType: BOM Scrap Item,BOM Scrap Item,BOM Hurda Öğe
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Gönderilen emir silinemez
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",Bakiye borçlu durumdaysa alacaklı duruma çevrilemez.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Kalite Yönetimi
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Kalite Yönetimi
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Gönderilen emir silinemez
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",Bakiye borçlu durumdaysa alacaklı duruma çevrilemez.
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Kalite Yönetimi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Kalite Yönetimi
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,{0} devredışı bırakılmış
DocType: Employee Loan,Repay Fixed Amount per Period,Dönem başına Sabit Tutar Repay
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Lütfen Ürün {0} için miktar giriniz
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Kredi Notu Amt
DocType: Employee External Work History,Employee External Work History,Çalışan Harici İş Geçmişi
DocType: Tax Rule,Purchase,Satın Alım
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Denge Adet
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Denge Adet
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Hedefleri boş olamaz
DocType: Item Group,Parent Item Group,Ana Ürün Grubu
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} için {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Maliyet Merkezleri
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Maliyet Merkezleri
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Tedarikçinin para biriminin şirketin temel para birimine dönüştürülme oranı
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Satır # {0}: satır ile Gecikme çatışmalar {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Sıfır Değerleme Oranına İzin Ver
@@ -4511,20 +4528,21 @@
DocType: Training Event Employee,Invited,davetli
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Verilen tarihler için çalışan {0} bulundu birden çok etkin Maaş Yapıları
DocType: Opportunity,Next Contact,Sonraki İletişim
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Kur Gateway hesapları.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Kur Gateway hesapları.
DocType: Employee,Employment Type,İstihdam Tipi
DocType: Employee,Employment Type,İstihdam Tipi
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Duran Varlıklar
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Duran Varlıklar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Duran Varlıklar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Duran Varlıklar
DocType: Payment Entry,Set Exchange Gain / Loss,Değişim Kazanç Set / Zarar
+,GST Purchase Register,GST Satın Alma Kaydı
,Cash Flow,Nakit Akışı
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Uygulama süresi iki alocation kayıtları arasında olamaz
DocType: Item Group,Default Expense Account,Standart Gider Hesabı
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Öğrenci E-posta Kimliği
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Öğrenci E-posta Kimliği
DocType: Employee,Notice (days),Bildirimi (gün)
DocType: Employee,Notice (days),Bildirimi (gün)
DocType: Tax Rule,Sales Tax Template,Satış Vergisi Şablon
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,fatura kaydetmek için öğeleri seçin
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,fatura kaydetmek için öğeleri seçin
DocType: Employee,Encashment Date,Nakit Çekim Tarihi
DocType: Training Event,Internet,Internet
DocType: Account,Stock Adjustment,Stok Ayarı
@@ -4556,8 +4574,8 @@
DocType: Grading Scale Interval,Threshold,eşik
DocType: BOM Replace Tool,Current BOM,Güncel BOM
DocType: BOM Replace Tool,Current BOM,Güncel BOM
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Seri No Ekle
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Seri No Ekle
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Seri No Ekle
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Seri No Ekle
apps/erpnext/erpnext/config/support.py +22,Warranty,Garanti
DocType: Purchase Invoice,Debit Note Issued,Borç Dekontu İhraç
DocType: Production Order,Warehouses,Depolar
@@ -4567,24 +4585,24 @@
DocType: Workstation,per hour,saat başına
apps/erpnext/erpnext/config/buying.py +7,Purchasing,satın alma
DocType: Announcement,Announcement,Duyuru
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Depo hesabı (Devamlı Envanter) bu hesap altında oluşturulacaktır.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Bu depo için defter girdisi mevcutken depo silinemez.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Toplu İş Tabanlı Öğrenci Grubu için, Öğrenci Toplu işlemi, Program Kayıt'tan her Öğrenci için geçerliliğini alacaktır."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Bu depo için defter girdisi mevcutken depo silinemez.
DocType: Company,Distribution,Dağıtım
DocType: Company,Distribution,Dağıtım
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Ödenen Tutar;
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Proje Müdürü
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Proje Müdürü
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Proje Müdürü
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Proje Müdürü
,Quoted Item Comparison,Kote Ürün Karşılaştırma
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Sevk
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Sevk
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Malzeme {0 }için izin verilen maksimum indirim} {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Sevk
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Sevk
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Malzeme {0 }için izin verilen maksimum indirim} {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,Net Aktif değeri olarak
DocType: Account,Receivable,Alacak
DocType: Account,Receivable,Alacak
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Satır # {0}: Sipariş zaten var olduğu Tedarikçi değiştirmek için izin verilmez
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Satır # {0}: Sipariş zaten var olduğu Tedarikçi değiştirmek için izin verilmez
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Kredi limiti ayarlarını geçen işlemleri teslim etmeye izinli rol
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,İmalat Öğe seç
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Ana veri senkronizasyonu, bu biraz zaman alabilir"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,İmalat Öğe seç
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Ana veri senkronizasyonu, bu biraz zaman alabilir"
DocType: Item,Material Issue,Malzeme Verilişi
DocType: Hub Settings,Seller Description,Satıcı Açıklaması
DocType: Employee Education,Qualification,{0}Yeterlilik{/0} {1} {/1}
@@ -4610,7 +4628,6 @@
DocType: BOM,Rate Of Materials Based On,Dayalı Ürün Br. Fiyatı
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Destek Analizi
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Tümünü işaretleme
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Şirket depolarda eksik {0}
DocType: POS Profile,Terms and Conditions,Şartlar ve Koşullar
DocType: POS Profile,Terms and Conditions,Şartlar ve Koşullar
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Tarih Mali Yıl içinde olmalıdır. Tarih = {0}
@@ -4628,20 +4645,19 @@
DocType: Sales Order Item,For Production,Üretim için
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Görevleri Göster
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Mali yılınız şu tarihte başlıyor:
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Kurşun%
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Kurşun%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Varlık Değer Kayıpları ve Hesapları
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},{0} {1} miktarı {2}'den {3}'e transfer edilecek
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},{0} {1} miktarı {2}'den {3}'e transfer edilecek
DocType: Sales Invoice,Get Advances Received,Avansların alınmasını sağla
DocType: Email Digest,Add/Remove Recipients,Alıcı Ekle/Kaldır
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Durdurulmuş Üretim Emrine {0} karşı işleme izin verilmez
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Durdurulmuş Üretim Emrine {0} karşı işleme izin verilmez
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Varsayılan olarak bu Mali Yılı ayarlamak için, 'Varsayılan olarak ayarla' seçeneğini tıklayın"
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Varsayılan olarak bu Mali Yılı ayarlamak için, 'Varsayılan olarak ayarla' seçeneğini tıklayın"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,Birleştir
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Birleştir
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Yetersizlik adeti
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Ürün çeşidi {0} aynı özelliklere sahip bulunmaktadır
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Ürün çeşidi {0} aynı özelliklere sahip bulunmaktadır
DocType: Employee Loan,Repay from Salary,Maaş dan ödemek
DocType: Leave Application,LAP/,LAP /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},"karşı ödeme talep {0}, {1} miktarda {2}"
@@ -4652,7 +4668,7 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Paketleri teslim edilmek üzere fişleri ambalaj oluşturun. Paket numarası, paket içeriğini ve ağırlığını bildirmek için kullanılır."
DocType: Sales Invoice Item,Sales Order Item,Satış Sipariş Ürünü
DocType: Salary Slip,Payment Days,Ödeme Günleri
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,alt düğümleri ile depolar Ledger dönüştürülebilir olamaz
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,alt düğümleri ile depolar Ledger dönüştürülebilir olamaz
DocType: BOM,Manage cost of operations,İşlem Maliyetlerini Yönetin
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","İşaretli işlemlerden biri ""Teslim Edildiğinde"" işlemdeki ilgili ""Kişi""ye e-mail gönderecek bir e-mail penceresi açılacaktır, işlemi ekte gönderecektir."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Genel Ayarlar
@@ -4660,23 +4676,22 @@
DocType: Assessment Result Detail,Assessment Result Detail,Değerlendirme Sonuçlarının Ayrıntıları
DocType: Employee Education,Employee Education,Çalışan Eğitimi
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,öğe grubu tablosunda bulunan yinelenen öğe grubu
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,Bu Ürün Detayları getirmesi için gereklidir.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,Bu Ürün Detayları getirmesi için gereklidir.
DocType: Salary Slip,Net Pay,Net Ödeme
DocType: Account,Account,Hesap
DocType: Account,Account,Hesap
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Seri No {0} zaten alınmış
,Requested Items To Be Transferred,Transfer edilmesi istenen Ürünler
DocType: Expense Claim,Vehicle Log,araç Giriş
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Depo {0} herhangi bir hesaba bağlı değildir, / depo için gelen (Varlık) hesabını bağlamak oluşturun."
DocType: Purchase Invoice,Recurring Id,Tekrarlanan Kimlik
DocType: Customer,Sales Team Details,Satış Ekibi Ayrıntıları
DocType: Customer,Sales Team Details,Satış Ekibi Ayrıntıları
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Kalıcı olarak silinsin mi?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Kalıcı olarak silinsin mi?
DocType: Expense Claim,Total Claimed Amount,Toplam İade edilen Tutar
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Satış için potansiyel Fırsatlar.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Geçersiz {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Hastalık izni
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Hastalık izni
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Geçersiz {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Hastalık izni
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Hastalık izni
DocType: Email Digest,Email Digest,E-Mail Bülteni
DocType: Delivery Note,Billing Address Name,Fatura Adresi Adı
DocType: Delivery Note,Billing Address Name,Fatura Adresi Adı
@@ -4684,7 +4699,7 @@
DocType: Warehouse,PIN,TOPLU İĞNE
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,ERPNext ayarlarını yap Okul
DocType: Sales Invoice,Base Change Amount (Company Currency),Baz Değişim Miktarı (Şirket Para Birimi)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Şu depolar için muhasebe girdisi yok
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Şu depolar için muhasebe girdisi yok
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,İlk belgeyi kaydedin.
DocType: Account,Chargeable,Ücretli
DocType: Account,Chargeable,Ücretli
@@ -4704,7 +4719,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Beklenen Teslim Tarihi Siparii Tarihinden önce olamaz
DocType: Appraisal,Appraisal Template,Değerlendirme Şablonu
DocType: Item Group,Item Classification,Ürün Sınıflandırması
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,İş Geliştirme Müdürü
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,İş Geliştirme Müdürü
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Bakım ziyareti Amacı
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Dönem
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Dönem
@@ -4716,8 +4731,8 @@
DocType: Item Attribute Value,Attribute Value,Değer Özellik
,Itemwise Recommended Reorder Level,Ürünnin Önerilen Yeniden Sipariş Düzeyi
DocType: Salary Detail,Salary Detail,Maaş Detay
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,Önce {0} seçiniz
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Öğe Toplu {0} {1} süresi doldu.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Önce {0} seçiniz
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Öğe Toplu {0} {1} süresi doldu.
DocType: Sales Invoice,Commission,Komisyon
DocType: Sales Invoice,Commission,Komisyon
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,üretim için Zaman Sayfası.
@@ -4731,6 +4746,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`Freeze Stocks Older Than` %d günden daha kısa olmalıdır.
DocType: Tax Rule,Purchase Tax Template,Vergi Şablon Satınalma
,Project wise Stock Tracking,Proje bilgisi Stok Takibi
+DocType: GST HSN Code,Regional,Bölgesel
DocType: Stock Entry Detail,Actual Qty (at source/target),Fiili Miktar (kaynak / hedef)
DocType: Stock Entry Detail,Actual Qty (at source/target),Fiili Miktar (kaynak / hedef)
DocType: Item Customer Detail,Ref Code,Referans Kodu
@@ -4745,14 +4761,14 @@
DocType: Email Digest,New Purchase Orders,Yeni Satın alma Siparişleri
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Kökün ana maliyet merkezi olamaz
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Marka Seçiniz ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Eğitim Olayları / Sonuçları
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Şundaki gibi birikimli değer kaybı
DocType: Sales Invoice,C-Form Applicable,Uygulanabilir C-Formu
DocType: Sales Invoice,C-Form Applicable,Uygulanabilir C-Formu
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Çalışma Süresi Çalışma için 0'dan büyük olmalıdır {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Depo zorunludur
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Depo zorunludur
DocType: Supplier,Address and Contacts,Adresler ve Kontaklar
DocType: UOM Conversion Detail,UOM Conversion Detail,Ölçü Birimi Dönüşüm Detayı
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),100px (yukseklik) ile 900 px (genislik) web dostu tutun
DocType: Program,Program Abbreviation,Program Kısaltma
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Üretim siparişi Ürün Şablon karşı yükseltilmiş edilemez
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Ücretler her öğenin karşı Satınalma Fiş güncellenir
@@ -4761,14 +4777,14 @@
DocType: Bank Guarantee,Start Date,Başlangıç Tarihi
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Bir dönemlik tahsis izni.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Çekler ve Mevduat yanlış temizlenir
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Hesap {0}: Kendisini bir ana hesap olarak atayamazsınız
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Hesap {0}: Kendisini bir ana hesap olarak atayamazsınız
DocType: Purchase Invoice Item,Price List Rate,Fiyat Listesi Oranı
DocType: Purchase Invoice Item,Price List Rate,Fiyat Listesi Oranı
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Müşteri tırnak oluşturun
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Depodaki mevcut stok durumuna göre ""Stokta"" veya ""Stokta değil"" olarak göster"
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Malzeme Listesi (BOM)
DocType: Item,Average time taken by the supplier to deliver,Tedarikçinin ortalama teslim süresi
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,Değerlendirme Sonucu
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,Değerlendirme Sonucu
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Saat
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Saat
DocType: Project,Expected Start Date,Beklenen BaşlangıçTarihi
@@ -4783,26 +4799,25 @@
DocType: Workstation,Operating Costs,İşletim Maliyetleri
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Birikimli Aylık Bütçe aşıldıysa yapılacak işlem
DocType: Purchase Invoice,Submit on creation,oluşturma Gönder
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Döviz {0} olmalıdır için {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Döviz {0} olmalıdır için {1}
DocType: Asset,Disposal Date,Bertaraf tarihi
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Onlar tatil yoksa e-postalar, verilen saatte şirketin tüm Aktif Çalışanların gönderilecektir. Yanıtların Özeti gece yarısı gönderilecektir."
DocType: Employee Leave Approver,Employee Leave Approver,Çalışan izin Onayı
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Satır {0}: Bir Yeniden Sipariş girişi zaten bu depo için var {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Satır {0}: Bir Yeniden Sipariş girişi zaten bu depo için var {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Kayıp olarak Kotasyon yapılmış çünkü, ilan edemez."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Eğitim Görüşleri
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Üretim Siparişi {0} verilmelidir
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Üretim Siparişi {0} verilmelidir
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Ürün {0} için Başlangıç ve Bitiş tarihi seçiniz
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Ders satırda zorunludur {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Tarihine kadar kısmı tarihinden itibaren kısmından önce olamaz
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc Doctype
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Fiyatları Ekle / Düzenle
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Fiyatları Ekle / Düzenle
DocType: Batch,Parent Batch,Ana Batch
DocType: Batch,Parent Batch,Ana Batch
DocType: Cheque Print Template,Cheque Print Template,Çek Baskı Şablon
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Maliyet Merkezlerinin Grafikleri
,Requested Items To Be Ordered,Sipariş edilmesi istenen Ürünler
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,Depo şirket Hesap şirketi aynı olmalıdır
DocType: Price List,Price List Name,Fiyat Listesi Adı
DocType: Price List,Price List Name,Fiyat Listesi Adı
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Günlük Çalışma Özeti {0}
@@ -4831,65 +4846,67 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Lütfen Geçerli bir cep telefonu numarası giriniz
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Lütfen Göndermeden önce mesajı giriniz
DocType: Email Digest,Pending Quotations,Teklif hazırlaması Bekleyen
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Satış Noktası Profili
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Satış Noktası Profili
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Lütfen SMS ayarlarını güncelleyiniz
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Teminatsız Krediler
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Teminatsız Krediler
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Teminatsız Krediler
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Teminatsız Krediler
DocType: Cost Center,Cost Center Name,Maliyet Merkezi Adı
DocType: Cost Center,Cost Center Name,Maliyet Merkezi Adı
DocType: Employee,B+,B+
DocType: HR Settings,Max working hours against Timesheet,Max Çizelgesi karşı çalışma saatleri
DocType: Maintenance Schedule Detail,Scheduled Date,Program Tarihi
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Toplam Ücretli Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Toplam Ücretli Amt
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 karakterden daha büyük mesajlar birden fazla mesaja bölünecektir
DocType: Purchase Receipt Item,Received and Accepted,Alındı ve Kabul edildi
+,GST Itemised Sales Register,GST Madde Numaralı Satış Kaydı
,Serial No Service Contract Expiry,Seri No Hizmet Sözleşmesi Vadesi
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Aynı hesabı aynı anda kredilendirip borçlandıramazsınız
DocType: Naming Series,Help HTML,Yardım HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Öğrenci Grubu Oluşturma Aracı
DocType: Item,Variant Based On,Varyant Dayalı
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Atanan toplam ağırlık % 100 olmalıdır. Bu {0} dır
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Tedarikçileriniz
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Tedarikçileriniz
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Tedarikçileriniz
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Tedarikçileriniz
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,Satış Emri yapıldığında Kayıp olarak ayarlanamaz.
DocType: Request for Quotation Item,Supplier Part No,Tedarikçi Parça No
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',kategori 'Değerleme' veya 'Vaulation ve Toplam' için ne zaman tenzil edemez
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Dan alındı
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Dan alındı
DocType: Lead,Converted,Dönüştürülmüş
DocType: Item,Has Serial No,Seri no Var
DocType: Employee,Date of Issue,Veriliş tarihi
DocType: Employee,Date of Issue,Veriliş tarihi
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Tarafından {0} {1} için
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Satın Alma Gerekliliği Alımı == 'EVET' ise Satın Alma Ayarlarına göre, Satın Alma Faturası oluşturmak için kullanıcı {0} öğesi için önce Satın Alma Makbuzu oluşturmalıdır."
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Satır # {0}: öğe için Set Tedarikçi {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Satır {0}: Saat değeri sıfırdan büyük olmalıdır.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Öğe {1} bağlı Web Sitesi Resmi {0} bulunamıyor
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Öğe {1} bağlı Web Sitesi Resmi {0} bulunamıyor
DocType: Issue,Content Type,İçerik Türü
DocType: Issue,Content Type,İçerik Türü
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Bilgisayar
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Bilgisayar
DocType: Item,List this Item in multiple groups on the website.,Bu Ürünü web sitesinde gruplar halinde listeleyin
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Diğer para ile hesap izin Çoklu Para Birimi seçeneğini kontrol edin
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Ürün: {0} sistemde mevcut değil
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Donmuş değeri ayarlama yetkiniz yok
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Ürün: {0} sistemde mevcut değil
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Donmuş değeri ayarlama yetkiniz yok
DocType: Payment Reconciliation,Get Unreconciled Entries,Mutabık olmayan girdileri alın
DocType: Payment Reconciliation,From Invoice Date,Fatura Tarihinden İtibaren
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,Fatura para ya varsayılan comapany para birimi ya da parti hesap para eşit olmalıdır
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Tahsil bırakın
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Ne yapar?
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Ne yapar?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,Fatura para ya varsayılan comapany para birimi ya da parti hesap para eşit olmalıdır
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Tahsil bırakın
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Ne yapar?
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Ne yapar?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,Depoya
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Tüm Öğrenci Kabulleri
,Average Commission Rate,Ortalama Komisyon Oranı
,Average Commission Rate,Ortalama Komisyon Oranı
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,Stokta olmayan ürünün 'Seri Nosu Var' 'Evet' olamaz
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,Stokta olmayan ürünün 'Seri Nosu Var' 'Evet' olamaz
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,İlerideki tarihler için katılım işaretlenemez
DocType: Pricing Rule,Pricing Rule Help,Fiyatlandırma Kuralı Yardım
DocType: School House,House Name,Evin adı
DocType: Purchase Taxes and Charges,Account Head,Hesap Başlığı
DocType: Purchase Taxes and Charges,Account Head,Hesap Başlığı
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Öğelerin indi maliyetini hesaplamak için ek maliyetler güncelleyin
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Elektrik
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Elektrik
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Elektrik
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Elektrik
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,kullanıcılarınıza olarak kuruluşunuz geri kalanını ekleyin. Ayrıca Rehber onları ekleyerek portalına Müşteriler davet ekleyebilir
DocType: Stock Entry,Total Value Difference (Out - In),Toplam Değer Farkı (Out - In)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Satır {0}: Döviz Kuru zorunludur
@@ -4901,7 +4918,7 @@
DocType: Item,Customer Code,Müşteri Kodu
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Için Doğum Günü Hatırlatıcı {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Son siparişten bu yana geçen günler
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Hesabın için Bankamatik bir bilanço hesabı olmalıdır
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Hesabın için Bankamatik bir bilanço hesabı olmalıdır
DocType: Buying Settings,Naming Series,Seri Adlandırma
DocType: Leave Block List,Leave Block List Name,İzin engel listesi adı
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,Sigorta Başlangıç tarihi Bitiş tarihi Sigortası daha az olmalıdır
@@ -4919,27 +4936,27 @@
DocType: Vehicle Log,Odometer,Kilometre sayacı
DocType: Sales Order Item,Ordered Qty,Sipariş Miktarı
DocType: Sales Order Item,Ordered Qty,Sipariş Miktarı
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Öğe {0} devre dışı
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Öğe {0} devre dışı
DocType: Stock Settings,Stock Frozen Upto,Stok Dondurulmuş
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,Ürün Ağacı hiç Stok Ürünü içermiyor
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,Ürün Ağacı hiç Stok Ürünü içermiyor
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Kimden ve Dönemi yinelenen için zorunlu tarihler için Dönem {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Proje faaliyeti / görev.
DocType: Vehicle Log,Refuelling Details,Yakıt Detayları
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Maaş Makbuzu Oluşturun
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Eğer Uygulanabilir {0} olarak seçilirse, alım kontrol edilmelidir."
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","Eğer Uygulanabilir {0} olarak seçilirse, alım kontrol edilmelidir."
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,İndirim 100'den az olmalıdır
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Son satın alma oranı bulunamadı
DocType: Purchase Invoice,Write Off Amount (Company Currency),Tutar Off yazın (Şirket Para)
DocType: Sales Invoice Timesheet,Billing Hours,fatura Saatleri
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,{0} bulunamadı için varsayılan BOM
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Satır # {0}: yeniden sipariş miktarını ayarlamak Lütfen
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Satır # {0}: yeniden sipariş miktarını ayarlamak Lütfen
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Buraya eklemek için öğelere dokunun
DocType: Fees,Program Enrollment,programı Kaydı
DocType: Landed Cost Voucher,Landed Cost Voucher,Indi Maliyet Çeki
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Lütfen {0} ayarlayınız
DocType: Purchase Invoice,Repeat on Day of Month,Ayın gününde tekrarlayın
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} aktif olmayan öğrenci
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} aktif olmayan öğrenci
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} aktif olmayan öğrenci
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} aktif olmayan öğrenci
DocType: Employee,Health Details,Sağlık Bilgileri
DocType: Employee,Health Details,Sağlık Bilgileri
DocType: Offer Letter,Offer Letter Terms,Harf Şartları Teklif
@@ -4966,7 +4983,7 @@
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Örnek:. Serisi ayarlanır ve Seri No işlemlerinde belirtilen değilse ABCD #####
, daha sonra otomatik seri numarası bu serisine dayanan oluşturulur. Her zaman açıkça bu öğe için seri No. bahsetmek istiyorum. Bu boş bırakın."
DocType: Upload Attendance,Upload Attendance,Devamlılığı Güncelle
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM ve İmalat Miktarı gereklidir
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM ve İmalat Miktarı gereklidir
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Yaşlanma Aralığı 2
DocType: SG Creation Tool Course,Max Strength,Maksimum Güç
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM yerine
@@ -4976,8 +4993,8 @@
,Prospects Engaged But Not Converted,"Etkilenen, ancak Dönüştürülmeyen Beklentiler"
DocType: Manufacturing Settings,Manufacturing Settings,Üretim Ayarları
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,E-posta kurma
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Mobil yok
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Lütfen Şirket Alanına varsayılan para birimini girin
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobil yok
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Lütfen Şirket Alanına varsayılan para birimini girin
DocType: Stock Entry Detail,Stock Entry Detail,Stok Girdisi Detayı
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Günlük Hatırlatmalar
DocType: Products Settings,Home Page is Products,Ana Sayfa Ürünler konumundadır
@@ -4987,8 +5004,8 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Yeni Hesap Adı
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Tedarik edilen Hammadde Maliyeti
DocType: Selling Settings,Settings for Selling Module,Modülü Satış için Ayarlar
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Müşteri Hizmetleri
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Müşteri Hizmetleri
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Müşteri Hizmetleri
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Müşteri Hizmetleri
DocType: BOM,Thumbnail,Başparmak tırnağı
DocType: Item Customer Detail,Item Customer Detail,Ürün Müşteri Detayı
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Teklif aday İş.
@@ -4997,7 +5014,7 @@
DocType: Pricing Rule,Percentage,Yüzde
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Ürün {0} bir stok ürünü olmalıdır
DocType: Manufacturing Settings,Default Work In Progress Warehouse,İlerleme Ambarlar'da Standart Çalışma
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Muhasebe işlemleri için varsayılan ayarlar.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Muhasebe işlemleri için varsayılan ayarlar.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Beklenen Tarih Malzeme Talep Tarihinden önce olamaz
DocType: Purchase Invoice Item,Stock Qty,Stok Miktarı
@@ -5014,11 +5031,11 @@
DocType: Task,Closing Date,Kapanış Tarihi
DocType: Sales Order Item,Produced Quantity,Üretilen Miktar
DocType: Sales Order Item,Produced Quantity,Üretilen Miktar
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Mühendis
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Mühendis
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Mühendis
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Mühendis
DocType: Journal Entry,Total Amount Currency,Toplam Tutar Para Birimi
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Arama Alt Kurullar
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},{0} Numaralı satırda Ürün Kodu gereklidir
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},{0} Numaralı satırda Ürün Kodu gereklidir
DocType: Sales Partner,Partner Type,Ortak Türü
DocType: Sales Partner,Partner Type,Ortak Türü
DocType: Purchase Taxes and Charges,Actual,Gerçek
@@ -5042,14 +5059,14 @@
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Kendisi için üretim emri vermek istediğiniz Malzemeleri girin veya analiz için ham maddeleri indirin.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt Şeması
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt Şeması
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Yarı Zamanlı
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Yarı Zamanlı
DocType: Employee,Applicable Holiday List,Uygulanabilir Tatil Listesi
DocType: Employee,Applicable Holiday List,Uygulanabilir Tatil Listesi
DocType: Employee,Cheque,Çek
DocType: Employee,Cheque,Çek
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Serisi Güncellendi
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Rapor Tipi zorunludur
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Rapor Tipi zorunludur
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Rapor Tipi zorunludur
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Rapor Tipi zorunludur
DocType: Item,Serial Number Series,Seri Numarası Serisi
DocType: Item,Serial Number Series,Seri Numarası Serisi
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Satır {1} de stok Ürünü {0} için depo zorunludur
@@ -5074,7 +5091,7 @@
DocType: BOM,Materials,Materyaller
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","İşaretli değilse, liste uygulanması gereken her Departmana eklenmelidir"
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Kaynak ve hedef Depo aynı olamaz
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Gönderme tarihi ve gönderme zamanı zorunludur
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Gönderme tarihi ve gönderme zamanı zorunludur
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Alım işlemleri için vergi şablonu.
,Item Prices,Ürün Fiyatları
,Item Prices,Ürün Fiyatları
@@ -5085,24 +5102,25 @@
DocType: Purchase Invoice,Advance Payments,Avans Ödemeleri
DocType: Purchase Taxes and Charges,On Net Total,Net toplam
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},{0} Attribute değer aralığında olmalıdır {1} {2} artışlarla {3} Öğe için {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Satır {0} daki hedef depo Üretim Emrindekiyle aynı olmalıdır
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Satır {0} daki hedef depo Üretim Emrindekiyle aynı olmalıdır
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,Yinelenen %s için 'Bildirim E-posta Adresleri' belirtilmemmiş.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,Para başka bir para birimini kullanarak girdileri yaptıktan sonra değiştirilemez
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Para başka bir para birimini kullanarak girdileri yaptıktan sonra değiştirilemez
DocType: Vehicle Service,Clutch Plate,Debriyaj Plakası
DocType: Company,Round Off Account,Hesap Off Yuvarlak
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Yönetim Giderleri
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Yönetim Giderleri
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Yönetim Giderleri
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Yönetim Giderleri
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Danışmanlık
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Danışmanlık
DocType: Customer Group,Parent Customer Group,Ana Müşteri Grubu
DocType: Purchase Invoice,Contact Email,İletişim E-Posta
DocType: Appraisal Goal,Score Earned,Kazanılan Puan
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,İhbar Süresi
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,İhbar Süresi
DocType: Asset Category,Asset Category Name,Varlık Kategorisi
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Bu bir kök bölgedir ve düzenlenemez.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Yeni Satış Kişi Adı
DocType: Packing Slip,Gross Weight UOM,Brüt Ağırlık Ölçü Birimi
DocType: Delivery Note Item,Against Sales Invoice,Satış Faturası Karşılığı
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Lütfen seri hale getirilmiş öğe için seri numaralarını girin
DocType: Bin,Reserved Qty for Production,Üretim için Miktar saklıdır
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Kurs temelli gruplar yaparken toplu düşünmeyi istemiyorsanız, işaretlemeyin."
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Kurs temelli gruplar yaparken toplu düşünmeyi istemiyorsanız, işaretlemeyin."
@@ -5111,26 +5129,26 @@
DocType: Landed Cost Item,Landed Cost Item,İnen Maliyet Kalemi
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Sıfır değerleri göster
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Üretimden sonra elde edilen Ürün miktarı/ ham maddelerin belli miktarlarında yeniden ambalajlama
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Kur benim organizasyon için basit bir web sitesi
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Kur benim organizasyon için basit bir web sitesi
DocType: Payment Reconciliation,Receivable / Payable Account,Alacak / Borç Hesap
DocType: Delivery Note Item,Against Sales Order Item,Satış Siparişi Ürün Karşılığı
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},Öznitelik için değeri Özellik belirtiniz {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},Öznitelik için değeri Özellik belirtiniz {0}
DocType: Item,Default Warehouse,Standart Depo
DocType: Item,Default Warehouse,Standart Depo
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Bütçe Grubu Hesabı karşı atanamayan {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Lütfen ana maliyet merkezi giriniz
DocType: Delivery Note,Print Without Amount,Tutarı olmadan yazdır
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,Amortisman tarihi
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"'Değerleme', 'Değerlendirme ve Toplam stok maddeleri olduğundan ötürü Vergi kategorisi bunlardan biri olamaz."
DocType: Issue,Support Team,Destek Ekibi
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),(Gün) Son Kullanma
DocType: Appraisal,Total Score (Out of 5),Toplam Puan (5 üzerinden)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Yığın
+DocType: Student Attendance Tool,Batch,Yığın
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Bakiye
DocType: Room,Seating Capacity,Oturma kapasitesi
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Toplam Gider İddiası (Gider Talepleri yoluyla)
+DocType: GST Settings,GST Summary,GST Özeti
DocType: Assessment Result,Total Score,Toplam puan
DocType: Journal Entry,Debit Note,Borç dekontu
DocType: Stock Entry,As per Stock UOM,Stok Ölçü Birimi gereğince
@@ -5143,13 +5161,14 @@
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Satış Personeli
DocType: SMS Parameter,SMS Parameter,SMS Parametresi
DocType: SMS Parameter,SMS Parameter,SMS Parametresi
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Bütçe ve Maliyet Merkezi
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Bütçe ve Maliyet Merkezi
DocType: Vehicle Service,Half Yearly,Yarım Yıllık
DocType: Lead,Blog Subscriber,Blog Abonesi
DocType: Lead,Blog Subscriber,Blog Abone
DocType: Guardian,Alternate Number,alternatif Numara
DocType: Assessment Plan Criteria,Maximum Score,Maksimum Skor
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Değerlere dayalı işlemleri kısıtlamak için kurallar oluşturun.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Grup Rulo Hayır
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Öğrenci gruplarını yılda bir kere yaparsanız boş bırakın.
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Seçili ise,toplam çalışma günleri sayısı tatilleri içerecektir ve bu da Günlük ücreti düşürecektir"
DocType: Purchase Invoice,Total Advance,Toplam Advance
@@ -5170,6 +5189,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,"Bu, bu Müşteriye karşı işlemlere dayanmaktadır. Ayrıntılar için aşağıdaki zaman çizelgesini bakın"
DocType: Supplier,Credit Days Based On,Kredi Günleri Dayalı
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Satır {0}: Ayrılan miktarı {1} daha az olması veya Ödeme giriş miktarı eşittir gerekir {2}
+,Course wise Assessment Report,Akıllıca Hazırlanan Değerlendirme Raporu
DocType: Tax Rule,Tax Rule,Vergi Kuralı
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Satış döngüsü boyunca aynı oranı koruyun
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Workstation Çalışma Saatleri dışında zaman günlükleri planlayın.
@@ -5179,7 +5199,7 @@
DocType: Purchase Order,Get Last Purchase Rate,Son Alım Br.Fİyatını alın
DocType: Company,Company Info,Şirket Bilgisi
DocType: Company,Company Info,Şirket Bilgisi
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Seçmek veya yeni müşteri eklemek
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Seçmek veya yeni müşteri eklemek
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,Maliyet merkezi gider iddiayı kitaba gereklidir
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Fon (varlık) başvurusu
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,"Bu, bu Çalışan katılımı esas alır"
@@ -5189,29 +5209,32 @@
DocType: Attendance,Employee Name,Çalışan Adı
DocType: Attendance,Employee Name,Çalışan Adı
DocType: Sales Invoice,Rounded Total (Company Currency),Yuvarlanmış Toplam (Şirket para birimi)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,Hesap Türü seçili olduğundan Grup gizli olamaz.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Hesap Türü seçili olduğundan Grup gizli olamaz.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,"{0}, {1} düzenlenmiştir. Lütfen yenileyin."
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Kullanıcıların şu günlerde İzin almasını engelle.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Satın alma miktarı
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Tedarikçi Fiyat Teklifi {0} oluşturuldu
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Yıl Sonu Başlangıç Yıl önce olamaz
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Çalışanlara Sağlanan Faydalar
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Çalışanlara Sağlanan Faydalar
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},{1} Paketli miktar satır {1} deki Ürün {0} a eşit olmalıdır
DocType: Production Order,Manufactured Qty,Üretilen Miktar
DocType: Purchase Receipt Item,Accepted Quantity,Kabul edilen Miktar
DocType: Purchase Receipt Item,Accepted Quantity,Kabul edilen Miktar
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Çalışan bir varsayılan Tatil Listesi set Lütfen {0} veya Şirket {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} mevcut değil
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} mevcut değil
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Toplu Numaraları Seç
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Müşterilere artırılan faturalar
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Proje Kimliği
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Sıra Hayır {0}: Tutar Gider İstem {1} karşı Tutar Bekleyen daha büyük olamaz. Bekleyen Tutar {2}
DocType: Maintenance Schedule,Schedule,Program
DocType: Account,Parent Account,Ana Hesap
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Uygun
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Uygun
DocType: Quality Inspection Reading,Reading 3,3 Okuma
DocType: Quality Inspection Reading,Reading 3,3 Okuma
,Hub,Hub
DocType: GL Entry,Voucher Type,Föy Türü
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Fiyat Listesi bulunamadı veya devre dışı değil
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Fiyat Listesi bulunamadı veya devre dışı değil
DocType: Employee Loan Application,Approved,Onaylandı
DocType: Pricing Rule,Price,Fiyat
DocType: Pricing Rule,Price,Fiyat
@@ -5224,7 +5247,8 @@
DocType: Selling Settings,Campaign Naming By,Kampanya İsimlendirmesini yapan
DocType: Employee,Current Address Is,Güncel Adresi
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,değiştirilmiş
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","İsteğe bağlı. Eğer belirtilmemişse, şirketin varsayılan para birimini belirler."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","İsteğe bağlı. Eğer belirtilmemişse, şirketin varsayılan para birimini belirler."
+DocType: Sales Invoice,Customer GSTIN,Müşteri GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Muhasebe günlük girişleri.
DocType: Delivery Note Item,Available Qty at From Warehouse,Depo itibaren Boş Adet
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,İlk Çalışan Kaydı seçiniz.
@@ -5234,7 +5258,7 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Gider Hesabı girin
DocType: Account,Stock,Stok
DocType: Account,Stock,Stok
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Satır # {0}: Referans Doküman Tipi Satın Alma Emri biri, Satın Alma Fatura veya günlük girdisi olmalıdır"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Satır # {0}: Referans Doküman Tipi Satın Alma Emri biri, Satın Alma Fatura veya günlük girdisi olmalıdır"
DocType: Employee,Current Address,Mevcut Adresi
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Açıkça belirtilmediği sürece madde daha sonra açıklama, resim, fiyatlandırma, vergiler şablondan kurulacak vb başka bir öğe bir varyantı ise"
DocType: Serial No,Purchase / Manufacture Details,Satın alma / Üretim Detayları
@@ -5250,8 +5274,8 @@
DocType: Asset Movement,Transaction Date,İşlem Tarihi
DocType: Production Plan Item,Planned Qty,Planlanan Miktar
DocType: Production Plan Item,Planned Qty,Planlanan Miktar
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Toplam Vergi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Miktar (Adet Üretilen) zorunludur
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Toplam Vergi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Miktar (Adet Üretilen) zorunludur
DocType: Stock Entry,Default Target Warehouse,Standart Hedef Depo
DocType: Purchase Invoice,Net Total (Company Currency),Net Toplam (Şirket para birimi)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Yıl Bitiş Tarihi Yil Başlangıç Tarihi daha önce olamaz. tarihleri düzeltmek ve tekrar deneyin.
@@ -5269,15 +5293,12 @@
DocType: Project,Gross Margin %,Brüt Kar Marjı%
DocType: BOM,With Operations,Operasyon ile
DocType: BOM,With Operations,Operasyon ile
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Muhasebe kayıtları zaten para yapılmış {0} şirket için {1}. Para ile bir alacak ya da borç hesabı seçin {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Muhasebe kayıtları zaten para yapılmış {0} şirket için {1}. Para ile bir alacak ya da borç hesabı seçin {0}.
DocType: Asset,Is Existing Asset,Varlık Mevcut mı
DocType: Salary Detail,Statistical Component,İstatistiksel Bileşen
DocType: Salary Detail,Statistical Component,İstatistiksel Bileşen
-,Monthly Salary Register,Aylık Maaş Kaydı
DocType: Warranty Claim,If different than customer address,Müşteri adresinden farklı ise
DocType: BOM Operation,BOM Operation,BOM Operasyonu
-DocType: School Settings,Validate the Student Group from Program Enrollment,Öğrenci Topluluğunu Program Kaydından Doğrulayın
-DocType: School Settings,Validate the Student Group from Program Enrollment,Öğrenci Topluluğunu Program Kaydından Doğrulayın
DocType: Purchase Taxes and Charges,On Previous Row Amount,Önceki satır toplamı
DocType: Student,Home Address,Ev adresi
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,aktarım Varlık
@@ -5285,10 +5306,9 @@
DocType: Training Event,Event Name,Etkinlik Adı
apps/erpnext/erpnext/config/schools.py +39,Admission,Başvuru
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},için Kabul {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Ayar bütçeler, hedefler vb Mevsimselliği"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","{0} Öğe bir şablon, türevleri birini seçiniz"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Ayar bütçeler, hedefler vb Mevsimselliği"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","{0} Öğe bir şablon, türevleri birini seçiniz"
DocType: Asset,Asset Category,Varlık Kategorisi
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Alıcı
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Net ödeme negatif olamaz
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Net ödeme negatif olamaz
DocType: SMS Settings,Static Parameters,Statik Parametreleri
@@ -5297,18 +5317,18 @@
DocType: Item,Item Tax,Ürün Vergisi
DocType: Item,Item Tax,Ürün Vergisi
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Tedarikçi Malzeme
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Tüketim Fatura
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Tüketim Fatura
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,"Eşik {0},% kereden fazla görünür"
DocType: Expense Claim,Employees Email Id,Çalışanların e-posta adresleri
DocType: Employee Attendance Tool,Marked Attendance,İşaretlenmiş Devamlılık
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Kısa Vadeli Borçlar
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Kısa Vadeli Borçlar
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Kişilerinize toplu SMS Gönder
DocType: Program,Program Name,Programın Adı
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Vergi veya Ücret
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Gerçek Adet zorunludur
DocType: Employee Loan,Loan Type,kredi Türü
DocType: Scheduling Tool,Scheduling Tool,zamanlama Aracı
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Kredi kartı
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Kredi kartı
DocType: BOM,Item to be manufactured or repacked,Üretilecek veya yeniden paketlenecek Ürün
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Stok işlemleri için Varsayılan ayarlar.
DocType: Purchase Invoice,Next Date,Sonraki Tarihi
@@ -5324,10 +5344,10 @@
DocType: Stock Entry,Repack,Yeniden paketlemek
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Devam etmeden önce formu kaydetmelisiniz
DocType: Item Attribute,Numeric Values,Sayısal Değerler
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Logo Ekleyin
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Logo Ekleyin
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Stok Seviyeleri
DocType: Customer,Commission Rate,Komisyon Oranı
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Variant oluştur
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Variant oluştur
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Departman tarafından blok aralığı uygulamaları.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Ödeme Şekli, Alma biri Öde ve İç Transferi gerekir"
apps/erpnext/erpnext/config/selling.py +179,Analytics,Analytics
@@ -5335,50 +5355,49 @@
DocType: Vehicle,Model,model
DocType: Production Order,Actual Operating Cost,Gerçek İşletme Maliyeti
DocType: Payment Entry,Cheque/Reference No,Çek / Referans No
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Kök düzenlenemez.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Kök düzenlenemez.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Kök düzenlenemez.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Kök düzenlenemez.
DocType: Item,Units of Measure,Ölçü birimleri
DocType: Manufacturing Settings,Allow Production on Holidays,Holidays Üretim izin ver
DocType: Sales Order,Customer's Purchase Order Date,Müşterinin Sipariş Tarihi
DocType: Sales Order,Customer's Purchase Order Date,Müşterinin Sipariş Tarihi
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Öz sermaye
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Öz sermaye
DocType: Shopping Cart Settings,Show Public Attachments,Genel Ekleri Göster
DocType: Packing Slip,Package Weight Details,Ambalaj Ağırlığı Detayları
DocType: Payment Gateway Account,Payment Gateway Account,Ödeme Gateway Hesabı
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Ödeme tamamlandıktan sonra seçilen sayfaya yönlendirmek.
DocType: Company,Existing Company,mevcut Şirket
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Tüm Maddeler stokta bulunmayan maddeler olduğundan, Vergi Kategorisi "Toplam" olarak değiştirildi"
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Bir csv dosyası seçiniz
DocType: Student Leave Application,Mark as Present,Şimdiki olarak işaretle
DocType: Purchase Order,To Receive and Bill,Teslimat ve Ödeme
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Özel Ürünler
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Tasarımcı
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Tasarımcı
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Şartlar ve Koşullar Şablon
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Şartlar ve Koşullar Şablon
DocType: Serial No,Delivery Details,Teslim Bilgileri
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Satır {0} da Vergiler Tablosunda tip {1} için Maliyet Merkezi gereklidir
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Satır {0} da Vergiler Tablosunda tip {1} için Maliyet Merkezi gereklidir
DocType: Program,Program Code,Program Kodu
DocType: Terms and Conditions,Terms and Conditions Help,Şartlar ve Koşullar Yardım
,Item-wise Purchase Register,Ürün bilgisi Alım Kaydı
DocType: Batch,Expiry Date,Son kullanma tarihi
-,Supplier Addresses and Contacts,Tedarikçi Adresler ve İletişim
-,Supplier Addresses and Contacts,Tedarikçi Adresler ve İletişim
,accounts-browser,hesap-tarayıcısı
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,İlk Kategori seçiniz
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,İlk Kategori seçiniz
apps/erpnext/erpnext/config/projects.py +13,Project master.,Proje alanı.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Stok Ayarları veya maddesinde "Ödeneği" güncelleme, faturalama veya aşırı-sipariş izin vermek için."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Stok Ayarları veya maddesinde "Ödeneği" güncelleme, faturalama veya aşırı-sipariş izin vermek için."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Para birimlerinin yanında $ vb semboller kullanmayın.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Yarım Gün)
DocType: Supplier,Credit Days,Kredi Günleri
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Öğrenci Toplu yapın
DocType: Leave Type,Is Carry Forward,İleri taşınmış
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,BOM dan Ürünleri alın
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,BOM dan Ürünleri alın
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Teslim zamanı Günü
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Satır # {0}: Tarihi Gönderme satın alma tarihi olarak aynı olmalıdır {1} varlığın {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Satır # {0}: Tarihi Gönderme satın alma tarihi olarak aynı olmalıdır {1} varlığın {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Yukarıdaki tabloda Satış Siparişleri giriniz
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Maaş Fiş Ekleyen Değil
,Stock Summary,Stok Özeti
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,başka bir depodan bir varlık transfer
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,başka bir depodan bir varlık transfer
DocType: Vehicle,Petrol,Petrol
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Malzeme Listesi
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Satır {0}: Parti Tipi ve Parti Alacak / Borç hesabı için gerekli olan {1}
@@ -5390,7 +5409,7 @@
DocType: Expense Claim Detail,Sanctioned Amount,tasdik edilmiş tutar
DocType: GL Entry,Is Opening,Açılır
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Satır {0}: Banka giriş ile bağlantılı edilemez bir {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Hesap {0} yok
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Hesap {0} yok
DocType: Account,Cash,Nakit
DocType: Account,Cash,Nakit
DocType: Employee,Short biography for website and other publications.,Web sitesi ve diğer yayınlar için kısa biyografi.
diff --git a/erpnext/translations/uk.csv b/erpnext/translations/uk.csv
index 6cdd96d..148bf86 100644
--- a/erpnext/translations/uk.csv
+++ b/erpnext/translations/uk.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Споживацькі товари
DocType: Item,Customer Items,Предмети з клієнтами
DocType: Project,Costing and Billing,Калькуляція і білінг
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Рахунок {0}: Батьки рахунку {1} не може бути книга
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Рахунок {0}: Батьки рахунку {1} не може бути книга
DocType: Item,Publish Item to hub.erpnext.com,Опублікувати пункт в hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,Повідомлення по електронній пошті
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,оцінка
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,оцінка
DocType: Item,Default Unit of Measure,Одиниця виміру за замовчуванням
DocType: SMS Center,All Sales Partner Contact,Усі контакти торгового партнеру
DocType: Employee,Leave Approvers,Погоджувачі відпусток
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),"Обмінний курс повинен бути такий же, як {0} {1} ({2})"
DocType: Sales Invoice,Customer Name,Ім'я клієнта
DocType: Vehicle,Natural Gas,Природний газ
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Банківський рахунок не може бути названий {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Банківський рахунок не може бути названий {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,"Керівники (або групи), проти якого Бухгалтерські записи виробляються і залишки зберігаються."
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Видатний {0} не може бути менше нуля ({1})
DocType: Manufacturing Settings,Default 10 mins,За замовчуванням 10 хвилин
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,Всі постачальником Зв'язатися
DocType: Support Settings,Support Settings,налаштування підтримки
DocType: SMS Parameter,Parameter,Параметр
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,"Очікувана Дата закінчення не може бути менше, ніж очікувалося Дата початку"
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,"Очікувана Дата закінчення не може бути менше, ніж очікувалося Дата початку"
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,"Ряд # {0}: ціна повинна бути такою ж, як {1}: {2} ({3} / {4})"
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Нова заява на відпустку
,Batch Item Expiry Status,Пакетна Пункт експірації Статус
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Банківський чек
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Банківський чек
DocType: Mode of Payment Account,Mode of Payment Account,Режим розрахунковий рахунок
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Показати варіанти
DocType: Academic Term,Academic Term,академічний термін
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,матеріал
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Кількість
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Облікові записи таблиці не може бути порожнім.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Кредити (зобов'язання)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Кредити (зобов'язання)
DocType: Employee Education,Year of Passing,Рік проходження
DocType: Item,Country of Origin,Країна народження
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,В наявності
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,В наявності
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,відкриті питання
DocType: Production Plan Item,Production Plan Item,Виробничий план товару
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Користувач {0} вже присвоєний працівникові {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Охорона здоров'я
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Затримка в оплаті (дні)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,послуги Expense
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Серійний номер: {0} вже згадується в продажу рахунку: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Серійний номер: {0} вже згадується в продажу рахунку: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Рахунок-фактура
DocType: Maintenance Schedule Item,Periodicity,Періодичність
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Треба зазначити бюджетний період {0}
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Ряд # {0}:
DocType: Timesheet,Total Costing Amount,Загальна вартість
DocType: Delivery Note,Vehicle No,Автомобіль номер
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,"Будь ласка, виберіть Прайс-лист"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,"Будь ласка, виберіть Прайс-лист"
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Рядок # {0}: Платіжний документ потрібно для завершення операцій Встановлюються
DocType: Production Order Operation,Work In Progress,В роботі
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,"Будь ласка, виберіть дати"
DocType: Employee,Holiday List,Список вихідних
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Бухгалтер
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Бухгалтер
DocType: Cost Center,Stock User,Складській користувач
DocType: Company,Phone No,№ Телефону
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Розклад курсів створено:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},Новий {0}: # {1}
,Sales Partners Commission,Комісія партнерів
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,"Скорочення не може мати більше, ніж 5 символів"
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,"Скорочення не може мати більше, ніж 5 символів"
DocType: Payment Request,Payment Request,Запит про оплату
DocType: Asset,Value After Depreciation,Значення після амортизації
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,"Дата Відвідуваність не може бути менше, ніж приєднання дати працівника"
DocType: Grading Scale,Grading Scale Name,Градація шкали Ім'я
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Це корінь рахунку і не можуть бути змінені.
+DocType: Sales Invoice,Company Address,адреса компанії
DocType: BOM,Operations,Операції
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Не вдається встановити дозвіл на основі Знижка на {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Долучіть файл .csv з двома колонками, одна для старої назви і одна для нової назви"
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} не існує в жодному активному бюджетному періоді
DocType: Packed Item,Parent Detail docname,Батько Подробиці DOCNAME
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Посилання: {0}, Код товару: {1} і клієнта: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Кг
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Кг
DocType: Student Log,Log,Ввійти
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Вакансія
DocType: Item Attribute,Increment,Приріст
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Реклама
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Те ж компанія увійшла більш ніж один раз
DocType: Employee,Married,Одружений
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Не допускається для {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Не допускається для {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Отримати елементи з
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Запаси не можуть оновитися Накладною {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Запаси не можуть оновитися Накладною {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Продукт {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,немає Перелічене
DocType: Payment Reconciliation,Reconcile,Узгодити
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Наступна амортизація Дата не може бути перед покупкою Дати
DocType: SMS Center,All Sales Person,Всі Відповідальні з продажу
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,"**Щомісячний розподіл** дозволяє розподілити Бюджет/Мету по місяцях, якщо у вашому бізнесі є сезонність."
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Чи не знайшли товар
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Чи не знайшли товар
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Відсутня Структура зарплати
DocType: Lead,Person Name,Ім'я особи
DocType: Sales Invoice Item,Sales Invoice Item,Позиція вихідного рахунку
DocType: Account,Credit,Кредит
DocType: POS Profile,Write Off Cost Center,Центр витрат списання
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""","наприклад, "Початкова школа" або "Університет""
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""","наприклад, "Початкова школа" або "Університет""
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Складські звіти
DocType: Warehouse,Warehouse Detail,Детальна інформація по складу
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Кредитний ліміт було перейдено для клієнта {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Кредитний ліміт було перейдено для клієнта {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Термін Дата закінчення не може бути пізніше, ніж за рік Дата закінчення навчального року, до якого цей термін пов'язаний (навчальний рік {}). Будь ласка, виправте дату і спробуйте ще раз."
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Є основним засобом"" не може бути знято, оскільки існує запис засобу відносно об’єкту"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Є основним засобом"" не може бути знято, оскільки існує запис засобу відносно об’єкту"
DocType: Vehicle Service,Brake Oil,гальмівні масла
DocType: Tax Rule,Tax Type,Податки Тип
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},"У Вас немає прав, щоб додавати або оновлювати записи до {0}"
DocType: BOM,Item Image (if not slideshow),Пункт зображення (якщо не слайд-шоу)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,Уразливість існує клієнтів з тим же ім'ям
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Тарифна ставка / 60) * Фактичний Час роботи
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Виберіть BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Виберіть BOM
DocType: SMS Log,SMS Log,SMS Log
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Вартість комплектності
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,"Вихідні {0} не між ""Дата з"" та ""Дата По"""
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},З {0} до {1}
DocType: Item,Copy From Item Group,Копіювати з групи товарів
DocType: Journal Entry,Opening Entry,Операція введення залишків
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Клієнт> Група клієнтів> Територія
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Рахунок Оплатити тільки
DocType: Employee Loan,Repay Over Number of Periods,Погашати Over Кількість періодів
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} не надійшов в даний {2}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} не надійшов в даний {2}
DocType: Stock Entry,Additional Costs,Додаткові витрати
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Рахунок з існуючою транзакції не можуть бути перетворені в групі.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Рахунок з існуючою транзакції не можуть бути перетворені в групі.
DocType: Lead,Product Enquiry,Запит про продукт
DocType: Academic Term,Schools,школи
+DocType: School Settings,Validate Batch for Students in Student Group,Перевірка Batch для студентів в студентській групі
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Немає відпустки знайдена запис для співробітника {0} для {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,"Будь ласка, введіть компанія вперше"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,"Будь ласка, виберіть компанію спочатку"
@@ -175,49 +176,49 @@
DocType: BOM,Total Cost,Загальна вартість
DocType: Journal Entry Account,Employee Loan,співробітник позики
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Журнал активності:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,"Пункт {0} не існує в системі, або закінчився"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,"Пункт {0} не існує в системі, або закінчився"
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Нерухомість
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Виписка
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Фармацевтика
DocType: Purchase Invoice Item,Is Fixed Asset,Основний засіб
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","Доступна к-сть: {0}, необхідно {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","Доступна к-сть: {0}, необхідно {1}"
DocType: Expense Claim Detail,Claim Amount,Сума претензії
-DocType: Employee,Mr,Містер
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,Дублікат група клієнтів знайти в таблиці Cutomer групи
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Тип постачальника / Постачальник
DocType: Naming Series,Prefix,Префікс
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Витратні
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Витратні
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Імпорт Ввійти
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,"Видати Замовлення матеріалу типу ""Виробництво"" на основі вищевказаних критеріїв"
DocType: Training Result Employee,Grade,клас
DocType: Sales Invoice Item,Delivered By Supplier,Доставлено постачальником
DocType: SMS Center,All Contact,Всі контактні
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Виробничий замовлення вже створений для всіх елементів з BOM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Річна заробітна плата
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Виробничий замовлення вже створений для всіх елементів з BOM
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Річна заробітна плата
DocType: Daily Work Summary,Daily Work Summary,Щодня Резюме Робота
DocType: Period Closing Voucher,Closing Fiscal Year,Закриття бюджетного періоду
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} заблоковано
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,"Будь ласка, виберіть існуючу компанію для створення плану рахунків"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Витрати на запаси
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} заблоковано
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,"Будь ласка, виберіть існуючу компанію для створення плану рахунків"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Витрати на запаси
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Виберіть Target Warehouse
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Виберіть Target Warehouse
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,"Будь ласка, введіть Preferred Контакт E-mail"
+DocType: Program Enrollment,School Bus,Шкільний автобус
DocType: Journal Entry,Contra Entry,Виправна запис
DocType: Journal Entry Account,Credit in Company Currency,Кредит у валюті компанії
DocType: Delivery Note,Installation Status,Стан установки
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Ви хочете оновити відвідуваність? <br> Присутні: {0} \ <br> Були відсутні: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Прийнята+Відхилена к-сть має дорівнювати кількостіЮ що надійшла для позиції {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Прийнята+Відхилена к-сть має дорівнювати кількостіЮ що надійшла для позиції {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Постачання сировини для покупки
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,Принаймні один спосіб оплати потрібно для POS рахунку.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,Принаймні один спосіб оплати потрібно для POS рахунку.
DocType: Products Settings,Show Products as a List,Показувати продукцію списком
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Завантажте шаблон, заповніть відповідні дані і долучіть змінений файл. Усі поєднання дат і співробітників в обраному періоді потраплять у шаблон разом з існуючими записами відвідуваності"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,Пункт {0} не є активним або досяг дати завершення роботи з ним
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Приклад: Елементарна математика
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Щоб включити податок у рядку {0} у розмірі Item, податки в рядках {1} повинні бути також включені"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Пункт {0} не є активним або досяг дати завершення роботи з ним
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Приклад: Елементарна математика
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Щоб включити податок у рядку {0} у розмірі Item, податки в рядках {1} повинні бути також включені"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Налаштування модуля HR
DocType: SMS Center,SMS Center,SMS-центр
DocType: Sales Invoice,Change Amount,Сума змін
@@ -227,7 +228,7 @@
DocType: Lead,Request Type,Тип запиту
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,зробити Employee
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Радіомовлення
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Виконання
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Виконання
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Детальна інформація про виконані операції.
DocType: Serial No,Maintenance Status,Стан Технічного обслуговування
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Постачальник потрібно від розрахунковому рахунку {2}
@@ -255,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,"Запит котирувань можна отримати, перейшовши за наступним посиланням"
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Виділіть листя протягом року.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG Створення курсу інструменту
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,недостатній запас
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,недостатній запас
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Відключити планування ємності і відстеження часу
DocType: Email Digest,New Sales Orders,Нові Замовлення клієнтів
DocType: Bank Guarantee,Bank Account,Банківський рахунок
@@ -266,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log',Оновлене допомогою 'Час Вхід "
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},"Сума авансу не може бути більше, ніж {0} {1}"
DocType: Naming Series,Series List for this Transaction,Список серій для даної транзакції
+DocType: Company,Enable Perpetual Inventory,Включення перманентної інвентаризації
DocType: Company,Default Payroll Payable Account,За замовчуванням Payroll оплати рахунків
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Оновлення Email Group
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Оновлення Email Group
DocType: Sales Invoice,Is Opening Entry,Введення залишків
DocType: Customer Group,Mention if non-standard receivable account applicable,Вказати якщо застосовано нестандартний рахунок заборгованості
DocType: Course Schedule,Instructor Name,ім'я інструктора
@@ -279,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,По позиціях вхідного рахунку-фактури
,Production Orders in Progress,Виробничі замовлення у роботі
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Чисті грошові кошти від фінансової
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","LocalStorage сповнений, не врятувало"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","LocalStorage сповнений, не врятувало"
DocType: Lead,Address & Contact,Адреса та контакти
DocType: Leave Allocation,Add unused leaves from previous allocations,Додати невикористані дні відпустки від попередніх призначень
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Наступна Періодичні {0} буде створений на {1}
DocType: Sales Partner,Partner website,Веб-сайт партнера
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Додати елемент
-,Contact Name,Контактна особа
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Контактна особа
DocType: Course Assessment Criteria,Course Assessment Criteria,Критерії оцінки курсу
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Створює Зарплатний розрахунок згідно згаданих вище критеріїв.
DocType: POS Customer Group,POS Customer Group,POS Група клієнтів
@@ -294,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Не введене опис
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Запит на покупку.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,"Це засновано на табелів обліку робочого часу, створених проти цього проекту"
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,"Net Pay не може бути менше, ніж 0"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,"Net Pay не може бути менше, ніж 0"
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Тільки вибраний погоджувач може провести цю Заяву на відпустку
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,"Дата звільнення повинна бути більше, ніж дата влаштування"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Листя на рік
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Листя на рік
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,"Ряд {0}: Будь ласка, поставте відмітку 'Аванс"" у рахунку {1}, якщо це авансовий запис."
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Склад {0} не належить компанії {1}
DocType: Email Digest,Profit & Loss,Прибуток та збиток
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,літр
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,літр
DocType: Task,Total Costing Amount (via Time Sheet),Загальна калькуляція Сума (за допомогою Time Sheet)
DocType: Item Website Specification,Item Website Specification,Пункт Сайт Специфікація
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Залишити Заблоковані
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Товар {0} досяг кінцевої дати роботи з ним {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Товар {0} досяг кінцевої дати роботи з ним {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Банківські записи
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Річний
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Позиція Інвентаризації
@@ -313,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,Мін. к-сть замовлення
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Курс Студентська група Інструмент створення
DocType: Lead,Do Not Contact,Чи не Контакти
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,"Люди, які викладають у вашій організації"
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,"Люди, які викладають у вашій організації"
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Унікальний ідентифікатор для відстеження всіх періодичних рахунків-фактур. Генерується при проведенні.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Розробник програмного забезпечення
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Розробник програмного забезпечення
DocType: Item,Minimum Order Qty,Мінімальна к-сть замовлень
DocType: Pricing Rule,Supplier Type,Тип постачальника
DocType: Course Scheduling Tool,Course Start Date,Дата початку курсу
@@ -324,11 +326,11 @@
DocType: Item,Publish in Hub,Опублікувати в Hub
DocType: Student Admission,Student Admission,прийому студентів
,Terretory,Територія
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Пункт {0} скасовується
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Пункт {0} скасовується
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Замовлення матеріалів
DocType: Bank Reconciliation,Update Clearance Date,Оновити Clearance дату
DocType: Item,Purchase Details,Закупівля детальніше
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Товар {0} не знайдений у таблиці ""поставлена давальницька сировина"" у Замовленні на придбання {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},"Товар {0} не знайдений у таблиці ""поставлена давальницька сировина"" у Замовленні на придбання {1}"
DocType: Employee,Relation,Відношення
DocType: Shipping Rule,Worldwide Shipping,Доставка по всьому світу
DocType: Student Guardian,Mother,мати
@@ -347,6 +349,7 @@
DocType: Student Group Student,Student Group Student,Студентська група Student
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Останній
DocType: Vehicle Service,Inspection,огляд
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,список
DocType: Email Digest,New Quotations,Нова пропозиція
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,"Електронні листи зарплати ковзання співробітнику на основі кращого електронної пошти, обраного в Employee"
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,Перший погоджувач відпусток у списку буде погоджувачем за замовчуванням
@@ -355,20 +358,20 @@
DocType: Asset,Next Depreciation Date,Наступна дата амортизації
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Діяльність Вартість одного працівника
DocType: Accounts Settings,Settings for Accounts,Налаштування для рахунків
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Номер рахунку постачальника існує у вхідному рахунку {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Номер рахунку постачальника існує у вхідному рахунку {0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Управління деревом Відповідальних з продажу.
DocType: Job Applicant,Cover Letter,супровідний лист
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,"""Неочищені"" чеки та депозити"
DocType: Item,Synced With Hub,Синхронізуються з Hub
DocType: Vehicle,Fleet Manager,Fleet Manager
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Рядок # {0}: {1} не може бути негативним по пункту {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Невірний пароль
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Невірний пароль
DocType: Item,Variant Of,Варіант
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',"Завершена к-сть не може бути більше, ніж ""к-сть для виробництва"""
DocType: Period Closing Voucher,Closing Account Head,Рахунок закриття
DocType: Employee,External Work History,Зовнішній роботи Історія
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Циклічна посилання Помилка
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,ім'я Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,ім'я Guardian1
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,"Прописом (експорт) буде видно, як тільки ви збережете накладну."
DocType: Cheque Print Template,Distance from left edge,Відстань від лівого краю
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} одиниць [{1}] (#Форми /Товару / {1}) знайдено в [{2}] (#Формі / Склад / {2})
@@ -377,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Повідомляти електронною поштою про створення автоматичних Замовлень матеріалів
DocType: Journal Entry,Multi Currency,Мультивалютна
DocType: Payment Reconciliation Invoice,Invoice Type,Тип рахунку-фактури
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Накладна
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Накладна
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Налаштування податків
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Собівартість проданих активів
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,"Оплата була змінена після pull. Ласка, pull it знову."
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,"{0} введений двічі в ""Податки"""
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,"Оплата була змінена після pull. Ласка, pull it знову."
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,"{0} введений двічі в ""Податки"""
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Результати для цього тижня та незакінчена діяльність
DocType: Student Applicant,Admitted,зізнався
DocType: Workstation,Rent Cost,Вартість оренди
@@ -400,25 +403,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Будь ласка, введіть "Повторіть День Місяць" значення поля"
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,"Курс, за яким валюта покупця конвертується у базову валюту покупця"
DocType: Course Scheduling Tool,Course Scheduling Tool,Курс планування Інструмент
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Рядок # {0}: Вхідний рахунок-фактура не може бути зроблений щодо існуючого активу {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Рядок # {0}: Вхідний рахунок-фактура не може бути зроблений щодо існуючого активу {1}
DocType: Item Tax,Tax Rate,Ставка податку
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} вже виділено Робітника {1} для періоду {2} в {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Вибрати пункт
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Вхідний рахунок-фактура {0} вже проведений
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Вхідний рахунок-фактура {0} вже проведений
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},"Ряд # {0}: Номер партії має бути таким же, як {1} {2}"
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Перетворити в негрупповой
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Партія (багато) номенклатурних позицій.
DocType: C-Form Invoice Detail,Invoice Date,Дата рахунку-фактури
DocType: GL Entry,Debit Amount,Дебет Сума
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Там може бути тільки 1 аккаунт на компанію в {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,"Будь ласка, див вкладення"
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Там може бути тільки 1 аккаунт на компанію в {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,"Будь ласка, див вкладення"
DocType: Purchase Order,% Received,% Отримано
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Створення студентських груп
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Встановлення вже завершено !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Кредит Примітка Сума
,Finished Goods,Готові вироби
DocType: Delivery Note,Instructions,Інструкції
DocType: Quality Inspection,Inspected By,Перевірено
DocType: Maintenance Visit,Maintenance Type,Тип Технічного обслуговування
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} не надійшли в курсі {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Серійний номер {0} не належить накладній {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Додати товари
@@ -441,7 +446,7 @@
DocType: Request for Quotation,Request for Quotation,Запит пропозиції
DocType: Salary Slip Timesheet,Working Hours,Робочі години
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Змінити стартову / поточний порядковий номер існуючого ряду.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Створення нового клієнта
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Створення нового клієнта
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Якщо кілька правил ціноутворення продовжують переважати, користувачам пропонується встановити пріоритет вручну та вирішити конфлікт."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Створення замовлень на поставку
,Purchase Register,Реєстр закупівель
@@ -453,7 +458,7 @@
DocType: Student Log,Medical,Медична
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Причина втрати
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,"Ведучий власник не може бути такою ж, як свинець"
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,Розподілена сума не може перевищувати неврегульовану
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,Розподілена сума не може перевищувати неврегульовану
DocType: Announcement,Receiver,приймач
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Робоча станція закрита в наступні терміни відповідно до списку вихідних: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Нагоди
@@ -467,8 +472,7 @@
DocType: Assessment Plan,Examiner Name,ім'я Examiner
DocType: Purchase Invoice Item,Quantity and Rate,Кількість та ціна
DocType: Delivery Note,% Installed,% Встановлено
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,"Кабінети / лабораторії і т.д., де лекції можуть бути заплановані."
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Постачальник> Постачальник Тип
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,"Кабінети / лабораторії і т.д., де лекції можуть бути заплановані."
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,"Будь ласка, введіть назву компанії в першу чергу"
DocType: Purchase Invoice,Supplier Name,Назва постачальника
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Прочитайте керівництво ERPNext
@@ -478,7 +482,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Перевіряти унікальність номеру вхідного рахунку-фактури
DocType: Vehicle Service,Oil Change,заміни масла
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.',"""До Випадку №"" не може бути менше, ніж ""З Випадку № '"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Некомерційне
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Некомерційне
DocType: Production Order,Not Started,Не розпочато
DocType: Lead,Channel Partner,Канал Партнер
DocType: Account,Old Parent,Старий Батько
@@ -489,20 +493,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Глобальні налаштування для всіх виробничих процесів.
DocType: Accounts Settings,Accounts Frozen Upto,Рахунки заблоковано по
DocType: SMS Log,Sent On,Відправлено На
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} вибрано кілька разів в таблиці атрибутів
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Атрибут {0} вибрано кілька разів в таблиці атрибутів
DocType: HR Settings,Employee record is created using selected field. ,Співробітник запис створено за допомогою обраного поля.
DocType: Sales Order,Not Applicable,Не застосовується
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Майстер вихідних.
DocType: Request for Quotation Item,Required Date,Потрібно на дату
DocType: Delivery Note,Billing Address,Адреса для рахунків
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,"Будь ласка, введіть код предмета."
DocType: BOM,Costing,Калькуляція
DocType: Tax Rule,Billing County,Область (оплата)
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Якщо позначено, то сума податку буде вважатися вже включеною у ціну друку / суму друку"
DocType: Request for Quotation,Message for Supplier,Повідомлення для Постачальника
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Всього Кількість
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 Email ID
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 Email ID
DocType: Item,Show in Website (Variant),Показати в веб-сайт (варіант)
DocType: Employee,Health Concerns,Проблеми Здоров'я
DocType: Process Payroll,Select Payroll Period,Виберіть Період нарахування заробітної плати
@@ -520,26 +523,28 @@
DocType: Sales Order Item,Used for Production Plan,Використовується для виробничого плану
DocType: Employee Loan,Total Payment,Загальна оплата
DocType: Manufacturing Settings,Time Between Operations (in mins),Час між операціями (в хв)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} скасовується так що дія не може бути завершена
DocType: Customer,Buyer of Goods and Services.,Покупець товарів і послуг.
DocType: Journal Entry,Accounts Payable,Кредиторська заборгованість
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Вибрані Норми не для тієї ж позиції
DocType: Pricing Rule,Valid Upto,Дійсне до
DocType: Training Event,Workshop,семінар
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Перерахуйте деякі з ваших клієнтів. Вони можуть бути організації або окремі особи.
-,Enough Parts to Build,Досить частини для зборки
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Пряма прибуток
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,Перерахуйте деякі з ваших клієнтів. Вони можуть бути організації або окремі особи.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Досить частини для зборки
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Пряма прибуток
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Не можете фільтрувати на основі рахунку, якщо рахунок згруповані по"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Адміністративний співробітник
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,"Будь ласка, виберіть курс"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,"Будь ласка, виберіть курс"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Адміністративний співробітник
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,"Будь ласка, виберіть курс"
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,"Будь ласка, виберіть курс"
DocType: Timesheet Detail,Hrs,годин
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,"Будь ласка, виберіть компанію"
DocType: Stock Entry Detail,Difference Account,Рахунок різниці
+DocType: Purchase Invoice,Supplier GSTIN,Постачальник GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,"Неможливо закрити завдання, як її залежить завдання {0} не закрите."
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,"Будь ласка, введіть Склад для якого буде створено Замовлення матеріалів"
DocType: Production Order,Additional Operating Cost,Додаткова Експлуатаційні витрати
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Косметика
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Щоб об'єднати, наступні властивості повинні бути однаковими для обох пунктів"
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Щоб об'єднати, наступні властивості повинні бути однаковими для обох пунктів"
DocType: Shipping Rule,Net Weight,Вага нетто
DocType: Employee,Emergency Phone,Аварійний телефон
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Купівля
@@ -549,14 +554,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,"Будь ласка, визначте клас для Threshold 0%"
DocType: Sales Order,To Deliver,Доставити
DocType: Purchase Invoice Item,Item,Номенклатура
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Серійний номер не може бути дробовим
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Серійний номер не може бути дробовим
DocType: Journal Entry,Difference (Dr - Cr),Різниця (Д - Cr)
DocType: Account,Profit and Loss,Про прибутки та збитки
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Управління субпідрядом
DocType: Project,Project will be accessible on the website to these users,Проект буде доступний на веб-сайті для цих користувачів
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,"Курс, за яким валюта прайс-листа конвертується у базову валюту компанії"
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Рахунок {0} не належить компанії: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Скорочення вже використовується для іншої компанії
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Рахунок {0} не належить компанії: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Скорочення вже використовується для іншої компанії
DocType: Selling Settings,Default Customer Group,Група клієнтів за замовчуванням
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Якщо відключити, поле ""Заокруглений підсумок' не буде відображатися у жодній операції"
DocType: BOM,Operating Cost,Експлуатаційні витрати
@@ -564,7 +569,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Приріст не може бути 0
DocType: Production Planning Tool,Material Requirement,Вимога Матеріал
DocType: Company,Delete Company Transactions,Видалити операції компанії
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Посилання № та дата Reference є обов'язковим для операції банку
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Посилання № та дата Reference є обов'язковим для операції банку
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Додати / редагувати податки та збори
DocType: Purchase Invoice,Supplier Invoice No,Номер рахунку постачальника
DocType: Territory,For reference,Для довідки
@@ -575,22 +580,22 @@
DocType: Installation Note Item,Installation Note Item,Номенклатура відмітки про встановлення
DocType: Production Plan Item,Pending Qty,К-сть в очікуванні
DocType: Budget,Ignore,Ігнорувати
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} не активний
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} не активний
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS відправлено наступних номерів: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,Встановіть розміри чеку для друку
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,Встановіть розміри чеку для друку
DocType: Salary Slip,Salary Slip Timesheet,Табель зарплатного розрахунку
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Склад постачальника - обов'язковий для прихідних накладних субпідрядників
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Склад постачальника - обов'язковий для прихідних накладних субпідрядників
DocType: Pricing Rule,Valid From,Діє з
DocType: Sales Invoice,Total Commission,Всього комісія
DocType: Pricing Rule,Sales Partner,Торговий партнер
DocType: Buying Settings,Purchase Receipt Required,Потрібна прихідна накладна
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,Собівартість обов'язкова при введенні залишків
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,Собівартість обов'язкова при введенні залишків
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Не знайдено записів у таблиці рахунку-фактури
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,"Будь ласка, виберіть компанію та контрагента спершу"
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Фінансова / звітний рік.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Фінансова / звітний рік.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,накопичені значення
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","На жаль, серійні номери не можуть бути об'єднані"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Зробити замовлення на продаж
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Зробити замовлення на продаж
DocType: Project Task,Project Task,Проект Завдання
,Lead Id,Lead Id
DocType: C-Form Invoice Detail,Grand Total,Загальний підсумок
@@ -607,7 +612,7 @@
DocType: Job Applicant,Resume Attachment,резюме Додаток
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Постійні клієнти
DocType: Leave Control Panel,Allocate,Виділяти
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Продажі Повернутися
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Продажі Повернутися
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,"Примітка: Сумарна кількість виділених листя {0} не повинно бути менше, ніж вже затверджених листя {1} на період"
DocType: Announcement,Posted By,Автор
DocType: Item,Delivered by Supplier (Drop Ship),Поставляється Постачальником (Пряма доставка)
@@ -617,8 +622,8 @@
DocType: Quotation,Quotation To,Пропозиція для
DocType: Lead,Middle Income,Середній дохід
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),На початок (Кт)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"За замовчуванням Одиниця виміру для п {0} не може бути змінений безпосередньо, тому що ви вже зробили деякі угоди (угод) з іншим UOM. Вам потрібно буде створити новий пункт для використання іншого замовчуванням одиниця виміру."
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Розподілена сума не може бути негативною
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,"За замовчуванням Одиниця виміру для п {0} не може бути змінений безпосередньо, тому що ви вже зробили деякі угоди (угод) з іншим UOM. Вам потрібно буде створити новий пункт для використання іншого замовчуванням одиниця виміру."
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Розподілена сума не може бути негативною
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,"Будь ласка, встановіть компанії"
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,"Будь ласка, встановіть компанії"
DocType: Purchase Order Item,Billed Amt,Сума виставлених рахунків
@@ -631,7 +636,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,Виберіть Обліковий запис Оплата зробити Банк Стажер
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Створення записів співробітників для управління листя, витрат і заробітної плати претензій"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Додати в бази знань
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Пропозиція Написання
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Пропозиція Написання
DocType: Payment Entry Deduction,Payment Entry Deduction,Відрахування з Оплати
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Інший Відповідальний з продажу {0} існує з тим же ідентифікатором працівника
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Якщо позначено, сировина для субпідряджених позицій буде включена у ""Замовлення матеріалів"""
@@ -645,7 +650,7 @@
DocType: Timesheet,Billed,Виставлено рахунки
DocType: Batch,Batch Description,Опис партії
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Створення студентських груп
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Обліковий запис платіжного шлюзу не створено, створіть його вручну будь-ласка."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Обліковий запис платіжного шлюзу не створено, створіть його вручну будь-ласка."
DocType: Sales Invoice,Sales Taxes and Charges,Податки та збори з продажу
DocType: Employee,Organization Profile,Профіль організації
DocType: Student,Sibling Details,подробиці Споріднені
@@ -667,11 +672,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Чиста зміна в інвентаризації
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Управління кредитів співробітників
DocType: Employee,Passport Number,Номер паспорта
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Зв'язок з Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Менеджер
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Зв'язок з Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Менеджер
DocType: Payment Entry,Payment From / To,Оплата с / з
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Новий кредитний ліміт менше поточної суми заборгованості для клієнта. Кредитний ліміт повинен бути зареєстровано не менше {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Такий же деталь був введений кілька разів.
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},Новий кредитний ліміт менше поточної суми заборгованості для клієнта. Кредитний ліміт повинен бути зареєстровано не менше {0}
DocType: SMS Settings,Receiver Parameter,Параметр отримувача
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,"""Базується на"" і ""Згруповано за"" не можуть бути однаковими"
DocType: Sales Person,Sales Person Targets,Цілі відповідального з продажу
@@ -680,8 +684,9 @@
DocType: Issue,Resolution Date,Дозвіл Дата
DocType: Student Batch Name,Batch Name,пакетна Ім'я
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Табель робочого часу створено:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},"Будь ласка, встановіть Cash замовчуванням або банківського рахунку в режимі з оплати {0}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},"Будь ласка, встановіть Cash замовчуванням або банківського рахунку в режимі з оплати {0}"
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,зараховувати
+DocType: GST Settings,GST Settings,налаштування GST
DocType: Selling Settings,Customer Naming By,Називати клієнтів по
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Покажу студент як присутній в студентській Monthly відвідуваності звіту
DocType: Depreciation Schedule,Depreciation Amount,Сума зносу
@@ -703,6 +708,7 @@
DocType: Item,Material Transfer,Матеріал Передача
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),На початок (Дт)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Posting timestamp повинна бути більша {0}
+,GST Itemised Purchase Register,GST деталізувати Купівля Реєстрація
DocType: Employee Loan,Total Interest Payable,Загальний відсоток кредиторів
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Податки та збори з кінцевої вартості
DocType: Production Order Operation,Actual Start Time,Фактичний початок Час
@@ -730,10 +736,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
DocType: Account,Accounts,Бухгалтерські рахунки
DocType: Vehicle,Odometer Value (Last),Одометр Value (Last)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Маркетинг
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Маркетинг
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Оплату вже створено
DocType: Purchase Receipt Item Supplied,Current Stock,Наявність на складі
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Рядок # {0}: Asset {1} не пов'язаний з п {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Рядок # {0}: Asset {1} не пов'язаний з п {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Попередній перегляд Зарплатного розрахунку
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Рахунок {0} був введений кілька разів
DocType: Account,Expenses Included In Valuation,"Витрати, що включаються в оцінку"
@@ -741,7 +747,7 @@
,Absent Student Report,Відсутня Student Report
DocType: Email Digest,Next email will be sent on:,Наступна буде відправлено листа на:
DocType: Offer Letter Term,Offer Letter Term,Пропозиція Лист термін
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Номенклатурна позиція має варіанти.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Номенклатурна позиція має варіанти.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Пункт {0} знайдений
DocType: Bin,Stock Value,Значення запасів
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Компанія {0} не існує
@@ -750,8 +756,8 @@
DocType: Serial No,Warranty Expiry Date,Термін дії гарантії
DocType: Material Request Item,Quantity and Warehouse,Кількість і Склад
DocType: Sales Invoice,Commission Rate (%),Ставка комісії (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,"Будь ласка, виберіть Програми"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,"Будь ласка, виберіть Програми"
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,"Будь ласка, виберіть Програми"
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,"Будь ласка, виберіть Програми"
DocType: Project,Estimated Cost,орієнтовна вартість
DocType: Purchase Order,Link to material requests,Посилання на матеріал запитів
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Авіаційно-космічний
@@ -765,14 +771,14 @@
DocType: Purchase Order,Supply Raw Materials,Постачання сировини
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,"Дата, на яку буде створений наступний рахунок-фактура. Генерується після проведення."
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Оборотні активи
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} не відноситься до інвентаря
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} не відноситься до інвентаря
DocType: Mode of Payment Account,Default Account,Рахунок/обліковий запис за замовчуванням
DocType: Payment Entry,Received Amount (Company Currency),Отримана сума (Компанія Валюта)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,"Lead повинен бути встановлений, якщо Нагода зроблена з Lead"
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,"Будь ласка, виберіть щотижневий вихідний день"
DocType: Production Order Operation,Planned End Time,Плановані Час закінчення
,Sales Person Target Variance Item Group-Wise,Розбіжності цілей Відповідальних з продажу (по групах товарів)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Рахунок з існуючою транзакції не можуть бути перетворені в бухгалтерській книзі
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Рахунок з існуючою транзакції не можуть бути перетворені в бухгалтерській книзі
DocType: Delivery Note,Customer's Purchase Order No,Номер оригінала замовлення клієнта
DocType: Budget,Budget Against,Бюджет по
DocType: Employee,Cell Number,Номер мобільного
@@ -784,15 +790,13 @@
DocType: Opportunity,Opportunity From,Нагода від
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Щомісячна виписка зарплата.
DocType: BOM,Website Specifications,Характеристики веб-сайту
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Будь ласка, вибір початкового номера серії для відвідуваності через Setup> Нумерація серії"
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: З {0} типу {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Ряд {0}: Коефіцієнт перетворення є обов'язковим
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Ряд {0}: Коефіцієнт перетворення є обов'язковим
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Кілька Ціна Правила існує з тими ж критеріями, будь ласка вирішити конфлікт шляхом присвоєння пріоритету. Ціна Правила: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Не можете деактивувати або скасувати норми витрат, якщо вони пов'язані з іншими"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Кілька Ціна Правила існує з тими ж критеріями, будь ласка вирішити конфлікт шляхом присвоєння пріоритету. Ціна Правила: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,"Не можете деактивувати або скасувати норми витрат, якщо вони пов'язані з іншими"
DocType: Opportunity,Maintenance,Технічне обслуговування
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Потрібний номер прихідної накладної для позиції {0}
DocType: Item Attribute Value,Item Attribute Value,Стан Значення атрибуту
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Кампанії з продажу.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Створити табель робочого часу
@@ -825,30 +829,30 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Зіпсовані активи згідно проводки{0}
DocType: Employee Loan,Interest Income Account,Рахунок Процентні доходи
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Біотехнологія
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Витрати утримання офісу
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Витрати утримання офісу
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Налаштування облікового запису електронної пошти
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,"Будь ласка, введіть перший пункт"
DocType: Account,Liability,Відповідальність
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,"Санкціонований сума не може бути більше, ніж претензії Сума в рядку {0}."
DocType: Company,Default Cost of Goods Sold Account,Рахунок собівартості проданих товарів за замовчуванням
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Прайс-лист не вибраний
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Прайс-лист не вибраний
DocType: Employee,Family Background,Сімейні обставини
DocType: Request for Quotation Supplier,Send Email,Відправити e-mail
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Увага: Невірне долучення {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Увага: Невірне долучення {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Немає доступу
DocType: Company,Default Bank Account,Банківський рахунок за замовчуванням
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Щоб відфільтрувати на основі партії, виберіть партія першого типу"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Оновити Інвентар"" не може бути позначено, тому що об’єкти не доставляються через {0}"
DocType: Vehicle,Acquisition Date,придбання Дата
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Пп
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Пп
DocType: Item,Items with higher weightage will be shown higher,"Елементи з більш високою weightage буде показано вище,"
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Деталі банківської виписки
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Рядок # {0}: Asset {1} повинен бути представлений
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Рядок # {0}: Asset {1} повинен бути представлений
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Жоден працівник не знайдено
DocType: Supplier Quotation,Stopped,Зупинився
DocType: Item,If subcontracted to a vendor,Якщо підряджено постачальникові
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Студентська група вже була поновлена.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Студентська група вже була поновлена.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Студентська група вже була поновлена.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Студентська група вже була поновлена.
DocType: SMS Center,All Customer Contact,Всі Контакти клієнта
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Завантажити складські залишки з CSV.
DocType: Warehouse,Tree Details,деталі Дерева
@@ -860,13 +864,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Центр витрат {2} не належить Компанії {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Рахунок {2} не може бути групою
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Пункт Рядок {IDX}: {доктайпів} {DOCNAME} не існує в вище '{доктайпів}' таблиця
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Табель {0} вже завершено або скасовано
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Табель {0} вже завершено або скасовано
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,немає завдання
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","День місяця, в який авто-рахунок-фактура буде створений, наприклад, 05, 28 і т.д."
DocType: Asset,Opening Accumulated Depreciation,Накопичений знос на момент відкриття
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Оцінка повинна бути менше або дорівнює 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Програма Зарахування Tool
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,С-Form записи
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,С-Form записи
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Покупець та Постачальник
DocType: Email Digest,Email Digest Settings,Налаштування відправлення дайджестів
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Дякуємо Вам за співпрацю!
@@ -876,17 +880,19 @@
DocType: Bin,Moving Average Rate,Moving Average Rate
DocType: Production Planning Tool,Select Items,Оберіть товари
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} проти рахунку {1} від {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Автомобіль / Автобус №
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Розклад курсу
DocType: Maintenance Visit,Completion Status,Статус завершення
DocType: HR Settings,Enter retirement age in years,Введіть вік виходу на пенсію в роках
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Склад призначення
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,"Будь ласка, виберіть склад"
DocType: Cheque Print Template,Starting location from left edge,Лівий відступ
DocType: Item,Allow over delivery or receipt upto this percent,Дозволити перевищення доставки або накладної до цього відсотка
DocType: Stock Entry,STE-,стереотипами
DocType: Upload Attendance,Import Attendance,Імпорт Відвідуваності
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Всі Групи товарів
DocType: Process Payroll,Activity Log,Журнал активності
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Чистий прибуток / збиток
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Чистий прибуток / збиток
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Автоматично написати повідомлення за поданням угод.
DocType: Production Order,Item To Manufacture,Елемент Виробництво
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} статус {2}
@@ -895,16 +901,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Замовлення на придбання у Оплату
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,Прогнозована к-сть
DocType: Sales Invoice,Payment Due Date,Дата платежу
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Вже існує варіант позиції {0} з такими атрибутами
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Вже існує варіант позиції {0} з такими атрибутами
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',"""Відкривається"""
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Відкрити To Do
DocType: Notification Control,Delivery Note Message,Доставка Примітка Повідомлення
DocType: Expense Claim,Expenses,Витрати
+,Support Hours,години роботи служби підтримки
DocType: Item Variant Attribute,Item Variant Attribute,Атрибут варіантів
,Purchase Receipt Trends,Тренд прихідних накладних
DocType: Process Payroll,Bimonthly,два рази на місяць
DocType: Vehicle Service,Brake Pad,Гальмівна колодка
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Дослідження і розвиток
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Дослідження і розвиток
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Сума до оплати
DocType: Company,Registration Details,Реєстраційні дані
DocType: Timesheet,Total Billed Amount,Загальна сума Оголошений
@@ -917,12 +924,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Отримати тільки сировину
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Продуктивність оцінка.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Включення "Використовувати для Кошику», як Кошик включена і має бути принаймні один податок Правило Кошик"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Документ оплати {0} прив'язаний до замовлення {1}, перевірте, чи не потрібно підтягнути це як передоплату у цьому рахунку-фактурі."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Документ оплати {0} прив'язаний до замовлення {1}, перевірте, чи не потрібно підтягнути це як передоплату у цьому рахунку-фактурі."
DocType: Sales Invoice Item,Stock Details,Фото Деталі
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Вартість проекту
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,POS
DocType: Vehicle Log,Odometer Reading,показання одометра
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Баланс рахунку вже в кредит, ви не можете встановити "баланс повинен бути", як "дебет""
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Баланс рахунку вже в кредит, ви не можете встановити "баланс повинен бути", як "дебет""
DocType: Account,Balance must be,Сальдо повинно бути
DocType: Hub Settings,Publish Pricing,Опублікувати Ціни
DocType: Notification Control,Expense Claim Rejected Message,Повідомлення при відхиленні Авансового звіту
@@ -932,7 +939,7 @@
DocType: Salary Slip,Working Days,Робочі дні
DocType: Serial No,Incoming Rate,Прихідна вартість
DocType: Packing Slip,Gross Weight,Вага брутто
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,"Назва вашої компанії, для якої ви налаштовуєте цю систему."
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,"Назва вашої компанії, для якої ви налаштовуєте цю систему."
DocType: HR Settings,Include holidays in Total no. of Working Days,Включити вихідні в загальну кількість робочих днів
DocType: Job Applicant,Hold,Тримати
DocType: Employee,Date of Joining,Дата влаштування
@@ -943,20 +950,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Прихідна накладна
,Received Items To Be Billed,"Отримані позиції, на які не виставлені рахунки"
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Відправив Зарплатні Slips
-DocType: Employee,Ms,Місс
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Майстер курсів валют.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Довідник Doctype повинен бути одним з {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Майстер курсів валют.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Довідник Doctype повинен бути одним з {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Неможливо знайти часовий інтервал в найближчі {0} днів для роботи {1}
DocType: Production Order,Plan material for sub-assemblies,План матеріал для суб-вузлів
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Торгові партнери та території
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,"Не може автоматично створювати рахунки, оскільки є вже запас балансу на рахунку. Ви повинні створити відповідний рахунок, перш ніж ви можете зробити запис на цьому складі"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,Документ Норми витрат {0} повинен бути активним
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,Документ Норми витрат {0} повинен бути активним
DocType: Journal Entry,Depreciation Entry,Операція амортизації
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,"Будь ласка, виберіть тип документа в першу чергу"
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Скасування матеріалів переглядів {0} до скасування цього обслуговування візит
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Серійний номер {0} не належить до номенклатурної позиції {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Необхідна к-сть
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Склади з існуючої транзакції не можуть бути перетворені в бухгалтерській книзі.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Склади з існуючої транзакції не можуть бути перетворені в бухгалтерській книзі.
DocType: Bank Reconciliation,Total Amount,Загалом
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Інтернет видання
DocType: Production Planning Tool,Production Orders,Виробничі замовлення
@@ -971,25 +976,26 @@
DocType: Fee Structure,Components,компоненти
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},"Будь ласка, введіть Asset Категорія в пункті {0}"
DocType: Quality Inspection Reading,Reading 6,Читання 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Може не {0} {1} {2} без будь-якого негативного видатний рахунок-фактура
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Може не {0} {1} {2} без будь-якого негативного видатний рахунок-фактура
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Передоплата по вхідному рахунку
DocType: Hub Settings,Sync Now,Синхронізувати зараз
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Ряд {0}: Кредитна запис не може бути пов'язаний з {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Визначити бюджет на фінансовий рік.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Визначити бюджет на фінансовий рік.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Обліковий запис за замовчуванням банк / Ксерокопіювання буде автоматично оновлюватися в POS фактурі коли обрано цей режим.
DocType: Lead,LEAD-,LEAD-
DocType: Employee,Permanent Address Is,Постійна адреса є
DocType: Production Order Operation,Operation completed for how many finished goods?,Операція виконана для якої кількості готових виробів?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,Бренд
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Бренд
DocType: Employee,Exit Interview Details,Деталі співбесіди при звільненні
DocType: Item,Is Purchase Item,Покупний товар
DocType: Asset,Purchase Invoice,Вхідний рахунок-фактура
DocType: Stock Ledger Entry,Voucher Detail No,Документ номер
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Новий вихідний рахунок
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Новий вихідний рахунок
DocType: Stock Entry,Total Outgoing Value,Загальна сума розходу
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Дата відкриття та дата закриття повинні бути в межах одного фінансового року
DocType: Lead,Request for Information,Запит інформації
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Синхронізація Offline рахунків-фактур
+,LeaderBoard,LEADERBOARD
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Синхронізація Offline рахунків-фактур
DocType: Payment Request,Paid,Оплачений
DocType: Program Fee,Program Fee,вартість програми
DocType: Salary Slip,Total in words,Разом прописом
@@ -998,13 +1004,13 @@
DocType: Cheque Print Template,Has Print Format,Має формат друку
DocType: Employee Loan,Sanctioned,санкціоновані
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,"є обов'язковим. Можливо, що запис ""Обмін валюти"" не створений"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},"Ряд # {0}: Будь ласка, сформулюйте Серійний номер, вказаний в п {1}"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Для елементів ""комплекту"" , склад, серійний номер та № пакету будуть братися з таблиці ""комплектації"". Якщо склад та партія є однаковими для всіх пакувальних компонентів для будь-якого ""комплекту"", ці значення можуть бути введені в основній таблиці позицій, значення будуть скопійовані в таблицю ""комлектації""."
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},"Ряд # {0}: Будь ласка, сформулюйте Серійний номер, вказаний в п {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Для елементів ""комплекту"" , склад, серійний номер та № пакету будуть братися з таблиці ""комплектації"". Якщо склад та партія є однаковими для всіх пакувальних компонентів для будь-якого ""комплекту"", ці значення можуть бути введені в основній таблиці позицій, значення будуть скопійовані в таблицю ""комлектації""."
DocType: Job Opening,Publish on website,Опублікувати на веб-сайті
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Поставки клієнтам.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Дата рахунку постачальника не може бути більше за дату створення
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Дата рахунку постачальника не може бути більше за дату створення
DocType: Purchase Invoice Item,Purchase Order Item,Позиція замовлення на придбання
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Непряме прибуток
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Непряме прибуток
DocType: Student Attendance Tool,Student Attendance Tool,Student Учасники Інструмент
DocType: Cheque Print Template,Date Settings,Налаштування дати
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Розбіжність
@@ -1022,21 +1028,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Хімічна
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,"За замовчуванням банк / Готівковий рахунок буде автоматично оновлюватися в Зарплатний Запис в журналі, коли обраний цей режим."
DocType: BOM,Raw Material Cost(Company Currency),Вартість сировини (Компанія Валюта)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Всі деталі вже були передані для цього виробничого замовлення.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Всі деталі вже були передані для цього виробничого замовлення.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Рядок # {0}: Оцінити не може бути більше, ніж швидкість використовуваної в {1} {2}"
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},"Рядок # {0}: Оцінити не може бути більше, ніж швидкість використовуваної в {1} {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,метр
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,метр
DocType: Workstation,Electricity Cost,Вартість електроенергії
DocType: HR Settings,Don't send Employee Birthday Reminders,Не посилати Employee народження Нагадування
DocType: Item,Inspection Criteria,Інспекційні Критерії
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Всі передані
DocType: BOM Website Item,BOM Website Item,BOM Сайт товару
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Відвантажити ваш фірмовий заголовок та логотип. (Ви зможете відредагувати їх пізніше).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Відвантажити ваш фірмовий заголовок та логотип. (Ви зможете відредагувати їх пізніше).
DocType: Timesheet Detail,Bill,Bill
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Введена дата наступної амортизації - у минулому
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Білий
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Білий
DocType: SMS Center,All Lead (Open),Всі Lead (відкрито)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Рядок {0}: К-сть недоступна для {4} на складі {1} на час проведення ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Рядок {0}: К-сть недоступна для {4} на складі {1} на час проведення ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Взяти видані аванси
DocType: Item,Automatically Create New Batch,Автоматичне створення нового пакета
DocType: Item,Automatically Create New Batch,Автоматичне створення нового пакета
@@ -1047,13 +1053,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Мій кошик
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Тип замовлення повинна бути однією з {0}
DocType: Lead,Next Contact Date,Наступна контактна дата
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,К-сть на початок роботи
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,"Будь ласка, введіть рахунок для суми змін"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,К-сть на початок роботи
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,"Будь ласка, введіть рахунок для суми змін"
DocType: Student Batch Name,Student Batch Name,Student Пакетне Ім'я
DocType: Holiday List,Holiday List Name,Ім'я списку вихідних
DocType: Repayment Schedule,Balance Loan Amount,Баланс Сума кредиту
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,Розклад курсу
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Опціони
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Опціони
DocType: Journal Entry Account,Expense Claim,Авансовий звіт
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Ви дійсно хочете відновити цей актив на злам?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Кількість для {0}
@@ -1065,12 +1071,12 @@
DocType: Company,Default Terms,Умови за замовчуванням
DocType: Packing Slip Item,Packing Slip Item,Упаковка товару ковзання
DocType: Purchase Invoice,Cash/Bank Account,Готівковий / Банківський рахунок
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Введіть {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Введіть {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Вилучені пункти без зміни в кількості або вартості.
DocType: Delivery Note,Delivery To,Доставка Для
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Атрибут стіл є обов'язковим
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Атрибут стіл є обов'язковим
DocType: Production Planning Tool,Get Sales Orders,Отримати Замовлення клієнта
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} не може бути від’ємним
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} не може бути від’ємним
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Знижка
DocType: Asset,Total Number of Depreciations,Загальна кількість амортизацій
DocType: Sales Invoice Item,Rate With Margin,Швидкість З полями
@@ -1091,7 +1097,6 @@
DocType: Serial No,Creation Document No,Створення документа Немає
DocType: Issue,Issue,Проблема
DocType: Asset,Scrapped,знищений
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Рахунок не відповідає Компанії
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Атрибути для варіантного товара. наприклад, розмір, колір і т.д."
DocType: Purchase Invoice,Returns,Повернення
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,"Склад ""В роботі"""
@@ -1103,12 +1108,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,"Позиція повинна додаватися за допомогою кнопки ""Отримати позиції з прихідної накладної"""
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,Включити позабіржові пункти
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Витрати на збут
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Витрати на збут
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Стандартний Купівля
DocType: GL Entry,Against,Проти
DocType: Item,Default Selling Cost Center,Центр витрат продажу за замовчуванням
DocType: Sales Partner,Implementation Partner,Реалізація Партнер
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Поштовий індекс
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Поштовий індекс
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Замовлення клієнта {0} {1}
DocType: Opportunity,Contact Info,Контактна інформація
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Створення Руху ТМЦ
@@ -1121,33 +1126,33 @@
DocType: Holiday List,Get Weekly Off Dates,Отримати щотижневі вихідні
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,"Дата закінчення не може бути менше, ніж Дата початку"
DocType: Sales Person,Select company name first.,Виберіть назву компанії в першу чергу.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,доктор
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Пропозиції отримані від постачальників
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Для {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Середній вік
DocType: School Settings,Attendance Freeze Date,Учасники Заморожування Дата
DocType: School Settings,Attendance Freeze Date,Учасники Заморожування Дата
DocType: Opportunity,Your sales person who will contact the customer in future,"Ваш Відповідальний з продажу, який зв'яжеться з покупцем в майбутньому"
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,Перерахуйте деякі з ваших постачальників. Вони можуть бути організації або окремі особи.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Перерахуйте деякі з ваших постачальників. Вони можуть бути організації або окремі особи.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Показати всі товари
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Мінімальний Lead Вік (дні)
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Мінімальний Lead Вік (дні)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,все ВВП
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,все ВВП
DocType: Company,Default Currency,Валюта за замовчуванням
DocType: Expense Claim,From Employee,Від працівника
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Увага: Система не перевірятиме overbilling так як суми по позиції {0} в {1} дорівнює нулю
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Увага: Система не перевірятиме overbilling так як суми по позиції {0} в {1} дорівнює нулю
DocType: Journal Entry,Make Difference Entry,Зробити запис Difference
DocType: Upload Attendance,Attendance From Date,Відвідуваність з дати
DocType: Appraisal Template Goal,Key Performance Area,Ключ Площа Продуктивність
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Транспорт
+DocType: Program Enrollment,Transportation,Транспорт
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,неправильний атрибут
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} повинен бути проведений
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} повинен бути проведений
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Кількість повинна бути менше або дорівнює {0}
DocType: SMS Center,Total Characters,Загалом символів
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},"Будь ласка, виберіть Норми в полі Норми витрат для позиції {0}"
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},"Будь ласка, виберіть Норми в полі Норми витрат для позиції {0}"
DocType: C-Form Invoice Detail,C-Form Invoice Detail,С-форма рахунки-фактури Подробиці
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Рахунок-фактура на корегуючу оплату
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Внесок%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Згідно Налаштування Купівля якщо Purchase Order Required == «YES», то для створення рахунку-фактурі, користувачеві необхідно створити замовлення на поставку першої для пункту {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Реєстраційні номери компанії для вашої довідки. Податкові номери і т.д.
DocType: Sales Partner,Distributor,Дистриб'ютор
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Правило доставки для кошику
@@ -1156,23 +1161,25 @@
,Ordered Items To Be Billed,"Замовлені товари, на які не виставлені рахунки"
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,"С Діапазон повинен бути менше, ніж діапазон"
DocType: Global Defaults,Global Defaults,Глобальні значення за замовчуванням
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Співпраця Запрошення проекту
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Співпраця Запрошення проекту
DocType: Salary Slip,Deductions,Відрахування
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,рік початку
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},Перші 2 цифри GSTIN повинні збігатися з державним номером {0}
DocType: Purchase Invoice,Start date of current invoice's period,Початкова дата поточного періоду виставлення рахунків
DocType: Salary Slip,Leave Without Pay,Відпустка без збереження заробітної
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Планування потужностей Помилка
,Trial Balance for Party,Оборотно-сальдова відомість для контрагента
DocType: Lead,Consultant,Консультант
DocType: Salary Slip,Earnings,Доходи
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Готові товару {0} має бути введений для вступу типу Виробництво
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Готові товару {0} має бути введений для вступу типу Виробництво
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Бухгалтерський баланс на початок
+,GST Sales Register,GST продажів Реєстрація
DocType: Sales Invoice Advance,Sales Invoice Advance,Передоплата по вихідному рахунку
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Нічого не просити
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Бюджетний запис '{0}' вже існує проти {1} '{2}' для {3} бюджетного періоду
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',"""Дата фактичного початку"" не може бути пізніше, ніж ""Дата фактичного завершення"""
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Управління
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Управління
DocType: Cheque Print Template,Payer Settings,Налаштування платника
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Це буде додано до коду варіанту. Наприклад, якщо ваша абревіатура ""СМ"", і код товару ""Футболки"", тоді код варіанту буде ""Футболки-СМ"""
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,"Сума ""на руки"" (прописом) буде видно, як тільки ви збережете Зарплатний розрахунок."
@@ -1189,8 +1196,8 @@
DocType: Employee Loan,Partially Disbursed,частково Освоєно
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,База даних постачальника
DocType: Account,Balance Sheet,Бухгалтерський баланс
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Центр витрат для позиції з кодом
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Режим оплати не налаштований. Будь ласка, перевірте, чи вибрний рахунок у Режимі Оплати або у POS-профілі."
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Центр витрат для позиції з кодом
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Режим оплати не налаштований. Будь ласка, перевірте, чи вибрний рахунок у Режимі Оплати або у POS-профілі."
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,"Ваш відповідальний з продажу отримає нагадування в цей день, щоб зв'язатися з клієнтом"
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Той же елемент не може бути введений кілька разів.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Подальші рахунки можуть бути зроблені відповідно до груп, але Ви можете бути проти НЕ-груп"
@@ -1198,7 +1205,7 @@
DocType: Email Digest,Payables,Кредиторська заборгованість
DocType: Course,Course Intro,курс Введення
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Рух ТМЦ {0} створено
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ряд # {0}: Відхилену к-сть не можна вводити у Повернення постачальнику
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Ряд # {0}: Відхилену к-сть не можна вводити у Повернення постачальнику
,Purchase Order Items To Be Billed,"Позиції Замовлення на придбання, на які не виставлені рахунки"
DocType: Purchase Invoice Item,Net Rate,Нетто-ставка
DocType: Purchase Invoice Item,Purchase Invoice Item,Позиція вхідного рахунку
@@ -1225,7 +1232,7 @@
DocType: Sales Order,SO-,SO-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,"Будь ласка, виберіть префікс в першу чергу"
DocType: Employee,O-,О
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Дослідження
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Дослідження
DocType: Maintenance Visit Purpose,Work Done,Зроблено
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,"Будь ласка, вкажіть як мінімум один атрибут в таблиці атрибутів"
DocType: Announcement,All Students,всі студенти
@@ -1233,17 +1240,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Подивитися Леджер
DocType: Grading Scale,Intervals,інтервали
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Найперша
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Існує група з такою самою назвою, будь ласка, змініть назву елементу або перейменуйте групу"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Student Mobile No.
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Решта світу
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Існує група з такою самою назвою, будь ласка, змініть назву елементу або перейменуйте групу"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Student Mobile No.
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Решта світу
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Позиція {0} не може мати партій
,Budget Variance Report,Звіт по розбіжностях бюджету
DocType: Salary Slip,Gross Pay,Повна Платне
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Рядок {0}: Вид діяльності є обов'язковим.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,"Дивіденди, що сплачуються"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,"Дивіденди, що сплачуються"
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Бухгалтерська книга
DocType: Stock Reconciliation,Difference Amount,Різниця на суму
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Нерозподілений чистий прибуток
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Нерозподілений чистий прибуток
DocType: Vehicle Log,Service Detail,деталь обслуговування
DocType: BOM,Item Description,Опис товару
DocType: Student Sibling,Student Sibling,студент Sibling
@@ -1258,11 +1265,11 @@
DocType: Opportunity Item,Opportunity Item,Позиція Нагоди
,Student and Guardian Contact Details,Студент і дбайливець Контактна інформація
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Рядок {0}: Для постачальника {0} Адреса електронної пошти необхідно надіслати електронною поштою
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Тимчасове відкриття
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Тимчасове відкриття
,Employee Leave Balance,Залишок днів відпусток працівника
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Сальдо на рахунку {0} повинно бути завжди {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Собівартість обов'язкова для рядка {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Приклад: магістр комп'ютерних наук
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Приклад: магістр комп'ютерних наук
DocType: Purchase Invoice,Rejected Warehouse,Склад для відхиленого
DocType: GL Entry,Against Voucher,Згідно документу
DocType: Item,Default Buying Cost Center,Центр витрат закупівлі за замовчуванням
@@ -1275,31 +1282,30 @@
DocType: Journal Entry,Get Outstanding Invoices,Отримати неоплачені рахунки-фактури
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Замовлення клієнта {0} не є допустимим
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,Замовлення допоможуть вам планувати і стежити за ваші покупки
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","На жаль, компанії не можуть бути об'єднані"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","На жаль, компанії не можуть бути об'єднані"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",Загальна кількість / Переміщена кількість {0} у Замовленні матеріалів {1} \ не може бути більше необхідної кількості {2} для позиції {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Невеликий
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Невеликий
DocType: Employee,Employee Number,Кількість працівників
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Справа Ні (и) вже використовується. Спробуйте зі справи № {0}
DocType: Project,% Completed,% Завершено
,Invoiced Amount (Exculsive Tax),Сума за рахунками (Exculsive вартість)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Пункт 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,Рахунок глава {0} створена
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,навчальний захід
DocType: Item,Auto re-order,Авто-дозамовлення
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Всього Виконано
DocType: Employee,Place of Issue,Місце видачі
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,Контракт
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,Контракт
DocType: Email Digest,Add Quote,Додати Цитата
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},Одиниця виміру фактором Coversion потрібно для UOM: {0} в пункті: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Непрямі витрати
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Одиниця виміру фактором Coversion потрібно для UOM: {0} в пункті: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Непрямі витрати
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Ряд {0}: Кількість обов'язково
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Сільське господарство
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Дані майстра синхронізації
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Ваші продукти або послуги
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Дані майстра синхронізації
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Ваші продукти або послуги
DocType: Mode of Payment,Mode of Payment,Спосіб платежу
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Зображення для веб-сайту має бути загальнодоступним файлом або адресою веб-сайту
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Зображення для веб-сайту має бути загальнодоступним файлом або адресою веб-сайту
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,Норми
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Це кореневий елемент групи і не можуть бути змінені.
@@ -1308,7 +1314,7 @@
DocType: Warehouse,Warehouse Contact Info,Контактні дані складу
DocType: Payment Entry,Write Off Difference Amount,Списання різниця в
DocType: Purchase Invoice,Recurring Type,Тип періодичністі
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent","{0}: Не знайдено електронної пошти працівника, тому e-mail не відправлено"
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent","{0}: Не знайдено електронної пошти працівника, тому e-mail не відправлено"
DocType: Item,Foreign Trade Details,зовнішньоторговельна Детальніше
DocType: Email Digest,Annual Income,Річний дохід
DocType: Serial No,Serial No Details,Серійний номер деталі
@@ -1316,10 +1322,10 @@
DocType: Student Group Student,Group Roll Number,Група Ролл Кількість
DocType: Student Group Student,Group Roll Number,Група Ролл Кількість
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Для {0}, тільки кредитні рахунки можуть бути пов'язані з іншою дебету"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,"Сума всіх ваг завдання повинна бути 1. Будь ласка, поміняйте ваги всіх завдань проекту, відповідно,"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Накладна {0} не проведена
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Позиція {0} має бути субпідрядною
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Капітальні обладнання
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,"Сума всіх ваг завдання повинна бути 1. Будь ласка, поміняйте ваги всіх завдань проекту, відповідно,"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Накладна {0} не проведена
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Позиція {0} має бути субпідрядною
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Капітальні обладнання
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Цінове правило базується на полі ""Застосовується до"", у якому можуть бути: номенклатурна позиція, група або бренд."
DocType: Hub Settings,Seller Website,Веб-сайт продавця
DocType: Item,ITEM-,item-
@@ -1337,7 +1343,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",Там може бути тільки один доставка Умови Правило з 0 або пусте значення для "до значення"
DocType: Authorization Rule,Transaction,Операція
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Примітка: Цей центр витрат є групою. Не можна робити проводок по групі.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,Дитячий склад існує для цього складу. Ви не можете видалити цей склад.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,Дитячий склад існує для цього складу. Ви не можете видалити цей склад.
DocType: Item,Website Item Groups,Групи об’єктів веб-сайту
DocType: Purchase Invoice,Total (Company Currency),Загалом (у валюті компанії)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Серійний номер {0} введений більше ніж один раз
@@ -1347,7 +1353,7 @@
DocType: Grading Scale Interval,Grade Code,код Оцінка
DocType: POS Item Group,POS Item Group,POS Item Group
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Електронна пошта Дайджест:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},Норми {0} не належать до позиції {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},Норми {0} не належать до позиції {1}
DocType: Sales Partner,Target Distribution,Розподіл цілей
DocType: Salary Slip,Bank Account No.,№ банківського рахунку
DocType: Naming Series,This is the number of the last created transaction with this prefix,Це номер останнього створеного операції з цим префіксом
@@ -1358,12 +1364,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Книга активів Амортизація запис автоматично
DocType: BOM Operation,Workstation,Робоча станція
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Запит на комерційну пропозицію Постачальника
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Апаратний
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Апаратний
DocType: Sales Order,Recurring Upto,повторювані Upto
DocType: Attendance,HR Manager,менеджер з персоналу
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,"Будь ласка, виберіть компанію"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Привілейований Залишити
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,"Будь ласка, виберіть компанію"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Привілейований Залишити
DocType: Purchase Invoice,Supplier Invoice Date,Дата рахунку постачальника
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,в
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Вам необхідно включити Кошик
DocType: Payment Entry,Writeoff,списання
DocType: Appraisal Template Goal,Appraisal Template Goal,Оцінка шаблону Мета
@@ -1374,10 +1381,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Перекриття умови знайдені між:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,За проводкою {0} вже є прив'язані інші документи
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Загальна вартість замовлення
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Їжа
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Їжа
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Старіння Діапазон 3
DocType: Maintenance Schedule Item,No of Visits,Кількість відвідувань
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Марк Attendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Марк Attendence
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Графік обслуговування {0} існує проти {1}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,поступово студент
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Валюта закритті рахунку повинні бути {0}
@@ -1391,6 +1398,7 @@
DocType: Rename Tool,Utilities,Комунальні послуги
DocType: Purchase Invoice Item,Accounting,Бухгалтерський облік
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,"Будь ласка, виберіть партію для дозованого пункту"
DocType: Asset,Depreciation Schedules,Розклади амортизації
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,Термін подачі заяв не може бути за межами періоду призначених відпусток
DocType: Activity Cost,Projects,Проекти
@@ -1404,6 +1412,7 @@
DocType: POS Profile,Campaign,Кампанія
DocType: Supplier,Name and Type,Найменування і тип
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',Статус офіційного затвердження повинні бути «Схвалено" або "Відхилено"
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,початкова завантаження
DocType: Purchase Invoice,Contact Person,Контактна особа
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',"""Дата очікуваного початку"" не може бути пізніше, ніж ""Дата очікуваного закінчення"""
DocType: Course Scheduling Tool,Course End Date,Курс Дата закінчення
@@ -1411,12 +1420,11 @@
DocType: Sales Order Item,Planned Quantity,Плановані Кількість
DocType: Purchase Invoice Item,Item Tax Amount,Сума податку
DocType: Item,Maintain Stock,Відстежувати наявність
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Рухи ТМЦ вже створено для виробничого замовлення
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Рухи ТМЦ вже створено для виробничого замовлення
DocType: Employee,Prefered Email,Бажаний E-mail
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Чиста зміна в основних фондів
DocType: Leave Control Panel,Leave blank if considered for all designations,"Залиште порожнім, якщо для всіх посад"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Склад є обов'язковим для НЕ групових рахунків типу запасу
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Нарахування типу "Актуальні 'в рядку {0} не можуть бути включені в п Оцінити
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Нарахування типу "Актуальні 'в рядку {0} не можуть бути включені в п Оцінити
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Макс: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,З DateTime
DocType: Email Digest,For Company,За компанію
@@ -1426,15 +1434,15 @@
DocType: Sales Invoice,Shipping Address Name,Ім'я адреси доставки
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,План рахунків
DocType: Material Request,Terms and Conditions Content,Зміст положень та умов
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,не може бути більше ніж 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Номенклатурна позиція {0} не є інвентарною
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,не може бути більше ніж 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Номенклатурна позиція {0} не є інвентарною
DocType: Maintenance Visit,Unscheduled,Позапланові
DocType: Employee,Owned,Бувший
DocType: Salary Detail,Depends on Leave Without Pay,Залежить у відпустці без
DocType: Pricing Rule,"Higher the number, higher the priority","Чим вище число, тим вище пріоритет"
,Purchase Invoice Trends,Динаміка вхідних рахунків
DocType: Employee,Better Prospects,Кращі перспективи
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Рядок # {0}: Завантаження {1} має тільки {2} Кількість. Будь ласка, виберіть іншу партію, яка має {3} Кількість доступні або розділити рядок на кілька рядків, щоб доставити / випуск з декількох партій"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Рядок # {0}: Завантаження {1} має тільки {2} Кількість. Будь ласка, виберіть іншу партію, яка має {3} Кількість доступні або розділити рядок на кілька рядків, щоб доставити / випуск з декількох партій"
DocType: Vehicle,License Plate,Номерний знак
DocType: Appraisal,Goals,Мети
DocType: Warranty Claim,Warranty / AMC Status,Гарантія / Статус річного обслуговування
@@ -1445,19 +1453,20 @@
,Batch-Wise Balance History,Попартійна історія залишків
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,Налаштування друку оновлено у відповідності до формату друку
DocType: Package Code,Package Code,код пакету
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Учень
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Учень
+DocType: Purchase Invoice,Company GSTIN,компанія GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Негативний Кількість не допускається
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",Податковий деталь стіл вуха від майстра пункт у вигляді рядка і зберігаються в цій галузі. Використовується з податків і зборів
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Співробітник не може повідомити собі.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Якщо обліковий запис заморожується, записи дозволяється заборонених користувачів."
DocType: Email Digest,Bank Balance,Банківський баланс
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Облік Вхід для {0}: {1} можуть бути зроблені тільки у валюті: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Облік Вхід для {0}: {1} можуть бути зроблені тільки у валюті: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Профіль роботи, потрібна кваліфікація і т.д."
DocType: Journal Entry Account,Account Balance,Баланс
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Податкове правило для операцій
DocType: Rename Tool,Type of document to rename.,Тип документа перейменувати.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Ми купуємо цей товар
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Ми купуємо цей товар
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Клієнт зобов'язаний щодо дебіторів рахунки {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Податки та збори разом (Валюта компанії)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Показати сальдо прибутків/збитків незакритого фіскального року
@@ -1468,29 +1477,30 @@
DocType: Stock Entry,Total Additional Costs,Всього Додаткові витрати
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Скрапу Вартість (Компанія Валюта)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,підвузли
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,підвузли
DocType: Asset,Asset Name,Найменування активів
DocType: Project,Task Weight,завдання Вага
DocType: Shipping Rule Condition,To Value,До вартості
DocType: Asset Movement,Stock Manager,Товарознавець
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Вихідний склад є обов'язковим для рядка {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Пакувальний лист
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Оренда площі для офісу
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Вихідний склад є обов'язковим для рядка {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Пакувальний лист
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Оренда площі для офісу
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Встановіть налаштування шлюзу SMS
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Імпорт вдалося!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Жодної адреси ще не додано
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Жодної адреси ще не додано
DocType: Workstation Working Hour,Workstation Working Hour,Робочі години робочої станції
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Аналітик
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Аналітик
DocType: Item,Inventory,Інвентаризація
DocType: Item,Sales Details,Продажі Детальніше
DocType: Quality Inspection,QI-,Qi-
DocType: Opportunity,With Items,З номенклатурними позиціями
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,у к-сті
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,у к-сті
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Перевірка Enrolled курс для студентів в студентській групі
DocType: Notification Control,Expense Claim Rejected,Авансовий звіт відхилено
DocType: Item,Item Attribute,Атрибути номенклатури
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Уряд
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Уряд
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Expense Претензія {0} вже існує для журналу автомобіля
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,ім'я інститут
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,ім'я інститут
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,"Будь ласка, введіть Сума погашення"
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Варіанти номенклатурної позиції
DocType: Company,Services,Послуги
@@ -1500,18 +1510,18 @@
DocType: Sales Invoice,Source,Джерело
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Показати закрито
DocType: Leave Type,Is Leave Without Pay,Є відпустці без
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Категорія активів є обов'язковим для фіксованого елемента активів
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Категорія активів є обов'язковим для фіксованого елемента активів
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Записи не знайдені в таблиці Оплата
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Це {0} конфлікти з {1} для {2} {3}
DocType: Student Attendance Tool,Students HTML,студенти HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Дата початку фінансового року
DocType: POS Profile,Apply Discount,застосувати знижку
+DocType: Purchase Invoice Item,GST HSN Code,GST HSN код
DocType: Employee External Work History,Total Experience,Загальний досвід
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,відкриті проекти
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Упаковка ковзання (и) скасовується
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Рух грошових коштів від інвестицій
DocType: Program Course,Program Course,програма курсу
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Вантажні та експедиторські збори
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Вантажні та експедиторські збори
DocType: Homepage,Company Tagline for website homepage,Гасло компанії для головної сторінки веб-сайту
DocType: Item Group,Item Group Name,Назва групи номенклатури
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Взятий
@@ -1521,6 +1531,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,створення потенційних
DocType: Maintenance Schedule,Schedules,Розклади
DocType: Purchase Invoice Item,Net Amount,Чиста сума
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,"{0} {1} не був представлений таким чином, дія не може бути завершена"
DocType: Purchase Order Item Supplied,BOM Detail No,Номер деталі у нормах
DocType: Landed Cost Voucher,Additional Charges,додаткові збори
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Додаткова знижка Сума (валюта компанії)
@@ -1536,6 +1547,7 @@
DocType: Employee Loan,Monthly Repayment Amount,Щомісячна сума погашення
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,"Будь ласка, встановіть ID користувача поле в записі Employee, щоб встановити роль Employee"
DocType: UOM,UOM Name,Ім'я Одиниця виміру
+DocType: GST HSN Code,HSN Code,HSN код
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Сума внеску
DocType: Purchase Invoice,Shipping Address,Адреса доставки
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,"Цей інструмент допоможе вам оновити або виправити кількість та вартість запасів у системі. Це, як правило, використовується для синхронізації значень у системі з тими, що насправді є у Вас на складах."
@@ -1546,18 +1558,17 @@
DocType: Program Enrollment Tool,Program Enrollments,програма Учнів
DocType: Sales Invoice Item,Brand Name,Назва бренду
DocType: Purchase Receipt,Transporter Details,Transporter Деталі
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,За замовчуванням склад потрібно для обраного елемента
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Коробка
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,За замовчуванням склад потрібно для обраного елемента
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,Коробка
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,можливий постачальник
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Організація
DocType: Budget,Monthly Distribution,Місячний розподіл
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Список отримувачів порожній. Створіть його будь-ласка
DocType: Production Plan Sales Order,Production Plan Sales Order,Виробничий план з продажу Замовити
DocType: Sales Partner,Sales Partner Target,Цілі торгового партнеру
DocType: Loan Type,Maximum Loan Amount,Максимальна сума кредиту
DocType: Pricing Rule,Pricing Rule,Цінове правило
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Дублікат номер рулону для студента {0}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Дублікат номер рулону для студента {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Дублікат номер рулону для студента {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Дублікат номер рулону для студента {0}
DocType: Budget,Action if Annual Budget Exceeded,"Дія, якщо річний бюджет перевищено"
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Замовлення матеріалів у Замовлення на придбання
DocType: Shopping Cart Settings,Payment Success URL,Успіх Оплата URL
@@ -1570,11 +1581,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Залишок на початок роботи
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} повинен з'явитися лише один раз
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},"Не дозволяється переміщення більш {0}, ніж {1} за Замовленням на придбання {2}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},"Не дозволяється переміщення більш {0}, ніж {1} за Замовленням на придбання {2}"
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Листя номером Успішно для {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,"Немає нічого, щоб упакувати"
DocType: Shipping Rule Condition,From Value,Від вартості
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Виробництво Кількість є обов'язковим
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Виробництво Кількість є обов'язковим
DocType: Employee Loan,Repayment Method,спосіб погашення
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Якщо позначено, то головною сторінкою веб-сайту буде ""Група об’єктів"" за замовчуванням"
DocType: Quality Inspection Reading,Reading 4,Читання 4
@@ -1584,7 +1595,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Рядок # {0}: clearence дата {1} не може бути менша дати чеку {2}
DocType: Company,Default Holiday List,Список вихідних за замовчуванням
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Рядок {0}: Від часу і часу {1} перекривається з {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Зобов'язання по запасах
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Зобов'язання по запасах
DocType: Purchase Invoice,Supplier Warehouse,Склад постачальника
DocType: Opportunity,Contact Mobile No,№ мобільного Контакту
,Material Requests for which Supplier Quotations are not created,"Замовлення матеріалів, для яких не створено Пропозицій постачальника"
@@ -1595,35 +1606,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Зробіть цитати
apps/erpnext/erpnext/config/selling.py +216,Other Reports,Інші звіти
DocType: Dependent Task,Dependent Task,Залежить Завдання
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Коефіцієнт для замовчуванням Одиниця виміру повинні бути 1 в рядку {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Коефіцієнт для замовчуванням Одиниця виміру повинні бути 1 в рядку {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Відпустка типу {0} не може бути довше ніж {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Спробуйте планувати операції X днів вперед.
DocType: HR Settings,Stop Birthday Reminders,Стоп нагадування про дні народження
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},"Будь ласка, встановіть за замовчуванням Payroll розрахунковий рахунок в компанії {0}"
DocType: SMS Center,Receiver List,Список отримувачів
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Пошук товару
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Пошук товару
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Споживана Сума
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Чиста зміна грошових коштів
DocType: Assessment Plan,Grading Scale,оціночна шкала
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Одиниця виміру {0} був введений більш ніж один раз в таблицю перетворення фактора
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Одиниця виміру {0} був введений більш ніж один раз в таблицю перетворення фактора
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,Вже завершено
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,товарна готівку
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Запит про оплату {0} вже існує
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Вартість виданих предметів
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},"Кількість не повинна бути більше, ніж {0}"
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Попередній фінансовий рік не закритий
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Вік (днів)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Вік (днів)
DocType: Quotation Item,Quotation Item,Позиція у пропозиції
+DocType: Customer,Customer POS Id,Клієнт POS Id
DocType: Account,Account Name,Ім'я рахунку
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,"Від Дата не може бути більше, ніж до дати"
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Серійний номер {0} кількість {1} не може бути дробною
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,головний Тип постачальника
DocType: Purchase Order Item,Supplier Part Number,Номер деталі постачальника
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Коефіцієнт конверсії не може бути 0 або 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Коефіцієнт конверсії не може бути 0 або 1
DocType: Sales Invoice,Reference Document,довідковий документ
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} скасовано або припинено
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} скасовано або припинено
DocType: Accounts Settings,Credit Controller,Кредитний контролер
DocType: Delivery Note,Vehicle Dispatch Date,Відправка транспортного засобу Дата
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Прихідна накладна {0} не проведена
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Прихідна накладна {0} не проведена
DocType: Company,Default Payable Account,Рахунок оплат за замовчуванням
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Налаштування для онлайн кошика, такі як правила доставки, прайс-лист і т.д."
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% Оплачено
@@ -1642,11 +1655,12 @@
DocType: Expense Claim,Total Amount Reimbursed,Загальна сума відшкодовуються
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Це засновано на колодах проти цього транспортного засобу. Див графік нижче для отримання докладної інформації
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,збирати
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Згідно вхідного рахунку-фактури {0} від {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Згідно вхідного рахунку-фактури {0} від {1}
DocType: Customer,Default Price List,Прайс-лист за замовчуванням
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,Рух активів {0} створено
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Ви не можете видаляти фінансовий рік {0}. Фінансовий рік {0} встановлено за замовчанням в розділі Глобальні параметри
DocType: Journal Entry,Entry Type,Тип запису
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Немає план оцінки пов'язаний з цією групою по оцінці
,Customer Credit Balance,Кредитний Баланс клієнтів
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Чиста зміна кредиторської заборгованості
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',Замовник вимагає для '' Customerwise Знижка
@@ -1655,7 +1669,7 @@
DocType: Quotation,Term Details,Термін Детальніше
DocType: Project,Total Sales Cost (via Sales Order),Загальна вартість продажів (через замовлення клієнта)
DocType: Project,Total Sales Cost (via Sales Order),Загальна вартість продажів (через замовлення клієнта)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Не зміг зареєструвати більш {0} студентів для цієї групи студентів.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Не зміг зареєструвати більш {0} студентів для цієї групи студентів.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,ведучий граф
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,ведучий граф
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} має бути більше 0
@@ -1678,7 +1692,7 @@
DocType: Sales Invoice,Packed Items,Упаковані товари
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Гарантія Позов проти серійним номером
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Замінити певну НВ у всіх інших НВ, де вона використовується. Це замінить старе посиланняна НВ, оновить вартості і заново створить ""елемент розбірки"" таблицю як для нової НВ"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Разом'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Разом'
DocType: Shopping Cart Settings,Enable Shopping Cart,Включити Кошик
DocType: Employee,Permanent Address,Постійна адреса
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1694,9 +1708,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,"Будь ласка, зазначте кількість або собівартість або разом"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,звершення
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Дивіться в кошик
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Маркетингові витрати
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Маркетингові витрати
,Item Shortage Report,Повідомлення про нестачу номенклатурних позицій
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Вагу вказано, \ nБудь ласка, вкажіть ""Одиницю виміру ваги"" теж"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Вагу вказано, \ nБудь ласка, вкажіть ""Одиницю виміру ваги"" теж"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,"Замовлення матеріалів, що зробило цей Рух ТМЦ"
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Наступна дата амортизації є обов'язковою для нового активу
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Окремий курс на основі групи для кожної партії
@@ -1706,17 +1720,18 @@
,Student Fee Collection,Student Fee Collection
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Робити бух. проводку для кожного руху запасів
DocType: Leave Allocation,Total Leaves Allocated,Загалом призначено днів відпустки
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},Потрібно вказати склад у рядку № {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,"Будь ласка, введіть дійсні дати початку та закінчення фінансового року"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},Потрібно вказати склад у рядку № {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,"Будь ласка, введіть дійсні дати початку та закінчення фінансового року"
DocType: Employee,Date Of Retirement,Дата вибуття
DocType: Upload Attendance,Get Template,Отримати шаблон
+DocType: Material Request,Transferred,передано
DocType: Vehicle,Doors,двері
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,Встановлення ERPNext завершено!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,Встановлення ERPNext завершено!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Центр доходів/витрат необхідний для рахунку прибутків/збитків {2}. Налаштуйте центр витрат за замовчуванням для Компанії.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Група клієнтів з таким ім'ям вже існує. Будь ласка, змініть Ім'я клієнта або перейменуйте Групу клієнтів"
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Новий контакт
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,"Група клієнтів з таким ім'ям вже існує. Будь ласка, змініть Ім'я клієнта або перейменуйте Групу клієнтів"
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Новий контакт
DocType: Territory,Parent Territory,Батьківський елемент території
DocType: Quality Inspection Reading,Reading 2,Читання 2
DocType: Stock Entry,Material Receipt,Матеріал Надходження
@@ -1725,17 +1740,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Якщо ця номенклатурна позиція має варіанти, то вона не може бути обрана в замовленнях і т.д."
DocType: Lead,Next Contact By,Наступний контакт від
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Кількість для Пункт {0} в рядку {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},"Склад {0} не може бути вилучений, поки існує кількість для позиції {1}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Кількість для Пункт {0} в рядку {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},"Склад {0} не може бути вилучений, поки існує кількість для позиції {1}"
DocType: Quotation,Order Type,Тип замовлення
DocType: Purchase Invoice,Notification Email Address,E-mail адреса для повідомлень
,Item-wise Sales Register,Попозиційний реєстр продаж
DocType: Asset,Gross Purchase Amount,Загальна вартість придбання
DocType: Asset,Depreciation Method,Метод нарахування зносу
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,Offline
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,Offline
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Це податок Включено в базовій ставці?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Всього Цільовий
-DocType: Program Course,Required,вимагається
DocType: Job Applicant,Applicant for a Job,Претендент на роботу
DocType: Production Plan Material Request,Production Plan Material Request,Замовлення матеріалів за планом виробництва
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Немає жодних створених Виробничих замовлень
@@ -1745,17 +1759,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Дозволити кілька замовлень клієнта на один оригінал замовлення клієнта
DocType: Student Group Instructor,Student Group Instructor,Студентська група інструкторів
DocType: Student Group Instructor,Student Group Instructor,Студентська група інструкторів
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 Mobile Немає
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Головна
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile Немає
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Головна
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Варіант
DocType: Naming Series,Set prefix for numbering series on your transactions,Встановіть префікс нумерації серії ваших операцій
DocType: Employee Attendance Tool,Employees HTML,співробітники HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Норми за замовчуванням ({0}) мають бути активними для даного елемента або його шаблону
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,Норми за замовчуванням ({0}) мають бути активними для даного елемента або його шаблону
DocType: Employee,Leave Encashed?,Оплачуване звільнення?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,"Поле ""З"" у Нагоді є обов'язковим"
DocType: Email Digest,Annual Expenses,річні витрати
DocType: Item,Variants,Варіанти
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Зробіть Замовлення на придбання
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Зробіть Замовлення на придбання
DocType: SMS Center,Send To,Відправити
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Недостатньо днів залишилося для типу відпусток {0}
DocType: Payment Reconciliation Payment,Allocated amount,Розподілена сума
@@ -1771,26 +1785,25 @@
DocType: Item,Serial Nos and Batches,Серійні номери і Порції
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Студентська група Strength
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Студентська група Strength
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,"За проводкою {0} не має ніякого невідповідного {1}, запису"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,"За проводкою {0} не має ніякого невідповідного {1}, запису"
apps/erpnext/erpnext/config/hr.py +137,Appraisals,атестації
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Повторювані Серійний номер вводиться для Пункт {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,Умова для Правила доставки
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Будь ласка введіть
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Не може overbill для пункту {0} в рядку {1} більше, ніж {2}. Щоб дозволити завищені рахунки, будь ласка, встановіть в покупці Налаштування"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,"Будь ласка, встановіть фільтр, заснований на пункті або на складі"
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Не може overbill для пункту {0} в рядку {1} більше, ніж {2}. Щоб дозволити завищені рахунки, будь ласка, встановіть в покупці Налаштування"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,"Будь ласка, встановіть фільтр, заснований на пункті або на складі"
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Вага нетто цього пакета. (розраховується автоматично як сума чистого ваги товарів)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,"Будь ласка, створити обліковий запис для цього сховища і зв'язати його. Це не може бути зроблено автоматично як обліковий запис з ім'ям {0} вже існує"
DocType: Sales Order,To Deliver and Bill,Для доставки та виставлення рахунків
DocType: Student Group,Instructors,інструктори
DocType: GL Entry,Credit Amount in Account Currency,Сума кредиту у валюті рахунку
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,Норми витрат {0} потрібно провести
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,Норми витрат {0} потрібно провести
DocType: Authorization Control,Authorization Control,Контроль Авторизація
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ряд # {0}: Відхилено Склад є обов'язковим відносно відхилив Пункт {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Ряд # {0}: Відхилено Склад є обов'язковим відносно відхилив Пункт {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Оплата
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Склад {0} не пов'язаний з якою-небудь обліковим записом, будь ласка, вкажіть обліковий запис в складської записи або встановити обліковий запис за замовчуванням інвентаризації в компанії {1}."
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Керуйте свої замовлення
DocType: Production Order Operation,Actual Time and Cost,Фактичний час і вартість
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Замовлення матеріалів на максимум {0} можуть бути зроблено для позиції {1} за Замовленням клієнта {2}
-DocType: Employee,Salutation,Привітання
DocType: Course,Course Abbreviation,Абревіатура курсу
DocType: Student Leave Application,Student Leave Application,Студент Залишити заявку
DocType: Item,Will also apply for variants,Буде також застосовуватися для варіантів
@@ -1802,12 +1815,12 @@
DocType: Quotation Item,Actual Qty,Фактична к-сть
DocType: Sales Invoice Item,References,Посилання
DocType: Quality Inspection Reading,Reading 10,Читання 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Перелічіть ваші продукти або послуги, які ви купуєте або продаєте. Перед початком роботи перевірте групу, до якої належить елемент, одиницю виміру та інші властивості."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Перелічіть ваші продукти або послуги, які ви купуєте або продаєте. Перед початком роботи перевірте групу, до якої належить елемент, одиницю виміру та інші властивості."
DocType: Hub Settings,Hub Node,Вузол концентратора
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,"Ви ввели елементи, що повторюються. Будь-ласка, виправіть та спробуйте ще раз."
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Асоціювати
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Асоціювати
DocType: Asset Movement,Asset Movement,Рух активів
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,Нова кошик
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Нова кошик
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Пункт {0} серіалізовані товару
DocType: SMS Center,Create Receiver List,Створити список отримувачів
DocType: Vehicle,Wheels,колеса
@@ -1827,19 +1840,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',"Можете посилатися на рядок, тільки якщо тип стягнення ""На суму попереднього рядка» або «На загальну суму попереднього рядка"""
DocType: Sales Order Item,Delivery Warehouse,Доставка Склад
DocType: SMS Settings,Message Parameter,Параметр повідомлення
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Дерево центрів фінансових витрат.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Дерево центрів фінансових витрат.
DocType: Serial No,Delivery Document No,Доставка Документ №
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},"Будь ласка, встановіть "прибуток / збиток Рахунок по поводженню з відходами активу в компанії {0}"
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Отримати позиції з прихідної накладної
DocType: Serial No,Creation Date,Дата створення
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Пункт {0} з'являється кілька разів у Прайс-листі {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","""Продаж"" повинно бути позначене, якщо ""Застосовне для"" обране як {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","""Продаж"" повинно бути позначене, якщо ""Застосовне для"" обране як {0}"
DocType: Production Plan Material Request,Material Request Date,Дата Замовлення матеріалів
DocType: Purchase Order Item,Supplier Quotation Item,Позиція у пропозіції постачальника
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,"Відключення створення журналів по Виробничих замовленнях. Операції, не повинні відслідковуватись по виробничих замовленнях"
DocType: Student,Student Mobile Number,Студент Мобільний телефон
DocType: Item,Has Variants,Має Варіанти
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Ви вже вибрали елементи з {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Ви вже вибрали елементи з {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,Назва помісячного розподілу
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Batch ID є обов'язковим
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,Batch ID є обов'язковим
@@ -1850,12 +1863,12 @@
DocType: Budget,Fiscal Year,Бюджетний період
DocType: Vehicle Log,Fuel Price,паливо Ціна
DocType: Budget,Budget,Бюджет
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Основний засіб повинен бути нескладським .
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Основний засіб повинен бути нескладським .
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Бюджет не може бути призначений на {0}, так як це не доход або витрата рахунки"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Досягнутий
DocType: Student Admission,Application Form Route,Заявка на маршрут
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Територія / клієнтів
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,"наприклад, 5"
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,"наприклад, 5"
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,"Залиште Тип {0} не може бути виділена, так як він неоплачувану відпустку"
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Рядок {0}: Розподілена сума {1} повинна бути менше або дорівнювати сумі до оплати у рахунку {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,"""Прописом"" буде видно, коли ви збережете рахунок-фактуру."
@@ -1864,7 +1877,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Пункт {0} не налаштований на послідовний пп. Перевірити майстра предмета
DocType: Maintenance Visit,Maintenance Time,Час Технічного обслуговування
,Amount to Deliver,Сума Поставте
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Продукт або послуга
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Продукт або послуга
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,"Термін Дата початку не може бути раніше, ніж рік Дата початку навчального року, до якого цей термін пов'язаний (навчальний рік {}). Будь ласка, виправте дату і спробуйте ще раз."
DocType: Guardian,Guardian Interests,хранителі Інтереси
DocType: Naming Series,Current Value,Поточна вартість
@@ -1878,12 +1891,12 @@
must be greater than or equal to {2}","Рядок {0}: Для установки {1} періодичності, різниця між від і до теперішнього часу \ повинно бути більше, ніж або дорівнює {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Базується на складському русі. Див {0} для отримання більш докладної інформації
DocType: Pricing Rule,Selling,Продаж
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Сума {0} {1} відняті {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Сума {0} {1} відняті {2}
DocType: Employee,Salary Information,Інформація по зарплаті
DocType: Sales Person,Name and Employee ID,Ім'я та ідентифікатор працівника
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,"Дата ""До"" не може бути менша за дату створення"
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,"Дата ""До"" не може бути менша за дату створення"
DocType: Website Item Group,Website Item Group,Група об’єктів веб-сайту
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Мита і податки
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Мита і податки
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,"Будь ласка, введіть дату Reference"
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} записи оплати не можуть бути відфільтровані по {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,"Таблиця для об’єкту, що буде показаний на веб-сайті"
@@ -1900,9 +1913,9 @@
DocType: Payment Reconciliation Payment,Reference Row,посилання Row
DocType: Installation Note,Installation Time,Час встановлення
DocType: Sales Invoice,Accounting Details,Бухгалтеський облік. Детальніше
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Видалити всі транзакції цієї компанії
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"Ряд # {0}: Операція {1} не завершені {2} Кількість готової продукції у виробництві Наказ № {3}. Будь ласка, поновіть статус роботи за допомогою журналів Time"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Інвестиції
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Видалити всі транзакції цієї компанії
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,"Ряд # {0}: Операція {1} не завершені {2} Кількість готової продукції у виробництві Наказ № {3}. Будь ласка, поновіть статус роботи за допомогою журналів Time"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Інвестиції
DocType: Issue,Resolution Details,Дозвіл Подробиці
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,асигнування
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Критерії приймання
@@ -1927,7 +1940,7 @@
DocType: Room,Room Name,номер Найменування
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Відпустка не може бути надана або відмінена {0}, оскільки залишок днів вже перенесений у наступний документ Призначення відпусток {1}"
DocType: Activity Cost,Costing Rate,Кошторисна вартість
-,Customer Addresses And Contacts,Адреси та контакти клієнта
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Адреси та контакти клієнта
,Campaign Efficiency,ефективність кампанії
,Campaign Efficiency,ефективність кампанії
DocType: Discussion,Discussion,обговорення
@@ -1939,14 +1952,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),Загальна сума оплат (через табель)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Виручка від постійних клієнтів
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) повинен мати роль ""Підтверджувач витрат"""
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Пара
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Виберіть BOM і Кількість для виробництва
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Пара
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Виберіть BOM і Кількість для виробництва
DocType: Asset,Depreciation Schedule,Запланована амортизація
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Партнер з продажу Адреси та контакти
DocType: Bank Reconciliation Detail,Against Account,Кор.рахунок
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Поаяся Дата повинна бути в межах від дати і до теперішнього часу
DocType: Maintenance Schedule Detail,Actual Date,Фактична дата
DocType: Item,Has Batch No,Має номер партії
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Річні оплати: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Річні оплати: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Товари та послуги Tax (GST Індія)
DocType: Delivery Note,Excise Page Number,Акцизний Номер сторінки
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Компанія, Дата початку та до теперішнього часу є обов'язковим"
DocType: Asset,Purchase Date,Дата покупки
@@ -1954,11 +1969,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},"Будь ласка, вкажіть ""Центр витрат амортизації"" в компанії {0}"
,Maintenance Schedules,Розклад запланованих обслуговувань
DocType: Task,Actual End Date (via Time Sheet),Фактична дата закінчення (за допомогою табеля робочого часу)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Сума {0} {1} проти {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Сума {0} {1} проти {2} {3}
,Quotation Trends,Тренд пропозицій
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Група елемента не згадується у майстрі для елементу {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Дебетом рахунка повинні бути заборгованість рахунок
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Група елемента не згадується у майстрі для елементу {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,Дебетом рахунка повинні бути заборгованість рахунок
DocType: Shipping Rule Condition,Shipping Amount,Сума доставки
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Додати Клієнти
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,До Сума
DocType: Purchase Invoice Item,Conversion Factor,Коефіцієнт перетворення
DocType: Purchase Order,Delivered,Доставлено
@@ -1968,7 +1984,8 @@
DocType: Purchase Receipt,Vehicle Number,Кількість транспортних засобів
DocType: Purchase Invoice,The date on which recurring invoice will be stop,"Дата, на яку періодичний рахунок перестане створюватись"
DocType: Employee Loan,Loan Amount,Розмір позики
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Рядок {0}: Відомість матеріалів не знайдено для елемента {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Самостійне водіння автомобіля
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Рядок {0}: Відомість матеріалів не знайдено для елемента {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,"Всього виділені листя {0} не може бути менше, ніж вже затверджених листя {1} за період"
DocType: Journal Entry,Accounts Receivable,Дебіторська заборгованість
,Supplier-Wise Sales Analytics,Аналітика продажу по постачальниках
@@ -1986,22 +2003,21 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Витрати Заявити очікує схвалення. Тільки за рахунок затверджує можете оновити статус.
DocType: Email Digest,New Expenses,нові витрати
DocType: Purchase Invoice,Additional Discount Amount,Додаткова знижка Сума
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Рядок # {0}: Кількість повинна бути 1, оскільки елемент є основним засобом. Будь ласка, створюйте декілька рядків, якщо кількість більше 1."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Рядок # {0}: Кількість повинна бути 1, оскільки елемент є основним засобом. Будь ласка, створюйте декілька рядків, якщо кількість більше 1."
DocType: Leave Block List Allow,Leave Block List Allow,Список блокування відпусток дозволяє
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Абревіатура не може бути пропущена або заповнена пробілами
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Абревіатура не може бути пропущена або заповнена пробілами
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Група не-групи
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Спортивний
DocType: Loan Type,Loan Name,кредит Ім'я
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Загальний фактичний
DocType: Student Siblings,Student Siblings,"Студентські Брати, сестри"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Блок
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,"Будь ласка, сформулюйте компанії"
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Блок
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,"Будь ласка, сформулюйте компанії"
,Customer Acquisition and Loyalty,Придбання та лояльність клієнтів
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Склад, де зберігаються неприйняті товари"
DocType: Production Order,Skip Material Transfer,Пропустити перенесення матеріалу
DocType: Production Order,Skip Material Transfer,Пропустити перенесення матеріалу
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,"Неможливо знайти обмінний курс {0} до {1} для ключа дати {2}. Будь ласка, створіть запис Обмін валюти вручну"
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Ваш фінансовий рік закінчується
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,"Неможливо знайти обмінний курс {0} до {1} для ключа дати {2}. Будь ласка, створіть запис Обмін валюти вручну"
DocType: POS Profile,Price List,Прайс-лист
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,"{0} тепер є фінансовим роком за замовчуванням. Будь ласка, оновіть сторінку у вашому переглядачі, щоб зміни вступили в силу."
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Авансові звіти
@@ -2014,14 +2030,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Залишок в партії {0} стане негативним {1} для позиції {2} на складі {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Наступне Замовлення матеріалів буде створено автоматично згідно рівня дозамовлення для даної позиції
DocType: Email Digest,Pending Sales Orders,Замовлення клієнтів в очікуванні
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Рахунок {0} є неприпустимим. Валюта рахунку повинні бути {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Рахунок {0} є неприпустимим. Валюта рахунку повинні бути {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Коефіцієнт перетворення Одиниця виміру потрібно в рядку {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Рядок # {0}: тип документу має бути одним з: замовлення клієнта, вихідний рахунок-фактура або запис журналу"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Рядок # {0}: тип документу має бути одним з: замовлення клієнта, вихідний рахунок-фактура або запис журналу"
DocType: Salary Component,Deduction,Відрахування
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Рядок {0}: Від часу і часу є обов'язковим.
DocType: Stock Reconciliation Item,Amount Difference,сума різниця
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Ціна товару додається для {0} у прайс-листі {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Ціна товару додається для {0} у прайс-листі {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,"Будь ласка, введіть ідентифікатор працівника для цього Відповідального з продажу"
DocType: Territory,Classification of Customers by region,Класифікація клієнтів по регіонах
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Сума різниці повинна дорівнювати нулю
@@ -2033,21 +2049,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Всього відрахування
,Production Analytics,виробництво Аналітика
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Вартість Оновлене
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Вартість Оновлене
DocType: Employee,Date of Birth,Дата народження
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Пункт {0} вже повернулися
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Пункт {0} вже повернулися
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Фінансовий рік ** являє собою фінансовий рік. Всі бухгалтерські та інші основні операції відслідковуються у розрізі ** ** фінансовий рік.
DocType: Opportunity,Customer / Lead Address,Адреса Клієнта / Lead-а
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Увага: Невірний сертифікат SSL на прихильності {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Увага: Невірний сертифікат SSL на прихильності {0}
DocType: Student Admission,Eligibility,прийнятність
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Веде допомогти вам отримати бізнес, додати всі ваші контакти і багато іншого в ваших потенційних клієнтів"
DocType: Production Order Operation,Actual Operation Time,Фактична Час роботи
DocType: Authorization Rule,Applicable To (User),Застосовується до (Користувач)
DocType: Purchase Taxes and Charges,Deduct,Відняти
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Описання роботи
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Описання роботи
DocType: Student Applicant,Applied,прикладна
DocType: Sales Invoice Item,Qty as per Stock UOM,Кількість у складській од.вим.
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,ім'я Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,ім'я Guardian2
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Спеціальні символи, крім ""-"" ""."", ""#"", і ""/"" не допускаються у назві серій"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Слідкуйте за кампаніями продаж. Слідкуйте за лідами, пропозиціями, замовленнями покупців і т.д. з кампаній, щоб оцінити повернення інвестицій."
DocType: Expense Claim,Approver,Затверджуючий
@@ -2058,8 +2074,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Серійний номер {0} знаходиться на гарантії до {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Розбити накладну на пакети.
apps/erpnext/erpnext/hooks.py +87,Shipments,Поставки
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Баланс рахунку ({0}) для {1} і вартості акцій ({2}) для складу {3} повинні бути однаковими
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Баланс рахунку ({0}) для {1} і вартості акцій ({2}) для складу {3} повинні бути однаковими
DocType: Payment Entry,Total Allocated Amount (Company Currency),Загальна розподілена сума (валюта компанії)
DocType: Purchase Order Item,To be delivered to customer,Для поставлятися замовнику
DocType: BOM,Scrap Material Cost,Лом Матеріал Вартість
@@ -2067,21 +2081,22 @@
DocType: Purchase Invoice,In Words (Company Currency),Прописом (Валюта Компанії)
DocType: Asset,Supplier,Постачальник
DocType: C-Form,Quarter,Чверть
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Різні витрати
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Різні витрати
DocType: Global Defaults,Default Company,За замовчуванням Компанія
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Рахунок витрат або рахунок різниці є обов'язковим для {0}, оскільки впливає на вартість запасів"
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,"Рахунок витрат або рахунок різниці є обов'язковим для {0}, оскільки впливає на вартість запасів"
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Назва банку
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-вище
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-вище
DocType: Employee Loan,Employee Loan Account,Співробітник позичкового рахунку
DocType: Leave Application,Total Leave Days,Всього днів відпустки
DocType: Email Digest,Note: Email will not be sent to disabled users,Примітка: E-mail НЕ буде відправлено користувачів з обмеженими можливостями
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,кількість взаємодії
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,кількість взаємодії
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Код товару> Пункт Group> Марка
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Виберіть компанію ...
DocType: Leave Control Panel,Leave blank if considered for all departments,"Залиште порожнім, якщо розглядати для всіх відділів"
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Види зайнятості (постійна, за контрактом, стажист і т.д.)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} є обов'язковим для товару {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} є обов'язковим для товару {1}
DocType: Process Payroll,Fortnightly,раз на два тижні
DocType: Currency Exchange,From Currency,З валюти
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Будь ласка, виберіть суму розподілу, тип та номер рахунку-фактури в принаймні одному рядку"
@@ -2104,7 +2119,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,"Будь ласка, натисніть на кнопку ""Згенерувати розклад"", щоб отримати розклад"
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Були помилки під час видалення наступні графіки:
DocType: Bin,Ordered Quantity,Замовлену кількість
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","наприклад, "Створення інструментів для будівельників""
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","наприклад, "Створення інструментів для будівельників""
DocType: Grading Scale,Grading Scale Intervals,Інтервали Оціночна шкала
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Бухгалтерія Вхід для {2} може бути зроблено тільки в валюті: {3}
DocType: Production Order,In Process,В процесі
@@ -2119,12 +2134,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Студентські групи створені.
DocType: Sales Invoice,Total Billing Amount,Разом сума до оплати
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,"Там повинно бути за замовчуванням отримує Вашу електронну пошту облікового запису включений для цієї роботи. Будь ласка, встановіть Вашу електронну пошту облікового запису за замовчуванням (POP / IMAP) і спробуйте ще раз."
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Рахунок дебеторки
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Рядок # {0}: Asset {1} вже {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Рахунок дебеторки
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Рядок # {0}: Asset {1} вже {2}
DocType: Quotation Item,Stock Balance,Залишки на складах
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Замовлення клієнта в Оплату
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Будь ласка, встановіть Іменування Series для {0} через Setup> Установки> Naming Series"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,генеральний директор
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,генеральний директор
DocType: Expense Claim Detail,Expense Claim Detail,Деталі Авансового звіту
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,"Будь ласка, виберіть правильний рахунок"
DocType: Item,Weight UOM,Одиниця ваги
@@ -2133,12 +2147,12 @@
DocType: Production Order Operation,Pending,До
DocType: Course,Course Name,Назва курсу
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,"Користувачі, які можуть погодити заяви на відпустки певного працівника"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Устаткування офісу
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Устаткування офісу
DocType: Purchase Invoice Item,Qty,К-сть
DocType: Fiscal Year,Companies,Компанії
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Електроніка
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Створити Замовлення матеріалів коли залишки дійдуть до рівня дозамовлення
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Повний день
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Повний день
DocType: Salary Structure,Employees,співробітники
DocType: Employee,Contact Details,Контактні дані
DocType: C-Form,Received Date,Дата отримання
@@ -2148,7 +2162,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,"Ціни не будуть показані, якщо прайс-лист не встановлено"
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,"Будь ласка, вкажіть країну цьому правилі судноплавства або перевірити Доставка по всьому світу"
DocType: Stock Entry,Total Incoming Value,Загальна суму приходу
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Дебет вимагається
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,Дебет вимагається
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets допоможе відстежувати час, вартість і виставлення рахунків для Активності зробленої вашої команди"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Прайс-лист закупівлі
DocType: Offer Letter Term,Offer Term,Пропозиція термін
@@ -2157,17 +2171,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,Узгодження оплат з рахунками
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,"Будь-ласка, виберіть ім'я відповідальної особи"
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Технологія
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Загальна сума невиплачених: {0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Загальна сума невиплачених: {0}
DocType: BOM Website Operation,BOM Website Operation,BOM Операція Сайт
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Лист-пропозиція
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Генерує Замовлення матеріалів (MRP) та Виробничі замовлення.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Всього у рахунках
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Всього у рахунках
DocType: BOM,Conversion Rate,Обмінний курс
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Пошук продукту
DocType: Timesheet Detail,To Time,Часу
DocType: Authorization Rule,Approving Role (above authorized value),Затвердження роль (вище статутного вартості)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Кредит на рахунку повинен бути оплачується рахунок
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},Рекурсія у Нормах: {0} не може бути батьківським або підлеглим елементом {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Кредит на рахунку повинен бути оплачується рахунок
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},Рекурсія у Нормах: {0} не може бути батьківським або підлеглим елементом {2}
DocType: Production Order Operation,Completed Qty,Завершена к-сть
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Для {0}, тільки дебетові рахунки можуть бути пов'язані з іншою кредитною вступу"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Прайс-лист {0} відключено
@@ -2179,28 +2193,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,"{0} Серійні номери, необхідні для позиції {1}. Ви надали {2}."
DocType: Stock Reconciliation Item,Current Valuation Rate,Поточна собівартість
DocType: Item,Customer Item Codes,Коди клієнта на товар
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Обмін Прибуток / збиток
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Обмін Прибуток / збиток
DocType: Opportunity,Lost Reason,Забули Причина
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Нова адреса
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Нова адреса
DocType: Quality Inspection,Sample Size,Обсяг вибірки
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,"Будь ласка, введіть Квитанція документ"
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Всі деталі вже виставлений
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Всі деталі вже виставлений
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',"Будь ласка, вкажіть дійсний "Від справі № '"
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,"Наступні центри витрат можна створювати під групами, але у проводках використовуються не-групи"
DocType: Project,External,Зовнішній
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Люди і дозволу
DocType: Vehicle Log,VLOG.,Відеоблогу.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Виробничі замовлення Створено: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Виробничі замовлення Створено: {0}
DocType: Branch,Branch,Філія
DocType: Guardian,Mobile Number,Номер мобільного
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,Друк і брендинг
DocType: Bin,Actual Quantity,Фактична кількість
DocType: Shipping Rule,example: Next Day Shipping,Приклад: Відправка наступного дня
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Серійний номер {0} не знайдений
-DocType: Scheduling Tool,Student Batch,Student Batch
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Ваші клієнти
+DocType: Program Enrollment,Student Batch,Student Batch
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,зробити Студент
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Ви були запрошені для спільної роботи над проектом: {0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Ви були запрошені для спільної роботи над проектом: {0}
DocType: Leave Block List Date,Block Date,Блок Дата
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Подати заявку
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Фактична Кількість {0} / Очікування Кількість {1}
@@ -2210,7 +2223,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Створення і управління щоденні, щотижневі та щомісячні дайджести новин."
DocType: Appraisal Goal,Appraisal Goal,Оцінка Мета
DocType: Stock Reconciliation Item,Current Amount,Поточна сума
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,будівлі
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,будівлі
DocType: Fee Structure,Fee Structure,структура оплати
DocType: Timesheet Detail,Costing Amount,Калькуляція Сума
DocType: Student Admission,Application Fee,реєстраційний внесок
@@ -2222,10 +2235,10 @@
DocType: POS Profile,[Select],[Виберіть]
DocType: SMS Log,Sent To,Відправлено
DocType: Payment Request,Make Sales Invoice,Зробити вихідний рахунок
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,Softwares
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,Softwares
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Наступна контактна дата не може бути у минулому
DocType: Company,For Reference Only.,Для довідки тільки.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Виберіть Batch Немає
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Виберіть Batch Немає
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Невірний {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,Сума авансу
@@ -2235,15 +2248,15 @@
DocType: Employee,Employment Details,Подробиці з працевлаштування
DocType: Employee,New Workplace,Нове місце праці
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Встановити як Закрито
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Немає товару зі штрих-кодом {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Немає товару зі штрих-кодом {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Справа № не може бути 0
DocType: Item,Show a slideshow at the top of the page,Показати слайд-шоу у верхній частині сторінки
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Магазини
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Магазини
DocType: Serial No,Delivery Time,Час доставки
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,На підставі проблем старіння
DocType: Item,End of Life,End of Life (дата завершення роботи з товаром)
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Подорож
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Подорож
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Незнайдено жодної активної Структури зарплати або Структури зарплати за замовчуванням для співробітника {0} для зазначених дат
DocType: Leave Block List,Allow Users,Надання користувачам
DocType: Purchase Order,Customer Mobile No,Замовник Мобільна Немає
@@ -2252,29 +2265,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Оновлення Вартість
DocType: Item Reorder,Item Reorder,Пункт Змінити порядок
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Показати Зарплатний розрахунок
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Передача матеріалів
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Передача матеріалів
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Вкажіть операцій, операційні витрати та дають унікальну операцію не в Ваших операцій."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Цей документ знаходиться над межею {0} {1} для елемента {4}. Ви робите інший {3} проти того ж {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,"Будь ласка, встановіть повторювані після збереження"
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,Вибрати рахунок для суми змін
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Цей документ знаходиться над межею {0} {1} для елемента {4}. Ви робите інший {3} проти того ж {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,"Будь ласка, встановіть повторювані після збереження"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,Вибрати рахунок для суми змін
DocType: Purchase Invoice,Price List Currency,Валюта прайс-листа
DocType: Naming Series,User must always select,Користувач завжди повинен вибрати
DocType: Stock Settings,Allow Negative Stock,Дозволити від'ємні залишки
DocType: Installation Note,Installation Note,Відмітка про встановлення
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Додати Податки
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Додати Податки
DocType: Topic,Topic,тема
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Рух грошових коштів від фінансової діяльності
DocType: Budget Account,Budget Account,бюджет аккаунта
DocType: Quality Inspection,Verified By,Перевірено
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Неможливо змінити валюту за замовчуванням компанії, тому що є існуючі угоди. Угоди повинні бути скасовані, щоб поміняти валюту за замовчуванням."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Неможливо змінити валюту за замовчуванням компанії, тому що є існуючі угоди. Угоди повинні бути скасовані, щоб поміняти валюту за замовчуванням."
DocType: Grading Scale Interval,Grade Description,оцінка Опис
DocType: Stock Entry,Purchase Receipt No,Прихідна накладна номер
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Аванс-завдаток
DocType: Process Payroll,Create Salary Slip,Створити Зарплатний розрахунок
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,простежуваність
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Джерело фінансування (зобов'язання)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Кількість в рядку {0} ({1}) повинен бути такий же, як кількість виготовленої {2}"
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Джерело фінансування (зобов'язання)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},"Кількість в рядку {0} ({1}) повинен бути такий же, як кількість виготовленої {2}"
DocType: Appraisal,Employee,Працівник
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Виберіть Batch
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} повністю виставлено рахунки
DocType: Training Event,End Time,Час закінчення
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Активна зарплата Структура {0} знайдено для працівника {1} для заданих дат
@@ -2286,11 +2300,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Обов'язково На
DocType: Rename Tool,File to Rename,Файл Перейменувати
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},"Будь ласка, виберіть Норми для елемента в рядку {0}"
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Зазначених Норм витрат {0} не існує для позиції {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Рахунок {0} не збігається з Компанією {1} в режимі рахунку: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Зазначених Норм витрат {0} не існує для позиції {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Потрібно відмінити заплановане обслуговування {0} перед скасуванням цього Замовлення клієнта
DocType: Notification Control,Expense Claim Approved,Авансовий звіт погоджено
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Зарплатний розрахунок для працівника {0} вже створено за цей період
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Фармацевтична
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Фармацевтична
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Вартість куплених виробів
DocType: Selling Settings,Sales Order Required,Необхідне Замовлення клієнта
DocType: Purchase Invoice,Credit To,Кредит на
@@ -2307,43 +2322,43 @@
DocType: Payment Gateway Account,Payment Account,Рахунок оплати
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,"Будь ласка, сформулюйте компанії, щоб продовжити"
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Чиста зміна дебіторської заборгованості
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Компенсаційні Викл
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Компенсаційні Викл
DocType: Offer Letter,Accepted,Прийняті
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,організація
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,організація
DocType: SG Creation Tool Course,Student Group Name,Ім'я Студентська група
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Будь ласка, переконайтеся, що ви дійсно хочете видалити всі транзакції для компанії. Ваші основні дані залишиться, як є. Ця дія не може бути скасовано."
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,"Будь ласка, переконайтеся, що ви дійсно хочете видалити всі транзакції для компанії. Ваші основні дані залишиться, як є. Ця дія не може бути скасовано."
DocType: Room,Room Number,Номер кімнати
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Неприпустима посилання {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1}) не може бути більше, ніж запланована кількість ({2}) у Виробничому замовленні {3}"
DocType: Shipping Rule,Shipping Rule Label,Ярлик правил доставки
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Форум користувачів
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Сировина не може бути порожнім.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Не вдалося оновити запаси, рахунок-фактура містить позиції прямої доставки."
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Сировина не може бути порожнім.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Не вдалося оновити запаси, рахунок-фактура містить позиції прямої доставки."
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Швидка проводка
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,"Ви не можете змінити вартість, якщо для елементу вказані Норми"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,"Ви не можете змінити вартість, якщо для елементу вказані Норми"
DocType: Employee,Previous Work Experience,Попередній досвід роботи
DocType: Stock Entry,For Quantity,Для Кількість
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},"Будь ласка, введіть планову к-сть для номенклатури {0} в рядку {1}"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} не проведений
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Запити для елементів.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Окреме виробниче замовлення буде створено для кожного готового виробу.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} повинен бути негативним у зворотному документі
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} повинен бути негативним у зворотному документі
,Minutes to First Response for Issues,Протокол до First Response у справах
DocType: Purchase Invoice,Terms and Conditions1,Умови та положення1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,"Назва інституту, для якого ви встановлюєте цю систему."
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,"Назва інституту, для якого ви встановлюєте цю систему."
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Бухгалтерські проводки заблоковано до цієї дати, ніхто не зможе зробити або змінити проводки крім ролі вказаної нижче."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,"Будь ласка, збережіть документ, перш ніж генерувати розклад технічного обслуговування"
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Статус проекту
DocType: UOM,Check this to disallow fractions. (for Nos),"Перевірте це, щоб заборонити фракції. (для №)"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Були створені такі Виробничі замовлення:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Були створені такі Виробничі замовлення:
DocType: Student Admission,Naming Series (for Student Applicant),Іменування Series (для студентів Заявником)
DocType: Delivery Note,Transporter Name,Transporter Назва
DocType: Authorization Rule,Authorized Value,Статутний Значення
DocType: BOM,Show Operations,Показати операції
,Minutes to First Response for Opportunity,Хвилини до першої реакції на нагоду
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Всього Відсутня
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Номенклатурна позиція або Склад у рядку {0} не відповідає Замовленню матеріалів
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Номенклатурна позиція або Склад у рядку {0} не відповідає Замовленню матеріалів
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Одиниця виміру
DocType: Fiscal Year,Year End Date,Дата закінчення року
DocType: Task Depends On,Task Depends On,Завдання залежить від
@@ -2423,11 +2438,11 @@
DocType: Asset,Manual,керівництво
DocType: Salary Component Account,Salary Component Account,Рахунок компоненту зарплати
DocType: Global Defaults,Hide Currency Symbol,Приховати символ валюти
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","наприклад банк, готівка, кредитна карта"
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","наприклад банк, готівка, кредитна карта"
DocType: Lead Source,Source Name,ім'я джерела
DocType: Journal Entry,Credit Note,Кредитове авізо
DocType: Warranty Claim,Service Address,Адреса послуги
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Меблі і Світильники
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Меблі і Світильники
DocType: Item,Manufacture,Виробництво
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,"Будь ласка, в першу чергу поставки Примітка"
DocType: Student Applicant,Application Date,дата подачі заявки
@@ -2437,7 +2452,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Clearance дата не вказано
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Виробництво
DocType: Guardian,Occupation,рід занять
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Будь ласка, встановіть службовців систему імен в людських ресурсах> HR Налаштування"
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Ряд {0}: Дата початку повинна бути раніше дати закінчення
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Всього (Кількість)
DocType: Sales Invoice,This Document,цей документ
@@ -2449,20 +2463,20 @@
DocType: Purchase Receipt,Time at which materials were received,"Час, в якому були отримані матеріали"
DocType: Stock Ledger Entry,Outgoing Rate,Вихідна ставка
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Організація філії господар.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,або
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,або
DocType: Sales Order,Billing Status,Статус рахунків
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Повідомити про проблему
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Комунальні витрати
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Комунальні витрати
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,Понад 90
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Рядок # {0}: Проводка {1} не має рахунку {2} або вже прив'язана до іншого документу
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Рядок # {0}: Проводка {1} не має рахунку {2} або вже прив'язана до іншого документу
DocType: Buying Settings,Default Buying Price List,Прайс-лист закупівлі за замовчуванням
DocType: Process Payroll,Salary Slip Based on Timesheet,"Зарплатний розрахунок, на основі табелю-часу"
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Жоден співробітник для обраних критеріїв вище або зарплатного розрахунку ще не створено
DocType: Notification Control,Sales Order Message,Повідомлення замовлення клієнта
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Встановити значення за замовчуванням, як-от компанія, валюта, поточний фінансовий рік і т.д."
DocType: Payment Entry,Payment Type,Тип оплати
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Будь ласка, виберіть Batch для пункту {0}. Не вдалося знайти жодної партії, яка задовольняє цій вимозі"
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Будь ласка, виберіть Batch для пункту {0}. Не вдалося знайти жодної партії, яка задовольняє цій вимозі"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Будь ласка, виберіть Batch для пункту {0}. Не вдалося знайти жодної партії, яка задовольняє цій вимозі"
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,"Будь ласка, виберіть Batch для пункту {0}. Не вдалося знайти жодної партії, яка задовольняє цій вимозі"
DocType: Process Payroll,Select Employees,Виберіть Співробітники
DocType: Opportunity,Potential Sales Deal,Угода потенційних продажів
DocType: Payment Entry,Cheque/Reference Date,Дата Чеку / Посилання
@@ -2482,7 +2496,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,Квитанція документ повинен бути представлений
DocType: Purchase Invoice Item,Received Qty,Отримана к-сть
DocType: Stock Entry Detail,Serial No / Batch,Серійний номер / партія
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Не оплачуються і не доставляється
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Не оплачуються і не доставляється
DocType: Product Bundle,Parent Item,Батьківський елемент номенклатури
DocType: Account,Account Type,Тип рахунку
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2496,25 +2510,24 @@
DocType: Packing Slip,Identification of the package for the delivery (for print),Ідентифікація пакета для доставки (для друку)
DocType: Bin,Reserved Quantity,Зарезервовано Кількість
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,"Будь ласка, введіть адресу електронної пошти"
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Не вказано обов'язковий курс для програми {0}
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Не вказано обов'язковий курс для програми {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Позиції прихідної накладної
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Налаштування форм
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,заборгованість
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,заборгованість
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Знос за період
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,Відключений шаблон не може бути шаблоном за замовчуванням
DocType: Account,Income Account,Рахунок доходів
DocType: Payment Request,Amount in customer's currency,Сума в валюті клієнта
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Доставка
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Доставка
DocType: Stock Reconciliation Item,Current Qty,Поточна к-сть
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section","Див ""Вартість матеріалів базується на"" в розділі калькуляції"
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Попередня
DocType: Appraisal Goal,Key Responsibility Area,Ключ Відповідальність Площа
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Студентські Порції допомагають відслідковувати відвідуваність, оцінки та збори для студентів"
DocType: Payment Entry,Total Allocated Amount,Загальна розподілена сума
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Встановити рахунок товарно-матеріальних запасів за замовчуванням для безперервної інвентаризації
DocType: Item Reorder,Material Request Type,Тип Замовлення матеріалів
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural журнал запис на зарплату від {0} до {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","LocalStorage повна, не врятувало"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","LocalStorage повна, не врятувало"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Ряд {0}: Коефіцієнт перетворення Одиниця виміру є обов'язковим
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Посилання
DocType: Budget,Cost Center,Центр витрат
@@ -2527,19 +2540,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",Цінові правила робляться для перезапису Прайс-листів або встановлення відсотку знижки на основі певних критеріїв.
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Склад може бути змінений тільки через Рух ТМЦ / Накладну / Прихідну накладну
DocType: Employee Education,Class / Percentage,Клас / у відсотках
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Начальник відділу маркетингу та продажів
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Податок на прибуток
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Начальник відділу маркетингу та продажів
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Податок на прибуток
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Якщо обране Цінове правило зроблено для ""Ціни"", то воно перезапише Прайс-лист. Ціна Цінового правила - остаточна ціна, тому жодна знижка вже не може надаватися. Отже, у таких операціях, як замовлення клієнта, Замовлення на придбання і т.д., Значення буде попадати у поле ""Ціна"", а не у поле ""Ціна згідно прайс-листа""."
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Відслідковувати Lead-и за галуззю.
DocType: Item Supplier,Item Supplier,Пункт Постачальник
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,"Будь ласка, введіть код позиції, щоб отримати номер партії"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},"Будь ласка, виберіть значення для {0} quotation_to {1}"
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,"Будь ласка, введіть код позиції, щоб отримати номер партії"
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},"Будь ласка, виберіть значення для {0} quotation_to {1}"
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Всі адреси.
DocType: Company,Stock Settings,Налаштування інвентаря
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Об'єднання можливе тільки, якщо такі властивості однакові в обох звітах. Є група, кореневої тип, компанія"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Об'єднання можливе тільки, якщо такі властивості однакові в обох звітах. Є група, кореневої тип, компанія"
DocType: Vehicle,Electric,електричний
DocType: Task,% Progress,% Прогрес
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Прибуток / збиток від вибуття основних засобів
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Прибуток / збиток від вибуття основних засобів
DocType: Training Event,Will send an email about the event to employees with status 'Open',Чи буде надіслати електронною поштою про подію співробітникам зі статусом 'Open'
DocType: Task,Depends on Tasks,Залежно від завдань
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Управління груповою клієнтів дерево.
@@ -2548,7 +2561,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Назва нового центру витрат
DocType: Leave Control Panel,Leave Control Panel,Залишити Панель управління
DocType: Project,Task Completion,завершення завдання
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Немає на складі
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Немає на складі
DocType: Appraisal,HR User,HR Користувач
DocType: Purchase Invoice,Taxes and Charges Deducted,Відраховані податки та збори
apps/erpnext/erpnext/hooks.py +116,Issues,Питань
@@ -2559,22 +2572,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Немає зарплати ковзання знаходиться між {0} і {1}
,Pending SO Items For Purchase Request,"Замовлені товари, які очікують закупки"
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,зараховуються студентів
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} відключений
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} відключений
DocType: Supplier,Billing Currency,Валюта оплати
DocType: Sales Invoice,SINV-RET-,Вих_Рах-Пов-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Дуже великий
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Дуже великий
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,всього Листя
,Profit and Loss Statement,Звіт по прибутках і збитках
DocType: Bank Reconciliation Detail,Cheque Number,Чек Кількість
,Sales Browser,Переглядач продажів
DocType: Journal Entry,Total Credit,Всього Кредит
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Увага: Інший {0} # {1} існує по Руху ТМЦ {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,Місцевий
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,Місцевий
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Кредити та аванси (активи)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Боржники
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Великий
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Великий
DocType: Homepage Featured Product,Homepage Featured Product,Головна Рекомендовані продукт
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Всі групи по оцінці
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Всі групи по оцінці
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Новий склад Ім'я
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Підсумок {0} ({1})
DocType: C-Form Invoice Detail,Territory,Територія
@@ -2584,12 +2597,12 @@
DocType: Production Order Operation,Planned Start Time,Плановані Час
DocType: Course,Assessment,оцінка
DocType: Payment Entry Reference,Allocated,Розподілено
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Закрити Баланс і книга Прибуток або збиток.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Закрити Баланс і книга Прибуток або збиток.
DocType: Student Applicant,Application Status,статус заявки
DocType: Fees,Fees,Збори
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Вкажіть обмінний курс для перетворення однієї валюти в іншу
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Пропозицію {0} скасовано
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Загальна непогашена сума
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Загальна непогашена сума
DocType: Sales Partner,Targets,Цільові
DocType: Price List,Price List Master,Майстер Прайс-листа
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,"Для всіх операцій продажу можна вказувати декількох ""Відповідальних з продажу"", так що ви можете встановлювати та контролювати цілі."
@@ -2621,12 +2634,12 @@
1. Address and Contact of your Company.","Стандартні положення та умови, які можуть бути додані до документів продажу та закупівлі. Приклади: 1. Термін дії пропозиції. 1. Умови оплати (передоплата, в кредит, часткова попередня і т.д.). 1. Щось додаткове (або підлягає сплаті клієнтом). 1. Безпека / Попередження при використанні. 1. Гарантії якщо такі є. 1. політика повернень. 1. Умови доставки, якщо це доречно. 1. Способи адресації спорів, відшкодування, відповідальності і т.д. 1. Адреса та контактна інформація Вашої компанії."
DocType: Attendance,Leave Type,Тип відпустки
DocType: Purchase Invoice,Supplier Invoice Details,Детальна інформація про постачальника рахунку
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Витрати / рахунок різниці ({0}) повинен бути "прибуток або збиток» рахунок
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,Витрати / рахунок різниці ({0}) повинен бути "прибуток або збиток» рахунок
DocType: Project,Copied From,скопійовано з
DocType: Project,Copied From,скопійовано з
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Помилка Ім'я: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,Нестача
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} не пов'язаний з {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} не пов'язаний з {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Відвідуваність працівника {0} вже внесена
DocType: Packing Slip,If more than one package of the same type (for print),Якщо більш ніж один пакет того ж типу (для друку)
,Salary Register,дохід Реєстрація
@@ -2644,22 +2657,23 @@
,Requested Qty,Замовлена (requested) к-сть
DocType: Tax Rule,Use for Shopping Cart,Застосовувати для кошику
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Значення {0} атрибуту {1} не існує в списку дійсного пункту значень атрибутів для пункту {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Виберіть Серійні номери
DocType: BOM Item,Scrap %,Лом%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Збори будуть розподілені пропорційно на основі к-сті або суми, за Вашим вибором"
DocType: Maintenance Visit,Purposes,Мети
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Принаймні один елемент повинен бути введений з негативним кількістю у зворотному документа
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Принаймні один елемент повинен бути введений з негативним кількістю у зворотному документа
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Операція {0} більше, ніж будь-яких наявних робочих годин на робочої станції {1}, зламати операції в кілька операцій"
,Requested,Запитаний
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Немає зауважень
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Немає зауважень
DocType: Purchase Invoice,Overdue,Прострочені
DocType: Account,Stock Received But Not Billed,"Отримані товари, на які не виставлені рахунки"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Корінь аккаунт має бути група
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Корінь аккаунт має бути група
DocType: Fees,FEE.,ЗБІР.
DocType: Employee Loan,Repaid/Closed,Повернений / Closed
DocType: Item,Total Projected Qty,Загальна запланована Кількість
DocType: Monthly Distribution,Distribution Name,Розподіл Ім'я
DocType: Course,Course Code,код курсу
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Для позиції {0} необхідний сертифікат якості
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Для позиції {0} необхідний сертифікат якості
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,"Курс, за яким валюта покупця конвертується у базову валюту компанії"
DocType: Purchase Invoice Item,Net Rate (Company Currency),Нетто-ставка (Валюта компанії)
DocType: Salary Detail,Condition and Formula Help,Довідка з умов і формул
@@ -2672,27 +2686,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,Матеріал для виробництва передачі
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Знижка у відсотках можна застосовувати або стосовно прайс-листа або для всіх прайс-лист.
DocType: Purchase Invoice,Half-yearly,Піврічний
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Проводки по запасах
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Проводки по запасах
DocType: Vehicle Service,Engine Oil,Машинне мастило
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,"Будь ласка, встановіть службовців систему імен в людських ресурсах> HR Налаштування"
DocType: Sales Invoice,Sales Team1,Команда1 продажів
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Пункт {0} не існує
DocType: Sales Invoice,Customer Address,Адреса клієнта
DocType: Employee Loan,Loan Details,кредит Детальніше
+DocType: Company,Default Inventory Account,За замовчуванням інвентаризації рахунки
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Рядок {0}: Завершена кількість має бути більше нуля.
DocType: Purchase Invoice,Apply Additional Discount On,Надати додаткову знижку на
DocType: Account,Root Type,Корінь Тип
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Ряд # {0}: Чи не можете повернути понад {1} для п {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Ряд # {0}: Чи не можете повернути понад {1} для п {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Промалювати
DocType: Item Group,Show this slideshow at the top of the page,Показати це слайд-шоу на верху сторінки
DocType: BOM,Item UOM,Пункт Одиниця виміру
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Сума податку після скидки Сума (Компанія валют)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Склад призначення є обов'язковим для рядку {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Склад призначення є обов'язковим для рядку {0}
DocType: Cheque Print Template,Primary Settings,Основні налаштування
DocType: Purchase Invoice,Select Supplier Address,Виберіть адресу постачальника
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Додати співробітників
DocType: Purchase Invoice Item,Quality Inspection,Сертифікат якості
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Дуже невеликий
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Дуже невеликий
DocType: Company,Standard Template,Стандартний шаблон
DocType: Training Event,Theory,теорія
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Увага: Кількість замовленого матеріалу менша за мінімально допустиму
@@ -2700,7 +2716,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,"Юридична особа / Допоміжний з окремим Плану рахунків, що належать Організації."
DocType: Payment Request,Mute Email,Відключення E-mail
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Продукти харчування, напої і тютюнові вироби"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Може здійснити платіж тільки по невиставлених {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Може здійснити платіж тільки по невиставлених {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,"Ставка комісії не може бути більше, ніж 100"
DocType: Stock Entry,Subcontract,Субпідряд
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,"Будь ласка, введіть {0} в першу чергу"
@@ -2713,18 +2729,18 @@
DocType: SMS Log,No of Sent SMS,Кількість відправлених SMS
DocType: Account,Expense Account,Рахунок витрат
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Програмне забезпечення
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Колір
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Колір
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Критерії оцінки плану
DocType: Training Event,Scheduled,Заплановане
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Запит пропозиції.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Будь ласка, виберіть позицію, в якої ""Складський"" встановлено у ""Ні"" і Продаєм цей товар"" - ""Так"", і немає жодного комплекту"
DocType: Student Log,Academic,академічний
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),"Всього аванс ({0}) за замовленням {1} не може бути більше, ніж загальний підсумок ({2})"
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),"Всього аванс ({0}) за замовленням {1} не може бути більше, ніж загальний підсумок ({2})"
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Виберіть щомісячний розподіл до нерівномірно розподілених цілей за місяць.
DocType: Purchase Invoice Item,Valuation Rate,Собівартість
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,дизель
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Валюту прайс-листа не вибрано
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Валюту прайс-листа не вибрано
,Student Monthly Attendance Sheet,Student Щомісячна відвідуваність Sheet
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Співробітник {0} вже застосовується для {1} між {2} і {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Дата початку
@@ -2737,7 +2753,7 @@
DocType: BOM,Scrap,лом
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Управління торговими партнерами
DocType: Quality Inspection,Inspection Type,Тип інспекції
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Склади з існуючої транзакцією не можуть бути перетворені у групу.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Склади з існуючої транзакцією не можуть бути перетворені у групу.
DocType: Assessment Result Tool,Result HTML,результат HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Діє до
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Додати студентів
@@ -2745,13 +2761,13 @@
DocType: C-Form,C-Form No,С-Форма Немає
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,Невнесена відвідуваність
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Дослідник
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Дослідник
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Програма набору студентів для навчання Інструмент
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Або адреса електронної пошти є обов'язковим
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Вхідний сертифікат якості.
DocType: Purchase Order Item,Returned Qty,Повернута к-сть
DocType: Employee,Exit,Вихід
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Корінь Тип обов'язково
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Корінь Тип обов'язково
DocType: BOM,Total Cost(Company Currency),Загальна вартість (Компанія Валюта)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Серійний номер {0} створено
DocType: Homepage,Company Description for website homepage,Опис компанії для головної сторінки веб-сайту
@@ -2760,7 +2776,7 @@
DocType: Sales Invoice,Time Sheet List,Список табелів робочого часу
DocType: Employee,You can enter any date manually,Ви можете ввести будь-яку дату вручну
DocType: Asset Category Account,Depreciation Expense Account,Рахунок витрат амортизації
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Випробувальний термін
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Випробувальний термін
DocType: Customer Group,Only leaf nodes are allowed in transaction,Тільки елементи (не групи) дозволені в операціях
DocType: Expense Claim,Expense Approver,Витрати затверджує
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Ряд {0}: Аванси по клієнту повинні бути у кредиті
@@ -2774,10 +2790,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Розклад курсів видалені:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Журнали для підтримки статус доставки смс
DocType: Accounts Settings,Make Payment via Journal Entry,Платити згідно Проводки
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,надруковано на
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,надруковано на
DocType: Item,Inspection Required before Delivery,Огляд Обов'язковий перед поставкою
DocType: Item,Inspection Required before Purchase,Огляд Необхідні перед покупкою
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,В очікуванні Діяльність
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Ваша організація
DocType: Fee Component,Fees Category,тарифи Категорія
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,"Будь ласка, введіть дату зняття."
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Сум
@@ -2787,9 +2804,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Рівень перезамовлення
DocType: Company,Chart Of Accounts Template,План рахунків бухгалтерського обліку шаблону
DocType: Attendance,Attendance Date,Дата
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Ціна товару оновлена для {0} у прайс-листі {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Ціна товару оновлена для {0} у прайс-листі {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Розшифровка зарплати по нарахуваннях та відрахуваннях.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,"Рахунок з дочірніх вузлів, не можуть бути перетворені в бухгалтерській книзі"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,"Рахунок з дочірніх вузлів, не можуть бути перетворені в бухгалтерській книзі"
DocType: Purchase Invoice Item,Accepted Warehouse,Прийнято на склад
DocType: Bank Reconciliation Detail,Posting Date,Дата створення/розміщення
DocType: Item,Valuation Method,Метод Оцінка
@@ -2798,14 +2815,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Дублікат запис
DocType: Program Enrollment Tool,Get Students,отримати Студенти
DocType: Serial No,Under Warranty,Під гарантії
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Помилка]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Помилка]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,"Прописом буде видно, як тільки ви збережете замовлення клієнта."
,Employee Birthday,Співробітник народження
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student Пакетне відвідуваність Інструмент
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,межа Схрещені
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,межа Схрещені
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Венчурний капітал
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,"Академічний термін з цим "Академічний рік" {0} і 'Term Name "{1} вже існує. Будь ласка, поміняйте ці записи і спробуйте ще раз."
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Як є існуючі операції проти пункту {0}, ви не можете змінити значення {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Як є існуючі операції проти пункту {0}, ви не можете змінити значення {1}"
DocType: UOM,Must be Whole Number,Повинно бути ціле число
DocType: Leave Control Panel,New Leaves Allocated (In Days),Нові листя Виділені (у днях)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Серійний номер {0} не існує
@@ -2814,6 +2831,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,Номер рахунку-фактури
DocType: Shopping Cart Settings,Orders,Замовлення
DocType: Employee Leave Approver,Leave Approver,Погоджувач відпустки
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,"Будь ласка, виберіть партію"
DocType: Assessment Group,Assessment Group Name,Назва групи по оцінці
DocType: Manufacturing Settings,Material Transferred for Manufacture,"Матеріал, переданий для виробництва"
DocType: Expense Claim,"A user with ""Expense Approver"" role",Користувач з "Витрати затверджує" ролі
@@ -2823,9 +2841,10 @@
DocType: Target Detail,Target Detail,Цільова Подробиці
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,все Вакансії
DocType: Sales Order,% of materials billed against this Sales Order,% матеріалів у виставлених рахунках згідно Замовлення клієнта
+DocType: Program Enrollment,Mode of Transportation,режим транспорту
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Операції закриття періоду
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,"Центр витрат з існуючими операціями, не може бути перетворений у групу"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Сума {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Сума {0} {1} {2} {3}
DocType: Account,Depreciation,Амортизація
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Постачальник (и)
DocType: Employee Attendance Tool,Employee Attendance Tool,Інструмент роботи з відвідуваннями
@@ -2833,7 +2852,7 @@
DocType: Supplier,Credit Limit,Кредитний ліміт
DocType: Production Plan Sales Order,Salse Order Date,Salse Дата замовлення
DocType: Salary Component,Salary Component,Компонент зарплати
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Оплати {0} не прив'язані
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Оплати {0} не прив'язані
DocType: GL Entry,Voucher No,Номер документа
,Lead Owner Efficiency,Свинець Власник Ефективність
,Lead Owner Efficiency,Свинець Власник Ефективність
@@ -2845,11 +2864,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,Шаблон умов договору
DocType: Purchase Invoice,Address and Contact,Адреса та контакти
DocType: Cheque Print Template,Is Account Payable,Чи є кредиторська заборгованість
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Запаси не можуть оновитися Прихідною накладною {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Запаси не можуть оновитися Прихідною накладною {0}
DocType: Supplier,Last Day of the Next Month,Останній день наступного місяця
DocType: Support Settings,Auto close Issue after 7 days,Авто близько Issue через 7 днів
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Відпустка не може бути призначена до{0}, оскільки залишок днів вже перенесений у наступний документ Призначення відпусток{1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Примітка: Через / Вихідна дата перевищує дозволений кредит клієнт дня {0} день (їй)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Примітка: Через / Вихідна дата перевищує дозволений кредит клієнт дня {0} день (їй)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,студент Абітурієнт
DocType: Asset Category Account,Accumulated Depreciation Account,Рахунок накопиченого зносу
DocType: Stock Settings,Freeze Stock Entries,Заморозити Рухи ТМЦ
@@ -2858,36 +2877,36 @@
DocType: Activity Cost,Billing Rate,Ціна для виставлення у рахунку
,Qty to Deliver,К-сть для доставки
,Stock Analytics,Аналіз складських залишків
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,"Операції, що не може бути залишено порожнім"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,"Операції, що не може бути залишено порожнім"
DocType: Maintenance Visit Purpose,Against Document Detail No,На деталях документа немає
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Тип контрагента є обов'язковим
DocType: Quality Inspection,Outgoing,Вихідний
DocType: Material Request,Requested For,Замовляється для
DocType: Quotation Item,Against Doctype,На DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} скасовано або закрито
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} скасовано або закрито
DocType: Delivery Note,Track this Delivery Note against any Project,Підписка на накладну проти будь-якого проекту
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Чисті грошові кошти від інвестиційної
-,Is Primary Address,Основна адреса
DocType: Production Order,Work-in-Progress Warehouse,"Склад ""В роботі"""
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Asset {0} повинен бути представлений
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Рекордне {0} існує проти Student {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Рекордне {0} існує проти Student {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Посилання # {0} від {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Амортизація видалена у зв'язку з ліквідацією активів
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Керування адресами
DocType: Asset,Item Code,Код товару
DocType: Production Planning Tool,Create Production Orders,Створити виробничі замовлення
DocType: Serial No,Warranty / AMC Details,Гарантія / Деталі контракту на річне обслуговування
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Вибір студентів вручну для діяльності на основі групи
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Вибір студентів вручну для діяльності на основі групи
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Вибір студентів вручну для діяльності на основі групи
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Вибір студентів вручну для діяльності на основі групи
DocType: Journal Entry,User Remark,Зауваження користувача
DocType: Lead,Market Segment,Сегмент ринку
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Сплачена сума не може бути більше сумарного негативного непогашеної {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Сплачена сума не може бути більше сумарного негативного непогашеної {0}
DocType: Employee Internal Work History,Employee Internal Work History,Співробітник внутрішньої історії роботи
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),На кінець (Дт)
DocType: Cheque Print Template,Cheque Size,Розмір чеку
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Серійний номер {0} не в наявності
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Податковий шаблон для операцій продажу.
DocType: Sales Invoice,Write Off Outstanding Amount,Списання суми заборгованості
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Рахунок {0} не збігається з Компанією {1}
DocType: School Settings,Current Academic Year,Поточний навчальний рік
DocType: School Settings,Current Academic Year,Поточний навчальний рік
DocType: Stock Settings,Default Stock UOM,Одиниця виміру за замовчуванням
@@ -2903,27 +2922,27 @@
DocType: Asset,Double Declining Balance,Double Declining Balance
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Закритий замовлення не може бути скасований. Скасувати відкриватися.
DocType: Student Guardian,Father,батько
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,"""Оновити запаси"" не може бути позначено для продажу основних засобів"
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,"""Оновити запаси"" не може бути позначено для продажу основних засобів"
DocType: Bank Reconciliation,Bank Reconciliation,Звірка з банком
DocType: Attendance,On Leave,У відпустці
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Підписатись на новини
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Рахунок {2} не належить Компанії {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Замовлення матеріалів {0} відмінено або призупинено
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Додати кілька пробних записів
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Додати кілька пробних записів
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Управління відпустками
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Групувати по рахунках
DocType: Sales Order,Fully Delivered,Повністю доставлено
DocType: Lead,Lower Income,Нижня дохід
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Вихідний та цільовий склад не можуть бути однаковими у рядку {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Вихідний та цільовий склад не можуть бути однаковими у рядку {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Рахунок різниці повинен бути типу актив / зобов'язання, оскільки ця Інвентаризація - це введення залишків"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},"Освоєно Сума не може бути більше, ніж сума позики {0}"
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},"Номер Замовлення на придбання, необхідний для {0}"
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Виробничий замовлення не створено
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},"Номер Замовлення на придбання, необхідний для {0}"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Виробничий замовлення не створено
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',"""Від дати"" має бути раніше ""До дати"""
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Неможливо змінити статус студента {0} пов'язаний з додатком студента {1}
DocType: Asset,Fully Depreciated,повністю амортизується
,Stock Projected Qty,Прогнозований складський залишок
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Замовник {0} не належить до проекту {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Замовник {0} не належить до проекту {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,Внесена відвідуваність HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Котирування є пропозиціями, пропозиціями відправлених до своїх клієнтів"
DocType: Sales Order,Customer's Purchase Order,Оригінал замовлення клієнта
@@ -2932,8 +2951,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Сума десятків критеріїв оцінки має бути {0}.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,"Будь ласка, встановіть кількість зарезервованих амортизацій"
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Значення або Кількість
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Продукції Замовлення не можуть бути підняті для:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Хвилин
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Продукції Замовлення не можуть бути підняті для:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Хвилин
DocType: Purchase Invoice,Purchase Taxes and Charges,Податки та збори закупівлі
,Qty to Receive,К-сть на отримання
DocType: Leave Block List,Leave Block List Allowed,Список блокування відпусток дозволено
@@ -2941,25 +2960,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Expense Вимога про автомобіль Вхід {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Знижка (%) на Прейскурант ставкою з Margin
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Знижка (%) на Прейскурант ставкою з Margin
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,всі склади
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,всі склади
DocType: Sales Partner,Retailer,Роздрібний торговець
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Кредит на рахунку повинен бути баланс рахунку
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Кредит на рахунку повинен бути баланс рахунку
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Всі типи постачальників
DocType: Global Defaults,Disable In Words,"Відключити ""прописом"""
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,"Код товару є обов'язковим, оскільки товар не автоматично нумеруються"
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,"Код товару є обов'язковим, оскільки товар не автоматично нумеруються"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Пропозиція {0} НЕ типу {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Номенклатура Запланованого обслуговування
DocType: Sales Order,% Delivered,Доставлено%
DocType: Production Order,PRO-,PRO-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Овердрафт рахунок
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Овердрафт рахунок
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Зробити Зарплатний розрахунок
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Рядок # {0}: Виділена сума не може бути більше суми заборгованості.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Переглянути норми
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Забезпечені кредити
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Забезпечені кредити
DocType: Purchase Invoice,Edit Posting Date and Time,Редагування проводок Дата і час
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},"Будь ласка, встановіть рахунки, що відносяться до амортизації у категорії активу {0} або компанії {1}"
DocType: Academic Term,Academic Year,Навчальний рік
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Відкриття Баланс акцій
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Відкриття Баланс акцій
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Оцінка
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},Електронна пошта відправляється постачальнику {0}
@@ -2975,7 +2994,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,"Затвердження роль не може бути такою ж, як роль правило застосовно до"
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Відмовитися від цієї Email Дайджест
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Повідомлення відправлено
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,"Рахунок з дочірніх вузлів, не може бути встановлений як книгу"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,"Рахунок з дочірніх вузлів, не може бути встановлений як книгу"
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,"Курс, за яким валюта прайс-листа конвертується у базову валюту покупця"
DocType: Purchase Invoice Item,Net Amount (Company Currency),Чиста сума (Компанія валют)
@@ -3010,7 +3029,7 @@
DocType: Expense Claim,Approval Status,Стан затвердження
DocType: Hub Settings,Publish Items to Hub,Опублікувати товари в Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},"З значення має бути менше, ніж значення в рядку в {0}"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Банківський переказ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Банківський переказ
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Перевірити все
DocType: Vehicle Log,Invoice Ref,Рахунок-фактура Посилання
DocType: Purchase Order,Recurring Order,Періодичне замовлення
@@ -3023,19 +3042,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Банкінг та платежі
,Welcome to ERPNext,Вітаємо у ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Lead у Пропозицію
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Нічого більше не показувати.
DocType: Lead,From Customer,Від Замовника
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Дзвінки
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Дзвінки
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,порції
DocType: Project,Total Costing Amount (via Time Logs),Всього Калькуляція Сума (за допомогою журналів Time)
DocType: Purchase Order Item Supplied,Stock UOM,Одиниця виміру запасів
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Замовлення на придбання {0} не проведено
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Замовлення на придбання {0} не проведено
DocType: Customs Tariff Number,Tariff Number,тарифний номер
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Прогнозований
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Серійний номер {0} не належить до складу {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"Примітка: Система не перевірятиме по-доставки і більш-бронювання для Пункт {0}, як кількість або сума 0"
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,"Примітка: Система не перевірятиме по-доставки і більш-бронювання для Пункт {0}, як кількість або сума 0"
DocType: Notification Control,Quotation Message,Повідомлення пропозиції
DocType: Employee Loan,Employee Loan Application,Служить заявка на отримання кредиту
DocType: Issue,Opening Date,Дата розкриття
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Глядачі були успішно відзначені.
+DocType: Program Enrollment,Public Transport,Громадський транспорт
DocType: Journal Entry,Remark,Зауваження
DocType: Purchase Receipt Item,Rate and Amount,Ціна та сума
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Тип рахунку для {0} повинен бути {1}
@@ -3043,32 +3065,32 @@
DocType: School Settings,Current Academic Term,Поточний Academic термін
DocType: School Settings,Current Academic Term,Поточний Academic термін
DocType: Sales Order,Not Billed,Не включено у рахунки
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Обидва Склад повинен належати тій же компанії
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Немає контактів ще не додавали.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Обидва Склад повинен належати тій же компанії
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Немає контактів ще не додавали.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Сума документу кінцевої вартості
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,"Законопроекти, підняті постачальників."
DocType: POS Profile,Write Off Account,Рахунок списання
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Дебетові Примітка Amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Сума знижки
DocType: Purchase Invoice,Return Against Purchase Invoice,Повернення згідно вхідного рахунку
DocType: Item,Warranty Period (in days),Гарантійний термін (в днях)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Зв'язок з Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Зв'язок з Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Чисті грошові кошти від операційної
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,"наприклад, ПДВ"
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,"наприклад, ПДВ"
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Пункт 4
DocType: Student Admission,Admission End Date,Дата закінчення прийому
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Субпідряд
DocType: Journal Entry Account,Journal Entry Account,Рахунок Проводки
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Студентська група
DocType: Shopping Cart Settings,Quotation Series,Серії пропозицій
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Пункт існує з таким же ім'ям ({0}), будь ласка, змініть назву групи товарів або перейменувати пункт"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,"Будь ласка, виберіть клієнта"
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Пункт існує з таким же ім'ям ({0}), будь ласка, змініть назву групи товарів або перейменувати пункт"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,"Будь ласка, виберіть клієнта"
DocType: C-Form,I,Я
DocType: Company,Asset Depreciation Cost Center,Центр витрат амортизації
DocType: Sales Order Item,Sales Order Date,Дата Замовлення клієнта
DocType: Sales Invoice Item,Delivered Qty,Доставлена к-сть
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Якщо позначено, всі підлеглі позиції кожного продукту будуть включені у ""Замовлення матеріалів"""
DocType: Assessment Plan,Assessment Plan,план оцінки
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Склад {0}: Компанія є обов'язковою
DocType: Stock Settings,Limit Percent,граничне Відсоток
,Payment Period Based On Invoice Date,Затримка оплати після виставлення рахунку
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Відсутні курси валют для {0}
@@ -3080,7 +3102,7 @@
DocType: Vehicle,Insurance Details,Страхування Детальніше
DocType: Account,Payable,До оплати
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,"Будь ласка, введіть терміни погашення"
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Боржники ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Боржники ({0})
DocType: Pricing Rule,Margin,маржа
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Нові клієнти
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Загальний прибуток %
@@ -3091,16 +3113,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Контрагент є обов'язковим
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,Назва теми
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Принаймні один з продажу або покупки повинен бути обраний
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Виберіть характер вашого бізнесу.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Принаймні один з продажу або покупки повинен бути обраний
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Виберіть характер вашого бізнесу.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Рядок # {0}: повторювані записи в посиланнях {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Де проводяться виробничі операції.
DocType: Asset Movement,Source Warehouse,Вихідний склад
DocType: Installation Note,Installation Date,Дата встановлення
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Рядок # {0}: Asset {1} не належить компанії {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Рядок # {0}: Asset {1} не належить компанії {2}
DocType: Employee,Confirmation Date,Дата підтвердження
DocType: C-Form,Total Invoiced Amount,Всього Сума за рахунками
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,"Мін к-сть не може бути більше, ніж макс. к-сть"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,"Мін к-сть не може бути більше, ніж макс. к-сть"
DocType: Account,Accumulated Depreciation,Накопичений знос
DocType: Stock Entry,Customer or Supplier Details,Замовник або Постачальник Подробиці
DocType: Employee Loan Application,Required by Date,потрібно Дата
@@ -3121,22 +3143,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Щомісячний Процентний розподіл
DocType: Territory,Territory Targets,Територія Цілі
DocType: Delivery Note,Transporter Info,Інформація про перевізника
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},"Будь ласка, встановіть значення за замовчуванням {0} в компанії {1}"
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},"Будь ласка, встановіть значення за замовчуванням {0} в компанії {1}"
DocType: Cheque Print Template,Starting position from top edge,Початкове положення від верхнього краю
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Те ж постачальник був введений кілька разів
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Валовий прибуток / збиток
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Позиція замовлення на придбання поставлена
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Назва компанії не може бути компанія
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Назва компанії не може бути компанія
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Фірмові заголовки для шаблонів друку.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Назви для шаблонів друку, наприклад рахунок-проформа."
DocType: Student Guardian,Student Guardian,Студент-хранитель
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Звинувачення типу Оцінка не може відзначений як включено
DocType: POS Profile,Update Stock,Оновити запас
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Постачальник> Постачальник Тип
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,"Різні Одиниця виміру для елементів призведе до неправильної (всього) значення маси нетто. Переконайтеся, що вага нетто кожного елемента знаходиться в тій же UOM."
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Вартість згідно норми
DocType: Asset,Journal Entry for Scrap,Проводка для брухту
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,"Ласка, витягнути речі з накладної"
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Журнал Записів {0}-пов'язана
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Журнал Записів {0}-пов'язана
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Запис всіх комунікацій типу електронною поштою, телефоном, в чаті, відвідування і т.д."
DocType: Manufacturer,Manufacturers used in Items,"Виробники, що використовувалися у позиції"
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,"Будь ласка, вкажіть центр витрат заокруглення для Компанії"
@@ -3185,35 +3208,35 @@
DocType: Sales Order Item,Supplier delivers to Customer,Постачальник доставляє клієнтові
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}](#Форма/Об’єкт/{0}) немає в наявності
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,"Наступна дата повинна бути більше, ніж Дата публікації / створення"
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Показати податок розпад
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Через / Довідник Дата не може бути після {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Показати податок розпад
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Через / Довідник Дата не може бути після {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Імпорт та експорт даних
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","На Складі {0} вже є Рухи ТМЦ, отже, ви не можете повторно призначити або змінити його"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,"Немає студентів, не знайдено"
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,"Немає студентів, не знайдено"
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Дата створення рахунку-фактури
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Продаж
DocType: Sales Invoice,Rounded Total,Заокруглений підсумок
DocType: Product Bundle,List items that form the package.,"Список предметів, які утворюють пакет."
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Розподіл відсотків має дорівнювати 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,"Будь ласка, виберіть дату запису, перш ніж вибрати контрагента"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,"Будь ласка, виберіть дату запису, перш ніж вибрати контрагента"
DocType: Program Enrollment,School House,School House
DocType: Serial No,Out of AMC,З Контракту на річне обслуговування
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,"Будь ласка, виберіть Витяги"
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,"Будь ласка, виберіть Витяги"
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,"Будь ласка, виберіть Витяги"
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,"Будь ласка, виберіть Витяги"
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Кількість проведених амортизацій не може бути більше за загальну кількість амортизацій
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Зробити Візит тех. обслуговування
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,"Будь ласка, зв'яжіться з користувачем, які мають по продажах Майстер диспетчера {0} роль"
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,"Будь ласка, зв'яжіться з користувачем, які мають по продажах Майстер диспетчера {0} роль"
DocType: Company,Default Cash Account,Грошовий рахунок за замовчуванням
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Компанії (не клієнтів або постачальників) господар.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Це засновано на відвідуваності цього студента
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,немає Студенти
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,немає Студенти
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Додайте більше деталей або відкриту повну форму
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',"Будь ласка, введіть "Очікувана дата доставки""
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Доставка Примітки {0} має бути скасований до скасування цього замовлення клієнта
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,"Оплачена сума + Сума списання не може бути більше, ніж загальний підсумок"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,"Оплачена сума + Сума списання не може бути більше, ніж загальний підсумок"
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},"{0} не є допустимим номером партії
для товару {1}"
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Примітка: Недостатньо днів залишилося для типу відпусток {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,Invalid GSTIN або Enter NA для Незареєстрований
DocType: Training Event,Seminar,семінар
DocType: Program Enrollment Fee,Program Enrollment Fee,Програма Зарахування Плата
DocType: Item,Supplier Items,Товарні позиції постачальника
@@ -3239,28 +3262,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Пункт 3
DocType: Purchase Order,Customer Contact Email,Контакти з клієнтами E-mail
DocType: Warranty Claim,Item and Warranty Details,Предмет і відомості про гарантії
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Код товару> Пункт Group> Марка
DocType: Sales Team,Contribution (%),Внесок (%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,"Примітка: Оплата не буде створена, оскільки не зазаначено ""Готівковий або банківський рахунок"""
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Виберіть програму для вилучення обов'язкових курсів.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Виберіть програму для вилучення обов'язкових курсів.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Обов'язки
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Обов'язки
DocType: Expense Claim Account,Expense Claim Account,Рахунок Авансового звіту
DocType: Sales Person,Sales Person Name,Ім'я відповідального з продажу
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,"Будь ласка, введіть принаймні 1-фактуру у таблицю"
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Додавання користувачів
DocType: POS Item Group,Item Group,Група
DocType: Item,Safety Stock,Безпечний запас
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,"Прогрес% для завдання не може бути більше, ніж 100."
DocType: Stock Reconciliation Item,Before reconciliation,Перед інвентаризацією
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Для {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Податки та збори додано (Валюта компанії)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Пункт Податковий ряд {0} повинен мати обліковий запис типу податку або доходів або витрат або платно
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,Пункт Податковий ряд {0} повинен мати обліковий запис типу податку або доходів або витрат або платно
DocType: Sales Order,Partly Billed,Частково є у виставлених рахунках
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Пункт {0} повинен бути Fixed Asset Item
DocType: Item,Default BOM,Норми за замовчуванням
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,"Будь ласка, повторіть введення назви компанії, щоб підтвердити"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Загальна неоплачена сума
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,Дебет Примітка Сума
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,"Будь ласка, повторіть введення назви компанії, щоб підтвердити"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Загальна неоплачена сума
DocType: Journal Entry,Printing Settings,Налаштування друку
DocType: Sales Invoice,Include Payment (POS),Увімкніть Оплату (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Загальна сума по дебету має дорівнювати загальній суми по кредиту. Різниця дорівнює {0}
@@ -3274,16 +3294,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,В наявності:
DocType: Notification Control,Custom Message,Текст повідомлення
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Інвестиційний банкінг
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Готівковий або банківський рахунок є обов'язковим для здійснення оплати
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,студент Адреса
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,студент Адреса
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Готівковий або банківський рахунок є обов'язковим для здійснення оплати
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,"Будь ласка, вибір початкового номера серії для відвідуваності через Setup> Нумерація серії"
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,студент Адреса
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,студент Адреса
DocType: Purchase Invoice,Price List Exchange Rate,Обмінний курс прайс-листа
DocType: Purchase Invoice Item,Rate,Ціна
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Інтерн
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,Адреса Ім'я
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Інтерн
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,Адреса Ім'я
DocType: Stock Entry,From BOM,З норм
DocType: Assessment Code,Assessment Code,код оцінки
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Основний
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Основний
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Складські операції до {0} заблоковано
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',"Будь ласка, натисніть на кнопку ""Згенерувати розклад"""
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","наприклад, кг, Розділ, Ніс, м"
@@ -3293,11 +3314,11 @@
DocType: Salary Slip,Salary Structure,Структура зарплати
DocType: Account,Bank,Банк
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Авіакомпанія
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Матеріал Випуск
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Матеріал Випуск
DocType: Material Request Item,For Warehouse,Для складу
DocType: Employee,Offer Date,Дата пропозиції
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Пропозиції
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Ви перебуваєте в автономному режимі. Ви не зможете оновити доки не відновите зв’язок.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,Ви перебуваєте в автономному режимі. Ви не зможете оновити доки не відновите зв’язок.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Жоден студент групи не створено.
DocType: Purchase Invoice Item,Serial No,Серійний номер
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,"Щомісячне погашення Сума не може бути більше, ніж сума позики"
@@ -3305,8 +3326,8 @@
DocType: Purchase Invoice,Print Language,Мова друку
DocType: Salary Slip,Total Working Hours,Всього годин роботи
DocType: Stock Entry,Including items for sub assemblies,Включаючи позиції для наівфабрикатів
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Значення має бути позитивним
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Всі території
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Значення має бути позитивним
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Всі території
DocType: Purchase Invoice,Items,Номенклатура
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Студент вже надійшов.
DocType: Fiscal Year,Year Name,Назва року
@@ -3325,10 +3346,10 @@
DocType: Issue,Opening Time,Час відкриття
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,"Від і До дати, необхідних"
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Цінні папери та бірж
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"За од.вим. за замовчуванням для варіанту '{0}' має бути такою ж, як в шаблоні ""{1} '"
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',"За од.вим. за замовчуванням для варіанту '{0}' має бути такою ж, як в шаблоні ""{1} '"
DocType: Shipping Rule,Calculate Based On,"Розрахувати, засновані на"
DocType: Delivery Note Item,From Warehouse,Від Склад
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Ні предметів з Біллом матеріалів не повинна Manufacture
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Ні предметів з Біллом матеріалів не повинна Manufacture
DocType: Assessment Plan,Supervisor Name,Ім'я супервайзера
DocType: Program Enrollment Course,Program Enrollment Course,Програма Зарахування курс
DocType: Program Enrollment Course,Program Enrollment Course,Програма Зарахування курс
@@ -3344,18 +3365,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Днів з часу останнього замовлення"" має бути більше або дорівнювати нулю"
DocType: Process Payroll,Payroll Frequency,Розрахунок заробітної плати Частота
DocType: Asset,Amended From,Відновлено з
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Сировина
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Сировина
DocType: Leave Application,Follow via Email,З наступною відправкою e-mail
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Рослини і Механізмів
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Рослини і Механізмів
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Сума податку після скидки Сума
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Щоденні Налаштування роботи Резюме
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Валюта прайс-лист {0} не схожий з обраної валюті {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Валюта прайс-лист {0} не схожий з обраної валюті {1}
DocType: Payment Entry,Internal Transfer,внутрішній переказ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Дитячий рахунок існує для цього облікового запису. Ви не можете видалити цей аккаунт.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Дитячий рахунок існує для цього облікового запису. Ви не можете видалити цей аккаунт.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Кінцева к-сть або сума є обов'язковими
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Немає Норм за замовчуванням для елемента {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Немає Норм за замовчуванням для елемента {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,"Будь ласка, виберіть спочатку дату запису"
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,"Відкриття Дата повинна бути, перш ніж Дата закриття"
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,"Будь ласка, встановіть Іменування Series для {0} через Setup> Установки> Naming Series"
DocType: Leave Control Panel,Carry Forward,Переносити
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,"Центр витрат з існуючими операціями, не може бути перетворений у книгу"
DocType: Department,Days for which Holidays are blocked for this department.,"Дні, для яких вихідні заблоковані для цього відділу."
@@ -3365,11 +3387,10 @@
DocType: Issue,Raised By (Email),Raised By (E-mail)
DocType: Training Event,Trainer Name,ім'я тренера
DocType: Mode of Payment,General,Генеральна
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Долучити фірмовий заголовок
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Останній зв'язок
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Останній зв'язок
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',"Не можете відняти, коли категорія для "Оцінка" або "Оцінка і Total '"
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Перелічіть назви Ваших податків (наприклад, ПДВ, митні і т.д., вони повинні мати унікальні імена) та їх стандартні ставки. Це створить стандартний шаблон, який ви можете відредагувати і щось додати пізніше."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Перелічіть назви Ваших податків (наприклад, ПДВ, митні і т.д., вони повинні мати унікальні імена) та їх стандартні ставки. Це створить стандартний шаблон, який ви можете відредагувати і щось додати пізніше."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Серійні номери обов'язкові для серіалізованої позиції номенклатури {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Зв'язати платежі з рахунками-фактурами
DocType: Journal Entry,Bank Entry,Банк Стажер
@@ -3378,16 +3399,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Додати в кошик
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Групувати за
DocType: Guardian,Interests,інтереси
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Включити / відключити валюти.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Включити / відключити валюти.
DocType: Production Planning Tool,Get Material Request,Отримати Замовлення матеріалів
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Поштові витрати
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Поштові витрати
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Разом (Сум)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Розваги і дозвілля
DocType: Quality Inspection,Item Serial No,Серійний номер номенклатурної позиції
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Створення Employee записів
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Разом Поточна
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Бухгалтерська звітність
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Година
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Година
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Новий Серійний номер не може мати склад. Склад повинен бути встановлений Рухом ТМЦ або Прихідною накладною
DocType: Lead,Lead Type,Тип Lead-а
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Ви не уповноважений погоджувати відпустки на заблоковані дати
@@ -3399,6 +3420,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,Нові Норми після заміни
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,POS
DocType: Payment Entry,Received Amount,отримана сума
+DocType: GST Settings,GSTIN Email Sent On,GSTIN Email Направлено на
+DocType: Program Enrollment,Pick/Drop by Guardian,Pick / Drop по Гардіан
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Створити для повного кількості, ігноруючи кількість вже на замовлення"
DocType: Account,Tax,Податок
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,без маркування
@@ -3412,7 +3435,7 @@
DocType: Batch,Source Document Name,Джерело Назва документа
DocType: Job Opening,Job Title,Професія
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,створення користувачів
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,грам
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,грам
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,"Кількість, Виготовлення повинні бути більше, ніж 0."
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Звіт по візиту на виклик по тех. обслуговуванню.
DocType: Stock Entry,Update Rate and Availability,Частота оновлення і доступність
@@ -3420,7 +3443,7 @@
DocType: POS Customer Group,Customer Group,Група клієнтів
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Нова партія ID (Необов'язково)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),Нова партія ID (Необов'язково)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Витрати рахунку є обов'язковим для пункту {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Витрати рахунку є обов'язковим для пункту {0}
DocType: BOM,Website Description,Опис веб-сайту
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Чиста зміна в капіталі
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,"Будь ласка, відмініть спочатку вхідний рахунок {0}"
@@ -3430,8 +3453,8 @@
,Sales Register,Реєстр продаж
DocType: Daily Work Summary Settings Company,Send Emails At,Електронна пошта на
DocType: Quotation,Quotation Lost Reason,Причина втрати пропозиції
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Виберіть домен
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},Посилання на операцію № {0} від {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Виберіть домен
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},Посилання на операцію № {0} від {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Нема що редагувати
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Результати для цього місяця та незакінчена діяльність
DocType: Customer Group,Customer Group Name,Група Ім'я клієнта
@@ -3439,14 +3462,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Звіт про рух грошових коштів
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Сума кредиту не може перевищувати максимальний Сума кредиту {0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,ліцензія
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},"Будь ласка, видаліть цю фактуру {0} з C-Form {1}"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},"Будь ласка, видаліть цю фактуру {0} з C-Form {1}"
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year
DocType: GL Entry,Against Voucher Type,Згідно док-ту типу
DocType: Item,Attributes,Атрибути
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,"Будь ласка, введіть рахунок списання"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,"Будь ласка, введіть рахунок списання"
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Остання дата замовлення
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Рахунок {0} не належить компанії {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Серійні номери в рядку {0} не збігається з накладною
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Серійні номери в рядку {0} не збігається з накладною
DocType: Student,Guardian Details,Детальніше Гардіан
DocType: C-Form,C-Form,С-форма
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Марк відвідуваності для декількох співробітників
@@ -3461,16 +3484,16 @@
DocType: Budget Account,Budget Amount,сума бюджету
DocType: Appraisal Template,Appraisal Template Title,Оцінка шаблону Назва
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},З дати {0} для співробітників {1} не може бути ще до вступу Дата працівника {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Комерційна
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Комерційна
DocType: Payment Entry,Account Paid To,Рахунок оплати
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Батьківській елемент {0} не повинен бути складським
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Всі продукти або послуги.
DocType: Expense Claim,More Details,Детальніше
DocType: Supplier Quotation,Supplier Address,Адреса постачальника
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Бюджет рахунку {1} проти {2} {3} одно {4}. Він буде перевищувати {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Рядок {0} # Рахунок повинен бути типу "Fixed Asset"
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Розхід у к-сті
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Правила для розрахунку кількості вантажу для продажу
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Рядок {0} # Рахунок повинен бути типу "Fixed Asset"
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Розхід у к-сті
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Правила для розрахунку кількості вантажу для продажу
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Серії є обов'язковими
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Фінансові послуги
DocType: Student Sibling,Student ID,Student ID
@@ -3478,13 +3501,13 @@
DocType: Tax Rule,Sales,Продаж
DocType: Stock Entry Detail,Basic Amount,Основна кількість
DocType: Training Event,Exam,іспит
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},Необхідно вказати склад для номенклатури {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},Необхідно вказати склад для номенклатури {0}
DocType: Leave Allocation,Unused leaves,Невикористані дні відпустки
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,Штат (оплата)
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Переклад
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} не пов'язаний з аккаунтом партії {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Зібрати розібрані норми (у тому числі вузлів)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} не пов'язаний з аккаунтом партії {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Зібрати розібрані норми (у тому числі вузлів)
DocType: Authorization Rule,Applicable To (Employee),Застосовується до (Співробітник)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Завдяки Дата є обов'язковим
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Приріст за атрибут {0} не може бути 0
@@ -3512,7 +3535,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,Номенклатура давальної сировини
DocType: Journal Entry,Write Off Based On,Списання заснований на
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,зробити Lead
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,Друк та канцелярські
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,Друк та канцелярські
DocType: Stock Settings,Show Barcode Field,Показати поле штрих-коду
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Надіслати Постачальник електронних листів
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Зарплата вже оброблена за період між {0} і {1}, Період відпустки не може бути в межах цього діапазону дат."
@@ -3520,14 +3543,16 @@
DocType: Guardian Interest,Guardian Interest,опікун Відсотки
apps/erpnext/erpnext/config/hr.py +177,Training,навчання
DocType: Timesheet,Employee Detail,Дані працівника
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 Email ID
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 Email ID
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,день Дата наступного і повторити на День місяця має дорівнювати
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Налаштування домашньої сторінки веб-сайту
DocType: Offer Letter,Awaiting Response,В очікуванні відповіді
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Вище
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Вище
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},Неприпустимий атрибут {0} {1}
DocType: Supplier,Mention if non-standard payable account,Згадка якщо нестандартні до оплати рахунків
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Той же пункт був введений кілька разів. {Список}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',"Будь ласка, виберіть групу оцінки, крім «всіх груп за оцінкою»"
DocType: Salary Slip,Earning & Deduction,Нарахування та відрахування
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Необов'язково. Цей параметр буде використовуватися для фільтрації в різних операціях.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Від'ємна собівартість не допускається
@@ -3541,9 +3566,9 @@
DocType: Sales Invoice,Product Bundle Help,Довідка з комплектів
,Monthly Attendance Sheet,Місячна таблиця відвідування
DocType: Production Order Item,Production Order Item,Позиція Виробничого замовлення
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,"Чи не запис, не знайдено"
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,"Чи не запис, не знайдено"
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Вартість списаних активів
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Центр витрат є обов'язковим для елементу {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Центр витрат є обов'язковим для елементу {2}
DocType: Vehicle,Policy No,політика Ні
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Отримати елементи з комплекту
DocType: Asset,Straight Line,Лінійний
@@ -3552,7 +3577,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,розщеплений
DocType: GL Entry,Is Advance,Є попередня
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,Відвідуваність з дати та по дату є обов'язковими
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,"Будь ласка, введіть ""субпідряджено"", як так чи ні"
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,"Будь ласка, введіть ""субпідряджено"", як так чи ні"
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Остання дата зв'язку
DocType: Sales Team,Contact No.,Контакт No.
DocType: Bank Reconciliation,Payment Entries,Оплати
@@ -3580,60 +3605,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Сума на початок роботи
DocType: Salary Detail,Formula,формула
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Серійний #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Комісія з продажу
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Комісія з продажу
DocType: Offer Letter Term,Value / Description,Значення / Опис
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Рядок # {0}: Asset {1} не може бути представлено, вже {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Рядок # {0}: Asset {1} не може бути представлено, вже {2}"
DocType: Tax Rule,Billing Country,Країна (оплата)
DocType: Purchase Order Item,Expected Delivery Date,Очікувана дата поставки
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Дебет і Кредит не рівні для {0} # {1}. Різниця {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Представницькі витрати
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Зробити запит Матеріал
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Представницькі витрати
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Зробити запит Матеріал
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Відкрити Пункт {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Вихідний рахунок {0} має бути скасований до скасування цього Замовлення клієнта
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Вік
DocType: Sales Invoice Timesheet,Billing Amount,До оплати
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Невірний кількість вказано за пунктом {0}. Кількість повинна бути більше 0.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Заявки на відпустку.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Рахунок з існуючою транзакції не можуть бути вилучені
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Рахунок з існуючою транзакції не можуть бути вилучені
DocType: Vehicle,Last Carbon Check,Останній Carbon Перевірити
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Судові витрати
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Судові витрати
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,"Будь ласка, виберіть кількість по ряду"
DocType: Purchase Invoice,Posting Time,Час запису
DocType: Timesheet,% Amount Billed,Виставлено рахунків на %
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Телефон Витрати
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Телефон Витрати
DocType: Sales Partner,Logo,Логотип
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,"Перевірте це, якщо ви хочете, щоб змусити користувача вибрати ряд перед збереженням. Там не буде за замовчуванням, якщо ви перевірити це."
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Немає товару з серійним № {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Немає товару з серійним № {0}
DocType: Email Digest,Open Notifications,Відкриті Повідомлення
DocType: Payment Entry,Difference Amount (Company Currency),Різниця на суму (у валюті компанії)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Прямі витрати
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Прямі витрати
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'","{0} є неприпустимою адресою електронної пошти в ""Повідомлення \ адреса електронної пошти"""
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Виручка від нових клієнтів
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Витрати на відрядження
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Витрати на відрядження
DocType: Maintenance Visit,Breakdown,Зламатися
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Рахунок: {0} з валютою: {1} не може бути обраний
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Рахунок: {0} з валютою: {1} не може бути обраний
DocType: Bank Reconciliation Detail,Cheque Date,Дата чеку
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Рахунок {0}: Батьківський рахунок {1} не належить компанії: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Рахунок {0}: Батьківський рахунок {1} не належить компанії: {2}
DocType: Program Enrollment Tool,Student Applicants,студентські Кандидати
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,"Всі операції, пов'язані з цією компанією успішно видалено!"
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,"Всі операції, пов'язані з цією компанією успішно видалено!"
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,Станом на Дата
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,Дата подачі заявок
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Випробувальний термін
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Випробувальний термін
apps/erpnext/erpnext/config/hr.py +115,Salary Components,Зарплатні Компоненти
DocType: Program Enrollment Tool,New Academic Year,Новий навчальний рік
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Повернення / Кредит Примітка
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Повернення / Кредит Примітка
DocType: Stock Settings,Auto insert Price List rate if missing,Відсутня прайс-лист ціна для автовставки
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Всього сплачена сума
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Всього сплачена сума
DocType: Production Order Item,Transferred Qty,Переведений Кількість
apps/erpnext/erpnext/config/learn.py +11,Navigating,Навігаційний
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Планування
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Виданий
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Планування
+DocType: Material Request,Issued,Виданий
DocType: Project,Total Billing Amount (via Time Logs),Разом сума до оплати (згідно журналу)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Ми продаємо цей товар
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Id постачальника
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Ми продаємо цей товар
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Id постачальника
DocType: Payment Request,Payment Gateway Details,Деталі платіжного шлюзу
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,"Кількість повинна бути більше, ніж 0"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,"Кількість повинна бути більше, ніж 0"
DocType: Journal Entry,Cash Entry,Грошові запис
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,Дочірні вузли можуть бути створені тільки в вузлах типу "Група"
DocType: Leave Application,Half Day Date,півдня Дата
@@ -3645,14 +3671,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},"Будь-ласка, встановіть рахунок за замовчуванням у Авансових звітах типу {0}"
DocType: Assessment Result,Student Name,Ім'я студента
DocType: Brand,Item Manager,Стан менеджер
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,Розрахунок заробітної плати оплачується
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,Розрахунок заробітної плати оплачується
DocType: Buying Settings,Default Supplier Type,Тип постачальника за замовчуванням
DocType: Production Order,Total Operating Cost,Загальна експлуатаційна вартість
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Примітка: Пункт {0} введений кілька разів
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Всі контакти.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Абревіатура Компанії
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Абревіатура Компанії
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Користувач {0} не існує
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,"Сировина не може бути таким же, як основний пункт"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,"Сировина не може бути таким же, як основний пункт"
DocType: Item Attribute Value,Abbreviation,Скорочення
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Оплата вже існує
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Не так Authroized {0} перевищує межі
@@ -3661,35 +3687,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Встановіть податкове правило для кошику
DocType: Purchase Invoice,Taxes and Charges Added,Податки та збори додано
,Sales Funnel,Воронка продажів
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Скорочення є обов'язковим
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Скорочення є обов'язковим
DocType: Project,Task Progress,Завдання про хід роботи
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Візок
,Qty to Transfer,К-сть для передачі
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Квоти для Lead-ів або клієнтів.
DocType: Stock Settings,Role Allowed to edit frozen stock,Роль з дозволом редагувати заблоковані складські рухи
,Territory Target Variance Item Group-Wise,Розбіжності цілей по територіях (по групах товарів)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Всі групи покупців
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Всі групи покупців
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,Накопичений в місяць
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,"{0} є обов'язковим. Може бути, Обмін валюти запис не створена для {1} до {2}."
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,"{0} є обов'язковим. Може бути, Обмін валюти запис не створена для {1} до {2}."
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Податковий шаблон є обов'язковим
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Рахунок {0}: Батьківський рахунок не існує {1}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Рахунок {0}: Батьківський рахунок не існує {1}
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Ціна з прайс-листа (валюта компанії)
DocType: Products Settings,Products Settings,Налаштування виробів
DocType: Account,Temporary,Тимчасовий
DocType: Program,Courses,курси
DocType: Monthly Distribution Percentage,Percentage Allocation,Відсотковий розподіл
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Секретар
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Секретар
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Якщо відключити, поле ""прописом"" не буде видно у жодній операції"
DocType: Serial No,Distinct unit of an Item,Окремий підрозділ в пункті
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,"Будь ласка, встановіть компанії"
DocType: Pricing Rule,Buying,Купівля
DocType: HR Settings,Employee Records to be created by,"Співробітник звіти, які будуть створені"
DocType: POS Profile,Apply Discount On,Застосувати знижки на
,Reqd By Date,Reqd за датою
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Кредитори
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Кредитори
DocType: Assessment Plan,Assessment Name,оцінка Ім'я
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Ряд # {0}: Серійний номер є обов'язковим
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Пункт Мудрий Податковий Подробиці
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Абревіатура інституту
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Абревіатура інституту
,Item-wise Price List Rate,Ціни прайс-листів по-товарно
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Пропозиція постачальника
DocType: Quotation,In Words will be visible once you save the Quotation.,"""Прописом"" буде видно, як тільки ви збережете пропозицію."
@@ -3697,14 +3724,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Кількість ({0}) не може бути фракцією в рядку {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,стягувати збори
DocType: Attendance,ATT-,попит-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Штрихкод {0} вже використовується у номенклатурній позиції {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Штрихкод {0} вже використовується у номенклатурній позиції {1}
DocType: Lead,Add to calendar on this date,Додати в календар в цей день
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Правила для додавання транспортні витрати.
DocType: Item,Opening Stock,Початкові залишки
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Потрібно клієнтів
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} є обов'язковим для повернення
DocType: Purchase Order,To Receive,Отримати
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Особиста електронна пошта
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Всього розбіжність
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Якщо опція включена, то система буде автоматично створювати бухгалтерські проводки для номенклатури."
@@ -3715,13 +3741,14 @@
DocType: Customer,From Lead,З Lead-а
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Замовлення випущений у виробництво.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Виберіть фінансовий рік ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,"Необхідний POS-профіль, щоб зробити POS-операцію"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,"Необхідний POS-профіль, щоб зробити POS-операцію"
DocType: Program Enrollment Tool,Enroll Students,зарахувати студентів
DocType: Hub Settings,Name Token,Ім'я маркера
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Стандартний Продаж
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Принаймні одне склад є обов'язковим
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Принаймні одне склад є обов'язковим
DocType: Serial No,Out of Warranty,З гарантії
DocType: BOM Replace Tool,Replace,Замінювати
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Не знайдено продуктів.
DocType: Production Order,Unstopped,відкриються
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} по вихідних рахунках-фактурах {1}
DocType: Sales Invoice,SINV-,Вих_Рах-
@@ -3732,13 +3759,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Різниця значень запасів
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Людський ресурс
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Оплата узгодження
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Податкові активи
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Податкові активи
DocType: BOM Item,BOM No,Номер Норм
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Проводка {0} не має рахунку {1} або вже прив'язана до іншого документу
DocType: Item,Moving Average,Moving Average
DocType: BOM Replace Tool,The BOM which will be replaced,"Норми, які будуть замінені"
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,електронні прилади
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,електронні прилади
DocType: Account,Debit,Дебет
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Листя повинні бути виділені в упаковці 0,5"
DocType: Production Order,Operation Cost,Операція Вартість
@@ -3746,7 +3773,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Неоплачена сума
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Встановити цілі по групах для цього Відповідального з продажу.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Заморожувати запаси старше ніж [днiв]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Рядок # {0}: Актив є обов'язковим для фіксованого активу покупки / продажу
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Рядок # {0}: Актив є обов'язковим для фіксованого активу покупки / продажу
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Якщо є два або більше Правил на основі зазначених вище умов, застосовується пріоритет. Пріоритет являє собою число від 0 до 20 зі значенням за замовчуванням , що дорівнює нулю (порожній). Більше число для певного правила означає, що воно буде мати більший пріоритет серед правил з такими ж умовами."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Фінансовий рік: {0} не існує
DocType: Currency Exchange,To Currency,У валюту
@@ -3755,7 +3782,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},"ставка для пункту продажу {0} нижче, ніж його {1}. курс продажу повинен бути принаймні {2}"
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},"ставка для пункту продажу {0} нижче, ніж його {1}. курс продажу повинен бути принаймні {2}"
DocType: Item,Taxes,Податки
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Платні і не доставляється
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,Платні і не доставляється
DocType: Project,Default Cost Center,Центр доходів/витрат за замовчуванням
DocType: Bank Guarantee,End Date,Дата закінчення
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Операції з інвентарем
@@ -3780,24 +3807,22 @@
DocType: Employee,Held On,Проводилася
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Виробництво товару
,Employee Information,Співробітник Інформація
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Ставка (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Ставка (%)
DocType: Stock Entry Detail,Additional Cost,Додаткова вартість
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Дата закінчення фінансового року
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",Неможливо фільтрувати по номеру документу якщо згруповано по документах
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Зробити пропозицію постачальника
DocType: Quality Inspection,Incoming,Вхідний
DocType: BOM,Materials Required (Exploded),"Матеріалів, необхідних (в розібраному)"
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Додайте користувачів у вашій організації, крім себе"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Дата розміщення не може бути майбутня дата
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},"Ряд # {0}: Серійний номер {1}, не відповідає {2} {3}"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Непланована відпустка
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Непланована відпустка
DocType: Batch,Batch ID,Ідентифікатор партії
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Примітка: {0}
,Delivery Note Trends,Тренд розхідних накладних
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Резюме цього тижня
-,In Stock Qty,В наявності Кількість
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,В наявності Кількість
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Рахунок: {0} може оновитися тільки операціями з інвентарем
-DocType: Program Enrollment,Get Courses,отримати курси
+DocType: Student Group Creation Tool,Get Courses,отримати курси
DocType: GL Entry,Party,Контрагент
DocType: Sales Order,Delivery Date,Дата доставки
DocType: Opportunity,Opportunity Date,Дата Нагоди
@@ -3805,14 +3830,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,Запит на позицію у пропозиції
DocType: Purchase Order,To Bill,Очікує рахунку
DocType: Material Request,% Ordered,% Замовлено
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Для заснованого курсу студентської групи, Курс буде перевірятися для кожного студента з зарахованих курсів в програмі зарахування."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Введіть адресу електронної пошти, розділених комами, рахунок-фактура буде відправлений автоматично на конкретну дату"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Відрядна робота
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Відрядна робота
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Сер. ціна закупівлі
DocType: Task,Actual Time (in Hours),Фактичний час (в годинах)
DocType: Employee,History In Company,Історія У Компанії
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Розсилка
DocType: Stock Ledger Entry,Stock Ledger Entry,Запис складської книги
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Клієнт> Група клієнтів> Територія
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Той же пункт був введений кілька разів
DocType: Department,Leave Block List,Список блокування відпусток
DocType: Sales Invoice,Tax ID,ІПН
@@ -3827,30 +3852,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,"{0} одиниць {1} необхідні {2}, щоб завершити цю угоду."
DocType: Loan Type,Rate of Interest (%) Yearly,Процентна ставка (%) Річний
DocType: SMS Settings,SMS Settings,Налаштування SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Тимчасові рахунки
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Чорний
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Тимчасові рахунки
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Чорний
DocType: BOM Explosion Item,BOM Explosion Item,Складова продукції згідно норм
DocType: Account,Auditor,Аудитор
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} виготовлені товари
DocType: Cheque Print Template,Distance from top edge,Відстань від верхнього краю
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Прайс-лист {0} відключений або не існує
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Прайс-лист {0} відключений або не існує
DocType: Purchase Invoice,Return,Повернення
DocType: Production Order Operation,Production Order Operation,Виробництво Порядок роботи
DocType: Pricing Rule,Disable,Відключити
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Спосіб оплати потрібно здійснити оплату
DocType: Project Task,Pending Review,В очікуванні відгук
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} не надійшов у Batch {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Asset {0} не може бути утилізовані, як це вже {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Всього витрат (за Авансовим звітом)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Ідентифікатор клієнта
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Марк Відсутня
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Рядок {0}: Валюта BOM # {1} має дорівнювати вибрану валюту {2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Рядок {0}: Валюта BOM # {1} має дорівнювати вибрану валюту {2}
DocType: Journal Entry Account,Exchange Rate,Курс валюти
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Замовлення клієнта {0} не проведено
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Замовлення клієнта {0} не проведено
DocType: Homepage,Tag Line,Tag Line
DocType: Fee Component,Fee Component,плата компонентів
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Управління флотом
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Додати елементи з
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Склад {0}: Батьківський рахунок {1} не належить компанії {2}
DocType: Cheque Print Template,Regular,регулярне
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Всього Weightage всіх критеріїв оцінки повинні бути 100%
DocType: BOM,Last Purchase Rate,Остання ціна закупівлі
@@ -3859,11 +3883,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,"Не може бути залишків по позиції {0}, так як вона має варіанти"
,Sales Person-wise Transaction Summary,Операції у розрізі Відповідальних з продажу
DocType: Training Event,Contact Number,Контактний номер
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Склад {0} не існує
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Склад {0} не існує
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Зареєструватися на Hub ERPNext
DocType: Monthly Distribution,Monthly Distribution Percentages,Щомісячні Відсотки розподілу
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Обрана номенклатурна позиція не може мати партій
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Швидкість оцінки не знайдено для пункту {0}, яке потрібно робити бухгалтерські записи для {1} {2}. Якщо елемент угод як елемент зразка в {1}, будь ласка, відзначити, що в {1} таблиці Item. В іншому випадку, будь ласка, створити входять акції угоду по ст або згадки ставки оцінки в запису товару, а потім спробувати завершенням заповнення / скасуванням цього запису"
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Швидкість оцінки не знайдено для пункту {0}, яке потрібно робити бухгалтерські записи для {1} {2}. Якщо елемент угод як елемент зразка в {1}, будь ласка, відзначити, що в {1} таблиці Item. В іншому випадку, будь ласка, створити входять акції угоду по ст або згадки ставки оцінки в запису товару, а потім спробувати завершенням заповнення / скасуванням цього запису"
DocType: Delivery Note,% of materials delivered against this Delivery Note,% Матеріалів доставляється по цій накладній
DocType: Project,Customer Details,Реквізити клієнта
DocType: Employee,Reports to,Підпорядкований
@@ -3871,24 +3895,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,Enter url parameter for receiver nos
DocType: Payment Entry,Paid Amount,Виплачена сума
DocType: Assessment Plan,Supervisor,Супервайзер
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Online
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,Online
,Available Stock for Packing Items,Доступно для пакування
DocType: Item Variant,Item Variant,Варіант номенклатурної позиції
DocType: Assessment Result Tool,Assessment Result Tool,Оцінка результату інструмент
DocType: BOM Scrap Item,BOM Scrap Item,BOM Лом Пункт
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,Відправив замовлення не можуть бути видалені
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Баланс рахунку в дебет вже, ви не можете встановити "баланс повинен бути", як "Кредит»"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Управління якістю
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,Відправив замовлення не можуть бути видалені
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Баланс рахунку в дебет вже, ви не можете встановити "баланс повинен бути", як "Кредит»"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Управління якістю
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Пункт {0} відключена
DocType: Employee Loan,Repay Fixed Amount per Period,Погашати фіксовану суму за період
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},"Будь ласка, введіть кількість для {0}"
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Кредит Примітка Amt
DocType: Employee External Work History,Employee External Work History,Співробітник зовнішньої роботи Історія
DocType: Tax Rule,Purchase,Купівля
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Кількісне сальдо
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Кількісне сальдо
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Цілі не можуть бути порожніми
DocType: Item Group,Parent Item Group,Батьківський елемент
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} для {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Центри витрат
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Центри витрат
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,"Курс, за яким валюта постачальника конвертується у базову валюту компанії"
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Ряд # {0}: таймінги конфлікти з низкою {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Дозволити нульову Незалежну оцінку Оцінити
@@ -3896,17 +3921,18 @@
DocType: Training Event Employee,Invited,запрошений
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,"Кілька активних Зарплатні структури, знайдені для працівника {0} для зазначених дат"
DocType: Opportunity,Next Contact,Наступний контакт
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Налаштування шлюзу рахунку.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Налаштування шлюзу рахунку.
DocType: Employee,Employment Type,Вид зайнятості
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Основні активи
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Основні активи
DocType: Payment Entry,Set Exchange Gain / Loss,Встановити Курсова прибуток / збиток
+,GST Purchase Register,GST Купівля Реєстрація
,Cash Flow,Рух грошових коштів
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Термін подачі заяв не може бути з двох alocation записів
DocType: Item Group,Default Expense Account,Витратний рахунок за замовчуванням
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Student Email ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student Email ID
DocType: Employee,Notice (days),Попередження (днів)
DocType: Tax Rule,Sales Tax Template,Шаблон податків на продаж
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Виберіть елементи для збереження рахунку-фактури
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Виберіть елементи для збереження рахунку-фактури
DocType: Employee,Encashment Date,Дата виплати
DocType: Training Event,Internet,інтернет
DocType: Account,Stock Adjustment,Підлаштування інвентаря
@@ -3935,7 +3961,7 @@
DocType: Guardian,Guardian Of ,хранитель
DocType: Grading Scale Interval,Threshold,поріг
DocType: BOM Replace Tool,Current BOM,Поточні норми витрат
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Додати серійний номер
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Додати серійний номер
apps/erpnext/erpnext/config/support.py +22,Warranty,гарантія
DocType: Purchase Invoice,Debit Note Issued,Дебет Примітка Випущений
DocType: Production Order,Warehouses,Склади
@@ -3944,20 +3970,20 @@
DocType: Workstation,per hour,в годину
apps/erpnext/erpnext/config/buying.py +7,Purchasing,Закупівля
DocType: Announcement,Announcement,Оголошення
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,Рахунок для складу (Perpetual Inventory) буде створена під цим обліковим записом.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Склад не може бути видалений, поки для нього існує запис у складській книзі."
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Для заснованої Batch Student Group, студентський Batch буде перевірятися для кожного студента з програми Зарахування."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,"Склад не може бути видалений, поки для нього існує запис у складській книзі."
DocType: Company,Distribution,Розподіл
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Виплачувана сума
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Керівник проекту
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Керівник проекту
,Quoted Item Comparison,Цитується Порівняння товару
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Відправка
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Макс дозволена знижка для позиції: {0} = {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Відправка
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Макс дозволена знижка для позиції: {0} = {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,"Чиста вартість активів, як на"
DocType: Account,Receivable,Дебіторська заборгованість
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Ряд # {0}: Не дозволено змінювати Постачальника оскільки вже існує Замовлення на придбання
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Ряд # {0}: Не дозволено змінювати Постачальника оскільки вже існує Замовлення на придбання
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,"Роль, що дозволяє проводити операції, які перевищують ліміти кредитів."
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Вибір елементів для виготовлення
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Майстер синхронізації даних, це може зайняти деякий час"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Вибір елементів для виготовлення
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Майстер синхронізації даних, це може зайняти деякий час"
DocType: Item,Material Issue,Матеріал Випуск
DocType: Hub Settings,Seller Description,Продавець Опис
DocType: Employee Education,Qualification,Кваліфікація
@@ -3977,7 +4003,6 @@
DocType: BOM,Rate Of Materials Based On,Вартість матеріалів базується на
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Аналітика підтримки
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Скасувати всі
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Компанія на складах не вистачає {0}
DocType: POS Profile,Terms and Conditions,Положення та умови
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},"""По дату"" повинна бути в межах фінансового року. Припускаючи По дату = {0}"
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Тут ви можете зберегти зріст, вага, алергії, медичні проблеми і т.д."
@@ -3992,19 +4017,18 @@
DocType: Sales Order Item,For Production,Для виробництва
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Подивитися Завдання
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Ваш фінансовий рік починається
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,ОПП / Свинець%
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,ОПП / Свинець%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Амортизація та баланси
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Сума {0} {1} переведений з {2} кілька разів {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Сума {0} {1} переведений з {2} кілька разів {3}
DocType: Sales Invoice,Get Advances Received,Взяти отримані аванси
DocType: Email Digest,Add/Remove Recipients,Додати / Видалити Одержувачів
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Угода не має проти зупинив виробництво Замовити {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Угода не має проти зупинив виробництво Замовити {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Щоб встановити цей фінансовий рік, за замовчуванням, натисніть на кнопку "Встановити за замовчуванням""
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,приєднатися
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,приєднатися
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Брак к-сті
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Вже існує варіант позиції {0} з такими атрибутами
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Вже існує варіант позиції {0} з такими атрибутами
DocType: Employee Loan,Repay from Salary,Погашати із заробітної плати
DocType: Leave Application,LAP/,LAP /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Запит платіж проти {0} {1} на суму {2}
@@ -4015,34 +4039,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Створення пакувальні листи для упаковки повинні бути доставлені. Використовується для повідомлення номер пакету, вміст пакету і його вага."
DocType: Sales Invoice Item,Sales Order Item,Позиція замовлення клієнта
DocType: Salary Slip,Payment Days,Дні оплати
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Склади з дочірніми вузлами не можуть бути перетворені в бухгалтерській книзі
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Склади з дочірніми вузлами не можуть бути перетворені в бухгалтерській книзі
DocType: BOM,Manage cost of operations,Управління вартість операцій
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Коли будь-яка з позначених операцій є ""Проведеною"", автоматично відкривається спливаюче вікно електронного листа, щоб надіслати лист з долученим документом відповідному ""Контактові"". Чи надсилати, чи не надсилати листа користувач вирішує на свій розсуд."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Глобальні налаштування
DocType: Assessment Result Detail,Assessment Result Detail,Оцінка результату Detail
DocType: Employee Education,Employee Education,Співробітник Освіта
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Повторювана група знахідку в таблиці групи товарів
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,Він необхідний для вилучення Подробиці Елементу.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,Він необхідний для вилучення Подробиці Елементу.
DocType: Salary Slip,Net Pay,"Сума ""на руки"""
DocType: Account,Account,Рахунок
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Серійний номер {0} вже отриманий
,Requested Items To Be Transferred,"Номенклатура, що ми замовили але не отримали"
DocType: Expense Claim,Vehicle Log,автомобіль Вхід
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Склад {0} не пов'язаний з якою-небудь облікового запису, будь ласка, створіть / зв'язати відповідний рахунок (актив) для складу."
DocType: Purchase Invoice,Recurring Id,Ідентифікатор періодичності
DocType: Customer,Sales Team Details,Продажі команд Детальніше
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Видалити назавжди?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Видалити назавжди?
DocType: Expense Claim,Total Claimed Amount,Усього сума претензії
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Потенційні можливості для продажу.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Невірний {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Лікарняний
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Невірний {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,Лікарняний
DocType: Email Digest,Email Digest,E-mail Дайджест
DocType: Delivery Note,Billing Address Name,Назва адреси для рахунків
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Універмаги
DocType: Warehouse,PIN,PIN-код
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Визначення своєї школи в ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Базова Зміна Сума (Компанія Валюта)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Немає бухгалтерських записів для наступних складів
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Немає бухгалтерських записів для наступних складів
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Спочатку збережіть документ.
DocType: Account,Chargeable,Оплаті
DocType: Company,Change Abbreviation,Змінити абревіатуру
@@ -4060,7 +4083,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Очікувана дата поставки не може бути менша за дату Замовлення на придбання
DocType: Appraisal,Appraisal Template,Оцінка шаблону
DocType: Item Group,Item Classification,Пункт Класифікація
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,менеджер з розвитку бізнесу
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,менеджер з розвитку бізнесу
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Мета візиту Технічного обслуговування
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Період
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Головна бухгалтерська книга
@@ -4070,8 +4093,8 @@
DocType: Item Attribute Value,Attribute Value,Значення атрибуту
,Itemwise Recommended Reorder Level,Рекомендовані рівні перезамовлення по товарах
DocType: Salary Detail,Salary Detail,Заробітна плата: Подробиці
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,"Будь ласка, виберіть {0} в першу чергу"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Партія {0} номенклатурної позиції {1} протермінована.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,"Будь ласка, виберіть {0} в першу чергу"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Партія {0} номенклатурної позиції {1} протермінована.
DocType: Sales Invoice,Commission,Комісія
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Час Лист для виготовлення.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,проміжний підсумок
@@ -4082,6 +4105,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,"Значення `Заморозити активи старіші ніж` повинно бути менше, ніж %d днів."
DocType: Tax Rule,Purchase Tax Template,Шаблон податку на закупку
,Project wise Stock Tracking,Стеження за запасами у рамках проекту
+DocType: GST HSN Code,Regional,регіональний
DocType: Stock Entry Detail,Actual Qty (at source/target),Фактична к-сть (в джерелі / цілі)
DocType: Item Customer Detail,Ref Code,Код посилання
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Співробітник записів.
@@ -4092,13 +4116,13 @@
DocType: Email Digest,New Purchase Orders,Нові Замовлення на придбання
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Корінь не може бути батьківським елементом для центру витрат
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Виберіть бренд ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Навчання / Результати
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Накопичений знос на
DocType: Sales Invoice,C-Form Applicable,"С-формі, застосовної"
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},"Час роботи повинно бути більше, ніж 0 для операції {0}"
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Склад є обов'язковим
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Склад є обов'язковим
DocType: Supplier,Address and Contacts,Адреса та контакти
DocType: UOM Conversion Detail,UOM Conversion Detail,Одиниця виміру Перетворення Деталь
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Підтримуйте web friendly : 900px (ширина) на 100px (висота)
DocType: Program,Program Abbreviation,Абревіатура програми
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Виробниче замовлення не може бути зроблене на шаблон номенклатурної позиції
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Збори у прихідній накладній оновлюються по кожній позиції
@@ -4106,13 +4130,13 @@
DocType: Bank Guarantee,Start Date,Дата початку
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Виділяють листя протягом.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,"Чеки та депозити неправильно ""очищені"""
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Рахунок {0}: Ви не можете призначити рахунок як батьківський до себе
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Рахунок {0}: Ви не можете призначити рахунок як батьківський до себе
DocType: Purchase Invoice Item,Price List Rate,Ціна з прайс-листа
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Створення котирування клієнтів
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Показати ""На складі"" або ""немає на складі"", базуючись на наявності на цьому складі."
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),"Норми витрат (НВ),"
DocType: Item,Average time taken by the supplier to deliver,Середній час потрібний постачальникові для поставки
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,оцінка результату
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,оцінка результату
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Часів
DocType: Project,Expected Start Date,Очікувана дата початку
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,"Видалити елемент, якщо стяхгнення не застосовуються до нього"
@@ -4126,25 +4150,24 @@
DocType: Workstation,Operating Costs,Експлуатаційні витрати
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,"Дія, якщо накопичений місячний бюджет перевищено"
DocType: Purchase Invoice,Submit on creation,Провести по створенню
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Валюта для {0} має бути {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Валюта для {0} має бути {1}
DocType: Asset,Disposal Date,Утилізація Дата
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Електронні листи будуть відправлені до всіх активні працівники компанії на даний час, якщо у них немає відпустки. Резюме відповідей буде відправлений опівночі."
DocType: Employee Leave Approver,Employee Leave Approver,Погоджувач відпустки працівника
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Ряд {0}: Перезамовлення вже існує для цього складу {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Ряд {0}: Перезамовлення вже існує для цього складу {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Не можете бути оголошений як втрачений, бо вже зроблена пропозиція."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Навчання Зворотній зв'язок
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Виробниче замовлення {0} повинно бути проведеним
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Виробниче замовлення {0} повинно бути проведеним
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},"Будь ласка, виберіть дату початку та дату закінчення Пункт {0}"
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Курс є обов'язковим в рядку {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,На сьогоднішній день не може бути раніше від дати
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Додати / Редагувати Ціни
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Додати / Редагувати Ціни
DocType: Batch,Parent Batch,батько Batch
DocType: Batch,Parent Batch,батько Batch
DocType: Cheque Print Template,Cheque Print Template,Шаблон друку чеків
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Перелік центрів витрат
,Requested Items To Be Ordered,Номенклатура до замовлення
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,"Склад компанії повинна бути такою ж, як рахунки компанії"
DocType: Price List,Price List Name,Назва прайс-листа
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Щодня Резюме Робота для {0}
DocType: Employee Loan,Totals,Загальні дані
@@ -4166,55 +4189,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,"Будь ласка, введіть дійсні номери мобільних"
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,"Будь ласка, введіть повідомлення перед відправкою"
DocType: Email Digest,Pending Quotations,до Котирування
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,POS- Профіль
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,POS- Профіль
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Оновіть SMS Налаштування
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Незабезпечені кредити
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Незабезпечені кредити
DocType: Cost Center,Cost Center Name,Назва центру витрат
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,Максимальна кількість робочих годин за табелем робочого часу
DocType: Maintenance Schedule Detail,Scheduled Date,Запланована дата
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Загальна оплачена сума
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Загальна оплачена сума
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Повідомлення більше ніж 160 символів будуть розділені на кілька повідомлень
DocType: Purchase Receipt Item,Received and Accepted,Отримав і прийняв
+,GST Itemised Sales Register,GST Деталізація продажів Реєстрація
,Serial No Service Contract Expiry,Закінчення сервісної угоди на серійний номер
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Один рахунок не може бути одночасно в дебеті та кредиті
DocType: Naming Series,Help HTML,Довідка з HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Студентська група Інструмент створення
DocType: Item,Variant Based On,Варіант Based On
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Всього weightage призначений повинна бути 100%. Це {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Ваші Постачальники
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Ваші Постачальники
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,"Неможливо встановити, як втратив у продажу замовлення провадиться."
DocType: Request for Quotation Item,Supplier Part No,Номер деталі постачальника
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',"Чи не можете відняти, коли категорія для "Оцінка" або "Vaulation і Total '"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Отримано від
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Отримано від
DocType: Lead,Converted,Перероблений
DocType: Item,Has Serial No,Має серійний номер
DocType: Employee,Date of Issue,Дата випуску
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: З {0} для {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","Згідно Настройці Покупки якщо Купівля Reciept Обов'язково == «YES», то для створення рахунку-фактури, користувач необхідний створити квитанцію про покупку першим за пунктом {0}"
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Ряд # {0}: Встановити Постачальник по пункту {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Рядок {0}: значення годин має бути більше нуля.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,"Зображення для веб-сайту {0}, долучене до об’єкту {1} не може бути знайдене"
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,"Зображення для веб-сайту {0}, долучене до об’єкту {1} не може бути знайдене"
DocType: Issue,Content Type,Тип вмісту
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Комп'ютер
DocType: Item,List this Item in multiple groups on the website.,Включити цей товар у декілька груп на веб сайті.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,"Будь ласка, перевірте мультивалютний варіант, що дозволяє рахунки іншій валюті"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Пункт: {0} не існує в системі
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Вам не дозволено встановлювати блокування
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Пункт: {0} не існує в системі
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Вам не дозволено встановлювати блокування
DocType: Payment Reconciliation,Get Unreconciled Entries,Отримати Неузгоджені Записи
DocType: Payment Reconciliation,From Invoice Date,Рахунки-фактури з датою від
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,Валюта оплати має співпадати з валютою компанії або валютою рахунку контрагента
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Залиште Інкасацію
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Що це робить?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,Валюта оплати має співпадати з валютою компанії або валютою рахунку контрагента
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Залиште Інкасацію
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Що це робить?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,На склад
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Все Вступникам Student
,Average Commission Rate,Середня ставка комісії
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,"""Має серійний номер"" не може бути ""Так"" для неінвентарного об’єкту"
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,"""Має серійний номер"" не може бути ""Так"" для неінвентарного об’єкту"
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Відвідуваність не можна вносити для майбутніх дат
DocType: Pricing Rule,Pricing Rule Help,Довідка з цінових правил
DocType: School House,House Name,Назва будинку
DocType: Purchase Taxes and Charges,Account Head,Рахунок
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Оновіть додаткові витрат для розрахунку кінцевої вартості товарів
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Електричний
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Електричний
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,"Додайте решту вашої організації в якості користувачів. Ви можете також додати запрошувати клієнтів на ваш портал, додавши їх зі списку контактів"
DocType: Stock Entry,Total Value Difference (Out - In),Загальна різниця (Розх - Прих)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Ряд {0}: Курс є обов'язковим
@@ -4224,7 +4249,7 @@
DocType: Item,Customer Code,Код клієнта
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Нагадування про день народження для {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Дні з останнього ордена
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Дебетом рахунка повинні бути баланс рахунку
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,Дебетом рахунка повинні бути баланс рахунку
DocType: Buying Settings,Naming Series,Іменування серії
DocType: Leave Block List,Leave Block List Name,Назва списку блокування відпусток
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,"Дата страхування початку повинна бути менше, ніж дата страхування End"
@@ -4239,27 +4264,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Зарплатний розрахунок для працівника {0} вже створений на основі табелю {1}
DocType: Vehicle Log,Odometer,одометр
DocType: Sales Order Item,Ordered Qty,Замовлена (ordered) к-сть
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Пункт {0} відключена
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Пункт {0} відключена
DocType: Stock Settings,Stock Frozen Upto,Рухи ТМЦ заблоковано по
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,Норми не містять жодного елементу запасів
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,Норми не містять жодного елементу запасів
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Період з Період і датам обов'язкових для повторюваних {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Проектна діяльність / завдання.
DocType: Vehicle Log,Refuelling Details,заправні Детальніше
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Згенерувати Зарплатні розрахунки
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","""Купівля"" повинно бути позначено, якщо ""Застосовне для"" обране як {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","""Купівля"" повинно бути позначено, якщо ""Застосовне для"" обране як {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,"Знижка повинна бути менше, ніж 100"
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Останню ціну закупівлі не знайдено
DocType: Purchase Invoice,Write Off Amount (Company Currency),Списання Сума (Компанія валют)
DocType: Sales Invoice Timesheet,Billing Hours,Оплачувані години
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,За замовчуванням BOM для {0} не найден
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,"Ряд # {0}: Будь ласка, встановіть кількість перезамовлення"
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,"Ряд # {0}: Будь ласка, встановіть кількість перезамовлення"
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,"Натисніть пункти, щоб додати їх тут"
DocType: Fees,Program Enrollment,Програма подачі заявок
DocType: Landed Cost Voucher,Landed Cost Voucher,Документ кінцевої вартості
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},"Будь ласка, встановіть {0}"
DocType: Purchase Invoice,Repeat on Day of Month,Повторіть день місяця
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} неактивний студент
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} неактивний студент
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} неактивний студент
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} неактивний студент
DocType: Employee,Health Details,Детальніше Здоров'я
DocType: Offer Letter,Offer Letter Terms,Пропозиція Лист Умови
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Для створення запиту платежу потрібно посилання на документ
@@ -4281,7 +4306,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Приклад :. ABCD ##### Якщо серія встановлений і Серійний номер не згадується в угодах, то автоматична серійний номер буде створений на основі цієї серії. Якщо ви хочете завжди явно згадати заводським номером для даного елемента. залишити це поле порожнім."
DocType: Upload Attendance,Upload Attendance,Завантажити Відвідуваність
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,Норми та кількість виробництва потрібні
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,Норми та кількість виробництва потрібні
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Старіння Діапазон 2
DocType: SG Creation Tool Course,Max Strength,Максимальна міцність
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,Норми замінено
@@ -4291,8 +4316,8 @@
,Prospects Engaged But Not Converted,Перспективи Займалися Але не Старовинні
DocType: Manufacturing Settings,Manufacturing Settings,Налаштування виробництва
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Налаштування e-mail
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Mobile Немає
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,"Будь ласка, введіть валюту за замовчуванням в компанії Master"
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile Немає
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,"Будь ласка, введіть валюту за замовчуванням в компанії Master"
DocType: Stock Entry Detail,Stock Entry Detail,Деталі Руху ТМЦ
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Щоденні нагадування
DocType: Products Settings,Home Page is Products,Головна сторінка є продукти
@@ -4301,7 +4326,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Новий акаунт Ім'я
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Вартість давальної сировини
DocType: Selling Settings,Settings for Selling Module,Налаштування модуля Продаж
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Обслуговування клієнтів
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Обслуговування клієнтів
DocType: BOM,Thumbnail,Мініатюра
DocType: Item Customer Detail,Item Customer Detail,Пункт Подробиці клієнтів
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Пропозиція кандидата на роботу.
@@ -4310,7 +4335,7 @@
DocType: Pricing Rule,Percentage,Відсоток
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Номенклатурна позиція {0} має бути інвентарною
DocType: Manufacturing Settings,Default Work In Progress Warehouse,За замовчуванням роботи на складі Прогрес
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Налаштування за замовчуванням для обліку операцій.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Налаштування за замовчуванням для обліку операцій.
DocType: Maintenance Visit,MV,М.В.
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Очікувана дата не може бути до дати Замовлення матеріалів
DocType: Purchase Invoice Item,Stock Qty,Фото Кількість
@@ -4324,10 +4349,10 @@
DocType: Sales Order,Printing Details,Друк Подробиці
DocType: Task,Closing Date,Дата закриття
DocType: Sales Order Item,Produced Quantity,Здобуте кількість
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Інженер
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Інженер
DocType: Journal Entry,Total Amount Currency,Загальна сума валюти
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Пошук Sub Асамблей
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Код товара потрібно в рядку Немає {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Код товара потрібно в рядку Немає {0}
DocType: Sales Partner,Partner Type,Тип Партнер
DocType: Purchase Taxes and Charges,Actual,Фактичний
DocType: Authorization Rule,Customerwise Discount,Customerwise Знижка
@@ -4344,11 +4369,11 @@
DocType: Item Reorder,Re-Order Level,Рівень дозамовлення
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,"Введіть позиції і планову к-сть, для яких ви хочете підвищити виробничі замовлення або завантажити сировини для аналізу."
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Діаграма Ганта
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Неповний робочий день
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Неповний робочий день
DocType: Employee,Applicable Holiday List,"Список вихідних, який використовується"
DocType: Employee,Cheque,Чек
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Серії оновлено
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Тип звіту є обов'язковим
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Тип звіту є обов'язковим
DocType: Item,Serial Number Series,Серії серійних номерів
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Склад є обов'язковим для номенклатури {0} в рядку {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Роздрібна та оптова
@@ -4369,7 +4394,7 @@
DocType: BOM,Materials,Матеріали
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Якщо не позначено, то список буде потрібно додати до кожного відділу, де він має бути застосований."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Вихідний та цільовий склад не можуть бути однаковими
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Дата та час розміщення/створення є обов'язковими
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Дата та час розміщення/створення є обов'язковими
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,Податковий шаблон для операцій покупки.
,Item Prices,Ціни
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,"Прописом буде видно, як тільки ви збережете Замовлення на придбання."
@@ -4379,22 +4404,23 @@
DocType: Purchase Invoice,Advance Payments,Авансові платежі
DocType: Purchase Taxes and Charges,On Net Total,На чистий підсумок
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Значення атрибуту {0} має бути в діапазоні від {1} до {2} в збільшень {3} для п {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,"Склад призначення у рядку {0} повинен бути такий самий, як у виробничому замовленні"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,"Склад призначення у рядку {0} повинен бути такий самий, як у виробничому замовленні"
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,"""E-mail адреса для повідомлень"", не зазначені для періодичних %s"
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,"Валюта не може бути змінена після внесення запису, використовуючи інший валюти"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,"Валюта не може бути змінена після внесення запису, використовуючи інший валюти"
DocType: Vehicle Service,Clutch Plate,диск зчеплення
DocType: Company,Round Off Account,Рахунок заокруглення
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Адміністративні витрати
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Адміністративні витрати
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Консалтинг
DocType: Customer Group,Parent Customer Group,Батько Група клієнтів
DocType: Purchase Invoice,Contact Email,Контактний Email
DocType: Appraisal Goal,Score Earned,Оцінка Зароблені
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Примітка Період
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Примітка Період
DocType: Asset Category,Asset Category Name,Назва категорії активів
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Це корінь територія і не можуть бути змінені.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Ім'я нового Відповідального з продажу
DocType: Packing Slip,Gross Weight UOM,Вага брутто Одиниця виміру
DocType: Delivery Note Item,Against Sales Invoice,На рахунок продажу
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,"Будь ласка, введіть серійні номери для серіалізовані пункту"
DocType: Bin,Reserved Qty for Production,К-сть зарезервована для виробництва
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Залиште прапорець, якщо ви не хочете, щоб розглянути партію, роблячи групу курсів на основі."
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,"Залиште прапорець, якщо ви не хочете, щоб розглянути партію, роблячи групу курсів на основі."
@@ -4403,25 +4429,25 @@
DocType: Landed Cost Item,Landed Cost Item,Приземлився Вартість товару
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Показати нульові значення
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Кількість пункту отримані після виготовлення / перепакування із заданих кількостях сировини
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Налаштувати простий веб-сайт для моєї організації
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Налаштувати простий веб-сайт для моєї організації
DocType: Payment Reconciliation,Receivable / Payable Account,Рахунок Кредиторської / Дебіторської заборгованості
DocType: Delivery Note Item,Against Sales Order Item,На Sales Order Пункт
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},"Будь ласка, сформулюйте Значення атрибуту для атрибуту {0}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},"Будь ласка, сформулюйте Значення атрибуту для атрибуту {0}"
DocType: Item,Default Warehouse,Склад за замовчуванням
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Бюджет не може бути призначений на обліковий запис групи {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,"Будь ласка, введіть батьківський центр витрат"
DocType: Delivery Note,Print Without Amount,Друк без розмірі
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,Дата амортизації
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Податковий Категорія не може бути "Оцінка" або "Оцінка і загальне", як всі елементи, немає в наявності"
DocType: Issue,Support Team,Команда підтримки
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Термін дії (в днях)
DocType: Appraisal,Total Score (Out of 5),Всього балів (з 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Партія
+DocType: Student Attendance Tool,Batch,Партія
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Баланс
DocType: Room,Seating Capacity,Кількість сидячих місць
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Всього витрат (за Авансовими звітами)
+DocType: GST Settings,GST Summary,GST Резюме
DocType: Assessment Result,Total Score,Загальний рахунок
DocType: Journal Entry,Debit Note,Повідомлення про повернення
DocType: Stock Entry,As per Stock UOM,як од.вим.
@@ -4433,12 +4459,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Склад готової продукції за замовчуванням
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Відповідальний з продажу
DocType: SMS Parameter,SMS Parameter,SMS Параметр
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Бюджет та центр витрат
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Бюджет та центр витрат
DocType: Vehicle Service,Half Yearly,Півроку
DocType: Lead,Blog Subscriber,Абонент блогу
DocType: Guardian,Alternate Number,через одне число
DocType: Assessment Plan Criteria,Maximum Score,Максимальний бал
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Створення правил по обмеженню угод на основі значень.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Група Ролл Немає
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Залиште поле порожнім, якщо ви робите груп студентів на рік"
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,"Залиште поле порожнім, якщо ви робите груп студентів на рік"
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Якщо позначено, ""Загальна кількість робочих днів"" буде включати в себе свята, і це призведе до зниження розміру ""Зарплати за день"""
@@ -4458,6 +4485,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Згідно операцій по цьому клієнту. Див графік нижче для отримання докладної інформації
DocType: Supplier,Credit Days Based On,Кредитні дні рахуються як
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Рядок {0}: Розподілена сума {1} повинна бути менше або дорівнювати сумі Оплати {2}
+,Course wise Assessment Report,Доповідь Курсу мудрої Оцінки
DocType: Tax Rule,Tax Rule,Податкове правило
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Підтримувати ціну протягом циклу продажу
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Планувати час журнали за межами робочої станції робочих годин.
@@ -4466,7 +4494,7 @@
,Items To Be Requested,Товари до відвантаження
DocType: Purchase Order,Get Last Purchase Rate,Отримати останню ціну закупівлі
DocType: Company,Company Info,Інформація про компанію
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Вибрати або додати нового клієнта
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Вибрати або додати нового клієнта
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,МВЗ потрібно замовити вимога про витрати
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Застосування засобів (активів)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Це засновано на відвідуваності цього співробітника
@@ -4474,27 +4502,29 @@
DocType: Fiscal Year,Year Start Date,Дата початку року
DocType: Attendance,Employee Name,Ім'я працівника
DocType: Sales Invoice,Rounded Total (Company Currency),Заокруглений підсумок (Валюта компанії)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,"Не можете приховані в групу, тому що обрано тип рахунку."
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,"Не можете приховані в групу, тому що обрано тип рахунку."
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,"{0} {1} був змінений. Будь ласка, поновіть."
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Завадити користувачам створювати заяви на відпустки на наступні дні.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Закупівельна сума
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Пропозицію постачальника {0} створено
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Рік закінчення не може бути раніше початку року
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Виплати працівникам
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Виплати працівникам
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Упакування кількість повинна дорівнювати кількість для пункту {0} в рядку {1}
DocType: Production Order,Manufactured Qty,Вироблена к-сть
DocType: Purchase Receipt Item,Accepted Quantity,Прийнята кількість
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},"Будь ласка, встановіть список вихідних за замовчуванням для працівника {0} або Компанії {1}"
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} не існує
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} не існує
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Вибір номер партії
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,"Законопроекти, підняті клієнтам."
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Проект Id
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Рядок № {0}: Сума не може бути більша ніж сума до погодження по Авансовому звіту {1}. Сума до погодження = {2}
DocType: Maintenance Schedule,Schedule,Графік
DocType: Account,Parent Account,Батьківський рахунок
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,наявний
DocType: Quality Inspection Reading,Reading 3,Читання 3
,Hub,Концентратор
DocType: GL Entry,Voucher Type,Тип документа
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Прайс-лист не знайдений або відключений
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Прайс-лист не знайдений або відключений
DocType: Employee Loan Application,Approved,Затверджений
DocType: Pricing Rule,Price,Ціна
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Співробітник звільняється від {0} повинен бути встановлений як "ліві"
@@ -4505,7 +4535,8 @@
DocType: Selling Settings,Campaign Naming By,Називати кампанії за
DocType: Employee,Current Address Is,Поточна адреса
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,модифікований
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Необов'язково. Встановлює за замовчуванням валюту компанії, якщо не вказано."
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Необов'язково. Встановлює за замовчуванням валюту компанії, якщо не вказано."
+DocType: Sales Invoice,Customer GSTIN,GSTIN клієнтів
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Бухгалтерських журналів.
DocType: Delivery Note Item,Available Qty at From Warehouse,Доступна к-сть на вихідному складі
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,"Будь ласка, виберіть Employee Record перший."
@@ -4513,7 +4544,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Ряд {0}: Партія / рахунку не відповідає {1} / {2} в {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,"Будь ласка, введіть видатковий рахунок"
DocType: Account,Stock,Інвентар
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Рядок # {0}: тип документу має бути одним з: Замовлення на придбання, Вхідний рахунок-фактура або Запис журналу"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Рядок # {0}: тип документу має бути одним з: Замовлення на придбання, Вхідний рахунок-фактура або Запис журналу"
DocType: Employee,Current Address,Поточна адреса
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Якщо товар є варіантом іншого, то опис, зображення, ціноутворення, податки і т.д. будуть встановлені на основі шаблону, якщо явно не вказано інше"
DocType: Serial No,Purchase / Manufacture Details,Закупівля / Виробництво: Детальніше
@@ -4526,8 +4557,8 @@
DocType: Pricing Rule,Min Qty,Мін. к-сть
DocType: Asset Movement,Transaction Date,Дата операції
DocType: Production Plan Item,Planned Qty,Планована к-сть
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Загальні податкові
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Для Кількість (Виробник Кількість) є обов'язковим
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Загальні податкові
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Для Кількість (Виробник Кількість) є обов'язковим
DocType: Stock Entry,Default Target Warehouse,Склад призначення за замовчуванням
DocType: Purchase Invoice,Net Total (Company Currency),Чистий підсумок (у валюті компанії)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,"Рік Кінцева дата не може бути раніше, ніж рік Дата початку. Будь ласка, виправте дату і спробуйте ще раз."
@@ -4541,15 +4572,12 @@
DocType: Hub Settings,Hub Settings,Налаштування концентратора
DocType: Project,Gross Margin %,Валовий дохід %
DocType: BOM,With Operations,З операцій
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,"Бухгалтерські вже були зроблені у валюті {0} для компанії {1}. Будь ласка, виберіть дебіторської або кредиторської заборгованості рахунок з валютою {0}."
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,"Бухгалтерські вже були зроблені у валюті {0} для компанії {1}. Будь ласка, виберіть дебіторської або кредиторської заборгованості рахунок з валютою {0}."
DocType: Asset,Is Existing Asset,Існуючий актив
DocType: Salary Detail,Statistical Component,Статистичний компонент
DocType: Salary Detail,Statistical Component,Статистичний компонент
-,Monthly Salary Register,Реєстр щомісячної заробітної плати
DocType: Warranty Claim,If different than customer address,Якщо відрізняється від адреси клієнта
DocType: BOM Operation,BOM Operation,Операція Норм витрат
-DocType: School Settings,Validate the Student Group from Program Enrollment,Перевірка групи студентів з програми Зарахування
-DocType: School Settings,Validate the Student Group from Program Enrollment,Перевірка групи студентів з програми Зарахування
DocType: Purchase Taxes and Charges,On Previous Row Amount,На Попередня Сума Row
DocType: Student,Home Address,Домашня адреса
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,передача активів
@@ -4557,28 +4585,27 @@
DocType: Training Event,Event Name,Назва події
apps/erpnext/erpnext/config/schools.py +39,Admission,вхід
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Вступникам для {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Сезонність для установки бюджети, цільові тощо"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Номенклатурна позиція {0} - шаблон, виберіть один з його варіантів"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Сезонність для установки бюджети, цільові тощо"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Номенклатурна позиція {0} - шаблон, виберіть один з його варіантів"
DocType: Asset,Asset Category,Категорія активів
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Той хто закуповує
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,"Сума ""на руки"" не може бути від'ємною"
DocType: SMS Settings,Static Parameters,Статичні параметри
DocType: Assessment Plan,Room,кімната
DocType: Purchase Order,Advance Paid,Попередньо оплачено
DocType: Item,Item Tax,Податки
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Матеріал Постачальнику
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Акцизний Рахунок
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Акцизний Рахунок
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% з'являється більше одного разу
DocType: Expense Claim,Employees Email Id,Співробітники Email ID
DocType: Employee Attendance Tool,Marked Attendance,Внесена відвідуваність
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Поточні зобов'язання
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Поточні зобов'язання
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Відправити SMS масового вашим контактам
DocType: Program,Program Name,Назва програми
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Розглянемо податку або збору для
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Фактична к-сть обов'язкова
DocType: Employee Loan,Loan Type,Тип кредиту
DocType: Scheduling Tool,Scheduling Tool,планування Інструмент
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Кредитна карта
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Кредитна карта
DocType: BOM,Item to be manufactured or repacked,Пункт має бути виготовлений чи перепакована
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Налаштування за замовчуванням для складських операцій.
DocType: Purchase Invoice,Next Date,Наступна дата
@@ -4594,10 +4621,10 @@
DocType: Stock Entry,Repack,Перепакувати
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Ви повинні зберегти форму перед продовженням
DocType: Item Attribute,Numeric Values,Числові значення
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Долучити логотип
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Долучити логотип
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Сток Рівні
DocType: Customer,Commission Rate,Ставка комісії
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Зробити варіанти
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Зробити варіанти
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Блокувати заяви на відпустки по підрозділу.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Тип оплати повинен бути одним з Надсилати, Pay і внутрішній переказ"
apps/erpnext/erpnext/config/selling.py +179,Analytics,Аналітика
@@ -4605,45 +4632,45 @@
DocType: Vehicle,Model,модель
DocType: Production Order,Actual Operating Cost,Фактична Операційна Вартість
DocType: Payment Entry,Cheque/Reference No,Номер Чеку / Посилання
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Корінь не може бути змінений.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Корінь не може бути змінений.
DocType: Item,Units of Measure,одиниці виміру
DocType: Manufacturing Settings,Allow Production on Holidays,Дозволити виробництво на вихідних
DocType: Sales Order,Customer's Purchase Order Date,Дата оригінала замовлення клієнта
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Основний капітал
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Основний капітал
DocType: Shopping Cart Settings,Show Public Attachments,Показати Публічні вкладення
DocType: Packing Slip,Package Weight Details,Вага упаковки Детальніше
DocType: Payment Gateway Account,Payment Gateway Account,Обліковий запис платіжного шлюзу
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Після завершення оплати перенаправити користувача на обрану сторінку.
DocType: Company,Existing Company,існуючі компанії
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Tax Категорія було змінено на «Total», тому що всі деталі, немає в наявності"
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,"Будь ласка, виберіть файл CSV з"
DocType: Student Leave Application,Mark as Present,Повідомити про Present
DocType: Purchase Order,To Receive and Bill,Отримати та виставити рахунки
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Рекомендовані товари
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Дизайнер
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Дизайнер
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Шаблон положень та умов
DocType: Serial No,Delivery Details,Деталі доставки
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Вартість Центр потрібно в рядку {0} в таблиці податків для типу {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Вартість Центр потрібно в рядку {0} в таблиці податків для типу {1}
DocType: Program,Program Code,програмний код
DocType: Terms and Conditions,Terms and Conditions Help,Довідка з правил та умов
,Item-wise Purchase Register,Попозиційний реєстр закупівель
DocType: Batch,Expiry Date,Термін придатності
-,Supplier Addresses and Contacts,Адреса та контактні дані постачальника
,accounts-browser,переглядач рахунків
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,"Ласка, виберіть категорію спершу"
apps/erpnext/erpnext/config/projects.py +13,Project master.,Майстер проекту.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Щоб дозволити over-billing або over-ordering, змініть ""Дозвіл"" в налаштуваннях інвентаря або даної позиції."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Щоб дозволити over-billing або over-ordering, змініть ""Дозвіл"" в налаштуваннях інвентаря або даної позиції."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,"Не показувати жодних символів на кшталт ""₴"" і подібних поряд з валютами."
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Половина дня)
DocType: Supplier,Credit Days,Кредитні Дні
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Make Student Batch
DocType: Leave Type,Is Carry Forward,Є переносити
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Отримати елементи з норм
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Отримати елементи з норм
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Час на поставку в днях
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},"Рядок # {0}: Дата створення повинна бути такою ж, як дата покупки {1} активу {2}"
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},"Рядок # {0}: Дата створення повинна бути такою ж, як дата покупки {1} активу {2}"
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,"Будь ласка, введіть Замовлення клієнтів у наведеній вище таблиці"
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Чи не Опубліковано Зарплатні Slips
,Stock Summary,сумарний стік
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Передача активу з одного складу на інший
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Передача активу з одного складу на інший
DocType: Vehicle,Petrol,бензин
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Відомість матеріалів
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Ряд {0}: Партія Тип і партія необхідна для / дебіторська заборгованість увагу {1}
@@ -4654,6 +4681,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,Санкціонована сума
DocType: GL Entry,Is Opening,Введення залишків
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Ряд {0}: Дебет запис не може бути пов'язаний з {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Рахунок {0} не існує
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Рахунок {0} не існує
DocType: Account,Cash,Грошові кошти
DocType: Employee,Short biography for website and other publications.,Коротка біографія для веб-сайту та інших публікацій.
diff --git a/erpnext/translations/ur.csv b/erpnext/translations/ur.csv
index 5eef02e..c4d4f78 100644
--- a/erpnext/translations/ur.csv
+++ b/erpnext/translations/ur.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,صارفین کی مصنوعات
DocType: Item,Customer Items,کسٹمر اشیاء
DocType: Project,Costing and Billing,لاگت اور بلنگ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,اکاؤنٹ {0}: والدین اکاؤنٹ {1} ایک اکاؤنٹ نہیں ہو سکتا
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,اکاؤنٹ {0}: والدین اکاؤنٹ {1} ایک اکاؤنٹ نہیں ہو سکتا
DocType: Item,Publish Item to hub.erpnext.com,hub.erpnext.com کرنے آئٹم شائع
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,ای میل نوٹیفیکیشن
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,تشخیص
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,تشخیص
DocType: Item,Default Unit of Measure,پیمائش کی پہلے سے طے شدہ یونٹ
DocType: SMS Center,All Sales Partner Contact,تمام سیلز پارٹنر رابطہ
DocType: Employee,Leave Approvers,Approvers چھوڑ دو
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),زر مبادلہ کی شرح کے طور پر ایک ہی ہونا چاہیے {0} {1} ({2})
DocType: Sales Invoice,Customer Name,گاہک کا نام
DocType: Vehicle,Natural Gas,قدرتی گیس
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},بینک اکاؤنٹ کے طور پر نامزد نہیں کیا جا سکتا {0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},بینک اکاؤنٹ کے طور پر نامزد نہیں کیا جا سکتا {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,سربراہان (یا گروپ) جس کے خلاف اکاؤنٹنگ اندراجات بنا رہے ہیں اور توازن برقرار رکھا جاتا ہے.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),بقایا {0} نہیں ہو سکتا کے لئے صفر سے بھی کم ({1})
DocType: Manufacturing Settings,Default 10 mins,10 منٹس پہلے سے طے شدہ
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,تمام سپلائر سے رابطہ
DocType: Support Settings,Support Settings,سپورٹ ترتیبات
DocType: SMS Parameter,Parameter,پیرامیٹر
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,متوقع تاریخ اختتام متوقع شروع کرنے کی تاریخ کے مقابلے میں کم نہیں ہو سکتا
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,متوقع تاریخ اختتام متوقع شروع کرنے کی تاریخ کے مقابلے میں کم نہیں ہو سکتا
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,صف # {0}: شرح کے طور پر ایک ہی ہونا چاہیے {1}: {2} ({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,نیا رخصت کی درخواست
,Batch Item Expiry Status,بیچ آئٹم ختم ہونے کی حیثیت
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,بینک ڈرافٹ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,بینک ڈرافٹ
DocType: Mode of Payment Account,Mode of Payment Account,ادائیگی اکاؤنٹ کے موڈ
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,دکھائیں متغیرات
DocType: Academic Term,Academic Term,تعلیمی مدت
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,مواد
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,مقدار
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,میز اکاؤنٹس خالی نہیں رہ سکتی.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),قرضے (واجبات)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),قرضے (واجبات)
DocType: Employee Education,Year of Passing,پاسنگ کا سال
DocType: Item,Country of Origin,پیدائشی ملک
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,اسٹاک میں
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,اسٹاک میں
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,کھولیں مسائل
DocType: Production Plan Item,Production Plan Item,پیداوار کی منصوبہ بندی آئٹم
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},صارف {0} پہلے ہی ملازم کو تفویض کیا جاتا ہے {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,صحت کی دیکھ بھال
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),ادائیگی میں تاخیر (دن)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,سروس کے اخراجات
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},سیریل نمبر: {0} نے پہلے ہی فروخت انوائس میں محولہ ہے: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},سیریل نمبر: {0} نے پہلے ہی فروخت انوائس میں محولہ ہے: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,انوائس
DocType: Maintenance Schedule Item,Periodicity,مدت
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,مالی سال {0} کی ضرورت ہے
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,صف # {0}:
DocType: Timesheet,Total Costing Amount,کل لاگت رقم
DocType: Delivery Note,Vehicle No,گاڑی نہیں
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,قیمت کی فہرست براہ مہربانی منتخب کریں
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,قیمت کی فہرست براہ مہربانی منتخب کریں
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,صف # {0}: ادائیگی کی دستاویز trasaction مکمل کرنے کی ضرورت ہے
DocType: Production Order Operation,Work In Progress,کام جاری ہے
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,تاریخ منتخب کیجیے
DocType: Employee,Holiday List,چھٹیوں فہرست
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,اکاؤنٹنٹ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,اکاؤنٹنٹ
DocType: Cost Center,Stock User,اسٹاک صارف
DocType: Company,Phone No,فون نمبر
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,کورس شیڈول پیدا کیا:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},نیا {0}: # {1}
,Sales Partners Commission,سیلز شراکت دار کمیشن
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,زیادہ سے زیادہ 5 حروف نہیں کر سکتے ہیں مخفف
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,زیادہ سے زیادہ 5 حروف نہیں کر سکتے ہیں مخفف
DocType: Payment Request,Payment Request,ادائیگی کی درخواست
DocType: Asset,Value After Depreciation,ہراس کے بعد ویلیو
DocType: Employee,O+,O +
@@ -103,12 +103,13 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,حاضری کی تاریخ ملازم کی میں شمولیت کی تاریخ سے کم نہیں ہو سکتا
DocType: Grading Scale,Grading Scale Name,گریڈنگ پیمانے نام
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,یہ ایک جڑ اکاؤنٹ ہے اور میں ترمیم نہیں کیا جا سکتا.
+DocType: Sales Invoice,Company Address,کمپنی ایڈریس
DocType: BOM,Operations,آپریشنز
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},کے لئے ڈسکاؤنٹ کی بنیاد پر اجازت مقرر نہیں کر سکتے ہیں {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name",دو کالموں، پرانے نام کے لئے ایک اور نئے نام کے لئے ایک کے ساتھ CSV فائل منسلک کریں
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} میں کوئی فعال مالی سال نہیں.
DocType: Packed Item,Parent Detail docname,والدین تفصیل docname
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,کلو
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,کلو
DocType: Student Log,Log,لاگ
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,ایک کام کے لئے کھولنے.
DocType: Item Attribute,Increment,اضافہ
@@ -116,9 +117,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,ایڈورٹائزنگ
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,ایک ہی کمپنی ایک سے زیادہ بار داخل کیا جاتا ہے
DocType: Employee,Married,شادی
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},کی اجازت نہیں {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},کی اجازت نہیں {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,سے اشیاء حاصل
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},اسٹاک ترسیل کے نوٹ کے خلاف اپ ڈیٹ نہیں کیا جا سکتا {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},اسٹاک ترسیل کے نوٹ کے خلاف اپ ڈیٹ نہیں کیا جا سکتا {0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,کوئی آئٹم مندرج
DocType: Payment Reconciliation,Reconcile,مصالحت
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +30,Grocery,گروسری
@@ -128,25 +129,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,اگلا ہراس تاریخ تاریخ کی خریداری سے پہلے نہیں ہو سکتا
DocType: SMS Center,All Sales Person,تمام فروخت شخص
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** ماہانہ ڈسٹریبیوش ** آپ کو مہینوں بھر بجٹ / نشانے کی تقسیم سے آپ کو آپ کے کاروبار میں seasonality کے ہو تو میں مدد ملتی ہے.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,آئٹم نہیں ملا
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,آئٹم نہیں ملا
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,تنخواہ ساخت لاپتہ
DocType: Lead,Person Name,شخص کا نام
DocType: Sales Invoice Item,Sales Invoice Item,فروخت انوائس آئٹم
DocType: Account,Credit,کریڈٹ
DocType: POS Profile,Write Off Cost Center,لاگت مرکز بند لکھیں
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",مثلا "پرائمری سکول" یا "یونیورسٹی"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",مثلا "پرائمری سکول" یا "یونیورسٹی"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,اسٹاک کی رپورٹ
DocType: Warehouse,Warehouse Detail,گودام تفصیل
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},کریڈٹ کی حد گاہک کے لئے تجاوز کر گئی ہے {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},کریڈٹ کی حد گاہک کے لئے تجاوز کر گئی ہے {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,اصطلاح آخر تاریخ بعد میں جس چیز کی اصطلاح منسلک ہے کے تعلیمی سال کے سال آخر تاریخ سے زیادہ نہیں ہو سکتا ہے (تعلیمی سال {}). تاریخوں درست کریں اور دوبارہ کوشش کریں براہ مہربانی.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","فکسڈ اثاثہ ہے" اثاثہ ریکارڈ کی شے کے خلاف موجود نہیں کے طور پر، انینترت ہو سکتا ہے
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","فکسڈ اثاثہ ہے" اثاثہ ریکارڈ کی شے کے خلاف موجود نہیں کے طور پر، انینترت ہو سکتا ہے
DocType: Vehicle Service,Brake Oil,وقفے تیل
DocType: Tax Rule,Tax Type,ٹیکس کی قسم
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},تم سے پہلے اندراجات شامل کرنے یا اپ ڈیٹ کرنے کی اجازت نہیں ہے {0}
DocType: BOM,Item Image (if not slideshow),آئٹم تصویر (سلائڈ شو نہیں تو)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,ایک کسٹمر کو ایک ہی نام کے ساتھ موجود
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,ڰنٹےکی شرح / 60) * اصل آپریشن کے وقت)
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,BOM منتخب
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,BOM منتخب
DocType: SMS Log,SMS Log,ایس ایم ایس لاگ ان
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,ہونے والا اشیا کی لاگت
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,{0} پر چھٹی تاریخ سے اور تاریخ کے درمیان نہیں ہے
@@ -157,14 +158,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},سے {0} سے {1}
DocType: Item,Copy From Item Group,آئٹم گروپ سے کاپی
DocType: Journal Entry,Opening Entry,افتتاحی انٹری
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,کسٹمر> کسٹمر گروپ> علاقہ
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,اکاؤنٹ تنخواہ صرف
DocType: Employee Loan,Repay Over Number of Periods,دوران ادوار کی تعداد ادا
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} میں اندراج نہیں ہے دیا {2}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} میں اندراج نہیں ہے دیا {2}
DocType: Stock Entry,Additional Costs,اضافی اخراجات
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,موجودہ لین دین کے ساتھ اکاؤنٹ گروپ میں تبدیل نہیں کیا جا سکتا.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,موجودہ لین دین کے ساتھ اکاؤنٹ گروپ میں تبدیل نہیں کیا جا سکتا.
DocType: Lead,Product Enquiry,مصنوعات کی انکوائری
DocType: Academic Term,Schools,اسکولوں
+DocType: School Settings,Validate Batch for Students in Student Group,طالب علم گروپ کے طلبا کے بیچ کی توثیق
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},ملازم کیلئے کوئی چھٹی ریکارڈ {0} کے لئے {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,پہلی کمپنی داخل کریں
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,پہلی کمپنی کا انتخاب کریں
@@ -173,49 +174,49 @@
DocType: BOM,Total Cost,کل لاگت
DocType: Journal Entry Account,Employee Loan,ملازم قرض
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,سرگرمی لاگ ان:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,{0} آئٹم نظام میں موجود نہیں ہے یا ختم ہو گیا ہے
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,{0} آئٹم نظام میں موجود نہیں ہے یا ختم ہو گیا ہے
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,ریل اسٹیٹ کی
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,اکاؤنٹ کا بیان
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,دواسازی
DocType: Purchase Invoice Item,Is Fixed Asset,فکسڈ اثاثہ ہے
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}",دستیاب کی مقدار {0}، آپ کی ضرورت ہے {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}",دستیاب کی مقدار {0}، آپ کی ضرورت ہے {1}
DocType: Expense Claim Detail,Claim Amount,دعوے کی رقم
-DocType: Employee,Mr,جناب
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,cutomer گروپ کے ٹیبل میں پایا ڈوپلیکیٹ گاہک گروپ
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,پردایک قسم / سپلائر
DocType: Naming Series,Prefix,اپسرگ
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,فراہمی
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,فراہمی
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,درآمد لاگ ان
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,ھیںچو اوپر کے معیار کی بنیاد پر قسم تیاری کے مواد کی گذارش
DocType: Training Result Employee,Grade,گریڈ
DocType: Sales Invoice Item,Delivered By Supplier,سپلائر کی طرف سے نجات بخشی
DocType: SMS Center,All Contact,تمام رابطہ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,پروڈکشن آرڈر پہلے سے ہی BOM کے ساتھ تمام اشیاء کے لئے پیدا
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,سالانہ تنخواہ
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,پروڈکشن آرڈر پہلے سے ہی BOM کے ساتھ تمام اشیاء کے لئے پیدا
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,سالانہ تنخواہ
DocType: Daily Work Summary,Daily Work Summary,روز مرہ کے کام کا خلاصہ
DocType: Period Closing Voucher,Closing Fiscal Year,مالی سال بند
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1} منجمد ھو گیا ھے
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,اکاؤنٹس کا چارٹ بنانے کے لئے موجودہ کمپنی براہ مہربانی منتخب کریں
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,اسٹاک اخراجات
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1} منجمد ھو گیا ھے
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,اکاؤنٹس کا چارٹ بنانے کے لئے موجودہ کمپنی براہ مہربانی منتخب کریں
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,اسٹاک اخراجات
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,کے ھدف گودام کریں
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,کے ھدف گودام کریں
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,داخل کریں ترجیحی رابطہ ای میل
+DocType: Program Enrollment,School Bus,اسکول بس
DocType: Journal Entry,Contra Entry,برعکس انٹری
DocType: Journal Entry Account,Credit in Company Currency,کمپنی کرنسی میں کریڈٹ
DocType: Delivery Note,Installation Status,تنصیب کی حیثیت
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",آپ کی حاضری کو اپ ڈیٹ کرنا چاہتے ہیں؟ <br> موجودہ: {0} \ <br> غائب: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},مقدار مسترد منظور + شے کے لئے موصول مقدار کے برابر ہونا چاہیے {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},مقدار مسترد منظور + شے کے لئے موصول مقدار کے برابر ہونا چاہیے {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,خام مال کی سپلائی کی خریداری کے لئے
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,ادائیگی کی کم از کم ایک موڈ POS انوائس کے لئے ضروری ہے.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,ادائیگی کی کم از کم ایک موڈ POS انوائس کے لئے ضروری ہے.
DocType: Products Settings,Show Products as a List,شو کی مصنوعات ایک فہرست کے طور
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records",، سانچہ ڈاؤن لوڈ مناسب اعداد و شمار کو بھرنے کے اور نظر ثانی شدہ فائل منسلک. منتخب مدت میں تمام تاریخوں اور ملازم مجموعہ موجودہ حاضری کے ریکارڈز کے ساتھ، سانچے میں آ جائے گا
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,{0} آئٹم فعال نہیں ہے یا زندگی کے اختتام تک پہنچ گیا ہے
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,مثال: بنیادی ریاضی
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",شے کی درجہ بندی میں صف {0} میں ٹیکس شامل کرنے کے لئے، قطار میں ٹیکس {1} بھی شامل کیا جانا چاہئے
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,{0} آئٹم فعال نہیں ہے یا زندگی کے اختتام تک پہنچ گیا ہے
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,مثال: بنیادی ریاضی
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",شے کی درجہ بندی میں صف {0} میں ٹیکس شامل کرنے کے لئے، قطار میں ٹیکس {1} بھی شامل کیا جانا چاہئے
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,HR ماڈیول کے لئے ترتیبات
DocType: SMS Center,SMS Center,ایس ایم ایس مرکز
DocType: Sales Invoice,Change Amount,رقم تبدیل
@@ -225,7 +226,7 @@
DocType: Lead,Request Type,درخواست کی قسم
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,ملازم بنائیں
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,نشریات
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,پھانسی
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,پھانسی
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,آپریشن کی تفصیلات سے کئے گئے.
DocType: Serial No,Maintenance Status,بحالی رتبہ
apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,اشیا اور قیمتوں کا تعین
@@ -251,7 +252,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,کوٹیشن کے لئے درخواست مندرجہ ذیل لنک پر کلک کر کے حاصل کیا جا سکتا
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,سال کے لئے پتے مختص.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG تخلیق کا آلہ کورس
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,ناکافی اسٹاک
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,ناکافی اسٹاک
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,غیر فعال صلاحیت کی منصوبہ بندی اور وقت سے باخبر رہنا
DocType: Email Digest,New Sales Orders,نئے فروخت کے احکامات
DocType: Bank Guarantee,Bank Account,بینک اکاؤنٹ
@@ -262,8 +263,9 @@
DocType: Production Order Operation,Updated via 'Time Log','وقت لاگ ان' کے ذریعے اپ ڈیٹ
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},ایڈوانس رقم سے زیادہ نہیں ہو سکتا {0} {1}
DocType: Naming Series,Series List for this Transaction,اس ٹرانزیکشن کے لئے سیریز
+DocType: Company,Enable Perpetual Inventory,ہمیشہ انوینٹری فعال
DocType: Company,Default Payroll Payable Account,پہلے سے طے شدہ پے رول قابل ادائیگی اکاؤنٹ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,ای میل تازہ کاری گروپ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,ای میل تازہ کاری گروپ
DocType: Sales Invoice,Is Opening Entry,انٹری افتتاح ہے
DocType: Customer Group,Mention if non-standard receivable account applicable,ذکر غیر معیاری وصولی اکاؤنٹ اگر قابل اطلاق ہو
DocType: Course Schedule,Instructor Name,انسٹرکٹر نام
@@ -275,13 +277,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,فروخت انوائس آئٹم خلاف
,Production Orders in Progress,پیش رفت میں پیداوار کے احکامات
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,فنانسنگ کی طرف سے نیٹ کیش
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save",لئے LocalStorage بھرا ہوا ہے، نہیں بچا تھا
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save",لئے LocalStorage بھرا ہوا ہے، نہیں بچا تھا
DocType: Lead,Address & Contact,ایڈریس اور رابطہ
DocType: Leave Allocation,Add unused leaves from previous allocations,گزشتہ آونٹن سے غیر استعمال شدہ پتے شامل
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},اگلا مکرر {0} پر پیدا کیا جائے گا {1}
DocType: Sales Partner,Partner website,شراکت دار کا ویب سائٹ
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,آئٹم شامل کریں
-,Contact Name,رابطے کا نام
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,رابطے کا نام
DocType: Course Assessment Criteria,Course Assessment Criteria,بلاشبہ تشخیص کا معیار
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,مندرجہ بالا معیار کے لئے تنخواہ پرچی بناتا ہے.
DocType: POS Customer Group,POS Customer Group,POS گاہک گروپ
@@ -290,18 +292,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,دی کوئی وضاحت
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,خریداری کے لئے درخواست.
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,یہ اس منصوبے کے خلاف پیدا وقت کی چادریں پر مبنی ہے
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,نیٹ پے 0 سے کم نہیں ہو سکتا
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,نیٹ پے 0 سے کم نہیں ہو سکتا
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,صرف منتخب شدہ رخصت کی منظوری دینے والا اس چھٹی کی درخواست پیش کر سکتے ہیں
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,تاریخ حاجت میں شمولیت کی تاریخ سے زیادہ ہونا چاہیے
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,سال پتے فی
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,سال پتے فی
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,صف {0}: براہ مہربانی چیک کریں کے اکاؤنٹ کے خلاف 'ایڈوانس ہے' {1} اس پیشگی اندراج ہے.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},{0} گودام کمپنی سے تعلق نہیں ہے {1}
DocType: Email Digest,Profit & Loss,منافع اور نقصان
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,Litre
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,Litre
DocType: Task,Total Costing Amount (via Time Sheet),کل لاگت کی رقم (وقت شیٹ کے ذریعے)
DocType: Item Website Specification,Item Website Specification,شے کی ویب سائٹ کی تفصیلات
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,چھوڑ کریں
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},آئٹم {0} پر زندگی کے اس کے آخر تک پہنچ گیا ہے {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},آئٹم {0} پر زندگی کے اس کے آخر تک پہنچ گیا ہے {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,بینک لکھے
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,سالانہ
DocType: Stock Reconciliation Item,Stock Reconciliation Item,اسٹاک مصالحتی آئٹم
@@ -309,9 +311,9 @@
DocType: Material Request Item,Min Order Qty,کم از کم آرڈر کی مقدار
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,طالب علم گروپ کی تخلیق کا آلہ کورس
DocType: Lead,Do Not Contact,سے رابطہ نہیں کرتے
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,آپ کی تنظیم میں پڑھانے والے لوگ
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,آپ کی تنظیم میں پڑھانے والے لوگ
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,تمام بار بار چلنے والی رسیدیں باخبر رکھنے کے لئے منفرد ID. یہ جمع کرانے پر پیدا کیا جاتا ہے.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,سافٹ ویئر ڈویلپر
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,سافٹ ویئر ڈویلپر
DocType: Item,Minimum Order Qty,کم از کم آرڈر کی مقدار
DocType: Pricing Rule,Supplier Type,پردایک قسم
DocType: Course Scheduling Tool,Course Start Date,کورس شروع کرنے کی تاریخ
@@ -320,11 +322,11 @@
DocType: Item,Publish in Hub,حب میں شائع
DocType: Student Admission,Student Admission,طالب علم داخلہ
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,{0} آئٹم منسوخ کر دیا ہے
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,{0} آئٹم منسوخ کر دیا ہے
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,مواد کی درخواست
DocType: Bank Reconciliation,Update Clearance Date,اپ ڈیٹ کی کلیئرنس تاریخ
DocType: Item,Purchase Details,خریداری کی تفصیلات
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},خریداری کے آرڈر میں خام مال کی فراہمی 'کے ٹیبل میں شے نہیں مل سکا {0} {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},خریداری کے آرڈر میں خام مال کی فراہمی 'کے ٹیبل میں شے نہیں مل سکا {0} {1}
DocType: Employee,Relation,ریلیشن
DocType: Shipping Rule,Worldwide Shipping,دنیا بھر میں شپنگ
DocType: Student Guardian,Mother,ماں
@@ -343,6 +345,7 @@
DocType: Student Group Student,Student Group Student,طالب علم گروپ طالب علم
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,تازہ ترین
DocType: Vehicle Service,Inspection,معائنہ
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,فہرست
DocType: Email Digest,New Quotations,نئی کوٹیشن
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,ترجیحی ای میل ملازم میں منتخب کی بنیاد پر ملازم کو ای میلز تنخواہ کی پرچی
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,فہرست میں پہلے رخصت کی منظوری دینے والا پہلے سے طے شدہ چھوڑ گواہ کے طور پر قائم کیا جائے گا
@@ -356,13 +359,13 @@
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,بقایا چیک اور صاف کرنے کے لئے جمع
DocType: Item,Synced With Hub,حب کے ساتھ موافقت پذیر
DocType: Vehicle,Fleet Manager,فلیٹ مینیجر
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,غلط شناختی لفظ
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,غلط شناختی لفظ
DocType: Item,Variant Of,کے مختلف
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',کے مقابلے میں 'مقدار تعمیر کرنے' مکمل مقدار زیادہ نہیں ہو سکتا
DocType: Period Closing Voucher,Closing Account Head,اکاؤنٹ ہیڈ بند
DocType: Employee,External Work History,بیرونی کام کی تاریخ
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,سرکلر حوالہ خرابی
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1 نام
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1 نام
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,آپ ڈلیوری نوٹ بچانے بار الفاظ (ایکسپورٹ) میں نظر آئے گا.
DocType: Cheque Print Template,Distance from left edge,بائیں کنارے سے فاصلہ
DocType: Lead,Industry,صنعت
@@ -370,11 +373,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,خود کار طریقے سے مواد کی درخواست کی تخلیق پر ای میل کے ذریعے مطلع کریں
DocType: Journal Entry,Multi Currency,ملٹی کرنسی
DocType: Payment Reconciliation Invoice,Invoice Type,انوائس کی قسم
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,ترسیل کے نوٹ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,ترسیل کے نوٹ
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,ٹیکس قائم
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,فروخت اثاثہ کی قیمت
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,آپ اسے نکالا بعد ادائیگی انٹری پر نظر ثانی کر دیا گیا ہے. اسے دوبارہ ھیںچو براہ مہربانی.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} آئٹم ٹیکس میں دو بار میں داخل
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,آپ اسے نکالا بعد ادائیگی انٹری پر نظر ثانی کر دیا گیا ہے. اسے دوبارہ ھیںچو براہ مہربانی.
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} آئٹم ٹیکس میں دو بار میں داخل
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,اس ہفتے اور زیر التواء سرگرمیوں کا خلاصہ
DocType: Student Applicant,Admitted,اعتراف کیا
DocType: Workstation,Rent Cost,کرایہ لاگت
@@ -393,21 +396,22 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,درج میدان قیمت 'دن ماہ پر دہرائیں براہ مہربانی
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,کسٹمر کرنسی کسٹمر کی بنیاد کرنسی تبدیل کیا جاتا ہے جس میں شرح
DocType: Course Scheduling Tool,Course Scheduling Tool,کورس شیڈولنگ کا آلہ
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},صف # {0}: خریداری کی رسید ایک موجودہ اثاثہ کے خلاف بنایا نہیں جا سکتا {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},صف # {0}: خریداری کی رسید ایک موجودہ اثاثہ کے خلاف بنایا نہیں جا سکتا {1}
DocType: Item Tax,Tax Rate,ٹیکس کی شرح
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} پہلے ہی ملازم کے لئے مختص {1} کی مدت {2} کے لئے {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,منتخب آئٹم
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,انوائس {0} پہلے ہی پیش کیا جاتا ہے کی خریداری
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,انوائس {0} پہلے ہی پیش کیا جاتا ہے کی خریداری
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},صف # {0}: بیچ کوئی طور پر ایک ہی ہونا ضروری ہے {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,غیر گروپ میں تبدیل
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,ایک آئٹم کے بیچ (بہت).
DocType: C-Form Invoice Detail,Invoice Date,انوائس کی تاریخ
DocType: GL Entry,Debit Amount,ڈیبٹ رقم
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},صرف فی کمپنی 1 اکاؤنٹ نہیں ہو سکتا {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,منسلکہ ملاحظہ کریں
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},صرف فی کمپنی 1 اکاؤنٹ نہیں ہو سکتا {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,منسلکہ ملاحظہ کریں
DocType: Purchase Order,% Received,٪ موصول
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,طلبہ تنظیموں بنائیں
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,سیٹ اپ پہلے مکمل !!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,کریڈٹ نوٹ رقم
,Finished Goods,تیار اشیاء
DocType: Delivery Note,Instructions,ہدایات
DocType: Quality Inspection,Inspected By,کی طرف سے معائنہ
@@ -432,7 +436,7 @@
DocType: Request for Quotation,Request for Quotation,کوٹیشن کے لئے درخواست
DocType: Salary Slip Timesheet,Working Hours,کام کے اوقات
DocType: Naming Series,Change the starting / current sequence number of an existing series.,ایک موجودہ سیریز کے شروع / موجودہ ترتیب تعداد کو تبدیل کریں.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,ایک نئے گاہک بنائیں
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,ایک نئے گاہک بنائیں
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",ایک سے زیادہ قیمتوں کا تعین قواعد غالب کرنے کے لئے جاری ہے، صارفین تنازعہ کو حل کرنے دستی طور پر ترجیح مقرر کرنے کو کہا جاتا.
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,خریداری کے آرڈر بنائیں
,Purchase Register,خریداری رجسٹر
@@ -444,7 +448,7 @@
DocType: Student Log,Medical,میڈیکل
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,کھونے کے لئے کی وجہ سے
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,لیڈ مالک لیڈ کے طور پر ہی نہیں ہو سکتا
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,مختص رقم اسایڈجت رقم سے زیادہ نہیں کر سکتے ہیں
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,مختص رقم اسایڈجت رقم سے زیادہ نہیں کر سکتے ہیں
DocType: Announcement,Receiver,وصول
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},کارگاہ چھٹیوں فہرست کے مطابق مندرجہ ذیل تاریخوں پر بند کر دیا ہے: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,مواقع
@@ -458,8 +462,7 @@
DocType: Assessment Plan,Examiner Name,آڈیٹر نام
DocType: Purchase Invoice Item,Quantity and Rate,مقدار اور شرح
DocType: Delivery Note,% Installed,٪ نصب
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,کلاس روم / لیبارٹریز وغیرہ جہاں لیکچر شیڈول کر سکتے ہیں.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,سپلائر> سپلائر کی قسم
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,کلاس روم / لیبارٹریز وغیرہ جہاں لیکچر شیڈول کر سکتے ہیں.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,پہلی کمپنی کا نام درج کریں
DocType: Purchase Invoice,Supplier Name,سپلائر کے نام
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,ERPNext دستی پڑھیں
@@ -469,7 +472,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,چیک سپلائر انوائس نمبر انفرادیت
DocType: Vehicle Service,Oil Change,تیل تبدیل
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','کیس نہیں.' 'کیس نمبر سے' سے کم نہیں ہو سکتا
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,غیر منافع بخش
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,غیر منافع بخش
DocType: Production Order,Not Started,شروع نہیں
DocType: Lead,Channel Partner,چینل پارٹنر
DocType: Account,Old Parent,پرانا والدین
@@ -480,20 +483,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,تمام مینوفیکچرنگ کے عمل کے لئے عالمی ترتیبات.
DocType: Accounts Settings,Accounts Frozen Upto,منجمد تک اکاؤنٹس
DocType: SMS Log,Sent On,پر بھیجا
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,خاصیت {0} صفات ٹیبل میں ایک سے زیادہ مرتبہ منتخب
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,خاصیت {0} صفات ٹیبل میں ایک سے زیادہ مرتبہ منتخب
DocType: HR Settings,Employee record is created using selected field. ,ملازم ریکارڈ منتخب کردہ میدان کا استعمال کرتے ہوئے تخلیق کیا جاتا ہے.
DocType: Sales Order,Not Applicable,قابل اطلاق نہیں
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,چھٹیوں ماسٹر.
DocType: Request for Quotation Item,Required Date,مطلوبہ تاریخ
DocType: Delivery Note,Billing Address,بل کا پتہ
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,آئٹم کوڈ داخل کریں.
DocType: BOM,Costing,لاگت
DocType: Tax Rule,Billing County,بلنگ کاؤنٹی
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount",جانچ پڑتال کی تو پہلے سے ہی پرنٹ ریٹ / پرنٹ رقم میں شامل ہیں، ٹیکس کی رقم غور کیا جائے گا
DocType: Request for Quotation,Message for Supplier,سپلائر کے لئے پیغام
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,کل مقدار
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 ای میل آئی ڈی
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2 ای میل آئی ڈی
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 ای میل آئی ڈی
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2 ای میل آئی ڈی
DocType: Item,Show in Website (Variant),ویب سائٹ میں دکھائیں (مختلف)
DocType: Employee,Health Concerns,صحت کے خدشات
DocType: Process Payroll,Select Payroll Period,پے رول کی مدت کو منتخب
@@ -511,26 +513,28 @@
DocType: Sales Order Item,Used for Production Plan,پیداوار کی منصوبہ بندی کے لئے استعمال کیا جاتا ہے
DocType: Employee Loan,Total Payment,کل ادائیگی
DocType: Manufacturing Settings,Time Between Operations (in mins),(منٹ میں) آپریشنز کے درمیان وقت
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} لہذا کارروائی مکمل نہیں کیا جا سکتا ہے منسوخ کر دیا ہے
DocType: Customer,Buyer of Goods and Services.,اشیا اور خدمات کی خریدار.
DocType: Journal Entry,Accounts Payable,واجب الادا کھاتہ
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,منتخب شدہ BOMs ہی شے کے لئے نہیں ہیں
DocType: Pricing Rule,Valid Upto,درست تک
DocType: Training Event,Workshop,ورکشاپ
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,آپ کے گاہکوں میں سے چند ایک کی فہرست. وہ تنظیموں یا افراد کے ہو سکتا ہے.
-,Enough Parts to Build,بس بہت کچھ حصوں کی تعمیر
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,براہ راست آمدنی
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,آپ کے گاہکوں میں سے چند ایک کی فہرست. وہ تنظیموں یا افراد کے ہو سکتا ہے.
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,بس بہت کچھ حصوں کی تعمیر
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,براہ راست آمدنی
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account",اکاؤنٹ کی طرف سے گروپ ہے، اکاؤنٹ کی بنیاد پر فلٹر نہیں کر سکتے ہیں
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,ایڈمنسٹریٹو آفیسر
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,کورس کا انتخاب کریں
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,کورس کا انتخاب کریں
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,ایڈمنسٹریٹو آفیسر
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,کورس کا انتخاب کریں
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,کورس کا انتخاب کریں
DocType: Timesheet Detail,Hrs,بجے
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,کمپنی کا انتخاب کریں
DocType: Stock Entry Detail,Difference Account,فرق اکاؤنٹ
+DocType: Purchase Invoice,Supplier GSTIN,سپلائر GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,اس کا انحصار کام {0} بند نہیں ہے کے طور پر قریب کام نہیں کر سکتے ہیں.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,مواد درخواست اٹھایا جائے گا جس کے لئے گودام میں داخل کریں
DocType: Production Order,Additional Operating Cost,اضافی آپریٹنگ لاگت
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,کاسمیٹک
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items",ضم کرنے کے لئے، مندرجہ ذیل خصوصیات دونوں اشیاء کے لئے ایک ہی ہونا چاہیے
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items",ضم کرنے کے لئے، مندرجہ ذیل خصوصیات دونوں اشیاء کے لئے ایک ہی ہونا چاہیے
DocType: Shipping Rule,Net Weight,سارا وزن
DocType: Employee,Emergency Phone,ایمرجنسی فون
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,خریدنے
@@ -540,14 +544,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,حد 0 فیصد گریڈ کی وضاحت براہ مہربانی
DocType: Sales Order,To Deliver,نجات کے لئے
DocType: Purchase Invoice Item,Item,آئٹم
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,سیریل کوئی شے ایک حصہ نہیں ہو سکتا
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,سیریل کوئی شے ایک حصہ نہیں ہو سکتا
DocType: Journal Entry,Difference (Dr - Cr),فرق (ڈاکٹر - CR)
DocType: Account,Profit and Loss,نفع اور نقصان
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,منیجنگ ذیلی سمجھوتے
DocType: Project,Project will be accessible on the website to these users,منصوبہ ان کے صارفین کو ویب سائٹ پر قابل رسائی ہو جائے گا
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,شرح جس قیمت کی فہرست کرنسی میں کمپنی کی بنیاد کرنسی تبدیل کیا جاتا ہے
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},{0} اکاؤنٹ کمپنی سے تعلق نہیں ہے: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,مخفف پہلے سے ہی ایک اور کمپنی کے لئے استعمال کیا
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},{0} اکاؤنٹ کمپنی سے تعلق نہیں ہے: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,مخفف پہلے سے ہی ایک اور کمپنی کے لئے استعمال کیا
DocType: Selling Settings,Default Customer Group,پہلے سے طے شدہ گاہک گروپ
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction",غیر فعال اگر، 'گول کل' کے خانے کسی بھی لین دین میں نظر نہیں ہو گا
DocType: BOM,Operating Cost,آپریٹنگ لاگت
@@ -555,7 +559,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,اضافہ 0 نہیں ہو سکتا
DocType: Production Planning Tool,Material Requirement,مواد ضرورت
DocType: Company,Delete Company Transactions,کمپنی معاملات حذف
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,حوالہ نمبر اور ریفرنس تاریخ بینک ٹرانزیکشن کے لئے لازمی ہے
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,حوالہ نمبر اور ریفرنس تاریخ بینک ٹرانزیکشن کے لئے لازمی ہے
DocType: Purchase Receipt,Add / Edit Taxes and Charges,/ ترمیم ٹیکس اور الزامات شامل
DocType: Purchase Invoice,Supplier Invoice No,سپلائر انوائس کوئی
DocType: Territory,For reference,حوالے کے لیے
@@ -566,22 +570,22 @@
DocType: Installation Note Item,Installation Note Item,تنصیب نوٹ آئٹم
DocType: Production Plan Item,Pending Qty,زیر مقدار
DocType: Budget,Ignore,نظر انداز
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} فعال نہیں ہے
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} فعال نہیں ہے
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},ایس ایم ایس مندرجہ ذیل نمبروں کے لئے بھیجا: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,پرنٹنگ کے لئے سیٹ اپ کے چیک جہتوں
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,پرنٹنگ کے لئے سیٹ اپ کے چیک جہتوں
DocType: Salary Slip,Salary Slip Timesheet,تنخواہ کی پرچی Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,ذیلی کنٹریکٹڈ خریداری کی رسید کے لئے لازمی پردایک گودام
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,ذیلی کنٹریکٹڈ خریداری کی رسید کے لئے لازمی پردایک گودام
DocType: Pricing Rule,Valid From,سے درست
DocType: Sales Invoice,Total Commission,کل کمیشن
DocType: Pricing Rule,Sales Partner,سیلز پارٹنر
DocType: Buying Settings,Purchase Receipt Required,خریداری کی رسید کی ضرورت ہے
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,اسٹاک کھولنے میں داخل ہوئے تو اندازہ شرح لازمی ہے
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,اسٹاک کھولنے میں داخل ہوئے تو اندازہ شرح لازمی ہے
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,انوائس ٹیبل میں پایا کوئی ریکارڈ
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,پہلی کمپنی اور پارٹی کی قسم منتخب کریں
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,مالی / اکاؤنٹنگ سال.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,مالی / اکاؤنٹنگ سال.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,جمع اقدار
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged",معذرت، سیریل نمبر ضم نہیں کیا جا سکتا
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,سیلز آرڈر بنائیں
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,سیلز آرڈر بنائیں
DocType: Project Task,Project Task,پراجیکٹ ٹاسک
,Lead Id,لیڈ کی شناخت
DocType: C-Form Invoice Detail,Grand Total,مجموعی عدد
@@ -598,7 +602,7 @@
DocType: Job Applicant,Resume Attachment,پھر جاری منسلکہ
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,دوبارہ گاہکوں
DocType: Leave Control Panel,Allocate,مختص
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,سیلز واپس
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,سیلز واپس
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,نوٹ: کل روانہ مختص {0} پہلے ہی منظور پتیوں سے کم نہیں ہونا چاہئے {1} مدت کے لئے
DocType: Announcement,Posted By,کی طرف سے پوسٹ
DocType: Item,Delivered by Supplier (Drop Ship),سپلائر کی طرف سے نجات بخشی (ڈراپ جہاز)
@@ -608,8 +612,8 @@
DocType: Quotation,Quotation To,کے لئے کوٹیشن
DocType: Lead,Middle Income,درمیانی آمدنی
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),افتتاحی (CR)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,آپ نے پہلے ہی ایک UOM ساتھ کچھ لین دین (ے) بنا دیا ہے کی وجہ سے اشیاء کے لئے پیمائش کی پہلے سے طے شدہ یونٹ {0} براہ راست تبدیل نہیں کیا جا سکتا. آپ کو ایک مختلف پہلے سے طے شدہ UOM استعمال کرنے کے لئے ایک نیا آئٹم تخلیق کرنے کے لئے کی ضرورت ہو گی.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,مختص رقم منفی نہیں ہو سکتا
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,آپ نے پہلے ہی ایک UOM ساتھ کچھ لین دین (ے) بنا دیا ہے کی وجہ سے اشیاء کے لئے پیمائش کی پہلے سے طے شدہ یونٹ {0} براہ راست تبدیل نہیں کیا جا سکتا. آپ کو ایک مختلف پہلے سے طے شدہ UOM استعمال کرنے کے لئے ایک نیا آئٹم تخلیق کرنے کے لئے کی ضرورت ہو گی.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,مختص رقم منفی نہیں ہو سکتا
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,کمپنی قائم کی مہربانی
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,کمپنی قائم کی مہربانی
DocType: Purchase Order Item,Billed Amt,بل AMT
@@ -622,7 +626,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,بینک اندراج کرنے کے لئے منتخب ادائیگی اکاؤنٹ
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll",پتیوں، اخراجات دعووں اور پے رول انتظام کرنے کے لئے ملازم ریکارڈز تخلیق کریں
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,سویدی میں شامل کریں
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,تجویز تحریری طور پر
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,تجویز تحریری طور پر
DocType: Payment Entry Deduction,Payment Entry Deduction,ادائیگی انٹری کٹوتی
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,ایک فروخت شخص {0} اسی ملازم ID کے ساتھ موجود
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests",ذیلی کنٹریکٹڈ مواد درخواستوں میں شامل کیا جائے گا رہے ہیں کہ اشیاء کے لئے کی جانچ پڑتال کی ہے تو، خام مال
@@ -637,7 +641,7 @@
DocType: Batch,Batch Description,بیچ تفصیل
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,طلبہ تنظیموں کی تشکیل
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,طلبہ تنظیموں کی تشکیل
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.",ادائیگی کے گیٹ وے اکاؤنٹ نہیں، دستی طور پر ایک بنانے کے لئے براہ مہربانی.
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.",ادائیگی کے گیٹ وے اکاؤنٹ نہیں، دستی طور پر ایک بنانے کے لئے براہ مہربانی.
DocType: Sales Invoice,Sales Taxes and Charges,سیلز ٹیکس اور الزامات
DocType: Employee,Organization Profile,تنظیم پروفائل
DocType: Student,Sibling Details,بھائی کی تفصیلات دیکھیں
@@ -659,10 +663,9 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,انوینٹری میں خالص تبدیلی
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,ملازم قرض کے انتظام
DocType: Employee,Passport Number,پاسپورٹ نمبر
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Guardian2 ساتھ تعلق
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,مینیجر
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Guardian2 ساتھ تعلق
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,مینیجر
DocType: Payment Entry,Payment From / To,/ سے ادائیگی
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,ایک ہی شے کے ایک سے زیادہ مرتبہ داخل کیا گیا ہے.
DocType: SMS Settings,Receiver Parameter,وصول پیرامیٹر
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,اور گروپ سے '' کی بنیاد پر 'ہی نہیں ہو سکتا
DocType: Sales Person,Sales Person Targets,فروخت شخص اہداف
@@ -671,8 +674,9 @@
DocType: Issue,Resolution Date,قرارداد تاریخ
DocType: Student Batch Name,Batch Name,بیچ کا نام
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timesheet پیدا کیا:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},ادائیگی کے موڈ میں پہلے سے طے شدہ نقد یا بینک اکاؤنٹ مقرر کریں {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},ادائیگی کے موڈ میں پہلے سے طے شدہ نقد یا بینک اکاؤنٹ مقرر کریں {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,اندراج کریں
+DocType: GST Settings,GST Settings,GST ترتیبات
DocType: Selling Settings,Customer Naming By,کی طرف سے گاہک نام دینے
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,میں طالب علم ماہانہ حاضری کی رپورٹ کے طور پر موجود طالب علم کو دکھائے گا
DocType: Depreciation Schedule,Depreciation Amount,ہراس کی رقم
@@ -694,6 +698,7 @@
DocType: Item,Material Transfer,مواد کی منتقلی
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),افتتاحی (ڈاکٹر)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},پوسٹنگ ٹائمسٹیمپ کے بعد ہونا ضروری ہے {0}
+,GST Itemised Purchase Register,GST آئٹمائزڈ خریداری رجسٹر
DocType: Employee Loan,Total Interest Payable,کل سود قابل ادائیگی
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,لینڈڈ لاگت ٹیکسز اور چارجز
DocType: Production Order Operation,Actual Start Time,اصل وقت آغاز
@@ -722,10 +727,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
DocType: Account,Accounts,اکاؤنٹس
DocType: Vehicle,Odometer Value (Last),odometer قیمت (سابقہ)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,مارکیٹنگ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,مارکیٹنگ
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,ادائیگی انٹری پہلے ہی تخلیق کیا جاتا ہے
DocType: Purchase Receipt Item Supplied,Current Stock,موجودہ اسٹاک
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},صف # {0}: {1} اثاثہ آئٹم سے منسلک نہیں کرتا {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},صف # {0}: {1} اثاثہ آئٹم سے منسلک نہیں کرتا {2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,پیش نظارہ تنخواہ کی پرچی
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,اکاؤنٹ {0} کئی بار داخل کیا گیا ہے
DocType: Account,Expenses Included In Valuation,اخراجات تشخیص میں شامل
@@ -733,7 +738,7 @@
,Absent Student Report,غائب Student کی رپورٹ
DocType: Email Digest,Next email will be sent on:,پیچھے اگلا، دوسرا ای میل پر بھیجا جائے گا:
DocType: Offer Letter Term,Offer Letter Term,خط مدتی پیشکش
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,آئٹم مختلف حالتوں ہے.
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,آئٹم مختلف حالتوں ہے.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,آئٹم {0} نہیں ملا
DocType: Bin,Stock Value,اسٹاک کی قیمت
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +82,Tree Type,درخت کی قسم
@@ -741,7 +746,7 @@
DocType: Serial No,Warranty Expiry Date,وارنٹی ختم ہونے کی تاریخ
DocType: Material Request Item,Quantity and Warehouse,مقدار اور گودام
DocType: Sales Invoice,Commission Rate (%),کمیشن کی شرح (٪)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,براہ مہربانی منتخب کریں پروگرام
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,براہ مہربانی منتخب کریں پروگرام
DocType: Project,Estimated Cost,تخمینی لاگت
DocType: Purchase Order,Link to material requests,مواد درخواستوں کا لنک
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,ایرواسپیس
@@ -755,14 +760,14 @@
DocType: Purchase Order,Supply Raw Materials,خام مال کی سپلائی
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,اگلے انوائس پیدا کیا جائے گا جس پر تاریخ. یہ جمع کرانے پر پیدا کیا جاتا ہے.
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,موجودہ اثاثہ جات
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} اسٹاک شے نہیں ہے
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} اسٹاک شے نہیں ہے
DocType: Mode of Payment Account,Default Account,پہلے سے طے شدہ اکاؤنٹ
DocType: Payment Entry,Received Amount (Company Currency),موصولہ رقم (کمپنی کرنسی)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,مواقع لیڈ سے بنایا گیا ہے تو قیادت مرتب کیا جانا چاہئے
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,ہفتہ وار چھٹی کا دن منتخب کریں
DocType: Production Order Operation,Planned End Time,منصوبہ بندی اختتام وقت
,Sales Person Target Variance Item Group-Wise,فروخت شخص ہدف تغیر آئٹم گروپ حکیم
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,موجودہ لین دین کے ساتھ اکاؤنٹ اکاؤنٹ میں تبدیل نہیں کیا جا سکتا
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,موجودہ لین دین کے ساتھ اکاؤنٹ اکاؤنٹ میں تبدیل نہیں کیا جا سکتا
DocType: Delivery Note,Customer's Purchase Order No,گاہک کی خریداری آرڈر نمبر
DocType: Budget,Budget Against,بجٹ کے خلاف
DocType: Employee,Cell Number,سیل نمبر
@@ -774,14 +779,12 @@
DocType: Opportunity,Opportunity From,سے مواقع
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,ماہانہ تنخواہ بیان.
DocType: BOM,Website Specifications,ویب سائٹ نردجیکرن
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,سیٹ اپ> سیٹ اپ کے ذریعے حاضری کے لئے سیریز کی تعداد مہربانی نمبر سیریز
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: سے {0} قسم کا {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,صف {0}: تبادلوں فیکٹر لازمی ہے
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,صف {0}: تبادلوں فیکٹر لازمی ہے
DocType: Employee,A+,A +
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,غیر فعال یا اسے دوسرے BOMs ساتھ منسلک کیا جاتا کے طور پر BOM منسوخ نہیں کر سکتے
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,غیر فعال یا اسے دوسرے BOMs ساتھ منسلک کیا جاتا کے طور پر BOM منسوخ نہیں کر سکتے
DocType: Opportunity,Maintenance,بحالی
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},آئٹم کے لئے ضروری خریداری کی رسید نمبر {0}
DocType: Item Attribute Value,Item Attribute Value,شے کی قیمت خاصیت
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,سیلز مہمات.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Timesheet بنائیں
@@ -813,30 +816,30 @@
DocType: Shopping Cart Settings,Default settings for Shopping Cart,خریداری کی ٹوکری کے لئے پہلے سے طے شدہ ترتیبات
DocType: Employee Loan,Interest Income Account,سودی آمدنی اکاؤنٹ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,جیو ٹیکنالوجی
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,آفس دیکھ بھال کے اخراجات
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,آفس دیکھ بھال کے اخراجات
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,ای میل اکاؤنٹ سیٹ اپ کیا
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,پہلی شے داخل کریں
DocType: Account,Liability,ذمہ داری
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,منظور رقم صف میں دعوے کی رقم سے زیادہ نہیں ہو سکتا {0}.
DocType: Company,Default Cost of Goods Sold Account,سامان فروخت اکاؤنٹ کے پہلے سے طے شدہ لاگت
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,قیمت کی فہرست منتخب نہیں
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,قیمت کی فہرست منتخب نہیں
DocType: Employee,Family Background,خاندانی پس منظر
DocType: Request for Quotation Supplier,Send Email,ای میل بھیجیں
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},انتباہ: غلط لف دستاویز {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},انتباہ: غلط لف دستاویز {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,کوئی اجازت
DocType: Company,Default Bank Account,پہلے سے طے شدہ بینک اکاؤنٹ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",پارٹی کی بنیاد پر فلٹر کرنے کے لئے، منتخب پارٹی پہلی قسم
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},اشیاء کے ذریعے فراہم نہیں کر رہے ہیں 'اپ ڈیٹ اسٹاک' کی چیک نہیں کیا جا سکتا{0}
DocType: Vehicle,Acquisition Date,ارجن تاریخ
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,نمبر
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,نمبر
DocType: Item,Items with higher weightage will be shown higher,اعلی اہمیت کے ساتھ اشیاء زیادہ دکھایا جائے گا
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,بینک مصالحتی تفصیل
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,صف # {0}: اثاثہ {1} پیش کرنا ضروری ہے
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,صف # {0}: اثاثہ {1} پیش کرنا ضروری ہے
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,کوئی ملازم پایا
DocType: Supplier Quotation,Stopped,روک
DocType: Item,If subcontracted to a vendor,ایک وینڈر کے ٹھیکے تو
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,طالب علم گروپ پہلے سے ہی اپ ڈیٹ کیا جاتا ہے.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,طالب علم گروپ پہلے سے ہی اپ ڈیٹ کیا جاتا ہے.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,طالب علم گروپ پہلے سے ہی اپ ڈیٹ کیا جاتا ہے.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,طالب علم گروپ پہلے سے ہی اپ ڈیٹ کیا جاتا ہے.
DocType: SMS Center,All Customer Contact,تمام کسٹمر رابطہ
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,CSV کے ذریعے اسٹاک توازن کو اپ لوڈ کریں.
DocType: Warehouse,Tree Details,درخت کی تفصیلات دیکھیں
@@ -848,13 +851,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: لاگت مرکز {2} کمپنی سے تعلق نہیں ہے {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: اکاؤنٹ {2} ایک گروپ نہیں ہو سکتا
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,آئٹم صف {IDX): (DOCTYPE} {} DOCNAME مندرجہ بالا میں موجود نہیں ہے '{DOCTYPE}' کے ٹیبل
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Timesheet {0} پہلے ہی مکمل یا منسوخ کر دیا ہے
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,Timesheet {0} پہلے ہی مکمل یا منسوخ کر دیا ہے
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,کوئی کاموں
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc",آٹو رسید 05، 28 وغیرہ مثال کے طور پر پیدا کیا جائے گا جس پر مہینے کا دن
DocType: Asset,Opening Accumulated Depreciation,جمع ہراس کھولنے
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,اسکور 5 سے کم یا برابر ہونا چاہیے
DocType: Program Enrollment Tool,Program Enrollment Tool,پروگرام کے اندراج کے آلے
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,سی فارم ریکارڈز
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,سی فارم ریکارڈز
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,کسٹمر اور سپلائر
DocType: Email Digest,Email Digest Settings,ای میل ڈائجسٹ ترتیبات
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,آپ کے کاروبار کے لئے آپ کا شکریہ!
@@ -864,17 +867,19 @@
DocType: Bin,Moving Average Rate,اوسط شرح منتقل
DocType: Production Planning Tool,Select Items,منتخب شدہ اشیاء
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} بل کے خلاف {1} ء {2}
+DocType: Program Enrollment,Vehicle/Bus Number,گاڑی / بس نمبر
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,کورس شیڈول
DocType: Maintenance Visit,Completion Status,تکمیل کی حیثیت
DocType: HR Settings,Enter retirement age in years,سال میں ریٹائرمنٹ کی عمر درج کریں
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,ہدف گودام
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,ایک گودام براہ مہربانی منتخب کریں
DocType: Cheque Print Template,Starting location from left edge,بائیں کنارے سے مقام پر شروع
DocType: Item,Allow over delivery or receipt upto this percent,اس فی صد تک کی ترسیل یا رسید سے زیادہ کرنے کی اجازت دیں
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,درآمد حاضری
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,تمام آئٹم گروپس
DocType: Process Payroll,Activity Log,سرگرمی لاگ ان
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,خالص منافع / خسارہ
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,خالص منافع / خسارہ
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,خود کار طریقے سے لین دین کی جمع کرانے پر پیغام لکھیں.
DocType: Production Order,Item To Manufacture,اشیاء تیار کرنے کے لئے
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} {2} درجا ہے
@@ -883,16 +888,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,ادائیگی آرڈر خریدیں
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,متوقع مقدار
DocType: Sales Invoice,Payment Due Date,ادائیگی کی وجہ سے تاریخ
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,آئٹم مختلف {0} پہلے ہی صفات کے ساتھ موجود
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,آئٹم مختلف {0} پہلے ہی صفات کے ساتھ موجود
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',افتتاحی'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,ایسا کرنے کے لئے کھلے
DocType: Notification Control,Delivery Note Message,ترسیل کے نوٹ پیغام
DocType: Expense Claim,Expenses,اخراجات
+,Support Hours,سپورٹ گھنٹے
DocType: Item Variant Attribute,Item Variant Attribute,آئٹم مختلف خاصیت
,Purchase Receipt Trends,خریداری کی رسید رجحانات
DocType: Process Payroll,Bimonthly,دو ماہی
DocType: Vehicle Service,Brake Pad,وقفے پیڈ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,ریسرچ اینڈ ڈیولپمنٹ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,ریسرچ اینڈ ڈیولپمنٹ
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,بل رقم
DocType: Company,Registration Details,رجسٹریشن کی تفصیلات
DocType: Timesheet,Total Billed Amount,کل بل کی رقم
@@ -905,12 +911,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,صرف خام مال حاصل
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,کارکردگی تشخیص.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",کو چالو کرنے کے طور پر خریداری کی ٹوکری چالو حالت میں ہے، 'خریداری کی ٹوکری کے لئے استعمال کریں' اور خریداری کی ٹوکری کے لئے کم از کم ایک ٹیکس حکمرانی نہیں ہونا چاہئے
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",ادائیگی انٹری {0} آرڈر {1}، اسے اس انوائس میں پیشگی کے طور پر نکالا جانا چاہئے تو چیک خلاف منسلک ہے.
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",ادائیگی انٹری {0} آرڈر {1}، اسے اس انوائس میں پیشگی کے طور پر نکالا جانا چاہئے تو چیک خلاف منسلک ہے.
DocType: Sales Invoice Item,Stock Details,اسٹاک کی تفصیلات
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,پروجیکٹ ویلیو
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,پوائنٹ کے فروخت
DocType: Vehicle Log,Odometer Reading,odometer پڑھنے
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",پہلے سے ہی کریڈٹ اکاؤنٹ بیلنس، آپ ڈیبٹ 'کے طور پر کی بیلنس ہونا چاہئے' قائم کرنے کی اجازت نہیں کر رہے ہیں
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",پہلے سے ہی کریڈٹ اکاؤنٹ بیلنس، آپ ڈیبٹ 'کے طور پر کی بیلنس ہونا چاہئے' قائم کرنے کی اجازت نہیں کر رہے ہیں
DocType: Account,Balance must be,بیلنس ہونا ضروری ہے
DocType: Hub Settings,Publish Pricing,قیمتوں کا تعین شائع
DocType: Notification Control,Expense Claim Rejected Message,اخراجات دعوے کو مسترد پیغام
@@ -920,7 +926,7 @@
DocType: Salary Slip,Working Days,کام کے دنوں میں
DocType: Serial No,Incoming Rate,موصولہ کی شرح
DocType: Packing Slip,Gross Weight,مجموعی وزن
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,آپ کی کمپنی کے نام جس کے لئے آپ کو اس کے نظام کو قائم کر رہے ہیں.
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,آپ کی کمپنی کے نام جس کے لئے آپ کو اس کے نظام کو قائم کر رہے ہیں.
DocType: HR Settings,Include holidays in Total no. of Working Days,کوئی کل میں تعطیلات شامل. کام کے دنوں کے
DocType: Job Applicant,Hold,پکڑو
DocType: Employee,Date of Joining,شمولیت کی تاریخ
@@ -931,19 +937,17 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,خریداری کی رسید
,Received Items To Be Billed,موصول ہونے والی اشیاء بل بھیجا جائے کرنے کے لئے
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,پیش تنخواہ تخم
-DocType: Employee,Ms,محترمہ
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,کرنسی کی شرح تبادلہ ماسٹر.
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,کرنسی کی شرح تبادلہ ماسٹر.
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},آپریشن کے لئے اگلے {0} دنوں میں وقت سلاٹ تلاش کرنے سے قاصر {1}
DocType: Production Order,Plan material for sub-assemblies,ذیلی اسمبلیوں کے لئے منصوبہ مواد
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,سیلز شراکت دار اور علاقہ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,پہلے سے ہی اکاؤنٹ میں اسٹاک بقایاجات ہیں کے طور پر نہیں خود کار طریقے سے اکاؤنٹ بنا سکتے ہیں. آپ کو اس گودام پر ایک اندراج بنا سکتے ہیں اس سے پہلے کہ آپ کو ایک کے ملاپ کے اکاؤنٹ تشکیل دینا لازمی ہے
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} فعال ہونا ضروری ہے
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} فعال ہونا ضروری ہے
DocType: Journal Entry,Depreciation Entry,ہراس انٹری
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,پہلی دستاویز کی قسم منتخب کریں
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,اس کی بحالی کا منسوخ کرنے سے پہلے منسوخ مواد دورہ {0}
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},سیریل نمبر {0} آئٹم سے تعلق نہیں ہے {1}
DocType: Purchase Receipt Item Supplied,Required Qty,مطلوبہ مقدار
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,موجودہ منتقلی کے ساتھ گوداموں لیجر میں تبدیل نہیں کیا جا سکتا.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,موجودہ منتقلی کے ساتھ گوداموں لیجر میں تبدیل نہیں کیا جا سکتا.
DocType: Bank Reconciliation,Total Amount,کل رقم
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,انٹرنیٹ پبلشنگ
DocType: Production Planning Tool,Production Orders,پیداوار کے احکامات
@@ -957,25 +961,26 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not active or does not exist,{0} ملازم فعال نہیں ہے یا موجود نہیں ہے
DocType: Fee Structure,Components,اجزاء
DocType: Quality Inspection Reading,Reading 6,6 پڑھنا
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,نہ {0} {1} {2} بھی منفی بقایا انوائس کے بغیر کر سکتے ہیں
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,نہ {0} {1} {2} بھی منفی بقایا انوائس کے بغیر کر سکتے ہیں
DocType: Purchase Invoice Advance,Purchase Invoice Advance,انوائس پیشگی خریداری
DocType: Hub Settings,Sync Now,ہم آہنگی اب
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},صف {0}: کریڈٹ اندراج کے ساتھ منسلک نہیں کیا جا سکتا ہے {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,ایک مالی سال کے لئے بجٹ کی وضاحت کریں.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,ایک مالی سال کے لئے بجٹ کی وضاحت کریں.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,اس موڈ کو منتخب کیا جاتا ہے جب پہلے سے طے شدہ بینک / کیش اکاؤنٹ خود کار طریقے سے پوزیشن انوائس میں اپ ڈیٹ کیا جائے گا.
DocType: Lead,LEAD-,LEAD-
DocType: Employee,Permanent Address Is,مستقل پتہ ہے
DocType: Production Order Operation,Operation completed for how many finished goods?,آپریشن کتنے تیار مال کے لئے مکمل کیا ہے؟
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,برانڈ
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,برانڈ
DocType: Employee,Exit Interview Details,باہر نکلیں انٹرویو کی تفصیلات
DocType: Item,Is Purchase Item,خریداری آئٹم
DocType: Asset,Purchase Invoice,خریداری کی رسید
DocType: Stock Ledger Entry,Voucher Detail No,واؤچر تفصیل کوئی
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,نئے فروخت انوائس
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,نئے فروخت انوائس
DocType: Stock Entry,Total Outgoing Value,کل سبکدوش ہونے والے ویلیو
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,تاریخ اور آخری تاریخ کھولنے اسی مالی سال کے اندر اندر ہونا چاہئے
DocType: Lead,Request for Information,معلومات کے لئے درخواست
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,مطابقت پذیری حاضر انوائس
+,LeaderBoard,لیڈر
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,مطابقت پذیری حاضر انوائس
DocType: Payment Request,Paid,ادائیگی
DocType: Program Fee,Program Fee,پروگرام کی فیس
DocType: Salary Slip,Total in words,الفاظ میں کل
@@ -984,13 +989,13 @@
DocType: Cheque Print Template,Has Print Format,پرنٹ کی شکل ہے
DocType: Employee Loan,Sanctioned,منظور
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,لازمی ہے. ہو سکتا ہے کہ کرنسی ایکسچینج ریکارڈ موجودنھئں
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},صف # {0}: شے کے لئے کوئی سیریل کی وضاحت کریں {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",'پروڈکٹ بنڈل' اشیاء، گودام، سیریل نمبر اور بیچ کے لئے نہیں 'پیکنگ کی فہرست کی میز سے غور کیا جائے گا. گودام اور بیچ کسی بھی 'پروڈکٹ بنڈل' شے کے لئے تمام پیکنگ اشیاء کے لئے ایک ہی ہیں، ان اقدار بنیادی شے کے ٹیبل میں داخل کیا جا سکتا، اقدار ٹیبل 'پیکنگ کی فہرست' کے لئے کاپی کیا جائے گا.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},صف # {0}: شے کے لئے کوئی سیریل کی وضاحت کریں {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",'پروڈکٹ بنڈل' اشیاء، گودام، سیریل نمبر اور بیچ کے لئے نہیں 'پیکنگ کی فہرست کی میز سے غور کیا جائے گا. گودام اور بیچ کسی بھی 'پروڈکٹ بنڈل' شے کے لئے تمام پیکنگ اشیاء کے لئے ایک ہی ہیں، ان اقدار بنیادی شے کے ٹیبل میں داخل کیا جا سکتا، اقدار ٹیبل 'پیکنگ کی فہرست' کے لئے کاپی کیا جائے گا.
DocType: Job Opening,Publish on website,ویب سائٹ پر شائع کریں
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,صارفین کو ترسیل.
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,سپلائر انوائس تاریخ پوسٹنگ کی تاریخ سے زیادہ نہیں ہو سکتا
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,سپلائر انوائس تاریخ پوسٹنگ کی تاریخ سے زیادہ نہیں ہو سکتا
DocType: Purchase Invoice Item,Purchase Order Item,آرڈر شے کی خریداری
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,بالواسطہ آمدنی
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,بالواسطہ آمدنی
DocType: Student Attendance Tool,Student Attendance Tool,طلبا کی حاضری کا آلہ
DocType: Cheque Print Template,Date Settings,تاریخ کی ترتیبات
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,بادبانی
@@ -1008,21 +1013,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,کیمیکل
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,پہلے سے طے شدہ بینک / کیش اکاؤنٹ خود کار طریقے تنخواہ جرنل اندراج میں اپ ڈیٹ کیا جائے گا جب اس موڈ کو منتخب کیا گیا.
DocType: BOM,Raw Material Cost(Company Currency),خام مواد کی لاگت (کمپنی کرنسی)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,تمام اشیاء پہلے ہی اس پروڈکشن آرڈر کے لئے منتقل کر دیا گیا ہے.
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,تمام اشیاء پہلے ہی اس پروڈکشن آرڈر کے لئے منتقل کر دیا گیا ہے.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},صف # {0}: شرح میں استعمال کی شرح سے زیادہ نہیں ہو سکتا {1} {2}
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},صف # {0}: شرح میں استعمال کی شرح سے زیادہ نہیں ہو سکتا {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,میٹر
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,میٹر
DocType: Workstation,Electricity Cost,بجلی کی لاگت
DocType: HR Settings,Don't send Employee Birthday Reminders,ملازم سالگرہ کی یاددہانیاں نہ بھیجیں
DocType: Item,Inspection Criteria,معائنہ کا کلیہ
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,transfered کیا
DocType: BOM Website Item,BOM Website Item,BOM ویب آئٹم
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,اپنے خط سر اور علامت (لوگو). (آپ کو بعد ان میں ترمیم کر سکتے ہیں).
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,اپنے خط سر اور علامت (لوگو). (آپ کو بعد ان میں ترمیم کر سکتے ہیں).
DocType: Timesheet Detail,Bill,بل
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,اگلا ہراس کی تاریخ ماضی تاریخ کے طور پر درج کیا جاتا ہے
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,وائٹ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,وائٹ
DocType: SMS Center,All Lead (Open),تمام لیڈ (کھولیں) تیار
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),صف {0}: کے لئے مقدار دستیاب نہیں {4} گودام میں {1} اندراج کے وقت پوسٹنگ میں ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),صف {0}: کے لئے مقدار دستیاب نہیں {4} گودام میں {1} اندراج کے وقت پوسٹنگ میں ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,پیشگی ادا کرنے
DocType: Item,Automatically Create New Batch,خود کار طریقے سے نئی کھیپ بنائیں
DocType: Item,Automatically Create New Batch,خود کار طریقے سے نئی کھیپ بنائیں
@@ -1033,13 +1038,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,میری کارڈز
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},آرڈر کی قسم سے ایک ہونا ضروری {0}
DocType: Lead,Next Contact Date,اگلی رابطہ تاریخ
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,مقدار کھولنے
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,تبدیلی کی رقم کے اکاؤنٹ درج کریں
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,مقدار کھولنے
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,تبدیلی کی رقم کے اکاؤنٹ درج کریں
DocType: Student Batch Name,Student Batch Name,Student کی بیچ کا نام
DocType: Holiday List,Holiday List Name,چھٹیوں فہرست کا نام
DocType: Repayment Schedule,Balance Loan Amount,بیلنس قرض کی رقم
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,شیڈول کورس
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,اسٹاک اختیارات
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,اسٹاک اختیارات
DocType: Journal Entry Account,Expense Claim,اخراجات کا دعوی
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,اگر تم واقعی اس کو ختم کر دیا اثاثہ بحال کرنا چاہتے ہیں؟
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},کے لئے مقدار {0}
@@ -1051,12 +1056,12 @@
DocType: Company,Default Terms,پہلے سے طے شدہ شرائط
DocType: Packing Slip Item,Packing Slip Item,پیکنگ پرچی آئٹم
DocType: Purchase Invoice,Cash/Bank Account,کیش / بینک اکاؤنٹ
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},وضاحت کریں ایک {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},وضاحت کریں ایک {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,مقدار یا قدر میں کوئی تبدیلی نہیں کے ساتھ ختم اشیاء.
DocType: Delivery Note,Delivery To,کی ترسیل کے
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,وصف میز لازمی ہے
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,وصف میز لازمی ہے
DocType: Production Planning Tool,Get Sales Orders,سیلز احکامات حاصل
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} منفی نہیں ہو سکتا
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} منفی نہیں ہو سکتا
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,ڈسکاؤنٹ
DocType: Asset,Total Number of Depreciations,Depreciations کی کل تعداد
DocType: Sales Invoice Item,Rate With Margin,مارجن کے ساتھ کی شرح
@@ -1077,7 +1082,6 @@
DocType: Serial No,Creation Document No,تخلیق دستاویز
DocType: Issue,Issue,مسئلہ
DocType: Asset,Scrapped,ختم کر دیا
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,اکاؤنٹ کمپنی کے ساتھ مماثل نہیں ہے
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.",آئٹم متغیرات لئے اوصاف. مثال کے طور پر سائز، رنگ وغیرہ
DocType: Purchase Invoice,Returns,واپسی
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP گودام
@@ -1089,12 +1093,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,آئٹم بٹن 'خریداری رسیدیں سے اشیاء حاصل کا استعمال کرتے ہوئے شامل کیا جانا چاہیے
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,غیر اسٹاک اشیاء شامل ہیں
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,فروخت کے اخراجات
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,فروخت کے اخراجات
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,سٹینڈرڈ خرید
DocType: GL Entry,Against,کے خلاف
DocType: Item,Default Selling Cost Center,پہلے سے طے شدہ فروخت لاگت مرکز
DocType: Sales Partner,Implementation Partner,نفاذ ساتھی
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,زپ کوڈ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,زپ کوڈ
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},سیلز آرڈر {0} ہے {1}
DocType: Opportunity,Contact Info,رابطے کی معلومات
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,اسٹاک اندراجات کر رہے ہیں
@@ -1107,29 +1111,28 @@
DocType: Holiday List,Get Weekly Off Dates,ویکلی آف تاریخوں کو حاصل
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,ختم ہونے کی تاریخ شروع کرنے کی تاریخ کے مقابلے میں کم نہیں ہو سکتا
DocType: Sales Person,Select company name first.,پہلے منتخب کمپنی کا نام.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,ڈاکٹر
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,کوٹیشن سپلائر کی طرف سے موصول.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},کرنے کے لئے {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,اوسط عمر
DocType: School Settings,Attendance Freeze Date,حاضری جھروکے تاریخ
DocType: School Settings,Attendance Freeze Date,حاضری جھروکے تاریخ
DocType: Opportunity,Your sales person who will contact the customer in future,مستقبل میں گاہک سے رابطہ کریں گے جو آپ کی فروخت کے شخص
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,اپنے سپلائرز میں سے چند ایک کی فہرست. وہ تنظیموں یا افراد کے ہو سکتا ہے.
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,اپنے سپلائرز میں سے چند ایک کی فہرست. وہ تنظیموں یا افراد کے ہو سکتا ہے.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,تمام مصنوعات دیکھیں
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),کم از کم کے لیڈ عمر (دن)
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),کم از کم کے لیڈ عمر (دن)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,تمام BOMs
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,تمام BOMs
DocType: Company,Default Currency,پہلے سے طے شدہ کرنسی
DocType: Expense Claim,From Employee,ملازم سے
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,انتباہ: نظام آئٹم کے لئے رقم کے بعد overbilling چیک نہیں کریں گے {0} میں {1} صفر ہے
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,انتباہ: نظام آئٹم کے لئے رقم کے بعد overbilling چیک نہیں کریں گے {0} میں {1} صفر ہے
DocType: Journal Entry,Make Difference Entry,فرق اندراج
DocType: Upload Attendance,Attendance From Date,تاریخ سے حاضری
DocType: Appraisal Template Goal,Key Performance Area,کلیدی کارکردگی کے علاقے
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,نقل و حمل
+DocType: Program Enrollment,Transportation,نقل و حمل
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,غلط خاصیت
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} پیش کرنا ضروری ہے
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} پیش کرنا ضروری ہے
DocType: SMS Center,Total Characters,کل کردار
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},آئٹم کے لئے BOM میدان میں BOM منتخب کریں {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},آئٹم کے لئے BOM میدان میں BOM منتخب کریں {0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,سی فارم انوائس تفصیل
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,ادائیگی مصالحتی انوائس
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,شراکت٪
@@ -1141,23 +1144,25 @@
,Ordered Items To Be Billed,کو حکم دیا اشیاء بل بھیجا جائے کرنے کے لئے
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,رینج کم ہونا ضروری ہے کے مقابلے میں رینج کے لئے
DocType: Global Defaults,Global Defaults,گلوبل ڈیفالٹس
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,منصوبے کے تعاون کا دعوت نامہ
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,منصوبے کے تعاون کا دعوت نامہ
DocType: Salary Slip,Deductions,کٹوتیوں
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,شروع سال
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},GSTIN کے پہلے 2 ہندسوں ریاست تعداد کے ساتھ ملنے چاہئے {0}
DocType: Purchase Invoice,Start date of current invoice's period,موجودہ انوائس کی مدت کے شروع کرنے کی تاریخ
DocType: Salary Slip,Leave Without Pay,بغیر تنخواہ چھٹی
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,صلاحیت کی منصوبہ بندی کرنے میں خامی
,Trial Balance for Party,پارٹی کے لئے مقدمے کی سماعت توازن
DocType: Lead,Consultant,کنسلٹنٹ
DocType: Salary Slip,Earnings,آمدنی
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,ختم آئٹم {0} تیاری قسم اندراج کے لئے داخل ہونا ضروری ہے
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,ختم آئٹم {0} تیاری قسم اندراج کے لئے داخل ہونا ضروری ہے
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,کھولنے اکاؤنٹنگ بیلنس
+,GST Sales Register,جی ایس ٹی سیلز رجسٹر
DocType: Sales Invoice Advance,Sales Invoice Advance,فروخت انوائس ایڈوانس
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,کچھ درخواست کرنے کے لئے
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},ایک اور بجٹ ریکارڈ '{0}' پہلے ہی خلاف موجود {1} '{2}' مالی سال کے لیے {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date','اصل تاریخ آغاز' 'اصل تاریخ اختتام' سے زیادہ نہیں ہو سکتا
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,مینجمنٹ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,مینجمنٹ
DocType: Cheque Print Template,Payer Settings,بوگتانکرتا ترتیبات
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""",یہ مختلف کی آئٹم کوڈ منسلک کیا جائے گا. آپ مخفف "ایس ایم" ہے، اور اگر مثال کے طور پر، شے کے کوڈ "ٹی شرٹ"، "ٹی شرٹ-ایس ایم" ہو جائے گا ویرینٹ کی شے کوڈ آن ہے
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,آپ کو تنخواہ پرچی بچانے بار (الفاظ میں) نیٹ پے نظر آئے گا.
@@ -1174,8 +1179,8 @@
DocType: Employee Loan,Partially Disbursed,جزوی طور پر زرعی قرضوں کی فراہمی
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,پردایک ڈیٹا بیس.
DocType: Account,Balance Sheet,بیلنس شیٹ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ','آئٹم کوڈ شے کے لئے مرکز لاگت
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",ادائیگی موڈ تشکیل نہیں ہے. چاہے اکاؤنٹ ادائیگیاں کے موڈ پر یا POS پروفائل پر قائم کیا گیا ہے، براہ مہربانی چیک کریں.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ','آئٹم کوڈ شے کے لئے مرکز لاگت
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",ادائیگی موڈ تشکیل نہیں ہے. چاہے اکاؤنٹ ادائیگیاں کے موڈ پر یا POS پروفائل پر قائم کیا گیا ہے، براہ مہربانی چیک کریں.
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,آپ کی فروخت کے شخص گاہک سے رابطہ کرنے اس تاریخ پر ایک یاد دہانی حاصل کریں گے
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,ایک ہی شے کے کئی بار داخل نہیں کیا جا سکتا.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups",مزید اکاؤنٹس گروپوں کے تحت بنایا جا سکتا ہے، لیکن اندراجات غیر گروپوں کے خلاف بنایا جا سکتا ہے
@@ -1183,7 +1188,7 @@
DocType: Email Digest,Payables,Payables
DocType: Course,Course Intro,کورس انٹرو
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,اسٹاک انٹری {0} پیدا
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,صف # {0}: مقدار خریداری واپس میں داخل نہیں کیا جا سکتا مسترد
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,صف # {0}: مقدار خریداری واپس میں داخل نہیں کیا جا سکتا مسترد
,Purchase Order Items To Be Billed,خریداری کے آرڈر اشیا بل بھیجا جائے کرنے کے لئے
DocType: Purchase Invoice Item,Net Rate,نیٹ کی شرح
DocType: Purchase Invoice Item,Purchase Invoice Item,انوائس شے کی خریداری
@@ -1209,7 +1214,7 @@
DocType: Sales Order,SO-,دینے واال
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,پہلے سابقہ براہ مہربانی منتخب کریں
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,ریسرچ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,ریسرچ
DocType: Maintenance Visit Purpose,Work Done,کام ہو گیا
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,صفات ٹیبل میں کم از کم ایک وصف کی وضاحت کریں
DocType: Announcement,All Students,تمام طلباء
@@ -1217,17 +1222,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,لنک لیجر
DocType: Grading Scale,Intervals,وقفے
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,قدیم ترین
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group",ایک آئٹم گروپ ایک ہی نام کے ساتھ موجود ہے، شے کے نام کو تبدیل کرنے یا شے کے گروپ کو دوسرا نام کریں
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,طالب علم کے موبائل نمبر
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,باقی دنیا کے
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group",ایک آئٹم گروپ ایک ہی نام کے ساتھ موجود ہے، شے کے نام کو تبدیل کرنے یا شے کے گروپ کو دوسرا نام کریں
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,طالب علم کے موبائل نمبر
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,باقی دنیا کے
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,آئٹم {0} بیچ نہیں کر سکتے ہیں
,Budget Variance Report,بجٹ تغیر رپورٹ
DocType: Salary Slip,Gross Pay,مجموعی ادائیگی
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,صف {0}: سرگرمی کی قسم لازمی ہے.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,فائدہ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,فائدہ
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,اکاؤنٹنگ لیجر
DocType: Stock Reconciliation,Difference Amount,فرق رقم
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,برقرار رکھا آمدنی
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,برقرار رکھا آمدنی
DocType: Vehicle Log,Service Detail,سروس کا تفصیل
DocType: BOM,Item Description,آئٹم تفصیل
DocType: Student Sibling,Student Sibling,طالب علم بھائی
@@ -1241,10 +1246,10 @@
DocType: Buying Settings,Maintain same rate throughout purchase cycle,خریداری سائیکل بھر میں ایک ہی شرح کو برقرار رکھنے
DocType: Opportunity Item,Opportunity Item,موقع آئٹم
,Student and Guardian Contact Details,طالب علم اور گارڈین کے رابطے کی تفصیلات
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,عارضی افتتاحی
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,عارضی افتتاحی
,Employee Leave Balance,ملازم کی رخصت بیلنس
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},اکاؤنٹ کے لئے توازن {0} ہمیشہ ہونا ضروری {1}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,مثال: کمپیوٹر سائنس میں ماسٹرز
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,مثال: کمپیوٹر سائنس میں ماسٹرز
DocType: Purchase Invoice,Rejected Warehouse,مسترد گودام
DocType: GL Entry,Against Voucher,واؤچر کے خلاف
DocType: Item,Default Buying Cost Center,پہلے سے طے شدہ خرید لاگت مرکز
@@ -1257,31 +1262,30 @@
DocType: Journal Entry,Get Outstanding Invoices,بقایا انوائس حاصل
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,سیلز آرڈر {0} درست نہیں ہے
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,خریداری کے احکامات کو آپ کی منصوبہ بندی کی مدد کرنے اور آپ کی خریداری پر عمل
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged",معذرت، کمپنیوں ضم نہیں کیا جا سکتا
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged",معذرت، کمپنیوں ضم نہیں کیا جا سکتا
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",کل مسئلہ / ٹرانسفر کی مقدار {0} مواد کی درخواست میں {1} \ {2} کی درخواست کی مقدار آئٹم کے لئے سے زیادہ نہیں ہو سکتا {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,چھوٹے
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,چھوٹے
DocType: Employee,Employee Number,ملازم نمبر
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},کیس نہیں (ے) پہلے سے استعمال میں. کیس نہیں سے کوشش {0}
DocType: Project,% Completed,٪ مکمل
,Invoiced Amount (Exculsive Tax),انوائس کی رقم (Exculsive ٹیکس)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,آئٹم 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,اکاؤنٹ سر {0} پیدا
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,تربیت ایونٹ
DocType: Item,Auto re-order,آٹو دوبارہ آرڈر
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,کل حاصل کیا
DocType: Employee,Place of Issue,مسئلے کی جگہ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,معاہدہ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,معاہدہ
DocType: Email Digest,Add Quote,اقتباس میں شامل
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},UOM لئے ضروری UOM coversion عنصر: {0} آئٹم میں: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,بالواسطہ اخراجات
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},UOM لئے ضروری UOM coversion عنصر: {0} آئٹم میں: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,بالواسطہ اخراجات
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,صف {0}: مقدار لازمی ہے
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,زراعت
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,مطابقت پذیری ماسٹر ڈیٹا
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,اپنی مصنوعات یا خدمات
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,مطابقت پذیری ماسٹر ڈیٹا
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,اپنی مصنوعات یا خدمات
DocType: Mode of Payment,Mode of Payment,ادائیگی کا طریقہ
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,ویب سائٹ تصویری ایک عوامی فائل یا ویب سائٹ یو آر ایل ہونا چاہئے
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,ویب سائٹ تصویری ایک عوامی فائل یا ویب سائٹ یو آر ایل ہونا چاہئے
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,یہ ایک جڑ شے گروپ ہے اور میں ترمیم نہیں کیا جا سکتا.
@@ -1290,7 +1294,7 @@
DocType: Warehouse,Warehouse Contact Info,گودام معلومات رابطہ کریں
DocType: Payment Entry,Write Off Difference Amount,فرق رقم لکھنے
DocType: Purchase Invoice,Recurring Type,مکرر قسم
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent",{0}: ملازم کے ای میل نہیں ملا، اس وجہ سے نہیں بھیجے گئے ای میل
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent",{0}: ملازم کے ای میل نہیں ملا، اس وجہ سے نہیں بھیجے گئے ای میل
DocType: Item,Foreign Trade Details,فارن ٹریڈ کی تفصیلات
DocType: Email Digest,Annual Income,سالانہ آمدنی
DocType: Serial No,Serial No Details,سیریل کوئی تفصیلات
@@ -1298,10 +1302,10 @@
DocType: Student Group Student,Group Roll Number,گروپ رول نمبر
DocType: Student Group Student,Group Roll Number,گروپ رول نمبر
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",{0}، صرف کریڈٹ اکاؤنٹس ایک ڈیبٹ داخلے کے خلاف منسلک کیا جا سکتا ہے
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,تمام کام وزن کی کل ہونا چاہئے 1. اس کے مطابق تمام منصوبے کے کاموں کے وزن کو ایڈجسٹ کریں
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,ترسیل کے نوٹ {0} پیش نہیں ہے
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,آئٹم {0} ایک ذیلی کنٹریکٹڈ آئٹم ہونا ضروری ہے
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,کیپٹل سازوسامان
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,تمام کام وزن کی کل ہونا چاہئے 1. اس کے مطابق تمام منصوبے کے کاموں کے وزن کو ایڈجسٹ کریں
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,ترسیل کے نوٹ {0} پیش نہیں ہے
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,آئٹم {0} ایک ذیلی کنٹریکٹڈ آئٹم ہونا ضروری ہے
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,کیپٹل سازوسامان
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",قیمتوں کا تعین اصول سب سے پہلے کی بنیاد پر منتخب کیا جاتا ہے آئٹم آئٹم گروپ یا برانڈ ہو سکتا ہے، میدان 'پر لگائیں'.
DocType: Hub Settings,Seller Website,فروش ویب سائٹ
DocType: Item,ITEM-,ITEM-
@@ -1318,7 +1322,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",صرف "VALUE" 0 یا خالی کی قیمت کے ساتھ ایک شپنگ حکمرانی شرط ہو سکتا ہے
DocType: Authorization Rule,Transaction,ٹرانزیکشن
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,نوٹ: اس کی قیمت سینٹر ایک گروپ ہے. گروپوں کے خلاف اکاؤنٹنگ اندراجات نہیں بنا سکتے.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,چائلڈ گودام اس گودام کے لئے موجود ہے. آپ نے اس کے گودام حذف نہیں کر سکتے.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,چائلڈ گودام اس گودام کے لئے موجود ہے. آپ نے اس کے گودام حذف نہیں کر سکتے.
DocType: Item,Website Item Groups,ویب سائٹ آئٹم گروپس
DocType: Purchase Invoice,Total (Company Currency),کل (کمپنی کرنسی)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,{0} سیریل نمبر ایک سے زائد بار میں داخل
@@ -1328,7 +1332,7 @@
DocType: Grading Scale Interval,Grade Code,گریڈ کوڈ
DocType: POS Item Group,POS Item Group,POS آئٹم گروپ
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,ڈائجسٹ ای میل کریں:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} آئٹم سے تعلق نہیں ہے {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} آئٹم سے تعلق نہیں ہے {1}
DocType: Sales Partner,Target Distribution,ہدف تقسیم
DocType: Salary Slip,Bank Account No.,بینک اکاؤنٹ نمبر
DocType: Naming Series,This is the number of the last created transaction with this prefix,یہ اپسرگ کے ساتھ گزشتہ پیدا لین دین کی تعداد ہے
@@ -1338,12 +1342,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,کتاب اثاثہ ہراس اندراج خودکار طور پر
DocType: BOM Operation,Workstation,کارگاہ
DocType: Request for Quotation Supplier,Request for Quotation Supplier,کوٹیشن سپلائر کے لئے درخواست
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,ہارڈ ویئر
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,ہارڈ ویئر
DocType: Sales Order,Recurring Upto,مکرر تک
DocType: Attendance,HR Manager,HR مینیجر
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,ایک کمپنی کا انتخاب کریں
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,استحقاق رخصت
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,ایک کمپنی کا انتخاب کریں
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,استحقاق رخصت
DocType: Purchase Invoice,Supplier Invoice Date,سپلائر انوائس تاریخ
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,فی
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,آپ کی خریداری کی ٹوکری کو چالو کرنے کی ضرورت ہے
DocType: Payment Entry,Writeoff,لکھ دینا
DocType: Appraisal Template Goal,Appraisal Template Goal,تشخیص سانچہ گول
@@ -1354,10 +1359,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,کے درمیان پایا اتیویاپی حالات:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,جرنل کے خلاف اندراج {0} پہلے سے ہی کچھ دیگر واؤچر کے خلاف ایڈجسٹ کیا جاتا ہے
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,کل آرڈر ویلیو
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,خوراک
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,خوراک
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,خستہ رینج 3
DocType: Maintenance Schedule Item,No of Visits,دوروں کی کوئی
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,مارک Attendence
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,مارک Attendence
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,اندراج کے طالب علم
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},بند اکاؤنٹ کی کرنسی ہونا ضروری ہے {0}
apps/erpnext/erpnext/hr/doctype/appraisal_template/appraisal_template.py +21,Sum of points for all goals should be 100. It is {0},تمام مقاصد کے لئے پوائنٹس کی رقم یہ ہے 100. ہونا چاہئے {0}
@@ -1369,6 +1374,7 @@
DocType: Rename Tool,Utilities,افادیت
DocType: Purchase Invoice Item,Accounting,اکاؤنٹنگ
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,batched شے کے لئے بیچوں براہ مہربانی منتخب کریں
DocType: Asset,Depreciation Schedules,ہراس کے شیڈول
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,درخواست کی مدت کے باہر چھٹی مختص مدت نہیں ہو سکتا
DocType: Activity Cost,Projects,منصوبوں
@@ -1382,6 +1388,7 @@
DocType: POS Profile,Campaign,مہم
DocType: Supplier,Name and Type,نام اور قسم
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',منظوری کی حیثیت 'منظور' یا 'مسترد' ہونا ضروری ہے
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,بوٹسٹریپ
DocType: Purchase Invoice,Contact Person,رابطے کا بندہ
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',کی متوقع شروع کرنے کی تاریخ 'سے زیادہ' متوقع تاریخ اختتام 'نہیں ہو سکتا
DocType: Course Scheduling Tool,Course End Date,کورس کی آخری تاریخ
@@ -1389,12 +1396,11 @@
DocType: Sales Order Item,Planned Quantity,منصوبہ بندی کی مقدار
DocType: Purchase Invoice Item,Item Tax Amount,آئٹم ٹیکس کی رقم
DocType: Item,Maintain Stock,اسٹاک کو برقرار رکھنے کے
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,پہلے سے پروڈکشن آرڈر کے لئے پیدا اسٹاک میں لکھے
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,پہلے سے پروڈکشن آرڈر کے لئے پیدا اسٹاک میں لکھے
DocType: Employee,Prefered Email,prefered کی ای میل
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,فکسڈ اثاثہ میں خالص تبدیلی
DocType: Leave Control Panel,Leave blank if considered for all designations,تمام مراتب کے لئے غور کیا تو خالی چھوڑ دیں
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,گودام قسم اسٹاک کی غیر گروپ کے اکاؤنٹس کے لئے لازمی ہے
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,قسم 'اصل' قطار میں کے انچارج {0} شے کی درجہ بندی میں شامل نہیں کیا جا سکتا
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,قسم 'اصل' قطار میں کے انچارج {0} شے کی درجہ بندی میں شامل نہیں کیا جا سکتا
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},زیادہ سے زیادہ: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,تریخ ویلہ سے
DocType: Email Digest,For Company,کمپنی کے لئے
@@ -1404,15 +1410,15 @@
DocType: Sales Invoice,Shipping Address Name,شپنگ ایڈریس کا نام
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,اکاؤنٹس کا چارٹ
DocType: Material Request,Terms and Conditions Content,شرائط و ضوابط مواد
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,زیادہ سے زیادہ 100 سے زائد نہیں ہو سکتا
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,{0} آئٹم اسٹاک شے نہیں ہے
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,زیادہ سے زیادہ 100 سے زائد نہیں ہو سکتا
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,{0} آئٹم اسٹاک شے نہیں ہے
DocType: Maintenance Visit,Unscheduled,شیڈول کا اعلان
DocType: Employee,Owned,ملکیت
DocType: Salary Detail,Depends on Leave Without Pay,بغیر تنخواہ چھٹی پر منحصر ہے
DocType: Pricing Rule,"Higher the number, higher the priority",زیادہ تعداد، اعلی ترجیح
,Purchase Invoice Trends,انوائس رجحانات خریدیں
DocType: Employee,Better Prospects,بہتر امکانات
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",صف # {0}: بیچ {1} صرف {2} قی ہے. ایک اور بیچ دستیاب ہے جس {3} قی منتخب کریں یا / مسئلہ ایک سے زیادہ بیچوں سے فراہم کرنے کے لئے، ایک سے زیادہ قطاروں میں صف تقسیم مہربانی
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",صف # {0}: بیچ {1} صرف {2} قی ہے. ایک اور بیچ دستیاب ہے جس {3} قی منتخب کریں یا / مسئلہ ایک سے زیادہ بیچوں سے فراہم کرنے کے لئے، ایک سے زیادہ قطاروں میں صف تقسیم مہربانی
DocType: Vehicle,License Plate,لائسنس پلیٹ
DocType: Appraisal,Goals,اہداف
DocType: Warranty Claim,Warranty / AMC Status,وارنٹی / AMC رتبہ
@@ -1423,19 +1429,20 @@
,Batch-Wise Balance History,بیچ حکمت بیلنس تاریخ
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,پرنٹ ترتیبات متعلقہ پرنٹ کی شکل میں اپ ڈیٹ
DocType: Package Code,Package Code,پیکیج کوڈ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,شکشو
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,شکشو
+DocType: Purchase Invoice,Company GSTIN,کمپنی GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,منفی مقدار کی اجازت نہیں ہے
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",ایک تار کے طور پر اشیاء کے مالک سے دلوایا اور اس میدان میں ذخیرہ ٹیکس تفصیل میز. ٹیکسز اور چارجز کے لئے استعمال کیا جاتا ہے
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,ملازم خود کو رپورٹ نہیں دے سکتے.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.",اکاؤنٹ منجمد ہے، اندراجات محدود صارفین کو اجازت دی جاتی ہے.
DocType: Email Digest,Bank Balance,بینک کی بیلنس
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},{1} صرف کرنسی میں بنایا جا سکتا ہے: {0} کے لئے اکاؤنٹنگ انٹری {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},{1} صرف کرنسی میں بنایا جا سکتا ہے: {0} کے لئے اکاؤنٹنگ انٹری {2}
DocType: Job Opening,"Job profile, qualifications required etc.",ایوب پروفائل، قابلیت کی ضرورت وغیرہ
DocType: Journal Entry Account,Account Balance,اکاؤنٹ بیلنس
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,لین دین کے لئے ٹیکس اصول.
DocType: Rename Tool,Type of document to rename.,دستاویز کی قسم کا نام تبدیل کرنے.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,ہم اس شے کے خریدنے
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,ہم اس شے کے خریدنے
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),کل ٹیکس اور الزامات (کمپنی کرنسی)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,نا بند کردہ مالی سال کی P & L بیلنس دکھائیں
DocType: Shipping Rule,Shipping Account,شپنگ اکاؤنٹ
@@ -1445,28 +1452,29 @@
DocType: Stock Entry,Total Additional Costs,کل اضافی اخراجات
DocType: Course Schedule,SH,ایسیچ
DocType: BOM,Scrap Material Cost(Company Currency),سکریپ مواد کی لاگت (کمپنی کرنسی)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,ذیلی اسمبلی
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,ذیلی اسمبلی
DocType: Asset,Asset Name,ایسیٹ نام
DocType: Project,Task Weight,ٹاسک وزن
DocType: Shipping Rule Condition,To Value,قدر میں
DocType: Asset Movement,Stock Manager,اسٹاک مینیجر
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},ماخذ گودام صف کے لئے لازمی ہے {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,پیکنگ پرچی
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,دفتر کرایہ پر دستیاب
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},ماخذ گودام صف کے لئے لازمی ہے {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,پیکنگ پرچی
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,دفتر کرایہ پر دستیاب
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,سیٹ اپ SMS گیٹ وے کی ترتیبات
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,درآمد میں ناکام!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,کوئی ایڈریس کی ابھی تک شامل.
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,کوئی ایڈریس کی ابھی تک شامل.
DocType: Workstation Working Hour,Workstation Working Hour,کارگاہ قیامت کام کرنا
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,تجزیہ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,تجزیہ
DocType: Item,Inventory,انوینٹری
DocType: Item,Sales Details,سیلز کی تفصیلات
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,اشیاء کے ساتھ
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,مقدار میں
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,مقدار میں
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,طالب علم گروپ کے طلبا کے لئے داخلہ لیا کورس کی توثیق
DocType: Notification Control,Expense Claim Rejected,اخراجات دعوے کی تردید کی
DocType: Item,Item Attribute,آئٹم خاصیت
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,حکومت
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,انسٹی ٹیوٹ نام
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,حکومت
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,انسٹی ٹیوٹ نام
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,واپسی کی رقم درج کریں
apps/erpnext/erpnext/config/stock.py +300,Item Variants,آئٹم متغیرات
DocType: Company,Services,خدمات
@@ -1476,18 +1484,18 @@
DocType: Sales Invoice,Source,ماخذ
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,بند کر کے دکھائیں
DocType: Leave Type,Is Leave Without Pay,تنخواہ کے بغیر چھوڑ
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,ایسیٹ قسم فکسڈ اثاثہ شے کے لئے لازمی ہے
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,ایسیٹ قسم فکسڈ اثاثہ شے کے لئے لازمی ہے
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,ادائیگی ٹیبل میں پایا کوئی ریکارڈ
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},اس {0} کے ساتھ تنازعات {1} کو {2} {3}
DocType: Student Attendance Tool,Students HTML,طلباء HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,مالی سال شروع کرنے کی تاریخ
DocType: POS Profile,Apply Discount,رعایت کا اطلاق کریں
+DocType: Purchase Invoice Item,GST HSN Code,GST HSN کوڈ
DocType: Employee External Work History,Total Experience,کل تجربہ
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,کھلی منصوبوں
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,منسوخ پیکنگ پرچی (ے)
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,سرمایہ کاری سے کیش فلو
DocType: Program Course,Program Course,پروگرام کے کورس
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,فریٹ فارورڈنگ اور چارجز
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,فریٹ فارورڈنگ اور چارجز
DocType: Homepage,Company Tagline for website homepage,ویب سائٹ کے ہوم پیج کے لئے کمپنی ٹیگ لائن
DocType: Item Group,Item Group Name,آئٹم گروپ کا نام
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,لیا
@@ -1497,6 +1505,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,لیڈز بنائیں
DocType: Maintenance Schedule,Schedules,شیڈول
DocType: Purchase Invoice Item,Net Amount,اصل رقم
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} لہذا کارروائی مکمل نہیں کیا جا سکتا ہے جمع نہیں کیا گیا ہے
DocType: Purchase Order Item Supplied,BOM Detail No,BOM تفصیل کوئی
DocType: Landed Cost Voucher,Additional Charges,اضافی چارجز
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),اضافی ڈسکاؤنٹ رقم (کمپنی کرنسی)
@@ -1512,6 +1521,7 @@
DocType: Employee Loan,Monthly Repayment Amount,ماہانہ واپسی کی رقم
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,ملازم کردار کو قائم کرنے کا ملازم ریکارڈ میں صارف کی شناخت میدان مقرر کریں
DocType: UOM,UOM Name,UOM نام
+DocType: GST HSN Code,HSN Code,HSN کوڈ
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,شراکت رقم
DocType: Purchase Invoice,Shipping Address,شپنگ ایڈریس
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,یہ آلہ آپ کو اپ ڈیٹ یا نظام میں اسٹاک کی مقدار اور تشخیص کو حل کرنے میں مدد ملتی ہے. یہ عام طور پر نظام اقدار اور جو اصل میں آپ کے گوداموں میں موجود مطابقت کرنے کے لئے استعمال کیا جاتا ہے.
@@ -1522,18 +1532,17 @@
DocType: Program Enrollment Tool,Program Enrollments,پروگرام کا اندراج
DocType: Sales Invoice Item,Brand Name,برانڈ کا نام
DocType: Purchase Receipt,Transporter Details,ٹرانسپورٹر تفصیلات
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,پہلے سے طے شدہ گودام منتخب شے کے لئے کی ضرورت ہے
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,باکس
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,پہلے سے طے شدہ گودام منتخب شے کے لئے کی ضرورت ہے
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,باکس
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,ممکنہ سپلائر
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,تنظیم
DocType: Budget,Monthly Distribution,ماہانہ تقسیم
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,وصول فہرست خالی ہے. وصول فہرست تشکیل دے براہ مہربانی
DocType: Production Plan Sales Order,Production Plan Sales Order,پیداوار کی منصوبہ بندی سیلز آرڈر
DocType: Sales Partner,Sales Partner Target,سیلز پارٹنر ہدف
DocType: Loan Type,Maximum Loan Amount,زیادہ سے زیادہ قرض کی رقم
DocType: Pricing Rule,Pricing Rule,قیمتوں کا تعین اصول
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},طالب علم کے لئے ڈوپلیکیٹ رول نمبر {0}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},طالب علم کے لئے ڈوپلیکیٹ رول نمبر {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},طالب علم کے لئے ڈوپلیکیٹ رول نمبر {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},طالب علم کے لئے ڈوپلیکیٹ رول نمبر {0}
DocType: Budget,Action if Annual Budget Exceeded,ایکشن سالانہ بجٹ سے تجاوز تو
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,آرڈر خریداری کے لئے مواد کی درخواست
DocType: Shopping Cart Settings,Payment Success URL,ادائیگی کی کامیابی کے یو آر ایل
@@ -1546,11 +1555,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,افتتاحی اسٹاک توازن
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} صرف ایک بار ظاہر ہونا چاہیے
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},زیادہ tranfer کرنے کی اجازت نہیں {0} سے {1} خریداری کے آرڈر کے خلاف {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},زیادہ tranfer کرنے کی اجازت نہیں {0} سے {1} خریداری کے آرڈر کے خلاف {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},کے لئے کامیابی روانہ مختص {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,کوئی شے پیک کرنے کے لئے
DocType: Shipping Rule Condition,From Value,قیمت سے
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,مینوفیکچرنگ مقدار لازمی ہے
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,مینوفیکچرنگ مقدار لازمی ہے
DocType: Employee Loan,Repayment Method,باز ادائیگی کا طریقہ
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",جانچ پڑتال کی تو، گھر کے صفحے ویب سائٹ کے لئے پہلے سے طے شدہ آئٹم گروپ ہو جائے گا
DocType: Quality Inspection Reading,Reading 4,4 پڑھنا
@@ -1559,7 +1568,7 @@
apps/erpnext/erpnext/utilities/activation.py +116,"Students are at the heart of the system, add all your students",طلباء کے نظام کے دل میں ہیں، آپ کے تمام طالب علموں کو شامل
DocType: Company,Default Holiday List,چھٹیوں فہرست پہلے سے طے شدہ
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},صف {0}: وقت اور کرنے کے وقت سے {1} ساتھ اتیویاپی ہے {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,اسٹاک واجبات
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,اسٹاک واجبات
DocType: Purchase Invoice,Supplier Warehouse,پردایک گودام
DocType: Opportunity,Contact Mobile No,موبائل سے رابطہ کریں کوئی
,Material Requests for which Supplier Quotations are not created,پردایک کوٹیشن پیدا نہیں کر رہے ہیں جس کے لئے مواد کی درخواست
@@ -1570,35 +1579,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,کوٹیشن بنائیں
apps/erpnext/erpnext/config/selling.py +216,Other Reports,دیگر رپورٹوں
DocType: Dependent Task,Dependent Task,منحصر ٹاسک
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},پیمائش کی یونٹ کے لئے پہلے سے طے شدہ تبادلوں عنصر قطار میں ہونا چاہیے 1 {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},پیمائش کی یونٹ کے لئے پہلے سے طے شدہ تبادلوں عنصر قطار میں ہونا چاہیے 1 {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},قسم کے حکم {0} سے زیادہ نہیں ہو سکتا {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,پیشگی ایکس دنوں کے لئے کی منصوبہ بندی کرنے کی کوشش کریں.
DocType: HR Settings,Stop Birthday Reminders,سٹاپ سالگرہ تخسمارک
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},کمپنی میں پہلے سے طے شدہ پے رول قابل ادائیگی اکاؤنٹ سیٹ مہربانی {0}
DocType: SMS Center,Receiver List,وصول کی فہرست
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,تلاش آئٹم
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,تلاش آئٹم
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,بسم رقم
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,کیش میں خالص تبدیلی
DocType: Assessment Plan,Grading Scale,گریڈنگ پیمانے
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,پیمائش {0} کے یونٹ تبادلوں فیکٹر ٹیبل میں ایک سے زائد بار میں داخل کر دیا گیا ہے
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,پیمائش {0} کے یونٹ تبادلوں فیکٹر ٹیبل میں ایک سے زائد بار میں داخل کر دیا گیا ہے
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,پہلے ہی مکمل
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,ہاتھ میں اسٹاک
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},ادائیگی کی درخواست پہلے سے موجود ہے {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,تاریخ اجراء اشیا کی لاگت
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},مقدار سے زیادہ نہیں ہونا چاہئے {0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,گزشتہ مالی سال بند نہیں ہے
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),عمر (دن)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),عمر (دن)
DocType: Quotation Item,Quotation Item,کوٹیشن آئٹم
+DocType: Customer,Customer POS Id,کسٹمر POS کی شناخت
DocType: Account,Account Name,کھاتے کا نام
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,تاریخ تاریخ سے زیادہ نہیں ہو سکتا ہے
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,سیریل نمبر {0} مقدار {1} ایک حصہ نہیں ہو سکتا
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,پردایک قسم ماسٹر.
DocType: Purchase Order Item,Supplier Part Number,پردایک حصہ نمبر
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,تبادلے کی شرح 0 یا 1 نہیں ہو سکتا
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,تبادلے کی شرح 0 یا 1 نہیں ہو سکتا
DocType: Sales Invoice,Reference Document,حوالہ دستاویز
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} منسوخ یا بند کر دیا ہے
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} منسوخ یا بند کر دیا ہے
DocType: Accounts Settings,Credit Controller,کریڈٹ کنٹرولر
DocType: Delivery Note,Vehicle Dispatch Date,گاڑی ڈسپیچ کی تاریخ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,خریداری کی رسید {0} پیش نہیں ہے
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,خریداری کی رسید {0} پیش نہیں ہے
DocType: Company,Default Payable Account,پہلے سے طے شدہ قابل ادائیگی اکاؤنٹ
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.",اس طرح کے شپنگ کے قوانین، قیمت کی فہرست وغیرہ کے طور پر آن لائن خریداری کی ٹوکری کے لئے ترتیبات
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}٪ بل
@@ -1617,10 +1628,11 @@
DocType: Expense Claim,Total Amount Reimbursed,کل رقم آفسیٹ
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,یہ اس گاڑی کے خلاف نوشتہ پر مبنی ہے. تفصیلات کے لئے نیچے ٹائم لائن ملاحظہ کریں
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,جمع کریں
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},پردایک خلاف انوائس {0} ء {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},پردایک خلاف انوائس {0} ء {1}
DocType: Customer,Default Price List,پہلے سے طے شدہ قیمت کی فہرست
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,اثاثہ تحریک ریکارڈ {0} پیدا
DocType: Journal Entry,Entry Type,اندراج کی قسم
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,اس کا تعین گروپ کے ساتھ منسلک کوئی تشخیص کی منصوبہ بندی
,Customer Credit Balance,کسٹمر کے کریڈٹ بیلنس
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,قابل ادائیگی اکاؤنٹس میں خالص تبدیلی
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount','Customerwise ڈسکاؤنٹ کے لئے کی ضرورت ہے کسٹمر
@@ -1629,7 +1641,7 @@
DocType: Quotation,Term Details,ٹرم تفصیلات
DocType: Project,Total Sales Cost (via Sales Order),کل سیلز قیمت (سیلز آرڈر کے ذریعے)
DocType: Project,Total Sales Cost (via Sales Order),کل سیلز قیمت (سیلز آرڈر کے ذریعے)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,{0} اس طالب علم گروپ کے لیے طالب علموں کو داخلہ سے زیادہ نہیں ہوسکتی.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,{0} اس طالب علم گروپ کے لیے طالب علموں کو داخلہ سے زیادہ نہیں ہوسکتی.
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,لیڈ شمار
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,لیڈ شمار
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0}صفر سےبڈا ھونا ڇاھۓ
@@ -1650,7 +1662,7 @@
DocType: Sales Invoice,Packed Items,پیک اشیا
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,سیریل نمبر کے خلاف دعوی وارنٹی
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM",استعمال کیا جاتا ہے جہاں تمام دوسری BOMs میں ایک خاص BOM بدل. اسے، پرانا BOM لنک کی جگہ کی قیمت کو اپ ڈیٹ اور نئے BOM کے مطابق "BOM دھماکہ آئٹم" میز پنرجیویت گا
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','کل'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','کل'
DocType: Shopping Cart Settings,Enable Shopping Cart,خریداری کی ٹوکری فعال
DocType: Employee,Permanent Address,مستقل پتہ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1666,9 +1678,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,مقدار یا تشخیص کی شرح یا دونوں یا تو وضاحت کریں
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,تکمیل
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,ٹوکری میں دیکھیں
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,مارکیٹنگ کے اخراجات
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,مارکیٹنگ کے اخراجات
,Item Shortage Report,آئٹم کمی رپورٹ
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",وزن \ n براہ مہربانی بھی "وزن UOM" کا ذکر، ذکر کیا جاتا ہے
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",وزن \ n براہ مہربانی بھی "وزن UOM" کا ذکر، ذکر کیا جاتا ہے
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,مواد کی درخواست یہ اسٹاک اندراج کرنے کے لئے استعمال کیا جاتا ہے
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,اگلا ہراس تاریخ نیا اثاثہ کے لئے لازمی ہے
DocType: Student Group Creation Tool,Separate course based Group for every Batch,ہر بیچ کے لئے الگ الگ کورس مبنی گروپ
@@ -1678,16 +1690,17 @@
,Student Fee Collection,طالب علم کی فیس جمعکاری
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,ہر اسٹاک تحریک کے لئے اکاؤنٹنگ اندراج
DocType: Leave Allocation,Total Leaves Allocated,کل پتے مختص
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},صف کوئی ضرورت گودام {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,درست مالی سال شروع کریں اور انتھاء داخل کریں
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},صف کوئی ضرورت گودام {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,درست مالی سال شروع کریں اور انتھاء داخل کریں
DocType: Employee,Date Of Retirement,ریٹائرمنٹ کے تاریخ
DocType: Upload Attendance,Get Template,سانچے حاصل
+DocType: Material Request,Transferred,منتقل
DocType: Vehicle,Doors,دروازے
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext سیٹ اپ مکمل!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext سیٹ اپ مکمل!
DocType: Course Assessment Criteria,Weightage,اہمیت
DocType: Packing Slip,PS-,PS-
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ایک گاہک گروپ ایک ہی نام کے ساتھ موجود ہے کسٹمر کا نام تبدیل کرنے یا گاہک گروپ کا نام تبدیل کریں
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,نیا رابطہ
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,ایک گاہک گروپ ایک ہی نام کے ساتھ موجود ہے کسٹمر کا نام تبدیل کرنے یا گاہک گروپ کا نام تبدیل کریں
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,نیا رابطہ
DocType: Territory,Parent Territory,والدین علاقہ
DocType: Quality Inspection Reading,Reading 2,2 پڑھنا
DocType: Stock Entry,Material Receipt,مواد رسید
@@ -1696,17 +1709,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",اس شے کے مختلف حالتوں ہے، تو یہ فروخت کے احکامات وغیرہ میں منتخب نہیں کیا جا سکتا
DocType: Lead,Next Contact By,کی طرف سے اگلے رابطہ
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},قطار میں آئٹم {0} کے لئے ضروری مقدار {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},مقدار شے کے لئے موجود ہے کے طور پر گودام {0} خارج نہیں کیا جا سکتا {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},قطار میں آئٹم {0} کے لئے ضروری مقدار {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},مقدار شے کے لئے موجود ہے کے طور پر گودام {0} خارج نہیں کیا جا سکتا {1}
DocType: Quotation,Order Type,آرڈر کی قسم
DocType: Purchase Invoice,Notification Email Address,نوٹیفکیشن ای میل ایڈریس
,Item-wise Sales Register,آئٹم وار سیلز رجسٹر
DocType: Asset,Gross Purchase Amount,مجموعی خریداری کی رقم
DocType: Asset,Depreciation Method,ہراس کا طریقہ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,آف لائن
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,آف لائن
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,بنیادی شرح میں شامل اس ٹیکس ہے؟
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,کل ہدف
-DocType: Program Course,Required,مطلوب
DocType: Job Applicant,Applicant for a Job,ایک کام کے لئے درخواست
DocType: Production Plan Material Request,Production Plan Material Request,پیداوار کی منصوبہ بندی مواد گذارش
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,پیدا کوئی پیداوار کے احکامات
@@ -1716,17 +1728,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,ایک گاہک کی خریداری کے آرڈر کے خلاف ایک سے زیادہ سیلز آرڈر کرنے کی اجازت دیں
DocType: Student Group Instructor,Student Group Instructor,طالب علم گروپ انسٹرکٹر
DocType: Student Group Instructor,Student Group Instructor,طالب علم گروپ انسٹرکٹر
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 موبائل نمبر
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,مین
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 موبائل نمبر
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,مین
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,ویرینٹ
DocType: Naming Series,Set prefix for numbering series on your transactions,آپ کے لین دین پر سیریز تعداد کے لئے مقرر اپسرگ
DocType: Employee Attendance Tool,Employees HTML,ملازمین ایچ ٹی ایم ایل
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,پہلے سے طے شدہ BOM ({0}) یہ آئٹم یا اس سانچے کے لئے فعال ہونا ضروری ہے
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,پہلے سے طے شدہ BOM ({0}) یہ آئٹم یا اس سانچے کے لئے فعال ہونا ضروری ہے
DocType: Employee,Leave Encashed?,Encashed چھوڑ دیں؟
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,میدان سے مواقع لازمی ہے
DocType: Email Digest,Annual Expenses,سالانہ اخراجات
DocType: Item,Variants,متغیرات
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,خریداری کے آرڈر بنائیں
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,خریداری کے آرڈر بنائیں
DocType: SMS Center,Send To,کے لئے بھیج
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},رخصت قسم کافی چھوڑ توازن نہیں ہے {0}
DocType: Payment Reconciliation Payment,Allocated amount,مختص رقم
@@ -1740,25 +1752,25 @@
DocType: Supplier,Statutory info and other general information about your Supplier,اپنے سپلائر کے بارے میں قانونی معلومات اور دیگر عمومی معلومات
DocType: Item,Serial Nos and Batches,سیریل نمبر اور بیچوں
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,طالب علم گروپ طاقت
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,جرنل کے خلاف اندراج {0} کسی بھی بے مثال {1} اندراج نہیں ہے
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,جرنل کے خلاف اندراج {0} کسی بھی بے مثال {1} اندراج نہیں ہے
apps/erpnext/erpnext/config/hr.py +137,Appraisals,تشخیص
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},سیریل کوئی آئٹم کے لئے داخل نقل {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,ایک شپنگ حکمرانی کے لئے ایک شرط
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,درج کریں
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",قطار میں آئٹم {0} کے لئے overbill نہیں کر سکتے ہیں {1} سے زیادہ {2}. زیادہ بلنگ کی اجازت دینے کے لئے، ترتیبات خریدنے میں قائم کریں
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,شے یا گودام کی بنیاد پر فلٹر مقرر کریں
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",قطار میں آئٹم {0} کے لئے overbill نہیں کر سکتے ہیں {1} سے زیادہ {2}. زیادہ بلنگ کی اجازت دینے کے لئے، ترتیبات خریدنے میں قائم کریں
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,شے یا گودام کی بنیاد پر فلٹر مقرر کریں
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),اس پیکج کی خالص وزن. (اشیاء کی خالص وزن کی رقم کے طور پر خود کار طریقے سے شمار کیا جاتا)
DocType: Sales Order,To Deliver and Bill,نجات اور بل میں
DocType: Student Group,Instructors,انسٹرکٹر
DocType: GL Entry,Credit Amount in Account Currency,اکاؤنٹ کی کرنسی میں قرضے کی رقم
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} پیش کرنا ضروری ہے
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} پیش کرنا ضروری ہے
DocType: Authorization Control,Authorization Control,اجازت کنٹرول
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},صف # {0}: گودام مسترد مسترد آئٹم خلاف لازمی ہے {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},صف # {0}: گودام مسترد مسترد آئٹم خلاف لازمی ہے {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,ادائیگی
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.",گودام {0} کسی بھی اکاؤنٹ سے منسلک نہیں ہے، براہ مہربانی کمپنی میں گودام ریکارڈ میں اکاؤنٹ یا سیٹ ڈیفالٹ انوینٹری اکاؤنٹ ذکر {1}.
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,آپ کے احکامات کو منظم کریں
DocType: Production Order Operation,Actual Time and Cost,اصل وقت اور لاگت
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},زیادہ سے زیادہ {0} کے مواد کی درخواست {1} سیلز آرڈر کے خلاف شے کے لئے بنایا جا سکتا ہے {2}
-DocType: Employee,Salutation,آداب
DocType: Course,Course Abbreviation,کورس مخفف
DocType: Student Leave Application,Student Leave Application,Student کی رخصت کی درخواست
DocType: Item,Will also apply for variants,بھی مختلف حالتوں کے لئے لاگو ہوں گے
@@ -1768,12 +1780,12 @@
DocType: Quotation Item,Actual Qty,اصل مقدار
DocType: Sales Invoice Item,References,حوالہ جات
DocType: Quality Inspection Reading,Reading 10,10 پڑھنا
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",آپ کو خریدنے یا فروخت ہے کہ اپنی مصنوعات یا خدمات کی فہرست. آپ کو شروع کرنے جب پیمائش اور دیگر خصوصیات کے آئٹم گروپ، یونٹ چیک کرنے کے لیے بات کو یقینی بنائیں.
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",آپ کو خریدنے یا فروخت ہے کہ اپنی مصنوعات یا خدمات کی فہرست. آپ کو شروع کرنے جب پیمائش اور دیگر خصوصیات کے آئٹم گروپ، یونٹ چیک کرنے کے لیے بات کو یقینی بنائیں.
DocType: Hub Settings,Hub Node,حب گھنڈی
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,آپ کو ڈپلیکیٹ اشیاء میں داخل ہے. کو بہتر بنانے اور دوبارہ کوشش کریں.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,ایسوسی ایٹ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,ایسوسی ایٹ
DocType: Asset Movement,Asset Movement,ایسیٹ موومنٹ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,نیا ٹوکری
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,نیا ٹوکری
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,{0} آئٹم وجہ سے serialized شے نہیں ہے
DocType: SMS Center,Create Receiver List,وصول فہرست بنائیں
DocType: Vehicle,Wheels,پہیے
@@ -1793,19 +1805,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',یا 'پچھلے صف کل' 'پچھلے صف کی رقم پر انچارج قسم ہے صرف اس صورت میں رجوع کر سکتے ہیں صف
DocType: Sales Order Item,Delivery Warehouse,ڈلیوری گودام
DocType: SMS Settings,Message Parameter,پیغام پیرامیٹر
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,مالیاتی لاگت کے مراکز کا درخت.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,مالیاتی لاگت کے مراکز کا درخت.
DocType: Serial No,Delivery Document No,ڈلیوری دستاویز
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},کمپنی میں 'اثاثہ تلفی پر حاصل / نقصان اکاؤنٹ' مقرر مہربانی {0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,خریداری کی رسیدیں سے اشیاء حاصل
DocType: Serial No,Creation Date,بنانے کی تاریخ
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},{0} شے کی قیمت کی فہرست میں ایک سے زیادہ مرتبہ ظاہر ہوتا ہے {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}",قابل اطلاق کے لئے کے طور پر منتخب کیا جاتا ہے تو فروخت، جانچ پڑتال ہونا ضروری {0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}",قابل اطلاق کے لئے کے طور پر منتخب کیا جاتا ہے تو فروخت، جانچ پڑتال ہونا ضروری {0}
DocType: Production Plan Material Request,Material Request Date,مواد تاریخ گذارش
DocType: Purchase Order Item,Supplier Quotation Item,پردایک کوٹیشن آئٹم
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,پیداوار کے احکامات کے خلاف وقت نوشتہ کی تخلیق غیر فعال. آپریشنز پروڈکشن آرڈر کے خلاف ٹریک نہیں کیا جائے گا
DocType: Student,Student Mobile Number,طالب علم کے موبائل نمبر
DocType: Item,Has Variants,مختلف حالتوں ہے
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},آپ نے پہلے ہی سے اشیاء کو منتخب کیا ہے {0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},آپ نے پہلے ہی سے اشیاء کو منتخب کیا ہے {0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,ماہانہ تقسیم کے نام
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,بیچ ID لازمی ہے
DocType: Sales Person,Parent Sales Person,والدین فروخت شخص
@@ -1815,12 +1827,12 @@
DocType: Budget,Fiscal Year,مالی سال
DocType: Vehicle Log,Fuel Price,ایندھن کی قیمت
DocType: Budget,Budget,بجٹ
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,فکسڈ اثاثہ آئٹم ایک غیر اسٹاک شے ہونا ضروری ہے.
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,فکسڈ اثاثہ آئٹم ایک غیر اسٹاک شے ہونا ضروری ہے.
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",یہ ایک آمدنی یا اخراجات کے اکاؤنٹ نہیں ہے کے طور پر بجٹ کے خلاف {0} تفویض نہیں کیا جا سکتا
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,حاصل کیا
DocType: Student Admission,Application Form Route,درخواست فارم روٹ
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,علاقہ / کسٹمر
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,مثال کے طور پر 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,مثال کے طور پر 5
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},صف {0}: مختص رقم {1} سے کم ہونا یا بقایا رقم انوائس کے برابر کرنا چاہئے {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,آپ کی فروخت انوائس کو بچانے بار الفاظ میں نظر آئے گا.
DocType: Item,Is Sales Item,سیلز آئٹم
@@ -1828,7 +1840,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,{0} آئٹم سیریل نمبر کے لئے سیٹ اپ نہیں ہے. آئٹم ماسٹر چیک
DocType: Maintenance Visit,Maintenance Time,بحالی وقت
,Amount to Deliver,رقم فراہم کرنے
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,ایک پروڈکٹ یا سروس
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,ایک پروڈکٹ یا سروس
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,ٹرم شروع کرنے کی تاریخ جس کی اصطلاح منسلک ہے کے تعلیمی سال سال شروع تاریخ سے پہلے نہیں ہو سکتا (تعلیمی سال {}). تاریخوں درست کریں اور دوبارہ کوشش کریں براہ مہربانی.
DocType: Guardian,Guardian Interests,گارڈین دلچسپیاں
DocType: Naming Series,Current Value,موجودہ قیمت
@@ -1840,12 +1852,12 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +137,"Row {0}: To set {1} periodicity, difference between from and to date \
must be greater than or equal to {2}",صف {0}: قائم کرنے {1} مدت، اور تاریخ \ کے درمیان فرق کرنے کے لئے یا اس سے زیادہ کے برابر ہونا چاہیے {2}
DocType: Pricing Rule,Selling,فروخت
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},رقم {0} {1} خلاف کٹوتی {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},رقم {0} {1} خلاف کٹوتی {2}
DocType: Employee,Salary Information,تنخواہ معلومات
DocType: Sales Person,Name and Employee ID,نام اور ملازم ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,کی وجہ سے تاریخ تاریخ پوسٹنگ سے پہلے نہیں ہو سکتا
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,کی وجہ سے تاریخ تاریخ پوسٹنگ سے پہلے نہیں ہو سکتا
DocType: Website Item Group,Website Item Group,ویب سائٹ آئٹم گروپ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,ڈیوٹی اور ٹیکس
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,ڈیوٹی اور ٹیکس
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,حوالہ کوڈ داخل کریں.
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} ادائیگی اندراجات کی طرف سے فلٹر نہیں کیا جا سکتا {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,ویب سائٹ میں دکھایا جائے گا کہ شے کے لئے ٹیبل
@@ -1862,9 +1874,9 @@
DocType: Payment Reconciliation Payment,Reference Row,حوالہ صف
DocType: Installation Note,Installation Time,کی تنصیب کا وقت
DocType: Sales Invoice,Accounting Details,اکاؤنٹنگ تفصیلات
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,اس کمپنی کے لئے تمام معاملات حذف
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,صف # {0}: آپریشن {1} کی پیداوار میں تیار مال کی {2} مقدار کے لئے مکمل نہیں ہے آرڈر # {3}. وقت کیلیے نوشتہ جات دیکھیے ذریعے آپریشن کی حیثیت کو اپ ڈیٹ کریں
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,سرمایہ کاری
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,اس کمپنی کے لئے تمام معاملات حذف
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,صف # {0}: آپریشن {1} کی پیداوار میں تیار مال کی {2} مقدار کے لئے مکمل نہیں ہے آرڈر # {3}. وقت کیلیے نوشتہ جات دیکھیے ذریعے آپریشن کی حیثیت کو اپ ڈیٹ کریں
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,سرمایہ کاری
DocType: Issue,Resolution Details,قرارداد کی تفصیلات
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,تین ہلاک
DocType: Item Quality Inspection Parameter,Acceptance Criteria,قبولیت کا کلیہ
@@ -1889,7 +1901,7 @@
DocType: Room,Room Name,کمرے کا نام
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",چھٹی توازن پہلے ہی کیری فارورڈ مستقبل چھٹی مختص ریکارڈ میں کیا گیا ہے کے طور پر، پہلے {0} منسوخ / لاگو نہیں کیا جا سکتا ہے چھوڑ {1}
DocType: Activity Cost,Costing Rate,لاگت کی شرح
-,Customer Addresses And Contacts,کسٹمر پتے اور رابطے
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,کسٹمر پتے اور رابطے
,Campaign Efficiency,مہم مستعدی
,Campaign Efficiency,مہم مستعدی
DocType: Discussion,Discussion,بحث
@@ -1900,13 +1912,15 @@
DocType: Task,Total Billing Amount (via Time Sheet),کل بلنگ کی رقم (وقت شیٹ کے ذریعے)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,گاہک ریونیو
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1})کردارکے لیے 'اخراجات کی منظوری دینے والا' کردار ضروری ہے
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,جوڑی
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,پیداوار کے لئے BOM اور قی کریں
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,جوڑی
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,پیداوار کے لئے BOM اور قی کریں
DocType: Asset,Depreciation Schedule,ہراس کا شیڈول
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,فروخت پارٹنر پتے اور روابط
DocType: Bank Reconciliation Detail,Against Account,کے اکاؤنٹ کے خلاف
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,آدھا دن تاریخ تاریخ سے اور تاریخ کے درمیان ہونا چاہئے
DocType: Maintenance Schedule Detail,Actual Date,اصل تاریخ
DocType: Item,Has Batch No,بیچ نہیں ہے
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),اشیاء اور خدمات ٹیکس (جی ایس ٹی بھارت)
DocType: Delivery Note,Excise Page Number,ایکسائز صفحہ نمبر
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory",کمپنی، تاریخ سے اور تاریخ کے لئے لازمی ہے
DocType: Asset,Purchase Date,خریداری کی تاریخ
@@ -1914,11 +1928,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},کمپنی میں 'اثاثہ ہراس لاگت سینٹر' مقرر مہربانی {0}
,Maintenance Schedules,بحالی شیڈول
DocType: Task,Actual End Date (via Time Sheet),اصل تاریخ اختتام (وقت شیٹ کے ذریعے)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},رقم {0} {1} خلاف {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},رقم {0} {1} خلاف {2} {3}
,Quotation Trends,کوٹیشن رجحانات
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},آئٹم گروپ شے کے لئے شے ماسٹر میں ذکر نہیں {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,اکاؤنٹ ڈیبٹ ایک وصولی اکاؤنٹ ہونا ضروری ہے
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},آئٹم گروپ شے کے لئے شے ماسٹر میں ذکر نہیں {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,اکاؤنٹ ڈیبٹ ایک وصولی اکاؤنٹ ہونا ضروری ہے
DocType: Shipping Rule Condition,Shipping Amount,شپنگ رقم
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,صارفین کا اضافہ کریں
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,زیر التواء رقم
DocType: Purchase Invoice Item,Conversion Factor,تبادلوں فیکٹر
DocType: Purchase Order,Delivered,ہونے والا
@@ -1927,7 +1942,8 @@
DocType: Purchase Receipt,Vehicle Number,گاڑی نمبر
DocType: Purchase Invoice,The date on which recurring invoice will be stop,بار بار چلنے والی انوائس بند کیا جائے گا جس کی تاریخ
DocType: Employee Loan,Loan Amount,قرضے کی رقم
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},صف {0}: مواد کے بل آئٹم کے لئے نہیں پایا {1}
+DocType: Program Enrollment,Self-Driving Vehicle,خود ڈرائیونگ وہیکل
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},صف {0}: مواد کے بل آئٹم کے لئے نہیں پایا {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,کل مختص پتے {0} کم نہیں ہو سکتا مدت کے لئے پہلے سے ہی منظور پتے {1} سے
DocType: Journal Entry,Accounts Receivable,وصولی اکاؤنٹس
,Supplier-Wise Sales Analytics,سپلائر-حکمت سیلز تجزیات
@@ -1945,21 +1961,20 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,اخراجات دعوی منظوری زیر التواء ہے. صرف اخراجات کی منظوری دینے والا حیثیت کو اپ ڈیٹ کر سکتے ہیں.
DocType: Email Digest,New Expenses,نیا اخراجات
DocType: Purchase Invoice,Additional Discount Amount,اضافی ڈسکاؤنٹ رقم
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",صف # {0}: قی، 1 ہونا ضروری شے ایک مقررہ اثاثہ ہے کے طور پر. ایک سے زیادہ مقدار کے لئے علیحدہ صف استعمال کریں.
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",صف # {0}: قی، 1 ہونا ضروری شے ایک مقررہ اثاثہ ہے کے طور پر. ایک سے زیادہ مقدار کے لئے علیحدہ صف استعمال کریں.
DocType: Leave Block List Allow,Leave Block List Allow,بلاک فہرست اجازت دیں چھوڑ دو
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Abbr خالی یا جگہ نہیں ہو سکتا
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Abbr خالی یا جگہ نہیں ہو سکتا
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,غیر گروپ سے گروپ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,کھیل
DocType: Loan Type,Loan Name,قرض نام
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,اصل کل
DocType: Student Siblings,Student Siblings,طالب علم بھائی بہن
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,یونٹ
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,کمپنی کی وضاحت کریں
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,یونٹ
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,کمپنی کی وضاحت کریں
,Customer Acquisition and Loyalty,گاہک حصول اور وفاداری
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,جسے آپ نے مسترد اشیاء کی اسٹاک کو برقرار رکھنے کر رہے ہیں جہاں گودام
DocType: Production Order,Skip Material Transfer,مواد کی منتقلی جائیں
DocType: Production Order,Skip Material Transfer,مواد کی منتقلی جائیں
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,آپ مالی سال ختم ہو جاتی ہے
DocType: POS Profile,Price List,قیمتوں کی فہرست
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} ڈیفالٹ مالی سال ہے. تبدیلی کا اثر لینے کے لئے اپنے براؤزر کو ریفریش کریں.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,اخراجات کے دعووں
@@ -1972,14 +1987,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},بیچ میں اسٹاک توازن {0} بن جائے گا منفی {1} گودام شے {2} کے لئے {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,مواد درخواست درج ذیل آئٹم کی دوبارہ آرڈر کی سطح کی بنیاد پر خود کار طریقے سے اٹھایا گیا ہے
DocType: Email Digest,Pending Sales Orders,سیلز احکامات زیر التواء
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},اکاؤنٹ {0} باطل ہے. اکاؤنٹ کی کرنسی ہونا ضروری ہے {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},اکاؤنٹ {0} باطل ہے. اکاؤنٹ کی کرنسی ہونا ضروری ہے {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},UOM تبادلوں عنصر قطار میں کی ضرورت ہے {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",صف # {0}: حوالہ دستاویز کی قسم سیلز آرڈر میں سے ایک، فروخت انوائس یا جرنل اندراج ہونا ضروری ہے
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",صف # {0}: حوالہ دستاویز کی قسم سیلز آرڈر میں سے ایک، فروخت انوائس یا جرنل اندراج ہونا ضروری ہے
DocType: Salary Component,Deduction,کٹوتی
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,صف {0}: وقت سے اور وقت کے لئے لازمی ہے.
DocType: Stock Reconciliation Item,Amount Difference,رقم فرق
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},شے کی قیمت کے لئے شامل {0} قیمت کی فہرست میں {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},شے کی قیمت کے لئے شامل {0} قیمت کی فہرست میں {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,اس کی فروخت کے شخص کے ملازم کی شناخت درج کریں
DocType: Territory,Classification of Customers by region,خطے کی طرف سے صارفین کی درجہ بندی
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,فرق رقم صفر ہونا ضروری ہے
@@ -1991,21 +2006,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,کل کٹوتی
,Production Analytics,پیداوار کے تجزیات
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,لاگت اپ ڈیٹ
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,لاگت اپ ڈیٹ
DocType: Employee,Date of Birth,پیدائش کی تاریخ
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,آئٹم {0} پہلے ہی واپس کر دیا گیا ہے
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,آئٹم {0} پہلے ہی واپس کر دیا گیا ہے
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** مالی سال ** ایک مالی سال کی نمائندگی کرتا ہے. تمام اکاؤنٹنگ اندراجات اور دیگر اہم لین دین *** مالی سال کے ساقھ ٹریک کر رہے ہیں.
DocType: Opportunity,Customer / Lead Address,کسٹمر / لیڈ ایڈریس
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},انتباہ: منسلکہ پر غلط SSL سرٹیفکیٹ {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},انتباہ: منسلکہ پر غلط SSL سرٹیفکیٹ {0}
DocType: Student Admission,Eligibility,اہلیت
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads",لیڈز آپ کو ملتا کاروبار، آپ لیڈز کے طور پر آپ کے تمام رابطوں اور مزید شامل کی مدد
DocType: Production Order Operation,Actual Operation Time,اصل آپریشن کے وقت
DocType: Authorization Rule,Applicable To (User),لاگو (صارف)
DocType: Purchase Taxes and Charges,Deduct,منہا
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,کام کی تفصیل
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,کام کی تفصیل
DocType: Student Applicant,Applied,اطلاقی
DocType: Sales Invoice Item,Qty as per Stock UOM,مقدار اسٹاک UOM کے مطابق
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2 نام
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2 نام
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series",سوائے خصوصی کردار "-" "."، "#"، اور "/" سیریز کا نام میں اس کی اجازت نہیں
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.",سیلز مہمات کا ٹریک رکھنے. لیڈز، کوٹیشن کا ٹریک رکھنے، سیلز آرڈر وغیرہ مہمات میں سے سرمایہ کاری پر واپسی کا اندازہ لگانے کے.
DocType: Expense Claim,Approver,گواہ
@@ -2016,8 +2031,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},سیریل نمبر {0} تک وارنٹی کے تحت ہے {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,پیکجوں کے میں تقسیم ترسیل کے نوٹ.
apps/erpnext/erpnext/hooks.py +87,Shipments,ترسیل
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,اکاؤنٹ کا بیلنس ({0}) {1} اور اسٹاک قیمت کے لئے ({2}) گودام کے لئے {3} ایک ہی ہونا چاہیے
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,اکاؤنٹ کا بیلنس ({0}) {1} اور اسٹاک قیمت کے لئے ({2}) گودام کے لئے {3} ایک ہی ہونا چاہیے
DocType: Payment Entry,Total Allocated Amount (Company Currency),کل مختص رقم (کمپنی کرنسی)
DocType: Purchase Order Item,To be delivered to customer,گاہک کے حوالے کیا جائے گا
DocType: BOM,Scrap Material Cost,سکریپ مواد کی لاگت
@@ -2025,21 +2038,22 @@
DocType: Purchase Invoice,In Words (Company Currency),الفاظ میں (کمپنی کرنسی)
DocType: Asset,Supplier,پردایک
DocType: C-Form,Quarter,کوارٹر
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,متفرق اخراجات
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,متفرق اخراجات
DocType: Global Defaults,Default Company,پہلے سے طے شدہ کمپنی
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,اخراجات یا فرق اکاؤنٹ آئٹم {0} کے طور پر اس کے اثرات مجموعی اسٹاک قیمت کے لئے لازمی ہے
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,اخراجات یا فرق اکاؤنٹ آئٹم {0} کے طور پر اس کے اثرات مجموعی اسٹاک قیمت کے لئے لازمی ہے
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,بینک کا نام
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,اوپر
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,اوپر
DocType: Employee Loan,Employee Loan Account,ملازم قرض اکاؤنٹ
DocType: Leave Application,Total Leave Days,کل رخصت دنوں
DocType: Email Digest,Note: Email will not be sent to disabled users,نوٹ: ای میل معذور صارفین کو نہیں بھیجی جائے گی
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,تعامل کی تعداد
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,تعامل کی تعداد
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,آئٹم کوڈ> آئٹم گروپ> برانڈ
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,کمپنی کو منتخب کریں ...
DocType: Leave Control Panel,Leave blank if considered for all departments,تمام محکموں کے لئے تصور کیا جاتا ہے تو خالی چھوڑ دیں
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).",ملازمت کی اقسام (مستقل، کنٹریکٹ، انٹرن وغیرہ).
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} شے کے لئے لازمی ہے {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} شے کے لئے لازمی ہے {1}
DocType: Process Payroll,Fortnightly,پندرہ روزہ
DocType: Currency Exchange,From Currency,کرنسی سے
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",کم سے کم ایک قطار میں مختص رقم، انوائس کی قسم اور انوائس تعداد کو منتخب کریں
@@ -2062,7 +2076,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,شیڈول حاصل کرنے کے لئے پیدا شیڈول 'پر کلک کریں براہ مہربانی
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,مندرجہ ذیل نظام الاوقات حذف کرتے وقت غلطیاں تھے:
DocType: Bin,Ordered Quantity,کا حکم دیا مقدار
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",مثلا "عمارت سازوں کے لئے، فورم کے اوزار کی تعمیر"
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",مثلا "عمارت سازوں کے لئے، فورم کے اوزار کی تعمیر"
DocType: Grading Scale,Grading Scale Intervals,گریڈنگ پیمانے وقفے
DocType: Production Order,In Process,اس عمل میں
DocType: Authorization Rule,Itemwise Discount,Itemwise ڈسکاؤنٹ
@@ -2076,11 +2090,10 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} طلبہ تنظیموں پیدا.
DocType: Sales Invoice,Total Billing Amount,کل بلنگ رقم
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,ایک طے شدہ آنے والی ای میل اکاؤنٹ اس کام پر کے لئے فعال ہونا چاہئے. براہ مہربانی سیٹ اپ ڈیفالٹ آنے والی ای میل اکاؤنٹ (POP / IMAP) اور دوبارہ کوشش کریں.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,وصولی اکاؤنٹ
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,وصولی اکاؤنٹ
DocType: Quotation Item,Stock Balance,اسٹاک توازن
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,ادائیگی سیلز آرڈر
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} سیٹ اپ> ترتیبات کے ذریعے> نام دینے سیریز کیلئے نام دینے سیریز مقرر مہربانی
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,سی ای او
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,سی ای او
DocType: Expense Claim Detail,Expense Claim Detail,اخراجات دعوی تفصیل
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,درست اکاؤنٹ منتخب کریں
DocType: Item,Weight UOM,وزن UOM
@@ -2089,12 +2102,12 @@
DocType: Production Order Operation,Pending,زیر غور
DocType: Course,Course Name,کورس کا نام
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,ایک مخصوص ملازم کی چھٹی ایپلی کیشنز منظور کر سکتے ہیں جو صارفین
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,آفس سازوسامان
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,آفس سازوسامان
DocType: Purchase Invoice Item,Qty,مقدار
DocType: Fiscal Year,Companies,کمپنی
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,الیکٹرانکس
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,اسٹاک دوبارہ آرڈر کی سطح تک پہنچ جاتا ہے مواد کی درخواست میں اضافہ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,پورا وقت
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,پورا وقت
DocType: Salary Structure,Employees,ایمپلائز
DocType: Employee,Contact Details,رابطہ کی تفصیلات
DocType: C-Form,Received Date,موصول تاریخ
@@ -2104,7 +2117,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,قیمت کی فہرست مقرر نہیں ہے تو قیمتیں نہیں دکھایا جائے گا
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,یہ شپنگ حکمرانی کے لئے ایک ملک کی وضاحت یا دنیا بھر میں شپنگ براہ مہربانی چیک کریں
DocType: Stock Entry,Total Incoming Value,کل موصولہ ویلیو
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,ڈیبٹ کرنے کی ضرورت ہے
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,ڈیبٹ کرنے کی ضرورت ہے
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team",timesheets کو آپ کی ٹیم کی طرف سے کیا سرگرمیوں کے لئے وقت، لاگت اور بلنگ کا ٹریک رکھنے میں مدد
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,قیمت خرید کی فہرست
DocType: Offer Letter Term,Offer Term,پیشکش ٹرم
@@ -2116,13 +2129,13 @@
DocType: BOM Website Operation,BOM Website Operation,BOM ویب سائٹ آپریشن
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,خط پیش کرتے ہیں
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,مواد درخواستوں (یمآرپی) اور پیداوار کے احکامات حاصل کریں.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,کل انوائس AMT
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,کل انوائس AMT
DocType: BOM,Conversion Rate,تبادلوں کی شرح
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,مصنوعات کی تلاش
DocType: Timesheet Detail,To Time,وقت
DocType: Authorization Rule,Approving Role (above authorized value),(مجاز کی قیمت سے اوپر) کردار منظوری
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,اکاؤنٹ کریڈٹ ایک قابل ادائیگی اکاؤنٹ ہونا ضروری ہے
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM تکرار: {0} کے والدین یا بچے نہیں ہو سکتا {2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,اکاؤنٹ کریڈٹ ایک قابل ادائیگی اکاؤنٹ ہونا ضروری ہے
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM تکرار: {0} کے والدین یا بچے نہیں ہو سکتا {2}
DocType: Production Order Operation,Completed Qty,مکمل مقدار
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",{0}، صرف ڈیبٹ اکاؤنٹس دوسرے کریڈٹ داخلے کے خلاف منسلک کیا جا سکتا ہے
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,قیمت کی فہرست {0} غیر فعال ہے
@@ -2133,12 +2146,12 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} شے کے لئے کی ضرورت ہے سیریل نمبر {1}. آپ کی فراہم کردہ {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,موجودہ تشخیص کی شرح
DocType: Item,Customer Item Codes,کسٹمر شے کوڈز
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,ایکسچینج گین / نقصان
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,ایکسچینج گین / نقصان
DocType: Opportunity,Lost Reason,کھو وجہ
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,نیا ایڈریس
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,نیا ایڈریس
DocType: Quality Inspection,Sample Size,نمونہ سائز
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,رسید دستاویز درج کریں
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,تمام اشیاء پہلے ہی انوائس کیا گیا ہے
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,تمام اشیاء پہلے ہی انوائس کیا گیا ہے
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.','کیس نمبر سے' درست وضاحت کریں
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,مزید لاگت کے مراکز گروپوں کے تحت بنایا جا سکتا ہے لیکن اندراجات غیر گروپوں کے خلاف بنایا جا سکتا ہے
DocType: Project,External,بیرونی
@@ -2150,8 +2163,7 @@
DocType: Bin,Actual Quantity,اصل مقدار
DocType: Shipping Rule,example: Next Day Shipping,مثال: اگلے دن شپنگ
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,نہیں ملا سیریل کوئی {0}
-DocType: Scheduling Tool,Student Batch,Student کی بیچ
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,آپ کے گاہکوں کو
+DocType: Program Enrollment,Student Batch,Student کی بیچ
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,طالب علم بنائیں
DocType: Leave Block List Date,Block Date,بلاک تاریخ
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,اب لگائیں
@@ -2162,7 +2174,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.",بنائیں اور، یومیہ، ہفتہ وار اور ماہانہ ای میل ڈائجسٹ کا انتظام.
DocType: Appraisal Goal,Appraisal Goal,تشخیص گول
DocType: Stock Reconciliation Item,Current Amount,موجودہ رقم
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,عمارات
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,عمارات
DocType: Fee Structure,Fee Structure,فیس ڈھانچہ
DocType: Timesheet Detail,Costing Amount,لاگت رقم
DocType: Student Admission,Application Fee,درخواست کی فیس
@@ -2174,10 +2186,10 @@
DocType: POS Profile,[Select],[چونے]
DocType: SMS Log,Sent To,کو بھیجا
DocType: Payment Request,Make Sales Invoice,فروخت انوائس بنائیں
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,سافٹ ویئر
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,سافٹ ویئر
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,اگلی تاریخ سے رابطہ ماضی میں نہیں ہو سکتا
DocType: Company,For Reference Only.,صرف ریفرنس کے لئے.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,بیچ منتخب نہیں
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,بیچ منتخب نہیں
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},غلط {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,ایڈوانس رقم
@@ -2187,15 +2199,15 @@
DocType: Employee,Employment Details,نوکری کے لئے تفصیلات
DocType: Employee,New Workplace,نئے کام کی جگہ
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,بند کے طور پر مقرر
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},بارکوڈ کے ساتھ کوئی آئٹم {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},بارکوڈ کے ساتھ کوئی آئٹم {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,کیس نمبر 0 نہیں ہو سکتا
DocType: Item,Show a slideshow at the top of the page,صفحے کے سب سے اوپر ایک سلائڈ شو دکھانے کے
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,Boms
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,سٹورز
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,Boms
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,سٹورز
DocType: Serial No,Delivery Time,ڈیلیوری کا وقت
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,کی بنیاد پر خستہ
DocType: Item,End of Life,زندگی کے اختتام
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,سفر
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,سفر
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,ملازم {0} کے لئے مل دی گئی تاریخوں کے لئے کوئی فعال یا ڈیفالٹ تنخواہ کی ساخت
DocType: Leave Block List,Allow Users,صارفین کو اجازت دے
DocType: Purchase Order,Customer Mobile No,کسٹمر موبائل نہیں
@@ -2204,29 +2216,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,اپ ڈیٹ لاگت
DocType: Item Reorder,Item Reorder,آئٹم ترتیب
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,دکھائیں تنخواہ کی پرچی
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,منتقلی مواد
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,منتقلی مواد
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",آپریشن، آپریٹنگ لاگت کی وضاحت کریں اور اپنے آپریشن کی کوئی ایک منفرد آپریشن دے.
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,یہ دستاویز کی طرف سے حد سے زیادہ ہے {0} {1} شے کے لئے {4}. آپ کر رہے ہیں ایک اور {3} اسی کے خلاف {2}؟
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,کو بچانے کے بعد بار بار چلنے والی مقرر کریں
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,تبدیلی منتخب رقم اکاؤنٹ
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,یہ دستاویز کی طرف سے حد سے زیادہ ہے {0} {1} شے کے لئے {4}. آپ کر رہے ہیں ایک اور {3} اسی کے خلاف {2}؟
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,کو بچانے کے بعد بار بار چلنے والی مقرر کریں
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,تبدیلی منتخب رقم اکاؤنٹ
DocType: Purchase Invoice,Price List Currency,قیمت کی فہرست کرنسی
DocType: Naming Series,User must always select,صارف نے ہمیشہ منتخب کرنا ضروری ہے
DocType: Stock Settings,Allow Negative Stock,منفی اسٹاک کی اجازت دیں
DocType: Installation Note,Installation Note,تنصیب نوٹ
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,ٹیکس شامل
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,ٹیکس شامل
DocType: Topic,Topic,موضوع
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,فنانسنگ کی طرف سے کیش فلو
DocType: Budget Account,Budget Account,بجٹ اکاؤنٹ
DocType: Quality Inspection,Verified By,کی طرف سے تصدیق
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",موجودہ لین دین موجود ہیں کیونکہ، کمپنی کی پہلے سے طے شدہ کرنسی تبدیل نہیں کر سکتے. معاملات پہلے سے طے شدہ کرنسی تبدیل کرنے منسوخ کر دیا جائے ضروری ہے.
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",موجودہ لین دین موجود ہیں کیونکہ، کمپنی کی پہلے سے طے شدہ کرنسی تبدیل نہیں کر سکتے. معاملات پہلے سے طے شدہ کرنسی تبدیل کرنے منسوخ کر دیا جائے ضروری ہے.
DocType: Grading Scale Interval,Grade Description,گریڈ تفصیل
DocType: Stock Entry,Purchase Receipt No,خریداری کی رسید نہیں
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,بیانا رقم
DocType: Process Payroll,Create Salary Slip,تنخواہ پرچی بنائیں
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,traceability کے
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),فنڈز کا ماخذ (واجبات)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},قطار میں مقدار {0} ({1}) تیار مقدار کے طور پر ایک ہی ہونا چاہیے {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),فنڈز کا ماخذ (واجبات)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},قطار میں مقدار {0} ({1}) تیار مقدار کے طور پر ایک ہی ہونا چاہیے {2}
DocType: Appraisal,Employee,ملازم
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,بیچ منتخب
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} کو مکمل طور پر بل کیا جاتا ہے
DocType: Training Event,End Time,آخر وقت
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,فعال تنخواہ ساخت {0} ملازم {1} کے لئے مل دی تاریخوں کے لئے
@@ -2237,11 +2250,11 @@
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},تنخواہ کے اجزاء میں ڈیفالٹ اکاؤنٹ سیٹ مہربانی {0}
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,مطلوب پر
DocType: Rename Tool,File to Rename,فائل کا نام تبدیل کرنے
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},شے کے لئے موجود نہیں ہے واضع BOM {0} {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},شے کے لئے موجود نہیں ہے واضع BOM {0} {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,بحالی کے شیڈول {0} اس سیلز آرڈر منسوخ کرنے سے پہلے منسوخ کر دیا جائے ضروری ہے
DocType: Notification Control,Expense Claim Approved,اخراجات کلیم منظور
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,ملازم کی تنخواہ کی پرچی {0} نے پہلے ہی اس کی مدت کے لئے پیدا
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,دواسازی
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,دواسازی
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,خریدی اشیاء کی لاگت
DocType: Selling Settings,Sales Order Required,سیلز آرڈر کی ضرورت ہے
DocType: Purchase Invoice,Credit To,کریڈٹ
@@ -2258,43 +2271,43 @@
DocType: Payment Gateway Account,Payment Account,ادائیگی اکاؤنٹ
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,آگے بڑھنے کے لئے کمپنی کی وضاحت کریں
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,اکاؤنٹس وصولی میں خالص تبدیلی
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,مائکر آف
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,مائکر آف
DocType: Offer Letter,Accepted,قبول کر لیا
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,ادارہ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,ادارہ
DocType: SG Creation Tool Course,Student Group Name,طالب علم گروپ کا نام
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,تم واقعی میں اس کمپنی کے لئے تمام لین دین کو حذف کرنا چاہتے براہ کرم یقینی بنائیں. یہ ہے کے طور پر آپ ماسٹر ڈیٹا رہیں گے. اس کارروائی کو رد نہیں کیا جا سکتا.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,تم واقعی میں اس کمپنی کے لئے تمام لین دین کو حذف کرنا چاہتے براہ کرم یقینی بنائیں. یہ ہے کے طور پر آپ ماسٹر ڈیٹا رہیں گے. اس کارروائی کو رد نہیں کیا جا سکتا.
DocType: Room,Room Number,کمرہ نمبر
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},غلط حوالہ {0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) منصوبہ بندی quanitity سے زیادہ نہیں ہو سکتا ({2}) پیداوار میں آرڈر {3}
DocType: Shipping Rule,Shipping Rule Label,شپنگ حکمرانی لیبل
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,صارف فورم
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,خام مال خالی نہیں ہو سکتا.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.",اسٹاک کو اپ ڈیٹ نہیں کیا جا سکا، انوائس ڈراپ شپنگ آئٹم پر مشتمل ہے.
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,خام مال خالی نہیں ہو سکتا.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.",اسٹاک کو اپ ڈیٹ نہیں کیا جا سکا، انوائس ڈراپ شپنگ آئٹم پر مشتمل ہے.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,فوری جرنل اندراج
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,BOM کسی بھی شے agianst ذکر اگر آپ کی شرح کو تبدیل نہیں کر سکتے ہیں
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,BOM کسی بھی شے agianst ذکر اگر آپ کی شرح کو تبدیل نہیں کر سکتے ہیں
DocType: Employee,Previous Work Experience,گزشتہ کام کا تجربہ
DocType: Stock Entry,For Quantity,مقدار کے لئے
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},صف میں آئٹم {0} کے لئے منصوبہ بندی کی مقدار درج کریں {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} جمع نہیں ہے
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,اشیاء کے لئے درخواست.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,علیحدہ پروڈکشن آرڈر ہر ایک کو ختم اچھی شے کے لئے پیدا کیا جائے گا.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} واپسی دستاویز میں منفی ہونا ضروری ہے
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} واپسی دستاویز میں منفی ہونا ضروری ہے
,Minutes to First Response for Issues,مسائل کے لئے پہلا رسپانس منٹ
DocType: Purchase Invoice,Terms and Conditions1,شرائط و Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,انسٹی ٹیوٹ کے نام جس کے لئے آپ کو اس نظام قائم کر رہے ہیں.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,انسٹی ٹیوٹ کے نام جس کے لئے آپ کو اس نظام قائم کر رہے ہیں.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",اس تاریخ تک منجمد اکاؤنٹنگ اندراج، کوئی / کرتے ذیل کے متعین کردہ کردار سوائے اندراج میں ترمیم کرسکتے ہیں.
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,بحالی کے شیڈول پیدا کرنے سے پہلے دستاویز کو بچانے کے کریں
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,منصوبے کی حیثیت
DocType: UOM,Check this to disallow fractions. (for Nos),کسور کو رد کرنا اس کی جانچ پڑتال. (نمبر کے لئے)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,مندرجہ ذیل پیداوار کے احکامات کو پیدا کیا گیا تھا:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,مندرجہ ذیل پیداوار کے احکامات کو پیدا کیا گیا تھا:
DocType: Student Admission,Naming Series (for Student Applicant),نام دینے سیریز (طالب علم کی درخواست گزار کے لئے)
DocType: Delivery Note,Transporter Name,ٹرانسپورٹر نام
DocType: Authorization Rule,Authorized Value,مجاز ویلیو
DocType: BOM,Show Operations,آپریشنز دکھائیں
,Minutes to First Response for Opportunity,موقع کے لئے پہلا رسپانس منٹ
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,کل غائب
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,صف {0} سے مماثل نہیں ہے مواد کی درخواست کے لئے شے یا گودام
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,صف {0} سے مماثل نہیں ہے مواد کی درخواست کے لئے شے یا گودام
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,پیمائش کی اکائی
DocType: Fiscal Year,Year End Date,سال کے آخر تاریخ
DocType: Task Depends On,Task Depends On,کام پر انحصار کرتا ہے
@@ -2373,11 +2386,11 @@
DocType: Asset,Manual,دستی
DocType: Salary Component Account,Salary Component Account,تنخواہ اجزاء اکاؤنٹ
DocType: Global Defaults,Hide Currency Symbol,کرنسی کی علامت چھپائیں
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card",مثال کے طور پر بینک، کیش، کریڈٹ کارڈ
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card",مثال کے طور پر بینک، کیش، کریڈٹ کارڈ
DocType: Lead Source,Source Name,ماخذ نام
DocType: Journal Entry,Credit Note,کریڈٹ نوٹ
DocType: Warranty Claim,Service Address,سروس ایڈریس
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,فرنیچر اور فکسچر
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,فرنیچر اور فکسچر
DocType: Item,Manufacture,تیاری
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,براہ مہربانی سب سے پہلے ترسیل کے نوٹ
DocType: Student Applicant,Application Date,تاریخ درخواست
@@ -2387,7 +2400,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,کلیئرنس تاریخ کا ذکر نہیں
apps/erpnext/erpnext/config/manufacturing.py +7,Production,پیداوار
DocType: Guardian,Occupation,کاروبار
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,براہ مہربانی سیٹ اپ ملازم انسانی وسائل میں سسٹم کا نام دینے> HR ترتیبات
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,صف {0}: شروع کرنے کی تاریخ تاریخ اختتام سے پہلے ہونا ضروری ہے
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),کل (مقدار)
DocType: Sales Invoice,This Document,یہ دستاویز
@@ -2399,20 +2411,20 @@
DocType: Purchase Receipt,Time at which materials were received,مواد موصول ہوئیں جس میں وقت
DocType: Stock Ledger Entry,Outgoing Rate,سبکدوش ہونے والے کی شرح
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,تنظیم شاخ ماسٹر.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,یا
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,یا
DocType: Sales Order,Billing Status,بلنگ کی حیثیت
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,ایک مسئلہ کی اطلاع دیں
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,یوٹیلٹی اخراجات
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,یوٹیلٹی اخراجات
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,۹۰ سے بڑھ کر
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,صف # {0}: جرنل اندراج {1} اکاؤنٹ نہیں ہے {2} یا پہلے سے ہی ایک اور واؤچر کے خلاف میچ نہیں کرتے
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,صف # {0}: جرنل اندراج {1} اکاؤنٹ نہیں ہے {2} یا پہلے سے ہی ایک اور واؤچر کے خلاف میچ نہیں کرتے
DocType: Buying Settings,Default Buying Price List,پہلے سے طے شدہ خرید قیمت کی فہرست
DocType: Process Payroll,Salary Slip Based on Timesheet,تنخواہ کی پرچی Timesheet کی بنیاد پر
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,اوپر منتخب شدہ معیار یا تنخواہ پرچی کے لئے کوئی ملازم پہلے ہی پیدا
DocType: Notification Control,Sales Order Message,سیلز آرڈر پیغام
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",وغیرہ کمپنی، کرنسی، رواں مالی سال کی طرح پہلے سے طے شدہ اقدار
DocType: Payment Entry,Payment Type,ادائیگی کی قسم
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,آئٹم کے لئے ایک بیچ براہ مہربانی منتخب کریں {0}. اس ضرورت کو پورا کرتا ہے کہ ایک بیچ کو تلاش کرنے سے قاصر ہے
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,آئٹم کے لئے ایک بیچ براہ مہربانی منتخب کریں {0}. اس ضرورت کو پورا کرتا ہے کہ ایک بیچ کو تلاش کرنے سے قاصر ہے
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,آئٹم کے لئے ایک بیچ براہ مہربانی منتخب کریں {0}. اس ضرورت کو پورا کرتا ہے کہ ایک بیچ کو تلاش کرنے سے قاصر ہے
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,آئٹم کے لئے ایک بیچ براہ مہربانی منتخب کریں {0}. اس ضرورت کو پورا کرتا ہے کہ ایک بیچ کو تلاش کرنے سے قاصر ہے
DocType: Process Payroll,Select Employees,منتخب ملازمین
DocType: Opportunity,Potential Sales Deal,ممکنہ فروخت ڈیل
DocType: Payment Entry,Cheque/Reference Date,چیک / حوالہ تاریخ
@@ -2432,7 +2444,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,رسید دستاویز پیش کرنا ضروری ہے
DocType: Purchase Invoice Item,Received Qty,موصولہ مقدار
DocType: Stock Entry Detail,Serial No / Batch,سیریل نمبر / بیچ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,نہیں ادا کی اور نجات نہیں
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,نہیں ادا کی اور نجات نہیں
DocType: Product Bundle,Parent Item,والدین آئٹم
DocType: Account,Account Type,اکاؤنٹ کی اقسام
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2449,21 +2461,22 @@
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,درست ای میل ایڈریس درج کریں
DocType: Landed Cost Voucher,Purchase Receipt Items,خریداری کی رسید اشیا
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,تخصیص فارم
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,بقایا
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,بقایا
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,اس مدت کے دوران ہراس رقم
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,معذور کے سانچے ڈیفالٹ ٹیمپلیٹ نہیں ہونا چاہئے
DocType: Account,Income Account,انکم اکاؤنٹ
DocType: Payment Request,Amount in customer's currency,کسٹمر کی کرنسی میں رقم
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,ڈلیوری
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,ڈلیوری
DocType: Stock Reconciliation Item,Current Qty,موجودہ مقدار
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",ملاحظہ کریں لاگت سیکشن میں "مواد کی بنیاد پر کی شرح"
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,پچھلا
DocType: Appraisal Goal,Key Responsibility Area,کلیدی ذمہ داری کے علاقے
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students",طالب علم بیچوں آپ کے طالب علموں کے لئے حاضری، جائزوں اور فیس کو ٹریک میں مدد
DocType: Payment Entry,Total Allocated Amount,کل مختص رقم
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,ہمیشہ کی انوینٹری کے لئے پہلے سے طے شدہ انوینٹری اکاؤنٹ
DocType: Item Reorder,Material Request Type,مواد درخواست کی قسم
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},سے {0} کو تنخواہوں کے لئے Accural جرنل اندراج {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save",لئے LocalStorage بھرا ہوا ہے، نہیں بچا تھا
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save",لئے LocalStorage بھرا ہوا ہے، نہیں بچا تھا
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,صف {0}: UOM تبادلوں فیکٹر لازمی ہے
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,ممبران
DocType: Budget,Cost Center,لاگت مرکز
@@ -2476,19 +2489,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",قیمتوں کا تعین اصول کچھ معیار کی بنیاد پر، / قیمت کی فہرست ادلیکھت ڈسکاؤنٹ فی صد کی وضاحت کرنے کے لئے بنایا ہے.
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,گودام صرف اسٹاک انٹری کے ذریعے تبدیل کیا جا سکتا / ڈلیوری نوٹ / خریداری کی رسید
DocType: Employee Education,Class / Percentage,کلاس / فیصد
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,مارکیٹنگ اور سیلز کے سربراہ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,انکم ٹیکس
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,مارکیٹنگ اور سیلز کے سربراہ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,انکم ٹیکس
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.",منتخب قیمتوں کا تعین اصول 'قیمت' کے لئے بنایا جاتا ہے تو، اس کی قیمت کی فہرست ادلیکھت ہو جائے گا. قیمتوں کا تعین اصول قیمت حتمی قیمت ہے، تو کوئی مزید رعایت کا اطلاق ہونا چاہئے. لہذا، وغیرہ سیلز آرڈر، خریداری کے آرڈر کی طرح کے لین دین میں، اس کی بجائے 'قیمت کی فہرست شرح' فیلڈ کے مقابلے میں، 'شرح' میدان میں دلوایا جائے گا.
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,ٹریک صنعت کی قسم کی طرف جاتا ہے.
DocType: Item Supplier,Item Supplier,آئٹم پردایک
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,بیچ کوئی حاصل کرنے کے لئے آئٹم کوڈ درج کریں
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},{0} quotation_to کے لئے ایک قیمت منتخب کریں {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,بیچ کوئی حاصل کرنے کے لئے آئٹم کوڈ درج کریں
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},{0} quotation_to کے لئے ایک قیمت منتخب کریں {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,تمام پتے.
DocType: Company,Stock Settings,اسٹاک ترتیبات
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",مندرجہ ذیل خصوصیات دونوں کے ریکارڈ میں ایک ہی ہیں تو ولی ہی ممکن ہے. گروپ، جڑ کی قسم، کمپنی ہے
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",مندرجہ ذیل خصوصیات دونوں کے ریکارڈ میں ایک ہی ہیں تو ولی ہی ممکن ہے. گروپ، جڑ کی قسم، کمپنی ہے
DocType: Vehicle,Electric,بجلی
DocType: Task,% Progress,٪ پروگریس
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,حاصل / ایسیٹ تلفی پر نقصان
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,حاصل / ایسیٹ تلفی پر نقصان
DocType: Training Event,Will send an email about the event to employees with status 'Open',حیثیت کے ساتھ ملازمین کو واقعہ کے بارے میں ایک ای میل بھیجیں گے 'کھولیں'
DocType: Task,Depends on Tasks,ٹاسکس پر انحصار کرتا ہے
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,گاہک گروپ درخت کا انتظام کریں.
@@ -2497,7 +2510,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,نیا لاگت مرکز نام
DocType: Leave Control Panel,Leave Control Panel,کنٹرول پینل چھوڑنا
DocType: Project,Task Completion,ٹاسک کی تکمیل
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,نہیں اسٹاک میں
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,نہیں اسٹاک میں
DocType: Appraisal,HR User,HR صارف
DocType: Purchase Invoice,Taxes and Charges Deducted,ٹیکسز اور الزامات کٹوتی
apps/erpnext/erpnext/hooks.py +116,Issues,مسائل
@@ -2508,22 +2521,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},کوئی تنخواہ کی پرچی کے درمیان پایا {0} اور {1}
,Pending SO Items For Purchase Request,خریداری کی درخواست کے لئے بہت اشیا زیر التواء
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,طالب علم داخلہ
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,ترک ھو گیا ھے{0} {1}
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,ترک ھو گیا ھے{0} {1}
DocType: Supplier,Billing Currency,بلنگ کی کرنسی
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,اضافی بڑا
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,اضافی بڑا
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,کل پتے
,Profit and Loss Statement,فائدہ اور نقصان بیان
DocType: Bank Reconciliation Detail,Cheque Number,چیک نمبر
,Sales Browser,سیلز براؤزر
DocType: Journal Entry,Total Credit,کل کریڈٹ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},انتباہ: ایک {0} # {1} اسٹاک داخلے کے خلاف موجود {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,مقامی
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,مقامی
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),قرضوں اور ایڈوانسز (اثاثے)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,دیندار
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,بڑے
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,بڑے
DocType: Homepage Featured Product,Homepage Featured Product,مرکزی صفحہ نمایاں مصنوعات کی
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,تمام تعین گروپ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,تمام تعین گروپ
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,نیا گودام نام
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),کل {0} ({1})
DocType: C-Form Invoice Detail,Territory,علاقہ
@@ -2533,12 +2546,12 @@
DocType: Production Order Operation,Planned Start Time,منصوبہ بندی کے آغاز کا وقت
DocType: Course,Assessment,اسسمنٹ
DocType: Payment Entry Reference,Allocated,مختص
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,بند بیلنس شیٹ اور کتاب نفع یا نقصان.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,بند بیلنس شیٹ اور کتاب نفع یا نقصان.
DocType: Student Applicant,Application Status,ایپلیکیشن اسٹیٹس
DocType: Fees,Fees,فیس
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,زر مبادلہ کی شرح دوسرے میں ایک کرنسی میں تبدیل کرنے کی وضاحت کریں
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,کوٹیشن {0} منسوخ کر دیا ہے
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,کل بقایا رقم
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,کل بقایا رقم
DocType: Sales Partner,Targets,اہداف
DocType: Price List,Price List Master,قیمت کی فہرست ماسٹر
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,آپ کی مقرر کردہ اور اہداف کی نگرانی کر سکتے ہیں تاکہ تمام سیلز معاملات سے زیادہ ** سیلز افراد ** خلاف ٹیگ کیا جا سکتا.
@@ -2569,11 +2582,11 @@
1. Address and Contact of your Company.",سٹینڈرڈ شرائط و فروخت اور خرید میں شامل کیا جا سکتا ہے کہ شرائط. مثالیں: پیشکش 1. درست. 1. ادائیگی کی شرائط (کریڈٹ پر پیشگی میں،، حصہ پیشگی وغیرہ). 1. اضافی (یا گاہکوں کی طرف سے قابل ادائیگی) کیا ہے. 1. سیفٹی / استعمال انتباہ. 1. وارنٹی اگر کوئی ہے تو. 1. واپسی کی پالیسی. شپنگ 1. شرائط، اگر قابل اطلاق ہو. تنازعات سے خطاب کرتے ہوئے، معاوضہ، ذمہ داری کی 1. طریقے، وغیرہ 1. ایڈریس اور آپ کی کمپنی سے رابطہ کریں.
DocType: Attendance,Leave Type,ٹائپ کریں چھوڑ دو
DocType: Purchase Invoice,Supplier Invoice Details,سپلائر انوائس کی تفصیلات دیکھیں
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,اخراجات / فرق اکاؤنٹ ({0}) ایک 'نفع یا نقصان کے اکاؤنٹ ہونا ضروری ہے
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,اخراجات / فرق اکاؤنٹ ({0}) ایک 'نفع یا نقصان کے اکاؤنٹ ہونا ضروری ہے
DocType: Project,Copied From,سے کاپی
DocType: Project,Copied From,سے کاپی
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,قلت
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} سے وابستہ نہیں کرتا {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} سے وابستہ نہیں کرتا {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,ملازم {0} کے لئے حاضری پہلے سے نشان لگا دیا گیا
DocType: Packing Slip,If more than one package of the same type (for print),تو اسی قسم کی ایک سے زیادہ پیکج (پرنٹ کے لئے)
,Salary Register,تنخواہ رجسٹر
@@ -2591,22 +2604,23 @@
,Requested Qty,درخواست مقدار
DocType: Tax Rule,Use for Shopping Cart,خریداری کی ٹوکری کے لئے استعمال کریں
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},ویلیو {0} وصف کے لئے {1} درست شے کی فہرست میں آئٹم کے لئے اقدار خاصیت موجود نہیں ہے {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,سیریل نمبر منتخب کریں
DocType: BOM Item,Scrap %,سکریپ٪
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection",چارجز تناسب اپنے انتخاب کے مطابق، شے کی مقدار یا رقم کی بنیاد پر تقسیم کیا جائے گا
DocType: Maintenance Visit,Purposes,مقاصد
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,کم سے کم ایک شے کی واپسی دستاویز میں منفی مقدار کے ساتھ درج کیا جانا چاہیے
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,کم سے کم ایک شے کی واپسی دستاویز میں منفی مقدار کے ساتھ درج کیا جانا چاہیے
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations",آپریشن {0} کارگاہ میں کسی بھی دستیاب کام کے گھنٹوں سے زیادہ وقت {1}، ایک سے زیادہ کی کارروائیوں میں آپریشن کو توڑنے
,Requested,درخواست
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,کوئی ریمارکس
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,کوئی ریمارکس
DocType: Purchase Invoice,Overdue,اتدیئ
DocType: Account,Stock Received But Not Billed,اسٹاک موصول ہوئی ہے لیکن بل نہیں
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,روٹ اکاؤنٹ ایک گروپ ہونا ضروری ہے
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,روٹ اکاؤنٹ ایک گروپ ہونا ضروری ہے
DocType: Fees,FEE.,فیس.
DocType: Employee Loan,Repaid/Closed,چکایا / بند کر دیا
DocType: Item,Total Projected Qty,کل متوقع مقدار
DocType: Monthly Distribution,Distribution Name,ڈسٹری بیوشن کا نام
DocType: Course,Course Code,کورس کوڈ
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},آئٹم کے لئے ضروری معیار معائنہ {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},آئٹم کے لئے ضروری معیار معائنہ {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,جو کسٹمر کی کرنسی کی شرح کمپنی کے اساسی کرنسی میں تبدیل کیا جاتا
DocType: Purchase Invoice Item,Net Rate (Company Currency),نیٹ کی شرح (کمپنی کرنسی)
DocType: Salary Detail,Condition and Formula Help,حالت اور فارمولہ مدد
@@ -2619,27 +2633,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,تیاری کے لئے مواد کی منتقلی
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,ڈسکاؤنٹ فی صد قیمت کی فہرست کے خلاف یا تمام قیمت کی فہرست کے لئے یا تو لاگو کیا جا سکتا.
DocType: Purchase Invoice,Half-yearly,چھماہی
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,اسٹاک کے لئے اکاؤنٹنگ انٹری
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,اسٹاک کے لئے اکاؤنٹنگ انٹری
DocType: Vehicle Service,Engine Oil,انجن کا تیل
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,براہ مہربانی سیٹ اپ ملازم انسانی وسائل میں سسٹم کا نام دینے> HR ترتیبات
DocType: Sales Invoice,Sales Team1,سیلز Team1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,آئٹم {0} موجود نہیں ہے
DocType: Sales Invoice,Customer Address,گاہک پتہ
DocType: Employee Loan,Loan Details,قرض کی تفصیلات
+DocType: Company,Default Inventory Account,پہلے سے طے شدہ انوینٹری اکاؤنٹ
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,صف {0}: مکمل مقدار صفر سے زیادہ ہونا چاہیے.
DocType: Purchase Invoice,Apply Additional Discount On,اضافی رعایت پر لاگو ہوتے ہیں
DocType: Account,Root Type,جڑ کی قسم
DocType: Item,FIFO,فیفو
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},صف # {0}: سے زیادہ واپس نہیں کر سکتے ہیں {1} شے کے لئے {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},صف # {0}: سے زیادہ واپس نہیں کر سکتے ہیں {1} شے کے لئے {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,پلاٹ
DocType: Item Group,Show this slideshow at the top of the page,صفحے کے سب سے اوپر اس سلائڈ شو دکھانے کے
DocType: BOM,Item UOM,آئٹم UOM
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),ڈسکاؤنٹ رقم کے بعد ٹیکس کی رقم (کمپنی کرنسی)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},ہدف گودام صف کے لئے لازمی ہے {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},ہدف گودام صف کے لئے لازمی ہے {0}
DocType: Cheque Print Template,Primary Settings,بنیادی ترتیبات
DocType: Purchase Invoice,Select Supplier Address,منتخب سپلائر ایڈریس
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,ملازمین شامل کریں
DocType: Purchase Invoice Item,Quality Inspection,معیار معائنہ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,اضافی چھوٹے
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,اضافی چھوٹے
DocType: Company,Standard Template,سٹینڈرڈ سانچہ
DocType: Training Event,Theory,نظریہ
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,انتباہ: مقدار درخواست مواد کم از کم آرڈر کی مقدار سے کم ہے
@@ -2647,7 +2663,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,تنظیم سے تعلق رکھنے والے اکاؤنٹس کی ایک علیحدہ چارٹ کے ساتھ قانونی / ماتحت.
DocType: Payment Request,Mute Email,گونگا ای میل
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco",کھانا، مشروب اور تمباکو
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},صرف خلاف ادائیگی کر سکتے ہیں unbilled {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},صرف خلاف ادائیگی کر سکتے ہیں unbilled {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,کمیشن کی شرح زیادہ سے زیادہ 100 نہیں ہو سکتا
DocType: Stock Entry,Subcontract,اپپٹا
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,پہلے {0} درج کریں
@@ -2660,18 +2676,18 @@
DocType: SMS Log,No of Sent SMS,بھیجے گئے SMS کی کوئی
DocType: Account,Expense Account,ایکسپینس اکاؤنٹ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,سافٹ ویئر
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,رنگین
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,رنگین
DocType: Assessment Plan Criteria,Assessment Plan Criteria,تشخیص کی منصوبہ بندی کا کلیہ
DocType: Training Event,Scheduled,تخسوچت
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,کوٹیشن کے لئے درخواست.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","نہیں" اور "فروخت آئٹم" "اسٹاک شے" ہے جہاں "ہاں" ہے شے کو منتخب کریں اور کوئی دوسری مصنوعات بنڈل ہے براہ مہربانی
DocType: Student Log,Academic,اکیڈمک
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),کل ایڈوانس ({0}) کے خلاف {1} گرینڈ کل سے زیادہ نہیں ہو سکتا ({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),کل ایڈوانس ({0}) کے خلاف {1} گرینڈ کل سے زیادہ نہیں ہو سکتا ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,اسمان ماہ میں اہداف تقسیم کرنے ماہانہ تقسیم کریں.
DocType: Purchase Invoice Item,Valuation Rate,تشخیص کی شرح
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,ڈیزل
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,قیمت کی فہرست کرنسی منتخب نہیں
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,قیمت کی فہرست کرنسی منتخب نہیں
,Student Monthly Attendance Sheet,Student کی ماہانہ حاضری شیٹ
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},ملازم {0} پہلے ہی درخواست کی ہے {1} کے درمیان {2} اور {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,اس منصوبے کے آغاز کی تاریخ
@@ -2684,7 +2700,7 @@
DocType: BOM,Scrap,سکریپ
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,سیلز شراکت داروں کا انتظام کریں.
DocType: Quality Inspection,Inspection Type,معائنہ کی قسم
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,موجودہ منتقلی کے ساتھ گوداموں گروپ کو تبدیل نہیں کیا جا سکتا.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,موجودہ منتقلی کے ساتھ گوداموں گروپ کو تبدیل نہیں کیا جا سکتا.
DocType: Assessment Result Tool,Result HTML,نتیجہ HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,اختتامی میعاد
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,طلباء شامل کریں
@@ -2692,13 +2708,13 @@
DocType: C-Form,C-Form No,سی فارم نہیں
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,بے نشان حاضری
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,محقق
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,محقق
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,پروگرام کے اندراج کے آلے کے طالب علم
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,نام یا ای میل لازمی ہے
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,موصولہ معیار معائنہ.
DocType: Purchase Order Item,Returned Qty,واپس مقدار
DocType: Employee,Exit,سے باہر نکلیں
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,جڑ کی قسم لازمی ہے
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,جڑ کی قسم لازمی ہے
DocType: BOM,Total Cost(Company Currency),کل لاگت (کمپنی کرنسی)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,{0} پیدا سیریل نمبر
DocType: Homepage,Company Description for website homepage,ویب سائٹ کے ہوم پیج کے لئے کمپنی کی تفصیل
@@ -2707,7 +2723,7 @@
DocType: Sales Invoice,Time Sheet List,وقت شیٹ کی فہرست
DocType: Employee,You can enter any date manually,آپ کو دستی طور کسی بھی تاریخ درج کر سکتے ہیں
DocType: Asset Category Account,Depreciation Expense Account,ہراس خرچ کے حساب
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,آزماءیشی عرصہ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,آزماءیشی عرصہ
DocType: Customer Group,Only leaf nodes are allowed in transaction,صرف پتی نوڈس ٹرانزیکشن میں اجازت دی جاتی ہے
DocType: Expense Claim,Expense Approver,اخراجات کی منظوری دینے والا
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,صف {0}: کسٹمر کے خلاف کی کریڈٹ ہونا ضروری ہے
@@ -2719,10 +2735,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,کورس شیڈول خارج کر دیا:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,ایس ایم ایس کی ترسیل کی حیثیت برقرار رکھنے کے لئے نوشتہ جات
DocType: Accounts Settings,Make Payment via Journal Entry,جرنل اندراج کے ذریعے ادائیگی
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,طباعت پر
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,طباعت پر
DocType: Item,Inspection Required before Delivery,انسپکشن ڈیلیوری سے پہلے کی ضرورت
DocType: Item,Inspection Required before Purchase,انسپکشن خریداری سے پہلے کی ضرورت
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,زیر سرگرمیاں
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,اپنی تنظیم
DocType: Fee Component,Fees Category,فیس زمرہ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,تاریخ حاجت کوڈ داخل کریں.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT
@@ -2732,9 +2749,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,ترتیب لیول
DocType: Company,Chart Of Accounts Template,اکاؤنٹس سانچے کا چارٹ
DocType: Attendance,Attendance Date,حاضری تاریخ
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},شے کی قیمت {0} میں قیمت کی فہرست کے لئے اپ ڈیٹ {1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},شے کی قیمت {0} میں قیمت کی فہرست کے لئے اپ ڈیٹ {1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,کمائی اور کٹوتی کی بنیاد پر تنخواہ ٹوٹنے.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,بچے نوڈس کے ساتھ اکاؤنٹ اکاؤنٹ میں تبدیل نہیں کیا جا سکتا
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,بچے نوڈس کے ساتھ اکاؤنٹ اکاؤنٹ میں تبدیل نہیں کیا جا سکتا
DocType: Purchase Invoice Item,Accepted Warehouse,منظور گودام
DocType: Bank Reconciliation Detail,Posting Date,پوسٹنگ کی تاریخ
DocType: Item,Valuation Method,تشخیص کا طریقہ
@@ -2743,14 +2760,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,ڈوپلیکیٹ اندراج
DocType: Program Enrollment Tool,Get Students,طلبا حاصل کریں
DocType: Serial No,Under Warranty,وارنٹی کے تحت
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[خرابی]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[خرابی]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,آپ کی فروخت کے آرڈر کو بچانے کے ایک بار الفاظ میں نظر آئے گا.
,Employee Birthday,ملازم سالگرہ
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Student کی بیچ حاضری کا آلہ
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,حد
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,حد
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,وینچر کیپیٹل کی
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,اس 'تعلیمی سال' کے ساتھ ایک تعلیمی اصطلاح {0} اور 'کی اصطلاح کا نام' {1} پہلے سے موجود ہے. ان اندراجات پر نظر ثانی کریں اور دوبارہ کوشش کریں براہ مہربانی.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}",شے {0} خلاف موجودہ ٹرانزیکشنز ہیں کے طور پر، آپ کی قدر کو تبدیل نہیں کر سکتے {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}",شے {0} خلاف موجودہ ٹرانزیکشنز ہیں کے طور پر، آپ کی قدر کو تبدیل نہیں کر سکتے {1}
DocType: UOM,Must be Whole Number,پورے نمبر ہونا لازمی ہے
DocType: Leave Control Panel,New Leaves Allocated (In Days),(دنوں میں) مختص نئے پتے
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,سیریل نمبر {0} موجود نہیں ہے
@@ -2759,6 +2776,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,انوائس تعداد
DocType: Shopping Cart Settings,Orders,احکامات
DocType: Employee Leave Approver,Leave Approver,منظوری دینے والا چھوڑ دو
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,ایک بیچ براہ مہربانی منتخب کریں
DocType: Assessment Group,Assessment Group Name,تجزیہ گروپ کا نام
DocType: Manufacturing Settings,Material Transferred for Manufacture,مواد کی تیاری کے لئے منتقل
DocType: Expense Claim,"A user with ""Expense Approver"" role","اخراجات کی منظوری دینے والا" کردار کے ساتھ ایک صارف
@@ -2768,9 +2786,10 @@
DocType: Target Detail,Target Detail,ہدف تفصیل
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,تمام ملازمتیں
DocType: Sales Order,% of materials billed against this Sales Order,مواد کی٪ اس کی فروخت کے خلاف بل
+DocType: Program Enrollment,Mode of Transportation,ٹرانسپورٹیشن کے موڈ
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,مدت بند انٹری
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,موجودہ لین دین کے ساتھ لاگت مرکز گروپ کو تبدیل نہیں کیا جا سکتا
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},رقم {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},رقم {0} {1} {2} {3}
DocType: Account,Depreciation,فرسودگی
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),پردایک (ے)
DocType: Employee Attendance Tool,Employee Attendance Tool,ملازم حاضری کا آلہ
@@ -2778,7 +2797,7 @@
DocType: Supplier,Credit Limit,ادھار کی حد
DocType: Production Plan Sales Order,Salse Order Date,Salse آرڈر تاریخ
DocType: Salary Component,Salary Component,تنخواہ کے اجزاء
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,ادائیگی لکھے {0} کو غیر منسلک ہیں
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,ادائیگی لکھے {0} کو غیر منسلک ہیں
DocType: GL Entry,Voucher No,واؤچر کوئی
,Lead Owner Efficiency,لیڈ مالک مستعدی
,Lead Owner Efficiency,لیڈ مالک مستعدی
@@ -2793,7 +2812,7 @@
DocType: Supplier,Last Day of the Next Month,اگلے ماہ کے آخری دن
DocType: Support Settings,Auto close Issue after 7 days,7 دن کے بعد آٹو بند مسئلہ
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",پہلے مختص نہیں کیا جا سکتا چھوڑ {0}، چھٹی توازن پہلے ہی کیری فارورڈ مستقبل چھٹی مختص ریکارڈ میں کیا گیا ہے کے طور پر {1}
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),نوٹ: کی وجہ / حوالہ تاریخ {0} دن کی طرف سے کی اجازت کسٹمر کے کریڈٹ دن سے زیادہ (ے)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),نوٹ: کی وجہ / حوالہ تاریخ {0} دن کی طرف سے کی اجازت کسٹمر کے کریڈٹ دن سے زیادہ (ے)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,طالب علم کی درخواست گزار
DocType: Asset Category Account,Accumulated Depreciation Account,جمع ہراس اکاؤنٹ
DocType: Stock Settings,Freeze Stock Entries,جھروکے اسٹاک میں لکھے
@@ -2802,27 +2821,26 @@
DocType: Activity Cost,Billing Rate,بلنگ کی شرح
,Qty to Deliver,نجات کے لئے مقدار
,Stock Analytics,اسٹاک تجزیات
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,آپریشنز خالی نہیں چھوڑا جا سکتا
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,آپریشنز خالی نہیں چھوڑا جا سکتا
DocType: Maintenance Visit Purpose,Against Document Detail No,دستاویز تفصیل کے خلاف کوئی
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,پارٹی قسم لازمی ہے
DocType: Quality Inspection,Outgoing,سبکدوش ہونے والے
DocType: Material Request,Requested For,کے لئے درخواست
DocType: Quotation Item,Against Doctype,DOCTYPE خلاف
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} منسوخ یا بند کر دیا ہے
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} منسوخ یا بند کر دیا ہے
DocType: Delivery Note,Track this Delivery Note against any Project,کسی بھی منصوبے کے خلاف اس کی ترسیل نوٹ ٹریک
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,سرمایہ کاری سے نیٹ کیش
-,Is Primary Address,پرائمری ایڈریس ہے
DocType: Production Order,Work-in-Progress Warehouse,کام میں پیش رفت گودام
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,اثاثہ {0} پیش کرنا ضروری ہے
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},حاضری کا ریکارڈ {0} طالب علم کے خلاف موجود {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},حاضری کا ریکارڈ {0} طالب علم کے خلاف موجود {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},حوالہ # {0} ء {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,ہراس اثاثوں کی تلفی کی وجہ سے کرنے کا خاتمہ
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,پتے کا انتظام
DocType: Asset,Item Code,آئٹم کوڈ
DocType: Production Planning Tool,Create Production Orders,پیداوار کے احکامات بنائیں
DocType: Serial No,Warranty / AMC Details,وارنٹی / AMC تفصیلات
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,سرگرمی کی بنیاد پر گروپ کے لئے دستی طور پر طالب علموں منتخب
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,سرگرمی کی بنیاد پر گروپ کے لئے دستی طور پر طالب علموں منتخب
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,سرگرمی کی بنیاد پر گروپ کے لئے دستی طور پر طالب علموں منتخب
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,سرگرمی کی بنیاد پر گروپ کے لئے دستی طور پر طالب علموں منتخب
DocType: Journal Entry,User Remark,صارف تبصرہ
DocType: Lead,Market Segment,مارکیٹ کے علاقے
DocType: Employee Internal Work History,Employee Internal Work History,ملازم اندرونی کام تاریخ
@@ -2831,6 +2849,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,نہیں اسٹاک میں سیریل نمبر {0}
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,لین دین کی فروخت کے لئے ٹیکس سانچے.
DocType: Sales Invoice,Write Off Outstanding Amount,بقایا رقم لکھنے
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},اکاؤنٹ {0} کمپنی کے ساتھ میل نہیں کھاتا {1}
DocType: School Settings,Current Academic Year,موجودہ تعلیمی سال
DocType: School Settings,Current Academic Year,موجودہ تعلیمی سال
DocType: Stock Settings,Default Stock UOM,پہلے سے طے شدہ اسٹاک UOM
@@ -2845,25 +2864,25 @@
DocType: Asset,Double Declining Balance,ڈبل کمی توازن
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,بند آرڈر منسوخ نہیں کیا جا سکتا. منسوخ کرنے کے لئے Unclose.
DocType: Student Guardian,Father,فادر
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'اپ ڈیٹ اسٹاک' فکسڈ اثاثہ کی فروخت کے لئے نہیں کی جانچ پڑتال کی جا سکتی ہے
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'اپ ڈیٹ اسٹاک' فکسڈ اثاثہ کی فروخت کے لئے نہیں کی جانچ پڑتال کی جا سکتی ہے
DocType: Bank Reconciliation,Bank Reconciliation,بینک مصالحتی
DocType: Attendance,On Leave,چھٹی پر
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,تازہ ترین معلومات حاصل کریں
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: اکاؤنٹ {2} کمپنی سے تعلق نہیں ہے {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,مواد درخواست {0} منسوخ یا بند کر دیا ہے
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,چند ایک نمونہ کے ریکارڈ میں شامل
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,چند ایک نمونہ کے ریکارڈ میں شامل
apps/erpnext/erpnext/config/hr.py +301,Leave Management,مینجمنٹ چھوڑ دو
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,اکاؤنٹ کی طرف سے گروپ
DocType: Sales Order,Fully Delivered,مکمل طور پر ہونے والا
DocType: Lead,Lower Income,کم آمدنی
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},ذریعہ اور ہدف گودام صف کے لئے ہی نہیں ہو سکتا {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},ذریعہ اور ہدف گودام صف کے لئے ہی نہیں ہو سکتا {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",یہ اسٹاک مصالحتی ایک افتتاحی انٹری ہے کے بعد سے فرق اکاؤنٹ، ایک اثاثہ / ذمہ داری قسم اکاؤنٹ ہونا ضروری ہے
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},آئٹم کے لئے ضروری آرڈر نمبر خریداری {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,پروڈکشن آرڈر نہیں بنائی
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},آئٹم کے لئے ضروری آرڈر نمبر خریداری {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,پروڈکشن آرڈر نہیں بنائی
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','تاریخ سے' کے بعد 'تاریخ کے لئے' ہونا ضروری ہے
DocType: Asset,Fully Depreciated,مکمل طور پر فرسودگی
,Stock Projected Qty,اسٹاک مقدار متوقع
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},تعلق نہیں ہے {0} کسٹمر منصوبے کی {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},تعلق نہیں ہے {0} کسٹمر منصوبے کی {1}
DocType: Employee Attendance Tool,Marked Attendance HTML,نشان حاضری ایچ ٹی ایم ایل
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",کوٹیشن، تجاویز ہیں بولیاں آپ اپنے گاہکوں کو بھیجا ہے
DocType: Sales Order,Customer's Purchase Order,گاہک کی خریداری کے آرڈر
@@ -2871,33 +2890,33 @@
DocType: Warranty Claim,From Company,کمپنی کی طرف سے
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Depreciations کی تعداد بک مقرر کریں
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,قیمت یا مقدار
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,پروڈکشنز احکامات کو نہیں اٹھایا جا سکتا ہے:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,منٹ
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,پروڈکشنز احکامات کو نہیں اٹھایا جا سکتا ہے:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,منٹ
DocType: Purchase Invoice,Purchase Taxes and Charges,ٹیکس اور الزامات کی خریداری
,Qty to Receive,وصول کرنے کی مقدار
DocType: Leave Block List,Leave Block List Allowed,بلاک فہرست اجازت چھوڑ دو
DocType: Grading Scale Interval,Grading Scale Interval,گریڈنگ پیمانے وقفہ
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ڈسکاؤنٹ (٪) پر مارجن کے ساتھ قیمت کی فہرست شرح
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,ڈسکاؤنٹ (٪) پر مارجن کے ساتھ قیمت کی فہرست شرح
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,تمام گوداموں
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,تمام گوداموں
DocType: Sales Partner,Retailer,خوردہ فروش
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,اکاؤنٹ کریڈٹ ایک بیلنس شیٹ اکاؤنٹ ہونا ضروری ہے
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,اکاؤنٹ کریڈٹ ایک بیلنس شیٹ اکاؤنٹ ہونا ضروری ہے
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,تمام پردایک اقسام
DocType: Global Defaults,Disable In Words,الفاظ میں غیر فعال کریں
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,آئٹم خود کار طریقے سے شمار نہیں ہے کیونکہ آئٹم کوڈ لازمی ہے
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,آئٹم خود کار طریقے سے شمار نہیں ہے کیونکہ آئٹم کوڈ لازمی ہے
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},کوٹیشن {0} نہیں قسم کی {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,بحالی کے شیڈول آئٹم
DocType: Sales Order,% Delivered,پھچ چوکا ٪
DocType: Production Order,PRO-,بند کریں
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,بینک وورڈرافٹ اکاؤنٹ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,بینک وورڈرافٹ اکاؤنٹ
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,تنخواہ پرچی بنائیں
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,صف # {0}: مختص رقم بقایا رقم سے زیادہ نہیں ہو سکتا.
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,براؤز BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,محفوظ قرضوں
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,محفوظ قرضوں
DocType: Purchase Invoice,Edit Posting Date and Time,ترمیم پوسٹنگ کی تاریخ اور وقت
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},میں اثاثہ زمرہ {0} یا کمپنی ہراس متعلقہ اکاؤنٹس مقرر مہربانی {1}
DocType: Academic Term,Academic Year,تعلیمی سال
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,افتتاحی بیلنس اکوئٹی
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,افتتاحی بیلنس اکوئٹی
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,تشخیص
DocType: Opportunity,OPTY-,OPTY-
@@ -2912,7 +2931,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,کردار منظوری حکمرانی کے لئے لاگو ہوتا ہے کردار کے طور پر ہی نہیں ہو سکتا
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,اس ای میل ڈائجسٹ سے رکنیت ختم
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,پیغام بھیجا
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,بچے نوڈس کے ساتھ اکاؤنٹ اکاؤنٹ کے طور پر مقرر نہیں کیا جا سکتا
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,بچے نوڈس کے ساتھ اکاؤنٹ اکاؤنٹ کے طور پر مقرر نہیں کیا جا سکتا
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,شرح جس قیمت کی فہرست کرنسی میں گاہکوں کی بنیاد کرنسی تبدیل کیا جاتا ہے
DocType: Purchase Invoice Item,Net Amount (Company Currency),نیول رقم (کمپنی کرنسی)
@@ -2946,7 +2965,7 @@
DocType: Expense Claim,Approval Status,منظوری کی حیثیت
DocType: Hub Settings,Publish Items to Hub,حب اشیا شائع
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},قیمت صف میں قدر سے کم ہونا ضروری ہے سے {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,وائر ٹرانسفر
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,وائر ٹرانسفر
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,تمام چیک کریں
DocType: Vehicle Log,Invoice Ref,انوائس کے ممبران
DocType: Purchase Order,Recurring Order,مکرر آرڈر
@@ -2959,50 +2978,53 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,بینکنگ اور ادائیگی
,Welcome to ERPNext,ERPNext میں خوش آمدید
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,کوٹیشن کی قیادت
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,زیادہ کچھ نہیں دکھانے کے لئے.
DocType: Lead,From Customer,کسٹمر سے
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,کالیں
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,کالیں
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,بیچز
DocType: Project,Total Costing Amount (via Time Logs),کل لاگت رقم (وقت کیلیے نوشتہ جات دیکھیے کے ذریعے)
DocType: Purchase Order Item Supplied,Stock UOM,اسٹاک UOM
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,آرڈر {0} پیش نہیں کی خریداری
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,آرڈر {0} پیش نہیں کی خریداری
DocType: Customs Tariff Number,Tariff Number,ٹیرف نمبر
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,متوقع
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},سیریل نمبر {0} گودام سے تعلق نہیں ہے {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,نوٹ: {0} مقدار یا رقم 0 ہے کے طور پر کی ترسیل اور زیادہ بکنگ شے کے لئے نظام کی جانچ پڑتال نہیں کرے گا
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,نوٹ: {0} مقدار یا رقم 0 ہے کے طور پر کی ترسیل اور زیادہ بکنگ شے کے لئے نظام کی جانچ پڑتال نہیں کرے گا
DocType: Notification Control,Quotation Message,کوٹیشن پیغام
DocType: Employee Loan,Employee Loan Application,ملازم کے قرض کی درخواست
DocType: Issue,Opening Date,افتتاحی تاریخ
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,حاضری کامیابی سے نشان لگا دیا گیا ہے.
+DocType: Program Enrollment,Public Transport,پبلک ٹرانسپورٹ
DocType: Journal Entry,Remark,تبصرہ
DocType: Purchase Receipt Item,Rate and Amount,شرح اور رقم
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,پتے اور چھٹیوں
DocType: School Settings,Current Academic Term,موجودہ تعلیمی مدت
DocType: Sales Order,Not Billed,بل نہیں
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,دونوں گودام ایک ہی کمپنی سے تعلق رکھتے ہیں چاہئے
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,کوئی رابطے نے ابھی تک اکائونٹ.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,دونوں گودام ایک ہی کمپنی سے تعلق رکھتے ہیں چاہئے
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,کوئی رابطے نے ابھی تک اکائونٹ.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,لینڈڈ لاگت واؤچر رقم
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,سپلائر کی طرف سے اٹھائے بل.
DocType: POS Profile,Write Off Account,اکاؤنٹ لکھنے
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,ڈیبٹ نوٹ AMT
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,ڈسکاؤنٹ رقم
DocType: Purchase Invoice,Return Against Purchase Invoice,کے خلاف خریداری کی رسید واپس
DocType: Item,Warranty Period (in days),(دن میں) وارنٹی مدت
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Guardian1 ساتھ تعلق
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Guardian1 ساتھ تعلق
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,آپریشنز سے نیٹ کیش
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,مثال کے طور پر ٹی (VAT)
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,مثال کے طور پر ٹی (VAT)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,آئٹم 4
DocType: Student Admission,Admission End Date,داخلے کی آخری تاریخ
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,ذیلی سمجھوتہ
DocType: Journal Entry Account,Journal Entry Account,جرنل اندراج اکاؤنٹ
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,طالب علم گروپ
DocType: Shopping Cart Settings,Quotation Series,کوٹیشن سیریز
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item",ایک شے کے اسی نام کے ساتھ موجود ({0})، شے گروپ کا نام تبدیل یا شے کا نام تبدیل کریں
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,کسٹمر براہ مہربانی منتخب کریں
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item",ایک شے کے اسی نام کے ساتھ موجود ({0})، شے گروپ کا نام تبدیل یا شے کا نام تبدیل کریں
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,کسٹمر براہ مہربانی منتخب کریں
DocType: C-Form,I,میں
DocType: Company,Asset Depreciation Cost Center,اثاثہ ہراس لاگت سینٹر
DocType: Sales Order Item,Sales Order Date,سیلز آرڈر کی تاریخ
DocType: Sales Invoice Item,Delivered Qty,ہونے والا مقدار
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.",جانچ پڑتال کی، تو ہر ایک کی پیداوار شے کے تمام بچوں مواد درخواستوں میں شامل کیا جائے گا.
DocType: Assessment Plan,Assessment Plan,تشخیص کی منصوبہ بندی
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,گودام {0}: کمپنی لازمی ہے
DocType: Stock Settings,Limit Percent,حد فیصد
,Payment Period Based On Invoice Date,انوائس کی تاریخ کی بنیاد پر ادائیگی کی مدت
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},کے لئے لاپتہ کرنسی ایکسچینج قیمتیں {0}
@@ -3014,7 +3036,7 @@
DocType: Vehicle,Insurance Details,انشورنس کی تفصیلات دیکھیں
DocType: Account,Payable,قابل ادائیگی
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,واپسی کا دورانیہ درج کریں
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),دیندار ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),دیندار ({0})
DocType: Pricing Rule,Margin,مارجن
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,نئے گاہکوں
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,کل منافع ٪
@@ -3025,16 +3047,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,پارٹی لازمی ہے
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,موضوع کا نام
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,فروخت یا خرید کی کم سے کم ایک منتخب ہونا ضروری ہے
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,آپ کے کاروبار کی نوعیت کو منتخب کریں.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,فروخت یا خرید کی کم سے کم ایک منتخب ہونا ضروری ہے
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,آپ کے کاروبار کی نوعیت کو منتخب کریں.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},صف # {0}: حوالہ جات میں داخلے نقل {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,مینوفیکچرنگ آپریشنز کہاں کئے جاتے ہیں.
DocType: Asset Movement,Source Warehouse,ماخذ گودام
DocType: Installation Note,Installation Date,تنصیب کی تاریخ
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},صف # {0}: اثاثہ {1} کی کمپنی سے تعلق نہیں ہے {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},صف # {0}: اثاثہ {1} کی کمپنی سے تعلق نہیں ہے {2}
DocType: Employee,Confirmation Date,توثیق تاریخ
DocType: C-Form,Total Invoiced Amount,کل انوائس کی رقم
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,کم از کم مقدار زیادہ سے زیادہ مقدار سے زیادہ نہیں ہو سکتا
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,کم از کم مقدار زیادہ سے زیادہ مقدار سے زیادہ نہیں ہو سکتا
DocType: Account,Accumulated Depreciation,جمع ہراس
DocType: Stock Entry,Customer or Supplier Details,مستقل خریدار یا سپلائر تفصیلات
DocType: Employee Loan Application,Required by Date,تاریخ کی طرف سے کی ضرورت
@@ -3059,17 +3081,18 @@
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,ایک ہی سپلائر کئی بار داخل کیا گیا ہے
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,مجموعی منافع / نقصان
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,آرڈر آئٹم فراہم خریدیں
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,کمپنی کا نام نہیں ہو سکتا
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,کمپنی کا نام نہیں ہو سکتا
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,پرنٹ کے سانچوں کے لئے خط سر.
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,پرنٹ کے سانچوں کے لئے عنوانات پروفارما انوائس مثلا.
DocType: Student Guardian,Student Guardian,طالب علم گارڈین
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,تشخیص قسم کے الزامات شامل کے طور پر نشان نہیں کر سکتے ہیں
DocType: POS Profile,Update Stock,اپ ڈیٹ اسٹاک
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,سپلائر> سپلائر کی قسم
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,اشیاء کے لئے مختلف UOM غلط (کل) نیٹ وزن کی قیمت کی قیادت کریں گے. ہر شے کے نیٹ وزن اسی UOM میں ہے اس بات کو یقینی بنائیں.
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM کی شرح
DocType: Asset,Journal Entry for Scrap,سکریپ کے لئے جرنل اندراج
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,ترسیل کے نوٹ سے اشیاء پر ھیںچو کریں
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,جرنل میں لکھے {0} غیر منسلک ہیں
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,جرنل میں لکھے {0} غیر منسلک ہیں
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.",قسم ای میل، فون، چیٹ، دورے، وغیرہ کے تمام کمیونی کیشنز کا ریکارڈ
DocType: Manufacturer,Manufacturers used in Items,اشیاء میں استعمال کیا مینوفیکچررز
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,کمپنی میں گول آف لاگت مرکز کا ذکر کریں
@@ -3117,33 +3140,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,پردایک کسٹمر کو فراہم
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}](#Form/Item/{0})موجود نھی ھے
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,اگلی تاریخ پوسٹنگ کی تاریخ سے زیادہ ہونا چاہیے
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,دکھائیں ٹیکس بریک اپ
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},وجہ / حوالہ تاریخ کے بعد نہیں ہو سکتا {0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,دکھائیں ٹیکس بریک اپ
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},وجہ / حوالہ تاریخ کے بعد نہیں ہو سکتا {0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,ڈیٹا کی درآمد اور برآمد
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,کوئی طالب علم نہیں ملا
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,کوئی طالب علم نہیں ملا
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,انوائس پوسٹنگ کی تاریخ
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,فروخت
DocType: Sales Invoice,Rounded Total,مدور کل
DocType: Product Bundle,List items that form the package.,پیکیج کی تشکیل کہ فہرست اشیاء.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,فیصدی ایلوکیشن 100٪ کے برابر ہونا چاہئے
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,پارٹی منتخب کرنے سے پہلے پوسٹنگ کی تاریخ براہ مہربانی منتخب کریں
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,پارٹی منتخب کرنے سے پہلے پوسٹنگ کی تاریخ براہ مہربانی منتخب کریں
DocType: Program Enrollment,School House,سکول ہاؤس
DocType: Serial No,Out of AMC,اے ایم سی کے باہر
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,کوٹیشن براہ مہربانی منتخب کریں
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,کوٹیشن براہ مہربانی منتخب کریں
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,کوٹیشن براہ مہربانی منتخب کریں
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,کوٹیشن براہ مہربانی منتخب کریں
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,بک Depreciations کی تعداد کل Depreciations کی تعداد سے زیادہ نہیں ہو سکتی
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,بحالی دورہ
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,سیلز ماسٹر مینیجر {0} کردار ہے جو صارف سے رابطہ کریں
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,سیلز ماسٹر مینیجر {0} کردار ہے جو صارف سے رابطہ کریں
DocType: Company,Default Cash Account,پہلے سے طے شدہ کیش اکاؤنٹ
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,کمپنی (نہیں مستقل خریدار یا سپلائر) ماسٹر.
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,یہ اس طالب علم کی حاضری پر مبنی ہے
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,کوئی طلبا میں
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,کوئی طلبا میں
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,مزید آئٹمز یا کھلی مکمل فارم شامل کریں
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date','متوقع تاریخ کی ترسیل' درج کریں
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,ترسیل نوٹوں {0} اس سیلز آرڈر منسوخ کرنے سے پہلے منسوخ کر دیا جائے ضروری ہے
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,ادائیگی کی رقم رقم گرینڈ کل سے زیادہ نہیں ہو سکتا لکھنے +
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,ادائیگی کی رقم رقم گرینڈ کل سے زیادہ نہیں ہو سکتا لکھنے +
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} شے کے لئے ایک درست بیچ نمبر نہیں ہے {1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},نوٹ: حکم کی قسم کے لئے کافی چھٹی توازن نہیں ہے {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,غلط GSTIN یا غیر رجسٹرڈ لئے NA درج
DocType: Training Event,Seminar,سیمینار
DocType: Program Enrollment Fee,Program Enrollment Fee,پروگرام کے اندراج کی فیس
DocType: Item,Supplier Items,پردایک اشیا
@@ -3168,28 +3192,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,آئٹم کے 3
DocType: Purchase Order,Customer Contact Email,کسٹمر رابطہ ای میل
DocType: Warranty Claim,Item and Warranty Details,آئٹم اور وارنٹی تفصیلات دیکھیں
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,آئٹم کوڈ> آئٹم گروپ> برانڈ
DocType: Sales Team,Contribution (%),شراکت (٪)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,نوٹ: ادائیگی کے اندراج کے بعد پیدا ہو گا 'نقد یا بینک اکاؤنٹ' وضاحت نہیں کی گئی
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,لازمی کورس بازیافت کرنے کے پروگرام کو منتخب کریں.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,لازمی کورس بازیافت کرنے کے پروگرام کو منتخب کریں.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,ذمہ داریاں
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,ذمہ داریاں
DocType: Expense Claim Account,Expense Claim Account,اخراجات دعوی اکاؤنٹ
DocType: Sales Person,Sales Person Name,فروخت کے شخص کا نام
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,ٹیبل میں کم سے کم 1 انوائس داخل کریں
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,صارفین شامل کریں
DocType: POS Item Group,Item Group,آئٹم گروپ
DocType: Item,Safety Stock,سیفٹی اسٹاک
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,ایک کام کے لئے پیش رفت٪ 100 سے زیادہ نہیں ہو سکتا.
DocType: Stock Reconciliation Item,Before reconciliation,مفاہمت پہلے
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},کرنے کے لئے {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),ٹیکس اور الزامات شامل کر دیا گیا (کمپنی کرنسی)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,آئٹم ٹیکس صف {0} قسم ٹیکس یا آمدنی یا اخراجات یا ادائیگی کے اکاؤنٹ ہونا لازمی ہے
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,آئٹم ٹیکس صف {0} قسم ٹیکس یا آمدنی یا اخراجات یا ادائیگی کے اکاؤنٹ ہونا لازمی ہے
DocType: Sales Order,Partly Billed,جزوی طور پر بل
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,آئٹم {0} ایک فکسڈ اثاثہ آئٹم ہونا ضروری ہے
DocType: Item,Default BOM,پہلے سے طے شدہ BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,دوبارہ ٹائپ کمپنی کا نام کی توثیق کے لئے براہ کرم
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,کل بقایا AMT
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,ڈیبٹ نوٹ رقم
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,دوبارہ ٹائپ کمپنی کا نام کی توثیق کے لئے براہ کرم
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,کل بقایا AMT
DocType: Journal Entry,Printing Settings,پرنٹنگ ترتیبات
DocType: Sales Invoice,Include Payment (POS),ادائیگی شامل کریں (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},کل ڈیبٹ کل کریڈٹ کے برابر ہونا چاہیے. فرق ہے {0}
@@ -3203,16 +3224,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,اسٹاک میں:
DocType: Notification Control,Custom Message,اپنی مرضی کے پیغام
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,سرمایہ کاری بینکنگ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,نقد یا بینک اکاؤنٹ کی ادائیگی کے اندراج بنانے کے لئے لازمی ہے
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,طالب علم ایڈریس
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,طالب علم ایڈریس
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,نقد یا بینک اکاؤنٹ کی ادائیگی کے اندراج بنانے کے لئے لازمی ہے
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,سیٹ اپ> سیٹ اپ کے ذریعے حاضری کے لئے سیریز کی تعداد مہربانی نمبر سیریز
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,طالب علم ایڈریس
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,طالب علم ایڈریس
DocType: Purchase Invoice,Price List Exchange Rate,قیمت کی فہرست زر مبادلہ کی شرح
DocType: Purchase Invoice Item,Rate,شرح
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,انٹرن
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,ایڈریس نام
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,انٹرن
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,ایڈریس نام
DocType: Stock Entry,From BOM,BOM سے
DocType: Assessment Code,Assessment Code,تشخیص کے کوڈ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,بنیادی
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,بنیادی
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,{0} منجمد کر رہے ہیں سے پہلے اسٹاک لین دین
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule','پیدا شیڈول' پر کلک کریں براہ مہربانی
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m",مثال کے طور پر کلو، یونٹ، نمبر، میٹر
@@ -3222,11 +3244,11 @@
DocType: Salary Slip,Salary Structure,تنخواہ ساخت
DocType: Account,Bank,بینک
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,ایئرلائن
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,مسئلہ مواد
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,مسئلہ مواد
DocType: Material Request Item,For Warehouse,گودام کے لئے
DocType: Employee,Offer Date,پیشکش تاریخ
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,کوٹیشن
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,آپ آف لائن موڈ میں ہیں. آپ آپ کو نیٹ ورک ہے جب تک دوبارہ لوڈ کرنے کے قابل نہیں ہو گا.
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,آپ آف لائن موڈ میں ہیں. آپ آپ کو نیٹ ورک ہے جب تک دوبارہ لوڈ کرنے کے قابل نہیں ہو گا.
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,کوئی بھی طالب علم گروپ بنائے.
DocType: Purchase Invoice Item,Serial No,سیریل نمبر
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,ماہانہ واپسی کی رقم قرض کی رقم سے زیادہ نہیں ہو سکتا
@@ -3234,8 +3256,8 @@
DocType: Purchase Invoice,Print Language,پرنٹ کریں زبان
DocType: Salary Slip,Total Working Hours,کل کام کے گھنٹے
DocType: Stock Entry,Including items for sub assemblies,ذیلی اسمبلیوں کے لئے اشیاء سمیت
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,درج قدر مثبت ہونا چاہئے
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,تمام علاقوں
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,درج قدر مثبت ہونا چاہئے
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,تمام علاقوں
DocType: Purchase Invoice,Items,اشیا
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,طالب علم پہلے سے ہی مندرج ہے.
DocType: Fiscal Year,Year Name,سال نام
@@ -3254,10 +3276,10 @@
DocType: Issue,Opening Time,افتتاحی وقت
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,سے اور مطلوبہ تاریخوں کے لئے
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,سیکورٹیز اینڈ ایکسچینج کماڈٹی
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',مختلف کے لئے پیمائش کی پہلے سے طے شدہ یونٹ '{0}' سانچے میں کے طور پر ایک ہی ہونا چاہیے '{1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',مختلف کے لئے پیمائش کی پہلے سے طے شدہ یونٹ '{0}' سانچے میں کے طور پر ایک ہی ہونا چاہیے '{1}
DocType: Shipping Rule,Calculate Based On,کی بنیاد پر حساب
DocType: Delivery Note Item,From Warehouse,گودام سے
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,تیار کرنے کی مواد کے بل کے ساتھ کوئی شے
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,تیار کرنے کی مواد کے بل کے ساتھ کوئی شے
DocType: Assessment Plan,Supervisor Name,سپروائزر کا نام
DocType: Program Enrollment Course,Program Enrollment Course,پروگرام اندراج کورس
DocType: Program Enrollment Course,Program Enrollment Course,پروگرام اندراج کورس
@@ -3273,18 +3295,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,'آخری آرڈر کے بعد دن' صفر سے زیادہ یا برابر ہونا چاہیے
DocType: Process Payroll,Payroll Frequency,پے رول فریکوئینسی
DocType: Asset,Amended From,سے ترمیم شدہ
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,خام مال
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,خام مال
DocType: Leave Application,Follow via Email,ای میل کے ذریعے عمل کریں
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,پودے اور مشینری
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,پودے اور مشینری
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,ڈسکاؤنٹ رقم کے بعد ٹیکس کی رقم
DocType: Daily Work Summary Settings,Daily Work Summary Settings,روز مرہ کے کام کا خلاصہ ترتیبات
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},قیمت کی فہرست {0} کی کرنسی کا انتخاب کرنسی کے ساتھ اسی طرح کی نہیں ہے {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},قیمت کی فہرست {0} کی کرنسی کا انتخاب کرنسی کے ساتھ اسی طرح کی نہیں ہے {1}
DocType: Payment Entry,Internal Transfer,اندرونی منتقلی
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,چائلڈ اکاؤنٹ اس اکاؤنٹ کے لئے موجود ہے. آپ اس اکاؤنٹ کو حذف نہیں کر سکتے ہیں.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,چائلڈ اکاؤنٹ اس اکاؤنٹ کے لئے موجود ہے. آپ اس اکاؤنٹ کو حذف نہیں کر سکتے ہیں.
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,بہر ہدف مقدار یا ہدف رقم لازمی ہے
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},کوئی پہلے سے طے شدہ BOM شے کے لئے موجود {0}
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},کوئی پہلے سے طے شدہ BOM شے کے لئے موجود {0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,پہلے پوسٹنگ کی تاریخ منتخب کریں
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,تاریخ افتتاحی تاریخ بند کرنے سے پہلے ہونا چاہئے
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,{0} سیٹ اپ> ترتیبات کے ذریعے> نام دینے سیریز کیلئے نام دینے سیریز مقرر مہربانی
DocType: Leave Control Panel,Carry Forward,آگے لے جانے
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,موجودہ لین دین کے ساتھ سرمایہ کاری سینٹر اکاؤنٹ میں تبدیل نہیں کیا جا سکتا
DocType: Department,Days for which Holidays are blocked for this department.,دن جس کے لئے چھٹیاں اس سیکشن کے لئے بلاک کر رہے ہیں.
@@ -3294,11 +3317,10 @@
DocType: Issue,Raised By (Email),طرف سے اٹھائے گئے (ای میل)
DocType: Training Event,Trainer Name,ٹرینر نام
DocType: Mode of Payment,General,جنرل
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,سرنامہ منسلک
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,آخری مواصلات
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,آخری مواصلات
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',زمرہ 'تشخیص' یا 'تشخیص اور کل' کے لئے ہے جب کٹوتی نہیں کر سکتے ہیں
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",آپ کے ٹیکس سر فہرست (مثال کے طور پر ویٹ؛ کسٹمز وغیرہ وہ منفرد نام ہونا چاہئے) اور ان کے معیاری شرح. یہ آپ ترمیم اور زیادہ بعد میں اضافہ کر سکتے ہیں جس میں ایک معیاری سانچے، پیدا کر دے گا.
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",آپ کے ٹیکس سر فہرست (مثال کے طور پر ویٹ؛ کسٹمز وغیرہ وہ منفرد نام ہونا چاہئے) اور ان کے معیاری شرح. یہ آپ ترمیم اور زیادہ بعد میں اضافہ کر سکتے ہیں جس میں ایک معیاری سانچے، پیدا کر دے گا.
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},serialized کی شے کے لئے سیریل نمبر مطلوب {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,انوائس کے ساتھ ملائیں ادائیگیاں
DocType: Journal Entry,Bank Entry,بینک انٹری
@@ -3307,16 +3329,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,ٹوکری میں شامل کریں
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,گروپ سے
DocType: Guardian,Interests,دلچسپیاں
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,کو فعال / غیر فعال کریں کرنسیاں.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,کو فعال / غیر فعال کریں کرنسیاں.
DocType: Production Planning Tool,Get Material Request,مواد گذارش حاصل کریں
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,پوسٹل اخراجات
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,پوسٹل اخراجات
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),کل (AMT)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,تفریح اور تفریح
DocType: Quality Inspection,Item Serial No,آئٹم سیریل نمبر
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,ملازم ریکارڈز تخلیق کریں
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,کل موجودہ
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,اکاؤنٹنگ بیانات
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,قیامت
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,قیامت
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,نیا سیریل کوئی گودام ہیں کر سکتے ہیں. گودام اسٹاک اندراج یا خریداری کی رسید کی طرف سے مقرر کیا جانا چاہیے
DocType: Lead,Lead Type,لیڈ کی قسم
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,آپ کو بلاک تاریخوں پر پتے کو منظور کرنے کی اجازت نہیں ہے
@@ -3328,6 +3350,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,تبدیل کرنے کے بعد نئے BOM
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,فروخت پوائنٹ
DocType: Payment Entry,Received Amount,موصولہ رقم
+DocType: GST Settings,GSTIN Email Sent On,GSTIN ای میل پر ارسال کردہ
+DocType: Program Enrollment,Pick/Drop by Guardian,/ سرپرست کی طرف سے ڈراپ چنیں
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order",، مکمل مقدار کے لئے بنائیں حکم پر پہلے سے ہی مقدار کو نظر انداز
DocType: Account,Tax,ٹیکس
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,نشان نہیں
@@ -3341,7 +3365,7 @@
DocType: Batch,Source Document Name,ماخذ دستاویز کا نام
DocType: Job Opening,Job Title,ملازمت کا عنوان
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,صارفین تخلیق
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,گرام
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,گرام
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,تیار کرنے کی مقدار 0 سے زیادہ ہونا چاہیے.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,بحالی کال کے لئے رپورٹ ملاحظہ کریں.
DocType: Stock Entry,Update Rate and Availability,اپ ڈیٹ کی شرح اور دستیابی
@@ -3349,7 +3373,7 @@
DocType: POS Customer Group,Customer Group,گاہک گروپ
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),نیا بیچ ID (اختیاری)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),نیا بیچ ID (اختیاری)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},اخراجات کے اکاؤنٹ شے کے لئے لازمی ہے {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},اخراجات کے اکاؤنٹ شے کے لئے لازمی ہے {0}
DocType: BOM,Website Description,ویب سائٹ تفصیل
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,ایکوئٹی میں خالص تبدیلی
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,انوائس خریداری {0} منسوخ مہربانی سب سے پہلے
@@ -3358,22 +3382,22 @@
,Sales Register,سیلز رجسٹر
DocType: Daily Work Summary Settings Company,Send Emails At,پر ای میلز بھیجیں
DocType: Quotation,Quotation Lost Reason,کوٹیشن کھو وجہ
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,آپ کے ڈومین منتخب کریں
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},ٹرانزیکشن ریفرنس کوئی {0} بتاریخ {1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,آپ کے ڈومین منتخب کریں
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},ٹرانزیکشن ریفرنس کوئی {0} بتاریخ {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,ترمیم کرنے کے لئے کچھ بھی نہیں ہے.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,اس مہینے اور زیر التواء سرگرمیوں کا خلاصہ
DocType: Customer Group,Customer Group Name,گاہک گروپ کا نام
apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,ابھی تک کوئی گاہک!
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,کیش فلو کا بیان
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,لائسنس
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},سی فارم سے اس انوائس {0} کو دور کریں {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},سی فارم سے اس انوائس {0} کو دور کریں {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,آپ کو بھی گزشتہ مالی سال کے توازن رواں مالی سال کے لئے چھوڑ دیتا شامل کرنے کے لئے چاہتے ہیں تو آگے بڑھانے براہ مہربانی منتخب کریں
DocType: GL Entry,Against Voucher Type,واؤچر قسم کے خلاف
DocType: Item,Attributes,صفات
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,اکاؤنٹ لکھنے داخل کریں
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,اکاؤنٹ لکھنے داخل کریں
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,آخری آرڈر کی تاریخ
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},اکاؤنٹ {0} کرتا کمپنی سے تعلق رکھتا نہیں {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,{0} قطار میں سیریل نمبر ڈلیوری نوٹ کے ساتھ میل نہیں کھاتا
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,{0} قطار میں سیریل نمبر ڈلیوری نوٹ کے ساتھ میل نہیں کھاتا
DocType: Student,Guardian Details,گارڈین کی تفصیلات دیکھیں
DocType: C-Form,C-Form,سی فارم
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,ایک سے زیادہ ملازمین کے لئے نشان حاضری
@@ -3387,16 +3411,16 @@
DocType: Project,Expected End Date,متوقع تاریخ اختتام
DocType: Budget Account,Budget Amount,بجٹ کی رقم
DocType: Appraisal Template,Appraisal Template Title,تشخیص سانچہ عنوان
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,کمرشل
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,کمرشل
DocType: Payment Entry,Account Paid To,اکاؤنٹ کے لئے ادا کی
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,والدین آئٹم {0} اسٹاک آئٹم نہیں ہونا چاہئے
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,تمام مصنوعات یا خدمات.
DocType: Expense Claim,More Details,مزید تفصیلات
DocType: Supplier Quotation,Supplier Address,پردایک ایڈریس
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} اکاؤنٹ کے بجٹ {1} خلاف {2} {3} ہے {4}. اس کی طرف سے تجاوز کرے گا {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',صف {0} # اکاؤنٹ کی قسم کا ہونا چاہیے 'فکسڈ اثاثہ'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,مقدار باہر
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,قواعد فروخت کے لئے شپنگ رقم کا حساب کرنے
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',صف {0} # اکاؤنٹ کی قسم کا ہونا چاہیے 'فکسڈ اثاثہ'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,مقدار باہر
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,قواعد فروخت کے لئے شپنگ رقم کا حساب کرنے
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,سیریز لازمی ہے
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,مالیاتی خدمات
DocType: Student Sibling,Student ID,طالب علم کی شناخت
@@ -3404,13 +3428,13 @@
DocType: Tax Rule,Sales,سیلز
DocType: Stock Entry Detail,Basic Amount,بنیادی رقم
DocType: Training Event,Exam,امتحان
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},گودام اسٹاک آئٹم کے لئے ضروری {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},گودام اسٹاک آئٹم کے لئے ضروری {0}
DocType: Leave Allocation,Unused leaves,غیر استعمال شدہ پتے
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,کروڑ
DocType: Tax Rule,Billing State,بلنگ ریاست
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,منتقلی
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} پارٹی اکاؤنٹ کے ساتھ وابستہ نہیں کرتا {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),(ذیلی اسمبلیوں سمیت) پھٹا BOM آوردہ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} پارٹی اکاؤنٹ کے ساتھ وابستہ نہیں کرتا {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),(ذیلی اسمبلیوں سمیت) پھٹا BOM آوردہ
DocType: Authorization Rule,Applicable To (Employee),لاگو (ملازم)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,کی وجہ سے تاریخ لازمی ہے
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,وصف کے لئے اضافہ {0} 0 نہیں ہو سکتا
@@ -3437,7 +3461,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,خام مال آئٹم کوڈ
DocType: Journal Entry,Write Off Based On,کی بنیاد پر لکھنے
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,لیڈ بنائیں
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,پرنٹ اور سٹیشنری
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,پرنٹ اور سٹیشنری
DocType: Stock Settings,Show Barcode Field,دکھائیں بارکوڈ فیلڈ
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,پردایک ای میلز بھیجیں
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",تنخواہ پہلے سے ہی درمیان {0} اور {1}، درخواست مدت چھوڑیں اس تاریخ کی حد کے درمیان نہیں ہو سکتا مدت کے لئے کارروائی کی.
@@ -3445,14 +3469,16 @@
DocType: Guardian Interest,Guardian Interest,گارڈین دلچسپی
apps/erpnext/erpnext/config/hr.py +177,Training,ٹریننگ
DocType: Timesheet,Employee Detail,ملازم کی تفصیل
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 ای میل آئی ڈی
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1 ای میل آئی ڈی
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 ای میل آئی ڈی
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1 ای میل آئی ڈی
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,اگلی تاریخ کے دن اور مہینے کے دن دہرائیں برابر ہونا چاہیے
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,ویب سائٹ کے ہوم پیج کے لئے ترتیبات
DocType: Offer Letter,Awaiting Response,جواب کا منتظر
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,اوپر
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,اوپر
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},غلط وصف {0} {1}
DocType: Supplier,Mention if non-standard payable account,ذکر غیر معیاری قابل ادائیگی اکاؤنٹ ہے تو
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},ایک ہی شے کے کئی بار داخل کیا گیا ہے. {فہرست}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups','تمام تعین گروپ' کے علاوہ کسی اور کا تعین گروپ براہ مہربانی منتخب کریں
DocType: Salary Slip,Earning & Deduction,کمائی اور کٹوتی
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,اختیاری. یہ ترتیب مختلف لین دین میں فلٹر کیا جائے گا.
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,منفی تشخیص کی شرح کی اجازت نہیں ہے
@@ -3466,9 +3492,9 @@
DocType: Sales Invoice,Product Bundle Help,پروڈکٹ بنڈل مدد
,Monthly Attendance Sheet,ماہانہ حاضری شیٹ
DocType: Production Order Item,Production Order Item,پروڈکشن آرڈر آئٹم
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,کوئی ریکارڈ نہیں ملا
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,کوئی ریکارڈ نہیں ملا
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,ختم کر دیا اثاثہ کی قیمت
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: لاگت سینٹر شے کے لئے لازمی ہے {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: لاگت سینٹر شے کے لئے لازمی ہے {2}
DocType: Vehicle,Policy No,پالیسی نہیں
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,پروڈکٹ بنڈل سے اشیاء حاصل
DocType: Asset,Straight Line,سیدھی لکیر
@@ -3476,7 +3502,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,سپلٹ
DocType: GL Entry,Is Advance,ایڈوانس ہے
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,تاریخ کے لئے تاریخ اور حاضری سے حاضری لازمی ہے
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,ہاں یا نہیں کے طور پر 'ٹھیکے ہے' درج کریں
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,ہاں یا نہیں کے طور پر 'ٹھیکے ہے' درج کریں
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,آخری مواصلات تاریخ
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,آخری مواصلات تاریخ
DocType: Sales Team,Contact No.,رابطہ نمبر
@@ -3505,59 +3531,60 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,افتتاحی ویلیو
DocType: Salary Detail,Formula,فارمولہ
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,سیریل نمبر
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,فروخت پر کمیشن
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,فروخت پر کمیشن
DocType: Offer Letter Term,Value / Description,ویلیو / تفصیل
DocType: Tax Rule,Billing Country,بلنگ کا ملک
DocType: Purchase Order Item,Expected Delivery Date,متوقع تاریخ کی ترسیل
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,ڈیبٹ اور کریڈٹ {0} # کے لئے برابر نہیں {1}. فرق ہے {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,تفریح اخراجات
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,مواد درخواست کر
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,تفریح اخراجات
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,مواد درخواست کر
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},اوپن آئٹم {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,اس سیلز آرڈر منسوخ کرنے سے پہلے انوائس {0} منسوخ کر دیا جائے ضروری ہے سیلز
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,عمر
DocType: Sales Invoice Timesheet,Billing Amount,بلنگ رقم
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,شے کے لئے مخصوص غلط مقدار {0}. مقدار 0 سے زیادہ ہونا چاہئے.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,چھٹی کے لئے درخواستیں.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,موجودہ لین دین کے ساتھ اکاؤنٹ خارج کر دیا نہیں کیا جا سکتا
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,موجودہ لین دین کے ساتھ اکاؤنٹ خارج کر دیا نہیں کیا جا سکتا
DocType: Vehicle,Last Carbon Check,آخری کاربن چیک کریں
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,قانونی اخراجات
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,قانونی اخراجات
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,صف پر مقدار براہ مہربانی منتخب کریں
DocType: Purchase Invoice,Posting Time,پوسٹنگ وقت
DocType: Timesheet,% Amount Billed,٪ رقم بل
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,ٹیلی فون اخراجات
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,ٹیلی فون اخراجات
DocType: Sales Partner,Logo,علامت (لوگو)
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,آپ کی بچت سے پہلے ایک سلسلہ منتخب کرنے کے لئے صارف کو مجبور کرنا چاہتے ہیں تو اس کی جانچ پڑتال. آپ کو اس کی جانچ پڑتال اگر کوئی پہلے سے طے شدہ ہو گا.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},سیریل نمبر کے ساتھ کوئی آئٹم {0}
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},سیریل نمبر کے ساتھ کوئی آئٹم {0}
DocType: Email Digest,Open Notifications,کھولیں نوٹیفیکیشن
DocType: Payment Entry,Difference Amount (Company Currency),فرق رقم (کمپنی کرنسی)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,براہ راست اخراجات
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,براہ راست اخراجات
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} 'نوٹیفکیشن \ ای میل پتہ' میں ایک غلط ای میل پتہ ہے
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,نئے گاہک ریونیو
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,سفر کے اخراجات
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,سفر کے اخراجات
DocType: Maintenance Visit,Breakdown,خرابی
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,اکاؤنٹ: {0} کرنسی: {1} منتخب نہیں کیا جا سکتا
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,اکاؤنٹ: {0} کرنسی: {1} منتخب نہیں کیا جا سکتا
DocType: Bank Reconciliation Detail,Cheque Date,چیک تاریخ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},اکاؤنٹ {0}: والدین اکاؤنٹ {1} کمپنی سے تعلق نہیں ہے: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},اکاؤنٹ {0}: والدین اکاؤنٹ {1} کمپنی سے تعلق نہیں ہے: {2}
DocType: Program Enrollment Tool,Student Applicants,Student کی درخواست گزار
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,کامیابی کے ساتھ اس کمپنی سے متعلق تمام لین دین کو خارج کر دیا!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,کامیابی کے ساتھ اس کمپنی سے متعلق تمام لین دین کو خارج کر دیا!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,تاریخ کے طور پر
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,اندراجی تاریخ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,پروبیشن
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,پروبیشن
apps/erpnext/erpnext/config/hr.py +115,Salary Components,تنخواہ کے اجزاء
DocType: Program Enrollment Tool,New Academic Year,نئے تعلیمی سال
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,واپسی / کریڈٹ نوٹ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,واپسی / کریڈٹ نوٹ
DocType: Stock Settings,Auto insert Price List rate if missing,آٹو ڈالیں قیمت کی فہرست شرح لاپتہ ہے
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,کل ادا کی گئی رقم
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,کل ادا کی گئی رقم
DocType: Production Order Item,Transferred Qty,منتقل مقدار
apps/erpnext/erpnext/config/learn.py +11,Navigating,گشت
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,منصوبہ بندی
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,جاری کردیا گیا
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,منصوبہ بندی
+DocType: Material Request,Issued,جاری کردیا گیا
DocType: Project,Total Billing Amount (via Time Logs),کل بلنگ رقم (وقت کیلیے نوشتہ جات دیکھیے کے ذریعے)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,ہم اس شے کے فروخت
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,پردایک شناخت
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,ہم اس شے کے فروخت
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,پردایک شناخت
DocType: Payment Request,Payment Gateway Details,ادائیگی کے گیٹ وے کی تفصیلات دیکھیں
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,مقدار 0 سے زیادہ ہونا چاہئے
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,مقدار 0 سے زیادہ ہونا چاہئے
DocType: Journal Entry,Cash Entry,کیش انٹری
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,بچے نوڈس صرف 'گروپ' قسم نوڈس کے تحت پیدا کیا جا سکتا
DocType: Leave Application,Half Day Date,آدھا دن تاریخ
@@ -3569,14 +3596,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},میں اخراجات دعوی کی قسم ڈیفالٹ اکاؤنٹ سیٹ مہربانی {0}
DocType: Assessment Result,Student Name,طالب علم کا نام
DocType: Brand,Item Manager,آئٹم مینیجر
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,قابل ادائیگی پے رول
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,قابل ادائیگی پے رول
DocType: Buying Settings,Default Supplier Type,پہلے سے طے شدہ پردایک قسم
DocType: Production Order,Total Operating Cost,کل آپریٹنگ لاگت
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,نوٹ: آئٹم {0} کئی بار میں داخل
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,تمام رابطے.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,کمپنی مخفف
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,کمپنی مخفف
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,صارف {0} موجود نہیں ہے
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,خام مال بنیادی شے کے طور پر ایک ہی نہیں ہو سکتا
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,خام مال بنیادی شے کے طور پر ایک ہی نہیں ہو سکتا
DocType: Item Attribute Value,Abbreviation,مخفف
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,ادائیگی انٹری پہلے سے موجود ہے
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,{0} حدود سے تجاوز کے بعد authroized نہیں
@@ -3585,35 +3612,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,خریداری کی ٹوکری کے لئے مقرر ٹیکس اصول
DocType: Purchase Invoice,Taxes and Charges Added,ٹیکس اور الزامات شامل کر دیا گیا
,Sales Funnel,سیلز قیف
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,مخفف لازمی ہے
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,مخفف لازمی ہے
DocType: Project,Task Progress,ٹاسک پیش رفت
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,ٹوکری
,Qty to Transfer,منتقلی کی مقدار
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,لیڈز یا گاہکوں کو قیمت.
DocType: Stock Settings,Role Allowed to edit frozen stock,کردار منجمد اسٹاک ترمیم کرنے کی اجازت
,Territory Target Variance Item Group-Wise,علاقہ ھدف تغیر آئٹم گروپ حکیم
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,تمام کسٹمر گروپوں
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,تمام کسٹمر گروپوں
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,جمع ماہانہ
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} لازمی ہے. ہو سکتا ہے کہ کرنسی ایکسچینج ریکارڈ {1} {2} کرنے کے لئے پیدا نہیں کر رہا ہے.
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} لازمی ہے. ہو سکتا ہے کہ کرنسی ایکسچینج ریکارڈ {1} {2} کرنے کے لئے پیدا نہیں کر رہا ہے.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,ٹیکس سانچہ لازمی ہے.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,اکاؤنٹ {0}: والدین اکاؤنٹ {1} موجود نہیں ہے
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,اکاؤنٹ {0}: والدین اکاؤنٹ {1} موجود نہیں ہے
DocType: Purchase Invoice Item,Price List Rate (Company Currency),قیمت کی فہرست شرح (کمپنی کرنسی)
DocType: Products Settings,Products Settings,مصنوعات ترتیبات
DocType: Account,Temporary,عارضی
DocType: Program,Courses,کورسز
DocType: Monthly Distribution Percentage,Percentage Allocation,فیصدی ایلوکیشن
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,سیکرٹری
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,سیکرٹری
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",غیر فعال اگر، میدان کے الفاظ میں 'کسی بھی ٹرانزیکشن میں نظر نہیں آئیں گے
DocType: Serial No,Distinct unit of an Item,آئٹم کے مخصوص یونٹ
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,کمپنی قائم کی مہربانی
DocType: Pricing Rule,Buying,خرید
DocType: HR Settings,Employee Records to be created by,ملازم کے ریکارڈ کی طرف سے پیدا کیا جا کرنے کے لئے
DocType: POS Profile,Apply Discount On,رعایت پر لاگو کریں
,Reqd By Date,Reqd تاریخ کی طرف سے
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,قرض
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,قرض
DocType: Assessment Plan,Assessment Name,تشخیص نام
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,صف # {0}: سیریل کوئی لازمی ہے
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,آئٹم حکمت ٹیکس تفصیل
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,انسٹی ٹیوٹ مخفف
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,انسٹی ٹیوٹ مخفف
,Item-wise Price List Rate,آئٹم وار قیمت کی فہرست شرح
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,پردایک کوٹیشن
DocType: Quotation,In Words will be visible once you save the Quotation.,آپ کوٹیشن بچانے بار الفاظ میں نظر آئے گا.
@@ -3621,14 +3649,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},مقدار ({0}) قطار میں ایک حصہ نہیں ہو سکتا {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,فیس جمع
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},بارکوڈ {0} پہلے ہی آئٹم میں استعمال {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},بارکوڈ {0} پہلے ہی آئٹم میں استعمال {1}
DocType: Lead,Add to calendar on this date,اس تاریخ پر کیلنڈر میں شامل کریں
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,شپنگ کے اخراجات شامل کرنے کے لئے رولز.
DocType: Item,Opening Stock,اسٹاک کھولنے
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,کسٹمر کی ضرورت ہے
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} واپسی کے لئے لازمی ہے
DocType: Purchase Order,To Receive,وصول کرنے کے لئے
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,ذاتی ای میل
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,کل تغیر
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",فعال ہے تو، نظام خود کار طریقے کی انوینٹری کے لئے اکاؤنٹنگ اندراجات پوسٹ کریں گے.
@@ -3639,13 +3666,14 @@
DocType: Customer,From Lead,لیڈ سے
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,احکامات کی پیداوار کے لئے جاری.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,مالی سال منتخب کریں ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,پی او ایس پی او ایس پروفائل اندراج کرنے کے لئے کی ضرورت ہے
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,پی او ایس پی او ایس پروفائل اندراج کرنے کے لئے کی ضرورت ہے
DocType: Program Enrollment Tool,Enroll Students,طلباء اندراج کریں
DocType: Hub Settings,Name Token,نام ٹوکن
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,سٹینڈرڈ فروخت
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,کم سے کم ایک گودام لازمی ہے
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,کم سے کم ایک گودام لازمی ہے
DocType: Serial No,Out of Warranty,وارنٹی سے باہر
DocType: BOM Replace Tool,Replace,بدل دیں
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,نہیں کی مصنوعات مل گیا.
DocType: Production Order,Unstopped,کھولے
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} فروخت انوائس کے خلاف {1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3656,13 +3684,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,اسٹاک کی قیمت فرق
apps/erpnext/erpnext/config/learn.py +234,Human Resource,انسانی وسائل
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,ادائیگی مفاہمت ادائیگی
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,ٹیکس اثاثے
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,ٹیکس اثاثے
DocType: BOM Item,BOM No,BOM کوئی
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,جرنل اندراج {0} {1} یا پہلے سے ہی دیگر واؤچر خلاف مماثلت اکاؤنٹ نہیں ہے
DocType: Item,Moving Average,حرکت پذیری اوسط
DocType: BOM Replace Tool,The BOM which will be replaced,تبدیل کیا جائے گا جس میں BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,الیکٹرانک آلات
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,الیکٹرانک آلات
DocType: Account,Debit,ڈیبٹ
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,پتے 0.5 ملٹی میں مختص ہونا ضروری ہے
DocType: Production Order,Operation Cost,آپریشن کی لاگت
@@ -3670,14 +3698,14 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,بقایا AMT
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,مقرر مقاصد آئٹم گروپ وار اس کی فروخت کے شخص کے لئے.
DocType: Stock Settings,Freeze Stocks Older Than [Days],جھروکے سٹاکس بڑی عمر کے مقابلے [دنوں]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,صف # {0}: اثاثہ فکسڈ اثاثہ خرید / فروخت کے لئے لازمی ہے
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,صف # {0}: اثاثہ فکسڈ اثاثہ خرید / فروخت کے لئے لازمی ہے
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",دو یا زیادہ قیمتوں کا تعین قواعد مندرجہ بالا شرائط پر مبنی پایا جاتا ہے تو، ترجیح کا اطلاق ہوتا ہے. ڈیفالٹ قدر صفر (خالی) ہے جبکہ ترجیح 20 0 درمیان ایک بڑی تعداد ہے. زیادہ تعداد ایک ہی شرائط کے ساتھ ایک سے زیادہ قیمتوں کا تعین قوانین موجود ہیں تو یہ مقدم لے جائے گا کا مطلب ہے.
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,مالی سال: {0} نہیں موجود
DocType: Currency Exchange,To Currency,سینٹ کٹس اور نیوس
DocType: Leave Block List,Allow the following users to approve Leave Applications for block days.,مندرجہ ذیل صارفین بلاک دنوں کے لئے چھوڑ درخواستیں منظور کرنے کی اجازت دیں.
apps/erpnext/erpnext/config/hr.py +132,Types of Expense Claim.,خرچ دعوی کی اقسام.
DocType: Item,Taxes,ٹیکسز
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,ادا کی اور نجات نہیں
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,ادا کی اور نجات نہیں
DocType: Project,Default Cost Center,پہلے سے طے شدہ لاگت مرکز
DocType: Bank Guarantee,End Date,آخری تاریخ
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,اسٹاک معاملات
@@ -3701,24 +3729,22 @@
DocType: Employee,Held On,مقبوضہ پر
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,پیداوار آئٹم
,Employee Information,ملازم کی معلومات
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),شرح (٪)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),شرح (٪)
DocType: Stock Entry Detail,Additional Cost,اضافی لاگت
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,مالی سال کی آخری تاریخ
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",واؤچر نمبر کی بنیاد پر فلٹر کر سکتے ہیں، واؤچر کی طرف سے گروپ ہے
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,پردایک کوٹیشن بنائیں
DocType: Quality Inspection,Incoming,موصولہ
DocType: BOM,Materials Required (Exploded),مواد (دھماکے) کی ضرورت
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself",اپنے آپ کے علاوہ، آپ کی تنظیم کے صارفین کو شامل کریں
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,پوسٹنگ کی تاریخ مستقبل کی تاریخ میں نہیں ہو سکتا
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},صف # {0}: سیریل نمبر {1} کے ساتھ مطابقت نہیں ہے {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,آرام دہ اور پرسکون کی رخصت
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,آرام دہ اور پرسکون کی رخصت
DocType: Batch,Batch ID,بیچ کی شناخت
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},نوٹ: {0}
,Delivery Note Trends,ترسیل کے نوٹ رجحانات
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,اس ہفتے کے خلاصے
-,In Stock Qty,اسٹاک قی میں
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,اسٹاک قی میں
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,اکاؤنٹ: {0} صرف اسٹاک معاملات کے ذریعے اپ ڈیٹ کیا جا سکتا ہے
-DocType: Program Enrollment,Get Courses,کورسز حاصل کریں
+DocType: Student Group Creation Tool,Get Courses,کورسز حاصل کریں
DocType: GL Entry,Party,پارٹی
DocType: Sales Order,Delivery Date,ادئیگی کی تاریخ
DocType: Opportunity,Opportunity Date,موقع تاریخ
@@ -3726,14 +3752,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,کوٹیشن آئٹم کے لئے درخواست
DocType: Purchase Order,To Bill,بل میں
DocType: Material Request,% Ordered,٪سامان آرڈرھوگیا
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",کورس کی بنیاد پر طالب علم گروپ کے لئے، کورس کے پروگرام اندراج میں اندراج کورس سے ہر طالب علم کے لئے جائز قرار دیا جائے گا.
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date",کوما سے علیحدہ درج کریں ای میل ایڈریس، انوائس خاص تاریخ پر خود کار طریقے سے بھیج دیا جائے گا
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Piecework
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Piecework
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,اوسط. خرید کی شرح
DocType: Task,Actual Time (in Hours),(گھنٹوں میں) اصل وقت
DocType: Employee,History In Company,کمپنی کی تاریخ
apps/erpnext/erpnext/config/learn.py +107,Newsletters,خبرنامے
DocType: Stock Ledger Entry,Stock Ledger Entry,اسٹاک لیجر انٹری
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,کسٹمر> کسٹمر گروپ> علاقہ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,ایک ہی شے کے کئی بار داخل کیا گیا ہے
DocType: Department,Leave Block List,بلاک فہرست چھوڑ دو
DocType: Sales Invoice,Tax ID,ٹیکس شناخت
@@ -3747,8 +3773,8 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} کی اکائیوں {1} {2} اس لین دین کو مکمل کرنے میں ضرورت.
DocType: Loan Type,Rate of Interest (%) Yearly,سود کی شرح (٪) سالانہ
DocType: SMS Settings,SMS Settings,SMS کی ترتیبات
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,عارضی اکاؤنٹس
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,سیاہ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,عارضی اکاؤنٹس
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,سیاہ
DocType: BOM Explosion Item,BOM Explosion Item,BOM دھماکہ آئٹم
DocType: Account,Auditor,آڈیٹر
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} سے تیار اشیاء
@@ -3758,17 +3784,16 @@
DocType: Pricing Rule,Disable,غیر فعال کریں
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,ادائیگی کا طریقہ ایک ادائیگی کرنے کے لئے کی ضرورت ہے
DocType: Project Task,Pending Review,زیر جائزہ
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} بیچ میں اندراج نہیں ہے {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}",یہ پہلے سے ہی ہے کے طور پر اثاثہ {0}، ختم نہیں کیا جا سکتا {1}
DocType: Task,Total Expense Claim (via Expense Claim),(خرچ دعوی ذریعے) کل اخراجات کا دعوی
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,کسٹمر کی شناخت
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,مارک غائب
DocType: Journal Entry Account,Exchange Rate,زر مبادلہ کی شرح
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,سیلز آرڈر {0} پیش نہیں ہے
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,سیلز آرڈر {0} پیش نہیں ہے
DocType: Homepage,Tag Line,ٹیگ لائن
DocType: Fee Component,Fee Component,فیس اجزاء
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,بیڑے کے انتظام
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,سے اشیاء شامل کریں
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},گودام {0}: والدین اکاؤنٹ {1} کمپنی کو bolong نہیں ہے {2}
DocType: Cheque Print Template,Regular,باقاعدگی سے
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,تمام تشخیص کے معیار کے کل اہمیت کا ہونا ضروری ہے 100٪
DocType: BOM,Last Purchase Rate,آخری خریداری کی شرح
@@ -3777,11 +3802,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,شے کے لئے موجود نہیں کر سکتے اسٹاک {0} کے بعد مختلف حالتوں ہے
,Sales Person-wise Transaction Summary,فروخت شخص وار ٹرانزیکشن کا خلاصہ
DocType: Training Event,Contact Number,رابطہ نمبر
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,گودام {0} موجود نہیں ہے
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,گودام {0} موجود نہیں ہے
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,ERPNext حب کے لئے اندراج کروائیں
DocType: Monthly Distribution,Monthly Distribution Percentages,ماہانہ تقسیم فی صد
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,منتخب شے بیچ نہیں کر سکتے ہیں
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry",تشخیص کی شرح کے لئے اکاؤنٹنگ اندراجات کو ایسا کرنے کی ضرورت ہے جس آئٹم {0}، کے لئے نہیں پایا {1} {2}. آئٹم میں ایک نمونہ شے کے طور transacting کر رہا ہے تو {1}، {1} آئٹم ٹیبل میں کہ ذکر کریں. دوسری صورت میں، آئٹم کے ریکارڈ میں شے یا ذکر تشخیص کی شرح کے لئے ایک آنے والے اسٹاک ٹرانزیکشن کی تخلیق، اور پھر submiting کوشش کریں / اس اندراج منسوخ کریں براہ مہربانی
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry",تشخیص کی شرح کے لئے اکاؤنٹنگ اندراجات کو ایسا کرنے کی ضرورت ہے جس آئٹم {0}، کے لئے نہیں پایا {1} {2}. آئٹم میں ایک نمونہ شے کے طور transacting کر رہا ہے تو {1}، {1} آئٹم ٹیبل میں کہ ذکر کریں. دوسری صورت میں، آئٹم کے ریکارڈ میں شے یا ذکر تشخیص کی شرح کے لئے ایک آنے والے اسٹاک ٹرانزیکشن کی تخلیق، اور پھر submiting کوشش کریں / اس اندراج منسوخ کریں براہ مہربانی
DocType: Delivery Note,% of materials delivered against this Delivery Note,مواد کی یہ ترسیل کے نوٹ کے خلاف ہونے والا
DocType: Project,Customer Details,گاہک کی تفصیلات
DocType: Employee,Reports to,رپورٹیں
@@ -3789,24 +3814,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,رسیور تعداد کے لئے یو آر ایل پیرامیٹر درج
DocType: Payment Entry,Paid Amount,ادائیگی کی رقم
DocType: Assessment Plan,Supervisor,سپروائزر
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,آن لائن
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,آن لائن
,Available Stock for Packing Items,پیکنگ اشیاء کے لئے دستیاب اسٹاک
DocType: Item Variant,Item Variant,آئٹم مختلف
DocType: Assessment Result Tool,Assessment Result Tool,تشخیص کے نتائج کا آلہ
DocType: BOM Scrap Item,BOM Scrap Item,BOM سکریپ آئٹم
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,پیش احکامات خارج کر دیا نہیں کیا جا سکتا
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",پہلے سے ڈیبٹ میں اکاؤنٹ بیلنس، آپ کو کریڈٹ 'کے طور پر کی بیلنس ہونا چاہئے' قائم کرنے کی اجازت نہیں کر رہے ہیں
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,معیار منظم رکھنا
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,پیش احکامات خارج کر دیا نہیں کیا جا سکتا
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",پہلے سے ڈیبٹ میں اکاؤنٹ بیلنس، آپ کو کریڈٹ 'کے طور پر کی بیلنس ہونا چاہئے' قائم کرنے کی اجازت نہیں کر رہے ہیں
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,معیار منظم رکھنا
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,{0} آئٹم غیر فعال ہوگئی ہے
DocType: Employee Loan,Repay Fixed Amount per Period,فی وقفہ مقررہ رقم ادا
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},شے کے لئے مقدار درج کریں {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,کریڈٹ نوٹ AMT
DocType: Employee External Work History,Employee External Work History,ملازم بیرونی کام کی تاریخ
DocType: Tax Rule,Purchase,خریداری
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,بیلنس مقدار
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,بیلنس مقدار
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,اہداف خالی نہیں رہ سکتا
DocType: Item Group,Parent Item Group,والدین آئٹم گروپ
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} کے لئے {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,لاگت کے مراکز
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,لاگت کے مراکز
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,جس سپلائر کی کرنسی میں شرح کمپنی کے اساسی کرنسی میں تبدیل کیا جاتا
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},صف # {0}: صف کے ساتھ اوقات تنازعات {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,اجازت دیں زیرو تشخیص کی شرح
@@ -3814,17 +3840,18 @@
DocType: Training Event Employee,Invited,مدعو
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,ملازم {0} کے لئے مل دی گئی تاریخوں کے لئے ایک سے زیادہ فعال تنخواہ تعمیرات
DocType: Opportunity,Next Contact,اگلی رابطہ
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,سیٹ اپ گیٹ وے اکاؤنٹس.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,سیٹ اپ گیٹ وے اکاؤنٹس.
DocType: Employee,Employment Type,ملازمت کی قسم
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,مقرر اثاثے
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,مقرر اثاثے
DocType: Payment Entry,Set Exchange Gain / Loss,ایکسچینج حاصل مقرر کریں / خسارہ
+,GST Purchase Register,جی ایس ٹی کی خریداری رجسٹر
,Cash Flow,پیسے کا بہاو
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,درخواست کی مدت دو alocation ریکارڈ پار نہیں ہو سکتا
DocType: Item Group,Default Expense Account,پہلے سے طے شدہ ایکسپینس اکاؤنٹ
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Student کی ای میل آئی ڈی
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Student کی ای میل آئی ڈی
DocType: Employee,Notice (days),نوٹس (دن)
DocType: Tax Rule,Sales Tax Template,سیلز ٹیکس سانچہ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,انوائس کو بچانے کے لئے اشیاء کو منتخب کریں
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,انوائس کو بچانے کے لئے اشیاء کو منتخب کریں
DocType: Employee,Encashment Date,معاوضہ تاریخ
DocType: Training Event,Internet,انٹرنیٹ
DocType: Account,Stock Adjustment,اسٹاک ایڈجسٹمنٹ
@@ -3853,7 +3880,7 @@
DocType: Guardian,Guardian Of ,کے ولی
DocType: Grading Scale Interval,Threshold,تھریشولڈ
DocType: BOM Replace Tool,Current BOM,موجودہ BOM
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,سیریل نمبر شامل
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,سیریل نمبر شامل
apps/erpnext/erpnext/config/support.py +22,Warranty,وارنٹی
DocType: Purchase Invoice,Debit Note Issued,ڈیبٹ نوٹ اجراء
DocType: Production Order,Warehouses,گوداموں
@@ -3862,20 +3889,20 @@
DocType: Workstation,per hour,فی گھنٹہ
apps/erpnext/erpnext/config/buying.py +7,Purchasing,پرچیزنگ
DocType: Announcement,Announcement,اعلان
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,گودام (ہمیشہ انوینٹری) کے لئے اکاؤنٹ اس اکاؤنٹ کے تحت پیدا کیا جائے گا.
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,اسٹاک بہی اندراج یہ گودام کے لئے موجود ہے کے طور پر گودام خارج نہیں کیا جا سکتا.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",بیچ مبنی طالب علم گروپ کے طور پر، طالب علم بیچ پروگرام کے اندراج سے ہر طالب علم کے لئے جائز قرار دیا جائے گا.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,اسٹاک بہی اندراج یہ گودام کے لئے موجود ہے کے طور پر گودام خارج نہیں کیا جا سکتا.
DocType: Company,Distribution,تقسیم
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,رقم ادا کر دی
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,پروجیکٹ مینیجر
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,پروجیکٹ مینیجر
,Quoted Item Comparison,نقل آئٹم موازنہ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,ڈسپیچ
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,شے کے لئے کی اجازت زیادہ سے زیادہ ڈسکاؤنٹ: {0} {1}٪ ہے
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,ڈسپیچ
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,شے کے لئے کی اجازت زیادہ سے زیادہ ڈسکاؤنٹ: {0} {1}٪ ہے
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,خالص اثاثہ قدر کے طور پر
DocType: Account,Receivable,وصولی
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,صف # {0}: خریداری کے آرڈر پہلے سے موجود ہے کے طور پر سپلائر تبدیل کرنے کی اجازت نہیں
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,صف # {0}: خریداری کے آرڈر پہلے سے موجود ہے کے طور پر سپلائر تبدیل کرنے کی اجازت نہیں
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,مقرر کریڈٹ کی حد سے تجاوز ہے کہ لین دین پیش کرنے کی اجازت ہے کہ کردار.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,تیار کرنے کی اشیا منتخب کریں
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time",ماسٹر ڈیٹا مطابقت پذیری، اس میں کچھ وقت لگ سکتا ہے
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,تیار کرنے کی اشیا منتخب کریں
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time",ماسٹر ڈیٹا مطابقت پذیری، اس میں کچھ وقت لگ سکتا ہے
DocType: Item,Material Issue,مواد مسئلہ
DocType: Hub Settings,Seller Description,فروش تفصیل
DocType: Employee Education,Qualification,اہلیت
@@ -3894,7 +3921,6 @@
DocType: BOM,Rate Of Materials Based On,شرح معدنیات کی بنیاد پر
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,سپورٹ Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,تمام کو غیر منتخب
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},کمپنی گوداموں میں لاپتہ ہے {0}
DocType: POS Profile,Terms and Conditions,شرائط و ضوابط
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},تاریخ مالی سال کے اندر اندر ہونا چاہئے. = تاریخ کے فرض {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc",یہاں آپ کو وغیرہ اونچائی، وزن، یلرجی، طبی خدشات کو برقرار رکھنے کے کر سکتے ہیں
@@ -3909,19 +3935,18 @@
DocType: Sales Order Item,For Production,پیداوار کے لئے
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,لنک ٹاسک
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,آپ مالی سال پر شروع ہوتا ہے
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,بالمقابل / لیڈ٪
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,بالمقابل / لیڈ٪
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,ایسیٹ Depreciations اور توازن
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},رقم {0} {1} سے منتقل کرنے {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},رقم {0} {1} سے منتقل کرنے {2} {3}
DocType: Sales Invoice,Get Advances Received,پیشگی موصول ہو جاؤ
DocType: Email Digest,Add/Remove Recipients,وصول کنندگان کو ہٹا دیں شامل کریں /
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},ٹرانزیکشن روک پیداوار کے خلاف کی اجازت نہیں آرڈر {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},ٹرانزیکشن روک پیداوار کے خلاف کی اجازت نہیں آرڈر {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",، پہلے سے طے شدہ طور پر اس مالی سال مقرر کرنے کیلئے 'پہلے سے طے شدہ طور پر مقرر کریں' پر کلک کریں
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,شامل ہوں
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,شامل ہوں
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,کمی کی مقدار
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,آئٹم ویرینٹ {0} اسی صفات کے ساتھ موجود
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,آئٹم ویرینٹ {0} اسی صفات کے ساتھ موجود
DocType: Employee Loan,Repay from Salary,تنخواہ سے ادا
DocType: Leave Application,LAP/,LAP /
DocType: Salary Slip,Salary Slip,تنخواہ پرچی
@@ -3931,34 +3956,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.",پیکجوں پیش کی جائے کرنے کے لئے تخم پیکنگ پیدا. پیکیج کی تعداد، پیکج مندرجات اور اس کا وزن مطلع کرنے کے لئے استعمال.
DocType: Sales Invoice Item,Sales Order Item,سیلز آرڈر آئٹم
DocType: Salary Slip,Payment Days,ادائیگی دنوں
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,بچے نوڈس کے ساتھ گوداموں لیجر میں تبدیل نہیں کیا جا سکتا
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,بچے نوڈس کے ساتھ گوداموں لیجر میں تبدیل نہیں کیا جا سکتا
DocType: BOM,Manage cost of operations,آپریشن کے اخراجات کا انتظام
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.",جانچ پڑتال کے لین دین کے کسی بھی "پیش" کر رہے ہیں تو، ایک ای میل پاپ اپ خود کار طریقے سے منسلکہ کے طور پر لین دین کے ساتھ، کہ ٹرانزیکشن میں منسلک "رابطہ" کو ایک ای میل بھیجنے کے لئے کھول دیا. صارف مئی یا ای میل بھیجنے کے نہیں کر سکتے ہیں.
apps/erpnext/erpnext/config/setup.py +14,Global Settings,گلوبل ترتیبات
DocType: Assessment Result Detail,Assessment Result Detail,تشخیص کے نتائج کا تفصیل
DocType: Employee Education,Employee Education,ملازم تعلیم
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,مثنی شے گروپ شے گروپ کے ٹیبل میں پایا
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,یہ شے کی تفصیلات بازیافت کرنے کی ضرورت ہے.
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,یہ شے کی تفصیلات بازیافت کرنے کی ضرورت ہے.
DocType: Salary Slip,Net Pay,نقد ادائیگی
DocType: Account,Account,اکاؤنٹ
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,سیریل نمبر {0} پہلے سے حاصل کیا گیا ہے
,Requested Items To Be Transferred,درخواست کی اشیاء منتقل کیا جائے
DocType: Expense Claim,Vehicle Log,گاڑیوں کے تبا
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.",گودام {0} کسی بھی اکاؤنٹ سے منسلک نہیں ہے، / گودام کے لئے اسی (اثاثہ) اکاؤنٹ لنک بنانے کے لئے براہ مہربانی.
DocType: Purchase Invoice,Recurring Id,مکرر شناخت
DocType: Customer,Sales Team Details,سیلز ٹیم تفصیلات
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,مستقل طور پر خارج کر دیں؟
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,مستقل طور پر خارج کر دیں؟
DocType: Expense Claim,Total Claimed Amount,کل دعوی رقم
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,فروخت کے لئے ممکنہ مواقع.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},غلط {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,بیماری کی چھٹی
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},غلط {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,بیماری کی چھٹی
DocType: Email Digest,Email Digest,ای میل ڈائجسٹ
DocType: Delivery Note,Billing Address Name,بلنگ ایڈریس کا نام
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,ڈیپارٹمنٹ سٹور
DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,ERPNext میں اپنے سکول کا سیٹ اپ
DocType: Sales Invoice,Base Change Amount (Company Currency),بیس بدلیں رقم (کمپنی کرنسی)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,مندرجہ ذیل گوداموں کے لئے کوئی اکاؤنٹنگ اندراجات
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,مندرجہ ذیل گوداموں کے لئے کوئی اکاؤنٹنگ اندراجات
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,پہلی دستاویز کو بچانے کے.
DocType: Account,Chargeable,ادائیگی
DocType: Company,Change Abbreviation,پیج مخفف
@@ -3976,7 +4000,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,متوقع تاریخ کی ترسیل خریداری کے آرڈر کی تاریخ سے پہلے نہیں ہو سکتا
DocType: Appraisal,Appraisal Template,تشخیص سانچہ
DocType: Item Group,Item Classification,آئٹم کی درجہ بندی
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,بزنس ڈیولپمنٹ مینیجر
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,بزنس ڈیولپمنٹ مینیجر
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,بحالی کا مقصد
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,مدت
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,جنرل لیجر
@@ -3986,8 +4010,8 @@
DocType: Item Attribute Value,Attribute Value,ویلیو وصف
,Itemwise Recommended Reorder Level,Itemwise ترتیب لیول سفارش
DocType: Salary Detail,Salary Detail,تنخواہ تفصیل
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,پہلے {0} براہ مہربانی منتخب کریں
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,آئٹم کے بیچ {0} {1} ختم ہو گیا ہے.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,پہلے {0} براہ مہربانی منتخب کریں
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,آئٹم کے بیچ {0} {1} ختم ہو گیا ہے.
DocType: Sales Invoice,Commission,کمیشن
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,مینوفیکچرنگ کے لئے وقت شیٹ.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,ذیلی کل
@@ -3998,6 +4022,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`جھروکے سٹاکس پرانے Than`٪ d دن سے چھوٹا ہونا چاہئے.
DocType: Tax Rule,Purchase Tax Template,ٹیکس سانچہ خریداری
,Project wise Stock Tracking,پروجیکٹ وار اسٹاک ٹریکنگ
+DocType: GST HSN Code,Regional,علاقائی
DocType: Stock Entry Detail,Actual Qty (at source/target),(ماخذ / ہدف میں) اصل مقدار
DocType: Item Customer Detail,Ref Code,ممبران کوڈ
apps/erpnext/erpnext/config/hr.py +12,Employee records.,ملازم کے ریکارڈ.
@@ -4008,13 +4033,13 @@
DocType: Email Digest,New Purchase Orders,نئی خریداری کے آرڈر
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,روٹ والدین لاگت مرکز نہیں کر سکتے ہیں
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,منتخب برانڈ ہے ...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,تربیت کے واقعات / نتائج
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,کے طور پر ہراس جمع
DocType: Sales Invoice,C-Form Applicable,سی فارم لاگو
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},آپریشن کے وقت کے آپریشن کے لئے زیادہ سے زیادہ 0 ہونا ضروری ہے {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,گودام لازمی ہے
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,گودام لازمی ہے
DocType: Supplier,Address and Contacts,ایڈریس اور رابطے
DocType: UOM Conversion Detail,UOM Conversion Detail,UOM تبادلوں تفصیل
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),100px کی طرف سے (ڈبلیو) ویب چھپنے 900px رکھو (H)
DocType: Program,Program Abbreviation,پروگرام کا مخفف
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,پروڈکشن آرڈر شے سانچہ خلاف اٹھایا نہیں کیا جا سکتا
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,چارجز ہر شے کے خلاف خریداری کی رسید میں اپ ڈیٹ کیا جاتا ہے
@@ -4022,13 +4047,13 @@
DocType: Bank Guarantee,Start Date,شروع کرنے کی تاریخ
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,ایک مدت کے لئے پتے مختص.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,چیک اور ڈپازٹس غلط کی منظوری دے دی
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,اکاؤنٹ {0}: آپ والدین کے اکاؤنٹ کے طور پر خود کی وضاحت نہیں کر سکتے ہیں
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,اکاؤنٹ {0}: آپ والدین کے اکاؤنٹ کے طور پر خود کی وضاحت نہیں کر سکتے ہیں
DocType: Purchase Invoice Item,Price List Rate,قیمت کی فہرست شرح
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,کسٹمر کی قیمت درج بنائیں
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","اسٹاک میں" یا اس گودام میں دستیاب اسٹاک کی بنیاد پر "نہیں اسٹاک میں" دکھائیں.
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),مواد کے بل (BOM)
DocType: Item,Average time taken by the supplier to deliver,سپلائر کی طرف سے اٹھائے اوسط وقت فراہم کرنے کے لئے
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,تشخیص کے نتائج
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,تشخیص کے نتائج
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,گھنٹے
DocType: Project,Expected Start Date,متوقع شروع کرنے کی تاریخ
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,الزامات اس شے پر لاگو نہیں ہے تو ہم شے کو ہٹا دیں
@@ -4045,20 +4070,19 @@
DocType: Asset,Disposal Date,ڈسپوزل تاریخ
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",ای میلز، دی وقت کمپنی کے تمام فعال ملازمین کو بھیجی جائے گی وہ چھٹی نہیں ہے تو. جوابات کا خلاصہ آدھی رات کو بھیجا جائے گا.
DocType: Employee Leave Approver,Employee Leave Approver,ملازم کی رخصت کی منظوری دینے والا
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},صف {0}: ایک ترتیب اندراج پہلے ہی اس گودام کے لئے موجود ہے {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},صف {0}: ایک ترتیب اندراج پہلے ہی اس گودام کے لئے موجود ہے {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.",کوٹیشن بنا دیا گیا ہے کیونکہ، کے طور پر کھو نہیں بتا سکتے.
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,ٹریننگ کی رائے
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,آرڈر {0} پیش کرنا ضروری ہے پیداوار
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,آرڈر {0} پیش کرنا ضروری ہے پیداوار
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},شے کے لئے شروع کرنے کی تاریخ اور اختتام تاریخ کا انتخاب کریں براہ کرم {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,تاریخ کی تاریخ کی طرف سے پہلے نہیں ہو سکتا
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DOCTYPE
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,/ ترمیم قیمتیں شامل
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,/ ترمیم قیمتیں شامل
DocType: Batch,Parent Batch,والدین بیچ
DocType: Batch,Parent Batch,والدین بیچ
DocType: Cheque Print Template,Cheque Print Template,چیک پرنٹ سانچہ
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,لاگت کے مراکز کا چارٹ
,Requested Items To Be Ordered,درخواست کی اشیاء حکم دیا جائے گا
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,گودام کمپنی کے اکاؤنٹ کمپنی کے طور پر ایک ہی ہونا چاہیے
DocType: Price List,Price List Name,قیمت کی فہرست کا نام
DocType: Employee Loan,Totals,کل
DocType: BOM,Manufacturing,مینوفیکچرنگ
@@ -4078,55 +4102,56 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,درست موبائل نمبر درج کریں
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,بھیجنے سے پہلے پیغام درج کریں
DocType: Email Digest,Pending Quotations,کوٹیشن زیر التوا
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,پوائنٹ کے فروخت پروفائل
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,پوائنٹ کے فروخت پروفائل
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,SMS کی ترتیبات کو اپ ڈیٹ کریں
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,امائبھوت قرض
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,امائبھوت قرض
DocType: Cost Center,Cost Center Name,لاگت مرکز نام
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,میکس Timesheet خلاف کام کے گھنٹوں
DocType: Maintenance Schedule Detail,Scheduled Date,تخسوچت تاریخ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,کل ادا AMT
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,کل ادا AMT
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,160 حروف سے زیادہ پیغامات سے زیادہ پیغامات میں تقسیم کیا جائے گا
DocType: Purchase Receipt Item,Received and Accepted,موصول ہوئی ہے اور قبول کر لیا
+,GST Itemised Sales Register,GST آئٹمائزڈ سیلز رجسٹر
,Serial No Service Contract Expiry,سیریل کوئی خدمات کا معاہدہ ختم ہونے کی
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,آپ کے کریڈٹ اور ایک ہی وقت میں ایک ہی اکاؤنٹ سے ڈیبٹ نہیں کر سکتے ہیں
DocType: Naming Series,Help HTML,مدد ایچ ٹی ایم ایل
DocType: Student Group Creation Tool,Student Group Creation Tool,طالب علم گروپ کی تخلیق کا آلہ
DocType: Item,Variant Based On,ویرینٹ بنیاد پر
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},100٪ ہونا چاہئے تفویض کل اہمیت. یہ {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,اپنے سپلائرز
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,اپنے سپلائرز
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,سیلز آرڈر بنایا گیا ہے کے طور پر کھو کے طور پر مقرر کر سکتے ہیں.
DocType: Request for Quotation Item,Supplier Part No,پردایک حصہ نہیں
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',زمرہ 'تشخیص' یا 'Vaulation اور کل' کے لیے ہے جب کٹوتی نہیں کی جا سکتی
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,کی طرف سے موصول
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,کی طرف سے موصول
DocType: Lead,Converted,تبدیل
DocType: Item,Has Serial No,سیریل نہیں ہے
DocType: Employee,Date of Issue,تاریخ اجراء
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: سے {0} کے لئے {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},صف # {0}: شے کے لئے مقرر پردایک {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,صف {0}: گھنٹے قدر صفر سے زیادہ ہونا چاہیے.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,ویب سائٹ تصویری {0} آئٹم {1} سے منسلک نہیں مل سکتا
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,ویب سائٹ تصویری {0} آئٹم {1} سے منسلک نہیں مل سکتا
DocType: Issue,Content Type,مواد کی قسم
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,کمپیوٹر
DocType: Item,List this Item in multiple groups on the website.,ویب سائٹ پر ایک سے زیادہ گروہوں میں اس شے کی فہرست.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,دوسری کرنسی کے ساتھ اکاؤنٹس کی اجازت دینے ملٹی کرنسی آپشن کو چیک کریں براہ مہربانی
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,آئٹم: {0} نظام میں موجود نہیں ہے
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,آپ منجمد قیمت مقرر کرنے کی اجازت نہیں ہے
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,آئٹم: {0} نظام میں موجود نہیں ہے
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,آپ منجمد قیمت مقرر کرنے کی اجازت نہیں ہے
DocType: Payment Reconciliation,Get Unreconciled Entries,Unreconciled لکھے حاصل
DocType: Payment Reconciliation,From Invoice Date,انوائس کی تاریخ سے
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,بلنگ کی کرنسی comapany کی یا تو ڈیفالٹ کرنسی یا پارٹی کے اکاؤنٹ کی کرنسی کے برابر ہونا چاہیے
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,معاوضہ چھوڑ دو
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,یہ کیا کرتا ہے؟
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,بلنگ کی کرنسی comapany کی یا تو ڈیفالٹ کرنسی یا پارٹی کے اکاؤنٹ کی کرنسی کے برابر ہونا چاہیے
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,معاوضہ چھوڑ دو
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,یہ کیا کرتا ہے؟
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,گودام میں
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,تمام طالب علم داخلہ
,Average Commission Rate,اوسط کمیشن کی شرح
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,'ہاں' ہونا غیر اسٹاک شے کے لئے نہیں کر سکتے ہیں 'سیریل نہیں ہے'
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'ہاں' ہونا غیر اسٹاک شے کے لئے نہیں کر سکتے ہیں 'سیریل نہیں ہے'
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,حاضری مستقبل کی تاریخوں کے لئے نشان لگا دیا گیا نہیں کیا جا سکتا
DocType: Pricing Rule,Pricing Rule Help,قیمتوں کا تعین حکمرانی کی مدد
DocType: School House,House Name,ایوان نام
DocType: Purchase Taxes and Charges,Account Head,اکاؤنٹ ہیڈ
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,اشیاء کی قیمت کا حساب کرنے اترا اضافی اخراجات کو اپ ڈیٹ کریں
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,الیکٹریکل
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,الیکٹریکل
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,آپ کے صارفین کے طور پر آپ کی تنظیم کے باقی میں شامل کریں. آپ بھی رابطے سے انہیں شامل کر کے اپنے پورٹل پر صارفین کی دعوت دیتے ہیں شامل کر سکتے ہیں
DocType: Stock Entry,Total Value Difference (Out - In),کل قیمت فرق (باہر - میں)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,صف {0}: زر مبادلہ کی شرح لازمی ہے
@@ -4136,7 +4161,7 @@
DocType: Item,Customer Code,کسٹمر کوڈ
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},کے لئے سالگرہ کی یاد دہانی {0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,آخری آرڈر کے بعد دن
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,اکاؤنٹ ڈیبٹ ایک بیلنس شیٹ اکاؤنٹ ہونا ضروری ہے
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,اکاؤنٹ ڈیبٹ ایک بیلنس شیٹ اکاؤنٹ ہونا ضروری ہے
DocType: Buying Settings,Naming Series,نام سیریز
DocType: Leave Block List,Leave Block List Name,بلاک کریں فہرست کا نام چھوڑ دو
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,انشورنس تاریخ آغاز انشورنس تاریخ اختتام سے کم ہونا چاہئے
@@ -4151,26 +4176,26 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},ملازم کی تنخواہ کی پرچی {0} کے پاس پہلے وقت شیٹ کے لئے پیدا {1}
DocType: Vehicle Log,Odometer,مسافت پیما
DocType: Sales Order Item,Ordered Qty,کا حکم دیا مقدار
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,آئٹم {0} غیر فعال ہے
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,آئٹم {0} غیر فعال ہے
DocType: Stock Settings,Stock Frozen Upto,اسٹاک منجمد تک
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM کسی بھی اسٹاک شے پر مشتمل نہیں ہے
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM کسی بھی اسٹاک شے پر مشتمل نہیں ہے
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},سے اور مدت بار بار چلنے والی کے لئے لازمی تاریخوں کی مدت {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,پروجیکٹ سرگرمی / کام.
DocType: Vehicle Log,Refuelling Details,Refuelling تفصیلات
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,تنخواہ تخم پیدا
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}",قابل اطلاق کے لئے کے طور پر منتخب کیا جاتا ہے تو خریدنے، جانچ پڑتال ہونا ضروری {0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}",قابل اطلاق کے لئے کے طور پر منتخب کیا جاتا ہے تو خریدنے، جانچ پڑتال ہونا ضروری {0}
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,ڈسکاؤنٹ کم 100 ہونا ضروری ہے
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,آخری خریداری کی شرح نہ پایا
DocType: Purchase Invoice,Write Off Amount (Company Currency),رقم لکھیں (کمپنی کرنسی)
DocType: Sales Invoice Timesheet,Billing Hours,بلنگ کے اوقات
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,{0} نہیں پایا کیلئے ڈیفالٹ BOM
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,صف # {0}: ترتیب مقدار مقرر کریں
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,صف # {0}: ترتیب مقدار مقرر کریں
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,انہیں یہاں شامل کرنے کے لئے اشیاء کو تھپتھپائیں
DocType: Fees,Program Enrollment,پروگرام کا اندراج
DocType: Landed Cost Voucher,Landed Cost Voucher,لینڈڈ لاگت واؤچر
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},مقرر کریں {0}
DocType: Purchase Invoice,Repeat on Day of Month,مہینے کا دن پر دہرائیں
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} غیر فعال طالب علم ہے
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} غیر فعال طالب علم ہے
DocType: Employee,Health Details,صحت کی تفصیلات
DocType: Offer Letter,Offer Letter Terms,خط کی شرائط کی پیشکش
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,ایک ادائیگی کی درخواست ریفرنس دستاویز کی ضرورت ہے پیدا کرنے کے لئے
@@ -4192,7 +4217,7 @@
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.",مثال: سیریز مقرر کیا گیا ہے اور سیریل کوئی لین دین میں ذکر نہیں کیا جاتا ہے تو ABCD #####، پھر خود کار طریقے سے سیریل نمبر اس سیریز کی بنیاد پر پیدا کیا جائے گا. آپ کو ہمیشہ واضح طور پر اس شے کے لئے سیریل نمبر کا ذکر کرنا چاہتے ہیں. خالی چھوڑ دیں.
DocType: Upload Attendance,Upload Attendance,اپ لوڈ کریں حاضری
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM اور مینوفیکچرنگ مقدار کی ضرورت ہے
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM اور مینوفیکچرنگ مقدار کی ضرورت ہے
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,خستہ حد: 2
DocType: SG Creation Tool Course,Max Strength,زیادہ سے زیادہ طاقت
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM تبدیل
@@ -4201,8 +4226,8 @@
,Prospects Engaged But Not Converted,امکانات منگنی لیکن تبدیل نہیں
DocType: Manufacturing Settings,Manufacturing Settings,مینوفیکچرنگ کی ترتیبات
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,ای میل کے قیام
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 موبائل نمبر
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,کمپنی ماسٹر میں پہلے سے طے شدہ کرنسی داخل کریں
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 موبائل نمبر
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,کمپنی ماسٹر میں پہلے سے طے شدہ کرنسی داخل کریں
DocType: Stock Entry Detail,Stock Entry Detail,اسٹاک انٹری تفصیل
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,ڈیلی یاددہانی
DocType: Products Settings,Home Page is Products,ہوم پیج مصنوعات ہے
@@ -4211,7 +4236,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,نئے اکاؤنٹ کا نام
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,خام مال فراہم لاگت
DocType: Selling Settings,Settings for Selling Module,ماڈیول فروخت کے لئے ترتیبات
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,کسٹمر سروس
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,کسٹمر سروس
DocType: BOM,Thumbnail,تھمب نیل
DocType: Item Customer Detail,Item Customer Detail,آئٹم کسٹمر تفصیل سے
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,پیشکش امیدوار ایک ملازمت.
@@ -4220,7 +4245,7 @@
DocType: Pricing Rule,Percentage,پرسنٹیج
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,آئٹم {0} اسٹاک آئٹم ہونا ضروری ہے
DocType: Manufacturing Settings,Default Work In Progress Warehouse,پیش رفت گودام میں پہلے سے طے شدہ کام
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,اکاؤنٹنگ لین دین کے لئے پہلے سے طے شدہ ترتیبات.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,اکاؤنٹنگ لین دین کے لئے پہلے سے طے شدہ ترتیبات.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,متوقع تاریخ مواد کی درخواست کی تاریخ سے پہلے نہیں ہو سکتا
DocType: Purchase Invoice Item,Stock Qty,اسٹاک قی
@@ -4233,10 +4258,10 @@
DocType: Sales Order,Printing Details,پرنٹنگ تفصیلات
DocType: Task,Closing Date,آخری تاریخ
DocType: Sales Order Item,Produced Quantity,تیار مقدار
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,انجینئر
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,انجینئر
DocType: Journal Entry,Total Amount Currency,کل رقم ست
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,تلاش ذیلی اسمبلی
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},آئٹم کوڈ صف کوئی ضرورت {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},آئٹم کوڈ صف کوئی ضرورت {0}
DocType: Sales Partner,Partner Type,پارٹنر کی قسم
DocType: Purchase Taxes and Charges,Actual,اصل
DocType: Authorization Rule,Customerwise Discount,Customerwise ڈسکاؤنٹ
@@ -4253,11 +4278,11 @@
DocType: Item Reorder,Re-Order Level,دوبارہ آرڈر کی سطح
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,آپ کی پیداوار کے احکامات کو بڑھانے یا تجزیہ کے لئے خام مال، اتارنا کرنا چاہتے ہیں جس کے لئے اشیاء اور منصوبہ بندی کی مقدار درج کریں.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Gantt چارٹ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,پارٹ ٹائم
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,پارٹ ٹائم
DocType: Employee,Applicable Holiday List,قابل اطلاق چھٹیوں فہرست
DocType: Employee,Cheque,چیک
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,سیریز کو اپ ڈیٹ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,رپورٹ کی قسم لازمی ہے
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,رپورٹ کی قسم لازمی ہے
DocType: Item,Serial Number Series,سیریل نمبر سیریز
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},گودام قطار میں اسٹاک آئٹم {0} کے لئے لازمی ہے {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,خوردہ اور تھوک فروشی
@@ -4278,7 +4303,7 @@
DocType: BOM,Materials,مواد
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",نہیں کی جانچ پڑتال تو، فہرست یہ لاگو کیا جا کرنے کے لئے ہے جہاں ہر سیکشن میں شامل کرنا پڑے گا.
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,ذریعہ اور ہدف گودام ہی نہیں ہو سکتا
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,تاریخ پوسٹنگ اور وقت پوسٹنگ لازمی ہے
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,تاریخ پوسٹنگ اور وقت پوسٹنگ لازمی ہے
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,لین دین کی خریداری کے لئے ٹیکس سانچے.
,Item Prices,آئٹم کی قیمتوں میں اضافہ
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,آپ کی خریداری آرڈر کو بچانے کے ایک بار الفاظ میں نظر آئے گا.
@@ -4287,22 +4312,23 @@
DocType: Task,Review Date,جائزہ تاریخ
DocType: Purchase Invoice,Advance Payments,ایڈوانس ادائیگی
DocType: Purchase Taxes and Charges,On Net Total,نیٹ کل پر
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,{0} قطار میں ہدف گودام پروڈکشن آرڈر کے طور پر ایک ہی ہونا چاہیے
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,{0} قطار میں ہدف گودام پروڈکشن آرڈر کے طور پر ایک ہی ہونا چاہیے
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,کو بار بار چلنے والی %s کے لئے مخصوص نہیں 'e- اطلاعی خط'
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,کرنسی کسی دوسرے کرنسی استعمال اندراجات کرنے کے بعد تبدیل کر دیا گیا نہیں کیا جا سکتا
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,کرنسی کسی دوسرے کرنسی استعمال اندراجات کرنے کے بعد تبدیل کر دیا گیا نہیں کیا جا سکتا
DocType: Vehicle Service,Clutch Plate,کلچ پلیٹ
DocType: Company,Round Off Account,اکاؤنٹ گول
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,انتظامی اخراجات
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,انتظامی اخراجات
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,کنسلٹنگ
DocType: Customer Group,Parent Customer Group,والدین گاہک گروپ
DocType: Purchase Invoice,Contact Email,رابطہ ای میل
DocType: Appraisal Goal,Score Earned,سکور حاصل کی
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,نوٹس کی مدت
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,نوٹس کی مدت
DocType: Asset Category,Asset Category Name,ایسیٹ قسم کا نام
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,یہ ایک جڑ علاقہ ہے اور میں ترمیم نہیں کیا جا سکتا.
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,نیا سیلز شخص کا نام
DocType: Packing Slip,Gross Weight UOM,مجموعی وزن UOM
DocType: Delivery Note Item,Against Sales Invoice,فروخت انوائس کے خلاف
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,سے serialized شے کے لئے سیریل نمبرز درج کریں
DocType: Bin,Reserved Qty for Production,پیداوار کے لئے مقدار محفوظ ہیں-
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,انینترت چھوڑ دو آپ کو کورس کی بنیاد پر گروہوں بنانے کے دوران بیچ میں غور کرنے کے لئے نہیں کرنا چاہتے تو.
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,انینترت چھوڑ دو آپ کو کورس کی بنیاد پر گروہوں بنانے کے دوران بیچ میں غور کرنے کے لئے نہیں کرنا چاہتے تو.
@@ -4311,25 +4337,25 @@
DocType: Landed Cost Item,Landed Cost Item,لینڈڈ شے کی قیمت
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,صفر اقدار دکھائیں
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,شے کی مقدار خام مال کی دی گئی مقدار سے repacking / مینوفیکچرنگ کے بعد حاصل
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,سیٹ اپ میری تنظیم کے لئے ایک سادہ ویب سائٹ
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,سیٹ اپ میری تنظیم کے لئے ایک سادہ ویب سائٹ
DocType: Payment Reconciliation,Receivable / Payable Account,وصولی / قابل ادائیگی اکاؤنٹ
DocType: Delivery Note Item,Against Sales Order Item,سیلز آرڈر آئٹم خلاف
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},وصف کے لئے قدر وصف کی وضاحت کریں {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},وصف کے لئے قدر وصف کی وضاحت کریں {0}
DocType: Item,Default Warehouse,پہلے سے طے شدہ گودام
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},بجٹ گروپ کے اکاؤنٹ کے خلاف مقرر نہیں کیا جا سکتا {0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,والدین لاگت مرکز درج کریں
DocType: Delivery Note,Print Without Amount,رقم کے بغیر پرنٹ
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,ہراس تاریخ
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,تمام اشیاء غیر اسٹاک اشیاء ہیں کے طور پر ٹیکس زمرہ 'تشخیص' یا 'تشخیص اور کل' نہیں ہو سکتا
DocType: Issue,Support Team,سپورٹ ٹیم
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),ختم ہونے کی (دن میں)
DocType: Appraisal,Total Score (Out of 5),(5 میں سے) کل اسکور
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,بیچ
+DocType: Student Attendance Tool,Batch,بیچ
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,بیلنس
DocType: Room,Seating Capacity,بیٹھنے کی گنجائش
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),کل اخراجات کا دعوی (اخراجات کے دعووں کے ذریعے)
+DocType: GST Settings,GST Summary,جی ایس ٹی کا خلاصہ
DocType: Assessment Result,Total Score,مجموعی سکور
DocType: Journal Entry,Debit Note,ڈیبٹ نوٹ
DocType: Stock Entry,As per Stock UOM,اسٹاک UOM کے مطابق
@@ -4341,12 +4367,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,پہلے سے طے شدہ تیار مال گودام
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,فروخت شخص
DocType: SMS Parameter,SMS Parameter,ایس ایم ایس پیرامیٹر
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,بجٹ اور لاگت سینٹر
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,بجٹ اور لاگت سینٹر
DocType: Vehicle Service,Half Yearly,چھماہی
DocType: Lead,Blog Subscriber,بلاگ سبسکرائبر
DocType: Guardian,Alternate Number,متبادل نمبر
DocType: Assessment Plan Criteria,Maximum Score,زیادہ سے زیادہ سکور
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,اقدار پر مبنی لین دین کو محدود کرنے کے قوانین تشکیل دیں.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,گروپ رول نمبر
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,آپ ہر سال طلباء گروپوں بنا دیں تو خالی چھوڑ دیں
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,آپ ہر سال طلباء گروپوں بنا دیں تو خالی چھوڑ دیں
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day",جانچ پڑتال تو، کل کوئی. کام کے دنوں کے چھٹیوں کے شامل ہوں گے، اور اس تنخواہ فی دن کی قیمت کم ہو جائے گا
@@ -4365,6 +4392,7 @@
apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,ادائیگی کی رسید نوٹ
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,یہ کسٹمر کے خلاف لین دین کی بنیاد پر ہے. تفصیلات کے لئے نیچے ٹائم لائن ملاحظہ کریں
DocType: Supplier,Credit Days Based On,کریڈٹ دنوں کی بنیاد
+,Course wise Assessment Report,کورس وار جائزہ رپورٹ
DocType: Tax Rule,Tax Rule,ٹیکس اصول
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,سیلز سائیکل بھر میں ایک ہی شرح کو برقرار رکھنے
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,کارگاہ کام کے گھنٹے باہر وقت نوشتہ کی منصوبہ بندی.
@@ -4373,7 +4401,7 @@
,Items To Be Requested,اشیا درخواست کی جائے
DocType: Purchase Order,Get Last Purchase Rate,آخری خریداری کی شرح حاصل
DocType: Company,Company Info,کمپنی کی معلومات
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,منتخب یا نئے گاہک شامل
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,منتخب یا نئے گاہک شامل
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,لاگت مرکز ایک اخراجات کے دعوی کی بکنگ کے لئے کی ضرورت ہے
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),فنڈز (اثاثے) کی درخواست
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,یہ اس ملازم کی حاضری پر مبنی ہے
@@ -4381,25 +4409,27 @@
DocType: Fiscal Year,Year Start Date,سال شروع کرنے کی تاریخ
DocType: Attendance,Employee Name,ملازم کا نام
DocType: Sales Invoice,Rounded Total (Company Currency),مدور کل (کمپنی کرنسی)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,اکاؤنٹ کی قسم منتخب کیا جاتا ہے کی وجہ سے گروپ کو خفیہ نہیں کر سکتے ہیں.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,اکاؤنٹ کی قسم منتخب کیا جاتا ہے کی وجہ سے گروپ کو خفیہ نہیں کر سکتے ہیں.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} نظر ثانی کی گئی ہے. ریفریش کریں.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,مندرجہ ذیل دنوں میں رخصت کی درخواستیں کرنے سے صارفین کو روکنے کے.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,خریداری کی رقم
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,اختتام سال شروع سال سے پہلے نہیں ہو سکتا
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,ملازم فوائد
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,ملازم فوائد
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},پیک مقدار قطار میں آئٹم {0} کے لئے مقدار برابر ضروری {1}
DocType: Production Order,Manufactured Qty,تیار مقدار
DocType: Purchase Receipt Item,Accepted Quantity,منظور مقدار
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} نہیں موجود
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} نہیں موجود
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,منتخب بیچ نمبر
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,گاہکوں کو اٹھایا بل.
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,پروجیکٹ کی شناخت
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},صف کوئی {0}: رقم خرچ دعوی {1} کے خلاف زیر التواء رقم سے زیادہ نہیں ہو سکتا. زیر التواء رقم ہے {2}
DocType: Maintenance Schedule,Schedule,شیڈول
DocType: Account,Parent Account,والدین کے اکاؤنٹ
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,دستیاب
DocType: Quality Inspection Reading,Reading 3,3 پڑھنا
,Hub,حب
DocType: GL Entry,Voucher Type,واؤچر کی قسم
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,قیمت کی فہرست پایا یا معذور نہیں
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,قیمت کی فہرست پایا یا معذور نہیں
DocType: Employee Loan Application,Approved,منظور
DocType: Pricing Rule,Price,قیمت
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0} مقرر کیا جانا چاہئے پر فارغ ملازم 'بائیں' کے طور پر
@@ -4410,7 +4440,8 @@
DocType: Selling Settings,Campaign Naming By,مہم کا نام دینے
DocType: Employee,Current Address Is,موجودہ پتہ ہے
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,نظر ثانی کی
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.",اختیاری. کی وضاحت نہیں کی ہے تو، کمپنی کے پہلے سے طے شدہ کرنسی سیٹ.
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.",اختیاری. کی وضاحت نہیں کی ہے تو، کمپنی کے پہلے سے طے شدہ کرنسی سیٹ.
+DocType: Sales Invoice,Customer GSTIN,کسٹمر GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,اکاؤنٹنگ جرنل اندراج.
DocType: Delivery Note Item,Available Qty at From Warehouse,گودام سے پر دستیاب مقدار
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,پہلی ملازم ریکارڈ منتخب کریں.
@@ -4418,7 +4449,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},صف {0}: پارٹی / اکاؤنٹ کے ساتھ میل نہیں کھاتا {1} / {2} میں {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,ایکسپینس اکاؤنٹ درج کریں
DocType: Account,Stock,اسٹاک
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",صف # {0}: حوالہ دستاویز کی قسم خریداری کے آرڈر میں سے ایک، انوائس خریداری یا جرنل اندراج ہونا ضروری ہے
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",صف # {0}: حوالہ دستاویز کی قسم خریداری کے آرڈر میں سے ایک، انوائس خریداری یا جرنل اندراج ہونا ضروری ہے
DocType: Employee,Current Address,موجودہ پتہ
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified",واضح طور پر مخصوص جب تک شے تو وضاحت، تصویر، قیمتوں کا تعین، ٹیکس سانچے سے مقرر کیا جائے گا وغیرہ کسی اور شے کی ایک مختلف ہے تو
DocType: Serial No,Purchase / Manufacture Details,خریداری / تیاری تفصیلات
@@ -4431,8 +4462,8 @@
DocType: Pricing Rule,Min Qty,کم از کم مقدار
DocType: Asset Movement,Transaction Date,ٹرانزیکشن کی تاریخ
DocType: Production Plan Item,Planned Qty,منصوبہ بندی کی مقدار
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,کل ٹیکس
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,مقدار کے لئے (مقدار تیار) لازمی ہے
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,کل ٹیکس
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,مقدار کے لئے (مقدار تیار) لازمی ہے
DocType: Stock Entry,Default Target Warehouse,پہلے سے طے شدہ ہدف گودام
DocType: Purchase Invoice,Net Total (Company Currency),نیٹ کل (کمپنی کرنسی)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,سال کے آخر تاریخ کا سال شروع کرنے کی تاریخ سے پہلے نہیں ہو سکتا. تاریخوں درست کریں اور دوبارہ کوشش کریں براہ مہربانی.
@@ -4446,42 +4477,38 @@
DocType: Hub Settings,Hub Settings,حب ترتیبات
DocType: Project,Gross Margin %,مجموعی مارجن٪
DocType: BOM,With Operations,آپریشن کے ساتھ
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,اکاؤنٹنگ اندراجات پہلے ہی کرنسی میں بنایا گیا ہے {0} کمپنی کے لئے {1}. کرنسی کے ساتھ ایک وصولی یا قابل ادائیگی اکاؤنٹ منتخب کریں {0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,اکاؤنٹنگ اندراجات پہلے ہی کرنسی میں بنایا گیا ہے {0} کمپنی کے لئے {1}. کرنسی کے ساتھ ایک وصولی یا قابل ادائیگی اکاؤنٹ منتخب کریں {0}.
DocType: Asset,Is Existing Asset,اثاثہ موجود ہے
DocType: Salary Detail,Statistical Component,شماریاتی اجزاء
-,Monthly Salary Register,ماہانہ تنخواہ رجسٹر
DocType: Warranty Claim,If different than customer address,کسٹمر ایڈریس سے مختلف تو
DocType: BOM Operation,BOM Operation,BOM آپریشن
-DocType: School Settings,Validate the Student Group from Program Enrollment,پروگرام کے اندراج سے طالب علم گروپ کی توثیق
-DocType: School Settings,Validate the Student Group from Program Enrollment,پروگرام کے اندراج سے طالب علم گروپ کی توثیق
DocType: Purchase Taxes and Charges,On Previous Row Amount,پچھلے صف کی رقم پر
DocType: Student,Home Address,گھر کا پتہ
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,منتقلی ایسیٹ
DocType: POS Profile,POS Profile,پی او ایس پروفائل
DocType: Training Event,Event Name,واقعہ کا نام
apps/erpnext/erpnext/config/schools.py +39,Admission,داخلہ
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.",ترتیب بجٹ، اہداف وغیرہ کے لئے seasonality کے
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants",{0} آئٹم ایک ٹیمپلیٹ ہے، اس کی مختلف حالتوں میں سے ایک کو منتخب کریں
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.",ترتیب بجٹ، اہداف وغیرہ کے لئے seasonality کے
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants",{0} آئٹم ایک ٹیمپلیٹ ہے، اس کی مختلف حالتوں میں سے ایک کو منتخب کریں
DocType: Asset,Asset Category,ایسیٹ زمرہ
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,خریدار
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,نیٹ تنخواہ منفی نہیں ہو سکتا
DocType: SMS Settings,Static Parameters,جامد پیرامیٹر
DocType: Assessment Plan,Room,کمرہ
DocType: Purchase Order,Advance Paid,ایڈوانس ادا
DocType: Item,Item Tax,آئٹم ٹیکس
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,سپلائر مواد
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,ایکسائز انوائس
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,ایکسائز انوائس
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}٪ ایک بار سے زیادہ ظاہر ہوتا ہے
DocType: Expense Claim,Employees Email Id,ملازمین ای میل کی شناخت
DocType: Employee Attendance Tool,Marked Attendance,نشان حاضری
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,موجودہ قرضوں
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,موجودہ قرضوں
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,بڑے پیمانے پر ایس ایم ایس اپنے رابطوں کو بھیجیں
DocType: Program,Program Name,پروگرام کا نام
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,کے لئے ٹیکس یا انچارج غور
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,اصل مقدار لازمی ہے
DocType: Employee Loan,Loan Type,قرض کی قسم
DocType: Scheduling Tool,Scheduling Tool,شیڈولنگ کا آلہ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,کریڈٹ کارڈ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,کریڈٹ کارڈ
DocType: BOM,Item to be manufactured or repacked,آئٹم تیار یا repacked جائے کرنے کے لئے
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,اسٹاک لین دین کے لئے پہلے سے طے شدہ ترتیبات.
DocType: Purchase Invoice,Next Date,اگلی تاریخ
@@ -4497,10 +4524,10 @@
DocType: Stock Entry,Repack,repack کریں
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,تم آگے بڑھنے سے پہلے فارم بچانے کے لئے ضروری
DocType: Item Attribute,Numeric Values,عددی اقدار
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,علامت (لوگو) منسلک کریں
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,علامت (لوگو) منسلک کریں
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,اسٹاک کی سطح
DocType: Customer,Commission Rate,کمیشن کی شرح
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,مختلف بنائیں
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,مختلف بنائیں
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,محکمہ کی طرف سے بلاک چھٹی ایپلی کیشنز.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer",ادائیگی کی قسم، وصول میں سے ایک ہو تنخواہ اور اندرونی منتقلی ضروری ہے
apps/erpnext/erpnext/config/selling.py +179,Analytics,تجزیات
@@ -4508,45 +4535,45 @@
DocType: Vehicle,Model,ماڈل
DocType: Production Order,Actual Operating Cost,اصل آپریٹنگ لاگت
DocType: Payment Entry,Cheque/Reference No,چیک / حوالہ نمبر
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,روٹ ترمیم نہیں کیا جا سکتا.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,روٹ ترمیم نہیں کیا جا سکتا.
DocType: Item,Units of Measure,پیمائش کی اکائیوں
DocType: Manufacturing Settings,Allow Production on Holidays,چھٹیاں پیداوار کی اجازت دیتے ہیں
DocType: Sales Order,Customer's Purchase Order Date,گاہک کی خریداری آرڈر کی تاریخ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,دارالحکومت اسٹاک
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,دارالحکومت اسٹاک
DocType: Shopping Cart Settings,Show Public Attachments,پبلک منسلک دکھائیں
DocType: Packing Slip,Package Weight Details,پیکیج وزن تفصیلات
DocType: Payment Gateway Account,Payment Gateway Account,ادائیگی کے گیٹ وے اکاؤنٹ
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,ادائیگی مکمل ہونے کے بعد منتخب صفحے پر صارف ری.
DocType: Company,Existing Company,موجودہ کمپنی
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",ٹیکس زمرہ "کل" سے تبدیل کردیا گیا ہے تمام اشیا غیر اسٹاک اشیاء ہیں کیونکہ
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,ایک CSV فائل منتخب کریں
DocType: Student Leave Application,Mark as Present,تحفے کے طور پر نشان زد کریں
DocType: Purchase Order,To Receive and Bill,وصول کرنے اور بل میں
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,نمایاں مصنوعات
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,ڈیزائنر
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,ڈیزائنر
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,شرائط و ضوابط سانچہ
DocType: Serial No,Delivery Details,ڈلیوری تفصیلات
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},قسم کے لئے سرمایہ کاری مرکز کے صف میں کی ضرورت ہے {0} ٹیکس میں میز {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},قسم کے لئے سرمایہ کاری مرکز کے صف میں کی ضرورت ہے {0} ٹیکس میں میز {1}
DocType: Program,Program Code,پروگرام کا کوڈ
DocType: Terms and Conditions,Terms and Conditions Help,شرائط و ضوابط مدد
,Item-wise Purchase Register,آئٹم وار خریداری رجسٹر
DocType: Batch,Expiry Date,خاتمے کی تاریخ
-,Supplier Addresses and Contacts,پردایک پتے اور رابطے
,accounts-browser,اکاؤنٹس براؤزر
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,پہلے زمرہ منتخب کریں
apps/erpnext/erpnext/config/projects.py +13,Project master.,پروجیکٹ ماسٹر.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.",زیادہ بلنگ یا زیادہ حکم دینے کی اجازت دیتے ہیں کے لئے، سٹاک ترتیبات یا آئٹم میں اپ ڈیٹ "بھتہ".
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.",زیادہ بلنگ یا زیادہ حکم دینے کی اجازت دیتے ہیں کے لئے، سٹاک ترتیبات یا آئٹم میں اپ ڈیٹ "بھتہ".
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,کرنسیاں وغیرہ $ طرح کسی بھی علامت اگلے ظاہر نہیں کیا.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),آدھا دن
DocType: Supplier,Credit Days,کریڈٹ دنوں
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Student کی بیچ بنائیں
DocType: Leave Type,Is Carry Forward,فارورڈ لے
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,BOM سے اشیاء حاصل
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,BOM سے اشیاء حاصل
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,وقت دن کی قیادت
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},صف # {0}: تاریخ پوسٹنگ خریداری کی تاریخ کے طور پر ایک ہی ہونا چاہیے {1} اثاثہ کی {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},صف # {0}: تاریخ پوسٹنگ خریداری کی تاریخ کے طور پر ایک ہی ہونا چاہیے {1} اثاثہ کی {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,مندرجہ بالا جدول میں سیلز آرڈر درج کریں
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,جمع نہیں تنخواہ تخم
,Stock Summary,اسٹاک کا خلاصہ
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,دوسرے ایک گودام سے ایک اثاثہ کی منتقلی
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,دوسرے ایک گودام سے ایک اثاثہ کی منتقلی
DocType: Vehicle,Petrol,پیٹرول
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,سامان کا بل
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},صف {0}: پارٹی قسم اور پارٹی وصولی / قابل ادائیگی اکاؤنٹ کے لئے ضروری ہے {1}
@@ -4557,6 +4584,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,منظور رقم
DocType: GL Entry,Is Opening,افتتاحی ہے
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},صف {0}: ڈیبٹ اندراج کے ساتھ منسلک نہیں کیا جا سکتا ہے {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,اکاؤنٹ {0} موجود نہیں ہے
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,اکاؤنٹ {0} موجود نہیں ہے
DocType: Account,Cash,کیش
DocType: Employee,Short biography for website and other publications.,ویب سائٹ اور دیگر مطبوعات کے لئے مختصر سوانح عمری.
diff --git a/erpnext/translations/vi.csv b/erpnext/translations/vi.csv
index 3da925c..f6f9bba 100644
--- a/erpnext/translations/vi.csv
+++ b/erpnext/translations/vi.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,Sản phẩm tiêu dùng
DocType: Item,Customer Items,Mục khách hàng
DocType: Project,Costing and Billing,Chi phí và thanh toán
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,Tài khoản {0}: tài khoản mẹ {1} không thể là một sổ cái
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,Tài khoản {0}: tài khoản mẹ {1} không thể là một sổ cái
DocType: Item,Publish Item to hub.erpnext.com,Publish khoản để hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,Thông báo email
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,Đánh giá
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,Đánh giá
DocType: Item,Default Unit of Measure,Đơn vị đo mặc định
DocType: SMS Center,All Sales Partner Contact,Tất cả Liên hệ Đối tác Bán hàng
DocType: Employee,Leave Approvers,Để lại người phê duyệt
@@ -18,7 +18,7 @@
DocType: Purchase Order,PO-,tiềm
DocType: POS Profile,Applicable for User,Áp dụng cho User
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +194,"Stopped Production Order cannot be cancelled, Unstop it first to cancel","Ngưng tự sản xuất không thể được hủy bỏ, rút nút nó đầu tiên để hủy bỏ"
-DocType: Vehicle Service,Mileage,Mileage
+DocType: Vehicle Service,Mileage,Cước phí
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +231,Do you really want to scrap this asset?,Bạn có thực sự muốn tháo dỡ tài sản này?
apps/erpnext/erpnext/buying/report/quoted_item_comparison/quoted_item_comparison.js +44,Select Default Supplier,Chọn Mặc định Nhà cung cấp
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +37,Currency is required for Price List {0},Tiền tệ là cần thiết cho Danh sách Price {0}
@@ -28,15 +28,15 @@
apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +6,This is based on transactions against this Supplier. See timeline below for details,Điều này được dựa trên các giao dịch với nhà cung cấp này. Xem thời gian dưới đây để biết chi tiết
apps/erpnext/erpnext/hub_node/page/hub/hub_body.html +18,No more results.,Không có thêm kết quả.
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +34,Legal,pháp lý
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +166,Actual type tax cannot be included in Item rate in row {0},Thuế loại hình thực tế không thể bao gồm trong giá của mục ở hàng {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +166,Actual type tax cannot be included in Item rate in row {0},Thuế loại hình thực tế không thể được liệt kê trong định mức vật tư ở hàng {0}
DocType: Bank Guarantee,Customer,Khách hàng
DocType: Purchase Receipt Item,Required By,Yêu cầu bởi
DocType: Delivery Note,Return Against Delivery Note,Return Against Delivery Note
-DocType: Purchase Order,% Billed,% Hóa đơn mua
+DocType: Purchase Order,% Billed,% Hóa đơn đã lập
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),Tỷ giá ngoại tệ phải được giống như {0} {1} ({2})
DocType: Sales Invoice,Customer Name,Tên khách hàng
-DocType: Vehicle,Natural Gas,Khi tự nhiên
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},Tài khoản ngân hàng không có thể được đặt tên là {0}
+DocType: Vehicle,Natural Gas,Khí ga tự nhiên
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},Tài khoản ngân hàng không thể được đặt tên là {0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,Thủ trưởng (hoặc nhóm) dựa vào đó kế toán Entries được thực hiện và cân bằng được duy trì.
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),Xuất sắc cho {0} không thể nhỏ hơn không ({1})
DocType: Manufacturing Settings,Default 10 mins,Mặc định 10 phút
@@ -44,35 +44,35 @@
apps/erpnext/erpnext/templates/pages/projects.js +62,Show open,Hiện mở
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +155,Series Updated Successfully,Loạt Cập nhật thành công
apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +18,Checkout,Kiểm tra
-apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Accural Journal nhập Đăng
+apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +179,Accural Journal Entry Submitted,Sổ nhật biên kế toán phát sinh đã được đệ trình
DocType: Pricing Rule,Apply On,Áp dụng trên
-DocType: Item Price,Multiple Item prices.,Nhiều giá Item.
+DocType: Item Price,Multiple Item prices.,Nhiều giá mẫu hàng.
,Purchase Order Items To Be Received,Tìm mua hàng để trở nhận
DocType: SMS Center,All Supplier Contact,Tất cả Liên hệ Nhà cung cấp
DocType: Support Settings,Support Settings,Cài đặt hỗ trợ
-DocType: SMS Parameter,Parameter,Thông số
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,Ngày dự kiến kết thúc không thể nhỏ hơn Ngày bắt đầu dự kiến
+DocType: SMS Parameter,Parameter,Tham số
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,Ngày dự kiến kết thúc không thể nhỏ hơn Ngày bắt đầu dự kiến
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,hàng # {0}: giá phải giống {1}: {2} ({3} / {4})
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Để lại ứng dụng mới
-,Batch Item Expiry Status,Đợt hàng hết hạn Status
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,Bank Draft
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,Đơn xin nghỉ phép mới
+,Batch Item Expiry Status,Tình trạng hết lô hàng
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,Hối phiếu ngân hàng
DocType: Mode of Payment Account,Mode of Payment Account,Phương thức thanh toán Tài khoản
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,Hiện biến thể
DocType: Academic Term,Academic Term,Thời hạn học tập
-apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Vật chất
+apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,Vật liệu
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,Số lượng
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,Bảng tài khoản không được bỏ trống
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),Các khoản vay (Nợ phải trả)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),Các khoản vay (Nợ phải trả)
DocType: Employee Education,Year of Passing,Year of Passing
DocType: Item,Country of Origin,Nước sản xuất
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,Trong tồn kho
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,Trong tồn kho
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,Các vấn đề mở
DocType: Production Plan Item,Production Plan Item,Kế hoạch sản xuất hàng
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},Người sử dụng {0} đã được giao cho nhân viên {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,Chăm sóc sức khỏe
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),Chậm trễ trong thanh toán (Ngày)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,Chi phí dịch vụ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},Số sê-ri: {0} đã được tham chiếu trong Hóa đơn bán hàng: {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},Số sê-ri: {0} đã được tham chiếu trong Hóa đơn bán hàng: {1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,Hóa đơn
DocType: Maintenance Schedule Item,Periodicity,Tính tuần hoàn
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,Năm tài chính {0} là cần thiết
@@ -84,32 +84,33 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,Row # {0}:
DocType: Timesheet,Total Costing Amount,Tổng số tiền Costing
DocType: Delivery Note,Vehicle No,Không có xe
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,Vui lòng chọn Bảng giá
-apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,Row # {0}: Tài liệu thanh toán là cần thiết để hoàn thành trasaction
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,Vui lòng chọn Bảng giá
+apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,hàng # {0}: Tài liệu thanh toán là cần thiết để hoàn thành giao dịch
DocType: Production Order Operation,Work In Progress,Làm việc dở dang
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,Vui lòng chọn ngày
DocType: Employee,Holiday List,Danh sách kỳ nghỉ
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,Kế toán viên
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,Kế toán viên
DocType: Cost Center,Stock User,Cổ khoản
-DocType: Company,Phone No,Không điện thoại
+DocType: Company,Phone No,Số điện thoại
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,Lịch khóa học tạo:
-apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},New {0}: {1} #
+apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},New {0}: #{1}
,Sales Partners Commission,Hoa hồng đại lý bán hàng
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,Tên viết tắt không thể có nhiều hơn 5 ký tự
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,Tên viết tắt không thể có nhiều hơn 5 ký tự
DocType: Payment Request,Payment Request,Yêu cầu thanh toán
DocType: Asset,Value After Depreciation,Giá trị Sau khi khấu hao
-DocType: Employee,O+,O +
+DocType: Employee,O+,O+
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt_dashboard.py +17,Related,có liên quan
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,ngày tham dự không thể ít hơn ngày tham gia của người lao động
DocType: Grading Scale,Grading Scale Name,Chấm điểm Tên Scale
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,Đây là một tài khoản gốc và không thể được chỉnh sửa.
+DocType: Sales Invoice,Company Address,Địa chỉ công ty
DocType: BOM,Operations,Tác vụ
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},Không thể thiết lập ủy quyền trên cơ sở giảm giá cho {0}
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name","Đính kèm tập tin .csv với hai cột, một cho tên tuổi và một cho tên mới"
-apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} không trong bất kỳ hoạt động tài chính nào của năm đang hoạt động
-DocType: Packed Item,Parent Detail docname,Cha mẹ chi tiết docname
+apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} không trong bất kỳ năm tài chính có hiệu lực nào.
+DocType: Packed Item,Parent Detail docname,chi tiết tên tài liệu gốc
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}","Tham khảo: {0}, Mã hàng: {1} và Khách hàng: {2}"
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,Kg
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,Kg
DocType: Student Log,Log,Đăng nhập
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,Mở đầu cho một công việc.
DocType: Item Attribute,Increment,Tăng
@@ -117,38 +118,38 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,Quảng cáo
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,Cùng Công ty được nhập nhiều hơn một lần
DocType: Employee,Married,Kết hôn
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},Không được phép cho {0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},Không được phép cho {0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,Lấy dữ liệu từ
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},Hàng tồn kho không thể được cập nhật gắn với giấy giao hàng {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},Hàng tồn kho không thể được cập nhật gắn với giấy giao hàng {0}
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},Sản phẩm {0}
-apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Không có mục nào được liệt kê
+apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,Không có mẫu nào được liệt kê
DocType: Payment Reconciliation,Reconcile,Hòa giải
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +30,Grocery,Cửa hàng tạp hóa
DocType: Quality Inspection Reading,Reading 1,Đọc 1
-DocType: Process Payroll,Make Bank Entry,Hãy nhập Ngân hàng
+DocType: Process Payroll,Make Bank Entry,Thực hiện bút toán ngân hàng
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +40,Pension Funds,Quỹ lương hưu
-apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Tiếp Khấu hao ngày không được trước ngày mua hàng
+apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,Kỳ hạn khấu hao tiếp theo không thể trước ngày mua hàng
DocType: SMS Center,All Sales Person,Tất cả nhân viên kd
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,** Đóng góp hàng tháng ** giúp bạn đóng góp vào Ngân sách/Mục tiêu qua các tháng nếu việc kinh doanh của bạn có tính thời vụ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,Không tìm thấy mặt hàng
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,Không tìm thấy mặt hàng
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,Cơ cấu tiền lương Thiếu
DocType: Lead,Person Name,Tên người
DocType: Sales Invoice Item,Sales Invoice Item,Hóa đơn bán hàng hàng
DocType: Account,Credit,Tín dụng
DocType: POS Profile,Write Off Cost Center,Write Off Cost Center
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",ví dụ: "Trường Tiểu học" hay "Đại học"
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",ví dụ: "Trường Tiểu học" hay "Đại học"
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,Báo cáo hàng tồn kho
DocType: Warehouse,Warehouse Detail,Chi tiết kho
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},Hạn mức tín dụng đã được thông qua cho khách hàng {0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},Hạn mức tín dụng đã được thông qua cho khách hàng {0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Những ngày cuối kỳ không thể muộn hơn so với ngày cuối năm của năm học mà thuật ngữ này được liên kết (Academic Year {}). Xin vui lòng sửa ngày và thử lại.
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Là Tài Sản Cố Định"" không thể bỏ đánh dấu, vì bản ghi Tài Sản tồn tại cùng hạng mục"
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item","""Là Tài Sản Cố Định"" không thể bỏ đánh dấu, vì bản ghi Tài Sản tồn tại đối nghịch với vật liệu"
DocType: Vehicle Service,Brake Oil,dầu phanh
DocType: Tax Rule,Tax Type,Loại thuế
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},Bạn không được phép thêm hoặc cập nhật bút toán trước ngày {0}
DocType: BOM,Item Image (if not slideshow),Mục Hình ảnh (nếu không slideshow)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,tên khách hàng đã tồn tại
-DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Hour Rate / 60) * Thời gian hoạt động thực tế
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,Chọn BOM
+DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(Tỷ lệ giờ / 60) * Thời gian hoạt động thực tế
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,Chọn BOM
DocType: SMS Log,SMS Log,Đăng nhập tin nhắn SMS
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,Chi phí của mục Delivered
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,Các kỳ nghỉ trên {0} không phải là giữa Từ ngày và Đến ngày
@@ -159,84 +160,84 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},Từ {0} đến {1}
DocType: Item,Copy From Item Group,Sao chép Từ mục Nhóm
DocType: Journal Entry,Opening Entry,Mở nhập
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Khách hàng> Nhóm Khách hàng> Lãnh thổ
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,Tài khoản Chỉ Thanh toán
DocType: Employee Loan,Repay Over Number of Periods,Trả Trong số kỳ
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} không được ghi danh vào {2}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1} không được ghi danh vào {2}
DocType: Stock Entry,Additional Costs,Chi phí bổ sung
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,Không thể chuyển đổi sang loại nhóm vì Tài khoản vẫn còn bút toán
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,Không thể chuyển đổi sang loại nhóm vì Tài khoản vẫn còn giao dịch
DocType: Lead,Product Enquiry,Đặt hàng sản phẩm
DocType: Academic Term,Schools,trường học
-apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Không có hồ sơ nghỉ tìm thấy cho nhân viên {0} cho {1}
+DocType: School Settings,Validate Batch for Students in Student Group,Xác nhận tính hợp lệ cho sinh viên trong nhóm học sinh
+apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},Không có bản ghi để lại được tìm thấy cho nhân viên {0} với {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,Vui lòng nhập công ty đầu tiên
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,Vui lòng chọn Công ty đầu tiên
-DocType: Employee Education,Under Graduate,Dưới đại học
+DocType: Employee Education,Under Graduate,Chưa tốt nghiệp
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.js +27,Target On,Mục tiêu trên
DocType: BOM,Total Cost,Tổng chi phí
DocType: Journal Entry Account,Employee Loan,nhân viên vay
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,Nhật ký công việc:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,Mục {0} không tồn tại trong hệ thống hoặc đã hết hạn
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,Buôn bán bất động sản
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,Mục {0} không tồn tại trong hệ thống hoặc đã hết hạn
+apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,địa ốc
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,Tuyên bố của Tài khoản
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,Dược phẩm
DocType: Purchase Invoice Item,Is Fixed Asset,Là cố định tài sản
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}","qty sẵn là {0}, bạn cần {1}"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}","qty sẵn là {0}, bạn cần {1}"
DocType: Expense Claim Detail,Claim Amount,Số tiền yêu cầu bồi thường
-DocType: Employee,Mr,Ông
-apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,nhóm khách hàng trùng lặp được tìm thấy trong bảng nhóm cutomer
+apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,nhóm khách hàng trùng lặp được tìm thấy trong bảng nhóm khác hàng
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,Loại nhà cung cấp / Nhà cung cấp
DocType: Naming Series,Prefix,Tiền tố
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,Tiêu hao
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,Tiêu hao
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,Nhập khẩu Đăng nhập
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,Kéo Chất liệu Yêu cầu của loại hình sản xuất dựa trên các tiêu chí trên
DocType: Training Result Employee,Grade,Cấp
DocType: Sales Invoice Item,Delivered By Supplier,Giao By Nhà cung cấp
DocType: SMS Center,All Contact,Tất cả Liên hệ
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,Sản xuất theo thứ tự đã được tạo ra cho tất cả các mục có BOM
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,Mức lương hàng năm
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,Sản xuất theo thứ tự đã được tạo ra cho tất cả các mục có BOM
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,Mức lương hàng năm
DocType: Daily Work Summary,Daily Work Summary,Tóm tắt công việc hàng ngày
DocType: Period Closing Voucher,Closing Fiscal Year,Đóng cửa năm tài chính
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0}{1} bị đóng băng
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,Vui lòng chọn Công ty hiện có để tạo biểu đồ của tài khoản
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,Chi phí hàng tồn kho
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0}{1} bị đóng băng
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,Vui lòng chọn Công ty hiện có để tạo biểu đồ của tài khoản
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,Chi phí hàng tồn kho
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Chọn Kho mục tiêu
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,Chọn Kho mục tiêu
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,Vui lòng nhập Preferred Liên hệ Email
+DocType: Program Enrollment,School Bus,Xe buýt trường học
DocType: Journal Entry,Contra Entry,Contra nhập
DocType: Journal Entry Account,Credit in Company Currency,Tín dụng tại Công ty ngoại tệ
DocType: Delivery Note,Installation Status,Tình trạng cài đặt
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",Bạn có muốn cập nhật tham dự? <br> Trình bày: {0} \ <br> Vắng mặt: {1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Số lượng chấp nhận + từ chối phải bằng số lượng giao nhận {0}
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},Số lượng chấp nhận + từ chối phải bằng số lượng giao nhận {0}
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,Cung cấp nguyên liệu thô cho Purchase
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,Ít nhất một phương thức thanh toán là cần thiết cho POS hóa đơn.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,Ít nhất một phương thức thanh toán là cần thiết cho POS hóa đơn.
DocType: Products Settings,Show Products as a List,Hiện sản phẩm như một List
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","Tải file mẫu, điền dữ liệu thích hợp và đính kèm các tập tin sửa đổi.
Tất cả các ngày và nhân viên kết hợp trong giai đoạn sẽ có trong bản mẫu, với bản ghi chấm công hiện có"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,Mục {0} không hoạt động hoặc kết thúc của cuộc sống đã đạt tới
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,Ví dụ: cơ bản Toán học
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Bao gồm thuế hàng {0} trong tỷ lệ khoản, thuế hàng {1} cũng phải được bao gồm"
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,Mục {0} không hoạt động hoặc kết thúc của cuộc sống đã đạt tới
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,Ví dụ: cơ bản Toán học
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included","Bao gồm thuế hàng {0} trong tỷ lệ khoản, thuế hàng {1} cũng phải được bao gồm"
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,Cài đặt cho nhân sự Mô-đun
DocType: SMS Center,SMS Center,Trung tâm nhắn tin
DocType: Sales Invoice,Change Amount,thay đổi Số tiền
DocType: BOM Replace Tool,New BOM,Mới BOM
-DocType: Depreciation Schedule,Make Depreciation Entry,Hãy Khấu hao nhập
+DocType: Depreciation Schedule,Make Depreciation Entry,Tạo bút toán khấu hao
DocType: Appraisal Template Goal,KRA,KRA
DocType: Lead,Request Type,Yêu cầu Loại
-apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,làm nhân viên
+apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,Tạo nhân viên
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,Phát thanh truyền hình
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,Thực hiện
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,Thực hiện
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,Chi tiết về các hoạt động thực hiện.
DocType: Serial No,Maintenance Status,Tình trạng bảo trì
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}: Nhà cung cấp được yêu cầu đối với Khoản phải trả {2}
apps/erpnext/erpnext/config/selling.py +52,Items and Pricing,Hàng hóa và giá cả
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +2,Total hours: {0},Tổng số giờ: {0}
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +43,From Date should be within the Fiscal Year. Assuming From Date = {0},Từ ngày phải được trong năm tài chính. Giả sử Từ ngày = {0}
-DocType: Customer,Individual,Individual
-DocType: Interest,Academics User,Các viện nghiên cứu tài
+DocType: Customer,Individual,cá nhân
+DocType: Interest,Academics User,người dùng học thuật
DocType: Cheque Print Template,Amount In Figure,Số tiền Trong hình
DocType: Employee Loan Application,Loan Info,Thông tin cho vay
apps/erpnext/erpnext/config/maintenance.py +12,Plan for maintenance visits.,Lập kế hoạch cho lần bảo trì.
@@ -256,7 +257,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,Các yêu cầu báo giá có thể được truy cập bằng cách nhấp vào liên kết sau
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,Phân bổ lá trong năm.
DocType: SG Creation Tool Course,SG Creation Tool Course,SG học Công cụ tạo
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,Cổ đủ
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,Thiếu cổ Phiếu
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,Năng suất Disable và Thời gian theo dõi
DocType: Email Digest,New Sales Orders,Hàng đơn đặt hàng mới
DocType: Bank Guarantee,Bank Account,Tài khoản ngân hàng
@@ -267,46 +268,47 @@
DocType: Production Order Operation,Updated via 'Time Log',Cập nhật thông qua 'Giờ'
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},số tiền tạm ứng không có thể lớn hơn {0} {1}
DocType: Naming Series,Series List for this Transaction,Danh sách loạt cho các giao dịch này
+DocType: Company,Enable Perpetual Inventory,Cấp quyền vĩnh viễn cho kho
DocType: Company,Default Payroll Payable Account,Mặc định lương Account Payable
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,Cập nhật Email Nhóm
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,Cập nhật Email Nhóm
DocType: Sales Invoice,Is Opening Entry,Được mở cửa nhập
DocType: Customer Group,Mention if non-standard receivable account applicable,Đề cập đến nếu tài khoản phải thu phi tiêu chuẩn áp dụng
DocType: Course Schedule,Instructor Name,Tên giảng viên
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +177,For Warehouse is required before Submit,Kho cho là cần thiết trước khi Submit
-apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Nhận được Mở
+apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +8,Received On,Nhận được vào
DocType: Sales Partner,Reseller,Đại lý bán lẻ
-DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Nếu được chọn, sẽ bao gồm các mặt hàng không cổ phần trong các yêu cầu vật liệu."
+DocType: Production Planning Tool,"If checked, Will include non-stock items in the Material Requests.","Nếu được chọn, sẽ bao gồm các mặt hàng không tồn kho trong các yêu cầu vật liệu."
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +24,Please enter Company,Vui lòng nhập Công ty
DocType: Delivery Note Item,Against Sales Invoice Item,Theo hàng hóa có hóa đơn
,Production Orders in Progress,Đơn đặt hàng sản xuất trong tiến độ
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,Tiền thuần từ tài chính
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save","Cục bộ là đầy đủ, không lưu"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save","Cục bộ là đầy đủ, không lưu"
DocType: Lead,Address & Contact,Địa chỉ & Liên hệ
DocType: Leave Allocation,Add unused leaves from previous allocations,Thêm lá không sử dụng từ phân bổ trước
-apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Tiếp theo định kỳ {0} sẽ được tạo ra trên {1}
+apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},Định kỳ kế tiếp {0} sẽ được tạo ra vào {1}
DocType: Sales Partner,Partner website,trang web đối tác
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,Thêm mục
-,Contact Name,Tên Liên hệ
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,Tên Liên hệ
DocType: Course Assessment Criteria,Course Assessment Criteria,Các tiêu chí đánh giá khóa học
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,Tạo phiếu lương cho các tiêu chí nêu trên.
-DocType: POS Customer Group,POS Customer Group,POS hàng Nhóm
+DocType: POS Customer Group,POS Customer Group,Nhóm Khách hàng POS
DocType: Cheque Print Template,Line spacing for amount in words,Khoảng cách dòng cho số tiền bằng chữ
DocType: Vehicle,Additional Details,Chi tiết bổ sung
-apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Không có mô tả cho
+apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,Không có mô tả có sẵn
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,Yêu cầu để mua hàng.
-apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Điều này được dựa trên Sheets Thời gian tạo chống lại dự án này
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,Pay Net không thể ít hơn 0
+apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,Điều này được dựa trên Bản thời gian được tạo ra với dự án này
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,Tiền thực trả không thể ít hơn 0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,Chỉ chọn Để lại phê duyệt có thể gửi ứng dụng Để lại này
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,Giảm ngày phải lớn hơn ngày của Tham gia
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,Lá mỗi năm
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,Lá mỗi năm
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,Row {0}: Vui lòng kiểm tra 'là Advance chống Account {1} nếu điều này là một entry trước.
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},Kho {0} không thuộc về công ty {1}
DocType: Email Digest,Profit & Loss,Mất lợi nhuận
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,lít
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,lít
DocType: Task,Total Costing Amount (via Time Sheet),Tổng số Costing Số tiền (thông qua Time Sheet)
DocType: Item Website Specification,Item Website Specification,Mục Trang Thông số kỹ thuật
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,Lại bị chặn
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},Mục {0} đã đạt đến kết thúc của sự sống trên {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},Mục {0} đã đạt đến kết thúc của sự sống trên {1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,Bút toán Ngân hàng
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,Hàng năm
DocType: Stock Reconciliation Item,Stock Reconciliation Item,Cổ hòa giải hàng
@@ -314,10 +316,10 @@
DocType: Material Request Item,Min Order Qty,Đặt mua tối thiểu Số lượng
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,Nhóm Sinh viên Công cụ tạo khóa học
DocType: Lead,Do Not Contact,Không Liên hệ
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,Những người giảng dạy tại các tổ chức của bạn
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,Những người giảng dạy tại các tổ chức của bạn
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,Id duy nhất để theo dõi tất cả các hoá đơn định kỳ. Nó được tạo ra trên trình.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,Phần mềm phát triển
-DocType: Item,Minimum Order Qty,Đặt hàng tối thiểu Số lượng
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,Phần mềm phát triển
+DocType: Item,Minimum Order Qty,Số lượng đặt hàng tối thiểu
DocType: Pricing Rule,Supplier Type,Loại nhà cung cấp
DocType: Course Scheduling Tool,Course Start Date,Khóa học Ngày bắt đầu
,Student Batch-Wise Attendance,Sinh viên Batch-khôn ngoan Attendance
@@ -325,64 +327,65 @@
DocType: Item,Publish in Hub,Xuất bản trong Hub
DocType: Student Admission,Student Admission,Nhập học sinh viên
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,Mục {0} bị hủy bỏ
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Yêu cầu tài liệu
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,Mục {0} bị hủy bỏ
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,Yêu cầu nguyên liệu
DocType: Bank Reconciliation,Update Clearance Date,Cập nhật thông quan ngày
DocType: Item,Purchase Details,Thông tin chi tiết mua
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Mục {0} không tìm thấy trong 'Nguyên liệu Supplied' bảng trong Purchase Order {1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},Mục {0} không tìm thấy trong 'Nguyên liệu Supplied' bảng trong Purchase Order {1}
DocType: Employee,Relation,Mối quan hệ
DocType: Shipping Rule,Worldwide Shipping,Vận chuyển trên toàn thế giới
DocType: Student Guardian,Mother,Mẹ
apps/erpnext/erpnext/config/selling.py +18,Confirmed orders from Customers.,Đơn hàng đã được khách xác nhận
-DocType: Purchase Receipt Item,Rejected Quantity,Số lượng từ chối
+DocType: Purchase Receipt Item,Rejected Quantity,Số lượng bị từ chối
DocType: SMS Settings,SMS Sender Name,SMS Sender Name
DocType: Notification Control,Notification Control,Kiểm soát thông báo
DocType: Lead,Suggestions,Đề xuất
DocType: Territory,Set Item Group-wise budgets on this Territory. You can also include seasonality by setting the Distribution.,Thiết lập ngân sách Hướng- Nhóm cho địa bàn này. có thể bao gồm cả thiết lập phân bổ các yếu tố thời vụ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +276,Payment against {0} {1} cannot be greater than Outstanding Amount {2},Thanh toán khỏi {0} {1} không thể lớn hơn xuất sắc Số tiền {2}
DocType: Supplier,Address HTML,Địa chỉ HTML
-DocType: Lead,Mobile No.,Điện thoại di động số
+DocType: Lead,Mobile No.,Số Điện thoại di động.
DocType: Maintenance Schedule,Generate Schedule,Tạo Lịch
DocType: Purchase Invoice Item,Expense Head,Chi phí đầu
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +138,Please select Charge Type first,Vui lòng chọn Charge Loại đầu tiên
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +138,Please select Charge Type first,Vui lòng chọn Loại Charge đầu tiên
DocType: Student Group Student,Student Group Student,Nhóm học sinh sinh viên
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,Mới nhất
DocType: Vehicle Service,Inspection,sự kiểm tra
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,Danh sách
DocType: Email Digest,New Quotations,Trích dẫn mới
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,trượt email lương cho nhân viên dựa trên email ưa thích lựa chọn trong nhân viên
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,Người phê duyệt Để lại đầu tiên trong danh sách sẽ được thiết lập mặc định Để lại phê duyệt
-DocType: Tax Rule,Shipping County,vận Chuyển County
+DocType: Tax Rule,Shipping County,vận Chuyển trong quận
apps/erpnext/erpnext/config/desktop.py +158,Learn,Học
-DocType: Asset,Next Depreciation Date,Tiếp Khấu hao ngày
-apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Chi phí công việc cho mỗi nhân viên
+DocType: Asset,Next Depreciation Date,Kỳ hạn khấu hao tiếp theo
+apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,Chi phí hoạt động cho một nhân viên
DocType: Accounts Settings,Settings for Accounts,Cài đặt cho tài khoản
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},Nhà cung cấp hóa đơn Không tồn tại trong hóa đơn mua hàng {0}
-apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Quản lý bán hàng người Tree.
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},Nhà cung cấp hóa đơn Không tồn tại trong hóa đơn mua hàng {0}
+apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,Quản lý cây người bán hàng
DocType: Job Applicant,Cover Letter,Thư xin việc
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,Séc xuất sắc và tiền gửi để xóa
DocType: Item,Synced With Hub,Đồng bộ hóa Với Hub
DocType: Vehicle,Fleet Manager,Hạm đội quản lý
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},Row # {0}: {1} không thể phủ định cho mặt hàng {2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,Sai Mật Khẩu
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,Sai Mật Khẩu
DocType: Item,Variant Of,Trong Variant
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',Đã hoàn thành Số lượng không có thể lớn hơn 'SL đặt Sản xuất'
DocType: Period Closing Voucher,Closing Account Head,Đóng Trưởng Tài khoản
DocType: Employee,External Work History,Bên ngoài Quá trình công tác
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,Thông tư tham khảo Lỗi
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Tên Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Tên Guardian1
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,Trong từ (xuất khẩu) sẽ được hiển thị khi bạn lưu Giao hàng tận nơi Lưu ý.
DocType: Cheque Print Template,Distance from left edge,Khoảng cách từ cạnh trái
-apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} đơn vị của [{1}](#Form/vật tư/{1}) tìm thấy trong [{2}](#Form/Nhà kho/{2})
+apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} đơn vị của [{1}](#Mẫu/vật tư/{1}) tìm thấy trong [{2}](#Mẫu/ kho/{2})
DocType: Lead,Industry,Ngành công nghiệp
DocType: Employee,Job Profile,Hồ sơ công việc
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,Thông báo qua email trên tạo ra các yêu cầu vật liệu tự động
DocType: Journal Entry,Multi Currency,Đa ngoại tệ
DocType: Payment Reconciliation Invoice,Invoice Type,Loại hóa đơn
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,Giao hàng Ghi
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,Giao hàng Ghi
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,Thiết lập Thuế
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,Chi phí của tài sản bán
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,Nhập thanh toán đã được sửa đổi sau khi bạn kéo nó. Hãy kéo nó một lần nữa.
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0} Đã nhập hai lần vào chỉ tiêu Thuế của khoản mục
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,Bút toán thanh toán đã được sửa lại sau khi bạn kéo ra. Vui lòng kéo lại 1 lần nữa
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0} Đã nhập hai lần vào Thuế vật tư
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,Tóm tắt cho tuần này và các hoạt động cấp phát
DocType: Student Applicant,Admitted,Thừa nhận
DocType: Workstation,Rent Cost,Chi phí thuê
@@ -393,33 +396,35 @@
DocType: GL Entry,Debit Amount in Account Currency,Nợ Số tiền trong tài khoản ngoại tệ
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +21,Order Value,Giá trị đặt hàng
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +21,Order Value,Giá trị đặt hàng
-apps/erpnext/erpnext/config/accounts.py +27,Bank/Cash transactions against party or for internal transfer,Ngân hàng / Tiền giao dịch với bên hoặc chuyển giao nội bộ
+apps/erpnext/erpnext/config/accounts.py +27,Bank/Cash transactions against party or for internal transfer,Ngân hàng / Tiền giao dịch với bên đối tác hoặc chuyển giao nội bộ
DocType: Shipping Rule,Valid for Countries,Hợp lệ cho các nước
-apps/erpnext/erpnext/stock/doctype/item/item.js +55,This Item is a Template and cannot be used in transactions. Item attributes will be copied over into the variants unless 'No Copy' is set,Mục này là một Template và không thể được sử dụng trong các giao dịch. Thuộc tính item sẽ được sao chép vào các biến thể trừ 'Không Copy' được thiết lập
+apps/erpnext/erpnext/stock/doctype/item/item.js +55,This Item is a Template and cannot be used in transactions. Item attributes will be copied over into the variants unless 'No Copy' is set,Mục này là một mẫu và không thể được sử dụng trong các giao dịch. Thuộc tính mẫu hàng sẽ được sao chép vào các biến thể trừ khi'Không Copy' được thiết lập
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +69,Total Order Considered,Tổng số thứ tự coi
apps/erpnext/erpnext/config/hr.py +234,"Employee designation (e.g. CEO, Director etc.).","Chỉ định nhân viên (ví dụ: Giám đốc điều hành, Giám đốc vv.)"
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,"Vui lòng nhập 'Lặp lại vào ngày của tháng ""giá trị trường"
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,Tỷ Giá được quy đổi từ tỷ giá của khách hàng về tỷ giá khách hàng chung
DocType: Course Scheduling Tool,Course Scheduling Tool,Khóa học Lập kế hoạch cụ
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Row # {0}: Mua hóa đơn không thể được thực hiện đối với một tài sản hiện có {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},Hàng # {0}: Mua hóa đơn không thể được thực hiện đối với một tài sản hiện có {1}
DocType: Item Tax,Tax Rate,Thuế suất
-apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} đã được phân bổ cho nhân viên {1} cho kỳ {2} đến {3}
+apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0} đã được phân phối cho nhân viên {1} cho kỳ {2} đến {3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,Chọn nhiều Item
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,Mua hóa đơn {0} đã gửi
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,Mua hóa đơn {0} đã gửi
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},Row # {0}: Batch Không phải giống như {1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,Chuyển đổi sang non-Group
-apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Lô của mục.
+apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,Một lô sản phẩm
DocType: C-Form Invoice Detail,Invoice Date,Hóa đơn ngày
DocType: GL Entry,Debit Amount,Số tiền ghi nợ
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},Chỉ có thể có 1 tài khoản cho mỗi công ty trong {0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,Xin vui lòng xem file đính kèm
-DocType: Purchase Order,% Received,% Nhận Hàng
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},Chỉ có thể có 1 tài khoản cho mỗi công ty trong {0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,Xin vui lòng xem file đính kèm
+DocType: Purchase Order,% Received,% đã nhận
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,Tạo Sinh viên nhóm
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,Đã thiết lập hoàn chỉnh!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,Số lượng ghi chú tín dụng
,Finished Goods,Hoàn thành Hàng
DocType: Delivery Note,Instructions,Hướng dẫn
DocType: Quality Inspection,Inspected By,Kiểm tra bởi
DocType: Maintenance Visit,Maintenance Type,Loại bảo trì
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1} không được ghi danh vào Khóa học {2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},Không nối tiếp {0} không thuộc về Giao hàng tận nơi Lưu ý {1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext Demo
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,Thêm mục
@@ -427,9 +432,9 @@
DocType: Leave Application,Leave Approver Name,Để lại Tên Người phê duyệt
DocType: Depreciation Schedule,Schedule Date,Lịch trình ngày
apps/erpnext/erpnext/config/hr.py +116,"Earnings, Deductions and other Salary components","Thu nhập, khấu trừ và các thành phần khác Mức lương"
-DocType: Packed Item,Packed Item,Khoản đóng gói
+DocType: Packed Item,Packed Item,Hàng đóng gói
apps/erpnext/erpnext/config/buying.py +65,Default settings for buying transactions.,Thiết lập mặc định cho giao dịch mua hàng
-apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +29,Activity Cost exists for Employee {0} against Activity Type - {1},Chi phí cho công việc tồn tại cho nhân viên {0} đối với Kiểu công việc - {1}
+apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +29,Activity Cost exists for Employee {0} against Activity Type - {1},Chi phí hoạt động tồn tại cho Nhân viên {0} đối với Kiểu công việc - {1}
apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +14,Mandatory field - Get Students From,Trường bắt buộc - Lấy học sinh từ
apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +14,Mandatory field - Get Students From,Trường bắt buộc - Lấy học sinh từ
DocType: Program Enrollment,Enrolled courses,Các khóa học đã ghi danh
@@ -441,44 +446,43 @@
DocType: Request for Quotation,Request for Quotation,Yêu cầu báo giá
DocType: Salary Slip Timesheet,Working Hours,Giờ làm việc
DocType: Naming Series,Change the starting / current sequence number of an existing series.,Thay đổi bắt đầu / hiện số thứ tự của một loạt hiện có.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,Tạo một khách hàng mới
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,Tạo một khách hàng mới
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.","Nếu nhiều quy giá tiếp tục chiếm ưu thế, người dùng được yêu cầu để thiết lập ưu tiên bằng tay để giải quyết xung đột."
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,Tạo đơn đặt hàng mua
,Purchase Register,Đăng ký mua
-DocType: Course Scheduling Tool,Rechedule,Rechedule
+DocType: Course Scheduling Tool,Rechedule,sắp xếp lại
DocType: Landed Cost Item,Applicable Charges,Phí áp dụng
DocType: Workstation,Consumable Cost,Chi phí tiêu hao
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +220,{0} ({1}) must have role 'Leave Approver',{0} ({1}) phải có vai trò 'Người duyệt chấm công nghỉ'
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +220,{0} ({1}) must have role 'Leave Approver',"{0} ({1}) phải có vai trò ""Người chấm duyệt nghỉ phép"""
DocType: Purchase Receipt,Vehicle Date,Xe ngày
DocType: Student Log,Medical,Y khoa
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,Lý do mất
-apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Người sở hữu Tiềm năng không thể trùng với Tiềm năng
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,số lượng phân bổ có thể không lớn hơn số tiền không điều chỉnh
+apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,Người sở hữu Lead không thể trùng với Lead
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,số lượng phân bổ có thể không lớn hơn số tiền không điều chỉnh
DocType: Announcement,Receiver,Người nhận
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},Workstation được đóng cửa vào các ngày sau đây theo Danh sách khách sạn Holiday: {0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,Cơ hội
-DocType: Employee,Single,Một lần
+DocType: Employee,Single,DUy nhất
DocType: Salary Slip,Total Loan Repayment,Tổng số trả nợ
DocType: Account,Cost of Goods Sold,Chi phí hàng bán
DocType: Purchase Invoice,Yearly,Hàng năm
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +228,Please enter Cost Center,Vui lòng nhập Bộ phận Chi phí
DocType: Journal Entry Account,Sales Order,Đơn đặt hàng
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +71,Avg. Selling Rate,Giá bán bình quân
-DocType: Assessment Plan,Examiner Name,Tên Examiner
-DocType: Purchase Invoice Item,Quantity and Rate,Số lượng và giá cả
-DocType: Delivery Note,% Installed,Cài đặt%
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,Phòng học / phòng thí nghiệm vv nơi bài giảng có thể được sắp xếp.
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Nhà cung cấp> Loại nhà cung cấp
+DocType: Assessment Plan,Examiner Name,Tên người dự thi
+DocType: Purchase Invoice Item,Quantity and Rate,Số lượng và tỷ giá
+DocType: Delivery Note,% Installed,% Cài đặt
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,Phòng học / phòng thí nghiệm vv nơi bài giảng có thể được sắp xếp.
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,Vui lòng nhập tên công ty đầu tiên
DocType: Purchase Invoice,Supplier Name,Tên nhà cung cấp
-apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Đọc hướng dẫn ERPNext
-DocType: Account,Is Group,Is Nhóm
+apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,Đọc sổ tay ERPNext
+DocType: Account,Is Group,là Nhóm
DocType: Email Digest,Pending Purchase Orders,Trong khi chờ đơn đặt hàng mua
DocType: Stock Settings,Automatically Set Serial Nos based on FIFO,Tự động Đặt nối tiếp Nos dựa trên FIFO
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,Kiểm tra nhà cung cấp hóa đơn Số độc đáo
DocType: Vehicle Service,Oil Change,Thay đổi dầu
-apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','Đến trường hợp số' không thể nhỏ hơn 'Từ trường hợp số'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,Không lợi nhuận
+apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','Đến trường hợp số' không thể ít hơn 'Từ trường hợp số'
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,Không lợi nhuận
DocType: Production Order,Not Started,Chưa Bắt Đầu
DocType: Lead,Channel Partner,Đối tác
DocType: Account,Old Parent,Cũ Chánh
@@ -489,20 +493,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,Thiết lập chung cho tất cả quá trình sản xuất.
DocType: Accounts Settings,Accounts Frozen Upto,Đóng băng tài khoản đến ngày
DocType: SMS Log,Sent On,Gửi On
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,Thuộc tính {0} được chọn nhiều lần trong Thuộc tính Bảng
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,Thuộc tính {0} được chọn nhiều lần trong Thuộc tính Bảng
DocType: HR Settings,Employee record is created using selected field. ,
DocType: Sales Order,Not Applicable,Không áp dụng
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,Chủ lễ.
DocType: Request for Quotation Item,Required Date,Ngày yêu cầu
DocType: Delivery Note,Billing Address,Địa chỉ thanh toán
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,Vui lòng nhập Item Code.
DocType: BOM,Costing,Chi phí
DocType: Tax Rule,Billing County,Quận Thanh toán
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount","Nếu được chọn, số tiền thuế sẽ được coi là đã có trong giá/thành tiền khi in ra."
DocType: Request for Quotation,Message for Supplier,Tin cho Nhà cung cấp
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,Tổng số Số lượng
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,ID Email Guardian2
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,ID Email Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,ID Email Guardian2
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,ID Email Guardian2
DocType: Item,Show in Website (Variant),Hiện tại Website (Ngôn ngữ địa phương)
DocType: Employee,Health Concerns,Mối quan tâm về sức khỏe
DocType: Process Payroll,Select Payroll Period,Chọn lương Thời gian
@@ -516,31 +519,33 @@
DocType: Job Opening,Description of a Job Opening,Mô tả công việc một Opening
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +111,Pending activities for today,Hoạt động cấp phát cho ngày hôm nay
apps/erpnext/erpnext/config/hr.py +24,Attendance record.,Kỷ lục tham dự.
-DocType: Salary Structure,Salary Component for timesheet based payroll.,Hợp phần lương cho timesheet biên chế dựa.
+DocType: Salary Structure,Salary Component for timesheet based payroll.,Phần lương cho bảng dựa trên bảng lương bổng
DocType: Sales Order Item,Used for Production Plan,Sử dụng cho kế hoạch sản xuất
DocType: Employee Loan,Total Payment,Tổng tiền thanh toán
-DocType: Manufacturing Settings,Time Between Operations (in mins),Time Between Operations (trong phút)
+DocType: Manufacturing Settings,Time Between Operations (in mins),Thời gian giữa các thao tác (bằng phút)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1} đã được hủy nên thao tác không thể hoàn thành
DocType: Customer,Buyer of Goods and Services.,Người mua hàng hoá và dịch vụ.
DocType: Journal Entry,Accounts Payable,Tài khoản Phải trả
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,Các BOMs chọn không cho cùng một mục
-DocType: Pricing Rule,Valid Upto,"HCM, đến hợp lệ"
+DocType: Pricing Rule,Valid Upto,Hợp lệ tới
DocType: Training Event,Workshop,xưởng
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,Danh sách một số khách hàng của bạn. Họ có thể là các tổ chức hoặc cá nhân.
-,Enough Parts to Build,Phần đủ để xây dựng
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,Thu nhập trực tiếp
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,lên danh sách một vài khách hàng của bạn. Họ có thể là các tổ chức hoặc cá nhân
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,Phần đủ để xây dựng
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,Thu nhập trực tiếp
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account","Không thể lọc dựa trên tài khoản, nếu nhóm theo tài khoản"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,Nhân viên hành chính
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Vui lòng chọn Khoá học
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,Vui lòng chọn Khoá học
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,Nhân viên hành chính
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Vui lòng chọn Khoá học
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,Vui lòng chọn Khoá học
DocType: Timesheet Detail,Hrs,giờ
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,Vui lòng chọn Công ty
DocType: Stock Entry Detail,Difference Account,Tài khoản chênh lệch
+DocType: Purchase Invoice,Supplier GSTIN,Mã số nhà cung cấp
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,Không thể nhiệm vụ gần như là nhiệm vụ của nó phụ thuộc {0} là không đóng cửa.
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,Vui lòng nhập kho mà Chất liệu Yêu cầu sẽ được nâng lên
DocType: Production Order,Additional Operating Cost,Chi phí điều hành khác
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,Mỹ phẩm
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items","Sáp nhập, tài sản sau đây là giống nhau cho cả hai mục"
-DocType: Shipping Rule,Net Weight,Trọng lượng
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items","Sáp nhập, tài sản sau đây là giống nhau cho cả hai mục"
+DocType: Shipping Rule,Net Weight,Trọng lượng tịnh
DocType: Employee,Emergency Phone,Điện thoại khẩn cấp
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,Mua
,Serial No Warranty Expiry,Nối tiếp Không có bảo hành hết hạn
@@ -549,22 +554,22 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,Vui lòng xác định mức cho ngưỡng 0%
DocType: Sales Order,To Deliver,Giao Hàng
DocType: Purchase Invoice Item,Item,Hạng mục
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,Nối tiếp không có mục không thể là một phần
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,Nối tiếp không có mục không thể là một phần
DocType: Journal Entry,Difference (Dr - Cr),Sự khác biệt (Tiến sĩ - Cr)
DocType: Account,Profit and Loss,Báo cáo kết quả hoạt động kinh doanh
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,Quản lý Hợp đồng phụ
DocType: Project,Project will be accessible on the website to these users,Dự án sẽ có thể truy cập vào các trang web để những người sử dụng
-DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Tốc độ mà danh sách Giá tiền tệ được chuyển đổi sang tiền tệ cơ bản của công ty
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},Tài khoản {0} không thuộc về công ty: {1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,Tên viết tắt đã được sử dụng cho một công ty khác
+DocType: Quotation,Rate at which Price list currency is converted to company's base currency,Tỷ giá ở mức mà danh sách giá tiền tệ được chuyển đổi tới giá tiền tệ cơ bản của công ty
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},Tài khoản {0} không thuộc về công ty: {1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,Bản rút ngắn đã được sử dụng cho một công ty khác
DocType: Selling Settings,Default Customer Group,Nhóm khách hàng mặc định
-DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Nếu vô hiệu hóa, trường 'Tròn Tổng số' sẽ không được nhìn thấy trong bất kỳ giao dịch"
+DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction","Nếu vô hiệu hóa, trường ""Rounded Total"" sẽ không được hiển thị trong bất kỳ giao dịch"
DocType: BOM,Operating Cost,Chi phí hoạt động
DocType: Sales Order Item,Gross Profit,Lợi nhuận gộp
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,Tăng không thể là 0
-DocType: Production Planning Tool,Material Requirement,Yêu cầu tài liệu
+DocType: Production Planning Tool,Material Requirement,Yêu cầu nguyên liệu
DocType: Company,Delete Company Transactions,Xóa Giao dịch Công ty
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,Reference No và Ngày tham chiếu là bắt buộc đối với giao dịch ngân hàng
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,Số tham khảo và Kỳ hạn tham khảo là bắt buộc đối với giao dịch ngân hàng
DocType: Purchase Receipt,Add / Edit Taxes and Charges,Thêm / Sửa Thuế và phí
DocType: Purchase Invoice,Supplier Invoice No,Nhà cung cấp hóa đơn Không
DocType: Territory,For reference,Để tham khảo
@@ -575,80 +580,80 @@
DocType: Installation Note Item,Installation Note Item,Lưu ý cài đặt hàng
DocType: Production Plan Item,Pending Qty,Pending Qty
DocType: Budget,Ignore,Bỏ qua
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} không hoạt động
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} không hoạt động
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},SMS gửi đến số điện thoại sau: {0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,kích thước thiết lập kiểm tra cho in ấn
-DocType: Salary Slip,Salary Slip Timesheet,Mức lương trượt Timesheet
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Nhà cung cấp kho bắt buộc đối với thầu phụ mua hóa đơn
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,kích thước thiết lập kiểm tra cho in ấn
+DocType: Salary Slip,Salary Slip Timesheet,Bảng phiếu lương
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,Nhà cung cấp kho bắt buộc đối với thầu phụ mua hóa đơn
DocType: Pricing Rule,Valid From,Từ hợp lệ
DocType: Sales Invoice,Total Commission,Tổng tiền Hoa hồng
DocType: Pricing Rule,Sales Partner,Đại lý bán hàng
DocType: Buying Settings,Purchase Receipt Required,Hóa đơn mua hàng
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,Tỷ lệ đánh giá là bắt buộc nếu mở cửa bước vào Cổ
-apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Không có hồ sơ được tìm thấy trong bảng hóa đơn
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,Tỷ lệ đánh giá là bắt buộc nếu mở cửa bước vào Cổ
+apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,Không cóbản ghi được tìm thấy trong bảng hóa đơn
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,Vui lòng chọn Công ty và Đảng Loại đầu tiên
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,Năm tài chính / kế toán.
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,Năm tài chính / kế toán.
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,Giá trị lũy kế
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged","Xin lỗi, Serial Nos không thể được sáp nhập"
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,Thực hiện bán hàng đặt hàng
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,Thực hiện bán hàng đặt hàng
DocType: Project Task,Project Task,Dự án công tác
-,Lead Id,Id Tiềm năng
+,Lead Id,Lead Tên đăng nhập
DocType: C-Form Invoice Detail,Grand Total,Tổng cộng
DocType: Training Event,Course,Khóa học
DocType: Timesheet,Payslip,Trong phiếu lương
-apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,sản phẩm Giỏ hàng
+apps/erpnext/erpnext/public/js/pos/pos.html +4,Item Cart,Giỏ hàng mẫu hàng
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +38,Fiscal Year Start Date should not be greater than Fiscal Year End Date,Ngày bắt đầu Năm tài chính không lớn hơn Ngày kết thúc năm tài chính
-DocType: Issue,Resolution,Phân giải
+DocType: Issue,Resolution,Giải quyết
DocType: C-Form,IV,IV
-apps/erpnext/erpnext/templates/pages/order.html +53,Delivered: {0},Delivered: {0}
+apps/erpnext/erpnext/templates/pages/order.html +53,Delivered: {0},đã giao: {0}
DocType: Expense Claim,Payable Account,Tài khoản phải trả
DocType: Payment Entry,Type of Payment,Loại thanh toán
DocType: Sales Order,Billing and Delivery Status,Trạng thái phiếu t.toán và giao nhận
DocType: Job Applicant,Resume Attachment,Resume đính kèm
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,Khách hàng lặp lại
DocType: Leave Control Panel,Allocate,Phân bổ
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,Bán hàng trở lại
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,Bán hàng trở lại
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,Lưu ý: Tổng lá phân bổ {0} không được nhỏ hơn lá đã được phê duyệt {1} cho giai đoạn
DocType: Announcement,Posted By,Gửi bởi
DocType: Item,Delivered by Supplier (Drop Ship),Cung cấp bởi Nhà cung cấp (Drop Ship)
-apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Cơ sở dữ liệu khách hàng tiềm năng.
+apps/erpnext/erpnext/config/crm.py +12,Database of potential customers.,Cơ sở dữ liệu về khách hàng tiềm năng.
DocType: Authorization Rule,Customer or Item,Khách hàng hoặc mục
apps/erpnext/erpnext/config/selling.py +28,Customer database.,Cơ sở dữ liệu khách hàng.
-DocType: Quotation,Quotation To,Báo giá cho
+DocType: Quotation,Quotation To,định giá tới
DocType: Lead,Middle Income,Thu nhập trung bình
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),Mở (Cr)
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Mặc định Đơn vị đo lường cho mục {0} không thể thay đổi trực tiếp bởi vì bạn đã thực hiện một số giao dịch (s) với Ươm khác. Bạn sẽ cần phải tạo ra một khoản mới để sử dụng một định Ươm khác nhau.
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,Số lượng phân bổ không thể phủ định
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,Mặc định Đơn vị đo lường cho mục {0} không thể thay đổi trực tiếp bởi vì bạn đã thực hiện một số giao dịch (s) với Ươm khác. Bạn sẽ cần phải tạo ra một khoản mới để sử dụng một định Ươm khác nhau.
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,Số lượng phân bổ không thể phủ định
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Hãy đặt Công ty
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,Hãy đặt Công ty
-DocType: Purchase Order Item,Billed Amt,Số tiền trên Bill
+DocType: Purchase Order Item,Billed Amt,Amt đã lập hóa đơn
DocType: Training Result Employee,Training Result Employee,Đào tạo Kết quả của nhân viên
DocType: Warehouse,A logical Warehouse against which stock entries are made.,Một Kho thích hợp gắn với các phiếu nhập kho đã được tạo
DocType: Repayment Schedule,Principal Amount,Số tiền chính
DocType: Employee Loan Application,Total Payable Interest,Tổng số lãi phải trả
DocType: Sales Invoice Timesheet,Sales Invoice Timesheet,Sales Invoice Timesheet
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +118,Reference No & Reference Date is required for {0},Không tham khảo và tham khảo ngày là cần thiết cho {0}
+apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +118,Reference No & Reference Date is required for {0},Số tham khảo và ngày tham khảo là cần thiết cho {0}
DocType: Process Payroll,Select Payment Account to make Bank Entry,Chọn tài khoản thanh toán để làm cho Ngân hàng nhập
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll","Tạo hồ sơ nhân viên để quản lý lá, tuyên bố chi phí và biên chế"
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,Thêm vào kiến thức cơ sở
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,Đề nghị Viết
-DocType: Payment Entry Deduction,Payment Entry Deduction,Thanh toán nhập khấu trừ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,Đề nghị Viết
+DocType: Payment Entry Deduction,Payment Entry Deduction,Bút toán thanh toán khấu trừ
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,Nhân viên kd {0} đã tồn tại
-DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Nếu được chọn, nguyên liệu cho các hạng mục nhỏ không ký hợp đồng sẽ được bao gồm trong các yêu cầu vật liệu"
-apps/erpnext/erpnext/config/accounts.py +80,Masters,Masters
+DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests","Nếu được kiểm tra, các nguyên vật liệu cho các hạng mục được ký hợp đồng phụ sẽ được bao gồm trong Yêu cầu Vật liệu"
+apps/erpnext/erpnext/config/accounts.py +80,Masters,Chủ
DocType: Assessment Plan,Maximum Assessment Score,Điểm đánh giá tối đa
apps/erpnext/erpnext/config/accounts.py +140,Update Bank Transaction Dates,Ngày giao dịch Cập nhật Ngân hàng
-apps/erpnext/erpnext/config/projects.py +30,Time Tracking,thời gian theo dõi
+apps/erpnext/erpnext/config/projects.py +30,Time Tracking,theo dõi thời gian
DocType: Fiscal Year Company,Fiscal Year Company,Công ty tài chính Năm
DocType: Packing Slip Item,DN Detail,DN chi tiết
DocType: Training Event,Conference,Hội nghị
-DocType: Timesheet,Billed,Đã viết bill
-DocType: Batch,Batch Description,Mô tả Lô
+DocType: Timesheet,Billed,đã lập hóa đơn
+DocType: Batch,Batch Description,Mô tả Lô hàng
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Tạo nhóm sinh viên
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,Tạo nhóm sinh viên
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.","Cổng thanh toán tài khoản không được tạo ra, hãy tạo một cách thủ công."
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.","Cổng thanh toán tài khoản không được tạo ra, hãy tạo một cách thủ công."
DocType: Sales Invoice,Sales Taxes and Charges,Thuế bán hàng và lệ phí
-DocType: Employee,Organization Profile,Tổ chức hồ sơ
+DocType: Employee,Organization Profile,Hồ sơ Tổ chức
DocType: Student,Sibling Details,Thông tin chi tiết anh chị em ruột
DocType: Vehicle Service,Vehicle Service,Dịch vụ xe
apps/erpnext/erpnext/config/setup.py +101,Automatically triggers the feedback request based on conditions.,Tự động kích hoạt các yêu cầu thông tin phản hồi dựa trên điều kiện.
@@ -656,7 +661,7 @@
apps/erpnext/erpnext/config/hr.py +147,Template for performance appraisals.,Mẫu cho đánh giá kết quả.
DocType: Sales Invoice,Credit Note Issued,Credit Note Ban hành
DocType: Project Task,Weight,Cân nặng
-DocType: Payment Reconciliation,Invoice/Journal Entry Details,Hóa đơn / Journal nhập chi tiết
+DocType: Payment Reconciliation,Invoice/Journal Entry Details,Hóa đơn / bút toán nhật ký chi tiết
apps/erpnext/erpnext/accounts/utils.py +83,{0} '{1}' not in Fiscal Year {2},{0} '{1}' không thuộc năm tài chính {2}
DocType: Buying Settings,Settings for Buying Module,Thiết lập cho module Mua hàng
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +21,Asset {0} does not belong to company {1},Asset {0} không thuộc về công ty {1}
@@ -665,66 +670,67 @@
DocType: Activity Type,Default Costing Rate,Mặc định Costing Rate
DocType: Maintenance Schedule,Maintenance Schedule,Lịch trình bảo trì
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +36,"Then Pricing Rules are filtered out based on Customer, Customer Group, Territory, Supplier, Supplier Type, Campaign, Sales Partner etc.","Và các quy tắc báo giá được lọc xem dựa trên khách hàng, nhóm khách hàng, địa bàn, NCC, loại NCC, Chiến dịch, đối tác bán hàng .v..v"
-apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Thay đổi ròng trong kho
+apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,Chênh lệch giá tịnh trong kho
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,Quản lý nhân viên vay
DocType: Employee,Passport Number,Số hộ chiếu
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,Mối quan hệ với Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,Chi cục trưởng
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,Mối quan hệ với Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,Chi cục trưởng
DocType: Payment Entry,Payment From / To,Thanh toán Từ / Để
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},hạn mức tín dụng mới thấp hơn số dư hiện tại cho khách hàng. Hạn mức tín dụng phải có ít nhất {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,Cùng mục đã được nhập nhiều lần.
-DocType: SMS Settings,Receiver Parameter,Nhận thông số
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},hạn mức tín dụng mới thấp hơn số tồn đọng chưa trả cho khách hàng. Hạn mức tín dụng phải ít nhất {0}
+DocType: SMS Settings,Receiver Parameter,thông số người nhận
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,'Dựa Trên' và 'Nhóm Bởi' không thể giống nhau
DocType: Sales Person,Sales Person Targets,Mục tiêu người bán hàng
DocType: Installation Note,IN-,TRONG-
DocType: Production Order Operation,In minutes,Trong phút
-DocType: Issue,Resolution Date,Độ phân giải ngày
-DocType: Student Batch Name,Batch Name,Tên hàng loạt
-apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timesheet tạo:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},Xin vui lòng thiết lập mặc định hoặc tiền trong tài khoản ngân hàng Phương thức thanh toán {0}
+DocType: Issue,Resolution Date,Ngày giải quyết
+DocType: Student Batch Name,Batch Name,Tên đợt hàng
+apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,Timesheet đã tạo:
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},Xin vui lòng thiết lập mặc định hoặc tiền trong tài khoản ngân hàng Phương thức thanh toán {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,Ghi danh
+DocType: GST Settings,GST Settings,Cài đặt GST
DocType: Selling Settings,Customer Naming By,đặt tên khách hàng theo
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,Sẽ hiển thị các sinh viên như hiện tại trong Student Report Attendance tháng
DocType: Depreciation Schedule,Depreciation Amount,Giá trị khấu hao
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +56,Convert to Group,Chuyển đổi cho Tập đoàn
DocType: Activity Cost,Activity Type,Loại hoạt động
DocType: Request for Quotation,For individual supplier,Đối với nhà cung cấp cá nhân
-DocType: BOM Operation,Base Hour Rate(Company Currency),Cơ sở Hour Rate (Công ty ngoại tệ)
+DocType: BOM Operation,Base Hour Rate(Company Currency),Cơ sở tỷ giá giờ (Công ty ngoại tệ)
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +47,Delivered Amount,Số tiền gửi
DocType: Supplier,Fixed Days,Days cố định
-DocType: Quotation Item,Item Balance,mục Balance
+DocType: Quotation Item,Item Balance,số dư mẫu hàng
DocType: Sales Invoice,Packing List,Danh sách đóng gói
apps/erpnext/erpnext/config/buying.py +28,Purchase Orders given to Suppliers.,Đơn đặt hàng mua cho nhà cung cấp.
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +43,Publishing,Xuất bản
DocType: Activity Cost,Projects User,Dự án tài
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Consumed,Tiêu thụ
-apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} không tìm thấy trong bảng chi tiết hóa đơn
+apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +157,{0}: {1} not found in Invoice Details table,{0}: {1} không tìm thấy trong bảng hóa đơn chi tiết
DocType: Company,Round Off Cost Center,Round Off Cost Center
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +218,Maintenance Visit {0} must be cancelled before cancelling this Sales Order,Bảo trì đăng nhập {0} phải được hủy bỏ trước khi hủy bỏ đơn đặt hàng này
-DocType: Item,Material Transfer,Chuyển tài liệu
-apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Mở (Tiến sĩ)
+DocType: Item,Material Transfer,Vận chuyển nguyên liệu
+apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),Mở (Dr)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},Đăng dấu thời gian phải sau ngày {0}
+,GST Itemised Purchase Register,Đăng ký mua bán GST chi tiết
DocType: Employee Loan,Total Interest Payable,Tổng số lãi phải trả
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,Thuế Chi phí hạ cánh và Lệ phí
DocType: Production Order Operation,Actual Start Time,Thời điểm bắt đầu thực tế
DocType: BOM Operation,Operation Time,Thời gian hoạt động
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +139,Finish,Hoàn thành
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,Căn cứ
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +387,Base,Cơ sở
DocType: Timesheet,Total Billed Hours,Tổng số giờ Được xem
DocType: Journal Entry,Write Off Amount,Viết Tắt Số tiền
-DocType: Journal Entry,Bill No,số Bill
+DocType: Journal Entry,Bill No,Hóa đơn số
DocType: Company,Gain/Loss Account on Asset Disposal,TK Lãi/Lỗ thanh lý tài sản
DocType: Vehicle Log,Service Details,Chi tiết dịch vụ
DocType: Vehicle Log,Service Details,Chi tiết dịch vụ
DocType: Purchase Invoice,Quarterly,Quý
-DocType: Selling Settings,Delivery Note Required,Giao hàng Ghi bắt buộc
+DocType: Selling Settings,Delivery Note Required,Lưu ý giao hàng được yêu cầu
DocType: Bank Guarantee,Bank Guarantee Number,Số bảo lãnh ngân hàng
DocType: Bank Guarantee,Bank Guarantee Number,Số bảo lãnh ngân hàng
DocType: Assessment Criteria,Assessment Criteria,Tiêu chí đánh giá
-DocType: BOM Item,Basic Rate (Company Currency),Basic Rate (Company Currency)
+DocType: BOM Item,Basic Rate (Company Currency),Tỷ giá cơ bản (Công ty ngoại tệ)
DocType: Student Attendance,Student Attendance,Tham dự sinh
DocType: Sales Invoice Timesheet,Time Sheet,Thời gian biểu
-DocType: Manufacturing Settings,Backflush Raw Materials Based On,Backflush Raw Materials Based On
+DocType: Manufacturing Settings,Backflush Raw Materials Based On,Súc rửa nguyên liệu thô được dựa vào
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +62,Please enter item details,Xin vui lòng nhập các chi tiết sản phẩm
DocType: Interest,Interest,Quan tâm
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +10,Pre Sales,Pre Sales
@@ -732,18 +738,18 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,suplier
DocType: Account,Accounts,Tài khoản
DocType: Vehicle,Odometer Value (Last),Giá trị đo đường (cuối)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,Marketing
-apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Nhập thanh toán đã được tạo ra
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,Marketing
+apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,Bút toán thanh toán đã được tạo ra
DocType: Purchase Receipt Item Supplied,Current Stock,Tồn kho hiện tại
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},Dòng #{0}: Tài sản {1} không liên kết với mục {2}
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Xem trước trượt Mức lương
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},Dòng #{0}: Tài sản {1} không liên kết với mục {2}
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,Xem trước bảng lương
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,Tài khoản {0} đã được nhập nhiều lần
DocType: Account,Expenses Included In Valuation,Chi phí bao gồm trong định giá
DocType: Hub Settings,Seller City,Người bán Thành phố
,Absent Student Report,Báo cáo Sinh viên vắng mặt
-DocType: Email Digest,Next email will be sent on:,Email tiếp theo sẽ được gửi về:
-DocType: Offer Letter Term,Offer Letter Term,Offer Letter Term
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,Mục có các biến thể.
+DocType: Email Digest,Next email will be sent on:,Email tiếp theo sẽ được gửi vào:
+DocType: Offer Letter Term,Offer Letter Term,Hạn thư mời
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,Mục có các biến thể.
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,Mục {0} không tìm thấy
DocType: Bin,Stock Value,Giá trị tồn
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,Công ty {0} không tồn tại
@@ -752,52 +758,50 @@
DocType: Serial No,Warranty Expiry Date,Ngày Bảo hành hết hạn
DocType: Material Request Item,Quantity and Warehouse,Số lượng và kho
DocType: Sales Invoice,Commission Rate (%),Hoa hồng Tỷ lệ (%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Vui lòng chọn Chương trình
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,Vui lòng chọn Chương trình
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Vui lòng chọn Chương trình
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,Vui lòng chọn Chương trình
DocType: Project,Estimated Cost,Chi phí ước tính
DocType: Purchase Order,Link to material requests,Liên kết để yêu cầu tài liệu
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,Hàng không vũ trụ
DocType: Journal Entry,Credit Card Entry,Thẻ tín dụng nhập
apps/erpnext/erpnext/config/accounts.py +51,Company and Accounts,Công ty và các tài khoản
apps/erpnext/erpnext/config/stock.py +22,Goods received from Suppliers.,Hàng nhận được từ nhà cung cấp.
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,trong Value
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +49,In Value,trong Gía trị
DocType: Lead,Campaign Name,Tên chiến dịch
DocType: Selling Settings,Close Opportunity After Days,Đóng Opportunity Sau ngày
,Reserved,Ltd
DocType: Purchase Order,Supply Raw Materials,Cung cấp Nguyên liệu thô
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,"Ngày, tháng, hóa đơn tiếp theo sẽ được tạo ra. Nó được tạo ra trên trình."
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,Tài sản ngắn hạn
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0} không phải là 1 vật tư hàng hóa
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0} không phải là 1 vật liệu tồn kho
DocType: Mode of Payment Account,Default Account,Tài khoản mặc định
DocType: Payment Entry,Received Amount (Company Currency),Số tiền nhận được (Công ty ngoại tệ)
-apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,Tiềm năng phải được thiết lập nếu Cơ hội được tạo từ Tiềm năng
+apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,Lead phải được thiết lập nếu Cơ hội được tạo từ Lead
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,Vui lòng chọn ngày nghỉ hàng tuần
-DocType: Production Order Operation,Planned End Time,Planned End Time
-,Sales Person Target Variance Item Group-Wise,Người bán hàng mục tiêu phương sai mục Nhóm-Wise
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,Tài khoản vẫn còn bút toán nên không thể chuyển đổi sang sổ cái
+DocType: Production Order Operation,Planned End Time,Thời gian kết thúc kế hoạch
+,Sales Person Target Variance Item Group-Wise,Mục tiêu người bán mẫu hàng phương sai Nhóm - Thông minh
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,Tài khoản vẫn còn giao dịch nên không thể chuyển đổi sang sổ cái
DocType: Delivery Note,Customer's Purchase Order No,số hiệu đơn mua của khách
-DocType: Budget,Budget Against,Ngân sách Against
+DocType: Budget,Budget Against,Ngân sách với
DocType: Employee,Cell Number,Số di động
apps/erpnext/erpnext/stock/reorder_item.py +177,Auto Material Requests Generated,Các yêu cầu tự động Chất liệu Generated
-apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +7,Lost,Thua
+apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation_list.js +7,Lost,Mất
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +152,You can not enter current voucher in 'Against Journal Entry' column,Bạn không thể nhập chứng từ hiện hành tại cột 'Chứng từ đối ứng'
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +50,Reserved for manufacturing,Dành cho sản xuất
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +25,Energy,Năng lượng
DocType: Opportunity,Opportunity From,Từ cơ hội
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,Báo cáo tiền lương hàng tháng.
DocType: BOM,Website Specifications,Thông số kỹ thuật website
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Xin vui lòng thiết lập số cho loạt bài tham dự thông qua Setup> Numbering Series
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}: Từ {0} của loại {1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,Hàng {0}: Chuyển đổi Factor là bắt buộc
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,Hàng {0}: Chuyển đổi Factor là bắt buộc
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Nhiều quy Giá tồn tại với cùng một tiêu chuẩn, xin vui lòng giải quyết xung đột bằng cách gán ưu tiên. Nội quy Giá: {0}"
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,Không thể tắt hoặc hủy bỏ BOM như nó được liên kết với BOMs khác
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}","Nhiều quy Giá tồn tại với cùng một tiêu chuẩn, xin vui lòng giải quyết xung đột bằng cách gán ưu tiên. Nội quy Giá: {0}"
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,Không thể tắt hoặc hủy bỏ BOM như nó được liên kết với BOMs khác
DocType: Opportunity,Maintenance,Bảo trì
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},Số mua hóa đơn cần thiết cho mục {0}
-DocType: Item Attribute Value,Item Attribute Value,Mục Attribute Value
+DocType: Item Attribute Value,Item Attribute Value,GIá trị thuộc tính mẫu hàng
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,Các chiến dịch bán hàng.
-apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Hãy Timesheet
+apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,Tạo thời gian biểu
DocType: Sales Taxes and Charges Template,"Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
#### Note
@@ -817,7 +821,7 @@
6. Amount: Tax amount.
7. Total: Cumulative total to this point.
8. Enter Row: If based on ""Previous Row Total"" you can select the row number which will be taken as a base for this calculation (default is the previous row).
-9. Is this Tax included in Basic Rate?: If you check this, it means that this tax will not be shown below the item table, but will be included in the Basic Rate in your main item table. This is useful where you want give a flat price (inclusive of all taxes) price to customers.","Standard tax template that can be applied to all Sales Transactions. This template can contain list of tax heads and also other expense / income heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note The tax rate you define here will be the standard tax rate for all **Items**. If there are **Items** that have different rates, they must be added in the **Item Tax** table in the **Item** master. #### Description of Columns 1. Calculation Type: - This can be on **Net Total** (that is the sum of basic amount). - **On Previous Row Total / Amount** (for cumulative taxes or charges). If you select this option, the tax will be applied as a percentage of the previous row (in the tax table) amount or total. - **Actual** (as mentioned). 2. Account Head: The Account ledger under which this tax will be booked 3. Cost Center: If the tax / charge is an income (like shipping) or expense it needs to be booked against a Cost Center. 4. Description: Description of the tax (that will be printed in invoices / quotes). 5. Rate: Tax rate. 6. Amount: Tax amount. 7. Total: Cumulative total to this point. 8. Enter Row: If based on ""Previous Row Total"" you can select the row number which will be taken as a base for this calculation (default is the previous row). 9. Is this Tax included in Basic Rate?: If you check this, it means that this tax will not be shown below the item table, but will be included in the Basic Rate in your main item table. This is useful where you want give a flat price (inclusive of all taxes) price to customers."
+9. Is this Tax included in Basic Rate?: If you check this, it means that this tax will not be shown below the item table, but will be included in the Basic Rate in your main item table. This is useful where you want give a flat price (inclusive of all taxes) price to customers.","Mẫu thuế tiêu chuẩn có thể được chấp thuận với tất cả các giao dịch mua bán. Mẫu vật này có thể bao gồm danh sách các đầu thuế và cũng có thể là các đầu phí tổn/ thu nhập như ""vận chuyển"",,""Bảo hiểm"",""Xử lý"" vv.#### Lưu ý: tỷ giá thuế mà bạn định hình ở đây sẽ là tỷ giá thuế tiêu chuẩn cho tất cả các **mẫu hàng**. Nếu có **các mẫu hàng** có các tỷ giá khác nhau, chúng phải được thêm vào bảng **Thuế mẫu hàng** tại **mẫu hàng** chủ. #### Mô tả của các cột 1. Kiểu tính toán: -Điều này có thể vào **tổng thuần** (tóm lược của số lượng cơ bản).-** Tại hàng tổng trước đó / Số lượng** (đối với các loại thuế hoặc phân bổ tích lũy)... Nếu bạn chọn phần này, thuế sẽ được chấp thuận như một phần trong phần trăm của cột trước đó (trong bảng thuế) số lượng hoặc tổng. -**Thực tế** (như đã đề cập tới).2. Đầu tài khoản: Tài khoản sổ cái nơi mà loại thuế này sẽ được đặt 3. Trung tâm chi phí: Nếu thuế / sự phân bổ là môt loại thu nhập (giống như vận chuyển) hoặc là chi phí, nó cần được đặt trước với một trung tâm chi phí. 4 Mô tả: Mô tả của loại thuế (sẽ được in vào hóa đơn/ giấy báo giá) 5. Tỷ giá: Tỷ giá thuế. 6 Số lượng: SỐ lượng thuế 7.Tổng: Tổng tích lũy tại điểm này. 8. nhập dòng: Nếu được dựa trên ""Hàng tôtngr trước đó"" bạn có thể lựa chọn số hàng nơi sẽ được làm nền cho việc tính toán (mặc định là hàng trước đó).9. Loại thuế này có bao gồm trong tỷ giá cơ bản ?: Nếu bạn kiểm tra nó, nghĩa là loại thuế này sẽ không được hiển thị bên dưới bảng mẫu hàng, nhưng sẽ được bao gồm tại tỷ giá cơ bản tại bảng mẫu hàng chính của bạn.. Điều này rất hữu ích bất cứ khi nào bạn muốn đưa ra một loại giá sàn (bao gồm tất cả các loại thuế) đối với khách hàng,"
DocType: Employee,Bank A/C No.,Số TK Ngân hàng
DocType: Bank Guarantee,Project,Dự án
DocType: Quality Inspection Reading,Reading 7,Đọc 7
@@ -827,30 +831,30 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},Tài sản bị tháo dỡ qua Journal nhập {0}
DocType: Employee Loan,Interest Income Account,Tài khoản thu nhập lãi
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,Công nghệ sinh học
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Chi phí bảo trì văn phòng
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Chi phí bảo trì văn phòng
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,Thiết lập tài khoản email
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,Vui lòng nhập mục đầu tiên
DocType: Account,Liability,Trách nhiệm
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,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}.
DocType: Company,Default Cost of Goods Sold Account,Mặc định Chi phí tài khoản hàng bán
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,Danh sách giá không được chọn
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,Danh sách giá không được chọn
DocType: Employee,Family Background,Gia đình nền
DocType: Request for Quotation Supplier,Send Email,Gởi thư
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},Cảnh báo: Tập tin đính kèm {0} ko hợp lệ
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Không phép
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},Cảnh báo: Tập tin đính kèm {0} ko hợp lệ
+apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,Không quyền hạn
DocType: Company,Default Bank Account,Tài khoản Ngân hàng mặc định
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first","Để lọc dựa vào Đảng, Đảng chọn Gõ đầu tiên"
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},Ko chọn ở mục 'Cập nhật kho' được vì vật tư không được giao qua {0}
-DocType: Vehicle,Acquisition Date,ngày bổ sung
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,lớp
-DocType: Item,Items with higher weightage will be shown higher,Mục weightage cao sẽ được hiển thị cao hơn
-DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Chi tiết Bank Reconciliation
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,Row # {0}: {1} tài sản phải nộp
-apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Không có nhân viên tìm thấy
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},"""Cập nhật hàng hóa"" không thể được kiểm tra vì vật tư không được vận chuyển qua {0}"
+DocType: Vehicle,Acquisition Date,ngày thu mua
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Số
+DocType: Item,Items with higher weightage will be shown higher,Mẫu vật với trọng lượng lớn hơn sẽ được hiển thị ở chỗ cao hơn
+DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,Chi tiết Bảng đối chiếu tài khoản ngân hàng
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,Row # {0}: {1} tài sản phải nộp
+apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,Không có nhân viên được tìm thấy
DocType: Supplier Quotation,Stopped,Đã ngưng
DocType: Item,If subcontracted to a vendor,Nếu hợp đồng phụ với một nhà cung cấp
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Nhóm sinh viên đã được cập nhật.
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,Nhóm sinh viên đã được cập nhật.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Nhóm sinh viên đã được cập nhật.
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,Nhóm sinh viên đã được cập nhật.
DocType: SMS Center,All Customer Contact,Tất cả Liên hệ Khách hàng
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,Tải lên số tồn kho thông qua file csv.
DocType: Warehouse,Tree Details,Chi tiết Tree
@@ -859,58 +863,61 @@
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +344,"If you have any questions, please get back to us.","Nếu bạn có thắc mắc, xin vui lòng lấy lại cho chúng ta."
DocType: Item,Website Warehouse,Trang web kho
DocType: Payment Reconciliation,Minimum Invoice Amount,Số tiền Hoá đơn tối thiểu
-apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Trung tâm Giá Cả {2} không thuộc về Công ty {3}
+apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}: Trung tâm Chi Phí {2} không thuộc về Công ty {3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}: Tài khoản {2} không thể là một Nhóm
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Mục Row {idx}: {DOCTYPE} {} DOCNAME không tồn tại trên '{} DOCTYPE' bảng
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,Timesheet {0} đã được hoàn thành hoặc bị hủy bỏ
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,Dãy mẫu vật {idx}: {DOCTYPE} {DOCNAME} không tồn tại trên '{DOCTYPE}' bảng
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,thời gian biểu{0} đã được hoàn thành hoặc bị hủy bỏ
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,không nhiệm vụ
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc","Các ngày trong tháng mà tự động hóa đơn sẽ được tạo ra ví dụ như 05, 28 vv"
DocType: Asset,Opening Accumulated Depreciation,Mở Khấu hao lũy kế
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,Điểm số phải nhỏ hơn hoặc bằng 5
DocType: Program Enrollment Tool,Program Enrollment Tool,Chương trình Công cụ ghi danh
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,Hồ sơ C-Mẫu
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C - Bản ghi mẫu
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,Khách hàng và Nhà cung cấp
DocType: Email Digest,Email Digest Settings,Thiết lập mục Email nhắc việc
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,Cảm ơn bạn cho doanh nghiệp của bạn!
apps/erpnext/erpnext/config/support.py +12,Support queries from customers.,Hỗ trợ các truy vấn từ khách hàng.
-,Production Order Stock Report,Sản xuất Báo cáo Cổ tự
+,Production Order Stock Report,Báo cáo Đặt hàng sản phẩm theo kho
DocType: HR Settings,Retirement Age,Tuổi nghỉ hưu
DocType: Bin,Moving Average Rate,Tỷ lệ trung bình di chuyển
DocType: Production Planning Tool,Select Items,Chọn mục
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0} gắn với phiếu t.toán {1} ngày {2}
+DocType: Program Enrollment,Vehicle/Bus Number,Phương tiện/Số xe buýt
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,Lịch khóa học
DocType: Maintenance Visit,Completion Status,Tình trạng hoàn thành
DocType: HR Settings,Enter retirement age in years,Nhập tuổi nghỉ hưu trong năm
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,Mục tiêu kho
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,Vui lòng chọn kho
DocType: Cheque Print Template,Starting location from left edge,Bắt đầu từ vị trí từ cạnh trái
DocType: Item,Allow over delivery or receipt upto this percent,Cho phép trên giao nhận tối đa tỷ lệ này
DocType: Stock Entry,STE-,STE-
DocType: Upload Attendance,Import Attendance,Nhập khẩu tham dự
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,Tất cả các nhóm hàng
-DocType: Process Payroll,Activity Log,Nhật ký công việc
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,Lợi nhuận ròng / lỗ
+DocType: Process Payroll,Activity Log,Nhật ký hoạt động
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,Lợi nhuận ròng / lỗ
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,Tự động soạn tin nhắn trên trình giao dịch.
DocType: Production Order,Item To Manufacture,Để mục Sản xuất
-apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1} tình trạng là {2}
+apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1}trạng thái là {2}
DocType: Employee,Provide Email Address registered in company,Cung cấp Địa chỉ Email đăng ký tại công ty
DocType: Shopping Cart Settings,Enable Checkout,Kích hoạt tính năng Thanh toán
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,Mua hàng để thanh toán
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,SL của Dự án
-DocType: Sales Invoice,Payment Due Date,Thanh toán Due Date
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,Mục Variant {0} đã tồn tại với cùng một thuộc tính
+DocType: Sales Invoice,Payment Due Date,Thanh toán đáo hạo
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,Biến thể mẫu hàng {0} đã tồn tại với cùng một thuộc tính
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening','Đang mở'
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,Mở để làm
-DocType: Notification Control,Delivery Note Message,Giao hàng tận nơi Lưu ý tin nhắn
+DocType: Notification Control,Delivery Note Message,Tin nhắn lưu ý cho việc giao hàng
DocType: Expense Claim,Expenses,Chi phí
-DocType: Item Variant Attribute,Item Variant Attribute,Mục Variant Attribute
+,Support Hours,Giờ hỗ trợ
+DocType: Item Variant Attribute,Item Variant Attribute,Thuộc tính biến thể mẫu hàng
,Purchase Receipt Trends,Xu hướng mua hóa đơn
DocType: Process Payroll,Bimonthly,hai tháng một lần
-DocType: Vehicle Service,Brake Pad,Pad phanh
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,Nghiên cứu & Phát triể
+DocType: Vehicle Service,Brake Pad,đệm phanh
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,Nghiên cứu & Phát triể
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,Số tiền Bill
DocType: Company,Registration Details,Thông tin chi tiết đăng ký
DocType: Timesheet,Total Billed Amount,Tổng số tiền Billed
-DocType: Item Reorder,Re-Order Qty,Re-trật tự Qty
+DocType: Item Reorder,Re-Order Qty,Số lượng đặt mua lại
DocType: Leave Block List Date,Leave Block List Date,Để lại Danh sách Chặn ngày
DocType: Pricing Rule,Price or Discount,Giá hoặc giảm giá
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +86,Total Applicable Charges in Purchase Receipt Items table must be same as Total Taxes and Charges,Tổng số phí áp dụng tại Purchase bảng Receipt mục phải giống như Tổng Thuế và Phí
@@ -919,46 +926,44 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,Chỉ Lấy Nguyên liệu thô
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,Đánh giá hiệu quả.
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart","Bật 'Sử dụng cho Giỏ hàng ", như Giỏ hàng được kích hoạt và phải có ít nhất một Rule thuế cho Giỏ hàng"
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Thanh toán nhập {0} được liên kết chống lại thứ tự {1}, kiểm tra xem nó nên được kéo như trước trong hóa đơn này."
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.","Bút toán thanh toán {0} được liên với thứ tự {1}, kiểm tra xem nó nên được kéo như trước trong hóa đơn này."
DocType: Sales Invoice Item,Stock Details,Chi tiết hàng tồn kho
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,Giá trị dự án
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,Điểm bán hàng
-DocType: Vehicle Log,Odometer Reading,Đọc odometer
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Tài khoản đang dư Có, bạn không được phép thiết lập 'Số dư TK phải ' là 'Nợ'"
+DocType: Vehicle Log,Odometer Reading,Đọc mét kế
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'","Tài khoản đang dư Có, bạn không được phép thiết lập 'Số dư TK phải ' là 'Nợ'"
DocType: Account,Balance must be,Số dư phải là
DocType: Hub Settings,Publish Pricing,Xuất bản Pricing
DocType: Notification Control,Expense Claim Rejected Message,Thông báo yêu cầu bồi thường chi phí từ chối
,Available Qty,Số lượng có sẵn
DocType: Purchase Taxes and Charges,On Previous Row Total,Dựa trên tổng tiền dòng trên
-DocType: Purchase Invoice Item,Rejected Qty,Bị từ chối Qty
+DocType: Purchase Invoice Item,Rejected Qty,Số lượng bị từ chối
DocType: Salary Slip,Working Days,Ngày làm việc
DocType: Serial No,Incoming Rate,Tỷ lệ đến
DocType: Packing Slip,Gross Weight,Tổng trọng lượng
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,Tên của công ty của bạn mà bạn đang thiết lập hệ thống này.
-DocType: HR Settings,Include holidays in Total no. of Working Days,Bao gồm các ngày lễ trong Tổng số không. Days làm việc
-DocType: Job Applicant,Hold,Giữ
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,Tên của công ty của bạn mà bạn đang thiết lập hệ thống này.
+DocType: HR Settings,Include holidays in Total no. of Working Days,Bao gồm các ngày lễ trong Tổng số. của các ngày làm việc
+DocType: Job Applicant,Hold,tổ chức
DocType: Employee,Date of Joining,ngày gia nhập
-DocType: Naming Series,Update Series,Cập nhật dòng
+DocType: Naming Series,Update Series,Cập nhật sê ri
DocType: Supplier Quotation,Is Subcontracted,Được ký hợp đồng phụ
-DocType: Item Attribute,Item Attribute Values,Giá trị mục Attribute
+DocType: Item Attribute,Item Attribute Values,Các giá trị thuộc tính mẫu hàng
DocType: Examination Result,Examination Result,Kết quả kiểm tra
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,Mua hóa đơn
-,Received Items To Be Billed,Mục nhận được lập hoá đơn
+,Received Items To Be Billed,Những mẫu hàng nhận được để lập hóa đơn
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,Trượt chân Mức lương nộp
-DocType: Employee,Ms,Ms
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,Tổng tỷ giá hối đoái.
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},Tham khảo DOCTYPE phải là một trong {0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,Tổng tỷ giá hối đoái.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},Loại tài liệu tham khảo phải là 1 trong {0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},Không thể tìm Time Khe cắm trong {0} ngày tới cho Chiến {1}
-DocType: Production Order,Plan material for sub-assemblies,Tài liệu kế hoạch cho các cụm chi tiết
+DocType: Production Order,Plan material for sub-assemblies,Lên nguyên liệu cho các lần lắp ráp phụ
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,Đại lý bán hàng và địa bàn
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,Có thể không tự động tạo tài khoản như đã có là số dư chứng khoán trong tài khoản. Bạn phải tạo một tài khoản phù hợp trước khi bạn có thể tạo một entry trên kho này
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0} phải là active
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0} phải hoạt động
DocType: Journal Entry,Depreciation Entry,Nhập Khấu hao
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,Hãy chọn các loại tài liệu đầu tiên
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,Hủy bỏ {0} thăm Vật liệu trước khi hủy bỏ bảo trì đăng nhập này
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},Không nối tiếp {0} không thuộc về hàng {1}
DocType: Purchase Receipt Item Supplied,Required Qty,Số lượng yêu cầu
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,Các kho hàng với giao dịch hiện tại không thể được chuyển đổi sang sổ cái.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,Các kho hàng với giao dịch hiện tại không thể được chuyển đổi sang sổ cái.
DocType: Bank Reconciliation,Total Amount,Tổng tiền
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,Internet xuất bản
DocType: Production Planning Tool,Production Orders,Đơn đặt hàng sản xuất
@@ -967,46 +972,47 @@
apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +69,Publish to sync items,Xuất bản để đồng bộ các hạng mục
DocType: Bank Reconciliation,Account Currency,Tiền tệ Tài khoản
apps/erpnext/erpnext/accounts/general_ledger.py +142,Please mention Round Off Account in Company,Xin đề cập đến Round tài khoản tại Công ty Tắt
-DocType: Purchase Receipt,Range,Dải
+DocType: Purchase Receipt,Range,Tầm
DocType: Supplier,Default Payable Accounts,Mặc định Accounts Payable
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +49,Employee {0} is not active or does not exist,Nhân viên {0} không hoạt động hoặc không tồn tại
DocType: Fee Structure,Components,Các thành phần
-apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Vui lòng nhập tài sản Thể loại trong mục {0}
+apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},Vui lòng nhập loại tài sản trong mục {0}
DocType: Quality Inspection Reading,Reading 6,Đọc 6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,Không thể {0} {1} {2} không có bất kỳ hóa đơn xuất sắc tiêu cực
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,Không thể {0} {1} {2} không có bất kỳ hóa đơn xuất sắc tiêu cực
DocType: Purchase Invoice Advance,Purchase Invoice Advance,Mua hóa đơn trước
DocType: Hub Settings,Sync Now,Bây giờ Sync
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},Row {0}: lối vào tín dụng không thể được liên kết với một {1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,Xác định ngân sách cho năm tài chính.
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,Xác định ngân sách cho năm tài chính.
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,Ngân hàng mặc định/ TK tiền mặt sẽ được tự động cập nhật trên hóa đơn của điểm bán hàng POS khi chế độ này được chọn.
DocType: Lead,LEAD-,LEAD-
DocType: Employee,Permanent Address Is,Địa chỉ thường trú là
DocType: Production Order Operation,Operation completed for how many finished goods?,Hoạt động hoàn thành cho bao nhiêu thành phẩm?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,Các thương hiệu
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,Các thương hiệu
DocType: Employee,Exit Interview Details,Chi tiết thoát Phỏng vấn
DocType: Item,Is Purchase Item,Là mua hàng
DocType: Asset,Purchase Invoice,Mua hóa đơn
-DocType: Stock Ledger Entry,Voucher Detail No,Chứng từ chi tiết Không
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,Hóa đơn bán hàng mới
+DocType: Stock Ledger Entry,Voucher Detail No,Chứng từ chi tiết số
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,Hóa đơn bán hàng mới
DocType: Stock Entry,Total Outgoing Value,Tổng giá trị Outgoing
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,Khai mạc Ngày và ngày kết thúc nên trong năm tài chính tương tự
DocType: Lead,Request for Information,Yêu cầu thông tin
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,Đồng bộ hóa offline Hoá đơn
-DocType: Payment Request,Paid,Paid
+,LeaderBoard,Bảng thành tích
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,Đồng bộ hóa offline Hoá đơn
+DocType: Payment Request,Paid,Đã trả
DocType: Program Fee,Program Fee,Phí chương trình
DocType: Salary Slip,Total in words,Tổng số nói cách
-DocType: Material Request Item,Lead Time Date,Ngày Thời gian Tiềm năng
+DocType: Material Request Item,Lead Time Date,Ngày Thời gian Lead
DocType: Guardian,Guardian Name,Tên người giám hộ
DocType: Cheque Print Template,Has Print Format,Có Định dạng In
DocType: Employee Loan,Sanctioned,xử phạt
-apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,là bắt buộc. Có bản ghi Tỷ Giá không được tạo ra cho
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},Hàng # {0}: Hãy xác định Serial No cho mục {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Đối với 'sản phẩm lô', Kho Hàng, Số Seri và Số Lô sẽ được xem xét từ bảng 'Danh sách đóng gói'. Nếu kho và số Lô giống nhau cho tất cả các mặt hàng đóng gói cho bất kỳ mặt hàng 'Hàng hóa theo lô', những giá trị có thể được nhập vào bảng hàng hóa chính, giá trị này sẽ được sao chép vào bảng 'Danh sách đóng gói'."
+apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,là bắt buộc. Bản ghi thu đổi ngoại tệ có thể không được tạo ra cho
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},Hàng # {0}: Hãy xác định số sê ri cho mục {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.","Đối với 'sản phẩm lô', Kho Hàng, Số Seri và Số Lô sẽ được xem xét từ bảng 'Danh sách đóng gói'. Nếu kho và số Lô giống nhau cho tất cả các mặt hàng đóng gói cho bất kỳ mặt hàng 'Hàng hóa theo lô', những giá trị có thể được nhập vào bảng hàng hóa chính, giá trị này sẽ được sao chép vào bảng 'Danh sách đóng gói'."
DocType: Job Opening,Publish on website,Xuất bản trên trang web
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,Chuyển hàng cho khách
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,Ngày trên h.đơn mua hàng không thể lớn hơn ngày hạch toán
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,Ngày trên h.đơn mua hàng không thể lớn hơn ngày hạch toán
DocType: Purchase Invoice Item,Purchase Order Item,Mua hàng mục
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,Thu nhập gián tiếp
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,Thu nhập gián tiếp
DocType: Student Attendance Tool,Student Attendance Tool,Công cụ tham dự Sinh viên
DocType: Cheque Print Template,Date Settings,Cài đặt ngày
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,Variance
@@ -1022,23 +1028,23 @@
Please enter a valid Invoice","Row {0}: Hóa đơn {1} là không hợp lệ, nó có thể bị hủy bỏ / không tồn tại. \ Vui lòng nhập một hóa đơn hợp lệ"
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +132,Row {0}: Payment against Sales/Purchase Order should always be marked as advance,Row {0}: Thanh toán chống Bán hàng / Mua hàng nên luôn luôn được đánh dấu là trước
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,Mối nguy hóa học
-DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Mặc định tài khoản Ngân hàng / Tiền sẽ được tự động cập nhật trong Lương Journal nhập khi chế độ này được chọn.
-DocType: BOM,Raw Material Cost(Company Currency),Nguyên liệu Chi phí (Công ty ngoại tệ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,Tất cả các mặt hàng đã được chuyển giao cho đặt hàng sản xuất này.
+DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,Mặc định tài khoản Ngân hàng / Tiền sẽ được tự động cập nhật trong Salary Journal Entry khi chế độ này được chọn.
+DocType: BOM,Raw Material Cost(Company Currency),Chi phí nguyên liệu (Tiền tệ công ty)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,Tất cả các mặt hàng đã được chuyển giao cho đặt hàng sản xuất này.
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Hàng # {0}: Tỷ lệ không được lớn hơn tỷ lệ được sử dụng trong {1} {2}
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},Hàng # {0}: Tỷ lệ không được lớn hơn tỷ lệ được sử dụng trong {1} {2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,Meter
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,Mét
DocType: Workstation,Electricity Cost,Chi phí điện
DocType: HR Settings,Don't send Employee Birthday Reminders,Không gửi nhân viên sinh Nhắc nhở
DocType: Item,Inspection Criteria,Tiêu chuẩn kiểm tra
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,Nhận chuyển nhượng
-DocType: BOM Website Item,BOM Website Item,BOM Trang web mục
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,Tải lên tiêu đề trang và logo. (Bạn có thể chỉnh sửa chúng sau này).
+DocType: BOM Website Item,BOM Website Item,Mẫu hàng Website BOM
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,Tải lên tiêu đề trang và logo. (Bạn có thể chỉnh sửa chúng sau này).
DocType: Timesheet Detail,Bill,Hóa đơn
-apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Tiếp Khấu hao ngày được nhập như ngày trong quá khứ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,Trắng
+apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,Kỳ hạn khấu hao tiếp theo được nhập vào như kỳ hạn cũ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,Trắng
DocType: SMS Center,All Lead (Open),Tất cả Tiềm năng (Mở)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Số lượng không có sẵn cho {4} trong kho {1} tại đăng thời gian nhập cảnh ({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),Row {0}: Số lượng không có sẵn cho {4} trong kho {1} tại đăng thời gian nhập cảnh ({2} {3})
DocType: Purchase Invoice,Get Advances Paid,Được trả tiền trước
DocType: Item,Automatically Create New Batch,Tự động tạo hàng loạt
DocType: Item,Automatically Create New Batch,Tự động tạo hàng loạt
@@ -1049,33 +1055,33 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,Giỏ hàng
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},Loại thứ tự phải là một trong {0}
DocType: Lead,Next Contact Date,Ngày Liên hệ Tiếp theo
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,Mở Số lượng
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,Vui lòng nhập tài khoản để thay đổi Số tiền
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,Mở Số lượng
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,Vui lòng nhập tài khoản để thay đổi Số tiền
DocType: Student Batch Name,Student Batch Name,Tên sinh viên hàng loạt
-DocType: Holiday List,Holiday List Name,Kỳ nghỉ Danh sách Tên
-DocType: Repayment Schedule,Balance Loan Amount,Dư nợ cho vay Số tiền
+DocType: Holiday List,Holiday List Name,Tên Danh Sách Kỳ Nghỉ
+DocType: Repayment Schedule,Balance Loan Amount,Số dư vay nợ
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,lịch học
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,Tùy chọn hàng tồn kho
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,Tùy chọn hàng tồn kho
DocType: Journal Entry Account,Expense Claim,Chi phí bồi thường
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,Bạn có thực sự muốn khôi phục lại tài sản bị tháo dỡ này?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},Số lượng cho {0}
DocType: Leave Application,Leave Application,Để lại ứng dụng
apps/erpnext/erpnext/config/hr.py +80,Leave Allocation Tool,Công cụ để phân bổ
DocType: Leave Block List,Leave Block List Dates,Để lại Danh sách Chặn Ngày
-DocType: Workstation,Net Hour Rate,Tỷ Hour Net
+DocType: Workstation,Net Hour Rate,Tỷ giá giờ thuần
DocType: Landed Cost Purchase Receipt,Landed Cost Purchase Receipt,Chi phí hạ cánh mua hóa đơn
DocType: Company,Default Terms,Mặc định khoản
-DocType: Packing Slip Item,Packing Slip Item,Đóng gói trượt mục
+DocType: Packing Slip Item,Packing Slip Item,Mẫu hàng bảng đóng gói
DocType: Purchase Invoice,Cash/Bank Account,Tài khoản tiền mặt / Ngân hàng
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},Vui lòng ghi rõ {0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},Vui lòng ghi rõ {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,Các mục gỡ bỏ không có thay đổi về số lượng hoặc giá trị.
DocType: Delivery Note,Delivery To,Để giao hàng
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,Bảng thuộc tính là bắt buộc
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,Bảng thuộc tính là bắt buộc
DocType: Production Planning Tool,Get Sales Orders,Chọn đơn đặt hàng
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0} không được phép âm
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0} không được âm
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,Giảm giá
DocType: Asset,Total Number of Depreciations,Tổng Số khấu hao
-DocType: Sales Invoice Item,Rate With Margin,Tỷ lệ Giãn
+DocType: Sales Invoice Item,Rate With Margin,Tỷ lệ chênh lệch
DocType: Sales Invoice Item,Rate With Margin,Tỷ lệ Giãn
DocType: Workstation,Wages,Tiền lương
DocType: Project,Internal,Nội bộ
@@ -1093,116 +1099,117 @@
DocType: Serial No,Creation Document No,Tạo ra văn bản số
DocType: Issue,Issue,Nội dung:
DocType: Asset,Scrapped,Loại bỏ
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,Tài khoản không khớp với với Công ty
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.","Các thuộc tính cho khoản biến thể. ví dụ như kích cỡ, màu sắc, vv"
DocType: Purchase Invoice,Returns,Returns
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP kho
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +195,Serial No {0} is under maintenance contract upto {1},Không nối tiếp {0} là theo hợp đồng bảo trì tối đa {1}
apps/erpnext/erpnext/config/hr.py +35,Recruitment,tuyển dụng
DocType: Lead,Organization Name,Tên tổ chức
-DocType: Tax Rule,Shipping State,Vận Chuyển Nhà nước
+DocType: Tax Rule,Shipping State,Vận Chuyển bang
,Projected Quantity as Source,Số lượng dự kiến là nguồn
-apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,Item phải được bổ sung bằng cách sử dụng 'Nhận Items từ Mua Tiền thu' nút
+apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,Mẫu hàng phải được bổ sung bằng cách sử dụng nút'Nhận Items từ Mua Tiền thu'
DocType: Employee,A-,A-
-DocType: Production Planning Tool,Include non-stock items,Bao gồm các mặt hàng không cổ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,Chi phí bán hàng
+DocType: Production Planning Tool,Include non-stock items,Bao gồm các mặt hàng không có
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,Chi phí bán hàng
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,Mua hàng mặc định
DocType: GL Entry,Against,Chống lại
DocType: Item,Default Selling Cost Center,Bộ phận chi phí bán hàng mặc định
DocType: Sales Partner,Implementation Partner,Đối tác thực hiện
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,Mã Bưu Chính
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,Mã Bưu Chính
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},Đơn hàng {0} là {1}
DocType: Opportunity,Contact Info,Thông tin Liên hệ
-apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Làm Cổ Entries
-DocType: Packing Slip,Net Weight UOM,Trọng lượng UOM
-apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +20,{0} Results,{0} Kết quả
+apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,Làm Bút toán tồn kho
+DocType: Packing Slip,Net Weight UOM,Trọng lượng tịnh UOM
+apps/erpnext/erpnext/hr/doctype/training_result/training_result.py +20,{0} Results,{0} Các kết quả
DocType: Item,Default Supplier,Nhà cung cấp mặc định
DocType: Manufacturing Settings,Over Production Allowance Percentage,Trong sản xuất Allowance Tỷ
DocType: Employee Loan,Repayment Schedule,Kế hoạch trả nợ
-DocType: Shipping Rule Condition,Shipping Rule Condition,Quy tắc vận chuyển Điều kiện
-DocType: Holiday List,Get Weekly Off Dates,Nhận Tuần Tắt Ngày
+DocType: Shipping Rule Condition,Shipping Rule Condition,Điều kiện quy tắc vận chuyển
+DocType: Holiday List,Get Weekly Off Dates,Nhận ngày nghỉ hàng tuần
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,Ngày kết thúc không thể nhỏ hơn Bắt đầu ngày
DocType: Sales Person,Select company name first.,Chọn tên công ty đầu tiên.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,Tiến sĩ
-apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Trích dẫn nhận được từ nhà cung cấp.
+apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,Báo giá nhận được từ nhà cung cấp.
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},Để {0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,Tuổi trung bình
DocType: School Settings,Attendance Freeze Date,Ngày đóng băng
DocType: School Settings,Attendance Freeze Date,Ngày đóng băng
DocType: Opportunity,Your sales person who will contact the customer in future,"Nhân viên bán hàng của bạn, người sẽ liên hệ với khách hàng trong tương lai"
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,"Danh sách một số nhà cung cấp của bạn. Họ có thể là các tổ chức, cá nhân."
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,Danh sách một số nhà cung cấp của bạn. Họ có thể là các tổ chức hoặc cá nhân.
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,Xem Tất cả Sản phẩm
-apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Độ tuổi lãnh đạo tối thiểu (Ngày)
-apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Độ tuổi lãnh đạo tối thiểu (Ngày)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,Tất cả BOMs
+apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Độ tuổi Lead tối thiểu (Ngày)
+apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),Độ tuổi Lead tối thiểu (Ngày)
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,Tất cả BOMs
DocType: Company,Default Currency,Mặc định tệ
DocType: Expense Claim,From Employee,Từ nhân viên
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Cảnh báo: Hệ thống sẽ không kiểm tra quá hạn với số tiền = 0 cho vật tư {0} trong {1}
-DocType: Journal Entry,Make Difference Entry,Hãy khác biệt nhập
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,Cảnh báo: Hệ thống sẽ không kiểm tra quá hạn với số tiền = 0 cho vật tư {0} trong {1}
+DocType: Journal Entry,Make Difference Entry,Tạo bút toán khác biệt
DocType: Upload Attendance,Attendance From Date,Có mặt Từ ngày
DocType: Appraisal Template Goal,Key Performance Area,Key Performance Area
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,Vận chuyển
+DocType: Program Enrollment,Transportation,Vận chuyển
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,Thuộc tính không hợp lệ
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1} phải được đệ trình
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1} phải được đệ trình
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},Số lượng phải nhỏ hơn hoặc bằng {0}
DocType: SMS Center,Total Characters,Tổng số nhân vật
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},Vui lòng chọn BOM BOM trong lĩnh vực cho hàng {0}
-DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-Mẫu hóa đơn chi tiết
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},Vui lòng chọn BOM BOM trong lĩnh vực cho hàng {0}
+DocType: C-Form Invoice Detail,C-Form Invoice Detail,C- Mẫu hóa đơn chi tiết
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,Hòa giải thanh toán hóa đơn
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,Đóng góp%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}","Theo các cài đặt mua bán, nếu đơn đặt hàng đã yêu cầu == 'CÓ', với việc tạo lập hóa đơn mua hàng, người dùng cần phải tạo lập hóa đơn mua hàng đầu tiên cho danh mục {0}"
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,Số đăng ký công ty để bạn tham khảo. Số thuế vv
DocType: Sales Partner,Distributor,Nhà phân phối
-DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Shopping Cart Shipping Rule
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,Đặt hàng sản xuất {0} phải được hủy bỏ trước khi hủy bỏ đơn đặt hàng này
+DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,Quy tắc vận chuyển giỏ hàng mua sắm
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +224,Production Order {0} must be cancelled before cancelling this Sales Order,Đơn Đặt hàng {0} phải được hủy bỏ trước khi hủy bỏ đơn đặt hàng này
apps/erpnext/erpnext/public/js/controllers/transaction.js +71,Please set 'Apply Additional Discount On',Xin hãy đặt 'Áp dụng giảm giá bổ sung On'
-,Ordered Items To Be Billed,Ra lệnh tiêu được lập hoá đơn
+,Ordered Items To Be Billed,Các mặt hàng đã đặt hàng phải được thanh toán
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,Từ Phạm vi có thể ít hơn Để Phạm vi
DocType: Global Defaults,Global Defaults,Mặc định toàn cầu
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,Lời mời hợp tác dự án
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,Lời mời hợp tác dự án
DocType: Salary Slip,Deductions,Các khoản giảm trừ
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,Bắt đầu năm
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},2 số đầu của số tài khoản GST nên phù hợp với số của bang {0}
DocType: Purchase Invoice,Start date of current invoice's period,Ngày của thời kỳ hóa đơn hiện tại bắt đầu
DocType: Salary Slip,Leave Without Pay,Nếu không phải trả tiền lại
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,Công suất Lỗi Kế hoạch
,Trial Balance for Party,Trial Balance cho Đảng
DocType: Lead,Consultant,Tư vấn
DocType: Salary Slip,Earnings,Thu nhập
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,Hoàn thành mục {0} phải được nhập cho loại Sản xuất nhập cảnh
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,Hoàn thành mục {0} phải được nhập cho loại Sản xuất nhập cảnh
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,Mở cân đối kế toán
+,GST Sales Register,Đăng ký mua GST
DocType: Sales Invoice Advance,Sales Invoice Advance,Hóa đơn bán hàng trước
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,Không có gì để yêu cầu
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},Một kỷ lục Ngân sách '{0}' đã tồn tại đối với {1} {2} 'cho năm tài chính {3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date','Ngày Bắt đầu Thực tế' không thể sau 'Ngày Kết thúc Thực tế'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,Quản lý
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,Quản lý
DocType: Cheque Print Template,Payer Settings,Cài đặt người trả tiền
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""","Điều này sẽ được nối thêm vào các mã hàng của các biến thể. Ví dụ, nếu bạn viết tắt là ""SM"", và các mã hàng là ""T-shirt"", các mã hàng của các biến thể sẽ là ""T-shirt-SM"""
-DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Net phải trả tiền (bằng chữ) sẽ được hiển thị khi bạn lưu Phiếu lương.
-DocType: Purchase Invoice,Is Return,Là Return
+DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,Tiền thực phải trả (bằng chữ) sẽ hiện ra khi bạn lưu bảng lương
+DocType: Purchase Invoice,Is Return,Là trả lại
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +771,Return / Debit Note,Return / Debit Note
DocType: Price List Country,Price List Country,Giá Danh sách Country
DocType: Item,UOMs,UOMs
-apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},{0} Các số seri hợp lệ cho mục {1}
+apps/erpnext/erpnext/stock/utils.py +182,{0} valid serial nos for Item {1},{0} Các dãy số hợp lệ cho vật liệu {1}
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +57,Item Code cannot be changed for Serial No.,Mã hàng không có thể được thay đổi cho Số sản
-apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},POS Hồ sơ {0} đã được tạo ra cho người sử dụng: {1} và công ty {2}
+apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +24,POS Profile {0} already created for user: {1} and company {2},Hồ sơ POS {0} đã được tạo ra cho người sử dụng: {1} và công ty {2}
DocType: Sales Invoice Item,UOM Conversion Factor,UOM chuyển đổi yếu tố
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +24,Please enter Item Code to get Batch Number,Vui lòng nhập Item Code để có được Số lô
DocType: Stock Settings,Default Item Group,Mặc định mục Nhóm
DocType: Employee Loan,Partially Disbursed,phần giải ngân
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,Cơ sở dữ liệu nhà cung cấp.
-DocType: Account,Balance Sheet,Cân đối kế toán
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',Cost Center For Item with Item Code '
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Chế độ thanh toán không được cấu hình. Vui lòng kiểm tra, cho dù tài khoản đã được thiết lập trên chế độ thanh toán hoặc trên POS hồ sơ."
+DocType: Account,Balance Sheet,Bảng Cân đối kế toán
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',Cost Center For Item with Item Code '
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.","Chế độ thanh toán không đượcđịnh hình. Vui lòng kiểm tra, dù tài khoản đã được thiết lập trên chế độ thanh toán hoặc trên hồ sơ POS"
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,Nhân viên kinh doanh của bạn sẽ nhận được một lời nhắc vào ngày này để liên hệ với khách hàng
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,Cùng mục không thể được nhập nhiều lần.
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups","Tài khoản có thể tiếp tục được thực hiện theo nhóm, nhưng mục có thể được thực hiện đối với phi Groups"
-DocType: Lead,Lead,Tiềm năng
+DocType: Lead,Lead,Lead
DocType: Email Digest,Payables,Phải trả
DocType: Course,Course Intro,Khóa học Giới thiệu
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,Cổ nhập {0} đã tạo
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,Row # {0}: Bị từ chối Số lượng không thể được nhập vào Mua Return
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,Hàng # {0}: Bị từ chối Số lượng không thể được nhập vào Mua Return
,Purchase Order Items To Be Billed,Tìm mua hàng được lập hoá đơn
-DocType: Purchase Invoice Item,Net Rate,Tỷ Net
+DocType: Purchase Invoice Item,Net Rate,Tỷ giá thuần
DocType: Purchase Invoice Item,Purchase Invoice Item,Hóa đơn mua hàng
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +58,Stock Ledger Entries and GL Entries are reposted for the selected Purchase Receipts,Cổ Ledger Entries và GL Entries được đăng lại cho các biên nhận mua hàng lựa chọn
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +8,Item 1,Khoản 1
@@ -1219,7 +1226,7 @@
DocType: Purchase Order,Group same items,Nhóm sản phẩm tương tự
DocType: Global Defaults,Disable Rounded Total,Vô hiệu hóa Tròn Tổng số
DocType: Employee Loan Application,Repayment Info,Thông tin thanh toán
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,'Chứng từ nhập' không thể để trống
+apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +448,'Entries' cannot be empty,"""Bút toán"" không thể để trống"
apps/erpnext/erpnext/utilities/transaction_base.py +81,Duplicate row {0} with same {1},Hàng trùng lặp {0} với cùng {1}
,Trial Balance,Xét xử dư
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +416,Fiscal Year {0} not found,Năm tài chính {0} không tìm thấy
@@ -1227,7 +1234,7 @@
DocType: Sales Order,SO-,VÌ THẾ-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,Vui lòng chọn tiền tố đầu tiên
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,Nghiên cứu
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,Nghiên cứu
DocType: Maintenance Visit Purpose,Work Done,Xong công việc
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,Xin vui lòng ghi rõ ít nhất một thuộc tính trong bảng thuộc tính
DocType: Announcement,All Students,Tất cả học sinh
@@ -1235,17 +1242,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,Xem Ledger
DocType: Grading Scale,Intervals,khoảng thời gian
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,Sớm nhất
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group","Một mục Nhóm tồn tại với cùng một tên, hãy thay đổi tên mục hoặc đổi tên nhóm mặt hàng"
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,Sinh viên Điện thoại di động số
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,Phần còn lại của Thế giới
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group","Một mục Nhóm tồn tại với cùng một tên, hãy thay đổi tên mục hoặc đổi tên nhóm mặt hàng"
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,Sinh viên Điện thoại di động số
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,Phần còn lại của Thế giới
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,Item {0} không thể có hàng loạt
,Budget Variance Report,Báo cáo chênh lệch ngân sách
DocType: Salary Slip,Gross Pay,Tổng phải trả tiền
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,Row {0}: Loại hoạt động là bắt buộc.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,Cổ tức trả tiền
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,Cổ tức trả tiền
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,Sổ cái hạch toán
DocType: Stock Reconciliation,Difference Amount,Chênh lệch Số tiền
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,Thu nhập giữ lại
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,Thu nhập giữ lại
DocType: Vehicle Log,Service Detail,Chi tiết dịch vụ
DocType: BOM,Item Description,Mô tả hạng mục
DocType: Student Sibling,Student Sibling,sinh viên anh chị em ruột
@@ -1256,61 +1263,60 @@
DocType: Email Digest,New Income,thu nhập mới
DocType: School Settings,School Settings,Cài đặt trường học
DocType: School Settings,School Settings,Cài đặt trường học
-DocType: Buying Settings,Maintain same rate throughout purchase cycle,Duy trì cùng một tốc độ trong suốt chu kỳ mua
+DocType: Buying Settings,Maintain same rate throughout purchase cycle,Duy trì tỷ giá giống nhau suốt chu kỳ mua bán
DocType: Opportunity Item,Opportunity Item,Cơ hội mục
,Student and Guardian Contact Details,Sinh viên và người giám hộ Chi tiết liên lạc
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,Row {0}: Đối với nhà cung cấp {0} Địa chỉ email được yêu cầu để gửi email
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,Mở cửa tạm thời
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,Mở cửa tạm thời
,Employee Leave Balance,Để lại cân nhân viên
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},Số dư cho Tài khoản {0} luôn luôn phải {1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},Đinh giá phải có cho mục ở hàng {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,Ví dụ: Thạc sĩ Khoa học Máy tính
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,Ví dụ: Thạc sĩ Khoa học Máy tính
DocType: Purchase Invoice,Rejected Warehouse,Kho chứa hàng mua bị từ chối
DocType: GL Entry,Against Voucher,Chống lại Voucher
DocType: Item,Default Buying Cost Center,Bộ phận Chi phí mua hàng mặc định
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +6,"To get the best out of ERPNext, we recommend that you take some time and watch these help videos.","Để tận dụng tốt nhất của ERPNext, chúng tôi khuyên bạn mất một thời gian và xem những đoạn phim được giúp đỡ."
apps/erpnext/erpnext/accounts/page/pos/pos.js +73, to ,đến
-DocType: Item,Lead Time in days,Thời gian Tiềm năng theo ngày
-apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Tổng hợp các tài khoản phải trả
+DocType: Item,Lead Time in days,Thời gian Lead theo ngày
+apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +58,Accounts Payable Summary,Sơ lược các tài khoản phải trả
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +332,Payment of salary from {0} to {1},Trả lương từ {0} đến {1}
-apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Không được phép chỉnh sửa tài khoản đông lạnh {0}
+apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +213,Not authorized to edit frozen Account {0},Không được phép chỉnh sửa tài khoản đóng băng {0}
DocType: Journal Entry,Get Outstanding Invoices,Được nổi bật Hoá đơn
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,Đơn đặt hàng {0} không hợp lệ
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,đơn đặt hàng giúp bạn lập kế hoạch và theo dõi mua hàng của bạn
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged","Xin lỗi, công ty không thể được sáp nhập"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged","Xin lỗi, công ty không thể được sáp nhập"
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",Tổng khối lượng phát hành / Chuyển {0} trong Chất liệu Yêu cầu {1} \ không thể nhiều hơn số lượng yêu cầu {2} cho mục {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,Nhỏ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,Nhỏ
DocType: Employee,Employee Number,Số nhân viên
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},Không trường hợp (s) đã được sử dụng. Cố gắng từ Trường hợp thứ {0}
DocType: Project,% Completed,% Hoàn thành
-,Invoiced Amount (Exculsive Tax),Số tiền ghi trên hóa đơn (thuế Exculsive)
+,Invoiced Amount (Exculsive Tax),Số tiền ghi trên hóa đơn (thuế độc quyền )
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,Khoản 2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,TK chính {0} đã được tạo
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,Sự kiện Đào tạo
DocType: Item,Auto re-order,Auto lại trật tự
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,Tổng số đã đạt được
DocType: Employee,Place of Issue,Nơi cấp
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,hợp đồng
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,hợp đồng
DocType: Email Digest,Add Quote,Thêm Quote
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},Yếu tố cần thiết cho coversion UOM UOM: {0} trong Item: {1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,Chi phí gián tiếp
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},Yếu tố cần thiết cho coversion UOM UOM: {0} trong Item: {1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,Chi phí gián tiếp
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,Hàng {0}: Số lượng là bắt buộc
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,Nông nghiệp
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,Dữ liệu Sync Thạc sĩ
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,Sản phẩm hoặc dịch vụ của bạn
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,Dữ liệu Sync Thạc sĩ
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,Sản phẩm hoặc dịch vụ của bạn
DocType: Mode of Payment,Mode of Payment,Hình thức thanh toán
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,Hình ảnh website phải là một tập tin publice hoặc URL của trang web
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,Hình ảnh website phải là một tập tin publice hoặc URL của trang web
DocType: Student Applicant,AP,AP
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,Đây là một nhóm mục gốc và không thể được chỉnh sửa.
DocType: Journal Entry Account,Purchase Order,Mua hàng
DocType: Vehicle,Fuel UOM,nhiên liệu Đơn vị đo lường
-DocType: Warehouse,Warehouse Contact Info,Thông tin Liên hệ Kho
+DocType: Warehouse,Warehouse Contact Info,Kho Thông tin Liên hệ
DocType: Payment Entry,Write Off Difference Amount,Viết Tắt Chênh lệch Số tiền
DocType: Purchase Invoice,Recurring Type,Định kỳ Loại
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent",{0}: không tìm thấy email của nhân viên. do đó không gửi được email
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent",{0}: không tìm thấy email của nhân viên. do đó không gửi được email
DocType: Item,Foreign Trade Details,Chi tiết Ngoại thương
DocType: Email Digest,Annual Income,Thu nhập hàng năm
DocType: Serial No,Serial No Details,Không có chi tiết nối tiếp
@@ -1318,15 +1324,15 @@
DocType: Student Group Student,Group Roll Number,Số cuộn nhóm
DocType: Student Group Student,Group Roll Number,Số cuộn nhóm
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry","Đối với {0}, tài khoản tín dụng chỉ có thể được liên kết chống lại mục nợ khác"
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Tổng số các trọng số nhiệm vụ cần được 1. Vui lòng điều chỉnh trọng lượng của tất cả các công việc của dự án phù hợp
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,Giao hàng Ghi {0} không nộp
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,Mục {0} phải là một mục phụ ký hợp đồng
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,Thiết bị vốn
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Giá Rule là lần đầu tiên được lựa chọn dựa trên 'Áp dụng trên' lĩnh vực, có thể được Item, mục Nhóm hoặc thương hiệu."
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,Tổng số các trọng số nhiệm vụ cần được 1. Vui lòng điều chỉnh trọng lượng của tất cả các công việc của dự án phù hợp
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,Giao hàng Ghi {0} không nộp
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,Mục {0} phải là một mục phụ ký hợp đồng
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,Thiết bị vốn
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.","Luật giá được lựa chọn đầu tiên dựa vào trường ""áp dụng vào"", có thể trở thành mẫu hàng, nhóm mẫu hàng, hoặc nhãn hiệu."
DocType: Hub Settings,Seller Website,Người bán website
DocType: Item,ITEM-,MỤC-
apps/erpnext/erpnext/controllers/selling_controller.py +148,Total allocated percentage for sales team should be 100,Tổng tỷ lệ phần trăm phân bổ cho đội ngũ bán hàng nên được 100
-apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Tình trạng tự sản xuất là {0}
+apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +113,Production Order status is {0},Tình trạng đặt hàng sản phẩm là {0}
DocType: Appraisal Goal,Goal,Mục tiêu
DocType: Sales Invoice Item,Edit Description,Chỉnh sửa Mô tả
,Team Updates,đội cập nhật
@@ -1338,49 +1344,50 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,Tổng số Outgoing
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""","Chỉ có thể có một vận chuyển Quy tắc Điều kiện với 0 hoặc giá trị trống cho ""Để giá trị gia tăng"""
DocType: Authorization Rule,Transaction,cô lập Giao dịch
-apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Note: This Cost Center is a Group. Cannot make accounting entries against groups
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,kho con tồn tại cho nhà kho này. Bạn không thể xóa nhà kho này.
+apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,Lưu ý: Trung tâm chi phí này là 1 nhóm. Không thể tạo ra bút toán kế toán với các nhóm này
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,kho con tồn tại cho nhà kho này. Bạn không thể xóa nhà kho này.
DocType: Item,Website Item Groups,Các Nhóm mục website
DocType: Purchase Invoice,Total (Company Currency),Tổng số (Công ty tiền tệ)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,Nối tiếp số {0} vào nhiều hơn một lần
-DocType: Depreciation Schedule,Journal Entry,Tạp chí nhập
+DocType: Depreciation Schedule,Journal Entry,Bút toán nhật ký
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +78,{0} items in progress,{0} mục trong tiến trình
DocType: Workstation,Workstation Name,Tên máy trạm
DocType: Grading Scale Interval,Grade Code,Mã lớp
-DocType: POS Item Group,POS Item Group,POS mục Nhóm
+DocType: POS Item Group,POS Item Group,Nhóm POS
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,Email Digest:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0} không thuộc mục {1}
-DocType: Sales Partner,Target Distribution,Phân phối mục tiêu
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0} không thuộc mục {1}
+DocType: Sales Partner,Target Distribution,phân bổ mục tiêu
DocType: Salary Slip,Bank Account No.,Tài khoản ngân hàng số
DocType: Naming Series,This is the number of the last created transaction with this prefix,Đây là số lượng các giao dịch tạo ra cuối cùng với tiền tố này
DocType: Quality Inspection Reading,Reading 8,Đọc 8
DocType: Sales Partner,Agent,Đại lý
DocType: Purchase Invoice,Taxes and Charges Calculation,tính toán Thuế và Phí
-DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Sách khấu hao tài sản sách
-DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Sách khấu hao tài sản sách
+DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,sách khấu hao tài sản cho bút toán tự động
+DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,Sách khấu hao tài sản cho bút toán tự động
DocType: BOM Operation,Workstation,Máy trạm
DocType: Request for Quotation Supplier,Request for Quotation Supplier,Yêu cầu báo giá Nhà cung cấp
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,Phần cứng
-DocType: Sales Order,Recurring Upto,Định kỳ Upto
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,Phần cứng
+DocType: Sales Order,Recurring Upto,Định kỳ cho tới
DocType: Attendance,HR Manager,Trưởng phòng Nhân sự
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,Hãy lựa chọn một công ty
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,Để lại đặc quyền
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,Hãy lựa chọn một công ty
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,Để lại đặc quyền
DocType: Purchase Invoice,Supplier Invoice Date,Nhà cung cấp hóa đơn ngày
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,trên
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,Bạn cần phải kích hoạt module Giỏ hàng
DocType: Payment Entry,Writeoff,Xóa sổ
DocType: Appraisal Template Goal,Appraisal Template Goal,Thẩm định mẫu Mục tiêu
DocType: Salary Component,Earning,Thu nhập
-DocType: Purchase Invoice,Party Account Currency,Đảng Tài khoản ngoại tệ
-,BOM Browser,Xem BOM
+DocType: Purchase Invoice,Party Account Currency,Tài khoản tiền tệ của đối tác
+,BOM Browser,Trình duyệt BOM
DocType: Purchase Taxes and Charges,Add or Deduct,Thêm hoặc Khấu trừ
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,Điều kiện chồng chéo tìm thấy giữa:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,Chống Journal nhập {0} đã được điều chỉnh đối với một số chứng từ khác
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,Tổng giá trị theo thứ tự
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,Thực phẩm
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,Thực phẩm
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,Phạm vi Ageing 3
-DocType: Maintenance Schedule Item,No of Visits,Không có các chuyến thăm
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,Đánh dấu Attendence
-apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Lịch bảo trì {0} tồn tại chống lại {1}
+DocType: Maintenance Schedule Item,No of Visits,Số lần thăm
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,Đánh dấu có mặt
+apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},Lịch bảo trì {0} tồn tại với {0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,sinh viên ghi danh
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},Đồng tiền của tài khoản bế phải là {0}
apps/erpnext/erpnext/hr/doctype/appraisal_template/appraisal_template.py +21,Sum of points for all goals should be 100. It is {0},Sum điểm cho tất cả các mục tiêu phải 100. Nó là {0}
@@ -1393,6 +1400,7 @@
DocType: Rename Tool,Utilities,Tiện ích
DocType: Purchase Invoice Item,Accounting,Kế toán
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,Vui lòng chọn lô cho mục hàng loạt
DocType: Asset,Depreciation Schedules,Lịch khấu hao
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,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
DocType: Activity Cost,Projects,Dự án
@@ -1406,124 +1414,130 @@
DocType: POS Profile,Campaign,Chiến dịch
DocType: Supplier,Name and Type,Tên và Loại
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',"Tình trạng phê duyệt phải được ""chấp thuận"" hoặc ""từ chối"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,Bootstrap
DocType: Purchase Invoice,Contact Person,Người Liên hệ
-apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Ngày Bắt đầu Dự kiến' không thể sau 'Ngày Kết thúc Dự kiến'
+apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date','Ngày Bắt đầu Dự kiến' không a thể sau 'Ngày Kết thúc Dự kiến'
DocType: Course Scheduling Tool,Course End Date,Khóa học Ngày kết thúc
DocType: Holiday List,Holidays,Ngày lễ
DocType: Sales Order Item,Planned Quantity,Số lượng dự kiến
-DocType: Purchase Invoice Item,Item Tax Amount,Số tiền hàng Thuế
-DocType: Item,Maintain Stock,Duy trì tồn kho
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,Cổ Entries đã tạo ra cho sản xuất theo thứ tự
-DocType: Employee,Prefered Email,Ưa thích Email
-apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Thay đổi ròng trong Tài sản cố định
+DocType: Purchase Invoice Item,Item Tax Amount,mục Số tiền Thuế
+DocType: Item,Maintain Stock,Duy trì hàng tồn kho
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,Cổ Entries đã tạo ra cho sản xuất theo thứ tự
+DocType: Employee,Prefered Email,Email đề xuất
+apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,Chênh lệch giá tịnh trong Tài sản cố định
DocType: Leave Control Panel,Leave blank if considered for all designations,Để trống nếu xem xét tất cả các chỉ định
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,Warehouse là bắt buộc đối với tài khoản phi nhóm Loại chứng khoán
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Phí của loại 'thực tế' {0} hàng không có thể được bao gồm trong mục Rate
-apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Max: {0}
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,Phí của loại 'thực tế' {0} hàng không có thể được bao gồm trong mục Rate
+apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},Tối đa: {0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,Từ Datetime
DocType: Email Digest,For Company,Đối với công ty
apps/erpnext/erpnext/config/support.py +17,Communication log.,Đăng nhập thông tin liên lạc.
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +151,"Request for Quotation is disabled to access from portal, for more check portal settings.","Yêu cầu báo giá được vô hiệu hóa truy cập từ cổng thông tin, cho biết thêm cài đặt cổng kiểm tra."
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Buying Amount,Số tiền mua
-DocType: Sales Invoice,Shipping Address Name,Địa chỉ Shipping Name
+DocType: Sales Invoice,Shipping Address Name,tên địa chỉ vận chuyển
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,Danh mục tài khoản
DocType: Material Request,Terms and Conditions Content,Điều khoản và Điều kiện nội dung
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,không có thể lớn hơn 100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,Mục {0} không phải là một cổ phiếu hàng
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,không có thể lớn hơn 100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,Mục {0} không phải là một cổ phiếu hàng
DocType: Maintenance Visit,Unscheduled,Đột xuất
DocType: Employee,Owned,Sở hữu
DocType: Salary Detail,Depends on Leave Without Pay,Phụ thuộc vào Leave Nếu không phải trả tiền
-DocType: Pricing Rule,"Higher the number, higher the priority","Số càng cao, càng cao thì ưu tiên"
+DocType: Pricing Rule,"Higher the number, higher the priority","Số càng cao, thì mức độ ưu tiên càng cao"
,Purchase Invoice Trends,Mua hóa đơn Xu hướng
-DocType: Employee,Better Prospects,Viễn cảnh tốt hơn
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Hàng # {0}: Hàng {1} chỉ có {2} qty. Vui lòng chọn một lô khác có {3} có sẵn hoặc phân chia hàng thành nhiều hàng, để phân phối / xuất phát từ nhiều đợt"
+DocType: Employee,Better Prospects,Triển vọng tốt hơn
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches","Hàng # {0}: Hàng {1} chỉ có {2} qty. Vui lòng chọn một lô khác có {3} có sẵn hoặc phân chia hàng thành nhiều hàng, để phân phối / xuất phát từ nhiều đợt"
DocType: Vehicle,License Plate,Giấy phép mảng
DocType: Appraisal,Goals,Mục tiêu
DocType: Warranty Claim,Warranty / AMC Status,Bảo hành /tình trạng AMC
,Accounts Browser,Trình duyệt tài khoản
-DocType: Payment Entry Reference,Payment Entry Reference,Thanh toán nhập Reference
+DocType: Payment Entry Reference,Payment Entry Reference,Bút toán thanh toán tham khảo
DocType: GL Entry,GL Entry,GL nhập
DocType: HR Settings,Employee Settings,Thiết lập nhân viên
-,Batch-Wise Balance History,Batch-Wise Balance History
+,Batch-Wise Balance History,lịch sử số dư theo từng đợt
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,cài đặt máy in được cập nhật trong định dạng in tương ứng
DocType: Package Code,Package Code,Mã gói
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,Người học việc
-apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Số lượng tiêu cực không được phép
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,Người học việc
+DocType: Purchase Invoice,Company GSTIN,GSTIN công ty
+apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,Số lượng âm không được cho phép
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges","Thuế bảng chi tiết lấy từ chủ hàng là một chuỗi và lưu trữ trong lĩnh vực này.
Được sử dụng cho thuế và phí"
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,Nhân viên không thể báo cáo với chính mình.
DocType: Account,"If the account is frozen, entries are allowed to restricted users.","Nếu tài khoản bị đóng băng, các mục được phép sử dụng hạn chế."
DocType: Email Digest,Bank Balance,số dư Ngân hàng
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},Hạch toán kế toán cho {0}: {1} chỉ có thể được thực hiện bằng loại tiền tệ: {2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},Hạch toán kế toán cho {0}: {1} chỉ có thể được thực hiện bằng loại tiền tệ: {2}
DocType: Job Opening,"Job profile, qualifications required etc.","Hồ sơ công việc, trình độ chuyên môn cần thiết vv"
DocType: Journal Entry Account,Account Balance,Số dư Tài khoản
-apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Rule thuế cho các giao dịch.
+apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,Luật thuế cho các giao dịch
DocType: Rename Tool,Type of document to rename.,Loại tài liệu để đổi tên.
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,Chúng tôi mua vật tư HH này
-apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Khách hàng được yêu cầu tài khoản phải thu {2}
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,Chúng tôi mua vật tư HH này
+apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}: Khách hàng được yêu cầu với tài khoản phải thu {2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),Tổng số thuế và lệ phí (Công ty tiền tệ)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,Hiện P & L số dư năm tài chính không khép kín
DocType: Shipping Rule,Shipping Account,Tài khoản vận chuyển
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +92,{0} {1}: Account {2} is inactive,{0} {1}: Tài khoản {2} không hoạt động
-apps/erpnext/erpnext/utilities/activation.py +80,Make Sales Orders to help you plan your work and deliver on-time,Hãy Đơn đặt hàng bán hàng để giúp bạn có kế hoạch làm việc của bạn và cung cấp đúng thời hạn
+apps/erpnext/erpnext/utilities/activation.py +80,Make Sales Orders to help you plan your work and deliver on-time,Tạo các đơn bán hàng để giúp bạn trong việc lập kế hoạch và vận chuyển đúng thời gian
DocType: Quality Inspection,Readings,Đọc
DocType: Stock Entry,Total Additional Costs,Tổng chi phí bổ sung
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),Phế liệu Chi phí (Công ty ngoại tệ)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,Phụ hội
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,Phụ hội
DocType: Asset,Asset Name,Tên tài sản
DocType: Project,Task Weight,nhiệm vụ trọng lượng
DocType: Shipping Rule Condition,To Value,Để giá trị gia tăng
DocType: Asset Movement,Stock Manager,Quản lý kho hàng
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},Kho nguồn là bắt buộc đối với hàng {0}
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,Đóng gói trượt
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,Thuê văn phòng
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},Kho nguồn là bắt buộc đối với hàng {0}
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,Bảng đóng gói
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,Thuê văn phòng
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,Cài đặt thiết lập cổng SMS
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Nhập khẩu thất bại!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,Không có địa chỉ nào được bổ sung.
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,Nhập thất bại!
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,Chưa có địa chỉ nào được bổ sung.
DocType: Workstation Working Hour,Workstation Working Hour,Workstation Giờ làm việc
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,Chuyên viên phân tích
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,Chuyên viên phân tích
DocType: Item,Inventory,Hàng tồn kho
DocType: Item,Sales Details,Thông tin chi tiết bán hàng
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,Với mục
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,Số lượng trong
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,Số lượng trong
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,Xác nhận khoá học đã đăng ký cho sinh viên trong nhóm học sinh
DocType: Notification Control,Expense Claim Rejected,Chi phí yêu cầu bồi thường bị từ chối
-DocType: Item,Item Attribute,Mục Attribute
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,Chính phủ.
+DocType: Item,Item Attribute,Giá trị thuộc tính
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,Chính phủ.
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,Chi phí bồi thường {0} đã tồn tại cho Log xe
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,Tên học viện
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,Tên học viện
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,Vui lòng nhập trả nợ Số tiền
apps/erpnext/erpnext/config/stock.py +300,Item Variants,Mục Biến thể
DocType: Company,Services,Dịch vụ
DocType: HR Settings,Email Salary Slip to Employee,Email Mức lương trượt để nhân viên
-DocType: Cost Center,Parent Cost Center,Bộ phận Chi phí cấp trên
+DocType: Cost Center,Parent Cost Center,Trung tâm chi phí gốc
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +876,Select Possible Supplier,Chọn thể Nhà cung cấp
DocType: Sales Invoice,Source,Nguồn
-apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Hiện đã đóng
-DocType: Leave Type,Is Leave Without Pay,Nếu không có được Leave Pay
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,Asset loại là bắt buộc cho mục tài sản cố định
-apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Không có hồ sơ được tìm thấy trong bảng thanh toán
+apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,Hiển thị đã đóng
+DocType: Leave Type,Is Leave Without Pay,là rời đi mà không trả
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,Asset loại là bắt buộc cho mục tài sản cố định
+apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,Không có bản ghi được tìm thấy trong bảng thanh toán
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},Đây {0} xung đột với {1} cho {2} {3}
DocType: Student Attendance Tool,Students HTML,Học sinh HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,Ngày bắt đầu năm tài chính
DocType: POS Profile,Apply Discount,Áp dụng giảm giá
+DocType: Purchase Invoice Item,GST HSN Code,mã GST HSN
DocType: Employee External Work History,Total Experience,Tổng số kinh nghiệm
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,Dự án mở
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Đóng gói trượt (s) bị hủy bỏ
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,Bảng đóng gói bị hủy
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,Lưu chuyển tiền tệ từ đầu tư
DocType: Program Course,Program Course,Khóa học chương trình
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,Vận tải hàng hóa và chuyển tiếp phí
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,Vận tải hàng hóa và chuyển tiếp phí
DocType: Homepage,Company Tagline for website homepage,Công ty Tagline cho trang chủ của trang web
-DocType: Item Group,Item Group Name,Mục Group Name
-apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,Lấy
+DocType: Item Group,Item Group Name,Tên nhóm mẫu hàng
+apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,được lấy
DocType: Student,Date of Leaving,Ngày Rời
DocType: Pricing Rule,For Price List,Đối với Bảng giá
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +27,Executive Search,Điều hành Tìm kiếm
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,tạo Chào
DocType: Maintenance Schedule,Schedules,Lịch
-DocType: Purchase Invoice Item,Net Amount,Số tiền Net
+DocType: Purchase Invoice Item,Net Amount,Số lượng tịnh
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} chưa có nên thao tác sẽ không thể hoàn thành
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} chưa có nên thao tác sẽ không thể hoàn thành
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} chưa có nên thao tác sẽ không thể hoàn thành
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1} chưa có nên thao tác sẽ không thể hoàn thành
DocType: Purchase Order Item Supplied,BOM Detail No,số hiệu BOM chi tiết
DocType: Landed Cost Voucher,Additional Charges,Phí bổ sung
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),Thêm GIẢM Số tiền (Công ty tiền tệ)
@@ -1531,53 +1545,53 @@
DocType: Maintenance Visit,Maintenance Visit,Bảo trì đăng nhập
DocType: Student,Leaving Certificate Number,Rời Certificate Số
DocType: Sales Invoice Item,Available Batch Qty at Warehouse,Hàng loạt sẵn Qty tại Kho
-apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Update Print Format,Cập nhật Format In
-DocType: Landed Cost Voucher,Landed Cost Help,Chi phí hạ cánh giúp
+apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +9,Update Print Format,Cập nhật Kiểu in
+DocType: Landed Cost Voucher,Landed Cost Help,Chi phí giúp hạ cánh
DocType: Purchase Invoice,Select Shipping Address,Chọn Địa chỉ Vận Chuyển
-DocType: Leave Block List,Block Holidays on important days.,Block Holidays on important days.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js +71,Accounts Receivable Summary,Tổng hợp các tài khoản phải thu
+DocType: Leave Block List,Block Holidays on important days.,Khối ngày nghỉ vào những ngày quan trọng
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.js +71,Accounts Receivable Summary,Sơ lược các tài khoản phải thu
DocType: Employee Loan,Monthly Repayment Amount,Số tiền trả hàng tháng
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,Hãy thiết lập trường ID người dùng trong một hồ sơ nhân viên để thiết lập nhân viên Role
DocType: UOM,UOM Name,Tên Đơn vị tính
+DocType: GST HSN Code,HSN Code,Mã HSN
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,Số tiền đóng góp
DocType: Purchase Invoice,Shipping Address,Địa chỉ giao hàng
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,Công cụ này sẽ giúp bạn cập nhật hoặc ấn định số lượng và giá trị của cổ phiếu trong hệ thống. Nó thường được sử dụng để đồng bộ hóa các giá trị hệ thống và những gì thực sự tồn tại trong kho của bạn.
DocType: Delivery Note,In Words will be visible once you save the Delivery Note.,Trong từ sẽ được hiển thị khi bạn lưu Giao hàng tận nơi Lưu ý.
DocType: Expense Claim,EXP,EXP
-apps/erpnext/erpnext/config/stock.py +200,Brand master.,Chủ thương hiệu.
+apps/erpnext/erpnext/config/stock.py +200,Brand master.,Chủ nhãn hàng
apps/erpnext/erpnext/schools/utils.py +50,Student {0} - {1} appears Multiple times in row {2} & {3},Sinh viên {0} - {1} xuất hiện nhiều lần trong hàng {2} & {3}
DocType: Program Enrollment Tool,Program Enrollments,chương trình tuyển sinh
-DocType: Sales Invoice Item,Brand Name,Tên Thương hiệu
+DocType: Sales Invoice Item,Brand Name,Tên nhãn hàng
DocType: Purchase Receipt,Transporter Details,Chi tiết Transporter
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,Mặc định kho là cần thiết cho mục đã chọn
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,Box
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,Mặc định kho là cần thiết cho mục đã chọn
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,hộp
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,Nhà cung cấp có thể
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,Tổ chức
DocType: Budget,Monthly Distribution,Phân phối hàng tháng
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,Danh sách người nhận có sản phẩm nào. Hãy tạo nhận Danh sách
DocType: Production Plan Sales Order,Production Plan Sales Order,Kế hoạch sản xuất đáp ứng cho đơn hàng
DocType: Sales Partner,Sales Partner Target,Mục tiêu DT của Đại lý
DocType: Loan Type,Maximum Loan Amount,Số tiền cho vay tối đa
DocType: Pricing Rule,Pricing Rule,Quy tắc định giá
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Số cuộn trùng nhau cho sinh viên {0}
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},Số cuộn trùng nhau cho sinh viên {0}
-DocType: Budget,Action if Annual Budget Exceeded,Hành động nếu ngân sách hàng năm vượt quá
-apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Yêu cầu vật chất để mua hàng
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Số cuộn trùng nhau cho sinh viên {0}
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},Số cuộn trùng nhau cho sinh viên {0}
+DocType: Budget,Action if Annual Budget Exceeded,Hành động nếu ngân sách hàng năm vượt trội
+apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,Yêu cầu vật liệu để đặt hóa đơn
DocType: Shopping Cart Settings,Payment Success URL,Thanh toán thành công URL
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +80,Row # {0}: Returned Item {1} does not exists in {2} {3},Row # {0}: trả lại hàng {1} không tồn tại trong {2} {3}
DocType: Purchase Receipt,PREC-,PREC-
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +16,Bank Accounts,Tài khoản ngân hàng
-,Bank Reconciliation Statement,Báo cáo Bank Reconciliation
-,Lead Name,Tên Tiềm năng
+,Bank Reconciliation Statement,Báo cáo bảng đối chiếu tài khoản ngân hàng
+,Lead Name,Tên Lead
,POS,POS
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,Số dư tồn kho đầu kỳ
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0} chỉ được xuất hiện một lần
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Không được phép để tuyền hơn {0} {1} hơn so với mua hàng {2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},Không được phép để chuyển hơn {0} {1} hơn so với mua hàng {2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},Lá được phân bổ thành công cho {0}
-apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Không có mục để đóng gói
+apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,Không có mẫu hàng để đóng gói
DocType: Shipping Rule Condition,From Value,Từ giá trị gia tăng
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,Số lượng sản xuất là bắt buộc
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,Số lượng sản xuất là bắt buộc
DocType: Employee Loan,Repayment Method,Phương pháp trả nợ
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website","Nếu được chọn, trang chủ sẽ là mặc định mục Nhóm cho trang web"
DocType: Quality Inspection Reading,Reading 4,Đọc 4
@@ -1587,7 +1601,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},Row # {0}: ngày giải phóng mặt bằng {1} không được trước ngày Séc {2}
DocType: Company,Default Holiday List,Mặc định Danh sách khách sạn Holiday
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},Row {0}: Từ Thời gian và To Time {1} là chồng chéo với {2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,Phải trả Hàng tồn kho
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,Phải trả Hàng tồn kho
DocType: Purchase Invoice,Supplier Warehouse,Nhà cung cấp kho
DocType: Opportunity,Contact Mobile No,Số Di động Liên hệ
,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
@@ -1598,90 +1612,93 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,Hãy báo giá
apps/erpnext/erpnext/config/selling.py +216,Other Reports,Báo cáo khác
DocType: Dependent Task,Dependent Task,Nhiệm vụ phụ thuộc
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},Yếu tố chuyển đổi cho Đơn vị đo mặc định phải là 1 trong hàng {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},Yếu tố chuyển đổi cho Đơn vị đo mặc định phải là 1 trong hàng {0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},Nghỉ phép loại {0} không thể dài hơn {1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,Hãy thử lên kế hoạch hoạt động cho ngày X trước.
DocType: HR Settings,Stop Birthday Reminders,Ngừng sinh Nhắc nhở
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},Hãy thiết lập mặc định Account Payable lương tại Công ty {0}
DocType: SMS Center,Receiver List,Danh sách người nhận
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,Tìm hàng
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,Tìm hàng
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,Số tiền được tiêu thụ
-apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Thay đổi ròng trong Cash
+apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,Chênh lệch giá tịnh trong tiền mặt
DocType: Assessment Plan,Grading Scale,Quy mô phân loại
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Đơn vị đo {0} đã được nhập vào nhiều hơn một lần trong chuyển đổi yếu tố Bảng
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,Đơn vị đo {0} đã được nhập vào nhiều hơn một lần trong chuyển đổi yếu tố Bảng
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,Đã hoàn thành
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,Hàng có sẵn
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},Yêu cầu thanh toán đã tồn tại {0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,Chi phí của Items Ban hành
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},Số lượng không phải lớn hơn {0}
-apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,Trước năm tài chính không đóng cửa
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),Tuổi (Ngày)
-DocType: Quotation Item,Quotation Item,Báo giá cho mục
+apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,tài chính Trước năm không đóng cửa
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),Tuổi (Ngày)
+DocType: Quotation Item,Quotation Item,Báo giá mẫu hàng
+DocType: Customer,Customer POS Id,Tài khoảng POS của khách hàng
DocType: Account,Account Name,Tên Tài khoản
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,"""Từ ngày"" không có thể lớn hơn ""Đến ngày"""
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,Không nối tiếp {0} {1} số lượng không thể là một phần nhỏ
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,Loại nhà cung cấp tổng thể.
DocType: Purchase Order Item,Supplier Part Number,Nhà cung cấp Phần số
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,Tỷ lệ chuyển đổi không thể là 0 hoặc 1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,Tỷ lệ chuyển đổi không thể là 0 hoặc 1
DocType: Sales Invoice,Reference Document,Tài liệu tham khảo
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1} đã huỷ bỏ hoặc đã dừng
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1} đã huỷ bỏ hoặc đã dừng
DocType: Accounts Settings,Credit Controller,Bộ điều khiển tín dụng
DocType: Delivery Note,Vehicle Dispatch Date,Xe công văn ngày
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,Mua hóa đơn {0} không nộp
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,Mua hóa đơn {0} không nộp
DocType: Company,Default Payable Account,Mặc định Account Payable
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.","Cài đặt cho các giỏ hàng mua sắm trực tuyến chẳng hạn như các quy tắc vận chuyển, bảng giá, vv"
-apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% HĐơn mua
+apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}% hóa đơn đã lập
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +18,Reserved Qty,Số lượng dự trữ
-DocType: Party Account,Party Account,Tài khoản của bên
+DocType: Party Account,Party Account,Tài khoản của bên đối tác
apps/erpnext/erpnext/config/setup.py +122,Human Resources,Nhân sự
DocType: Lead,Upper Income,Thu nhập trên
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +13,Reject,Từ chối
DocType: Journal Entry Account,Debit in Company Currency,Nợ Công ty ngoại tệ
DocType: BOM Item,BOM Item,Mục BOM
DocType: Appraisal,For Employee,Cho nhân viên
-apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js +41,Make Disbursement Entry,Hãy giải ngân nhập
+apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.js +41,Make Disbursement Entry,Tạo bút toán giải ngân
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +138,Row {0}: Advance against Supplier must be debit,Row {0}: Advance chống Nhà cung cấp phải được ghi nợ
DocType: Company,Default Values,Giá trị mặc định
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +61,{frequency} Digest,{Tần suất} Tiêu đề
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +61,{frequency} Digest,{Tần suất} phân loại
DocType: Expense Claim,Total Amount Reimbursed,Tổng số tiền bồi hoàn
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,Điều này được dựa trên các bản ghi với xe này. Xem thời gian dưới đây để biết chi tiết
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,Sưu tầm
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},Gắn với hóa đơn NCC {0} ngày {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},Gắn với hóa đơn NCC {0} ngày {1}
DocType: Customer,Default Price List,Mặc định Giá liệt kê
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,kỷ lục Phong trào Asset {0} đã tạo
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,Bạn không thể xóa năm tài chính {0}. Năm tài chính {0} được thiết lập mặc định như trong Global Settings
DocType: Journal Entry,Entry Type,Loại mục
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,Không có kế hoạch đánh giá kết hợp với nhóm đánh giá này
,Customer Credit Balance,số dư tín dụng của khách hàng
-apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Thay đổi ròng trong Accounts Payable
+apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,Chênh lệch giá tịnh trong tài khoản phải trả
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',"Khách hàng phải có cho 'Giảm giá phù hợp KH """
apps/erpnext/erpnext/config/accounts.py +142,Update bank payment dates with journals.,Cập nhật ngày thanh toán ngân hàng với các tạp chí.
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,Vật giá
DocType: Quotation,Term Details,Chi tiết điều khoản
DocType: Project,Total Sales Cost (via Sales Order),Tổng chi phí bán hàng (thông qua đặt hàng bán hàng)
DocType: Project,Total Sales Cost (via Sales Order),Tổng chi phí bán hàng (thông qua đặt hàng bán hàng)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,Không thể ghi danh hơn {0} sinh viên cho nhóm sinh viên này.
-apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Số lượng chì
-apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Số lượng chì
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,Không thể ghi danh hơn {0} sinh viên cho nhóm sinh viên này.
+apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Đếm Lead
+apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,Đếm lead
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0} phải lớn hơn 0
DocType: Manufacturing Settings,Capacity Planning For (Days),Năng lực Kế hoạch Đối với (Ngày)
apps/erpnext/erpnext/buying/doctype/supplier/supplier_dashboard.py +10,Procurement,Tạp vụ
-apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +64,None of the items have any change in quantity or value.,Không ai trong số các mặt hàng có bất kỳ sự thay đổi về số lượng hoặc giá trị.
+apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +64,None of the items have any change in quantity or value.,Không có mẫu hàng nào thay đổi số lượng hoặc giá trị
apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +16,Mandatory field - Program,Trường bắt buộc - Chương trình
apps/erpnext/erpnext/schools/doctype/program_enrollment_tool/program_enrollment_tool.py +16,Mandatory field - Program,Trường bắt buộc - Chương trình
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.js +46,Warranty Claim,Yêu cầu bảo hành
-,Lead Details,Tiềm năng Chi tiết
+,Lead Details,Lead Chi tiết
DocType: Salary Slip,Loan repayment,Trả nợ
DocType: Purchase Invoice,End date of current invoice's period,Ngày kết thúc của thời kỳ hóa đơn hiện tại của
DocType: Pricing Rule,Applicable For,Đối với áp dụng
DocType: Accounts Settings,Unlink Payment on Cancellation of Invoice,Bỏ liên kết Thanh toán Hủy hóa đơn
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +16,Current Odometer reading entered should be greater than initial Vehicle Odometer {0},Hiện đo dặm đọc vào phải lớn hơn ban đầu Xe máy đo dặm {0}
-DocType: Shipping Rule Country,Shipping Rule Country,Vận Chuyển Rule Country
+DocType: Shipping Rule Country,Shipping Rule Country,QUy tắc vận chuyển quốc gia
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +10,Leave and Attendance,Để lại và chấm công
DocType: Maintenance Visit,Partially Completed,Một phần hoàn thành
DocType: Leave Type,Include holidays within leaves as leaves,Bao gồm các ngày lễ trong lá như lá
DocType: Sales Invoice,Packed Items,Hàng đóng gói
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,Yêu cầu bảo hành theo Số sê ri
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM","Thay thế một BOM đặc biệt trong tất cả các BOMs khác, nơi nó được sử dụng. Nó sẽ thay thế các link BOM cũ, cập nhật chi phí và tái sinh ""BOM nổ Item"" bảng theo mới BOM"
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','Tổng số'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','Tổng'
DocType: Shopping Cart Settings,Enable Shopping Cart,Kích hoạt Giỏ hàng
DocType: Employee,Permanent Address,Địa chỉ thường trú
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1697,48 +1714,48 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,Xin vui lòng chỉ định hoặc lượng hoặc Tỷ lệ định giá hoặc cả hai
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,hoàn thành
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,Xem Giỏ hàng
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,Chi phí tiếp thị
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,Chi phí tiếp thị
,Item Shortage Report,Thiếu mục Báo cáo
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Trọng lượng được đề cập, \n Xin đề cập đến ""Weight Ươm"" quá"
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too","Trọng lượng được đề cập, \n Xin đề cập đến ""Weight Ươm"" quá"
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,Phiếu NVL sử dụng để làm chứng từ nhập kho
-apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Tiếp Khấu hao ngày là bắt buộc đối với tài sản mới
+apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,Kỳ hạn khấu hao tiếp theo là bắt buộc đối với tài sản
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Khóa học riêng biệt cho từng nhóm
DocType: Student Group Creation Tool,Separate course based Group for every Batch,Khóa học riêng biệt cho từng nhóm
-apps/erpnext/erpnext/config/support.py +32,Single unit of an Item.,Đơn vị duy nhất của một Item.
+apps/erpnext/erpnext/config/support.py +32,Single unit of an Item.,Đơn vị duy nhất của một mẫu hàng
DocType: Fee Category,Fee Category,phí Thể loại
,Student Fee Collection,Bộ sưu tập Phí sinh viên
-DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Làm kế toán nhập Đối với tất cả phong trào Cổ
+DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,Thực hiện bút toán kế toán cho tất cả các chuyển động chứng khoán
DocType: Leave Allocation,Total Leaves Allocated,Tổng Lá Phân bổ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},phải có kho tại dòng số {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,Vui lòng nhập tài chính hợp lệ Năm Start và Ngày End
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},phải có kho tại dòng số {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,Vui lòng nhập tài chính hợp lệ Năm Start và Ngày End
DocType: Employee,Date Of Retirement,Ngày nghỉ hưu
DocType: Upload Attendance,Get Template,Nhận Mẫu
+DocType: Material Request,Transferred,Đã được vận chuyển
DocType: Vehicle,Doors,cửa ra vào
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext Hoàn tất thiết lập!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext Hoàn tất thiết lập!
DocType: Course Assessment Criteria,Weightage,Weightage
DocType: Packing Slip,PS-,PS
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}: Trung tâm Chi phí là yêu cầu bắt buộc đối với tài khoản 'Lãi và Lỗ' {2}. Vui lòng thiết lập một Trung tâm Chi phí mặc định cho Công ty.
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Một Nhóm khách hàng cùng tên đã tồn tại. Hãy thay đổi tên khách hàng hoặc đổi tên nhóm khách hàng
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,Liên hệ Mới
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,Một Nhóm khách hàng cùng tên đã tồn tại. Hãy thay đổi tên khách hàng hoặc đổi tên nhóm khách hàng
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,Liên hệ Mới
DocType: Territory,Parent Territory,địa bàn cấp trên
DocType: Quality Inspection Reading,Reading 2,Đọc 2
-DocType: Stock Entry,Material Receipt,Tiếp nhận tài liệu
+DocType: Stock Entry,Material Receipt,Tiếp nhận nguyên liệu
DocType: Homepage,Products,Sản phẩm
DocType: Announcement,Instructor,người hướng dẫn
DocType: Employee,AB+,AB +
-DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Nếu mặt hàng này có các variants, thì sau đó nó có thể không được lựa chọn trong các đơn đặt hàng vv"
-DocType: Lead,Next Contact By,Liên hệ Tiếp theo Bởi
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},Số lượng cần thiết cho mục {0} trong hàng {1}
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},Không xóa được Kho {0} vì vẫn còn {1} tồn kho
+DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.","Nếu mặt hàng này có các biến thể, thì sau đó nó có thể không được lựa chọn trong các đơn đặt hàng vv"
+DocType: Lead,Next Contact By,Liên hệ tiếp theo bằng
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},Số lượng cần thiết cho mục {0} trong hàng {1}
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},Không xóa được Kho {0} vì vẫn còn {1} tồn kho
DocType: Quotation,Order Type,Loại đặt hàng
DocType: Purchase Invoice,Notification Email Address,Thông báo Địa chỉ Email
-,Item-wise Sales Register,Item-khôn ngoan doanh Đăng ký
+,Item-wise Sales Register,Mẫu hàng - Đăng ký mua hàng thông minh
DocType: Asset,Gross Purchase Amount,Tổng Chi phí mua hàng
DocType: Asset,Depreciation Method,Phương pháp Khấu hao
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,ẩn
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,ẩn
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,Thuế này đã gồm trong giá gốc?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,Tổng số mục tiêu
-DocType: Program Course,Required,Cần thiết
DocType: Job Applicant,Applicant for a Job,Nộp đơn xin việc
DocType: Production Plan Material Request,Production Plan Material Request,Sản xuất Kế hoạch Chất liệu Yêu cầu
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,Không có đơn đặt hàng sản xuất tạo ra
@@ -1748,17 +1765,17 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,Cho phép nhiều đơn bán cùng trên 1 đơn mua hàng của khách
DocType: Student Group Instructor,Student Group Instructor,Hướng dẫn nhóm sinh viên
DocType: Student Group Instructor,Student Group Instructor,Hướng dẫn nhóm sinh viên
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2 Mobile Không
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,Chính
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2 Mobile Không
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,Chính
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,Biến thể
DocType: Naming Series,Set prefix for numbering series on your transactions,Thiết lập tiền tố cho đánh số hàng loạt các giao dịch của bạn
DocType: Employee Attendance Tool,Employees HTML,Nhân viên HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,Mặc định BOM ({0}) phải được hoạt động cho mục này hoặc mẫu của mình
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,BOM mặc định ({0}) phải được hoạt động cho mục này hoặc mẫu của mình
DocType: Employee,Leave Encashed?,Để lại Encashed?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,Cơ hội Từ trường là bắt buộc
DocType: Email Digest,Annual Expenses,Chi phí hàng năm
DocType: Item,Variants,Biến thể
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,Từ mua hóa đơn
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,Đặt mua
DocType: SMS Center,Send To,Để gửi
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},Không có đủ số dư để lại cho Rời Loại {0}
DocType: Payment Reconciliation Payment,Allocated amount,Số lượng phân bổ
@@ -1774,54 +1791,53 @@
DocType: Item,Serial Nos and Batches,Số hàng loạt và hàng loạt
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Sức mạnh Nhóm Sinh viên
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,Sức mạnh Nhóm Sinh viên
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,Chống Journal nhập {0} không có bất kỳ chưa từng có {1} nhập
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,Chống Journal nhập {0} không có bất kỳ chưa từng có {1} nhập
apps/erpnext/erpnext/config/hr.py +137,Appraisals,đánh giá
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Trùng lặp Serial No nhập cho hàng {0}
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},Trùng lặp số sê ri đã nhập cho mẫu hàng {0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,1 điều kiện cho quy tắc giao hàng
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,Vui lòng nhập
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Không thể overbill cho {0} mục trong hàng {1} hơn {2}. Để cho phép quá thanh toán, hãy đặt trong Mua Cài đặt"
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,Xin hãy thiết lập bộ lọc dựa trên Item hoặc kho
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings","Không thể overbill cho {0} mục trong hàng {1} hơn {2}. Để cho phép quá thanh toán, hãy đặt trong Mua Cài đặt"
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,Xin hãy thiết lập bộ lọc dựa trên Item hoặc kho
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),Trọng lượng tịnh của gói này. (Tính toán tự động như tổng khối lượng tịnh của sản phẩm)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,Hãy tạo một tài khoản cho kho này và liên kết nó. Điều này không thể được thực hiện tự động như một tài khoản với tên {0} đã tồn tại
DocType: Sales Order,To Deliver and Bill,Để Phân phối và Bill
DocType: Student Group,Instructors,Giảng viên
DocType: GL Entry,Credit Amount in Account Currency,Số tiền trong tài khoản ngoại tệ tín dụng
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0} phải được đệ trình
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0} phải được đệ trình
DocType: Authorization Control,Authorization Control,Cho phép điều khiển
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Row # {0}: Bị từ chối Warehouse là bắt buộc chống lại từ chối khoản {1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},Hàng # {0}: Nhà Kho bị hủy là bắt buộc với mẫu hàng bị hủy {1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,Thanh toán
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.","Kho {0} không được liên kết tới bất kì tài khoản nào, vui lòng đề cập tới tài khoản trong bản ghi nhà kho hoặc thiết lập tài khoản kho mặc định trong công ty {1}"
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,Quản lý đơn đặt hàng của bạn
DocType: Production Order Operation,Actual Time and Cost,Thời gian và chi phí thực tế
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},Phiếu đặt NVL {0} có thể được thực hiện cho mục {1} đối với đơn đặt hàng {2}
-DocType: Employee,Salutation,Sự chào
DocType: Course,Course Abbreviation,Tên viết tắt khóa học
DocType: Student Leave Application,Student Leave Application,Ứng dụng Để lại Sinh viên
DocType: Item,Will also apply for variants,Cũng sẽ được áp dụng cho các biến thể
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +159,"Asset cannot be cancelled, as it is already {0}","Tài sản không thể được hủy bỏ, vì nó đã được {0}"
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +29,Employee {0} on Half day on {1},Employee {0} vào ngày nửa trên {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +41,Total working hours should not be greater than max working hours {0},Tổng số giờ làm việc không nên lớn hơn so với giờ làm việc max {0}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +41,Total working hours should not be greater than max working hours {0},Tổng số giờ làm việc không nên lớn hơn so với giờ làm việc tối đa {0}
apps/erpnext/erpnext/templates/pages/task_info.html +90,On,Bật
-apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Lô (Bundle) hàng tại thời điểm bán.
+apps/erpnext/erpnext/config/selling.py +62,Bundle items at time of sale.,Gói mẫu hàng tại thời điểm bán.
DocType: Quotation Item,Actual Qty,Số lượng thực tế
DocType: Sales Invoice Item,References,Tài liệu tham khảo
DocType: Quality Inspection Reading,Reading 10,Đọc 10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Danh sách sản phẩm hoặc dịch vụ mà bạn mua hoặc bán của bạn. Hãy chắc chắn để kiểm tra các mục Group, Đơn vị đo và các tài sản khác khi bạn bắt đầu."
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.","Lên danh sách các sản phẩm hoặc dịch vụ mà bạn mua hoặc bán. Đảm bảo việc kiểm tra nhóm sản phẩm, Đơn vị đo lường hoặc các tài sản khác khi bạn bắt đầu"
DocType: Hub Settings,Hub Node,Hub Node
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,Bạn đã nhập các mục trùng lặp. Xin khắc phục và thử lại.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,Liên kết
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,Liên kết
DocType: Asset Movement,Asset Movement,Phong trào Asset
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,Giỏ hàng mới
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,Giỏ hàng mới
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,Mục {0} không phải là một khoản đăng
DocType: SMS Center,Create Receiver List,Tạo ra nhận Danh sách
DocType: Vehicle,Wheels,Wheels
DocType: Packing Slip,To Package No.,Để Gói số
-DocType: Production Planning Tool,Material Requests,yêu cầu tài liệu
+DocType: Production Planning Tool,Material Requests,yêu cầu nguyên liệu
DocType: Warranty Claim,Issue Date,Ngày phát hành
-DocType: Activity Cost,Activity Cost,Giá thành công việc
-DocType: Sales Invoice Timesheet,Timesheet Detail,timesheet chi tiết
+DocType: Activity Cost,Activity Cost,Chi phí hoạt động
+DocType: Sales Invoice Timesheet,Timesheet Detail,thời gian biểu chi tiết
DocType: Purchase Receipt Item Supplied,Consumed Qty,Số lượng tiêu thụ
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +52,Telecommunications,Viễn thông
-DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),Chỉ ra rằng gói là một phần của việc phân phối này (Chỉ có Dự thảo)
+DocType: Packing Slip,Indicates that the package is a part of this delivery (Only Draft),Chỉ ra rằng gói này một phần của việc phân phối (Chỉ bản nháp)
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +36,Make Payment Entry,Thực hiện thanh toán nhập
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +126,Quantity for Item {0} must be less than {1},Số lượng cho hàng {0} phải nhỏ hơn {1}
,Sales Invoice Trends,Hóa đơn bán hàng Xu hướng
@@ -1830,84 +1846,84 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total'
DocType: Sales Order Item,Delivery Warehouse,Kho nhận hàng
DocType: SMS Settings,Message Parameter,Thông số tin nhắn
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,Tree of financial Cost Centers.
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,Tree of financial Cost Centers.
DocType: Serial No,Delivery Document No,Giao văn bản số
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},Hãy thiết lập 'Gain tài khoản / Mất Xử lý tài sản trong doanh nghiệp {0}
-DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Nhận Items Từ biên nhận mua hàng
+DocType: Landed Cost Voucher,Get Items From Purchase Receipts,Nhận mẫu hàng Từ biên nhận mua hàng
DocType: Serial No,Creation Date,Ngày Khởi tạo
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},Mục {0} xuất hiện nhiều lần trong Giá liệt kê {1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}","Mục bán hàng phải được chọn, nếu được áp dụng khi được chọn là {0}"
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}","Mục bán hàng phải được chọn, nếu được áp dụng khi được chọn là {0}"
DocType: Production Plan Material Request,Material Request Date,Chất liệu Yêu cầu gia ngày
DocType: Purchase Order Item,Supplier Quotation Item,Mục Báo giá của NCC
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,Vô hiệu hóa việc tạo ra các bản ghi thời gian so với đơn đặt hàng sản xuất. Hoạt động sẽ không được theo dõi chống sản xuất hàng
DocType: Student,Student Mobile Number,Số di động Sinh viên
DocType: Item,Has Variants,Có biến thể
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},Bạn đã chọn các mục từ {0} {1}
-DocType: Monthly Distribution,Name of the Monthly Distribution,Tên của phân phối hàng tháng
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},Bạn đã chọn các mục từ {0} {1}
+DocType: Monthly Distribution,Name of the Monthly Distribution,Tên phân phối hàng tháng
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,ID hàng loạt là bắt buộc
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,ID hàng loạt là bắt buộc
-DocType: Sales Person,Parent Sales Person,Người bán hàng mẹ
+DocType: Sales Person,Parent Sales Person,Người bán hàng tổng
DocType: Purchase Invoice,Recurring Invoice,Hóa đơn định kỳ
apps/erpnext/erpnext/config/learn.py +263,Managing Projects,Quản lý dự án
DocType: Supplier,Supplier of Goods or Services.,Nhà cung cấp hàng hóa hoặc dịch vụ.
DocType: Budget,Fiscal Year,Năm tài chính
DocType: Vehicle Log,Fuel Price,nhiên liệu Giá
DocType: Budget,Budget,Ngân sách
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,Fixed Asset mục phải là một mục không cổ.
-apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Ngân sách không thể được chỉ định đối với {0}, vì nó không phải là một tài khoản thu nhập hoặc chi phí"
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,Fixed Asset mục phải là một mục không cổ.
+apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account","Ngân sách không thể được chỉ định đối với {0}, vì nó không phải là một tài khoản thu nhập hoặc phí tổn"
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,Đạt được
DocType: Student Admission,Application Form Route,Mẫu đơn Route
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,Địa bàn / khách hàng
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,ví dụ như 5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,ví dụ như 5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,Để lại Loại {0} không thể giao kể từ khi nó được nghỉ không lương
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},Row {0}: Phân bổ số lượng {1} phải nhỏ hơn hoặc bằng cho hóa đơn số tiền còn nợ {2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,'Bằng chữ' sẽ được hiển thị ngay khi bạn lưu các hóa đơn bán hàng.
DocType: Item,Is Sales Item,Là hàng bán
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree,Nhóm mục Tree
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree,Cây nhóm mẫu hàng
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,Mục {0} không phải là thiết lập cho Serial Nos Kiểm tra mục chủ
DocType: Maintenance Visit,Maintenance Time,Thời gian bảo trì
,Amount to Deliver,Số tiền để Cung cấp
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,Một sản phẩm hoặc dịch vụ
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,Một sản phẩm hoặc dịch vụ
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,Ngày bắt đầu hạn không thể sớm hơn Ngày Năm Bắt đầu của năm học mà thuật ngữ này được liên kết (Academic Year {}). Xin vui lòng sửa ngày và thử lại.
DocType: Guardian,Guardian Interests,người giám hộ Sở thích
DocType: Naming Series,Current Value,Giá trị hiện tại
apps/erpnext/erpnext/controllers/accounts_controller.py +252,Multiple fiscal years exist for the date {0}. Please set company in Fiscal Year,Nhiều năm tài chính tồn tại cho ngày {0}. Hãy thiết lập công ty trong năm tài chính
-apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} được tạo
+apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +233,{0} created,{0} được tạo ra
DocType: Delivery Note Item,Against Sales Order,Theo đơn đặt hàng
,Serial No Status,Serial No Tình trạng
DocType: Payment Entry Reference,Outstanding,Nổi bật
-,Daily Timesheet Summary,Tóm tắt Timesheet hàng ngày
+,Daily Timesheet Summary,Tóm tắt thời gian làm việc hàng ngày
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +137,"Row {0}: To set {1} periodicity, difference between from and to date \
must be greater than or equal to {2}","Row {0}: Để thiết lập {1} chu kỳ, sự khác biệt giữa các từ và đến ngày \
phải lớn hơn hoặc bằng {2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,Điều này được dựa trên chuyển động chứng khoán. Xem {0} để biết chi tiết
DocType: Pricing Rule,Selling,Bán hàng
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},Số tiền {0} {1} giảm trừ {2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},Số tiền {0} {1} giảm trừ {2}
DocType: Employee,Salary Information,Thông tin tiền lương
-DocType: Sales Person,Name and Employee ID,Tên và nhân viên ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,Ngày đến hạn không thể trước ngày ghi sổ
+DocType: Sales Person,Name and Employee ID,Tên và ID nhân viên
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,Ngày đến hạn không thể trước ngày ghi sổ
DocType: Website Item Group,Website Item Group,Nhóm các mục Website
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,Nhiệm vụ và thuế
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,Nhiệm vụ và thuế
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,Vui lòng nhập ngày tham khảo
-apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} không thể lọc bút toán thanh toán bởi {1}
+apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0} bút toán thanh toán không thể được lọc bởi {1}
DocType: Item Website Specification,Table for Item that will be shown in Web Site,Bảng cho khoản đó sẽ được hiển thị trong trang Web
DocType: Purchase Order Item Supplied,Supplied Qty,Đã cung cấp Số lượng
-DocType: Purchase Order Item,Material Request Item,Tài liệu Yêu cầu mục
+DocType: Purchase Order Item,Material Request Item,Mẫu hàng yêu cầu tài liệu
apps/erpnext/erpnext/config/selling.py +75,Tree of Item Groups.,Cây khoản Groups.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +152,Cannot refer row number greater than or equal to current row number for this Charge type,Không có thể tham khảo số lượng hàng lớn hơn hoặc bằng số lượng hàng hiện tại cho loại phí này
DocType: Asset,Sold,Đã bán
-,Item-wise Purchase History,Item-khôn ngoan Lịch sử mua hàng
-apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},Vui lòng click vào 'Tạo Lịch trình' để lấy Serial No bổ sung cho hàng {0}
+,Item-wise Purchase History,Mẫu hàng - lịch sử mua hàng thông minh
+apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +230,Please click on 'Generate Schedule' to fetch Serial No added for Item {0},Vui lòng click vào 'Tạo Lịch trình' để lấy số seri bổ sung cho hàng {0}
DocType: Account,Frozen,Đông lạnh
-,Open Production Orders,Đơn đặt hàng mở sản xuất
-DocType: Sales Invoice Payment,Base Amount (Company Currency),Cơ sở Số tiền (Công ty ngoại tệ)
-DocType: Payment Reconciliation Payment,Reference Row,Tham khảo Row
+,Open Production Orders,Mở các đơn đặt hàng
+DocType: Sales Invoice Payment,Base Amount (Company Currency),Số tiền cơ sở(Công ty ngoại tệ)
+DocType: Payment Reconciliation Payment,Reference Row,dãy tham chiếu
DocType: Installation Note,Installation Time,Thời gian cài đặt
DocType: Sales Invoice,Accounting Details,Chi tiết hạch toán
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,Xóa tất cả các giao dịch cho công ty này
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Row # {0}: Operation {1} không được hoàn thành cho {2} qty thành phẩm trong sản xuất theo thứ tự # {3}. Vui lòng cập nhật trạng thái hoạt động thông qua Time Logs
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,Các khoản đầu tư
-DocType: Issue,Resolution Details,Độ phân giải chi tiết
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,Xóa tất cả các giao dịch cho công ty này
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,Hàng# {0}: Thao tác {1} không được hoàn thành cho {2} số lượng thành phẩm trong sản xuất theo thứ tự # {3}. Vui lòng cập nhật trạng thái hoạt động thông qua nhật ký thời gian
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,Các khoản đầu tư
+DocType: Issue,Resolution Details,Chi tiết giải quyết
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,phân bổ
DocType: Item Quality Inspection Parameter,Acceptance Criteria,Tiêu chí chấp nhận
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +163,Please enter Material Requests in the above table,Vui lòng nhập yêu cầu Chất liệu trong bảng trên
@@ -1920,8 +1936,8 @@
,Qty to Order,Số lượng đặt hàng
DocType: Period Closing Voucher,"The account head under Liability or Equity, in which Profit/Loss will be booked","Người đứng đầu tài khoản dưới trách nhiệm pháp lý hoặc vốn chủ sở hữu, trong đó lợi nhuận / lỗ sẽ được đặt"
apps/erpnext/erpnext/config/projects.py +25,Gantt chart of all tasks.,Biểu đồ Gantt của tất cả tác vụ.
-DocType: Opportunity,Mins to First Response,Mins để đáp ứng đầu tiên
-DocType: Pricing Rule,Margin Type,Loại Margin
+DocType: Opportunity,Mins to First Response,Các điều tối thiểu đầu tiên để phản hồi
+DocType: Pricing Rule,Margin Type,Loại Dự trữ
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +15,{0} hours,{0} giờ
DocType: Course,Default Grading Scale,Mặc định Grading Scale
DocType: Appraisal,For Employee Name,Cho Tên nhân viên
@@ -1929,9 +1945,9 @@
DocType: C-Form Invoice Detail,Invoice No,Không hóa đơn
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +342,Make Payment,Thanh toán
DocType: Room,Room Name,Tên phòng
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Để lại không thể áp dụng / hủy bỏ trước khi {0}, như cân bằng nghỉ phép đã được carry-chuyển tiếp trong hồ sơ giao đất nghỉ tương lai {1}"
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Để lại không thể áp dụng / hủy bỏ trước khi {0}, như cân bằng nghỉ phép đã được chuyển tiếp trong hồ sơ giao đất trong tương lai {1}"
DocType: Activity Cost,Costing Rate,Chi phí Rate
-,Customer Addresses And Contacts,Địa chỉ Khách hàng Và Liên hệ
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,Địa chỉ Khách hàng Và Liên hệ
,Campaign Efficiency,Hiệu quả Chiến dịch
,Campaign Efficiency,Hiệu quả Chiến dịch
DocType: Discussion,Discussion,Thảo luận
@@ -1942,27 +1958,30 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +330,Please set the Date Of Joining for employee {0},Vui lòng đặt Ngày Tham gia cho nhân viên {0}
DocType: Task,Total Billing Amount (via Time Sheet),Tổng số tiền thanh toán (thông qua Time Sheet)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,Lặp lại Doanh thu khách hàng
-apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) phải có vai trò 'Người duyệt b.kê chi phí'
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,Đôi
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,Chọn BOM và Số lượng cho sản xuất
+apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',"{0} ({1}) phải có vai trò 'Người duyệt thu chi"""
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,Đôi
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,Chọn BOM và Số lượng cho sản xuất
DocType: Asset,Depreciation Schedule,Kế hoạch khấu hao
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,Địa chỉ đối tác bán hàng và liên hệ
DocType: Bank Reconciliation Detail,Against Account,Đối với tài khoản
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,Nửa ngày ngày phải là giữa Từ ngày và Đến ngày
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,"Kỳ hạn nửa ngày nên ở giữa mục ""từ ngày"" và ""tới ngày"""
DocType: Maintenance Schedule Detail,Actual Date,Ngày thực tế
DocType: Item,Has Batch No,Có hàng loạt Không
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},Thanh toán hàng năm: {0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},Thanh toán hàng năm: {0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),Hàng hóa và thuế dịch vụ (GTS Ấn Độ)
DocType: Delivery Note,Excise Page Number,Tiêu thụ đặc biệt số trang
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory","Công ty, Từ ngày và Đến ngày là bắt buộc"
DocType: Asset,Purchase Date,Ngày mua hàng
DocType: Employee,Personal Details,Thông tin chi tiết cá nhân
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},Hãy thiết lập 'Trung tâm Lưu Khấu hao chi phí trong doanh nghiệp {0}
,Maintenance Schedules,Lịch bảo trì
-DocType: Task,Actual End Date (via Time Sheet),Thực tế End Date (thông qua Time Sheet)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},Số tiền {0} {1} với {2} {3}
-,Quotation Trends,Các Xu hướng của báo giá
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},Nhóm mục không được đề cập trong mục tổng thể cho mục {0}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,Để ghi nợ tài khoản phải có một tài khoản phải thu
+DocType: Task,Actual End Date (via Time Sheet),Ngày kết thúc thực tế (thông qua thời gian biểu)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},Số tiền {0} {1} với {2} {3}
+,Quotation Trends,Các Xu hướng dự kê giá
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},Nhóm mục không được đề cập trong mục tổng thể cho mục {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,tài khoản nợ phải nhận được tiền
DocType: Shipping Rule Condition,Shipping Amount,Số tiền vận chuyển
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,Thêm khách hàng
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,Số tiền cấp phát
DocType: Purchase Invoice Item,Conversion Factor,Yếu tố chuyển đổi
DocType: Purchase Order,Delivered,"Nếu được chỉ định, gửi các bản tin sử dụng địa chỉ email này"
@@ -1972,42 +1991,42 @@
DocType: Purchase Receipt,Vehicle Number,Số xe
DocType: Purchase Invoice,The date on which recurring invoice will be stop,Ngày mà hóa đơn định kỳ sẽ được dừng lại
DocType: Employee Loan,Loan Amount,Số tiền vay
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Tuyên ngôn Nhân Vật liệu không tìm thấy cho Item {1}
+DocType: Program Enrollment,Self-Driving Vehicle,Phương tiện tự lái
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},Row {0}: Tuyên ngôn Nhân Vật liệu không tìm thấy cho Item {1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,Tổng số lá được phân bổ {0} không thể ít hơn so với lá đã được phê duyệt {1} cho giai đoạn
DocType: Journal Entry,Accounts Receivable,Tài khoản Phải thu
,Supplier-Wise Sales Analytics,Nhà cung cấp-Wise Doanh Analytics
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Enter Paid Amount,Nhập Số tiền trả tiền
DocType: Salary Structure,Select employees for current Salary Structure,Chọn nhân viên cho cấu trúc lương hiện tại
DocType: Production Order,Use Multi-Level BOM,Sử dụng Multi-Level BOM
-DocType: Bank Reconciliation,Include Reconciled Entries,Bao gồm Entries hòa giải
-DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Khóa Dành Cho Phụ Huynh (Để trống, nếu đây không phải là một phần của Khóa Học về Phụ Huynh)"
-DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Khóa Dành Cho Phụ Huynh (Để trống, nếu đây không phải là một phần của Khóa Học về Phụ Huynh)"
+DocType: Bank Reconciliation,Include Reconciled Entries,Bao gồm Các bút toán hòa giải
+DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Dòng gốc (Để trống, nếu đây không phải là một phần của Dòng gốc)"
+DocType: Course,"Parent Course (Leave blank, if this isn't part of Parent Course)","Dòng gốc (để trống, nếu đây không phải là một phần của Dòng gốc)"
DocType: Leave Control Panel,Leave blank if considered for all employee types,Để trống nếu xem xét tất cả các loại nhân viên
DocType: Landed Cost Voucher,Distribute Charges Based On,Phân phối Phí Dựa Trên
-apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,timesheets
+apps/erpnext/erpnext/templates/pages/projects.html +48,Timesheets,các bảng thời gian biẻu
DocType: HR Settings,HR Settings,Thiết lập nhân sự
-DocType: Salary Slip,net pay info,Thông tin lương net
+DocType: Salary Slip,net pay info,thông tin tiền thực phải trả
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,Bảng kê Chi phí đang chờ phê duyệt. Chỉ Người duyệt chi mới có thể cập nhật trạng thái.
DocType: Email Digest,New Expenses,Chi phí mới
DocType: Purchase Invoice,Additional Discount Amount,Thêm GIẢM Số tiền
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Row # {0}: Số lượng phải là 1, mục là một tài sản cố định. Vui lòng sử dụng hàng riêng biệt cho nhiều qty."
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.","Hàng # {0}: Số lượng phải là 1, mục là một tài sản cố định. Vui lòng sử dụng hàng riêng biệt cho nhiều qty."
DocType: Leave Block List Allow,Leave Block List Allow,Để lại Block List phép
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,Viết tắt ko được để trống
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,Viết tắt ko được để trống
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,Nhóm Non-Group
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,Thể thao
DocType: Loan Type,Loan Name,Tên vay
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,Tổng số thực tế
DocType: Student Siblings,Student Siblings,Anh chị em sinh viên
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,Đơn vị
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,Vui lòng ghi rõ Công ty
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,Đơn vị
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,Vui lòng ghi rõ Công ty
,Customer Acquisition and Loyalty,Khách quay lại và khách trung thành
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,"Kho, nơi bạn cất giữ hàng bảo hành của hàng bị từ chối"
DocType: Production Order,Skip Material Transfer,Bỏ qua chuyển giao vật liệu
DocType: Production Order,Skip Material Transfer,Bỏ qua chuyển giao vật liệu
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Không thể tìm thấy tỷ giá cho {0} đến {1} cho ngày chính {2}. Vui lòng tạo một bản ghi tiền tệ bằng tay
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,Năm tài chính kết thúc vào ngày của bạn
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,Không thể tìm thấy tỷ giá cho {0} đến {1} cho ngày chính {2}. Vui lòng tạo một bản ghi tiền tệ bằng tay
DocType: POS Profile,Price List,Bảng giá
-apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} bây giờ là năm tài chính mặc định. Xin vui lòng làm mới trình duyệt của bạn để các thay đổi có hiệu lực.
+apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0} giờ là năm tài chính mặc định. Xin vui lòng làm mới trình duyệt của bạn để thay đổi có hiệu lực.
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,Claims Expense
DocType: Issue,Support,Hỗ trợ
,BOM Search,Tìm kiếm BOM
@@ -2018,14 +2037,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},Số tồn kho in Batch {0} sẽ bị âm {1} cho khoản mục {2} tại Kho {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,Sau yêu cầu Chất liệu đã được nâng lên tự động dựa trên mức độ sắp xếp lại danh mục của
DocType: Email Digest,Pending Sales Orders,Trong khi chờ hàng đơn đặt hàng
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},Tài khoản của {0} là không hợp lệ. Tài khoản ngắn hạn phải là {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},Tài khoản của {0} là không hợp lệ. Tài khoản ngắn hạn phải là {1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},Yếu tố UOM chuyển đổi là cần thiết trong hàng {0}
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Row # {0}: Tài liệu tham khảo Tài liệu Loại phải là một trong bán hàng đặt hàng, bán hàng hóa đơn hoặc Journal nhập"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry","Hàng # {0}: Tài liệu tham khảo Tài liệu Loại phải là một trong các đơn đặt hàng, hóa đơn hàng hóa, hoặc bút toán nhật ký"
DocType: Salary Component,Deduction,Khấu trừ
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,Row {0}: Từ Thời gian và To Time là bắt buộc.
DocType: Stock Reconciliation Item,Amount Difference,Số tiền khác biệt
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},Item Giá tăng cho {0} trong Giá liệt {1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},Item Giá tăng cho {0} trong Giá liệt {1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,Vui lòng nhập Id nhân viên của người bán hàng này
DocType: Territory,Classification of Customers by region,Phân loại khách hàng theo vùng
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,Chênh lệch Số tiền phải bằng không
@@ -2037,70 +2056,69 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,Tổng số trích
,Production Analytics,Analytics sản xuất
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,Chi phí đã được cập nhật
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,Chi phí đã được cập nhật
DocType: Employee,Date of Birth,Ngày sinh
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,Mục {0} đã được trả lại
-DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Năm tài chính** đại diện cho một năm tài chính. Tất cả các bút toán và giao dịch chủ yếu khác được theo dõi gắn với **năm tài chính **.
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,Mục {0} đã được trả lại
+DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,** Năm tài chính** đại diện cho một năm tài chính. Tất cả các bút toán kế toán và giao dịch chính khác được theo dõi với **năm tài chính **.
DocType: Opportunity,Customer / Lead Address,Địa chỉ Khách hàng / Tiềm năng
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},Cảnh báo: Chứng nhận SSL không hợp lệ đối với đính kèm {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},Cảnh báo: Chứng nhận SSL không hợp lệ đối với đính kèm {0}
DocType: Student Admission,Eligibility,Đủ điều kiện
-apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Dẫn giúp bạn có được kinh doanh, thêm tất cả các địa chỉ liên lạc của bạn và nhiều hơn nữa như tiềm năng của bạn"
+apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads","Lead giúp bạn có được việc kinh doanh, thêm tất cả các địa chỉ liên lạc của bạn và nhiều hơn nữa như Lead của bạn"
DocType: Production Order Operation,Actual Operation Time,Thời gian hoạt động thực tế
DocType: Authorization Rule,Applicable To (User),Để áp dụng (Thành viên)
DocType: Purchase Taxes and Charges,Deduct,Trích
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,Mô Tả Công Việc
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,Mô Tả Công Việc
DocType: Student Applicant,Applied,Ứng dụng
-DocType: Sales Invoice Item,Qty as per Stock UOM,Số lượng theo chứng khoán UOM
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Tên Guardian2
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Nhân vật đặc biệt ngoại trừ ""-"" ""."", ""#"", và ""/"" không được phép đặt tên hàng loạt"
-DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Đo lường các Chiến dịch Bán hàng. Đo lường các Tiềm năng, Báo giá, Đơn hàng v.v.. từ các Chiến dịch để đánh giá Lợi tức Đầu tư."
+DocType: Sales Invoice Item,Qty as per Stock UOM,Số lượng theo như chứng khoán UOM
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Tên Guardian2
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","Kí tự đặc biệt ngoại trừ ""-"" ""."", ""#"", và ""/"" không được phép khi đặt tên hàng loạt"
+DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.","Theo dõi các Chiến dịch Bán hàng. Đo lường các Leads, Bảng Báo giá, Đơn hàng v.v.. từ các Chiến dịch để đánh giá Lợi tức Đầu tư."
DocType: Expense Claim,Approver,Người Xét Duyệt
,SO Qty,Số lượng SO
DocType: Guardian,Work Address,Địa chỉ làm việc
DocType: Appraisal,Calculate Total Score,Tổng điểm tính toán
-DocType: Request for Quotation,Manufacturing Manager,Sản xuất Quản lý
+DocType: Request for Quotation,Manufacturing Manager,QUản lý sản xuất
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},Không nối tiếp {0} được bảo hành tối đa {1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,Giao hàng tận nơi chia Lưu ý thành các gói.
apps/erpnext/erpnext/hooks.py +87,Shipments,Lô hàng
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Số dư tài khoản ({0}) cho {1} và giá trị cổ phiếu ({2}) cho kho hàng {3} phải giống nhau
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,Số dư tài khoản ({0}) cho {1} và giá trị cổ phiếu ({2}) cho kho hàng {3} phải giống nhau
DocType: Payment Entry,Total Allocated Amount (Company Currency),Tổng số tiền được phân bổ (Công ty ngoại tệ)
DocType: Purchase Order Item,To be delivered to customer,Sẽ được chuyển giao cho khách hàng
DocType: BOM,Scrap Material Cost,Chi phí phế liệu
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,{0} nối tiếp Không không thuộc về bất kỳ kho
DocType: Purchase Invoice,In Words (Company Currency),Trong từ (Công ty tiền tệ)
DocType: Asset,Supplier,Nhà cung cấp
-DocType: C-Form,Quarter,Quarter
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,Chi phí linh tinh
+DocType: C-Form,Quarter,Phần tư
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,Chi phí hỗn tạp
DocType: Global Defaults,Default Company,Công ty mặc định
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Chi phí hoặc khác biệt tài khoản là bắt buộc đối với mục {0} vì nó tác động tổng thể giá trị cổ phiếu
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,Chi phí hoặc khác biệt tài khoản là bắt buộc đối với mục {0} vì nó tác động tổng thể giá trị cổ phiếu
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,Tên ngân hàng
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-Trên
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-Trên
DocType: Employee Loan,Employee Loan Account,Tài khoản vay nhân viên
DocType: Leave Application,Total Leave Days,Để lại tổng số ngày
DocType: Email Digest,Note: Email will not be sent to disabled users,Lưu ý: Email sẽ không được gửi đến người khuyết tật
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Số lần tương tác
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,Số lần tương tác
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Mã hàng> Nhóm mặt hàng> Thương hiệu
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,Chọn Công ty ...
DocType: Leave Control Panel,Leave blank if considered for all departments,Để trống nếu xem xét tất cả các phòng ban
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).","Loại lao động (thường xuyên, hợp đồng, vv tập)."
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0} là bắt buộc đối với mục {1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0} là bắt buộc đối với mục {1}
DocType: Process Payroll,Fortnightly,mổi tháng hai lần
DocType: Currency Exchange,From Currency,Từ tệ
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row","Vui lòng chọn Số tiền phân bổ, Loại hóa đơn và hóa đơn số trong ít nhất một hàng"
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,Chi phí mua hàng mới
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +94,Sales Order required for Item {0},Đặt hàng bán hàng cần thiết cho mục {0}
-DocType: Purchase Invoice Item,Rate (Company Currency),Đơn giá (Công ty tiền tệ)
+DocType: Purchase Invoice Item,Rate (Company Currency),Tỷ giá (TIền tệ công ty)
DocType: Student Guardian,Others,Các thông tin khác
DocType: Payment Entry,Unallocated Amount,Số tiền chưa được phân bổ
apps/erpnext/erpnext/templates/includes/product_page.js +71,Cannot find a matching Item. Please select some other value for {0}.,Không thể tìm thấy một kết hợp Item. Hãy chọn một vài giá trị khác cho {0}.
DocType: POS Profile,Taxes and Charges,Thuế và phí
DocType: Item,"A Product or a Service that is bought, sold or kept in stock.","Một sản phẩm hay một dịch vụ được mua, bán hoặc lưu giữ trong kho."
-apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Không có cập nhật hơn
+apps/erpnext/erpnext/hr/page/team_updates/team_updates.js +44,No more updates,Không có bản cập nhật
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +146,Cannot select charge type as 'On Previous Row Amount' or 'On Previous Row Total' for first row,Không có thể chọn loại phí như 'Mở hàng trước Số tiền' hoặc 'On Trước Row Tổng số' cho hàng đầu tiên
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +29,Child Item should not be a Product Bundle. Please remove item `{0}` and save,Con hàng không phải là một gói sản phẩm. Hãy loại bỏ mục '{0} `và tiết kiệm
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +12,Banking,Banking
+apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +12,Banking,Công việc ngân hàng
apps/erpnext/erpnext/utilities/activation.py +106,Add Timesheets,Thêm timesheets
DocType: Vehicle Service,Service Item,dịch vụ hàng
DocType: Bank Guarantee,Bank Guarantee,Bảo lãnh ngân hàng
@@ -2108,70 +2126,69 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,Vui lòng click vào 'Tạo Lịch trình' để có được lịch trình
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,Có lỗi khi xóa lịch trình sau đây:
DocType: Bin,Ordered Quantity,Số lượng đặt hàng
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""","ví dụ như ""Xây dựng các công cụ cho các nhà xây dựng """
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""","ví dụ như ""Xây dựng các công cụ cho các nhà thầu"""
DocType: Grading Scale,Grading Scale Intervals,Khoảng phân loại Scale
-apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Bút Toán cho {2} chỉ có thể được tạo bằng loại tiền tệ: {3}
+apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}: Bút Toán Kế toán cho {2} chỉ có thể được tạo ra với tiền tệ: {3}
DocType: Production Order,In Process,Trong quá trình
-DocType: Authorization Rule,Itemwise Discount,Itemwise Giảm giá
+DocType: Authorization Rule,Itemwise Discount,Mẫu hàng thông minh giảm giá
apps/erpnext/erpnext/config/accounts.py +69,Tree of financial accounts.,Cây tài khoản tài chính.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +364,{0} against Sales Order {1},{0} gắn với Đơn đặt hàng {1}
DocType: Account,Fixed Asset,Tài sản cố định
apps/erpnext/erpnext/config/stock.py +315,Serialized Inventory,Hàng tồn kho được tuần tự
DocType: Employee Loan,Account Info,Thông tin tài khoản
-DocType: Activity Type,Default Billing Rate,Mặc định Thanh toán Rate
-apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Các nhóm sinh viên được tạo.
-apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Các nhóm sinh viên được tạo.
+DocType: Activity Type,Default Billing Rate,tỉ lệ thanh toán mặc định
+apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Các nhóm sinh viên được tạo ra.
+apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0} Các nhóm sinh viên được tạo ra.
DocType: Sales Invoice,Total Billing Amount,Tổng số tiền Thanh toán
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,Có phải là một mặc định đến tài khoản email kích hoạt để làm việc này. Hãy thiết lập một tài khoản email đến mặc định (POP / IMAP) và thử lại.
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,Tài khoản phải thu
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},Row # {0}: {1} Asset đã {2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,Tài khoản phải thu
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},Row # {0}: {1} Asset đã {2}
DocType: Quotation Item,Stock Balance,Số tồn kho
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,Đặt hàng bán hàng để thanh toán
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vui lòng đặt Naming Series cho {0} qua Cài đặt> Cài đặt> Đặt tên Series
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,CEO
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO
DocType: Expense Claim Detail,Expense Claim Detail,Chi phí bồi thường chi tiết
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,Vui lòng chọn đúng tài khoản
DocType: Item,Weight UOM,Trọng lượng UOM
DocType: Salary Structure Employee,Salary Structure Employee,Cơ cấu tiền lương của nhân viên
-DocType: Employee,Blood Group,Blood Group
+DocType: Employee,Blood Group,Nhóm máu
DocType: Production Order Operation,Pending,Chờ
DocType: Course,Course Name,Tên khóa học
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,Người dùng có thể duyệt các ứng dụng nghỉ phép một nhân viên nào đó của
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,Thiết bị văn phòng
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,Thiết bị văn phòng
DocType: Purchase Invoice Item,Qty,Số lượng
DocType: Fiscal Year,Companies,Các công ty
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,Thiết bị điện tử
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,Nâng cao Chất liệu Yêu cầu khi cổ phiếu đạt đến cấp độ sắp xếp lại
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,Toàn thời gian
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,Toàn thời gian
DocType: Salary Structure,Employees,Nhân viên
DocType: Employee,Contact Details,Chi tiết Liên hệ
-DocType: C-Form,Received Date,Nhận ngày
+DocType: C-Form,Received Date,Hạn nhận
DocType: Delivery Note,"If you have created a standard template in Sales Taxes and Charges Template, select one and click on the button below.","Nếu bạn đã tạo ra một mẫu tiêu chuẩn thuế hàng bán và phí , chọn một mẫu và nhấp vào nút dưới đây."
DocType: BOM Scrap Item,Basic Amount (Company Currency),Số tiền cơ bản (Công ty ngoại tệ)
DocType: Student,Guardians,người giám hộ
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,Giá sẽ không được hiển thị nếu thực Giá liệt kê không được thiết lập
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,Hãy xác định một quốc gia cho Rule Shipping này hoặc kiểm tra vận chuyển trên toàn thế giới
DocType: Stock Entry,Total Incoming Value,Tổng giá trị Incoming
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,Nợ Để được yêu cầu
-apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","Timesheets giúp theo dõi thời gian, chi phí và thanh toán cho các hoạt động được thực hiện bởi nhóm của bạn"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,nợ được yêu cầu
+apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team","các bảng thời gian biểu giúp theo dõi thời gian, chi phí và thanh toán cho các hoạt động được thực hiện bởi nhóm của bạn"
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,Danh sách mua Giá
-DocType: Offer Letter Term,Offer Term,Offer hạn
+DocType: Offer Letter Term,Offer Term,Thời hạn Cung cấp
DocType: Quality Inspection,Quality Manager,Quản lý chất lượng
DocType: Job Applicant,Job Opening,Cơ hội nghề nghiệp
DocType: Payment Reconciliation,Payment Reconciliation,Hòa giải thanh toán
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,Vui lòng chọn tên incharge của Người
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,Công nghệ
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},Tổng số chưa được thanh toán: {0}
-DocType: BOM Website Operation,BOM Website Operation,BOM Trang web hoạt động
-apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Offer Letter
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},Tổng số chưa được thanh toán: {0}
+DocType: BOM Website Operation,BOM Website Operation,Hoạt động Website BOM
+apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,Thư mời
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,Các yêu cầu tạo ra vật liệu (MRP) và đơn đặt hàng sản xuất.
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,Tổng số Hoá đơn Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,Tổng số Hoá đơn Amt
DocType: BOM,Conversion Rate,Tỷ lệ chuyển đổi
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,Tìm kiếm sản phẩm
DocType: Timesheet Detail,To Time,Giờ
DocType: Authorization Rule,Approving Role (above authorized value),Phê duyệt Role (trên giá trị ủy quyền)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,Để tín dụng tài khoản phải có một tài khoản phải trả
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},"BOM recursion: {0} không thể là cha mẹ, con của {2}"
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,Để tín dụng tài khoản phải có một tài khoản phải trả
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM đệ quy: {0} khôg thể là loại tổng hoặc loại con của {2}
DocType: Production Order Operation,Completed Qty,Số lượng hoàn thành
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry","Đối với {0}, chỉ tài khoản ghi nợ có thể được liên kết chống lại mục tín dụng khác"
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,Danh sách giá {0} bị vô hiệu hóa
@@ -2180,75 +2197,74 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Không thể cập nhật hàng hóa {0} bằng cách sử dụng tính toán Hòa giải hàng hoá, vui lòng sử dụng Mục nhập chứng khoán"
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +146,"Serialized Item {0} cannot be updated using Stock Reconciliation, please use Stock Entry","Không thể cập nhật hàng hóa {0} bằng cách sử dụng tính toán Hòa giải hàng hoá, vui lòng sử dụng Mục nhập chứng khoán"
DocType: Training Event Employee,Training Event Employee,Đào tạo nhân viên tổ chức sự kiện
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} số Serial phải có cho mục {1}. Bạn đã cung cấp {2}.
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0} những dãy số được yêu cầu cho vật liệu {1}. Bạn đã cung cấp {2}.
DocType: Stock Reconciliation Item,Current Valuation Rate,Hiện tại Rate Định giá
DocType: Item,Customer Item Codes,Mã mục khách hàng (Customer Item Codes)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,Trao đổi Lãi / lỗ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,Trao đổi Lãi / lỗ
DocType: Opportunity,Lost Reason,Lý do bị mất
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,Địa chỉ mới
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,Địa chỉ mới
DocType: Quality Inspection,Sample Size,Kích thước mẫu
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,Vui lòng nhập Document Receipt
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,Tất cả các mục đã được lập hoá đơn
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,Tất cả các mục đã được lập hoá đơn
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',"Vui lòng xác định hợp lệ ""Từ trường hợp số '"
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,Further cost centers can be made under Groups but entries can be made against non-Groups
DocType: Project,External,Bên ngoài
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,Người sử dụng và Quyền
DocType: Vehicle Log,VLOG.,Vlog.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},Đơn đặt hàng sản xuất đã tạo: {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},Đơn đặt hàng sản xuất đã tạo: {0}
DocType: Branch,Branch,Chi Nhánh
DocType: Guardian,Mobile Number,Số điện thoại
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,In ấn và xây dựng thương hiệu
DocType: Bin,Actual Quantity,Số lượng thực tế
DocType: Shipping Rule,example: Next Day Shipping,Ví dụ: Ngày hôm sau Vận chuyển
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,Số thứ tự {0} không tìm thấy
-DocType: Scheduling Tool,Student Batch,hàng loạt sinh viên
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,Khách hàng của bạn
-apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Hãy Student
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},Bạn được lời mời cộng tác trong dự án: {0}
-DocType: Leave Block List Date,Block Date,Block Date
+DocType: Program Enrollment,Student Batch,hàng loạt sinh viên
+apps/erpnext/erpnext/utilities/activation.py +117,Make Student,Tạo Sinh viên
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},Bạn được lời mời cộng tác trong dự án: {0}
+DocType: Leave Block List Date,Block Date,Khối kỳ hạn
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,Áp dụng ngay bây giờ
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Số thực tế {0} / Số lượng chờ {1}
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},Số thực tế {0} / Số lượng chờ {1}
-DocType: Sales Order,Not Delivered,Không Delivered
-,Bank Clearance Summary,Tổng hợp Clearance ngân hàng
+DocType: Sales Order,Not Delivered,Không được vận chuyển
+,Bank Clearance Summary,Bản tóm lược giải tỏa ngân hàng
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.","Tạo và quản lý hàng ngày, hàng tuần và hàng tháng tiêu hóa email."
DocType: Appraisal Goal,Appraisal Goal,Thẩm định mục tiêu
DocType: Stock Reconciliation Item,Current Amount,Số tiền hiện tại
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,Các tòa nhà
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,Các tòa nhà
DocType: Fee Structure,Fee Structure,Cơ cấu phí
DocType: Timesheet Detail,Costing Amount,Chi phí tiền
DocType: Student Admission,Application Fee,Phí đăng ký
DocType: Process Payroll,Submit Salary Slip,Trình Lương trượt
-apps/erpnext/erpnext/controllers/selling_controller.py +162,Maxiumm discount for Item {0} is {1}%,Giảm giá Maxiumm cho mục {0} {1}%
+apps/erpnext/erpnext/controllers/selling_controller.py +162,Maxiumm discount for Item {0} is {1}%,Giảm giá tối đa cho mục {0} {1}%
apps/erpnext/erpnext/stock/doctype/item_price/item_price.js +16,Import in Bulk,Nhập khẩu với số lượng lớn
DocType: Sales Partner,Address & Contacts,Địa chỉ & Liên hệ
DocType: SMS Log,Sender Name,Tên người gửi
DocType: POS Profile,[Select],[Chọn]
DocType: SMS Log,Sent To,Gửi Đến
DocType: Payment Request,Make Sales Invoice,Làm Mua hàng
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,phần mềm
-apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Ngày Liên hệ Tiếp theo không thể trong quá khứ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,phần mềm
+apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,Ngày Liên hệ Tiếp theo không thể ở dạng quá khứ
DocType: Company,For Reference Only.,Chỉ để tham khảo.
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,Chọn Batch No
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,Chọn Batch No
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},Không hợp lệ {0}: {1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,Số tiền ứng trước
DocType: Manufacturing Settings,Capacity Planning,Kế hoạch công suất
-apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +43,'From Date' is required,Phải điền mục 'Từ ngày'
-DocType: Journal Entry,Reference Number,Số tài liệu tham khảo
+apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +43,'From Date' is required,"""Từ ngày"" là cần thiết"
+DocType: Journal Entry,Reference Number,Số liệu tham khảo
DocType: Employee,Employment Details,Chi tiết việc làm
DocType: Employee,New Workplace,Nơi làm việc mới
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,Đặt làm đóng
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},Không có hàng với mã vạch {0}
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},Không có mẫu hàng với mã vạch {0}
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,Trường hợp số không thể là 0
DocType: Item,Show a slideshow at the top of the page,Hiển thị một slideshow ở trên cùng của trang
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,BOMs
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,Cửa hàng
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,BOMs
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,Cửa hàng
DocType: Serial No,Delivery Time,Thời gian giao hàng
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,Người cao tuổi Dựa trên
DocType: Item,End of Life,Kết thúc của cuộc sống
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,Du lịch
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Không có cấu trúc hoạt động hoặc mặc định Mức lương tìm thấy cho nhân viên {0} cho những ngày được
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,Du lịch
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,Không có cấu trúc lương có hiệu lực hoặc mặc định được tìm thấy cho nhân viên {0} với các kỳ hạn có sẵn
DocType: Leave Block List,Allow Users,Cho phép người sử dụng
DocType: Purchase Order,Customer Mobile No,Số điện thoại khách hàng
DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,Theo dõi thu nhập và chi phí riêng cho ngành dọc sản phẩm hoặc bộ phận.
@@ -2256,98 +2272,100 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,Cập nhật giá
DocType: Item Reorder,Item Reorder,Mục Sắp xếp lại
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,Trượt Hiện Lương
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,Vật liệu chuyển
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,Vật liệu chuyển
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.","Xác định các hoạt động, chi phí vận hành và cung cấp cho một hoạt động độc đáo không để các hoạt động của bạn."
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Tài liệu này là qua giới hạn bởi {0} {1} cho mục {4}. bạn đang làm cho một {3} so với cùng {2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,Xin hãy thiết lập định kỳ sau khi tiết kiệm
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,tài khoản số lượng Chọn thay đổi
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,Tài liệu này là qua giới hạn bởi {0} {1} cho mục {4}. bạn đang làm cho một {3} so với cùng {2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,Xin hãy thiết lập định kỳ sau khi tiết kiệm
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,tài khoản số lượng Chọn thay đổi
DocType: Purchase Invoice,Price List Currency,Danh sách giá ngoại tệ
DocType: Naming Series,User must always select,Người sử dụng phải luôn luôn chọn
DocType: Stock Settings,Allow Negative Stock,Cho phép tồn kho âm
DocType: Installation Note,Installation Note,Lưu ý cài đặt
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,Thêm Thuế
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,Thêm Thuế
DocType: Topic,Topic,Đề tài
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,Lưu chuyển tiền tệ từ tài chính
DocType: Budget Account,Budget Account,Tài khoản ngân sách
DocType: Quality Inspection,Verified By,Xác nhận bởi
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Không thể thay đổi tiền tệ mặc định của công ty, bởi vì có giao dịch hiện có. Giao dịch phải được hủy bỏ để thay đổi tiền tệ mặc định."
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.","Không thể thay đổi tiền tệ mặc định của công ty, bởi vì có giao dịch hiện có. Giao dịch phải được hủy bỏ để thay đổi tiền tệ mặc định."
DocType: Grading Scale Interval,Grade Description,lớp Mô tả
DocType: Stock Entry,Purchase Receipt No,Mua hóa đơn Không
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Tiền một cách nghiêm túc
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,Tiền cọc
DocType: Process Payroll,Create Salary Slip,Tạo Mức lương trượt
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,Truy xuất nguồn gốc
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),Nguồn vốn (nợ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Số lượng trong hàng {0} ({1}) phải được giống như số lượng sản xuất {2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),Nguồn vốn (nợ)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},Số lượng trong hàng {0} ({1}) phải được giống như số lượng sản xuất {2}
DocType: Appraisal,Employee,Nhân viên
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} đã đầy đủ hóa đơn mua
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,Chọn Batch
+apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1} đã được lập hóa đơn đầy đủ
DocType: Training Event,End Time,End Time
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Hoạt động Cơ cấu lương {0} tìm thấy cho nhân viên {1} cho những ngày được
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,Cấu trúc lương có hiệu lực {0} được tìm thấy cho nhân viên {1} với kỳ hạn có sẵn
DocType: Payment Entry,Payment Deductions or Loss,Các khoản giảm trừ thanh toán hoặc mất
apps/erpnext/erpnext/config/setup.py +42,Standard contract terms for Sales or Purchase.,Điều khoản hợp đồng tiêu chuẩn cho bán hàng hoặc mua hàng.
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +100,Group by Voucher,Nhóm theo Phiếu
apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,Đường ống dẫn bán hàng
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},Hãy thiết lập tài khoản mặc định trong phần Lương {0}
-apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Required On
+apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,Đã yêu cầu với
DocType: Rename Tool,File to Rename,File để Đổi tên
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},Vui lòng chọn BOM cho Item trong Row {0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},Quy định BOM {0} không tồn tại cho mục {1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},Tài khoảng {0} không phù hợp với Công ty {1} tại phương thức tài khoản: {2}
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},Quy định BOM {0} không tồn tại cho mục {1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,Lịch trình bảo trì {0} phải được hủy bỏ trước khi hủy bỏ đơn đặt hàng này
DocType: Notification Control,Expense Claim Approved,Chi phí bồi thường được phê duyệt
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,Phiếu lương của nhân viên {0} đã được tạo ra trong giai đoạn này
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,Dược phẩm
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,Dược phẩm
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,Chi phí Mua Items
DocType: Selling Settings,Sales Order Required,Đơn đặt hàng đã yêu cầu
DocType: Purchase Invoice,Credit To,Để tín dụng
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Tiềm năng / Khách hàng Hoạt động
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +31,Active Leads / Customers,Leads / Khách hàng có hiệu lực
DocType: Employee Education,Post Graduate,Sau đại học
DocType: Maintenance Schedule Detail,Maintenance Schedule Detail,Lịch trình bảo dưỡng chi tiết
DocType: Quality Inspection Reading,Reading 9,Đọc 9
-DocType: Supplier,Is Frozen,Là đông lạnh
+DocType: Supplier,Is Frozen,Là đóng băng
apps/erpnext/erpnext/stock/utils.py +194,Group node warehouse is not allowed to select for transactions,kho nút Nhóm không được phép chọn cho các giao dịch
DocType: Buying Settings,Buying Settings,Thiết lập thông số Mua hàng
-DocType: Stock Entry Detail,BOM No. for a Finished Good Item,số hiệu BOM cho 01 SP hoàn thành
+DocType: Stock Entry Detail,BOM No. for a Finished Good Item,số hiệu BOM cho một sản phẩm hoàn thành chất lượng
DocType: Upload Attendance,Attendance To Date,Có mặt đến ngày
-DocType: Warranty Claim,Raised By,Nâng By
+DocType: Warranty Claim,Raised By,đưa lên bởi
DocType: Payment Gateway Account,Payment Account,Tài khoản thanh toán
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,Vui lòng ghi rõ Công ty để tiến hành
-apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Thay đổi ròng trong tài khoản phải thu
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,Đền bù Tắt
+apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,Chênh lệch giá tịnh trong tài khoản phải thu
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,Đền bù Tắt
DocType: Offer Letter,Accepted,Chấp nhận
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,Cơ quan
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,Cơ quan
DocType: SG Creation Tool Course,Student Group Name,Tên nhóm học sinh
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Hãy chắc chắn rằng bạn thực sự muốn xóa tất cả các giao dịch cho công ty này. Dữ liệu tổng thể của bạn sẽ vẫn như nó được. Hành động này không thể được hoàn tác.
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,Hãy chắc chắn rằng bạn thực sự muốn xóa tất cả các giao dịch cho công ty này. Dữ liệu tổng thể của bạn vẫn được giữ nguyên. Thao tác này không thể được hoàn tác.
DocType: Room,Room Number,Số phòng
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},Tham chiếu không hợp lệ {0} {1}
-apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) không được lớn hơn số lượng kế hoạch ({2}) trong lệnh sản xuất {3}
-DocType: Shipping Rule,Shipping Rule Label,Quy tắc vận chuyển Label
+apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} ({1}) không được lớn hơn số lượng trong kế hoạch ({2}) trong lệnh sản xuất {3}
+DocType: Shipping Rule,Shipping Rule Label,Quy tắc vận chuyển nhãn hàng
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,Diễn đàn người dùng
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,Nguyên liệu thô không thể để trống.
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.","Không thể cập nhật tồn kho, hóa đơn chứa vật tư vận chuyển tận nơi."
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Tạp chí nhanh chóng nhập
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,Bạn không thể thay đổi tỷ lệ nếu BOM đã được đối ứng với vật tư bất kỳ.
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,Nguyên liệu thô không thể để trống.
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.","Không thể cập nhật tồn kho, hóa đơn chứa vật tư vận chuyển tận nơi."
+apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,Bút toán nhật ký
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,Bạn không thể thay đổi tỷ lệ nếu BOM đã được đối ứng với vật tư bất kỳ.
DocType: Employee,Previous Work Experience,Kinh nghiệm làm việc trước đây
DocType: Stock Entry,For Quantity,Đối với lượng
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},Vui lòng nhập theo kế hoạch Số lượng cho hàng {0} tại hàng {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1} chưa được đệ trình
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,Yêu cầu cho các hạng mục.
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,Để sản xuất riêng biệt sẽ được tạo ra cho mỗi mục tốt đã hoàn thành.
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0} phải là số âm trong tài liệu trả về
-,Minutes to First Response for Issues,Phút để đáp ứng đầu tiên cho vấn đề
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0} phải là số âm trong tài liệu trả về
+,Minutes to First Response for Issues,Các phút tới phản hồi đầu tiên cho kết quả
DocType: Purchase Invoice,Terms and Conditions1,Điều khoản và Conditions1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,Tên của viện mà bạn đang thiết lập hệ thống này.
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,Tên của viện mà bạn đang thiết lập hệ thống này.
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.","Bút toán hạch toán đã đóng băng đến ngày này, không ai có thể làm / sửa đổi nào ngoại trừ người có vai trò xác định dưới đây."
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,Xin vui lòng lưu các tài liệu trước khi tạo ra lịch trình bảo trì
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,Tình trạng dự án
DocType: UOM,Check this to disallow fractions. (for Nos),Kiểm tra này để không cho phép các phần phân đoạn. (Cho Nos)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,Các đơn đặt hàng sản xuất sau đây được tạo ra:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,Các đơn đặt hàng sản xuất sau đây được tạo ra:
DocType: Student Admission,Naming Series (for Student Applicant),Đặt tên Series (cho sinh viên nộp đơn)
DocType: Delivery Note,Transporter Name,Tên vận chuyển
DocType: Authorization Rule,Authorized Value,Giá trị được ủy quyền
DocType: BOM,Show Operations,Hiện Operations
-,Minutes to First Response for Opportunity,Phút để Đáp ứng đầu tiên về Cơ hội
+,Minutes to First Response for Opportunity,Các phút tới phản hồi đầu tiên cho cơ hội
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,Tổng số Vắng
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,Mục hoặc Kho cho hàng {0} không phù hợp với liệu Yêu cầu
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,Mục hoặc Kho cho hàng {0} không phù hợp với liệu Yêu cầu
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,Đơn vị đo
DocType: Fiscal Year,Year End Date,Ngày kết thúc năm
DocType: Task Depends On,Task Depends On,Nhiệm vụ Phụ thuộc On
@@ -2360,11 +2378,11 @@
DocType: Email Digest,How frequently?,Làm thế nào thường xuyên?
DocType: Purchase Receipt,Get Current Stock,Lấy tồn kho hiện tại
apps/erpnext/erpnext/config/manufacturing.py +46,Tree of Bill of Materials,Cây Bill Vật liệu
-DocType: Student,Joining Date,Tham gia ngày
+DocType: Student,Joining Date,Ngày tham gia
,Employees working on a holiday,Nhân viên làm việc trên một kỳ nghỉ
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +152,Mark Present,Đánh dấu hiện tại
DocType: Project,% Complete Method,% Hoàn thành phương pháp
-apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +200,Maintenance start date can not be before delivery date for Serial No {0},Bảo trì ngày bắt đầu không thể trước ngày giao hàng cho Serial No {0}
+apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +200,Maintenance start date can not be before delivery date for Serial No {0},Bảo trì ngày bắt đầu không thể trước ngày giao hàng cho dãy số {0}
DocType: Production Order,Actual End Date,Ngày kết thúc thực tế
DocType: BOM,Operating Cost (Company Currency),Chi phí điều hành (Công ty ngoại tệ)
DocType: Purchase Invoice,PINV-,PINV-
@@ -2373,25 +2391,25 @@
DocType: Company,Fixed Asset Depreciation Settings,Thiết lập khấu hao TSCĐ
DocType: Item,Will also apply for variants unless overrridden,Cũng sẽ được áp dụng cho các biến thể trừ overrridden
DocType: Purchase Invoice,Advances,Tạm ứng
-DocType: Production Order,Manufacture against Material Request,Sản xuất chống lại Yêu cầu vật liệu
+DocType: Production Order,Manufacture against Material Request,Sản xuất với Yêu cầu vật liệu
DocType: Item Reorder,Request for,Yêu cầu đối với
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +32,Approving User cannot be same as user the rule is Applicable To,Phê duyệt Người dùng không thể được giống như sử dụng các quy tắc là áp dụng để
-DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Basic Rate (as per Stock UOM)
-DocType: SMS Log,No of Requested SMS,Không được yêu cầu của tin nhắn SMS
+DocType: Stock Entry Detail,Basic Rate (as per Stock UOM),Tỷ giá cơ bản (theo như hàng hóa UOM)
+DocType: SMS Log,No of Requested SMS,Số SMS được yêu cầu
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +240,Leave Without Pay does not match with approved Leave Application records,Để lại Nếu không phải trả tiền không phù hợp với hồ sơ Để lại ứng dụng đã được phê duyệt
DocType: Campaign,Campaign-.####,Chiến dịch.# # # #
-apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Bước tiếp theo
+apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +21,Next Steps,Những bước tiếp theo
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +753,Please supply the specified items at the best possible rates,Vui lòng cung cấp mục cụ thể với mức giá tốt nhất có thể
DocType: Selling Settings,Auto close Opportunity after 15 days,Auto Cơ hội gần thi hành sau 15 ngày
apps/erpnext/erpnext/public/js/financial_statements.js +83,End Year,cuối Năm
-apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Chì%
-apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Chì%
+apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead%
+apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +23,Quot/Lead %,Quot / Lead%
apps/erpnext/erpnext/hr/doctype/employee/employee.py +119,Contract End Date must be greater than Date of Joining,Ngày kết thúc hợp đồng phải lớn hơn ngày gia nhập
DocType: Delivery Note,DN-,DN-
DocType: Sales Partner,A third party distributor / dealer / commission agent / affiliate / reseller who sells the companies products for a commission.,Một nhà phân phối của bên thứ ba / đại lý / hoa hồng đại lý / chi nhánh / đại lý bán lẻ chuyên bán các sản phẩm công ty cho hưởng hoa hồng.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +376,{0} against Purchase Order {1},{0} gắn với đơn mua hàng {1}
DocType: SMS Settings,"Enter static url parameters here (Eg. sender=ERPNext, username=ERPNext, password=1234 etc.)","Nhập các thông số url tĩnh ở đây (Ví dụ người gửi = ERPNext, tên người dùng = ERPNext, mật khẩu = 1234, vv)"
-DocType: Task,Actual Start Date (via Time Sheet),Thực tế Ngày bắt đầu (thông qua Time Sheet)
+DocType: Task,Actual Start Date (via Time Sheet),Ngày bắt đầu thực tế (thông qua thời gian biểu)
apps/erpnext/erpnext/portal/doctype/homepage/homepage.py +15,This is an example website auto-generated from ERPNext,Đây là một trang web ví dụ tự động tạo ra từ ERPNext
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +37,Ageing Range 1,Phạm vi Ageing 1
DocType: Purchase Taxes and Charges Template,"Standard tax template that can be applied to all Purchase Transactions. This template can contain list of tax heads and also other expense heads like ""Shipping"", ""Insurance"", ""Handling"" etc.
@@ -2416,32 +2434,31 @@
9. Consider Tax or Charge for: In this section you can specify if the tax / charge is only for valuation (not a part of total) or only for total (does not add value to the item) or for both.
10. Add or Deduct: Whether you want to add or deduct the tax.","Standard tax template that can be applied to all Purchase Transactions. This template can contain list of tax heads and also other expense heads like ""Shipping"", ""Insurance"", ""Handling"" etc. #### Note The tax rate you define here will be the standard tax rate for all **Items**. If there are **Items** that have different rates, they must be added in the **Item Tax** table in the **Item** master. #### Description of Columns 1. Calculation Type: - This can be on **Net Total** (that is the sum of basic amount). - **On Previous Row Total / Amount** (for cumulative taxes or charges). If you select this option, the tax will be applied as a percentage of the previous row (in the tax table) amount or total. - **Actual** (as mentioned). 2. Account Head: The Account ledger under which this tax will be booked 3. Cost Center: If the tax / charge is an income (like shipping) or expense it needs to be booked against a Cost Center. 4. Description: Description of the tax (that will be printed in invoices / quotes). 5. Rate: Tax rate. 6. Amount: Tax amount. 7. Total: Cumulative total to this point. 8. Enter Row: If based on ""Previous Row Total"" you can select the row number which will be taken as a base for this calculation (default is the previous row). 9. Consider Tax or Charge for: In this section you can specify if the tax / charge is only for valuation (not a part of total) or only for total (does not add value to the item) or for both. 10. Add or Deduct: Whether you want to add or deduct the tax."
DocType: Homepage,Homepage,Trang chủ
-DocType: Purchase Receipt Item,Recd Quantity,Recd Số lượng
+DocType: Purchase Receipt Item,Recd Quantity,số lượng REcd
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +57,Fee Records Created - {0},Hồ sơ Phí Tạo - {0}
DocType: Asset Category Account,Asset Category Account,Loại tài khoản tài sản
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +106,Cannot produce more Item {0} than Sales Order quantity {1},Không thể sản xuất {0} nhiều hơn số lượng trên đơn đặt hàng {1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +539,Stock Entry {0} is not submitted,Cổ nhập {0} không được đệ trình
DocType: Payment Reconciliation,Bank / Cash Account,Tài khoản ngân hàng /Tiền mặt
-apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,Tiếp theo Liên Bằng không thể giống như Địa chỉ Email Chì
-DocType: Tax Rule,Billing City,Thành phố
+apps/erpnext/erpnext/crm/doctype/lead/lead.py +44,Next Contact By cannot be same as the Lead Email Address,"""Liên hệ Tiếp theo Bằng "" không thể giống như Địa chỉ Email Lead"
+DocType: Tax Rule,Billing City,Thành phố thanh toán
DocType: Asset,Manual,Hướng dẫn sử dụng
-DocType: Salary Component Account,Salary Component Account,Tài khoản của Hợp phần lương
-DocType: Global Defaults,Hide Currency Symbol,Ẩn tệ Ký hiệu
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card","ví dụ như Ngân hàng, tiền mặt, thẻ tín dụng"
+DocType: Salary Component Account,Salary Component Account,Tài khoản phần lương
+DocType: Global Defaults,Hide Currency Symbol,Ẩn Ký hiệu tiền tệ
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card","ví dụ như Ngân hàng, tiền mặt, thẻ tín dụng"
DocType: Lead Source,Source Name,Source Name
DocType: Journal Entry,Credit Note,Tín dụng Ghi chú
DocType: Warranty Claim,Service Address,Địa chỉ dịch vụ
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,Nội thất và Đèn
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,Nội thất và Đèn
DocType: Item,Manufacture,Chế tạo
-apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Hãy Delivery Note đầu tiên
+apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,Hãy chú ý lưu ý đầu tiên
DocType: Student Applicant,Application Date,Ngày nộp hồ sơ
DocType: Salary Detail,Amount based on formula,Số tiền dựa trên công thức
DocType: Purchase Invoice,Currency and Price List,Bảng giá và tiền
DocType: Opportunity,Customer / Lead Name,Tên Khách hàng / Tiềm năng
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,Ngày chốt sổ không được đề cập
apps/erpnext/erpnext/config/manufacturing.py +7,Production,Sản xuất
-DocType: Guardian,Occupation,nghề
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Vui lòng cài đặt Hệ thống Đặt tên Nhân viên trong Nguồn nhân lực> Cài đặt Nhân sự
+DocType: Guardian,Occupation,Nghề Nghiệp
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,Hàng {0}: Ngày bắt đầu phải trước khi kết thúc ngày
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),Tổng số (SL)
DocType: Sales Invoice,This Document,Tài liệu này
@@ -2451,43 +2468,43 @@
DocType: Purchase Invoice,Is Paid,Được thanh toán
DocType: Salary Structure,Total Earning,Tổng số Lợi nhuận
DocType: Purchase Receipt,Time at which materials were received,Thời gian mà các tài liệu đã nhận được
-DocType: Stock Ledger Entry,Outgoing Rate,Tỷ Outgoing
+DocType: Stock Ledger Entry,Outgoing Rate,Tỷ giá đầu ra
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,Chủ chi nhánh tổ chức.
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,hoặc
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,hoặc
DocType: Sales Order,Billing Status,Tình trạng thanh toán
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,Báo lỗi
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,Chi phí tiện ích
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,Chi phí tiện ích
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,Trên - 90
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Tạp chí nhập {1} không có tài khoản {2} hoặc đã xuất hiện chống lại chứng từ khác
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,Row # {0}: Tạp chí nhập {1} không có tài khoản {2} hoặc đã xuất hiện chống lại chứng từ khác
DocType: Buying Settings,Default Buying Price List,Bảng giá mua hàng mặc định
-DocType: Process Payroll,Salary Slip Based on Timesheet,Phiếu lương Dựa trên Timesheet
-apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Không một nhân viên cho các tiêu chí lựa chọn ở trên OR phiếu lương đã tạo
+DocType: Process Payroll,Salary Slip Based on Timesheet,Phiếu lương Dựa trên bảng thời gian
+apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,Không có nhân viên cho tiêu chuẩn được lựa chọn phía trên hoặc bảng lương đã được tạo ra
DocType: Notification Control,Sales Order Message,Thông báo đơn đặt hàng
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.","Thiết lập giá trị mặc định như Công ty, tiền tệ, năm tài chính hiện tại, vv"
DocType: Payment Entry,Payment Type,Loại thanh toán
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Vui lòng chọn một Batch for Item {0}. Không thể tìm thấy một lô duy nhất đáp ứng yêu cầu này
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Vui lòng chọn một Batch for Item {0}. Không thể tìm thấy một lô duy nhất đáp ứng yêu cầu này
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Vui lòng chọn một lô hàng {0}. Không thể tìm thấy lô hàng nào đáp ứng yêu cầu này
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,Vui lòng chọn một lô hàng {0}. Không thể tìm thấy lô hàng nào đáp ứng yêu cầu này
DocType: Process Payroll,Select Employees,Chọn nhân viên
DocType: Opportunity,Potential Sales Deal,Sales tiềm năng Deal
DocType: Payment Entry,Cheque/Reference Date,Séc / Ngày tham chiếu
DocType: Purchase Invoice,Total Taxes and Charges,Tổng số thuế và phí
DocType: Employee,Emergency Contact,Liên hệ Trường hợp Khẩn cấp
-DocType: Bank Reconciliation Detail,Payment Entry,Thanh toán nhập
+DocType: Bank Reconciliation Detail,Payment Entry,Bút toán thanh toán
DocType: Item,Quality Parameters,Chất lượng thông số
,sales-browser,bán hàng trình duyệt
apps/erpnext/erpnext/accounts/doctype/account/account.js +56,Ledger,Sổ
DocType: Target Detail,Target Amount,Mục tiêu Số tiền
-DocType: Shopping Cart Settings,Shopping Cart Settings,Giỏ hàng Cài đặt
+DocType: Shopping Cart Settings,Shopping Cart Settings,Cài đặt giỏ hàng mua sắm
DocType: Journal Entry,Accounting Entries,Các bút toán hạch toán
-apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +24,Duplicate Entry. Please check Authorization Rule {0},Trùng lặp nhập cảnh. Vui lòng kiểm tra Authorization Rule {0}
+apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +24,Duplicate Entry. Please check Authorization Rule {0},HIện bút toán trùng lặp. Vui lòng kiểm tra Quy định ủy quyền {0}
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +27,Global POS Profile {0} already created for company {1},Hồ sơ điểm bán hàng tiêu chuẩn {0} đã được tạo ra cho công ty {1}
DocType: Purchase Order,Ref SQ,Tài liệu tham khảo SQ
apps/erpnext/erpnext/config/manufacturing.py +74,Replace Item / BOM in all BOMs,Thay thế tiết / BOM trong tất cả BOMs
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,tài liệu nhận phải nộp
-DocType: Purchase Invoice Item,Received Qty,Nhận được lượng
+DocType: Purchase Invoice Item,Received Qty,số lượng nhận được
DocType: Stock Entry Detail,Serial No / Batch,Không nối tiếp / hàng loạt
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,Không trả tiền và không Delivered
-DocType: Product Bundle,Parent Item,Cha mẹ mục
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,Không được trả và không được chuyển
+DocType: Product Bundle,Parent Item,Mục gốc
DocType: Account,Account Type,Loại Tài khoản
DocType: Delivery Note,DN-RET-,DN-RET-
apps/erpnext/erpnext/templates/pages/projects.html +58,No time sheets,Không tờ thời gian
@@ -2497,90 +2514,89 @@
apps/erpnext/erpnext/config/hr.py +93,Payroll,Bảng lương
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +171,"For row {0} in {1}. To include {2} in Item rate, rows {3} must also be included","Đối với hàng {0} trong {1}. Để bao gồm {2} tỷ lệ Item, hàng {3} cũng phải được bao gồm"
apps/erpnext/erpnext/utilities/activation.py +99,Make User,Tạo người dùng
-DocType: Packing Slip,Identification of the package for the delivery (for print),Xác định các gói cho việc cung cấp (đối với in)
-DocType: Bin,Reserved Quantity,Ltd Số lượng
+DocType: Packing Slip,Identification of the package for the delivery (for print),Xác định các gói hàng cho việc giao hàng (cho in ấn)
+DocType: Bin,Reserved Quantity,Số lượng được dự trữ
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Vui lòng nhập địa chỉ email hợp lệ
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,Vui lòng nhập địa chỉ email hợp lệ
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Không có khóa bắt buộc cho chương trình {0}
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},Không có khóa bắt buộc cho chương trình {0}
DocType: Landed Cost Voucher,Purchase Receipt Items,Mua hóa đơn mục
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,Các hình thức tùy biến
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,tiền còn thiếu
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,tiền còn thiếu
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,Khấu hao Số tiền trong giai đoạn này
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,mẫu khuyết tật không phải là mẫu mặc định
DocType: Account,Income Account,Tài khoản thu nhập
DocType: Payment Request,Amount in customer's currency,Tiền quy đổi theo ngoại tệ của khách
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,Giao hàng
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,Giao hàng
DocType: Stock Reconciliation Item,Current Qty,Số lượng hiện tại
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section","Xem ""Tỷ lệ Of Vật liệu Dựa trên"" trong mục Chi phí"
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,Trước đó
-DocType: Appraisal Goal,Key Responsibility Area,Diện tích Trách nhiệm chính
+DocType: Appraisal Goal,Key Responsibility Area,Trách nhiệm chính
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students","Lô Student giúp bạn theo dõi chuyên cần, đánh giá và lệ phí cho sinh viên"
DocType: Payment Entry,Total Allocated Amount,Tổng số tiền phân bổ
-DocType: Item Reorder,Material Request Type,Tài liệu theo yêu cầu Loại
-apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural Journal Entry for lương từ {0} đến {1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save","Lưu trữ Cục bộ là đầy đủ, không lưu"
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,Thiết lập tài khoản kho mặc định cho kho vĩnh viễn
+DocType: Item Reorder,Material Request Type,Loại nguyên liệu yêu cầu
+apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Sổ nhật biên kế toán phát sinh dành cho lương lương từ {0} đến {1}
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save","Lưu trữ Cục bộ là đầy đủ, không lưu"
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,Row {0}: Ươm Conversion Factor là bắt buộc
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,Tài liệu tham khảo
DocType: Budget,Cost Center,Bộ phận chi phí
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,Chứng từ #
DocType: Notification Control,Purchase Order Message,Thông báo Mua hàng
-DocType: Tax Rule,Shipping Country,Vận Chuyển Country
+DocType: Tax Rule,Shipping Country,Vận Chuyển quốc gia
DocType: Selling Settings,Hide Customer's Tax Id from Sales Transactions,Hide Id thuế của khách hàng từ giao dịch bán hàng
DocType: Upload Attendance,Upload HTML,Tải lên HTML
DocType: Employee,Relieving Date,Giảm ngày
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.","Quy tắc định giá được thực hiện để ghi đè lên Giá liệt kê / xác định tỷ lệ phần trăm giảm giá, dựa trên một số tiêu chí."
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,Kho chỉ có thể biến động phát sinh thông qua chứng từ nhập kho / BB giao hàng (bán) / BB nhận hàng (mua)
DocType: Employee Education,Class / Percentage,Lớp / Tỷ lệ phần trăm
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,Trưởng phòng Marketing và Bán hàng
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,Thuế thu nhập
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,Trưởng phòng Marketing và Bán hàng
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,Thuế thu nhập
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.","Nếu quy tắc báo giá được tạo cho 'Giá', nó sẽ ghi đè lên 'Bảng giá', Quy tắc giá là giá hiệu lực cuối cùng. Vì vậy không nên có thêm chiết khấu nào được áp dụng. Do vậy, một giao dịch như Đơn đặt hàng, Đơn mua hàng v..v sẽ được lấy từ trường 'Giá' thay vì trường 'Bảng giá'"
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,Theo dõi Tiềm năng theo Loại Ngành.
DocType: Item Supplier,Item Supplier,Mục Nhà cung cấp
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,Vui lòng nhập Item Code để có được hàng loạt không
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},Vui lòng chọn một giá trị cho {0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,Vui lòng nhập Item Code để có được hàng loạt không
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},Vui lòng chọn một giá trị cho {0} quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,Tất cả các địa chỉ.
DocType: Company,Stock Settings,Thiết lập thông số hàng tồn kho
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Sáp nhập là chỉ có thể nếu tính sau là như nhau trong cả hai hồ sơ. Là Group, Loại Root, Công ty"
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company","Kết hợp chỉ có hiệu lực nếu các tài sản dưới đây giống nhau trong cả hai bản ghi. Là nhóm, kiểu gốc, Công ty"
DocType: Vehicle,Electric,Điện
DocType: Task,% Progress,% Tiến trình
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,Lãi / lỗ trên rác Asset
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,Lãi / lỗ khi nhượng lại tài sản
DocType: Training Event,Will send an email about the event to employees with status 'Open',Sẽ gửi một email về các sự kiện để nhân viên có tư cách 'mở'
DocType: Task,Depends on Tasks,Phụ thuộc vào nhiệm vụ
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,Cây thư mục Quản lý Nhóm khách hàng
DocType: Shopping Cart Settings,Attachments can be shown without enabling the shopping cart,Các tệp đính kèm có thể được hiển thị mà không cần bật giỏ hàng
DocType: Supplier Quotation,SQTN-,SQTN-
-apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Tên Bộ phận Chi phí mới
+apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,Tên Trung tâm chi phí mới
DocType: Leave Control Panel,Leave Control Panel,Để lại Control Panel
DocType: Project,Task Completion,nhiệm vụ hoàn thành
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,Không trong kho
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,Không trong kho
DocType: Appraisal,HR User,Nhân tài
DocType: Purchase Invoice,Taxes and Charges Deducted,Thuế và lệ phí được khấu trừ
apps/erpnext/erpnext/hooks.py +116,Issues,Vấn đề
apps/erpnext/erpnext/controllers/status_updater.py +12,Status must be one of {0},Tình trạng phải là một trong {0}
-DocType: Sales Invoice,Debit To,Để ghi nợ
+DocType: Sales Invoice,Debit To,nợ với
DocType: Delivery Note,Required only for sample item.,Yêu cầu chỉ cho mục mẫu.
DocType: Stock Ledger Entry,Actual Qty After Transaction,Số lượng thực tế Sau khi giao dịch
-apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Không trượt lương tìm thấy giữa {0} và {1}
+apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},Không có bảng lương được tìm thấy giữa {0} và {1}
,Pending SO Items For Purchase Request,Trong khi chờ SO mục Đối với mua Yêu cầu
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,Tuyển sinh
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1} bị vô hiệu
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1} bị vô hiệu
DocType: Supplier,Billing Currency,Ngoại tệ thanh toán
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,Cực lớn
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,Cực lớn
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,Tổng Leaves
,Profit and Loss Statement,Lợi nhuận và mất Trữ
DocType: Bank Reconciliation Detail,Cheque Number,Số séc
,Sales Browser,Doanh số bán hàng của trình duyệt
DocType: Journal Entry,Total Credit,Tổng số tín dụng
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},Cảnh báo: {0} # {1} khác tồn tại gắn với phát sinh nhập kho {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,địa phương
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Cho vay trước (tài sản)
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,địa phương
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),Các khoản cho vay và Tiền đặt trước (tài sản)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,Con nợ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,Lớn
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,Lớn
DocType: Homepage Featured Product,Homepage Featured Product,Sản phẩm nổi bật trang chủ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,Tất cả đánh giá Groups
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,Mới Tên kho
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,Tất cả đánh giá Groups
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,tên kho mới
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),Tổng số {0} ({1})
DocType: C-Form Invoice Detail,Territory,Địa bàn
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +151,Please mention no of visits required,Xin đề cập không có các yêu cầu thăm
@@ -2589,17 +2605,17 @@
DocType: Production Order Operation,Planned Start Time,Planned Start Time
DocType: Course,Assessment,"Thẩm định, lượng định, đánh giá"
DocType: Payment Entry Reference,Allocated,Phân bổ
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,Gần Cân đối kế toán và lợi nhuận cuốn sách hay mất.
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,Gần Cân đối kế toán và lợi nhuận cuốn sách hay mất.
DocType: Student Applicant,Application Status,Tình trạng ứng dụng
DocType: Fees,Fees,phí
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,Xác định thị trường ngoại tệ để chuyển đổi một đồng tiền vào một
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,Báo giá {0} bị hủy bỏ
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,Tổng số tiền nợ
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,Tổng số tiền nợ
DocType: Sales Partner,Targets,Mục tiêu
DocType: Price List,Price List Master,Giá Danh sách Thầy
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,Tất cả các giao dịch bán hàng đều được gắn tag với nhiều **Nhân viên kd ** vì thế bạn có thể thiết lập và giám sát các mục tiêu kinh doanh
,S.O. No.,SO số
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Vui lòng tạo Khách hàng từ Tiềm năng {0}
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +165,Please create Customer from Lead {0},Vui lòng tạo Khách hàng từ Lead {0}
DocType: Price List,Applicable for Countries,Áp dụng đối với các nước
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +52,Only Leave Applications with status 'Approved' and 'Rejected' can be submitted,Chỉ Rời khỏi ứng dụng với tình trạng 'Chấp Nhận' và 'từ chối' có thể được gửi
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +51,Student Group Name is mandatory in row {0},Tên sinh viên Group là bắt buộc trong hàng {0}
@@ -2608,7 +2624,7 @@
DocType: Employee,AB-,AB-
DocType: POS Profile,Ignore Pricing Rule,Bỏ qua giá Rule
DocType: Employee Education,Graduate,Sau đại học
-DocType: Leave Block List,Block Days,Block Days
+DocType: Leave Block List,Block Days,Khối ngày
DocType: Journal Entry,Excise Entry,Thuế nhập
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +69,Warning: Sales Order {0} already exists against Customer's Purchase Order {1},Cảnh báo: Đơn Đặt hàng {0} đã tồn tại gắn với đơn mua hàng {1} của khách
DocType: Terms and Conditions,"Standard Terms and Conditions that can be added to Sales and Purchases.
@@ -2638,21 +2654,21 @@
1. Địa chỉ và Liên hệ của Công ty bạn."
DocType: Attendance,Leave Type,Loại bỏ
DocType: Purchase Invoice,Supplier Invoice Details,Nhà cung cấp chi tiết hóa đơn
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Chi phí tài khoản / khác biệt ({0}) phải là một ""lợi nhuận hoặc lỗ 'tài khoản"
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,"Chi phí tài khoản / khác biệt ({0}) phải là một ""lợi nhuận hoặc lỗ 'tài khoản"
DocType: Project,Copied From,Sao chép từ
DocType: Project,Copied From,Sao chép từ
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},Tên lỗi: {0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,Sự thiếu
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} không liên quan đến {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} không liên kết với {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,Tại nhà cho nhân viên {0} đã được đánh dấu
DocType: Packing Slip,If more than one package of the same type (for print),Nếu có nhiều hơn một gói cùng loại (đối với in)
,Salary Register,Mức lương Đăng ký
-DocType: Warehouse,Parent Warehouse,Kho mẹ
-DocType: C-Form Invoice Detail,Net Total,Net Tổng số
+DocType: Warehouse,Parent Warehouse,Kho chính
+DocType: C-Form Invoice Detail,Net Total,Tổng thuần
apps/erpnext/erpnext/config/hr.py +163,Define various loan types,Xác định các loại cho vay khác nhau
DocType: Bin,FCFS Rate,FCFS Tỷ giá
DocType: Payment Reconciliation Invoice,Outstanding Amount,Số tiền nợ
-apps/erpnext/erpnext/templates/generators/bom.html +71,Time(in mins),Thời gian (trong phút)
+apps/erpnext/erpnext/templates/generators/bom.html +71,Time(in mins),Thời gian (bằng phút)
DocType: Project Task,Working,Làm việc
DocType: Stock Ledger Entry,Stock Queue (FIFO),Cổ phiếu xếp hàng (FIFO)
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +39,{0} does not belong to Company {1},{0} không thuộc về Công ty {1}
@@ -2661,87 +2677,90 @@
,Requested Qty,Số lượng yêu cầu
DocType: Tax Rule,Use for Shopping Cart,Sử dụng cho Giỏ hàng
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},Giá trị {0} cho thuộc tính {1} không tồn tại trong danh sách các giá trị mục Giá trị thuộc tính cho mục {2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,Chọn số sê-ri
DocType: BOM Item,Scrap %,Phế liệu%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection","Phí sẽ được phân phối không cân xứng dựa trên mục qty hoặc số tiền, theo lựa chọn của bạn"
DocType: Maintenance Visit,Purposes,Mục đích
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,Ít nhất một mặt hàng cần được nhập với số lượng tiêu cực trong tài liệu trở lại
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,Ít nhất một mặt hàng cần được nhập với số lượng tiêu cực trong tài liệu trở lại
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations","Operation {0} lâu hơn bất kỳ giờ làm việc có sẵn trong máy trạm {1}, phá vỡ các hoạt động vào nhiều hoạt động"
,Requested,Yêu cầu
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,Không có Bình luận
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,Không có lưu ý
DocType: Purchase Invoice,Overdue,Quá hạn
DocType: Account,Stock Received But Not Billed,Chứng khoán nhận Nhưng Không Được quảng cáo
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,Tài khoản gốc phải là một nhóm
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,Tài khoản gốc phải là một nhóm
DocType: Fees,FEE.,CHI PHÍ.
DocType: Employee Loan,Repaid/Closed,Hoàn trả / đóng
DocType: Item,Total Projected Qty,Tổng số dự Qty
DocType: Monthly Distribution,Distribution Name,Tên phân phối
DocType: Course,Course Code,Mã khóa học
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},Kiểm tra chất lượng cần thiết cho mục {0}
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},Duyệt chất lượng là cần thiết cho mục {0}
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,Tỷ Giá được quy đổi từ tỷ giá của khách hàng về tỷ giá chung công ty
-DocType: Purchase Invoice Item,Net Rate (Company Currency),Tỷ Net (Công ty tiền tệ)
+DocType: Purchase Invoice Item,Net Rate (Company Currency),Tỷ giá thuần (Tiền tệ công ty)
DocType: Salary Detail,Condition and Formula Help,Điều kiện và Formula Trợ giúp
apps/erpnext/erpnext/config/selling.py +105,Manage Territory Tree.,Quản lý Cây thư mục địa bàn
DocType: Journal Entry Account,Sales Invoice,Hóa đơn bán hàng
-DocType: Journal Entry Account,Party Balance,Balance Đảng
-apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,Vui lòng chọn Apply Giảm Ngày
+DocType: Journal Entry Account,Party Balance,Số dư đối tác
+apps/erpnext/erpnext/accounts/page/pos/pos.js +463,Please select Apply Discount On,Vui lòng chọn Apply Discount On
DocType: Company,Default Receivable Account,Mặc định Tài khoản phải thu
DocType: Process Payroll,Create Bank Entry for the total salary paid for the above selected criteria,Tạo Ngân hàng xuất nhập cảnh để tổng tiền lương trả cho các tiêu chí lựa chọn ở trên
-DocType: Stock Entry,Material Transfer for Manufacture,Dẫn truyền Vật liệu cho sản xuất
+DocType: Stock Entry,Material Transfer for Manufacture,Vận chuyển nguyên liệu để sản xuất
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,Tỷ lệ phần trăm giảm giá có thể được áp dụng hoặc chống lại một danh sách giá hay cho tất cả Bảng giá.
DocType: Purchase Invoice,Half-yearly,Nửa năm
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,Hạch toán kế toán cho hàng tồn kho
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,Hạch toán kế toán cho hàng tồn kho
DocType: Vehicle Service,Engine Oil,Dầu động cơ
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,Vui lòng cài đặt Hệ thống Đặt tên Nhân viên trong Nguồn nhân lực> Cài đặt Nhân sự
DocType: Sales Invoice,Sales Team1,Team1 bán hàng
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,Mục {0} không tồn tại
DocType: Sales Invoice,Customer Address,Địa chỉ khách hàng
DocType: Employee Loan,Loan Details,Chi tiết vay
+DocType: Company,Default Inventory Account,tài khoản mặc định
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,Row {0}: Đã hoàn thành Số lượng phải lớn hơn không.
DocType: Purchase Invoice,Apply Additional Discount On,Áp dụng khác Giảm Ngày
DocType: Account,Root Type,Loại gốc
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Không thể trả về nhiều hơn {1} cho khoản {2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},Row # {0}: Không thể trả về nhiều hơn {1} cho khoản {2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,Âm mưu
DocType: Item Group,Show this slideshow at the top of the page,Hiển thị slideshow này ở trên cùng của trang
DocType: BOM,Item UOM,Đơn vị tính cho mục
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),Số tiền thuế Sau GIẢM Số tiền (Công ty tiền tệ)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},Kho mục tiêu là bắt buộc đối với hàng {0}
-DocType: Cheque Print Template,Primary Settings,Cài đặt tiểu học
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},Kho mục tiêu là bắt buộc đối với hàng {0}
+DocType: Cheque Print Template,Primary Settings,Cài đặt chính
DocType: Purchase Invoice,Select Supplier Address,Chọn nhà cung cấp Địa chỉ
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,Thêm nhân viên
DocType: Purchase Invoice Item,Quality Inspection,Kiểm tra chất lượng
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,Tắm nhỏ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,Tắm nhỏ
DocType: Company,Standard Template,Mẫu chuẩn
DocType: Training Event,Theory,Lý thuyết
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,Cảnh báo: vật tư yêu cầu có số lượng ít hơn mức tối thiểu
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +211,Account {0} is frozen,Tài khoản {0} bị đóng băng
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,Pháp nhân / Công ty con với một biểu đồ riêng của tài khoản thuộc Tổ chức.
-DocType: Payment Request,Mute Email,Mute Email
+DocType: Payment Request,Mute Email,Email im lặng
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco","Thực phẩm, đồ uống và thuốc lá"
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},Chỉ có thể thực hiện thanh toán cho các phiếu chưa thanh toán {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},Chỉ có thể thực hiện thanh toán cho các phiếu chưa thanh toán {0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,Tỷ lệ hoa hồng không có thể lớn hơn 100
DocType: Stock Entry,Subcontract,Cho thầu lại
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,Vui lòng nhập {0} đầu tiên
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +64,No replies from,Không có trả lời từ
-DocType: Production Order Operation,Actual End Time,Thực tế End Time
+DocType: Production Order Operation,Actual End Time,Thời gian kết thúc thực tế
DocType: Production Planning Tool,Download Materials Required,Tải về Vật liệu yêu cầu
DocType: Item,Manufacturer Part Number,Nhà sản xuất Phần số
DocType: Production Order Operation,Estimated Time and Cost,Thời gian dự kiến và chi phí
-DocType: Bin,Bin,Bin
-DocType: SMS Log,No of Sent SMS,Không có tin nhắn SMS gửi
+DocType: Bin,Bin,Thùng rác
+DocType: SMS Log,No of Sent SMS,Số các tin SMS đã gửi
DocType: Account,Expense Account,Tài khoản chi phí
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,Phần mềm
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,Màu
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,Màu
DocType: Assessment Plan Criteria,Assessment Plan Criteria,Tiêu chuẩn Kế hoạch đánh giá
DocType: Training Event,Scheduled,Dự kiến
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,Yêu cầu báo giá.
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle","Vui lòng chọn ""theo dõi qua kho"" là ""Không"" và ""là Hàng bán"" là ""Có"" và không có sản phẩm theo lô nào khác"
-DocType: Student Log,Academic,Học tập
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Tổng số trước ({0}) chống lại thứ tự {1} không thể lớn hơn Grand Total ({2})
+DocType: Student Log,Academic,học tập
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),Tổng số trước ({0}) chống lại thứ tự {1} không thể lớn hơn Grand Total ({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,Chọn phân phối không đồng đều hàng tháng để phân phối các mục tiêu ở tháng.
DocType: Purchase Invoice Item,Valuation Rate,Định giá
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,Dầu diesel
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,Danh sách giá ngoại tệ không được chọn
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,Danh sách giá ngoại tệ không được chọn
,Student Monthly Attendance Sheet,Sinh viên tham dự hàng tháng Bảng
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},Nhân viên {0} đã áp dụng cho {1} {2} giữa và {3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,Dự án Ngày bắt đầu
@@ -2749,39 +2768,39 @@
DocType: Rename Tool,Rename Log,Đổi tên Đăng nhập
apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Lịch Sinh Hoạt của Nhóm Sinh Viên hoặc Khóa Học là bắt buộc
apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +27,Student Group or Course Schedule is mandatory,Lịch Sinh Hoạt của Nhóm Sinh Viên hoặc Khóa Học là bắt buộc
-DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Duy trì Hours Thanh toán và giờ làm việc cùng trên Timesheet
+DocType: HR Settings,Maintain Billing Hours and Working Hours Same on Timesheet,Duy trì giờ Thanh toán và giờ làm việc cùng trên thời gian biểu
DocType: Maintenance Visit Purpose,Against Document No,Đối với văn bản số
DocType: BOM,Scrap,Sắt vụn
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,Quản lý bán hàng đối tác.
DocType: Quality Inspection,Inspection Type,Loại kiểm tra
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,Các kho hàng với giao dịch hiện tại không thể được chuyển đổi sang nhóm.
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,Các kho hàng với giao dịch hiện tại không thể được chuyển đổi sang nhóm.
DocType: Assessment Result Tool,Result HTML,kết quả HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,Hết hạn vào
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,Thêm sinh viên
apps/erpnext/erpnext/controllers/recurring_document.py +169,Please select {0},Vui lòng chọn {0}
-DocType: C-Form,C-Form No,C-Mẫu Không
-DocType: BOM,Exploded_items,Exploded_items
+DocType: C-Form,C-Form No,C - Mẫu số
+DocType: BOM,Exploded_items,mẫu hàng _ dễ nổ
DocType: Employee Attendance Tool,Unmarked Attendance,Attendance đánh dấu
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,Nhà nghiên cứu
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,Nhà nghiên cứu
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,Chương trình học sinh ghi danh Công cụ
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,Tên hoặc Email là bắt buộc
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,Kiểm tra chất lượng đầu vào.
DocType: Purchase Order Item,Returned Qty,Số lượng trả lại
DocType: Employee,Exit,Thoát
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,Loại rễ là bắt buộc
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,Loại rễ là bắt buộc
DocType: BOM,Total Cost(Company Currency),Tổng chi phí (Công ty ngoại tệ)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,Không nối tiếp {0} tạo
DocType: Homepage,Company Description for website homepage,Công ty Mô tả cho trang chủ của trang web
DocType: Item Customer Detail,"For the convenience of customers, these codes can be used in print formats like Invoices and Delivery Notes","Để thuận tiện cho khách hàng, các mã này có thể được sử dụng trong các định dạng in hóa đơn và biên bản giao hàng"
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +18,Suplier Name,Tên suplier
-DocType: Sales Invoice,Time Sheet List,Thời gian Danh sách Bảng
+DocType: Sales Invoice,Time Sheet List,Danh sách thời gian biểu
DocType: Employee,You can enter any date manually,Bạn có thể nhập bất kỳ ngày bằng thủ công
DocType: Asset Category Account,Depreciation Expense Account,TK Chi phí Khấu hao
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,Thời gian thử việc
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,Thời gian thử việc
DocType: Customer Group,Only leaf nodes are allowed in transaction,Chỉ các nút lá được cho phép trong giao dịch
DocType: Expense Claim,Expense Approver,Người phê duyệt chi phí
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,Dòng số {0}: Khách hàng tạm ứng phải bên Có
-apps/erpnext/erpnext/accounts/doctype/account/account.js +66,Non-Group to Group,Non-Group Nhóm
+apps/erpnext/erpnext/accounts/doctype/account/account.js +66,Non-Group to Group,Không nhóm tới Nhóm
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +57,Batch is mandatory in row {0},Hàng loạt là bắt buộc ở hàng {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +57,Batch is mandatory in row {0},Hàng loạt là bắt buộc ở hàng {0}
DocType: Purchase Receipt Item Supplied,Purchase Receipt Item Supplied,Mua hóa đơn hàng Cung cấp
@@ -2791,10 +2810,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,Lịch khóa học xóa:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,Logs cho việc duy trì tình trạng giao hàng sms
DocType: Accounts Settings,Make Payment via Journal Entry,Hãy thanh toán qua Journal nhập
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,Printed On
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,In vào
DocType: Item,Inspection Required before Delivery,Kiểm tra bắt buộc trước khi giao hàng
DocType: Item,Inspection Required before Purchase,Kiểm tra bắt buộc trước khi mua hàng
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,Các hoạt động cấp phát
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,Tổ chức của bạn
DocType: Fee Component,Fees Category,phí Thể loại
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,Vui lòng nhập ngày giảm.
apps/erpnext/erpnext/controllers/trends.py +149,Amt,Amt
@@ -2804,69 +2824,71 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,Sắp xếp lại Cấp
DocType: Company,Chart Of Accounts Template,Chart of Accounts Template
DocType: Attendance,Attendance Date,Ngày có mặt
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},Item Giá cập nhật cho {0} trong Danh sách Price {1}
-DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Lương chia tay dựa trên Lợi nhuận và khấu trừ.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,Tài khoản có các nút TK con không thể chuyển đổi sang sổ cái được
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},Item Giá cập nhật cho {0} trong Danh sách Price {1}
+DocType: Salary Structure,Salary breakup based on Earning and Deduction.,Chia tiền lương dựa trên thu nhập và khấu trừ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,Tài khoản có các nút TK con không thể chuyển đổi sang sổ cái được
DocType: Purchase Invoice Item,Accepted Warehouse,Kho nhận
DocType: Bank Reconciliation Detail,Posting Date,Báo cáo công đoàn
DocType: Item,Valuation Method,Phương pháp định giá
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +203,Mark Half Day,Đánh dấu Nửa ngày
DocType: Sales Invoice,Sales Team,Đội ngũ bán hàng
-apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Trùng lặp mục
+apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,Bút toán trùng lặp
DocType: Program Enrollment Tool,Get Students,Nhận học sinh
DocType: Serial No,Under Warranty,Theo Bảo hành
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[Lỗi]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[Lỗi]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,'Bằng chữ' sẽ được hiển thị khi bạn lưu đơn bán hàng.
,Employee Birthday,Nhân viên sinh nhật
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,Sinh viên Công cụ hàng loạt Attendance
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,Giới hạn Crossed
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,Giới hạn chéo
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,Vốn đầu tư mạo hiểm
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,Một học kỳ với điều này "Academic Year '{0} và' Tên hạn '{1} đã tồn tại. Hãy thay đổi những mục này và thử lại.
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}","Như có những giao dịch hiện tại chống lại {0} mục, bạn không thể thay đổi giá trị của {1}"
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}","Như có những giao dịch hiện tại chống lại {0} mục, bạn không thể thay đổi giá trị của {1}"
DocType: UOM,Must be Whole Number,Phải có nguyên số
-DocType: Leave Control Panel,New Leaves Allocated (In Days),Lá mới phân bổ (Trong ngày)
+DocType: Leave Control Panel,New Leaves Allocated (In Days),Những sự cho phép mới được phân bổ (trong nhiều ngày)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,Không nối tiếp {0} không tồn tại
DocType: Sales Invoice Item,Customer Warehouse (Optional),Kho của khách hàng (Tùy chọn)
DocType: Pricing Rule,Discount Percentage,Tỷ lệ phần trăm giảm giá
DocType: Payment Reconciliation Invoice,Invoice Number,Số hóa đơn
DocType: Shopping Cart Settings,Orders,Đơn đặt hàng
DocType: Employee Leave Approver,Leave Approver,Để phê duyệt
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,Vui lòng chọn một đợt
DocType: Assessment Group,Assessment Group Name,Tên Nhóm Đánh giá
-DocType: Manufacturing Settings,Material Transferred for Manufacture,Chất liệu được chuyển giao cho sản xuất
+DocType: Manufacturing Settings,Material Transferred for Manufacture,Nguyên liệu được chuyển giao cho sản xuất
DocType: Expense Claim,"A user with ""Expense Approver"" role","Người dùng với vai trò ""Người duyệt chi"""
-DocType: Landed Cost Item,Receipt Document Type,Receipt Loại tài liệu
+DocType: Landed Cost Item,Receipt Document Type,Loại chứng từ thư
DocType: Daily Work Summary Settings,Select Companies,Chọn công ty
,Issued Items Against Production Order,Mục ban hành đối với sản xuất hàng
-DocType: Target Detail,Target Detail,Nhắm mục tiêu chi tiết
+DocType: Target Detail,Target Detail,Chi tiết mục tiêu
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,Tất cả Jobs
DocType: Sales Order,% of materials billed against this Sales Order,% của NVL đã có hoá đơn gắn với đơn đặt hàng này
+DocType: Program Enrollment,Mode of Transportation,Phương thức vận chuyển
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,Thời gian đóng cửa nhập
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,Chi phí bộ phận với các phát sinh đang có không thể chuyển đổi sang nhóm
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},Số tiền {0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},Số tiền {0} {1} {2} {3}
DocType: Account,Depreciation,Khấu hao
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),Nhà cung cấp (s)
DocType: Employee Attendance Tool,Employee Attendance Tool,Nhân viên Công cụ Attendance
DocType: Guardian Student,Guardian Student,người giám hộ sinh viên
DocType: Supplier,Credit Limit,Hạn chế tín dụng
DocType: Production Plan Sales Order,Salse Order Date,Salse hàng ngày
-DocType: Salary Component,Salary Component,Hợp phần lương
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,Thanh toán Entries {0} là un-liên kết
-DocType: GL Entry,Voucher No,Không chứng từ
+DocType: Salary Component,Salary Component,Phần lương
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,Các bút toán thanh toán {0} không được liên kết
+DocType: GL Entry,Voucher No,Chứng từ số
,Lead Owner Efficiency,Hiệu quả Chủ đầu tư
,Lead Owner Efficiency,Hiệu quả Chủ đầu tư
DocType: Leave Allocation,Leave Allocation,Phân bổ lại
-DocType: Payment Request,Recipient Message And Payment Details,Người nhận tin nhắn Và Chi tiết Thanh toán
+DocType: Payment Request,Recipient Message And Payment Details,Tin nhắn người nhận và chi tiết thanh toán
DocType: Training Event,Trainer Email,Trainer Email
-apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +546,Material Requests {0} created,Các yêu cầu nguyên liệu {0} tạo
+apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +546,Material Requests {0} created,Các yêu cầu nguyên liệu {0} đã được tiến hành
DocType: Production Planning Tool,Include sub-contracted raw materials,Bao gồm các nguyên liệu phụ ký hợp đồng
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,"Mẫu thời hạn, điều hợp đồng."
DocType: Purchase Invoice,Address and Contact,Địa chỉ và Liên hệ
-DocType: Cheque Print Template,Is Account Payable,Là Account Payable
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},Cổ không thể cập nhật lại nhận mua hàng {0}
+DocType: Cheque Print Template,Is Account Payable,Là tài khoản phải trả
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},Cổ không thể cập nhật lại nhận mua hàng {0}
DocType: Supplier,Last Day of the Next Month,Ngày cuối cùng của tháng kế tiếp
DocType: Support Settings,Auto close Issue after 7 days,Auto Issue gần sau 7 ngày
-apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Để lại không thể được phân bổ trước khi {0}, như cân bằng nghỉ phép đã được carry-chuyển tiếp trong hồ sơ giao đất nghỉ tương lai {1}"
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Lưu ý: ngày tham chiếu/đến hạn vượt quá số ngày được phép của khách hàng là {0} ngày
+apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}","Để lại không thể được phân bổ trước khi {0}, như cân bằng nghỉ phép đã được chuyển tiếp trong hồ sơ giao đất trong tương lai {1}"
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),Lưu ý: ngày tham chiếu/đến hạn vượt quá số ngày được phép của khách hàng là {0} ngày
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,sinh viên nộp đơn
DocType: Asset Category Account,Accumulated Depreciation Account,Tài khoản khấu hao lũy kế
DocType: Stock Settings,Freeze Stock Entries,Đóng băng Cổ Entries
@@ -2875,82 +2897,82 @@
DocType: Activity Cost,Billing Rate,Tỷ giá thanh toán
,Qty to Deliver,Số lượng để Cung cấp
,Stock Analytics,Phân tích hàng tồn kho
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,Hoạt động không thể để trống
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,Hoạt động không thể để trống
DocType: Maintenance Visit Purpose,Against Document Detail No,Đối với tài liệu chi tiết Không
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Loại Đảng là bắt buộc
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,Kiểu đối tác bắt buộc
DocType: Quality Inspection,Outgoing,Đi
DocType: Material Request,Requested For,Đối với yêu cầu
DocType: Quotation Item,Against Doctype,Chống lại DOCTYPE
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1} đã huỷ bỏ hoặc đã đóng
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1} đã huỷ bỏ hoặc đã đóng
DocType: Delivery Note,Track this Delivery Note against any Project,Giao hàng tận nơi theo dõi này Lưu ý đối với bất kỳ dự án
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,Tiền thuần từ đầu tư
-,Is Primary Address,Là Tiểu học Địa chỉ
DocType: Production Order,Work-in-Progress Warehouse,Làm việc-trong-Tiến kho
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,Tài sản {0} phải được đệ trình
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},Attendance Ghi {0} tồn tại đối với Sinh viên {1}
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},Tài liệu tham khảo # {0} ngày {1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},Attendance Ghi {0} tồn tại đối với Sinh viên {1}
+apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},THam chiếu # {0} được đặt kỳ hạn {1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,Khấu hao Loại bỏ do thanh lý tài sản
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,Quản lý địa chỉ
DocType: Asset,Item Code,Mã hàng
DocType: Production Planning Tool,Create Production Orders,Tạo đơn đặt hàng sản xuất
DocType: Serial No,Warranty / AMC Details,Bảo hành /chi tiết AMC
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Chọn sinh viên theo cách thủ công cho nhóm dựa trên hoạt động
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,Chọn sinh viên theo cách thủ công cho Nhóm dựa trên hoạt động
-DocType: Journal Entry,User Remark,Người sử dụng Ghi chú
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Chọn sinh viên theo cách thủ công cho nhóm dựa trên hoạt động
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,Chọn sinh viên theo cách thủ công cho Nhóm dựa trên hoạt động
+DocType: Journal Entry,User Remark,Lưu ý người dùng
DocType: Lead,Market Segment,Phân khúc thị trường
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},Số tiền trả không có thể lớn hơn tổng số dư âm {0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},Số tiền trả không có thể lớn hơn tổng số dư âm {0}
DocType: Employee Internal Work History,Employee Internal Work History,Lịch sử nhân viên nội bộ làm việc
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),Đóng cửa (Tiến sĩ)
DocType: Cheque Print Template,Cheque Size,Kích Séc
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,Không nối tiếp {0} không có trong kho
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,Mẫu thông số thuế cho các giao dịch bán hàng
DocType: Sales Invoice,Write Off Outstanding Amount,Viết Tắt Số tiền nổi bật
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},Tài khoản {0} không phù hợp với Công ty {1}
DocType: School Settings,Current Academic Year,Năm học hiện tại
DocType: School Settings,Current Academic Year,Năm học hiện tại
DocType: Stock Settings,Default Stock UOM,Mặc định Cổ UOM
-DocType: Asset,Number of Depreciations Booked,Số khấu hao Thẻ vàng
+DocType: Asset,Number of Depreciations Booked,Số khấu hao Thẻ Vàng
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +32,Against Employee Loan: {0},Chống lại nhân viên cho vay: {0}
-DocType: Landed Cost Item,Receipt Document,Tài liệu nhận
+DocType: Landed Cost Item,Receipt Document,Chứng từ thư
DocType: Production Planning Tool,Create Material Requests,Các yêu cầu tạo ra vật liệu
DocType: Employee Education,School/University,Học / Đại học
DocType: Payment Request,Reference Details,Chi tiết tham khảo
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +59,Expected Value After Useful Life must be less than Gross Purchase Amount,Giá trị dự kiến After Life viết phải nhỏ hơn tổng tiền mua hàng
DocType: Sales Invoice Item,Available Qty at Warehouse,Số lượng có sẵn tại kho
-apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Số tiền trên Bill
+apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Billed Amount,Số lượng đã được lập hóa đơn
DocType: Asset,Double Declining Balance,Đôi Balance sụt giảm
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,Để khép kín không thể bị hủy bỏ. Khám phá hủy.
DocType: Student Guardian,Father,Cha
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,'Cập Nhật Kho Hàng' không thể được đánh dấu cho bán tài sản cố định
-DocType: Bank Reconciliation,Bank Reconciliation,Bank Reconciliation
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,'Cập Nhật kho hàng' không thể được kiểm tra việc buôn bán tài sản cố định
+DocType: Bank Reconciliation,Bank Reconciliation,Bảng đối chiếu tài khoản ngân hàng
DocType: Attendance,On Leave,Nghỉ
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,Nhận thông tin cập nhật
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}: Tài khoản {2} không thuộc về Công ty {3}
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Yêu cầu tài liệu {0} được huỷ bỏ hoặc dừng lại
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,Thêm một vài bản ghi mẫu
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,Yêu cầu nguyên liệu {0} được huỷ bỏ hoặc dừng lại
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,Thêm một vài bản ghi mẫu
apps/erpnext/erpnext/config/hr.py +301,Leave Management,Để quản lý
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,Nhóm bởi tài khoản
DocType: Sales Order,Fully Delivered,Giao đầy đủ
DocType: Lead,Lower Income,Thu nhập thấp
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},Nguồn và kho mục tiêu không thể giống nhau cho hàng {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},Nguồn và kho mục tiêu không thể giống nhau cho hàng {0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry","Tài khoản chênh lệch phải là một loại tài khoản tài sản / trách nhiệm pháp lý, kể từ khi hòa giải cổ này là một Entry Mở"
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},Số tiền giải ngân không thể lớn hơn Số tiền vay {0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},Số mua hàng cần thiết cho mục {0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,Sản xuất theo thứ tự không được tạo ra
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},Số mua hàng cần thiết cho mục {0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,Thao tác đặt hàng sản phẩm không được tạo ra
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date','Từ Ngày' phải sau 'Đến Ngày'
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},Không thể thay đổi tình trạng như sinh viên {0} được liên kết với các ứng dụng sinh viên {1}
DocType: Asset,Fully Depreciated,khấu hao hết
,Stock Projected Qty,Dự kiến cổ phiếu Số lượng
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},Khách hàng {0} không thuộc về dự án {1}
-DocType: Employee Attendance Tool,Marked Attendance HTML,Attendance đánh dấu HTML
-apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Báo giá là đề nghị, giá thầu bạn đã gửi cho khách hàng của bạn"
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},Khách hàng {0} không thuộc về dự án {1}
+DocType: Employee Attendance Tool,Marked Attendance HTML,Đánh dấu có mặt HTML
+apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers","Báo giá là đề xuất, giá thầu bạn đã gửi cho khách hàng"
DocType: Sales Order,Customer's Purchase Order,Đơn Mua hàng của khách hàng
apps/erpnext/erpnext/config/stock.py +112,Serial No and Batch,Số thứ tự và hàng loạt
DocType: Warranty Claim,From Company,Từ Công ty
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,Sum của Điểm của tiêu chí đánh giá cần {0} được.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,Hãy thiết lập Số khấu hao Thẻ vàng
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,Giá trị hoặc lượng
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,Đơn đặt hàng sản xuất không thể được nâng lên cho:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,Phút
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,Đơn đặt hàng sản xuất không thể được nâng lên cho:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,Phút
DocType: Purchase Invoice,Purchase Taxes and Charges,Thuế mua và lệ phí
,Qty to Receive,Số lượng để nhận
DocType: Leave Block List,Leave Block List Allowed,Để lại Block List phép
@@ -2958,25 +2980,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},Chi phí bồi thường cho xe Log {0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Giảm giá (%) trên Bảng Giá Giá với Margin
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,Giảm giá (%) trên Bảng Giá Giá với Margin
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,Tất cả các kho hàng
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,Tất cả các kho hàng
DocType: Sales Partner,Retailer,Cửa hàng bán lẻ
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,Để tín dụng tài khoản phải có một tài khoản Cân đối kế toán
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,Để tín dụng tài khoản phải có một tài khoản Cân đối kế toán
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,Nhà cung cấp tất cả các loại
DocType: Global Defaults,Disable In Words,"Vô hiệu hóa ""Số tiền bằng chữ"""
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,Mục Mã số là bắt buộc vì mục không tự động đánh số
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,Mục Mã số là bắt buộc vì mục không tự động đánh số
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},Báo giá {0} không thuộc loại {1}
DocType: Maintenance Schedule Item,Maintenance Schedule Item,Lịch trình bảo trì hàng
-DocType: Sales Order,% Delivered,% Giao hàng
+DocType: Sales Order,% Delivered,% đã chuyển giao
DocType: Production Order,PRO-,PRO-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,Tài khoản thấu chi ngân hàng
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,Tài khoản thấu chi ngân hàng
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,Làm cho lương trượt
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,Hàng # {0}: Khoản tiền phân bổ không thể lớn hơn số tiền chưa thanh toán.
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,Xem BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,Các khoản cho vay được bảo đảm
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,duyệt BOM
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,Các khoản cho vay được bảo đảm
DocType: Purchase Invoice,Edit Posting Date and Time,Sửa viết bài Date and Time
-apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Hãy thiết lập tài khoản liên quan Khấu hao trong Asset loại {0} hoặc Công ty {1}
+apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},Hãy thiết lập tài khoản liên quan Khấu hao trong phân loại của cải {0} hoặc Công ty {1}
DocType: Academic Term,Academic Year,Năm học
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,Khai mạc Balance Equity
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,Khai mạc Balance Equity
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,Thẩm định
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},Email đã được gửi đến NCC {0}
@@ -2990,14 +3012,14 @@
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +278,Select Quantity,Chọn Số lượng
DocType: Customs Tariff Number,Customs Tariff Number,Số thuế hải quan
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,Phê duyệt Vai trò không thể giống như vai trò của quy tắc là áp dụng để
-apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Hủy đăng ký từ Email này Digest
+apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,Hủy đăng ký từ Email phân hạng này
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,Gửi tin nhắn
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,Không thể thiết lập là sổ cái vì Tài khoản có các node TK con
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,Không thể thiết lập là sổ cái vì Tài khoản có các node TK con
DocType: C-Form,II,II
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,tỷ giá mà báo giá được quy đổi về tỷ giá khách hàng chung
-DocType: Purchase Invoice Item,Net Amount (Company Currency),Số tiền Net (Công ty tiền tệ)
+DocType: Purchase Invoice Item,Net Amount (Company Currency),Số lượng tịnh(tiền tệ công ty)
DocType: Salary Slip,Hour Rate,Tỷ lệ giờ
-DocType: Stock Settings,Item Naming By,Mục đặt tên By
+DocType: Stock Settings,Item Naming By,Mẫu hàng đặt tên bởi
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +46,Another Period Closing Entry {0} has been made after {1},Thời gian đóng cửa khác nhập {0} đã được thực hiện sau khi {1}
DocType: Production Order,Material Transferred for Manufacturing,Chất liệu được chuyển giao cho sản xuất
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +32,Account {0} does not exists,Tài khoản {0} không tồn tại
@@ -3007,7 +3029,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +60,"Setting Events to {0}, since the Employee attached to the below Sales Persons does not have a User ID{1}","Thiết kiện để {0}, vì các nhân viên thuộc dưới Sales Người không có một ID người dùng {1}"
DocType: Timesheet,Billing Details,Chi tiết Thanh toán
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +150,Source and target warehouse must be different,Nguồn và kho hàng mục tiêu phải khác
-apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Không được phép cập nhật lớn hơn giao dịch cổ phiếu {0}
+apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +101,Not allowed to update stock transactions older than {0},Không được cập nhật giao dịch tồn kho cũ hơn {0}
DocType: Purchase Invoice Item,PR Detail,PR chi tiết
DocType: Sales Order,Fully Billed,Được quảng cáo đầy đủ
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +20,Cash In Hand,Tiền mặt trong tay
@@ -3027,77 +3049,80 @@
DocType: Expense Claim,Approval Status,Tình trạng chính
DocType: Hub Settings,Publish Items to Hub,Xuất bản Items để Hub
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},Từ giá trị phải nhỏ hơn giá trị trong hàng {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,Chuyển khoản
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,Chuyển khoản
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,Kiểm tra tất cả
-DocType: Vehicle Log,Invoice Ref,Hóa đơn Ref
+DocType: Vehicle Log,Invoice Ref,Tham chieus hóa đơn
DocType: Purchase Order,Recurring Order,Đặt hàng theo định kỳ
DocType: Company,Default Income Account,Tài khoản thu nhập mặc định
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +32,Customer Group / Customer,Nhóm khách hàng / khách hàng
-apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +37,Unclosed Fiscal Years Profit / Loss (Credit),Khép kín tài chính năm Lợi nhuận / Lỗ (Credit)
-DocType: Sales Invoice,Time Sheets,thời gian Sheets
+apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +37,Unclosed Fiscal Years Profit / Loss (Credit),Khép lại năm tài chính năm Lợi nhuận / Lỗ (tín dụng)
+DocType: Sales Invoice,Time Sheets,các bảng thời gian biểu
DocType: Payment Gateway Account,Default Payment Request Message,Yêu cầu thanh toán mặc định tin nhắn
DocType: Item Group,Check this if you want to show in website,Kiểm tra này nếu bạn muốn hiển thị trong trang web
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,Ngân hàng và Thanh toán
,Welcome to ERPNext,Chào mừng bạn đến ERPNext
-apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Tiềm năng thành Báo giá
+apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,Lead thành Bảng Báo giá
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,Không có gì hơn để hiển thị.
DocType: Lead,From Customer,Từ khách hàng
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,Các Cuộc gọi
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,Các Cuộc gọi
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,Hàng loạt
DocType: Project,Total Costing Amount (via Time Logs),Tổng số tiền Chi phí (thông qua Time Logs)
DocType: Purchase Order Item Supplied,Stock UOM,Đơn vị tính Hàng tồn kho
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,Mua hàng {0} không nộp
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,Mua hàng {0} không nộp
DocType: Customs Tariff Number,Tariff Number,Số thuế
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,Dự kiến
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},Không nối tiếp {0} không thuộc về kho {1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Lưu ý: Hệ thống sẽ không kiểm tra trên giao và quá đặt phòng cho hàng {0} như số lượng hoặc số lượng là 0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,Lưu ý: Hệ thống sẽ không kiểm tra phân phối quá mức và đặt trước quá mức cho mẫu {0} như số lượng hoặc số lượng là 0
DocType: Notification Control,Quotation Message,thông tin báo giá
DocType: Employee Loan,Employee Loan Application,Ứng dụng lao động cho vay
DocType: Issue,Opening Date,Mở ngày
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,Tham dự đã được đánh dấu thành công.
+DocType: Program Enrollment,Public Transport,Phương tiện giao thông công cộng
DocType: Journal Entry,Remark,Nhận xét
DocType: Purchase Receipt Item,Rate and Amount,Đơn giá và Thành tiền
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},Loại Tài khoản cho {0} phải là {1}
apps/erpnext/erpnext/config/hr.py +55,Leaves and Holiday,Lá và Holiday
DocType: School Settings,Current Academic Term,Học thuật hiện tại
DocType: School Settings,Current Academic Term,Học thuật hiện tại
-DocType: Sales Order,Not Billed,Không Được quảng cáo
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,Cả 2 Kho hàng phải thuộc cùng một công ty
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,Chưa có liên hệ nào được bổ sung.
+DocType: Sales Order,Not Billed,Không lập được hóa đơn
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,Cả 2 Kho hàng phải thuộc cùng một công ty
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,Chưa có liên hệ nào được bổ sung.
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,Chi phí hạ cánh Voucher Số tiền
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,Hóa đơn từ NCC
DocType: POS Profile,Write Off Account,Viết Tắt tài khoản
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,Nợ tiền mặt amt
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,Số tiền giảm giá
DocType: Purchase Invoice,Return Against Purchase Invoice,Return Against Mua hóa đơn
DocType: Item,Warranty Period (in days),Thời gian bảo hành (trong...ngày)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,Mối quan hệ với Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,Mối quan hệ với Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,Tiền thuần từ hoạt động
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,ví dụ như thuế GTGT
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,ví dụ như thuế GTGT
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,Khoản 4
DocType: Student Admission,Admission End Date,Nhập học ngày End
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,Thầu phụ
-DocType: Journal Entry Account,Journal Entry Account,Tài khoản nhập Journal
+DocType: Journal Entry Account,Journal Entry Account,Tài khoản bút toán kế toán
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,Nhóm sinh viên
DocType: Shopping Cart Settings,Quotation Series,Báo giá seri
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item","Một mục tồn tại với cùng một tên ({0}), hãy thay đổi tên nhóm mục hoặc đổi tên mục"
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,Vui lòng chọn của khách hàng
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item","Một mục tồn tại với cùng một tên ({0}), hãy thay đổi tên nhóm mục hoặc đổi tên mục"
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,Vui lòng chọn của khách hàng
DocType: C-Form,I,tôi
DocType: Company,Asset Depreciation Cost Center,Chi phí bộ phận - khấu hao tài sản
DocType: Sales Order Item,Sales Order Date,Ngày đơn đặt hàng
DocType: Sales Invoice Item,Delivered Qty,Số lượng giao
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.","Nếu được chọn, tất cả các trẻ em của từng hạng mục sản xuất sẽ được bao gồm trong các yêu cầu vật liệu."
DocType: Assessment Plan,Assessment Plan,Kế hoạch đánh giá
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,Kho {0}: phải có công ty
-DocType: Stock Settings,Limit Percent,Giới hạn Percent
+DocType: Stock Settings,Limit Percent,phần trăm giới hạn
,Payment Period Based On Invoice Date,Thời hạn thanh toán Dựa trên hóa đơn ngày
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},Thiếu ngoại tệ Tỷ giá ngoại tệ cho {0}
DocType: Assessment Plan,Examiner,giám khảo
DocType: Student,Siblings,Anh chị em ruột
DocType: Journal Entry,Stock Entry,Chứng từ kho
DocType: Payment Entry,Payment References,Tài liệu tham khảo thanh toán
-DocType: C-Form,C-FORM-,C-FORM-
+DocType: C-Form,C-FORM-,C-MẪU-
DocType: Vehicle,Insurance Details,Chi tiết bảo hiểm
DocType: Account,Payable,Phải nộp
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,Vui lòng nhập kỳ hạn trả nợ
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),Con nợ ({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),Con nợ ({0})
DocType: Pricing Rule,Margin,Biên
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,Khách hàng mới
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,Lợi nhuận gộp%
@@ -3105,23 +3130,23 @@
DocType: Bank Reconciliation Detail,Clearance Date,Ngày chốt sổ
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +62,Gross Purchase Amount is mandatory,Tổng tiền mua hàng là bắt buộc
DocType: Lead,Address Desc,Giải quyết quyết định
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Đảng là bắt buộc
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,Đối tác là bắt buộc
DocType: Journal Entry,JV-,JV-
DocType: Topic,Topic Name,Tên chủ đề
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,Ít nhất bán hàng hoặc mua hàng phải được lựa chọn
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,Chọn bản chất của doanh nghiệp của bạn.
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,Ít nhất bán hàng hoặc mua hàng phải được lựa chọn
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,Chọn bản chất của doanh nghiệp của bạn.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},Hàng # {0}: Mục nhập trùng lặp trong Tài liệu tham khảo {1} {2}
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,Trường hợp hoạt động sản xuất được thực hiện.
DocType: Asset Movement,Source Warehouse,Kho nguồn
DocType: Installation Note,Installation Date,Cài đặt ngày
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: {1} tài sản không thuộc về công ty {2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},Row # {0}: {1} tài sản không thuộc về công ty {2}
DocType: Employee,Confirmation Date,Ngày Xác nhận
DocType: C-Form,Total Invoiced Amount,Tổng số tiền đã lập Hoá đơn
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,Min Số lượng không có thể lớn hơn Max Số lượng
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,Số lượng tối thiểu không thể lớn hơn Số lượng tối đa
DocType: Account,Accumulated Depreciation,Khấu hao lũy kế
DocType: Stock Entry,Customer or Supplier Details,Chi tiết khách hàng hoặc nhà cung cấp
DocType: Employee Loan Application,Required by Date,Theo yêu cầu của ngày
-DocType: Lead,Lead Owner,Người sở hữu Tiềm năng
+DocType: Lead,Lead Owner,Người sở hữu Lead
DocType: Bin,Requested Quantity,yêu cầu Số lượng
DocType: Employee,Marital Status,Tình trạng hôn nhân
DocType: Stock Settings,Auto Material Request,Vật liệu tự động Yêu cầu
@@ -3136,24 +3161,25 @@
apps/erpnext/erpnext/controllers/website_list_for_contact.py +90,{0}% Delivered,{0}% Đã giao hàng
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +81,Item {0}: Ordered qty {1} cannot be less than minimum order qty {2} (defined in Item).,Mục {0}: qty Ra lệnh {1} không thể ít hơn qty đặt hàng tối thiểu {2} (quy định tại khoản).
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,Tỷ lệ phân phối hàng tháng
-DocType: Territory,Territory Targets,Địa bàn Mục tiêu
+DocType: Territory,Territory Targets,Mục tiêu địa bàn
DocType: Delivery Note,Transporter Info,Thông tin vận chuyển
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},Hãy thiết lập mặc định {0} trong Công ty {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},Hãy thiết lập mặc định {0} trong Công ty {1}
DocType: Cheque Print Template,Starting position from top edge,Bắt đầu từ vị trí từ cạnh trên
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,Cùng nhà cung cấp đã được nhập nhiều lần
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,Tổng lợi nhuận / lỗ
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,Mua hàng mục Cung cấp
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,Tên Công ty không thể công ty
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,Tên Công ty không thể công ty
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,Tiêu đề trang cho các mẫu tài liệu in
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"Tiêu đề cho các mẫu in, ví dụ như hóa đơn chiếu lệ."
DocType: Student Guardian,Student Guardian,Người giám hộ sinh viên
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,Phí kiểu định giá không thể đánh dấu là Inclusive
DocType: POS Profile,Update Stock,Cập nhật hàng tồn kho
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,Nhà cung cấp> Loại nhà cung cấp
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,UOM khác nhau cho các hạng mục sẽ dẫn đến (Tổng) giá trị Trọng lượng Tịnh không chính xác. Hãy chắc chắn rằng Trọng lượng Tịnh của mỗi hạng mục là trong cùng một UOM.
-apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM Rate
-DocType: Asset,Journal Entry for Scrap,Tạp chí xuất nhập cảnh để phế liệu
+apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,Tỷ giá BOM
+DocType: Asset,Journal Entry for Scrap,BÚt toán nhật ký cho hàng phế liệu
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,Hãy kéo các mục từ giao hàng Lưu ý
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,Journal Entries {0} là un-liên kết
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,Bút toán nhật ký {0} không được liên kết
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.","Ghi tất cả các thông tin liên lạc của loại email, điện thoại, chat, truy cập, vv"
DocType: Manufacturer,Manufacturers used in Items,Các nhà sản xuất sử dụng trong mục
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,Please mention Round Off Cost Center in Company
@@ -3165,7 +3191,7 @@
,Purchase Analytics,Mua Analytics
DocType: Sales Invoice Item,Delivery Note Item,Giao hàng Ghi mục
DocType: Expense Claim,Task,Nhiệm vụ Tự tắt Lựa chọn
-DocType: Purchase Taxes and Charges,Reference Row #,Tài liệu tham khảo Row #
+DocType: Purchase Taxes and Charges,Reference Row #,dãy tham chiếu #
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +76,Batch number is mandatory for Item {0},Số hiệu Lô là bắt buộc đối với mục {0}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.js +13,This is a root sales person and cannot be edited.,Đây là một người bán hàng gốc và không thể được chỉnh sửa.
DocType: Salary Detail,"If selected, the value specified or calculated in this component will not contribute to the earnings or deductions. However, it's value can be referenced by other components that can be added or deducted. ","Nếu được chọn, giá trị được xác định hoặc tính trong thành phần này sẽ không đóng góp vào thu nhập hoặc khấu trừ. Tuy nhiên, giá trị của nó có thể được tham chiếu bởi các thành phần khác có thể được thêm vào hoặc khấu trừ."
@@ -3185,61 +3211,61 @@
DocType: SMS Center,Send SMS,Gửi tin nhắn SMS
DocType: Cheque Print Template,Width of amount in word,Chiều rộng của số tiền trong từ
DocType: Company,Default Letter Head,Tiêu đề trang mặc định
-DocType: Purchase Order,Get Items from Open Material Requests,Nhận Items từ yêu cầu mở Material
+DocType: Purchase Order,Get Items from Open Material Requests,Nhận mẫu hàng từ yêu cầu mở nguyên liệu
DocType: Item,Standard Selling Rate,Tiêu chuẩn bán giá
-DocType: Account,Rate at which this tax is applied,Tốc độ thuế này được áp dụng
+DocType: Account,Rate at which this tax is applied,Tỷ giá ở mức thuế này được áp dụng
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +19,Reorder Qty,Sắp xếp lại Qty
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +28,Current Job Openings,Hiện tại Hở Job
DocType: Company,Stock Adjustment Account,Tài khoản Điều chỉnh Hàng tồn kho
apps/erpnext/erpnext/public/js/payment/pos_payment.html +17,Write Off,Viết một bài báo
-DocType: Timesheet Detail,Operation ID,Operation ID
+DocType: Timesheet Detail,Operation ID,Tài khoản hoạt động
DocType: Employee,"System User (login) ID. If set, it will become default for all HR forms.","Hệ thống người dùng (đăng nhập) ID. Nếu được thiết lập, nó sẽ trở thành mặc định cho tất cả các hình thức nhân sự."
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +16,{0}: From {1},{0}: Từ {1}
DocType: Task,depends_on,depends_on
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +26,Name of new Account. Note: Please don't create accounts for Customers and Suppliers,Tên tài khoản mới. Lưu ý: Vui lòng không tạo tài khoản cho khách hàng và nhà cung cấp
-DocType: BOM Replace Tool,BOM Replace Tool,BOM Replace Tool
+DocType: BOM Replace Tool,BOM Replace Tool,Thay thế công cụ BOM
apps/erpnext/erpnext/config/setup.py +37,Country wise default Address Templates,Nước khôn ngoan Địa chỉ mặc định Templates
DocType: Sales Order Item,Supplier delivers to Customer,Nhà cung cấp mang đến cho khách hàng
-apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}](#Form/vật tư/{0}) đã hết
-apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Ngày tiếp theo phải lớn hơn gửi bài ngày
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,Hiện thuế break-up
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},Ngày đến hạn /ngày tham chiếu không được sau {0}
-apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,Số liệu nhập khẩu và xuất khẩu
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it","mục chứng khoán tồn tại đối với kho {0}, do đó bạn có thể không giao lại hoặc sửa đổi nó"
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,Không có học sinh Tìm thấy
+apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}](#Mẫu/vật tư/{0}) đã hết
+apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,Kỳ hạn tiếp theo phải sau kỳ hạn đăng
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,Hiển thị phá thuế
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},Ngày đến hạn /ngày tham chiếu không được sau {0}
+apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,dữ liệu nhập và xuất
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,Không có học sinh Tìm thấy
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,Hóa đơn viết bài ngày
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,Bán
DocType: Sales Invoice,Rounded Total,Tròn số
DocType: Product Bundle,List items that form the package.,Danh sách vật phẩm tạo thành các gói.
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,Tỷ lệ phần trăm phân bổ phải bằng 100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,Vui lòng chọn viết bài ngày trước khi lựa chọn Đảng
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,Vui lòng chọn ngày đăng bài trước khi lựa chọn đối tác
DocType: Program Enrollment,School House,School House
DocType: Serial No,Out of AMC,Của AMC
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Vui lòng chọn Báo giá
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,Vui lòng chọn Báo giá
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Vui lòng chọn Báo giá
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,Vui lòng chọn Báo giá
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,Số khấu hao Thẻ vàng không thể lớn hơn Tổng số khấu hao
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,Thực hiện bảo trì đăng nhập
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,Vui lòng liên hệ với người có vai trò Quản lý Bán hàng Chính {0}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,Vui lòng liên hệ với người Quản lý Bán hàng Chính {0}
DocType: Company,Default Cash Account,Tài khoản mặc định tiền
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,Quản trị Công ty (không phải khách hàng hoặc nhà cung cấp)
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,Điều này được dựa trên sự tham gia của sinh viên này
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,Không có Sinh viên trong
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,Không có học sinh trong
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,Thêm nhiều mặt hàng hoặc hình thức mở đầy đủ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',Vui lòng nhập 'ngày dự kiến giao hàng'
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,Phiếu giao hàng {0} phải được hủy bỏ trước khi hủy bỏ đơn đặt hàng này
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,Số tiền thanh toán + Viết Tắt Số tiền không thể lớn hơn Tổng cộng
-apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} số lô hàng không hợp lệ cho mục {1}
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Lưu ý: Không có đủ số dư để lại cho Rời Loại {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,Số tiền thanh toán + Viết Tắt Số tiền không thể lớn hơn Tổng cộng
+apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0} không phải là một dãy số hợp lệ với vật liệu {1}
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},Lưu ý: Không có đủ số dư để lại cho Loại nghỉ {0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,GSTIN không hợp lệ hoặc Enter NA for Unregistered
DocType: Training Event,Seminar,Hội thảo
DocType: Program Enrollment Fee,Program Enrollment Fee,Chương trình Lệ phí đăng ký
DocType: Item,Supplier Items,Nhà cung cấp Items
DocType: Opportunity,Opportunity Type,Loại cơ hội
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +16,New Company,Công ty mới
apps/erpnext/erpnext/setup/doctype/company/delete_company_transactions.py +17,Transactions can only be deleted by the creator of the Company,Giao dịch chỉ có thể được xóa bởi người sáng tạo của Công ty
-apps/erpnext/erpnext/accounts/general_ledger.py +21,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Sai số của các General Ledger Entries tìm thấy. Bạn có thể lựa chọn một tài khoản sai trong giao dịch.
+apps/erpnext/erpnext/accounts/general_ledger.py +21,Incorrect number of General Ledger Entries found. You might have selected a wrong Account in the transaction.,Sai số của cácbút toán sổ cái tổng tìm thấy. Bạn có thể lựa chọn một tài khoản sai trong giao dịch.
DocType: Employee,Prefered Contact Email,Email Liên hệ Đề xuất
DocType: Cheque Print Template,Cheque Width,Chiều rộng Séc
-DocType: Selling Settings,Validate Selling Price for Item against Purchase Rate or Valuation Rate,Xác nhận Giá bán cho hàng chống lại giá mua hoặc giá Định giá
+DocType: Selling Settings,Validate Selling Price for Item against Purchase Rate or Valuation Rate,Hợp thức hóa giá bán hàng cho mẫu hàng với tỷ giá mua bán hoặc tỷ giá định giá
DocType: Program,Fee Schedule,Biểu phí
DocType: Hub Settings,Publish Availability,Xuất bản sẵn có
DocType: Company,Create Chart Of Accounts Based On,Tạo Chart of Accounts Dựa On
@@ -3255,29 +3281,26 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,Khoản 3
DocType: Purchase Order,Customer Contact Email,Email Liên hệ Khách hàng
DocType: Warranty Claim,Item and Warranty Details,Hàng và bảo hành chi tiết
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,Mã hàng> Nhóm mặt hàng> Thương hiệu
DocType: Sales Team,Contribution (%),Đóng góp (%)
-apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Lưu ý: Hiệu thanh toán sẽ không được tạo ra từ 'tiền mặt hoặc tài khoản ngân hàng' không quy định rõ
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Chọn Chương trình để tìm các khóa học bắt buộc.
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,Chọn Chương trình để tìm các khóa học bắt buộc.
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,Trách nhiệm
+apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,Lưu ý: Bút toán thanh toán sẽ không được tạo ra từ 'tiền mặt hoặc tài khoản ngân hàng' không được xác định
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,Trách nhiệm
DocType: Expense Claim Account,Expense Claim Account,Tài khoản chi phí bồi thường
DocType: Sales Person,Sales Person Name,Người bán hàng Tên
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,Vui lòng nhập ít nhất 1 hóa đơn trong bảng
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,Thêm người dùng
DocType: POS Item Group,Item Group,Nhóm hàng
-DocType: Item,Safety Stock,Chứng khoán An toàn
+DocType: Item,Safety Stock,Hàng hóa dự trữ
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,Tiến% cho một nhiệm vụ không thể có nhiều hơn 100.
-DocType: Stock Reconciliation Item,Before reconciliation,Trước khi reconciliation
+DocType: Stock Reconciliation Item,Before reconciliation,Trước bảng điều hòa
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},Để {0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),Thuế và Phí bổ xung (tiền tệ công ty)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Mục thuế Row {0} phải có tài khoản của các loại thuế, thu nhập hoặc chi phí hoặc có thu phí"
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,"Dãy thuế mẫu hàng{0} phải có tài khoản của các loại thuế, thu nhập hoặc chi phí hoặc có thu phí"
DocType: Sales Order,Partly Billed,Được quảng cáo một phần
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,Mục {0} phải là một tài sản cố định mục
-DocType: Item,Default BOM,Mặc định HĐQT
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,Hãy gõ lại tên công ty để xác nhận
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,Tổng số nợ Amt
-DocType: Journal Entry,Printing Settings,In ấn Cài đặt
+DocType: Item,Default BOM,BOM mặc định
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,khoản nợ tiền mặt
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,Hãy gõ lại tên công ty để xác nhận
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,Tổng số nợ Amt
+DocType: Journal Entry,Printing Settings,Cài đặt In ấn
DocType: Sales Invoice,Include Payment (POS),Bao gồm thanh toán (POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},Tổng Nợ phải bằng Tổng số tín dụng. Sự khác biệt là {0}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,Ô tô
@@ -3290,39 +3313,40 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,Trong kho:
DocType: Notification Control,Custom Message,Tùy chỉnh tin nhắn
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,Ngân hàng đầu tư
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,Tiền mặt hoặc tài khoản ngân hàng là bắt buộc đối với việc nhập cảnh thanh toán
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Địa chỉ của sinh viên
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,Địa chỉ của sinh viên
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,Tiền mặt hoặc tài khoản ngân hàng là bắt buộc đối với việc nhập cảnh thanh toán
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,Xin vui lòng thiết lập số cho loạt bài tham dự thông qua Setup> Numbering Series
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Địa chỉ của sinh viên
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,Địa chỉ của sinh viên
DocType: Purchase Invoice,Price List Exchange Rate,Danh sách Tỷ giá
DocType: Purchase Invoice Item,Rate,Đơn giá
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,Tập
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,Tên địa chỉ
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,Tập
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,Tên địa chỉ
DocType: Stock Entry,From BOM,Từ BOM
DocType: Assessment Code,Assessment Code,Mã Đánh giá
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,Cơ bản
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,Cơ bản
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,Giao dịch hàng tồn kho trước ngày {0} được đóng băng
-apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',Vui lòng click vào 'Tạo lịch'
+apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',Vui lòng click vào 'Lập Lịch trình'
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m","ví dụ như Kg, đơn vị, Nos, m"
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +122,Reference No is mandatory if you entered Reference Date,Không tham khảo là bắt buộc nếu bạn bước vào tham khảo ngày
+apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +122,Reference No is mandatory if you entered Reference Date,Số tham khảo là bắt buộc nếu bạn đã nhập vào kỳ hạn tham khảo
DocType: Bank Reconciliation Detail,Payment Document,Tài liệu Thanh toán
apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must be greater than Date of Birth,Ngày gia nhập phải lớn hơn ngày sinh
DocType: Salary Slip,Salary Structure,Cơ cấu tiền lương
DocType: Account,Bank,Ngân hàng
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,Hãng hàng không
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,Vấn đề liệu
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,Vấn đề liệu
DocType: Material Request Item,For Warehouse,Cho kho hàng
-DocType: Employee,Offer Date,Phục vụ ngày
-apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Các Báo giá
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,Bạn đang ở chế độ offline. Bạn sẽ không thể để lại cho đến khi bạn có mạng.
-apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Không có nhóm sinh viên tạo ra.
+DocType: Employee,Offer Date,Kỳ hạn Yêu cầu
+apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,Các bản dự kê giá
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,Bạn đang ở chế độ offline. Bạn sẽ không thể để lại cho đến khi bạn có mạng.
+apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,Không có nhóm học sinh được tạo ra.
DocType: Purchase Invoice Item,Serial No,Không nối tiếp
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,Hàng tháng trả nợ Số tiền không thể lớn hơn Số tiền vay
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +143,Please enter Maintaince Details first,Thông tin chi tiết vui lòng nhập Maintaince đầu tiên
DocType: Purchase Invoice,Print Language,In Ngôn ngữ
DocType: Salary Slip,Total Working Hours,Tổng số giờ làm việc
DocType: Stock Entry,Including items for sub assemblies,Bao gồm các mặt hàng cho các tiểu hội
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,Nhập giá trị phải được tích cực
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,Tất cả các vùng lãnh thổ
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,Nhập giá trị phải được tích cực
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,Tất cả các vùng lãnh thổ
DocType: Purchase Invoice,Items,Khoản mục
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,Sinh viên đã được ghi danh.
DocType: Fiscal Year,Year Name,Tên năm
@@ -3334,17 +3358,17 @@
DocType: Payment Reconciliation,Maximum Invoice Amount,Số tiền Hoá đơn tối đa
DocType: Student Language,Student Language,Ngôn ngữ học
apps/erpnext/erpnext/config/selling.py +23,Customers,các khách hàng
-apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +24,Order/Quot %,Đặt hàng / Trích dẫn%
-apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +24,Order/Quot %,Đặt hàng / Trích dẫn%
+apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +24,Order/Quot %,Yêu cầu/Trích dẫn%
+apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +24,Order/Quot %,Yêu cầu/Trích dẫn%
DocType: Student Sibling,Institution,Tổ chức giáo dục
DocType: Asset,Partially Depreciated,Nhiều khấu hao
DocType: Issue,Opening Time,Thời gian mở
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,"""Từ ngày đến ngày"" phải có"
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,Chứng khoán và Sở Giao dịch hàng hóa
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Mặc định Đơn vị đo lường cho Variant '{0}' phải giống như trong Template '{1}'
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',Mặc định Đơn vị đo lường cho Variant '{0}' phải giống như trong Template '{1}'
DocType: Shipping Rule,Calculate Based On,Tính toán dựa trên
DocType: Delivery Note Item,From Warehouse,Từ kho
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,Không Items với Tuyên ngôn Nhân Vật liệu để sản xuất
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,Không có mẫu hàng với hóa đơn nguyên liệu để sản xuất
DocType: Assessment Plan,Supervisor Name,Tên Supervisor
DocType: Program Enrollment Course,Program Enrollment Course,Khóa học ghi danh chương trình
DocType: Program Enrollment Course,Program Enrollment Course,Khóa học ghi danh chương trình
@@ -3360,32 +3384,32 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,"""Số ngày từ lần đặt hàng gần nhất"" phải lớn hơn hoặc bằng 0"
DocType: Process Payroll,Payroll Frequency,Biên chế tần số
DocType: Asset,Amended From,Sửa đổi Từ
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,Nguyên liệu
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,Nguyên liệu thô
DocType: Leave Application,Follow via Email,Theo qua email
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,Cây và Máy móc thiết bị
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,Cây và Máy móc thiết bị
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,Tiền thuế sau khi chiết khấu
DocType: Daily Work Summary Settings,Daily Work Summary Settings,Cài đặt Tóm tắt công việc hàng ngày
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},Ngoại tệ của các bảng giá {0} không phải là tương tự với các loại tiền đã chọn {1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},Ngoại tệ của các bảng giá {0} không phải là tương tự với các loại tiền đã chọn {1}
DocType: Payment Entry,Internal Transfer,Chuyển nội bộ
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,Tài khoản con tồn tại cho tài khoản này. Bạn không thể xóa tài khoản này.
-apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,Hoặc mục tiêu SL hoặc số lượng mục tiêu là bắt buộc
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},Không có Hội đồng quản trị mặc định tồn tại cho mục {0}
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Vui lòng chọn ngày đầu tiên viết bài
-apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Khai mạc ngày nên trước ngày kết thúc
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,Tài khoản con tồn tại cho tài khoản này. Bạn không thể xóa tài khoản này.
+apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,số lượng mục tiêu là bắt buộc
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},Không có BOM mặc định tồn tại cho mẫu {0}
+apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,Vui lòng chọn ngày đăng bài đầu tiên
+apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,Ngày Khai mạc nên trước ngày kết thúc
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,Vui lòng đặt Naming Series cho {0} qua Cài đặt> Cài đặt> Đặt tên Series
DocType: Leave Control Panel,Carry Forward,Carry Forward
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,Chi phí bộ phận với các phát sinh hiện có không thể được chuyển đổi sang sổ cái
-DocType: Department,Days for which Holidays are blocked for this department.,Ngày mà ngày lễ sẽ bị chặn cho bộ phận này.
+DocType: Department,Days for which Holidays are blocked for this department.,Ngày mà bộ phận này có những ngày lễ bị chặn
,Produced,Sản xuất
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +121,Created Salary Slips,Trượt chân Mức lương tạo
-DocType: Item,Item Code for Suppliers,Item Code cho nhà cung cấp
-DocType: Issue,Raised By (Email),Nâng By (Email)
+DocType: Item,Item Code for Suppliers,Mã số mẫu hàng cho nhà cung cấp
+DocType: Issue,Raised By (Email),đưa lên bởi (Email)
DocType: Training Event,Trainer Name,Tên Trainer
DocType: Mode of Payment,General,Chung
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,Đính kèm tiêu đề trang
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Lần cuối cùng
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,Lần cuối cùng
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',Không thể khấu trừ khi loại là 'định giá' hoặc 'Định giá và Total'
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Danh sách đầu thuế của bạn (ví dụ như thuế GTGT, Hải vv; họ cần phải có tên duy nhất) và tỷ lệ tiêu chuẩn của họ. Điều này sẽ tạo ra một mẫu tiêu chuẩn, trong đó bạn có thể chỉnh sửa và thêm nhiều hơn sau này."
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.","Danh sách đầu thuế của bạn (ví dụ như thuế GTGT, Hải vv; họ cần phải có tên duy nhất) và tỷ lệ tiêu chuẩn của họ. Điều này sẽ tạo ra một mẫu tiêu chuẩn, trong đó bạn có thể chỉnh sửa và thêm nhiều hơn sau này."
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},Nối tiếp Nos Yêu cầu cho In nhiều mục {0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,Thanh toán phù hợp với hoá đơn
DocType: Journal Entry,Bank Entry,Bút toán NH
@@ -3394,33 +3418,35 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,Thêm vào giỏ hàng
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,Nhóm By
DocType: Guardian,Interests,Sở thích
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,Cho phép / vô hiệu hóa tiền tệ.
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,Cho phép / vô hiệu hóa tiền tệ.
DocType: Production Planning Tool,Get Material Request,Nhận Chất liệu Yêu cầu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,Chi phí bưu điện
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,Chi phí bưu điện
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),Tổng số (Amt)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,Giải trí & Giải trí
DocType: Quality Inspection,Item Serial No,Mục Serial No
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,Tạo nhân viên ghi
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,Tổng số hiện tại
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,Báo cáo kế toán
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,Giờ
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Mới Serial No không thể có Warehouse. Kho phải được thiết lập bởi Cổ nhập hoặc mua hóa đơn
-DocType: Lead,Lead Type,Loại Tiềm năng
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,Giờ
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,Dãy số mới không thể có kho hàng. Kho hàng phải đượcthiết lập bởi Bút toán kho dự trữ hoặc biên lai mua hàng
+DocType: Lead,Lead Type,Loại Lead
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,Bạn không được uỷ quyền phê duyệt lá trên Khối Ngày
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +380,All these items have already been invoiced,Tất cả các mặt hàng này đã được lập hoá đơn
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +37,Can be approved by {0},Có thể được duyệt bởi {0}
DocType: Item,Default Material Request Type,Mặc định liệu yêu cầu Loại
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +7,Unknown,không xác định
-DocType: Shipping Rule,Shipping Rule Conditions,Điều kiện vận chuyển Rule
+DocType: Shipping Rule,Shipping Rule Conditions,Các điều kiện cho quy tắc vận chuyển
DocType: BOM Replace Tool,The new BOM after replacement,Hội đồng quản trị mới sau khi thay thế
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,Điểm bán hàng
DocType: Payment Entry,Received Amount,Số tiền nhận được
+DocType: GST Settings,GSTIN Email Sent On,GSTIN Gửi Email
+DocType: Program Enrollment,Pick/Drop by Guardian,Chọn/Thả bởi giám hộ
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order","Tạo cho số lượng đầy đủ, bỏ qua số lượng đã đặt hàng"
DocType: Account,Tax,Thuế
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,không đánh dấu
DocType: Production Planning Tool,Production Planning Tool,Công cụ sản xuất Kế hoạch
-apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +150,"Batched Item {0} cannot be updated using Stock Reconciliation, instead use Stock Entry","Bạn không thể cập nhật Batched Item {0} bằng cách sử dụng Reconciliation Chứng khoán, thay vào đó sử dụng Entry Kho"
-apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +150,"Batched Item {0} cannot be updated using Stock Reconciliation, instead use Stock Entry","Bạn không thể cập nhật Batched Item {0} bằng cách sử dụng Reconciliation Chứng khoán, thay vào đó sử dụng Entry Kho"
+apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +150,"Batched Item {0} cannot be updated using Stock Reconciliation, instead use Stock Entry","Vật tư theo đợt {0} không thể được cập nhật bằng cách sử dụng Bảng điều hòa hàng kho , thay vào đó sử dụng bút toàn hàng kho"
+apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +150,"Batched Item {0} cannot be updated using Stock Reconciliation, instead use Stock Entry","Vật tự theo đợt {0} không thể được cập nhật bằng cách sử dụng bảng điều hòa kho, khoán, thay vào đó sử dụng bút toán hàng kho"
DocType: Quality Inspection,Report Date,Báo cáo ngày
DocType: Student,Middle Name,Tên đệm
DocType: C-Form,Invoices,Hoá đơn
@@ -3428,65 +3454,65 @@
DocType: Batch,Source Document Name,Tên tài liệu nguồn
DocType: Job Opening,Job Title,Chức vụ
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,tạo người dùng
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,Gram
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,Gram
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,Số lượng để sản xuất phải lớn hơn 0.
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,Thăm báo cáo cho các cuộc gọi bảo trì.
-DocType: Stock Entry,Update Rate and Availability,Tốc độ cập nhật và sẵn có
+DocType: Stock Entry,Update Rate and Availability,Cập nhật tỷ giá và hiệu lực
DocType: Stock Settings,Percentage you are allowed to receive or deliver more against the quantity ordered. For example: If you have ordered 100 units. and your Allowance is 10% then you are allowed to receive 110 units.,Tỷ lệ phần trăm bạn được phép nhận hoặc cung cấp nhiều so với số lượng đặt hàng. Ví dụ: Nếu bạn đã đặt mua 100 đơn vị. và Trợ cấp của bạn là 10% sau đó bạn được phép nhận 110 đơn vị.
DocType: POS Customer Group,Customer Group,Nhóm khách hàng
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),ID hàng loạt mới (Tùy chọn)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),ID hàng loạt mới (Tùy chọn)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},Tài khoản chi phí là bắt buộc đối với mục {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},Tài khoản chi phí là bắt buộc đối với mục {0}
DocType: BOM,Website Description,Mô tả Website
-apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Thay đổi ròng trong vốn chủ sở hữu
-apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Hãy hủy mua hóa đơn {0} đầu tiên
+apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,Chênh lệch giá tịnh trong vốn sở hữu
+apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,Hãy hủy hóa đơn mua hàng {0} đầu tiên
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +43,"Email Address must be unique, already exists for {0}","Địa chỉ email phải là duy nhất, đã tồn tại cho {0}"
DocType: Serial No,AMC Expiry Date,Ngày hết hạn hợp đồng bảo hành (AMC)
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +799,Receipt,Biên lai
,Sales Register,Đăng ký bán hàng
DocType: Daily Work Summary Settings Company,Send Emails At,Gửi email Tại
-DocType: Quotation,Quotation Lost Reason,lý do báo giá thất bại
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,Chọn tên miền của bạn
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},tham chiếu giao dịch không có {0} ngày {1}
+DocType: Quotation,Quotation Lost Reason,lý do bảng báo giá mất
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,Chọn tên miền của bạn
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},tham chiếu giao dịch không có {0} ngày {1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,Không có gì phải chỉnh sửa là.
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,Tóm tắt cho tháng này và các hoạt động cấp phát
DocType: Customer Group,Customer Group Name,Tên Nhóm khách hàng
apps/erpnext/erpnext/public/js/pos/pos.html +100,No Customers yet!,Chưa có Khách!
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,Báo cáo lưu chuyển tiền mặt
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},Số tiền cho vay không thể vượt quá Số tiền cho vay tối đa của {0}
-apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,giấy phép
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},Hãy loại bỏ hóa đơn này {0} từ C-Form {1}
+apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,bằng
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},Hãy loại bỏ hóa đơn này {0} từ C-Form {1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,Vui lòng chọn Carry Forward nếu bạn cũng muốn bao gồm cân bằng tài chính của năm trước để lại cho năm tài chính này
DocType: GL Entry,Against Voucher Type,Loại chống lại Voucher
DocType: Item,Attributes,Thuộc tính
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,Vui lòng nhập Viết Tắt tài khoản
-apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Last Order ngày
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,Vui lòng nhập Viết Tắt tài khoản
+apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,Kỳ hạn đặt cuối cùng
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},Tài khoản {0} không thuộc về công ty {1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,Số sê-ri trong hàng {0} không khớp với Lưu lượng giao hàng
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,Số sê-ri trong hàng {0} không khớp với Lưu lượng giao hàng
DocType: Student,Guardian Details,Chi tiết người giám hộ
-DocType: C-Form,C-Form,C-Mẫu
-apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Đánh dấu chấm cho nhiều nhân viên
+DocType: C-Form,C-Form,C - Mẫu
+apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,Đánh dấu cho nhiều nhân viên
DocType: Vehicle,Chassis No,chassis Không
DocType: Payment Request,Initiated,Được khởi xướng
DocType: Production Order,Planned Start Date,Ngày bắt đầu lên kế hoạch
DocType: Serial No,Creation Document Type,Loại tài liệu sáng tạo
DocType: Leave Type,Is Encash,Là thâu tiền bạc
-DocType: Leave Allocation,New Leaves Allocated,Lá mới phân bổ
+DocType: Leave Allocation,New Leaves Allocated,Những sự cho phép mới được phân bổ
apps/erpnext/erpnext/controllers/trends.py +269,Project-wise data is not available for Quotation,Dữ liệu chuyên-dự án không có sẵn cho báo giá
DocType: Project,Expected End Date,Ngày Dự kiến kết thúc
DocType: Budget Account,Budget Amount,Số tiền ngân sách
DocType: Appraisal Template,Appraisal Template Title,Thẩm định Mẫu Tiêu đề
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},Từ ngày {0} cho Employee {1} không được trước ngày gia nhập của người lao động {2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,Thương mại
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,Thương mại
DocType: Payment Entry,Account Paid To,Tài khoản Thụ hưởng
-apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Chánh mục {0} không phải là Cổ Mã
+apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,Mẫu gốc {0} không thể là mẫu tồn kho
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,Tất cả sản phẩm hoặc dịch vụ.
DocType: Expense Claim,More Details,Xem chi tiết
DocType: Supplier Quotation,Supplier Address,Địa chỉ nhà cung cấp
-apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Ngân sách cho tài khoản {1} đối với {2} {3} là {4}. Nó sẽ vượt do {5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',Row {0} # Tài khoản phải được loại 'tài sản cố định "
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,Số lượng ra
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,Quy tắc để tính toán tiền vận chuyển để bán
+apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} Ngân sách cho tài khoản {1} đối với {2} {3} là {4}. Nó sẽ vượt qua {5}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',Row {0} # Tài khoản phải được loại 'tài sản cố định "
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,Số lượng ra
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,Quy tắc để tính toán tiền vận chuyển để bán
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,Series là bắt buộc
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,Dịch vụ tài chính
DocType: Student Sibling,Student ID,thẻ học sinh
@@ -3494,16 +3520,16 @@
DocType: Tax Rule,Sales,Bán hàng
DocType: Stock Entry Detail,Basic Amount,Số tiền cơ bản
DocType: Training Event,Exam,Thi
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},phải có kho cho vật tư {0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},phải có kho cho vật tư {0}
DocType: Leave Allocation,Unused leaves,Lá chưa sử dụng
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,Cr
DocType: Tax Rule,Billing State,Bang thanh toán
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,Truyền
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1} không liên quan đến Tài khoản Đối tác {2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),Lấy BOM nổ (bao gồm các cụm chi tiết)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1} không liên kết tới Tài khoản bên Đối tác {2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),Lấy BOM nổ (bao gồm các cụm chi tiết)
DocType: Authorization Rule,Applicable To (Employee),Để áp dụng (nhân viên)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,Ngày đến hạn là bắt buộc
-apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Tăng cho Attribute {0} không thể là 0
+apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,Tăng cho thuộc tính {0} không thể là 0
DocType: Journal Entry,Pay To / Recd From,Để trả / Recd Từ
DocType: Naming Series,Setup Series,Thiết lập Dòng
DocType: Payment Reconciliation,To Invoice Date,Để hóa đơn ngày
@@ -3512,8 +3538,8 @@
DocType: Landed Cost Voucher,LCV,LCV
DocType: Landed Cost Voucher,Purchase Receipts,Hóa đơn mua hàng
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +29,How Pricing Rule is applied?,Làm thế nào giá Quy tắc được áp dụng?
-DocType: Stock Entry,Delivery Note No,Giao hàng tận nơi Lưu ý Không
-DocType: Production Planning Tool,"If checked, only Purchase material requests for final raw materials will be included in the Material Requests. Otherwise, Material Requests for parent items will be created","Nếu được chọn, chỉ mua yêu cầu nguyên liệu cho nguyên liệu cuối cùng sẽ được đưa vào các yêu cầu vật liệu. Nếu không, yêu cầu vật liệu cho các hạng mục phụ huynh sẽ được tạo ra"
+DocType: Stock Entry,Delivery Note No,Lưu ý cho việc giao hàng số
+DocType: Production Planning Tool,"If checked, only Purchase material requests for final raw materials will be included in the Material Requests. Otherwise, Material Requests for parent items will be created","Nếu được chọn, chỉ yêu cầu nguyên liệu thô cho nguyên liệu cuối cùng sẽ được đưa vào các yêu cầu vật liệu. Nếu không, yêu cầu vật liệu cho các hạng mục gốc sẽ được tạo"
DocType: Cheque Print Template,Message to show,Tin nhắn để hiển thị
DocType: Company,Retail,Lĩnh vực bán lẻ
DocType: Attendance,Absent,Vắng mặt
@@ -3522,31 +3548,33 @@
DocType: Purchase Taxes and Charges Template,Purchase Taxes and Charges Template,Mua Thuế và phí Template
DocType: Upload Attendance,Download Template,Tải mẫu
DocType: Timesheet,TS-,TS-
-apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +61,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: Ghi nợ hoặc Tín dụng là yêu cầu bắt buộc với {2}
+apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +61,{0} {1}: Either debit or credit amount is required for {2},{0} {1}: Cả khoản nợ lẫn số tín dụng đều là yêu cầu bắt buộc với {2}
DocType: GL Entry,Remarks,Ghi chú
DocType: Payment Entry,Account Paid From,Tài khoản Trích nợ
-DocType: Purchase Order Item Supplied,Raw Material Item Code,Nguyên liệu Item Code
+DocType: Purchase Order Item Supplied,Raw Material Item Code,Mã nguyên liệu thô của mặt hàng
DocType: Journal Entry,Write Off Based On,Viết Tắt Dựa trên
-apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Hãy Chì
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,In và Văn phòng phẩm
+apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,Hãy Lead
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,In và Văn phòng phẩm
DocType: Stock Settings,Show Barcode Field,Hiện Dòng mã vạch
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,Gửi email Nhà cung cấp
-apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Mức lương đã được xử lý cho giai đoạn từ {0} và {1}, Để lại khoảng thời gian ứng dụng không thể được giữa phạm vi ngày này."
+apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.","Mức lương đã được xử lý cho giai đoạn giữa {0} và {1}, Giai đoạn bỏ ứng dụng không thể giữa khoảng kỳ hạn này"
apps/erpnext/erpnext/config/stock.py +127,Installation record for a Serial No.,Bản ghi cài đặt cho một Số sản
DocType: Guardian Interest,Guardian Interest,người giám hộ lãi
apps/erpnext/erpnext/config/hr.py +177,Training,Đào tạo
DocType: Timesheet,Employee Detail,Nhân viên chi tiết
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,ID Email Guardian1
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,ID Email Guardian1
-apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,"Ngày hôm sau, ngày và lặp lại vào ngày của tháng phải bằng"
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,ID Email Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,ID Email Guardian1
+apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,Ngày của kỳ hạn tiếp theo và Ngày lặp lại của tháng phải bằng nhau
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,Cài đặt cho trang chủ của trang web
DocType: Offer Letter,Awaiting Response,Đang chờ Response
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,Ở trên
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,Ở trên
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},thuộc tính không hợp lệ {0} {1}
DocType: Supplier,Mention if non-standard payable account,Đề cập đến tài khoản phải trả phi tiêu chuẩn
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},Mặt hàng tương tự đã được thêm vào nhiều lần {danh sách}
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',Vui lòng chọn nhóm đánh giá khác với 'Tất cả các Nhóm Đánh giá'
DocType: Salary Slip,Earning & Deduction,Thu nhập và khoản giảm trừ
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,Tùy chọn. Thiết lập này sẽ được sử dụng để lọc xem các giao dịch khác nhau.
-apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Tỷ lệ tiêu cực Định giá không được phép
+apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,Tỷ lệ định giá âm không được cho phép
DocType: Holiday List,Weekly Off,Tắt tuần
DocType: Fiscal Year,"For e.g. 2012, 2012-13","Ví dụ như năm 2012, 2012-13"
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +96,Provisional Profit / Loss (Credit),Lợi nhuận tạm thời / lỗ (tín dụng)
@@ -3554,12 +3582,12 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +32,Item 5,Mục 5
DocType: Serial No,Creation Time,Thời gian tạo
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +62,Total Revenue,Tổng doanh thu
-DocType: Sales Invoice,Product Bundle Help,Sản phẩm Bundle Trợ giúp
+DocType: Sales Invoice,Product Bundle Help,Trợ giúp gói sản phẩm
,Monthly Attendance Sheet,Hàng tháng tham dự liệu
DocType: Production Order Item,Production Order Item,Sản xuất theo thứ tự hàng
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,Rohit ERPNext Phần mở rộng (thường)
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,Không có bản ghi được tìm thấy
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,Chi phí của tài sản Loại bỏ
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}: Bộ phận giá cả là bắt buộc đối với vật tư hàng hóa {2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}:Trung tâm chi phí là bắt buộc đối với vật liệu {2}
DocType: Vehicle,Policy No,chính sách Không
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,Chọn mục từ Sản phẩm theo lô
DocType: Asset,Straight Line,Đường thẳng
@@ -3568,11 +3596,11 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,Chia
DocType: GL Entry,Is Advance,Là Trước
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,"""Có mặt từ ngày"" tham gia và ""có mặt đến ngày"" là bắt buộc"
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,"Vui lòng nhập 'là hợp đồng phụ ""là Có hoặc Không"
-apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Ngày Giao Tiếp Cuối
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,Vui lòng nhập 'là hợp đồng phụ' như là Có hoặc Không
+apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Ngày Trao Đổi Cuối
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,Ngày Giao Tiếp Cuối
DocType: Sales Team,Contact No.,Mã số Liên hệ
-DocType: Bank Reconciliation,Payment Entries,Entries thanh toán
+DocType: Bank Reconciliation,Payment Entries,bút toán thanh toán
DocType: Production Order,Scrap Warehouse,phế liệu kho
DocType: Production Order,Check if material transfer entry is not required,Kiểm tra xem mục nhập chuyển nhượng vật liệu không bắt buộc
DocType: Production Order,Check if material transfer entry is not required,Kiểm tra xem mục nhập chuyển nhượng vật liệu không bắt buộc
@@ -3593,153 +3621,155 @@
DocType: Shipping Rule,Specify conditions to calculate shipping amount,Xác định điều kiện để tính toán tiền vận chuyển
DocType: Accounts Settings,Role Allowed to Set Frozen Accounts & Edit Frozen Entries,Vai trò Được phép Thiết lập Frozen Accounts & Edit Frozen Entries
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,Không thể chuyển đổi Chi phí bộ phận sổ cái vì nó có các nút con
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Giá trị khai mạc
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,Giá trị mở
DocType: Salary Detail,Formula,Công thức
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,Serial #
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,Hoa hồng trên doanh thu
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,Hoa hồng trên doanh thu
DocType: Offer Letter Term,Value / Description,Giá trị / Mô tả
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: {1} tài sản không thể gửi, nó đã được {2}"
-DocType: Tax Rule,Billing Country,Quốc gia
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}","Row # {0}: {1} tài sản không thể gửi, nó đã được {2}"
+DocType: Tax Rule,Billing Country,Quốc gia thanh toán
DocType: Purchase Order Item,Expected Delivery Date,Ngày Dự kiến giao hàng
-apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Thẻ ghi nợ và tín dụng không bằng cho {0} # {1}. Sự khác biệt là {2}.
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,Chi phí Giải trí
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,Hãy Chất liệu Yêu cầu
+apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,Thẻ ghi nợ và tín dụng không bằng với {0} # {1}. Sự khác biệt là {2}.
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,Chi phí Giải trí
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,Hãy Chất liệu Yêu cầu
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},Mở hàng {0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,Hóa đơn bán hàng {0} phải được hủy bỏ trước khi hủy bỏ đơn đặt hàng này
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,Tuổi
-DocType: Sales Invoice Timesheet,Billing Amount,Số tiền thanh toán
+DocType: Sales Invoice Timesheet,Billing Amount,Lượng thanh toán
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,Số lượng không hợp lệ quy định cho mặt hàng {0}. Số lượng phải lớn hơn 0.
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,Ứng dụng cho nghỉ.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,Không thể xóa TK vì vẫn còn bút toán
-DocType: Vehicle,Last Carbon Check,Bài Carbon tra
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,Chi phí pháp lý
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,Không thể xóa TK vì vẫn còn giao dịch
+DocType: Vehicle,Last Carbon Check,Kiểm tra Carbon lần cuối
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,Chi phí pháp lý
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,Vui lòng chọn số lượng trên hàng
DocType: Purchase Invoice,Posting Time,Thời gian gửi bài
-DocType: Timesheet,% Amount Billed,% Số tiền đã ghi hđơn
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,Chi phí điện thoại
+DocType: Timesheet,% Amount Billed,% Số tiền đã ghi hóa đơn
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,Chi phí điện thoại
DocType: Sales Partner,Logo,Logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,Kiểm tra này nếu bạn muốn ép buộc người dùng lựa chọn một loạt trước khi lưu. Sẽ không có mặc định nếu bạn kiểm tra này.
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},Không có hàng với Serial No {0}
-DocType: Email Digest,Open Notifications,Mở Notifications
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},Không có mẫu hàng với dãy số {0}
+DocType: Email Digest,Open Notifications,Mở các Thông Báo
DocType: Payment Entry,Difference Amount (Company Currency),Chênh lệch Số tiền (Công ty ngoại tệ)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,Chi phí trực tiếp
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,Chi phí trực tiếp
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0} là một địa chỉ email không hợp lệ trong 'Thông báo \ Địa chỉ Email'
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,Doanh thu khách hàng mới
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,Chi phí đi lại
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,Chi phí đi lại
DocType: Maintenance Visit,Breakdown,Hỏng
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,Không thể chọn được Tài khoản: {0} với loại tiền tệ: {1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,Không thể chọn được Tài khoản: {0} với loại tiền tệ: {1}
DocType: Bank Reconciliation Detail,Cheque Date,Séc ngày
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},Tài khoản {0}: tài khoản mẹ {1} không thuộc về công ty: {2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},Tài khoản {0}: tài khoản mẹ {1} không thuộc về công ty: {2}
DocType: Program Enrollment Tool,Student Applicants,Ứng sinh viên
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,Xóa thành công tất cả các giao dịch liên quan đến công ty này!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,Xóa thành công tất cả các giao dịch liên quan đến công ty này!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,vào ngày
DocType: Appraisal,HR,nhân sự
DocType: Program Enrollment,Enrollment Date,ngày đăng ký
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,Quản chế
-apps/erpnext/erpnext/config/hr.py +115,Salary Components,Linh kiện lương
-DocType: Program Enrollment Tool,New Academic Year,Năm mới học
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,Return / Credit Note
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,Quản chế
+apps/erpnext/erpnext/config/hr.py +115,Salary Components,các phần lương bổng
+DocType: Program Enrollment Tool,New Academic Year,Năm học mới
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,Return / Credit Note
DocType: Stock Settings,Auto insert Price List rate if missing,Auto chèn tỷ Bảng giá nếu mất tích
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,Tổng số tiền trả
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,Tổng số tiền trả
DocType: Production Order Item,Transferred Qty,Số lượng chuyển giao
-apps/erpnext/erpnext/config/learn.py +11,Navigating,Duyệt
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,Hoạch định
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,Ban hành
+apps/erpnext/erpnext/config/learn.py +11,Navigating,Thông qua
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,Hoạch định
+DocType: Material Request,Issued,Ban hành
DocType: Project,Total Billing Amount (via Time Logs),Tổng số tiền Thanh toán (thông qua Time Logs)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,Chúng tôi bán vật tư HH này
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,Nhà cung cấp Id
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,Chúng tôi bán vật tư HH này
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,Nhà cung cấp Id
DocType: Payment Request,Payment Gateway Details,Chi tiết Thanh Cổng
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,Số lượng phải lớn hơn 0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,Số lượng phải lớn hơn 0
DocType: Journal Entry,Cash Entry,Cash nhập
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,nút con chỉ có thể được tạo ra dưới 'Nhóm' nút loại
-DocType: Leave Application,Half Day Date,Nửa ngày ngày
+DocType: Leave Application,Half Day Date,Kỳ hạn nửa ngày
DocType: Academic Year,Academic Year Name,Tên Năm học
DocType: Sales Partner,Contact Desc,Mô tả Liên hệ
apps/erpnext/erpnext/config/hr.py +65,"Type of leaves like casual, sick etc.","Loại lá như bình thường, bệnh vv"
DocType: Email Digest,Send regular summary reports via Email.,Gửi báo cáo tóm tắt thường xuyên qua Email.
-DocType: Payment Entry,PE-,pe-
+DocType: Payment Entry,PE-,PE-
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},Hãy thiết lập tài khoản mặc định trong Loại Chi phí bồi thường {0}
DocType: Assessment Result,Student Name,Tên học sinh
-DocType: Brand,Item Manager,Mã Manager
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,bảng lương phải trả
+DocType: Brand,Item Manager,QUản lý mẫu hàng
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,bảng lương phải trả
DocType: Buying Settings,Default Supplier Type,Loại mặc định Nhà cung cấp
DocType: Production Order,Total Operating Cost,Tổng chi phí hoạt động kinh doanh
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,Lưu ý: Item {0} nhập nhiều lần
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,Tất cả Liên hệ.
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,Công ty viết tắt
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,Công ty viết tắt
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,Người sử dụng {0} không tồn tại
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,Nguyên liệu không thể giống nhau như mục chính
-DocType: Item Attribute Value,Abbreviation,Tên viết tắt
-apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Thanh toán nhập đã tồn tại
-apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Không authroized từ {0} vượt quá giới hạn
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,Nguyên liệu thô không thể giống nhau như mẫu hàng chính
+DocType: Item Attribute Value,Abbreviation,Rút gọn
+apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,Bút toán thanh toán đã tồn tại
+apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,Không được phép từ {0} vượt qua các giới hạn
apps/erpnext/erpnext/config/hr.py +110,Salary template master.,Lương mẫu chủ.
DocType: Leave Type,Max Days Leave Allowed,Để lại tối đa ngày phép
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,Đặt Rule thuế cho giỏ hàng
DocType: Purchase Invoice,Taxes and Charges Added,Thuế và phí bổ xung
,Sales Funnel,Kênh bán hàng
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,Tên viết tắt là bắt buộc
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,Tên viết tắt là bắt buộc
DocType: Project,Task Progress,Tiến độ công việc
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,Xe đẩy
,Qty to Transfer,Số lượng để chuyển
-apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Báo giá cho Tiềm năng hoặc Khách hàng.
+apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,Báo giá cho Leads hoặc Khách hàng.
DocType: Stock Settings,Role Allowed to edit frozen stock,Vai trò được phép chỉnh sửa cổ đông lạnh
-,Territory Target Variance Item Group-Wise,Territory Target Variance Item Group-Wise
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,Tất cả các nhóm khách hàng
+,Territory Target Variance Item Group-Wise,Mục tiêu địa bàn của phương sai mẫu hàng trong nhóm - thông minh
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,Tất cả các nhóm khách hàng
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,tích lũy hàng tháng
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} là bắt buộc. Bản ghi tỷ giá có thể không được tạo ra cho {1} đến {2}.
-apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Template thuế là bắt buộc.
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,Tài khoản {0}: tài khoản mẹ {1} không tồn tại
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0} là bắt buộc. Bản ghi thu đổi ngoại tệ có thể không được tạo ra cho {1} tới {2}.
+apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,Mẫu thuế là bắt buộc
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,Tài khoản {0}: tài khoản mẹ {1} không tồn tại
DocType: Purchase Invoice Item,Price List Rate (Company Currency),Danh sách giá Tỷ lệ (Công ty tiền tệ)
DocType: Products Settings,Products Settings,Cài đặt sản phẩm
DocType: Account,Temporary,Tạm thời
DocType: Program,Courses,Các khóa học
DocType: Monthly Distribution Percentage,Percentage Allocation,Tỷ lệ phần trăm phân bổ
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,Thư ký
-DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Nếu vô hiệu hóa, "Trong từ 'trường sẽ không được hiển thị trong bất kỳ giao dịch"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,Thư ký
+DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction","Nếu vô hiệu hóa, trường ""In Words "" sẽ không được hiển thị trong bất kỳ giao dịch"
DocType: Serial No,Distinct unit of an Item,Đơn vị riêng biệt của một khoản
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,Vui lòng thiết lập công ty
DocType: Pricing Rule,Buying,Mua hàng
DocType: HR Settings,Employee Records to be created by,Nhân viên ghi được tạo ra bởi
DocType: POS Profile,Apply Discount On,Áp dụng Giảm giá Trên
,Reqd By Date,Reqd theo địa điểm
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,Nợ
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,Nợ
DocType: Assessment Plan,Assessment Name,Tên Đánh giá
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,Row # {0}: Serial No là bắt buộc
-DocType: Purchase Taxes and Charges,Item Wise Tax Detail,Mục khôn ngoan chi tiết thuế
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,Viện Tên viết tắt
-,Item-wise Price List Rate,Item-khôn ngoan Giá liệt kê Tỷ giá
+DocType: Purchase Taxes and Charges,Item Wise Tax Detail,mục chi tiết thuế thông minh
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,Viện Tên viết tắt
+,Item-wise Price List Rate,Mẫu hàng - danh sách tỷ giá thông minh
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,Báo giá của NCC
DocType: Quotation,In Words will be visible once you save the Quotation.,"""Bằng chữ"" sẽ được hiển thị ngay khi bạn lưu các báo giá."
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Số lượng ({0}) không thể là một phân số trong hàng {1}
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},Số lượng ({0}) không thể là một phân số trong hàng {1}
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,thu thập Phí
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},Mã vạch {0} đã được sử dụng trong mục {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},Mã vạch {0} đã được sử dụng trong mục {1}
DocType: Lead,Add to calendar on this date,thêm ngày này vào lịch công tác
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,Quy tắc để thêm chi phí vận chuyển.
-DocType: Item,Opening Stock,mở Cổ
+DocType: Item,Opening Stock,mở Cổ phiếu
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,Khách hàng phải có
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} là bắt buộc đối với trả lại
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0} là bắt buộc đối với việc hoàn trả
DocType: Purchase Order,To Receive,Nhận
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,Email cá nhân
-apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Tổng số Variance
-DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Nếu được kích hoạt, hệ thống sẽ gửi ghi sổ kế toán hàng tồn kho tự động."
+apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,Tổng số phương sai
+DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.","Nếu được kích hoạt, hệ thống sẽ tự động đăng sổ kế toán để kiểm kê hàng hóa."
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +15,Brokerage,Môi giới
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +232,Attendance for employee {0} is already marked for this day,Attendance cho nhân viên {0} đã được đánh dấu ngày này
DocType: Production Order Operation,"in Minutes
Updated via 'Time Log'","trong Minutes
Cập nhật qua 'Giờ'"
DocType: Customer,From Lead,Từ Tiềm năng
-apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Đơn đặt hàng phát hành để sản xuất.
+apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,Đơn đặt hàng phát hành cho sản phẩm.
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,Chọn năm tài chính ...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,POS hồ sơ cần thiết để làm cho POS nhập
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,POS hồ sơ cần thiết để làm cho POS nhập
DocType: Program Enrollment Tool,Enroll Students,Ghi danh học sinh
-DocType: Hub Settings,Name Token,Tên Mã
+DocType: Hub Settings,Name Token,Tên Mã thông báo
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,Tiêu chuẩn bán hàng
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,Ít nhất một kho là bắt buộc
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,Ít nhất một kho là bắt buộc
DocType: Serial No,Out of Warranty,Ra khỏi bảo hành
DocType: BOM Replace Tool,Replace,Thay thế
-DocType: Production Order,Unstopped,Unstopped
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,Không sản phẩm nào được tìm thấy
+DocType: Production Order,Unstopped,Không thể được dừng
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0} gắn với Hóa đơn bán hàng {1}
DocType: Sales Invoice,SINV-,SINV-
DocType: Request for Quotation Item,Project Name,Tên dự án
@@ -3749,13 +3779,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,Giá trị cổ phiếu khác biệt
apps/erpnext/erpnext/config/learn.py +234,Human Resource,Nguồn Nhân Lực
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,Hòa giải thanh toán thanh toán
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,Tài sản thuế
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,Tài sản thuế
DocType: BOM Item,BOM No,số hiệu BOM
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,Tạp chí nhập {0} không có tài khoản {1} hoặc đã đối chiếu với các chứng từ khác
DocType: Item,Moving Average,Di chuyển trung bình
DocType: BOM Replace Tool,The BOM which will be replaced,Hội đồng quản trị sẽ được thay thế
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,Thiết bị điện tử
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,Thiết bị điện tử
DocType: Account,Debit,Thẻ ghi nợ
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,"Lá phải được phân bổ trong bội số của 0,5"
DocType: Production Order,Operation Cost,Chi phí hoạt động
@@ -3763,7 +3793,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,Nổi bật Amt
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,Mục tiêu đề ra mục Nhóm-khôn ngoan cho người bán hàng này.
DocType: Stock Settings,Freeze Stocks Older Than [Days],Cổ phiếu đóng băng cũ hơn [Ngày]
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: tài sản là bắt buộc đối với tài sản cố định mua / bán
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,Row # {0}: tài sản là bắt buộc đối với tài sản cố định mua / bán
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.","Nếu hai hoặc nhiều Rules giá được tìm thấy dựa trên các điều kiện trên, ưu tiên được áp dụng. Ưu tiên là một số từ 0 đến 20, trong khi giá trị mặc định là số không (trống). Số cao hơn có nghĩa là nó sẽ được ưu tiên nếu có nhiều Rules giá với điều kiện tương tự."
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,Năm tài chính: {0} không tồn tại
DocType: Currency Exchange,To Currency,Để tệ
@@ -3772,13 +3802,13 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Tỷ lệ bán hàng cho mặt hàng {0} thấp hơn {1} của nó. Tỷ lệ bán hàng phải là ít nhất {2}
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},Tỷ lệ bán hàng cho mặt hàng {0} thấp hơn {1} của nó. Tỷ lệ bán hàng phải là ít nhất {2}
DocType: Item,Taxes,Thuế
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,Paid và Không Delivered
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,đã trả và không chuyển
DocType: Project,Default Cost Center,Bộ phận chi phí mặc định
DocType: Bank Guarantee,End Date,Ngày kết thúc
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,Giao dịch hàng tồn kho
DocType: Budget,Budget Accounts,Tài khoản ngân sách
DocType: Employee,Internal Work History,Quá trình công tác nội bộ
-DocType: Depreciation Schedule,Accumulated Depreciation Amount,Số khấu hao lũy kế
+DocType: Depreciation Schedule,Accumulated Depreciation Amount,Lượng khấu hao lũy kế
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +42,Private Equity,Vốn chủ sở hữu tư nhân
DocType: Employee Loan,Fully Disbursed,giải ngân đầy đủ
DocType: Maintenance Visit,Customer Feedback,Phản hồi từ khách hàng
@@ -3786,154 +3816,153 @@
apps/erpnext/erpnext/schools/doctype/assessment_result/assessment_result.js +34,Score cannot be greater than Maximum Score,Điểm không thể lớn hơn số điểm tối đa
DocType: Item Attribute,From Range,Từ Phạm vi
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +93,Syntax error in formula or condition: {0},Lỗi cú pháp trong công thức hoặc điều kiện: {0}
-DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Hàng ngày làm việc Công ty Tóm tắt Cài đặt
+DocType: Daily Work Summary Settings Company,Daily Work Summary Settings Company,Cài đặt tóm tắt công việc hàng ngày công ty
apps/erpnext/erpnext/stock/utils.py +100,Item {0} ignored since it is not a stock item,Mục {0} bỏ qua vì nó không phải là một mục kho
DocType: Appraisal,APRSL,APRSL
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +40,Submit this Production Order for further processing.,Trình tự sản xuất này để chế biến tiếp.
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +23,"To not apply Pricing Rule in a particular transaction, all applicable Pricing Rules should be disabled.","Không áp dụng giá quy tắc trong giao dịch cụ thể, tất cả các quy giá áp dụng phải được vô hiệu hóa."
-DocType: Assessment Group,Parent Assessment Group,Nhóm đánh giá cha mẹ
+DocType: Assessment Group,Parent Assessment Group,Nhóm đánh giá gốc
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +27,Jobs,việc làm
,Sales Order Trends,các xu hướng đặt hàng
DocType: Employee,Held On,Tổ chức Ngày
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,Sản xuất hàng
,Employee Information,Thông tin nhân viên
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),Tỷ lệ (%)
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),Tỷ lệ (%)
DocType: Stock Entry Detail,Additional Cost,Chi phí bổ sung
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,Ngày Kết thúc Năm tài chính
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher","Không thể lọc dựa trên số hiệu Voucher, nếu nhóm theo Voucher"
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,Tạo báo giá của NCC
DocType: Quality Inspection,Incoming,Đến
DocType: BOM,Materials Required (Exploded),Vật liệu bắt buộc (phát nổ)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself","Thêm người dùng để tổ chức của bạn, trừ chính mình"
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,Viết bài ngày không thể ngày trong tương lai
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},Row # {0}: Serial No {1} không phù hợp với {2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,Để lại bình thường
-DocType: Batch,Batch ID,ID Lô
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,Để lại bình thường
+DocType: Batch,Batch ID,Căn cước của lô
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},Lưu ý: {0}
-,Delivery Note Trends,Giao hàng Ghi Xu hướng
+,Delivery Note Trends,Xu hướng lưu ý cho việc giao hàng
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,Tóm tắt tuần này
-,In Stock Qty,Sản phẩm trong kho Số lượng
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,Sản phẩm trong kho Số lượng
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,Tài khoản: {0} chỉ có thể được cập nhật thông qua bút toán kho
-DocType: Program Enrollment,Get Courses,Nhận Học
-DocType: GL Entry,Party,Bên
+DocType: Student Group Creation Tool,Get Courses,Nhận Học
+DocType: GL Entry,Party,Đối tác
DocType: Sales Order,Delivery Date,Ngày Giao hàng
DocType: Opportunity,Opportunity Date,Cơ hội ngày
DocType: Purchase Receipt,Return Against Purchase Receipt,Return Against Mua Receipt
DocType: Request for Quotation Item,Request for Quotation Item,Yêu cầu cho báo giá khoản mục
DocType: Purchase Order,To Bill,Để Bill
-DocType: Material Request,% Ordered,% Đặt hàng
+DocType: Material Request,% Ordered,% đã đặt
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.","Đối với Nhóm Sinh viên dựa trên Khóa học, khóa học sẽ được xác nhận cho mỗi Sinh viên từ các môn học ghi danh tham gia vào Chương trình Ghi danh."
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date","Nhập Địa chỉ Email cách nhau bởi dấu phẩy, hóa đơn sẽ được gửi tự động vào ngày cụ thể"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,Việc làm ăn khoán
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,Việc làm ăn khoán
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,Giá mua bình quân
DocType: Task,Actual Time (in Hours),Thời gian thực tế (tính bằng giờ)
DocType: Employee,History In Company,Trong lịch sử Công ty
apps/erpnext/erpnext/config/learn.py +107,Newsletters,Bản tin
DocType: Stock Ledger Entry,Stock Ledger Entry,Chứng từ sổ cái hàng tồn kho
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,Khách hàng> Nhóm Khách hàng> Lãnh thổ
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,Cùng mục đã được nhập nhiều lần
DocType: Department,Leave Block List,Để lại Block List
DocType: Sales Invoice,Tax ID,Mã số thuế
-apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +188,Item {0} is not setup for Serial Nos. Column must be blank,Mục {0} không phải là thiết lập cho Serial Nos Cột được bỏ trống
+apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +188,Item {0} is not setup for Serial Nos. Column must be blank,Mục {0} không phải là thiết lập cho Serial Nos Cột phải bỏ trống
DocType: Accounts Settings,Accounts Settings,Thiết lập các Tài khoản
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +7,Approve,Tán thành
DocType: Customer,Sales Partner and Commission,Đại lý bán hàng và hoa hồng
-DocType: Employee Loan,Rate of Interest (%) / Year,Tỷ lệ lãi (%) / năm
+DocType: Employee Loan,Rate of Interest (%) / Year,Lãi suất thị trường (%) / năm
,Project Quantity,Dự án Số lượng
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +73,"Total {0} for all items is zero, may be you should change 'Distribute Charges Based On'","Tổng số {0} cho tất cả các mặt hàng là số không, có thể bạn nên thay đổi 'Distribute Phí Dựa On'"
DocType: Opportunity,To Discuss,Để thảo luận
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0} đơn vị của {1} cần thiết trong {2} để hoàn thành giao dịch này.
-DocType: Loan Type,Rate of Interest (%) Yearly,Tỷ lệ lãi (%) hàng năm
+DocType: Loan Type,Rate of Interest (%) Yearly,Lãi suất thị trường (%) hàng năm
DocType: SMS Settings,SMS Settings,Thiết lập tin nhắn SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,Tài khoản tạm thời
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,Đen
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,Tài khoản tạm thời
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,Đen
DocType: BOM Explosion Item,BOM Explosion Item,BOM Explosion Item
DocType: Account,Auditor,Người kiểm tra
-apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} mặt hàng sản xuất
+apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0} mục được sản xuất
DocType: Cheque Print Template,Distance from top edge,Khoảng cách từ mép trên
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,Danh sách Price {0} bị vô hiệu hóa hoặc không tồn tại
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,Danh sách Price {0} bị vô hiệu hóa hoặc không tồn tại
DocType: Purchase Invoice,Return,Trở về
-DocType: Production Order Operation,Production Order Operation,Sản xuất tự Operation
+DocType: Production Order Operation,Production Order Operation,Thao tác đặt hàng sản phẩm
DocType: Pricing Rule,Disable,Vô hiệu hóa
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,Phương thức thanh toán là cần thiết để thực hiện thanh toán
DocType: Project Task,Pending Review,Đang chờ xem xét
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1} không được ghi danh trong Batch {2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}","Tài sản {0} không thể được loại bỏ, vì nó đã được {1}"
DocType: Task,Total Expense Claim (via Expense Claim),Tổng số yêu cầu bồi thường chi phí (thông qua Chi Claim)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,Id của khách hàng
-apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Đánh dấu Absent
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Tiền tệ của BOM # {1} phải bằng tiền mà bạn chọn {2}
+apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,Đánh dấu vắng mặt
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},Row {0}: Tiền tệ của BOM # {1} phải bằng tiền mà bạn chọn {2}
DocType: Journal Entry Account,Exchange Rate,Tỷ giá
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,Đơn đặt hàng {0} chưa duyệt
-DocType: Homepage,Tag Line,Dòng Tag
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,Đơn đặt hàng {0} chưa duyệt
+DocType: Homepage,Tag Line,Dòng đánh dấu
DocType: Fee Component,Fee Component,phí Component
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,Quản lý đội tàu
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,Thêm các mục từ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},Kho {0}: Tài khoản mẹ {1} không thuộc công ty {2}
-DocType: Cheque Print Template,Regular,Đều đặn
-apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Tổng weightage của tất cả các tiêu chí đánh giá phải là 100%
-DocType: BOM,Last Purchase Rate,Cuối cùng Rate
+DocType: Cheque Print Template,Regular,quy luật
+apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,Tổng trọng lượng của tất cả các tiêu chí đánh giá phải là 100%
+DocType: BOM,Last Purchase Rate,Tỷ giá đặt hàng cuối cùng
DocType: Account,Asset,Tài sản
DocType: Project Task,Task ID,Nhiệm vụ ID
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,Cổ không thể tồn tại cho mục {0} vì có các biến thể
,Sales Person-wise Transaction Summary,Người khôn ngoan bán hàng Tóm tắt thông tin giao dịch
DocType: Training Event,Contact Number,Số Liên hệ
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,Kho {0} không tồn tại
-apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Đăng ký các ERPNext Hub
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,Kho {0} không tồn tại
+apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,Đăng ký cho ERPNext Hub
DocType: Monthly Distribution,Monthly Distribution Percentages,Tỷ lệ phân phối hàng tháng
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,Các sản phẩm được chọn không thể có hàng loạt
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Tỷ lệ đánh giá không tìm thấy cho {0} Item, được yêu cầu để làm bút toán cho {1} {2}. Nếu mục được giao dịch như là một mục mẫu trong {1}, hãy đề cập rằng trong {1} mục bảng. Nếu không, hãy tạo ra một giao dịch chứng khoán đến cho tỷ lệ định giá mục hoặc đề cập trong hồ sơ Item, và sau đó thử submiting / hủy mục này"
-DocType: Delivery Note,% of materials delivered against this Delivery Note,% của NVL đã được giao gắn với BB Giao hàng này
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry","Tỷ lệ đánh giá không tìm thấy cho {0} Item, được yêu cầu để làm bút toán cho {1} {2}. Nếu mục được giao dịch như là một mục mẫu trong {1}, hãy đề cập rằng trong {1} mục bảng. Nếu không, hãy tạo ra một giao dịch chứng khoán đến cho tỷ lệ định giá mục hoặc đề cập trong hồ sơ Item, và sau đó thử submiting / hủy mục này"
+DocType: Delivery Note,% of materials delivered against this Delivery Note,% của nguyên vật liệu đã được giao với phiếu xuất kho này.
DocType: Project,Customer Details,Chi tiết khách hàng
DocType: Employee,Reports to,Báo cáo
,Unpaid Expense Claim,Yêu cầu bồi thường chi phí chưa thanh toán
DocType: SMS Settings,Enter url parameter for receiver nos,Nhập tham số url cho người nhận nos
DocType: Payment Entry,Paid Amount,Số tiền thanh toán
DocType: Assessment Plan,Supervisor,Giám sát viên
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,Trực tuyến
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,Trực tuyến
,Available Stock for Packing Items,Có sẵn cổ phiếu cho mục đóng gói
-DocType: Item Variant,Item Variant,Mục Variant
+DocType: Item Variant,Item Variant,Biến thể mẫu hàng
DocType: Assessment Result Tool,Assessment Result Tool,Công cụ đánh giá kết quả
-DocType: BOM Scrap Item,BOM Scrap Item,BOM phế liệu mục
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,đơn đặt hàng gửi không thể bị xóa
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Tài khoản đang dư Nợ, bạn không được phép thiết lập 'Số Dư TK phải' là 'Có'"
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,Quản lý chất lượng
+DocType: BOM Scrap Item,BOM Scrap Item,BOM mẫu hàng phế thải
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,đơn đặt hàng gửi không thể bị xóa
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'","Tài khoản đang dư Nợ, bạn không được phép thiết lập 'Số Dư TK phải' là 'Có'"
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,Quản lý chất lượng
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,Mục {0} đã bị vô hiệu hóa
DocType: Employee Loan,Repay Fixed Amount per Period,Trả cố định Số tiền cho mỗi thời kỳ
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},Vui lòng nhập số lượng cho hàng {0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,Amt ghi chú tín dụng
DocType: Employee External Work History,Employee External Work History,Nhân viên làm việc ngoài Lịch sử
DocType: Tax Rule,Purchase,Mua
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,Số tồn
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,Đại lượng cân bằng
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,Mục tiêu không thể để trống
-DocType: Item Group,Parent Item Group,Cha mẹ mục Nhóm
+DocType: Item Group,Parent Item Group,Nhóm mẫu gốc
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} cho {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,Bộ phận chi phí
-DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Tốc độ mà nhà cung cấp tiền tệ được chuyển đổi sang tiền tệ cơ bản của công ty
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,Bộ phận chi phí
+DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,Tỷ giá ở mức mà tiền tệ của nhà cùng cấp được chuyển đổi tới mức giá tiền tệ cơ bản của công ty
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},Row # {0}: xung đột Timings với hàng {1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Cho phép Tỷ lệ Đánh giá Không
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,Cho phép Tỷ lệ Đánh giá Không
DocType: Training Event Employee,Invited,mời
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,Nhiều cấu trúc lương hoạt động tìm thấy cho {0} nhân viên cho những ngày được
DocType: Opportunity,Next Contact,Liên hệ Tiếp theo
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,Thiết lập các tài khoản Gateway.
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,Thiết lập các tài khoản Gateway.
DocType: Employee,Employment Type,Loại việc làm
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,Tài sản cố định
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,Tài sản cố định
DocType: Payment Entry,Set Exchange Gain / Loss,Đặt khoán Lãi / lỗ
+,GST Purchase Register,Đăng ký mua bán GST
,Cash Flow,Dòng tiền
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,Kỳ ứng dụng không thể được qua hai hồ sơ alocation
DocType: Item Group,Default Expense Account,Tài khoản mặc định chi phí
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,Email ID Sinh viên
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,Email ID Sinh viên
DocType: Employee,Notice (days),Thông báo (ngày)
DocType: Tax Rule,Sales Tax Template,Template Thuế bán hàng
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,Chọn mục để lưu các hoá đơn
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,Chọn mục để lưu các hoá đơn
DocType: Employee,Encashment Date,Encashment Date
DocType: Training Event,Internet,Internet
DocType: Account,Stock Adjustment,Điều chỉnh hàng tồn kho
-apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},Mặc định Hoạt động Chi phí tồn tại cho Type Hoạt động - {0}
+apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +34,Default Activity Cost exists for Activity Type - {0},chi phí hoạt động mặc định tồn tại cho loại hoạt động - {0}
DocType: Production Order,Planned Operating Cost,Chi phí điều hành kế hoạch
DocType: Academic Term,Term Start Date,Hạn Ngày bắt đầu
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +18,Opp Count,Opp Count
apps/erpnext/erpnext/controllers/recurring_document.py +136,Please find attached {0} #{1},{0} # Xin vui lòng tìm thấy kèm theo {1}
-apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Bank Statement balance as per General Ledger
+apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +34,Bank Statement balance as per General Ledger,Báo cáo số dư ngân hàng theo Sổ cái tổng
DocType: Job Applicant,Applicant Name,Tên đơn
DocType: Authorization Rule,Customer / Item Name,Khách hàng / tên hàng hóa
DocType: Product Bundle,"Aggregate group of **Items** into another **Item**. This is useful if you are bundling a certain **Items** into a package and you maintain stock of the packed **Items** and not the aggregate **Item**.
@@ -3952,30 +3981,30 @@
DocType: Guardian,Guardian Of ,người giám hộ của
DocType: Grading Scale Interval,Threshold,ngưỡng
DocType: BOM Replace Tool,Current BOM,BOM hiện tại
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,Thêm Serial No
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,Thêm Serial No
apps/erpnext/erpnext/config/support.py +22,Warranty,Bảo hành
-DocType: Purchase Invoice,Debit Note Issued,Debit Note Ban hành
+DocType: Purchase Invoice,Debit Note Issued,nợ tiền mặt được công nhận
DocType: Production Order,Warehouses,Kho
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +18,{0} asset cannot be transferred,{0} tài sản không thể chuyển giao
apps/erpnext/erpnext/stock/doctype/item/item.js +66,This Item is a Variant of {0} (Template).,Mục này là một biến thể của {0} (Bản mẫu).
DocType: Workstation,per hour,mỗi giờ
apps/erpnext/erpnext/config/buying.py +7,Purchasing,Thu mua
DocType: Announcement,Announcement,Thông báo
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,1 Tài khoản tồn kho sẽ được tạo ra trong danh mục TK
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Không thể xóa kho vì có chứng từ kho phát sinh.
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.","Đối với nhóm sinh viên theo lô, nhóm sinh viên sẽ được xác nhận cho mỗi sinh viên từ Chương trình đăng ký."
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,Không thể xóa kho vì có chứng từ kho phát sinh.
DocType: Company,Distribution,Gửi đến:
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,Số tiền trả
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,Giám đốc dự án
-,Quoted Item Comparison,Quoted hàng So sánh
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,Công văn
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,Tối đa cho phép giảm giá cho mặt hàng: {0} {1}%
-apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,giá trị tài sản ròng như trên
-DocType: Account,Receivable,Thu
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Không được phép thay đổi Supplier Mua hàng đã tồn tại
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,Giám đốc dự án
+,Quoted Item Comparison,So sánh mẫu hàng đã được báo giá
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,Công văn
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,Tối đa cho phép giảm giá cho mặt hàng: {0} {1}%
+apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,GIá trị tài sản thuần như trên
+DocType: Account,Receivable,phải thu
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,Row # {0}: Không được phép thay đổi nhà cung cấp vì đơn Mua hàng đã tồn tại
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,Vai trò được phép trình giao dịch vượt quá hạn mức tín dụng được thiết lập.
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,Chọn mục để Sản xuất
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time","Thạc sĩ dữ liệu đồng bộ, nó có thể mất một thời gian"
-DocType: Item,Material Issue,Phát hành tài liệu
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,Chọn mục để Sản xuất
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time","Thạc sĩ dữ liệu đồng bộ, nó có thể mất một thời gian"
+DocType: Item,Material Issue,Nguyên vật liệu
DocType: Hub Settings,Seller Description,Người bán Mô tả
DocType: Employee Education,Qualification,Trình độ chuyên môn
DocType: Item Price,Item Price,Giá mục
@@ -3991,10 +4020,9 @@
DocType: Naming Series,Select Transaction,Chọn giao dịch
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +30,Please enter Approving Role or Approving User,Vui lòng nhập Phê duyệt hoặc phê duyệt Vai trò tài
DocType: Journal Entry,Write Off Entry,Viết Tắt nhập
-DocType: BOM,Rate Of Materials Based On,Tỷ lệ Of Vật liệu Dựa trên
+DocType: BOM,Rate Of Materials Based On,Tỷ giá vật liệu dựa trên
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,Hỗ trợ Analtyics
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,Bỏ chọn tất cả
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},Thông số Công ty bị thiếu trong kho {0}
DocType: POS Profile,Terms and Conditions,Các Điều khoản/Điều kiện
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},Đến ngày phải được trong năm tài chính. Giả sử Đến ngày = {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc","Ở đây bạn có thể duy trì chiều cao, cân nặng, dị ứng, mối quan tâm y tế vv"
@@ -4005,79 +4033,77 @@
DocType: Purchase Invoice,In Words,Trong từ
DocType: POS Profile,Item Groups,Nhóm hàng
apps/erpnext/erpnext/hr/doctype/employee/employee.py +217,Today is {0}'s birthday!,Hôm nay là {0} 's sinh nhật!
-DocType: Production Planning Tool,Material Request For Warehouse,Yêu cầu tài liệu Đối với Kho
+DocType: Production Planning Tool,Material Request For Warehouse,Yêu cầu nguyên liệu Đối với Kho
DocType: Sales Order Item,For Production,Cho sản xuất
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,Xem Nhiệm vụ
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,Năm tài chính của bạn bắt đầu từ ngày
-apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
-apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
+apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp/Lead%
+apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp/Lead%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,Khấu hao và dư tài sản
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},Số tiền {0} {1} chuyển từ {2} để {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},Số tiền {0} {1} chuyển từ {2} để {3}
DocType: Sales Invoice,Get Advances Received,Được nhận trước
DocType: Email Digest,Add/Remove Recipients,Thêm/Xóa người nhận
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},Giao dịch không được phép chống lại dừng lại tự sản xuất {0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},Giao dịch không được phép chống lại dừng lại tự sản xuất {0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'","Thiết lập năm tài chính này như mặc định, nhấp vào 'Set as Default'"
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,Tham gia
-apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Thiếu Qty
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,Mục biến {0} tồn tại với cùng một thuộc tính
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,Tham gia
+apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,Lượng thiếu hụt
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,Biến thể mẫu hàng {0} tồn tại với cùng một thuộc tính
DocType: Employee Loan,Repay from Salary,Trả nợ từ lương
DocType: Leave Application,LAP/,LAP /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},Yêu cầu thanh toán đối với {0} {1} cho số tiền {2}
-DocType: Salary Slip,Salary Slip,Lương trượt
+DocType: Salary Slip,Salary Slip,phiếu lương
DocType: Lead,Lost Quotation,mất Báo giá
DocType: Pricing Rule,Margin Rate or Amount,Tỷ lệ ký quỹ hoặc Số tiền
-apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +48,'To Date' is required,Phải điền mục 'Đến ngày'
+apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +48,'To Date' is required,"""Tới ngày"" là cần thiết"
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.","Tạo phiếu đóng gói các gói sẽ được chuyển giao. Được sử dụng để thông báo cho số gói phần mềm, nội dung gói và trọng lượng của nó."
DocType: Sales Invoice Item,Sales Order Item,Hàng đặt mua
DocType: Salary Slip,Payment Days,Ngày thanh toán
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,Các kho hàng với các nút con không thể được chuyển đổi sang sổ cái
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,Các kho hàng với các nút con không thể được chuyển đổi sang sổ cái
DocType: BOM,Manage cost of operations,Quản lý chi phí hoạt động
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.","Khi giao dịch đã đánh dấu bất kỳ được ""Đệ trình"", một cửa sổ tự động mở ra để gửi một email tới ""Liên hệ"" có liên quan trong giao dịch đó, cùng tệp đính kèm là giao dịch. Người dùng có thể gửi hoặc không gửi email."
apps/erpnext/erpnext/config/setup.py +14,Global Settings,Thiết lập tổng thể
DocType: Assessment Result Detail,Assessment Result Detail,Đánh giá kết quả chi tiết
DocType: Employee Education,Employee Education,Giáo dục nhân viên
-apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,nhóm mục trùng lặp được tìm thấy trong bảng nhóm mục
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,Nó là cần thiết để lấy hàng Chi tiết.
-DocType: Salary Slip,Net Pay,Net phải trả tiền
+apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,Nhóm bút toán trùng lặp được tìm thấy trong bảng nhóm mẫu hàng
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,Nó là cần thiết để lấy hàng Chi tiết.
+DocType: Salary Slip,Net Pay,Tiền thực phải trả
DocType: Account,Account,Tài khoản
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,Không nối tiếp {0} đã được nhận
,Requested Items To Be Transferred,Mục yêu cầu được chuyển giao
DocType: Expense Claim,Vehicle Log,xe Log
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.","Kho {0} không liên kết với bất kỳ tài khoản, xin vui lòng tạo / liên kết các tài khoản tương ứng (tài sản) cho các kho hàng."
DocType: Purchase Invoice,Recurring Id,Id định kỳ
DocType: Customer,Sales Team Details,Thông tin chi tiết Nhóm bán hàng
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,Xóa vĩnh viễn?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,Xóa vĩnh viễn?
DocType: Expense Claim,Total Claimed Amount,Tổng số tiền tuyên bố chủ quyền
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,Cơ hội tiềm năng bán hàng
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},Không hợp lệ {0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,Để lại bệnh
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},Không hợp lệ {0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,nghỉ bệnh
DocType: Email Digest,Email Digest,Email thông báo
DocType: Delivery Note,Billing Address Name,Tên địa chỉ thanh toán
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,Cửa hàng bách
-DocType: Warehouse,PIN,GHIM
+DocType: Warehouse,PIN,PIN
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,Thiết lập trường của mình trong ERPNext
DocType: Sales Invoice,Base Change Amount (Company Currency),Thay đổi Số tiền cơ sở (Công ty ngoại tệ)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,Không ghi sổ kế toán cho các kho sau
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,Không có bút toán kế toán cho các kho tiếp theo
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,Lưu tài liệu đầu tiên.
DocType: Account,Chargeable,Buộc tội
DocType: Company,Change Abbreviation,Thay đổi Tên viết tắt
DocType: Expense Claim Detail,Expense Date,Ngày Chi phí
DocType: Item,Max Discount (%),Giảm giá tối đa (%)
-apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,Số tiền Last Order
-DocType: Task,Is Milestone,Là Milestone
+apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +70,Last Order Amount,SỐ lượng đặt cuối cùng
+DocType: Task,Is Milestone,Là cột mốc
DocType: Daily Work Summary,Email Sent To,Thư điện tử đã được gửi đến
DocType: Budget,Warn,Cảnh báo
DocType: Appraisal,"Any other remarks, noteworthy effort that should go in the records.","Bất kỳ nhận xét khác, nỗ lực đáng chú ý mà nên đi vào biên bản."
-DocType: BOM,Manufacturing User,Sản xuất tài
-DocType: Purchase Invoice,Raw Materials Supplied,Nguyên liệu thô Cung cấp
+DocType: BOM,Manufacturing User,Người dùng sản xuất
+DocType: Purchase Invoice,Raw Materials Supplied,Nguyên liệu thô đã được cung cấp
DocType: Purchase Invoice,Recurring Print Format,Định kỳ Print Format
DocType: C-Form,Series,Series
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,Ngày Dự kiến giao hàng không thể trước Ngày đặt mua
DocType: Appraisal,Appraisal Template,Thẩm định mẫu
-DocType: Item Group,Item Classification,Phân mục
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,Giám đốc phát triển kinh doanh
+DocType: Item Group,Item Classification,PHân loại mẫu hàng
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,Giám đốc phát triển kinh doanh
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,Bảo trì đăng nhập Mục đích
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,Thời gian
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,Sổ cái chung
@@ -4085,22 +4111,23 @@
apps/erpnext/erpnext/selling/doctype/campaign/campaign.js +10,View Leads,Xem Tiềm năng
DocType: Program Enrollment Tool,New Program,Chương trình mới
DocType: Item Attribute Value,Attribute Value,Attribute Value
-,Itemwise Recommended Reorder Level,Itemwise Đê Sắp xếp lại Cấp
+,Itemwise Recommended Reorder Level,Mẫu hàng thông minh được gợi ý sắp xếp lại theo cấp độ
DocType: Salary Detail,Salary Detail,Chi tiết lương
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,Vui lòng chọn {0} đầu tiên
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,Lô {0} của mục {1} đã hết hạn.
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,Vui lòng chọn {0} đầu tiên
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,Lô {0} của mục {1} đã hết hạn.
DocType: Sales Invoice,Commission,Hoa hồng bán hàng
-apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,Time Sheet cho sản xuất.
+apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,thời gian biểu cho sản xuất.
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,Subtotal
DocType: Salary Detail,Default Amount,Số tiền mặc định
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +93,Warehouse not found in the system,Không tìm thấy kho này trong hệ thống
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +116,This Month's Summary,Tóm tắt của tháng này
DocType: Quality Inspection Reading,Quality Inspection Reading,Đọc kiểm tra chất lượng
-apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,'đóng băng hàng tồn kho muộn hơn' nên nhỏ hơn %d ngày
+apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,'đóng băng hàng tồn kho cũ hơn' nên nhỏ hơn %d ngày
DocType: Tax Rule,Purchase Tax Template,Mua Template Thuế
,Project wise Stock Tracking,Theo dõi biến động vật tư theo dự án
+DocType: GST HSN Code,Regional,thuộc vùng
DocType: Stock Entry Detail,Actual Qty (at source/target),Số lượng thực tế (at source/target)
-DocType: Item Customer Detail,Ref Code,Tài liệu tham khảo Mã
+DocType: Item Customer Detail,Ref Code,Mã tài liệu tham khảo
apps/erpnext/erpnext/config/hr.py +12,Employee records.,Hồ sơ nhân viên.
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +92,Please set Next Depreciation Date,Hãy đặt Tiếp Khấu hao ngày
DocType: HR Settings,Payroll Settings,Thiết lập bảng lương
@@ -4109,27 +4136,27 @@
DocType: Email Digest,New Purchase Orders,Đơn đặt hàng mua mới
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,Tại Gốc không thể có bộ phận chi phí cấp trên
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,Chọn thương hiệu ...
-apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Lũy kế khấu hao như trên
-DocType: Sales Invoice,C-Form Applicable,C-Mẫu áp dụng
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,Sự kiện/kết quả huấn luyện
+apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,Khấu hao lũy kế như trên
+DocType: Sales Invoice,C-Form Applicable,C - Mẫu áp dụng
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},Thời gian hoạt động phải lớn hơn 0 cho hoạt động {0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,Kho là bắt buộc
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,Kho là bắt buộc
DocType: Supplier,Address and Contacts,Địa chỉ và Liên hệ
DocType: UOM Conversion Detail,UOM Conversion Detail,Xem chi tiết UOM Chuyển đổi
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),Giữ cho nó thân thiện với web 900px (w) bởi 100px (h)
DocType: Program,Program Abbreviation,Tên viết tắt chương trình
-apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Đặt hàng sản xuất không thể được đưa ra chống lại một khoản Template
+apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,Đơn đặt sản phẩm không thể được tạo ra với một mẫu mặt hàng
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,Cước phí được cập nhật trên Phiếu nhận hàng gắn với từng vật tư
DocType: Warranty Claim,Resolved By,Giải quyết bởi
DocType: Bank Guarantee,Start Date,Ngày bắt đầu
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,Phân bổ lá trong một thời gian.
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,Chi phiếu và tiền gửi không đúng xóa
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,Tài khoản {0}: Bạn không thể chỉ định chính nó làm tài khoản mẹ
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,Tài khoản {0}: Bạn không thể chỉ định chính nó làm tài khoản mẹ
DocType: Purchase Invoice Item,Price List Rate,bảng báo giá
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,Tạo dấu ngoặc kép của khách hàng
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.","Hiển thị ""hàng"" hoặc ""Không trong kho"" dựa trên cổ phiếu có sẵn trong kho này."
-apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Bill of Materials (BOM)
+apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),Hóa đơn vật liệu (BOM)
DocType: Item,Average time taken by the supplier to deliver,Thời gian trung bình thực hiện bởi các nhà cung cấp để cung cấp
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,Kết quả đánh giá
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,Kết quả đánh giá
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,Giờ
DocType: Project,Expected Start Date,Ngày Dự kiến sẽ bắt đầu
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,Xóa VTHH nếu chi phí là không áp dụng đối với VTHH đó
@@ -4141,32 +4168,31 @@
apps/erpnext/erpnext/projects/doctype/project/project_list.js +6,{0}% Complete,{0}% Hoàn thành
DocType: Employee,Educational Qualification,Trình độ chuyên môn giáo dục
DocType: Workstation,Operating Costs,Chi phí điều hành
-DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Hành động nếu tích lũy ngân sách hàng tháng vượt quá
+DocType: Budget,Action if Accumulated Monthly Budget Exceeded,Hành động nếu tích lũy ngân sách hàng tháng vượt trội
DocType: Purchase Invoice,Submit on creation,Gửi về sáng tạo
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},Đồng tiền cho {0} phải là {1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},Đồng tiền cho {0} phải là {1}
DocType: Asset,Disposal Date,Xử ngày
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.","Email sẽ được gửi đến tất cả các nhân viên tích cực của công ty tại các giờ nhất định, nếu họ không có ngày nghỉ. Tóm tắt phản hồi sẽ được gửi vào lúc nửa đêm."
DocType: Employee Leave Approver,Employee Leave Approver,Nhân viên Để lại phê duyệt
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Một mục Sắp xếp lại đã tồn tại cho nhà kho này {1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},Row {0}: Một mục Sắp xếp lại đã tồn tại cho nhà kho này {1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.","Không thể khai báo mất, bởi vì báo giá đã được thực hiện."
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,Đào tạo phản hồi
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,Đặt hàng sản xuất {0} phải được gửi
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,Đơn Đặt hàng {0} phải được gửi
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},Vui lòng chọn ngày bắt đầu và ngày kết thúc cho hàng {0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},Tất nhiên là bắt buộc trong hàng {0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,Cho đến nay không có thể trước khi từ ngày
-DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc DocType
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,Thêm / Sửa giá
-DocType: Batch,Parent Batch,Batch Parent
-DocType: Batch,Parent Batch,Batch Parent
+DocType: Supplier Quotation Item,Prevdoc DocType,Dạng tài liệu prevdoc
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,Thêm / Sửa giá
+DocType: Batch,Parent Batch,Nhóm gốc
+DocType: Batch,Parent Batch,Nhóm gốc
DocType: Cheque Print Template,Cheque Print Template,Mẫu In Séc
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,Biểu đồ Bộ phận chi phí
,Requested Items To Be Ordered,Mục yêu cầu để trở thứ tự
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,Công ty kho phải được giống như công ty Tài khoản
DocType: Price List,Price List Name,Danh sách giá Tên
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},Tóm tắt công việc hàng ngày cho {0}
DocType: Employee Loan,Totals,{0}{/0}{1}{/1} {2}{/2}Tổng giá trị
DocType: BOM,Manufacturing,Sản xuất
-,Ordered Items To Be Delivered,Ra lệnh tiêu được giao
+,Ordered Items To Be Delivered,Các mặt hàng đã đặt hàng phải được giao
DocType: Account,Income,Thu nhập
DocType: Industry Type,Industry Type,Loại ngành
apps/erpnext/erpnext/templates/includes/cart.js +150,Something went wrong!,Một cái gì đó đã đi sai!
@@ -4183,123 +4209,125 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,Vui lòng nhập nos điện thoại di động hợp lệ
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,Vui lòng nhập tin nhắn trước khi gửi
DocType: Email Digest,Pending Quotations,Trong khi chờ Báo giá
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,Point-of-Sale hồ sơ
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,Point-of-Sale hồ sơ
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,Xin vui lòng cập nhật cài đặt tin nhắn SMS
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,Các khoản cho vay không có bảo đảm
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,Các khoản cho vay không có bảo đảm
DocType: Cost Center,Cost Center Name,Tên bộ phận chi phí
DocType: Employee,B+,B +
-DocType: HR Settings,Max working hours against Timesheet,Max giờ làm việc chống lại Timesheet
+DocType: HR Settings,Max working hours against Timesheet,Tối đa giờ làm việc với Thời khóa biểu
DocType: Maintenance Schedule Detail,Scheduled Date,Dự kiến ngày
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,Tổng Paid Amt
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,Tổng Paid Amt
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,Thư lớn hơn 160 ký tự sẽ được chia thành nhiều tin nhắn
DocType: Purchase Receipt Item,Received and Accepted,Nhận được và chấp nhận
+,GST Itemised Sales Register,Đăng ký mua bán GST chi tiết
,Serial No Service Contract Expiry,Không nối tiếp Hợp đồng dịch vụ hết hạn
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,Bạn không ghi có và ghi nợ trên cùng một tài khoản cùng một lúc
DocType: Naming Series,Help HTML,Giúp đỡ HTML
DocType: Student Group Creation Tool,Student Group Creation Tool,Công cụ tạo nhóm học sinh
DocType: Item,Variant Based On,Ngôn ngữ địa phương dựa trên
-apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Tổng số weightage giao nên được 100%. Nó là {0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,Các nhà cung cấp của bạn
+apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},Tổng số trọng lượng ấn định nên là 100%. Nó là {0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,Các nhà cung cấp của bạn
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,"Không thể thiết lập là ""thất bại"" vì đơn đặt hàng đã được tạo"
DocType: Request for Quotation Item,Supplier Part No,Nhà cung cấp Phần Không
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',không thể trừ khi mục là cho 'định giá' hoặc 'Vaulation và Total'
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,Nhận được từ
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,Nhận được từ
DocType: Lead,Converted,Chuyển đổi
DocType: Item,Has Serial No,Có Serial No
DocType: Employee,Date of Issue,Ngày phát hành
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}: Từ {0} cho {1}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Row # {0}: Thiết lập Nhà cung cấp cho mặt hàng {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}","THeo các cài đặt mua bán, nếu biên lai đặt hàng đã yêu cầu == 'CÓ', với việc tạo lập hóa đơn mua hàng, người dùng cần phải tạo lập biên lai mua hàng đầu tiên cho danh mục {0}"
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},Hàng # {0}: Thiết lập Nhà cung cấp cho mặt hàng {1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,Row {0}: Giờ giá trị phải lớn hơn không.
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,Hình ảnh website {0} đính kèm vào mục {1} không tìm thấy
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,Hình ảnh website {0} đính kèm vào mục {1} không tìm thấy
DocType: Issue,Content Type,Loại nội dung
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,Máy tính
DocType: Item,List this Item in multiple groups on the website.,Danh sách sản phẩm này trong nhiều nhóm trên trang web.
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Vui lòng kiểm tra chọn ngoại tệ nhiều để cho phép các tài khoản với loại tiền tệ khác
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,Item: {0} không tồn tại trong hệ thống
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,Bạn không được phép để thiết lập giá trị đóng băng
-DocType: Payment Reconciliation,Get Unreconciled Entries,Nhận Unreconciled Entries
+apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,Vui lòng kiểm tra chọn ngoại tệ để cho phép các tài khoản với loại tiền tệ khác
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,Mẫu hàng: {0} không tồn tại trong hệ thống
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,Bạn không được phép để thiết lập giá trị đóng băng
+DocType: Payment Reconciliation,Get Unreconciled Entries,Nhận Bút toán không hài hòa
DocType: Payment Reconciliation,From Invoice Date,Từ Invoice ngày
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,tiền tệ thanh toán phải bằng tiền tệ hoặc tài khoản bên tệ hoặc là mặc định của comapany
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,Nhận chi phiếu
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,Nó làm gì?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,tiền tệ thanh toán phải bằng tiền tệ của cả tiền tệ mặc định của công ty cũng như của tài khoản đối tác
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,Nhận chi phiếu
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,Nó làm gì?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,đến kho
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,Tất cả Tuyển sinh Sinh viên
,Average Commission Rate,Ủy ban trung bình Tỷ giá
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,'Có Số Serial' không thể là 'Có' cho hàng hóa không nhập kho
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,'Có chuỗi số' không thể là 'Có' cho vật liệu không lưu kho
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,Không thể Chấm công cho những ngày tương lai
DocType: Pricing Rule,Pricing Rule Help,Quy tắc định giá giúp
DocType: School House,House Name,Tên nhà
DocType: Purchase Taxes and Charges,Account Head,Tài khoản chính
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,Cập nhật chi phí bổ sung để tính toán chi phí hạ cánh của các mặt hàng
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,Hệ thống điện
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,Hệ thống điện
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,Thêm phần còn lại của tổ chức của bạn như người dùng của bạn. Bạn cũng có thể thêm mời khách hàng đến cổng thông tin của bạn bằng cách thêm chúng từ Danh bạ
-DocType: Stock Entry,Total Value Difference (Out - In),Tổng giá trị khác biệt (Out - In)
+DocType: Stock Entry,Total Value Difference (Out - In),Tổng giá trị khác biệt (ra - vào)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,Hàng {0}: Tỷ giá là bắt buộc
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +27,User ID not set for Employee {0},ID người dùng không thiết lập cho nhân viên {0}
DocType: Vehicle,Vehicle Value,Giá trị xe
DocType: Stock Entry,Default Source Warehouse,Kho nguồn mặc định
DocType: Item,Customer Code,Mã số khách hàng
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},Nhắc ngày sinh nhật cho {0}
-apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,Kể từ ngày thứ tự cuối
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,Nợ Để tài khoản phải có một tài khoản Cân đối kế toán
-DocType: Buying Settings,Naming Series,Đặt tên dòng
+apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,ngày tính từ lần yêu cầu cuối cùng
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,nợ tài khoản phải khớp với giấy tờ
+DocType: Buying Settings,Naming Series,Đặt tên series
DocType: Leave Block List,Leave Block List Name,Để lại Block List Tên
-apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,ngày Bảo hiểm bắt đầu phải ít hơn ngày Bảo hiểm End
+apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,ngày Bảo hiểm bắt đầu phải ít hơn ngày kết thúc Bảo hiểm
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +32,Stock Assets,Tài sản hàng tồn kho
-DocType: Timesheet,Production Detail,Chi tiết sản
+DocType: Timesheet,Production Detail,Chi tiết sản phẩm
DocType: Target Detail,Target Qty,Số lượng mục tiêu
DocType: Shopping Cart Settings,Checkout Settings,Thiết lập Checkout
DocType: Attendance,Present,Nay
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +35,Delivery Note {0} must not be submitted,Giao hàng Ghi {0} không phải nộp
DocType: Notification Control,Sales Invoice Message,Hóa đơn bán hàng nhắn
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,Đóng tài khoản {0} phải được loại trách nhiệm pháp lý / Vốn chủ sở hữu
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Mức lương Slip của nhân viên {0} đã được tạo ra cho bảng thời gian {1}
-DocType: Vehicle Log,Odometer,odometer
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},Phiếu lương của nhân viên {0} đã được tạo ra cho bảng thời gian {1}
+DocType: Vehicle Log,Odometer,mét kế
DocType: Sales Order Item,Ordered Qty,Số lượng đặt hàng
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,Mục {0} bị vô hiệu hóa
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,Mục {0} bị vô hiệu hóa
DocType: Stock Settings,Stock Frozen Upto,"Cổ đông lạnh HCM,"
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM không chứa bất kỳ mục chứng khoán
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM không chứa bất kỳ mẫu hàng tồn kho nào
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},Từ giai đoạn và thời gian Để ngày bắt buộc cho kỳ {0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,Hoạt động dự án / nhiệm vụ.
DocType: Vehicle Log,Refuelling Details,Chi tiết Nạp nhiên liệu
-apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Tạo ra lương Trượt
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}","Buying must be checked, if Applicable For is selected as {0}"
+apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,Tạo ra bảng lương
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}","QUá trình mua bán phải được đánh dấu, nếu ""Được áp dụng cho"" được lựa chọn là {0}"
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,Giảm giá phải được ít hơn 100
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,không tìm thấy tỷ lệ mua sắm cuối
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,Tỷ giá đặt hàng cuối cùng không được tìm thấy
DocType: Purchase Invoice,Write Off Amount (Company Currency),Viết Tắt Số tiền (Công ty tiền tệ)
DocType: Sales Invoice Timesheet,Billing Hours,Giờ Thanh toán
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,BOM mặc định cho {0} không tìm thấy
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,Row # {0}: Hãy thiết lập số lượng đặt hàng
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,Hàng # {0}: Hãy thiết lập số lượng đặt hàng
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,Chạm vào mục để thêm chúng vào đây
DocType: Fees,Program Enrollment,chương trình tuyển sinh
-DocType: Landed Cost Voucher,Landed Cost Voucher,Voucher Chi phí hạ cánh
+DocType: Landed Cost Voucher,Landed Cost Voucher,Chứng Thư Chi phí hạ cánh
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},Hãy đặt {0}
DocType: Purchase Invoice,Repeat on Day of Month,Lặp lại vào ngày của tháng
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} là sinh viên không hoạt động
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1} là sinh viên không hoạt động
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} là sinh viên không hoạt động
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1} là sinh viên không hoạt động
DocType: Employee,Health Details,Thông tin chi tiết về sức khỏe
-DocType: Offer Letter,Offer Letter Terms,Offer Letter Terms
+DocType: Offer Letter,Offer Letter Terms,Hạn thư mơi
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Để tạo tài liệu tham chiếu yêu cầu thanh toán là bắt buộc
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,Để tạo tài liệu tham chiếu yêu cầu thanh toán là bắt buộc
DocType: Payment Entry,Allocate Payment Amount,Phân bổ số tiền thanh toán
-DocType: Employee External Work History,Salary,Lương bổng
+DocType: Employee External Work History,Salary,Lương
DocType: Serial No,Delivery Document Type,Loại tài liệu giao hàng
DocType: Process Payroll,Submit all salary slips for the above selected criteria,Gửi tất cả các phiếu lương cho các tiêu chí lựa chọn ở trên
apps/erpnext/erpnext/hub_node/doctype/hub_settings/hub_settings.py +93,{0} Items synced,{0} các mục đã được đồng bộ hóa
DocType: Sales Order,Partly Delivered,Một phần Giao
DocType: Email Digest,Receivables,Các khoản phải thu
-DocType: Lead Source,Lead Source,Nguồn Tiềm năng
+DocType: Lead Source,Lead Source,NguồnLead
DocType: Customer,Additional information regarding the customer.,Bổ sung thông tin liên quan đến khách hàng.
DocType: Quality Inspection Reading,Reading 5,Đọc 5
DocType: Maintenance Visit,Maintenance Date,Bảo trì ngày
-DocType: Purchase Invoice Item,Rejected Serial No,Từ chối Serial No
+DocType: Purchase Invoice Item,Rejected Serial No,Dãy sê ri bị từ chối số
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +82,Year start date or end date is overlapping with {0}. To avoid please set company,Ngày bắt đầu và kết thúc năm bị chồng lấn với {0}. Để tránh nó hãy thiết lập công ty.
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +156,Start date should be less than end date for Item {0},Ngày bắt đầu phải nhỏ hơn ngày kết thúc cho hàng {0}
DocType: Item,"Example: ABCD.#####
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","Ví dụ:. ABCD #####
Nếu series được thiết lập và Serial No không được đề cập trong các giao dịch, số serial sau đó tự động sẽ được tạo ra dựa trên series này. Nếu bạn luôn muốn đề cập đến một cách rõ ràng nối tiếp Nos cho mặt hàng này. để trống này."
-DocType: Upload Attendance,Upload Attendance,Tải lên tham dự
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM và số lượng sx được yêu cầu
+DocType: Upload Attendance,Upload Attendance,Tải lên bảo quản
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM và số lượng sx được yêu cầu
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,Ageing đun 2
DocType: SG Creation Tool Course,Max Strength,Max Strength
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM đã thay thế
@@ -4309,49 +4337,49 @@
,Prospects Engaged But Not Converted,Triển vọng tham gia nhưng không chuyển đổi
DocType: Manufacturing Settings,Manufacturing Settings,Thiết lập sản xuất
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,Thiết lập Email
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1 Mobile Không
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,Vui lòng nhập tiền tệ mặc định trong Công ty Thạc sĩ
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1 Mobile Không
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,Vui lòng nhập tiền tệ mặc định trong Công ty Thạc sĩ
DocType: Stock Entry Detail,Stock Entry Detail,Chi tiết phiếu nhập kho
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,Nhắc nhở hàng ngày
DocType: Products Settings,Home Page is Products,Trang chủ là sản phẩm
,Asset Depreciation Ledger,Tài sản khấu hao Ledger
-apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +86,Tax Rule Conflicts with {0},Rule thuế Xung đột với {0}
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Tài khoản mới Tên
-DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Chi phí nguyên vật liệu Cung cấp
+apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +86,Tax Rule Conflicts with {0},Luật thuế xung khắc với {0}
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,Tên tài khoản mới
+DocType: Purchase Invoice Item,Raw Materials Supplied Cost,Chi phí nguyên liệu thô được cung cấp
DocType: Selling Settings,Settings for Selling Module,Thiết lập module bán hàng
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,Dịch vụ chăm sóc khách hàng
-DocType: BOM,Thumbnail,Thumbnail
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,Dịch vụ chăm sóc khách hàng
+DocType: BOM,Thumbnail,Hình đại diện
DocType: Item Customer Detail,Item Customer Detail,Mục chi tiết khách hàng
-apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Offer ứng cử viên một công việc.
+apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,Yêu cầu ứng cử viên một công việc.
DocType: Notification Control,Prompt for Email on Submission of,Nhắc nhở cho Email trên thông tin của
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +88,Total allocated leaves are more than days in the period,Tổng số lá được giao rất nhiều so với những ngày trong kỳ
DocType: Pricing Rule,Percentage,tỷ lệ phần trăm
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,Mục {0} phải là một hàng tồn kho
DocType: Manufacturing Settings,Default Work In Progress Warehouse,Kho SP dở dang mặc định
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,Thiết lập mặc định cho các giao dịch kế toán.
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,Thiết lập mặc định cho các giao dịch kế toán.
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,Ngày Dự kiến không thể trước ngày yêu cầu vật tư
DocType: Purchase Invoice Item,Stock Qty,Số lượng cổ phiếu
DocType: Purchase Invoice Item,Stock Qty,Số lượng cổ phiếu
-DocType: Production Order,Source Warehouse (for reserving Items),Nguồn kho bãi (cho đặt Items)
+DocType: Production Order,Source Warehouse (for reserving Items),Nguồn kho bãi (cho mẫu hàng đảo ngược)
DocType: Employee Loan,Repayment Period in Months,Thời gian trả nợ trong tháng
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +26,Error: Not a valid id?,Lỗi: Không phải là một id hợp lệ?
-DocType: Naming Series,Update Series Number,Cập nhật Dòng Số
+DocType: Naming Series,Update Series Number,Cập nhật số sê ri
DocType: Account,Equity,Vốn chủ sở hữu
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +78,{0} {1}: 'Profit and Loss' type account {2} not allowed in Opening Entry,{0} {1}: Loại tài khoản 'Lãi và Lỗ' {2} không được chấp nhận trong Bút Toán Khởi Đầu
DocType: Sales Order,Printing Details,Các chi tiết in ấn
DocType: Task,Closing Date,Ngày Đóng cửa
DocType: Sales Order Item,Produced Quantity,Số lượng sản xuất
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,Kỹ sư
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,Kỹ sư
DocType: Journal Entry,Total Amount Currency,Tổng số ngoại tệ tiền
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,Assemblies Tìm kiếm Sub
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},Mã mục bắt buộc khi Row Không có {0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},Mã mục bắt buộc khi Row Không có {0}
DocType: Sales Partner,Partner Type,Loại đối tác
DocType: Purchase Taxes and Charges,Actual,Dựa trên tiền thực tế
DocType: Authorization Rule,Customerwise Discount,Giảm giá 1 cách thông minh
-apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,Timesheet cho các nhiệm vụ.
+apps/erpnext/erpnext/config/projects.py +35,Timesheet for tasks.,thời gian biểu cho các nhiệm vụ
DocType: Purchase Invoice,Against Expense Account,Đối với tài khoản chi phí
-DocType: Production Order,Production Order,Đặt hàng sản xuất
+DocType: Production Order,Production Order,Đơn Đặt hàng
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +270,Installation Note {0} has already been submitted,Lưu ý cài đặt {0} đã được gửi
DocType: Bank Reconciliation,Get Payment Entries,Nhận thanh toán Entries
DocType: Quotation Item,Against Docname,Chống lại Docname
@@ -4359,14 +4387,14 @@
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +9,View Now,Bây giờ xem
DocType: Purchase Invoice,Select the period when the invoice will be generated automatically,Chọn khoảng thời gian khi hóa đơn sẽ được tạo tự động
DocType: BOM,Raw Material Cost,Chi phí nguyên liệu thô
-DocType: Item Reorder,Re-Order Level,Re-tự cấp
+DocType: Item Reorder,Re-Order Level,mức đặt mua lại
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,Nhập các mặt hàng và qty kế hoạch mà bạn muốn nâng cao các đơn đặt hàng sản xuất hoặc tải nguyên liệu để phân tích.
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,Biểu đồ Gantt
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,Bán thời gian
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,Bán thời gian
DocType: Employee,Applicable Holiday List,Áp dụng lễ Danh sách
DocType: Employee,Cheque,Séc
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,Cập nhật hàng loạt
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,Loại Báo cáo là bắt buộc
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,Loại Báo cáo là bắt buộc
DocType: Item,Serial Number Series,Serial Number Dòng
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},Phải có Kho cho vật tư {0} trong hàng {1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,Bán Lẻ & Bán
@@ -4378,7 +4406,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +126,Split Batch,Phân chia
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +131,Successfully Reconciled,Hòa giải thành công
DocType: Request for Quotation Supplier,Download PDF,Tải về PDF
-DocType: Production Order,Planned End Date,Kế hoạch End ngày
+DocType: Production Order,Planned End Date,Ngày kết thúc kế hoạch
apps/erpnext/erpnext/config/stock.py +184,Where items are stored.,Nơi các mặt hàng được lưu trữ.
DocType: Request for Quotation,Supplier Detail,Nhà cung cấp chi tiết
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +95,Error in formula or condition: {0},Lỗi trong công thức hoặc điều kiện: {0}
@@ -4388,61 +4416,62 @@
DocType: BOM,Materials,Nguyên liệu
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.","Nếu không kiểm tra, danh sách sẽ phải được thêm vào mỗi Bộ, nơi nó đã được áp dụng."
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,Source và Target kho không được giống nhau
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,Ngày đăng và gửi bài thời gian là bắt buộc
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,Ngày đăng và gửi bài thời gian là bắt buộc
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,bản thiết lập mẫu đối với thuế cho giao dịch mua hàng
,Item Prices,Giá mục
-DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Trong từ sẽ được hiển thị khi bạn lưu các Mua hàng.
+DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,Trong từ sẽ được hiển thị khi bạn lưu các Yêu cầu Mua hàng.
DocType: Period Closing Voucher,Period Closing Voucher,Voucher thời gian đóng cửa
apps/erpnext/erpnext/config/selling.py +67,Price List master.,Danh sách giá tổng thể.
DocType: Task,Review Date,Ngày đánh giá
DocType: Purchase Invoice,Advance Payments,Thanh toán trước
DocType: Purchase Taxes and Charges,On Net Total,tính trên tổng tiền
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},Giá trị thuộc tính {0} phải nằm trong phạm vi của {1} để {2} trong gia số của {3} cho mục {4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,Kho hàng mục tiêu trong {0} phải được giống như sản xuất theo thứ tự
-apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,'Địa chỉ Email thông báo' không chỉ rõ cho kỳ hạn %s
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,Tiền tệ không thể thay đổi sau khi thực hiện các mục sử dụng một số loại tiền tệ khác
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,Kho hàng mục tiêu trong {0} phải được giống như sản xuất theo thứ tự
+apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,'Những Địa chỉ Email thông báo' không được xác định cho định kỳ %s
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,Tiền tệ không thể thay đổi sau khi thực hiện các mục sử dụng một số loại tiền tệ khác
DocType: Vehicle Service,Clutch Plate,Clutch tấm
DocType: Company,Round Off Account,Vòng Tắt tài khoản
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,Chi phí hành chính
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,Chi phí hành chính
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,Tư vấn
DocType: Customer Group,Parent Customer Group,Nhóm mẹ của nhóm khách hàng
DocType: Purchase Invoice,Contact Email,Email Liên hệ
DocType: Appraisal Goal,Score Earned,Điểm số kiếm được
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,Thông báo Thời gian
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,Thông báo Thời gian
DocType: Asset Category,Asset Category Name,Tên tài sản
-apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Đây là địa bàn gốc và không được chỉnh sửa
-apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Tên mới Người Bán hàng
+apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,Đây là địa bàn gốc và không thể chỉnh sửa
+apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,Tên người bán hàng mới
DocType: Packing Slip,Gross Weight UOM,Tổng trọng lượng UOM
DocType: Delivery Note Item,Against Sales Invoice,Theo hóa đơn bán hàng
-DocType: Bin,Reserved Qty for Production,Reserved Số lượng cho sản xuất
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,Vui lòng nhập số sê-ri cho mục hàng
+DocType: Bin,Reserved Qty for Production,Số lượng được dự trữ cho việc sản xuất
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Hãy bỏ chọn nếu bạn không muốn xem xét lô trong khi làm cho các nhóm dựa trên khóa học.
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,Hãy bỏ chọn nếu bạn không muốn xem xét lô trong khi làm cho các nhóm dựa trên khóa học.
DocType: Asset,Frequency of Depreciation (Months),Tần số của Khấu hao (Tháng)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +467,Credit Account,Tài khoản tín dụng
DocType: Landed Cost Item,Landed Cost Item,Chi phí hạ cánh hàng
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,Hiện không có giá trị
-DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Số lượng mặt hàng thu được sau khi sản xuất / đóng gói lại từ số lượng nhất định của nguyên liệu
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,Thiết lập một trang web đơn giản cho tổ chức của tôi
-DocType: Payment Reconciliation,Receivable / Payable Account,Thu / Account Payable
+DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,Số lượng mặt hàng thu được sau khi sản xuất / đóng gói lại từ số lượng có sẵn của các nguyên liệu thô
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,Thiết lập một trang web đơn giản cho tổ chức của tôi
+DocType: Payment Reconciliation,Receivable / Payable Account,Tài khoản phải thu/phải trả
DocType: Delivery Note Item,Against Sales Order Item,Theo hàng hóa được đặt mua
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},Hãy xác định thuộc tính Giá trị thuộc tính {0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},Hãy xác định thuộc tính Giá trị thuộc tính {0}
DocType: Item,Default Warehouse,Kho mặc định
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},Ngân sách không thể được chỉ định đối với tài khoản Nhóm {0}
-apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Vui lòng nhập trung tâm chi phí cha mẹ
-DocType: Delivery Note,Print Without Amount,In Nếu không có tiền
+apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,Vui lòng nhập trung tâm chi phí gốc
+DocType: Delivery Note,Print Without Amount,In không có số lượng
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,Khấu hao ngày
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,"Thuế Thể loại không thể được ""định giá"" hay ""Định giá và Total 'như tất cả các mục là những mặt hàng không cổ"
DocType: Issue,Support Team,Hỗ trợ trong team
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),Hạn sử dụng (theo ngày)
DocType: Appraisal,Total Score (Out of 5),Tổng số điểm (Out of 5)
DocType: Fee Structure,FS.,FS.
-DocType: Program Enrollment,Batch,Lô
+DocType: Student Attendance Tool,Batch,Lô hàng
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,Số dư
DocType: Room,Seating Capacity,Dung ngồi
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),Tổng số yêu cầu bồi thường chi phí (thông qua Tuyên bố Expense)
+DocType: GST Settings,GST Summary,Tóm tắt GST
DocType: Assessment Result,Total Score,Tổng điểm
-DocType: Journal Entry,Debit Note,nợ Ghi
+DocType: Journal Entry,Debit Note,nợ tiền mặt
DocType: Stock Entry,As per Stock UOM,Theo Cổ UOM
apps/erpnext/erpnext/stock/doctype/batch/batch_list.js +7,Not Expired,Không hết hạn
DocType: Student Log,Achievement,Thành tích
@@ -4452,40 +4481,42 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,Kho chứa SP hoàn thành mặc định
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,Người bán hàng
DocType: SMS Parameter,SMS Parameter,Thông số tin nhắn SMS
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,Ngân sách và Chi phí bộ phận
-DocType: Vehicle Service,Half Yearly,Nửa Trong Năm
-DocType: Lead,Blog Subscriber,Blog Subscriber
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,Ngân sách và Trung tâm chi phí
+DocType: Vehicle Service,Half Yearly,Nửa năm
+DocType: Lead,Blog Subscriber,Người theo dõi blog
DocType: Guardian,Alternate Number,Số thay thế
DocType: Assessment Plan Criteria,Maximum Score,Điểm tối đa
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,Tạo các quy tắc để hạn chế các giao dịch dựa trên giá trị.
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,Danh sách nhóm số
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Để trống nếu bạn thực hiện nhóm sinh viên mỗi năm
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,Để trống nếu bạn thực hiện nhóm sinh viên mỗi năm
-DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Nếu được chọn, Tổng số không. của ngày làm việc sẽ bao gồm ngày lễ, và điều này sẽ làm giảm giá trị của Lương trung bình mỗi ngày"
+DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day","Nếu được chọn, Tổng số. của ngày làm việc sẽ bao gồm các ngày lễ, và điều này sẽ làm giảm giá trị của Lương trung bình mỗi ngày"
DocType: Purchase Invoice,Total Advance,Tổng số trước
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +23,The Term End Date cannot be earlier than the Term Start Date. Please correct the dates and try again.,Những ngày cuối kỳ không thể sớm hơn so với ngày bắt đầu kỳ. Xin vui lòng sửa ngày và thử lại.
-apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +19,Quot Count,Quot Count
-apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +19,Quot Count,Quot Count
-,BOM Stock Report,Báo cáo Cổ BOM
-DocType: Stock Reconciliation Item,Quantity Difference,Số lượng Sự khác biệt
+apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +19,Quot Count,Báo giá
+apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +19,Quot Count,Báo giá
+,BOM Stock Report,Báo cáo hàng tồn kho BOM
+DocType: Stock Reconciliation Item,Quantity Difference,SỰ khác biệt về số lượng
apps/erpnext/erpnext/config/hr.py +311,Processing Payroll,Chế biến lương
-DocType: Opportunity Item,Basic Rate,Basic Rate
+DocType: Opportunity Item,Basic Rate,Tỷ giá cơ bản
DocType: GL Entry,Credit Amount,Số tiền tín dụng
-DocType: Cheque Print Template,Signatory Position,Chức vụ ký
+DocType: Cheque Print Template,Signatory Position,chức vụ người ký
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +175,Set as Lost,Thiết lập như Lost
DocType: Timesheet,Total Billable Hours,Tổng số giờ được Lập hoá đơn
apps/erpnext/erpnext/accounts/print_format/payment_receipt_voucher/payment_receipt_voucher.html +4,Payment Receipt Note,Thanh toán Phiếu tiếp nhận
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,Điều này được dựa trên các giao dịch với khách hàng này. Xem thời gian dưới đây để biết chi tiết
DocType: Supplier,Credit Days Based On,Days Credit Dựa Trên
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},Row {0}: Phân bổ số lượng {1} phải nhỏ hơn hoặc bằng số tiền thanh toán nhập {2}
-DocType: Tax Rule,Tax Rule,Rule thuế
-DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Duy trì Cùng Rate Trong suốt chu kỳ kinh doanh
-DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Kế hoạch thời gian bản ghi ngoài giờ làm việc Workstation.
+,Course wise Assessment Report,Báo cáo đánh giá khôn ngoan
+DocType: Tax Rule,Tax Rule,Luật thuế
+DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,Duy trì cùng tỷ giá Trong suốt chu kỳ kinh doanh
+DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,Lên kế hoạch cho các lần đăng nhập ngoài giờ làm việc của máy trạm
apps/erpnext/erpnext/public/js/pos/pos.html +89,Customers in Queue,Khách hàng ở Queue
-DocType: Student,Nationality,Quốc
+DocType: Student,Nationality,Quốc tịch
,Items To Be Requested,Các mục được yêu cầu
-DocType: Purchase Order,Get Last Purchase Rate,Nhận cuối Rate
+DocType: Purchase Order,Get Last Purchase Rate,Tỷ giá nhận cuối
DocType: Company,Company Info,Thông tin công ty
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,Chọn hoặc thêm khách hàng mới
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,Chọn hoặc thêm khách hàng mới
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,trung tâm chi phí là cần thiết để đặt yêu cầu bồi thường chi phí
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),Ứng dụng của Quỹ (tài sản)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,Điều này được dựa trên sự tham gia của nhân viên này
@@ -4493,27 +4524,29 @@
DocType: Fiscal Year,Year Start Date,Ngày bắt đầu năm
DocType: Attendance,Employee Name,Tên nhân viên
DocType: Sales Invoice,Rounded Total (Company Currency),Tròn số (quy đổi theo tiền tệ của công ty )
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,Không thể bí mật với đoàn vì Loại tài khoản được chọn.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,Không thể bí mật với đoàn vì Loại tài khoản được chọn.
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} đã được sửa đổi. Xin vui lòng làm mới.
DocType: Leave Block List,Stop users from making Leave Applications on following days.,Ngăn chặn người dùng từ việc ứng dụng Để lại vào những ngày sau.
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,Chi phí mua hàng
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,Nhà cung cấp bảng báo giá {0} đã tạo
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,Cuối năm không thể được trước khi bắt đầu năm
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,Lợi ích của nhân viên
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,Lợi ích của nhân viên
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},Số lượng đóng gói phải bằng số lượng cho hàng {0} trong hàng {1}
DocType: Production Order,Manufactured Qty,Số lượng sản xuất
DocType: Purchase Receipt Item,Accepted Quantity,Số lượng chấp nhận
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},Hãy thiết lập mặc định Tốt Danh sách nhân viên với {0} hoặc Công ty {1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}: {1} không tồn tại
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}: {1} không tồn tại
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,Chọn Batch Numbers
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,Hóa đơn đã đưa khách hàng
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,Id dự án
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},Row Không {0}: Số tiền có thể không được lớn hơn khi chờ Số tiền yêu cầu bồi thường đối với Chi {1}. Trong khi chờ Số tiền là {2}
DocType: Maintenance Schedule,Schedule,Lập lịch quét
-DocType: Account,Parent Account,Tài khoản cha mẹ
+DocType: Account,Parent Account,Tài khoản gốc
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,Khả dụng
DocType: Quality Inspection Reading,Reading 3,Đọc 3
,Hub,Hub
DocType: GL Entry,Voucher Type,Loại chứng từ
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,Danh sách giá không tìm thấy hoặc bị vô hiệu hóa
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,Danh sách giá không tìm thấy hoặc bị vô hiệu hóa
DocType: Employee Loan Application,Approved,Đã được phê duyệt
DocType: Pricing Rule,Price,Giá
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',Nhân viên bớt căng thẳng trên {0} phải được thiết lập như là 'trái'
@@ -4524,83 +4557,80 @@
DocType: Selling Settings,Campaign Naming By,Đặt tên chiến dịch theo
DocType: Employee,Current Address Is,Địa chỉ hiện tại là
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,Sửa đổi
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.","Không bắt buộc. Thiết lập tiền tệ mặc định của công ty, nếu không quy định."
-apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Sổ nhật ký kế toán.
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.","Không bắt buộc. Thiết lập tiền tệ mặc định của công ty, nếu không quy định."
+DocType: Sales Invoice,Customer GSTIN,Số tài khoản GST của khách hàng
+apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,Sổ nhật biên kế toán.
DocType: Delivery Note Item,Available Qty at From Warehouse,Số lượng có sẵn tại Từ kho
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,Vui lòng chọn nhân viên ghi đầu tiên.
-DocType: POS Profile,Account for Change Amount,Tài khoản Đổi Tiền
+DocType: POS Profile,Account for Change Amount,Tài khoản giao dịch số Tiền
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},Row {0}: Đảng / tài khoản không khớp với {1} / {2} trong {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,Vui lòng nhập tài khoản chi phí
DocType: Account,Stock,Kho
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Row # {0}: Tài liệu tham khảo Tài liệu Loại phải là một trong mua hàng đặt hàng, mua hóa đơn hoặc Journal nhập"
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry","Hàng # {0}: Tài liệu tham khảo Tài liệu Loại phải là một trong mua hàng đặt hàng, mua hóa đơn hoặc Journal nhập"
DocType: Employee,Current Address,Địa chỉ hiện tại
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified","Nếu tài liệu là một biến thể của một item sau đó mô tả, hình ảnh, giá cả, thuế vv sẽ được thiết lập từ các mẫu trừ khi được quy định một cách rõ ràng"
DocType: Serial No,Purchase / Manufacture Details,Thông tin chi tiết mua / Sản xuất
DocType: Assessment Group,Assessment Group,Nhóm đánh giá
-apps/erpnext/erpnext/config/stock.py +320,Batch Inventory,hàng tồn kho theo lô
+apps/erpnext/erpnext/config/stock.py +320,Batch Inventory,Kho hàng theo lô
DocType: Employee,Contract End Date,Ngày kết thúc hợp đồng
DocType: Sales Order,Track this Sales Order against any Project,Theo dõi đơn hàng bán hàng này chống lại bất kỳ dự án
DocType: Sales Invoice Item,Discount and Margin,Chiết khấu và lợi nhuận biên
DocType: Production Planning Tool,Pull sales orders (pending to deliver) based on the above criteria,Kéo đơn bán hàng (đang chờ để cung cấp) dựa trên các tiêu chí trên
-DocType: Pricing Rule,Min Qty,Min Số lượng
+DocType: Pricing Rule,Min Qty,Số lượng Tối thiểu
DocType: Asset Movement,Transaction Date,Giao dịch ngày
DocType: Production Plan Item,Planned Qty,Số lượng dự kiến
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,Tổng số thuế
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,Đối với lượng (Sản xuất Qty) là bắt buộc
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,Tổng số thuế
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,Đối với lượng (Sản xuất Qty) là bắt buộc
DocType: Stock Entry,Default Target Warehouse,Mặc định mục tiêu kho
-DocType: Purchase Invoice,Net Total (Company Currency),Net Tổng số (Công ty tiền tệ)
+DocType: Purchase Invoice,Net Total (Company Currency),Tổng thuần (tiền tệ công ty)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,Những ngày cuối năm không thể sớm hơn Ngày Năm Start. Xin vui lòng sửa ngày và thử lại.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +105,Row {0}: Party Type and Party is only applicable against Receivable / Payable account,Row {0}: Đảng Type và Đảng là chỉ áp dụng đối với thu / tài khoản phải trả
DocType: Notification Control,Purchase Receipt Message,Thông báo mua hóa đơn
DocType: BOM,Scrap Items,phế liệu mục
DocType: Production Order,Actual Start Date,Ngày bắt đầu thực tế
-DocType: Sales Order,% of materials delivered against this Sales Order,% của NVL đã được giao gắn với đơn đặt hàng này
-apps/erpnext/erpnext/config/stock.py +12,Record item movement.,Phong trào kỷ lục mục.
+DocType: Sales Order,% of materials delivered against this Sales Order,% của nguyên vật liệu đã được giao gắn với đơn đặt hàng này
+apps/erpnext/erpnext/config/stock.py +12,Record item movement.,Biến động bản ghi mẫu hàng
DocType: Training Event Employee,Withdrawn,rút
DocType: Hub Settings,Hub Settings,Thiết lập Hub
DocType: Project,Gross Margin %,Lợi nhuận gộp%
DocType: BOM,With Operations,Với hoạt động
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Ghi sổ kế toán đã được thực hiện bằng loại tiền tệ {0} cho công ty {1}. Hãy lựa chọn một tài khoản phải thu hoặc phải trả với loại tiền tệ{0}.
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,Ghi sổ kế toán đã được thực hiện bằng loại tiền tệ {0} cho công ty {1}. Hãy lựa chọn một tài khoản phải thu hoặc phải trả với loại tiền tệ{0}.
DocType: Asset,Is Existing Asset,Là hiện tại tài sản
DocType: Salary Detail,Statistical Component,Hợp phần Thống kê
DocType: Salary Detail,Statistical Component,Hợp phần Thống kê
-,Monthly Salary Register,Hàng tháng Lương Đăng ký
DocType: Warranty Claim,If different than customer address,Nếu khác với địa chỉ của khách hàng
-DocType: BOM Operation,BOM Operation,BOM Operation
-DocType: School Settings,Validate the Student Group from Program Enrollment,Xác nhận Nhóm Sinh viên từ Đăng ký Chương trình
-DocType: School Settings,Validate the Student Group from Program Enrollment,Xác nhận Nhóm Sinh viên từ Đăng ký Chương trình
-DocType: Purchase Taxes and Charges,On Previous Row Amount,Dựa trên số tiền dòng trên
+DocType: BOM Operation,BOM Operation,Thao tác BOM
+DocType: Purchase Taxes and Charges,On Previous Row Amount,Dựa trên lượng thô trước đó
DocType: Student,Home Address,Địa chỉ nhà
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,chuyển nhượng tài sản
-DocType: POS Profile,POS Profile,POS hồ sơ
+DocType: POS Profile,POS Profile,hồ sơ POS
DocType: Training Event,Event Name,Tên tổ chức sự kiện
apps/erpnext/erpnext/config/schools.py +39,Admission,Nhận vào
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},Tuyển sinh cho {0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.","Tính mùa vụ để thiết lập ngân sách, mục tiêu, vv"
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants","Mục {0} là một mẫu, xin vui lòng chọn một trong các biến thể của nó"
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.","Tính mùa vụ để thiết lập ngân sách, mục tiêu, vv"
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants","Mục {0} là một mẫu, xin vui lòng chọn một trong các biến thể của nó"
DocType: Asset,Asset Category,Loại tài khoản tài sản
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,Người mua
-apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,Trả tiền net không thể phủ định
+apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,TIền thực trả không thể âm
DocType: SMS Settings,Static Parameters,Các thông số tĩnh
DocType: Assessment Plan,Room,Phòng
DocType: Purchase Order,Advance Paid,Trước Paid
DocType: Item,Item Tax,Mục thuế
-apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Chất liệu để Nhà cung cấp
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,Tiêu thụ đặc biệt Invoice
+apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,Nguyên liệu tới nhà cung cấp
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,Tiêu thụ đặc biệt Invoice
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}% xuất hiện nhiều lần
DocType: Expense Claim,Employees Email Id,Nhân viên Email Id
-DocType: Employee Attendance Tool,Marked Attendance,Attendance đánh dấu
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,Nợ ngắn hạn
+DocType: Employee Attendance Tool,Marked Attendance,Đánh dấu có mặt
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,Nợ ngắn hạn
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,Gửi SMS hàng loạt tới các liên hệ của bạn
DocType: Program,Program Name,Tên chương trình
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,Xem xét thuế hoặc phí cho
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,Số lượng thực tế là bắt buộc
DocType: Employee Loan,Loan Type,Loại cho vay
DocType: Scheduling Tool,Scheduling Tool,Công cụ lập kế hoạch
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,Thẻ tín dụng
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,Thẻ tín dụng
DocType: BOM,Item to be manufactured or repacked,Mục được sản xuất hoặc đóng gói lại
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,Thiết lập mặc định cho các giao dịch hàng tồn kho.
-DocType: Purchase Invoice,Next Date,Tiếp theo ngày
+DocType: Purchase Invoice,Next Date,Kỳ hạn tiếp theo
DocType: Employee Education,Major/Optional Subjects,Chính / Đối tượng bắt buộc
DocType: Sales Invoice Item,Drop Ship,Thả tàu
DocType: Training Event,Attendees,Những người tham dự
@@ -4613,10 +4643,10 @@
DocType: Stock Entry,Repack,Repack
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,Bạn phải lưu form trước khi tiếp tục
DocType: Item Attribute,Numeric Values,Giá trị Số
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,Logo đính kèm
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,Logo đính kèm
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,Mức cổ phiếu
DocType: Customer,Commission Rate,Tỷ lệ hoa hồng
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,Hãy Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,Tạo khác biệt
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,Block leave applications by department.
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer","Loại thanh toán phải là một trong những nhận, phải trả tiền và chuyển giao nội bộ"
apps/erpnext/erpnext/config/selling.py +179,Analytics,phân tích
@@ -4624,55 +4654,55 @@
DocType: Vehicle,Model,Mô hình
DocType: Production Order,Actual Operating Cost,Chi phí hoạt động thực tế
DocType: Payment Entry,Cheque/Reference No,Séc / Reference No
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,Gốc không thể được chỉnh sửa.
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,Gốc không thể được chỉnh sửa.
DocType: Item,Units of Measure,Đơn vị đo lường
DocType: Manufacturing Settings,Allow Production on Holidays,Cho phép sản xuất vào ngày lễ
DocType: Sales Order,Customer's Purchase Order Date,Ngày của đơn mua hàng
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,Tồn kho ban đầu
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,Tồn kho ban đầu
DocType: Shopping Cart Settings,Show Public Attachments,Hiển thị các tệp đính kèm công khai
DocType: Packing Slip,Package Weight Details,Gói Trọng lượng chi tiết
DocType: Payment Gateway Account,Payment Gateway Account,Tài khoản của Cổng thanh toán
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,Sau khi hoàn thành thanh toán chuyển hướng người dùng đến trang lựa chọn.
DocType: Company,Existing Company,Công ty hiện có
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items","Phân loại thuế được chuyển thành ""Tổng"" bởi tất cả các mẫu hàng đều là mẫu không nhập kho"
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,Vui lòng chọn một tập tin csv
DocType: Student Leave Application,Mark as Present,Đánh dấu như hiện tại
DocType: Purchase Order,To Receive and Bill,Nhận và Bill
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,Các sản phẩm
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,Nhà thiết kế
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,Nhà thiết kế
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,Điều khoản và Điều kiện Template
DocType: Serial No,Delivery Details,Chi tiết giao hàng
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},Phải có Chi phí bộ phận ở hàng {0} trong bảng Thuế cho loại {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},Phải có Chi phí bộ phận ở hàng {0} trong bảng Thuế cho loại {1}
DocType: Program,Program Code,Mã chương trình
DocType: Terms and Conditions,Terms and Conditions Help,Điều khoản và điều kiện giúp
-,Item-wise Purchase Register,Item-khôn ngoan mua Đăng ký
+,Item-wise Purchase Register,Mẫu hàng - đăng ký mua hàng thông minh
DocType: Batch,Expiry Date,Ngày hết hiệu lực
-,Supplier Addresses and Contacts,Địa chỉ và Liên hệ Nhà cung cấp
,accounts-browser,tài khoản trình duyệt
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,Vui lòng chọn mục đầu tiên
apps/erpnext/erpnext/config/projects.py +13,Project master.,Chủ dự án.
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Để cho phép qua thanh toán hoặc qua đặt hàng, cập nhật "Trợ cấp" trong kho Cài đặt hoặc Item."
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.","Để cho phép qua thanh toán hoặc qua đặt hàng, cập nhật "Trợ cấp" trong kho Cài đặt hoặc Item."
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,Không hiển thị bất kỳ biểu tượng như $ vv bên cạnh tiền tệ.
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(Nửa ngày)
DocType: Supplier,Credit Days,Ngày tín dụng
-apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Hãy học sinh hàng loạt
-DocType: Leave Type,Is Carry Forward,Được Carry Forward
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,Được mục từ BOM
-apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Các ngày Thời gian Tiềm năng
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Row # {0}: Đăng ngày phải giống như ngày mua {1} tài sản {2}
+apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,Tạo đợt sinh viên
+DocType: Leave Type,Is Carry Forward,Được truyền thẳng về phía trước
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,Được mục từ BOM
+apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,Các ngày Thời gian Lead
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},Hàng # {0}: Đăng ngày phải giống như ngày mua {1} tài sản {2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,Vui lòng nhập hàng đơn đặt hàng trong bảng trên
-apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Không Submitted Lương Trơn
+apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,Các bảng lương không được thông qua
,Stock Summary,Tóm tắt chứng khoán
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,Chuyển tài sản từ kho này sang kho khác
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,Chuyển tài sản từ kho này sang kho khác
DocType: Vehicle,Petrol,xăng
-apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Bill of Materials
+apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,Hóa đơn vật liệu
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},Row {0}: Đảng Type và Đảng là cần thiết cho thu / tài khoản phải trả {1}
-apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Ref ngày
-DocType: Employee,Reason for Leaving,Lý do Rời
+apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,Kỳ hạn tham khảo
+DocType: Employee,Reason for Leaving,Lý do Rời đi
DocType: BOM Operation,Operating Cost(Company Currency),Chi phí điều hành (Công ty ngoại tệ)
-DocType: Employee Loan Application,Rate of Interest,Lãi suất
+DocType: Employee Loan Application,Rate of Interest,lãi suất thị trường
DocType: Expense Claim Detail,Sanctioned Amount,Số tiền xử phạt
DocType: GL Entry,Is Opening,Được mở cửa
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},Row {0}: Nợ mục không thể được liên kết với một {1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,Tài khoản {0} không tồn tại
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,Tài khoản {0} không tồn tại
DocType: Account,Cash,Tiền mặt
DocType: Employee,Short biography for website and other publications.,Tiểu sử ngắn cho trang web và các ấn phẩm khác.
diff --git a/erpnext/translations/zh-TW.csv b/erpnext/translations/zh-TW.csv
index d9cb209..cc376d5 100644
--- a/erpnext/translations/zh-TW.csv
+++ b/erpnext/translations/zh-TW.csv
@@ -5,10 +5,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,消費類產品
DocType: Item,Customer Items,客戶項目
DocType: Project,Costing and Billing,成本核算和計費
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,帳戶{0}:父帳戶{1}不能是總帳
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,帳戶{0}:父帳戶{1}不能是總帳
DocType: Item,Publish Item to hub.erpnext.com,發布項目hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,電子郵件通知
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,評估
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,評估
DocType: Item,Default Unit of Measure,預設的計量單位
DocType: SMS Center,All Sales Partner Contact,所有的銷售合作夥伴聯絡
DocType: Employee,Leave Approvers,休假審批人
@@ -31,7 +31,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),匯率必須一致{0} {1}({2})
DocType: Sales Invoice,Customer Name,客戶名稱
DocType: Vehicle,Natural Gas,天然氣
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},銀行賬戶不能命名為{0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},銀行賬戶不能命名為{0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,頭(或組)針對其會計分錄是由和平衡得以維持。
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),傑出的{0}不能小於零( {1} )
DocType: Manufacturing Settings,Default 10 mins,預設為10分鐘
@@ -44,27 +44,27 @@
DocType: SMS Center,All Supplier Contact,所有供應商聯絡
DocType: Support Settings,Support Settings,支持設置
DocType: SMS Parameter,Parameter,參數
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,預計結束日期不能小於預期開始日期
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,預計結束日期不能小於預期開始日期
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,行#{0}:速率必須與{1}:{2}({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,新假期申請
,Batch Item Expiry Status,批處理項到期狀態
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,銀行匯票
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,銀行匯票
DocType: Mode of Payment Account,Mode of Payment Account,支付帳戶模式
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,顯示變體
DocType: Academic Term,Academic Term,學期
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,數量
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,賬表不能為空。
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),借款(負債)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),借款(負債)
DocType: Employee Education,Year of Passing,路過的一年
DocType: Item,Country of Origin,出生國家
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,庫存
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,庫存
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,開放式問題
DocType: Production Plan Item,Production Plan Item,生產計劃項目
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},用戶{0}已經被分配給員工{1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,保健
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),延遲支付(天)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,服務費用
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},序號:{0}已在銷售發票中引用:{1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},序號:{0}已在銷售發票中引用:{1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,發票
DocType: Maintenance Schedule Item,Periodicity,週期性
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,會計年度{0}是必需的
@@ -73,18 +73,18 @@
DocType: Salary Component,Abbr,縮寫
DocType: Timesheet,Total Costing Amount,總成本計算金額
DocType: Delivery Note,Vehicle No,車輛牌照號碼
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,請選擇價格表
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,請選擇價格表
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,列#{0}:付款單據才能完成trasaction
DocType: Production Order Operation,Work In Progress,在製品
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,請選擇日期
DocType: Employee,Holiday List,假日列表
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,會計人員
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,會計人員
DocType: Cost Center,Stock User,庫存用戶
DocType: Company,Phone No,電話號碼
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,課程表創建:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},新{0}:#{1}
,Sales Partners Commission,銷售合作夥伴佣金
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,縮寫不能有超過5個字符
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,縮寫不能有超過5個字符
DocType: Payment Request,Payment Request,付錢請求
DocType: Asset,Value After Depreciation,折舊後
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt_dashboard.py +17,Related,有關
@@ -97,15 +97,15 @@
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1}不以任何活性會計年度。
DocType: Packed Item,Parent Detail docname,家長可採用DocName細節
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",參考:{0},商品編號:{1}和顧客:{2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,公斤
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,公斤
DocType: Student Log,Log,日誌
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,開放的工作。
apps/erpnext/erpnext/public/js/stock_analytics.js +61,Select Warehouse...,選擇倉庫...
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,廣告
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,同一家公司進入不止一次
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},不允許{0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},不允許{0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,取得項目來源
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},送貨單{0}不能更新庫存
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},送貨單{0}不能更新庫存
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},產品{0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,沒有列出項目
DocType: Payment Reconciliation,Reconcile,調和
@@ -116,24 +116,24 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,接下來折舊日期不能購買日期之前
DocType: SMS Center,All Sales Person,所有的銷售人員
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,**月度分配**幫助你分配預算/目標跨越幾個月,如果你在你的業務有季節性。
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,未找到項目
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,未找到項目
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,薪酬結構缺失
DocType: Sales Invoice Item,Sales Invoice Item,銷售發票項目
DocType: Account,Credit,信用
DocType: POS Profile,Write Off Cost Center,沖銷成本中心
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",如“小學”或“大學”
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",如“小學”或“大學”
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,庫存報告
DocType: Warehouse,Warehouse Detail,倉庫的詳細資訊
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},信用額度已經越過了客戶{0} {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},信用額度已經越過了客戶{0} {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,該期限結束日期不能晚於學年年終日期到這個詞聯繫在一起(學年{})。請更正日期,然後再試一次。
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",“是固定的資產”不能選中,作為資產記錄存在對項目
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",“是固定的資產”不能選中,作為資產記錄存在對項目
DocType: Vehicle Service,Brake Oil,剎車油
DocType: Tax Rule,Tax Type,稅收類型
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},你無權添加或更新{0}之前的條目
DocType: BOM,Item Image (if not slideshow),產品圖片(如果不是幻燈片)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,一個客戶存在具有相同名稱
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(工時率/ 60)*實際操作時間
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,選擇BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,選擇BOM
DocType: SMS Log,SMS Log,短信日誌
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,交付項目成本
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,在{0}這個節日之間沒有從日期和結束日期
@@ -144,14 +144,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},從{0} {1}
DocType: Item,Copy From Item Group,從項目群組複製
DocType: Journal Entry,Opening Entry,開放報名
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,客戶>客戶群>地區
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,賬戶只需支付
DocType: Employee Loan,Repay Over Number of Periods,償還期的超過數
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1}不會在給定的{2}中註冊
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1}不會在給定的{2}中註冊
DocType: Stock Entry,Additional Costs,額外費用
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,帳戶與現有的交易不能被轉換到群組。
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,帳戶與現有的交易不能被轉換到群組。
DocType: Lead,Product Enquiry,產品查詢
DocType: Academic Term,Schools,學校
+DocType: School Settings,Validate Batch for Students in Student Group,驗證學生組學生的批次
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},未找到員工的假期記錄{0} {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,請先輸入公司
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,請首先選擇公司
@@ -160,12 +160,12 @@
DocType: BOM,Total Cost,總成本
DocType: Journal Entry Account,Employee Loan,員工貸款
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,活動日誌:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,項目{0}不存在於系統中或已過期
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,項目{0}不存在於系統中或已過期
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,房地產
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,帳戶狀態
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,製藥
DocType: Purchase Invoice Item,Is Fixed Asset,是固定的資產
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}",可用數量是{0},則需要{1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}",可用數量是{0},則需要{1}
DocType: Expense Claim Detail,Claim Amount,索賠金額
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,在CUTOMER組表中找到重複的客戶群
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,供應商類型/供應商
@@ -174,30 +174,31 @@
DocType: Training Result Employee,Grade,年級
DocType: Sales Invoice Item,Delivered By Supplier,交付供應商
DocType: SMS Center,All Contact,所有聯絡
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,生產訂單已經與BOM的所有項目創建
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,生產訂單已經與BOM的所有項目創建
DocType: Daily Work Summary,Daily Work Summary,每日工作總結
DocType: Period Closing Voucher,Closing Fiscal Year,截止會計年度
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1}被凍結
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,請選擇現有的公司創建會計科目表
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,庫存費用
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1}被凍結
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,請選擇現有的公司創建會計科目表
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,庫存費用
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,選擇目標倉庫
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,選擇目標倉庫
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,請輸入首選電子郵件聯繫
+DocType: Program Enrollment,School Bus,校車
DocType: Journal Entry,Contra Entry,魂斗羅進入
DocType: Journal Entry Account,Credit in Company Currency,信用在公司貨幣
DocType: Delivery Note,Installation Status,安裝狀態
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",你想更新考勤? <br>現任:{0} \ <br>缺席:{1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},品項{0}的允收+批退的數量必須等於收到量
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},品項{0}的允收+批退的數量必須等於收到量
DocType: Item,Supply Raw Materials for Purchase,供應原料採購
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,付款中的至少一個模式需要POS發票。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,付款中的至少一個模式需要POS發票。
DocType: Products Settings,Show Products as a List,產品展示作為一個列表
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records","下載模板,填寫相應的數據,並附加了修改過的文件。
在選定時間段內所有時間和員工的組合會在模板中,與現有的考勤記錄"
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,項目{0}不活躍或生命的盡頭已經達到
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,例如:基礎數學
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",要包括稅款,行{0}項率,稅收行{1}也必須包括在內
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,項目{0}不活躍或生命的盡頭已經達到
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,例如:基礎數學
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",要包括稅款,行{0}項率,稅收行{1}也必須包括在內
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,設定人力資源模塊
DocType: Sales Invoice,Change Amount,漲跌額
DocType: BOM Replace Tool,New BOM,新的物料清單
@@ -205,7 +206,7 @@
DocType: Lead,Request Type,請求類型
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,使員工
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,廣播
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,執行
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,執行
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,進行的作業細節。
DocType: Serial No,Maintenance Status,維修狀態
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}:需要對供應商應付賬款{2}
@@ -233,7 +234,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,報價請求可以通過點擊以下鏈接進行訪問
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,離開一年。
DocType: SG Creation Tool Course,SG Creation Tool Course,SG創建工具課程
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,庫存不足
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,庫存不足
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,禁用產能規劃和時間跟踪
DocType: Email Digest,New Sales Orders,新的銷售訂單
DocType: Bank Guarantee,Bank Account,銀行帳戶
@@ -244,8 +245,9 @@
DocType: Production Order Operation,Updated via 'Time Log',經由“時間日誌”更新
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},提前量不能大於{0} {1}
DocType: Naming Series,Series List for this Transaction,本交易系列表
+DocType: Company,Enable Perpetual Inventory,啟用永久庫存
DocType: Company,Default Payroll Payable Account,默認情況下,應付職工薪酬帳戶
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,更新電子郵件組
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,更新電子郵件組
DocType: Sales Invoice,Is Opening Entry,是開放登錄
DocType: Customer Group,Mention if non-standard receivable account applicable,何況,如果不規範應收賬款適用
DocType: Course Schedule,Instructor Name,導師姓名
@@ -256,39 +258,39 @@
DocType: Delivery Note Item,Against Sales Invoice Item,對銷售發票項目
,Production Orders in Progress,進行中生產訂單
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,從融資淨現金
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save",localStorage的滿了,沒救
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save",localStorage的滿了,沒救
DocType: Lead,Address & Contact,地址及聯絡方式
DocType: Leave Allocation,Add unused leaves from previous allocations,從以前的分配添加未使用的休假
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},下一循環{0}將上創建{1}
DocType: Sales Partner,Partner website,合作夥伴網站
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,新增項目
-,Contact Name,聯絡人姓名
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,聯絡人姓名
DocType: Course Assessment Criteria,Course Assessment Criteria,課程評價標準
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,建立工資單上面提到的標準。
DocType: POS Customer Group,POS Customer Group,POS客戶群
DocType: Vehicle,Additional Details,額外細節
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,請求您的報價。
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,這是基於對這個項目產生的考勤表
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,淨工資不能低於0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,淨工資不能低於0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,只有選擇的休假審批者可以提交此請假
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,解除日期必須大於加入的日期
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,每年葉
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,每年葉
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,行{0}:請檢查'是推進'對帳戶{1},如果這是一個進步條目。
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},倉庫{0}不屬於公司{1}
DocType: Email Digest,Profit & Loss,利潤損失
DocType: Task,Total Costing Amount (via Time Sheet),總成本計算量(通過時間表)
DocType: Item Website Specification,Item Website Specification,項目網站規格
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,禁假的
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},項{0}已達到其壽命結束於{1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},項{0}已達到其壽命結束於{1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,銀行條目
DocType: Stock Reconciliation Item,Stock Reconciliation Item,庫存調整項目
DocType: Stock Entry,Sales Invoice No,銷售發票號碼
DocType: Material Request Item,Min Order Qty,最小訂貨量
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,學生組創建工具課程
DocType: Lead,Do Not Contact,不要聯絡
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,誰在您的組織教人
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,誰在您的組織教人
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,唯一ID來跟踪所有的經常性發票。它是在提交生成的。
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,軟件開發人員
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,軟件開發人員
DocType: Item,Minimum Order Qty,最低起訂量
DocType: Pricing Rule,Supplier Type,供應商類型
DocType: Course Scheduling Tool,Course Start Date,課程開始日期
@@ -297,11 +299,11 @@
DocType: Item,Publish in Hub,在發布中心
DocType: Student Admission,Student Admission,學生入學
,Terretory,Terretory
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,項{0}將被取消
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,項{0}將被取消
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,物料需求
DocType: Bank Reconciliation,Update Clearance Date,更新日期間隙
DocType: Item,Purchase Details,採購詳情
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},項目{0}未發現“原材料提供'表中的採購訂單{1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},項目{0}未發現“原材料提供'表中的採購訂單{1}
DocType: Employee,Relation,關係
DocType: Shipping Rule,Worldwide Shipping,全球航運
DocType: Student Guardian,Mother,母親
@@ -317,6 +319,7 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +138,Please select Charge Type first,請先選擇付款類別
DocType: Student Group Student,Student Group Student,學生組學生
DocType: Vehicle Service,Inspection,檢查
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,表
DocType: Email Digest,New Quotations,新報價
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,電子郵件工資單員工根據員工選擇首選的電子郵件
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,該列表中的第一個請假審核將被設定為預設請假審核
@@ -325,20 +328,20 @@
DocType: Asset,Next Depreciation Date,接下來折舊日期
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,每個員工活動費用
DocType: Accounts Settings,Settings for Accounts,設置帳戶
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},供應商發票不存在採購發票{0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},供應商發票不存在採購發票{0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,管理銷售人員樹。
DocType: Job Applicant,Cover Letter,求職信
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,傑出的支票及存款清除
DocType: Item,Synced With Hub,同步轂
DocType: Vehicle,Fleet Manager,車隊經理
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},行#{0}:{1}不能為負值對項{2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,密碼錯誤
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,密碼錯誤
DocType: Item,Variant Of,變種
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',完成數量不能大於“數量來製造”
DocType: Period Closing Voucher,Closing Account Head,關閉帳戶頭
DocType: Employee,External Work History,外部工作經歷
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,循環引用錯誤
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1名稱
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1名稱
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,送貨單一被儲存,(Export)就會顯示出來。
DocType: Cheque Print Template,Distance from left edge,從左側邊緣的距離
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{1}]的單位(#窗體/項目/ {1})在[{2}]研究發現(#窗體/倉儲/ {2})
@@ -347,11 +350,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,在建立自動材料需求時以電子郵件通知
DocType: Journal Entry,Multi Currency,多幣種
DocType: Payment Reconciliation Invoice,Invoice Type,發票類型
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,送貨單
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,送貨單
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,建立稅
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,出售資產的成本
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,付款項被修改,你把它之後。請重新拉。
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0}輸入兩次項目稅
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,付款項被修改,你把它之後。請重新拉。
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0}輸入兩次項目稅
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,本週和待活動總結
DocType: Student Applicant,Admitted,錄取
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +81,Amount After Depreciation,折舊金額後
@@ -369,24 +372,26 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,請輸入「重複月內的一天」欄位值
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,公司貨幣被換算成客戶基礎貨幣的匯率
DocType: Course Scheduling Tool,Course Scheduling Tool,排課工具
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},行#{0}:採購發票不能對現有資產進行{1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},行#{0}:採購發票不能對現有資產進行{1}
DocType: Item Tax,Tax Rate,稅率
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0}已分配給員工{1}週期為{2}到{3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,選擇項目
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,採購發票{0}已經提交
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,採購發票{0}已經提交
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},行#{0}:批號必須與{1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,轉換為非集團
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,一批該產品的(很多)。
DocType: C-Form Invoice Detail,Invoice Date,發票日期
DocType: GL Entry,Debit Amount,借方金額
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},只能有每公司1帳戶{0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,請參閱附件
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},只能有每公司1帳戶{0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,請參閱附件
DocType: Purchase Order,% Received,% 已收
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,創建挺起胸
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,安裝已經完成!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,信用額度
DocType: Delivery Note,Instructions,說明
DocType: Quality Inspection,Inspected By,視察
DocType: Maintenance Visit,Maintenance Type,維護類型
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1}未加入課程{2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},序列號{0}不屬於送貨單{1}
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,添加項目
DocType: Item Quality Inspection Parameter,Item Quality Inspection Parameter,產品質量檢驗參數
@@ -408,7 +413,7 @@
DocType: Request for Quotation,Request for Quotation,詢價
DocType: Salary Slip Timesheet,Working Hours,工作時間
DocType: Naming Series,Change the starting / current sequence number of an existing series.,更改現有系列的開始/當前的序列號。
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,創建一個新的客戶
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,創建一個新的客戶
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",如果有多個定價規則繼續有效,用戶將被要求手動設定優先順序來解決衝突。
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,創建採購訂單
,Purchase Register,購買註冊
@@ -418,7 +423,7 @@
DocType: Student Log,Medical,醫療
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,原因丟失
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,鉛所有者不能等同於鉛
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,分配的金額不能超過未調整的量更大
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,分配的金額不能超過未調整的量更大
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},工作站在以下日期關閉按假日列表:{0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,機會
DocType: Employee,Single,單
@@ -430,8 +435,7 @@
DocType: Assessment Plan,Examiner Name,考官名稱
DocType: Purchase Invoice Item,Quantity and Rate,數量和速率
DocType: Delivery Note,% Installed,%已安裝
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,教室/實驗室等在那裡的演講可以預定。
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,供應商>供應商類型
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,教室/實驗室等在那裡的演講可以預定。
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,請先輸入公司名稱
DocType: Purchase Invoice,Supplier Name,供應商名稱
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,閱讀ERPNext手冊
@@ -441,7 +445,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,檢查供應商發票編號唯一性
DocType: Vehicle Service,Oil Change,換油
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.',“至案件編號”不能少於'從案件編號“
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,非營利
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,非營利
DocType: Production Order,Not Started,未啟動
DocType: Lead,Channel Partner,渠道合作夥伴
DocType: Account,Old Parent,老家長
@@ -452,19 +456,18 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,所有製造過程中的全域設定。
DocType: Accounts Settings,Accounts Frozen Upto,帳戶被凍結到
DocType: SMS Log,Sent On,發送於
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,屬性{0}多次選擇在屬性表
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,屬性{0}多次選擇在屬性表
DocType: HR Settings,Employee record is created using selected field. ,使用所選欄位創建員工記錄。
DocType: Sales Order,Not Applicable,不適用
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,假日高手。
DocType: Request for Quotation Item,Required Date,所需時間
DocType: Delivery Note,Billing Address,帳單地址
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,請輸入產品編號。
DocType: Tax Rule,Billing County,開票縣
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount",如果選中,稅額將被視為已包含在列印速率/列印數量
DocType: Request for Quotation,Message for Supplier,消息供應商
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,總數量
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2電子郵件ID
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2電子郵件ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2電子郵件ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2電子郵件ID
DocType: Item,Show in Website (Variant),展網站(變體)
DocType: Employee,Health Concerns,健康問題
DocType: Process Payroll,Select Payroll Period,選擇工資期
@@ -480,24 +483,26 @@
DocType: Sales Order Item,Used for Production Plan,用於生產計劃
DocType: Employee Loan,Total Payment,總付款
DocType: Manufacturing Settings,Time Between Operations (in mins),作業間隔時間(以分鐘計)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1}被取消,因此無法完成操作
DocType: Customer,Buyer of Goods and Services.,買家商品和服務。
DocType: Journal Entry,Accounts Payable,應付帳款
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,所選的材料清單並不同樣項目
DocType: Pricing Rule,Valid Upto,到...為止有效
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,列出一些你的客戶。他們可以是組織或個人。
-,Enough Parts to Build,足夠的配件組裝
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,直接收入
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,列出一些你的客戶。他們可以是組織或個人。
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,足夠的配件組裝
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,直接收入
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account",7 。總計:累積總數達到了這一點。
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,政務主任
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,請選擇課程
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,政務主任
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,請選擇課程
DocType: Timesheet Detail,Hrs,小時
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,請選擇公司
DocType: Stock Entry Detail,Difference Account,差異帳戶
+DocType: Purchase Invoice,Supplier GSTIN,供應商GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,不能因為其依賴的任務{0}沒有關閉關閉任務。
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,請輸入物料需求欲增加的倉庫
DocType: Production Order,Additional Operating Cost,額外的運營成本
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,化妝品
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items",若要合併,以下屬性必須為這兩個項目是相同的
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items",若要合併,以下屬性必須為這兩個項目是相同的
DocType: Shipping Rule,Net Weight,淨重
DocType: Employee,Emergency Phone,緊急電話
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,購買
@@ -507,20 +512,20 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,請定義等級為閾值0%
DocType: Sales Order,To Deliver,為了提供
DocType: Purchase Invoice Item,Item,項目
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,序號項目不能是一個分數
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,序號項目不能是一個分數
DocType: Journal Entry,Difference (Dr - Cr),差異(Dr - Cr)
DocType: Account,Profit and Loss,損益
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,管理轉包
DocType: Project,Project will be accessible on the website to these users,項目將在網站向這些用戶上訪問
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,價目表貨幣被換算成公司基礎貨幣的匯率
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},帳戶{0}不屬於公司:{1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,縮寫已用在另一家公司
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},帳戶{0}不屬於公司:{1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,縮寫已用在另一家公司
DocType: Selling Settings,Default Customer Group,預設客戶群組
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction",如果禁用,“圓角總計”字段將不可見的任何交易
DocType: BOM,Operating Cost,營業成本
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,增量不能為0
DocType: Company,Delete Company Transactions,刪除公司事務
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,參考編號和參考日期是強制性的銀行交易
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,參考編號和參考日期是強制性的銀行交易
DocType: Purchase Receipt,Add / Edit Taxes and Charges,新增 / 編輯稅金及費用
DocType: Purchase Invoice,Supplier Invoice No,供應商發票號碼
DocType: Territory,For reference,供參考
@@ -530,21 +535,21 @@
DocType: Serial No,Warranty Period (Days),保修期限(天數)
DocType: Installation Note Item,Installation Note Item,安裝注意項
DocType: Production Plan Item,Pending Qty,待定數量
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1}是不活動
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1}是不活動
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},短信發送至以下號碼:{0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,設置檢查尺寸打印
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,設置檢查尺寸打印
DocType: Salary Slip,Salary Slip Timesheet,工資單時間表
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,對於轉包的採購入庫單,供應商倉庫是強制性輸入的。
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,對於轉包的採購入庫單,供應商倉庫是強制性輸入的。
DocType: Sales Invoice,Total Commission,佣金總計
DocType: Pricing Rule,Sales Partner,銷售合作夥伴
DocType: Buying Settings,Purchase Receipt Required,需要採購入庫單
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,估價費用是強制性的,如果打開股票進入
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,估價費用是強制性的,如果打開股票進入
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,沒有在發票表中找到記錄
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,請選擇公司和黨的第一型
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,財務/會計年度。
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,財務/會計年度。
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,累積值
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged",對不起,序列號無法合併
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,製作銷售訂單
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,製作銷售訂單
DocType: Project Task,Project Task,項目任務
,Lead Id,潛在客戶標識
DocType: C-Form Invoice Detail,Grand Total,累計
@@ -560,7 +565,7 @@
DocType: Job Applicant,Resume Attachment,簡歷附
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,回頭客
DocType: Leave Control Panel,Allocate,分配
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,銷貨退回
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,銷貨退回
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,注:總分配葉{0}應不低於已核定葉{1}期間
DocType: Announcement,Posted By,發布者
DocType: Item,Delivered by Supplier (Drop Ship),由供應商交貨(直接發運)
@@ -569,8 +574,8 @@
apps/erpnext/erpnext/config/selling.py +28,Customer database.,客戶數據庫。
DocType: Quotation,Quotation To,報價到
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),開啟(Cr )
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,測度項目的默認單位{0}不能直接改變,因為你已經做了一些交易(S)與其他計量單位。您將需要創建一個新的項目,以使用不同的默認計量單位。
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,分配金額不能為負
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,測度項目的默認單位{0}不能直接改變,因為你已經做了一些交易(S)與其他計量單位。您將需要創建一個新的項目,以使用不同的默認計量單位。
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,分配金額不能為負
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,請設定公司
DocType: Purchase Order Item,Billed Amt,已結算額
DocType: Training Result Employee,Training Result Employee,訓練結果員工
@@ -581,7 +586,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,選擇付款賬戶,使銀行進入
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll",建立員工檔案管理葉,報銷和工資
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,添加到知識庫
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,提案寫作
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,提案寫作
DocType: Payment Entry Deduction,Payment Entry Deduction,輸入付款扣除
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,另外銷售人員{0}存在具有相同員工ID
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests",如果選中,原料是分包的將被納入材料要求項
@@ -596,7 +601,7 @@
DocType: Batch,Batch Description,批次說明
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,創建學生組
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,創建學生組
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.",支付網關帳戶沒有創建,請手動創建一個。
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.",支付網關帳戶沒有創建,請手動創建一個。
DocType: Sales Invoice,Sales Taxes and Charges,銷售稅金及費用
DocType: Employee,Organization Profile,組織簡介
DocType: Student,Sibling Details,兄弟姐妹詳情
@@ -617,18 +622,18 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,在庫存淨變動
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,員工貸款管理
DocType: Employee,Passport Number,護照號碼
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,與關係Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,經理
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},新的信用額度小於當前餘額為客戶著想。信用額度是ATLEAST {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,相同的項目已被輸入多次。
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,與關係Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,經理
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},新的信用額度小於當前餘額為客戶著想。信用額度是ATLEAST {0}
DocType: SMS Settings,Receiver Parameter,收受方參數
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,“根據”和“分組依據”不能相同
DocType: Sales Person,Sales Person Targets,銷售人員目標
DocType: Production Order Operation,In minutes,在幾分鐘內
DocType: Issue,Resolution Date,決議日期
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,創建時間表:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},請設定現金或銀行帳戶的預設付款方式{0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},請設定現金或銀行帳戶的預設付款方式{0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,註冊
+DocType: GST Settings,GST Settings,GST設置
DocType: Selling Settings,Customer Naming By,客戶命名由
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,將顯示學生每月學生出勤記錄報告為存在
DocType: Depreciation Schedule,Depreciation Amount,折舊額
@@ -648,6 +653,7 @@
DocType: Item,Material Transfer,物料轉倉
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),開啟(Dr)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},登錄時間戳記必須晚於{0}
+,GST Itemised Purchase Register,GST成品採購登記冊
DocType: Employee Loan,Total Interest Payable,合計應付利息
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,到岸成本稅費
DocType: Production Order Operation,Actual Start Time,實際開始時間
@@ -672,10 +678,10 @@
DocType: Purchase Receipt,Other Details,其他詳細資訊
DocType: Account,Accounts,會計
DocType: Vehicle,Odometer Value (Last),里程表值(最後)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,市場營銷
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,市場營銷
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,已創建付款輸入
DocType: Purchase Receipt Item Supplied,Current Stock,當前庫存
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},行#{0}:資產{1}不掛項目{2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},行#{0}:資產{1}不掛項目{2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,預覽工資單
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,帳戶{0}已多次輸入
DocType: Account,Expenses Included In Valuation,支出計入估值
@@ -683,7 +689,7 @@
,Absent Student Report,缺席學生報告
DocType: Email Digest,Next email will be sent on:,接下來的電子郵件將被發送:
DocType: Offer Letter Term,Offer Letter Term,報價函期限
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,項目已變種。
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,項目已變種。
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,項{0}未找到
DocType: Bin,Stock Value,庫存價值
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +82,Tree Type,樹類型
@@ -691,8 +697,8 @@
DocType: Serial No,Warranty Expiry Date,保證期到期日
DocType: Material Request Item,Quantity and Warehouse,數量和倉庫
DocType: Sales Invoice,Commission Rate (%),佣金比率(%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,請選擇程序
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,請選擇程序
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,請選擇程序
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,請選擇程序
DocType: Project,Estimated Cost,估計成本
DocType: Purchase Order,Link to material requests,鏈接到材料請求
DocType: Journal Entry,Credit Card Entry,信用卡進入
@@ -704,14 +710,14 @@
DocType: Purchase Order,Supply Raw Materials,供應原料
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,在這接下來的發票將生成的日期。它在提交生成。
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,流動資產
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0}不是庫存項目
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0}不是庫存項目
DocType: Mode of Payment Account,Default Account,預設帳戶
DocType: Payment Entry,Received Amount (Company Currency),收到的款項(公司幣種)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,如果機會是由前導而來,前導必須被設定
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,請選擇每週休息日
DocType: Production Order Operation,Planned End Time,計劃結束時間
,Sales Person Target Variance Item Group-Wise,銷售人員跨項目群組間的目標差異
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,帳戶與現有的交易不能被轉換為總賬
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,帳戶與現有的交易不能被轉換為總賬
DocType: Delivery Note,Customer's Purchase Order No,客戶的採購訂單編號
DocType: Budget,Budget Against,反對財政預算案
DocType: Employee,Cell Number,手機號碼
@@ -722,13 +728,11 @@
DocType: Opportunity,Opportunity From,機會從
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,月薪聲明。
DocType: BOM,Website Specifications,網站規格
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,請通過設置>編號系列設置出勤編號系列
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}:從{0}類型{1}
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,列#{0}:轉換係數是強制性的
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",海報價格規則,同樣的標準存在,請通過分配優先解決衝突。價格規則:{0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,無法關閉或取消BOM,因為它是與其他材料明細表鏈接
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,列#{0}:轉換係數是強制性的
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",海報價格規則,同樣的標準存在,請通過分配優先解決衝突。價格規則:{0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,無法關閉或取消BOM,因為它是與其他材料明細表鏈接
DocType: Opportunity,Maintenance,維護
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},物品{0}所需交易收據號碼
DocType: Item Attribute Value,Item Attribute Value,項目屬性值
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,銷售活動。
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,製作時間表
@@ -779,29 +783,29 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},通過資產日記帳分錄報廢{0}
DocType: Employee Loan,Interest Income Account,利息收入賬戶
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,生物技術
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,Office維護費用
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,Office維護費用
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,設置電子郵件帳戶
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,請先輸入品項
DocType: Account,Liability,責任
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,制裁金額不能大於索賠額行{0}。
DocType: Company,Default Cost of Goods Sold Account,銷貨帳戶的預設成本
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,未選擇價格列表
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,未選擇價格列表
DocType: Request for Quotation Supplier,Send Email,發送電子郵件
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},警告:無效的附件{0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},警告:無效的附件{0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,無權限
DocType: Company,Default Bank Account,預設銀行帳戶
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",要根據黨的篩選,選擇黨第一類型
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},不能勾選`更新庫存',因為項目未交付{0}
DocType: Vehicle,Acquisition Date,採集日期
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,NOS
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,NOS
DocType: Item,Items with higher weightage will be shown higher,具有較高權重的項目將顯示更高的可
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,銀行對帳詳細
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,行#{0}:資產{1}必須提交
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,行#{0}:資產{1}必須提交
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,無發現任何員工
DocType: Supplier Quotation,Stopped,停止
DocType: Item,If subcontracted to a vendor,如果分包給供應商
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,學生組已經更新。
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,學生組已經更新。
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,學生組已經更新。
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,學生組已經更新。
DocType: SMS Center,All Customer Contact,所有的客戶聯絡
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,通過CSV上傳庫存餘額。
DocType: Warehouse,Tree Details,樹詳細信息
@@ -813,13 +817,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}:成本中心{2}不屬於公司{3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}帳戶{2}不能是一個組
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,項目行的{idx} {文檔類型} {} DOCNAME上面不存在'{}的文檔類型“表
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,時間表{0}已完成或取消
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,時間表{0}已完成或取消
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,沒有任務
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc",該月的一天,在這汽車的發票將產生如05,28等
DocType: Asset,Opening Accumulated Depreciation,打開累計折舊
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,得分必須小於或等於5
DocType: Program Enrollment Tool,Program Enrollment Tool,計劃註冊工具
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,C-往績紀錄
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C-往績紀錄
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,客戶和供應商
DocType: Email Digest,Email Digest Settings,電子郵件摘要設定
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,感謝您的業務!
@@ -829,16 +833,18 @@
DocType: Bin,Moving Average Rate,移動平均房價
DocType: Production Planning Tool,Select Items,選擇項目
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0}針對帳單{1}日期{2}
+DocType: Program Enrollment,Vehicle/Bus Number,車輛/巴士號碼
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,課程表
DocType: Maintenance Visit,Completion Status,完成狀態
DocType: HR Settings,Enter retirement age in years,在年內進入退休年齡
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,目標倉庫
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,請選擇一個倉庫
DocType: Cheque Print Template,Starting location from left edge,從左邊起始位置
DocType: Item,Allow over delivery or receipt upto this percent,允許在交付或接收高達百分之這
DocType: Upload Attendance,Import Attendance,進口出席
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,所有項目群組
DocType: Process Payroll,Activity Log,活動日誌
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,淨利/虧損
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,淨利/虧損
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,自動編寫郵件在提交交易。
DocType: Production Order,Item To Manufacture,產品製造
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1}的狀態為{2}
@@ -846,15 +852,16 @@
DocType: Shopping Cart Settings,Enable Checkout,啟用結帳
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,採購訂單到付款
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,預計數量
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,項目變種{0}已經具有相同屬性的存在
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,項目變種{0}已經具有相同屬性的存在
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',“開放”
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,開做
DocType: Notification Control,Delivery Note Message,送貨單留言
DocType: Expense Claim,Expenses,開支
+,Support Hours,支持小時
DocType: Item Variant Attribute,Item Variant Attribute,產品規格屬性
,Purchase Receipt Trends,採購入庫趨勢
DocType: Vehicle Service,Brake Pad,剎車片
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,研究與發展
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,研究與發展
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,帳單數額
DocType: Company,Registration Details,註冊細節
DocType: Timesheet,Total Billed Amount,總開單金額
@@ -866,12 +873,12 @@
DocType: SMS Log,Requested Numbers,請求號碼
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,績效考核。
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",作為啟用的購物車已啟用“使用購物車”,而應該有購物車至少有一個稅務規則
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",付款輸入{0}對訂單{1},檢查它是否應該被拉到作為預先在該發票聯。
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",付款輸入{0}對訂單{1},檢查它是否應該被拉到作為預先在該發票聯。
DocType: Sales Invoice Item,Stock Details,庫存詳細訊息
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,專案值
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,銷售點
DocType: Vehicle Log,Odometer Reading,里程表讀數
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",帳戶餘額已歸為信用帳戶,不允許設為借方帳戶
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",帳戶餘額已歸為信用帳戶,不允許設為借方帳戶
DocType: Account,Balance must be,餘額必須
DocType: Hub Settings,Publish Pricing,發布定價
DocType: Notification Control,Expense Claim Rejected Message,報銷回絕訊息
@@ -879,7 +886,7 @@
DocType: Purchase Taxes and Charges,On Previous Row Total,在上一行共
DocType: Purchase Invoice Item,Rejected Qty,被拒絕的數量
DocType: Serial No,Incoming Rate,傳入速率
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,您的公司要為其設立這個系統的名稱。
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,您的公司要為其設立這個系統的名稱。
DocType: HR Settings,Include holidays in Total no. of Working Days,包括節假日的總數。工作日
DocType: Employee,Date of Joining,加入日期
DocType: Supplier Quotation,Is Subcontracted,轉包
@@ -888,19 +895,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,採購入庫單
,Received Items To Be Billed,待付款的收受品項
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,提交工資單
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,貨幣匯率的主人。
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},參考文檔類型必須是一個{0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,貨幣匯率的主人。
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},參考文檔類型必須是一個{0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},找不到時隙在未來{0}天操作{1}
DocType: Production Order,Plan material for sub-assemblies,計劃材料為子組件
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,銷售合作夥伴和地區
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,由於已有庫存餘額的帳戶無法自動創建帳戶。您必須創建一個匹配的帳戶,然後才能在這個倉庫中的條目
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM {0}必須是積極的
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM {0}必須是積極的
DocType: Journal Entry,Depreciation Entry,折舊分錄
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,請先選擇文檔類型
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,取消取消此保養訪問之前,材質訪問{0}
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},序列號{0}不屬於項目{1}
DocType: Purchase Receipt Item Supplied,Required Qty,所需數量
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,與現有的交易倉庫不能轉換到總帳。
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,與現有的交易倉庫不能轉換到總帳。
DocType: Bank Reconciliation,Total Amount,總金額
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,互聯網出版
DocType: Production Planning Tool,Production Orders,生產訂單
@@ -915,22 +921,22 @@
DocType: Fee Structure,Components,組件
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},請輸入項目資產類別{0}
DocType: Quality Inspection Reading,Reading 6,6閱讀
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,無法{0} {1} {2}沒有任何負面的優秀發票
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,無法{0} {1} {2}沒有任何負面的優秀發票
DocType: Purchase Invoice Advance,Purchase Invoice Advance,購買發票提前
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},行{0}:信用記錄無法被鏈接的{1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,定義預算財政年度。
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,定義預算財政年度。
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,預設銀行/現金帳戶將被在POS機開發票,且選擇此模式時自動更新。
DocType: Lead,LEAD-,鉛-
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,品牌
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,品牌
DocType: Employee,Exit Interview Details,退出面試細節
DocType: Item,Is Purchase Item,是購買項目
DocType: Asset,Purchase Invoice,採購發票
DocType: Stock Ledger Entry,Voucher Detail No,券詳細說明暫無
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,新的銷售發票
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,新的銷售發票
DocType: Stock Entry,Total Outgoing Value,出貨總計值
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,開幕日期和截止日期應在同一會計年度
DocType: Lead,Request for Information,索取資料
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,同步離線發票
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,同步離線發票
DocType: Payment Request,Paid,付費
DocType: Program Fee,Program Fee,課程費用
DocType: Salary Slip,Total in words,總計大寫
@@ -938,13 +944,13 @@
DocType: Guardian,Guardian Name,監護人姓名
DocType: Cheque Print Template,Has Print Format,擁有打印格式
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,是強制性的。也許外幣兌換記錄沒有創建
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},列#{0}:請為項目{1}指定序號
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",對於“產品包”的物品,倉庫,序列號和批號將被從“裝箱單”表考慮。如果倉庫和批次號是相同的任何“產品包”項目的所有包裝物品,這些值可以在主項表中輸入,值將被複製到“裝箱單”表。
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},列#{0}:請為項目{1}指定序號
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",對於“產品包”的物品,倉庫,序列號和批號將被從“裝箱單”表考慮。如果倉庫和批次號是相同的任何“產品包”項目的所有包裝物品,這些值可以在主項表中輸入,值將被複製到“裝箱單”表。
DocType: Job Opening,Publish on website,發布在網站上
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,發貨給客戶。
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,供應商發票的日期不能超過過帳日期更大
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,供應商發票的日期不能超過過帳日期更大
DocType: Purchase Invoice Item,Purchase Order Item,採購訂單項目
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,間接收入
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,間接收入
DocType: Student Attendance Tool,Student Attendance Tool,學生考勤工具
DocType: Cheque Print Template,Date Settings,日期設定
,Company Name,公司名稱
@@ -961,19 +967,19 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,化學藥品
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,默認銀行/現金帳戶時,會選擇此模式可以自動在工資日記條目更新。
DocType: BOM,Raw Material Cost(Company Currency),原料成本(公司貨幣)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,所有項目都已經被轉移為這個生產訂單。
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,所有項目都已經被轉移為這個生產訂單。
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},行#{0}:速率不能大於{1} {2}中使用的速率
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},行#{0}:速率不能大於{1} {2}中使用的速率
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,儀表
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,儀表
DocType: Workstation,Electricity Cost,電力成本
DocType: HR Settings,Don't send Employee Birthday Reminders,不要送員工生日提醒
DocType: Item,Inspection Criteria,檢驗標準
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,轉移
DocType: BOM Website Item,BOM Website Item,BOM網站項目
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,上傳你的信頭和標誌。 (您可以在以後對其進行編輯)。
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,上傳你的信頭和標誌。 (您可以在以後對其進行編輯)。
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,接下來折舊日期輸入為過去的日期
DocType: SMS Center,All Lead (Open),所有鉛(開放)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),行{0}:數量不適用於{4}在倉庫{1}在發布條目的時間({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),行{0}:數量不適用於{4}在倉庫{1}在發布條目的時間({2} {3})
DocType: Purchase Invoice,Get Advances Paid,獲取有償進展
DocType: Item,Automatically Create New Batch,自動創建新批
DocType: Item,Automatically Create New Batch,自動創建新批
@@ -983,13 +989,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,我的購物車
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},訂單類型必須是一個{0}
DocType: Lead,Next Contact Date,下次聯絡日期
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,開放數量
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,對於漲跌額請輸入帳號
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,開放數量
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,對於漲跌額請輸入帳號
DocType: Student Batch Name,Student Batch Name,學生批名
DocType: Holiday List,Holiday List Name,假日列表名稱
DocType: Repayment Schedule,Balance Loan Amount,平衡貸款額
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,課程時間表
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,股票期權
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,股票期權
DocType: Journal Entry Account,Expense Claim,報銷
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,難道你真的想恢復這個報廢的資產?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},數量為{0}
@@ -1001,12 +1007,12 @@
DocType: Company,Default Terms,默認條款
DocType: Packing Slip Item,Packing Slip Item,包裝單項目
DocType: Purchase Invoice,Cash/Bank Account,現金/銀行帳戶
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},請指定{0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},請指定{0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,刪除的項目在數量或價值沒有變化。
DocType: Delivery Note,Delivery To,交貨給
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,屬性表是強制性的
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,屬性表是強制性的
DocType: Production Planning Tool,Get Sales Orders,獲取銷售訂單
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0}不能為負數
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0}不能為負數
DocType: Asset,Total Number of Depreciations,折舊總數
DocType: Sales Invoice Item,Rate With Margin,利率保證金
DocType: Sales Invoice Item,Rate With Margin,利率保證金
@@ -1025,7 +1031,6 @@
DocType: Serial No,Creation Document No,文檔創建編號
DocType: Issue,Issue,問題
DocType: Asset,Scrapped,報廢
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,客戶不與公司匹配
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.",屬性的項目變體。如大小,顏色等。
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,WIP倉庫
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +195,Serial No {0} is under maintenance contract upto {1},序列號{0}在維護合約期間內直到{1}
@@ -1035,12 +1040,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,項目必須使用'從採購入庫“按鈕進行新增
DocType: Employee,A-,一個-
DocType: Production Planning Tool,Include non-stock items,包括非股票項目
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,銷售費用
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,銷售費用
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,標準採購
DocType: GL Entry,Against,針對
DocType: Item,Default Selling Cost Center,預設銷售成本中心
DocType: Sales Partner,Implementation Partner,實施合作夥伴
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,郵政編碼
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,郵政編碼
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},銷售訂單{0} {1}
DocType: Opportunity,Contact Info,聯絡方式
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,製作Stock條目
@@ -1053,31 +1058,31 @@
DocType: Holiday List,Get Weekly Off Dates,獲取每週關閉日期
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,結束日期不能小於開始日期
DocType: Sales Person,Select company name first.,先選擇公司名稱。
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,博士
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,從供應商收到的報價。
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,平均年齡
DocType: School Settings,Attendance Freeze Date,出勤凍結日期
DocType: School Settings,Attendance Freeze Date,出勤凍結日期
DocType: Opportunity,Your sales person who will contact the customer in future,你的銷售人員會在未來聯絡客戶
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,列出一些你的供應商。他們可以是組織或個人。
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,列出一些你的供應商。他們可以是組織或個人。
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,查看所有產品
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),最低鉛年齡(天)
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),最低鉛年齡(天)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,所有的材料明細表
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,所有的材料明細表
DocType: Company,Default Currency,預設貨幣
DocType: Expense Claim,From Employee,從員工
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,警告: {0} {1}為零,系統將不檢查超收因為金額項目
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,警告: {0} {1}為零,系統將不檢查超收因為金額項目
DocType: Journal Entry,Make Difference Entry,使不同入口
DocType: Appraisal Template Goal,Key Performance Area,關鍵績效區
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,運輸
+DocType: Program Enrollment,Transportation,運輸
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,無效屬性
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1}必須提交
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1}必須提交
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},量必須小於或等於{0}
DocType: SMS Center,Total Characters,總字元數
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},請BOM字段中選擇BOM的項目{0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},請BOM字段中選擇BOM的項目{0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-表 發票詳細資訊
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,付款發票對帳
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,貢獻%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",根據購買設置,如果需要採購訂單=='是',那麼為了創建採購發票,用戶需要首先為項目{0}創建採購訂單
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,公司註冊號碼,供大家參考。稅務號碼等
DocType: Sales Partner,Distributor,經銷商
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,購物車運輸規則
@@ -1086,22 +1091,24 @@
,Ordered Items To Be Billed,預付款的訂購物品
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,從範圍必須小於要範圍
DocType: Global Defaults,Global Defaults,全域預設值
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,項目合作邀請
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,項目合作邀請
DocType: Salary Slip,Deductions,扣除
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,開始年份
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},GSTIN的前2位數字應與狀態號{0}匹配
DocType: Purchase Invoice,Start date of current invoice's period,當前發票期間內的開始日期
DocType: Salary Slip,Leave Without Pay,無薪假
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,產能規劃錯誤
,Trial Balance for Party,試算表的派對
DocType: Lead,Consultant,顧問
DocType: Salary Slip,Earnings,收益
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,完成項目{0}必須為製造類條目進入
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,完成項目{0}必須為製造類條目進入
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,打開會計平衡
+,GST Sales Register,消費稅銷售登記冊
DocType: Sales Invoice Advance,Sales Invoice Advance,銷售發票提前
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,無需求
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},另一個預算記錄“{0}”已存在對{1}“{2}”為年度{3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',“實際開始日期”不能大於“實際結束日期'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,管理
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,管理
DocType: Cheque Print Template,Payer Settings,付款人設置
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""",這將追加到變異的項目代碼。例如,如果你的英文縮寫為“SM”,而該項目的代碼是“T-SHIRT”,該變種的項目代碼將是“T-SHIRT-SM”
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,薪資單一被儲存,淨付款就會被顯示出來。
@@ -1117,8 +1124,8 @@
DocType: Stock Settings,Default Item Group,預設項目群組
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,供應商數據庫。
DocType: Account,Balance Sheet,資產負債表
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',成本中心與項目代碼“項目
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",付款方式未配置。請檢查是否帳戶已就付款方式或POS機配置文件中設置。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',成本中心與項目代碼“項目
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",付款方式未配置。請檢查是否帳戶已就付款方式或POS機配置文件中設置。
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,您的銷售人員將在此日期被提醒去聯絡客戶
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,同一項目不能輸入多次。
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups",進一步帳戶可以根據組進行,但條目可針對非組進行
@@ -1126,7 +1133,7 @@
DocType: Email Digest,Payables,應付賬款
DocType: Course,Course Intro,課程介紹
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,股票輸入{0}創建
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,行#{0}:駁回採購退貨數量不能進入
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,行#{0}:駁回採購退貨數量不能進入
,Purchase Order Items To Be Billed,欲付款的採購訂單品項
DocType: Purchase Invoice Item,Net Rate,淨費率
DocType: Purchase Invoice Item,Purchase Invoice Item,採購發票項目
@@ -1157,9 +1164,9 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +45,Item {0} must be a non-stock item,項{0}必須是一個非庫存項目
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,查看總帳
DocType: Grading Scale,Intervals,間隔
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group",具有具有相同名稱的項目群組存在,請更改項目名稱或重新命名該項目群組
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,學生手機號碼
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,世界其他地區
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group",具有具有相同名稱的項目群組存在,請更改項目名稱或重新命名該項目群組
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,學生手機號碼
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,世界其他地區
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,該項目{0}不能有批
,Budget Variance Report,預算差異報告
DocType: Salary Slip,Gross Pay,工資總額
@@ -1178,11 +1185,11 @@
DocType: Opportunity Item,Opportunity Item,項目的機會
,Student and Guardian Contact Details,學生和監護人聯繫方式
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,行{0}:對於供應商{0}的電郵地址發送電子郵件
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,臨時開通
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,臨時開通
,Employee Leave Balance,員工休假餘額
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},帳戶{0}的餘額必須始終為{1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},行對項目所需的估值速率{0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,舉例:碩士計算機科學
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,舉例:碩士計算機科學
DocType: Purchase Invoice,Rejected Warehouse,拒絕倉庫
DocType: GL Entry,Against Voucher,對傳票
DocType: Item,Default Buying Cost Center,預設採購成本中心
@@ -1195,27 +1202,26 @@
DocType: Journal Entry,Get Outstanding Invoices,獲取未付發票
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,銷售訂單{0}無效
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,採購訂單幫助您規劃和跟進您的購買
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged",對不起,企業不能合併
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged",對不起,企業不能合併
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",在材質要求總發行/傳輸量{0} {1} \不能超過請求的數量{2}的項目更大的{3}
DocType: Employee,Employee Number,員工人數
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},案例編號已在使用中( S) 。從案例沒有嘗試{0}
DocType: Project,% Completed,%已完成
,Invoiced Amount (Exculsive Tax),發票金額(Exculsive稅)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,項目2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,帳戶頭{0}創建
DocType: Training Event,Training Event,培訓活動
DocType: Item,Auto re-order,自動重新排序
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,實現總計
DocType: Employee,Place of Issue,簽發地點
DocType: Email Digest,Add Quote,添加報價
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},所需的計量單位計量單位:丁文因素:{0}項:{1}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,間接費用
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},所需的計量單位計量單位:丁文因素:{0}項:{1}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,間接費用
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,列#{0}:數量是強制性的
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,農業
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,同步主數據
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,您的產品或服務
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,網站形象應該是一個公共文件或網站網址
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,同步主數據
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,您的產品或服務
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,網站形象應該是一個公共文件或網站網址
DocType: Student Applicant,AP,美聯社
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,這是個根項目群組,且無法被編輯。
DocType: Journal Entry Account,Purchase Order,採購訂單
@@ -1223,17 +1229,17 @@
DocType: Warehouse,Warehouse Contact Info,倉庫聯絡方式
DocType: Payment Entry,Write Off Difference Amount,核銷金額差異
DocType: Purchase Invoice,Recurring Type,經常性類型
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent",{0}:未發現員工的電子郵件,因此,電子郵件未發
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent",{0}:未發現員工的電子郵件,因此,電子郵件未發
DocType: Item,Foreign Trade Details,外貿詳細
DocType: Serial No,Serial No Details,序列號詳細資訊
DocType: Purchase Invoice Item,Item Tax Rate,項目稅率
DocType: Student Group Student,Group Roll Number,組卷編號
DocType: Student Group Student,Group Roll Number,組卷編號
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",{0},只有貸方帳戶可以連接另一個借方分錄
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,所有任務的權重合計應為1。請相應調整的所有項目任務重
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,送貨單{0}未提交
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,項{0}必須是一個小項目簽約
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,資本設備
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,所有任務的權重合計應為1。請相應調整的所有項目任務重
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,送貨單{0}未提交
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,項{0}必須是一個小項目簽約
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,資本設備
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",基於“適用於”欄位是「項目」,「項目群組」或「品牌」,而選擇定價規則。
DocType: Hub Settings,Seller Website,賣家網站
DocType: Item,ITEM-,項目-
@@ -1250,7 +1256,7 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +42,Total Outgoing,出貨總計
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",只能有一個運輸規則條件為0或空值“ To值”
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,注:該成本中心是一個集團。不能讓反對團體的會計分錄。
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,兒童倉庫存在這個倉庫。您不能刪除這個倉庫。
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,兒童倉庫存在這個倉庫。您不能刪除這個倉庫。
DocType: Item,Website Item Groups,網站項目群組
DocType: Purchase Invoice,Total (Company Currency),總計(公司貨幣)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,序號{0}多次輸入
@@ -1260,7 +1266,7 @@
DocType: Grading Scale Interval,Grade Code,等級代碼
DocType: POS Item Group,POS Item Group,POS項目組
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,電子郵件摘要:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM {0}不屬於項目{1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM {0}不屬於項目{1}
DocType: Sales Partner,Target Distribution,目標分佈
DocType: Salary Slip,Bank Account No.,銀行賬號
DocType: Naming Series,This is the number of the last created transaction with this prefix,這就是以這個前綴的最後一個創建的事務數
@@ -1271,8 +1277,8 @@
DocType: Request for Quotation Supplier,Request for Quotation Supplier,詢價供應商
DocType: Sales Order,Recurring Upto,經常性高達
DocType: Attendance,HR Manager,人力資源經理
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,請選擇一個公司
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,特權休假
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,請選擇一個公司
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,特權休假
DocType: Purchase Invoice,Supplier Invoice Date,供應商發票日期
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,您需要啟用購物車
DocType: Payment Entry,Writeoff,註銷
@@ -1283,10 +1289,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,存在重疊的條件:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,對日記條目{0}已經調整一些其他的優惠券
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,總訂單價值
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,食物
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,食物
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,老齡範圍3
DocType: Maintenance Schedule Item,No of Visits,沒有訪問量的
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,馬克考勤
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,馬克考勤
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},針對{1}存在維護計劃{0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,招生學生
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},在關閉帳戶的貨幣必須是{0}
@@ -1297,6 +1303,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +60,Warehouse cannot be changed for Serial No.,倉庫不能改變序列號
DocType: Rename Tool,Utilities,公用事業
DocType: Purchase Invoice Item,Accounting,會計
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,請為批量選擇批次
DocType: Asset,Depreciation Schedules,折舊計劃
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,申請期間不能請假外分配週期
DocType: Activity Cost,Projects,專案
@@ -1310,18 +1317,18 @@
DocType: POS Profile,Campaign,競賽
DocType: Supplier,Name and Type,名稱和類型
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',審批狀態必須被“批准”或“拒絕”
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,引導
DocType: Purchase Invoice,Contact Person,聯絡人
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',“預計開始日期”不能大於“預計結束日期'
DocType: Course Scheduling Tool,Course End Date,課程結束日期
DocType: Sales Order Item,Planned Quantity,計劃數量
DocType: Purchase Invoice Item,Item Tax Amount,項目稅額
DocType: Item,Maintain Stock,維護庫存資料
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,生產訂單已創建Stock條目
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,生產訂單已創建Stock條目
DocType: Employee,Prefered Email,首選電子郵件
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,在固定資產淨變動
DocType: Leave Control Panel,Leave blank if considered for all designations,離開,如果考慮所有指定空白
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,倉庫是強制性的類型股票的非組帳戶
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,類型'實際'行{0}的計費,不能被包含在項目單價
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,類型'實際'行{0}的計費,不能被包含在項目單價
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},最大數量:{0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,從日期時間
DocType: Email Digest,For Company,對於公司
@@ -1330,14 +1337,14 @@
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +74,Buying Amount,購買金額
DocType: Sales Invoice,Shipping Address Name,送貨地址名稱
DocType: Material Request,Terms and Conditions Content,條款及細則內容
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,不能大於100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,項{0}不是缺貨登記
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,不能大於100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,項{0}不是缺貨登記
DocType: Maintenance Visit,Unscheduled,計劃外
DocType: Employee,Owned,擁有的
DocType: Salary Detail,Depends on Leave Without Pay,依賴於無薪休假
DocType: Pricing Rule,"Higher the number, higher the priority",數字越大,優先級越高
,Purchase Invoice Trends,購買發票趨勢
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",行#{0}:批次{1}只有{2}數量。請選擇具有{3}數量的其他批次,或將該行拆分成多個行,以便從多個批次中傳遞/發布
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",行#{0}:批次{1}只有{2}數量。請選擇具有{3}數量的其他批次,或將該行拆分成多個行,以便從多個批次中傳遞/發布
DocType: Appraisal,Goals,目標
DocType: Warranty Claim,Warranty / AMC Status,保修/ AMC狀態
,Accounts Browser,帳戶瀏覽器
@@ -1347,19 +1354,19 @@
,Batch-Wise Balance History,間歇式平衡歷史
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,打印設置在相應的打印格式更新
DocType: Package Code,Package Code,封裝代碼
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,學徒
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,學徒
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,負數量是不允許
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",從項目主檔獲取的稅務詳細資訊表,成為字串並存儲在這欄位。用於稅賦及費用
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,員工不能報告自己。
DocType: Account,"If the account is frozen, entries are allowed to restricted users.",如果帳戶被凍結,條目被允許受限制的用戶。
DocType: Email Digest,Bank Balance,銀行結餘
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},會計分錄為{0}:{1}只能在貨幣做:{2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},會計分錄為{0}:{1}只能在貨幣做:{2}
DocType: Job Opening,"Job profile, qualifications required etc.",所需的工作概況,學歷等。
DocType: Journal Entry Account,Account Balance,帳戶餘額
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,稅收規則進行的交易。
DocType: Rename Tool,Type of document to rename.,的文件類型進行重命名。
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,我們買這個項目
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,我們買這個項目
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}:需要客戶對應收賬款{2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),總稅費和費用(公司貨幣)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,顯示未關閉的會計年度的盈虧平衡
@@ -1369,26 +1376,27 @@
DocType: Quality Inspection,Readings,閱讀
DocType: Stock Entry,Total Additional Costs,總額外費用
DocType: BOM,Scrap Material Cost(Company Currency),廢料成本(公司貨幣)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,子組件
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,子組件
DocType: Asset,Asset Name,資產名稱
DocType: Project,Task Weight,任務重
DocType: Asset Movement,Stock Manager,庫存管理
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},列{0}的來源倉是必要的
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,包裝單
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,辦公室租金
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},列{0}的來源倉是必要的
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,包裝單
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,辦公室租金
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,設置短信閘道設置
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,導入失敗!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,尚未新增地址。
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,尚未新增地址。
DocType: Workstation Working Hour,Workstation Working Hour,工作站工作時間
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,分析人士
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,分析人士
DocType: Item,Inventory,庫存
DocType: Item,Sales Details,銷售詳細資訊
DocType: Opportunity,With Items,隨著項目
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,在數量
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,在數量
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,驗證學生組學生入學課程
DocType: Notification Control,Expense Claim Rejected,費用索賠被拒絕
DocType: Item,Item Attribute,項目屬性
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,報銷{0}已經存在車輛日誌
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,學院名稱
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,學院名稱
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,請輸入還款金額
apps/erpnext/erpnext/config/stock.py +300,Item Variants,項目變體
DocType: Company,Services,服務
@@ -1396,18 +1404,18 @@
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +876,Select Possible Supplier,選擇潛在供應商
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,顯示關閉
DocType: Leave Type,Is Leave Without Pay,是無薪休假
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,資產類別是強制性的固定資產項目
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,資產類別是強制性的固定資產項目
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,沒有在支付表中找到記錄
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},此{0}衝突{1}在{2} {3}
DocType: Student Attendance Tool,Students HTML,學生HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,財政年度開始日期
DocType: POS Profile,Apply Discount,應用折扣
+DocType: Purchase Invoice Item,GST HSN Code,GST HSN代碼
DocType: Employee External Work History,Total Experience,總經驗
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,打開項目
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,包裝單( S)已取消
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,從投資現金流
DocType: Program Course,Program Course,課程計劃
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,貨運代理費
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,貨運代理費
DocType: Homepage,Company Tagline for website homepage,公司標語的網站主頁
DocType: Item Group,Item Group Name,項目群組名稱
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,拍攝
@@ -1417,6 +1425,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,建立潛在客戶
DocType: Maintenance Schedule,Schedules,時間表
DocType: Purchase Invoice Item,Net Amount,淨額
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1}尚未提交,因此無法完成此操作
DocType: Purchase Order Item Supplied,BOM Detail No,BOM表詳細編號
DocType: Landed Cost Voucher,Additional Charges,附加費用
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),額外的優惠金額(公司貨幣)
@@ -1431,6 +1440,7 @@
DocType: Employee Loan,Monthly Repayment Amount,每月還款額
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,請在員工記錄設定員工角色設置用戶ID字段
DocType: UOM,UOM Name,計量單位名稱
+DocType: GST HSN Code,HSN Code,HSN代碼
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,貢獻金額
DocType: Purchase Invoice,Shipping Address,送貨地址
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,此工具可幫助您更新或修復系統中的庫存數量和價值。它通常被用於同步系統值和實際存在於您的倉庫。
@@ -1440,17 +1450,16 @@
DocType: Program Enrollment Tool,Program Enrollments,計劃擴招
DocType: Sales Invoice Item,Brand Name,商標名稱
DocType: Purchase Receipt,Transporter Details,貨運公司細節
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,默認倉庫需要選中的項目
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,默認倉庫需要選中的項目
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,可能的供應商
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,本組織
DocType: Budget,Monthly Distribution,月度分佈
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,收受方列表為空。請創建收受方列表
DocType: Production Plan Sales Order,Production Plan Sales Order,生產計劃銷售訂單
DocType: Sales Partner,Sales Partner Target,銷售合作夥伴目標
DocType: Loan Type,Maximum Loan Amount,最高貸款額度
DocType: Pricing Rule,Pricing Rule,定價規則
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},學生{0}的重複卷號
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},學生{0}的重複卷號
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},學生{0}的重複卷號
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},學生{0}的重複卷號
DocType: Budget,Action if Annual Budget Exceeded,如果行動年度預算超標
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,材料要求採購訂單
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +80,Row # {0}: Returned Item {1} does not exists in {2} {3},行#{0}:返回的項目{1}不存在{2} {3}
@@ -1459,11 +1468,11 @@
,Lead Name,鉛名稱
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,期初存貨餘額
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0}必須只出現一次
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},不允許轉院更多{0}不是{1}對採購訂單{2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},不允許轉院更多{0}不是{1}對採購訂單{2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},{0}的排假成功
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,無項目包裝
DocType: Shipping Rule Condition,From Value,從價值
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,生產數量是必填的
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,生產數量是必填的
DocType: Employee Loan,Repayment Method,還款方式
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",如果選中,主頁將是網站的默認項目組
DocType: Quality Inspection Reading,Reading 4,4閱讀
@@ -1473,7 +1482,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},行#{0}:清除日期{1}無法支票日期前{2}
DocType: Company,Default Holiday List,預設假日表列
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},行{0}:從時間和結束時間{1}是具有重疊{2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,現貨負債
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,現貨負債
DocType: Purchase Invoice,Supplier Warehouse,供應商倉庫
DocType: Opportunity,Contact Mobile No,聯絡手機號碼
,Material Requests for which Supplier Quotations are not created,尚未建立供應商報價的材料需求
@@ -1484,32 +1493,34 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,請報價
apps/erpnext/erpnext/config/selling.py +216,Other Reports,其他報告
DocType: Dependent Task,Dependent Task,相關任務
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},預設計量單位的轉換因子必須是1在行{0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},預設計量單位的轉換因子必須是1在行{0}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},請假類型{0}不能長於{1}
DocType: Manufacturing Settings,Try planning operations for X days in advance.,嘗試提前X天規劃作業。
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},請公司設定默認應付職工薪酬帳戶{0}
DocType: SMS Center,Receiver List,收受方列表
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,搜索項目
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,搜索項目
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,現金淨變動
DocType: Assessment Plan,Grading Scale,分級量表
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,計量單位{0}已經進入不止一次在轉換係數表
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,計量單位{0}已經進入不止一次在轉換係數表
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,已經完成
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,庫存在手
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},付款申請已經存在{0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,發布項目成本
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},數量必須不超過{0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,上一財政年度未關閉
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),時間(天)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),時間(天)
DocType: Quotation Item,Quotation Item,產品報價
+DocType: Customer,Customer POS Id,客戶POS ID
DocType: Account,Account Name,帳戶名稱
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,起始日期不能大於結束日期
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,序列號{0}的數量量{1}不能是分數
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,供應商類型高手。
DocType: Purchase Order Item,Supplier Part Number,供應商零件編號
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,轉化率不能為0或1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,轉化率不能為0或1
DocType: Sales Invoice,Reference Document,參考文獻
DocType: Accounts Settings,Credit Controller,信用控制器
DocType: Delivery Note,Vehicle Dispatch Date,車輛調度日期
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,採購入庫單{0}未提交
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,採購入庫單{0}未提交
DocType: Company,Default Payable Account,預設應付賬款
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.",設定線上購物車,如航運規則,價格表等
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}%已開立帳單
@@ -1526,11 +1537,12 @@
DocType: Expense Claim,Total Amount Reimbursed,報銷金額合計
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,這是基於對本車輛的日誌。詳情請參閱以下時間表
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,蒐集
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},對供應商發票{0}日期{1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},對供應商發票{0}日期{1}
DocType: Customer,Default Price List,預設價格表
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,資產運動記錄{0}創建
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,您不能刪除會計年度{0}。會計年度{0}設置為默認的全局設置
DocType: Journal Entry,Entry Type,條目類型
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,沒有評估計劃與此評估組相關聯
,Customer Credit Balance,客戶信用平衡
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,應付賬款淨額變化
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',需要' Customerwise折扣“客戶
@@ -1539,7 +1551,7 @@
DocType: Quotation,Term Details,長期詳情
DocType: Project,Total Sales Cost (via Sales Order),總銷售成本(通過銷售訂單)
DocType: Project,Total Sales Cost (via Sales Order),總銷售成本(通過銷售訂單)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,不能註冊超過{0}學生該學生群體更多。
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,不能註冊超過{0}學生該學生群體更多。
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,鉛計數
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,鉛計數
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0}必須大於0
@@ -1561,7 +1573,7 @@
DocType: Sales Invoice,Packed Items,盒裝項目
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,針對序列號保修索賠
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM",在它使用的所有其他材料明細表替換特定的BOM。它將取代舊的BOM鏈接,更新成本和再生“BOM展開項目”表按照新的BOM
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','總數'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','總數'
DocType: Shopping Cart Settings,Enable Shopping Cart,啟用購物車
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
than Grand Total {2}",推動打擊{0} {1}不能大於付出\超過總計{2}
@@ -1575,9 +1587,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +39,Online Auctions,網上拍賣
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,請註明無論是數量或估價率或兩者
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,查看你的購物車
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,市場推廣開支
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,市場推廣開支
,Item Shortage Report,商品短缺報告
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",重量被提及,請同時註明“重量計量單位”
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",重量被提及,請同時註明“重量計量單位”
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,做此存貨分錄所需之物料需求
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,接下來折舊日期是強制性的新資產
DocType: Student Group Creation Tool,Separate course based Group for every Batch,為每個批次分離基於課程的組
@@ -1587,16 +1599,17 @@
,Student Fee Collection,學生費徵收
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,為每股份轉移做會計分錄
DocType: Leave Allocation,Total Leaves Allocated,已安排的休假總計
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},在第{0}行需要倉庫
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,請輸入有效的財政年度開始和結束日期
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},在第{0}行需要倉庫
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,請輸入有效的財政年度開始和結束日期
DocType: Employee,Date Of Retirement,退休日
DocType: Upload Attendance,Get Template,獲取模板
+DocType: Material Request,Transferred,轉入
DocType: Vehicle,Doors,門
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext設定完成!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext設定完成!
DocType: Course Assessment Criteria,Weightage,權重
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}:需要的損益“賬戶成本中心{2}。請設置為公司默認的成本中心。
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,客戶群組存在相同名稱,請更改客戶名稱或重新命名客戶群組
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,新建聯絡人
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,客戶群組存在相同名稱,請更改客戶名稱或重新命名客戶群組
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,新建聯絡人
DocType: Territory,Parent Territory,家長領地
DocType: Quality Inspection Reading,Reading 2,閱讀2
DocType: Stock Entry,Material Receipt,收料
@@ -1604,14 +1617,14 @@
DocType: Announcement,Instructor,講師
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",如果此項目已變種,那麼它不能在銷售訂單等選擇
DocType: Lead,Next Contact By,下一個聯絡人由
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},列{1}項目{0}必須有數量
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},倉庫{0} 不能被刪除因為項目{1}還有庫存
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},列{1}項目{0}必須有數量
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},倉庫{0} 不能被刪除因為項目{1}還有庫存
DocType: Quotation,Order Type,訂單類型
DocType: Purchase Invoice,Notification Email Address,通知電子郵件地址
,Item-wise Sales Register,項目明智的銷售登記
DocType: Asset,Gross Purchase Amount,總購買金額
DocType: Asset,Depreciation Method,折舊方法
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,離線
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,離線
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,包括在基本速率此稅?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,總目標
DocType: Job Applicant,Applicant for a Job,申請人作業
@@ -1623,16 +1636,16 @@
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,允許多個銷售訂單對客戶的採購訂單
DocType: Student Group Instructor,Student Group Instructor,學生組教練
DocType: Student Group Instructor,Student Group Instructor,學生組教練
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2手機號碼
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,主頁
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2手機號碼
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,主頁
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,變種
DocType: Naming Series,Set prefix for numbering series on your transactions,為你的交易編號序列設置的前綴
DocType: Employee Attendance Tool,Employees HTML,員工HTML
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,預設BOM({0})必須是活動的這個項目或者其模板
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,預設BOM({0})必須是活動的這個項目或者其模板
DocType: Employee,Leave Encashed?,離開兌現?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,機會從字段是強制性的
DocType: Item,Variants,變種
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,製作採購訂單
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,製作採購訂單
DocType: SMS Center,Send To,發送到
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},沒有足夠的餘額休假請假類型{0}
DocType: Sales Team,Contribution to Net Total,貢獻淨合計
@@ -1647,25 +1660,24 @@
DocType: Item,Serial Nos and Batches,序列號和批號
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,學生群體力量
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,學生群體力量
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,對日記條目{0}沒有任何無與倫比{1}進入
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,對日記條目{0}沒有任何無與倫比{1}進入
apps/erpnext/erpnext/config/hr.py +137,Appraisals,估價
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},重複的序列號輸入的項目{0}
DocType: Shipping Rule Condition,A condition for a Shipping Rule,為運輸規則的條件
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,請輸入
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",行不能overbill為項目{0} {1}超過{2}。要允許對帳單,請在購買設置中設置
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,根據項目或倉庫請設置過濾器
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",行不能overbill為項目{0} {1}超過{2}。要允許對帳單,請在購買設置中設置
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,根據項目或倉庫請設置過濾器
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),淨重這個包。 (當項目的淨重量總和自動計算)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,請創建此倉庫的帳戶,並將其鏈接。這不能與名稱的帳戶自動完成{0}已存在
DocType: Sales Order,To Deliver and Bill,準備交貨及開立發票
DocType: Student Group,Instructors,教師
DocType: GL Entry,Credit Amount in Account Currency,在賬戶幣金額
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM {0}必須提交
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM {0}必須提交
DocType: Authorization Control,Authorization Control,授權控制
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},行#{0}:拒絕倉庫是強制性的反對否決項{1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},行#{0}:拒絕倉庫是強制性的反對否決項{1}
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.",倉庫{0}未與任何帳戶關聯,請在倉庫記錄中提及該帳戶,或在公司{1}中設置默認庫存帳戶。
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,管理您的訂單
DocType: Production Order Operation,Actual Time and Cost,實際時間和成本
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},針對銷售訂單{2}的項目{1},最多可以有 {0} 被完成。
-DocType: Employee,Salutation,招呼
DocType: Course,Course Abbreviation,當然縮寫
DocType: Student Leave Application,Student Leave Application,學生請假申請
DocType: Item,Will also apply for variants,同時將申請變種
@@ -1677,12 +1689,12 @@
DocType: Quotation Item,Actual Qty,實際數量
DocType: Sales Invoice Item,References,參考
DocType: Quality Inspection Reading,Reading 10,閱讀10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",列出您售出或購買的產品或服務,並請確認品項群駔、單位與其它屬性。
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",列出您售出或購買的產品或服務,並請確認品項群駔、單位與其它屬性。
DocType: Hub Settings,Hub Node,樞紐節點
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,您輸入重複的項目。請糾正,然後再試一次。
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,關聯
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,關聯
DocType: Asset Movement,Asset Movement,資產運動
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,新的車
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,新的車
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,項{0}不是一個序列化的項目
DocType: SMS Center,Create Receiver List,創建接收器列表
DocType: Vehicle,Wheels,車輪
@@ -1701,19 +1713,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',可以參考的行只有在充電類型是“在上一行量'或'前行總計”
DocType: Sales Order Item,Delivery Warehouse,交貨倉庫
DocType: SMS Settings,Message Parameter,訊息參數
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,財務成本中心的樹。
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,財務成本中心的樹。
DocType: Serial No,Delivery Document No,交貨證明文件號碼
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},請公司制定“關於資產處置收益/損失帳戶”{0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,從採購入庫單取得項目
DocType: Serial No,Creation Date,創建日期
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},項{0}中多次出現價格表{1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}",銷售必須進行檢查,如果適用於被選擇為{0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}",銷售必須進行檢查,如果適用於被選擇為{0}
DocType: Production Plan Material Request,Material Request Date,材料申請日期
DocType: Purchase Order Item,Supplier Quotation Item,供應商報價項目
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,禁止建立生產訂單的時間日誌。不得對生產訂單追踪作業
DocType: Student,Student Mobile Number,學生手機號碼
DocType: Item,Has Variants,有變種
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},您已經選擇從項目{0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},您已經選擇從項目{0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,每月分配的名稱
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,批號是必需的
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,批號是必需的
@@ -1724,7 +1736,7 @@
DocType: Budget,Fiscal Year,財政年度
DocType: Vehicle Log,Fuel Price,燃油價格
DocType: Budget,Budget,預算
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,固定資產項目必須是一個非庫存項目。
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,固定資產項目必須是一個非庫存項目。
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",財政預算案不能對{0}指定的,因為它不是一個收入或支出帳戶
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,已實現
DocType: Student Admission,Application Form Route,申請表路線
@@ -1736,7 +1748,7 @@
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +21,Item Group Tree,項目群組的樹狀結構
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,項目{0}的序列號未設定,請檢查項目主檔
DocType: Maintenance Visit,Maintenance Time,維護時間
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,產品或服務
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,產品或服務
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,這個詞開始日期不能超過哪個術語鏈接學年的開學日期較早(學年{})。請更正日期,然後再試一次。
DocType: Guardian,Guardian Interests,守護興趣
DocType: Naming Series,Current Value,當前值
@@ -1751,12 +1763,12 @@
之間差必須大於或等於{2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,這是基於庫存移動。見{0}詳情
DocType: Pricing Rule,Selling,銷售
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},金額{0} {1}抵扣{2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},金額{0} {1}抵扣{2}
DocType: Employee,Salary Information,薪資資訊
DocType: Sales Person,Name and Employee ID,姓名和僱員ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,到期日不能在寄發日期之前
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,到期日不能在寄發日期之前
DocType: Website Item Group,Website Item Group,網站項目群組
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,關稅和稅款
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,關稅和稅款
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,參考日期請輸入
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0}付款分錄不能由{1}過濾
DocType: Item Website Specification,Table for Item that will be shown in Web Site,表項,將在網站顯示出來
@@ -1771,9 +1783,9 @@
DocType: Sales Invoice Payment,Base Amount (Company Currency),基本金額(公司幣種)
DocType: Installation Note,Installation Time,安裝時間
DocType: Sales Invoice,Accounting Details,會計細節
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,刪除所有交易本公司
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,行#{0}:操作{1}未完成的成品{2}在生產數量訂單{3}。請經由時間日誌更新運行狀態
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,投資
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,刪除所有交易本公司
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,行#{0}:操作{1}未完成的成品{2}在生產數量訂單{3}。請經由時間日誌更新運行狀態
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,投資
DocType: Issue,Resolution Details,詳細解析
DocType: Item Quality Inspection Parameter,Acceptance Criteria,驗收標準
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +163,Please enter Material Requests in the above table,請輸入在上表請求材料
@@ -1794,7 +1806,7 @@
DocType: C-Form Invoice Detail,Invoice No,發票號碼
DocType: Room,Room Name,房間名稱
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",離開不能應用/前{0}取消,因為假平衡已經被搬入轉發在未來休假分配記錄{1}
-,Customer Addresses And Contacts,客戶的地址和聯絡方式
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,客戶的地址和聯絡方式
,Campaign Efficiency,運動效率
,Campaign Efficiency,運動效率
DocType: Discussion,Discussion,討論
@@ -1806,14 +1818,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),總開票金額(通過時間表)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,重複客戶收入
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} ({1}) 必須有“支出審批”權限
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,對
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,選擇BOM和數量生產
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,對
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,選擇BOM和數量生產
DocType: Asset,Depreciation Schedule,折舊計劃
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,銷售合作夥伴地址和聯繫人
DocType: Bank Reconciliation Detail,Against Account,針對帳戶
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,半天時間應該是從之間的日期和終止日期
DocType: Maintenance Schedule Detail,Actual Date,實際日期
DocType: Item,Has Batch No,有批號
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},年度結算:{0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},年度結算:{0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),商品和服務稅(印度消費稅)
DocType: Delivery Note,Excise Page Number,消費頁碼
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory",公司,從日期和結束日期是必須
DocType: Asset,Purchase Date,購買日期
@@ -1821,11 +1835,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},請設置在公司的資產折舊成本中心“{0}
,Maintenance Schedules,保養時間表
DocType: Task,Actual End Date (via Time Sheet),實際結束日期(通過時間表)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},量{0} {1}對{2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},量{0} {1}對{2} {3}
,Quotation Trends,報價趨勢
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},項目{0}之項目主檔未提及之項目群組
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,借方帳戶必須是應收帳款帳戶
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},項目{0}之項目主檔未提及之項目群組
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,借方帳戶必須是應收帳款帳戶
DocType: Shipping Rule Condition,Shipping Amount,航運量
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,添加客戶
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,待審核金額
DocType: Purchase Invoice Item,Conversion Factor,轉換因子
DocType: Purchase Order,Delivered,交付
@@ -1835,7 +1850,8 @@
DocType: Purchase Receipt,Vehicle Number,車號
DocType: Purchase Invoice,The date on which recurring invoice will be stop,在其經常性發票將被停止日期
DocType: Employee Loan,Loan Amount,貸款額度
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},行{0}:材料清單未找到項目{1}
+DocType: Program Enrollment,Self-Driving Vehicle,自駕車
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},行{0}:材料清單未找到項目{1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,共分配葉{0}不能小於已經批准葉{1}期間
DocType: Journal Entry,Accounts Receivable,應收帳款
,Supplier-Wise Sales Analytics,供應商相關的銷售分析
@@ -1853,22 +1869,21 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,使項目所需的質量保證和質量保證在沒有採購入庫單
DocType: Email Digest,New Expenses,新的費用
DocType: Purchase Invoice,Additional Discount Amount,額外的折扣金額
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",行#{0}:訂購數量必須是1,因為項目是固定資產。請使用單獨的行多數量。
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",行#{0}:訂購數量必須是1,因為項目是固定資產。請使用單獨的行多數量。
DocType: Leave Block List Allow,Leave Block List Allow,休假區塊清單准許
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,縮寫不能為空或空間
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,縮寫不能為空或空間
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,集團以非組
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,體育
DocType: Loan Type,Loan Name,貸款名稱
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,實際總計
DocType: Student Siblings,Student Siblings,學生兄弟姐妹
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,單位
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,請註明公司
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,單位
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,請註明公司
,Customer Acquisition and Loyalty,客戶取得和忠誠度
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,你維護退貨庫存的倉庫
DocType: Production Order,Skip Material Transfer,跳過材料轉移
DocType: Production Order,Skip Material Transfer,跳過材料轉移
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,無法為關鍵日期{2}查找{0}到{1}的匯率。請手動創建貨幣兌換記錄
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,您的財政年度結束於
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,無法為關鍵日期{2}查找{0}到{1}的匯率。請手動創建貨幣兌換記錄
DocType: POS Profile,Price List,價格表
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,{0}是現在預設的會計年度。請重新載入您的瀏覽器,以使更改生效。
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,報銷
@@ -1879,13 +1894,13 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},在批量庫存餘額{0}將成為負{1}的在倉庫項目{2} {3}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,下列資料的要求已自動根據項目的重新排序水平的提高
DocType: Email Digest,Pending Sales Orders,待完成銷售訂單
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},帳戶{0}是無效的。帳戶貨幣必須是{1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},帳戶{0}是無效的。帳戶貨幣必須是{1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},計量單位換算係數是必需的行{0}
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",行#{0}:參考文件類型必須是銷售訂單之一,銷售發票或日記帳分錄
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",行#{0}:參考文件類型必須是銷售訂單之一,銷售發票或日記帳分錄
DocType: Salary Component,Deduction,扣除
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,行{0}:從時間和時間是強制性的。
DocType: Stock Reconciliation Item,Amount Difference,金額差異
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},加入項目價格為{0}價格表{1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},加入項目價格為{0}價格表{1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,請輸入這個銷售人員的員工標識
DocType: Territory,Classification of Customers by region,客戶按區域分類
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,差量必須是零
@@ -1895,18 +1910,18 @@
apps/erpnext/erpnext/buying/doctype/supplier_quotation/supplier_quotation.js +748,Quotation,報價
DocType: Salary Slip,Total Deduction,扣除總額
,Production Analytics,生產Analytics(分析)
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,項{0}已被退回
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,項{0}已被退回
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**財年**表示財政年度。所有的會計輸入項目和其他重大交易針對**財年**進行追蹤。
DocType: Opportunity,Customer / Lead Address,客戶/鉛地址
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},警告:附件無效的SSL證書{0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},警告:附件無效的SSL證書{0}
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads",信息幫助你的業務,你所有的聯繫人和更添加為您的線索
DocType: Production Order Operation,Actual Operation Time,實際操作時間
DocType: Authorization Rule,Applicable To (User),適用於(用戶)
DocType: Purchase Taxes and Charges,Deduct,扣除
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,職位描述
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,職位描述
DocType: Student Applicant,Applied,應用的
DocType: Sales Invoice Item,Qty as per Stock UOM,數量按庫存計量單位
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2名稱
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2名稱
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series",特殊字符除了“ - ”,“”,“#”,和“/”未命名序列允許
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.",追蹤銷售計劃。追踪訊息,報價,銷售訂單等,從競賽來衡量投資報酬。
DocType: Expense Claim,Approver,審批人
@@ -1916,27 +1931,26 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},序列號{0}在保修期內直到{1}
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,拆分送貨單成數個包裝。
apps/erpnext/erpnext/hooks.py +87,Shipments,發貨
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,倉庫{3}的{1}和庫存值({2})的帳戶餘額({0})必須相同
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,倉庫{3}的{1}和庫存值({2})的帳戶餘額({0})必須相同
DocType: Payment Entry,Total Allocated Amount (Company Currency),總撥款額(公司幣種)
DocType: Purchase Order Item,To be delivered to customer,要傳送給客戶
DocType: BOM,Scrap Material Cost,廢料成本
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +223,Serial No {0} does not belong to any Warehouse,序列號{0}不屬於任何倉庫
DocType: Purchase Invoice,In Words (Company Currency),大寫(Company Currency)
DocType: Asset,Supplier,供應商
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,雜項開支
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,雜項開支
DocType: Global Defaults,Default Company,預設公司
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,對項目{0}而言, 費用或差異帳戶是強制必填的,因為它影響整個庫存總值。
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,對項目{0}而言, 費用或差異帳戶是強制必填的,因為它影響整個庫存總值。
DocType: Cheque Print Template,Bank Name,銀行名稱
DocType: Employee Loan,Employee Loan Account,員工貸款賬戶
DocType: Leave Application,Total Leave Days,總休假天數
DocType: Email Digest,Note: Email will not be sent to disabled users,注意:電子郵件將不會被發送到被禁用的用戶
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,交互次數
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,交互次數
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,商品編號>商品組>品牌
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,選擇公司...
DocType: Leave Control Panel,Leave blank if considered for all departments,保持空白如果考慮到全部部門
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).",就業(永久,合同,實習生等)的類型。
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0}是強制性的項目{1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0}是強制性的項目{1}
DocType: Currency Exchange,From Currency,從貨幣
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",請ATLEAST一行選擇分配金額,發票類型和發票號碼
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +125,Cost of New Purchase,新的採購成本
@@ -1957,7 +1971,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,請在“產生排程”點擊以得到排程表
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,有錯誤,同時刪除以下時間表:
DocType: Bin,Ordered Quantity,訂購數量
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",例如「建設建設者工具“
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",例如「建設建設者工具“
DocType: Grading Scale,Grading Scale Intervals,分級刻度間隔
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}在{2}會計分錄只能在貨幣言:{3}
DocType: Production Order,In Process,在過程
@@ -1972,11 +1986,10 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0}創建學生組。
DocType: Sales Invoice,Total Billing Amount,總結算金額
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,必須有這個工作,啟用默認進入的電子郵件帳戶。請設置一個默認的傳入電子郵件帳戶(POP / IMAP),然後再試一次。
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,應收賬款
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},行#{0}:資產{1}已經是{2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,應收賬款
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},行#{0}:資產{1}已經是{2}
DocType: Quotation Item,Stock Balance,庫存餘額
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,銷售訂單到付款
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,請通過設置>設置>命名系列為{0}設置命名系列
DocType: Expense Claim Detail,Expense Claim Detail,報銷詳情
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,請選擇正確的帳戶
DocType: Item,Weight UOM,重量計量單位
@@ -1984,12 +1997,12 @@
DocType: Production Order Operation,Pending,擱置
DocType: Course,Course Name,課程名
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,用戶可以批准特定員工的休假申請
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,辦公設備
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,辦公設備
DocType: Purchase Invoice Item,Qty,數量
DocType: Fiscal Year,Companies,企業
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,電子
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,當庫存到達需重新訂購水平時提高物料需求
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,全日制
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,全日制
DocType: Salary Structure,Employees,僱員
DocType: Employee,Contact Details,聯絡方式
DocType: C-Form,Received Date,接收日期
@@ -1999,7 +2012,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,價格將不會顯示如果沒有設置價格
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,請指定一個國家的這種運輸規則或檢查全世界運輸
DocType: Stock Entry,Total Incoming Value,總收入值
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,借方是必填項
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,借方是必填項
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team",時間表幫助追踪的時間,費用和結算由你的團隊做activites
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,採購價格表
DocType: Offer Letter Term,Offer Term,要約期限
@@ -2008,17 +2021,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,付款對帳
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,請選擇Incharge人的名字
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,技術
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},總未付:{0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},總未付:{0}
DocType: BOM Website Operation,BOM Website Operation,BOM網站運營
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,報價函
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,產生物料需求(MRP)和生產訂單。
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,總開票金額
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,總開票金額
DocType: BOM,Conversion Rate,兌換率
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,產品搜索
DocType: Timesheet Detail,To Time,要時間
DocType: Authorization Rule,Approving Role (above authorized value),批准角色(上述授權值)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,信用帳戶必須是應付賬款
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM遞歸: {0}不能父母或兒童{2}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,信用帳戶必須是應付賬款
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM遞歸: {0}不能父母或兒童{2}
DocType: Production Order Operation,Completed Qty,完成數量
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",{0},只有借方帳戶可以連接另一個貸方分錄
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,價格表{0}被禁用
@@ -2030,24 +2043,23 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,{0}產品{1}需要的序號。您已提供{2}。
DocType: Stock Reconciliation Item,Current Valuation Rate,目前的估值價格
DocType: Item,Customer Item Codes,客戶項目代碼
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,兌換收益/損失
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,兌換收益/損失
DocType: Opportunity,Lost Reason,失落的原因
DocType: Quality Inspection,Sample Size,樣本大小
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,請輸入收據憑證
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,所有項目已開具發票
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,所有項目已開具發票
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',請指定一個有效的“從案號”
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,進一步的成本中心可以根據組進行,但項可以對非組進行
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,用戶和權限
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},生產訂單創建:{0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},生產訂單創建:{0}
DocType: Branch,Branch,分支機構
DocType: Guardian,Mobile Number,手機號碼
DocType: Bin,Actual Quantity,實際數量
DocType: Shipping Rule,example: Next Day Shipping,例如:次日發貨
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,序列號{0}未找到
-DocType: Scheduling Tool,Student Batch,學生批
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,您的客戶
+DocType: Program Enrollment,Student Batch,學生批
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,使學生
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},您已被邀請在項目上進行合作:{0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},您已被邀請在項目上進行合作:{0}
DocType: Leave Block List Date,Block Date,封鎖日期
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,現在申請
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},實際數量{0} /等待數量{1}
@@ -2067,10 +2079,10 @@
DocType: POS Profile,[Select],[選擇]
DocType: SMS Log,Sent To,發給
DocType: Payment Request,Make Sales Invoice,做銷售發票
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,軟件
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,軟件
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,接下來跟日期不能過去
DocType: Company,For Reference Only.,僅供參考。
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,選擇批號
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,選擇批號
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},無效的{0}:{1}
DocType: Sales Invoice Advance,Advance Amount,提前量
DocType: Manufacturing Settings,Capacity Planning,產能規劃
@@ -2078,43 +2090,44 @@
DocType: Employee,Employment Details,就業資訊
DocType: Employee,New Workplace,新工作空間
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,設置為關閉
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},沒有條碼{0}的品項
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},沒有條碼{0}的品項
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,案號不能為0
DocType: Item,Show a slideshow at the top of the page,顯示幻燈片在頁面頂部
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,物料清單
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,商店
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,物料清單
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,商店
DocType: Serial No,Delivery Time,交貨時間
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,老齡化基於
DocType: Item,End of Life,壽命結束
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,旅遊
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,旅遊
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,發現員工{0}對於給定的日期沒有活動或默認的薪酬結構
DocType: Leave Block List,Allow Users,允許用戶
DocType: Purchase Order,Customer Mobile No,客戶手機號碼
DocType: Cost Center,Track separate Income and Expense for product verticals or divisions.,跟踪獨立收入和支出進行產品垂直或部門。
DocType: Item Reorder,Item Reorder,項目重新排序
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,顯示工資單
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,轉印材料
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,轉印材料
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",指定作業、作業成本並給予該作業一個專屬的作業編號。
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,這份文件是超過限制,通過{0} {1}項{4}。你在做另一個{3}對同一{2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,請設置保存後復發
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,選擇變化量賬戶
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,這份文件是超過限制,通過{0} {1}項{4}。你在做另一個{3}對同一{2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,請設置保存後復發
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,選擇變化量賬戶
DocType: Purchase Invoice,Price List Currency,價格表之貨幣
DocType: Naming Series,User must always select,用戶必須始終選擇
DocType: Stock Settings,Allow Negative Stock,允許負庫存
DocType: Installation Note,Installation Note,安裝注意事項
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,添加稅賦
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,添加稅賦
DocType: Topic,Topic,話題
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,從融資現金流
DocType: Budget Account,Budget Account,預算科目
DocType: Quality Inspection,Verified By,認證機構
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",不能改變公司的預設貨幣,因為有存在的交易。交易必須取消更改預設貨幣。
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",不能改變公司的預設貨幣,因為有存在的交易。交易必須取消更改預設貨幣。
DocType: Grading Scale Interval,Grade Description,等級說明
DocType: Stock Entry,Purchase Receipt No,採購入庫單編號
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,保證金
DocType: Process Payroll,Create Salary Slip,建立工資單
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),資金來源(負債)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},列{0}的數量({1})必須與生產量{2}相同
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),資金來源(負債)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},列{0}的數量({1})必須與生產量{2}相同
DocType: Appraisal,Employee,僱員
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,選擇批次
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1}}已開票
DocType: Training Event,End Time,結束時間
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,主動薪酬結構找到{0}員工{1}對於給定的日期
@@ -2124,11 +2137,12 @@
apps/erpnext/erpnext/config/crm.py +6,Sales Pipeline,銷售渠道
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +221,Please set default account in Salary Component {0},請薪酬部分設置默認帳戶{0}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},請行選擇BOM為項目{0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},指定BOM {0}的項目不存在{1}
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},帳戶{0}與帳戶模式{2}中的公司{1}不符
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},指定BOM {0}的項目不存在{1}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,維護時間表{0}必須取消早於取消這個銷售訂單
DocType: Notification Control,Expense Claim Approved,報銷批准
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,員工的工資單{0}已為這一時期創建
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,製藥
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,製藥
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,購買的物品成本
DocType: Selling Settings,Sales Order Required,銷售訂單需求
DocType: Purchase Invoice,Credit To,信貸
@@ -2143,42 +2157,42 @@
DocType: Payment Gateway Account,Payment Account,付款帳號
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,請註明公司以處理
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,應收賬款淨額變化
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,補假
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,補假
DocType: Offer Letter,Accepted,接受的
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,組織
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,組織
DocType: SG Creation Tool Course,Student Group Name,學生組名稱
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,請確保你真的要刪除這家公司的所有交易。主數據將保持原樣。這個動作不能撤消。
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,請確保你真的要刪除這家公司的所有交易。主數據將保持原樣。這個動作不能撤消。
DocType: Room,Room Number,房間號
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},無效的參考{0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},"{0} ({1})不能大於計劃數量
({2})生產訂單的 {3}"
DocType: Shipping Rule,Shipping Rule Label,送貨規則標籤
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,用戶論壇
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,原材料不能為空。
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.",無法更新庫存,發票包含下降航運項目。
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,原材料不能為空。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.",無法更新庫存,發票包含下降航運項目。
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,快速日記帳分錄
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,你不能改變速度,如果BOM中提到反對的任何項目
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,你不能改變速度,如果BOM中提到反對的任何項目
DocType: Employee,Previous Work Experience,以前的工作經驗
DocType: Stock Entry,For Quantity,對於數量
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},請輸入列{1}的品項{0}的計劃數量
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,需求的項目。
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,將對每個成品項目建立獨立的生產訂單。
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0}必須返回文檔中負
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0}必須返回文檔中負
,Minutes to First Response for Issues,分鐘的問題第一個反應
DocType: Purchase Invoice,Terms and Conditions1,條款及條件1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,該機構的名稱要為其建立這個系統。
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,該機構的名稱要為其建立這個系統。
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",會計分錄凍結至該日期,除以下指定職位權限外,他人無法修改。
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,請在產生維護計畫前儲存文件
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,項目狀態
DocType: UOM,Check this to disallow fractions. (for Nos),勾選此選項則禁止分數。 (對於NOS)
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,創建以下生產訂單:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,創建以下生產訂單:
DocType: Student Admission,Naming Series (for Student Applicant),命名系列(面向學生申請人)
DocType: Delivery Note,Transporter Name,貨運公司名稱
DocType: Authorization Rule,Authorized Value,授權值
DocType: BOM,Show Operations,顯示操作
,Minutes to First Response for Opportunity,分鐘的機會第一個反應
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,行{0}的項目或倉庫不符合物料需求
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,行{0}的項目或倉庫不符合物料需求
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,計量單位
DocType: Fiscal Year,Year End Date,年結結束日期
DocType: Task Depends On,Task Depends On,任務取決於
@@ -2272,11 +2286,11 @@
DocType: Asset,Manual,手冊
DocType: Salary Component Account,Salary Component Account,薪金部分賬戶
DocType: Global Defaults,Hide Currency Symbol,隱藏貨幣符號
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card",例如:銀行,現金,信用卡
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card",例如:銀行,現金,信用卡
DocType: Lead Source,Source Name,源名稱
DocType: Journal Entry,Credit Note,信用票據
DocType: Warranty Claim,Service Address,服務地址
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,家具及固定裝置
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,家具及固定裝置
DocType: Item,Manufacture,製造
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,請送貨單第一
DocType: Student Applicant,Application Date,申請日期
@@ -2285,7 +2299,6 @@
DocType: Opportunity,Customer / Lead Name,客戶/鉛名稱
apps/erpnext/erpnext/config/manufacturing.py +7,Production,生產
DocType: Guardian,Occupation,佔用
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,請在人力資源>人力資源設置中設置員工命名系統
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,列#{0}:開始日期必須早於結束日期
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),總計(數量)
DocType: Sales Invoice,This Document,本文檔
@@ -2297,16 +2310,16 @@
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,組織分支主檔。
DocType: Sales Order,Billing Status,計費狀態
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,報告問題
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,公用事業費用
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,行#{0}:日記條目{1}沒有帳戶{2}或已經對另一憑證匹配
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,公用事業費用
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,行#{0}:日記條目{1}沒有帳戶{2}或已經對另一憑證匹配
DocType: Buying Settings,Default Buying Price List,預設採購價格表
DocType: Process Payroll,Salary Slip Based on Timesheet,基於時間表工資單
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,已創建的任何僱員對上述選擇標準或工資單
DocType: Notification Control,Sales Order Message,銷售訂單訊息
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",設定預設值如公司,貨幣,當前財政年度等
DocType: Payment Entry,Payment Type,付款類型
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,請選擇項目{0}的批次。無法找到滿足此要求的單個批次
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,請選擇項目{0}的批次。無法找到滿足此要求的單個批次
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,請選擇項目{0}的批次。無法找到滿足此要求的單個批次
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,請選擇項目{0}的批次。無法找到滿足此要求的單個批次
DocType: Process Payroll,Select Employees,選擇僱員
DocType: Opportunity,Potential Sales Deal,潛在的銷售交易
DocType: Payment Entry,Cheque/Reference Date,支票/參考日期
@@ -2326,7 +2339,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,收到文件必須提交
DocType: Purchase Invoice Item,Received Qty,到貨數量
DocType: Stock Entry Detail,Serial No / Batch,序列號/批次
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,沒有支付,未送達
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,沒有支付,未送達
DocType: Product Bundle,Parent Item,父項目
DocType: Account,Account Type,帳戶類型
apps/erpnext/erpnext/templates/pages/projects.html +58,No time sheets,沒有考勤表
@@ -2340,24 +2353,23 @@
DocType: Bin,Reserved Quantity,保留數量
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,請輸入有效的電子郵件地址
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,請輸入有效的電子郵件地址
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},程序{0}沒有強制性課程
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},程序{0}沒有強制性課程
DocType: Landed Cost Voucher,Purchase Receipt Items,採購入庫項目
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,自定義表單
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,期間折舊額
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,殘疾人模板必須不能默認模板
DocType: Account,Income Account,收入帳戶
DocType: Payment Request,Amount in customer's currency,量客戶的貨幣
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,交貨
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,交貨
DocType: Stock Reconciliation Item,Current Qty,目前數量
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",請見“材料成本基於”在成本核算章節
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,上一頁
DocType: Appraisal Goal,Key Responsibility Area,關鍵責任區
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students",學生批幫助您跟踪學生的出勤,評估和費用
DocType: Payment Entry,Total Allocated Amount,總撥款額
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,設置永久庫存的默認庫存帳戶
DocType: Item Reorder,Material Request Type,材料需求類型
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural日記條目從{0}薪金{1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save",localStorage的是滿的,沒救
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save",localStorage的是滿的,沒救
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,行{0}:計量單位轉換係數是必需的
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,參考
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +36,Voucher #,憑證#
@@ -2368,18 +2380,18 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",定價規則是由覆蓋價格表/定義折扣百分比,基於某些條件。
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,倉庫只能通過存貨分錄/送貨單/採購入庫單來改變
DocType: Employee Education,Class / Percentage,類/百分比
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,營銷和銷售主管
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,所得稅
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,營銷和銷售主管
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,所得稅
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.",如果選擇的定價規則是由為'價格',它將覆蓋價目表。定價規則價格是最終價格,所以沒有進一步的折扣應適用。因此,在像銷售訂單,採購訂單等交易,這將是“速度”字段進賬,而不是“價格單率”字段。
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,以行業類型追蹤訊息。
DocType: Item Supplier,Item Supplier,產品供應商
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,請輸入產品編號,以取得批號
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},請選擇一個值{0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,請輸入產品編號,以取得批號
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},請選擇一個值{0} quotation_to {1}
DocType: Company,Stock Settings,庫存設定
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",合併是唯一可能的,如果以下屬性中均有記載相同。是集團,根型,公司
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",合併是唯一可能的,如果以下屬性中均有記載相同。是集團,根型,公司
DocType: Vehicle,Electric,電動
DocType: Task,% Progress,%進展
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,在資產處置收益/損失
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,在資產處置收益/損失
DocType: Training Event,Will send an email about the event to employees with status 'Open',會發郵件有關該事件員工狀態“打開”
DocType: Task,Depends on Tasks,取決於任務
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,管理客戶群組樹。
@@ -2387,7 +2399,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,新的成本中心名稱
DocType: Leave Control Panel,Leave Control Panel,休假控制面板
DocType: Project,Task Completion,任務完成
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,沒存貨
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,沒存貨
DocType: Appraisal,HR User,HR用戶
DocType: Purchase Invoice,Taxes and Charges Deducted,稅收和費用扣除
apps/erpnext/erpnext/hooks.py +116,Issues,問題
@@ -2398,20 +2410,20 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},沒有找到之間的工資單{0}和{1}
,Pending SO Items For Purchase Request,待處理的SO項目對於採購申請
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,學生入學
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1}被禁用
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1}被禁用
DocType: Supplier,Billing Currency,結算貨幣
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,特大號
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,特大號
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,葉總
,Profit and Loss Statement,損益表
DocType: Bank Reconciliation Detail,Cheque Number,支票號碼
,Sales Browser,銷售瀏覽器
DocType: Journal Entry,Total Credit,貸方總額
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},警告:另一個{0}#{1}存在對庫存分錄{2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,當地
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,當地
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),貸款及墊款(資產)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,債務人
DocType: Homepage Featured Product,Homepage Featured Product,首頁推薦產品
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,所有評估組
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,所有評估組
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,新倉庫名稱
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),總{0}({1})
DocType: C-Form Invoice Detail,Territory,領土
@@ -2421,12 +2433,12 @@
DocType: Production Order Operation,Planned Start Time,計劃開始時間
DocType: Course,Assessment,評定
DocType: Payment Entry Reference,Allocated,分配
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,關閉資產負債表和賬面利潤或虧損。
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,關閉資產負債表和賬面利潤或虧損。
DocType: Student Applicant,Application Status,應用現狀
DocType: Fees,Fees,費用
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,指定的匯率將一種貨幣兌換成另一種
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,{0}報價被取消
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,未償還總額
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,未償還總額
DocType: Sales Partner,Targets,目標
DocType: Price List,Price List Master,價格表主檔
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,所有的銷售交易,可以用來標記針對多個**銷售**的人,這樣你可以設置和監控目標。
@@ -2469,11 +2481,11 @@
1的方式。地址和公司聯繫。"
DocType: Attendance,Leave Type,休假類型
DocType: Purchase Invoice,Supplier Invoice Details,供應商發票明細
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,費用/差異帳戶({0})必須是一個'溢利或虧損的帳戶
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,費用/差異帳戶({0})必須是一個'溢利或虧損的帳戶
DocType: Project,Copied From,複製自
DocType: Project,Copied From,複製自
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},名稱錯誤:{0}
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1}不關聯{2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1}不關聯{2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,員工{0}的考勤已標記
DocType: Packing Slip,If more than one package of the same type (for print),如果不止一個相同類型的包裹(用於列印)
,Salary Register,薪酬註冊
@@ -2489,20 +2501,21 @@
,Requested Qty,要求數量
DocType: Tax Rule,Use for Shopping Cart,使用的購物車
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},值{0}的屬性{1}不在有效的項目列表中存在的屬性值項{2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,選擇序列號
DocType: BOM Item,Scrap %,廢鋼%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection",費用將被分配比例根據項目數量或金額,按您的選擇
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,ATLEAST一個項目應該負數量回報文檔中輸入
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,ATLEAST一個項目應該負數量回報文檔中輸入
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations",操作{0}比任何可用的工作時間更長工作站{1},分解成運行多個操作
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,暫無產品說明
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,暫無產品說明
DocType: Purchase Invoice,Overdue,過期的
DocType: Account,Stock Received But Not Billed,庫存接收,但不付款
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,根帳戶必須是一組
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,根帳戶必須是一組
DocType: Fees,FEE.,費用。
DocType: Employee Loan,Repaid/Closed,償還/關閉
DocType: Item,Total Projected Qty,預計總數量
DocType: Monthly Distribution,Distribution Name,分配名稱
DocType: Course,Course Code,課程代碼
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},項目{0}需要品質檢驗
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},項目{0}需要品質檢驗
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,客戶貨幣被換算成公司基礎貨幣的匯率
DocType: Purchase Invoice Item,Net Rate (Company Currency),淨利率(公司貨幣)
DocType: Salary Detail,Condition and Formula Help,條件和公式幫助
@@ -2515,21 +2528,23 @@
DocType: Stock Entry,Material Transfer for Manufacture,物料轉倉用於製造
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,折扣百分比可以應用於單一價目表或所有價目表。
DocType: Purchase Invoice,Half-yearly,每半年一次
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,存貨的會計分錄
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,存貨的會計分錄
DocType: Vehicle Service,Engine Oil,機油
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,請在人力資源>人力資源設置中設置員工命名系統
DocType: Sales Invoice,Sales Team1,銷售團隊1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,項目{0}不存在
DocType: Sales Invoice,Customer Address,客戶地址
DocType: Employee Loan,Loan Details,貸款詳情
+DocType: Company,Default Inventory Account,默認庫存帳戶
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,行{0}:已完成數量必須大於零。
DocType: Purchase Invoice,Apply Additional Discount On,收取額外折扣
DocType: Account,Root Type,root類型
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},行#{0}:無法返回超過{1}項{2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},行#{0}:無法返回超過{1}項{2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,情節
DocType: Item Group,Show this slideshow at the top of the page,這顯示在幻燈片頁面頂部
DocType: BOM,Item UOM,項目計量單位
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),稅額後,優惠金額(公司貨幣)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},目標倉庫是強制性的行{0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},目標倉庫是強制性的行{0}
DocType: Cheque Print Template,Primary Settings,主要設置
DocType: Purchase Invoice,Select Supplier Address,選擇供應商地址
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,添加員工
@@ -2541,7 +2556,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,法人/子公司與帳戶的獨立走勢屬於該組織。
DocType: Payment Request,Mute Email,靜音電子郵件
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco",食品、飲料&煙草
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},只能使支付對未付款的{0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},只能使支付對未付款的{0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,佣金比率不能大於100
DocType: Stock Entry,Subcontract,轉包
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,請輸入{0}第一
@@ -2554,16 +2569,17 @@
DocType: SMS Log,No of Sent SMS,沒有發送短信
DocType: Account,Expense Account,費用帳戶
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,軟件
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,顏色
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,顏色
DocType: Assessment Plan Criteria,Assessment Plan Criteria,評估計劃標準
DocType: Training Event,Scheduled,預定
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,詢價。
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",請選擇項,其中“正股項”是“否”和“是銷售物品”是“是”,沒有其他產品捆綁
DocType: Student Log,Academic,學術的
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),總的超前({0})對二階{1}不能大於總計({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),總的超前({0})對二階{1}不能大於總計({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,選擇按月分佈橫跨幾個月不均勻分佈的目標。
+DocType: Stock Reconciliation,SR/,序號 /
DocType: Vehicle,Diesel,柴油機
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,尚未選擇價格表之貨幣
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,尚未選擇價格表之貨幣
,Student Monthly Attendance Sheet,學生每月考勤表
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},員工{0}已經申請了{1}的{2}和{3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,專案開始日期
@@ -2575,20 +2591,20 @@
DocType: BOM,Scrap,廢料
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,管理銷售合作夥伴。
DocType: Quality Inspection,Inspection Type,檢驗類型
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,與現有的交易倉庫不能轉換為組。
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,與現有的交易倉庫不能轉換為組。
DocType: Assessment Result Tool,Result HTML,結果HTML
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,新增學生
apps/erpnext/erpnext/controllers/recurring_document.py +169,Please select {0},請選擇{0}
DocType: C-Form,C-Form No,C-表格編號
DocType: BOM,Exploded_items,Exploded_items
DocType: Employee Attendance Tool,Unmarked Attendance,無標記考勤
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,研究員
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,研究員
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,計劃註冊學生工具
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,姓名或電子郵件是強制性
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,進料品質檢驗
DocType: Purchase Order Item,Returned Qty,返回的數量
DocType: Employee,Exit,出口
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,root類型是強制性的
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,root類型是強制性的
DocType: BOM,Total Cost(Company Currency),總成本(公司貨幣)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,序列號{0}創建
DocType: Homepage,Company Description for website homepage,公司介紹了網站的首頁
@@ -2597,7 +2613,7 @@
DocType: Sales Invoice,Time Sheet List,時間表列表
DocType: Employee,You can enter any date manually,您可以手動輸入任何日期
DocType: Asset Category Account,Depreciation Expense Account,折舊費用帳戶
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,試用期
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,試用期
DocType: Customer Group,Only leaf nodes are allowed in transaction,只有葉節點中允許交易
DocType: Expense Claim,Expense Approver,費用審批
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,行{0}:提前對客戶必須是信用
@@ -2613,6 +2629,7 @@
DocType: Item,Inspection Required before Delivery,分娩前檢查所需
DocType: Item,Inspection Required before Purchase,購買前檢查所需
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,待活動
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,你的組織
DocType: Fee Component,Fees Category,費用類別
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,請輸入解除日期。
apps/erpnext/erpnext/controllers/trends.py +149,Amt,AMT
@@ -2621,9 +2638,9 @@
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +30,Select Fiscal Year,選擇財政年度
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,重新排序級別
DocType: Company,Chart Of Accounts Template,圖表帳戶模板
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},項目價格更新{0}價格表{1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},項目價格更新{0}價格表{1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,工資分手基於盈利和演繹。
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,有子節點的帳不能轉換到總帳
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,有子節點的帳不能轉換到總帳
DocType: Purchase Invoice Item,Accepted Warehouse,收料倉庫
DocType: Bank Reconciliation Detail,Posting Date,發布日期
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +203,Mark Half Day,馬克半天
@@ -2631,13 +2648,13 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,重複的條目
DocType: Program Enrollment Tool,Get Students,讓學生
DocType: Serial No,Under Warranty,在保修期
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[錯誤]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[錯誤]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,銷售訂單一被儲存,就會顯示出來。
,Employee Birthday,員工生日
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,學生考勤批處理工具
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,創業投資
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,這個“學年”一個學期{0}和“術語名稱”{1}已經存在。請修改這些條目,然後再試一次。
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}",由於有對項目{0}現有的交易,你不能改變的值{1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}",由於有對項目{0}現有的交易,你不能改變的值{1}
DocType: UOM,Must be Whole Number,必須是整數
DocType: Leave Control Panel,New Leaves Allocated (In Days),新的排假(天)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,序列號{0}不存在
@@ -2645,6 +2662,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,發票號碼
DocType: Shopping Cart Settings,Orders,訂單
DocType: Employee Leave Approver,Leave Approver,休假審批人
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,請選擇一個批次
DocType: Assessment Group,Assessment Group Name,評估小組名稱
DocType: Manufacturing Settings,Material Transferred for Manufacture,轉移至製造的物料
DocType: Expense Claim,"A user with ""Expense Approver"" role",與“費用審批人”角色的用戶
@@ -2654,16 +2672,17 @@
DocType: Target Detail,Target Detail,目標詳細資訊
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,所有職位
DocType: Sales Order,% of materials billed against this Sales Order,針對這張銷售訂單的已開立帳單的百分比(%)
+DocType: Program Enrollment,Mode of Transportation,運輸方式
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,期末進入
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,與現有的交易成本中心,不能轉化為組
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},金額{0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},金額{0} {1} {2} {3}
DocType: Account,Depreciation,折舊
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),供應商(S)
DocType: Employee Attendance Tool,Employee Attendance Tool,員工考勤工具
DocType: Guardian Student,Guardian Student,學生監護人
DocType: Supplier,Credit Limit,信用額度
DocType: Production Plan Sales Order,Salse Order Date,Salse訂單日期
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,付款項{0}是聯合國聯
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,付款項{0}是聯合國聯
DocType: GL Entry,Voucher No,憑證編號
,Lead Owner Efficiency,主導效率
,Lead Owner Efficiency,主導效率
@@ -2674,11 +2693,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,模板條款或合同。
DocType: Purchase Invoice,Address and Contact,地址和聯絡方式
DocType: Cheque Print Template,Is Account Payable,為應付賬款
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},股票不能對外購入庫單進行更新{0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},股票不能對外購入庫單進行更新{0}
DocType: Supplier,Last Day of the Next Month,下個月的最後一天
DocType: Support Settings,Auto close Issue after 7 days,7天之後自動關閉問題
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",假,不是之前分配{0},因為休假餘額已經結轉轉發在未來的假期分配記錄{1}
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),註:由於/參考日期由{0}天超過了允許客戶的信用天數(S)
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),註:由於/參考日期由{0}天超過了允許客戶的信用天數(S)
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,學生申請
DocType: Asset Category Account,Accumulated Depreciation Account,累計折舊科目
DocType: Stock Settings,Freeze Stock Entries,凍結庫存項目
@@ -2692,26 +2711,27 @@
DocType: Quality Inspection,Outgoing,發送
DocType: Material Request,Requested For,要求
DocType: Quotation Item,Against Doctype,針對文檔類型
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1}被取消或關閉
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1}被取消或關閉
DocType: Delivery Note,Track this Delivery Note against any Project,跟踪此送貨單反對任何項目
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,從投資淨現金
DocType: Production Order,Work-in-Progress Warehouse,在製品倉庫
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,資產{0}必須提交
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},考勤記錄{0}存在針對學生{1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},考勤記錄{0}存在針對學生{1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},參考# {0}於{1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,折舊淘汰因處置資產
DocType: Asset,Item Code,產品編號
DocType: Production Planning Tool,Create Production Orders,建立生產訂單
DocType: Serial No,Warranty / AMC Details,保修/ AMC詳情
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,為基於活動的組手動選擇學生
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,為基於活動的組手動選擇學生
DocType: Journal Entry,User Remark,用戶備註
DocType: Lead,Market Segment,市場分類
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},支付的金額不能超過總負餘額大於{0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},支付的金額不能超過總負餘額大於{0}
DocType: Employee Internal Work History,Employee Internal Work History,員工內部工作經歷
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),關閉(Dr)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,序列號{0}無貨
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,稅務模板賣出的交易。
DocType: Sales Invoice,Write Off Outstanding Amount,核銷額(億元)
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},帳戶{0}與公司{1}不符
DocType: School Settings,Current Academic Year,當前學年
DocType: School Settings,Current Academic Year,當前學年
DocType: Stock Settings,Default Stock UOM,預設庫存計量單位
@@ -2726,25 +2746,25 @@
DocType: Asset,Double Declining Balance,雙倍餘額遞減
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,關閉的定單不能被取消。 Unclose取消。
DocType: Student Guardian,Father,父親
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,“更新股票'不能檢查固定資產出售
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,“更新股票'不能檢查固定資產出售
DocType: Bank Reconciliation,Bank Reconciliation,銀行對帳
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,獲取更新
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}帳戶{2}不屬於公司{3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,材料需求{0}被取消或停止
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,增加了一些樣本記錄
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,增加了一些樣本記錄
apps/erpnext/erpnext/config/hr.py +301,Leave Management,離開管理
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,以帳戶分群組
DocType: Lead,Lower Income,較低的收入
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},列{0}的來源和目標倉庫不可相同
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},列{0}的來源和目標倉庫不可相同
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",差異帳戶必須是資產/負債類型的帳戶,因為此庫存調整是一個開始分錄
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},支付額不能超過貸款金額較大的{0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},所需物品{0}的採購訂單號
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,生產訂單未創建
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},所需物品{0}的採購訂單號
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,生產訂單未創建
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',“起始日期”必須經過'終止日期'
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},無法改變地位的學生{0}與學生申請鏈接{1}
DocType: Asset,Fully Depreciated,已提足折舊
,Stock Projected Qty,存貨預計數量
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},客戶{0}不屬於項目{1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},客戶{0}不屬於項目{1}
DocType: Employee Attendance Tool,Marked Attendance HTML,顯著的考勤HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",語錄是建議,你已經發送到你的客戶提高出價
DocType: Sales Order,Customer's Purchase Order,客戶採購訂單
@@ -2753,8 +2773,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,評估標準的得分之和必須是{0}。
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,請設置折舊數預訂
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,價值或數量
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,製作訂單不能上調:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,分鐘
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,製作訂單不能上調:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,分鐘
DocType: Purchase Invoice,Purchase Taxes and Charges,購置稅和費
,Qty to Receive,未到貨量
DocType: Leave Block List,Leave Block List Allowed,准許的休假區塊清單
@@ -2762,23 +2782,23 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},報銷車輛登錄{0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,價格上漲率與貼現率的折扣(%)
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,價格上漲率與貼現率的折扣(%)
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,所有倉庫
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,信用帳戶必須是資產負債表科目
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,所有倉庫
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,信用帳戶必須是資產負債表科目
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,所有供應商類型
DocType: Global Defaults,Disable In Words,禁用詞
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,產品編號是強制性的,因為項目沒有自動編號
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,產品編號是強制性的,因為項目沒有自動編號
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},報價{0}非為{1}類型
DocType: Maintenance Schedule Item,Maintenance Schedule Item,維護計劃項目
DocType: Sales Order,% Delivered,%交付
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,銀行透支戶口
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,銀行透支戶口
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,製作工資單
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,行#{0}:分配金額不能大於未結算金額。
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,瀏覽BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,抵押貸款
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,抵押貸款
DocType: Purchase Invoice,Edit Posting Date and Time,編輯投稿時間
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},請設置在資產類別{0}或公司折舊相關帳戶{1}
DocType: Academic Term,Academic Year,學年
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,期初餘額權益
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,期初餘額權益
DocType: Appraisal,Appraisal,評價
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},電子郵件發送到供應商{0}
apps/erpnext/erpnext/hr/doctype/leave_block_list/leave_block_list.py +19,Date is repeated,日期重複
@@ -2792,7 +2812,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,審批角色作為角色的規則適用於不能相同
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,從該電子郵件摘要退訂
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,發送訊息
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,帳戶與子節點不能被設置為分類帳
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,帳戶與子節點不能被設置為分類帳
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,價目表貨幣被換算成客戶基礎貨幣的匯率
DocType: Purchase Invoice Item,Net Amount (Company Currency),淨金額(公司貨幣)
DocType: Salary Slip,Hour Rate,小時率
@@ -2824,7 +2844,7 @@
DocType: Expense Claim,Approval Status,審批狀態
DocType: Hub Settings,Publish Items to Hub,發布項目到集線器
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},來源值必須小於列{0}的值
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,電匯
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,電匯
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,全面檢查
DocType: Vehicle Log,Invoice Ref,發票編號
DocType: Purchase Order,Recurring Order,經常訂購
@@ -2836,15 +2856,16 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,銀行和支付
,Welcome to ERPNext,歡迎來到ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,導致報價
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,沒有更多的表現。
DocType: Lead,From Customer,從客戶
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,電話
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,電話
DocType: Project,Total Costing Amount (via Time Logs),總成本核算金額(經由時間日誌)
DocType: Purchase Order Item Supplied,Stock UOM,庫存計量單位
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,採購訂單{0}未提交
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,採購訂單{0}未提交
DocType: Customs Tariff Number,Tariff Number,稅則號
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,預計
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},序列號{0}不屬於倉庫{1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,注:系統將不檢查過交付和超額預訂的項目{0}的數量或金額為0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,注:系統將不檢查過交付和超額預訂的項目{0}的數量或金額為0
DocType: Notification Control,Quotation Message,報價訊息
DocType: Employee Loan,Employee Loan Application,職工貸款申請
DocType: Issue,Opening Date,開幕日期
@@ -2856,31 +2877,31 @@
DocType: School Settings,Current Academic Term,當前學術期限
DocType: School Settings,Current Academic Term,當前學術期限
DocType: Sales Order,Not Billed,不發單
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,這兩個倉庫必須屬於同一個公司
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,尚未新增聯絡人。
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,這兩個倉庫必須屬於同一個公司
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,尚未新增聯絡人。
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,到岸成本憑證金額
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,由供應商提出的帳單。
DocType: POS Profile,Write Off Account,核銷帳戶
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,借方票據
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,折扣金額
DocType: Purchase Invoice,Return Against Purchase Invoice,回到對採購發票
DocType: Item,Warranty Period (in days),保修期限(天數)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,與關係Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,與關係Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,從運營的淨現金
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,例如增值稅
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,例如增值稅
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,項目4
DocType: Student Admission,Admission End Date,錄取結束日期
DocType: Journal Entry Account,Journal Entry Account,日記帳分錄帳號
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,學生組
DocType: Shopping Cart Settings,Quotation Series,報價系列
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item",具有相同名稱的項目存在( {0} ) ,請更改項目群組名或重新命名該項目
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,請選擇客戶
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item",具有相同名稱的項目存在( {0} ) ,請更改項目群組名或重新命名該項目
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,請選擇客戶
DocType: C-Form,I,一世
DocType: Company,Asset Depreciation Cost Center,資產折舊成本中心
DocType: Sales Order Item,Sales Order Date,銷售訂單日期
DocType: Sales Invoice Item,Delivered Qty,交付數量
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.",如果選中,各個生產項目的所有孩子將被列入材料請求。
DocType: Assessment Plan,Assessment Plan,評估計劃
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,倉庫{0}:公司是強制性的
,Payment Period Based On Invoice Date,基於發票日的付款期
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},缺少貨幣匯率{0}
DocType: Assessment Plan,Examiner,檢查員
@@ -2888,7 +2909,7 @@
DocType: Payment Entry,Payment References,付款參考
DocType: Vehicle,Insurance Details,保險詳情
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,請輸入還款期
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),債務人({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),債務人({0})
DocType: Pricing Rule,Margin,餘量
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,新客戶
DocType: Appraisal Goal,Weightage (%),權重(%)
@@ -2896,16 +2917,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,黨是強制性
DocType: Journal Entry,JV-,將N-
DocType: Topic,Topic Name,主題名稱
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,至少需選擇銷售或購買
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,選擇您的業務的性質。
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,至少需選擇銷售或購買
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,選擇您的業務的性質。
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},行#{0}:引用{1} {2}中的重複條目
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,生產作業於此進行。
DocType: Asset Movement,Source Warehouse,來源倉庫
DocType: Installation Note,Installation Date,安裝日期
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},行#{0}:資產{1}不屬於公司{2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},行#{0}:資產{1}不屬於公司{2}
DocType: Employee,Confirmation Date,確認日期
DocType: C-Form,Total Invoiced Amount,發票總金額
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,最小數量不能大於最大數量
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,最小數量不能大於最大數量
DocType: Account,Accumulated Depreciation,累計折舊
DocType: Stock Entry,Customer or Supplier Details,客戶或供應商詳細訊息
DocType: Lead,Lead Owner,鉛所有者
@@ -2923,22 +2944,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,每月分配比例
DocType: Territory,Territory Targets,境內目標
DocType: Delivery Note,Transporter Info,貨運公司資訊
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},請設置在默認情況下公司{0} {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},請設置在默認情況下公司{0} {1}
DocType: Cheque Print Template,Starting position from top edge,起價頂邊位置
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,同一個供應商已多次輸入
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,總利潤/虧損
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,採購訂單項目供應商
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,公司名稱不能為公司
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,公司名稱不能為公司
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,信頭的列印模板。
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,"列印模板的標題, 例如 Proforma Invoice。"
DocType: Student Guardian,Student Guardian,學生家長
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,估值類型罪名不能標記為包容性
DocType: POS Profile,Update Stock,庫存更新
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,供應商>供應商類型
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,不同計量單位的項目會導致不正確的(總)淨重值。確保每個項目的淨重是在同一個計量單位。
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM率
DocType: Asset,Journal Entry for Scrap,日記帳分錄報廢
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,請送貨單拉項目
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,日記條目{0}都是非聯
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,日記條目{0}都是非聯
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.",類型電子郵件,電話,聊天,訪問等所有通信記錄
DocType: Manufacturer,Manufacturers used in Items,在項目中使用製造商
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,請提及公司舍入成本中心
@@ -2985,34 +3007,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,供應商提供給客戶
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}](#窗體/項目/ {0})缺貨
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,下一個日期必須大於過帳日期更大
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,展會稅分手
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},由於/參考日期不能後{0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,展會稅分手
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},由於/參考日期不能後{0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,資料輸入和輸出
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it",Stock條目存在對倉庫{0},因此你不能重新分配或修改
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,沒有發現學生
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,沒有發現學生
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,發票發布日期
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,賣
DocType: Sales Invoice,Rounded Total,整數總計
DocType: Product Bundle,List items that form the package.,形成包列表項。
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,百分比分配總和應該等於100%
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,在選擇之前,甲方請選擇發布日期
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,在選擇之前,甲方請選擇發布日期
DocType: Program Enrollment,School House,學校議院
DocType: Serial No,Out of AMC,出資產管理公司
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,請選擇報價
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,請選擇報價
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,請選擇報價
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,請選擇報價
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,預訂折舊數不能超過折舊總數更大
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,使維護訪問
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,請聯絡,誰擁有碩士學位的銷售經理{0}角色的用戶
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,請聯絡,誰擁有碩士學位的銷售經理{0}角色的用戶
DocType: Company,Default Cash Account,預設的現金帳戶
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,公司(不是客戶或供應商)的主人。
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,這是基於這名學生出席
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,沒有學生
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,沒有學生
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,添加更多項目或全開放形式
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',請輸入「預定交付日」
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,送貨單{0}必須先取消才能取消銷貨訂單
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,支付的金額+寫的抵銷金額不能大於總計
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,支付的金額+寫的抵銷金額不能大於總計
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0}不是對項目的有效批號{1}
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},注:沒有足夠的休假餘額請假類型{0}
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,無效的GSTIN或輸入NA未註冊
DocType: Training Event,Seminar,研討會
DocType: Program Enrollment Fee,Program Enrollment Fee,計劃註冊費
DocType: Item,Supplier Items,供應商項目
@@ -3037,27 +3059,24 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,項目3
DocType: Purchase Order,Customer Contact Email,客戶聯絡電子郵件
DocType: Warranty Claim,Item and Warranty Details,項目和保修細節
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,商品編號>商品組>品牌
DocType: Sales Team,Contribution (%),貢獻(%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,注:付款項將不會被創建因為“現金或銀行帳戶”未指定
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,選擇程序以獲取強制性課程。
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,選擇程序以獲取強制性課程。
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,職責
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,職責
DocType: Expense Claim Account,Expense Claim Account,報銷賬戶
DocType: Sales Person,Sales Person Name,銷售人員的姓名
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,請在表中輸入至少一筆發票
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,添加用戶
DocType: POS Item Group,Item Group,項目群組
DocType: Item,Safety Stock,安全庫存
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,為任務進度百分比不能超過100個。
DocType: Stock Reconciliation Item,Before reconciliation,調整前
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),稅收和收費上架(公司貨幣)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,商品稅行{0}必須有帳戶類型稅或收入或支出或課稅的
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,商品稅行{0}必須有帳戶類型稅或收入或支出或課稅的
DocType: Sales Order,Partly Billed,天色帳單
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,項{0}必須是固定資產項目
DocType: Item,Default BOM,預設的BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,請確認重新輸入公司名稱
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,總街貨量金額
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,借方票據金額
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,請確認重新輸入公司名稱
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,總街貨量金額
DocType: Journal Entry,Printing Settings,列印設定
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},借方總額必須等於貸方總額。差額為{0}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +11,Automotive,汽車
@@ -3070,16 +3089,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,有現貨:
DocType: Notification Control,Custom Message,自定義訊息
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,投資銀行業務
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,製作付款分錄時,現金或銀行帳戶是強制性輸入的欄位。
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,學生地址
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,學生地址
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,製作付款分錄時,現金或銀行帳戶是強制性輸入的欄位。
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,請通過設置>編號系列設置出勤編號系列
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,學生地址
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,學生地址
DocType: Purchase Invoice,Price List Exchange Rate,價目表匯率
DocType: Purchase Invoice Item,Rate,單價
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,實習生
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,地址名稱
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,實習生
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,地址名稱
DocType: Stock Entry,From BOM,從BOM
DocType: Assessment Code,Assessment Code,評估準則
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,基本的
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,基本的
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,{0}前的庫存交易被凍結
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',請點擊“生成表”
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m",如公斤,單位,NOS,M
@@ -3088,11 +3108,11 @@
apps/erpnext/erpnext/hr/doctype/employee/employee.py +110,Date of Joining must be greater than Date of Birth,加入日期必須大於出生日期
DocType: Salary Slip,Salary Structure,薪酬結構
DocType: Account,Bank,銀行
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,發行材料
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,發行材料
DocType: Material Request Item,For Warehouse,對於倉庫
DocType: Employee,Offer Date,到職日期
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,語錄
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,您在離線模式。您將無法重新加載,直到你有網絡。
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,您在離線模式。您將無法重新加載,直到你有網絡。
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,沒有學生團體創建的。
DocType: Purchase Invoice Item,Serial No,序列號
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,每月還款額不能超過貸款金額較大
@@ -3100,8 +3120,8 @@
DocType: Purchase Invoice,Print Language,打印語言
DocType: Salary Slip,Total Working Hours,總的工作時間
DocType: Stock Entry,Including items for sub assemblies,包括子組件項目
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,輸入值必須為正
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,所有的領土
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,輸入值必須為正
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,所有的領土
DocType: Purchase Invoice,Items,項目
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,學生已經註冊。
DocType: Fiscal Year,Year Name,年結名稱
@@ -3120,10 +3140,10 @@
DocType: Issue,Opening Time,開放時間
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,需要起始和到達日期
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,證券及商品交易所
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',測度變異的默認單位“{0}”必須是相同模板“{1}”
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',測度變異的默認單位“{0}”必須是相同模板“{1}”
DocType: Shipping Rule,Calculate Based On,計算的基礎上
DocType: Delivery Note Item,From Warehouse,從倉庫
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,不與物料清單的項目,以製造
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,不與物料清單的項目,以製造
DocType: Assessment Plan,Supervisor Name,主管名稱
DocType: Program Enrollment Course,Program Enrollment Course,課程註冊課程
DocType: Program Enrollment Course,Program Enrollment Course,課程註冊課程
@@ -3139,16 +3159,17 @@
DocType: Process Payroll,Payroll Frequency,工資頻率
DocType: Asset,Amended From,從修訂
DocType: Leave Application,Follow via Email,透過電子郵件追蹤
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,廠房和機械設備
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,廠房和機械設備
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,稅額折後金額
DocType: Daily Work Summary Settings,Daily Work Summary Settings,每日工作總結設置
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},價格表{0}的貨幣不與所選貨幣類似{1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},價格表{0}的貨幣不與所選貨幣類似{1}
DocType: Payment Entry,Internal Transfer,內部轉賬
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,此帳戶存在子帳戶。您無法刪除此帳戶。
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,此帳戶存在子帳戶。您無法刪除此帳戶。
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,無論是數量目標或目標量是必需的
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},項目{0}不存在預設的的BOM
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},項目{0}不存在預設的的BOM
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,請選擇發布日期第一
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,開業日期應該是截止日期之前,
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,請通過設置>設置>命名系列設置{0}的命名系列
DocType: Leave Control Panel,Carry Forward,發揚
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,與現有的交易成本中心,不能轉換為總賬
DocType: Department,Days for which Holidays are blocked for this department.,天的假期被封鎖這個部門。
@@ -3157,11 +3178,10 @@
DocType: Item,Item Code for Suppliers,對於供應商產品編號
DocType: Issue,Raised By (Email),由(電子郵件)提出
DocType: Training Event,Trainer Name,培訓師姓名
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,附加信
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,最後溝通
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,最後溝通
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',不能抵扣當類別為“估值”或“估值及總'
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",列出你的租稅名稱(如增值稅,關稅等,它們應該具有唯一的名稱)及其標準費率。這將建立一個可以編輯和增加的標準模板。
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",列出你的租稅名稱(如增值稅,關稅等,它們應該具有唯一的名稱)及其標準費率。這將建立一個可以編輯和增加的標準模板。
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},序列號為必填項序列為{0}
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,匹配付款與發票
DocType: Journal Entry,Bank Entry,銀行分錄
@@ -3169,15 +3189,15 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,添加到購物車
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,集團通過
DocType: Guardian,Interests,興趣
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,啟用/禁用的貨幣。
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,啟用/禁用的貨幣。
DocType: Production Planning Tool,Get Material Request,獲取材質要求
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,郵政費用
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,郵政費用
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,娛樂休閒
DocType: Quality Inspection,Item Serial No,產品序列號
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,建立員工檔案
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,總現
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,會計報表
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,小時
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,小時
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,新的序列號不能有倉庫。倉庫必須由存貨分錄或採購入庫單進行設定
DocType: Lead,Lead Type,引線型
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,在限制的日期,您無權批准休假
@@ -3188,6 +3208,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,更換後的新物料清單
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,銷售點
DocType: Payment Entry,Received Amount,收金額
+DocType: GST Settings,GSTIN Email Sent On,發送GSTIN電子郵件
+DocType: Program Enrollment,Pick/Drop by Guardian,由守護者選擇
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order",創建全量,訂單已經忽略數量
DocType: Account,Tax,稅
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,未標記
@@ -3206,7 +3228,7 @@
DocType: POS Customer Group,Customer Group,客戶群組
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),新批號(可選)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),新批號(可選)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},交際費是強制性的項目{0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},交際費是強制性的項目{0}
DocType: BOM,Website Description,網站簡介
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,在淨資產收益變化
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,請取消採購發票{0}第一
@@ -3216,8 +3238,8 @@
,Sales Register,銷售登記
DocType: Daily Work Summary Settings Company,Send Emails At,發送電子郵件在
DocType: Quotation,Quotation Lost Reason,報價遺失原因
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,選擇您的域名
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},交易參考編號{0}日{1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,選擇您的域名
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},交易參考編號{0}日{1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,無內容可供編輯
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,本月和待活動總結
DocType: Customer Group,Customer Group Name,客戶群組名稱
@@ -3225,14 +3247,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,現金流量表
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},貸款額不能超過最高貸款額度{0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,執照
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},請刪除此發票{0}從C-表格{1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},請刪除此發票{0}從C-表格{1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,請選擇結轉,如果你還需要包括上一會計年度的資產負債葉本財年
DocType: GL Entry,Against Voucher Type,對憑證類型
DocType: Item,Attributes,屬性
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,請輸入核銷帳戶
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,請輸入核銷帳戶
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,最後訂購日期
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},帳戶{0}不屬於公司{1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,行{0}中的序列號與交貨單不匹配
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,行{0}中的序列號與交貨單不匹配
DocType: Student,Guardian Details,衛詳細
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,馬克出席了多個員工
DocType: Vehicle,Chassis No,底盤無
@@ -3246,16 +3268,16 @@
DocType: Budget Account,Budget Amount,預算額
DocType: Appraisal Template,Appraisal Template Title,評估模板標題
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},從日期{0}為僱員{1}不能僱員的接合日期之前{2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,商業
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,商業
DocType: Payment Entry,Account Paid To,賬戶付至
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,父項{0}不能是庫存產品
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,所有的產品或服務。
DocType: Expense Claim,More Details,更多詳情
DocType: Supplier Quotation,Supplier Address,供應商地址
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0}預算帳戶{1}對{2} {3}是{4}。這將超過{5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',行{0}#賬戶的類型必須是'固定資產'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,輸出數量
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,規則用於計算銷售運輸量
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',行{0}#賬戶的類型必須是'固定資產'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,輸出數量
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,規則用於計算銷售運輸量
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,系列是強制性的
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,金融服務
DocType: Student Sibling,Student ID,學生卡
@@ -3263,13 +3285,13 @@
DocType: Tax Rule,Sales,銷售
DocType: Stock Entry Detail,Basic Amount,基本金額
DocType: Training Event,Exam,考試
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},倉庫需要現貨產品{0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},倉庫需要現貨產品{0}
DocType: Leave Allocation,Unused leaves,未使用的休假
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,鉻
DocType: Tax Rule,Billing State,計費狀態
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,轉讓
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1}未連結夥伴帳戶{2}
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),取得爆炸BOM(包括子組件)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1}未連結夥伴帳戶{2}
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),取得爆炸BOM(包括子組件)
DocType: Authorization Rule,Applicable To (Employee),適用於(員工)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,截止日期是強制性的
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,增量屬性{0}不能為0
@@ -3300,13 +3322,15 @@
DocType: Guardian Interest,Guardian Interest,衛利息
apps/erpnext/erpnext/config/hr.py +177,Training,訓練
DocType: Timesheet,Employee Detail,員工詳細信息
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1電子郵件ID
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1電子郵件ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1電子郵件ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1電子郵件ID
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,下一個日期的一天,重複上月的天必須相等
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,對網站的主頁設置
DocType: Offer Letter,Awaiting Response,正在等待回應
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},無效的屬性{0} {1}
DocType: Supplier,Mention if non-standard payable account,如果非標準應付賬款提到
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},相同的物品已被多次輸入。 {}名單
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',請選擇“所有評估組”以外的評估組
DocType: Salary Slip,Earning & Deduction,收入及扣除
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,可選。此設置將被應用於過濾各種交易進行。
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,負面評價率是不允許的
@@ -3319,15 +3343,15 @@
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +62,Total Revenue,總收入
DocType: Sales Invoice,Product Bundle Help,產品包幫助
DocType: Production Order Item,Production Order Item,生產訂單項目
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,沒有資料
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,沒有資料
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,報廢資產成本
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}:成本中心是強制性的項目{2}
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}:成本中心是強制性的項目{2}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,從產品包取得項目
DocType: Asset,Straight Line,直線
DocType: Project User,Project User,項目用戶
DocType: GL Entry,Is Advance,為進
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,考勤起始日期和出席的日期,是強制性的
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,請輸入'轉包' YES或NO
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,請輸入'轉包' YES或NO
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,最後通訊日期
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,最後通訊日期
DocType: Sales Team,Contact No.,聯絡電話
@@ -3352,58 +3376,59 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +28,Cannot convert Cost Center to ledger as it has child nodes,不能成本中心轉換為總賬,因為它有子節點
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,開度值
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,序列號
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,銷售佣金
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,銷售佣金
DocType: Offer Letter Term,Value / Description,值/說明
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",行#{0}:資產{1}無法提交,這已經是{2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",行#{0}:資產{1}無法提交,這已經是{2}
DocType: Tax Rule,Billing Country,結算國家
DocType: Purchase Order Item,Expected Delivery Date,預計交貨日期
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,借貸{0}#不等於{1}。區別是{2}。
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,娛樂費用
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,製作材料要求
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,娛樂費用
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,製作材料要求
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},打開項目{0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,銷售發票{0}必須早於此銷售訂單之前取消
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,年齡
DocType: Sales Invoice Timesheet,Billing Amount,開票金額
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,為項目指定了無效的數量{0} 。量應大於0 。
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,申請許可。
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,帳戶與現有的交易不能被刪除
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,帳戶與現有的交易不能被刪除
DocType: Vehicle,Last Carbon Check,最後檢查炭
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,法律費用
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,法律費用
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,請選擇行數量
DocType: Purchase Invoice,Posting Time,登錄時間
DocType: Timesheet,% Amount Billed,(%)金額已開立帳單
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,電話費
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,電話費
DocType: Sales Partner,Logo,標誌
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,如果要強制用戶在儲存之前選擇了一系列,則勾選此項。如果您勾選此項,則將沒有預設值。
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},沒有序號{0}的品項
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},沒有序號{0}的品項
DocType: Email Digest,Open Notifications,打開通知
DocType: Payment Entry,Difference Amount (Company Currency),差異金額(公司幣種)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,直接費用
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,直接費用
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",在“通知\電子郵件地址”中,{0}是無效的電子郵件地址
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,新客戶收入
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,差旅費
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,差旅費
DocType: Maintenance Visit,Breakdown,展開
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,帳號:{0}幣種:{1}不能選擇
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},帳戶{0}:父帳戶{1}不屬於公司:{2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,帳號:{0}幣種:{1}不能選擇
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},帳戶{0}:父帳戶{1}不屬於公司:{2}
DocType: Program Enrollment Tool,Student Applicants,學生申請
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,成功刪除與該公司相關的所有交易!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,成功刪除與該公司相關的所有交易!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,隨著對日
DocType: Program Enrollment,Enrollment Date,報名日期
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,緩刑
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,緩刑
apps/erpnext/erpnext/config/hr.py +115,Salary Components,工資組件
DocType: Program Enrollment Tool,New Academic Year,新學年
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,返回/信用票據
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,返回/信用票據
DocType: Stock Settings,Auto insert Price List rate if missing,自動插入價目表率,如果丟失
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,總支付金額
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,總支付金額
DocType: Production Order Item,Transferred Qty,轉讓數量
apps/erpnext/erpnext/config/learn.py +11,Navigating,導航
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,規劃
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,發行
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,規劃
+DocType: Material Request,Issued,發行
DocType: Project,Total Billing Amount (via Time Logs),總結算金額(經由時間日誌)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,我們賣這種產品
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,供應商編號
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,我們賣這種產品
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,供應商編號
DocType: Payment Request,Payment Gateway Details,支付網關細節
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,量應大於0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,量應大於0
DocType: Journal Entry,Cash Entry,現金分錄
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,子節點可以在'集團'類型的節點上創建
DocType: Academic Year,Academic Year Name,學年名稱
@@ -3413,14 +3438,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},請報銷類型設置默認帳戶{0}
DocType: Assessment Result,Student Name,學生姓名
DocType: Brand,Item Manager,項目經理
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,應付職工薪酬
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,應付職工薪酬
DocType: Buying Settings,Default Supplier Type,預設的供應商類別
DocType: Production Order,Total Operating Cost,總營運成本
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,注:項目{0}多次輸入
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,所有聯絡人。
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,公司縮寫
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,公司縮寫
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,用戶{0}不存在
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,原料不能同主品相
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,原料不能同主品相
DocType: Item Attribute Value,Abbreviation,縮寫
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,付款項目已存在
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,不允許因為{0}超出範圍
@@ -3429,40 +3454,41 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,購物車稅收規則設定
DocType: Purchase Invoice,Taxes and Charges Added,稅費上架
,Sales Funnel,銷售漏斗
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,縮寫是強制性的
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,縮寫是強制性的
DocType: Project,Task Progress,任務進度
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,車
,Qty to Transfer,轉移數量
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,行情到引線或客戶。
DocType: Stock Settings,Role Allowed to edit frozen stock,此角色可以編輯凍結的庫存
,Territory Target Variance Item Group-Wise,地域內跨項目群組間的目標差異
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,所有客戶群組
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,所有客戶群組
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,每月累計
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0}是強制性的。也許外幣兌換記錄為{1}到{2}尚未建立。
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0}是強制性的。也許外幣兌換記錄為{1}到{2}尚未建立。
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,稅務模板是強制性的。
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,帳戶{0}:父帳戶{1}不存在
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,帳戶{0}:父帳戶{1}不存在
DocType: Purchase Invoice Item,Price List Rate (Company Currency),價格列表費率(公司貨幣)
DocType: Products Settings,Products Settings,產品設置
DocType: Account,Temporary,臨時
DocType: Program,Courses,培訓班
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,秘書
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,秘書
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",如果禁用“,在詞”字段不會在任何交易可見
DocType: Serial No,Distinct unit of an Item,一個項目的不同的單元
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,請設公司
DocType: Pricing Rule,Buying,採購
DocType: HR Settings,Employee Records to be created by,員工紀錄的創造者
DocType: POS Profile,Apply Discount On,申請折扣
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,債權人
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,債權人
DocType: Assessment Plan,Assessment Name,評估名稱
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,行#{0}:序列號是必需的
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,項目智者稅制明細
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,研究所縮寫
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,研究所縮寫
,Item-wise Price List Rate,全部項目的價格表
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,供應商報價
DocType: Quotation,In Words will be visible once you save the Quotation.,報價一被儲存,就會顯示出來。
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},數量({0})不能是行{1}中的分數
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},數量({0})不能是行{1}中的分數
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,收費
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},條碼{0}已經用在項目{1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},條碼{0}已經用在項目{1}
DocType: Lead,Add to calendar on this date,在此日期加到日曆
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,增加運輸成本的規則。
DocType: Item,Opening Stock,打開股票
@@ -3478,11 +3504,12 @@
DocType: Customer,From Lead,從鉛
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,發布生產訂單。
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,選擇會計年度...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,所需的POS資料,使POS進入
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,所需的POS資料,使POS進入
DocType: Hub Settings,Name Token,名令牌
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,標準銷售
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,至少要有一間倉庫
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,至少要有一間倉庫
DocType: BOM Replace Tool,Replace,更換
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,找不到產品。
DocType: Production Order,Unstopped,通暢了
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0}針對銷售發票{1}
DocType: Request for Quotation Item,Project Name,專案名稱
@@ -3491,19 +3518,19 @@
DocType: Stock Ledger Entry,Stock Value Difference,庫存價值差異
apps/erpnext/erpnext/config/learn.py +234,Human Resource,人力資源
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,付款方式付款對賬
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,所得稅資產
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,所得稅資產
DocType: BOM Item,BOM No,BOM No.
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,日記條目{0}沒有帳號{1}或已經匹配其他憑證
DocType: Item,Moving Average,移動平均線
DocType: BOM Replace Tool,The BOM which will be replaced,這將被替換的物料清單
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,電子設備
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,電子設備
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,休假必須安排成0.5倍的
DocType: Production Order,Operation Cost,運營成本
apps/erpnext/erpnext/config/hr.py +29,Upload attendance from a .csv file,從。csv文件上傳考勤
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,優秀的金額
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,為此銷售人員設定跨項目群組間的目標。
DocType: Stock Settings,Freeze Stocks Older Than [Days],凍結早於[Days]的庫存
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,行#{0}:資產是必須的固定資產購買/銷售
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,行#{0}:資產是必須的固定資產購買/銷售
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",如果兩個或更多的定價規則是基於上述條件發現,優先級被應用。優先權是一個介於0到20,而預設值是零(空)。數字越大,意味著其將優先考慮是否有與相同條件下多個定價規則。
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,會計年度:{0}不存在
DocType: Currency Exchange,To Currency,到貨幣
@@ -3512,7 +3539,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},項目{0}的銷售價格低於其{1}。售價應至少為{2}
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},項目{0}的銷售價格低於其{1}。售價應至少為{2}
DocType: Item,Taxes,稅
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,支付和未送達
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,支付和未送達
DocType: Project,Default Cost Center,預設的成本中心
DocType: Bank Guarantee,End Date,結束日期
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,庫存交易明細
@@ -3536,19 +3563,17 @@
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,生產項目
,Employee Information,僱員資料
DocType: Stock Entry Detail,Additional Cost,額外費用
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,財政年度年結日
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",是冷凍的帳戶。要禁止該帳戶創建/編輯事務,你需要角色
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,讓供應商報價
DocType: Quality Inspection,Incoming,來
DocType: BOM,Materials Required (Exploded),所需材料(分解)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself",將用戶添加到您的組織,除了自己
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,發布日期不能是未來的日期
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},行#{0}:序列號{1}不相匹配{2} {3}
,Delivery Note Trends,送貨單趨勢
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,本週的總結
-,In Stock Qty,庫存數量
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,庫存數量
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,帳號:{0}只能通過股票的交易進行更新
-DocType: Program Enrollment,Get Courses,獲取課程
+DocType: Student Group Creation Tool,Get Courses,獲取課程
DocType: GL Entry,Party,黨
DocType: Sales Order,Delivery Date,交貨日期
DocType: Opportunity,Opportunity Date,機會日期
@@ -3556,14 +3581,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,詢價項目
DocType: Purchase Order,To Bill,發票待輸入
DocType: Material Request,% Ordered,% 已訂購
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",對於基於課程的學生小組,課程將從入學課程中的每個學生確認。
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date",用逗號分隔的輸入電子郵件地址,發票就會自動在特定日期郵寄
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,計件工作
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,計件工作
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,平均。買入價
DocType: Task,Actual Time (in Hours),實際時間(小時)
DocType: Employee,History In Company,公司歷史
apps/erpnext/erpnext/config/learn.py +107,Newsletters,簡訊
DocType: Stock Ledger Entry,Stock Ledger Entry,庫存總帳條目
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,客戶>客戶群>領土
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,同一項目已進入多次
DocType: Department,Leave Block List,休假區塊清單
DocType: Sales Invoice,Tax ID,稅號
@@ -3574,29 +3599,28 @@
DocType: Opportunity,To Discuss,為了討論
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0}單位{1}在{2}完成此交易所需。
DocType: SMS Settings,SMS Settings,簡訊設定
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,臨時帳戶
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,臨時帳戶
DocType: BOM Explosion Item,BOM Explosion Item,BOM展開項目
DocType: Account,Auditor,核數師
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,生產{0}項目
DocType: Cheque Print Template,Distance from top edge,從頂邊的距離
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,價格表{0}禁用或不存在
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,價格表{0}禁用或不存在
DocType: Purchase Invoice,Return,退貨
DocType: Production Order Operation,Production Order Operation,生產訂單操作
DocType: Pricing Rule,Disable,關閉
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,付款方式需要進行付款
DocType: Project Task,Pending Review,待審核
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1}未註冊批次{2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}",資產{0}不能被廢棄,因為它已經是{1}
DocType: Task,Total Expense Claim (via Expense Claim),總費用報銷(通過費用報銷)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,客戶ID
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,馬克缺席
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},行{0}:BOM#的貨幣{1}應等於所選貨幣{2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},行{0}:BOM#的貨幣{1}應等於所選貨幣{2}
DocType: Journal Entry Account,Exchange Rate,匯率
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,銷售訂單{0}未提交
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,銷售訂單{0}未提交
DocType: Homepage,Tag Line,標語
DocType: Fee Component,Fee Component,收費組件
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,車隊的管理
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,新增項目從
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},倉庫{0}:父帳戶{1}不屬於該公司{2}
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,所有評估標準的權重總數要達到100%
DocType: BOM,Last Purchase Rate,最後預訂價
DocType: Account,Asset,財富
@@ -3604,11 +3628,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,股票可以為項目不存在{0},因為有變種
,Sales Person-wise Transaction Summary,銷售人員相關的交易匯總
DocType: Training Event,Contact Number,聯繫電話
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,倉庫{0}不存在
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,倉庫{0}不存在
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,立即註冊ERPNext中心
DocType: Monthly Distribution,Monthly Distribution Percentages,每月分佈百分比
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,所選項目不能批
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry",估值率未找到項{0},這是需要做用於記帳條目{1} {2}。如果該項目交易作為樣本項目{1},請提及的是,在{1}項目表。否則,請創建傳入股票的交易在項目記錄的項目或提估價率,然後嘗試submiting /取消此條
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry",估值率未找到項{0},這是需要做用於記帳條目{1} {2}。如果該項目交易作為樣本項目{1},請提及的是,在{1}項目表。否則,請創建傳入股票的交易在項目記錄的項目或提估價率,然後嘗試submiting /取消此條
DocType: Delivery Note,% of materials delivered against this Delivery Note,針對這張送貨單物料已交貨的百分比(%)
DocType: Project,Customer Details,客戶詳細資訊
DocType: Employee,Reports to,隸屬於
@@ -3616,20 +3640,21 @@
DocType: SMS Settings,Enter url parameter for receiver nos,輸入URL參數的接收器號
DocType: Payment Entry,Paid Amount,支付的金額
DocType: Assessment Plan,Supervisor,監
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,線上
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,線上
,Available Stock for Packing Items,可用庫存包裝項目
DocType: Item Variant,Item Variant,項目變
DocType: Assessment Result Tool,Assessment Result Tool,評價結果工具
DocType: BOM Scrap Item,BOM Scrap Item,BOM項目廢料
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,提交的訂單不能被刪除
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",帳戶餘額已歸為借方帳戶,不允許設為信用帳戶
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,品質管理
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,提交的訂單不能被刪除
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",帳戶餘額已歸為借方帳戶,不允許設為信用帳戶
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,品質管理
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,項{0}已被禁用
DocType: Employee Loan,Repay Fixed Amount per Period,償還每期固定金額
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},請輸入項目{0}的量
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,信用證
DocType: Employee External Work History,Employee External Work History,員工對外工作歷史
DocType: Tax Rule,Purchase,採購
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,餘額數量
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,餘額數量
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,目標不能為空
DocType: Item Group,Parent Item Group,父項目群組
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0}for {1}
@@ -3640,16 +3665,17 @@
DocType: Training Event Employee,Invited,邀請
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,發現員工{0}對於給定的日期多個活動薪金結構
DocType: Opportunity,Next Contact,下一頁聯絡人
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,設置網關帳戶。
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,設置網關帳戶。
DocType: Employee,Employment Type,就業類型
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,固定資產
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,固定資產
DocType: Payment Entry,Set Exchange Gain / Loss,設置兌換收益/損失
+,GST Purchase Register,消費稅購買登記冊
,Cash Flow,現金周轉
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,申請期間不能跨兩個alocation記錄
DocType: Item Group,Default Expense Account,預設費用帳戶
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,學生的電子郵件ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,學生的電子郵件ID
DocType: Tax Rule,Sales Tax Template,銷售稅模板
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,選取要保存發票
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,選取要保存發票
DocType: Employee,Encashment Date,兌現日期
DocType: Training Event,Internet,互聯網
DocType: Account,Stock Adjustment,庫存調整
@@ -3676,7 +3702,7 @@
DocType: Guardian,Guardian Of ,守護者
DocType: Grading Scale Interval,Threshold,閾
DocType: BOM Replace Tool,Current BOM,當前BOM表
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,添加序列號
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,添加序列號
apps/erpnext/erpnext/config/support.py +22,Warranty,保證
DocType: Purchase Invoice,Debit Note Issued,借記發行說明
DocType: Production Order,Warehouses,倉庫
@@ -3684,19 +3710,19 @@
apps/erpnext/erpnext/stock/doctype/item/item.js +66,This Item is a Variant of {0} (Template).,此項目是{0}(模板)的變體。
DocType: Workstation,per hour,每小時
apps/erpnext/erpnext/config/buying.py +7,Purchasing,購買
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,帳戶倉庫(永續盤存)將在該帳戶下新增。
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,這個倉庫不能被刪除,因為庫存分錄帳尚存在。
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",對於基於批次的學生組,學生批次將由課程註冊中的每位學生進行驗證。
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,這個倉庫不能被刪除,因為庫存分錄帳尚存在。
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,已支付的款項
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,專案經理
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,專案經理
,Quoted Item Comparison,項目報價比較
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,調度
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,{0}允許的最大折扣:{1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,調度
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,{0}允許的最大折扣:{1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,淨資產值作為
DocType: Account,Receivable,應收賬款
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,行#{0}:不能更改供應商的採購訂單已經存在
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,行#{0}:不能更改供應商的採購訂單已經存在
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,此角色是允許提交超過所設定信用額度的交易。
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,選擇項目,以製造
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time",主數據同步,這可能需要一些時間
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,選擇項目,以製造
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time",主數據同步,這可能需要一些時間
DocType: Item,Material Issue,發料
DocType: Hub Settings,Seller Description,賣家描述
DocType: Employee Education,Qualification,合格
@@ -3714,7 +3740,6 @@
DocType: Journal Entry,Write Off Entry,核銷進入
DocType: BOM,Rate Of Materials Based On,材料成本基於
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,支援分析
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},公司在倉庫缺少{0}
DocType: POS Profile,Terms and Conditions,條款和條件
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},日期應該是在財政年度內。假設終止日期= {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc",在這裡,你可以保持身高,體重,過敏,醫療問題等
@@ -3726,15 +3751,14 @@
DocType: Production Planning Tool,Material Request For Warehouse,倉庫材料需求
DocType: Sales Order Item,For Production,對於生產
DocType: Project Task,View Task,查看任務
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,您的會計年度自
,Asset Depreciations and Balances,資產折舊和平衡
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},金額{0} {1}從轉移{2}到{3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},金額{0} {1}從轉移{2}到{3}
DocType: Sales Invoice,Get Advances Received,取得預先付款
DocType: Email Digest,Add/Remove Recipients,添加/刪除收件人
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},交易不反對停止生產訂單允許{0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},交易不反對停止生產訂單允許{0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",要設定這個財政年度為預設值,點擊“設為預設”
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,短缺數量
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,項目變種{0}存在具有相同屬性
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,項目變種{0}存在具有相同屬性
DocType: Employee Loan,Repay from Salary,從工資償還
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},請求對付款{0} {1}量{2}
DocType: Salary Slip,Salary Slip,工資單
@@ -3744,33 +3768,32 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.",產生交貨的包裝單。用於通知箱號,內容及重量。
DocType: Sales Invoice Item,Sales Order Item,銷售訂單項目
DocType: Salary Slip,Payment Days,付款日
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,與子節點倉庫不能轉換為分類賬
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,與子節點倉庫不能轉換為分類賬
DocType: BOM,Manage cost of operations,管理作業成本
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.",當任何選取的交易都是“已提交”時,郵件會自動自動打開,發送電子郵件到相關的“聯絡人”通知相關交易,並用該交易作為附件。用戶可決定是否發送電子郵件。
apps/erpnext/erpnext/config/setup.py +14,Global Settings,全局設置
DocType: Assessment Result Detail,Assessment Result Detail,評價結果詳細
DocType: Employee Education,Employee Education,員工教育
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,在項目組表中找到重複的項目組
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,需要獲取項目細節。
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,需要獲取項目細節。
DocType: Salary Slip,Net Pay,淨收費
DocType: Account,Account,帳戶
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,已收到序號{0}
,Requested Items To Be Transferred,將要轉倉的需求項目
DocType: Expense Claim,Vehicle Log,車輛登錄
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.",倉庫{0}不會鏈接到任何帳戶,請創建/鏈接對應的(資產)佔倉庫。
DocType: Purchase Invoice,Recurring Id,經常性標識
DocType: Customer,Sales Team Details,銷售團隊詳細
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,永久刪除?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,永久刪除?
DocType: Expense Claim,Total Claimed Amount,總索賠額
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,潛在的銷售機會。
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},無效的{0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},無效的{0}
DocType: Email Digest,Email Digest,電子郵件摘要
DocType: Delivery Note,Billing Address Name,帳單地址名稱
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,百貨
DocType: Warehouse,PIN,銷
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,設置你的ERPNext學校
DocType: Sales Invoice,Base Change Amount (Company Currency),基地漲跌額(公司幣種)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,沒有以下的倉庫會計分錄
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,沒有以下的倉庫會計分錄
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,首先保存文檔。
DocType: Account,Chargeable,收費
DocType: Company,Change Abbreviation,更改縮寫
@@ -3785,7 +3808,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,預計交貨日期不能早於採購訂單日期
DocType: Appraisal,Appraisal Template,評估模板
DocType: Item Group,Item Classification,項目分類
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,業務發展經理
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,業務發展經理
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,維護訪問目的
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,期間
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,總帳
@@ -3794,8 +3817,8 @@
DocType: Item Attribute Value,Attribute Value,屬性值
,Itemwise Recommended Reorder Level,Itemwise推薦級別重新排序
DocType: Salary Detail,Salary Detail,薪酬詳細
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,請先選擇{0}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,一批項目的{0} {1}已過期。
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,請先選擇{0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,一批項目的{0} {1}已過期。
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,時間表製造。
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,小計
DocType: Salary Detail,Default Amount,違約金額
@@ -3804,6 +3827,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`凍結股票早於`應該是少於%d天。
DocType: Tax Rule,Purchase Tax Template,購置稅模板
,Project wise Stock Tracking,項目明智的庫存跟踪
+DocType: GST HSN Code,Regional,區域性
DocType: Stock Entry Detail,Actual Qty (at source/target),實際的數量(於 來源/目標)
DocType: Item Customer Detail,Ref Code,參考代碼
apps/erpnext/erpnext/config/hr.py +12,Employee records.,員工記錄。
@@ -3814,13 +3838,13 @@
DocType: Email Digest,New Purchase Orders,新的採購訂單
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,root不能有一個父成本中心
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,選擇品牌...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,培訓活動/結果
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,作為累計折舊
DocType: Sales Invoice,C-Form Applicable,C-表格適用
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},運行時間必須大於0的操作{0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,倉庫是強制性的
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,倉庫是強制性的
DocType: Supplier,Address and Contacts,地址和聯絡方式
DocType: UOM Conversion Detail,UOM Conversion Detail,計量單位換算詳細
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),900px (寬)x 100像素(高)
DocType: Program,Program Abbreviation,計劃縮寫
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,生產訂單不能對一個項目提出的模板
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,費用對在採購入庫單內的每個項目更新
@@ -3828,13 +3852,13 @@
DocType: Bank Guarantee,Start Date,開始日期
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,離開一段時間。
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,支票及存款不正確清除
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,帳戶{0}:你不能指定自己為父帳戶
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,帳戶{0}:你不能指定自己為父帳戶
DocType: Purchase Invoice Item,Price List Rate,價格列表費率
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,創建客戶報價
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",基於倉庫內存貨的狀態顯示「有或」或「無貨」。
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),材料清單(BOM)
DocType: Item,Average time taken by the supplier to deliver,採取供應商的平均時間交付
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,評價結果
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,評價結果
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,小時
DocType: Project,Expected Start Date,預計開始日期
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,刪除項目,如果收費並不適用於該項目
@@ -3847,21 +3871,20 @@
DocType: Workstation,Operating Costs,運營成本
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,如果積累了每月預算超出行動
DocType: Purchase Invoice,Submit on creation,提交關於創建
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},貨幣{0}必須{1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},貨幣{0}必須{1}
DocType: Asset,Disposal Date,處置日期
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",電子郵件將在指定的時間發送給公司的所有在職職工,如果他們沒有假期。回复摘要將在午夜被發送。
DocType: Employee Leave Approver,Employee Leave Approver,員工請假審批
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},行{0}:一個重新排序條目已存在這個倉庫{1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},行{0}:一個重新排序條目已存在這個倉庫{1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.",不能聲明為丟失,因為報價已經取得進展。
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,培訓反饋
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,生產訂單{0}必須提交
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,生產訂單{0}必須提交
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},請選擇項目{0}的開始日期和結束日期
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},當然是行強制性{0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,無效的主名稱
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,新增 / 編輯價格
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,新增 / 編輯價格
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,成本中心的圖
,Requested Items To Be Ordered,將要採購的需求項目
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,倉庫的公司必須同客戶公司
DocType: Price List,Price List Name,價格列表名稱
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},每日工作總結{0}
DocType: Employee Loan,Totals,總計
@@ -3881,53 +3904,55 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,請輸入有效的手機號
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,在發送前,請填寫留言
DocType: Email Digest,Pending Quotations,待語錄
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,簡介銷售點的
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,簡介銷售點的
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,請更新簡訊設定
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,無抵押貸款
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,無抵押貸款
DocType: Cost Center,Cost Center Name,成本中心名稱
DocType: HR Settings,Max working hours against Timesheet,最大工作時間針對時間表
DocType: Maintenance Schedule Detail,Scheduled Date,預定日期
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,數金額金額
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,數金額金額
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,大於160個字元的訊息將被分割成多個訊息送出
DocType: Purchase Receipt Item,Received and Accepted,收貨及允收
+,GST Itemised Sales Register,消費稅商品銷售登記冊
,Serial No Service Contract Expiry,序號服務合同到期
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,你無法將貸方與借方在同一時間記在同一帳戶
DocType: Naming Series,Help HTML,HTML幫助
DocType: Student Group Creation Tool,Student Group Creation Tool,學生組創建工具
DocType: Item,Variant Based On,基於變異對
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},分配的總權重應為100 % 。這是{0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,您的供應商
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,您的供應商
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,不能設置為失落的銷售訂單而成。
DocType: Request for Quotation Item,Supplier Part No,供應商部件號
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',當類是“估值”或“Vaulation和總'不能扣除
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,從......收到
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,從......收到
DocType: Lead,Converted,轉換
DocType: Item,Has Serial No,有序列號
DocType: Employee,Date of Issue,發行日期
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}:從{0}給 {1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",根據購買設置,如果需要購買記錄==“是”,則為了創建採購發票,用戶需要首先為項目{0}創建採購憑證
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},行#{0}:設置供應商項目{1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,行{0}:小時值必須大於零。
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,網站圖像{0}附加到物品{1}無法找到
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,網站圖像{0}附加到物品{1}無法找到
DocType: Issue,Content Type,內容類型
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,電腦
DocType: Item,List this Item in multiple groups on the website.,列出這個項目在網站上多個組。
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,請檢查多幣種選項,允許帳戶與其他貨幣
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,項:{0}不存在於系統中
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,您無權設定值凍結
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,項:{0}不存在於系統中
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,您無權設定值凍結
DocType: Payment Reconciliation,Get Unreconciled Entries,獲取未調節項
DocType: Payment Reconciliation,From Invoice Date,從發票日期
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,結算幣種必須等於要么默認業公司的貨幣或一方賬戶貨幣
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,離開兌現
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,它有什麼作用?
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,結算幣種必須等於要么默認業公司的貨幣或一方賬戶貨幣
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,離開兌現
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,它有什麼作用?
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,到倉庫
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,所有學生入學
,Average Commission Rate,平均佣金比率
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,非庫存項目不能有序號
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,非庫存項目不能有序號
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,考勤不能標記為未來的日期
DocType: Pricing Rule,Pricing Rule Help,定價規則說明
DocType: Purchase Taxes and Charges,Account Head,帳戶頭
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,更新額外成本來計算項目的到岸成本
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,電子的
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,電子的
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,添加您的組織的其餘部分用戶。您還可以添加邀請客戶到您的門戶網站通過從聯繫人中添加它們
DocType: Stock Entry,Total Value Difference (Out - In),總價值差(輸出 - )
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,行{0}:匯率是必須的
@@ -3937,7 +3962,7 @@
DocType: Item,Customer Code,客戶代碼
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},生日提醒{0}
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,天自上次訂購
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,借方帳戶必須是資產負債表科目
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,借方帳戶必須是資產負債表科目
DocType: Leave Block List,Leave Block List Name,休假區塊清單名稱
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,保險開始日期應小於保險終止日期
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +32,Stock Assets,庫存資產
@@ -3950,27 +3975,27 @@
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +27,Closing Account {0} must be of type Liability / Equity,關閉帳戶{0}的類型必須是負債/權益
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},員工的工資單{0}已為時間表創建{1}
DocType: Sales Order Item,Ordered Qty,訂購數量
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,項目{0}無效
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,項目{0}無效
DocType: Stock Settings,Stock Frozen Upto,存貨凍結到...為止
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM不包含任何庫存項目
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM不包含任何庫存項目
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},期間從和週期要日期強制性的經常性{0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,專案活動/任務。
DocType: Vehicle Log,Refuelling Details,加油詳情
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,生成工資條
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}",採購必須進行檢查,如果適用於被選擇為{0}
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}",採購必須進行檢查,如果適用於被選擇為{0}
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,折扣必須小於100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,最後購買率未找到
DocType: Purchase Invoice,Write Off Amount (Company Currency),核銷金額(公司貨幣)
DocType: Sales Invoice Timesheet,Billing Hours,結算時間
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,默認BOM {0}未找到
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,行#{0}:請設置再訂購數量
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,行#{0}:請設置再訂購數量
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,點擊項目將其添加到此處
DocType: Fees,Program Enrollment,招生計劃
DocType: Landed Cost Voucher,Landed Cost Voucher,到岸成本憑證
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},請設置{0}
DocType: Purchase Invoice,Repeat on Day of Month,在月內的一天重複
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1}是非活動學生
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1}是非活動學生
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1}是非活動學生
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1}是非活動學生
DocType: Employee,Health Details,健康細節
DocType: Offer Letter,Offer Letter Terms,報價函條款
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,要創建付款請求參考文檔是必需的
@@ -3992,14 +4017,14 @@
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","例如:ABCD #####
如果串聯設定並且序列號沒有在交易中提到,然後自動序列號將在此基礎上創建的系列。如果你總是想明確提到序號為這個項目。留空。"
DocType: Upload Attendance,Upload Attendance,上傳考勤
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM和生產量是必需的
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM和生產量是必需的
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,老齡範圍2
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM取代
,Sales Analytics,銷售分析
DocType: Manufacturing Settings,Manufacturing Settings,製造設定
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,設定電子郵件
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1手機號碼
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,請在公司主檔輸入預設貨幣
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1手機號碼
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,請在公司主檔輸入預設貨幣
DocType: Stock Entry Detail,Stock Entry Detail,存貨分錄明細
DocType: Products Settings,Home Page is Products,首頁是產品頁
,Asset Depreciation Ledger,資產減值總帳
@@ -4007,7 +4032,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,新帳號名稱
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,原料供應成本
DocType: Selling Settings,Settings for Selling Module,設置銷售模塊
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,顧客服務
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,顧客服務
DocType: BOM,Thumbnail,縮略圖
DocType: Item Customer Detail,Item Customer Detail,項目客戶詳細
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,報價候選作業。
@@ -4015,7 +4040,7 @@
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +88,Total allocated leaves are more than days in the period,分配的總葉多天的期限
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,項{0}必須是一個缺貨登記
DocType: Manufacturing Settings,Default Work In Progress Warehouse,預設在製品倉庫
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,會計交易的預設設定。
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,會計交易的預設設定。
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,訊息大於160個字符將會被分成多個訊息
DocType: Purchase Invoice Item,Stock Qty,庫存數量
DocType: Purchase Invoice Item,Stock Qty,庫存數量
@@ -4028,10 +4053,10 @@
DocType: Sales Order,Printing Details,印刷詳情
DocType: Task,Closing Date,截止日期
DocType: Sales Order Item,Produced Quantity,生產的產品數量
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,工程師
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,工程師
DocType: Journal Entry,Total Amount Currency,總金額幣種
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,搜索子組件
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},於列{0}需要產品編號
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},於列{0}需要產品編號
DocType: Sales Partner,Partner Type,合作夥伴類型
DocType: Purchase Taxes and Charges,Actual,實際
DocType: Authorization Rule,Customerwise Discount,Customerwise折扣
@@ -4049,7 +4074,7 @@
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,甘特圖
DocType: Employee,Applicable Holiday List,適用假期表
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,系列更新
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,報告類型是強制性的
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,報告類型是強制性的
DocType: Item,Serial Number Series,序列號系列
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},倉庫是強制性的股票項目{0}行{1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,零售及批發
@@ -4068,7 +4093,7 @@
apps/erpnext/erpnext/public/js/pos/pos.html +106,Stock Items,庫存產品
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",如果未選取,則該列表將被加到每個應被應用到的部門。
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,源和目標倉庫不能相同
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,登錄日期和登錄時間是必需的
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,登錄日期和登錄時間是必需的
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,稅務模板購買交易。
,Item Prices,產品價格
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,採購訂單一被儲存,就會顯示出來。
@@ -4077,12 +4102,12 @@
DocType: Purchase Invoice,Advance Payments,預付款
DocType: Purchase Taxes and Charges,On Net Total,在總淨
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},為屬性{0}值必須的範圍內{1}到{2}中的增量{3}為項目{4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,行目標倉庫{0}必須與生產訂單
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,行目標倉庫{0}必須與生產訂單
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,重複%的“通知用電子郵件地址”尚未指定
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,貨幣不能使用其他貨幣進行輸入後更改
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,貨幣不能使用其他貨幣進行輸入後更改
DocType: Vehicle Service,Clutch Plate,離合器壓盤
DocType: Company,Round Off Account,四捨五入賬戶
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,行政開支
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,行政開支
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,諮詢
DocType: Customer Group,Parent Customer Group,母客戶群組
DocType: Purchase Invoice,Contact Email,聯絡電郵
@@ -4092,6 +4117,7 @@
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,新銷售人員的姓名
DocType: Packing Slip,Gross Weight UOM,毛重計量單位
DocType: Delivery Note Item,Against Sales Invoice,對銷售發票
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,請輸入序列號序列號
DocType: Bin,Reserved Qty for Production,預留數量生產
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,如果您不想在製作基於課程的組時考慮批量,請不要選中。
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,如果您不想在製作基於課程的組時考慮批量,請不要選中。
@@ -4100,23 +4126,23 @@
DocType: Landed Cost Item,Landed Cost Item,到岸成本項目
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,顯示零值
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,製造/從原材料數量給予重新包裝後獲得的項目數量
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,設置一個簡單的網站為我的組織
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,設置一個簡單的網站為我的組織
DocType: Payment Reconciliation,Receivable / Payable Account,應收/應付賬款
DocType: Delivery Note Item,Against Sales Order Item,對銷售訂單項目
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},請指定屬性值的屬性{0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},請指定屬性值的屬性{0}
DocType: Item,Default Warehouse,預設倉庫
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},不能指定預算給群組帳目{0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,請輸入父成本中心
DocType: Delivery Note,Print Without Amount,列印表單時不印金額
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,折舊日期
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,稅務類別不能為'估值'或'估值及總,因為所有的項目都是非庫存產品
DocType: Issue,Support Team,支持團隊
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),到期(天數)
DocType: Appraisal,Total Score (Out of 5),總分(滿分5分)
-DocType: Program Enrollment,Batch,批量
+DocType: Student Attendance Tool,Batch,批量
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,餘額
DocType: Room,Seating Capacity,座位數
DocType: Project,Total Expense Claim (via Expense Claims),總費用報銷(通過費用報銷)
+DocType: GST Settings,GST Summary,消費稅總結
DocType: Assessment Result,Total Score,總得分
DocType: Journal Entry,Debit Note,繳費單
DocType: Stock Entry,As per Stock UOM,按庫存計量單位
@@ -4127,10 +4153,11 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,預設成品倉庫
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,銷售人員
DocType: SMS Parameter,SMS Parameter,短信參數
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,預算和成本中心
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,預算和成本中心
DocType: Lead,Blog Subscriber,網誌訂閱者
DocType: Guardian,Alternate Number,備用號碼
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,創建規則來限制基於價值的交易。
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,組卷號
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,如果您每年製作學生團體,請留空
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,如果您每年製作學生團體,請留空
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day",如果選中,則總數。工作日將包括節假日,這將縮短每天的工資的價值
@@ -4150,6 +4177,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,這是基於對這個顧客的交易。詳情請參閱以下時間表
DocType: Supplier,Credit Days Based On,信貸天基於
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},行{0}:分配金額{1}必須小於或等於輸入付款金額{2}
+,Course wise Assessment Report,課程明智的評估報告
DocType: Tax Rule,Tax Rule,稅務規則
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,保持同樣的速度在整個銷售週期
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,在工作站的工作時間以外計畫時間日誌。
@@ -4158,24 +4186,25 @@
,Items To Be Requested,需求項目
DocType: Purchase Order,Get Last Purchase Rate,取得最新採購價格
DocType: Company,Company Info,公司資訊
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,選擇或添加新客戶
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,選擇或添加新客戶
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,成本中心需要預訂費用報銷
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),基金中的應用(資產)
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,這是基於該員工的考勤
DocType: Fiscal Year,Year Start Date,年結開始日期
DocType: Attendance,Employee Name,員工姓名
DocType: Sales Invoice,Rounded Total (Company Currency),整數總計(公司貨幣)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,不能隱蔽到組,因為帳戶類型選擇的。
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,不能隱蔽到組,因為帳戶類型選擇的。
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1} 已修改。請更新。
DocType: Leave Block List,Stop users from making Leave Applications on following days.,停止用戶在下面日期提出休假申請。
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,購買金額
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,供應商報價{0}創建
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,結束年份不能啟動年前
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,員工福利
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,員工福利
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},盒裝數量必須等於{1}列品項{0}的數量
DocType: Production Order,Manufactured Qty,生產數量
DocType: Purchase Receipt Item,Accepted Quantity,允收數量
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},請設置一個默認的假日列表為員工{0}或公司{1}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,選擇批號
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,客戶提出的賬單。
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,項目編號
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},行無{0}:金額不能大於金額之前對報銷{1}。待審核金額為{2}
@@ -4184,7 +4213,7 @@
DocType: Quality Inspection Reading,Reading 3,閱讀3
,Hub,樞紐
DocType: GL Entry,Voucher Type,憑證類型
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,價格表未找到或被禁用
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,價格表未找到或被禁用
DocType: Employee Loan Application,Approved,批准
DocType: Pricing Rule,Price,價格
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',員工解除對{0}必須設定為“左”
@@ -4193,7 +4222,8 @@
apps/erpnext/erpnext/public/js/pos/pos.html +80,Del,德爾
DocType: Selling Settings,Campaign Naming By,活動命名由
DocType: Employee,Current Address Is,當前地址是
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.",可選。設置公司的默認貨幣,如果沒有指定。
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.",可選。設置公司的默認貨幣,如果沒有指定。
+DocType: Sales Invoice,Customer GSTIN,客戶GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,會計日記帳分錄。
DocType: Delivery Note Item,Available Qty at From Warehouse,可用數量從倉庫
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,請選擇員工記錄第一。
@@ -4201,7 +4231,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},行{0}:甲方/客戶不與匹配{1} / {2} {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,請輸入您的費用帳戶
DocType: Account,Stock,庫存
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",行#{0}:參考文件類型必須是採購訂單之一,購買發票或日記帳分錄
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",行#{0}:參考文件類型必須是採購訂單之一,購買發票或日記帳分錄
DocType: Employee,Current Address,當前地址
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified",如果項目是另一項目,然後描述,圖像,定價,稅費等會從模板中設定的一個變體,除非明確指定
DocType: Serial No,Purchase / Manufacture Details,採購/製造詳細資訊
@@ -4213,8 +4243,8 @@
DocType: Production Planning Tool,Pull sales orders (pending to deliver) based on the above criteria,基於上述標準拉銷售訂單(待定提供)
DocType: Pricing Rule,Min Qty,最小數量
DocType: Production Plan Item,Planned Qty,計劃數量
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,總稅收
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,對於數量(製造數量)是強制性的
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,總稅收
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,對於數量(製造數量)是強制性的
DocType: Stock Entry,Default Target Warehouse,預設目標倉庫
DocType: Purchase Invoice,Net Total (Company Currency),總淨值(公司貨幣)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,年末日期不能超過年度開始日期。請更正日期,然後再試一次。
@@ -4226,35 +4256,31 @@
apps/erpnext/erpnext/config/stock.py +12,Record item movement.,記錄項目移動。
DocType: Hub Settings,Hub Settings,中心設定
DocType: BOM,With Operations,加入作業
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,會計分錄已取得貨幣{0}為公司{1}。請選擇一個應收或應付賬戶幣種{0}。
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,會計分錄已取得貨幣{0}為公司{1}。請選擇一個應收或應付賬戶幣種{0}。
DocType: Asset,Is Existing Asset,是對現有資產
DocType: Salary Detail,Statistical Component,統計組成部分
DocType: Salary Detail,Statistical Component,統計組成部分
-,Monthly Salary Register,月薪註冊
DocType: Warranty Claim,If different than customer address,如果與客戶地址不同
DocType: BOM Operation,BOM Operation,BOM的操作
-DocType: School Settings,Validate the Student Group from Program Enrollment,從計劃入學驗證學生組
-DocType: School Settings,Validate the Student Group from Program Enrollment,從計劃入學驗證學生組
DocType: Purchase Taxes and Charges,On Previous Row Amount,在上一行金額
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,轉讓資產
DocType: POS Profile,POS Profile,POS簡介
DocType: Training Event,Event Name,事件名稱
apps/erpnext/erpnext/config/schools.py +39,Admission,入場
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.",季節性設置預算,目標等。
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants",項目{0}是一個模板,請選擇它的一個變體
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.",季節性設置預算,目標等。
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants",項目{0}是一個模板,請選擇它的一個變體
DocType: Asset,Asset Category,資產類別
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,購買者
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,淨工資不能為負
DocType: SMS Settings,Static Parameters,靜態參數
DocType: Assessment Plan,Room,房間
DocType: Purchase Order,Advance Paid,提前支付
DocType: Item,Item Tax,產品稅
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,材料到供應商
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,消費稅發票
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,消費稅發票
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}出現%不止一次
DocType: Expense Claim,Employees Email Id,員工的電子郵件ID
DocType: Employee Attendance Tool,Marked Attendance,明顯考勤
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,流動負債
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,流動負債
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,發送群發短信到您的聯絡人
DocType: Program,Program Name,程序名稱
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,考慮稅收或收費
@@ -4276,7 +4302,7 @@
DocType: Stock Entry,Repack,重新包裝
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,在繼續之前,您必須儲存表單
DocType: Item Attribute,Numeric Values,數字值
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,附加標誌
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,附加標誌
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,庫存水平
DocType: Customer,Commission Rate,佣金比率
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,按部門封鎖請假申請。
@@ -4284,7 +4310,7 @@
apps/erpnext/erpnext/templates/includes/cart/cart_dropdown.html +21,Cart is Empty,車是空的
DocType: Production Order,Actual Operating Cost,實際運行成本
DocType: Payment Entry,Cheque/Reference No,支票/參考編號
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,root不能被編輯。
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,root不能被編輯。
DocType: Item,Units of Measure,測量的單位
DocType: Manufacturing Settings,Allow Production on Holidays,允許假日生產
DocType: Sales Order,Customer's Purchase Order Date,客戶的採購訂單日期
@@ -4293,34 +4319,34 @@
DocType: Payment Gateway Account,Payment Gateway Account,網路支付閘道帳戶
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,支付完成後重定向用戶選擇的頁面。
DocType: Company,Existing Company,現有的公司
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",稅項類別已更改為“合計”,因為所有物品均為非庫存物品
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,請選擇一個csv文件
DocType: Student Leave Application,Mark as Present,標記為現
DocType: Purchase Order,To Receive and Bill,準備收料及接收發票
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,特色產品
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,設計師
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,設計師
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,條款及細則範本
DocType: Serial No,Delivery Details,交貨細節
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},成本中心是必需的行{0}稅表型{1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},成本中心是必需的行{0}稅表型{1}
DocType: Program,Program Code,程序代碼
DocType: Terms and Conditions,Terms and Conditions Help,條款和條件幫助
,Item-wise Purchase Register,項目明智的購買登記
DocType: Batch,Expiry Date,到期時間
-,Supplier Addresses and Contacts,供應商的地址和聯絡方式
,accounts-browser,賬戶瀏覽器
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,請先選擇分類
apps/erpnext/erpnext/config/projects.py +13,Project master.,專案主持。
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.",要允許對賬單或過度訂貨,庫存設置或更新項目“津貼”。
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.",要允許對賬單或過度訂貨,庫存設置或更新項目“津貼”。
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,不要顯示如$等任何貨幣符號。
DocType: Supplier,Credit Days,信貸天
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,讓學生批
DocType: Leave Type,Is Carry Forward,是弘揚
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,從物料清單取得項目
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,從物料清單取得項目
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,交貨期天
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},行#{0}:過帳日期必須是相同的購買日期{1}資產的{2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},行#{0}:過帳日期必須是相同的購買日期{1}資產的{2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,請在上表中輸入銷售訂單
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,未提交工資單
,Stock Summary,股票摘要
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,從一個倉庫轉移資產到另一
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,從一個倉庫轉移資產到另一
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,材料清單
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},行{0}:黨的類型和黨的需要應收/應付帳戶{1}
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +94,Ref Date,參考日期
@@ -4329,6 +4355,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,制裁金額
DocType: GL Entry,Is Opening,是開幕
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},行{0}:借方條目不能與{1}連接
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,帳戶{0}不存在
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,帳戶{0}不存在
DocType: Account,Cash,現金
DocType: Employee,Short biography for website and other publications.,網站和其他出版物的短的傳記。
diff --git a/erpnext/translations/zh.csv b/erpnext/translations/zh.csv
index e1d29f7..10f3b77 100644
--- a/erpnext/translations/zh.csv
+++ b/erpnext/translations/zh.csv
@@ -6,10 +6,10 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +19,Consumer Products,消费类产品
DocType: Item,Customer Items,客户项目
DocType: Project,Costing and Billing,成本核算和计费
-apps/erpnext/erpnext/accounts/doctype/account/account.py +53,Account {0}: Parent account {1} can not be a ledger,科目{0}的上级科目{1}不能是分类账
+apps/erpnext/erpnext/accounts/doctype/account/account.py +52,Account {0}: Parent account {1} can not be a ledger,科目{0}的上级科目{1}不能是分类账
DocType: Item,Publish Item to hub.erpnext.com,发布项目hub.erpnext.com
apps/erpnext/erpnext/config/setup.py +88,Email Notifications,邮件通知
-apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +22,Evaluation,评估
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +26,Evaluation,评估
DocType: Item,Default Unit of Measure,默认计量单位
DocType: SMS Center,All Sales Partner Contact,所有的销售合作伙伴联系人
DocType: Employee,Leave Approvers,假期审批人
@@ -36,7 +36,7 @@
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +43,Exchange Rate must be same as {0} {1} ({2}),汇率必须一致{0} {1}({2})
DocType: Sales Invoice,Customer Name,客户名称
DocType: Vehicle,Natural Gas,天然气
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +130,Bank account cannot be named as {0},银行账户不能命名为{0}
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +131,Bank account cannot be named as {0},银行账户不能命名为{0}
DocType: Account,Heads (or groups) against which Accounting Entries are made and balances are maintained.,会计分录和维护余额操作针对的组(头)
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +196,Outstanding for {0} cannot be less than zero ({1}),杰出的{0}不能小于零( {1} )
DocType: Manufacturing Settings,Default 10 mins,默认为10分钟
@@ -51,28 +51,28 @@
DocType: SMS Center,All Supplier Contact,所有供应商联系人
DocType: Support Settings,Support Settings,支持设置
DocType: SMS Parameter,Parameter,参数
-apps/erpnext/erpnext/projects/doctype/project/project.py +62,Expected End Date can not be less than Expected Start Date,预计结束日期不能小于预期开始日期
+apps/erpnext/erpnext/projects/doctype/project/project.py +65,Expected End Date can not be less than Expected Start Date,预计结束日期不能小于预期开始日期
apps/erpnext/erpnext/utilities/transaction_base.py +110,Row #{0}: Rate must be same as {1}: {2} ({3} / {4}) ,行#{0}:速率必须与{1}:{2}({3} / {4})
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +282,New Leave Application,新建假期申请
,Batch Item Expiry Status,批处理项到期状态
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +146,Bank Draft,银行汇票
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Bank Draft,银行汇票
DocType: Mode of Payment Account,Mode of Payment Account,付款方式账户
apps/erpnext/erpnext/stock/doctype/item/item.js +56,Show Variants,显示变体
DocType: Academic Term,Academic Term,学期
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +14,Material,材料
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +669,Quantity,数量
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +546,Accounts table cannot be blank.,账表不能为空。
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +152,Loans (Liabilities),借款(负债)
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Loans (Liabilities),借款(负债)
DocType: Employee Education,Year of Passing,按年排序
DocType: Item,Country of Origin,出生国家
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,In Stock,库存
+apps/erpnext/erpnext/templates/includes/product_page.js +24,In Stock,库存
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +46,Open Issues,开放式问题
DocType: Production Plan Item,Production Plan Item,生产计划项目
apps/erpnext/erpnext/hr/doctype/employee/employee.py +144,User {0} is already assigned to Employee {1},用户{0}已经被分配给员工{1}
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +31,Health Care,医疗保健
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +65,Delay in payment (Days),延迟支付(天)
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +26,Service Expense,服务费用
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +839,Serial Number: {0} is already referenced in Sales Invoice: {1},序号:{0}已在销售发票中引用:{1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +845,Serial Number: {0} is already referenced in Sales Invoice: {1},序号:{0}已在销售发票中引用:{1}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +808,Invoice,发票
DocType: Maintenance Schedule Item,Periodicity,周期性
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +21,Fiscal Year {0} is required,会计年度{0}是必需的
@@ -84,18 +84,18 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +75,Row # {0}:,行#{0}:
DocType: Timesheet,Total Costing Amount,总成本计算金额
DocType: Delivery Note,Vehicle No,车辆编号
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +150,Please select Price List,请选择价格表
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +153,Please select Price List,请选择价格表
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +78,Row #{0}: Payment document is required to complete the trasaction,列#{0}:付款单据才能完成trasaction
DocType: Production Order Operation,Work In Progress,在制品
apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +13,Please select date,请选择日期
DocType: Employee,Holiday List,假期列表
-apps/erpnext/erpnext/public/js/setup_wizard.js +210,Accountant,会计
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Accountant,会计
DocType: Cost Center,Stock User,库存用户
DocType: Company,Phone No,电话号码
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +50,Course Schedules created:,课程表创建:
apps/erpnext/erpnext/controllers/recurring_document.py +135,New {0}: #{1},新{0}:#{1}
,Sales Partners Commission,销售合作伙伴佣金
-apps/erpnext/erpnext/setup/doctype/company/company.py +44,Abbreviation cannot have more than 5 characters,缩写不能超过5个字符
+apps/erpnext/erpnext/setup/doctype/company/company.py +45,Abbreviation cannot have more than 5 characters,缩写不能超过5个字符
DocType: Payment Request,Payment Request,付钱请求
DocType: Asset,Value After Depreciation,折旧后
DocType: Employee,O+,O +
@@ -103,13 +103,14 @@
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +43,Attendance date can not be less than employee's joining date,考勤日期不得少于员工的加盟日期
DocType: Grading Scale,Grading Scale Name,分级标准名称
apps/erpnext/erpnext/accounts/doctype/account/account.js +26,This is a root account and cannot be edited.,这是一个root帐户,不能被编辑。
+DocType: Sales Invoice,Company Address,公司地址
DocType: BOM,Operations,操作
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +38,Cannot set authorization on basis of Discount for {0},不能为{0}设置折扣授权
DocType: Rename Tool,"Attach .csv file with two columns, one for the old name and one for the new name",附加.csv文件有两列,一为旧名称,一个用于新名称
apps/erpnext/erpnext/accounts/utils.py +73,{0} {1} not in any active Fiscal Year.,{0} {1} 没有在任何活动的财政年度中。
DocType: Packed Item,Parent Detail docname,家长可采用DocName细节
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +69,"Reference: {0}, Item Code: {1} and Customer: {2}",参考:{0},商品编号:{1}和顾客:{2}
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Kg,千克
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Kg,千克
DocType: Student Log,Log,日志
apps/erpnext/erpnext/config/hr.py +45,Opening for a Job.,开放的工作。
DocType: Item Attribute,Increment,增量
@@ -117,9 +118,9 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +6,Advertising,广告
apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +22,Same Company is entered more than once,同一家公司进入不止一次
DocType: Employee,Married,已婚
-apps/erpnext/erpnext/accounts/party.py +41,Not permitted for {0},不允许{0}
+apps/erpnext/erpnext/accounts/party.py +42,Not permitted for {0},不允许{0}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +560,Get items from,从获得项目
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +438,Stock cannot be updated against Delivery Note {0},送货单{0}不能更新库存
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +441,Stock cannot be updated against Delivery Note {0},送货单{0}不能更新库存
apps/erpnext/erpnext/templates/pages/home.py +25,Product {0},产品{0}
apps/erpnext/erpnext/templates/generators/item_group.html +43,No items listed,没有列出项目
DocType: Payment Reconciliation,Reconcile,对账
@@ -130,25 +131,25 @@
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +88,Next Depreciation Date cannot be before Purchase Date,接下来折旧日期不能购买日期之前
DocType: SMS Center,All Sales Person,所有的销售人员
DocType: Monthly Distribution,**Monthly Distribution** helps you distribute the Budget/Target across months if you have seasonality in your business.,**月度分配**帮助你分配预算/目标跨越几个月,如果你在你的业务有季节性。
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1642,Not items found,未找到项目
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1673,Not items found,未找到项目
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +178,Salary Structure Missing,薪酬结构缺失
DocType: Lead,Person Name,人姓名
DocType: Sales Invoice Item,Sales Invoice Item,销售发票品目
DocType: Account,Credit,贷方
DocType: POS Profile,Write Off Cost Center,核销成本中心
-apps/erpnext/erpnext/public/js/setup_wizard.js +51,"e.g. ""Primary School"" or ""University""",如“小学”或“大学”
+apps/erpnext/erpnext/public/js/setup_wizard.js +97,"e.g. ""Primary School"" or ""University""",如“小学”或“大学”
apps/erpnext/erpnext/config/stock.py +32,Stock Reports,库存报告
DocType: Warehouse,Warehouse Detail,仓库详细信息
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +154,Credit limit has been crossed for customer {0} {1}/{2},客户{0} 的信用额度已经越过 {1} / {2}
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +161,Credit limit has been crossed for customer {0} {1}/{2},客户{0} 的信用额度已经越过 {1} / {2}
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +33,The Term End Date cannot be later than the Year End Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,该期限结束日期不能晚于学年年终日期到这个词联系在一起(学年{})。请更正日期,然后再试一次。
-apps/erpnext/erpnext/stock/doctype/item/item.py +472,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",是固定资产不能被反选,因为存在资产记录的项目
+apps/erpnext/erpnext/stock/doctype/item/item.py +473,"""Is Fixed Asset"" cannot be unchecked, as Asset record exists against the item",是固定资产不能被反选,因为存在资产记录的项目
DocType: Vehicle Service,Brake Oil,刹车油
DocType: Tax Rule,Tax Type,税收类型
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +160,You are not authorized to add or update entries before {0},你没有权限在{0}前添加或更改分录。
DocType: BOM,Item Image (if not slideshow),项目图片(如果没有指定幻灯片)
apps/erpnext/erpnext/setup/doctype/customer_group/customer_group.py +20,An Customer exists with same name,同名客户已存在
DocType: Production Order Operation,(Hour Rate / 60) * Actual Operation Time,(小时率/ 60)*实际操作时间
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +890,Select BOM,选择BOM
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +867,Select BOM,选择BOM
DocType: SMS Log,SMS Log,短信日志
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Delivered Items,交付品目成本
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +38,The holiday on {0} is not between From Date and To Date,在{0}这个节日之间没有从日期和结束日期
@@ -159,14 +160,14 @@
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +28,From {0} to {1},从{0}至 {1}
DocType: Item,Copy From Item Group,从品目组复制
DocType: Journal Entry,Opening Entry,开放报名
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,客户>客户群>地区
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +25,Account Pay Only,账户只需支付
DocType: Employee Loan,Repay Over Number of Periods,偿还期的超过数
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1}不会在给定的{2}中注册
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +37,{0} - {1} is not enrolled in the given {2},{0} - {1}不会在给定的{2}中注册
DocType: Stock Entry,Additional Costs,额外费用
-apps/erpnext/erpnext/accounts/doctype/account/account.py +142,Account with existing transaction can not be converted to group.,有交易的科目不能被转换为组。
+apps/erpnext/erpnext/accounts/doctype/account/account.py +141,Account with existing transaction can not be converted to group.,有交易的科目不能被转换为组。
DocType: Lead,Product Enquiry,产品查询
DocType: Academic Term,Schools,学校
+DocType: School Settings,Validate Batch for Students in Student Group,验证学生组学生的批次
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +35,No leave record found for employee {0} for {1},未找到员工的假期记录{0} {1}
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +23,Please enter company first,请先输入公司
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +332,Please select Company first,请首先选择公司
@@ -175,49 +176,49 @@
DocType: BOM,Total Cost,总成本
DocType: Journal Entry Account,Employee Loan,员工贷款
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +89,Activity Log:,活动日志:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +227,Item {0} does not exist in the system or has expired,项目{0}不存在于系统中或已过期
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +233,Item {0} does not exist in the system or has expired,项目{0}不存在于系统中或已过期
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +44,Real Estate,房地产
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.html +7,Statement of Account,对账单
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +41,Pharmaceuticals,制药
DocType: Purchase Invoice Item,Is Fixed Asset,是固定的资产
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +233,"Available qty is {0}, you need {1}",可用数量是{0},则需要{1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +234,"Available qty is {0}, you need {1}",可用数量是{0},则需要{1}
DocType: Expense Claim Detail,Claim Amount,报销金额
-DocType: Employee,Mr,先生
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +49,Duplicate customer group found in the cutomer group table,在CUTOMER组表中找到重复的客户群
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +31,Supplier Type / Supplier,供应商类型/供应商
DocType: Naming Series,Prefix,字首
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Consumable,耗材
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Consumable,耗材
DocType: Employee,B-,B-
DocType: Upload Attendance,Import Log,导入日志
DocType: Production Planning Tool,Pull Material Request of type Manufacture based on the above criteria,拉根据上述标准型的制造材料要求
DocType: Training Result Employee,Grade,年级
DocType: Sales Invoice Item,Delivered By Supplier,交付供应商
DocType: SMS Center,All Contact,所有联系人
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +878,Production Order already created for all items with BOM,生产订单已经与BOM的所有项目创建
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +182,Annual Salary,年薪
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +855,Production Order already created for all items with BOM,生产订单已经与BOM的所有项目创建
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Annual Salary,年薪
DocType: Daily Work Summary,Daily Work Summary,每日工作总结
DocType: Period Closing Voucher,Closing Fiscal Year,结算财年
-apps/erpnext/erpnext/accounts/party.py +343,{0} {1} is frozen,{0} {1}已冻结
-apps/erpnext/erpnext/setup/doctype/company/company.py +133,Please select Existing Company for creating Chart of Accounts,请选择现有的公司创建会计科目表
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +78,Stock Expenses,库存费用
+apps/erpnext/erpnext/accounts/party.py +350,{0} {1} is frozen,{0} {1}已冻结
+apps/erpnext/erpnext/setup/doctype/company/company.py +139,Please select Existing Company for creating Chart of Accounts,请选择现有的公司创建会计科目表
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +80,Stock Expenses,库存费用
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,选择目标仓库
apps/erpnext/erpnext/stock/doctype/batch/batch.js +91,Select Target Warehouse,选择目标仓库
apps/erpnext/erpnext/hr/doctype/employee/employee.js +80,Please enter Preferred Contact Email,请输入首选电子邮件联系
+DocType: Program Enrollment,School Bus,校车
DocType: Journal Entry,Contra Entry,对销分录
DocType: Journal Entry Account,Credit in Company Currency,信用在公司货币
DocType: Delivery Note,Installation Status,安装状态
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +125,"Do you want to update attendance?<br>Present: {0}\
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +135,"Do you want to update attendance?<br>Present: {0}\
<br>Absent: {1}",你想更新考勤? <br>现任:{0} \ <br>缺席:{1}
-apps/erpnext/erpnext/controllers/buying_controller.py +318,Accepted + Rejected Qty must be equal to Received quantity for Item {0},已接受+已拒绝的数量必须等于条目{0}的已接收数量
+apps/erpnext/erpnext/controllers/buying_controller.py +321,Accepted + Rejected Qty must be equal to Received quantity for Item {0},已接受+已拒绝的数量必须等于条目{0}的已接收数量
DocType: Request for Quotation,RFQ-,RFQ-
DocType: Item,Supply Raw Materials for Purchase,供应原料采购
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +139,At least one mode of payment is required for POS invoice.,付款中的至少一个模式需要POS发票。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +143,At least one mode of payment is required for POS invoice.,付款中的至少一个模式需要POS发票。
DocType: Products Settings,Show Products as a List,产品展示作为一个列表
DocType: Upload Attendance,"Download the Template, fill appropriate data and attach the modified file.
All dates and employee combination in the selected period will come in the template, with existing attendance records",下载此模板,填写相应的数据后上传。所有的日期和员工出勤记录将显示在模板里。
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +481,Item {0} is not active or end of life has been reached,项目{0}处于非活动或寿命终止状态
-apps/erpnext/erpnext/public/js/setup_wizard.js +346,Example: Basic Mathematics,例如:基础数学
-apps/erpnext/erpnext/controllers/accounts_controller.py +667,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",要包括税款,行{0}项率,税收行{1}也必须包括在内
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +482,Item {0} is not active or end of life has been reached,项目{0}处于非活动或寿命终止状态
+apps/erpnext/erpnext/public/js/setup_wizard.js +302,Example: Basic Mathematics,例如:基础数学
+apps/erpnext/erpnext/controllers/accounts_controller.py +669,"To include tax in row {0} in Item rate, taxes in rows {1} must also be included",要包括税款,行{0}项率,税收行{1}也必须包括在内
apps/erpnext/erpnext/config/hr.py +214,Settings for HR Module,人力资源模块的设置
DocType: SMS Center,SMS Center,短信中心
DocType: Sales Invoice,Change Amount,涨跌额
@@ -227,7 +228,7 @@
DocType: Lead,Request Type,请求类型
apps/erpnext/erpnext/hr/doctype/offer_letter/offer_letter.js +17,Make Employee,使员工
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +14,Broadcasting,广播
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +153,Execution,执行
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +160,Execution,执行
apps/erpnext/erpnext/config/manufacturing.py +62,Details of the operations carried out.,生产操作详情。
DocType: Serial No,Maintenance Status,维护状态
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +56,{0} {1}: Supplier is required against Payable account {2},{0} {1}:需要对供应商支付的账款{2}
@@ -255,7 +256,7 @@
apps/erpnext/erpnext/templates/emails/request_for_quotation.html +7,The request for quotation can be accessed by clicking on the following link,报价请求可以通过点击以下链接进行访问
apps/erpnext/erpnext/config/hr.py +81,Allocate leaves for the year.,调配一年的假期。
DocType: SG Creation Tool Course,SG Creation Tool Course,SG创建工具课程
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +235,Insufficient Stock,库存不足
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +236,Insufficient Stock,库存不足
DocType: Manufacturing Settings,Disable Capacity Planning and Time Tracking,禁用容量规划和时间跟踪
DocType: Email Digest,New Sales Orders,新建销售订单
DocType: Bank Guarantee,Bank Account,银行帐户
@@ -266,8 +267,9 @@
DocType: Production Order Operation,Updated via 'Time Log',通过“时间日志”更新
apps/erpnext/erpnext/controllers/taxes_and_totals.py +417,Advance amount cannot be greater than {0} {1},提前量不能大于{0} {1}
DocType: Naming Series,Series List for this Transaction,此交易的系列列表
+DocType: Company,Enable Perpetual Inventory,启用永久库存
DocType: Company,Default Payroll Payable Account,默认情况下,应付职工薪酬帐户
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +35,Update Email Group,更新电子邮件组
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +51,Update Email Group,更新电子邮件组
DocType: Sales Invoice,Is Opening Entry,是否期初分录
DocType: Customer Group,Mention if non-standard receivable account applicable,何况,如果不规范应收账款适用
DocType: Course Schedule,Instructor Name,导师姓名
@@ -279,13 +281,13 @@
DocType: Delivery Note Item,Against Sales Invoice Item,对销售发票项目
,Production Orders in Progress,在建生产订单
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +39,Net Cash from Financing,从融资净现金
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2224,"LocalStorage is full , did not save",localStorage的满了,没救
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2256,"LocalStorage is full , did not save",localStorage的满了,没救
DocType: Lead,Address & Contact,地址及联系方式
DocType: Leave Allocation,Add unused leaves from previous allocations,添加未使用的叶子从以前的分配
apps/erpnext/erpnext/controllers/recurring_document.py +230,Next Recurring {0} will be created on {1},周期{0}下次创建时间为{1}
DocType: Sales Partner,Partner website,合作伙伴网站
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +105,Add Item,新增项目
-,Contact Name,联系人姓名
+apps/erpnext/erpnext/public/js/setup_wizard.js +228,Contact Name,联系人姓名
DocType: Course Assessment Criteria,Course Assessment Criteria,课程评价标准
DocType: Process Payroll,Creates salary slip for above mentioned criteria.,依上述条件创建工资单
DocType: POS Customer Group,POS Customer Group,POS客户群
@@ -294,18 +296,18 @@
apps/erpnext/erpnext/templates/generators/bom.html +85,No description given,未提供描述
apps/erpnext/erpnext/config/buying.py +13,Request for purchase.,请求您的报价。
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.py +6,This is based on the Time Sheets created against this project,这是基于对这个项目产生的考勤表
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +375,Net Pay cannot be less than 0,净工资不能低于0
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +382,Net Pay cannot be less than 0,净工资不能低于0
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +224,Only the selected Leave Approver can submit this Leave Application,只有选择的休假审批者可以提交此请假
apps/erpnext/erpnext/hr/doctype/employee/employee.py +116,Relieving Date must be greater than Date of Joining,解除日期必须大于加入的日期
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Leaves per Year,每年叶
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +197,Leaves per Year,每年叶
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +130,Row {0}: Please check 'Is Advance' against Account {1} if this is an advance entry.,行{0}:请检查'是推进'对帐户{1},如果这是一个进步条目。
apps/erpnext/erpnext/stock/utils.py +189,Warehouse {0} does not belong to company {1},仓库{0}不属于公司{1}
DocType: Email Digest,Profit & Loss,利润损失
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Litre,升
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Litre,升
DocType: Task,Total Costing Amount (via Time Sheet),总成本计算量(通过时间表)
DocType: Item Website Specification,Item Website Specification,项目网站规格
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +477,Leave Blocked,已禁止请假
-apps/erpnext/erpnext/stock/doctype/item/item.py +678,Item {0} has reached its end of life on {1},项目{0}已经到达寿命终止日期{1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +679,Item {0} has reached its end of life on {1},项目{0}已经到达寿命终止日期{1}
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +103,Bank Entries,银行条目
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +119,Annual,全年
DocType: Stock Reconciliation Item,Stock Reconciliation Item,库存盘点品目
@@ -313,9 +315,9 @@
DocType: Material Request Item,Min Order Qty,最小订货量
DocType: Student Group Creation Tool Course,Student Group Creation Tool Course,学生组创建工具课程
DocType: Lead,Do Not Contact,不要联系
-apps/erpnext/erpnext/public/js/setup_wizard.js +365,People who teach at your organisation,谁在您的组织教人
+apps/erpnext/erpnext/public/js/setup_wizard.js +316,People who teach at your organisation,谁在您的组织教人
DocType: Purchase Invoice,The unique id for tracking all recurring invoices. It is generated on submit.,跟踪所有周期性发票的唯一ID,提交时自动生成。
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Software Developer,软件开发人员
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +104,Software Developer,软件开发人员
DocType: Item,Minimum Order Qty,最小起订量
DocType: Pricing Rule,Supplier Type,供应商类型
DocType: Course Scheduling Tool,Course Start Date,课程开始日期
@@ -324,11 +326,11 @@
DocType: Item,Publish in Hub,在发布中心
DocType: Student Admission,Student Admission,学生入学
,Terretory,区域
-apps/erpnext/erpnext/stock/doctype/item/item.py +698,Item {0} is cancelled,项目{0}已取消
+apps/erpnext/erpnext/stock/doctype/item/item.py +699,Item {0} is cancelled,项目{0}已取消
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +882,Material Request,物料申请
DocType: Bank Reconciliation,Update Clearance Date,更新清拆日期
DocType: Item,Purchase Details,购买详情
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +356,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},项目{0}未发现“原材料提供'表中的采购订单{1}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +357,Item {0} not found in 'Raw Materials Supplied' table in Purchase Order {1},项目{0}未发现“原材料提供'表中的采购订单{1}
DocType: Employee,Relation,关系
DocType: Shipping Rule,Worldwide Shipping,全球航运
DocType: Student Guardian,Mother,母亲
@@ -347,6 +349,7 @@
DocType: Student Group Student,Student Group Student,学生组学生
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Latest,最新
DocType: Vehicle Service,Inspection,检查
+apps/erpnext/erpnext/utilities/page/leaderboard/leaderboard_row_head.html +1, List ,名单
DocType: Email Digest,New Quotations,新报价
DocType: HR Settings,Emails salary slip to employee based on preferred email selected in Employee,电子邮件工资单员工根据员工选择首选的电子邮件
DocType: Employee,The first Leave Approver in the list will be set as the default Leave Approver,假期审批人列表的第一个将被设为默认审批人
@@ -355,20 +358,20 @@
DocType: Asset,Next Depreciation Date,接下来折旧日期
apps/erpnext/erpnext/projects/doctype/activity_type/activity_type.js +3,Activity Cost per Employee,每个员工活动费用
DocType: Accounts Settings,Settings for Accounts,帐户设置
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +644,Supplier Invoice No exists in Purchase Invoice {0},供应商发票不存在采购发票{0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +643,Supplier Invoice No exists in Purchase Invoice {0},供应商发票不存在采购发票{0}
apps/erpnext/erpnext/config/selling.py +118,Manage Sales Person Tree.,管理销售人员。
DocType: Job Applicant,Cover Letter,求职信
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +37,Outstanding Cheques and Deposits to clear,杰出的支票及存款清除
DocType: Item,Synced With Hub,与Hub同步
DocType: Vehicle,Fleet Manager,车队经理
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +509,Row #{0}: {1} can not be negative for item {2},行#{0}:{1}不能为负值对项{2}
-apps/erpnext/erpnext/setup/doctype/company/company.js +68,Wrong Password,密码错误
+apps/erpnext/erpnext/setup/doctype/company/company.js +70,Wrong Password,密码错误
DocType: Item,Variant Of,变体自
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +368,Completed Qty can not be greater than 'Qty to Manufacture',完成数量不能大于“生产数量”
DocType: Period Closing Voucher,Closing Account Head,结算帐户头
DocType: Employee,External Work History,外部就职经历
apps/erpnext/erpnext/projects/doctype/task/task.py +99,Circular Reference Error,循环引用错误
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Guardian1 Name,Guardian1名称
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Name,Guardian1名称
DocType: Delivery Note,In Words (Export) will be visible once you save the Delivery Note.,大写金额(出口)将在送货单保存后显示。
DocType: Cheque Print Template,Distance from left edge,从左侧边缘的距离
apps/erpnext/erpnext/utilities/bot.py +29,{0} units of [{1}](#Form/Item/{1}) found in [{2}](#Form/Warehouse/{2}),{0} [{1}]的单位(#窗体/项目/ {1})在[{2}]研究发现(#窗体/仓储/ {2})
@@ -377,11 +380,11 @@
DocType: Stock Settings,Notify by Email on creation of automatic Material Request,自动创建物料申请时通过邮件通知
DocType: Journal Entry,Multi Currency,多币种
DocType: Payment Reconciliation Invoice,Invoice Type,发票类型
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +843,Delivery Note,送货单
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +815,Delivery Note,送货单
apps/erpnext/erpnext/config/learn.py +82,Setting up Taxes,建立税
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +131,Cost of Sold Asset,出售资产的成本
-apps/erpnext/erpnext/accounts/utils.py +348,Payment Entry has been modified after you pulled it. Please pull it again.,付款项被修改,你把它之后。请重新拉。
-apps/erpnext/erpnext/stock/doctype/item/item.py +441,{0} entered twice in Item Tax,{0}输入了两次税项
+apps/erpnext/erpnext/accounts/utils.py +351,Payment Entry has been modified after you pulled it. Please pull it again.,付款项被修改,你把它之后。请重新拉。
+apps/erpnext/erpnext/stock/doctype/item/item.py +442,{0} entered twice in Item Tax,{0}输入了两次税项
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +114,Summary for this week and pending activities,本周和待活动总结
DocType: Student Applicant,Admitted,录取
DocType: Workstation,Rent Cost,租金成本
@@ -400,25 +403,27 @@
apps/erpnext/erpnext/controllers/recurring_document.py +223,Please enter 'Repeat on Day of Month' field value,请输入“重复上月的一天'字段值
DocType: Sales Invoice,Rate at which Customer Currency is converted to customer's base currency,客户货币转换为客户的基础货币后的单价
DocType: Course Scheduling Tool,Course Scheduling Tool,排课工具
-apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},行#{0}:采购发票不能对现有资产进行{1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +570,Row #{0}: Purchase Invoice cannot be made against an existing asset {1},行#{0}:采购发票不能对现有资产进行{1}
DocType: Item Tax,Tax Rate,税率
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +59,{0} already allocated for Employee {1} for period {2} to {3},{0}已分配给员工{1}的时期{2}到{3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +849,Select Item,选择项目
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +142,Purchase Invoice {0} is already submitted,采购发票{0}已经提交
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +143,Purchase Invoice {0} is already submitted,采购发票{0}已经提交
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +91,Row # {0}: Batch No must be same as {1} {2},行#{0}:批号必须与{1} {2}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +52,Convert to non-Group,转换为非集团
apps/erpnext/erpnext/config/stock.py +122,Batch (lot) of an Item.,产品批次(patch)/批(lot)。
DocType: C-Form Invoice Detail,Invoice Date,发票日期
DocType: GL Entry,Debit Amount,借方金额
-apps/erpnext/erpnext/accounts/party.py +235,There can only be 1 Account per Company in {0} {1},只能有每公司1帐户{0} {1}
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +391,Please see attachment,请参阅附件
+apps/erpnext/erpnext/accounts/party.py +242,There can only be 1 Account per Company in {0} {1},只能有每公司1帐户{0} {1}
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +398,Please see attachment,请参阅附件
DocType: Purchase Order,% Received,%已收货
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +3,Create Student Groups,创建挺起胸
apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +21,Setup Already Complete!!,安装已经完成!
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Credit Note Amount,信用额度
,Finished Goods,成品
DocType: Delivery Note,Instructions,说明
DocType: Quality Inspection,Inspected By,验货人
DocType: Maintenance Visit,Maintenance Type,维护类型
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +40,{0} - {1} is not enrolled in the Course {2},{0} - {1}未加入课程{2}
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +59,Serial No {0} does not belong to Delivery Note {1},序列号{0}不属于送货单{1}
apps/erpnext/erpnext/templates/pages/demo.html +47,ERPNext Demo,ERPNext演示
apps/erpnext/erpnext/public/js/utils/item_selector.js +12,Add Items,添加项目
@@ -441,7 +446,7 @@
DocType: Request for Quotation,Request for Quotation,询价
DocType: Salary Slip Timesheet,Working Hours,工作时间
DocType: Naming Series,Change the starting / current sequence number of an existing series.,更改现有系列的起始/当前序列号。
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1376,Create a new Customer,创建一个新的客户
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1456,Create a new Customer,创建一个新的客户
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +59,"If multiple Pricing Rules continue to prevail, users are asked to set Priority manually to resolve conflict.",如果几条价格规则同时使用,系统将提醒用户设置优先级。
apps/erpnext/erpnext/utilities/activation.py +88,Create Purchase Orders,创建采购订单
,Purchase Register,购买注册
@@ -453,7 +458,7 @@
DocType: Student Log,Medical,医药
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.js +177,Reason for losing,原因丢失
apps/erpnext/erpnext/crm/doctype/lead/lead.py +41,Lead Owner cannot be same as the Lead,铅所有者不能等同于铅
-apps/erpnext/erpnext/accounts/utils.py +354,Allocated amount can not greater than unadjusted amount,分配的金额不能超过未调整的量更大
+apps/erpnext/erpnext/accounts/utils.py +357,Allocated amount can not greater than unadjusted amount,分配的金额不能超过未调整的量更大
DocType: Announcement,Receiver,接收器
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +83,Workstation is closed on the following dates as per Holiday List: {0},工作站在以下假期关闭:{0}
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +32,Opportunities,机会
@@ -467,8 +472,7 @@
DocType: Assessment Plan,Examiner Name,考官名称
DocType: Purchase Invoice Item,Quantity and Rate,数量和价格
DocType: Delivery Note,% Installed,%已安装
-apps/erpnext/erpnext/public/js/setup_wizard.js +383,Classrooms/ Laboratories etc where lectures can be scheduled.,教室/实验室等在那里的演讲可以预定。
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,供应商>供应商类型
+apps/erpnext/erpnext/public/js/setup_wizard.js +330,Classrooms/ Laboratories etc where lectures can be scheduled.,教室/实验室等在那里的演讲可以预定。
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +46,Please enter company name first,请先输入公司名称
DocType: Purchase Invoice,Supplier Name,供应商名称
apps/erpnext/erpnext/setup/page/welcome_to_erpnext/welcome_to_erpnext.html +25,Read the ERPNext Manual,阅读ERPNext手册
@@ -478,7 +482,7 @@
DocType: Accounts Settings,Check Supplier Invoice Number Uniqueness,检查供应商发票编号唯一性
DocType: Vehicle Service,Oil Change,换油
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +57,'To Case No.' cannot be less than 'From Case No.','结束箱号'不能小于'开始箱号'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +108,Non Profit,非营利
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Non Profit,非营利
DocType: Production Order,Not Started,未开始
DocType: Lead,Channel Partner,渠道合作伙伴
DocType: Account,Old Parent,旧上级
@@ -489,20 +493,19 @@
apps/erpnext/erpnext/config/manufacturing.py +84,Global settings for all manufacturing processes.,所有生产流程的全局设置。
DocType: Accounts Settings,Accounts Frozen Upto,账户被冻结到...为止
DocType: SMS Log,Sent On,发送日期
-apps/erpnext/erpnext/stock/doctype/item/item.py +640,Attribute {0} selected multiple times in Attributes Table,属性{0}多次选择在属性表
+apps/erpnext/erpnext/stock/doctype/item/item.py +641,Attribute {0} selected multiple times in Attributes Table,属性{0}多次选择在属性表
DocType: HR Settings,Employee record is created using selected field. ,使用所选字段创建员工记录。
DocType: Sales Order,Not Applicable,不适用
apps/erpnext/erpnext/config/hr.py +70,Holiday master.,假期大师
DocType: Request for Quotation Item,Required Date,所需时间
DocType: Delivery Note,Billing Address,帐单地址
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.js +881,Please enter Item Code.,请输入产品编号。
DocType: BOM,Costing,成本核算
DocType: Tax Rule,Billing County,开票县
DocType: Purchase Taxes and Charges,"If checked, the tax amount will be considered as already included in the Print Rate / Print Amount",如果勾选,税金将被当成已包括在打印税率/打印总额内。
DocType: Request for Quotation,Message for Supplier,消息供应商
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +48,Total Qty,总数量
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2电子邮件ID
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Guardian2 Email ID,Guardian2电子邮件ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2电子邮件ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +62,Guardian2 Email ID,Guardian2电子邮件ID
DocType: Item,Show in Website (Variant),展网站(变体)
DocType: Employee,Health Concerns,健康问题
DocType: Process Payroll,Select Payroll Period,选择工资期
@@ -520,26 +523,28 @@
DocType: Sales Order Item,Used for Production Plan,用于生产计划
DocType: Employee Loan,Total Payment,总付款
DocType: Manufacturing Settings,Time Between Operations (in mins),时间操作之间(以分钟)
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,{0} {1} is cancelled so the action cannot be completed,{0} {1}被取消,因此无法完成操作
DocType: Customer,Buyer of Goods and Services.,产品和服务购买者。
DocType: Journal Entry,Accounts Payable,应付帐款
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +29,The selected BOMs are not for the same item,所选的材料清单并不同样项目
DocType: Pricing Rule,Valid Upto,有效期至
DocType: Training Event,Workshop,作坊
-apps/erpnext/erpnext/public/js/setup_wizard.js +243,List a few of your customers. They could be organizations or individuals.,列出一些你的客户,他们可以是组织或个人。
-,Enough Parts to Build,足够的配件组装
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +126,Direct Income,直接收益
+apps/erpnext/erpnext/public/js/setup_wizard.js +219,List a few of your customers. They could be organizations or individuals.,列出一些你的客户,他们可以是组织或个人。
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +21,Enough Parts to Build,足够的配件组装
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +128,Direct Income,直接收益
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +36,"Can not filter based on Account, if grouped by Account",按科目分类后不能根据科目过滤
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,Administrative Officer,行政主任
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,请选择课程
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +22,Please select Course,请选择课程
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Administrative Officer,行政主任
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,请选择课程
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +21,Please select Course,请选择课程
DocType: Timesheet Detail,Hrs,小时
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +316,Please select Company,请选择公司
DocType: Stock Entry Detail,Difference Account,差异科目
+DocType: Purchase Invoice,Supplier GSTIN,供应商GSTIN
apps/erpnext/erpnext/projects/doctype/task/task.py +46,Cannot close task as its dependant task {0} is not closed.,不能因为其依赖的任务{0}没有关闭关闭任务。
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +433,Please enter Warehouse for which Material Request will be raised,请重新拉。
DocType: Production Order,Additional Operating Cost,额外的运营成本
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +20,Cosmetics,化妆品
-apps/erpnext/erpnext/stock/doctype/item/item.py +536,"To merge, following properties must be same for both items",若要合并,以下属性必须为这两个项目是相同的
+apps/erpnext/erpnext/stock/doctype/item/item.py +537,"To merge, following properties must be same for both items",若要合并,以下属性必须为这两个项目是相同的
DocType: Shipping Rule,Net Weight,净重
DocType: Employee,Emergency Phone,紧急电话
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +29,Buy,购买
@@ -549,14 +554,14 @@
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +20,Please define grade for Threshold 0%,请定义等级为阈值0%
DocType: Sales Order,To Deliver,为了提供
DocType: Purchase Invoice Item,Item,产品
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2388,Serial no item cannot be a fraction,序号项目不能是一个分数
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2428,Serial no item cannot be a fraction,序号项目不能是一个分数
DocType: Journal Entry,Difference (Dr - Cr),差异(贷方-借方)
DocType: Account,Profit and Loss,损益
apps/erpnext/erpnext/config/stock.py +325,Managing Subcontracting,管理转包
DocType: Project,Project will be accessible on the website to these users,项目将在网站向这些用户上访问
DocType: Quotation,Rate at which Price list currency is converted to company's base currency,价目表货币转换为公司的基础货币后的单价
-apps/erpnext/erpnext/setup/doctype/company/company.py +59,Account {0} does not belong to company: {1},科目{0}不属于公司:{1}
-apps/erpnext/erpnext/setup/doctype/company/company.py +50,Abbreviation already used for another company,缩写已用于另一家公司
+apps/erpnext/erpnext/setup/doctype/company/company.py +62,Account {0} does not belong to company: {1},科目{0}不属于公司:{1}
+apps/erpnext/erpnext/setup/doctype/company/company.py +51,Abbreviation already used for another company,缩写已用于另一家公司
DocType: Selling Settings,Default Customer Group,默认客户群组
DocType: Global Defaults,"If disable, 'Rounded Total' field will not be visible in any transaction",如果禁用,“舍入总计”字段将不在交易中显示
DocType: BOM,Operating Cost,营业成本
@@ -564,7 +569,7 @@
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +49,Increment cannot be 0,增量不能为0
DocType: Production Planning Tool,Material Requirement,物料需求
DocType: Company,Delete Company Transactions,删除公司事务
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +340,Reference No and Reference Date is mandatory for Bank transaction,参考编号和参考日期是强制性的银行交易
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +338,Reference No and Reference Date is mandatory for Bank transaction,参考编号和参考日期是强制性的银行交易
DocType: Purchase Receipt,Add / Edit Taxes and Charges,添加/编辑税金及费用
DocType: Purchase Invoice,Supplier Invoice No,供应商发票编号
DocType: Territory,For reference,供参考
@@ -575,22 +580,22 @@
DocType: Installation Note Item,Installation Note Item,安装单项目
DocType: Production Plan Item,Pending Qty,待定数量
DocType: Budget,Ignore,忽略
-apps/erpnext/erpnext/accounts/party.py +347,{0} {1} is not active,{0} {1} 未激活
+apps/erpnext/erpnext/accounts/party.py +354,{0} {1} is not active,{0} {1} 未激活
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +95,SMS sent to following numbers: {0},短信发送至以下号码:{0}
-apps/erpnext/erpnext/config/accounts.py +246,Setup cheque dimensions for printing,设置检查尺寸打印
+apps/erpnext/erpnext/config/accounts.py +279,Setup cheque dimensions for printing,设置检查尺寸打印
DocType: Salary Slip,Salary Slip Timesheet,工资单时间表
-apps/erpnext/erpnext/controllers/buying_controller.py +150,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,外包采购收据必须指定供应商仓库
+apps/erpnext/erpnext/controllers/buying_controller.py +153,Supplier Warehouse mandatory for sub-contracted Purchase Receipt,外包采购收据必须指定供应商仓库
DocType: Pricing Rule,Valid From,有效期自
DocType: Sales Invoice,Total Commission,总委员会
DocType: Pricing Rule,Sales Partner,销售合作伙伴
DocType: Buying Settings,Purchase Receipt Required,外购入库单要求
-apps/erpnext/erpnext/stock/doctype/item/item.py +129,Valuation Rate is mandatory if Opening Stock entered,估价费用是强制性的,如果打开股票进入
+apps/erpnext/erpnext/stock/doctype/item/item.py +130,Valuation Rate is mandatory if Opening Stock entered,估价费用是强制性的,如果打开股票进入
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +142,No records found in the Invoice table,没有在发票表中找到记录
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.js +17,Please select Company and Party Type first,请选择公司和党的第一型
-apps/erpnext/erpnext/config/accounts.py +262,Financial / accounting year.,财务/会计年度。
+apps/erpnext/erpnext/config/accounts.py +295,Financial / accounting year.,财务/会计年度。
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.js +9,Accumulated Values,累积值
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +158,"Sorry, Serial Nos cannot be merged",抱歉,序列号无法合并
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +737,Make Sales Order,创建销售订单
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +707,Make Sales Order,创建销售订单
DocType: Project Task,Project Task,项目任务
,Lead Id,线索ID
DocType: C-Form Invoice Detail,Grand Total,总计
@@ -607,7 +612,7 @@
DocType: Job Applicant,Resume Attachment,简历附
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +58,Repeat Customers,回头客
DocType: Leave Control Panel,Allocate,调配
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +806,Sales Return,销售退货
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +780,Sales Return,销售退货
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +96,Note: Total allocated leaves {0} shouldn't be less than already approved leaves {1} for the period,注:总分配叶{0}应不低于已核定叶{1}期间
DocType: Announcement,Posted By,发布者
DocType: Item,Delivered by Supplier (Drop Ship),由供应商交货(直接发运)
@@ -617,8 +622,8 @@
DocType: Quotation,Quotation To,报价对象
DocType: Lead,Middle Income,中等收入
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +218,Opening (Cr),开幕(CR )
-apps/erpnext/erpnext/stock/doctype/item/item.py +804,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,测度项目的默认单位{0}不能直接改变,因为你已经做了一些交易(S)与其他计量单位。您将需要创建一个新的项目,以使用不同的默认计量单位。
-apps/erpnext/erpnext/accounts/utils.py +352,Allocated amount can not be negative,调配数量不能为负
+apps/erpnext/erpnext/stock/doctype/item/item.py +805,Default Unit of Measure for Item {0} cannot be changed directly because you have already made some transaction(s) with another UOM. You will need to create a new Item to use a different Default UOM.,测度项目的默认单位{0}不能直接改变,因为你已经做了一些交易(S)与其他计量单位。您将需要创建一个新的项目,以使用不同的默认计量单位。
+apps/erpnext/erpnext/accounts/utils.py +355,Allocated amount can not be negative,调配数量不能为负
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,请设定公司
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +25,Please set the Company,请设定公司
DocType: Purchase Order Item,Billed Amt,已开票金额
@@ -631,7 +636,7 @@
DocType: Process Payroll,Select Payment Account to make Bank Entry,选择付款账户,使银行进入
apps/erpnext/erpnext/utilities/activation.py +134,"Create Employee records to manage leaves, expense claims and payroll",建立员工档案管理叶,报销和工资
apps/erpnext/erpnext/support/doctype/issue/issue.js +24,Add to Knowledge Base,添加到知识库
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +152,Proposal Writing,提案写作
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Proposal Writing,提案写作
DocType: Payment Entry Deduction,Payment Entry Deduction,输入付款扣除
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person.py +35,Another Sales Person {0} exists with the same Employee id,另外销售人员{0}存在具有相同员工ID
DocType: Production Planning Tool,"If checked, raw materials for items that are sub-contracted will be included in the Material Requests",如果选中,原料是分包的将被纳入材料要求项
@@ -645,7 +650,7 @@
DocType: Timesheet,Billed,已开票
DocType: Batch,Batch Description,批次说明
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.js +12,Creating student groups,创建学生组
-apps/erpnext/erpnext/accounts/utils.py +720,"Payment Gateway Account not created, please create one manually.",支付网关帐户没有创建,请手动创建一个。
+apps/erpnext/erpnext/accounts/utils.py +722,"Payment Gateway Account not created, please create one manually.",支付网关帐户没有创建,请手动创建一个。
DocType: Sales Invoice,Sales Taxes and Charges,销售税费
DocType: Employee,Organization Profile,组织简介
DocType: Student,Sibling Details,兄弟姐妹详情
@@ -667,11 +672,10 @@
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +24,Net Change in Inventory,在库存净变动
apps/erpnext/erpnext/config/hr.py +157,Employee Loan Management,员工贷款管理
DocType: Employee,Passport Number,护照号码
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Relation with Guardian2,与关系Guardian2
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Manager,经理
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +60,Relation with Guardian2,与关系Guardian2
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Manager,经理
DocType: Payment Entry,Payment From / To,支付自/至
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +117,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},新的信用额度小于当前余额为客户着想。信用额度是ATLEAST {0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +258,Same item has been entered multiple times.,相同的品目已输入多次
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +124,New credit limit is less than current outstanding amount for the customer. Credit limit has to be atleast {0},新的信用额度小于当前余额为客户着想。信用额度是ATLEAST {0}
DocType: SMS Settings,Receiver Parameter,接收人参数
apps/erpnext/erpnext/controllers/trends.py +39,'Based On' and 'Group By' can not be same,“根据”和“分组依据”不能相同
DocType: Sales Person,Sales Person Targets,销售人员目标
@@ -680,8 +684,9 @@
DocType: Issue,Resolution Date,决议日期
DocType: Student Batch Name,Batch Name,批名
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +320,Timesheet created:,创建时间表:
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +859,Please set default Cash or Bank account in Mode of Payment {0},请设置默认的现金或银行账户的付款方式{0}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +865,Please set default Cash or Bank account in Mode of Payment {0},请设置默认的现金或银行账户的付款方式{0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +20,Enroll,注册
+DocType: GST Settings,GST Settings,GST设置
DocType: Selling Settings,Customer Naming By,客户命名方式
DocType: Student Leave Application,Will show the student as Present in Student Monthly Attendance Report,将显示学生每月学生出勤记录报告为存在
DocType: Depreciation Schedule,Depreciation Amount,折旧额
@@ -703,6 +708,7 @@
DocType: Item,Material Transfer,物料转移
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +211,Opening (Dr),开幕(博士)
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +39,Posting timestamp must be after {0},发布时间标记必须经过{0}
+,GST Itemised Purchase Register,GST成品采购登记册
DocType: Employee Loan,Total Interest Payable,合计应付利息
DocType: Landed Cost Taxes and Charges,Landed Cost Taxes and Charges,到岸成本税费
DocType: Production Order Operation,Actual Start Time,实际开始时间
@@ -731,10 +737,10 @@
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +18,Suplier,Suplier
DocType: Account,Accounts,会计
DocType: Vehicle,Odometer Value (Last),里程表值(最后)
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +71,Marketing,市场营销
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +78,Marketing,市场营销
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +282,Payment Entry is already created,已创建付款输入
DocType: Purchase Receipt Item Supplied,Current Stock,当前库存
-apps/erpnext/erpnext/controllers/accounts_controller.py +555,Row #{0}: Asset {1} does not linked to Item {2},行#{0}:资产{1}不挂项目{2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +557,Row #{0}: Asset {1} does not linked to Item {2},行#{0}:资产{1}不挂项目{2}
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +369,Preview Salary Slip,预览工资单
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +54,Account {0} has been entered multiple times,帐户{0}已多次输入
DocType: Account,Expenses Included In Valuation,开支计入估值
@@ -742,7 +748,7 @@
,Absent Student Report,缺席学生报告
DocType: Email Digest,Next email will be sent on:,下次邮件发送时间:
DocType: Offer Letter Term,Offer Letter Term,报价函期限
-apps/erpnext/erpnext/stock/doctype/item/item.py +619,Item has variants.,项目有变体。
+apps/erpnext/erpnext/stock/doctype/item/item.py +620,Item has variants.,项目有变体。
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +65,Item {0} not found,项目{0}未找到
DocType: Bin,Stock Value,库存值
apps/erpnext/erpnext/accounts/doctype/account/account.py +26,Company {0} does not exist,公司{0}不存在
@@ -751,8 +757,8 @@
DocType: Serial No,Warranty Expiry Date,保修到期日
DocType: Material Request Item,Quantity and Warehouse,数量和仓库
DocType: Sales Invoice,Commission Rate (%),佣金率(%)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,请选择程序
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +24,Please select Program,请选择程序
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,请选择程序
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +23,Please select Program,请选择程序
DocType: Project,Estimated Cost,估计成本
DocType: Purchase Order,Link to material requests,链接到材料请求
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +7,Aerospace,航天
@@ -766,14 +772,14 @@
DocType: Purchase Order,Supply Raw Materials,供应原料
DocType: Purchase Invoice,The date on which next invoice will be generated. It is generated on submit.,下一次发票生成的日期,提交时将会生成。
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +10,Current Assets,流动资产
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +93,{0} is not a stock Item,{0}不是一个库存品目
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +94,{0} is not a stock Item,{0}不是一个库存品目
DocType: Mode of Payment Account,Default Account,默认帐户
DocType: Payment Entry,Received Amount (Company Currency),收到的款项(公司币种)
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +166,Lead must be set if Opportunity is made from Lead,如果商机的来源是“线索”的话,必须指定线索
apps/erpnext/erpnext/hr/doctype/holiday_list/holiday_list.py +29,Please select weekly off day,请选择每周休息日
DocType: Production Order Operation,Planned End Time,计划结束时间
,Sales Person Target Variance Item Group-Wise,品目组特定的销售人员目标差异
-apps/erpnext/erpnext/accounts/doctype/account/account.py +97,Account with existing transaction cannot be converted to ledger,有交易的科目不能被转换为分类账
+apps/erpnext/erpnext/accounts/doctype/account/account.py +96,Account with existing transaction cannot be converted to ledger,有交易的科目不能被转换为分类账
DocType: Delivery Note,Customer's Purchase Order No,客户的采购订单号
DocType: Budget,Budget Against,反对财政预算案
DocType: Employee,Cell Number,手机号码
@@ -785,15 +791,13 @@
DocType: Opportunity,Opportunity From,从机会
apps/erpnext/erpnext/config/hr.py +98,Monthly salary statement.,月度工资结算
DocType: BOM,Website Specifications,网站规格
-apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,请通过设置>编号系列设置出勤编号系列
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +24,{0}: From {0} of type {1},{0}:申请者{0} 假期类型{1}
DocType: Warranty Claim,CI-,CI-
-apps/erpnext/erpnext/controllers/buying_controller.py +284,Row {0}: Conversion Factor is mandatory,行{0}:转换系数是强制性的
+apps/erpnext/erpnext/controllers/buying_controller.py +287,Row {0}: Conversion Factor is mandatory,行{0}:转换系数是强制性的
DocType: Employee,A+,A +
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +325,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",海报价格规则,同样的标准存在,请分配优先级解决冲突。价格规则:{0}
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +434,Cannot deactivate or cancel BOM as it is linked with other BOMs,无法停用或取消BOM,因为它被其他BOM引用。
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +332,"Multiple Price Rules exists with same criteria, please resolve conflict by assigning priority. Price Rules: {0}",海报价格规则,同样的标准存在,请分配优先级解决冲突。价格规则:{0}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +467,Cannot deactivate or cancel BOM as it is linked with other BOMs,无法停用或取消BOM,因为它被其他BOM引用。
DocType: Opportunity,Maintenance,维护
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +214,Purchase Receipt number required for Item {0},所需物品交易收据号码{0}
DocType: Item Attribute Value,Item Attribute Value,项目属性值
apps/erpnext/erpnext/config/selling.py +158,Sales campaigns.,销售活动。
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +48,Make Timesheet,制作时间表
@@ -837,30 +841,30 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +132,Asset scrapped via Journal Entry {0},通过资产日记帐分录报废{0}
DocType: Employee Loan,Interest Income Account,利息收入账户
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +13,Biotechnology,生物技术
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +107,Office Maintenance Expenses,办公维护费用
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Office Maintenance Expenses,办公维护费用
apps/erpnext/erpnext/config/learn.py +47,Setting up Email Account,设置电子邮件帐户
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.js +114,Please enter Item first,没有客户或供应商帐户发现。账户是根据\确定
DocType: Account,Liability,负债
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +176,Sanctioned Amount cannot be greater than Claim Amount in Row {0}.,制裁金额不能大于索赔额行{0}。
DocType: Company,Default Cost of Goods Sold Account,销货账户的默认成本
-apps/erpnext/erpnext/stock/get_item_details.py +299,Price List not selected,价格列表没有选择
+apps/erpnext/erpnext/stock/get_item_details.py +309,Price List not selected,价格列表没有选择
DocType: Employee,Family Background,家庭背景
DocType: Request for Quotation Supplier,Send Email,发送电子邮件
-apps/erpnext/erpnext/stock/doctype/item/item.py +206,Warning: Invalid Attachment {0},警告:无效的附件{0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +207,Warning: Invalid Attachment {0},警告:无效的附件{0}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +756,No Permission,无此权限
DocType: Company,Default Bank Account,默认银行账户
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +50,"To filter based on Party, select Party Type first",要根据党的筛选,选择党第一类型
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +48,'Update Stock' can not be checked because items are not delivered via {0},“库存更新'校验不通过,因为{0}中的退货条目未交付
DocType: Vehicle,Acquisition Date,采集日期
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Nos,Nos
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Nos,Nos
DocType: Item,Items with higher weightage will be shown higher,具有较高权重的项目将显示更高的可
DocType: Bank Reconciliation Detail,Bank Reconciliation Detail,银行对帐详细
-apps/erpnext/erpnext/controllers/accounts_controller.py +559,Row #{0}: Asset {1} must be submitted,行#{0}:资产{1}必须提交
+apps/erpnext/erpnext/controllers/accounts_controller.py +561,Row #{0}: Asset {1} must be submitted,行#{0}:资产{1}必须提交
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +40,No employee found,未找到任何雇员
DocType: Supplier Quotation,Stopped,已停止
DocType: Item,If subcontracted to a vendor,如果分包给供应商
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,学生组已经更新。
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +95,Student Group is already updated.,学生组已经更新。
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,学生组已经更新。
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +111,Student Group is already updated.,学生组已经更新。
DocType: SMS Center,All Customer Contact,所有的客户联系人
apps/erpnext/erpnext/config/stock.py +153,Upload stock balance via csv.,通过CSV文件上传库存余额
DocType: Warehouse,Tree Details,树详细信息
@@ -872,13 +876,13 @@
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +111,{0} {1}: Cost Center {2} does not belong to Company {3},{0} {1}:成本中心{2}不属于公司{3}
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +88,{0} {1}: Account {2} cannot be a Group,{0} {1}帐户{2}不能是一个组
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +61,Item Row {idx}: {doctype} {docname} does not exist in above '{doctype}' table,项目行{idx}: {文档类型}上不存在'{文档类型}'表
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +271,Timesheet {0} is already completed or cancelled,时间表{0}已完成或取消
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +274,Timesheet {0} is already completed or cancelled,时间表{0}已完成或取消
apps/erpnext/erpnext/templates/pages/projects.html +42,No tasks,没有任务
DocType: Purchase Invoice,"The day of the month on which auto invoice will be generated e.g. 05, 28 etc",每月自动生成发票的日期,例如5号,28号等
DocType: Asset,Opening Accumulated Depreciation,打开累计折旧
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.js +49,Score must be less than or equal to 5,得分必须小于或等于5
DocType: Program Enrollment Tool,Program Enrollment Tool,计划注册工具
-apps/erpnext/erpnext/config/accounts.py +299,C-Form records,C-表记录
+apps/erpnext/erpnext/config/accounts.py +332,C-Form records,C-表记录
apps/erpnext/erpnext/config/selling.py +311,Customer and Supplier,客户和供应商
DocType: Email Digest,Email Digest Settings,邮件摘要设置
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +346,Thank you for your business!,感谢您的业务!
@@ -888,17 +892,19 @@
DocType: Bin,Moving Average Rate,移动平均价格
DocType: Production Planning Tool,Select Items,选择品目
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +372,{0} against Bill {1} dated {2},{0}对日期为{2}的账单{1}
+DocType: Program Enrollment,Vehicle/Bus Number,车辆/巴士号码
apps/erpnext/erpnext/schools/doctype/course/course.js +17,Course Schedule,课程表
DocType: Maintenance Visit,Completion Status,完成状态
DocType: HR Settings,Enter retirement age in years,在年内进入退休年龄
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +263,Target Warehouse,目标仓库
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +94,Please select a warehouse,请选择一个仓库
DocType: Cheque Print Template,Starting location from left edge,从左边起始位置
DocType: Item,Allow over delivery or receipt upto this percent,允许在交付或接收高达百分之这
DocType: Stock Entry,STE-,甜菊
DocType: Upload Attendance,Import Attendance,导入考勤记录
apps/erpnext/erpnext/public/js/pos/pos.html +115,All Item Groups,所有品目群组
DocType: Process Payroll,Activity Log,活动日志
-apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +40,Net Profit / Loss,净利润/亏损
+apps/erpnext/erpnext/accounts/report/profit_and_loss_statement/profit_and_loss_statement.py +39,Net Profit / Loss,净利润/亏损
apps/erpnext/erpnext/config/setup.py +89,Automatically compose message on submission of transactions.,在提交交易时自动编写信息。
DocType: Production Order,Item To Manufacture,要生产的项目
apps/erpnext/erpnext/buying/utils.py +80,{0} {1} status is {2},{0} {1}的状态为{2}
@@ -907,16 +913,17 @@
apps/erpnext/erpnext/config/learn.py +202,Purchase Order to Payment,采购订单到付款
apps/erpnext/erpnext/stock/page/stock_balance/stock_balance.js +48,Projected Qty,预计数量
DocType: Sales Invoice,Payment Due Date,付款到期日
-apps/erpnext/erpnext/stock/doctype/item/item.js +341,Item Variant {0} already exists with same attributes,项目变体{0}已经具有相同属性的存在
+apps/erpnext/erpnext/stock/doctype/item/item.js +349,Item Variant {0} already exists with same attributes,项目变体{0}已经具有相同属性的存在
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +97,'Opening',“打开”
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +130,Open To Do,开做
DocType: Notification Control,Delivery Note Message,送货单留言
DocType: Expense Claim,Expenses,开支
+,Support Hours,支持小时
DocType: Item Variant Attribute,Item Variant Attribute,产品规格属性
,Purchase Receipt Trends,购买收据趋势
DocType: Process Payroll,Bimonthly,半月刊
DocType: Vehicle Service,Brake Pad,刹车片
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +81,Research & Development,研究与发展
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Research & Development,研究与发展
apps/erpnext/erpnext/accounts/report/purchase_order_items_to_be_billed/purchase_order_items_to_be_billed.py +20,Amount to Bill,帐单数额
DocType: Company,Registration Details,报名详情
DocType: Timesheet,Total Billed Amount,总开单金额
@@ -929,12 +936,12 @@
DocType: Production Planning Tool,Only Obtain Raw Materials,只有取得原料
apps/erpnext/erpnext/config/hr.py +142,Performance appraisal.,绩效考核。
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +95,"Enabling 'Use for Shopping Cart', as Shopping Cart is enabled and there should be at least one Tax Rule for Shopping Cart",作为启用的购物车已启用“使用购物车”,而应该有购物车至少有一个税务规则
-apps/erpnext/erpnext/controllers/accounts_controller.py +357,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",付款输入{0}对订单{1},检查它是否应该被拉到作为预先在该发票联。
+apps/erpnext/erpnext/controllers/accounts_controller.py +359,"Payment Entry {0} is linked against Order {1}, check if it should be pulled as advance in this invoice.",付款输入{0}对订单{1},检查它是否应该被拉到作为预先在该发票联。
DocType: Sales Invoice Item,Stock Details,库存详细信息
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +29,Project Value,项目价值
apps/erpnext/erpnext/config/selling.py +321,Point-of-Sale,销售点
DocType: Vehicle Log,Odometer Reading,里程表读数
-apps/erpnext/erpnext/accounts/doctype/account/account.py +120,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",账户余额已设置为'贷方',不能设置为'借方'
+apps/erpnext/erpnext/accounts/doctype/account/account.py +119,"Account balance already in Credit, you are not allowed to set 'Balance Must Be' as 'Debit'",账户余额已设置为'贷方',不能设置为'借方'
DocType: Account,Balance must be,余额必须是
DocType: Hub Settings,Publish Pricing,发布定价
DocType: Notification Control,Expense Claim Rejected Message,报销拒绝消息
@@ -944,7 +951,7 @@
DocType: Salary Slip,Working Days,工作日
DocType: Serial No,Incoming Rate,入库价格
DocType: Packing Slip,Gross Weight,毛重
-apps/erpnext/erpnext/public/js/setup_wizard.js +67,The name of your company for which you are setting up this system.,贵公司的名称
+apps/erpnext/erpnext/public/js/setup_wizard.js +90,The name of your company for which you are setting up this system.,贵公司的名称
DocType: HR Settings,Include holidays in Total no. of Working Days,将假期包含在工作日内
DocType: Job Applicant,Hold,持有
DocType: Employee,Date of Joining,入职日期
@@ -955,20 +962,18 @@
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +795,Purchase Receipt,外购入库单
,Received Items To Be Billed,要支付的已收项目
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +177,Submitted Salary Slips,提交工资单
-DocType: Employee,Ms,女士
-apps/erpnext/erpnext/config/accounts.py +272,Currency exchange rate master.,货币汇率大师
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +194,Reference Doctype must be one of {0},参考文档类型必须是一个{0}
+apps/erpnext/erpnext/config/accounts.py +305,Currency exchange rate master.,货币汇率大师
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +192,Reference Doctype must be one of {0},参考文档类型必须是一个{0}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +303,Unable to find Time Slot in the next {0} days for Operation {1},找不到时隙在未来{0}天操作{1}
DocType: Production Order,Plan material for sub-assemblies,计划材料为子组件
apps/erpnext/erpnext/config/selling.py +97,Sales Partners and Territory,销售合作伙伴和地区
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +86,Cannot automatically create Account as there is already stock balance in the Account. You must create a matching account before you can make an entry on this warehouse,由于已有库存余额的帐户无法自动创建帐户。您必须创建一个匹配的帐户,然后才能在这个仓库中的条目
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +510,BOM {0} must be active,BOM{0}处于非活动状态
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +543,BOM {0} must be active,BOM{0}处于非活动状态
DocType: Journal Entry,Depreciation Entry,折旧分录
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +36,Please select the document type first,请选择文档类型第一
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +65,Cancel Material Visits {0} before cancelling this Maintenance Visit,取消此上门保养之前请先取消物料访问{0}
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +209,Serial No {0} does not belong to Item {1},序列号{0}不属于品目{1}
DocType: Purchase Receipt Item Supplied,Required Qty,所需数量
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +223,Warehouses with existing transaction can not be converted to ledger.,与现有的交易仓库不能转换到总帐。
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouses with existing transaction can not be converted to ledger.,与现有的交易仓库不能转换到总帐。
DocType: Bank Reconciliation,Total Amount,总金额
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +32,Internet Publishing,互联网出版
DocType: Production Planning Tool,Production Orders,生产订单
@@ -983,25 +988,26 @@
DocType: Fee Structure,Components,组件
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +250,Please enter Asset Category in Item {0},请输入项目资产类别{0}
DocType: Quality Inspection Reading,Reading 6,阅读6
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +869,Cannot {0} {1} {2} without any negative outstanding invoice,无法{0} {1} {2}没有任何负面的优秀发票
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +885,Cannot {0} {1} {2} without any negative outstanding invoice,无法{0} {1} {2}没有任何负面的优秀发票
DocType: Purchase Invoice Advance,Purchase Invoice Advance,购买发票提前
DocType: Hub Settings,Sync Now,立即同步
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +199,Row {0}: Credit entry can not be linked with a {1},行{0}:信用记录无法被链接的{1}
-apps/erpnext/erpnext/config/accounts.py +215,Define budget for a financial year.,定义预算财政年度。
+apps/erpnext/erpnext/config/accounts.py +248,Define budget for a financial year.,定义预算财政年度。
DocType: Mode of Payment Account,Default Bank / Cash account will be automatically updated in POS Invoice when this mode is selected.,选择此模式时POS发票的银行/现金账户将会被自动更新。
DocType: Lead,LEAD-,铅-
DocType: Employee,Permanent Address Is,永久地址
DocType: Production Order Operation,Operation completed for how many finished goods?,操作完成多少成品?
-apps/erpnext/erpnext/public/js/setup_wizard.js +167,The Brand,你的品牌
+apps/erpnext/erpnext/public/js/setup_wizard.js +42,The Brand,你的品牌
DocType: Employee,Exit Interview Details,退出面试细节
DocType: Item,Is Purchase Item,是否采购项目
DocType: Asset,Purchase Invoice,购买发票
DocType: Stock Ledger Entry,Voucher Detail No,凭证详情编号
-apps/erpnext/erpnext/accounts/page/pos/pos.js +729,New Sales Invoice,新的销售发票
+apps/erpnext/erpnext/accounts/page/pos/pos.js +731,New Sales Invoice,新的销售发票
DocType: Stock Entry,Total Outgoing Value,即将离任的总价值
apps/erpnext/erpnext/public/js/account_tree_grid.js +224,Opening Date and Closing Date should be within same Fiscal Year,开幕日期和截止日期应在同一会计年度
DocType: Lead,Request for Information,索取资料
-apps/erpnext/erpnext/accounts/page/pos/pos.js +743,Sync Offline Invoices,同步离线发票
+,LeaderBoard,排行榜
+apps/erpnext/erpnext/accounts/page/pos/pos.js +744,Sync Offline Invoices,同步离线发票
DocType: Payment Request,Paid,付费
DocType: Program Fee,Program Fee,课程费用
DocType: Salary Slip,Total in words,总字
@@ -1010,13 +1016,13 @@
DocType: Cheque Print Template,Has Print Format,拥有打印格式
DocType: Employee Loan,Sanctioned,制裁
apps/erpnext/erpnext/accounts/page/pos/pos.js +72, is mandatory. Maybe Currency Exchange record is not created for ,是强制性的。也许外币兑换记录没有创建
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +111,Row #{0}: Please specify Serial No for Item {1},行#{0}:请注明序号为项目{1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +643,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",对于“产品包”的物品,仓库,序列号和批号将被从“装箱单”表考虑。如果仓库和批次号是相同的任何“产品包”项目的所有包装物品,这些值可以在主项表中输入,值将被复制到“装箱单”表。
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +112,Row #{0}: Please specify Serial No for Item {1},行#{0}:请注明序号为项目{1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +613,"For 'Product Bundle' items, Warehouse, Serial No and Batch No will be considered from the 'Packing List' table. If Warehouse and Batch No are same for all packing items for any 'Product Bundle' item, those values can be entered in the main Item table, values will be copied to 'Packing List' table.",对于“产品包”的物品,仓库,序列号和批号将被从“装箱单”表考虑。如果仓库和批次号是相同的任何“产品包”项目的所有包装物品,这些值可以在主项表中输入,值将被复制到“装箱单”表。
DocType: Job Opening,Publish on website,发布在网站上
apps/erpnext/erpnext/config/stock.py +17,Shipments to customers.,向客户发货。
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +622,Supplier Invoice Date cannot be greater than Posting Date,供应商发票的日期不能超过过帐日期更大
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +621,Supplier Invoice Date cannot be greater than Posting Date,供应商发票的日期不能超过过帐日期更大
DocType: Purchase Invoice Item,Purchase Order Item,采购订单项目
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +130,Indirect Income,间接收益
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +132,Indirect Income,间接收益
DocType: Student Attendance Tool,Student Attendance Tool,学生考勤工具
DocType: Cheque Print Template,Date Settings,日期设定
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +48,Variance,方差
@@ -1034,21 +1040,21 @@
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +16,Chemical,化学品
DocType: Salary Component Account,Default Bank / Cash account will be automatically updated in Salary Journal Entry when this mode is selected.,默认银行/现金帐户时,会选择此模式可以自动在工资日记条目更新。
DocType: BOM,Raw Material Cost(Company Currency),原料成本(公司货币)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +732,All items have already been transferred for this Production Order.,所有品目都已经转移到这个生产订单。
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +733,All items have already been transferred for this Production Order.,所有品目都已经转移到这个生产订单。
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},行#{0}:速率不能大于{1} {2}中使用的速率
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +87,Row # {0}: Rate cannot be greater than the rate used in {1} {2},行#{0}:速率不能大于{1} {2}中使用的速率
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Meter,仪表
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Meter,仪表
DocType: Workstation,Electricity Cost,电力成本
DocType: HR Settings,Don't send Employee Birthday Reminders,不要发送员工生日提醒
DocType: Item,Inspection Criteria,检验标准
apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +14,Transfered,转移
DocType: BOM Website Item,BOM Website Item,BOM网站项目
-apps/erpnext/erpnext/public/js/setup_wizard.js +168,Upload your letter head and logo. (you can edit them later).,上传你的信头和logo。(您可以在以后对其进行编辑)。
+apps/erpnext/erpnext/public/js/setup_wizard.js +43,Upload your letter head and logo. (you can edit them later).,上传你的信头和logo。(您可以在以后对其进行编辑)。
DocType: Timesheet Detail,Bill,法案
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +85,Next Depreciation Date is entered as past date,接下来折旧日期输入为过去的日期
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +170,White,白
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +177,White,白
DocType: SMS Center,All Lead (Open),所有潜在客户(开放)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +230,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),行{0}:数量不适用于{4}在仓库{1}在发布条目的时间({2} {3})
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +231,Row {0}: Qty not available for {4} in warehouse {1} at posting time of the entry ({2} {3}),行{0}:数量不适用于{4}在仓库{1}在发布条目的时间({2} {3})
DocType: Purchase Invoice,Get Advances Paid,获取已付预付款
DocType: Item,Automatically Create New Batch,自动创建新批
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Make ,使
@@ -1058,13 +1064,13 @@
apps/erpnext/erpnext/templates/pages/cart.html +5,My Cart,我的购物车
apps/erpnext/erpnext/controllers/selling_controller.py +155,Order Type must be one of {0},订单类型必须是一个{0}
DocType: Lead,Next Contact Date,下次联络日期
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +35,Opening Qty,开放数量
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +449,Please enter Account for Change Amount,对于涨跌额请输入帐号
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Opening Qty,开放数量
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +452,Please enter Account for Change Amount,对于涨跌额请输入帐号
DocType: Student Batch Name,Student Batch Name,学生批名
DocType: Holiday List,Holiday List Name,假期列表名称
DocType: Repayment Schedule,Balance Loan Amount,平衡贷款额
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.js +13,Schedule Course,课程时间表
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +186,Stock Options,库存选项
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +193,Stock Options,库存选项
DocType: Journal Entry Account,Expense Claim,报销
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +245,Do you really want to restore this scrapped asset?,难道你真的想恢复这个报废的资产?
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +259,Qty for {0},{0}数量
@@ -1076,12 +1082,12 @@
DocType: Company,Default Terms,默认条款
DocType: Packing Slip Item,Packing Slip Item,装箱单项目
DocType: Purchase Invoice,Cash/Bank Account,现金/银行账户
-apps/erpnext/erpnext/public/js/queries.js +88,Please specify a {0},请指定{0}
+apps/erpnext/erpnext/public/js/queries.js +96,Please specify a {0},请指定{0}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +71,Removed items with no change in quantity or value.,删除的项目在数量或价值没有变化。
DocType: Delivery Note,Delivery To,交货对象
-apps/erpnext/erpnext/stock/doctype/item/item.py +637,Attribute table is mandatory,属性表是强制性的
+apps/erpnext/erpnext/stock/doctype/item/item.py +638,Attribute table is mandatory,属性表是强制性的
DocType: Production Planning Tool,Get Sales Orders,获取销售订单
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +67,{0} can not be negative,{0}不能为负
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +68,{0} can not be negative,{0}不能为负
apps/erpnext/erpnext/public/js/pos/pos_selected_item.html +11,Discount,折扣
DocType: Asset,Total Number of Depreciations,折旧总数
DocType: Sales Invoice Item,Rate With Margin,利率保证金
@@ -1102,7 +1108,6 @@
DocType: Serial No,Creation Document No,创建文档编号
DocType: Issue,Issue,问题
DocType: Asset,Scrapped,报废
-apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account does not match with Company,客户不与公司匹配
apps/erpnext/erpnext/config/stock.py +195,"Attributes for Item Variants. e.g Size, Color etc.",品目变体的属性。如大小,颜色等。
DocType: Purchase Invoice,Returns,返回
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +42,WIP Warehouse,在制品仓库
@@ -1114,12 +1119,12 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +59,Item must be added using 'Get Items from Purchase Receipts' button,项目必须要由“从采购收据获取品目”添加
DocType: Employee,A-,A-
DocType: Production Planning Tool,Include non-stock items,包括非股票项目
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +115,Sales Expenses,销售费用
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Sales Expenses,销售费用
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +18,Standard Buying,标准采购
DocType: GL Entry,Against,针对
DocType: Item,Default Selling Cost Center,默认销售成本中心
DocType: Sales Partner,Implementation Partner,实施合作伙伴
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1509,ZIP Code,邮编
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1546,ZIP Code,邮编
apps/erpnext/erpnext/controllers/selling_controller.py +265,Sales Order {0} is {1},销售订单{0} {1}
DocType: Opportunity,Contact Info,联系方式
apps/erpnext/erpnext/config/stock.py +310,Making Stock Entries,制作Stock条目
@@ -1132,33 +1137,33 @@
DocType: Holiday List,Get Weekly Off Dates,获取周末日期
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +33,End Date can not be less than Start Date,结束日期不能小于开始日期
DocType: Sales Person,Select company name first.,请先选择公司名称。
-apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Dr,借方
apps/erpnext/erpnext/config/buying.py +23,Quotations received from Suppliers.,从供应商收到的报价。
apps/erpnext/erpnext/controllers/selling_controller.py +22,To {0} | {1} {2},{0} | {1} {2}
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +40,Average Age,平均年龄
DocType: School Settings,Attendance Freeze Date,出勤冻结日期
DocType: School Settings,Attendance Freeze Date,出勤冻结日期
DocType: Opportunity,Your sales person who will contact the customer in future,联系客户的销售人员
-apps/erpnext/erpnext/public/js/setup_wizard.js +266,List a few of your suppliers. They could be organizations or individuals.,列出一些你的供应商,他们可以是组织或个人。
+apps/erpnext/erpnext/public/js/setup_wizard.js +238,List a few of your suppliers. They could be organizations or individuals.,列出一些你的供应商,他们可以是组织或个人。
apps/erpnext/erpnext/templates/pages/home.html +31,View All Products,查看所有产品
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),最低铅年龄(天)
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +20,Minimum Lead Age (Days),最低铅年龄(天)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +59,All BOMs,所有的材料明细表
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +60,All BOMs,所有的材料明细表
DocType: Company,Default Currency,默认货币
DocType: Expense Claim,From Employee,来自员工
-apps/erpnext/erpnext/controllers/accounts_controller.py +417,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,警告: 因为{1}中的物件{0}为零,系统将不会检查超额
+apps/erpnext/erpnext/controllers/accounts_controller.py +419,Warning: System will not check overbilling since amount for Item {0} in {1} is zero,警告: 因为{1}中的物件{0}为零,系统将不会检查超额
DocType: Journal Entry,Make Difference Entry,创建差异分录
DocType: Upload Attendance,Attendance From Date,考勤起始日期
DocType: Appraisal Template Goal,Key Performance Area,关键绩效区
-apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +54,Transportation,运输
+DocType: Program Enrollment,Transportation,运输
apps/erpnext/erpnext/controllers/item_variant.py +92,Invalid Attribute,无效属性
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +218,{0} {1} must be submitted,{0} {1}必须提交
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +216,{0} {1} must be submitted,{0} {1}必须提交
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +146,Quantity must be less than or equal to {0},量必须小于或等于{0}
DocType: SMS Center,Total Characters,总字符
-apps/erpnext/erpnext/controllers/buying_controller.py +154,Please select BOM in BOM field for Item {0},请BOM字段中选择BOM的项目{0}
+apps/erpnext/erpnext/controllers/buying_controller.py +157,Please select BOM in BOM field for Item {0},请BOM字段中选择BOM的项目{0}
DocType: C-Form Invoice Detail,C-Form Invoice Detail,C-形式发票详细信息
DocType: Payment Reconciliation Invoice,Payment Reconciliation Invoice,付款发票对账
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +42,Contribution %,贡献%
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +208,"As per the Buying Settings if Purchase Order Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Order first for item {0}",根据购买设置,如果需要采购订单=='是',那么为了创建采购发票,用户需要首先为项目{0}创建采购订单
DocType: Company,Company registration numbers for your reference. Tax numbers etc.,公司注册号码,供大家参考。税务号码等
DocType: Sales Partner,Distributor,经销商
DocType: Shopping Cart Shipping Rule,Shopping Cart Shipping Rule,购物车配送规则
@@ -1167,23 +1172,25 @@
,Ordered Items To Be Billed,订购物品被标榜
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +46,From Range has to be less than To Range,从范围必须小于要范围
DocType: Global Defaults,Global Defaults,全局默认值
-apps/erpnext/erpnext/projects/doctype/project/project.py +202,Project Collaboration Invitation,项目合作邀请
+apps/erpnext/erpnext/projects/doctype/project/project.py +210,Project Collaboration Invitation,项目合作邀请
DocType: Salary Slip,Deductions,扣款列表
DocType: Leave Allocation,LAL/,LAL /
apps/erpnext/erpnext/public/js/financial_statements.js +75,Start Year,开始年份
+apps/erpnext/erpnext/regional/india/utils.py +22,First 2 digits of GSTIN should match with State number {0},GSTIN的前2位数字应与状态号{0}匹配
DocType: Purchase Invoice,Start date of current invoice's period,当前发票周期的起始日期
DocType: Salary Slip,Leave Without Pay,无薪假期
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +347,Capacity Planning Error,容量规划错误
,Trial Balance for Party,试算表的派对
DocType: Lead,Consultant,顾问
DocType: Salary Slip,Earnings,盈余
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +390,Finished Item {0} must be entered for Manufacture type entry,完成项目{0}必须为制造类条目进入
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +391,Finished Item {0} must be entered for Manufacture type entry,完成项目{0}必须为制造类条目进入
apps/erpnext/erpnext/config/learn.py +87,Opening Accounting Balance,打开会计平衡
+,GST Sales Register,消费税销售登记册
DocType: Sales Invoice Advance,Sales Invoice Advance,销售发票预付款
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +548,Nothing to request,没有申请内容
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +34,Another Budget record '{0}' already exists against {1} '{2}' for fiscal year {3},另一个预算记录“{0}”已存在对{1}“{2}”为年度{3}
apps/erpnext/erpnext/projects/doctype/task/task.py +40,'Actual Start Date' can not be greater than 'Actual End Date',“实际开始日期”不能大于“实际结束日期'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +79,Management,管理人员
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +86,Management,管理人员
DocType: Cheque Print Template,Payer Settings,付款人设置
DocType: Item Attribute Value,"This will be appended to the Item Code of the variant. For example, if your abbreviation is ""SM"", and the item code is ""T-SHIRT"", the item code of the variant will be ""T-SHIRT-SM""",这将追加到变异的项目代码。例如,如果你的英文缩写为“SM”,而该项目的代码是“T-SHIRT”,该变种的项目代码将是“T-SHIRT-SM”
DocType: Salary Slip,Net Pay (in words) will be visible once you save the Salary Slip.,保存工资单后会显示净支付金额(大写)。
@@ -1200,8 +1207,8 @@
DocType: Employee Loan,Partially Disbursed,部分已支付
apps/erpnext/erpnext/config/buying.py +38,Supplier database.,供应商数据库。
DocType: Account,Balance Sheet,资产负债表
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +705,Cost Center For Item with Item Code ',成本中心:品目代码‘
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2349,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",付款方式未配置。请检查是否帐户已就付款方式或POS机配置文件中设置。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +675,Cost Center For Item with Item Code ',成本中心:品目代码‘
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2389,"Payment Mode is not configured. Please check, whether account has been set on Mode of Payments or on POS Profile.",付款方式未配置。请检查是否帐户已就付款方式或POS机配置文件中设置。
DocType: Opportunity,Your sales person will get a reminder on this date to contact the customer,您的销售人员将在此日期收到联系客户的提醒
apps/erpnext/erpnext/buying/utils.py +74,Same item cannot be entered multiple times.,同一项目不能输入多次。
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +28,"Further accounts can be made under Groups, but entries can be made against non-Groups",进一步帐户可以根据组进行,但条目可针对非组进行
@@ -1209,7 +1216,7 @@
DocType: Email Digest,Payables,应付账款
DocType: Course,Course Intro,课程介绍
apps/erpnext/erpnext/stock/doctype/batch/batch.js +85,Stock Entry {0} created,库存输入{0}创建
-apps/erpnext/erpnext/controllers/buying_controller.py +290,Row #{0}: Rejected Qty can not be entered in Purchase Return,行#{0}:驳回采购退货数量不能进入
+apps/erpnext/erpnext/controllers/buying_controller.py +293,Row #{0}: Rejected Qty can not be entered in Purchase Return,行#{0}:驳回采购退货数量不能进入
,Purchase Order Items To Be Billed,采购订单的项目被标榜
DocType: Purchase Invoice Item,Net Rate,净费率
DocType: Purchase Invoice Item,Purchase Invoice Item,采购发票项目
@@ -1236,7 +1243,7 @@
DocType: Sales Order,SO-,所以-
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +157,Please select prefix first,请选择前缀第一
DocType: Employee,O-,O-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Research,研究
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Research,研究
DocType: Maintenance Visit Purpose,Work Done,已完成工作
apps/erpnext/erpnext/controllers/item_variant.py +33,Please specify at least one attribute in the Attributes table,请指定属性表中的至少一个属性
DocType: Announcement,All Students,所有学生
@@ -1244,17 +1251,17 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +18,View Ledger,查看总帐
DocType: Grading Scale,Intervals,间隔
apps/erpnext/erpnext/stock/report/stock_ageing/stock_ageing.py +41,Earliest,最早
-apps/erpnext/erpnext/stock/doctype/item/item.py +510,"An Item Group exists with same name, please change the item name or rename the item group",同名品目群组已存在,请修改品目名或群组名
-apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +46,Student Mobile No.,学生手机号码
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +475,Rest Of The World,世界其他地区
+apps/erpnext/erpnext/stock/doctype/item/item.py +511,"An Item Group exists with same name, please change the item name or rename the item group",同名品目群组已存在,请修改品目名或群组名
+apps/erpnext/erpnext/schools/report/absent_student_report/absent_student_report.py +52,Student Mobile No.,学生手机号码
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +489,Rest Of The World,世界其他地区
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +81,The Item {0} cannot have Batch,物件{0}不能有批次
,Budget Variance Report,预算差异报告
DocType: Salary Slip,Gross Pay,工资总额
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +115,Row {0}: Activity Type is mandatory.,行{0}:活动类型是强制性的。
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +164,Dividends Paid,股利支付
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +166,Dividends Paid,股利支付
apps/erpnext/erpnext/buying/doctype/supplier/supplier.js +36,Accounting Ledger,会计总帐
DocType: Stock Reconciliation,Difference Amount,差额
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +170,Retained Earnings,留存收益
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +172,Retained Earnings,留存收益
DocType: Vehicle Log,Service Detail,服务细节
DocType: BOM,Item Description,项目说明
DocType: Student Sibling,Student Sibling,学生兄弟
@@ -1269,11 +1276,11 @@
DocType: Opportunity Item,Opportunity Item,项目的机会
,Student and Guardian Contact Details,学生和监护人联系方式
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +39,Row {0}: For supplier {0} Email Address is required to send email,行{0}:对于供应商{0}的电邮地址发送电子邮件
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +70,Temporary Opening,临时开通
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +72,Temporary Opening,临时开通
,Employee Leave Balance,雇员假期余量
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +147,Balance for Account {0} must always be {1},账户{0}的余额必须总是{1}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +178,Valuation Rate required for Item in row {0},行对项目所需的估值速率{0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +328,Example: Masters in Computer Science,举例:硕士计算机科学
+apps/erpnext/erpnext/public/js/setup_wizard.js +288,Example: Masters in Computer Science,举例:硕士计算机科学
DocType: Purchase Invoice,Rejected Warehouse,拒绝仓库
DocType: GL Entry,Against Voucher,对凭证
DocType: Item,Default Buying Cost Center,默认采购成本中心
@@ -1286,31 +1293,30 @@
DocType: Journal Entry,Get Outstanding Invoices,获取未清发票
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +65,Sales Order {0} is not valid,销售订单{0}无效
apps/erpnext/erpnext/utilities/activation.py +89,Purchase orders help you plan and follow up on your purchases,采购订单帮助您规划和跟进您的购买
-apps/erpnext/erpnext/setup/doctype/company/company.py +212,"Sorry, companies cannot be merged",抱歉,公司不能合并
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +134,"The total Issue / Transfer quantity {0} in Material Request {1} \
+apps/erpnext/erpnext/setup/doctype/company/company.py +225,"Sorry, companies cannot be merged",抱歉,公司不能合并
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +167,"The total Issue / Transfer quantity {0} in Material Request {1} \
cannot be greater than requested quantity {2} for Item {3}",在材质要求总发行/传输量{0} {1} \不能超过请求的数量{2}的项目更大的{3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +159,Small,小
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +166,Small,小
DocType: Employee,Employee Number,雇员编号
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +65,Case No(s) already in use. Try from Case No {0},箱号已被使用,请尝试从{0}开始
DocType: Project,% Completed,% 已完成
,Invoiced Amount (Exculsive Tax),已开票金额(未含税)
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +14,Item 2,项目2
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +79,Account head {0} created,账户头{0}已创建
DocType: Supplier,SUPP-,SUPP-
DocType: Training Event,Training Event,培训活动
DocType: Item,Auto re-order,自动重新排序
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +59,Total Achieved,总体上实现
DocType: Employee,Place of Issue,签发地点
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +63,Contract,合同
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +70,Contract,合同
DocType: Email Digest,Add Quote,添加报价
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +860,UOM coversion factor required for UOM: {0} in Item: {1},物件{1}的计量单位{0}需要单位换算系数
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +90,Indirect Expenses,间接支出
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +861,UOM coversion factor required for UOM: {0} in Item: {1},物件{1}的计量单位{0}需要单位换算系数
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Indirect Expenses,间接支出
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +83,Row {0}: Qty is mandatory,行{0}:数量是强制性的
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +8,Agriculture,农业
-apps/erpnext/erpnext/accounts/page/pos/pos.js +734,Sync Master Data,同步主数据
-apps/erpnext/erpnext/public/js/setup_wizard.js +288,Your Products or Services,您的产品或服务
+apps/erpnext/erpnext/accounts/page/pos/pos.js +736,Sync Master Data,同步主数据
+apps/erpnext/erpnext/public/js/setup_wizard.js +256,Your Products or Services,您的产品或服务
DocType: Mode of Payment,Mode of Payment,付款方式
-apps/erpnext/erpnext/stock/doctype/item/item.py +180,Website Image should be a public file or website URL,网站形象应该是一个公共文件或网站网址
+apps/erpnext/erpnext/stock/doctype/item/item.py +181,Website Image should be a public file or website URL,网站形象应该是一个公共文件或网站网址
DocType: Student Applicant,AP,美联社
DocType: Purchase Invoice Item,BOM,BOM
apps/erpnext/erpnext/setup/doctype/item_group/item_group.js +37,This is a root item group and cannot be edited.,这是一个root群组,无法被编辑。
@@ -1319,7 +1325,7 @@
DocType: Warehouse,Warehouse Contact Info,仓库联系方式
DocType: Payment Entry,Write Off Difference Amount,核销金额差异
DocType: Purchase Invoice,Recurring Type,经常性类型
-apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +394,"{0}: Employee email not found, hence email not sent",{0}:未发现员工的电子邮件,因此,电子邮件未发
+apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +401,"{0}: Employee email not found, hence email not sent",{0}:未发现员工的电子邮件,因此,电子邮件未发
DocType: Item,Foreign Trade Details,外贸详细
DocType: Email Digest,Annual Income,年收入
DocType: Serial No,Serial No Details,序列号详情
@@ -1327,10 +1333,10 @@
DocType: Student Group Student,Group Roll Number,组卷编号
DocType: Student Group Student,Group Roll Number,组卷编号
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +145,"For {0}, only credit accounts can be linked against another debit entry",对于{0},贷方分录只能选择贷方账户
-apps/erpnext/erpnext/projects/doctype/project/project.py +70,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,所有任务的权重合计应为1。请相应调整的所有项目任务重
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +558,Delivery Note {0} is not submitted,送货单{0}未提交
-apps/erpnext/erpnext/stock/get_item_details.py +141,Item {0} must be a Sub-contracted Item,项目{0}必须是外包项目
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +41,Capital Equipments,资本设备
+apps/erpnext/erpnext/projects/doctype/project/project.py +73,Total of all task weights should be 1. Please adjust weights of all Project tasks accordingly,所有任务的权重合计应为1。请相应调整的所有项目任务重
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +562,Delivery Note {0} is not submitted,送货单{0}未提交
+apps/erpnext/erpnext/stock/get_item_details.py +151,Item {0} must be a Sub-contracted Item,项目{0}必须是外包项目
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +43,Capital Equipments,资本设备
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +33,"Pricing Rule is first selected based on 'Apply On' field, which can be Item, Item Group or Brand.",定价规则是第一选择是基于“应用在”字段,可以是项目,项目组或品牌。
DocType: Hub Settings,Seller Website,卖家网站
DocType: Item,ITEM-,项目-
@@ -1348,7 +1354,7 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +47,"There can only be one Shipping Rule Condition with 0 or blank value for ""To Value""",“至值”为0或为空的运输规则条件最多只能有一个
DocType: Authorization Rule,Transaction,交易
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +27,Note: This Cost Center is a Group. Cannot make accounting entries against groups.,注:此成本中心是一个组,会计分录不能对组录入。
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +126,Child warehouse exists for this warehouse. You can not delete this warehouse.,儿童仓库存在这个仓库。您不能删除这个仓库。
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +54,Child warehouse exists for this warehouse. You can not delete this warehouse.,儿童仓库存在这个仓库。您不能删除这个仓库。
DocType: Item,Website Item Groups,网站物件组
DocType: Purchase Invoice,Total (Company Currency),总(公司货币)
apps/erpnext/erpnext/stock/utils.py +177,Serial number {0} entered more than once,序列号{0}已多次输入
@@ -1358,7 +1364,7 @@
DocType: Grading Scale Interval,Grade Code,等级代码
DocType: POS Item Group,POS Item Group,POS项目组
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +17,Email Digest:,邮件摘要:
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +516,BOM {0} does not belong to Item {1},BOM{0}不属于品目{1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +549,BOM {0} does not belong to Item {1},BOM{0}不属于品目{1}
DocType: Sales Partner,Target Distribution,目标分布
DocType: Salary Slip,Bank Account No.,银行账号
DocType: Naming Series,This is the number of the last created transaction with this prefix,这就是以这个前缀的最后一个创建的事务数
@@ -1369,12 +1375,13 @@
DocType: Accounts Settings,Book Asset Depreciation Entry Automatically,自动存入资产折旧条目
DocType: BOM Operation,Workstation,工作站
DocType: Request for Quotation Supplier,Request for Quotation Supplier,询价供应商
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Hardware,硬件
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +123,Hardware,硬件
DocType: Sales Order,Recurring Upto,经常性高达
DocType: Attendance,HR Manager,人力资源经理
-apps/erpnext/erpnext/accounts/party.py +164,Please select a Company,请选择一个公司
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +54,Privilege Leave,特权休假
+apps/erpnext/erpnext/accounts/party.py +171,Please select a Company,请选择一个公司
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Privilege Leave,特权休假
DocType: Purchase Invoice,Supplier Invoice Date,供应商发票日期
+apps/erpnext/erpnext/templates/includes/product_page.js +18,per,每
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +90,You need to enable Shopping Cart,您需要启用购物车
DocType: Payment Entry,Writeoff,注销
DocType: Appraisal Template Goal,Appraisal Template Goal,评估目标模板
@@ -1385,10 +1392,10 @@
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +80,Overlapping conditions found between:,之间存在重叠的条件:
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +187,Against Journal Entry {0} is already adjusted against some other voucher,日记帐分录{0}已经被其他凭证调整
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +68,Total Order Value,总订单价值
-apps/erpnext/erpnext/demo/setup/setup_data.py +322,Food,食品
+apps/erpnext/erpnext/demo/setup/setup_data.py +324,Food,食品
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +51,Ageing Range 3,账龄范围3
DocType: Maintenance Schedule Item,No of Visits,访问数量
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +102,Mark Attendence,马克考勤
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +112,Mark Attendence,马克考勤
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +165,Maintenance Schedule {0} exists against {1},针对{1}存在维护计划{0}
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.js +32,Enrolling student,招生学生
apps/erpnext/erpnext/accounts/doctype/period_closing_voucher/period_closing_voucher.py +33,Currency of the Closing Account must be {0},在关闭帐户的货币必须是{0}
@@ -1402,6 +1409,7 @@
DocType: Rename Tool,Utilities,公用事业
DocType: Purchase Invoice Item,Accounting,会计
DocType: Employee,EMP/,EMP /
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +99,Please select batches for batched item ,请为批量选择批次
DocType: Asset,Depreciation Schedules,折旧计划
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +89,Application period cannot be outside leave allocation period,申请期间不能请假外分配周期
DocType: Activity Cost,Projects,项目
@@ -1415,6 +1423,7 @@
DocType: POS Profile,Campaign,活动
DocType: Supplier,Name and Type,名称和类型
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +57,Approval Status must be 'Approved' or 'Rejected',审批状态必须被“已批准”或“已拒绝”
+apps/erpnext/erpnext/public/js/setup_wizard.js +345,Bootstrap,引导
DocType: Purchase Invoice,Contact Person,联络人
apps/erpnext/erpnext/projects/doctype/task/task.py +37,'Expected Start Date' can not be greater than 'Expected End Date',“预计开始日期”不能大于“预计结束日期'
DocType: Course Scheduling Tool,Course End Date,课程结束日期
@@ -1422,12 +1431,11 @@
DocType: Sales Order Item,Planned Quantity,计划数量
DocType: Purchase Invoice Item,Item Tax Amount,项目税额
DocType: Item,Maintain Stock,库存维护
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +211,Stock Entries already created for Production Order ,生产订单已创建库存条目
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +212,Stock Entries already created for Production Order ,生产订单已创建库存条目
DocType: Employee,Prefered Email,首选电子邮件
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +33,Net Change in Fixed Asset,在固定资产净变动
DocType: Leave Control Panel,Leave blank if considered for all designations,如果针对所有 职位请留空
-apps/erpnext/erpnext/accounts/doctype/account/account.py +176,Warehouse is mandatory for non group Accounts of type Stock,仓库是强制性的类型股票的非组帐户
-apps/erpnext/erpnext/controllers/accounts_controller.py +673,Charge of type 'Actual' in row {0} cannot be included in Item Rate,行{0}中的收取类型“实际”不能有“品目税率”
+apps/erpnext/erpnext/controllers/accounts_controller.py +675,Charge of type 'Actual' in row {0} cannot be included in Item Rate,行{0}中的收取类型“实际”不能有“品目税率”
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +260,Max: {0},最大值:{0}
apps/erpnext/erpnext/projects/report/daily_timesheet_summary/daily_timesheet_summary.py +24,From Datetime,起始时间日期
DocType: Email Digest,For Company,对公司
@@ -1437,15 +1445,15 @@
DocType: Sales Invoice,Shipping Address Name,送货地址姓名
apps/erpnext/erpnext/accounts/doctype/account/account.js +49,Chart of Accounts,科目表
DocType: Material Request,Terms and Conditions Content,条款和条件内容
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +576,cannot be greater than 100,不能大于100
-apps/erpnext/erpnext/stock/doctype/item/item.py +689,Item {0} is not a stock Item,项目{0}不是库存项目
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +546,cannot be greater than 100,不能大于100
+apps/erpnext/erpnext/stock/doctype/item/item.py +690,Item {0} is not a stock Item,项目{0}不是库存项目
DocType: Maintenance Visit,Unscheduled,计划外
DocType: Employee,Owned,资
DocType: Salary Detail,Depends on Leave Without Pay,依赖于无薪休假
DocType: Pricing Rule,"Higher the number, higher the priority",数字越大,优先级越高
,Purchase Invoice Trends,购买发票趋势
DocType: Employee,Better Prospects,更好的前景
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +106,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",行#{0}:批次{1}只有{2}数量。请选择具有{3}数量的其他批次,或将该行拆分成多个行,以便从多个批次中传递/发布
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +114,"Row #{0}: The batch {1} has only {2} qty. Please select another batch which has {3} qty available or split the row into multiple rows, to deliver/issue from multiple batches",行#{0}:批次{1}只有{2}数量。请选择具有{3}数量的其他批次,或将该行拆分成多个行,以便从多个批次中传递/发布
DocType: Vehicle,License Plate,牌照
DocType: Appraisal,Goals,目标
DocType: Warranty Claim,Warranty / AMC Status,保修/ 年度保养合同状态
@@ -1456,19 +1464,20 @@
,Batch-Wise Balance History,批次余额历史
apps/erpnext/erpnext/accounts/doctype/cheque_print_template/cheque_print_template.js +73,Print settings updated in respective print format,打印设置在相应的打印格式更新
DocType: Package Code,Package Code,封装代码
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Apprentice,学徒
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +74,Apprentice,学徒
+DocType: Purchase Invoice,Company GSTIN,公司GSTIN
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +103,Negative Quantity is not allowed,负数量是不允许的
DocType: Purchase Invoice Item,"Tax detail table fetched from item master as a string and stored in this field.
Used for Taxes and Charges",从物件大师取得税项详细信息表,嵌入在此字段内。用作税金和费用。
apps/erpnext/erpnext/hr/doctype/employee/employee.py +154,Employee cannot report to himself.,雇员不能向自己报告。
DocType: Account,"If the account is frozen, entries are allowed to restricted users.",如果科目被冻结,则只有特定用户才能创建分录。
DocType: Email Digest,Bank Balance,银行存款余额
-apps/erpnext/erpnext/accounts/party.py +227,Accounting Entry for {0}: {1} can only be made in currency: {2},会计分录为{0}:{1}只能在货币做:{2}
+apps/erpnext/erpnext/accounts/party.py +234,Accounting Entry for {0}: {1} can only be made in currency: {2},会计分录为{0}:{1}只能在货币做:{2}
DocType: Job Opening,"Job profile, qualifications required etc.",工作概况,要求的学历等。
DocType: Journal Entry Account,Account Balance,账户余额
apps/erpnext/erpnext/config/accounts.py +185,Tax Rule for transactions.,税收规则进行的交易。
DocType: Rename Tool,Type of document to rename.,的文件类型进行重命名。
-apps/erpnext/erpnext/public/js/setup_wizard.js +307,We buy this Item,我们购买这些物件
+apps/erpnext/erpnext/public/js/setup_wizard.js +273,We buy this Item,我们购买这些物件
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +53,{0} {1}: Customer is required against Receivable account {2},{0} {1}:需要客户支付的应收账款{2}
DocType: Purchase Invoice,Total Taxes and Charges (Company Currency),总税费和费用(公司货币)
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +60,Show unclosed fiscal year's P&L balances,显示未关闭的会计年度的盈亏平衡
@@ -1479,29 +1488,30 @@
DocType: Stock Entry,Total Additional Costs,总额外费用
DocType: Course Schedule,SH,SH
DocType: BOM,Scrap Material Cost(Company Currency),废料成本(公司货币)
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Sub Assemblies,半成品
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Sub Assemblies,半成品
DocType: Asset,Asset Name,资产名称
DocType: Project,Task Weight,任务重
DocType: Shipping Rule Condition,To Value,To值
DocType: Asset Movement,Stock Manager,库存管理
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +143,Source warehouse is mandatory for row {0},行{0}中源仓库为必须项
-apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +811,Packing Slip,装箱单
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +108,Office Rent,办公室租金
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +144,Source warehouse is mandatory for row {0},行{0}中源仓库为必须项
+apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.js +785,Packing Slip,装箱单
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Office Rent,办公室租金
apps/erpnext/erpnext/config/setup.py +111,Setup SMS gateway settings,短信网关的设置
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +60,Import Failed!,导入失败!
-apps/erpnext/erpnext/public/js/templates/address_list.html +21,No address added yet.,未添加地址。
+apps/erpnext/erpnext/public/js/templates/address_list.html +20,No address added yet.,未添加地址。
DocType: Workstation Working Hour,Workstation Working Hour,工作站工作时间
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Analyst,分析员
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +94,Analyst,分析员
DocType: Item,Inventory,库存
DocType: Item,Sales Details,销售详情
DocType: Quality Inspection,QI-,QI-
DocType: Opportunity,With Items,随着项目
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,In Qty,在数量
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,In Qty,在数量
+DocType: School Settings,Validate Enrolled Course for Students in Student Group,验证学生组学生入学课程
DocType: Notification Control,Expense Claim Rejected,报销拒绝
DocType: Item,Item Attribute,项目属性
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,Government,政府
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +116,Government,政府
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +40,Expense Claim {0} already exists for the Vehicle Log,报销{0}已经存在车辆日志
-apps/erpnext/erpnext/public/js/setup_wizard.js +41,Institute Name,学院名称
+apps/erpnext/erpnext/public/js/setup_wizard.js +54,Institute Name,学院名称
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +117,Please enter repayment Amount,请输入还款金额
apps/erpnext/erpnext/config/stock.py +300,Item Variants,项目变体
DocType: Company,Services,服务
@@ -1511,18 +1521,18 @@
DocType: Sales Invoice,Source,源
apps/erpnext/erpnext/templates/pages/projects.html +31,Show closed,显示关闭
DocType: Leave Type,Is Leave Without Pay,是无薪休假
-apps/erpnext/erpnext/stock/doctype/item/item.py +238,Asset Category is mandatory for Fixed Asset item,资产类别是强制性的固定资产项目
+apps/erpnext/erpnext/stock/doctype/item/item.py +239,Asset Category is mandatory for Fixed Asset item,资产类别是强制性的固定资产项目
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +145,No records found in the Payment table,没有在支付表中找到记录
apps/erpnext/erpnext/schools/utils.py +19,This {0} conflicts with {1} for {2} {3},此{0}冲突{1}在{2} {3}
DocType: Student Attendance Tool,Students HTML,学生HTML
-apps/erpnext/erpnext/public/js/setup_wizard.js +60,Financial Year Start Date,财政年度开始日期
DocType: POS Profile,Apply Discount,应用折扣
+DocType: Purchase Invoice Item,GST HSN Code,GST HSN代码
DocType: Employee External Work History,Total Experience,总经验
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +70,Open Projects,打开项目
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +283,Packing Slip(s) cancelled,装箱单( S)取消
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +31,Cash Flow from Investing,从投资现金流
DocType: Program Course,Program Course,课程计划
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +97,Freight and Forwarding Charges,货运及转运费
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +99,Freight and Forwarding Charges,货运及转运费
DocType: Homepage,Company Tagline for website homepage,公司标语的网站主页
DocType: Item Group,Item Group Name,项目群组名称
apps/erpnext/erpnext/hr/report/employee_leave_balance/employee_leave_balance.py +27,Taken,已经过
@@ -1532,6 +1542,7 @@
apps/erpnext/erpnext/utilities/activation.py +61,Create Leads,建立潜在客户
DocType: Maintenance Schedule,Schedules,计划任务
DocType: Purchase Invoice Item,Net Amount,净额
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +143,{0} {1} has not been submitted so the action cannot be completed,{0} {1}尚未提交,因此无法完成此操作
DocType: Purchase Order Item Supplied,BOM Detail No,BOM详情编号
DocType: Landed Cost Voucher,Additional Charges,附加费用
DocType: Purchase Invoice,Additional Discount Amount (Company Currency),额外的优惠金额(公司货币)
@@ -1547,6 +1558,7 @@
DocType: Employee Loan,Monthly Repayment Amount,每月还款额
apps/erpnext/erpnext/hr/doctype/employee/employee.py +191,Please set User ID field in an Employee record to set Employee Role,请在员工记录设置员工角色设置用户ID字段
DocType: UOM,UOM Name,计量单位名称
+DocType: GST HSN Code,HSN Code,HSN代码
apps/erpnext/erpnext/selling/report/sales_person_wise_transaction_summary/sales_person_wise_transaction_summary.py +43,Contribution Amount,贡献金额
DocType: Purchase Invoice,Shipping Address,送货地址
DocType: Stock Reconciliation,This tool helps you to update or fix the quantity and valuation of stock in the system. It is typically used to synchronise the system values and what actually exists in your warehouses.,此工具可帮助您更新或修复系统中的库存数量和价值。它通常被用于同步系统值和实际存在于您的仓库。
@@ -1557,18 +1569,17 @@
DocType: Program Enrollment Tool,Program Enrollments,计划扩招
DocType: Sales Invoice Item,Brand Name,品牌名称
DocType: Purchase Receipt,Transporter Details,转运详细
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2533,Default warehouse is required for selected item,默认仓库需要选中的项目
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Box,箱
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2573,Default warehouse is required for selected item,默认仓库需要选中的项目
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Box,箱
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +873,Possible Supplier,可能的供应商
-apps/erpnext/erpnext/public/js/setup_wizard.js +36,The Organization,组织机构
DocType: Budget,Monthly Distribution,月度分布
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +68,Receiver List is empty. Please create Receiver List,接收人列表为空。请创建接收人列表
DocType: Production Plan Sales Order,Production Plan Sales Order,生产计划销售订单
DocType: Sales Partner,Sales Partner Target,销售合作伙伴目标
DocType: Loan Type,Maximum Loan Amount,最高贷款额度
DocType: Pricing Rule,Pricing Rule,定价规则
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},学生{0}的重复卷号
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +52,Duplicate roll number for student {0},学生{0}的重复卷号
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},学生{0}的重复卷号
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +53,Duplicate roll number for student {0},学生{0}的重复卷号
DocType: Budget,Action if Annual Budget Exceeded,如果行动年度预算超标
apps/erpnext/erpnext/config/learn.py +197,Material Request to Purchase Order,材料要求采购订单
DocType: Shopping Cart Settings,Payment Success URL,付款成功URL
@@ -1581,11 +1592,11 @@
DocType: C-Form,III,III
apps/erpnext/erpnext/config/stock.py +305,Opening Stock Balance,期初存货余额
apps/erpnext/erpnext/stock/doctype/item_attribute/item_attribute.py +58,{0} must appear only once,{0}只能出现一次
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +367,Not allowed to tranfer more {0} than {1} against Purchase Order {2},不允许转院更多{0}不是{1}对采购订单{2}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +368,Not allowed to tranfer more {0} than {1} against Purchase Order {2},不允许转院更多{0}不是{1}对采购订单{2}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.py +59,Leaves Allocated Successfully for {0},已成功为{0}调配假期
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +40,No Items to pack,未选择品目
DocType: Shipping Rule Condition,From Value,起始值
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +554,Manufacturing Quantity is mandatory,生产数量为必须项
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +555,Manufacturing Quantity is mandatory,生产数量为必须项
DocType: Employee Loan,Repayment Method,还款方式
DocType: Products Settings,"If checked, the Home page will be the default Item Group for the website",如果选中,主页将是网站的默认项目组
DocType: Quality Inspection Reading,Reading 4,阅读4
@@ -1595,7 +1606,7 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +81,Row #{0}: Clearance date {1} cannot be before Cheque Date {2},行#{0}:清除日期{1}无法支票日期前{2}
DocType: Company,Default Holiday List,默认假期列表
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +187,Row {0}: From Time and To Time of {1} is overlapping with {2},行{0}:从时间和结束时间{1}是具有重叠{2}
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Stock Liabilities,库存负债
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +145,Stock Liabilities,库存负债
DocType: Purchase Invoice,Supplier Warehouse,供应商仓库
DocType: Opportunity,Contact Mobile No,联系人手机号码
,Material Requests for which Supplier Quotations are not created,无供应商报价的物料申请
@@ -1606,35 +1617,37 @@
apps/erpnext/erpnext/utilities/activation.py +72,Make Quotation,请报价
apps/erpnext/erpnext/config/selling.py +216,Other Reports,其他报告
DocType: Dependent Task,Dependent Task,相关任务
-apps/erpnext/erpnext/stock/doctype/item/item.py +407,Conversion factor for default Unit of Measure must be 1 in row {0},行{0}中默认计量单位的转换系数必须是1
+apps/erpnext/erpnext/stock/doctype/item/item.py +408,Conversion factor for default Unit of Measure must be 1 in row {0},行{0}中默认计量单位的转换系数必须是1
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +208,Leave of type {0} cannot be longer than {1},类型为{0}的假期不能长于{1}天
DocType: Manufacturing Settings,Try planning operations for X days in advance.,尝试规划X天行动提前。
DocType: HR Settings,Stop Birthday Reminders,停止生日提醒
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +255,Please set Default Payroll Payable Account in Company {0},请公司设定默认应付职工薪酬帐户{0}
DocType: SMS Center,Receiver List,接收人列表
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1058,Search Item,搜索项目
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1060,Search Item,搜索项目
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +46,Consumed Amount,消耗量
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +98,Net Change in Cash,现金净变动
DocType: Assessment Plan,Grading Scale,分级量表
-apps/erpnext/erpnext/stock/doctype/item/item.py +402,Unit of Measure {0} has been entered more than once in Conversion Factor Table,计量单位{0}已经在换算系数表内
+apps/erpnext/erpnext/stock/doctype/item/item.py +403,Unit of Measure {0} has been entered more than once in Conversion Factor Table,计量单位{0}已经在换算系数表内
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +601,Already completed,已经完成
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +33,Stock In Hand,库存在手
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +28,Payment Request already exists {0},付款申请已经存在{0}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +27,Cost of Issued Items,已发料品目成本
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +263,Quantity must not be more than {0},数量不能超过{0}
apps/erpnext/erpnext/accounts/report/balance_sheet/balance_sheet.py +117,Previous Financial Year is not closed,上一财政年度未关闭
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +44,Age (Days),时间(天)
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +46,Age (Days),时间(天)
DocType: Quotation Item,Quotation Item,报价品目
+DocType: Customer,Customer POS Id,客户POS ID
DocType: Account,Account Name,帐户名称
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +40,From Date cannot be greater than To Date,起始日期不能大于结束日期
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +194,Serial No {0} quantity {1} cannot be a fraction,序列号{0}的数量{1}不能是分数
apps/erpnext/erpnext/config/buying.py +43,Supplier Type master.,主要的供应商类型。
DocType: Purchase Order Item,Supplier Part Number,供应商零件编号
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +100,Conversion rate cannot be 0 or 1,汇率不能为0或1
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +101,Conversion rate cannot be 0 or 1,汇率不能为0或1
DocType: Sales Invoice,Reference Document,参考文献
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +180,{0} {1} is cancelled or stopped,{0} {1}被取消或停止
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +213,{0} {1} is cancelled or stopped,{0} {1}被取消或停止
DocType: Accounts Settings,Credit Controller,信用控制人
DocType: Delivery Note,Vehicle Dispatch Date,车辆调度日期
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +229,Purchase Receipt {0} is not submitted,外购入库单{0}未提交
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +230,Purchase Receipt {0} is not submitted,外购入库单{0}未提交
DocType: Company,Default Payable Account,默认应付账户
apps/erpnext/erpnext/config/website.py +17,"Settings for online shopping cart such as shipping rules, price list etc.",网上购物车,如配送规则,价格表等的设置
apps/erpnext/erpnext/controllers/website_list_for_contact.py +86,{0}% Billed,{0}%帐单
@@ -1653,11 +1666,12 @@
DocType: Expense Claim,Total Amount Reimbursed,报销金额合计
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle_dashboard.py +5,This is based on logs against this Vehicle. See timeline below for details,这是基于对本车辆的日志。详情请参阅以下时间表
apps/erpnext/erpnext/schools/doctype/fees/fees.js +41,Collect,搜集
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +82,Against Supplier Invoice {0} dated {1},对日期为{1}的供应商发票{0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +83,Against Supplier Invoice {0} dated {1},对日期为{1}的供应商发票{0}
DocType: Customer,Default Price List,默认价格表
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +243,Asset Movement record {0} created,资产运动记录{0}创建
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +51,You cannot delete Fiscal Year {0}. Fiscal Year {0} is set as default in Global Settings,您不能删除会计年度{0}。会计年度{0}被设置为默认的全局设置
DocType: Journal Entry,Entry Type,条目类型
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +36,No assessment plan linked with this assessment group,没有评估计划与此评估组相关联
,Customer Credit Balance,客户贷方余额
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +23,Net Change in Accounts Payable,应付账款净额变化
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +42,Customer required for 'Customerwise Discount',”客户折扣“需要指定客户
@@ -1665,7 +1679,7 @@
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +21,Pricing,价钱
DocType: Quotation,Term Details,条款详情
DocType: Project,Total Sales Cost (via Sales Order),总销售成本(通过销售订单)
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +30,Cannot enroll more than {0} students for this student group.,不能注册超过{0}学生该学生群体更多。
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +29,Cannot enroll more than {0} students for this student group.,不能注册超过{0}学生该学生群体更多。
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,铅计数
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +17,Lead Count,铅计数
apps/erpnext/erpnext/accounts/doctype/asset_category/asset_category.py +15,{0} must be greater than 0,{0}必须大于0
@@ -1688,7 +1702,7 @@
DocType: Sales Invoice,Packed Items,盒装项目
apps/erpnext/erpnext/config/support.py +27,Warranty Claim against Serial No.,针对序列号提出的保修申请
DocType: BOM Replace Tool,"Replace a particular BOM in all other BOMs where it is used. It will replace the old BOM link, update cost and regenerate ""BOM Explosion Item"" table as per new BOM",在它使用的所有其他材料明细表替换特定的BOM。它将取代旧的BOM链接,更新成本和再生“BOM爆炸物品”表按照新的BOM
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +62,'Total','总'
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +67,'Total','总'
DocType: Shopping Cart Settings,Enable Shopping Cart,启用购物车
DocType: Employee,Permanent Address,永久地址
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +260,"Advance paid against {0} {1} cannot be greater \
@@ -1704,9 +1718,9 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +98,Please specify either Quantity or Valuation Rate or both,请注明无论是数量或估价率或两者
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order_dashboard.py +17,Fulfillment,履行
apps/erpnext/erpnext/templates/generators/item.html +67,View in Cart,查看你的购物车
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +101,Marketing Expenses,市场营销开支
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +103,Marketing Expenses,市场营销开支
,Item Shortage Report,项目短缺报告
-apps/erpnext/erpnext/stock/doctype/item/item.js +257,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",重量被提及,\n请注明“重量计量单位”
+apps/erpnext/erpnext/stock/doctype/item/item.js +265,"Weight is mentioned,\nPlease mention ""Weight UOM"" too",重量被提及,\n请注明“重量计量单位”
DocType: Stock Entry Detail,Material Request used to make this Stock Entry,创建此库存记录的物料申请
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +68,Next Depreciation Date is mandatory for new asset,接下来折旧日期是强制性的新资产
DocType: Student Group Creation Tool,Separate course based Group for every Batch,为每个批次分离基于课程的组
@@ -1716,17 +1730,18 @@
,Student Fee Collection,学生费征收
DocType: Accounts Settings,Make Accounting Entry For Every Stock Movement,为每个库存变动创建会计分录
DocType: Leave Allocation,Total Leaves Allocated,分配的总叶
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +155,Warehouse required at Row No {0},在行无需仓库{0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +78,Please enter valid Financial Year Start and End Dates,请输入有效的财政年度开始和结束日期
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +156,Warehouse required at Row No {0},在行无需仓库{0}
+apps/erpnext/erpnext/public/js/setup_wizard.js +122,Please enter valid Financial Year Start and End Dates,请输入有效的财政年度开始和结束日期
DocType: Employee,Date Of Retirement,退休日期
DocType: Upload Attendance,Get Template,获取模板
+DocType: Material Request,Transferred,转入
DocType: Vehicle,Doors,门
-apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +204,ERPNext Setup Complete!,ERPNext设置完成!
+apps/erpnext/erpnext/setup/setup_wizard/setup_wizard.py +205,ERPNext Setup Complete!,ERPNext设置完成!
DocType: Course Assessment Criteria,Weightage,权重
DocType: Packing Slip,PS-,PS-
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +67,{0} {1}: Cost Center is required for 'Profit and Loss' account {2}. Please set up a default Cost Center for the Company.,{0} {1}:需要的损益“账户成本中心{2}。请设置为公司默认的成本中心。
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +108,A Customer Group exists with same name please change the Customer name or rename the Customer Group,同名的客户组已经存在,请更改客户姓名或重命名该客户组
-apps/erpnext/erpnext/public/js/templates/contact_list.html +2,New Contact,新建联系人
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +115,A Customer Group exists with same name please change the Customer name or rename the Customer Group,同名的客户组已经存在,请更改客户姓名或重命名该客户组
+apps/erpnext/erpnext/public/js/templates/contact_list.html +37,New Contact,新建联系人
DocType: Territory,Parent Territory,家长领地
DocType: Quality Inspection Reading,Reading 2,阅读2
DocType: Stock Entry,Material Receipt,物料收据
@@ -1735,17 +1750,16 @@
DocType: Employee,AB+,AB +
DocType: Item,"If this item has variants, then it cannot be selected in sales orders etc.",如果此项目有变体,那么它不能在销售订单等选择
DocType: Lead,Next Contact By,下次联络人
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +254,Quantity required for Item {0} in row {1},行{1}中的品目{0}必须指定数量
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +114,Warehouse {0} can not be deleted as quantity exists for Item {1},仓库{0}无法删除,因为产品{1}有库存量
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +281,Quantity required for Item {0} in row {1},行{1}中的品目{0}必须指定数量
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +46,Warehouse {0} can not be deleted as quantity exists for Item {1},仓库{0}无法删除,因为产品{1}有库存量
DocType: Quotation,Order Type,订单类型
DocType: Purchase Invoice,Notification Email Address,通知邮件地址
,Item-wise Sales Register,逐项销售登记
DocType: Asset,Gross Purchase Amount,总购买金额
DocType: Asset,Depreciation Method,折旧方法
-apps/erpnext/erpnext/accounts/page/pos/pos.js +698,Offline,离线
+apps/erpnext/erpnext/accounts/page/pos/pos.js +699,Offline,离线
DocType: Purchase Taxes and Charges,Is this Tax included in Basic Rate?,此税项是否包含在基本价格中?
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Target,总目标
-DocType: Program Course,Required,需要
DocType: Job Applicant,Applicant for a Job,求职申请
DocType: Production Plan Material Request,Production Plan Material Request,生产计划申请材料
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +235,No Production Orders created,暂无生产订单
@@ -1754,17 +1768,17 @@
DocType: Purchase Invoice Item,Batch No,批号
DocType: Selling Settings,Allow multiple Sales Orders against a Customer's Purchase Order,允许多个销售订单对客户的采购订单
DocType: Student Group Instructor,Student Group Instructor,学生组教练
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Mobile No,Guardian2手机号码
-apps/erpnext/erpnext/setup/doctype/company/company.py +191,Main,主
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +61,Guardian2 Mobile No,Guardian2手机号码
+apps/erpnext/erpnext/setup/doctype/company/company.py +204,Main,主
apps/erpnext/erpnext/stock/doctype/item/item.js +60,Variant,变体
DocType: Naming Series,Set prefix for numbering series on your transactions,为交易设置编号系列的前缀
DocType: Employee Attendance Tool,Employees HTML,HTML员工
-apps/erpnext/erpnext/stock/doctype/item/item.py +421,Default BOM ({0}) must be active for this item or its template,默认BOM({0})必须是活动的这个项目或者其模板
+apps/erpnext/erpnext/stock/doctype/item/item.py +422,Default BOM ({0}) must be active for this item or its template,默认BOM({0})必须是活动的这个项目或者其模板
DocType: Employee,Leave Encashed?,假期已使用?
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +32,Opportunity From field is mandatory,从机会是必选项
DocType: Email Digest,Annual Expenses,年度支出
DocType: Item,Variants,变种
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +992,Make Purchase Order,创建采购订单
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +976,Make Purchase Order,创建采购订单
DocType: SMS Center,Send To,发送到
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +152,There is not enough leave balance for Leave Type {0},假期类型{0}的余额不足了
DocType: Payment Reconciliation Payment,Allocated amount,分配量
@@ -1780,26 +1794,25 @@
DocType: Item,Serial Nos and Batches,序列号和批号
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,学生群体力量
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +42,Student Group Strength,学生群体力量
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +239,Against Journal Entry {0} does not have any unmatched {1} entry,日记帐分录{0}没有不符合的{1}分录
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +237,Against Journal Entry {0} does not have any unmatched {1} entry,日记帐分录{0}没有不符合的{1}分录
apps/erpnext/erpnext/config/hr.py +137,Appraisals,估价
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +201,Duplicate Serial No entered for Item {0},品目{0}的序列号重复
DocType: Shipping Rule Condition,A condition for a Shipping Rule,发货规则的一个条件
apps/erpnext/erpnext/hr/doctype/employee/employee.py +161,Please enter ,请输入
-apps/erpnext/erpnext/controllers/accounts_controller.py +433,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",行不能overbill为项目{0} {1}超过{2}。要允许对帐单,请在购买设置中设置
-apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +188,Please set filter based on Item or Warehouse,根据项目或仓库请设置过滤器
+apps/erpnext/erpnext/controllers/accounts_controller.py +435,"Cannot overbill for Item {0} in row {1} more than {2}. To allow over-billing, please set in Buying Settings",行不能overbill为项目{0} {1}超过{2}。要允许对帐单,请在购买设置中设置
+apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +189,Please set filter based on Item or Warehouse,根据项目或仓库请设置过滤器
DocType: Packing Slip,The net weight of this package. (calculated automatically as sum of net weight of items),此打包的净重。(根据内容物件的净重自动计算)
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +82,Please create an Account for this Warehouse and link it. This cannot be done automatically as an account with name {0} already exists,请创建此仓库的帐户,并将其链接。这不能与名称的帐户自动完成{0}已存在
DocType: Sales Order,To Deliver and Bill,为了提供与比尔
DocType: Student Group,Instructors,教师
DocType: GL Entry,Credit Amount in Account Currency,在账户币金额
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +513,BOM {0} must be submitted,BOM{0}未提交
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +546,BOM {0} must be submitted,BOM{0}未提交
DocType: Authorization Control,Authorization Control,授权控制
-apps/erpnext/erpnext/controllers/buying_controller.py +301,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},行#{0}:拒绝仓库是强制性的反对否决项{1}
+apps/erpnext/erpnext/controllers/buying_controller.py +304,Row #{0}: Rejected Warehouse is mandatory against rejected Item {1},行#{0}:拒绝仓库是强制性的反对否决项{1}
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +766,Payment,付款
+apps/erpnext/erpnext/controllers/stock_controller.py +92,"Warehouse {0} is not linked to any account, please mention the account in the warehouse record or set default inventory account in company {1}.",仓库{0}未与任何帐户关联,请在仓库记录中提及该帐户,或在公司{1}中设置默认库存帐户。
apps/erpnext/erpnext/utilities/activation.py +79,Manage your orders,管理您的订单
DocType: Production Order Operation,Actual Time and Cost,实际时间和成本
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +54,Material Request of maximum {0} can be made for Item {1} against Sales Order {2},销售订单{2}中品目{1}的最大物流申请量为{0}
-DocType: Employee,Salutation,称呼
DocType: Course,Course Abbreviation,当然缩写
DocType: Student Leave Application,Student Leave Application,学生请假申请
DocType: Item,Will also apply for variants,会同时应用于变体
@@ -1811,12 +1824,12 @@
DocType: Quotation Item,Actual Qty,实际数量
DocType: Sales Invoice Item,References,参考
DocType: Quality Inspection Reading,Reading 10,阅读10
-apps/erpnext/erpnext/public/js/setup_wizard.js +289,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",列出您采购或销售的产品或服务。请确认品目群组,计量单位或其他属性。
+apps/erpnext/erpnext/public/js/setup_wizard.js +257,"List your products or services that you buy or sell. Make sure to check the Item Group, Unit of Measure and other properties when you start.",列出您采购或销售的产品或服务。请确认品目群组,计量单位或其他属性。
DocType: Hub Settings,Hub Node,Hub节点
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +78,You have entered duplicate items. Please rectify and try again.,您输入了重复的条目。请纠正然后重试。
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +91,Associate,协理
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Associate,协理
DocType: Asset Movement,Asset Movement,资产运动
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2076,New Cart,新的车
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2107,New Cart,新的车
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +44,Item {0} is not a serialized Item,项目{0}不是一个序列项目
DocType: SMS Center,Create Receiver List,创建接收人列表
DocType: Vehicle,Wheels,车轮
@@ -1836,19 +1849,19 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +142,Can refer row only if the charge type is 'On Previous Row Amount' or 'Previous Row Total',收取类型类型必须是“基于上一行的金额”或者“前一行的总计”才能引用组
DocType: Sales Order Item,Delivery Warehouse,交货仓库
DocType: SMS Settings,Message Parameter,消息参数
-apps/erpnext/erpnext/config/accounts.py +210,Tree of financial Cost Centers.,财务成本中心的树。
+apps/erpnext/erpnext/config/accounts.py +243,Tree of financial Cost Centers.,财务成本中心的树。
DocType: Serial No,Delivery Document No,交货文档编号
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +184,Please set 'Gain/Loss Account on Asset Disposal' in Company {0},请公司制定“关于资产处置收益/损失帐户”{0}
DocType: Landed Cost Voucher,Get Items From Purchase Receipts,从购买收据获取品目
DocType: Serial No,Creation Date,创建日期
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +33,Item {0} appears multiple times in Price List {1},产品{0}多次出现价格表{1}
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +40,"Selling must be checked, if Applicable For is selected as {0}",如果“适用于”的值为{0},则必须选择“销售”
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +41,"Selling must be checked, if Applicable For is selected as {0}",如果“适用于”的值为{0},则必须选择“销售”
DocType: Production Plan Material Request,Material Request Date,材料申请日期
DocType: Purchase Order Item,Supplier Quotation Item,供应商报价品目
DocType: Manufacturing Settings,Disables creation of time logs against Production Orders. Operations shall not be tracked against Production Order,禁止对创作生产订单的时间日志。操作不得对生产订单追踪
DocType: Student,Student Mobile Number,学生手机号码
DocType: Item,Has Variants,有变体
-apps/erpnext/erpnext/public/js/utils.js +176,You have already selected items from {0} {1},您已经选择从项目{0} {1}
+apps/erpnext/erpnext/public/js/utils.js +182,You have already selected items from {0} {1},您已经选择从项目{0} {1}
DocType: Monthly Distribution,Name of the Monthly Distribution,月度分布名称
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,批号是必需的
apps/erpnext/erpnext/stock/doctype/batch/batch.py +25,Batch ID is mandatory,批号是必需的
@@ -1859,12 +1872,12 @@
DocType: Budget,Fiscal Year,财政年度
DocType: Vehicle Log,Fuel Price,燃油价格
DocType: Budget,Budget,预算
-apps/erpnext/erpnext/stock/doctype/item/item.py +235,Fixed Asset Item must be a non-stock item.,固定资产项目必须是一个非库存项目。
+apps/erpnext/erpnext/stock/doctype/item/item.py +236,Fixed Asset Item must be a non-stock item.,固定资产项目必须是一个非库存项目。
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +50,"Budget cannot be assigned against {0}, as it's not an Income or Expense account",财政预算案不能对{0}指定的,因为它不是一个收入或支出帐户
apps/erpnext/erpnext/selling/report/sales_person_target_variance_item_group_wise/sales_person_target_variance_item_group_wise.py +51,Achieved,已实现
DocType: Student Admission,Application Form Route,申请表路线
apps/erpnext/erpnext/selling/page/sales_analytics/sales_analytics.js +66,Territory / Customer,区域/客户
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,e.g. 5,例如5
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,e.g. 5,例如5
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +44,Leave Type {0} cannot be allocated since it is leave without pay,休假类型{0},因为它是停薪留职无法分配
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +166,Row {0}: Allocated amount {1} must be less than or equals to invoice outstanding amount {2},行{0}:已分配量{1}必须小于或等于发票余额{2}
DocType: Sales Invoice,In Words will be visible once you save the Sales Invoice.,大写金额将在销售发票保存后显示。
@@ -1873,7 +1886,7 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +69,Item {0} is not setup for Serial Nos. Check Item master,项目{0}没有设置序列号,请进入主项目中修改
DocType: Maintenance Visit,Maintenance Time,维护时间
,Amount to Deliver,量交付
-apps/erpnext/erpnext/public/js/setup_wizard.js +297,A Product or Service,产品或服务
+apps/erpnext/erpnext/public/js/setup_wizard.js +263,A Product or Service,产品或服务
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +30,The Term Start Date cannot be earlier than the Year Start Date of the Academic Year to which the term is linked (Academic Year {}). Please correct the dates and try again.,这个词开始日期不能超过哪个术语链接学年的开学日期较早(学年{})。请更正日期,然后再试一次。
DocType: Guardian,Guardian Interests,守护兴趣
DocType: Naming Series,Current Value,当前值
@@ -1888,12 +1901,12 @@
之间差必须大于或等于{2}"
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +6,This is based on stock movement. See {0} for details,这是基于库存移动。见{0}详情
DocType: Pricing Rule,Selling,销售
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +368,Amount {0} {1} deducted against {2},金额{0} {1}抵扣{2}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +366,Amount {0} {1} deducted against {2},金额{0} {1}抵扣{2}
DocType: Employee,Salary Information,薪资信息
DocType: Sales Person,Name and Employee ID,姓名和雇员ID
-apps/erpnext/erpnext/accounts/party.py +289,Due Date cannot be before Posting Date,到期日不能前于过账日期
+apps/erpnext/erpnext/accounts/party.py +296,Due Date cannot be before Posting Date,到期日不能前于过账日期
DocType: Website Item Group,Website Item Group,网站物件组
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +148,Duties and Taxes,关税与税项
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +150,Duties and Taxes,关税与税项
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +356,Please enter Reference date,参考日期请输入
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +44,{0} payment entries can not be filtered by {1},{0}付款项不能由{1}过滤
DocType: Item Website Specification,Table for Item that will be shown in Web Site,将在网站显示的物件表
@@ -1910,9 +1923,9 @@
DocType: Payment Reconciliation Payment,Reference Row,引用行
DocType: Installation Note,Installation Time,安装时间
DocType: Sales Invoice,Accounting Details,会计细节
-apps/erpnext/erpnext/setup/doctype/company/company.js +72,Delete all the Transactions for this Company,删除所有交易本公司
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +189,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,行#{0}:操作{1}未完成的成品{2}在生产数量订单{3}。请通过时间日志更新运行状态
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +66,Investments,投资
+apps/erpnext/erpnext/setup/doctype/company/company.js +74,Delete all the Transactions for this Company,删除所有交易本公司
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +190,Row #{0}: Operation {1} is not completed for {2} qty of finished goods in Production Order # {3}. Please update operation status via Time Logs,行#{0}:操作{1}未完成的成品{2}在生产数量订单{3}。请通过时间日志更新运行状态
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +68,Investments,投资
DocType: Issue,Resolution Details,详细解析
apps/erpnext/erpnext/hr/doctype/leave_type/leave_type.js +3,Allocations,分配
DocType: Item Quality Inspection Parameter,Acceptance Criteria,验收标准
@@ -1937,7 +1950,7 @@
DocType: Room,Room Name,房间名称
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +100,"Leave cannot be applied/cancelled before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",离开不能应用/前{0}取消,因为假平衡已经被搬入转发在未来休假分配记录{1}
DocType: Activity Cost,Costing Rate,成本率
-,Customer Addresses And Contacts,客户的地址和联系方式
+apps/erpnext/erpnext/config/selling.py +229,Customer Addresses And Contacts,客户的地址和联系方式
,Campaign Efficiency,运动效率
,Campaign Efficiency,运动效率
DocType: Discussion,Discussion,讨论
@@ -1949,14 +1962,16 @@
DocType: Task,Total Billing Amount (via Time Sheet),总开票金额(通过时间表)
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +61,Repeat Customer Revenue,重复客户收入
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +165,{0} ({1}) must have role 'Expense Approver',{0} {1}必须有“费用审批人”的角色
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Pair,对
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +885,Select BOM and Qty for Production,选择BOM和数量生产
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Pair,对
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +862,Select BOM and Qty for Production,选择BOM和数量生产
DocType: Asset,Depreciation Schedule,折旧计划
+apps/erpnext/erpnext/config/selling.py +124,Sales Partner Addresses And Contacts,销售合作伙伴地址和联系人
DocType: Bank Reconciliation Detail,Against Account,针对科目
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +71,Half Day Date should be between From Date and To Date,半天时间应该是从之间的日期和终止日期
DocType: Maintenance Schedule Detail,Actual Date,实际日期
DocType: Item,Has Batch No,有批号
-apps/erpnext/erpnext/public/js/utils.js +90,Annual Billing: {0},年度结算:{0}
+apps/erpnext/erpnext/public/js/utils.js +96,Annual Billing: {0},年度结算:{0}
+apps/erpnext/erpnext/config/accounts.py +202,Goods and Services Tax (GST India),商品和服务税(印度消费税)
DocType: Delivery Note,Excise Page Number,Excise页码
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.js +138,"Company, From Date and To Date is mandatory",公司,从日期和结束日期是必须
DocType: Asset,Purchase Date,购买日期
@@ -1964,11 +1979,12 @@
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +186,Please set 'Asset Depreciation Cost Center' in Company {0},请设置在公司的资产折旧成本中心“{0}
,Maintenance Schedules,维护计划
DocType: Task,Actual End Date (via Time Sheet),实际结束日期(通过时间表)
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +363,Amount {0} {1} against {2} {3},数量 {0}{1} 对应 {2}{3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +361,Amount {0} {1} against {2} {3},数量 {0}{1} 对应 {2}{3}
,Quotation Trends,报价趋势
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +159,Item Group not mentioned in item master for item {0},项目{0}的项目群组没有设置
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Receivable account,入借帐户必须是应收账科目
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +160,Item Group not mentioned in item master for item {0},项目{0}的项目群组没有设置
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +342,Debit To account must be a Receivable account,入借帐户必须是应收账科目
DocType: Shipping Rule Condition,Shipping Amount,发货数量
+apps/erpnext/erpnext/public/js/setup_wizard.js +218,Add Customers,添加客户
apps/erpnext/erpnext/accounts/report/delivered_items_to_be_billed/delivered_items_to_be_billed.py +20,Pending Amount,待审核金额
DocType: Purchase Invoice Item,Conversion Factor,转换系数
DocType: Purchase Order,Delivered,已交付
@@ -1978,7 +1994,8 @@
DocType: Purchase Receipt,Vehicle Number,车号
DocType: Purchase Invoice,The date on which recurring invoice will be stop,经常性发票终止日期
DocType: Employee Loan,Loan Amount,贷款额度
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +391,Row {0}: Bill of Materials not found for the Item {1},行{0}:材料清单未找到项目{1}
+DocType: Program Enrollment,Self-Driving Vehicle,自驾车
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +424,Row {0}: Bill of Materials not found for the Item {1},行{0}:材料清单未找到项目{1}
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +98,Total allocated leaves {0} cannot be less than already approved leaves {1} for the period,共分配叶{0}不能小于已经批准叶{1}期间
DocType: Journal Entry,Accounts Receivable,应收帐款
,Supplier-Wise Sales Analytics,供应商特定的销售分析
@@ -1996,22 +2013,21 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.js +126,Expense Claim is pending approval. Only the Expense Approver can update status.,报销正在等待批准。只有开支审批人才能更改其状态。
DocType: Email Digest,New Expenses,新的费用
DocType: Purchase Invoice,Additional Discount Amount,额外的折扣金额
-apps/erpnext/erpnext/controllers/accounts_controller.py +541,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",行#{0}:订购数量必须是1,因为项目是固定资产。请使用单独的行多数量。
+apps/erpnext/erpnext/controllers/accounts_controller.py +543,"Row #{0}: Qty must be 1, as item is a fixed asset. Please use separate row for multiple qty.",行#{0}:订购数量必须是1,因为项目是固定资产。请使用单独的行多数量。
DocType: Leave Block List Allow,Leave Block List Allow,例外用户
-apps/erpnext/erpnext/setup/doctype/company/company.py +276,Abbr can not be blank or space,缩写不能为空或空格
+apps/erpnext/erpnext/setup/doctype/company/company.py +289,Abbr can not be blank or space,缩写不能为空或空格
apps/erpnext/erpnext/accounts/doctype/account/account.js +53,Group to Non-Group,集团以非组
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +50,Sports,体育
DocType: Loan Type,Loan Name,贷款名称
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +56,Total Actual,实际总
DocType: Student Siblings,Student Siblings,学生兄弟姐妹
-apps/erpnext/erpnext/public/js/setup_wizard.js +303,Unit,单位
-apps/erpnext/erpnext/stock/get_item_details.py +131,Please specify Company,请注明公司
+apps/erpnext/erpnext/public/js/setup_wizard.js +269,Unit,单位
+apps/erpnext/erpnext/stock/get_item_details.py +141,Please specify Company,请注明公司
,Customer Acquisition and Loyalty,客户获得和忠诚度
DocType: Purchase Invoice,Warehouse where you are maintaining stock of rejected items,维护拒收物件的仓库
DocType: Production Order,Skip Material Transfer,跳过材料转移
DocType: Production Order,Skip Material Transfer,跳过材料转移
-apps/erpnext/erpnext/setup/utils.py +96,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,无法为关键日期{2}查找{0}到{1}的汇率。请手动创建货币兑换记录
-apps/erpnext/erpnext/public/js/setup_wizard.js +63,Your financial year ends on,您的会计年度结束于
+apps/erpnext/erpnext/setup/utils.py +95,Unable to find exchange rate for {0} to {1} for key date {2}. Please create a Currency Exchange record manually,无法为关键日期{2}查找{0}到{1}的汇率。请手动创建货币兑换记录
DocType: POS Profile,Price List,价格表
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.py +22,{0} is now the default Fiscal Year. Please refresh your browser for the change to take effect.,默认财政年度已经更新为{0}。请刷新您的浏览器以使更改生效。
apps/erpnext/erpnext/projects/doctype/task/task.js +37,Expense Claims,报销
@@ -2024,14 +2040,14 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +47,Stock balance in Batch {0} will become negative {1} for Item {2} at Warehouse {3},批次{0}中,仓库{3}中品目{2}的库存余额将变为{1}
apps/erpnext/erpnext/templates/emails/reorder_item.html +1,Following Material Requests have been raised automatically based on Item's re-order level,下列资料的要求已自动根据项目的重新排序水平的提高
DocType: Email Digest,Pending Sales Orders,待完成销售订单
-apps/erpnext/erpnext/controllers/accounts_controller.py +289,Account {0} is invalid. Account Currency must be {1},帐户{0}是无效的。帐户货币必须是{1}
+apps/erpnext/erpnext/controllers/accounts_controller.py +291,Account {0} is invalid. Account Currency must be {1},帐户{0}是无效的。帐户货币必须是{1}
apps/erpnext/erpnext/buying/utils.py +34,UOM Conversion factor is required in row {0},行{0}计量单位换算系数是必须项
DocType: Production Plan Item,material_request_item,material_request_item
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +988,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",行#{0}:参考文件类型必须是销售订单之一,销售发票或日记帐分录
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1004,"Row #{0}: Reference Document Type must be one of Sales Order, Sales Invoice or Journal Entry",行#{0}:参考文件类型必须是销售订单之一,销售发票或日记帐分录
DocType: Salary Component,Deduction,扣款
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +112,Row {0}: From Time and To Time is mandatory.,行{0}:从时间和时间是强制性的。
DocType: Stock Reconciliation Item,Amount Difference,金额差异
-apps/erpnext/erpnext/stock/get_item_details.py +286,Item Price added for {0} in Price List {1},加入项目价格为{0}价格表{1}
+apps/erpnext/erpnext/stock/get_item_details.py +296,Item Price added for {0} in Price List {1},加入项目价格为{0}价格表{1}
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +8,Please enter Employee Id of this sales person,请输入这个销售人员的员工标识
DocType: Territory,Classification of Customers by region,客户按区域分类
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +57,Difference Amount must be zero,差量必须是零
@@ -2043,21 +2059,21 @@
DocType: Quotation,QTN-,QTN-
DocType: Salary Slip,Total Deduction,扣除总额
,Production Analytics,生产Analytics(分析)
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +172,Cost Updated,成本更新
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +178,Cost Updated,成本更新
DocType: Employee,Date of Birth,出生日期
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +128,Item {0} has already been returned,项目{0}已被退回
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +129,Item {0} has already been returned,项目{0}已被退回
DocType: Fiscal Year,**Fiscal Year** represents a Financial Year. All accounting entries and other major transactions are tracked against **Fiscal Year**.,**财年**表示财政年度。所有的会计分录和其他重大交易将根据**财年**跟踪。
DocType: Opportunity,Customer / Lead Address,客户/潜在客户地址
-apps/erpnext/erpnext/stock/doctype/item/item.py +210,Warning: Invalid SSL certificate on attachment {0},警告:附件{0}中存在无效的SSL证书
+apps/erpnext/erpnext/stock/doctype/item/item.py +211,Warning: Invalid SSL certificate on attachment {0},警告:附件{0}中存在无效的SSL证书
DocType: Student Admission,Eligibility,合格
apps/erpnext/erpnext/utilities/activation.py +62,"Leads help you get business, add all your contacts and more as your leads",信息帮助你的业务,你所有的联系人和更添加为您的线索
DocType: Production Order Operation,Actual Operation Time,实际操作时间
DocType: Authorization Rule,Applicable To (User),适用于(用户)
DocType: Purchase Taxes and Charges,Deduct,扣款
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +188,Job Description,职位描述
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +195,Job Description,职位描述
DocType: Student Applicant,Applied,应用的
DocType: Sales Invoice Item,Qty as per Stock UOM,按库存计量单位数量
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian2 Name,Guardian2名称
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +59,Guardian2 Name,Guardian2名称
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +131,"Special Characters except ""-"", ""#"", ""."" and ""/"" not allowed in naming series","命名序列中不能输入特殊符号,""-"",""#"","".""和""/""除外"
DocType: Campaign,"Keep Track of Sales Campaigns. Keep track of Leads, Quotations, Sales Order etc from Campaigns to gauge Return on Investment.",追踪销售活动。追踪来自活动的潜在客户,报价,销售订单等,统计投资回报率。
DocType: Expense Claim,Approver,审批者
@@ -2068,8 +2084,6 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +191,Serial No {0} is under warranty upto {1},序列号{0}截至至{1}之前在保修内。
apps/erpnext/erpnext/config/stock.py +158,Split Delivery Note into packages.,分裂送货单成包。
apps/erpnext/erpnext/hooks.py +87,Shipments,发货
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,仓库{3}的{1}和库存值({2})的帐户余额({0})必须相同
-apps/erpnext/erpnext/accounts/doctype/account/account.py +191,Account balance ({0}) for {1} and stock value ({2}) for warehouse {3} must be same,仓库{3}的{1}和库存值({2})的帐户余额({0})必须相同
DocType: Payment Entry,Total Allocated Amount (Company Currency),总拨款额(公司币种)
DocType: Purchase Order Item,To be delivered to customer,要传送给客户
DocType: BOM,Scrap Material Cost,废料成本
@@ -2077,21 +2091,22 @@
DocType: Purchase Invoice,In Words (Company Currency),大写金额(公司货币)
DocType: Asset,Supplier,供应商
DocType: C-Form,Quarter,季
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +104,Miscellaneous Expenses,杂项开支
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +106,Miscellaneous Expenses,杂项开支
DocType: Global Defaults,Default Company,默认公司
-apps/erpnext/erpnext/controllers/stock_controller.py +229,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,品目{0}必须指定开支/差异账户。
+apps/erpnext/erpnext/controllers/stock_controller.py +227,Expense or Difference account is mandatory for Item {0} as it impacts overall stock value,品目{0}必须指定开支/差异账户。
DocType: Payment Request,PR,PR
DocType: Cheque Print Template,Bank Name,银行名称
-apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +27,-Above,-以上
+apps/erpnext/erpnext/accounts/report/accounts_receivable_summary/accounts_receivable_summary.py +29,-Above,-以上
DocType: Employee Loan,Employee Loan Account,员工贷款账户
DocType: Leave Application,Total Leave Days,总休假天数
DocType: Email Digest,Note: Email will not be sent to disabled users,注意:邮件不会发送给已禁用用户
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,交互次数
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.js +14,Number of Interaction,交互次数
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,商品编号>商品组>品牌
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +39,Select Company...,选择公司...
DocType: Leave Control Panel,Leave blank if considered for all departments,如果针对所有部门请留空
apps/erpnext/erpnext/config/hr.py +219,"Types of employment (permanent, contract, intern etc.).",就业(永久,合同,实习生等)的类型。
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +405,{0} is mandatory for Item {1},{0}是{1}的必填项
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +408,{0} is mandatory for Item {1},{0}是{1}的必填项
DocType: Process Payroll,Fortnightly,半月刊
DocType: Currency Exchange,From Currency,源货币
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +170,"Please select Allocated Amount, Invoice Type and Invoice Number in atleast one row",请ATLEAST一行选择分配金额,发票类型和发票号码
@@ -2114,7 +2129,7 @@
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +39,Please click on 'Generate Schedule' to get schedule,请在“生成表”点击获取时间表
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +56,There were errors while deleting following schedules:,删除以下计划时发生错误:
DocType: Bin,Ordered Quantity,订购数量
-apps/erpnext/erpnext/public/js/setup_wizard.js +52,"e.g. ""Build tools for builders""",例如“建筑工人的建筑工具!”
+apps/erpnext/erpnext/public/js/setup_wizard.js +98,"e.g. ""Build tools for builders""",例如“建筑工人的建筑工具!”
DocType: Grading Scale,Grading Scale Intervals,分级刻度间隔
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +125,{0} {1}: Accounting Entry for {2} can only be made in currency: {3},{0} {1}在{2}会计分录只能用货币单位:{3}
DocType: Production Order,In Process,进行中
@@ -2129,12 +2144,11 @@
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +71,{0} Student Groups created.,{0}创建学生组。
DocType: Sales Invoice,Total Billing Amount,总结算金额
apps/erpnext/erpnext/hr/doctype/daily_work_summary_settings/daily_work_summary_settings.py +17,There must be a default incoming Email Account enabled for this to work. Please setup a default incoming Email Account (POP/IMAP) and try again.,必须有这个工作,启用默认进入的电子邮件帐户。请设置一个默认的传入电子邮件帐户(POP / IMAP),然后再试一次。
-apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +59,Receivable Account,应收账款
-apps/erpnext/erpnext/controllers/accounts_controller.py +563,Row #{0}: Asset {1} is already {2},行#{0}:资产{1}已经是{2}
+apps/erpnext/erpnext/accounts/report/item_wise_sales_register/item_wise_sales_register.py +75,Receivable Account,应收账款
+apps/erpnext/erpnext/controllers/accounts_controller.py +565,Row #{0}: Asset {1} is already {2},行#{0}:资产{1}已经是{2}
DocType: Quotation Item,Stock Balance,库存余额
apps/erpnext/erpnext/config/selling.py +316,Sales Order to Payment,销售订单到付款
-apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,请通过设置>设置>命名系列为{0}设置命名系列
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +85,CEO,CEO
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +92,CEO,CEO
DocType: Expense Claim Detail,Expense Claim Detail,报销详情
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +860,Please select correct account,请选择正确的帐户
DocType: Item,Weight UOM,重量计量单位
@@ -2143,12 +2157,12 @@
DocType: Production Order Operation,Pending,有待
DocType: Course,Course Name,课程名
DocType: Employee Leave Approver,Users who can approve a specific employee's leave applications,可以为特定用户批准假期的用户
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +50,Office Equipments,办公设备
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +52,Office Equipments,办公设备
DocType: Purchase Invoice Item,Qty,数量
DocType: Fiscal Year,Companies,企业
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +24,Electronics,电子
DocType: Stock Settings,Raise Material Request when stock reaches re-order level,当库存达到再订购点时提出物料请求
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +60,Full-time,全职
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +67,Full-time,全职
DocType: Salary Structure,Employees,雇员
DocType: Employee,Contact Details,联系人详情
DocType: C-Form,Received Date,收到日期
@@ -2158,7 +2172,7 @@
DocType: Shopping Cart Settings,Prices will not be shown if Price List is not set,价格将不会显示如果没有设置价格
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +28,Please specify a country for this Shipping Rule or check Worldwide Shipping,请指定一个国家的这种运输规则或检查全世界运输
DocType: Stock Entry,Total Incoming Value,总传入值
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +333,Debit To is required,借记是必需的
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To is required,借记是必需的
apps/erpnext/erpnext/utilities/activation.py +107,"Timesheets help keep track of time, cost and billing for activites done by your team",时间表帮助追踪的时间,费用和结算由你的团队做activites
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,Purchase Price List,采购价格表
DocType: Offer Letter Term,Offer Term,要约期限
@@ -2167,17 +2181,17 @@
DocType: Payment Reconciliation,Payment Reconciliation,付款对账
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +153,Please select Incharge Person's name,请选择Incharge人的名字
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +51,Technology,技术
-apps/erpnext/erpnext/public/js/utils.js +92,Total Unpaid: {0},总未付:{0}
+apps/erpnext/erpnext/public/js/utils.js +98,Total Unpaid: {0},总未付:{0}
DocType: BOM Website Operation,BOM Website Operation,BOM网站运营
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.js +13,Offer Letter,报价函
apps/erpnext/erpnext/config/manufacturing.py +18,Generate Material Requests (MRP) and Production Orders.,生成材料要求(MRP)和生产订单。
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +68,Total Invoiced Amt,总开票金额
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +73,Total Invoiced Amt,总开票金额
DocType: BOM,Conversion Rate,兑换率
apps/erpnext/erpnext/templates/pages/product_search.html +3,Product Search,产品搜索
DocType: Timesheet Detail,To Time,要时间
DocType: Authorization Rule,Approving Role (above authorized value),批准角色(上述授权值)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +110,Credit To account must be a Payable account,入贷科目必须是一个“应付”科目
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +272,BOM recursion: {0} cannot be parent or child of {2},BOM {0}不能是{2}的上级或下级
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +111,Credit To account must be a Payable account,入贷科目必须是一个“应付”科目
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +305,BOM recursion: {0} cannot be parent or child of {2},BOM {0}不能是{2}的上级或下级
DocType: Production Order Operation,Completed Qty,已完成数量
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +148,"For {0}, only debit accounts can be linked against another credit entry",对于{0},借方分录只能选择借方账户
apps/erpnext/erpnext/stock/doctype/item_price/item_price.py +27,Price List {0} is disabled,价格表{0}被禁用
@@ -2189,28 +2203,27 @@
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +197,{0} Serial Numbers required for Item {1}. You have provided {2}.,物料{1}需要{0}的序列号。您已提供{2}。
DocType: Stock Reconciliation Item,Current Valuation Rate,目前的估值价格
DocType: Item,Customer Item Codes,客户项目代码
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Exchange Gain/Loss,兑换收益/损失
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +122,Exchange Gain/Loss,兑换收益/损失
DocType: Opportunity,Lost Reason,丧失原因
-apps/erpnext/erpnext/public/js/templates/address_list.html +1,New Address,新地址
+apps/erpnext/erpnext/public/js/templates/address_list.html +22,New Address,新地址
DocType: Quality Inspection,Sample Size,样本大小
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +45,Please enter Receipt Document,请输入收据凭证
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +373,All items have already been invoiced,所有品目已开具发票
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +374,All items have already been invoiced,所有品目已开具发票
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.py +47,Please specify a valid 'From Case No.',请指定一个有效的“从案号”
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +24,Further cost centers can be made under Groups but entries can be made against non-Groups,进一步的成本中心可以根据组进行,但项可以对非组进行
DocType: Project,External,外部
apps/erpnext/erpnext/config/setup.py +66,Users and Permissions,用户和权限
DocType: Vehicle Log,VLOG.,VLOG。
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +918,Production Orders Created: {0},生产订单创建:{0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +895,Production Orders Created: {0},生产订单创建:{0}
DocType: Branch,Branch,分支
DocType: Guardian,Mobile Number,手机号码
apps/erpnext/erpnext/config/setup.py +61,Printing and Branding,印刷及品牌
DocType: Bin,Actual Quantity,实际数量
DocType: Shipping Rule,example: Next Day Shipping,例如:次日发货
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +187,Serial No {0} not found,序列号{0}未找到
-DocType: Scheduling Tool,Student Batch,学生批
-apps/erpnext/erpnext/public/js/setup_wizard.js +242,Your Customers,您的客户
+DocType: Program Enrollment,Student Batch,学生批
apps/erpnext/erpnext/utilities/activation.py +117,Make Student,使学生
-apps/erpnext/erpnext/projects/doctype/project/project.py +190,You have been invited to collaborate on the project: {0},您已被邀请在项目上进行合作:{0}
+apps/erpnext/erpnext/projects/doctype/project/project.py +198,You have been invited to collaborate on the project: {0},您已被邀请在项目上进行合作:{0}
DocType: Leave Block List Date,Block Date,禁离日期
apps/erpnext/erpnext/templates/generators/student_admission.html +23,Apply Now,现在申请
apps/erpnext/erpnext/stock/dashboard/item_dashboard_list.html +25,Actual Qty {0} / Waiting Qty {1},实际数量{0} /等待数量{1}
@@ -2220,7 +2233,7 @@
apps/erpnext/erpnext/config/setup.py +106,"Create and manage daily, weekly and monthly email digests.",创建和管理每日,每周和每月的电子邮件摘要。
DocType: Appraisal Goal,Appraisal Goal,评估目标
DocType: Stock Reconciliation Item,Current Amount,电流量
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +56,Buildings,房屋
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +58,Buildings,房屋
DocType: Fee Structure,Fee Structure,费用结构
DocType: Timesheet Detail,Costing Amount,成本核算金额
DocType: Student Admission,Application Fee,报名费
@@ -2232,10 +2245,10 @@
DocType: POS Profile,[Select],[选择]
DocType: SMS Log,Sent To,发给
DocType: Payment Request,Make Sales Invoice,创建销售发票
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +59,Softwares,软件
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +61,Softwares,软件
apps/erpnext/erpnext/crm/doctype/lead/lead.py +50,Next Contact Date cannot be in the past,接下来跟日期不能过去
DocType: Company,For Reference Only.,仅供参考。
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2414,Select Batch No,选择批号
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2454,Select Batch No,选择批号
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +52,Invalid {0}: {1},无效的{0}:{1}
DocType: Purchase Invoice,PINV-RET-,PINV-RET-
DocType: Sales Invoice Advance,Advance Amount,预付款总额
@@ -2245,15 +2258,15 @@
DocType: Employee,Employment Details,就职信息
DocType: Employee,New Workplace,新建工作地点
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity_list.js +17,Set as Closed,设置为关闭
-apps/erpnext/erpnext/stock/get_item_details.py +121,No Item with Barcode {0},没有条码为{0}的品目
+apps/erpnext/erpnext/stock/get_item_details.py +131,No Item with Barcode {0},没有条码为{0}的品目
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +51,Case No. cannot be 0,箱号不能为0
DocType: Item,Show a slideshow at the top of the page,在页面顶部显示幻灯片
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +447,Boms,物料清单
-apps/erpnext/erpnext/stock/doctype/item/item.py +135,Stores,仓库
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +480,Boms,物料清单
+apps/erpnext/erpnext/stock/doctype/item/item.py +136,Stores,仓库
DocType: Serial No,Delivery Time,交货时间
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +27,Ageing Based On,账龄基于
DocType: Item,End of Life,寿命结束
-apps/erpnext/erpnext/demo/setup/setup_data.py +325,Travel,旅游
+apps/erpnext/erpnext/demo/setup/setup_data.py +327,Travel,旅游
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +177,No active or default Salary Structure found for employee {0} for the given dates,发现员工{0}对于给定的日期没有活动或默认的薪酬结构
DocType: Leave Block List,Allow Users,允许用户(多个)
DocType: Purchase Order,Customer Mobile No,客户手机号码
@@ -2262,29 +2275,30 @@
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +25,Update Cost,更新成本
DocType: Item Reorder,Item Reorder,项目重新排序
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +438,Show Salary Slip,显示工资单
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +789,Transfer Material,转印材料
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Transfer Material,转印材料
DocType: BOM,"Specify the operations, operating cost and give a unique Operation no to your operations.",设定流程,操作成本及向流程指定唯一的流程编号
-apps/erpnext/erpnext/controllers/status_updater.py +190,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,这份文件是超过限制,通过{0} {1}项{4}。你在做另一个{3}对同一{2}?
-apps/erpnext/erpnext/public/js/controllers/transaction.js +1038,Please set recurring after saving,请设置保存后复发
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +735,Select change amount account,选择变化量账户
+apps/erpnext/erpnext/controllers/status_updater.py +201,This document is over limit by {0} {1} for item {4}. Are you making another {3} against the same {2}?,这份文件是超过限制,通过{0} {1}项{4}。你在做另一个{3}对同一{2}?
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1064,Please set recurring after saving,请设置保存后复发
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +741,Select change amount account,选择变化量账户
DocType: Purchase Invoice,Price List Currency,价格表货币
DocType: Naming Series,User must always select,用户必须始终选择
DocType: Stock Settings,Allow Negative Stock,允许负库存
DocType: Installation Note,Installation Note,安装注意事项
-apps/erpnext/erpnext/public/js/setup_wizard.js +221,Add Taxes,添加税款
+apps/erpnext/erpnext/public/js/setup_wizard.js +200,Add Taxes,添加税款
DocType: Topic,Topic,话题
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +40,Cash Flow from Financing,从融资现金流
DocType: Budget Account,Budget Account,预算科目
DocType: Quality Inspection,Verified By,认证机构
-apps/erpnext/erpnext/setup/doctype/company/company.py +67,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",因为已有交易不能改变公司的默认货币,请先取消交易。
+apps/erpnext/erpnext/setup/doctype/company/company.py +70,"Cannot change company's default currency, because there are existing transactions. Transactions must be cancelled to change the default currency.",因为已有交易不能改变公司的默认货币,请先取消交易。
DocType: Grading Scale Interval,Grade Description,等级说明
DocType: Stock Entry,Purchase Receipt No,购买收据号码
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +30,Earnest Money,保证金
DocType: Process Payroll,Create Salary Slip,建立工资单
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +34,Traceability,可追溯性
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +135,Source of Funds (Liabilities),资金来源(负债)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +380,Quantity in row {0} ({1}) must be same as manufactured quantity {2},行{0}中的数量({1})必须等于生产数量{2}
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +137,Source of Funds (Liabilities),资金来源(负债)
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +381,Quantity in row {0} ({1}) must be same as manufactured quantity {2},行{0}中的数量({1})必须等于生产数量{2}
DocType: Appraisal,Employee,雇员
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +221,Select Batch,选择批次
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +244,{0} {1} is fully billed,{0} {1}已完全开票
DocType: Training Event,End Time,结束时间
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +62,Active Salary Structure {0} found for employee {1} for the given dates,主动薪酬结构找到{0}员工{1}对于给定的日期
@@ -2296,11 +2310,12 @@
apps/erpnext/erpnext/templates/form_grid/material_request_grid.html +7,Required On,要求在
DocType: Rename Tool,File to Rename,文件重命名
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +204,Please select BOM for Item in Row {0},请行选择BOM为项目{0}
-apps/erpnext/erpnext/controllers/buying_controller.py +263,Specified BOM {0} does not exist for Item {1},品目{1}指定的BOM{0}不存在
+apps/erpnext/erpnext/accounts/doctype/mode_of_payment/mode_of_payment.py +28,Account {0} does not match with Company {1} in Mode of Account: {2},帐户{0}与帐户模式{2}中的公司{1}不符
+apps/erpnext/erpnext/controllers/buying_controller.py +266,Specified BOM {0} does not exist for Item {1},品目{1}指定的BOM{0}不存在
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +212,Maintenance Schedule {0} must be cancelled before cancelling this Sales Order,取消此销售订单前必须取消维护计划{0}
DocType: Notification Control,Expense Claim Approved,报销批准
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +316,Salary Slip of employee {0} already created for this period,员工的工资单{0}已为这一时期创建
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +117,Pharmaceutical,医药
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +124,Pharmaceutical,医药
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Cost of Purchased Items,采购品目成本
DocType: Selling Settings,Sales Order Required,销售订单为必须项
DocType: Purchase Invoice,Credit To,入贷
@@ -2317,42 +2332,42 @@
DocType: Payment Gateway Account,Payment Account,付款帐号
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +858,Please specify Company to proceed,请注明公司进行
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +22,Net Change in Accounts Receivable,应收账款净额变化
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +50,Compensatory Off,补假
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +57,Compensatory Off,补假
DocType: Offer Letter,Accepted,已接受
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +25,Organization,组织
DocType: SG Creation Tool Course,Student Group Name,学生组名称
-apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,请确保你真的要删除这家公司的所有交易。主数据将保持原样。这个动作不能撤消。
+apps/erpnext/erpnext/setup/doctype/company/company.js +52,Please make sure you really want to delete all the transactions for this company. Your master data will remain as it is. This action cannot be undone.,请确保你真的要删除这家公司的所有交易。主数据将保持原样。这个动作不能撤消。
DocType: Room,Room Number,房间号
apps/erpnext/erpnext/utilities/transaction_base.py +96,Invalid reference {0} {1},无效的参考{0} {1}
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +164,{0} ({1}) cannot be greater than planned quanitity ({2}) in Production Order {3},{0} {1}不能大于生产订单{3}的计划数量({2})
DocType: Shipping Rule,Shipping Rule Label,配送规则标签
apps/erpnext/erpnext/public/js/conf.js +28,User Forum,用户论坛
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +248,Raw Materials cannot be blank.,原材料不能为空。
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +469,"Could not update stock, invoice contains drop shipping item.",无法更新库存,发票包含下降航运项目。
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +275,Raw Materials cannot be blank.,原材料不能为空。
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +472,"Could not update stock, invoice contains drop shipping item.",无法更新库存,发票包含下降航运项目。
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +458,Quick Journal Entry,快速日记帐分录
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +140,You can not change rate if BOM mentioned agianst any item,如果任何条目中引用了BOM,你不能更改其税率
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +153,You can not change rate if BOM mentioned agianst any item,如果任何条目中引用了BOM,你不能更改其税率
DocType: Employee,Previous Work Experience,以前的工作经验
DocType: Stock Entry,For Quantity,对于数量
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +209,Please enter Planned Qty for Item {0} at row {1},请输入计划数量的项目{0}在行{1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +241,{0} {1} is not submitted,{0} {1}未提交
apps/erpnext/erpnext/config/stock.py +27,Requests for items.,请求的项目。
DocType: Production Planning Tool,Separate production order will be created for each finished good item.,独立的生产订单将每个成品项目被创建。
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +126,{0} must be negative in return document,{0}在返回文档中必须为负
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +127,{0} must be negative in return document,{0}在返回文档中必须为负
,Minutes to First Response for Issues,分钟的问题第一个反应
DocType: Purchase Invoice,Terms and Conditions1,条款和条件1
-apps/erpnext/erpnext/public/js/setup_wizard.js +66,The name of the institute for which you are setting up this system.,该机构的名称要为其建立这个系统。
+apps/erpnext/erpnext/public/js/setup_wizard.js +89,The name of the institute for which you are setting up this system.,该机构的名称要为其建立这个系统。
DocType: Accounts Settings,"Accounting entry frozen up to this date, nobody can do / modify entry except role specified below.",会计分录冻结截止至此日期,除了以下角色禁止录入/修改。
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +116,Please save the document before generating maintenance schedule,9 。考虑税收或支出:在本部分中,您可以指定,如果税务/充电仅适用于估值(总共不一部分) ,或只为总(不增加价值的项目) ,或两者兼有。
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +28,Project Status,项目状态
DocType: UOM,Check this to disallow fractions. (for Nos),要对编号禁止分数,请勾选此项。
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +395,The following Production Orders were created:,创建以下生产订单:
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +428,The following Production Orders were created:,创建以下生产订单:
DocType: Student Admission,Naming Series (for Student Applicant),命名系列(面向学生申请人)
DocType: Delivery Note,Transporter Name,转运名称
DocType: Authorization Rule,Authorized Value,授权值
DocType: BOM,Show Operations,显示操作
,Minutes to First Response for Opportunity,分钟的机会第一个反应
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Absent,共缺席
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +785,Item or Warehouse for row {0} does not match Material Request,行{0}中的项目或仓库与物料申请不符合
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +786,Item or Warehouse for row {0} does not match Material Request,行{0}中的项目或仓库与物料申请不符合
apps/erpnext/erpnext/config/stock.py +189,Unit of Measure,计量单位
DocType: Fiscal Year,Year End Date,年度结束日期
DocType: Task Depends On,Task Depends On,任务取决于
@@ -2444,11 +2459,11 @@
DocType: Asset,Manual,手册
DocType: Salary Component Account,Salary Component Account,薪金部分账户
DocType: Global Defaults,Hide Currency Symbol,隐藏货币符号
-apps/erpnext/erpnext/config/accounts.py +294,"e.g. Bank, Cash, Credit Card",例如:银行,现金,信用卡
+apps/erpnext/erpnext/config/accounts.py +327,"e.g. Bank, Cash, Credit Card",例如:银行,现金,信用卡
DocType: Lead Source,Source Name,源名称
DocType: Journal Entry,Credit Note,信用票据
DocType: Warranty Claim,Service Address,服务地址
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +47,Furnitures and Fixtures,家具及固定装置
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +49,Furnitures and Fixtures,家具及固定装置
DocType: Item,Manufacture,生产
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +13,Please Delivery Note first,请送货单第一
DocType: Student Applicant,Application Date,申请日期
@@ -2458,7 +2473,6 @@
apps/erpnext/erpnext/accounts/doctype/bank_reconciliation/bank_reconciliation.py +99,Clearance Date not mentioned,清拆日期未提及
apps/erpnext/erpnext/config/manufacturing.py +7,Production,生产
DocType: Guardian,Occupation,占用
-apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,请在人力资源>人力资源设置中设置员工命名系统
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +74,Row {0}:Start Date must be before End Date,行{0} :开始日期必须是之前结束日期
apps/erpnext/erpnext/controllers/trends.py +19,Total(Qty),总计(数量)
DocType: Sales Invoice,This Document,本文档
@@ -2470,20 +2484,20 @@
DocType: Purchase Receipt,Time at which materials were received,收到材料在哪个时间
DocType: Stock Ledger Entry,Outgoing Rate,传出率
apps/erpnext/erpnext/config/hr.py +224,Organization branch master.,组织分支主。
-apps/erpnext/erpnext/controllers/accounts_controller.py +290, or ,或
+apps/erpnext/erpnext/controllers/accounts_controller.py +292, or ,或
DocType: Sales Order,Billing Status,账单状态
apps/erpnext/erpnext/public/js/conf.js +32,Report an Issue,报告问题
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Utility Expenses,基础设施费用
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +120,Utility Expenses,基础设施费用
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +64,90-Above,90以上
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +230,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,行#{0}:日记条目{1}没有帐户{2}或已经对另一凭证匹配
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +228,Row #{0}: Journal Entry {1} does not have account {2} or already matched against another voucher,行#{0}:日记条目{1}没有帐户{2}或已经对另一凭证匹配
DocType: Buying Settings,Default Buying Price List,默认采购价格表
DocType: Process Payroll,Salary Slip Based on Timesheet,基于时间表工资单
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +116,No employee for the above selected criteria OR salary slip already created,已创建的任何雇员对上述选择标准或工资单
DocType: Notification Control,Sales Order Message,销售订单信息
apps/erpnext/erpnext/config/setup.py +15,"Set Default Values like Company, Currency, Current Fiscal Year, etc.",设置例如公司,货币,当前财政年度等的默认值
DocType: Payment Entry,Payment Type,针对选择您要分配款项的发票。
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,请选择项目{0}的批次。无法找到满足此要求的单个批次
-apps/erpnext/erpnext/stock/doctype/batch/batch.py +122,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,请选择项目{0}的批次。无法找到满足此要求的单个批次
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,请选择项目{0}的批次。无法找到满足此要求的单个批次
+apps/erpnext/erpnext/stock/doctype/batch/batch.py +130,Please select a Batch for Item {0}. Unable to find a single batch that fulfills this requirement,请选择项目{0}的批次。无法找到满足此要求的单个批次
DocType: Process Payroll,Select Employees,选择雇员
DocType: Opportunity,Potential Sales Deal,潜在的销售交易
DocType: Payment Entry,Cheque/Reference Date,支票/参考日期
@@ -2503,7 +2517,7 @@
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.py +53,Receipt document must be submitted,收到文件必须提交
DocType: Purchase Invoice Item,Received Qty,收到数量
DocType: Stock Entry Detail,Serial No / Batch,序列号/批次
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +310,Not Paid and Not Delivered,没有支付,未送达
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +311,Not Paid and Not Delivered,没有支付,未送达
DocType: Product Bundle,Parent Item,父项目
DocType: Account,Account Type,账户类型
DocType: Delivery Note,DN-RET-,DN-RET-
@@ -2518,25 +2532,24 @@
DocType: Bin,Reserved Quantity,保留数量
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,请输入有效的电子邮件地址
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +34,Please enter valid email address,请输入有效的电子邮件地址
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},程序{0}没有强制性课程
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +67,There is no mandatory course for the program {0},程序{0}没有强制性课程
DocType: Landed Cost Voucher,Purchase Receipt Items,采购入库项目
apps/erpnext/erpnext/config/learn.py +21,Customizing Forms,自定义表单
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +36,Arrear,拖欠
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +43,Arrear,拖欠
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +155,Depreciation Amount during the period,期间折旧额
apps/erpnext/erpnext/accounts/doctype/sales_taxes_and_charges_template/sales_taxes_and_charges_template.py +38,Disabled template must not be default template,残疾人模板必须不能默认模板
DocType: Account,Income Account,收益账户
DocType: Payment Request,Amount in customer's currency,量客户的货币
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +780,Delivery,交货
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +750,Delivery,交货
DocType: Stock Reconciliation Item,Current Qty,目前数量
DocType: BOM Item,"See ""Rate Of Materials Based On"" in Costing Section",参见成本部分的“材料价格基于”
apps/erpnext/erpnext/templates/generators/item_group.html +36,Prev,上一页
DocType: Appraisal Goal,Key Responsibility Area,关键责任区
apps/erpnext/erpnext/utilities/activation.py +125,"Student Batches help you track attendance, assessments and fees for students",学生批帮助您跟踪学生的出勤,评估和费用
DocType: Payment Entry,Total Allocated Amount,总拨款额
+apps/erpnext/erpnext/setup/doctype/company/company.py +150,Set default inventory account for perpetual inventory,设置永久库存的默认库存帐户
DocType: Item Reorder,Material Request Type,物料申请类型
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +273,Accural Journal Entry for salaries from {0} to {1},Accural日记条目从{0}薪金{1}
-apps/erpnext/erpnext/accounts/page/pos/pos.js +788,"LocalStorage is full, did not save",localStorage的是满的,没救
+apps/erpnext/erpnext/accounts/page/pos/pos.js +789,"LocalStorage is full, did not save",localStorage的是满的,没救
apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +85,Row {0}: UOM Conversion Factor is mandatory,行{0}:计量单位转换系数是必需的
apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +20,Ref,参考
DocType: Budget,Cost Center,成本中心
@@ -2549,19 +2562,19 @@
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +14,"Pricing Rule is made to overwrite Price List / define discount percentage, based on some criteria.",定价规则是由覆盖价格表/定义折扣百分比,基于某些条件。
DocType: Serial No,Warehouse can only be changed via Stock Entry / Delivery Note / Purchase Receipt,仓库只能通过仓储记录/送货单/采购收据来修改
DocType: Employee Education,Class / Percentage,类/百分比
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +96,Head of Marketing and Sales,营销和销售主管
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +34,Income Tax,所得税
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +103,Head of Marketing and Sales,营销和销售主管
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +41,Income Tax,所得税
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +17,"If selected Pricing Rule is made for 'Price', it will overwrite Price List. Pricing Rule price is the final price, so no further discount should be applied. Hence, in transactions like Sales Order, Purchase Order etc, it will be fetched in 'Rate' field, rather than 'Price List Rate' field.",如果选择的定价规则是由为'价格',它将覆盖价目表。定价规则价格是最终价格,所以没有进一步的折扣应适用。因此,在像销售订单,采购订单等交易,这将是“速度”字段进账,而不是“价格单率”字段。
apps/erpnext/erpnext/config/selling.py +174,Track Leads by Industry Type.,轨道信息通过行业类型。
DocType: Item Supplier,Item Supplier,项目供应商
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +424,Please enter Item Code to get batch no,请输入产品编号,以获得批号
-apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +803,Please select a value for {0} quotation_to {1},请选择一个值{0} quotation_to {1}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1165,Please enter Item Code to get batch no,请输入产品编号,以获得批号
+apps/erpnext/erpnext/selling/doctype/quotation/quotation.js +773,Please select a value for {0} quotation_to {1},请选择一个值{0} quotation_to {1}
apps/erpnext/erpnext/config/selling.py +46,All Addresses.,所有地址。
DocType: Company,Stock Settings,库存设置
-apps/erpnext/erpnext/accounts/doctype/account/account.py +240,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",合并是唯一可能的,如果以下属性中均有记载相同。是集团,根型,公司
+apps/erpnext/erpnext/accounts/doctype/account/account.py +199,"Merging is only possible if following properties are same in both records. Is Group, Root Type, Company",合并是唯一可能的,如果以下属性中均有记载相同。是集团,根型,公司
DocType: Vehicle,Electric,电动
DocType: Task,% Progress,%进展
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +121,Gain/Loss on Asset Disposal,在资产处置收益/损失
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +123,Gain/Loss on Asset Disposal,在资产处置收益/损失
DocType: Training Event,Will send an email about the event to employees with status 'Open',会发邮件有关该事件员工状态“打开”
DocType: Task,Depends on Tasks,取决于任务
apps/erpnext/erpnext/config/selling.py +36,Manage Customer Group Tree.,管理客户群组
@@ -2570,7 +2583,7 @@
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center_tree.js +22,New Cost Center Name,新建成本中心名称
DocType: Leave Control Panel,Leave Control Panel,假期控制面板
DocType: Project,Task Completion,任务完成
-apps/erpnext/erpnext/templates/form_grid/stock_entry_grid.html +26,Not in Stock,断货
+apps/erpnext/erpnext/templates/includes/product_page.js +21,Not in Stock,断货
DocType: Appraisal,HR User,HR用户
DocType: Purchase Invoice,Taxes and Charges Deducted,已扣除税费
apps/erpnext/erpnext/hooks.py +116,Issues,问题
@@ -2581,22 +2594,22 @@
apps/erpnext/erpnext/hr/report/salary_register/salary_register.py +65,No salary slip found between {0} and {1},没有找到之间的工资单{0}和{1}
,Pending SO Items For Purchase Request,待处理的SO项目对于采购申请
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +29,Student Admissions,学生入学
-apps/erpnext/erpnext/accounts/party.py +339,{0} {1} is disabled,{0} {1}已禁用
+apps/erpnext/erpnext/accounts/party.py +346,{0} {1} is disabled,{0} {1}已禁用
DocType: Supplier,Billing Currency,结算货币
DocType: Sales Invoice,SINV-RET-,SINV-RET-
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +162,Extra Large,特大号
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Extra Large,特大号
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Leaves,叶总
,Profit and Loss Statement,损益表
DocType: Bank Reconciliation Detail,Cheque Number,支票号码
,Sales Browser,销售列表
DocType: Journal Entry,Total Credit,总积分
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +542,Warning: Another {0} # {1} exists against stock entry {2},警告:针对库存记录{2}存在另一个{0}#{1}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +113,Local,当地
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +120,Local,当地
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +26,Loans and Advances (Assets),贷款及垫款(资产)
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +12,Debtors,债务人
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +161,Large,大
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +168,Large,大
DocType: Homepage Featured Product,Homepage Featured Product,首页推荐产品
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,All Assessment Groups,所有评估组
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +205,All Assessment Groups,所有评估组
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +15,New Warehouse Name,新仓库名称
apps/erpnext/erpnext/accounts/report/financial_statements.py +227,Total {0} ({1}),总{0}({1})
DocType: C-Form Invoice Detail,Territory,区域
@@ -2606,12 +2619,12 @@
DocType: Production Order Operation,Planned Start Time,计划开始时间
DocType: Course,Assessment,评定
DocType: Payment Entry Reference,Allocated,已调配
-apps/erpnext/erpnext/config/accounts.py +236,Close Balance Sheet and book Profit or Loss.,关闭资产负债表,打开损益表。
+apps/erpnext/erpnext/config/accounts.py +269,Close Balance Sheet and book Profit or Loss.,关闭资产负债表,打开损益表。
DocType: Student Applicant,Application Status,应用现状
DocType: Fees,Fees,费用
DocType: Currency Exchange,Specify Exchange Rate to convert one currency into another,指定货币兑换的汇率
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +149,Quotation {0} is cancelled,报价{0}已被取消
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Outstanding Amount,未偿还总额
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +31,Total Outstanding Amount,未偿还总额
DocType: Sales Partner,Targets,目标
DocType: Price List,Price List Master,价格表大师
DocType: Sales Person,All Sales Transactions can be tagged against multiple **Sales Persons** so that you can set and monitor targets.,所有的销售交易都可以标记多个**销售人员**,方便你设置和监控目标。
@@ -2643,12 +2656,12 @@
1. Address and Contact of your Company.",可以添加至销售或采购的标准条款和条件。例如:1. 报价有效期。 2.付款条件(预付款,赊购,部分预付款)。3.其他,例如安全/使用警告,退货政策,配送条款,争议/赔偿/责任仲裁方式,贵公司的地址和联系方式。
DocType: Attendance,Leave Type,假期类型
DocType: Purchase Invoice,Supplier Invoice Details,供应商发票明细
-apps/erpnext/erpnext/controllers/stock_controller.py +235,Expense / Difference account ({0}) must be a 'Profit or Loss' account,开支/差异帐户({0})必须是一个“益损”账户
+apps/erpnext/erpnext/controllers/stock_controller.py +233,Expense / Difference account ({0}) must be a 'Profit or Loss' account,开支/差异帐户({0})必须是一个“益损”账户
DocType: Project,Copied From,复制自
DocType: Project,Copied From,复制自
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +91,Name error: {0},名称错误:{0}
apps/erpnext/erpnext/stock/doctype/item/item_list.js +8,Shortage,短缺
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +205,{0} {1} does not associated with {2} {3},{0} {1} 没有关联 {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +203,{0} {1} does not associated with {2} {3},{0} {1} 没有关联 {2} {3}
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +18,Attendance for employee {0} is already marked,雇员{0}的考勤已标记
DocType: Packing Slip,If more than one package of the same type (for print),如果有多个同样类型的打包(用于打印)
,Salary Register,薪酬注册
@@ -2666,22 +2679,23 @@
,Requested Qty,请求数量
DocType: Tax Rule,Use for Shopping Cart,使用的购物车
apps/erpnext/erpnext/controllers/item_variant.py +96,Value {0} for Attribute {1} does not exist in the list of valid Item Attribute Values for Item {2},值{0}的属性{1}不在有效的项目列表中存在的属性值项{2}
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +69,Select Serial Numbers,选择序列号
DocType: BOM Item,Scrap %,折旧%
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +46,"Charges will be distributed proportionately based on item qty or amount, as per your selection",费用会根据你选择的品目数量和金额按比例分配。
DocType: Maintenance Visit,Purposes,用途
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +110,Atleast one item should be entered with negative quantity in return document,ATLEAST一个项目应该负数量回报文档中输入
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +111,Atleast one item should be entered with negative quantity in return document,ATLEAST一个项目应该负数量回报文档中输入
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +71,"Operation {0} longer than any available working hours in workstation {1}, break down the operation into multiple operations",操作{0}比任何可用的工作时间更长工作站{1},分解成运行多个操作
,Requested,要求
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +85,No Remarks,暂无说明
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +86,No Remarks,暂无说明
DocType: Purchase Invoice,Overdue,过期的
DocType: Account,Stock Received But Not Billed,已收货未开单的库存
-apps/erpnext/erpnext/accounts/doctype/account/account.py +88,Root Account must be a group,根帐户必须是一组
+apps/erpnext/erpnext/accounts/doctype/account/account.py +87,Root Account must be a group,根帐户必须是一组
DocType: Fees,FEE.,费用。
DocType: Employee Loan,Repaid/Closed,偿还/关闭
DocType: Item,Total Projected Qty,预计总数量
DocType: Monthly Distribution,Distribution Name,分配名称
DocType: Course,Course Code,课程代码
-apps/erpnext/erpnext/controllers/stock_controller.py +333,Quality Inspection required for Item {0},品目{0}要求质量检验
+apps/erpnext/erpnext/controllers/stock_controller.py +331,Quality Inspection required for Item {0},品目{0}要求质量检验
DocType: Quotation,Rate at which customer's currency is converted to company's base currency,客户的货币转换为公司的基础货币后的单价
DocType: Purchase Invoice Item,Net Rate (Company Currency),净利率(公司货币)
DocType: Salary Detail,Condition and Formula Help,条件和公式帮助
@@ -2694,27 +2708,29 @@
DocType: Stock Entry,Material Transfer for Manufacture,用于生产的物料转移
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +20,Discount Percentage can be applied either against a Price List or for all Price List.,折扣百分比可以应用于一个或所有的价目表。
DocType: Purchase Invoice,Half-yearly,半年一次
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +398,Accounting Entry for Stock,库存的会计分录
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +397,Accounting Entry for Stock,库存的会计分录
DocType: Vehicle Service,Engine Oil,机油
+apps/erpnext/erpnext/hr/doctype/employee/employee.py +23,Please setup Employee Naming System in Human Resource > HR Settings,请在人力资源>人力资源设置中设置员工命名系统
DocType: Sales Invoice,Sales Team1,销售团队1
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +39,Item {0} does not exist,产品{0}不存在
DocType: Sales Invoice,Customer Address,客户地址
DocType: Employee Loan,Loan Details,贷款详情
+DocType: Company,Default Inventory Account,默认库存帐户
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +121,Row {0}: Completed Qty must be greater than zero.,行{0}:已完成数量必须大于零。
DocType: Purchase Invoice,Apply Additional Discount On,收取额外折扣
DocType: Account,Root Type,根类型
DocType: Item,FIFO,FIFO
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +131,Row # {0}: Cannot return more than {1} for Item {2},行#{0}:无法返回超过{1}项{2}
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +132,Row # {0}: Cannot return more than {1} for Item {2},行#{0}:无法返回超过{1}项{2}
apps/erpnext/erpnext/manufacturing/page/production_analytics/production_analytics.js +29,Plot,情节
DocType: Item Group,Show this slideshow at the top of the page,在页面顶部显示此幻灯片
DocType: BOM,Item UOM,项目计量单位
DocType: Sales Taxes and Charges,Tax Amount After Discount Amount (Company Currency),税额后,优惠金额(公司货币)
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +149,Target warehouse is mandatory for row {0},行{0}必须指定目标仓库
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +150,Target warehouse is mandatory for row {0},行{0}必须指定目标仓库
DocType: Cheque Print Template,Primary Settings,主要设置
DocType: Purchase Invoice,Select Supplier Address,选择供应商地址
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.js +372,Add Employees,添加员工
DocType: Purchase Invoice Item,Quality Inspection,质量检验
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +158,Extra Small,超小
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Extra Small,超小
DocType: Company,Standard Template,标准模板
DocType: Training Event,Theory,理论
apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +761,Warning: Material Requested Qty is less than Minimum Order Qty,警告:物料请求的数量低于最低起订量
@@ -2722,7 +2738,7 @@
DocType: Company,Legal Entity / Subsidiary with a separate Chart of Accounts belonging to the Organization.,属于本机构的,带独立科目表的法人/附属机构。
DocType: Payment Request,Mute Email,静音电子邮件
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +29,"Food, Beverage & Tobacco",食品,饮料与烟草
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +640,Can only make payment against unbilled {0},只能使支付对未付款的{0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +638,Can only make payment against unbilled {0},只能使支付对未付款的{0}
apps/erpnext/erpnext/controllers/selling_controller.py +127,Commission rate cannot be greater than 100,佣金率不能大于100
DocType: Stock Entry,Subcontract,外包
apps/erpnext/erpnext/public/js/utils/party.js +161,Please enter {0} first,请输入{0}第一
@@ -2735,18 +2751,18 @@
DocType: SMS Log,No of Sent SMS,发送短信数量
DocType: Account,Expense Account,开支帐户
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +49,Software,软件
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +165,Colour,颜色
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +172,Colour,颜色
DocType: Assessment Plan Criteria,Assessment Plan Criteria,评估计划标准
DocType: Training Event,Scheduled,已计划
apps/erpnext/erpnext/config/buying.py +18,Request for quotation.,询价。
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.js +13,"Please select Item where ""Is Stock Item"" is ""No"" and ""Is Sales Item"" is ""Yes"" and there is no other Product Bundle",请选择项,其中“正股项”是“否”和“是销售物品”是“是”,没有其他产品捆绑
DocType: Student Log,Academic,学术的
-apps/erpnext/erpnext/controllers/accounts_controller.py +486,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),总的超前({0})对二阶{1}不能大于总计({2})
+apps/erpnext/erpnext/controllers/accounts_controller.py +488,Total advance ({0}) against Order {1} cannot be greater than the Grand Total ({2}),总的超前({0})对二阶{1}不能大于总计({2})
DocType: Sales Partner,Select Monthly Distribution to unevenly distribute targets across months.,如果要不规则的按月分配,请选择“月度分布”。
DocType: Purchase Invoice Item,Valuation Rate,估值率
DocType: Stock Reconciliation,SR/,SR /
DocType: Vehicle,Diesel,柴油机
-apps/erpnext/erpnext/stock/get_item_details.py +318,Price List Currency not selected,价格表货币没有选择
+apps/erpnext/erpnext/stock/get_item_details.py +328,Price List Currency not selected,价格表货币没有选择
,Student Monthly Attendance Sheet,学生每月考勤表
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +185,Employee {0} has already applied for {1} between {2} and {3},雇员{0}申请了{1},时间是{2}至{3}
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +30,Project Start Date,项目开始日期
@@ -2759,7 +2775,7 @@
DocType: BOM,Scrap,废料
apps/erpnext/erpnext/config/selling.py +110,Manage Sales Partners.,管理销售合作伙伴。
DocType: Quality Inspection,Inspection Type,检验类型
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +237,Warehouses with existing transaction can not be converted to group.,与现有的交易仓库不能转换为组。
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +131,Warehouses with existing transaction can not be converted to group.,与现有的交易仓库不能转换为组。
DocType: Assessment Result Tool,Result HTML,结果HTML
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +35,Expires On,到期
apps/erpnext/erpnext/utilities/activation.py +115,Add Students,新增学生
@@ -2767,13 +2783,13 @@
DocType: C-Form,C-Form No,C-表编号
DocType: BOM,Exploded_items,展开品目
DocType: Employee Attendance Tool,Unmarked Attendance,无标记考勤
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +99,Researcher,研究员
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +106,Researcher,研究员
DocType: Program Enrollment Tool Student,Program Enrollment Tool Student,计划注册学生工具
apps/erpnext/erpnext/hr/doctype/job_applicant/job_applicant.py +25,Name or Email is mandatory,姓名或电子邮件是强制性
apps/erpnext/erpnext/config/stock.py +163,Incoming quality inspection.,来料质量检验。
DocType: Purchase Order Item,Returned Qty,返回的数量
DocType: Employee,Exit,退出
-apps/erpnext/erpnext/accounts/doctype/account/account.py +160,Root Type is mandatory,根类型是强制性的
+apps/erpnext/erpnext/accounts/doctype/account/account.py +159,Root Type is mandatory,根类型是强制性的
DocType: BOM,Total Cost(Company Currency),总成本(公司货币)
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +295,Serial No {0} created,序列号{0}已创建
DocType: Homepage,Company Description for website homepage,公司介绍了网站的首页
@@ -2782,7 +2798,7 @@
DocType: Sales Invoice,Time Sheet List,时间表列表
DocType: Employee,You can enter any date manually,您可以手动输入日期
DocType: Asset Category Account,Depreciation Expense Account,折旧费用帐户
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +183,Probationary Period,试用期
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +190,Probationary Period,试用期
DocType: Customer Group,Only leaf nodes are allowed in transaction,只有叶节点中允许交易
DocType: Expense Claim,Expense Approver,开支审批人
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +136,Row {0}: Advance against Customer must be credit,行{0}:提前对客户必须是信用
@@ -2796,10 +2812,11 @@
apps/erpnext/erpnext/schools/doctype/course_scheduling_tool/course_scheduling_tool.py +54,Course Schedules deleted:,课程表删除:
apps/erpnext/erpnext/config/selling.py +297,Logs for maintaining sms delivery status,日志维护短信发送状态
DocType: Accounts Settings,Make Payment via Journal Entry,通过日记帐分录进行付款
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +77,Printed On,印上
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +83,Printed On,印上
DocType: Item,Inspection Required before Delivery,分娩前检查所需
DocType: Item,Inspection Required before Purchase,购买前检查所需
apps/erpnext/erpnext/setup/doctype/email_digest/templates/default.html +93,Pending Activities,待活动
+apps/erpnext/erpnext/public/js/setup_wizard.js +86,Your Organization,你的组织
DocType: Fee Component,Fees Category,费用类别
apps/erpnext/erpnext/hr/doctype/employee/employee.py +129,Please enter relieving date.,请输入解除日期。
apps/erpnext/erpnext/controllers/trends.py +149,Amt,金额
@@ -2809,9 +2826,9 @@
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +43,Reorder Level,重新排序级别
DocType: Company,Chart Of Accounts Template,图表帐户模板
DocType: Attendance,Attendance Date,考勤日期
-apps/erpnext/erpnext/stock/get_item_details.py +282,Item Price updated for {0} in Price List {1},项目价格更新{0}价格表{1}
+apps/erpnext/erpnext/stock/get_item_details.py +292,Item Price updated for {0} in Price List {1},项目价格更新{0}价格表{1}
DocType: Salary Structure,Salary breakup based on Earning and Deduction.,基于收入和扣款的工资明细。
-apps/erpnext/erpnext/accounts/doctype/account/account.py +132,Account with child nodes cannot be converted to ledger,科目与子节点不能转换为分类账
+apps/erpnext/erpnext/accounts/doctype/account/account.py +131,Account with child nodes cannot be converted to ledger,科目与子节点不能转换为分类账
DocType: Purchase Invoice Item,Accepted Warehouse,已接收的仓库
DocType: Bank Reconciliation Detail,Posting Date,发布日期
DocType: Item,Valuation Method,估值方法
@@ -2820,14 +2837,14 @@
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +85,Duplicate entry,重复的条目
DocType: Program Enrollment Tool,Get Students,让学生
DocType: Serial No,Under Warranty,在保修期内
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +512,[Error],[错误]
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +482,[Error],[错误]
DocType: Sales Order,In Words will be visible once you save the Sales Order.,大写金额将在销售订单保存后显示。
,Employee Birthday,雇员生日
DocType: Student Batch Attendance Tool,Student Batch Attendance Tool,学生考勤批处理工具
-apps/erpnext/erpnext/controllers/status_updater.py +199,Limit Crossed,限制交叉
+apps/erpnext/erpnext/controllers/status_updater.py +210,Limit Crossed,限制交叉
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +55,Venture Capital,创业投资
apps/erpnext/erpnext/schools/doctype/academic_term/academic_term.py +40,An academic term with this 'Academic Year' {0} and 'Term Name' {1} already exists. Please modify these entries and try again.,这个“学年”一个学期{0}和“术语名称”{1}已经存在。请修改这些条目,然后再试一次。
-apps/erpnext/erpnext/stock/doctype/item/item.py +467,"As there are existing transactions against item {0}, you can not change the value of {1}",由于有对项目{0}现有的交易,你不能改变的值{1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +468,"As there are existing transactions against item {0}, you can not change the value of {1}",由于有对项目{0}现有的交易,你不能改变的值{1}
DocType: UOM,Must be Whole Number,必须是整数
DocType: Leave Control Panel,New Leaves Allocated (In Days),新调配的假期(天数)
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +49,Serial No {0} does not exist,序列号{0}不存在
@@ -2836,6 +2853,7 @@
DocType: Payment Reconciliation Invoice,Invoice Number,发票号码
DocType: Shopping Cart Settings,Orders,订单
DocType: Employee Leave Approver,Leave Approver,假期审批人
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +289,Please select a batch,请选择一个批次
DocType: Assessment Group,Assessment Group Name,评估小组名称
DocType: Manufacturing Settings,Material Transferred for Manufacture,材料移送制造
DocType: Expense Claim,"A user with ""Expense Approver"" role",有“费用审批人”角色的用户
@@ -2845,9 +2863,10 @@
DocType: Target Detail,Target Detail,目标详细信息
apps/erpnext/erpnext/hr/doctype/job_opening/job_opening.py +24,All Jobs,所有职位
DocType: Sales Order,% of materials billed against this Sales Order,此销售订单% 的材料已记账。
+DocType: Program Enrollment,Mode of Transportation,运输方式
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.js +49,Period Closing Entry,期末进入
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +38,Cost Center with existing transactions can not be converted to group,有交易的成本中心不能转化为组
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +350,Amount {0} {1} {2} {3},金额{0} {1} {2} {3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +348,Amount {0} {1} {2} {3},金额{0} {1} {2} {3}
DocType: Account,Depreciation,折旧
apps/erpnext/erpnext/stock/report/supplier_wise_sales_analytics/supplier_wise_sales_analytics.py +49,Supplier(s),供应商
DocType: Employee Attendance Tool,Employee Attendance Tool,员工考勤工具
@@ -2855,7 +2874,7 @@
DocType: Supplier,Credit Limit,信用额度
DocType: Production Plan Sales Order,Salse Order Date,Salse订单日期
DocType: Salary Component,Salary Component,薪金部分
-apps/erpnext/erpnext/accounts/utils.py +493,Payment Entries {0} are un-linked,付款项{0}是联合国联
+apps/erpnext/erpnext/accounts/utils.py +496,Payment Entries {0} are un-linked,付款项{0}是联合国联
DocType: GL Entry,Voucher No,凭证编号
,Lead Owner Efficiency,主导效率
,Lead Owner Efficiency,主导效率
@@ -2867,11 +2886,11 @@
apps/erpnext/erpnext/config/selling.py +164,Template of terms or contract.,条款或合同模板。
DocType: Purchase Invoice,Address and Contact,地址和联系方式
DocType: Cheque Print Template,Is Account Payable,为应付账款
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +268,Stock cannot be updated against Purchase Receipt {0},库存不能对外购入库单进行更新{0}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +269,Stock cannot be updated against Purchase Receipt {0},库存不能对外购入库单进行更新{0}
DocType: Supplier,Last Day of the Next Month,下个月的最后一天
DocType: Support Settings,Auto close Issue after 7 days,7天之后自动关闭问题
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +71,"Leave cannot be allocated before {0}, as leave balance has already been carry-forwarded in the future leave allocation record {1}",假,不是之前分配{0},因为休假余额已经结转转发在未来的假期分配记录{1}
-apps/erpnext/erpnext/accounts/party.py +298,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),注意:到期日/计入日已超过客户信用日期{0}天。
+apps/erpnext/erpnext/accounts/party.py +305,Note: Due / Reference Date exceeds allowed customer credit days by {0} day(s),注意:到期日/计入日已超过客户信用日期{0}天。
apps/erpnext/erpnext/schools/doctype/program/program.js +8,Student Applicant,学生申请
DocType: Asset Category Account,Accumulated Depreciation Account,累计折旧科目
DocType: Stock Settings,Freeze Stock Entries,冻结仓储记录
@@ -2880,35 +2899,35 @@
DocType: Activity Cost,Billing Rate,结算利率
,Qty to Deliver,交付数量
,Stock Analytics,库存分析
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +438,Operations cannot be left blank,操作不能留空
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +471,Operations cannot be left blank,操作不能留空
DocType: Maintenance Visit Purpose,Against Document Detail No,对文档详情编号
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +96,Party Type is mandatory,党的类型是强制性
DocType: Quality Inspection,Outgoing,传出
DocType: Material Request,Requested For,对于要求
DocType: Quotation Item,Against Doctype,对文档类型
-apps/erpnext/erpnext/controllers/buying_controller.py +388,{0} {1} is cancelled or closed,{0} {1}被取消或关闭
+apps/erpnext/erpnext/controllers/buying_controller.py +391,{0} {1} is cancelled or closed,{0} {1}被取消或关闭
DocType: Delivery Note,Track this Delivery Note against any Project,跟踪此送货单反对任何项目
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +30,Net Cash from Investing,从投资净现金
-,Is Primary Address,是主地址
DocType: Production Order,Work-in-Progress Warehouse,在制品仓库
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +108,Asset {0} must be submitted,资产{0}必须提交
-apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +58,Attendance Record {0} exists against Student {1},考勤记录{0}存在针对学生{1}
+apps/erpnext/erpnext/schools/doctype/student_attendance/student_attendance.py +56,Attendance Record {0} exists against Student {1},考勤记录{0}存在针对学生{1}
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +354,Reference #{0} dated {1},参考# {0}记载日期为{1}
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +161,Depreciation Eliminated due to disposal of assets,折旧淘汰因处置资产
apps/erpnext/erpnext/templates/includes/cart/cart_address.html +15,Manage Addresses,管理地址
DocType: Asset,Item Code,项目编号
DocType: Production Planning Tool,Create Production Orders,创建生产订单
DocType: Serial No,Warranty / AMC Details,保修/ 年度保养合同详情
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +100,Select students manually for the Activity based Group,为基于活动的组手动选择学生
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.js +116,Select students manually for the Activity based Group,为基于活动的组手动选择学生
DocType: Journal Entry,User Remark,用户备注
DocType: Lead,Market Segment,市场分类
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +874,Paid Amount cannot be greater than total negative outstanding amount {0},支付的金额不能超过总负余额大于{0}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +890,Paid Amount cannot be greater than total negative outstanding amount {0},支付的金额不能超过总负余额大于{0}
DocType: Employee Internal Work History,Employee Internal Work History,雇员内部就职经历
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +239,Closing (Dr),结算(借记)
DocType: Cheque Print Template,Cheque Size,支票大小
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +228,Serial No {0} not in stock,序列号{0}无库存
apps/erpnext/erpnext/config/selling.py +169,Tax template for selling transactions.,销售业务的税务模板。
DocType: Sales Invoice,Write Off Outstanding Amount,核销未付金额
+apps/erpnext/erpnext/hr/doctype/expense_claim_type/expense_claim_type.py +27,Account {0} does not match with Company {1},帐户{0}与公司{1}不符
DocType: School Settings,Current Academic Year,当前学年
DocType: Stock Settings,Default Stock UOM,默认库存计量单位
DocType: Asset,Number of Depreciations Booked,预订折旧数
@@ -2923,27 +2942,27 @@
DocType: Asset,Double Declining Balance,双倍余额递减
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +170,Closed order cannot be cancelled. Unclose to cancel.,关闭的定单不能被取消。 Unclose取消。
DocType: Student Guardian,Father,父亲
-apps/erpnext/erpnext/controllers/accounts_controller.py +572,'Update Stock' cannot be checked for fixed asset sale,固定资产销售不能选择“更新库存”
+apps/erpnext/erpnext/controllers/accounts_controller.py +574,'Update Stock' cannot be checked for fixed asset sale,固定资产销售不能选择“更新库存”
DocType: Bank Reconciliation,Bank Reconciliation,银行对帐
DocType: Attendance,On Leave,休假
apps/erpnext/erpnext/templates/includes/footer/footer_extension.html +7,Get Updates,获取更新
apps/erpnext/erpnext/accounts/doctype/gl_entry/gl_entry.py +96,{0} {1}: Account {2} does not belong to Company {3},{0} {1}帐户{2}不属于公司{3}
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +134,Material Request {0} is cancelled or stopped,物料申请{0}已取消或已停止
-apps/erpnext/erpnext/public/js/setup_wizard.js +318,Add a few sample records,添加了一些样本记录
+apps/erpnext/erpnext/public/js/setup_wizard.js +348,Add a few sample records,添加了一些样本记录
apps/erpnext/erpnext/config/hr.py +301,Leave Management,离开管理
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.js +106,Group by Account,基于账户分组
DocType: Sales Order,Fully Delivered,完全交付
DocType: Lead,Lower Income,较低收益
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +168,Source and target warehouse cannot be same for row {0},行{0}中的源和目标仓库不能相同
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +169,Source and target warehouse cannot be same for row {0},行{0}中的源和目标仓库不能相同
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +241,"Difference Account must be a Asset/Liability type account, since this Stock Reconciliation is an Opening Entry",差异帐户必须是资产/负债类型的帐户,因为此库存盘点在期初进行
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +107,Disbursed Amount cannot be greater than Loan Amount {0},支付额不能超过贷款金额较大的{0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +207,Purchase Order number required for Item {0},所需物品的采购订单号{0}
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +869,Production Order not created,生产订单未创建
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +89,Purchase Order number required for Item {0},所需物品的采购订单号{0}
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +846,Production Order not created,生产订单未创建
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +18,'From Date' must be after 'To Date',“起始日期”必须早于'终止日期'
apps/erpnext/erpnext/schools/doctype/student_applicant/student_applicant.py +29,Cannot change status as student {0} is linked with student application {1},无法改变地位的学生{0}与学生申请链接{1}
DocType: Asset,Fully Depreciated,已提足折旧
,Stock Projected Qty,预计库存量
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +415,Customer {0} does not belong to project {1},客户{0}不属于项目{1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +418,Customer {0} does not belong to project {1},客户{0}不属于项目{1}
DocType: Employee Attendance Tool,Marked Attendance HTML,显着的考勤HTML
apps/erpnext/erpnext/utilities/activation.py +71,"Quotations are proposals, bids you have sent to your customers",语录是建议,你已经发送到你的客户提高出价
DocType: Sales Order,Customer's Purchase Order,客户采购订单
@@ -2952,8 +2971,8 @@
apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.py +39,Sum of Scores of Assessment Criteria needs to be {0}.,评估标准的得分之和必须是{0}。
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +77,Please set Number of Depreciations Booked,请设置折旧数预订
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +89,Value or Qty,价值或数量
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +397,Productions Orders cannot be raised for:,制作订单不能上调:
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Minute,分钟
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +430,Productions Orders cannot be raised for:,制作订单不能上调:
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Minute,分钟
DocType: Purchase Invoice,Purchase Taxes and Charges,购置税和费
,Qty to Receive,接收数量
DocType: Leave Block List,Leave Block List Allowed,禁离日例外用户
@@ -2961,25 +2980,25 @@
apps/erpnext/erpnext/hr/doctype/vehicle_log/vehicle_log.py +49,Expense Claim for Vehicle Log {0},报销车辆登录{0}
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,价格上涨率与贴现率的折扣(%)
DocType: Sales Invoice Item,Discount (%) on Price List Rate with Margin,价格上涨率与贴现率的折扣(%)
-apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +58,All Warehouses,所有仓库
+apps/erpnext/erpnext/patches/v7_0/create_warehouse_nestedset.py +59,All Warehouses,所有仓库
DocType: Sales Partner,Retailer,零售商
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +107,Credit To account must be a Balance Sheet account,信用帐户必须是资产负债表科目
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +108,Credit To account must be a Balance Sheet account,信用帐户必须是资产负债表科目
apps/erpnext/erpnext/buying/page/purchase_analytics/purchase_analytics.js +122,All Supplier Types,所有供应商类型
DocType: Global Defaults,Disable In Words,禁用词
-apps/erpnext/erpnext/stock/doctype/item/item.py +45,Item Code is mandatory because Item is not automatically numbered,项目编号是必须项,因为项目没有自动编号
+apps/erpnext/erpnext/stock/doctype/item/item.py +46,Item Code is mandatory because Item is not automatically numbered,项目编号是必须项,因为项目没有自动编号
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +101,Quotation {0} not of type {1},报价{0} 不属于{1}类型
DocType: Maintenance Schedule Item,Maintenance Schedule Item,维护计划品目
DocType: Sales Order,% Delivered,%已交付
DocType: Production Order,PRO-,PRO-
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Bank Overdraft Account,银行透支账户
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +157,Bank Overdraft Account,银行透支账户
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.js +48,Make Salary Slip,创建工资单
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +79,Row #{0}: Allocated Amount cannot be greater than outstanding amount.,行#{0}:分配金额不能大于未结算金额。
apps/erpnext/erpnext/manufacturing/doctype/bom/bom.js +28,Browse BOM,浏览BOM
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +153,Secured Loans,抵押贷款
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +155,Secured Loans,抵押贷款
DocType: Purchase Invoice,Edit Posting Date and Time,编辑投稿时间
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +98,Please set Depreciation related Accounts in Asset Category {0} or Company {1},请设置在资产类别{0}或公司折旧相关帐户{1}
DocType: Academic Term,Academic Year,学年
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +167,Opening Balance Equity,期初余额权益
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +169,Opening Balance Equity,期初余额权益
DocType: Lead,CRM,CRM
DocType: Appraisal,Appraisal,评估
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +134,Email sent to supplier {0},电子邮件发送到供应商{0}
@@ -2995,7 +3014,7 @@
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +34,Approving Role cannot be same as role the rule is Applicable To,审批与被审批角色不能相同
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +65,Unsubscribe from this Email Digest,从该电子邮件摘要退订
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.js +28,Message Sent,消息已发送
-apps/erpnext/erpnext/accounts/doctype/account/account.py +102,Account with child nodes cannot be set as ledger,帐户与子节点不能被设置为分类帐
+apps/erpnext/erpnext/accounts/doctype/account/account.py +101,Account with child nodes cannot be set as ledger,帐户与子节点不能被设置为分类帐
DocType: C-Form,II,二
DocType: Sales Invoice,Rate at which Price list currency is converted to customer's base currency,价目表货币转换成客户的基础货币后的单价
DocType: Purchase Invoice Item,Net Amount (Company Currency),净金额(公司货币)
@@ -3030,7 +3049,7 @@
DocType: Expense Claim,Approval Status,审批状态
DocType: Hub Settings,Publish Items to Hub,发布项目到集线器
apps/erpnext/erpnext/accounts/doctype/shipping_rule/shipping_rule.py +43,From value must be less than to value in row {0},行{0}的起始值必须更小
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +144,Wire Transfer,电汇
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +151,Wire Transfer,电汇
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +132,Check all,全面检查
DocType: Vehicle Log,Invoice Ref,发票编号
DocType: Purchase Order,Recurring Order,周期性订单
@@ -3043,19 +3062,22 @@
apps/erpnext/erpnext/config/accounts.py +136,Banking and Payments,银行和支付
,Welcome to ERPNext,欢迎使用ERPNext
apps/erpnext/erpnext/config/learn.py +102,Lead to Quotation,导致报价
+apps/erpnext/erpnext/templates/includes/product_list.js +45,Nothing more to show.,没有更多内容。
DocType: Lead,From Customer,源客户
-apps/erpnext/erpnext/demo/setup/setup_data.py +321,Calls,电话
+apps/erpnext/erpnext/demo/setup/setup_data.py +323,Calls,电话
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +214,Batches,批
DocType: Project,Total Costing Amount (via Time Logs),总成本核算金额(通过时间日志)
DocType: Purchase Order Item Supplied,Stock UOM,库存计量单位
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +225,Purchase Order {0} is not submitted,采购订单{0}未提交
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +226,Purchase Order {0} is not submitted,采购订单{0}未提交
DocType: Customs Tariff Number,Tariff Number,税则号
apps/erpnext/erpnext/stock/doctype/item/item.js +39,Projected,预计
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +218,Serial No {0} does not belong to Warehouse {1},序列号{0}不属于仓库{1}
-apps/erpnext/erpnext/controllers/status_updater.py +163,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,注意:系统将不会为品目{0}检查超额发货或超额预订,因为其数量或金额为0
+apps/erpnext/erpnext/controllers/status_updater.py +174,Note: System will not check over-delivery and over-booking for Item {0} as quantity or amount is 0,注意:系统将不会为品目{0}检查超额发货或超额预订,因为其数量或金额为0
DocType: Notification Control,Quotation Message,报价信息
DocType: Employee Loan,Employee Loan Application,职工贷款申请
DocType: Issue,Opening Date,开幕日期
apps/erpnext/erpnext/schools/api.py +77,Attendance has been marked successfully.,出席已成功标记。
+DocType: Program Enrollment,Public Transport,公共交通
DocType: Journal Entry,Remark,备注
DocType: Purchase Receipt Item,Rate and Amount,单价及小计
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +163,Account Type for {0} must be {1},帐户类型为{0}必须{1}
@@ -3063,32 +3085,32 @@
DocType: School Settings,Current Academic Term,当前学术期限
DocType: School Settings,Current Academic Term,当前学术期限
DocType: Sales Order,Not Billed,未开票
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +147,Both Warehouse must belong to same Company,两个仓库必须属于同一公司
-apps/erpnext/erpnext/public/js/templates/contact_list.html +37,No contacts added yet.,暂无联系人。
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +75,Both Warehouse must belong to same Company,两个仓库必须属于同一公司
+apps/erpnext/erpnext/public/js/templates/contact_list.html +34,No contacts added yet.,暂无联系人。
DocType: Purchase Invoice Item,Landed Cost Voucher Amount,到岸成本凭证金额
apps/erpnext/erpnext/config/accounts.py +17,Bills raised by Suppliers.,供应商开出的账单
DocType: POS Profile,Write Off Account,核销帐户
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Debit Note Amt,借方票据
apps/erpnext/erpnext/templates/print_formats/includes/taxes.html +5,Discount Amount,折扣金额
DocType: Purchase Invoice,Return Against Purchase Invoice,回到对采购发票
DocType: Item,Warranty Period (in days),保修期限(天数)
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Relation with Guardian1,与关系Guardian1
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Relation with Guardian1,与关系Guardian1
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +18,Net Cash from Operations,从运营的净现金
-apps/erpnext/erpnext/public/js/setup_wizard.js +230,e.g. VAT,例如增值税
+apps/erpnext/erpnext/public/js/setup_wizard.js +207,e.g. VAT,例如增值税
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +26,Item 4,项目4
DocType: Student Admission,Admission End Date,录取结束日期
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order_dashboard.py +29,Sub-contracting,分包
DocType: Journal Entry Account,Journal Entry Account,日记帐分录帐号
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.js +3,Student Group,学生组
DocType: Shopping Cart Settings,Quotation Series,报价系列
-apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +58,"An item exists with same name ({0}), please change the item group name or rename the item",具有名称 {0} 的品目已存在,请更名
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1913,Please select customer,请选择客户
+apps/erpnext/erpnext/setup/doctype/item_group/item_group.py +59,"An item exists with same name ({0}), please change the item group name or rename the item",具有名称 {0} 的品目已存在,请更名
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1945,Please select customer,请选择客户
DocType: C-Form,I,I
DocType: Company,Asset Depreciation Cost Center,资产折旧成本中心
DocType: Sales Order Item,Sales Order Date,销售订单日期
DocType: Sales Invoice Item,Delivered Qty,已交付数量
DocType: Production Planning Tool,"If checked, all the children of each production item will be included in the Material Requests.",如果选中,各个生产项目的所有孩子将被列入材料请求。
DocType: Assessment Plan,Assessment Plan,评估计划
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +90,Warehouse {0}: Company is mandatory,仓库{0}必须指定公司
DocType: Stock Settings,Limit Percent,限制百分比
,Payment Period Based On Invoice Date,已经提交。
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +58,Missing Currency Exchange Rates for {0},{0}没有货币汇率
@@ -3100,7 +3122,7 @@
DocType: Vehicle,Insurance Details,保险详情
DocType: Account,Payable,支付
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +113,Please enter Repayment Periods,请输入还款期
-apps/erpnext/erpnext/shopping_cart/cart.py +355,Debtors ({0}),债务人({0})
+apps/erpnext/erpnext/shopping_cart/cart.py +365,Debtors ({0}),债务人({0})
DocType: Pricing Rule,Margin,利润
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +57,New Customers,新客户
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +76,Gross Profit %,毛利%
@@ -3111,16 +3133,16 @@
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +99,Party is mandatory,党是强制性
DocType: Journal Entry,JV-,将N-
DocType: Topic,Topic Name,主题名称
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +36,Atleast one of the Selling or Buying must be selected,必须至少选择'销售'或'采购'其中的一项
-apps/erpnext/erpnext/public/js/setup_wizard.js +25,Select the nature of your business.,选择您的业务的性质。
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +37,Atleast one of the Selling or Buying must be selected,必须至少选择'销售'或'采购'其中的一项
+apps/erpnext/erpnext/public/js/setup_wizard.js +28,Select the nature of your business.,选择您的业务的性质。
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +71,Row #{0}: Duplicate entry in References {1} {2},行#{0}:引用{1} {2}中的重复条目
apps/erpnext/erpnext/config/manufacturing.py +57,Where manufacturing operations are carried.,生产流程进行的地方。
DocType: Asset Movement,Source Warehouse,源仓库
DocType: Installation Note,Installation Date,安装日期
-apps/erpnext/erpnext/controllers/accounts_controller.py +551,Row #{0}: Asset {1} does not belong to company {2},行#{0}:资产{1}不属于公司{2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +553,Row #{0}: Asset {1} does not belong to company {2},行#{0}:资产{1}不属于公司{2}
DocType: Employee,Confirmation Date,确认日期
DocType: C-Form,Total Invoiced Amount,发票总金额
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +49,Min Qty can not be greater than Max Qty,最小数量不能大于最大数量
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +50,Min Qty can not be greater than Max Qty,最小数量不能大于最大数量
DocType: Account,Accumulated Depreciation,累计折旧
DocType: Stock Entry,Customer or Supplier Details,客户或供应商详细信息
DocType: Employee Loan Application,Required by Date,按日期必填
@@ -3141,22 +3163,23 @@
DocType: Monthly Distribution Percentage,Monthly Distribution Percentage,月度分布比例
DocType: Territory,Territory Targets,区域目标
DocType: Delivery Note,Transporter Info,转运信息
-apps/erpnext/erpnext/accounts/utils.py +500,Please set default {0} in Company {1},请设置在默认情况下公司{0} {1}
+apps/erpnext/erpnext/accounts/utils.py +503,Please set default {0} in Company {1},请设置在默认情况下公司{0} {1}
DocType: Cheque Print Template,Starting position from top edge,起价顶边位置
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +30,Same supplier has been entered multiple times,同一个供应商已多次输入
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.py +152,Gross Profit / Loss,总利润/亏损
DocType: Purchase Order Item Supplied,Purchase Order Item Supplied,采购订单项目提供
-apps/erpnext/erpnext/public/js/setup_wizard.js +83,Company Name cannot be Company,公司名称不能为公司
+apps/erpnext/erpnext/public/js/setup_wizard.js +127,Company Name cannot be Company,公司名称不能为公司
apps/erpnext/erpnext/config/setup.py +27,Letter Heads for print templates.,打印模板的信头。
apps/erpnext/erpnext/config/setup.py +32,Titles for print templates e.g. Proforma Invoice.,标题打印模板例如形式发票。
DocType: Student Guardian,Student Guardian,学生家长
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +193,Valuation type charges can not marked as Inclusive,估值类型罪名不能标记为包容性
DocType: POS Profile,Update Stock,更新库存
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +54,Supplier > Supplier Type,供应商>供应商类型
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +100,Different UOM for items will lead to incorrect (Total) Net Weight value. Make sure that Net Weight of each item is in the same UOM.,不同计量单位的项目会导致不正确的(总)净重值。请确保每个品目的净重使用同一个计量单位。
apps/erpnext/erpnext/stock/report/item_prices/item_prices.py +39,BOM Rate,BOM税率
DocType: Asset,Journal Entry for Scrap,日记帐分录报废
apps/erpnext/erpnext/selling/doctype/installation_note/installation_note.py +83,Please pull items from Delivery Note,请送货单拉项目
-apps/erpnext/erpnext/accounts/utils.py +470,Journal Entries {0} are un-linked,日记帐分录{0}没有关联
+apps/erpnext/erpnext/accounts/utils.py +473,Journal Entries {0} are un-linked,日记帐分录{0}没有关联
apps/erpnext/erpnext/config/crm.py +92,"Record of all communications of type email, phone, chat, visit, etc.",包含电子邮件,电话,聊天,访问等所有通信记录
DocType: Manufacturer,Manufacturers used in Items,在项目中使用制造商
apps/erpnext/erpnext/accounts/general_ledger.py +145,Please mention Round Off Cost Center in Company,请提及公司舍入成本中心
@@ -3205,34 +3228,34 @@
DocType: Sales Order Item,Supplier delivers to Customer,供应商提供给客户
apps/erpnext/erpnext/utilities/bot.py +34,[{0}](#Form/Item/{0}) is out of stock,[{0}](#Form/Item/{0}) 超出了库存
apps/erpnext/erpnext/controllers/recurring_document.py +177,Next Date must be greater than Posting Date,下一个日期必须大于过帐日期更大
-apps/erpnext/erpnext/public/js/controllers/transaction.js +969,Show tax break-up,展会税分手
-apps/erpnext/erpnext/accounts/party.py +301,Due / Reference Date cannot be after {0},到期/参照日期不能迟于{0}
+apps/erpnext/erpnext/public/js/controllers/transaction.js +995,Show tax break-up,展会税分手
+apps/erpnext/erpnext/accounts/party.py +308,Due / Reference Date cannot be after {0},到期/参照日期不能迟于{0}
apps/erpnext/erpnext/config/setup.py +51,Data Import and Export,数据导入和导出
-apps/erpnext/erpnext/accounts/doctype/account/account.py +204,"Stock entries exist against Warehouse {0}, hence you cannot re-assign or modify it",Stock条目存在对仓库{0},因此你不能重新分配或修改
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +70,No students Found,没有发现学生
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +71,No students Found,没有发现学生
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +55,Invoice Posting Date,发票发布日期
apps/erpnext/erpnext/stock/doctype/item/item_dashboard.py +25,Sell,卖
DocType: Sales Invoice,Rounded Total,总圆角
DocType: Product Bundle,List items that form the package.,打包的品目列表。
apps/erpnext/erpnext/accounts/doctype/monthly_distribution/monthly_distribution.py +26,Percentage Allocation should be equal to 100%,百分比分配应该等于100 %
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +533,Please select Posting Date before selecting Party,在选择之前,甲方请选择发布日期
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +547,Please select Posting Date before selecting Party,在选择之前,甲方请选择发布日期
DocType: Program Enrollment,School House,学校议院
DocType: Serial No,Out of AMC,出资产管理公司
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,请选择报价
-apps/erpnext/erpnext/public/js/utils.js +213,Please select Quotations,请选择报价
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,请选择报价
+apps/erpnext/erpnext/public/js/utils.js +219,Please select Quotations,请选择报价
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +82,Number of Depreciations Booked cannot be greater than Total Number of Depreciations,预订折旧数不能超过折旧总数更大
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.js +47,Make Maintenance Visit,创建维护访问
-apps/erpnext/erpnext/selling/doctype/customer/customer.py +160,Please contact to the user who have Sales Master Manager {0} role,请联系,谁拥有硕士学位的销售经理{0}角色的用户
+apps/erpnext/erpnext/selling/doctype/customer/customer.py +167,Please contact to the user who have Sales Master Manager {0} role,请联系,谁拥有硕士学位的销售经理{0}角色的用户
DocType: Company,Default Cash Account,默认现金账户
apps/erpnext/erpnext/config/accounts.py +56,Company (not Customer or Supplier) master.,公司(非客户或供应商)大师。
apps/erpnext/erpnext/schools/doctype/student/student_dashboard.py +6,This is based on the attendance of this Student,这是基于这名学生出席
-apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +166,No Students in,没有学生
+apps/erpnext/erpnext/schools/doctype/student_attendance_tool/student_attendance_tool.js +176,No Students in,没有学生
apps/erpnext/erpnext/stock/dashboard/item_dashboard.js +166,Add more items or open full form,添加更多项目或全开放形式
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +108,Please enter 'Expected Delivery Date',请输入“预产期”
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +197,Delivery Notes {0} must be cancelled before cancelling this Sales Order,取消这个销售订单之前必须取消送货单{0}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +77,Paid amount + Write Off Amount can not be greater than Grand Total,支付的金额+写的抵销金额不能大于总计
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +78,Paid amount + Write Off Amount can not be greater than Grand Total,支付的金额+写的抵销金额不能大于总计
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +78,{0} is not a valid Batch Number for Item {1},{0}不是物料{1}的有效批次号
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +149,Note: There is not enough leave balance for Leave Type {0},注意:假期类型{0}的余量不足
+apps/erpnext/erpnext/regional/india/utils.py +13,Invalid GSTIN or Enter NA for Unregistered,无效的GSTIN或输入NA未注册
DocType: Training Event,Seminar,研讨会
DocType: Program Enrollment Fee,Program Enrollment Fee,计划注册费
DocType: Item,Supplier Items,供应商品目
@@ -3258,28 +3281,25 @@
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +20,Item 3,项目3
DocType: Purchase Order,Customer Contact Email,客户联系电子邮件
DocType: Warranty Claim,Item and Warranty Details,项目和保修细节
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +48,Item Code > Item Group > Brand,商品编号>商品组>品牌
DocType: Sales Team,Contribution (%),贡献(%)
apps/erpnext/erpnext/controllers/accounts_controller.py +83,Note: Payment Entry will not be created since 'Cash or Bank Account' was not specified,注意:付款分录不会创建,因为“现金或银行账户”没有指定
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,选择程序以获取强制性课程。
-apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.js +73,Select the Program to fetch mandatory courses.,选择程序以获取强制性课程。
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +189,Responsibilities,职责
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +196,Responsibilities,职责
DocType: Expense Claim Account,Expense Claim Account,报销账户
DocType: Sales Person,Sales Person Name,销售人员姓名
apps/erpnext/erpnext/accounts/doctype/c_form/c_form.py +54,Please enter atleast 1 invoice in the table,请在表中输入ATLEAST 1发票
-apps/erpnext/erpnext/public/js/setup_wizard.js +189,Add Users,添加用户
DocType: POS Item Group,Item Group,项目群组
DocType: Item,Safety Stock,安全库存
apps/erpnext/erpnext/projects/doctype/task/task.py +53,Progress % for a task cannot be more than 100.,为任务进度百分比不能超过100个。
DocType: Stock Reconciliation Item,Before reconciliation,在对账前
apps/erpnext/erpnext/maintenance/doctype/maintenance_visit/maintenance_visit.py +12,To {0},{0}
DocType: Purchase Invoice,Taxes and Charges Added (Company Currency),已添加的税费(公司货币)
-apps/erpnext/erpnext/stock/doctype/item/item.py +438,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,项目税项的行{0}中必须指定类型为税项/收益/支出/应课的账户。
+apps/erpnext/erpnext/stock/doctype/item/item.py +439,Item Tax Row {0} must have account of type Tax or Income or Expense or Chargeable,项目税项的行{0}中必须指定类型为税项/收益/支出/应课的账户。
DocType: Sales Order,Partly Billed,天色帐单
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +43,Item {0} must be a Fixed Asset Item,项目{0}必须是固定资产项目
DocType: Item,Default BOM,默认的BOM
-apps/erpnext/erpnext/setup/doctype/company/company.js +48,Please re-type company name to confirm,请确认重新输入公司名称
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +70,Total Outstanding Amt,总街货量金额
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +30,Debit Note Amount,借方票据金额
+apps/erpnext/erpnext/setup/doctype/company/company.js +50,Please re-type company name to confirm,请确认重新输入公司名称
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +76,Total Outstanding Amt,总街货量金额
DocType: Journal Entry,Printing Settings,打印设置
DocType: Sales Invoice,Include Payment (POS),包括支付(POS)
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +292,Total Debit must be equal to Total Credit. The difference is {0},总借记必须等于总积分。
@@ -3293,16 +3313,17 @@
apps/erpnext/erpnext/public/js/pos/pos_bill_item.html +12,In Stock: ,有现货
DocType: Notification Control,Custom Message,自定义消息
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +33,Investment Banking,投资银行业务
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +73,Cash or Bank Account is mandatory for making payment entry,“现金”或“银行账户”是付款分录的必须项
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,学生地址
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +52,Student Address,学生地址
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +74,Cash or Bank Account is mandatory for making payment entry,“现金”或“银行账户”是付款分录的必须项
+apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +88,Please setup numbering series for Attendance via Setup > Numbering Series,请通过设置>编号系列设置出勤编号系列
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,学生地址
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +54,Student Address,学生地址
DocType: Purchase Invoice,Price List Exchange Rate,价目表汇率
DocType: Purchase Invoice Item,Rate,单价
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +66,Intern,实习生
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1480,Address Name,地址名称
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +73,Intern,实习生
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1517,Address Name,地址名称
DocType: Stock Entry,From BOM,从BOM
DocType: Assessment Code,Assessment Code,评估准则
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +35,Basic,基本
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +42,Basic,基本
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +94,Stock transactions before {0} are frozen,早于{0}的库存事务已冻结
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +219,Please click on 'Generate Schedule',请点击“生成表”
apps/erpnext/erpnext/config/stock.py +190,"e.g. Kg, Unit, Nos, m",如公斤,单元,号数,米
@@ -3312,11 +3333,11 @@
DocType: Salary Slip,Salary Structure,薪酬结构
DocType: Account,Bank,银行
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +9,Airline,航空公司
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +793,Issue Material,发料
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +797,Issue Material,发料
DocType: Material Request Item,For Warehouse,对仓库
DocType: Employee,Offer Date,报价有效期
apps/erpnext/erpnext/selling/page/sales_funnel/sales_funnel.py +33,Quotations,语录
-apps/erpnext/erpnext/accounts/page/pos/pos.js +677,You are in offline mode. You will not be able to reload until you have network.,您在离线模式。您将无法重新加载,直到你有网络。
+apps/erpnext/erpnext/accounts/page/pos/pos.js +678,You are in offline mode. You will not be able to reload until you have network.,您在离线模式。您将无法重新加载,直到你有网络。
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +46,No Student Groups created.,没有学生团体创建的。
DocType: Purchase Invoice Item,Serial No,序列号
apps/erpnext/erpnext/hr/doctype/employee_loan/employee_loan.py +119,Monthly Repayment Amount cannot be greater than Loan Amount,每月还款额不能超过贷款金额较大
@@ -3324,8 +3345,8 @@
DocType: Purchase Invoice,Print Language,打印语言
DocType: Salary Slip,Total Working Hours,总的工作时间
DocType: Stock Entry,Including items for sub assemblies,包括子组件项目
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1842,Enter value must be positive,输入值必须为正
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,All Territories,所有的区域
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1874,Enter value must be positive,输入值必须为正
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +109,All Territories,所有的区域
DocType: Purchase Invoice,Items,项目
apps/erpnext/erpnext/schools/doctype/program_enrollment/program_enrollment.py +26,Student is already enrolled.,学生已经注册。
DocType: Fiscal Year,Year Name,年度名称
@@ -3344,10 +3365,10 @@
DocType: Issue,Opening Time,开放时间
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +92,From and To dates required,必须指定起始和结束日期
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +46,Securities & Commodity Exchanges,证券及商品交易
-apps/erpnext/erpnext/stock/doctype/item/item.py +630,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',测度变异的默认单位“{0}”必须是相同模板“{1}”
+apps/erpnext/erpnext/stock/doctype/item/item.py +631,Default Unit of Measure for Variant '{0}' must be same as in Template '{1}',测度变异的默认单位“{0}”必须是相同模板“{1}”
DocType: Shipping Rule,Calculate Based On,计算基于
DocType: Delivery Note Item,From Warehouse,从仓库
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +870,No Items with Bill of Materials to Manufacture,不与物料清单的项目,以制造
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +847,No Items with Bill of Materials to Manufacture,不与物料清单的项目,以制造
DocType: Assessment Plan,Supervisor Name,主管名称
DocType: Program Enrollment Course,Program Enrollment Course,课程注册课程
DocType: Program Enrollment Course,Program Enrollment Course,课程注册课程
@@ -3363,18 +3384,19 @@
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +16,'Days Since Last Order' must be greater than or equal to zero,“ 最后的订单到目前的天数”必须大于或等于零
DocType: Process Payroll,Payroll Frequency,工资频率
DocType: Asset,Amended From,修订源
-apps/erpnext/erpnext/public/js/setup_wizard.js +300,Raw Material,原料
+apps/erpnext/erpnext/public/js/setup_wizard.js +266,Raw Material,原料
DocType: Leave Application,Follow via Email,通过电子邮件关注
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +53,Plants and Machineries,植物和机械设备
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +55,Plants and Machineries,植物和机械设备
DocType: Purchase Taxes and Charges,Tax Amount After Discount Amount,税额折后金额
DocType: Daily Work Summary Settings,Daily Work Summary Settings,每日工作总结设置
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +240,Currency of the price list {0} is not similar with the selected currency {1},价格表{0}的货币不与所选货币类似{1}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +246,Currency of the price list {0} is not similar with the selected currency {1},价格表{0}的货币不与所选货币类似{1}
DocType: Payment Entry,Internal Transfer,内部转账
-apps/erpnext/erpnext/accounts/doctype/account/account.py +220,Child account exists for this account. You can not delete this account.,此科目有子科目,无法删除。
+apps/erpnext/erpnext/accounts/doctype/account/account.py +179,Child account exists for this account. You can not delete this account.,此科目有子科目,无法删除。
apps/erpnext/erpnext/setup/doctype/territory/territory.py +19,Either target qty or target amount is mandatory,需要指定目标数量和金额
-apps/erpnext/erpnext/stock/get_item_details.py +516,No default BOM exists for Item {0},品目{0}没有默认的BOM
+apps/erpnext/erpnext/stock/get_item_details.py +526,No default BOM exists for Item {0},品目{0}没有默认的BOM
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +333,Please select Posting Date first,请选择发布日期第一
apps/erpnext/erpnext/public/js/account_tree_grid.js +210,Opening Date should be before Closing Date,开业日期应该是截止日期之前,
+apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +205,Please set Naming Series for {0} via Setup > Settings > Naming Series,请通过设置>设置>命名系列设置{0}的命名系列
DocType: Leave Control Panel,Carry Forward,顺延
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +30,Cost Center with existing transactions can not be converted to ledger,有交易的成本中心不能转化为总账
DocType: Department,Days for which Holidays are blocked for this department.,此部门的禁离日
@@ -3384,11 +3406,10 @@
DocType: Issue,Raised By (Email),提出(电子邮件)
DocType: Training Event,Trainer Name,培训师姓名
DocType: Mode of Payment,General,一般
-apps/erpnext/erpnext/public/js/setup_wizard.js +171,Attach Letterhead,附加信头
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,最后沟通
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +28,Last Communication,最后沟通
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +347,Cannot deduct when category is for 'Valuation' or 'Valuation and Total',分类是“估值”或“估值和总计”的时候不能扣税。
-apps/erpnext/erpnext/public/js/setup_wizard.js +222,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",列出你的头税(如增值税,关税等,它们应该具有唯一的名称)及其标准费率。这将创建一个标准的模板,你可以编辑和多以后添加。
+apps/erpnext/erpnext/public/js/setup_wizard.js +201,"List your tax heads (e.g. VAT, Customs etc; they should have unique names) and their standard rates. This will create a standard template, which you can edit and add more later.",列出你的头税(如增值税,关税等,它们应该具有唯一的名称)及其标准费率。这将创建一个标准的模板,你可以编辑和多以后添加。
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +230,Serial Nos Required for Serialized Item {0},序列化的品目{0}必须指定序列号
apps/erpnext/erpnext/config/accounts.py +146,Match Payments with Invoices,匹配付款与发票
DocType: Journal Entry,Bank Entry,银行记录
@@ -3397,16 +3418,16 @@
apps/erpnext/erpnext/templates/generators/item.html +62,Add to Cart,加入购物车
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.js +28,Group By,分组基于
DocType: Guardian,Interests,兴趣
-apps/erpnext/erpnext/config/accounts.py +267,Enable / disable currencies.,启用/禁用货币。
+apps/erpnext/erpnext/config/accounts.py +300,Enable / disable currencies.,启用/禁用货币。
DocType: Production Planning Tool,Get Material Request,获取材质要求
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +109,Postal Expenses,邮政费用
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +111,Postal Expenses,邮政费用
apps/erpnext/erpnext/controllers/trends.py +19,Total(Amt),共(AMT)
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +26,Entertainment & Leisure,娱乐休闲
DocType: Quality Inspection,Item Serial No,项目序列号
apps/erpnext/erpnext/utilities/activation.py +133,Create Employee Records,建立员工档案
apps/erpnext/erpnext/hr/report/monthly_attendance_sheet/monthly_attendance_sheet.py +58,Total Present,总现
apps/erpnext/erpnext/config/accounts.py +107,Accounting Statements,会计报表
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Hour,小时
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Hour,小时
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +29,New Serial No cannot have Warehouse. Warehouse must be set by Stock Entry or Purchase Receipt,新序列号不能有仓库,仓库只能通过库存记录和采购收据设置。
DocType: Lead,Lead Type,线索类型
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +133,You are not authorized to approve leaves on Block Dates,您无权批准叶子座日期
@@ -3418,6 +3439,8 @@
DocType: BOM Replace Tool,The new BOM after replacement,更换后的物料清单
apps/erpnext/erpnext/accounts/page/pos/pos.js +645,Point of Sale,销售点
DocType: Payment Entry,Received Amount,收金额
+DocType: GST Settings,GSTIN Email Sent On,发送GSTIN电子邮件
+DocType: Program Enrollment,Pick/Drop by Guardian,由守护者选择
DocType: Production Planning Tool,"Create for full quantity, ignoring quantity already on order",创建全量,订单已经忽略数量
DocType: Account,Tax,税项
apps/erpnext/erpnext/schools/report/student_batch_wise_attendance/student_batch_wise_attendance.py +45,Not Marked,未标记
@@ -3431,7 +3454,7 @@
DocType: Batch,Source Document Name,源文档名称
DocType: Job Opening,Job Title,职位
apps/erpnext/erpnext/utilities/activation.py +97,Create Users,创建用户
-apps/erpnext/erpnext/public/js/setup_wizard.js +304,Gram,公克
+apps/erpnext/erpnext/public/js/setup_wizard.js +270,Gram,公克
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +394,Quantity to Manufacture must be greater than 0.,量生产必须大于0。
apps/erpnext/erpnext/config/maintenance.py +17,Visit report for maintenance call.,保养电话的现场报告。
DocType: Stock Entry,Update Rate and Availability,更新率和可用性
@@ -3439,7 +3462,7 @@
DocType: POS Customer Group,Customer Group,客户群组
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),新批号(可选)
apps/erpnext/erpnext/stock/doctype/batch/batch.js +108,New Batch ID (Optional),新批号(可选)
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +193,Expense account is mandatory for item {0},品目{0}必须指定开支账户
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +194,Expense account is mandatory for item {0},品目{0}必须指定开支账户
DocType: BOM,Website Description,网站简介
apps/erpnext/erpnext/accounts/report/cash_flow/cash_flow.py +42,Net Change in Equity,在净资产收益变化
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +162,Please cancel Purchase Invoice {0} first,请取消采购发票{0}第一
@@ -3449,8 +3472,8 @@
,Sales Register,销售记录
DocType: Daily Work Summary Settings Company,Send Emails At,发送电子邮件在
DocType: Quotation,Quotation Lost Reason,报价丧失原因
-apps/erpnext/erpnext/public/js/setup_wizard.js +14,Select your Domain,选择您的域名
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +357,Transaction reference no {0} dated {1},交易参考编号{0}日{1}
+apps/erpnext/erpnext/public/js/setup_wizard.js +15,Select your Domain,选择您的域名
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +355,Transaction reference no {0} dated {1},交易参考编号{0}日{1}
apps/erpnext/erpnext/setup/doctype/supplier_type/supplier_type.js +5,There is nothing to edit.,无需编辑。
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +117,Summary for this month and pending activities,本月和待活动总结
DocType: Customer Group,Customer Group Name,客户群组名称
@@ -3458,14 +3481,14 @@
apps/erpnext/erpnext/public/js/financial_statements.js +56,Cash Flow Statement,现金流量表
apps/erpnext/erpnext/hr/doctype/employee_loan_application/employee_loan_application.py +23,Loan Amount cannot exceed Maximum Loan Amount of {0},贷款额不能超过最高贷款额度{0}
apps/erpnext/erpnext/hr/report/vehicle_expenses/vehicle_expenses.py +22,License,执照
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +462,Please remove this Invoice {0} from C-Form {1},请删除此发票{0}从C-表格{1}
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +465,Please remove this Invoice {0} from C-Form {1},请删除此发票{0}从C-表格{1}
DocType: Leave Control Panel,Please select Carry Forward if you also want to include previous fiscal year's balance leaves to this fiscal year,请选择结转,如果你还需要包括上一会计年度的资产负债叶本财年
DocType: GL Entry,Against Voucher Type,对凭证类型
DocType: Item,Attributes,属性
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +218,Please enter Write Off Account,请输入核销帐户
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +219,Please enter Write Off Account,请输入核销帐户
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +71,Last Order Date,最后订购日期
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +47,Account {0} does not belongs to company {1},帐户{0}不属于公司{1}
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +828,Serial Numbers in row {0} does not match with Delivery Note,行{0}中的序列号与交货单不匹配
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +834,Serial Numbers in row {0} does not match with Delivery Note,行{0}中的序列号与交货单不匹配
DocType: Student,Guardian Details,卫详细
DocType: C-Form,C-Form,C-表
apps/erpnext/erpnext/config/hr.py +18,Mark Attendance for multiple employees,马克出席了多个员工
@@ -3480,16 +3503,16 @@
DocType: Budget Account,Budget Amount,预算额
DocType: Appraisal Template,Appraisal Template Title,评估模板标题
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +38,From Date {0} for Employee {1} cannot be before employee's joining Date {2},从日期{0}为雇员{1}不能雇员的接合日期之前{2}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +107,Commercial,商业
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +114,Commercial,商业
DocType: Payment Entry,Account Paid To,账户付至
apps/erpnext/erpnext/selling/doctype/product_bundle/product_bundle.py +24,Parent Item {0} must not be a Stock Item,父项{0}不能是库存产品
apps/erpnext/erpnext/config/selling.py +57,All Products or Services.,所有的产品或服务。
DocType: Expense Claim,More Details,更多详情
DocType: Supplier Quotation,Supplier Address,供应商地址
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +128,{0} Budget for Account {1} against {2} {3} is {4}. It will exceed by {5},{0} 账户{1}对于{2}{3}的预算是{4}. 预期增加{5}
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +666,Row {0}# Account must be of type 'Fixed Asset',行{0}#账户的类型必须是'固定资产'
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Out Qty,输出数量
-apps/erpnext/erpnext/config/accounts.py +283,Rules to calculate shipping amount for a sale,用来计算销售运输量的规则
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +665,Row {0}# Account must be of type 'Fixed Asset',行{0}#账户的类型必须是'固定资产'
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Out Qty,输出数量
+apps/erpnext/erpnext/config/accounts.py +316,Rules to calculate shipping amount for a sale,用来计算销售运输量的规则
apps/erpnext/erpnext/selling/doctype/customer/customer.py +34,Series is mandatory,系列是必须项
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +28,Financial Services,金融服务
DocType: Student Sibling,Student ID,学生卡
@@ -3497,13 +3520,13 @@
DocType: Tax Rule,Sales,销售
DocType: Stock Entry Detail,Basic Amount,基本金额
DocType: Training Event,Exam,考试
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +433,Warehouse required for stock Item {0},物件{0}需要指定仓库
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +436,Warehouse required for stock Item {0},物件{0}需要指定仓库
DocType: Leave Allocation,Unused leaves,未使用的叶子
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.js +153,Cr,信用
DocType: Tax Rule,Billing State,计费状态
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +287,Transfer,转让
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +214,{0} {1} does not associated with Party Account {2},{0} {1}与缔约方帐户{2} 无关联
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +869,Fetch exploded BOM (including sub-assemblies),获取展开BOM(包括子品目)
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +212,{0} {1} does not associated with Party Account {2},{0} {1}与缔约方帐户{2} 无关联
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +861,Fetch exploded BOM (including sub-assemblies),获取展开BOM(包括子品目)
DocType: Authorization Rule,Applicable To (Employee),适用于(员工)
apps/erpnext/erpnext/controllers/accounts_controller.py +123,Due Date is mandatory,截止日期是强制性的
apps/erpnext/erpnext/controllers/item_variant.py +80,Increment for Attribute {0} cannot be 0,增量属性{0}不能为0
@@ -3531,7 +3554,7 @@
DocType: Purchase Order Item Supplied,Raw Material Item Code,原料产品编号
DocType: Journal Entry,Write Off Based On,核销基于
apps/erpnext/erpnext/utilities/activation.py +63,Make Lead,使铅
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +110,Print and Stationery,打印和文具
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +112,Print and Stationery,打印和文具
DocType: Stock Settings,Show Barcode Field,显示条形码域
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +766,Send Supplier Emails,发送电子邮件供应商
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +115,"Salary already processed for period between {0} and {1}, Leave application period cannot be between this date range.",工资已经处理了与{0}和{1},留下申请期之间不能在此日期范围内的时期。
@@ -3539,14 +3562,16 @@
DocType: Guardian Interest,Guardian Interest,卫利息
apps/erpnext/erpnext/config/hr.py +177,Training,训练
DocType: Timesheet,Employee Detail,员工详细信息
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1电子邮件ID
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +56,Guardian1 Email ID,Guardian1电子邮件ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1电子邮件ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +58,Guardian1 Email ID,Guardian1电子邮件ID
apps/erpnext/erpnext/controllers/recurring_document.py +190,Next Date's day and Repeat on Day of Month must be equal,下一个日期的一天,重复上月的天必须相等
apps/erpnext/erpnext/config/website.py +11,Settings for website homepage,对网站的主页设置
DocType: Offer Letter,Awaiting Response,正在等待回应
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +58,Above,以上
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.py +60,Above,以上
apps/erpnext/erpnext/controllers/item_variant.py +214,Invalid attribute {0} {1},无效的属性{0} {1}
DocType: Supplier,Mention if non-standard payable account,如果非标准应付账款提到
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +291,Same item has been entered multiple times. {list},相同的物品已被多次输入。 {}名单
+apps/erpnext/erpnext/schools/report/course_wise_assessment_report/course_wise_assessment_report.py +13,Please select the assessment group other than 'All Assessment Groups',请选择“所有评估组”以外的评估组
DocType: Salary Slip,Earning & Deduction,盈余及扣除
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +36,Optional. This setting will be used to filter in various transactions.,可选。此设置将被应用于各种交易进行过滤。
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +108,Negative Valuation Rate is not allowed,负评估价格是不允许的
@@ -3560,9 +3585,9 @@
DocType: Sales Invoice,Product Bundle Help,产品包帮助
,Monthly Attendance Sheet,每月考勤表
DocType: Production Order Item,Production Order Item,生产订单项目
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +16,No record found,未找到记录
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +19,No record found,未找到记录
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +137,Cost of Scrapped Asset,报废资产成本
-apps/erpnext/erpnext/controllers/stock_controller.py +238,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}:成本中心是品目{2}的必须项
+apps/erpnext/erpnext/controllers/stock_controller.py +236,{0} {1}: Cost Center is mandatory for Item {2},{0} {1}:成本中心是品目{2}的必须项
DocType: Vehicle,Policy No,政策:
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +658,Get Items from Product Bundle,获取从产品捆绑项目
DocType: Asset,Straight Line,直线
@@ -3571,7 +3596,7 @@
apps/erpnext/erpnext/stock/doctype/batch/batch.js +59,Split,分裂
DocType: GL Entry,Is Advance,是否预付款
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.js +21,Attendance From Date and Attendance To Date is mandatory,必须指定考勤起始日期和结束日期
-apps/erpnext/erpnext/controllers/buying_controller.py +146,Please enter 'Is Subcontracted' as Yes or No,请输入'转包' YES或NO
+apps/erpnext/erpnext/controllers/buying_controller.py +149,Please enter 'Is Subcontracted' as Yes or No,请输入'转包' YES或NO
apps/erpnext/erpnext/crm/report/prospects_engaged_but_not_converted/prospects_engaged_but_not_converted.py +29,Last Communication Date,最后通讯日期
DocType: Sales Team,Contact No.,联络人电话
DocType: Bank Reconciliation,Payment Entries,付款项
@@ -3599,60 +3624,61 @@
apps/erpnext/erpnext/stock/report/stock_balance/stock_balance.py +47,Opening Value,开度值
DocType: Salary Detail,Formula,式
apps/erpnext/erpnext/stock/report/stock_ledger/stock_ledger.py +37,Serial #,序列号
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +92,Commission on Sales,销售佣金
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +94,Commission on Sales,销售佣金
DocType: Offer Letter Term,Value / Description,值/说明
-apps/erpnext/erpnext/controllers/accounts_controller.py +575,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",行#{0}:资产{1}无法提交,这已经是{2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +577,"Row #{0}: Asset {1} cannot be submitted, it is already {2}",行#{0}:资产{1}无法提交,这已经是{2}
DocType: Tax Rule,Billing Country,结算国家
DocType: Purchase Order Item,Expected Delivery Date,预计交货日期
apps/erpnext/erpnext/accounts/general_ledger.py +132,Debit and Credit not equal for {0} #{1}. Difference is {2}.,借贷{0}#不等于{1}。不同的是{2}。
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +96,Entertainment Expenses,娱乐费用
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +47,Make Material Request,制作材料要求
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +98,Entertainment Expenses,娱乐费用
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +49,Make Material Request,制作材料要求
apps/erpnext/erpnext/manufacturing/doctype/bom/bom_item_preview.html +20,Open Item {0},打开项目{0}
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +205,Sales Invoice {0} must be cancelled before cancelling this Sales Order,取消此销售订单前必须取消销售发票{0}
apps/erpnext/erpnext/accounts/report/payment_period_based_on_invoice_date/payment_period_based_on_invoice_date.py +60,Age,账龄
DocType: Sales Invoice Timesheet,Billing Amount,开票金额
apps/erpnext/erpnext/stock/doctype/packing_slip/packing_slip.js +84,Invalid quantity specified for item {0}. Quantity should be greater than 0.,项目{0}的数量无效,应为大于0的数字。
apps/erpnext/erpnext/config/hr.py +60,Applications for leave.,假期申请。
-apps/erpnext/erpnext/accounts/doctype/account/account.py +218,Account with existing transaction can not be deleted,有交易的科目不能被删除
+apps/erpnext/erpnext/accounts/doctype/account/account.py +177,Account with existing transaction can not be deleted,有交易的科目不能被删除
DocType: Vehicle,Last Carbon Check,最后检查炭
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +100,Legal Expenses,法律费用
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +102,Legal Expenses,法律费用
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +105,Please select quantity on row ,请选择行数量
DocType: Purchase Invoice,Posting Time,发布时间
DocType: Timesheet,% Amount Billed,(%)金额帐单
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +116,Telephone Expenses,电话费
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +118,Telephone Expenses,电话费
DocType: Sales Partner,Logo,Logo
DocType: Naming Series,Check this if you want to force the user to select a series before saving. There will be no default if you check this.,要用户手动选择序列的话请勾选。勾选此项后将不会选择默认序列。
-apps/erpnext/erpnext/stock/get_item_details.py +125,No Item with Serial No {0},没有序列号为{0}的品目
+apps/erpnext/erpnext/stock/get_item_details.py +135,No Item with Serial No {0},没有序列号为{0}的品目
DocType: Email Digest,Open Notifications,打开通知
DocType: Payment Entry,Difference Amount (Company Currency),差异金额(公司币种)
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +77,Direct Expenses,直接开支
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +79,Direct Expenses,直接开支
apps/erpnext/erpnext/controllers/recurring_document.py +213,"{0} is an invalid email address in 'Notification \
Email Address'",{0}是在“提醒\电子邮件地址”中无效的电子邮件地址
apps/erpnext/erpnext/selling/report/customer_acquisition_and_loyalty/customer_acquisition_and_loyalty.py +60,New Customer Revenue,新客户收入
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +117,Travel Expenses,差旅费
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +119,Travel Expenses,差旅费
DocType: Maintenance Visit,Breakdown,细目
-apps/erpnext/erpnext/controllers/accounts_controller.py +687,Account: {0} with currency: {1} can not be selected,帐号:{0}币种:{1}不能选择
+apps/erpnext/erpnext/controllers/accounts_controller.py +689,Account: {0} with currency: {1} can not be selected,帐号:{0}币种:{1}不能选择
DocType: Bank Reconciliation Detail,Cheque Date,支票日期
-apps/erpnext/erpnext/accounts/doctype/account/account.py +55,Account {0}: Parent account {1} does not belong to company: {2},科目{0}的上级科目{1}不属于公司{2}
+apps/erpnext/erpnext/accounts/doctype/account/account.py +54,Account {0}: Parent account {1} does not belong to company: {2},科目{0}的上级科目{1}不属于公司{2}
DocType: Program Enrollment Tool,Student Applicants,学生申请
-apps/erpnext/erpnext/setup/doctype/company/company.js +65,Successfully deleted all transactions related to this company!,成功删除与该公司相关的所有交易!
+apps/erpnext/erpnext/setup/doctype/company/company.js +67,Successfully deleted all transactions related to this company!,成功删除与该公司相关的所有交易!
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +21,As on Date,随着对日
DocType: Appraisal,HR,HR
DocType: Program Enrollment,Enrollment Date,报名日期
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +62,Probation,缓刑
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +69,Probation,缓刑
apps/erpnext/erpnext/config/hr.py +115,Salary Components,工资组件
DocType: Program Enrollment Tool,New Academic Year,新学年
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +766,Return / Credit Note,返回/信用票据
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +736,Return / Credit Note,返回/信用票据
DocType: Stock Settings,Auto insert Price List rate if missing,自动插入价目表率,如果丢失
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +28,Total Paid Amount,总支付金额
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +29,Total Paid Amount,总支付金额
DocType: Production Order Item,Transferred Qty,转让数量
apps/erpnext/erpnext/config/learn.py +11,Navigating,导航
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +150,Planning,规划
-apps/erpnext/erpnext/stock/doctype/material_request/material_request_list.js +16,Issued,发行
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +157,Planning,规划
+DocType: Material Request,Issued,发行
DocType: Project,Total Billing Amount (via Time Logs),总结算金额(通过时间日志)
-apps/erpnext/erpnext/public/js/setup_wizard.js +306,We sell this Item,我们卖这些物件
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +68,Supplier Id,供应商编号
+apps/erpnext/erpnext/public/js/setup_wizard.js +272,We sell this Item,我们卖这些物件
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +80,Supplier Id,供应商编号
DocType: Payment Request,Payment Gateway Details,支付网关细节
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +235,Quantity should be greater than 0,量应大于0
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +241,Quantity should be greater than 0,量应大于0
DocType: Journal Entry,Cash Entry,现金分录
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse_tree.js +17,Child nodes can be only created under 'Group' type nodes,子节点可以在'集团'类型的节点上创建
DocType: Leave Application,Half Day Date,半天日期
@@ -3664,14 +3690,14 @@
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +244,Please set default account in Expense Claim Type {0},请报销类型设置默认帐户{0}
DocType: Assessment Result,Student Name,学生姓名
DocType: Brand,Item Manager,项目经理
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +141,Payroll Payable,应付职工薪酬
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +143,Payroll Payable,应付职工薪酬
DocType: Buying Settings,Default Supplier Type,默认供应商类别
DocType: Production Order,Total Operating Cost,总营运成本
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +168,Note: Item {0} entered multiple times,注意:品目{0}已多次输入
apps/erpnext/erpnext/config/selling.py +41,All Contacts.,所有联系人。
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Company Abbreviation,公司缩写
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Company Abbreviation,公司缩写
apps/erpnext/erpnext/hr/doctype/employee/employee.py +136,User {0} does not exist,用户{0}不存在
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +92,Raw material cannot be same as main Item,原料不能和主项相同
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +94,Raw material cannot be same as main Item,原料不能和主项相同
DocType: Item Attribute Value,Abbreviation,缩写
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +171,Payment Entry already exists,付款项目已存在
apps/erpnext/erpnext/setup/doctype/authorization_control/authorization_control.py +36,Not authroized since {0} exceeds limits,不允许,因为{0}超出范围
@@ -3680,35 +3706,36 @@
apps/erpnext/erpnext/shopping_cart/doctype/shopping_cart_settings/shopping_cart_settings.py +63,Set Tax Rule for shopping cart,购物车设置税收规则
DocType: Purchase Invoice,Taxes and Charges Added,已添加的税费
,Sales Funnel,销售管道
-apps/erpnext/erpnext/setup/doctype/company/company.py +47,Abbreviation is mandatory,缩写是强制性的
+apps/erpnext/erpnext/setup/doctype/company/company.py +48,Abbreviation is mandatory,缩写是强制性的
DocType: Project,Task Progress,任务进度
apps/erpnext/erpnext/templates/includes/navbar/navbar_items.html +7,Cart,车
,Qty to Transfer,转移数量
apps/erpnext/erpnext/config/selling.py +13,Quotes to Leads or Customers.,向潜在客户或客户发出的报价。
DocType: Stock Settings,Role Allowed to edit frozen stock,角色可以编辑冻结库存
,Territory Target Variance Item Group-Wise,按物件组的区域目标波动
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,All Customer Groups,所有客户群组
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +112,All Customer Groups,所有客户群组
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +114,Accumulated Monthly,每月累计
-apps/erpnext/erpnext/controllers/accounts_controller.py +648,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0}是必填项。{1}和{2}的货币转换记录可能还未生成。
+apps/erpnext/erpnext/controllers/accounts_controller.py +650,{0} is mandatory. Maybe Currency Exchange record is not created for {1} to {2}.,{0}是必填项。{1}和{2}的货币转换记录可能还未生成。
apps/erpnext/erpnext/accounts/doctype/tax_rule/tax_rule.py +39,Tax Template is mandatory.,税务模板是强制性的。
-apps/erpnext/erpnext/accounts/doctype/account/account.py +49,Account {0}: Parent account {1} does not exist,科目{0}的上级科目{1}不存在
+apps/erpnext/erpnext/accounts/doctype/account/account.py +48,Account {0}: Parent account {1} does not exist,科目{0}的上级科目{1}不存在
DocType: Purchase Invoice Item,Price List Rate (Company Currency),价格列表费率(公司货币)
DocType: Products Settings,Products Settings,产品设置
DocType: Account,Temporary,临时
DocType: Program,Courses,培训班
DocType: Monthly Distribution Percentage,Percentage Allocation,百分比分配
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +90,Secretary,秘书
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +97,Secretary,秘书
DocType: Global Defaults,"If disable, 'In Words' field will not be visible in any transaction",如果禁用“,在词”字段不会在任何交易可见
DocType: Serial No,Distinct unit of an Item,品目的属性
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.js +1186,Please set Company,请设公司
DocType: Pricing Rule,Buying,采购
DocType: HR Settings,Employee Records to be created by,雇员记录创建于
DocType: POS Profile,Apply Discount On,申请折扣
,Reqd By Date,REQD按日期
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Creditors,债权人
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +140,Creditors,债权人
DocType: Assessment Plan,Assessment Name,评估名称
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +96,Row # {0}: Serial No is mandatory,行#{0}:序列号是必需的
DocType: Purchase Taxes and Charges,Item Wise Tax Detail,项目特定的税项详情
-apps/erpnext/erpnext/public/js/setup_wizard.js +45,Institute Abbreviation,研究所缩写
+apps/erpnext/erpnext/public/js/setup_wizard.js +60,Institute Abbreviation,研究所缩写
,Item-wise Price List Rate,逐项价目表率
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +900,Supplier Quotation,供应商报价
DocType: Quotation,In Words will be visible once you save the Quotation.,大写金额将在报价单保存后显示。
@@ -3716,14 +3743,13 @@
apps/erpnext/erpnext/utilities/transaction_base.py +153,Quantity ({0}) cannot be a fraction in row {1},数量({0})不能是行{1}中的分数
apps/erpnext/erpnext/schools/doctype/fees/fees.js +26,Collect Fees,收费
DocType: Attendance,ATT-,ATT-
-apps/erpnext/erpnext/stock/doctype/item/item.py +450,Barcode {0} already used in Item {1},条码{0}已被品目{1}使用
+apps/erpnext/erpnext/stock/doctype/item/item.py +451,Barcode {0} already used in Item {1},条码{0}已被品目{1}使用
DocType: Lead,Add to calendar on this date,将此日期添加至日历
apps/erpnext/erpnext/config/selling.py +86,Rules for adding shipping costs.,规则增加运输成本。
DocType: Item,Opening Stock,期初库存
apps/erpnext/erpnext/support/doctype/warranty_claim/warranty_claim.py +20,Customer is required,客户是必须项
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +20,{0} is mandatory for Return,{0}是退货单的必填项
DocType: Purchase Order,To Receive,接受
-apps/erpnext/erpnext/public/js/setup_wizard.js +200,user@example.com,user@example.com
DocType: Employee,Personal Email,个人电子邮件
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.py +57,Total Variance,总方差
DocType: Accounts Settings,"If enabled, the system will post accounting entries for inventory automatically.",如果启用,系统将自动为库存创建会计分录。
@@ -3734,13 +3760,14 @@
DocType: Customer,From Lead,来自潜在客户
apps/erpnext/erpnext/config/manufacturing.py +13,Orders released for production.,发布生产订单。
apps/erpnext/erpnext/public/js/account_tree_grid.js +66,Select Fiscal Year...,选择财政年度...
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +537,POS Profile required to make POS Entry,需要POS资料,使POS进入
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +541,POS Profile required to make POS Entry,需要POS资料,使POS进入
DocType: Program Enrollment Tool,Enroll Students,招生
DocType: Hub Settings,Name Token,名称令牌
apps/erpnext/erpnext/patches/v4_0/create_price_list_if_missing.py +21,Standard Selling,标准销售
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +137,Atleast one warehouse is mandatory,必须选择至少一个仓库
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +138,Atleast one warehouse is mandatory,必须选择至少一个仓库
DocType: Serial No,Out of Warranty,超出保修期
DocType: BOM Replace Tool,Replace,更换
+apps/erpnext/erpnext/templates/includes/product_list.js +42,No products found.,找不到产品。
DocType: Production Order,Unstopped,通畅了
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +360,{0} against Sales Invoice {1},{0}不允许销售发票{1}
DocType: Sales Invoice,SINV-,SINV-
@@ -3751,13 +3778,13 @@
DocType: Stock Ledger Entry,Stock Value Difference,库存值差异
apps/erpnext/erpnext/config/learn.py +234,Human Resource,人力资源
DocType: Payment Reconciliation Payment,Payment Reconciliation Payment,付款方式付款对账
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +36,Tax Assets,所得税资产
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +38,Tax Assets,所得税资产
DocType: BOM Item,BOM No,BOM编号
DocType: Instructor,INS/,INS /
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +160,Journal Entry {0} does not have account {1} or already matched against other voucher,日记帐分录{0}没有科目{1}或已经匹配其他凭证
DocType: Item,Moving Average,移动平均
DocType: BOM Replace Tool,The BOM which will be replaced,此物料清单将被替换
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +44,Electronic Equipments,电子设备
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +46,Electronic Equipments,电子设备
DocType: Account,Debit,借方
apps/erpnext/erpnext/hr/doctype/leave_allocation/leave_allocation.py +49,Leaves must be allocated in multiples of 0.5,假期天数必须为0.5的倍数
DocType: Production Order,Operation Cost,运营成本
@@ -3765,7 +3792,7 @@
apps/erpnext/erpnext/selling/report/customer_credit_balance/customer_credit_balance.py +39,Outstanding Amt,优秀的金额
DocType: Sales Person,Set targets Item Group-wise for this Sales Person.,为销售人员设置品次群组特定的目标
DocType: Stock Settings,Freeze Stocks Older Than [Days],冻结老于此天数的库存
-apps/erpnext/erpnext/controllers/accounts_controller.py +545,Row #{0}: Asset is mandatory for fixed asset purchase/sale,行#{0}:资产是必须的固定资产购买/销售
+apps/erpnext/erpnext/controllers/accounts_controller.py +547,Row #{0}: Asset is mandatory for fixed asset purchase/sale,行#{0}:资产是必须的固定资产购买/销售
apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +42,"If two or more Pricing Rules are found based on the above conditions, Priority is applied. Priority is a number between 0 to 20 while default value is zero (blank). Higher number means it will take precedence if there are multiple Pricing Rules with same conditions.",如果存在多个价格规则,则会应用优先级别。优先权是一个介于0到20的数字,默认值是零(或留空)。数字越大,意味着优先级别越高。
apps/erpnext/erpnext/controllers/trends.py +36,Fiscal Year: {0} does not exists,会计年度:{0}不存在
DocType: Currency Exchange,To Currency,以货币
@@ -3774,7 +3801,7 @@
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},项目{0}的销售价格低于其{1}。售价应至少为{2}
apps/erpnext/erpnext/controllers/selling_controller.py +173,Selling rate for item {0} is lower than its {1}. Selling rate should be atleast {2},项目{0}的销售价格低于其{1}。售价应至少为{2}
DocType: Item,Taxes,税
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +314,Paid and Not Delivered,支付和未送达
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +315,Paid and Not Delivered,支付和未送达
DocType: Project,Default Cost Center,默认成本中心
DocType: Bank Guarantee,End Date,结束日期
apps/erpnext/erpnext/config/stock.py +7,Stock Transactions,库存交易
@@ -3799,24 +3826,22 @@
DocType: Employee,Held On,举行日期
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order_calendar.js +36,Production Item,生产项目
,Employee Information,雇员资料
-apps/erpnext/erpnext/public/js/setup_wizard.js +232,Rate (%),率( % )
+apps/erpnext/erpnext/public/js/setup_wizard.js +209,Rate (%),率( % )
DocType: Stock Entry Detail,Additional Cost,额外费用
-apps/erpnext/erpnext/public/js/setup_wizard.js +62,Financial Year End Date,财政年度结束日期
apps/erpnext/erpnext/accounts/report/general_ledger/general_ledger.py +39,"Can not filter based on Voucher No, if grouped by Voucher",按凭证分类后不能根据凭证编号过滤
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.js +788,Make Supplier Quotation,创建供应商报价
DocType: Quality Inspection,Incoming,接收
DocType: BOM,Materials Required (Exploded),所需物料(正展开)
-apps/erpnext/erpnext/public/js/setup_wizard.js +190,"Add users to your organization, other than yourself",将用户添加到您的组织,除了自己
apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +66,Posting Date cannot be future date,发布日期不能是未来的日期
apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +101,Row # {0}: Serial No {1} does not match with {2} {3},行#{0}:序列号{1}不相匹配{2} {3}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +48,Casual Leave,事假
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +55,Casual Leave,事假
DocType: Batch,Batch ID,批次ID
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +380,Note: {0},注: {0}
,Delivery Note Trends,送货单趋势
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +113,This Week's Summary,本周的总结
-,In Stock Qty,库存量
+apps/erpnext/erpnext/manufacturing/report/bom_stock_report/bom_stock_report.py +20,In Stock Qty,库存量
apps/erpnext/erpnext/accounts/general_ledger.py +111,Account: {0} can only be updated via Stock Transactions,科目{0}只能通过库存处理更新
-DocType: Program Enrollment,Get Courses,获取课程
+DocType: Student Group Creation Tool,Get Courses,获取课程
DocType: GL Entry,Party,一方
DocType: Sales Order,Delivery Date,交货日期
DocType: Opportunity,Opportunity Date,日期机会
@@ -3824,14 +3849,14 @@
DocType: Request for Quotation Item,Request for Quotation Item,询价项目
DocType: Purchase Order,To Bill,比尔
DocType: Material Request,% Ordered,% 已排序
+DocType: School Settings,"For Course based Student Group, the Course will be validated for every Student from the enrolled Courses in Program Enrollment.",对于基于课程的学生组,课程将从入学课程中的每个学生确认。
DocType: Purchase Invoice,"Enter Email Address separated by commas, invoice will be mailed automatically on particular date",用逗号分隔的输入电子邮件地址,发票就会自动在特定日期邮寄
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +65,Piecework,计件工作
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +72,Piecework,计件工作
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +72,Avg. Buying Rate,平均买入价
DocType: Task,Actual Time (in Hours),实际时间(小时)
DocType: Employee,History In Company,公司内历史
apps/erpnext/erpnext/config/learn.py +107,Newsletters,简讯
DocType: Stock Ledger Entry,Stock Ledger Entry,存库分类帐分录
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.js +51,Customer > Customer Group > Territory,客户>客户群>领土
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +87,Same item has been entered multiple times,同一项目已进入多次
DocType: Department,Leave Block List,禁离日列表
DocType: Sales Invoice,Tax ID,税号
@@ -3846,30 +3871,29 @@
apps/erpnext/erpnext/stock/stock_ledger.py +368,{0} units of {1} needed in {2} to complete this transaction.,{0}单位{1}在{2}完成此交易所需。
DocType: Loan Type,Rate of Interest (%) Yearly,利息率的比例(%)年
DocType: SMS Settings,SMS Settings,短信设置
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +69,Temporary Accounts,临时账户
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +169,Black,黑
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +71,Temporary Accounts,临时账户
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +176,Black,黑
DocType: BOM Explosion Item,BOM Explosion Item,BOM展开品目
DocType: Account,Auditor,审计员
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.js +62,{0} items produced,{0}项目已产生
DocType: Cheque Print Template,Distance from top edge,从顶边的距离
-apps/erpnext/erpnext/stock/get_item_details.py +297,Price List {0} is disabled or does not exist,价格表{0}禁用或不存在
+apps/erpnext/erpnext/stock/get_item_details.py +307,Price List {0} is disabled or does not exist,价格表{0}禁用或不存在
DocType: Purchase Invoice,Return,回报
DocType: Production Order Operation,Production Order Operation,生产订单操作
DocType: Pricing Rule,Disable,禁用
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +154,Mode of payment is required to make a payment,付款方式需要进行付款
DocType: Project Task,Pending Review,待审核
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +38,{0} - {1} is not enrolled in the Batch {2},{0} - {1}未注册批次{2}
apps/erpnext/erpnext/accounts/doctype/asset/depreciation.py +110,"Asset {0} cannot be scrapped, as it is already {1}",资产{0}不能被废弃,因为它已经是{1}
DocType: Task,Total Expense Claim (via Expense Claim),总费用报销(通过费用报销)
-apps/erpnext/erpnext/accounts/report/sales_register/sales_register.py +70,Customer Id,客户ID
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +177,Mark Absent,马克缺席
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +133,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},行{0}:BOM#的货币{1}应等于所选货币{2}
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +138,Row {0}: Currency of the BOM #{1} should be equal to the selected currency {2},行{0}:BOM#的货币{1}应等于所选货币{2}
DocType: Journal Entry Account,Exchange Rate,汇率
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +555,Sales Order {0} is not submitted,销售订单{0}未提交
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +559,Sales Order {0} is not submitted,销售订单{0}未提交
DocType: Homepage,Tag Line,标语
DocType: Fee Component,Fee Component,收费组件
apps/erpnext/erpnext/config/hr.py +195,Fleet Management,车队的管理
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +898,Add items from,添加的项目
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +101,Warehouse {0}: Parent account {1} does not bolong to the company {2},仓库{0}的上级账户{1}不属于公司{2}
DocType: Cheque Print Template,Regular,定期
apps/erpnext/erpnext/schools/doctype/course/course.py +20,Total Weightage of all Assessment Criteria must be 100%,所有评估标准的权重总数要达到100%
DocType: BOM,Last Purchase Rate,最后采购价格
@@ -3878,11 +3902,11 @@
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +84,Stock cannot exist for Item {0} since has variants,品目{0}不能有库存,因为他存在变体
,Sales Person-wise Transaction Summary,销售人员特定的交易汇总
DocType: Training Event,Contact Number,联系电话
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +144,Warehouse {0} does not exist,仓库{0}不存在
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +72,Warehouse {0} does not exist,仓库{0}不存在
apps/erpnext/erpnext/hub_node/page/hub/register_in_hub.html +2,Register For ERPNext Hub,立即注册ERPNext中心
DocType: Monthly Distribution,Monthly Distribution Percentages,月度分布比例
apps/erpnext/erpnext/stock/doctype/batch/batch.py +37,The selected item cannot have Batch,所选项目不能有批次
-apps/erpnext/erpnext/stock/stock_ledger.py +456,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry",估值率未找到项{0},这是需要做用于记帐条目{1} {2}。如果该项目交易作为样本项目{1},请提及的是,在{1}项目表。否则,请创建传入股票的交易在项目记录的项目或提估价率,然后尝试submiting /取消此条
+apps/erpnext/erpnext/stock/stock_ledger.py +464,"Valuation rate not found for the Item {0}, which is required to do accounting entries for {1} {2}. If the item is transacting as a sample item in the {1}, please mention that in the {1} Item table. Otherwise, please create an incoming stock transaction for the item or mention valuation rate in the Item record, and then try submiting/cancelling this entry",估值率未找到项{0},这是需要做用于记帐条目{1} {2}。如果该项目交易作为样本项目{1},请提及的是,在{1}项目表。否则,请创建传入股票的交易在项目记录的项目或提估价率,然后尝试submiting /取消此条
DocType: Delivery Note,% of materials delivered against this Delivery Note,此出货单% 的材料已交货。
DocType: Project,Customer Details,客户详细信息
DocType: Employee,Reports to,报告以
@@ -3890,24 +3914,25 @@
DocType: SMS Settings,Enter url parameter for receiver nos,请输入收件人编号的URL参数
DocType: Payment Entry,Paid Amount,支付的金额
DocType: Assessment Plan,Supervisor,监
-apps/erpnext/erpnext/accounts/page/pos/pos.js +704,Online,线上
+apps/erpnext/erpnext/accounts/page/pos/pos.js +705,Online,线上
,Available Stock for Packing Items,库存可用打包品目
DocType: Item Variant,Item Variant,项目变体
DocType: Assessment Result Tool,Assessment Result Tool,评价结果工具
DocType: BOM Scrap Item,BOM Scrap Item,BOM项目废料
-apps/erpnext/erpnext/accounts/page/pos/pos.js +865,Submitted orders can not be deleted,提交的订单不能被删除
-apps/erpnext/erpnext/accounts/doctype/account/account.py +118,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",账户余额已设置为'借方',不能设置为'贷方'
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +80,Quality Management,质量管理
+apps/erpnext/erpnext/accounts/page/pos/pos.js +866,Submitted orders can not be deleted,提交的订单不能被删除
+apps/erpnext/erpnext/accounts/doctype/account/account.py +117,"Account balance already in Debit, you are not allowed to set 'Balance Must Be' as 'Credit'",账户余额已设置为'借方',不能设置为'贷方'
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +87,Quality Management,质量管理
apps/erpnext/erpnext/accounts/doctype/asset/asset.py +41,Item {0} has been disabled,项目{0}已被禁用
DocType: Employee Loan,Repay Fixed Amount per Period,偿还每期固定金额
apps/erpnext/erpnext/buying/utils.py +47,Please enter quantity for Item {0},请输入量的项目{0}
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +75,Credit Note Amt,信用证
DocType: Employee External Work History,Employee External Work History,雇员外部就职经历
DocType: Tax Rule,Purchase,采购
-apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +36,Balance Qty,余额数量
+apps/erpnext/erpnext/stock/report/batch_wise_balance_history/batch_wise_balance_history.py +37,Balance Qty,余额数量
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +20,Goals cannot be empty,目标不能为空
DocType: Item Group,Parent Item Group,父项目组
apps/erpnext/erpnext/projects/doctype/activity_cost/activity_cost.py +21,{0} for {1},{0} {1}
-apps/erpnext/erpnext/setup/doctype/company/company.js +23,Cost Centers,成本中心
+apps/erpnext/erpnext/setup/doctype/company/company.js +25,Cost Centers,成本中心
DocType: Purchase Receipt,Rate at which supplier's currency is converted to company's base currency,供应商的货币转换为公司的基础货币后的单价
apps/erpnext/erpnext/manufacturing/doctype/workstation/workstation.py +36,Row #{0}: Timings conflicts with row {1},行#{0}:与排时序冲突{1}
DocType: Purchase Invoice Item,Allow Zero Valuation Rate,允许零估值
@@ -3915,17 +3940,18 @@
DocType: Training Event Employee,Invited,邀请
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +172,Multiple active Salary Structures found for employee {0} for the given dates,发现员工{0}对于给定的日期多个活动薪金结构
DocType: Opportunity,Next Contact,下一页联系
-apps/erpnext/erpnext/config/accounts.py +277,Setup Gateway accounts.,设置网关帐户。
+apps/erpnext/erpnext/config/accounts.py +310,Setup Gateway accounts.,设置网关帐户。
DocType: Employee,Employment Type,就职类型
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +40,Fixed Assets,固定资产
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +42,Fixed Assets,固定资产
DocType: Payment Entry,Set Exchange Gain / Loss,设置兑换收益/损失
+,GST Purchase Register,消费税购买登记册
,Cash Flow,现金周转
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +92,Application period cannot be across two alocation records,申请期间不能跨两个alocation记录
DocType: Item Group,Default Expense Account,默认支出账户
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +51,Student Email ID,学生的电子邮件ID
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +53,Student Email ID,学生的电子邮件ID
DocType: Employee,Notice (days),通告(天)
DocType: Tax Rule,Sales Tax Template,销售税模板
-apps/erpnext/erpnext/accounts/page/pos/pos.js +2343,Select items to save the invoice,选取要保存发票
+apps/erpnext/erpnext/accounts/page/pos/pos.js +2383,Select items to save the invoice,选取要保存发票
DocType: Employee,Encashment Date,兑现日期
DocType: Training Event,Internet,互联网
DocType: Account,Stock Adjustment,库存调整
@@ -3954,7 +3980,7 @@
DocType: Guardian,Guardian Of ,守护者
DocType: Grading Scale Interval,Threshold,阈
DocType: BOM Replace Tool,Current BOM,当前BOM
-apps/erpnext/erpnext/public/js/utils.js +39,Add Serial No,添加序列号
+apps/erpnext/erpnext/public/js/utils.js +45,Add Serial No,添加序列号
apps/erpnext/erpnext/config/support.py +22,Warranty,质量保证
DocType: Purchase Invoice,Debit Note Issued,借记发行说明
DocType: Production Order,Warehouses,仓库
@@ -3963,20 +3989,20 @@
DocType: Workstation,per hour,每小时
apps/erpnext/erpnext/config/buying.py +7,Purchasing,购买
DocType: Announcement,Announcement,公告
-DocType: Warehouse,Account for the warehouse (Perpetual Inventory) will be created under this Account.,仓库(永续盘存)的账户将在该帐户下创建。
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +123,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,无法删除,因为此仓库有库存分类账分录。
+DocType: School Settings,"For Batch based Student Group, the Student Batch will be validated for every Student from the Program Enrollment.",对于基于批次的学生组,学生批次将由课程注册中的每位学生进行验证。
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +51,Warehouse can not be deleted as stock ledger entry exists for this warehouse.,无法删除,因为此仓库有库存分类账分录。
DocType: Company,Distribution,分配
apps/erpnext/erpnext/schools/doctype/fees/fees.js +27,Amount Paid,已支付的款项
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Project Manager,项目经理
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +102,Project Manager,项目经理
,Quoted Item Comparison,项目报价比较
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +76,Dispatch,调度
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +73,Max discount allowed for item: {0} is {1}%,品目{0}的最大折扣为 {1}%
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +83,Dispatch,调度
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +74,Max discount allowed for item: {0} is {1}%,品目{0}的最大折扣为 {1}%
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +173,Net Asset value as on,净资产值作为
DocType: Account,Receivable,应收账款
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +278,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,行#{0}:不能更改供应商的采购订单已经存在
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +279,Row #{0}: Not allowed to change Supplier as Purchase Order already exists,行#{0}:不能更改供应商的采购订单已经存在
DocType: Accounts Settings,Role that is allowed to submit transactions that exceed credit limits set.,作用是允许提交超过设定信用额度交易的。
-apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +902,Select Items to Manufacture,选择项目,以制造
-apps/erpnext/erpnext/accounts/page/pos/pos.js +929,"Master data syncing, it might take some time",主数据同步,这可能需要一些时间
+apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.js +879,Select Items to Manufacture,选择项目,以制造
+apps/erpnext/erpnext/accounts/page/pos/pos.js +930,"Master data syncing, it might take some time",主数据同步,这可能需要一些时间
DocType: Item,Material Issue,发料
DocType: Hub Settings,Seller Description,卖家描述
DocType: Employee Education,Qualification,学历
@@ -3996,7 +4022,6 @@
DocType: BOM,Rate Of Materials Based On,基于以下的物料单价
apps/erpnext/erpnext/support/page/support_analytics/support_analytics.js +21,Support Analtyics,客户支持分析
apps/erpnext/erpnext/hr/doctype/employee_attendance_tool/employee_attendance_tool.js +142,Uncheck all,取消所有
-apps/erpnext/erpnext/accounts/doctype/accounts_settings/accounts_settings.py +28,Company is missing in warehouses {0},仓库{0}缺少公司
DocType: POS Profile,Terms and Conditions,条款和条件
apps/erpnext/erpnext/accounts/report/trial_balance/trial_balance.py +49,To Date should be within the Fiscal Year. Assuming To Date = {0},日期应该是在财政年度内。假设终止日期= {0}
DocType: Employee,"Here you can maintain height, weight, allergies, medical concerns etc",在这里,你可以保持身高,体重,过敏,医疗问题等
@@ -4011,19 +4036,18 @@
DocType: Sales Order Item,For Production,对生产
DocType: Payment Request,payment_url,payment_url
DocType: Project Task,View Task,查看任务
-apps/erpnext/erpnext/public/js/setup_wizard.js +61,Your financial year begins on,您的会计年度开始于
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
apps/erpnext/erpnext/crm/report/campaign_efficiency/campaign_efficiency.py +22,Opp/Lead %,Opp / Lead%
DocType: Material Request,MREQ-,MREQ-
,Asset Depreciations and Balances,资产折旧和平衡
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +346,Amount {0} {1} transferred from {2} to {3},金额{0} {1}从转移{2}到{3}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +344,Amount {0} {1} transferred from {2} to {3},金额{0} {1}从转移{2}到{3}
DocType: Sales Invoice,Get Advances Received,获取已收预付款
DocType: Email Digest,Add/Remove Recipients,添加/删除收件人
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +460,Transaction not allowed against stopped Production Order {0},交易不反对停止生产订单允许{0}
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +461,Transaction not allowed against stopped Production Order {0},交易不反对停止生产订单允许{0}
apps/erpnext/erpnext/accounts/doctype/fiscal_year/fiscal_year.js +19,"To set this Fiscal Year as Default, click on 'Set as Default'",要设置这个财政年度为默认值,点击“设为默认”
-apps/erpnext/erpnext/projects/doctype/project/project.py +192,Join,加入
+apps/erpnext/erpnext/projects/doctype/project/project.py +200,Join,加入
apps/erpnext/erpnext/stock/report/stock_projected_qty/stock_projected_qty.py +20,Shortage Qty,短缺数量
-apps/erpnext/erpnext/stock/doctype/item/item.py +654,Item variant {0} exists with same attributes,项目变体{0}存在具有相同属性
+apps/erpnext/erpnext/stock/doctype/item/item.py +655,Item variant {0} exists with same attributes,项目变体{0}存在具有相同属性
DocType: Employee Loan,Repay from Salary,从工资偿还
DocType: Leave Application,LAP/,LAP /
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +339,Requesting payment against {0} {1} for amount {2},请求对付款{0} {1}量{2}
@@ -4034,34 +4058,33 @@
DocType: Packing Slip,"Generate packing slips for packages to be delivered. Used to notify package number, package contents and its weight.",生成要发货品目的装箱单,包括包号,内容和重量。
DocType: Sales Invoice Item,Sales Order Item,销售订单品目
DocType: Salary Slip,Payment Days,金天
-apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +221,Warehouses with child nodes cannot be converted to ledger,与子节点仓库不能转换为分类账
+apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.py +121,Warehouses with child nodes cannot be converted to ledger,与子节点仓库不能转换为分类账
DocType: BOM,Manage cost of operations,管理流程成本
DocType: Notification Control,"When any of the checked transactions are ""Submitted"", an email pop-up automatically opened to send an email to the associated ""Contact"" in that transaction, with the transaction as an attachment. The user may or may not send the email.",当所选的业务状态更改为“已提交”时,自动打开一个弹出窗口向有关的联系人编写邮件,业务将作为附件添加。用户可以选择发送或者不发送邮件。
apps/erpnext/erpnext/config/setup.py +14,Global Settings,全局设置
DocType: Assessment Result Detail,Assessment Result Detail,评价结果详细
DocType: Employee Education,Employee Education,雇员教育
apps/erpnext/erpnext/accounts/doctype/pos_profile/pos_profile.py +46,Duplicate item group found in the item group table,在项目组表中找到重复的项目组
-apps/erpnext/erpnext/public/js/controllers/transaction.js +985,It is needed to fetch Item Details.,这是需要获取项目详细信息。
+apps/erpnext/erpnext/public/js/controllers/transaction.js +1011,It is needed to fetch Item Details.,这是需要获取项目详细信息。
DocType: Salary Slip,Net Pay,净支付金额
DocType: Account,Account,账户
apps/erpnext/erpnext/stock/doctype/serial_no/serial_no.py +213,Serial No {0} has already been received,序列号{0}已收到过
,Requested Items To Be Transferred,要求要传输的项目
DocType: Expense Claim,Vehicle Log,车辆登录
-apps/erpnext/erpnext/controllers/stock_controller.py +91,"Warehouse {0} is not linked to any account, please create/link the corresponding (Asset) account for the warehouse.",仓库{0}不会链接到任何帐户,请创建/链接对应的(资产)占仓库。
DocType: Purchase Invoice,Recurring Id,经常性ID
DocType: Customer,Sales Team Details,销售团队详情
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1298,Delete permanently?,永久删除?
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1312,Delete permanently?,永久删除?
DocType: Expense Claim,Total Claimed Amount,总索赔额
apps/erpnext/erpnext/config/crm.py +17,Potential opportunities for selling.,销售的潜在机会
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +228,Invalid {0},无效的{0}
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +52,Sick Leave,病假
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +235,Invalid {0},无效的{0}
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +59,Sick Leave,病假
DocType: Email Digest,Email Digest,邮件摘要
DocType: Delivery Note,Billing Address Name,帐单地址名称
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +22,Department Stores,百货
DocType: Warehouse,PIN,销
apps/erpnext/erpnext/setup/setup_wizard/sample_data.py +108,Setup your School in ERPNext,设置你的ERPNext学校
DocType: Sales Invoice,Base Change Amount (Company Currency),基地涨跌额(公司币种)
-apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +308,No accounting entries for the following warehouses,没有以下仓库的会计分录
+apps/erpnext/erpnext/stock/doctype/purchase_receipt/purchase_receipt.py +309,No accounting entries for the following warehouses,没有以下仓库的会计分录
apps/erpnext/erpnext/projects/doctype/project/project.js +92,Save the document first.,首先保存文档。
DocType: Account,Chargeable,应课
DocType: Company,Change Abbreviation,更改缩写
@@ -4079,7 +4102,7 @@
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +61,Expected Delivery Date cannot be before Purchase Order Date,预计交货日期不能早于采购订单日期
DocType: Appraisal,Appraisal Template,评估模板
DocType: Item Group,Item Classification,项目分类
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +93,Business Development Manager,业务发展经理
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +100,Business Development Manager,业务发展经理
DocType: Maintenance Visit Purpose,Maintenance Visit Purpose,维护访问目的
apps/erpnext/erpnext/accounts/report/budget_variance_report/budget_variance_report.js +16,Period,期
apps/erpnext/erpnext/stock/doctype/warehouse/warehouse.js +18,General Ledger,总帐
@@ -4089,8 +4112,8 @@
DocType: Item Attribute Value,Attribute Value,属性值
,Itemwise Recommended Reorder Level,项目特定的推荐重订购级别
DocType: Salary Detail,Salary Detail,薪酬详细
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +971,Please select {0} first,请选择{0}第一
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +795,Batch {0} of Item {1} has expired.,一批项目的{0} {1}已过期。
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +987,Please select {0} first,请选择{0}第一
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +796,Batch {0} of Item {1} has expired.,一批项目的{0} {1}已过期。
DocType: Sales Invoice,Commission,佣金
apps/erpnext/erpnext/config/manufacturing.py +27,Time Sheet for manufacturing.,时间表制造。
apps/erpnext/erpnext/templates/pages/cart.html +37,Subtotal,小计
@@ -4101,6 +4124,7 @@
apps/erpnext/erpnext/stock/doctype/stock_settings/stock_settings.py +24,`Freeze Stocks Older Than` should be smaller than %d days.,`冻结老于此天数的库存`应该比%d天小。
DocType: Tax Rule,Purchase Tax Template,购置税模板
,Project wise Stock Tracking,项目明智的库存跟踪
+DocType: GST HSN Code,Regional,区域性
DocType: Stock Entry Detail,Actual Qty (at source/target),实际数量(源/目标)
DocType: Item Customer Detail,Ref Code,参考代码
apps/erpnext/erpnext/config/hr.py +12,Employee records.,雇员记录。
@@ -4111,13 +4135,13 @@
DocType: Email Digest,New Purchase Orders,新建采购订单
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +24,Root cannot have a parent cost center,根本不能有一个父成本中心
apps/erpnext/erpnext/public/js/stock_analytics.js +57,Select Brand...,选择品牌...
+apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +18,Training Events/Results,培训活动/结果
apps/erpnext/erpnext/accounts/report/asset_depreciations_and_balances/asset_depreciations_and_balances.py +149,Accumulated Depreciation as on,作为累计折旧
DocType: Sales Invoice,C-Form Applicable,C-表格适用
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +399,Operation Time must be greater than 0 for Operation {0},运行时间必须大于0的操作{0}
-apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +105,Warehouse is mandatory,仓库是强制性的
+apps/erpnext/erpnext/controllers/sales_and_purchase_return.py +106,Warehouse is mandatory,仓库是强制性的
DocType: Supplier,Address and Contacts,地址和联系方式
DocType: UOM Conversion Detail,UOM Conversion Detail,计量单位换算详情
-apps/erpnext/erpnext/public/js/setup_wizard.js +172,Keep it web friendly 900px (w) by 100px (h),建议900px宽乘以100px高。
DocType: Program,Program Abbreviation,计划缩写
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +387,Production Order cannot be raised against a Item Template,生产订单不能对一个项目提出的模板
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +52,Charges are updated in Purchase Receipt against each item,费用会在每个品目的采购收据中更新
@@ -4125,13 +4149,13 @@
DocType: Bank Guarantee,Start Date,开始日期
apps/erpnext/erpnext/config/hr.py +75,Allocate leaves for a period.,调配一段时间假期。
apps/erpnext/erpnext/accounts/report/bank_reconciliation_statement/bank_reconciliation_statement.py +42,Cheques and Deposits incorrectly cleared,支票及存款不正确清除
-apps/erpnext/erpnext/accounts/doctype/account/account.py +51,Account {0}: You can not assign itself as parent account,科目{0}不能是自己的上级科目
+apps/erpnext/erpnext/accounts/doctype/account/account.py +50,Account {0}: You can not assign itself as parent account,科目{0}不能是自己的上级科目
DocType: Purchase Invoice Item,Price List Rate,价格列表费率
apps/erpnext/erpnext/utilities/activation.py +70,Create customer quotes,创建客户报价
DocType: Item,"Show ""In Stock"" or ""Not in Stock"" based on stock available in this warehouse.",根据此仓库显示“有库存”或“无库存”状态。
apps/erpnext/erpnext/config/manufacturing.py +38,Bill of Materials (BOM),材料清单(BOM)
DocType: Item,Average time taken by the supplier to deliver,采取供应商的平均时间交付
-apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +11,Assessment Result,评价结果
+apps/erpnext/erpnext/schools/doctype/assessment_plan/assessment_plan.js +21,Assessment Result,评价结果
apps/erpnext/erpnext/projects/doctype/project/project_dashboard.html +13,Hours,小时
DocType: Project,Expected Start Date,预计开始日期
apps/erpnext/erpnext/stock/doctype/landed_cost_voucher/landed_cost_voucher.js +49,Remove item if charges is not applicable to that item,删除项目,如果收费并不适用于该项目
@@ -4145,25 +4169,24 @@
DocType: Workstation,Operating Costs,运营成本
DocType: Budget,Action if Accumulated Monthly Budget Exceeded,如果积累了每月预算超出行动
DocType: Purchase Invoice,Submit on creation,提交关于创建
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +459,Currency for {0} must be {1},货币{0}必须{1}
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +457,Currency for {0} must be {1},货币{0}必须{1}
DocType: Asset,Disposal Date,处置日期
DocType: Daily Work Summary Settings,"Emails will be sent to all Active Employees of the company at the given hour, if they do not have holiday. Summary of responses will be sent at midnight.",电子邮件将在指定的时间发送给公司的所有在职职工,如果他们没有假期。回复摘要将在午夜被发送。
DocType: Employee Leave Approver,Employee Leave Approver,雇员假期审批者
-apps/erpnext/erpnext/stock/doctype/item/item.py +499,Row {0}: An Reorder entry already exists for this warehouse {1},行{0}:一个重新排序条目已存在这个仓库{1}
+apps/erpnext/erpnext/stock/doctype/item/item.py +500,Row {0}: An Reorder entry already exists for this warehouse {1},行{0}:一个重新排序条目已存在这个仓库{1}
apps/erpnext/erpnext/crm/doctype/opportunity/opportunity.py +81,"Cannot declare as lost, because Quotation has been made.",不能更改状态为丧失,因为已有报价。
apps/erpnext/erpnext/hr/doctype/training_event/training_event.js +13,Training Feedback,培训反馈
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +457,Production Order {0} must be submitted,生产订单{0}必须提交
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +458,Production Order {0} must be submitted,生产订单{0}必须提交
apps/erpnext/erpnext/maintenance/doctype/maintenance_schedule/maintenance_schedule.py +149,Please select Start Date and End Date for Item {0},请选择开始日期和结束日期的项目{0}
apps/erpnext/erpnext/schools/doctype/student_group_creation_tool/student_group_creation_tool.py +54,Course is mandatory in row {0},当然是行强制性{0}
apps/erpnext/erpnext/hr/doctype/leave_control_panel/leave_control_panel.js +16,To date cannot be before from date,无效的主名称
DocType: Supplier Quotation Item,Prevdoc DocType,Prevdoc的DocType
-apps/erpnext/erpnext/stock/doctype/item/item.js +250,Add / Edit Prices,添加/编辑价格
+apps/erpnext/erpnext/stock/doctype/item/item.js +258,Add / Edit Prices,添加/编辑价格
DocType: Batch,Parent Batch,父母批
DocType: Batch,Parent Batch,父母批
DocType: Cheque Print Template,Cheque Print Template,支票打印模板
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.js +36,Chart of Cost Centers,成本中心表
,Requested Items To Be Ordered,要求项目要订购
-apps/erpnext/erpnext/accounts/doctype/account/account.py +181,Warehouse company must be same as Account company,仓库的公司必须同客户公司
DocType: Price List,Price List Name,价格列表名称
apps/erpnext/erpnext/hr/doctype/daily_work_summary/daily_work_summary.py +31,Daily Work Summary for {0},每日工作总结{0}
DocType: Employee Loan,Totals,总计
@@ -4185,55 +4208,57 @@
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +26,Please enter valid mobile nos,请输入有效的手机号
apps/erpnext/erpnext/selling/doctype/sms_center/sms_center.py +75,Please enter message before sending,在发送前,请填写留言
DocType: Email Digest,Pending Quotations,待语录
-apps/erpnext/erpnext/config/accounts.py +282,Point-of-Sale Profile,简介销售点的
+apps/erpnext/erpnext/config/accounts.py +315,Point-of-Sale Profile,简介销售点的
apps/erpnext/erpnext/setup/doctype/sms_settings/sms_settings.py +75,Please Update SMS Settings,请更新短信设置
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +154,Unsecured Loans,无担保贷款
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +156,Unsecured Loans,无担保贷款
DocType: Cost Center,Cost Center Name,成本中心名称
DocType: Employee,B+,B +
DocType: HR Settings,Max working hours against Timesheet,最大工作时间针对时间表
DocType: Maintenance Schedule Detail,Scheduled Date,计划日期
-apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +69,Total Paid Amt,数金额金额
+apps/erpnext/erpnext/accounts/report/accounts_receivable/accounts_receivable.html +74,Total Paid Amt,数金额金额
DocType: SMS Center,Messages greater than 160 characters will be split into multiple messages,大于160个字符的消息将被分割为多条消息
DocType: Purchase Receipt Item,Received and Accepted,收到并接受
+,GST Itemised Sales Register,消费税商品销售登记册
,Serial No Service Contract Expiry,序列号/年度保养合同过期
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +299,You cannot credit and debit same account at the same time,您不可以将一个账户同时设置为借方和贷方。
DocType: Naming Series,Help HTML,HTML帮助
DocType: Student Group Creation Tool,Student Group Creation Tool,学生组创建工具
DocType: Item,Variant Based On,基于变异对
apps/erpnext/erpnext/hr/doctype/appraisal/appraisal.py +53,Total weightage assigned should be 100%. It is {0},分配的总权重应为100 % 。这是{0}
-apps/erpnext/erpnext/public/js/setup_wizard.js +265,Your Suppliers,您的供应商
+apps/erpnext/erpnext/public/js/setup_wizard.js +237,Your Suppliers,您的供应商
apps/erpnext/erpnext/selling/doctype/quotation/quotation.py +58,Cannot set as Lost as Sales Order is made.,不能更改状态为丧失,因为已有销售订单。
DocType: Request for Quotation Item,Supplier Part No,供应商部件号
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +357,Cannot deduct when category is for 'Valuation' or 'Vaulation and Total',当类是“估值”或“Vaulation和总'不能扣除
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +353,Received From,从......收到
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +351,Received From,从......收到
DocType: Lead,Converted,已转换
DocType: Item,Has Serial No,有序列号
DocType: Employee,Date of Issue,签发日期
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +20,{0}: From {0} for {1},{0}:申请者{0} 金额{1}
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +215,"As per the Buying Settings if Purchase Reciept Required == 'YES', then for creating Purchase Invoice, user need to create Purchase Receipt first for item {0}",根据购买设置,如果需要购买记录==“是”,则为了创建采购发票,用户需要首先为项目{0}创建采购凭证
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +157,Row #{0}: Set Supplier for item {1},行#{0}:设置供应商项目{1}
apps/erpnext/erpnext/projects/doctype/timesheet/timesheet.py +118,Row {0}: Hours value must be greater than zero.,行{0}:小时值必须大于零。
-apps/erpnext/erpnext/stock/doctype/item/item.py +173,Website Image {0} attached to Item {1} cannot be found,网站图像{0}附加到物品{1}无法找到
+apps/erpnext/erpnext/stock/doctype/item/item.py +174,Website Image {0} attached to Item {1} cannot be found,网站图像{0}附加到物品{1}无法找到
DocType: Issue,Content Type,内容类型
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +17,Computer,电脑
DocType: Item,List this Item in multiple groups on the website.,在网站上的多个组中显示此品目
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +323,Please check Multi Currency option to allow accounts with other currency,请检查多币种选项,允许帐户与其他货币
-apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +86,Item: {0} does not exist in the system,项目{0}不存在
-apps/erpnext/erpnext/accounts/doctype/account/account.py +110,You are not authorized to set Frozen value,您没有权限设定冻结值
+apps/erpnext/erpnext/manufacturing/doctype/bom/bom.py +88,Item: {0} does not exist in the system,项目{0}不存在
+apps/erpnext/erpnext/accounts/doctype/account/account.py +109,You are not authorized to set Frozen value,您没有权限设定冻结值
DocType: Payment Reconciliation,Get Unreconciled Entries,获取未调节分录
DocType: Payment Reconciliation,From Invoice Date,从发票日期
-apps/erpnext/erpnext/accounts/party.py +250,Billing currency must be equal to either default comapany's currency or party account currency,结算币种必须等于要么默认业公司的货币或一方账户货币
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +37,Leave Encashment,离开兑现
-apps/erpnext/erpnext/public/js/setup_wizard.js +48,What does it do?,贵公司的标语
+apps/erpnext/erpnext/accounts/party.py +257,Billing currency must be equal to either default comapany's currency or party account currency,结算币种必须等于要么默认业公司的货币或一方账户货币
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +44,Leave Encashment,离开兑现
+apps/erpnext/erpnext/public/js/setup_wizard.js +94,What does it do?,贵公司的标语
apps/erpnext/erpnext/stock/doctype/batch/batch.js +70,To Warehouse,到仓库
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +23,All Student Admissions,所有学生入学
,Average Commission Rate,平均佣金率
-apps/erpnext/erpnext/stock/doctype/item/item.py +411,'Has Serial No' can not be 'Yes' for non-stock item,非库存项目不能勾选'是否有序列号'
+apps/erpnext/erpnext/stock/doctype/item/item.py +412,'Has Serial No' can not be 'Yes' for non-stock item,非库存项目不能勾选'是否有序列号'
apps/erpnext/erpnext/hr/doctype/attendance/attendance.py +41,Attendance can not be marked for future dates,考勤不能标记为未来的日期
DocType: Pricing Rule,Pricing Rule Help,定价规则说明
DocType: School House,House Name,房名
DocType: Purchase Taxes and Charges,Account Head,账户头
apps/erpnext/erpnext/config/stock.py +168,Update additional costs to calculate landed cost of items,更新额外费用以计算到岸成本
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +115,Electrical,电气
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +122,Electrical,电气
apps/erpnext/erpnext/utilities/activation.py +98,Add the rest of your organization as your users. You can also add invite Customers to your portal by adding them from Contacts,添加您的组织的其余部分用户。您还可以添加邀请客户到您的门户网站通过从联系人中添加它们
DocType: Stock Entry,Total Value Difference (Out - In),总价值差(输出 - )
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +348,Row {0}: Exchange Rate is mandatory,行{0}:汇率是必须的
@@ -4243,7 +4268,7 @@
DocType: Item,Customer Code,客户代码
apps/erpnext/erpnext/hr/doctype/employee/employee.py +216,Birthday Reminder for {0},{0}的生日提醒
apps/erpnext/erpnext/selling/report/inactive_customers/inactive_customers.py +72,Days Since Last Order,自上次订购天数
-apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +336,Debit To account must be a Balance Sheet account,借记帐户必须是资产负债表科目
+apps/erpnext/erpnext/accounts/doctype/sales_invoice/sales_invoice.py +339,Debit To account must be a Balance Sheet account,借记帐户必须是资产负债表科目
DocType: Buying Settings,Naming Series,命名系列
DocType: Leave Block List,Leave Block List Name,禁离日列表名称
apps/erpnext/erpnext/hr/doctype/vehicle/vehicle.py +14,Insurance Start date should be less than Insurance End date,保险开始日期应小于保险终止日期
@@ -4258,27 +4283,27 @@
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +320,Salary Slip of employee {0} already created for time sheet {1},员工的工资单{0}已为时间表创建{1}
DocType: Vehicle Log,Odometer,里程表
DocType: Sales Order Item,Ordered Qty,订购数量
-apps/erpnext/erpnext/stock/doctype/item/item.py +682,Item {0} is disabled,项目{0}无效
+apps/erpnext/erpnext/stock/doctype/item/item.py +683,Item {0} is disabled,项目{0}无效
DocType: Stock Settings,Stock Frozen Upto,库存冻结止
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +882,BOM does not contain any stock item,BOM不包含任何库存项目
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +874,BOM does not contain any stock item,BOM不包含任何库存项目
apps/erpnext/erpnext/controllers/recurring_document.py +172,Period From and Period To dates mandatory for recurring {0},期间从和周期要日期强制性的经常性{0}
apps/erpnext/erpnext/config/projects.py +18,Project activity / task.,项目活动/任务。
DocType: Vehicle Log,Refuelling Details,加油详情
apps/erpnext/erpnext/config/hr.py +104,Generate Salary Slips,生成工资条
-apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +44,"Buying must be checked, if Applicable For is selected as {0}",“适用于”为{0}时必须勾选“采购”
+apps/erpnext/erpnext/accounts/doctype/pricing_rule/pricing_rule.py +45,"Buying must be checked, if Applicable For is selected as {0}",“适用于”为{0}时必须勾选“采购”
apps/erpnext/erpnext/setup/doctype/authorization_rule/authorization_rule.py +40,Discount must be less than 100,折扣必须小于100
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.py +108,Last purchase rate not found,最后购买率未找到
DocType: Purchase Invoice,Write Off Amount (Company Currency),核销金额(公司货币)
DocType: Sales Invoice Timesheet,Billing Hours,结算时间
apps/erpnext/erpnext/manufacturing/doctype/production_order/production_order.py +500,Default BOM for {0} not found,默认BOM {0}未找到
-apps/erpnext/erpnext/stock/doctype/item/item.py +491,Row #{0}: Please set reorder quantity,行#{0}:请设置再订购数量
+apps/erpnext/erpnext/stock/doctype/item/item.py +492,Row #{0}: Please set reorder quantity,行#{0}:请设置再订购数量
apps/erpnext/erpnext/public/js/pos/pos.html +20,Tap items to add them here,点击项目将其添加到此处
DocType: Fees,Program Enrollment,招生计划
DocType: Landed Cost Voucher,Landed Cost Voucher,到岸成本凭证
apps/erpnext/erpnext/public/js/queries.js +39,Please set {0},请设置{0}
DocType: Purchase Invoice,Repeat on Day of Month,重复上月的日
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1}是非活动学生
-apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +39,{0} - {1} is inactive student,{0} - {1}是非活动学生
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1}是非活动学生
+apps/erpnext/erpnext/schools/doctype/student_group/student_group.py +36,{0} - {1} is inactive student,{0} - {1}是非活动学生
DocType: Employee,Health Details,健康细节
DocType: Offer Letter,Offer Letter Terms,报价函条款
apps/erpnext/erpnext/accounts/doctype/payment_request/payment_request.py +23,To create a Payment Request reference document is required,要创建付款请求参考文档是必需的
@@ -4301,7 +4326,7 @@
If series is set and Serial No is not mentioned in transactions, then automatic serial number will be created based on this series. If you always want to explicitly mention Serial Nos for this item. leave this blank.","例如:ABCD #####
如果设置了序列但是没有在交易中输入序列号,那么系统会根据序列自动生产序列号。如果要强制手动输入序列号,请不要勾选此项。"
DocType: Upload Attendance,Upload Attendance,上传考勤记录
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +306,BOM and Manufacturing Quantity are required,BOM和生产量是必需的
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +320,BOM and Manufacturing Quantity are required,BOM和生产量是必需的
apps/erpnext/erpnext/accounts/report/accounts_payable/accounts_payable.js +44,Ageing Range 2,账龄范围2
DocType: SG Creation Tool Course,Max Strength,最大力量
apps/erpnext/erpnext/manufacturing/doctype/bom_replace_tool/bom_replace_tool.py +21,BOM replaced,BOM已替换
@@ -4311,8 +4336,8 @@
,Prospects Engaged But Not Converted,展望未成熟
DocType: Manufacturing Settings,Manufacturing Settings,生产设置
apps/erpnext/erpnext/config/setup.py +56,Setting up Email,设置电子邮件
-apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +55,Guardian1 Mobile No,Guardian1手机号码
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +98,Please enter default currency in Company Master,请在公司主输入默认货币
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +57,Guardian1 Mobile No,Guardian1手机号码
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +99,Please enter default currency in Company Master,请在公司主输入默认货币
DocType: Stock Entry Detail,Stock Entry Detail,库存记录详情
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.py +110,Daily Reminders,每日提醒
DocType: Products Settings,Home Page is Products,首页显示产品
@@ -4321,7 +4346,7 @@
apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +25,New Account Name,新建账户名称
DocType: Purchase Invoice Item,Raw Materials Supplied Cost,供应的原料成本
DocType: Selling Settings,Settings for Selling Module,销售模块的设置
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +77,Customer Service,顾客服务
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +84,Customer Service,顾客服务
DocType: BOM,Thumbnail,缩略图
DocType: Item Customer Detail,Item Customer Detail,项目客户详情
apps/erpnext/erpnext/config/hr.py +50,Offer candidate a Job.,报价候选作业。
@@ -4330,7 +4355,7 @@
DocType: Pricing Rule,Percentage,百分比
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +70,Item {0} must be a stock Item,项目{0}必须是库存项目
DocType: Manufacturing Settings,Default Work In Progress Warehouse,默认工作正在进行仓库
-apps/erpnext/erpnext/config/accounts.py +257,Default settings for accounting transactions.,业务会计的默认设置。
+apps/erpnext/erpnext/config/accounts.py +290,Default settings for accounting transactions.,业务会计的默认设置。
DocType: Maintenance Visit,MV,MV
apps/erpnext/erpnext/stock/doctype/material_request/material_request.py +59,Expected Date cannot be before Material Request Date,预计日期不能早于物料申请时间
DocType: Purchase Invoice Item,Stock Qty,库存数量
@@ -4344,10 +4369,10 @@
DocType: Sales Order,Printing Details,印刷详情
DocType: Task,Closing Date,结算日期
DocType: Sales Order Item,Produced Quantity,生产的产品数量
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +88,Engineer,工程师
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +95,Engineer,工程师
DocType: Journal Entry,Total Amount Currency,总金额币种
apps/erpnext/erpnext/stock/report/bom_search/bom_search.js +38,Search Sub Assemblies,搜索子组件
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +163,Item Code required at Row No {0},行{0}中的项目编号是必须项
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +164,Item Code required at Row No {0},行{0}中的项目编号是必须项
DocType: Sales Partner,Partner Type,合作伙伴类型
DocType: Purchase Taxes and Charges,Actual,实际
DocType: Authorization Rule,Customerwise Discount,客户折扣
@@ -4364,11 +4389,11 @@
DocType: Item Reorder,Re-Order Level,再次订货级别
DocType: Production Planning Tool,Enter items and planned qty for which you want to raise production orders or download raw materials for analysis.,输入要生产的品目和数量或者下载物料清单。
apps/erpnext/erpnext/projects/doctype/project/project.js +45,Gantt Chart,甘特图
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +61,Part-time,兼任
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +68,Part-time,兼任
DocType: Employee,Applicable Holiday List,可申请假期列表
DocType: Employee,Cheque,支票
apps/erpnext/erpnext/setup/doctype/naming_series/naming_series.py +61,Series Updated,系列已更新
-apps/erpnext/erpnext/accounts/doctype/account/account.py +163,Report Type is mandatory,报告类型是强制性的
+apps/erpnext/erpnext/accounts/doctype/account/account.py +162,Report Type is mandatory,报告类型是强制性的
DocType: Item,Serial Number Series,序列号系列
apps/erpnext/erpnext/buying/utils.py +68,Warehouse is mandatory for stock Item {0} in row {1},行{1}中的物件{0}必须指定仓库
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +45,Retail & Wholesale,零售及批发
@@ -4390,7 +4415,7 @@
DocType: BOM,Materials,物料
DocType: Leave Block List,"If not checked, the list will have to be added to each Department where it has to be applied.",如果未选中,此列表将需要手动添加到部门。
apps/erpnext/erpnext/accounts/doctype/asset_movement/asset_movement.py +28,Source and Target Warehouse cannot be same,源和目标仓库不能相同
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +534,Posting date and posting time is mandatory,发布日期和发布时间是必需的
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +535,Posting date and posting time is mandatory,发布日期和发布时间是必需的
apps/erpnext/erpnext/config/buying.py +76,Tax template for buying transactions.,采购业务的税项模板。
,Item Prices,项目价格
DocType: Purchase Order,In Words will be visible once you save the Purchase Order.,大写金额将在采购订单保存后显示。
@@ -4400,22 +4425,23 @@
DocType: Purchase Invoice,Advance Payments,预付款
DocType: Purchase Taxes and Charges,On Net Total,基于净总计
apps/erpnext/erpnext/controllers/item_variant.py +90,Value for Attribute {0} must be within the range of {1} to {2} in the increments of {3} for Item {4},为属性{0}值必须的范围内{1}到{2}中的增量{3}为项目{4}
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +160,Target warehouse in row {0} must be same as Production Order,行{0}的目标仓库必须与生产订单的仓库相同
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +161,Target warehouse in row {0} must be same as Production Order,行{0}的目标仓库必须与生产订单的仓库相同
apps/erpnext/erpnext/controllers/recurring_document.py +217,'Notification Email Addresses' not specified for recurring %s,循环%s中未指定“通知电子邮件地址”
-apps/erpnext/erpnext/accounts/doctype/account/account.py +128,Currency can not be changed after making entries using some other currency,货币不能使用其他货币进行输入后更改
+apps/erpnext/erpnext/accounts/doctype/account/account.py +127,Currency can not be changed after making entries using some other currency,货币不能使用其他货币进行输入后更改
DocType: Vehicle Service,Clutch Plate,离合器压盘
DocType: Company,Round Off Account,四舍五入账户
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +91,Administrative Expenses,行政开支
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +93,Administrative Expenses,行政开支
apps/erpnext/erpnext/setup/setup_wizard/industry_type.py +18,Consulting,咨询
DocType: Customer Group,Parent Customer Group,母公司集团客户
DocType: Purchase Invoice,Contact Email,联络人电邮
DocType: Appraisal Goal,Score Earned,已得分数
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Notice Period,通知期
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +198,Notice Period,通知期
DocType: Asset Category,Asset Category Name,资产类别名称
apps/erpnext/erpnext/setup/doctype/territory/territory.js +13,This is a root territory and cannot be edited.,这是一个root区域,无法被编辑。
apps/erpnext/erpnext/setup/doctype/sales_person/sales_person_tree.js +5,New Sales Person Name,新销售人员的姓名
DocType: Packing Slip,Gross Weight UOM,毛重计量单位
DocType: Delivery Note Item,Against Sales Invoice,对销售发票
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +114,Please enter serial numbers for serialized item ,请输入序列号序列号
DocType: Bin,Reserved Qty for Production,预留数量生产
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,如果您不想在制作基于课程的组时考虑批量,请不要选中。
DocType: Student Group Creation Tool,Leave unchecked if you don't want to consider batch while making course based groups. ,如果您不想在制作基于课程的组时考虑批量,请不要选中。
@@ -4424,25 +4450,25 @@
DocType: Landed Cost Item,Landed Cost Item,到岸成本品目
apps/erpnext/erpnext/accounts/report/profitability_analysis/profitability_analysis.js +57,Show zero values,显示零值
DocType: BOM,Quantity of item obtained after manufacturing / repacking from given quantities of raw materials,原材料被生产/重新打包后得到的品目数量
-apps/erpnext/erpnext/public/js/setup_wizard.js +320,Setup a simple website for my organization,设置一个简单的网站为我的组织
+apps/erpnext/erpnext/public/js/setup_wizard.js +350,Setup a simple website for my organization,设置一个简单的网站为我的组织
DocType: Payment Reconciliation,Receivable / Payable Account,应收/应付账款
DocType: Delivery Note Item,Against Sales Order Item,对销售订单项目
-apps/erpnext/erpnext/stock/doctype/item/item.py +649,Please specify Attribute Value for attribute {0},请指定属性值的属性{0}
+apps/erpnext/erpnext/stock/doctype/item/item.py +650,Please specify Attribute Value for attribute {0},请指定属性值的属性{0}
DocType: Item,Default Warehouse,默认仓库
apps/erpnext/erpnext/accounts/doctype/budget/budget.py +45,Budget cannot be assigned against Group Account {0},财政预算案不能对集团客户分配{0}
apps/erpnext/erpnext/accounts/doctype/cost_center/cost_center.py +22,Please enter parent cost center,请输入父成本中心
DocType: Delivery Note,Print Without Amount,打印量不
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +57,Depreciation Date,折旧日期
-apps/erpnext/erpnext/controllers/buying_controller.py +79,Tax Category can not be 'Valuation' or 'Valuation and Total' as all items are non-stock items,税项类型不能是“估值”或“估值和总计”,因为所有的物件都不是库存物件
DocType: Issue,Support Team,支持团队
apps/erpnext/erpnext/stock/report/batch_item_expiry_status/batch_item_expiry_status.py +36,Expiry (In Days),过期(按天计算)
DocType: Appraisal,Total Score (Out of 5),总分(满分5分)
DocType: Fee Structure,FS.,FS。
-DocType: Program Enrollment,Batch,批次
+DocType: Student Attendance Tool,Batch,批次
apps/erpnext/erpnext/stock/doctype/item/item.js +27,Balance,余额
DocType: Room,Seating Capacity,座位数
DocType: Issue,ISS-,ISS-
DocType: Project,Total Expense Claim (via Expense Claims),总费用报销(通过费用报销)
+DocType: GST Settings,GST Summary,消费税总结
DocType: Assessment Result,Total Score,总得分
DocType: Journal Entry,Debit Note,借项通知单
DocType: Stock Entry,As per Stock UOM,按库存计量单位
@@ -4454,12 +4480,13 @@
DocType: Manufacturing Settings,Default Finished Goods Warehouse,默认成品仓库
apps/erpnext/erpnext/accounts/report/gross_profit/gross_profit.py +78,Sales Person,销售人员
DocType: SMS Parameter,SMS Parameter,短信参数
-apps/erpnext/erpnext/config/accounts.py +202,Budget and Cost Center,预算和成本中心
+apps/erpnext/erpnext/config/accounts.py +235,Budget and Cost Center,预算和成本中心
DocType: Vehicle Service,Half Yearly,半年度
DocType: Lead,Blog Subscriber,博客订阅者
DocType: Guardian,Alternate Number,备用号码
DocType: Assessment Plan Criteria,Maximum Score,最大比分
apps/erpnext/erpnext/config/setup.py +83,Create rules to restrict transactions based on values.,创建规则,根据属性值来限制交易。
+apps/erpnext/erpnext/schools/report/student_and_guardian_contact_details/student_and_guardian_contact_details.py +49, Group Roll No,组卷号
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,如果您每年制作学生团体,请留空
DocType: Student Group Creation Tool,Leave blank if you make students groups per year,如果您每年制作学生团体,请留空
DocType: HR Settings,"If checked, Total no. of Working Days will include holidays, and this will reduce the value of Salary Per Day",如果勾选,工作日总数将包含假期,这将会降低“日工资”的值。
@@ -4479,6 +4506,7 @@
apps/erpnext/erpnext/selling/doctype/customer/customer_dashboard.py +6,This is based on transactions against this Customer. See timeline below for details,这是基于对这个顾客的交易。详情请参阅以下时间表
DocType: Supplier,Credit Days Based On,信贷天基于
apps/erpnext/erpnext/accounts/doctype/payment_reconciliation/payment_reconciliation.py +161,Row {0}: Allocated amount {1} must be less than or equals to Payment Entry amount {2},行{0}:分配金额{1}必须小于或等于输入付款金额{2}
+,Course wise Assessment Report,课程明智的评估报告
DocType: Tax Rule,Tax Rule,税务规则
DocType: Selling Settings,Maintain Same Rate Throughout Sales Cycle,在整个销售周期使用同一价格
DocType: Manufacturing Settings,Plan time logs outside Workstation Working Hours.,规划工作站工作时间以外的时间日志。
@@ -4487,7 +4515,7 @@
,Items To Be Requested,要申请的项目
DocType: Purchase Order,Get Last Purchase Rate,获取最新的采购税率
DocType: Company,Company Info,公司简介
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1330,Select or add new customer,选择或添加新客户
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1344,Select or add new customer,选择或添加新客户
apps/erpnext/erpnext/hr/doctype/expense_claim/expense_claim.py +147,Cost center is required to book an expense claim,成本中心需要预订费用报销
apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +9,Application of Funds (Assets),资金(资产)申请
apps/erpnext/erpnext/hr/doctype/employee/employee_dashboard.py +6,This is based on the attendance of this Employee,这是基于该员工的考勤
@@ -4495,27 +4523,29 @@
DocType: Fiscal Year,Year Start Date,年度起始日期
DocType: Attendance,Employee Name,雇员姓名
DocType: Sales Invoice,Rounded Total (Company Currency),圆润的总计(公司货币)
-apps/erpnext/erpnext/accounts/doctype/account/account.py +100,Cannot covert to Group because Account Type is selected.,不能转换到组,因为你选择的是帐户类型。
+apps/erpnext/erpnext/accounts/doctype/account/account.py +99,Cannot covert to Group because Account Type is selected.,不能转换到组,因为你选择的是帐户类型。
apps/erpnext/erpnext/selling/doctype/sales_order/sales_order.py +231,{0} {1} has been modified. Please refresh.,{0} {1}已被修改过,请刷新。
DocType: Leave Block List,Stop users from making Leave Applications on following days.,禁止用户在以下日期提交假期申请。
apps/erpnext/erpnext/accounts/report/asset_depreciation_ledger/asset_depreciation_ledger.py +63,Purchase Amount,购买金额
apps/erpnext/erpnext/buying/doctype/request_for_quotation/request_for_quotation.py +212,Supplier Quotation {0} created,供应商报价{0}创建
apps/erpnext/erpnext/accounts/report/financial_statements.py +97,End Year cannot be before Start Year,结束年份不能启动年前
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +184,Employee Benefits,员工福利
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +191,Employee Benefits,员工福利
apps/erpnext/erpnext/stock/doctype/delivery_note/delivery_note.py +252,Packed quantity must equal quantity for Item {0} in row {1},盒装数量必须等于量项目{0}行{1}
DocType: Production Order,Manufactured Qty,已生产数量
DocType: Purchase Receipt Item,Accepted Quantity,已接收数量
apps/erpnext/erpnext/hr/doctype/employee/employee.py +238,Please set a default Holiday List for Employee {0} or Company {1},请设置一个默认的假日列表为员工{0}或公司{1}
-apps/erpnext/erpnext/accounts/party.py +28,{0}: {1} does not exists,{0}:{1}不存在
+apps/erpnext/erpnext/accounts/party.py +29,{0}: {1} does not exists,{0}:{1}不存在
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +66,Select Batch Numbers,选择批号
apps/erpnext/erpnext/config/accounts.py +12,Bills raised to Customers.,对客户开出的账单。
apps/erpnext/erpnext/projects/report/project_wise_stock_tracking/project_wise_stock_tracking.py +26,Project Id,项目编号
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +534,Row No {0}: Amount cannot be greater than Pending Amount against Expense Claim {1}. Pending Amount is {2},行无{0}:金额不能大于金额之前对报销{1}。待审核金额为{2}
DocType: Maintenance Schedule,Schedule,计划任务
DocType: Account,Parent Account,父帐户
+apps/erpnext/erpnext/public/js/utils/serial_no_batch_selector.js +270,Available,可用的
DocType: Quality Inspection Reading,Reading 3,阅读3
,Hub,Hub
DocType: GL Entry,Voucher Type,凭证类型
-apps/erpnext/erpnext/accounts/page/pos/pos.js +1606,Price List not found or disabled,价格表未找到或禁用
+apps/erpnext/erpnext/accounts/page/pos/pos.js +1637,Price List not found or disabled,价格表未找到或禁用
DocType: Employee Loan Application,Approved,已批准
DocType: Pricing Rule,Price,价格
apps/erpnext/erpnext/hr/doctype/salary_slip/salary_slip.py +261,Employee relieved on {0} must be set as 'Left',{0}的假期批准后,雇员的状态必须设置为“离开”
@@ -4526,7 +4556,8 @@
DocType: Selling Settings,Campaign Naming By,活动命名:
DocType: Employee,Current Address Is,当前地址是
apps/erpnext/erpnext/templates/includes/projects/project_tasks.html +9,modified,改性
-apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +51,"Optional. Sets company's default currency, if not specified.",可选。设置公司的默认货币,如果没有指定。
+apps/erpnext/erpnext/accounts/doctype/account/account_tree.js +41,"Optional. Sets company's default currency, if not specified.",可选。设置公司的默认货币,如果没有指定。
+DocType: Sales Invoice,Customer GSTIN,客户GSTIN
apps/erpnext/erpnext/config/accounts.py +61,Accounting journal entries.,会计记账分录。
DocType: Delivery Note Item,Available Qty at From Warehouse,可用数量从仓库
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +295,Please select Employee Record first.,请选择员工记录第一。
@@ -4534,7 +4565,7 @@
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +217,Row {0}: Party / Account does not match with {1} / {2} in {3} {4},行{0}:甲方/客户不与匹配{1} / {2} {3} {4}
apps/erpnext/erpnext/stock/doctype/stock_reconciliation/stock_reconciliation.py +238,Please enter Expense Account,请输入您的费用帐户
DocType: Account,Stock,库存
-apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +996,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",行#{0}:参考文件类型必须是采购订单之一,购买发票或日记帐分录
+apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.js +1012,"Row #{0}: Reference Document Type must be one of Purchase Order, Purchase Invoice or Journal Entry",行#{0}:参考文件类型必须是采购订单之一,购买发票或日记帐分录
DocType: Employee,Current Address,当前地址
DocType: Item,"If item is a variant of another item then description, image, pricing, taxes etc will be set from the template unless explicitly specified",如果品目为另一品目的变体,那么它的描述,图片,价格,税率等将从模板自动设置。你也可以手动设置。
DocType: Serial No,Purchase / Manufacture Details,采购/制造详细信息
@@ -4547,8 +4578,8 @@
DocType: Pricing Rule,Min Qty,最小数量
DocType: Asset Movement,Transaction Date,交易日期
DocType: Production Plan Item,Planned Qty,计划数量
-apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +104,Total Tax,总税收
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +176,For Quantity (Manufactured Qty) is mandatory,对于数量(制造数量)是强制性的
+apps/erpnext/erpnext/accounts/report/purchase_register/purchase_register.py +121,Total Tax,总税收
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.py +177,For Quantity (Manufactured Qty) is mandatory,对于数量(制造数量)是强制性的
DocType: Stock Entry,Default Target Warehouse,默认目标仓库
DocType: Purchase Invoice,Net Total (Company Currency),总净金额(公司货币)
apps/erpnext/erpnext/schools/doctype/academic_year/academic_year.py +14,The Year End Date cannot be earlier than the Year Start Date. Please correct the dates and try again.,年末日期不能超过年度开始日期。请更正日期,然后再试一次。
@@ -4562,15 +4593,12 @@
DocType: Hub Settings,Hub Settings,Hub设置
DocType: Project,Gross Margin %,毛利率%
DocType: BOM,With Operations,带工艺
-apps/erpnext/erpnext/accounts/party.py +246,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,会计分录已取得货币{0}为公司{1}。请选择一个应收或应付账户币种{0}。
+apps/erpnext/erpnext/accounts/party.py +253,Accounting entries have already been made in currency {0} for company {1}. Please select a receivable or payable account with currency {0}.,会计分录已取得货币{0}为公司{1}。请选择一个应收或应付账户币种{0}。
DocType: Asset,Is Existing Asset,是对现有资产
DocType: Salary Detail,Statistical Component,统计组成部分
DocType: Salary Detail,Statistical Component,统计组成部分
-,Monthly Salary Register,月度工资记录
DocType: Warranty Claim,If different than customer address,如果客户地址不同的话
DocType: BOM Operation,BOM Operation,BOM操作
-DocType: School Settings,Validate the Student Group from Program Enrollment,从计划入学验证学生组
-DocType: School Settings,Validate the Student Group from Program Enrollment,从计划入学验证学生组
DocType: Purchase Taxes and Charges,On Previous Row Amount,基于前一行的金额
DocType: Student,Home Address,家庭地址
apps/erpnext/erpnext/accounts/doctype/asset/asset.js +260,Transfer Asset,转让资产
@@ -4578,28 +4606,27 @@
DocType: Training Event,Event Name,事件名称
apps/erpnext/erpnext/config/schools.py +39,Admission,入场
apps/erpnext/erpnext/schools/doctype/student_admission/student_admission.py +26,Admissions for {0},招生{0}
-apps/erpnext/erpnext/config/accounts.py +226,"Seasonality for setting budgets, targets etc.",设置季节性的预算,目标等。
-apps/erpnext/erpnext/stock/get_item_details.py +137,"Item {0} is a template, please select one of its variants",项目{0}是一个模板,请选择它的一个变体
+apps/erpnext/erpnext/config/accounts.py +259,"Seasonality for setting budgets, targets etc.",设置季节性的预算,目标等。
+apps/erpnext/erpnext/stock/get_item_details.py +147,"Item {0} is a template, please select one of its variants",项目{0}是一个模板,请选择它的一个变体
DocType: Asset,Asset Category,资产类别
-apps/erpnext/erpnext/public/js/setup_wizard.js +207,Purchaser,购买者
apps/erpnext/erpnext/hr/doctype/salary_structure/salary_structure.py +30,Net pay cannot be negative,净支付金额不能为负数
DocType: SMS Settings,Static Parameters,静态参数
DocType: Assessment Plan,Room,房间
DocType: Purchase Order,Advance Paid,已支付的预付款
DocType: Item,Item Tax,项目税项
apps/erpnext/erpnext/buying/doctype/purchase_order/purchase_order.js +802,Material to Supplier,材料到供应商
-apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +366,Excise Invoice,消费税发票
+apps/erpnext/erpnext/stock/doctype/stock_entry/stock_entry.js +380,Excise Invoice,消费税发票
apps/erpnext/erpnext/schools/doctype/grading_scale/grading_scale.py +16,Treshold {0}% appears more than once,Treshold {0}出现%不止一次
DocType: Expense Claim,Employees Email Id,雇员的邮件地址
DocType: Employee Attendance Tool,Marked Attendance,显着的出席
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +136,Current Liabilities,流动负债
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +138,Current Liabilities,流动负债
apps/erpnext/erpnext/config/selling.py +292,Send mass SMS to your contacts,向你的联系人群发短信。
DocType: Program,Program Name,程序名称
DocType: Purchase Taxes and Charges,Consider Tax or Charge for,考虑税收或收费
apps/erpnext/erpnext/stock/doctype/stock_ledger_entry/stock_ledger_entry.py +57,Actual Qty is mandatory,实际数量是必须项
DocType: Employee Loan,Loan Type,贷款类型
DocType: Scheduling Tool,Scheduling Tool,调度工具
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +142,Credit Card,信用卡
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +149,Credit Card,信用卡
DocType: BOM,Item to be manufactured or repacked,要生产或者重新包装的项目
apps/erpnext/erpnext/config/stock.py +179,Default settings for stock transactions.,仓储业务的默认设置。
DocType: Purchase Invoice,Next Date,下次日期
@@ -4615,10 +4642,10 @@
DocType: Stock Entry,Repack,改装
apps/erpnext/erpnext/setup/doctype/email_digest/email_digest.js +6,You must Save the form before proceeding,在继续之前,您必须保存表单
DocType: Item Attribute,Numeric Values,数字值
-apps/erpnext/erpnext/public/js/setup_wizard.js +177,Attach Logo,附加标志
+apps/erpnext/erpnext/public/js/setup_wizard.js +47,Attach Logo,附加标志
apps/erpnext/erpnext/stock/doctype/batch/batch.js +38,Stock Levels,库存水平
DocType: Customer,Commission Rate,佣金率
-apps/erpnext/erpnext/stock/doctype/item/item.js +324,Make Variant,在Variant
+apps/erpnext/erpnext/stock/doctype/item/item.js +332,Make Variant,在Variant
apps/erpnext/erpnext/config/hr.py +87,Block leave applications by department.,按部门禁止假期申请。
apps/erpnext/erpnext/accounts/doctype/payment_entry/payment_entry.py +142,"Payment Type must be one of Receive, Pay and Internal Transfer",付款方式必须是接收之一,收费和内部转账
apps/erpnext/erpnext/config/selling.py +179,Analytics,Analytics(分析)
@@ -4626,45 +4653,45 @@
DocType: Vehicle,Model,模型
DocType: Production Order,Actual Operating Cost,实际运行成本
DocType: Payment Entry,Cheque/Reference No,支票/参考编号
-apps/erpnext/erpnext/accounts/doctype/account/account.py +85,Root cannot be edited.,根不能被编辑。
+apps/erpnext/erpnext/accounts/doctype/account/account.py +84,Root cannot be edited.,根不能被编辑。
DocType: Item,Units of Measure,测量的单位
DocType: Manufacturing Settings,Allow Production on Holidays,允许在假日生产
DocType: Sales Order,Customer's Purchase Order Date,客户的采购订单日期
-apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +161,Capital Stock,股本
+apps/erpnext/erpnext/accounts/doctype/account/chart_of_accounts/verified/standard_chart_of_accounts.py +163,Capital Stock,股本
DocType: Shopping Cart Settings,Show Public Attachments,显示公共附件
DocType: Packing Slip,Package Weight Details,包装重量详情
DocType: Payment Gateway Account,Payment Gateway Account,支付网关账户
DocType: Shopping Cart Settings,After payment completion redirect user to selected page.,支付完成后重定向用户选择的页面。
DocType: Company,Existing Company,现有的公司
+apps/erpnext/erpnext/controllers/buying_controller.py +82,"Tax Category has been changed to ""Total"" because all the Items are non-stock items",税项类别已更改为“合计”,因为所有物品均为非库存物品
apps/erpnext/erpnext/hr/doctype/upload_attendance/upload_attendance.py +103,Please select a csv file,请选择一个csv文件
DocType: Student Leave Application,Mark as Present,标记为现
DocType: Purchase Order,To Receive and Bill,接收和比尔
apps/erpnext/erpnext/templates/pages/home.html +14,Featured Products,特色产品
-apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +98,Designer,设计师
+apps/erpnext/erpnext/setup/setup_wizard/install_fixtures.py +105,Designer,设计师
apps/erpnext/erpnext/config/selling.py +163,Terms and Conditions Template,条款和条件模板
DocType: Serial No,Delivery Details,交货细节
-apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +483,Cost Center is required in row {0} in Taxes table for type {1},类型{1}税费表的行{0}必须有成本中心
+apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.py +482,Cost Center is required in row {0} in Taxes table for type {1},类型{1}税费表的行{0}必须有成本中心
DocType: Program,Program Code,程序代码
DocType: Terms and Conditions,Terms and Conditions Help,条款和条件帮助
,Item-wise Purchase Register,逐项采购记录
DocType: Batch,Expiry Date,到期时间
-,Supplier Addresses and Contacts,供应商的地址和联系方式
,accounts-browser,账户浏览器
apps/erpnext/erpnext/accounts/doctype/purchase_invoice/purchase_invoice.js +343,Please select Category first,属性是相同的两个记录。
apps/erpnext/erpnext/config/projects.py +13,Project master.,项目主。
-apps/erpnext/erpnext/controllers/status_updater.py +198,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.",要允许对账单或过度订货,库存设置或更新项目“津贴”。
+apps/erpnext/erpnext/controllers/status_updater.py +209,"To allow over-billing or over-ordering, update ""Allowance"" in Stock Settings or the Item.",要允许对账单或过度订货,库存设置或更新项目“津贴”。
DocType: Global Defaults,Do not show any symbol like $ etc next to currencies.,不要在货币旁显示货币代号,例如$等。
apps/erpnext/erpnext/hr/doctype/leave_application/leave_application.py +459, (Half Day),(半天)
DocType: Supplier,Credit Days,信用期
apps/erpnext/erpnext/utilities/activation.py +126,Make Student Batch,让学生批
DocType: Leave Type,Is Carry Forward,是否顺延假期
-apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +781,Get Items from BOM,从物料清单获取品目
+apps/erpnext/erpnext/stock/doctype/material_request/material_request.js +785,Get Items from BOM,从物料清单获取品目
apps/erpnext/erpnext/stock/report/itemwise_recommended_reorder_level/itemwise_recommended_reorder_level.py +41,Lead Time Days,交货天数
-apps/erpnext/erpnext/controllers/accounts_controller.py +566,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},行#{0}:过帐日期必须是相同的购买日期{1}资产的{2}
+apps/erpnext/erpnext/controllers/accounts_controller.py +568,Row #{0}: Posting Date must be same as purchase date {1} of asset {2},行#{0}:过帐日期必须是相同的购买日期{1}资产的{2}
apps/erpnext/erpnext/manufacturing/doctype/production_planning_tool/production_planning_tool.py +129,Please enter Sales Orders in the above table,请在上表中输入销售订单
apps/erpnext/erpnext/hr/doctype/process_payroll/process_payroll.py +186,Not Submitted Salary Slips,未提交工资单
,Stock Summary,库存摘要
-apps/erpnext/erpnext/config/accounts.py +241,Transfer an asset from one warehouse to another,从一个仓库转移资产到另一
+apps/erpnext/erpnext/config/accounts.py +274,Transfer an asset from one warehouse to another,从一个仓库转移资产到另一
DocType: Vehicle,Petrol,汽油
apps/erpnext/erpnext/config/learn.py +217,Bill of Materials,材料清单
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +103,Row {0}: Party Type and Party is required for Receivable / Payable account {1},行{0}:党的类型和党的需要应收/应付帐户{1}
@@ -4675,6 +4702,6 @@
DocType: Expense Claim Detail,Sanctioned Amount,已批准金额
DocType: GL Entry,Is Opening,是否起始
apps/erpnext/erpnext/accounts/doctype/journal_entry/journal_entry.py +196,Row {0}: Debit entry can not be linked with a {1},行{0}:借记条目不能与连接的{1}
-apps/erpnext/erpnext/accounts/doctype/account/account.py +234,Account {0} does not exist,科目{0}不存在
+apps/erpnext/erpnext/accounts/doctype/account/account.py +193,Account {0} does not exist,科目{0}不存在
DocType: Account,Cash,现金
DocType: Employee,Short biography for website and other publications.,在网站或其他出版物使用的个人简介。